From 901a21e91b18ed10ddd10e1b2245822d8dd11812 Mon Sep 17 00:00:00 2001 From: Vladimir Panteleev Date: Tue, 24 Oct 2017 21:32:28 +0000 Subject: [PATCH 001/798] Utils: Add FormatTime overload taking timeval This overload also supports additional format sequences for formatting the sub-second part of timeval. --- include/znc/Utils.h | 17 +++++++++++++ src/Utils.cpp | 61 +++++++++++++++++++++++++++++++++++++++++++++ test/UtilsTest.cpp | 43 ++++++++++++++++++++++++++++++++ 3 files changed, 121 insertions(+) diff --git a/include/znc/Utils.h b/include/znc/Utils.h index 5cc74d84..2ba62996 100644 --- a/include/znc/Utils.h +++ b/include/znc/Utils.h @@ -79,6 +79,23 @@ class CUtils { static CString CTime(time_t t, const CString& sTZ); static CString FormatTime(time_t t, const CString& sFormat, const CString& sTZ); + /** Supports additional format specifiers for formatting sub-second values: + * + * - %L - millisecond, 3 digits (ruby extension) + * - %N - sub-second fraction (ruby extension) + * - %3N - millisecond + * - %6N - microsecond + * - %9N - nanosecond (default if no digit specified) + * + * However, note that timeval only supports microsecond precision + * (thus, formatting with higher-than-microsecond precision will + * always result in trailing zeroes), and IRC server-time is specified + * in millisecond precision (thus formatting received timestamps with + * higher-than-millisecond precision will always result in trailing + * zeroes). + */ + static CString FormatTime(const timeval& tv, const CString& sFormat, + const CString& sTZ); static CString FormatServerTime(const timeval& tv); static timeval ParseServerTime(const CString& sTime); static SCString GetTimezones(); diff --git a/src/Utils.cpp b/src/Utils.cpp index 5ea7985b..72d49f58 100644 --- a/src/Utils.cpp +++ b/src/Utils.cpp @@ -499,6 +499,67 @@ CString CUtils::FormatTime(time_t t, const CString& sFormat, return s; } +CString CUtils::FormatTime(const timeval& tv, const CString& sFormat, + const CString& sTimezone) { + // Parse additional format specifiers before passing them to + // strftime, since the way strftime treats unknown format + // specifiers is undefined. + CString sFormat2; + + // Make sure %% is parsed correctly, i.e. %%L is passed through to + // strftime to become %L, and not 123. + bool bInFormat = false; + int iDigits; + CString::size_type uLastCopied = 0, uFormatStart; + + for (CString::size_type i = 0; i < sFormat.length(); i++) { + if (!bInFormat) { + if (sFormat[i] == '%') { + uFormatStart = i; + bInFormat = true; + iDigits = 9; + } + } else { + switch (sFormat[i]) { + case '0': case '1': case '2': case '3': case '4': + case '5': case '6': case '7': case '8': case '9': + iDigits = sFormat[i] - '0'; + break; + case 'L': + iDigits = 3; + // fall-through + case 'N': { + int iVal = tv.tv_usec; + int iDigitDelta = iDigits - 6; // tv_user is in 10^-6 seconds + for (; iDigitDelta > 0; iDigitDelta--) + iVal *= 10; + for (; iDigitDelta < 0; iDigitDelta++) + iVal /= 10; + sFormat2 += sFormat.substr(uLastCopied, + uFormatStart - uLastCopied); + CString sVal = CString(iVal); + sFormat2 += CString(iDigits - sVal.length(), '0'); + sFormat2 += sVal; + uLastCopied = i + 1; + bInFormat = false; + break; + } + default: + bInFormat = false; + } + } + } + + if (uLastCopied) { + sFormat2 += sFormat.substr(uLastCopied); + return FormatTime(tv.tv_sec, sFormat2, sTimezone); + } else { + // If there are no extended format specifiers, avoid doing any + // memory allocations entirely. + return FormatTime(tv.tv_sec, sFormat, sTimezone); + } +} + CString CUtils::FormatServerTime(const timeval& tv) { CString s_msec(tv.tv_usec / 1000); while (s_msec.length() < 3) { diff --git a/test/UtilsTest.cpp b/test/UtilsTest.cpp index 9560d5c0..ed6a683e 100644 --- a/test/UtilsTest.cpp +++ b/test/UtilsTest.cpp @@ -117,3 +117,46 @@ TEST(UtilsTest, ServerTime) { } tzset(); } + +TEST(UtilsTest, FormatTime) { + struct timeTest { + int sec, usec; + CString sResultL, sResultN, sResult3N; + }; + timeTest aTimeTests[] = { + {42, 12345, "42.012", "42.012345000", "42.012"}, // leading zeroes + {42, 999999, "42.999", "42.999999000", "42.999"}, // (no) rounding + {42, 0, "42.000", "42.000000000", "42.000"}, // no tv_usec part + }; + + for (const timeTest& t : aTimeTests) { + timeval tv; + tv.tv_sec = t.sec; + tv.tv_usec = t.usec; + + CString strL = CUtils::FormatTime(tv, "%s.%L", "UTC"); + EXPECT_EQ(t.sResultL, strL); + CString strN = CUtils::FormatTime(tv, "%s.%N", "UTC"); + EXPECT_EQ(t.sResultN, strN); + CString str3N = CUtils::FormatTime(tv, "%s.%3N", "UTC"); + EXPECT_EQ(t.sResult3N, str3N); + } + + // Test passthrough + timeval tv1; + tv1.tv_sec = 42; + tv1.tv_usec = 123456; + CString str1 = CUtils::FormatTime(tv1, "%s", "UTC"); + EXPECT_EQ("42", str1); + + // Test escapes + timeval tv2; + tv2.tv_sec = 42; + tv2.tv_usec = 123456; + CString str2 = CUtils::FormatTime(tv2, "%%L", "UTC"); + EXPECT_EQ("%L", str2); + + // Test suffix + CString str3 = CUtils::FormatTime(tv2, "a%Lb", "UTC"); + EXPECT_EQ("a123b", str3); +} From 03c4c0b165979f7986b4246d1fa6a8229715867a Mon Sep 17 00:00:00 2001 From: Vladimir Panteleev Date: Tue, 24 Oct 2017 21:45:44 +0000 Subject: [PATCH 002/798] Use and propagate microsecond-precision timestamps to FormatTime This enables sub-second precision timestamp formatting for logs and clients without server-time. --- include/znc/User.h | 1 + modules/awaystore.cpp | 4 ++-- modules/listsockets.cpp | 6 ++++-- modules/log.cpp | 4 ++-- src/Buffer.cpp | 2 +- src/User.cpp | 14 +++++++++++--- 6 files changed, 21 insertions(+), 10 deletions(-) diff --git a/include/znc/User.h b/include/znc/User.h index d9bcca6e..63dea4bc 100644 --- a/include/znc/User.h +++ b/include/znc/User.h @@ -110,6 +110,7 @@ class CUser { CString AddTimestamp(const CString& sStr) const; CString AddTimestamp(time_t tm, const CString& sStr) const; + CString AddTimestamp(timeval tv, const CString& sStr) const; void CloneNetworks(const CUser& User); bool Clone(const CUser& User, CString& sErrorRet, diff --git a/modules/awaystore.cpp b/modules/awaystore.cpp index dc128551..b2a76b02 100644 --- a/modules/awaystore.cpp +++ b/modules/awaystore.cpp @@ -58,8 +58,8 @@ class CAwayJob : public CTimer { class CAway : public CModule { void AwayCommand(const CString& sCommand) { CString sReason; - time_t curtime; - time(&curtime); + timeval curtime; + gettimeofday(&curtime, nullptr); if (sCommand.Token(1) != "-quiet") { sReason = CUtils::FormatTime(curtime, sCommand.Token(1, true), diff --git a/modules/listsockets.cpp b/modules/listsockets.cpp index 55c67571..c35013c4 100644 --- a/modules/listsockets.cpp +++ b/modules/listsockets.cpp @@ -154,8 +154,10 @@ class CListSockets : public CModule { CString GetCreatedTime(Csock* pSocket) { unsigned long long iStartTime = pSocket->GetStartTime(); - time_t iTime = iStartTime / 1000; - return CUtils::FormatTime(iTime, "%Y-%m-%d %H:%M:%S", + timeval tv; + tv.tv_sec = iStartTime / 1000; + tv.tv_usec = iStartTime % 1000 * 1000; + return CUtils::FormatTime(tv, "%Y-%m-%d %H:%M:%S.%L", GetUser()->GetTimezone()); } diff --git a/modules/log.cpp b/modules/log.cpp index 05685593..f1ac9fd8 100644 --- a/modules/log.cpp +++ b/modules/log.cpp @@ -271,9 +271,9 @@ void CLogMod::PutLog(const CString& sLine, } CString sPath; - time_t curtime; + timeval curtime; - time(&curtime); + gettimeofday(&curtime, nullptr); // Generate file name sPath = CUtils::FormatTime(curtime, m_sLogPath, GetUser()->GetTimezone()); if (sPath.empty()) { diff --git a/src/Buffer.cpp b/src/Buffer.cpp index a95d5e0d..14ef8ffa 100644 --- a/src/Buffer.cpp +++ b/src/Buffer.cpp @@ -52,7 +52,7 @@ CMessage CBufLine::ToMessage(const CClient& Client, mssThisParams["text"] = m_sText; } else { mssThisParams["text"] = - Client.GetUser()->AddTimestamp(Line.GetTime().tv_sec, m_sText); + Client.GetUser()->AddTimestamp(Line.GetTime(), m_sText); } // make a copy of params, because the following loop modifies the original diff --git a/src/User.cpp b/src/User.cpp index c853968b..718ba84a 100644 --- a/src/User.cpp +++ b/src/User.cpp @@ -603,17 +603,25 @@ CString& CUser::ExpandString(const CString& sStr, CString& sRet) const { } CString CUser::AddTimestamp(const CString& sStr) const { - time_t tm; - return AddTimestamp(time(&tm), sStr); + timeval tv; + gettimeofday(&tv, nullptr); + return AddTimestamp(tv, sStr); } CString CUser::AddTimestamp(time_t tm, const CString& sStr) const { + timeval tv; + tv.tv_sec = tm; + tv.tv_usec = 0; + return AddTimestamp(tv, sStr); +} + +CString CUser::AddTimestamp(timeval tv, const CString& sStr) const { CString sRet = sStr; if (!GetTimestampFormat().empty() && (m_bAppendTimestamp || m_bPrependTimestamp)) { CString sTimestamp = - CUtils::FormatTime(tm, GetTimestampFormat(), m_sTimezone); + CUtils::FormatTime(tv, GetTimestampFormat(), m_sTimezone); if (sTimestamp.empty()) { return sRet; } From fd8a36d3ea202a7e00786b674d59343be59079df Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Sat, 4 Nov 2017 21:37:55 +0000 Subject: [PATCH 003/798] Use value-parameterized tests for FormatTime --- test/UtilsTest.cpp | 44 +++++++++++++++++++++----------------------- 1 file changed, 21 insertions(+), 23 deletions(-) diff --git a/test/UtilsTest.cpp b/test/UtilsTest.cpp index ed6a683e..0fe06e92 100644 --- a/test/UtilsTest.cpp +++ b/test/UtilsTest.cpp @@ -118,30 +118,28 @@ TEST(UtilsTest, ServerTime) { tzset(); } +class TimeTest : public testing::TestWithParam< + std::tuple> {}; + +TEST_P(TimeTest, FormatTime) { + timeval tv = std::get<0>(GetParam()); + EXPECT_EQ(std::get<1>(GetParam()), CUtils::FormatTime(tv, "%s.%L", "UTC")); + EXPECT_EQ(std::get<2>(GetParam()), CUtils::FormatTime(tv, "%s.%N", "UTC")); + EXPECT_EQ(std::get<3>(GetParam()), CUtils::FormatTime(tv, "%s.%3N", "UTC")); +} + +INSTANTIATE_TEST_CASE_P( + TimeTest, TimeTest, + testing::Values( + // leading zeroes + std::make_tuple(timeval{42, 12345}, "42.012", "42.012345000", "42.012"), + // (no) rounding + std::make_tuple(timeval{42, 999999}, "42.999", "42.999999000", + "42.999"), + // no tv_usec part + std::make_tuple(timeval{42, 0}, "42.000", "42.000000000", "42.000"))); + TEST(UtilsTest, FormatTime) { - struct timeTest { - int sec, usec; - CString sResultL, sResultN, sResult3N; - }; - timeTest aTimeTests[] = { - {42, 12345, "42.012", "42.012345000", "42.012"}, // leading zeroes - {42, 999999, "42.999", "42.999999000", "42.999"}, // (no) rounding - {42, 0, "42.000", "42.000000000", "42.000"}, // no tv_usec part - }; - - for (const timeTest& t : aTimeTests) { - timeval tv; - tv.tv_sec = t.sec; - tv.tv_usec = t.usec; - - CString strL = CUtils::FormatTime(tv, "%s.%L", "UTC"); - EXPECT_EQ(t.sResultL, strL); - CString strN = CUtils::FormatTime(tv, "%s.%N", "UTC"); - EXPECT_EQ(t.sResultN, strN); - CString str3N = CUtils::FormatTime(tv, "%s.%3N", "UTC"); - EXPECT_EQ(t.sResult3N, str3N); - } - // Test passthrough timeval tv1; tv1.tv_sec = 42; From 44418f5aafbbee046719a7f599ac4ba73508edc9 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Sun, 12 Nov 2017 15:54:19 +0000 Subject: [PATCH 004/798] Add ability to install an inline python module to integration test --- test/integration/main.cpp | 19 +++++++++++++++++++ 1 file changed, 19 insertions(+) diff --git a/test/integration/main.cpp b/test/integration/main.cpp index f5edf19b..e5aee88b 100644 --- a/test/integration/main.cpp +++ b/test/integration/main.cpp @@ -353,6 +353,7 @@ class ZNCTest : public testing::Test { ASSERT_TRUE(dir.mkpath("modules")); ASSERT_TRUE(dir.cd("modules")); if (name.endsWith(".cpp")) { + // Compile QTemporaryDir srcdir; QFile file(QDir(srcdir.path()).filePath(name)); ASSERT_TRUE(file.open(QIODevice::WriteOnly | QIODevice::Text)); @@ -366,7 +367,25 @@ class ZNCTest : public testing::Test { proc->setProcessChannelMode(QProcess::ForwardedChannels); }); p.ShouldFinishItself(); + } else if (name.endsWith(".py")) { + // Dedent + QStringList lines = content.split("\n"); + int maxoffset = -1; + for (const QString& line : lines) { + int nonspace = line.indexOf(QRegExp("\\S")); + if (nonspace == -1) continue; + if (nonspace < maxoffset || maxoffset == -1) + maxoffset = nonspace; + } + if (maxoffset == -1) maxoffset = 0; + QFile file(dir.filePath(name)); + ASSERT_TRUE(file.open(QIODevice::WriteOnly | QIODevice::Text)); + QTextStream out(&file); + for (const QString& line : lines) { + out << line.midRef(maxoffset) << "\n"; + } } else { + // Write as is QFile file(dir.filePath(name)); ASSERT_TRUE(file.open(QIODevice::WriteOnly | QIODevice::Text)); QTextStream out(&file); From 744bd7d55c7093c38c4c887dd74a9dc792be2ce1 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Sun, 12 Nov 2017 16:45:23 +0000 Subject: [PATCH 005/798] Fix use-after-free in znc --makepem X509_get_subject_name() returns an internal pointer, which was destroyed by X509_set_subject_name(), and then accessed again in X509_set_issuer_name(). But X509_set_subject_name() isn't needed at all, because subject name was modified in place. --- src/Utils.cpp | 1 - 1 file changed, 1 deletion(-) diff --git a/src/Utils.cpp b/src/Utils.cpp index 5ea7985b..e72f05bb 100644 --- a/src/Utils.cpp +++ b/src/Utils.cpp @@ -121,7 +121,6 @@ void CUtils::GenerateCert(FILE* pOut, const CString& sHost) { X509_NAME_add_entry_by_txt(pName, "emailAddress", MBSTRING_ASC, (unsigned char*)sEmailAddr.c_str(), -1, -1, 0); - X509_set_subject_name(pCert.get(), pName); X509_set_issuer_name(pCert.get(), pName); if (!X509_sign(pCert.get(), pKey.get(), EVP_sha256())) return; From 1a4990c033e14c10756a54f5cbf481736d3c5004 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Sun, 12 Nov 2017 18:00:33 +0000 Subject: [PATCH 006/798] Don't use features of Qt 5.6 in the integration test yet --- test/integration/main.cpp | 5 ++++- 1 file changed, 4 insertions(+), 1 deletion(-) diff --git a/test/integration/main.cpp b/test/integration/main.cpp index e5aee88b..7a48033e 100644 --- a/test/integration/main.cpp +++ b/test/integration/main.cpp @@ -382,7 +382,10 @@ class ZNCTest : public testing::Test { ASSERT_TRUE(file.open(QIODevice::WriteOnly | QIODevice::Text)); QTextStream out(&file); for (const QString& line : lines) { - out << line.midRef(maxoffset) << "\n"; + // QTextStream::operator<<(const QStringRef &string) was + // introduced in Qt 5.6; let's keep minimum required version + // less than that for now. + out << line.mid(maxoffset) << "\n"; } } else { // Write as is From 42a96cf37546a0126a528461e8348d2ed18adca4 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Mon, 13 Nov 2017 23:35:36 +0000 Subject: [PATCH 007/798] Update .pot files --- modules/po/clientnotify.pot | 59 +++ modules/po/controlpanel.pot | 704 ++++++++++++++++++++++++++++++++++ modules/po/crypt.pot | 129 +++++++ modules/po/ctcpflood.pot | 55 +++ modules/po/cyrusauth.pot | 46 +-- modules/po/dcc.pot | 213 ++++++++++ modules/po/fail2ban.pot | 103 +++++ modules/po/flooddetach.pot | 77 ++++ modules/po/identfile.pot | 69 ++++ modules/po/imapauth.pot | 7 + modules/po/keepnick.pot | 39 ++ modules/po/kickrejoin.pot | 47 +++ modules/po/lastseen.pot | 58 +++ modules/po/listsockets.pot | 104 +++++ modules/po/log.pot | 134 +++++++ modules/po/missingmotd.pot | 3 + modules/po/modperl.pot | 3 + modules/po/modpython.pot | 3 + modules/po/modules_online.pot | 3 + modules/po/nickserv.pot | 61 +++ modules/po/notes.pot | 110 ++++++ modules/po/notify_connect.pot | 15 + modules/po/partyline.pot | 25 ++ modules/po/perform.pot | 99 +++++ modules/po/q.pot | 287 ++++++++++++++ modules/po/raw.pot | 3 + modules/po/route_replies.pot | 45 +++ modules/po/sample.pot | 105 +++++ modules/po/samplewebapi.pot | 3 + modules/po/sasl.pot | 165 ++++++++ modules/po/savebuff.pot | 48 +++ modules/po/send_raw.pot | 100 +++++ modules/po/shell.pot | 15 + modules/po/simple_away.pot | 78 ++++ modules/po/stickychan.pot | 93 +++++ modules/po/stripcontrols.pot | 4 + modules/po/watch.pot | 235 ++++++++++++ modules/po/webadmin.pot | 592 ++++++++++++++-------------- modules/po/webadmin.ru.po | 614 ++++++++++++++--------------- src/po/znc.pot | 16 +- src/po/znc.ru.po | 28 +- 41 files changed, 3945 insertions(+), 652 deletions(-) create mode 100644 modules/po/clientnotify.pot create mode 100644 modules/po/controlpanel.pot create mode 100644 modules/po/crypt.pot create mode 100644 modules/po/ctcpflood.pot create mode 100644 modules/po/dcc.pot create mode 100644 modules/po/fail2ban.pot create mode 100644 modules/po/flooddetach.pot create mode 100644 modules/po/identfile.pot create mode 100644 modules/po/imapauth.pot create mode 100644 modules/po/keepnick.pot create mode 100644 modules/po/kickrejoin.pot create mode 100644 modules/po/lastseen.pot create mode 100644 modules/po/listsockets.pot create mode 100644 modules/po/log.pot create mode 100644 modules/po/missingmotd.pot create mode 100644 modules/po/modperl.pot create mode 100644 modules/po/modpython.pot create mode 100644 modules/po/modules_online.pot create mode 100644 modules/po/nickserv.pot create mode 100644 modules/po/notes.pot create mode 100644 modules/po/notify_connect.pot create mode 100644 modules/po/partyline.pot create mode 100644 modules/po/perform.pot create mode 100644 modules/po/q.pot create mode 100644 modules/po/raw.pot create mode 100644 modules/po/route_replies.pot create mode 100644 modules/po/sample.pot create mode 100644 modules/po/samplewebapi.pot create mode 100644 modules/po/sasl.pot create mode 100644 modules/po/savebuff.pot create mode 100644 modules/po/send_raw.pot create mode 100644 modules/po/shell.pot create mode 100644 modules/po/simple_away.pot create mode 100644 modules/po/stickychan.pot create mode 100644 modules/po/stripcontrols.pot create mode 100644 modules/po/watch.pot diff --git a/modules/po/clientnotify.pot b/modules/po/clientnotify.pot new file mode 100644 index 00000000..8ddef92c --- /dev/null +++ b/modules/po/clientnotify.pot @@ -0,0 +1,59 @@ +#: clientnotify.cpp:47 +msgid "" +msgstr "" + +#: clientnotify.cpp:48 +msgid "Sets the notify method" +msgstr "" + +#: clientnotify.cpp:50 clientnotify.cpp:54 +msgid "" +msgstr "" + +#: clientnotify.cpp:51 +msgid "Turns notifications for unseen IP addresses on or off" +msgstr "" + +#: clientnotify.cpp:55 +msgid "Turns notifications for clients disconnecting on or off" +msgstr "" + +#: clientnotify.cpp:57 +msgid "Shows the current settings" +msgstr "" + +#: clientnotify.cpp:81 clientnotify.cpp:95 +msgid "" +msgid_plural "" +"Another client authenticated as your user. Use the 'ListClients' command to " +"see all {1} clients." +msgstr[0] "" +msgstr[1] "" + +#: clientnotify.cpp:108 +msgid "Usage: Method " +msgstr "" + +#: clientnotify.cpp:114 clientnotify.cpp:127 clientnotify.cpp:140 +msgid "Saved." +msgstr "" + +#: clientnotify.cpp:121 +msgid "Usage: NewOnly " +msgstr "" + +#: clientnotify.cpp:134 +msgid "Usage: OnDisconnect " +msgstr "" + +#: clientnotify.cpp:145 +msgid "" +"Current settings: Method: {1}, for unseen IP addresses only: {2}, notify on " +"disconnecting clients: {3}" +msgstr "" + +#: clientnotify.cpp:157 +msgid "" +"Notifies you when another IRC client logs into or out of your account. " +"Configurable." +msgstr "" diff --git a/modules/po/controlpanel.pot b/modules/po/controlpanel.pot new file mode 100644 index 00000000..3def992b --- /dev/null +++ b/modules/po/controlpanel.pot @@ -0,0 +1,704 @@ +#: controlpanel.cpp:51 controlpanel.cpp:63 +msgctxt "helptable" +msgid "Type" +msgstr "" + +#: controlpanel.cpp:52 controlpanel.cpp:65 +msgctxt "helptable" +msgid "Variables" +msgstr "" + +#: controlpanel.cpp:77 +msgid "String" +msgstr "" + +#: controlpanel.cpp:78 +msgid "Boolean (true/false)" +msgstr "" + +#: controlpanel.cpp:79 +msgid "Integer" +msgstr "" + +#: controlpanel.cpp:80 +msgid "Double" +msgstr "" + +#: controlpanel.cpp:122 +msgid "The following variables are available when using the Set/Get commands:" +msgstr "" + +#: controlpanel.cpp:145 +msgid "" +"The following variables are available when using the SetNetwork/GetNetwork " +"commands:" +msgstr "" + +#: controlpanel.cpp:158 +msgid "" +"The following variables are available when using the SetChan/GetChan " +"commands:" +msgstr "" + +#: controlpanel.cpp:164 +msgid "" +"You can use $user as the user name and $network as the network name for " +"modifying your own user and network." +msgstr "" + +#: controlpanel.cpp:173 controlpanel.cpp:949 controlpanel.cpp:986 +msgid "Error: User [{1}] does not exist!" +msgstr "" + +#: controlpanel.cpp:178 +msgid "Error: You need to have admin rights to modify other users!" +msgstr "" + +#: controlpanel.cpp:188 +msgid "Error: You cannot use $network to modify other users!" +msgstr "" + +#: controlpanel.cpp:196 +msgid "Error: User {1} does not have a network named [{2}]." +msgstr "" + +#: controlpanel.cpp:208 +msgid "Usage: Get [username]" +msgstr "" + +#: controlpanel.cpp:295 controlpanel.cpp:490 controlpanel.cpp:565 +#: controlpanel.cpp:641 controlpanel.cpp:776 controlpanel.cpp:861 +msgid "Error: Unknown variable" +msgstr "" + +#: controlpanel.cpp:304 +msgid "Usage: Set " +msgstr "" + +#: controlpanel.cpp:326 controlpanel.cpp:606 +msgid "This bind host is already set!" +msgstr "" + +#: controlpanel.cpp:333 controlpanel.cpp:345 controlpanel.cpp:353 +#: controlpanel.cpp:416 controlpanel.cpp:435 controlpanel.cpp:453 +#: controlpanel.cpp:613 +msgid "Access denied!" +msgstr "" + +#: controlpanel.cpp:367 controlpanel.cpp:376 controlpanel.cpp:825 +msgid "Setting failed, limit for buffer size is {1}" +msgstr "" + +#: controlpanel.cpp:396 +msgid "Password has been changed!" +msgstr "" + +#: controlpanel.cpp:404 +msgid "Timeout can't be less than 30 seconds!" +msgstr "" + +#: controlpanel.cpp:460 +msgid "That would be a bad idea!" +msgstr "" + +#: controlpanel.cpp:478 +msgid "Supported languages: {1}" +msgstr "" + +#: controlpanel.cpp:502 +msgid "Usage: GetNetwork [username] [network]" +msgstr "" + +#: controlpanel.cpp:521 +msgid "Error: A network must be specified to get another users settings." +msgstr "" + +#: controlpanel.cpp:527 +msgid "You are not currently attached to a network." +msgstr "" + +#: controlpanel.cpp:533 +msgid "Error: Invalid network." +msgstr "" + +#: controlpanel.cpp:577 +msgid "Usage: SetNetwork " +msgstr "" + +#: controlpanel.cpp:651 +msgid "Usage: AddChan " +msgstr "" + +#: controlpanel.cpp:664 +msgid "Error: User {1} already has a channel named {2}." +msgstr "" + +#: controlpanel.cpp:671 +msgid "Channel {1} for user {2} added to network {3}." +msgstr "" + +#: controlpanel.cpp:675 +msgid "" +"Could not add channel {1} for user {2} to network {3}, does it already exist?" +msgstr "" + +#: controlpanel.cpp:685 +msgid "Usage: DelChan " +msgstr "" + +#: controlpanel.cpp:700 +msgid "Error: User {1} does not have any channel matching [{2}] in network {3}" +msgstr "" + +#: controlpanel.cpp:713 +msgid "Channel {1} is deleted from network {2} of user {3}" +msgid_plural "Channels {2} are deleted from network {2} of user {3}" +msgstr[0] "" +msgstr[1] "" + +#: controlpanel.cpp:728 +msgid "Usage: GetChan " +msgstr "" + +#: controlpanel.cpp:742 controlpanel.cpp:806 +msgid "Error: No channels matching [{1}] found." +msgstr "" + +#: controlpanel.cpp:791 +msgid "Usage: SetChan " +msgstr "" + +#: controlpanel.cpp:872 controlpanel.cpp:882 +msgctxt "listusers" +msgid "Username" +msgstr "" + +#: controlpanel.cpp:873 controlpanel.cpp:883 +msgctxt "listusers" +msgid "Realname" +msgstr "" + +#: controlpanel.cpp:874 controlpanel.cpp:886 controlpanel.cpp:888 +msgctxt "listusers" +msgid "IsAdmin" +msgstr "" + +#: controlpanel.cpp:875 controlpanel.cpp:889 +msgctxt "listusers" +msgid "Nick" +msgstr "" + +#: controlpanel.cpp:876 controlpanel.cpp:890 +msgctxt "listusers" +msgid "AltNick" +msgstr "" + +#: controlpanel.cpp:877 controlpanel.cpp:891 +msgctxt "listusers" +msgid "Ident" +msgstr "" + +#: controlpanel.cpp:878 controlpanel.cpp:892 +msgctxt "listusers" +msgid "BindHost" +msgstr "" + +#: controlpanel.cpp:886 controlpanel.cpp:1126 +msgid "No" +msgstr "" + +#: controlpanel.cpp:888 controlpanel.cpp:1118 +msgid "Yes" +msgstr "" + +#: controlpanel.cpp:902 controlpanel.cpp:971 +msgid "Error: You need to have admin rights to add new users!" +msgstr "" + +#: controlpanel.cpp:908 +msgid "Usage: AddUser " +msgstr "" + +#: controlpanel.cpp:913 +msgid "Error: User {1} already exists!" +msgstr "" + +#: controlpanel.cpp:925 controlpanel.cpp:1000 +msgid "Error: User not added: {1}" +msgstr "" + +#: controlpanel.cpp:929 controlpanel.cpp:1004 +msgid "User {1} added!" +msgstr "" + +#: controlpanel.cpp:936 +msgid "Error: You need to have admin rights to delete users!" +msgstr "" + +#: controlpanel.cpp:942 +msgid "Usage: DelUser " +msgstr "" + +#: controlpanel.cpp:954 +msgid "Error: You can't delete yourself!" +msgstr "" + +#: controlpanel.cpp:960 +msgid "Error: Internal error!" +msgstr "" + +#: controlpanel.cpp:964 +msgid "User {1} deleted!" +msgstr "" + +#: controlpanel.cpp:979 +msgid "Usage: CloneUser " +msgstr "" + +#: controlpanel.cpp:994 +msgid "Error: Cloning failed: {1}" +msgstr "" + +#: controlpanel.cpp:1023 +msgid "Usage: AddNetwork [user] network" +msgstr "" + +#: controlpanel.cpp:1029 +msgid "" +"Network number limit reached. Ask an admin to increase the limit for you, or " +"delete unneeded networks using /znc DelNetwork " +msgstr "" + +#: controlpanel.cpp:1037 +msgid "Error: User {1} already has a network with the name {2}" +msgstr "" + +#: controlpanel.cpp:1044 +msgid "Network {1} added to user {2}." +msgstr "" + +#: controlpanel.cpp:1048 +msgid "Error: Network [{1}] could not be added for user {2}: {3}" +msgstr "" + +#: controlpanel.cpp:1068 +msgid "Usage: DelNetwork [user] network" +msgstr "" + +#: controlpanel.cpp:1079 +msgid "The currently active network can be deleted via {1}status" +msgstr "" + +#: controlpanel.cpp:1085 +msgid "Network {1} deleted for user {2}." +msgstr "" + +#: controlpanel.cpp:1089 +msgid "Error: Network {1} could not be deleted for user {2}." +msgstr "" + +#: controlpanel.cpp:1108 controlpanel.cpp:1116 +msgctxt "listnetworks" +msgid "Network" +msgstr "" + +#: controlpanel.cpp:1109 controlpanel.cpp:1118 controlpanel.cpp:1126 +msgctxt "listnetworks" +msgid "OnIRC" +msgstr "" + +#: controlpanel.cpp:1110 controlpanel.cpp:1119 +msgctxt "listnetworks" +msgid "IRC Server" +msgstr "" + +#: controlpanel.cpp:1111 controlpanel.cpp:1121 +msgctxt "listnetworks" +msgid "IRC User" +msgstr "" + +#: controlpanel.cpp:1112 controlpanel.cpp:1123 +msgctxt "listnetworks" +msgid "Channels" +msgstr "" + +#: controlpanel.cpp:1131 +msgid "No networks" +msgstr "" + +#: controlpanel.cpp:1142 +msgid "Usage: AddServer [[+]port] [password]" +msgstr "" + +#: controlpanel.cpp:1156 +msgid "Added IRC Server {1} to network {2} for user {3}." +msgstr "" + +#: controlpanel.cpp:1160 +msgid "Error: Could not add IRC server {1} to network {2} for user {3}." +msgstr "" + +#: controlpanel.cpp:1173 +msgid "Usage: DelServer [[+]port] [password]" +msgstr "" + +#: controlpanel.cpp:1188 +msgid "Deleted IRC Server {1} from network {2} for user {3}." +msgstr "" + +#: controlpanel.cpp:1192 +msgid "Error: Could not delete IRC server {1} from network {2} for user {3}." +msgstr "" + +#: controlpanel.cpp:1202 +msgid "Usage: Reconnect " +msgstr "" + +#: controlpanel.cpp:1229 +msgid "Queued network {1} of user {2} for a reconnect." +msgstr "" + +#: controlpanel.cpp:1238 +msgid "Usage: Disconnect " +msgstr "" + +#: controlpanel.cpp:1253 +msgid "Closed IRC connection for network {1} of user {2}." +msgstr "" + +#: controlpanel.cpp:1268 controlpanel.cpp:1272 +msgctxt "listctcp" +msgid "Request" +msgstr "" + +#: controlpanel.cpp:1269 controlpanel.cpp:1273 +msgctxt "listctcp" +msgid "Reply" +msgstr "" + +#: controlpanel.cpp:1277 +msgid "No CTCP replies for user {1} are configured" +msgstr "" + +#: controlpanel.cpp:1280 +msgid "CTCP replies for user {1}:" +msgstr "" + +#: controlpanel.cpp:1296 +msgid "Usage: AddCTCP [user] [request] [reply]" +msgstr "" + +#: controlpanel.cpp:1298 +msgid "" +"This will cause ZNC to reply to the CTCP instead of forwarding it to clients." +msgstr "" + +#: controlpanel.cpp:1301 +msgid "An empty reply will cause the CTCP request to be blocked." +msgstr "" + +#: controlpanel.cpp:1310 +msgid "CTCP requests {1} to user {2} will now be blocked." +msgstr "" + +#: controlpanel.cpp:1314 +msgid "CTCP requests {1} to user {2} will now get reply: {3}" +msgstr "" + +#: controlpanel.cpp:1331 +msgid "Usage: DelCTCP [user] [request]" +msgstr "" + +#: controlpanel.cpp:1337 +msgid "CTCP requests {1} to user {2} will now be sent to IRC clients" +msgstr "" + +#: controlpanel.cpp:1341 +msgid "" +"CTCP requests {1} to user {2} will be sent to IRC clients (nothing has " +"changed)" +msgstr "" + +#: controlpanel.cpp:1351 controlpanel.cpp:1425 +msgid "Loading modules has been disabled." +msgstr "" + +#: controlpanel.cpp:1360 +msgid "Error: Unable to load module {1}: {2}" +msgstr "" + +#: controlpanel.cpp:1363 +msgid "Loaded module {1}" +msgstr "" + +#: controlpanel.cpp:1368 +msgid "Error: Unable to reload module {1}: {2}" +msgstr "" + +#: controlpanel.cpp:1371 +msgid "Reloaded module {1}" +msgstr "" + +#: controlpanel.cpp:1375 +msgid "Error: Unable to load module {1} because it is already loaded" +msgstr "" + +#: controlpanel.cpp:1386 +msgid "Usage: LoadModule [args]" +msgstr "" + +#: controlpanel.cpp:1405 +msgid "Usage: LoadNetModule [args]" +msgstr "" + +#: controlpanel.cpp:1430 +msgid "Please use /znc unloadmod {1}" +msgstr "" + +#: controlpanel.cpp:1436 +msgid "Error: Unable to unload module {1}: {2}" +msgstr "" + +#: controlpanel.cpp:1439 +msgid "Unloaded module {1}" +msgstr "" + +#: controlpanel.cpp:1448 +msgid "Usage: UnloadModule " +msgstr "" + +#: controlpanel.cpp:1465 +msgid "Usage: UnloadNetModule " +msgstr "" + +#: controlpanel.cpp:1482 controlpanel.cpp:1487 +msgctxt "listmodules" +msgid "Name" +msgstr "" + +#: controlpanel.cpp:1483 controlpanel.cpp:1488 +msgctxt "listmodules" +msgid "Arguments" +msgstr "" + +#: controlpanel.cpp:1507 +msgid "User {1} has no modules loaded." +msgstr "" + +#: controlpanel.cpp:1511 +msgid "Modules loaded for user {1}:" +msgstr "" + +#: controlpanel.cpp:1531 +msgid "Network {1} of user {2} hasno modules loaded." +msgstr "" + +#: controlpanel.cpp:1535 +msgid "Modules loaded for network {1} of user {2}:" +msgstr "" + +#: controlpanel.cpp:1542 +msgid "[command] [variable]" +msgstr "" + +#: controlpanel.cpp:1543 +msgid "Prints help for matching commands and variables" +msgstr "" + +#: controlpanel.cpp:1546 +msgid " [username]" +msgstr "" + +#: controlpanel.cpp:1547 +msgid "Prints the variable's value for the given or current user" +msgstr "" + +#: controlpanel.cpp:1549 +msgid " " +msgstr "" + +#: controlpanel.cpp:1550 +msgid "Sets the variable's value for the given user" +msgstr "" + +#: controlpanel.cpp:1552 +msgid " [username] [network]" +msgstr "" + +#: controlpanel.cpp:1553 +msgid "Prints the variable's value for the given network" +msgstr "" + +#: controlpanel.cpp:1555 +msgid " " +msgstr "" + +#: controlpanel.cpp:1556 +msgid "Sets the variable's value for the given network" +msgstr "" + +#: controlpanel.cpp:1558 +msgid " [username] " +msgstr "" + +#: controlpanel.cpp:1559 +msgid "Prints the variable's value for the given channel" +msgstr "" + +#: controlpanel.cpp:1562 +msgid " " +msgstr "" + +#: controlpanel.cpp:1563 +msgid "Sets the variable's value for the given channel" +msgstr "" + +#: controlpanel.cpp:1565 controlpanel.cpp:1568 +msgid " " +msgstr "" + +#: controlpanel.cpp:1566 +msgid "Adds a new channel" +msgstr "" + +#: controlpanel.cpp:1569 +msgid "Deletes a channel" +msgstr "" + +#: controlpanel.cpp:1571 +msgid "Lists users" +msgstr "" + +#: controlpanel.cpp:1573 +msgid " " +msgstr "" + +#: controlpanel.cpp:1574 +msgid "Adds a new user" +msgstr "" + +#: controlpanel.cpp:1576 controlpanel.cpp:1599 controlpanel.cpp:1613 +msgid "" +msgstr "" + +#: controlpanel.cpp:1576 +msgid "Deletes a user" +msgstr "" + +#: controlpanel.cpp:1578 +msgid " " +msgstr "" + +#: controlpanel.cpp:1579 +msgid "Clones a user" +msgstr "" + +#: controlpanel.cpp:1581 controlpanel.cpp:1584 +msgid " " +msgstr "" + +#: controlpanel.cpp:1582 +msgid "Adds a new IRC server for the given or current user" +msgstr "" + +#: controlpanel.cpp:1585 +msgid "Deletes an IRC server from the given or current user" +msgstr "" + +#: controlpanel.cpp:1587 controlpanel.cpp:1590 controlpanel.cpp:1610 +msgid " " +msgstr "" + +#: controlpanel.cpp:1588 +msgid "Cycles the user's IRC server connection" +msgstr "" + +#: controlpanel.cpp:1591 +msgid "Disconnects the user from their IRC server" +msgstr "" + +#: controlpanel.cpp:1593 +msgid " [args]" +msgstr "" + +#: controlpanel.cpp:1594 +msgid "Loads a Module for a user" +msgstr "" + +#: controlpanel.cpp:1596 +msgid " " +msgstr "" + +#: controlpanel.cpp:1597 +msgid "Removes a Module of a user" +msgstr "" + +#: controlpanel.cpp:1600 +msgid "Get the list of modules for a user" +msgstr "" + +#: controlpanel.cpp:1603 +msgid " [args]" +msgstr "" + +#: controlpanel.cpp:1604 +msgid "Loads a Module for a network" +msgstr "" + +#: controlpanel.cpp:1607 +msgid " " +msgstr "" + +#: controlpanel.cpp:1608 +msgid "Removes a Module of a network" +msgstr "" + +#: controlpanel.cpp:1611 +msgid "Get the list of modules for a network" +msgstr "" + +#: controlpanel.cpp:1614 +msgid "List the configured CTCP replies" +msgstr "" + +#: controlpanel.cpp:1616 +msgid " [reply]" +msgstr "" + +#: controlpanel.cpp:1617 +msgid "Configure a new CTCP reply" +msgstr "" + +#: controlpanel.cpp:1619 +msgid " " +msgstr "" + +#: controlpanel.cpp:1620 +msgid "Remove a CTCP reply" +msgstr "" + +#: controlpanel.cpp:1624 controlpanel.cpp:1627 +msgid "[username] " +msgstr "" + +#: controlpanel.cpp:1625 +msgid "Add a network for a user" +msgstr "" + +#: controlpanel.cpp:1628 +msgid "Delete a network for a user" +msgstr "" + +#: controlpanel.cpp:1630 +msgid "[username]" +msgstr "" + +#: controlpanel.cpp:1631 +msgid "List all networks for a user" +msgstr "" + +#: controlpanel.cpp:1644 +msgid "" +"Dynamic configuration through IRC. Allows editing only yourself if you're " +"not ZNC admin." +msgstr "" diff --git a/modules/po/crypt.pot b/modules/po/crypt.pot new file mode 100644 index 00000000..903775ec --- /dev/null +++ b/modules/po/crypt.pot @@ -0,0 +1,129 @@ +#: crypt.cpp:198 +msgid "<#chan|Nick>" +msgstr "" + +#: crypt.cpp:199 +msgid "Remove a key for nick or channel" +msgstr "" + +#: crypt.cpp:201 +msgid "<#chan|Nick> " +msgstr "" + +#: crypt.cpp:202 +msgid "Set a key for nick or channel" +msgstr "" + +#: crypt.cpp:204 +msgid "List all keys" +msgstr "" + +#: crypt.cpp:206 +msgid "" +msgstr "" + +#: crypt.cpp:207 +msgid "Start a DH1080 key exchange with nick" +msgstr "" + +#: crypt.cpp:210 +msgid "Get the nick prefix" +msgstr "" + +#: crypt.cpp:213 +msgid "[Prefix]" +msgstr "" + +#: crypt.cpp:214 +msgid "Set the nick prefix, with no argument it's disabled." +msgstr "" + +#: crypt.cpp:282 +msgid "Received DH1080 public key from {1}, sending mine..." +msgstr "" + +#: crypt.cpp:287 crypt.cpp:308 +msgid "Key for {1} successfully set." +msgstr "" + +#: crypt.cpp:290 crypt.cpp:311 +msgid "Error in {1} with {2}: {3}" +msgstr "" + +#: crypt.cpp:292 crypt.cpp:313 +msgid "no secret key computed" +msgstr "" + +#: crypt.cpp:427 +msgid "Target [{1}] deleted" +msgstr "" + +#: crypt.cpp:429 +msgid "Target [{1}] not found" +msgstr "" + +#: crypt.cpp:432 +msgid "Usage DelKey <#chan|Nick>" +msgstr "" + +#: crypt.cpp:447 +msgid "Set encryption key for [{1}] to [{2}]" +msgstr "" + +#: crypt.cpp:449 +msgid "Usage: SetKey <#chan|Nick> " +msgstr "" + +#: crypt.cpp:460 +msgid "Sent my DH1080 public key to {1}, waiting for reply ..." +msgstr "" + +#: crypt.cpp:462 +msgid "Error generating our keys, nothing sent." +msgstr "" + +#: crypt.cpp:465 +msgid "Usage: KeyX " +msgstr "" + +#: crypt.cpp:472 +msgid "Nick Prefix disabled." +msgstr "" + +#: crypt.cpp:474 +msgid "Nick Prefix: {1}" +msgstr "" + +#: crypt.cpp:483 +msgid "You cannot use :, even followed by other symbols, as Nick Prefix." +msgstr "" + +#: crypt.cpp:492 +msgid "Overlap with Status Prefix ({1}), this Nick Prefix will not be used!" +msgstr "" + +#: crypt.cpp:497 +msgid "Disabling Nick Prefix." +msgstr "" + +#: crypt.cpp:499 +msgid "Setting Nick Prefix to {1}" +msgstr "" + +#: crypt.cpp:506 crypt.cpp:512 +msgctxt "listkeys" +msgid "Target" +msgstr "" + +#: crypt.cpp:507 crypt.cpp:513 +msgctxt "listkeys" +msgid "Key" +msgstr "" + +#: crypt.cpp:517 +msgid "You have no encryption keys set." +msgstr "" + +#: crypt.cpp:539 +msgid "Encryption for channel/private messages" +msgstr "" diff --git a/modules/po/ctcpflood.pot b/modules/po/ctcpflood.pot new file mode 100644 index 00000000..13111093 --- /dev/null +++ b/modules/po/ctcpflood.pot @@ -0,0 +1,55 @@ +#: ctcpflood.cpp:25 ctcpflood.cpp:27 +msgid "" +msgstr "" + +#: ctcpflood.cpp:25 +msgid "Set seconds limit" +msgstr "" + +#: ctcpflood.cpp:27 +msgid "Set lines limit" +msgstr "" + +#: ctcpflood.cpp:29 +msgid "Show the current limits" +msgstr "" + +#: ctcpflood.cpp:76 +msgid "Limit reached by {1}, blocking all CTCP" +msgstr "" + +#: ctcpflood.cpp:98 +msgid "Usage: Secs " +msgstr "" + +#: ctcpflood.cpp:113 +msgid "Usage: Lines " +msgstr "" + +#: ctcpflood.cpp:125 +msgid "1 CTCP message" +msgid_plural "{1} CTCP messages" +msgstr[0] "" +msgstr[1] "" + +#: ctcpflood.cpp:127 +msgid "every second" +msgid_plural "every {1} seconds" +msgstr[0] "" +msgstr[1] "" + +#: ctcpflood.cpp:129 +msgid "Current limit is {1} {2}" +msgstr "" + +#: ctcpflood.cpp:145 +msgid "" +"This user module takes none to two arguments. The first argument is the " +"number of lines after which the flood-protection is triggered. The second " +"argument is the time (sec) to in which the number of lines is reached. The " +"default setting is 4 CTCPs in 2 seconds" +msgstr "" + +#: ctcpflood.cpp:151 +msgid "Don't forward CTCP floods to clients" +msgstr "" diff --git a/modules/po/cyrusauth.pot b/modules/po/cyrusauth.pot index 31336248..1bb79f1e 100644 --- a/modules/po/cyrusauth.pot +++ b/modules/po/cyrusauth.pot @@ -1,65 +1,59 @@ #: cyrusauth.cpp:42 -msgid "[yes|no]" +msgid "Shows current settings" msgstr "" -#: cyrusauth.cpp:43 -msgid "Create ZNC user upon first successful login" +#: cyrusauth.cpp:44 +msgid "yes|clone |no" msgstr "" #: cyrusauth.cpp:45 -msgid "[username]" +msgid "" +"Create ZNC users upon first successful login, optionally from a template" msgstr "" -#: cyrusauth.cpp:46 -msgid "User to be used as the template for new users" -msgstr "" - -#: cyrusauth.cpp:59 +#: cyrusauth.cpp:56 msgid "Access denied" msgstr "" -#: cyrusauth.cpp:73 +#: cyrusauth.cpp:70 msgid "Ignoring invalid SASL pwcheck method: {1}" msgstr "" -#: cyrusauth.cpp:74 +#: cyrusauth.cpp:71 msgid "Ignored invalid SASL pwcheck method" msgstr "" -#: cyrusauth.cpp:82 +#: cyrusauth.cpp:79 msgid "Need a pwcheck method as argument (saslauthd, auxprop)" msgstr "" -#: cyrusauth.cpp:87 +#: cyrusauth.cpp:84 msgid "SASL Could Not Be Initialized - Halting Startup" msgstr "" -#: cyrusauth.cpp:180 -msgid "We will create users on their first login" -msgstr "" - -#: cyrusauth.cpp:182 +#: cyrusauth.cpp:171 cyrusauth.cpp:186 msgid "We will not create users on their first login" msgstr "" -#: cyrusauth.cpp:194 -msgid "We will clone {1}" +#: cyrusauth.cpp:174 cyrusauth.cpp:195 +msgid "" +"We will create users on their first login, using user [{1}] as a template" msgstr "" -#: cyrusauth.cpp:196 -msgid "We will not clone a user" +#: cyrusauth.cpp:177 cyrusauth.cpp:190 +msgid "We will create users on their first login" msgstr "" -#: cyrusauth.cpp:202 -msgid "Clone user disabled" +#: cyrusauth.cpp:199 +msgid "Usage: CreateUsers yes, CreateUsers no, or CreateUsers clone " msgstr "" -#: cyrusauth.cpp:233 +#: cyrusauth.cpp:232 msgid "" "This global module takes up to two arguments - the methods of authentication " "- auxprop and saslauthd" msgstr "" -#: cyrusauth.cpp:239 +#: cyrusauth.cpp:238 msgid "Allow users to authenticate via SASL password verification method" msgstr "" diff --git a/modules/po/dcc.pot b/modules/po/dcc.pot new file mode 100644 index 00000000..f19fa6ee --- /dev/null +++ b/modules/po/dcc.pot @@ -0,0 +1,213 @@ +#: dcc.cpp:88 +msgid " " +msgstr "" + +#: dcc.cpp:89 +msgid "Send a file from ZNC to someone" +msgstr "" + +#: dcc.cpp:91 +msgid "" +msgstr "" + +#: dcc.cpp:92 +msgid "Send a file from ZNC to your client" +msgstr "" + +#: dcc.cpp:94 +msgid "List current transfers" +msgstr "" + +#: dcc.cpp:103 +msgid "You must be admin to use the DCC module" +msgstr "" + +#: dcc.cpp:140 +msgid "Attempting to send [{1}] to [{2}]." +msgstr "" + +#: dcc.cpp:149 dcc.cpp:554 +msgid "Receiving [{1}] from [{2}]: File already exists." +msgstr "" + +#: dcc.cpp:167 +msgid "" +"Attempting to connect to [{1} {2}] in order to download [{3}] from [{4}]." +msgstr "" + +#: dcc.cpp:179 +msgid "Usage: Send " +msgstr "" + +#: dcc.cpp:186 dcc.cpp:206 +msgid "Illegal path." +msgstr "" + +#: dcc.cpp:199 +msgid "Usage: Get " +msgstr "" + +#: dcc.cpp:215 dcc.cpp:232 dcc.cpp:234 +msgctxt "list" +msgid "Type" +msgstr "" + +#: dcc.cpp:216 dcc.cpp:238 dcc.cpp:241 +msgctxt "list" +msgid "State" +msgstr "" + +#: dcc.cpp:217 dcc.cpp:243 +msgctxt "list" +msgid "Speed" +msgstr "" + +#: dcc.cpp:218 dcc.cpp:227 +msgctxt "list" +msgid "Nick" +msgstr "" + +#: dcc.cpp:219 dcc.cpp:228 +msgctxt "list" +msgid "IP" +msgstr "" + +#: dcc.cpp:220 dcc.cpp:229 +msgctxt "list" +msgid "File" +msgstr "" + +#: dcc.cpp:232 +msgctxt "list-type" +msgid "Sending" +msgstr "" + +#: dcc.cpp:234 +msgctxt "list-type" +msgid "Getting" +msgstr "" + +#: dcc.cpp:239 +msgctxt "list-state" +msgid "Waiting" +msgstr "" + +#: dcc.cpp:244 +msgid "{1} KiB/s" +msgstr "" + +#: dcc.cpp:250 +msgid "You have no active DCC transfers." +msgstr "" + +#: dcc.cpp:267 +msgid "Attempting to resume send from position {1} of file [{2}] for [{3}]" +msgstr "" + +#: dcc.cpp:277 +msgid "Couldn't resume file [{1}] for [{2}]: not sending anything." +msgstr "" + +#: dcc.cpp:286 +msgid "Bad DCC file: {1}" +msgstr "" + +#: dcc.cpp:341 +msgid "Sending [{1}] to [{2}]: File not open!" +msgstr "" + +#: dcc.cpp:345 +msgid "Receiving [{1}] from [{2}]: File not open!" +msgstr "" + +#: dcc.cpp:385 +msgid "Sending [{1}] to [{2}]: Connection refused." +msgstr "" + +#: dcc.cpp:389 +msgid "Receiving [{1}] from [{2}]: Connection refused." +msgstr "" + +#: dcc.cpp:397 +msgid "Sending [{1}] to [{2}]: Timeout." +msgstr "" + +#: dcc.cpp:401 +msgid "Receiving [{1}] from [{2}]: Timeout." +msgstr "" + +#: dcc.cpp:411 +msgid "Sending [{1}] to [{2}]: Socket error {3}: {4}" +msgstr "" + +#: dcc.cpp:415 +msgid "Receiving [{1}] from [{2}]: Socket error {3}: {4}" +msgstr "" + +#: dcc.cpp:423 +msgid "Sending [{1}] to [{2}]: Transfer started." +msgstr "" + +#: dcc.cpp:427 +msgid "Receiving [{1}] from [{2}]: Transfer started." +msgstr "" + +#: dcc.cpp:446 +msgid "Sending [{1}] to [{2}]: Too much data!" +msgstr "" + +#: dcc.cpp:450 +msgid "Receiving [{1}] from [{2}]: Too much data!" +msgstr "" + +#: dcc.cpp:456 +msgid "Sending [{1}] to [{2}] completed at {3} KiB/s" +msgstr "" + +#: dcc.cpp:461 +msgid "Receiving [{1}] from [{2}] completed at {3} KiB/s" +msgstr "" + +#: dcc.cpp:474 +msgid "Sending [{1}] to [{2}]: File closed prematurely." +msgstr "" + +#: dcc.cpp:478 +msgid "Receiving [{1}] from [{2}]: File closed prematurely." +msgstr "" + +#: dcc.cpp:501 +msgid "Sending [{1}] to [{2}]: Error reading from file." +msgstr "" + +#: dcc.cpp:505 +msgid "Receiving [{1}] from [{2}]: Error reading from file." +msgstr "" + +#: dcc.cpp:537 +msgid "Sending [{1}] to [{2}]: Unable to open file." +msgstr "" + +#: dcc.cpp:541 +msgid "Receiving [{1}] from [{2}]: Unable to open file." +msgstr "" + +#: dcc.cpp:563 +msgid "Receiving [{1}] from [{2}]: Could not open file." +msgstr "" + +#: dcc.cpp:572 +msgid "Sending [{1}] to [{2}]: Not a file." +msgstr "" + +#: dcc.cpp:581 +msgid "Sending [{1}] to [{2}]: Could not open file." +msgstr "" + +#: dcc.cpp:593 +msgid "Sending [{1}] to [{2}]: File too large (>4 GiB)." +msgstr "" + +#: dcc.cpp:623 +msgid "This module allows you to transfer files to and from ZNC" +msgstr "" diff --git a/modules/po/fail2ban.pot b/modules/po/fail2ban.pot new file mode 100644 index 00000000..cea969df --- /dev/null +++ b/modules/po/fail2ban.pot @@ -0,0 +1,103 @@ +#: fail2ban.cpp:25 +msgid "[minutes]" +msgstr "" + +#: fail2ban.cpp:26 +msgid "The number of minutes IPs are blocked after a failed login." +msgstr "" + +#: fail2ban.cpp:28 +msgid "[count]" +msgstr "" + +#: fail2ban.cpp:29 +msgid "The number of allowed failed login attempts." +msgstr "" + +#: fail2ban.cpp:31 fail2ban.cpp:33 +msgid "" +msgstr "" + +#: fail2ban.cpp:31 +msgid "Ban the specified hosts." +msgstr "" + +#: fail2ban.cpp:33 +msgid "Unban the specified hosts." +msgstr "" + +#: fail2ban.cpp:35 +msgid "List banned hosts." +msgstr "" + +#: fail2ban.cpp:55 +msgid "" +"Invalid argument, must be the number of minutes IPs are blocked after a " +"failed login and can be followed by number of allowed failed login attempts" +msgstr "" + +#: fail2ban.cpp:77 fail2ban.cpp:100 fail2ban.cpp:123 fail2ban.cpp:146 +#: fail2ban.cpp:172 +msgid "Access denied" +msgstr "" + +#: fail2ban.cpp:86 +msgid "Usage: Timeout [minutes]" +msgstr "" + +#: fail2ban.cpp:91 fail2ban.cpp:94 +msgid "Timeout: {1} min" +msgstr "" + +#: fail2ban.cpp:109 +msgid "Usage: Attempts [count]" +msgstr "" + +#: fail2ban.cpp:114 fail2ban.cpp:117 +msgid "Attempts: {1}" +msgstr "" + +#: fail2ban.cpp:130 +msgid "Usage: Ban " +msgstr "" + +#: fail2ban.cpp:140 +msgid "Banned: {1}" +msgstr "" + +#: fail2ban.cpp:153 +msgid "Usage: Unban " +msgstr "" + +#: fail2ban.cpp:163 +msgid "Unbanned: {1}" +msgstr "" + +#: fail2ban.cpp:165 +msgid "Ignored: {1}" +msgstr "" + +#: fail2ban.cpp:177 fail2ban.cpp:182 +msgctxt "list" +msgid "Host" +msgstr "" + +#: fail2ban.cpp:178 fail2ban.cpp:183 +msgctxt "list" +msgid "Attempts" +msgstr "" + +#: fail2ban.cpp:187 +msgctxt "list" +msgid "No bans" +msgstr "" + +#: fail2ban.cpp:244 +msgid "" +"You might enter the time in minutes for the IP banning and the number of " +"failed logins before any action is taken." +msgstr "" + +#: fail2ban.cpp:249 +msgid "Block IPs for some time after a failed login." +msgstr "" diff --git a/modules/po/flooddetach.pot b/modules/po/flooddetach.pot new file mode 100644 index 00000000..772def56 --- /dev/null +++ b/modules/po/flooddetach.pot @@ -0,0 +1,77 @@ +#: flooddetach.cpp:30 +msgid "Show current limits" +msgstr "" + +#: flooddetach.cpp:32 flooddetach.cpp:35 +msgid "[]" +msgstr "" + +#: flooddetach.cpp:33 +msgid "Show or set number of seconds in the time interval" +msgstr "" + +#: flooddetach.cpp:35 flooddetach.cpp:37 +msgid "blahblah: description" +msgstr "" + +#: flooddetach.cpp:37 +msgid "[yes|no]" +msgstr "" + +#: flooddetach.cpp:90 +msgid "Flood in {1} is over, reattaching..." +msgstr "" + +#: flooddetach.cpp:147 +msgid "Channel {1} was flooded, you've been detached" +msgstr "" + +#: flooddetach.cpp:184 +msgid "1 line" +msgid_plural "{1} lines" +msgstr[0] "" +msgstr[1] "" + +#: flooddetach.cpp:185 +msgid "every second" +msgid_plural "every {1} seconds" +msgstr[0] "" +msgstr[1] "" + +#: flooddetach.cpp:187 +msgid "Current limit is {1} {2}" +msgstr "" + +#: flooddetach.cpp:194 +msgid "Seconds limit is {1}" +msgstr "" + +#: flooddetach.cpp:199 +msgid "Set seconds limit to {1}" +msgstr "" + +#: flooddetach.cpp:208 +msgid "Lines limit is {1}" +msgstr "" + +#: flooddetach.cpp:213 +msgid "Set lines limit to {1}" +msgstr "" + +#: flooddetach.cpp:226 +msgid "Module messages are disabled" +msgstr "" + +#: flooddetach.cpp:228 +msgid "Module messages are enabled" +msgstr "" + +#: flooddetach.cpp:244 +msgid "" +"This user module takes up to two arguments. Arguments are numbers of " +"messages and seconds." +msgstr "" + +#: flooddetach.cpp:248 +msgid "Detach channels when flooded" +msgstr "" diff --git a/modules/po/identfile.pot b/modules/po/identfile.pot new file mode 100644 index 00000000..76604b83 --- /dev/null +++ b/modules/po/identfile.pot @@ -0,0 +1,69 @@ +#: identfile.cpp:30 +msgid "Show file name" +msgstr "" + +#: identfile.cpp:32 +msgid "" +msgstr "" + +#: identfile.cpp:32 +msgid "Set file name" +msgstr "" + +#: identfile.cpp:34 +msgid "Show file format" +msgstr "" + +#: identfile.cpp:36 +msgid "" +msgstr "" + +#: identfile.cpp:36 +msgid "Set file format" +msgstr "" + +#: identfile.cpp:38 +msgid "Show current state" +msgstr "" + +#: identfile.cpp:48 +msgid "File is set to: {1}" +msgstr "" + +#: identfile.cpp:53 +msgid "File has been set to: {1}" +msgstr "" + +#: identfile.cpp:58 +msgid "Format has been set to: {1}" +msgstr "" + +#: identfile.cpp:59 identfile.cpp:65 +msgid "Format would be expanded to: {1}" +msgstr "" + +#: identfile.cpp:64 +msgid "Format is set to: {1}" +msgstr "" + +#: identfile.cpp:78 +msgid "identfile is free" +msgstr "" + +#: identfile.cpp:86 +msgid "Access denied" +msgstr "" + +#: identfile.cpp:181 +msgid "" +"Aborting connection, another user or network is currently connecting and " +"using the ident spoof file" +msgstr "" + +#: identfile.cpp:189 +msgid "[{1}] could not be written, retrying..." +msgstr "" + +#: identfile.cpp:223 +msgid "Write the ident of a user to a file when they are trying to connect." +msgstr "" diff --git a/modules/po/imapauth.pot b/modules/po/imapauth.pot new file mode 100644 index 00000000..80250f0b --- /dev/null +++ b/modules/po/imapauth.pot @@ -0,0 +1,7 @@ +#: imapauth.cpp:168 +msgid "[ server [+]port [ UserFormatString ] ]" +msgstr "" + +#: imapauth.cpp:171 +msgid "Allow users to authenticate via IMAP." +msgstr "" diff --git a/modules/po/keepnick.pot b/modules/po/keepnick.pot new file mode 100644 index 00000000..16ad28e5 --- /dev/null +++ b/modules/po/keepnick.pot @@ -0,0 +1,39 @@ +#: keepnick.cpp:39 +msgid "Try to get your primary nick" +msgstr "" + +#: keepnick.cpp:42 keepnick.cpp:198 +msgid "No longer trying to get your primary nick" +msgstr "" + +#: keepnick.cpp:44 +msgid "Show the current state" +msgstr "" + +#: keepnick.cpp:160 +msgid "ZNC is already trying to get this nickname" +msgstr "" + +#: keepnick.cpp:175 +msgid "Unable to obtain nick {1}: {2}, {3}" +msgstr "" + +#: keepnick.cpp:183 +msgid "Unable to obtain nick {1}" +msgstr "" + +#: keepnick.cpp:193 +msgid "Trying to get your primary nick" +msgstr "" + +#: keepnick.cpp:203 +msgid "Currently trying to get your primary nick" +msgstr "" + +#: keepnick.cpp:205 +msgid "Currently disabled, try 'enable'" +msgstr "" + +#: keepnick.cpp:226 +msgid "Keeps trying for your primary nick" +msgstr "" diff --git a/modules/po/kickrejoin.pot b/modules/po/kickrejoin.pot new file mode 100644 index 00000000..05c19543 --- /dev/null +++ b/modules/po/kickrejoin.pot @@ -0,0 +1,47 @@ +#: kickrejoin.cpp:56 +msgid "" +msgstr "" + +#: kickrejoin.cpp:56 +msgid "Set the rejoin delay" +msgstr "" + +#: kickrejoin.cpp:58 +msgid "Show the rejoin delay" +msgstr "" + +#: kickrejoin.cpp:77 +msgid "Illegal argument, must be a positive number or 0" +msgstr "" + +#: kickrejoin.cpp:90 +msgid "Negative delays don't make any sense!" +msgstr "" + +#: kickrejoin.cpp:98 +msgid "Rejoin delay set to 1 second" +msgid_plural "Rejoin delay set to {1} seconds" +msgstr[0] "" +msgstr[1] "" + +#: kickrejoin.cpp:101 +msgid "Rejoin delay disabled" +msgstr "" + +#: kickrejoin.cpp:106 +msgid "Rejoin delay is set to 1 second" +msgid_plural "Rejoin delay is set to {1} seconds" +msgstr[0] "" +msgstr[1] "" + +#: kickrejoin.cpp:109 +msgid "Rejoin delay is disabled" +msgstr "" + +#: kickrejoin.cpp:131 +msgid "You might enter the number of seconds to wait before rejoining." +msgstr "" + +#: kickrejoin.cpp:134 +msgid "Autorejoins on kick" +msgstr "" diff --git a/modules/po/lastseen.pot b/modules/po/lastseen.pot new file mode 100644 index 00000000..68845937 --- /dev/null +++ b/modules/po/lastseen.pot @@ -0,0 +1,58 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + +#: modules/po/../data/lastseen/tmpl/index.tmpl:8 +msgid "User" +msgstr "" + +#: modules/po/../data/lastseen/tmpl/index.tmpl:9 lastseen.cpp:98 +msgid "Last Seen" +msgstr "" + +#: modules/po/../data/lastseen/tmpl/index.tmpl:10 +msgid "Info" +msgstr "" + +#: modules/po/../data/lastseen/tmpl/index.tmpl:11 +msgid "Action" +msgstr "" + +#: modules/po/../data/lastseen/tmpl/index.tmpl:21 +msgid "Edit" +msgstr "" + +#: modules/po/../data/lastseen/tmpl/index.tmpl:22 +msgid "Delete" +msgstr "" + +#: modules/po/../data/lastseen/tmpl/lastseen_WebadminUser.tmpl:6 +msgid "Last login time:" +msgstr "" + +#: lastseen.cpp:53 +msgid "Access denied" +msgstr "" + +#: lastseen.cpp:61 lastseen.cpp:66 +msgctxt "show" +msgid "User" +msgstr "" + +#: lastseen.cpp:62 lastseen.cpp:67 +msgctxt "show" +msgid "Last Seen" +msgstr "" + +#: lastseen.cpp:68 lastseen.cpp:124 +msgid "never" +msgstr "" + +#: lastseen.cpp:78 +msgid "Shows list of users and when they last logged in" +msgstr "" + +#: lastseen.cpp:153 +msgid "Collects data about when a user last logged in." +msgstr "" diff --git a/modules/po/listsockets.pot b/modules/po/listsockets.pot new file mode 100644 index 00000000..46964cee --- /dev/null +++ b/modules/po/listsockets.pot @@ -0,0 +1,104 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:7 listsockets.cpp:212 +#: listsockets.cpp:228 +msgid "Name" +msgstr "" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:8 listsockets.cpp:213 +#: listsockets.cpp:229 +msgid "Created" +msgstr "" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:9 listsockets.cpp:214 +#: listsockets.cpp:230 +msgid "State" +msgstr "" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:10 listsockets.cpp:216 +#: listsockets.cpp:233 +msgid "SSL" +msgstr "" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:11 listsockets.cpp:218 +#: listsockets.cpp:238 +msgid "Local" +msgstr "" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:12 listsockets.cpp:219 +#: listsockets.cpp:240 +msgid "Remote" +msgstr "" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:13 +msgid "Data In" +msgstr "" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:14 +msgid "Data Out" +msgstr "" + +#: listsockets.cpp:62 +msgid "[-n]" +msgstr "" + +#: listsockets.cpp:62 +msgid "Shows the list of active sockets. Pass -n to show IP addresses" +msgstr "" + +#: listsockets.cpp:70 +msgid "You must be admin to use this module" +msgstr "" + +#: listsockets.cpp:96 +msgid "List sockets" +msgstr "" + +#: listsockets.cpp:116 listsockets.cpp:234 +msgctxt "ssl" +msgid "Yes" +msgstr "" + +#: listsockets.cpp:116 listsockets.cpp:235 +msgctxt "ssl" +msgid "No" +msgstr "" + +#: listsockets.cpp:142 +msgid "Listener" +msgstr "" + +#: listsockets.cpp:144 +msgid "Inbound" +msgstr "" + +#: listsockets.cpp:147 +msgid "Outbound" +msgstr "" + +#: listsockets.cpp:149 +msgid "Connecting" +msgstr "" + +#: listsockets.cpp:152 +msgid "UNKNOWN" +msgstr "" + +#: listsockets.cpp:205 +msgid "You have no open sockets." +msgstr "" + +#: listsockets.cpp:220 listsockets.cpp:242 +msgid "In" +msgstr "" + +#: listsockets.cpp:221 listsockets.cpp:244 +msgid "Out" +msgstr "" + +#: listsockets.cpp:260 +msgid "Lists active sockets" +msgstr "" diff --git a/modules/po/log.pot b/modules/po/log.pot new file mode 100644 index 00000000..84c44a35 --- /dev/null +++ b/modules/po/log.pot @@ -0,0 +1,134 @@ +#: log.cpp:59 +msgid "" +msgstr "" + +#: log.cpp:60 +msgid "Set logging rules, use !#chan or !query to negate and * " +msgstr "" + +#: log.cpp:62 +msgid "Clear all logging rules" +msgstr "" + +#: log.cpp:64 +msgid "List all logging rules" +msgstr "" + +#: log.cpp:67 +msgid " true|false" +msgstr "" + +#: log.cpp:68 +msgid "Set one of the following options: joins, quits, nickchanges" +msgstr "" + +#: log.cpp:71 +msgid "Show current settings set by Set command" +msgstr "" + +#: log.cpp:143 +msgid "Usage: SetRules " +msgstr "" + +#: log.cpp:144 +msgid "Wildcards are allowed" +msgstr "" + +#: log.cpp:156 log.cpp:178 +msgid "No logging rules. Everything is logged." +msgstr "" + +#: log.cpp:161 +msgid "1 rule removed: {2}" +msgid_plural "{1} rules removed: {2}" +msgstr[0] "" +msgstr[1] "" + +#: log.cpp:168 log.cpp:173 +msgctxt "listrules" +msgid "Rule" +msgstr "" + +#: log.cpp:169 log.cpp:174 +msgctxt "listrules" +msgid "Logging enabled" +msgstr "" + +#: log.cpp:189 +msgid "" +"Usage: Set true|false, where is one of: joins, quits, nickchanges" +msgstr "" + +#: log.cpp:196 +msgid "Will log joins" +msgstr "" + +#: log.cpp:196 +msgid "Will not log joins" +msgstr "" + +#: log.cpp:197 +msgid "Will log quits" +msgstr "" + +#: log.cpp:197 +msgid "Will not log quits" +msgstr "" + +#: log.cpp:199 +msgid "Will log nick changes" +msgstr "" + +#: log.cpp:199 +msgid "Will not log nick changes" +msgstr "" + +#: log.cpp:203 +msgid "Unknown variable. Known variables: joins, quits, nickchanges" +msgstr "" + +#: log.cpp:211 +msgid "Logging joins" +msgstr "" + +#: log.cpp:211 +msgid "Not logging joins" +msgstr "" + +#: log.cpp:212 +msgid "Logging quits" +msgstr "" + +#: log.cpp:212 +msgid "Not logging quits" +msgstr "" + +#: log.cpp:213 +msgid "Logging nick changes" +msgstr "" + +#: log.cpp:214 +msgid "Not logging nick changes" +msgstr "" + +#: log.cpp:351 +msgid "" +"Invalid args [{1}]. Only one log path allowed. Check that there are no " +"spaces in the path." +msgstr "" + +#: log.cpp:401 +msgid "Invalid log path [{1}]" +msgstr "" + +#: log.cpp:404 +msgid "Logging to [{1}]. Using timestamp format '{2}'" +msgstr "" + +#: log.cpp:559 +msgid "[-sanitize] Optional path where to store logs." +msgstr "" + +#: log.cpp:563 +msgid "Writes IRC logs." +msgstr "" diff --git a/modules/po/missingmotd.pot b/modules/po/missingmotd.pot new file mode 100644 index 00000000..e093479e --- /dev/null +++ b/modules/po/missingmotd.pot @@ -0,0 +1,3 @@ +#: missingmotd.cpp:36 +msgid "Sends 422 to clients when they login" +msgstr "" diff --git a/modules/po/modperl.pot b/modules/po/modperl.pot new file mode 100644 index 00000000..f6c35fe1 --- /dev/null +++ b/modules/po/modperl.pot @@ -0,0 +1,3 @@ +#: modperl.cpp:382 +msgid "Loads perl scripts as ZNC modules" +msgstr "" diff --git a/modules/po/modpython.pot b/modules/po/modpython.pot new file mode 100644 index 00000000..25d32777 --- /dev/null +++ b/modules/po/modpython.pot @@ -0,0 +1,3 @@ +#: modpython.cpp:512 +msgid "Loads python scripts as ZNC modules" +msgstr "" diff --git a/modules/po/modules_online.pot b/modules/po/modules_online.pot new file mode 100644 index 00000000..229f1491 --- /dev/null +++ b/modules/po/modules_online.pot @@ -0,0 +1,3 @@ +#: modules_online.cpp:117 +msgid "Makes ZNC's *modules to be \"online\"." +msgstr "" diff --git a/modules/po/nickserv.pot b/modules/po/nickserv.pot new file mode 100644 index 00000000..9fea9292 --- /dev/null +++ b/modules/po/nickserv.pot @@ -0,0 +1,61 @@ +#: nickserv.cpp:31 +msgid "Password set" +msgstr "" + +#: nickserv.cpp:38 +msgid "NickServ name set" +msgstr "" + +#: nickserv.cpp:54 +msgid "No such editable command. See ViewCommands for list." +msgstr "" + +#: nickserv.cpp:57 +msgid "Ok" +msgstr "" + +#: nickserv.cpp:62 +msgid "password" +msgstr "" + +#: nickserv.cpp:62 +msgid "Set your nickserv password" +msgstr "" + +#: nickserv.cpp:64 +msgid "Clear your nickserv password" +msgstr "" + +#: nickserv.cpp:66 +msgid "nickname" +msgstr "" + +#: nickserv.cpp:67 +msgid "" +"Set NickServ name (Useful on networks like EpiKnet, where NickServ is named " +"Themis" +msgstr "" + +#: nickserv.cpp:71 +msgid "Reset NickServ name to default (NickServ)" +msgstr "" + +#: nickserv.cpp:75 +msgid "Show patterns for lines, which are being sent to NickServ" +msgstr "" + +#: nickserv.cpp:77 +msgid "cmd new-pattern" +msgstr "" + +#: nickserv.cpp:78 +msgid "Set pattern for commands" +msgstr "" + +#: nickserv.cpp:140 +msgid "Please enter your nickserv password." +msgstr "" + +#: nickserv.cpp:144 +msgid "Auths you with NickServ (prefer SASL module instead)" +msgstr "" diff --git a/modules/po/notes.pot b/modules/po/notes.pot new file mode 100644 index 00000000..1e8694de --- /dev/null +++ b/modules/po/notes.pot @@ -0,0 +1,110 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + +#: modules/po/../data/notes/tmpl/index.tmpl:7 +msgid "Add A Note" +msgstr "" + +#: modules/po/../data/notes/tmpl/index.tmpl:11 +msgid "Key:" +msgstr "" + +#: modules/po/../data/notes/tmpl/index.tmpl:15 +msgid "Note:" +msgstr "" + +#: modules/po/../data/notes/tmpl/index.tmpl:19 +msgid "Add Note" +msgstr "" + +#: modules/po/../data/notes/tmpl/index.tmpl:27 +msgid "You have no notes to display." +msgstr "" + +#: modules/po/../data/notes/tmpl/index.tmpl:34 notes.cpp:164 notes.cpp:169 +msgid "Key" +msgstr "" + +#: modules/po/../data/notes/tmpl/index.tmpl:35 notes.cpp:165 notes.cpp:170 +msgid "Note" +msgstr "" + +#: modules/po/../data/notes/tmpl/index.tmpl:41 +msgid "[del]" +msgstr "" + +#: notes.cpp:32 +msgid "That note already exists. Use MOD to overwrite." +msgstr "" + +#: notes.cpp:35 notes.cpp:137 +msgid "Added note {1}" +msgstr "" + +#: notes.cpp:37 notes.cpp:48 notes.cpp:142 +msgid "Unable to add note {1}" +msgstr "" + +#: notes.cpp:46 notes.cpp:139 +msgid "Set note for {1}" +msgstr "" + +#: notes.cpp:56 +msgid "This note doesn't exist." +msgstr "" + +#: notes.cpp:66 notes.cpp:116 +msgid "Deleted note {1}" +msgstr "" + +#: notes.cpp:68 notes.cpp:118 +msgid "Unable to delete note {1}" +msgstr "" + +#: notes.cpp:75 +msgid "List notes" +msgstr "" + +#: notes.cpp:77 notes.cpp:81 +msgid " " +msgstr "" + +#: notes.cpp:77 +msgid "Add a note" +msgstr "" + +#: notes.cpp:79 notes.cpp:83 +msgid "" +msgstr "" + +#: notes.cpp:79 +msgid "Delete a note" +msgstr "" + +#: notes.cpp:81 +msgid "Modify a note" +msgstr "" + +#: notes.cpp:94 +msgid "Notes" +msgstr "" + +#: notes.cpp:133 +msgid "That note already exists. Use /#+ to overwrite." +msgstr "" + +#: notes.cpp:185 notes.cpp:187 +msgid "You have no entries." +msgstr "" + +#: notes.cpp:223 +msgid "" +"This user module takes up to one arguments. It can be -disableNotesOnLogin " +"not to show notes upon client login" +msgstr "" + +#: notes.cpp:227 +msgid "Keep and replay notes" +msgstr "" diff --git a/modules/po/notify_connect.pot b/modules/po/notify_connect.pot new file mode 100644 index 00000000..4fd04766 --- /dev/null +++ b/modules/po/notify_connect.pot @@ -0,0 +1,15 @@ +#: notify_connect.cpp:24 +msgid "attached" +msgstr "" + +#: notify_connect.cpp:26 +msgid "detached" +msgstr "" + +#: notify_connect.cpp:41 +msgid "{1} {2} from {3}" +msgstr "" + +#: notify_connect.cpp:52 +msgid "Notifies all admin users when a client connects or disconnects." +msgstr "" diff --git a/modules/po/partyline.pot b/modules/po/partyline.pot new file mode 100644 index 00000000..72289132 --- /dev/null +++ b/modules/po/partyline.pot @@ -0,0 +1,25 @@ +#: partyline.cpp:60 +msgid "There are no open channels." +msgstr "" + +#: partyline.cpp:66 partyline.cpp:73 +msgid "Channel" +msgstr "" + +#: partyline.cpp:67 partyline.cpp:74 +msgid "Users" +msgstr "" + +#: partyline.cpp:82 +msgid "List all open channels" +msgstr "" + +#: partyline.cpp:735 +msgid "" +"You may enter a list of channels the user joins, when entering the internal " +"partyline." +msgstr "" + +#: partyline.cpp:741 +msgid "Internal channels and queries for users connected to ZNC" +msgstr "" diff --git a/modules/po/perform.pot b/modules/po/perform.pot new file mode 100644 index 00000000..5be8367e --- /dev/null +++ b/modules/po/perform.pot @@ -0,0 +1,99 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + +#: modules/po/../data/perform/tmpl/index.tmpl:7 perform.cpp:143 +msgid "Perform" +msgstr "" + +#: modules/po/../data/perform/tmpl/index.tmpl:11 +msgid "Perform commands:" +msgstr "" + +#: modules/po/../data/perform/tmpl/index.tmpl:15 +msgid "Commands sent to the IRC server on connect, one per line." +msgstr "" + +#: modules/po/../data/perform/tmpl/index.tmpl:18 +msgid "Save" +msgstr "" + +#: perform.cpp:24 +msgid "Usage: add " +msgstr "" + +#: perform.cpp:29 +msgid "Added!" +msgstr "" + +#: perform.cpp:37 perform.cpp:82 +msgid "Illegal # Requested" +msgstr "" + +#: perform.cpp:41 +msgid "Command Erased." +msgstr "" + +#: perform.cpp:50 perform.cpp:56 +msgctxt "list" +msgid "Id" +msgstr "" + +#: perform.cpp:51 perform.cpp:57 +msgctxt "list" +msgid "Perform" +msgstr "" + +#: perform.cpp:52 perform.cpp:62 +msgctxt "list" +msgid "Expanded" +msgstr "" + +#: perform.cpp:67 +msgid "No commands in your perform list." +msgstr "" + +#: perform.cpp:73 +msgid "perform commands sent" +msgstr "" + +#: perform.cpp:86 +msgid "Commands Swapped." +msgstr "" + +#: perform.cpp:95 +msgid "" +msgstr "" + +#: perform.cpp:96 +msgid "Adds perform command to be sent to the server on connect" +msgstr "" + +#: perform.cpp:98 +msgid "" +msgstr "" + +#: perform.cpp:98 +msgid "Delete a perform command" +msgstr "" + +#: perform.cpp:100 +msgid "List the perform commands" +msgstr "" + +#: perform.cpp:103 +msgid "Send the perform commands to the server now" +msgstr "" + +#: perform.cpp:105 +msgid " " +msgstr "" + +#: perform.cpp:106 +msgid "Swap two perform commands" +msgstr "" + +#: perform.cpp:192 +msgid "Keeps a list of commands to be executed when ZNC connects to IRC." +msgstr "" diff --git a/modules/po/q.pot b/modules/po/q.pot new file mode 100644 index 00000000..c419b7c6 --- /dev/null +++ b/modules/po/q.pot @@ -0,0 +1,287 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + +#: modules/po/../data/q/tmpl/index.tmpl:11 +msgid "Username:" +msgstr "" + +#: modules/po/../data/q/tmpl/index.tmpl:13 +msgid "Please enter a username." +msgstr "" + +#: modules/po/../data/q/tmpl/index.tmpl:16 +msgid "Password:" +msgstr "" + +#: modules/po/../data/q/tmpl/index.tmpl:18 +msgid "Please enter a password." +msgstr "" + +#: modules/po/../data/q/tmpl/index.tmpl:26 +msgid "Options" +msgstr "" + +#: modules/po/../data/q/tmpl/index.tmpl:42 +msgid "Save" +msgstr "" + +#: q.cpp:74 +msgid "" +"Notice: Your host will be cloaked the next time you reconnect to IRC. If you " +"want to cloak your host now, /msg *q Cloak. You can set your preference " +"with /msg *q Set UseCloakedHost true/false." +msgstr "" + +#: q.cpp:111 +msgid "The following commands are available:" +msgstr "" + +#: q.cpp:113 q.cpp:116 q.cpp:121 q.cpp:126 q.cpp:130 q.cpp:135 q.cpp:140 +msgid "Command" +msgstr "" + +#: q.cpp:114 q.cpp:117 q.cpp:123 q.cpp:127 q.cpp:132 q.cpp:136 q.cpp:141 +#: q.cpp:150 q.cpp:154 q.cpp:158 q.cpp:162 q.cpp:168 q.cpp:174 q.cpp:180 +#: q.cpp:186 +msgid "Description" +msgstr "" + +#: q.cpp:116 +msgid "Auth [ ]" +msgstr "" + +#: q.cpp:118 +msgid "Tries to authenticate you with Q. Both parameters are optional." +msgstr "" + +#: q.cpp:124 +msgid "Tries to set usermode +x to hide your real hostname." +msgstr "" + +#: q.cpp:128 +msgid "Prints the current status of the module." +msgstr "" + +#: q.cpp:133 +msgid "Re-requests the current user information from Q." +msgstr "" + +#: q.cpp:135 +msgid "Set " +msgstr "" + +#: q.cpp:137 +msgid "Changes the value of the given setting. See the list of settings below." +msgstr "" + +#: q.cpp:142 +msgid "Prints out the current configuration. See the list of settings below." +msgstr "" + +#: q.cpp:146 +msgid "The following settings are available:" +msgstr "" + +#: q.cpp:148 q.cpp:152 q.cpp:156 q.cpp:160 q.cpp:166 q.cpp:172 q.cpp:178 +#: q.cpp:183 q.cpp:227 q.cpp:230 q.cpp:233 q.cpp:236 q.cpp:239 q.cpp:242 +#: q.cpp:245 q.cpp:248 +msgid "Setting" +msgstr "" + +#: q.cpp:149 q.cpp:153 q.cpp:157 q.cpp:161 q.cpp:167 q.cpp:173 q.cpp:179 +#: q.cpp:184 +msgid "Type" +msgstr "" + +#: q.cpp:153 q.cpp:157 +msgid "String" +msgstr "" + +#: q.cpp:154 +msgid "Your Q username." +msgstr "" + +#: q.cpp:158 +msgid "Your Q password." +msgstr "" + +#: q.cpp:161 q.cpp:167 q.cpp:173 q.cpp:179 q.cpp:184 +msgid "Boolean" +msgstr "" + +#: q.cpp:163 q.cpp:373 +msgid "Whether to cloak your hostname (+x) automatically on connect." +msgstr "" + +#: q.cpp:169 q.cpp:381 +msgid "" +"Whether to use the CHALLENGEAUTH mechanism to avoid sending passwords in " +"cleartext." +msgstr "" + +#: q.cpp:175 q.cpp:389 +msgid "Whether to request voice/op from Q on join/devoice/deop." +msgstr "" + +#: q.cpp:181 q.cpp:395 +msgid "Whether to join channels when Q invites you." +msgstr "" + +#: q.cpp:187 q.cpp:402 +msgid "Whether to delay joining channels until after you are cloaked." +msgstr "" + +#: q.cpp:192 +msgid "This module takes 2 optional parameters: " +msgstr "" + +#: q.cpp:194 +msgid "Module settings are stored between restarts." +msgstr "" + +#: q.cpp:200 +msgid "Syntax: Set " +msgstr "" + +#: q.cpp:203 +msgid "Username set" +msgstr "" + +#: q.cpp:206 +msgid "Password set" +msgstr "" + +#: q.cpp:209 +msgid "UseCloakedHost set" +msgstr "" + +#: q.cpp:212 +msgid "UseChallenge set" +msgstr "" + +#: q.cpp:215 +msgid "RequestPerms set" +msgstr "" + +#: q.cpp:218 +msgid "JoinOnInvite set" +msgstr "" + +#: q.cpp:221 +msgid "JoinAfterCloaked set" +msgstr "" + +#: q.cpp:223 +msgid "Unknown setting: {1}" +msgstr "" + +#: q.cpp:228 q.cpp:231 q.cpp:234 q.cpp:237 q.cpp:240 q.cpp:243 q.cpp:246 +#: q.cpp:249 +msgid "Value" +msgstr "" + +#: q.cpp:253 +msgid "Connected: yes" +msgstr "" + +#: q.cpp:254 +msgid "Connected: no" +msgstr "" + +#: q.cpp:255 +msgid "Cloacked: yes" +msgstr "" + +#: q.cpp:255 +msgid "Cloacked: no" +msgstr "" + +#: q.cpp:256 +msgid "Authenticated: yes" +msgstr "" + +#: q.cpp:257 +msgid "Authenticated: no" +msgstr "" + +#: q.cpp:262 +msgid "Error: You are not connected to IRC." +msgstr "" + +#: q.cpp:270 +msgid "Error: You are already cloaked!" +msgstr "" + +#: q.cpp:276 +msgid "Error: You are already authed!" +msgstr "" + +#: q.cpp:280 +msgid "Update requested." +msgstr "" + +#: q.cpp:283 +msgid "Unknown command. Try 'help'." +msgstr "" + +#: q.cpp:293 +msgid "Cloak successful: Your hostname is now cloaked." +msgstr "" + +#: q.cpp:408 +msgid "Changes have been saved!" +msgstr "" + +#: q.cpp:435 +msgid "Cloak: Trying to cloak your hostname, setting +x..." +msgstr "" + +#: q.cpp:452 +msgid "" +"You have to set a username and password to use this module! See 'help' for " +"details." +msgstr "" + +#: q.cpp:458 +msgid "Auth: Requesting CHALLENGE..." +msgstr "" + +#: q.cpp:462 +msgid "Auth: Sending AUTH request..." +msgstr "" + +#: q.cpp:479 +msgid "Auth: Received challenge, sending CHALLENGEAUTH request..." +msgstr "" + +#: q.cpp:521 +msgid "Authentication failed: {1}" +msgstr "" + +#: q.cpp:525 +msgid "Authentication successful: {1}" +msgstr "" + +#: q.cpp:539 +msgid "" +"Auth failed: Q does not support HMAC-SHA-256 for CHALLENGEAUTH, falling back " +"to standard AUTH." +msgstr "" + +#: q.cpp:566 +msgid "RequestPerms: Requesting op on {1}" +msgstr "" + +#: q.cpp:579 +msgid "RequestPerms: Requesting voice on {1}" +msgstr "" + +#: q.cpp:686 +msgid "Please provide your username and password for Q." +msgstr "" + +#: q.cpp:689 +msgid "Auths you with QuakeNet's Q bot." +msgstr "" diff --git a/modules/po/raw.pot b/modules/po/raw.pot new file mode 100644 index 00000000..21c72227 --- /dev/null +++ b/modules/po/raw.pot @@ -0,0 +1,3 @@ +#: raw.cpp:43 +msgid "View all of the raw traffic" +msgstr "" diff --git a/modules/po/route_replies.pot b/modules/po/route_replies.pot new file mode 100644 index 00000000..186a069f --- /dev/null +++ b/modules/po/route_replies.pot @@ -0,0 +1,45 @@ +#: route_replies.cpp:209 +msgid "[yes|no]" +msgstr "" + +#: route_replies.cpp:210 +msgid "Decides whether to show the timeout messages or not" +msgstr "" + +#: route_replies.cpp:350 +msgid "This module hit a timeout which is probably a connectivity issue." +msgstr "" + +#: route_replies.cpp:353 +msgid "" +"However, if you can provide steps to reproduce this issue, please do report " +"a bug." +msgstr "" + +#: route_replies.cpp:356 +msgid "To disable this message, do \"/msg {1} silent yes\"" +msgstr "" + +#: route_replies.cpp:358 +msgid "Last request: {1}" +msgstr "" + +#: route_replies.cpp:359 +msgid "Expected replies:" +msgstr "" + +#: route_replies.cpp:363 +msgid "{1} (last)" +msgstr "" + +#: route_replies.cpp:435 +msgid "Timeout messages are disabled." +msgstr "" + +#: route_replies.cpp:436 +msgid "Timeout messages are enabled." +msgstr "" + +#: route_replies.cpp:457 +msgid "Send replies (e.g. to /who) to the right client only" +msgstr "" diff --git a/modules/po/sample.pot b/modules/po/sample.pot new file mode 100644 index 00000000..1c8b09c5 --- /dev/null +++ b/modules/po/sample.pot @@ -0,0 +1,105 @@ +#: sample.cpp:31 +msgid "Sample job cancelled" +msgstr "" + +#: sample.cpp:33 +msgid "Sample job destroyed" +msgstr "" + +#: sample.cpp:50 +msgid "Sample job done" +msgstr "" + +#: sample.cpp:65 +msgid "TEST!!!!" +msgstr "" + +#: sample.cpp:74 +msgid "I'm being loaded with the arguments: {1}" +msgstr "" + +#: sample.cpp:85 +msgid "I'm being unloaded!" +msgstr "" + +#: sample.cpp:94 +msgid "You got connected BoyOh." +msgstr "" + +#: sample.cpp:98 +msgid "You got disconnected BoyOh." +msgstr "" + +#: sample.cpp:116 +msgid "{1} {2} set mode on {3} {4}{5} {6}" +msgstr "" + +#: sample.cpp:123 +msgid "{1} {2} opped {3} on {4}" +msgstr "" + +#: sample.cpp:129 +msgid "{1} {2} deopped {3} on {4}" +msgstr "" + +#: sample.cpp:135 +msgid "{1} {2} voiced {3} on {4}" +msgstr "" + +#: sample.cpp:141 +msgid "{1} {2} devoiced {3} on {4}" +msgstr "" + +#: sample.cpp:147 +msgid "* {1} sets mode: {2} {3} on {4}" +msgstr "" + +#: sample.cpp:163 +msgid "{1} kicked {2} from {3} with the msg {4}" +msgstr "" + +#: sample.cpp:169 +msgid "* {1} ({2}@{3}) quits ({4}) from channel: {6}" +msgid_plural "* {1} ({2}@{3}) quits ({4}) from {5} channels: {6}" +msgstr[0] "" +msgstr[1] "" + +#: sample.cpp:177 +msgid "Attempting to join {1}" +msgstr "" + +#: sample.cpp:182 +msgid "* {1} ({2}@{3}) joins {4}" +msgstr "" + +#: sample.cpp:189 +msgid "* {1} ({2}@{3}) parts {4}" +msgstr "" + +#: sample.cpp:196 +msgid "{1} invited us to {2}, ignoring invites to {2}" +msgstr "" + +#: sample.cpp:201 +msgid "{1} invited us to {2}" +msgstr "" + +#: sample.cpp:207 +msgid "{1} is now known as {2}" +msgstr "" + +#: sample.cpp:269 sample.cpp:276 +msgid "{1} changes topic on {2} to {3}" +msgstr "" + +#: sample.cpp:317 +msgid "Hi, I'm your friendly sample module." +msgstr "" + +#: sample.cpp:330 +msgid "Description of module arguments goes here." +msgstr "" + +#: sample.cpp:333 +msgid "To be used as a sample for writing modules" +msgstr "" diff --git a/modules/po/samplewebapi.pot b/modules/po/samplewebapi.pot new file mode 100644 index 00000000..e4225a71 --- /dev/null +++ b/modules/po/samplewebapi.pot @@ -0,0 +1,3 @@ +#: samplewebapi.cpp:59 +msgid "Sample Web API module." +msgstr "" diff --git a/modules/po/sasl.pot b/modules/po/sasl.pot new file mode 100644 index 00000000..b1e0b9d7 --- /dev/null +++ b/modules/po/sasl.pot @@ -0,0 +1,165 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + +#: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:290 +msgid "SASL" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:11 +msgid "Username:" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:13 +msgid "Please enter a username." +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:16 +msgid "Password:" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:18 +msgid "Please enter a password." +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:22 +msgid "Options" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:25 +msgid "Connect only if SASL authentication succeeds." +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:27 +msgid "Require authentication" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:35 +msgid "Mechanisms" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:42 +msgid "Name" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:43 sasl.cpp:89 sasl.cpp:94 +msgid "Description" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:57 +msgid "Selected mechanisms and their order:" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:74 +msgid "Save" +msgstr "" + +#: sasl.cpp:54 +msgid "TLS certificate, for use with the *cert module" +msgstr "" + +#: sasl.cpp:56 +msgid "" +"Plain text negotiation, this should work always if the network supports SASL" +msgstr "" + +#: sasl.cpp:62 +msgid "search" +msgstr "" + +#: sasl.cpp:62 +msgid "Generate this output" +msgstr "" + +#: sasl.cpp:64 +msgid "[ []]" +msgstr "" + +#: sasl.cpp:65 +msgid "" +"Set username and password for the mechanisms that need them. Password is " +"optional. Without parameters, returns information about current settings." +msgstr "" + +#: sasl.cpp:69 +msgid "[mechanism[ ...]]" +msgstr "" + +#: sasl.cpp:70 +msgid "Set the mechanisms to be attempted (in order)" +msgstr "" + +#: sasl.cpp:72 +msgid "[yes|no]" +msgstr "" + +#: sasl.cpp:73 +msgid "Don't connect unless SASL authentication succeeds" +msgstr "" + +#: sasl.cpp:88 sasl.cpp:93 +msgid "Mechanism" +msgstr "" + +#: sasl.cpp:97 +msgid "The following mechanisms are available:" +msgstr "" + +#: sasl.cpp:107 +msgid "Username is currently not set" +msgstr "" + +#: sasl.cpp:109 +msgid "Username is currently set to '{1}'" +msgstr "" + +#: sasl.cpp:112 +msgid "Password was not supplied" +msgstr "" + +#: sasl.cpp:114 +msgid "Password was supplied" +msgstr "" + +#: sasl.cpp:122 +msgid "Username has been set to [{1}]" +msgstr "" + +#: sasl.cpp:123 +msgid "Password has been set to [{1}]" +msgstr "" + +#: sasl.cpp:143 +msgid "Current mechanisms set: {1}" +msgstr "" + +#: sasl.cpp:152 +msgid "We require SASL negotiation to connect" +msgstr "" + +#: sasl.cpp:154 +msgid "We will connect even if SASL fails" +msgstr "" + +#: sasl.cpp:191 +msgid "Disabling network, we require authentication." +msgstr "" + +#: sasl.cpp:192 +msgid "Use 'RequireAuth no' to disable." +msgstr "" + +#: sasl.cpp:245 +msgid "{1} mechanism succeeded." +msgstr "" + +#: sasl.cpp:257 +msgid "{1} mechanism failed." +msgstr "" + +#: sasl.cpp:335 +msgid "" +"Adds support for sasl authentication capability to authenticate to an IRC " +"server" +msgstr "" diff --git a/modules/po/savebuff.pot b/modules/po/savebuff.pot new file mode 100644 index 00000000..5be487c2 --- /dev/null +++ b/modules/po/savebuff.pot @@ -0,0 +1,48 @@ +#: savebuff.cpp:65 +msgid "" +msgstr "" + +#: savebuff.cpp:65 +msgid "Sets the password" +msgstr "" + +#: savebuff.cpp:67 +msgid "" +msgstr "" + +#: savebuff.cpp:67 +msgid "Replays the buffer" +msgstr "" + +#: savebuff.cpp:69 +msgid "Saves all buffers" +msgstr "" + +#: savebuff.cpp:221 +msgid "" +"Password is unset usually meaning the decryption failed. You can setpass to " +"the appropriate pass and things should start working, or setpass to a new " +"pass and save to reinstantiate" +msgstr "" + +#: savebuff.cpp:232 +msgid "Password set to [{1}]" +msgstr "" + +#: savebuff.cpp:262 +msgid "Replayed {1}" +msgstr "" + +#: savebuff.cpp:341 +msgid "Unable to decode Encrypted file {1}" +msgstr "" + +#: savebuff.cpp:358 +msgid "" +"This user module takes up to one arguments. Either --ask-pass or the " +"password itself (which may contain spaces) or nothing" +msgstr "" + +#: savebuff.cpp:363 +msgid "Stores channel and query buffers to disk, encrypted" +msgstr "" diff --git a/modules/po/send_raw.pot b/modules/po/send_raw.pot new file mode 100644 index 00000000..bccd6de1 --- /dev/null +++ b/modules/po/send_raw.pot @@ -0,0 +1,100 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:9 +msgid "Send a raw IRC line" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:14 +msgid "User:" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:15 +msgid "To change user, click to Network selector" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:19 +msgid "User/Network:" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:32 +msgid "Send to:" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:34 +msgid "Client" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:35 +msgid "Server" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:40 +msgid "Line:" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:45 +msgid "Send" +msgstr "" + +#: send_raw.cpp:32 +msgid "Sent [{1}] to {2}/{3}" +msgstr "" + +#: send_raw.cpp:36 send_raw.cpp:56 +msgid "Network {1} not found for user {2}" +msgstr "" + +#: send_raw.cpp:40 send_raw.cpp:60 +msgid "User {1} not found" +msgstr "" + +#: send_raw.cpp:52 +msgid "Sent [{1}] to IRC server of {2}/{3}" +msgstr "" + +#: send_raw.cpp:75 +msgid "You must have admin privileges to load this module" +msgstr "" + +#: send_raw.cpp:82 +msgid "Send Raw" +msgstr "" + +#: send_raw.cpp:92 +msgid "User not found" +msgstr "" + +#: send_raw.cpp:99 +msgid "Network not found" +msgstr "" + +#: send_raw.cpp:116 +msgid "Line sent" +msgstr "" + +#: send_raw.cpp:140 send_raw.cpp:143 +msgid "[user] [network] [data to send]" +msgstr "" + +#: send_raw.cpp:141 +msgid "The data will be sent to the user's IRC client(s)" +msgstr "" + +#: send_raw.cpp:144 +msgid "The data will be sent to the IRC server the user is connected to" +msgstr "" + +#: send_raw.cpp:147 +msgid "[data to send]" +msgstr "" + +#: send_raw.cpp:148 +msgid "The data will be sent to your current client" +msgstr "" + +#: send_raw.cpp:159 +msgid "Lets you send some raw IRC lines as/to someone else" +msgstr "" diff --git a/modules/po/shell.pot b/modules/po/shell.pot new file mode 100644 index 00000000..37f4b446 --- /dev/null +++ b/modules/po/shell.pot @@ -0,0 +1,15 @@ +#: shell.cpp:37 +msgid "Failed to execute: {1}" +msgstr "" + +#: shell.cpp:75 +msgid "You must be admin to use the shell module" +msgstr "" + +#: shell.cpp:169 +msgid "Gives shell access" +msgstr "" + +#: shell.cpp:172 +msgid "Gives shell access. Only ZNC admins can use it." +msgstr "" diff --git a/modules/po/simple_away.pot b/modules/po/simple_away.pot new file mode 100644 index 00000000..ad6b2408 --- /dev/null +++ b/modules/po/simple_away.pot @@ -0,0 +1,78 @@ +#: simple_away.cpp:56 +msgid "[]" +msgstr "" + +#: simple_away.cpp:57 +#, c-format +msgid "" +"Prints or sets the away reason (%awaytime% is replaced with the time you " +"were set away, supports substitutions using ExpandString)" +msgstr "" + +#: simple_away.cpp:63 +msgid "Prints the current time to wait before setting you away" +msgstr "" + +#: simple_away.cpp:65 +msgid "" +msgstr "" + +#: simple_away.cpp:66 +msgid "Sets the time to wait before setting you away" +msgstr "" + +#: simple_away.cpp:69 +msgid "Disables the wait time before setting you away" +msgstr "" + +#: simple_away.cpp:73 +msgid "Get or set the minimum number of clients before going away" +msgstr "" + +#: simple_away.cpp:136 +msgid "Away reason set" +msgstr "" + +#: simple_away.cpp:138 +msgid "Away reason: {1}" +msgstr "" + +#: simple_away.cpp:139 +msgid "Current away reason would be: {1}" +msgstr "" + +#: simple_away.cpp:144 +msgid "Current timer setting: 1 second" +msgid_plural "Current timer setting: {1} seconds" +msgstr[0] "" +msgstr[1] "" + +#: simple_away.cpp:153 simple_away.cpp:161 +msgid "Timer disabled" +msgstr "" + +#: simple_away.cpp:155 +msgid "Timer set to 1 second" +msgid_plural "Timer set to: {1} seconds" +msgstr[0] "" +msgstr[1] "" + +#: simple_away.cpp:166 +msgid "Current MinClients setting: {1}" +msgstr "" + +#: simple_away.cpp:169 +msgid "MinClients set to {1}" +msgstr "" + +#: simple_away.cpp:253 +msgid "" +"You might enter up to 3 arguments, like -notimer awaymessage or -timer 5 " +"awaymessage." +msgstr "" + +#: simple_away.cpp:258 +msgid "" +"This module will automatically set you away on IRC while you are " +"disconnected from the bouncer." +msgstr "" diff --git a/modules/po/stickychan.pot b/modules/po/stickychan.pot new file mode 100644 index 00000000..26bf788b --- /dev/null +++ b/modules/po/stickychan.pot @@ -0,0 +1,93 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + +#: modules/po/../data/stickychan/tmpl/index.tmpl:9 +msgid "Name" +msgstr "" + +#: modules/po/../data/stickychan/tmpl/index.tmpl:10 +msgid "Sticky" +msgstr "" + +#: modules/po/../data/stickychan/tmpl/index.tmpl:25 +msgid "Save" +msgstr "" + +#: modules/po/../data/stickychan/tmpl/stickychan_WebadminChan.tmpl:8 +msgid "Channel is sticky" +msgstr "" + +#: stickychan.cpp:28 +msgid "<#channel> [key]" +msgstr "" + +#: stickychan.cpp:28 +msgid "Sticks a channel" +msgstr "" + +#: stickychan.cpp:30 +msgid "<#channel>" +msgstr "" + +#: stickychan.cpp:30 +msgid "Unsticks a channel" +msgstr "" + +#: stickychan.cpp:32 +msgid "Lists sticky channels" +msgstr "" + +#: stickychan.cpp:75 +msgid "Usage: Stick <#channel> [key]" +msgstr "" + +#: stickychan.cpp:79 +msgid "Stuck {1}" +msgstr "" + +#: stickychan.cpp:85 +msgid "Usage: Unstick <#channel>" +msgstr "" + +#: stickychan.cpp:89 +msgid "Unstuck {1}" +msgstr "" + +#: stickychan.cpp:101 +msgid " -- End of List" +msgstr "" + +#: stickychan.cpp:115 +msgid "Could not join {1} (# prefix missing?)" +msgstr "" + +#: stickychan.cpp:128 +msgid "Sticky Channels" +msgstr "" + +#: stickychan.cpp:160 +msgid "Changes have been saved!" +msgstr "" + +#: stickychan.cpp:185 +msgid "Channel became sticky!" +msgstr "" + +#: stickychan.cpp:189 +msgid "Channel stopped being sticky!" +msgstr "" + +#: stickychan.cpp:211 +msgid "" +"Channel {1} cannot be joined, it is an illegal channel name. Unsticking." +msgstr "" + +#: stickychan.cpp:248 +msgid "List of channels, separated by comma." +msgstr "" + +#: stickychan.cpp:253 +msgid "configless sticky chans, keeps you there very stickily even" +msgstr "" diff --git a/modules/po/stripcontrols.pot b/modules/po/stripcontrols.pot new file mode 100644 index 00000000..39f00f8b --- /dev/null +++ b/modules/po/stripcontrols.pot @@ -0,0 +1,4 @@ +#: stripcontrols.cpp:63 +msgid "" +"Strips control codes (Colors, Bold, ..) from channel and private messages." +msgstr "" diff --git a/modules/po/watch.pot b/modules/po/watch.pot new file mode 100644 index 00000000..dad1c70f --- /dev/null +++ b/modules/po/watch.pot @@ -0,0 +1,235 @@ +#: watch.cpp:334 +msgid "All entries cleared." +msgstr "" + +#: watch.cpp:344 +msgid "Buffer count is set to {1}" +msgstr "" + +#: watch.cpp:348 +msgid "Unknown command: {1}" +msgstr "" + +#: watch.cpp:397 +msgid "Disabled all entries." +msgstr "" + +#: watch.cpp:398 +msgid "Enabled all entries." +msgstr "" + +#: watch.cpp:405 watch.cpp:437 watch.cpp:470 watch.cpp:570 watch.cpp:585 +msgid "Invalid Id" +msgstr "" + +#: watch.cpp:414 +msgid "Id {1} disabled" +msgstr "" + +#: watch.cpp:416 +msgid "Id {1} enabled" +msgstr "" + +#: watch.cpp:428 +msgid "Set DetachedClientOnly for all entries to Yes" +msgstr "" + +#: watch.cpp:430 +msgid "Set DetachedClientOnly for all entries to No" +msgstr "" + +#: watch.cpp:446 watch.cpp:479 +msgid "Id {1} set to Yes" +msgstr "" + +#: watch.cpp:448 watch.cpp:481 +msgid "Id {1} set to No" +msgstr "" + +#: watch.cpp:461 +msgid "Set DetachedChannelOnly for all entries to Yes" +msgstr "" + +#: watch.cpp:463 +msgid "Set DetachedChannelOnly for all entries to No" +msgstr "" + +#: watch.cpp:487 watch.cpp:503 +msgid "Id" +msgstr "" + +#: watch.cpp:488 watch.cpp:504 +msgid "HostMask" +msgstr "" + +#: watch.cpp:489 watch.cpp:505 +msgid "Target" +msgstr "" + +#: watch.cpp:490 watch.cpp:506 +msgid "Pattern" +msgstr "" + +#: watch.cpp:491 watch.cpp:507 +msgid "Sources" +msgstr "" + +#: watch.cpp:492 watch.cpp:508 watch.cpp:509 +msgid "Off" +msgstr "" + +#: watch.cpp:493 watch.cpp:511 +msgid "DetachedClientOnly" +msgstr "" + +#: watch.cpp:494 watch.cpp:514 +msgid "DetachedChannelOnly" +msgstr "" + +#: watch.cpp:512 watch.cpp:515 +msgid "Yes" +msgstr "" + +#: watch.cpp:512 watch.cpp:515 +msgid "No" +msgstr "" + +#: watch.cpp:521 watch.cpp:527 +msgid "You have no entries." +msgstr "" + +#: watch.cpp:578 +msgid "Sources set for Id {1}." +msgstr "" + +#: watch.cpp:593 +msgid "Id {1} removed." +msgstr "" + +#: watch.cpp:600 watch.cpp:604 watch.cpp:609 watch.cpp:614 watch.cpp:620 +#: watch.cpp:625 watch.cpp:629 watch.cpp:633 watch.cpp:638 watch.cpp:645 +#: watch.cpp:652 watch.cpp:658 watch.cpp:664 +msgid "Command" +msgstr "" + +#: watch.cpp:601 watch.cpp:605 watch.cpp:610 watch.cpp:616 watch.cpp:621 +#: watch.cpp:626 watch.cpp:630 watch.cpp:634 watch.cpp:641 watch.cpp:648 +#: watch.cpp:654 watch.cpp:660 watch.cpp:665 +msgid "Description" +msgstr "" + +#: watch.cpp:604 +msgid "Add [Target] [Pattern]" +msgstr "" + +#: watch.cpp:606 +msgid "Used to add an entry to watch for." +msgstr "" + +#: watch.cpp:609 +msgid "List" +msgstr "" + +#: watch.cpp:611 +msgid "List all entries being watched." +msgstr "" + +#: watch.cpp:614 +msgid "Dump" +msgstr "" + +#: watch.cpp:617 +msgid "Dump a list of all current entries to be used later." +msgstr "" + +#: watch.cpp:620 +msgid "Del " +msgstr "" + +#: watch.cpp:622 +msgid "Deletes Id from the list of watched entries." +msgstr "" + +#: watch.cpp:625 +msgid "Clear" +msgstr "" + +#: watch.cpp:626 +msgid "Delete all entries." +msgstr "" + +#: watch.cpp:629 +msgid "Enable " +msgstr "" + +#: watch.cpp:630 +msgid "Enable a disabled entry." +msgstr "" + +#: watch.cpp:633 +msgid "Disable " +msgstr "" + +#: watch.cpp:635 +msgid "Disable (but don't delete) an entry." +msgstr "" + +#: watch.cpp:639 +msgid "SetDetachedClientOnly " +msgstr "" + +#: watch.cpp:642 +msgid "Enable or disable detached client only for an entry." +msgstr "" + +#: watch.cpp:646 +msgid "SetDetachedChannelOnly " +msgstr "" + +#: watch.cpp:649 +msgid "Enable or disable detached channel only for an entry." +msgstr "" + +#: watch.cpp:652 +msgid "Buffer [Count]" +msgstr "" + +#: watch.cpp:655 +msgid "Show/Set the amount of buffered lines while detached." +msgstr "" + +#: watch.cpp:659 +msgid "SetSources [#chan priv #foo* !#bar]" +msgstr "" + +#: watch.cpp:661 +msgid "Set the source channels that you care about." +msgstr "" + +#: watch.cpp:664 +msgid "Help" +msgstr "" + +#: watch.cpp:665 +msgid "This help." +msgstr "" + +#: watch.cpp:681 +msgid "Entry for {1} already exists." +msgstr "" + +#: watch.cpp:689 +msgid "Adding entry: {1} watching for [{2}] -> {3}" +msgstr "" + +#: watch.cpp:695 +msgid "Watch: Not enough arguments. Try Help" +msgstr "" + +#: watch.cpp:764 +msgid "WARNING: malformed entry found while loading" +msgstr "" + +#: watch.cpp:778 +msgid "Copy activity from a specific user into a separate window" +msgstr "" diff --git a/modules/po/webadmin.pot b/modules/po/webadmin.pot index a53eb43d..84379cf8 100644 --- a/modules/po/webadmin.pot +++ b/modules/po/webadmin.pot @@ -3,6 +3,24 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" +#: modules/po/../data/webadmin/tmpl/del_user.tmpl:5 +msgid "Confirm User Deletion" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/del_user.tmpl:9 +msgid "Are you sure you want to delete user “{1}”?" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/del_user.tmpl:14 +#: modules/po/../data/webadmin/tmpl/del_network.tmpl:14 +msgid "Yes" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/del_user.tmpl:17 +#: modules/po/../data/webadmin/tmpl/del_network.tmpl:17 +msgid "No" +msgstr "" + #: modules/po/../data/webadmin/tmpl/index.tmpl:5 msgid "Welcome to the ZNC webadmin module." msgstr "" @@ -12,275 +30,6 @@ msgid "" "All changes you make will be in effect immediately after you submitted them." msgstr "" -#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:12 -msgid "Channel Info" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:17 -msgid "Channel Name:" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:19 -msgid "The channel name." -msgstr "" - -#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:24 -msgid "Key:" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:26 -msgid "The password of the channel, if there is one." -msgstr "" - -#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:30 -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:235 -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:254 -msgid "Buffer Size:" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:32 -msgid "The buffer count." -msgstr "" - -#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:36 -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:229 -msgid "Default Modes:" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:38 -msgid "The default modes of the channel." -msgstr "" - -#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:46 -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:264 -msgid "Flags" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:51 -msgid "Save to config" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:67 -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:404 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:282 -msgid "Module {1}" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:75 -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:413 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:290 -msgid "Save and return" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:76 -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:414 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:291 -msgid "Save and continue" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:78 -msgid "Add Channel and return" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:79 -msgid "Add Channel and continue" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/settings.tmpl:6 -msgid "Listen Port(s)" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/settings.tmpl:13 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:102 -msgid "Port" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/settings.tmpl:14 -msgid "BindHost" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/settings.tmpl:15 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:103 -msgid "SSL" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/settings.tmpl:16 -msgid "IPv4" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/settings.tmpl:17 -msgid "IPv6" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/settings.tmpl:18 -msgid "IRC" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/settings.tmpl:19 -msgid "HTTP" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/settings.tmpl:20 -msgid "URIPrefix" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/settings.tmpl:21 -#: modules/po/../data/webadmin/tmpl/listusers.tmpl:29 -msgid "Delete" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/settings.tmpl:53 -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:140 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:204 -msgid "Del" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/settings.tmpl:56 -msgid "" -"To delete port which you use to access webadmin itself, either connect to " -"webadmin via another port, or do it in IRC (/znc DelPort)" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/settings.tmpl:56 -msgid "Current" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/settings.tmpl:72 -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:123 -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:348 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:185 -#: modules/po/../data/webadmin/tmpl/listusers.tmpl:15 -msgid "Add" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/settings.tmpl:86 -msgid "Settings" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/settings.tmpl:90 -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:367 -msgid "Skin:" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/settings.tmpl:94 -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:373 -msgid "Default" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/settings.tmpl:102 -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:79 -msgid "Status Prefix:" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/settings.tmpl:104 -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:81 -msgid "The prefix for the status and module queries." -msgstr "" - -#: modules/po/../data/webadmin/tmpl/settings.tmpl:105 -msgid "Default for new users only." -msgstr "" - -#: modules/po/../data/webadmin/tmpl/settings.tmpl:110 -msgid "Maximum Buffer Size:" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/settings.tmpl:112 -msgid "Sets the global Max Buffer Size a user can have." -msgstr "" - -#: modules/po/../data/webadmin/tmpl/settings.tmpl:117 -msgid "Connect Delay:" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/settings.tmpl:119 -msgid "" -"The time between connection attempts to IRC servers, in seconds. This " -"affects the connection between ZNC and the IRC server; not the connection " -"between your IRC client and ZNC." -msgstr "" - -#: modules/po/../data/webadmin/tmpl/settings.tmpl:124 -msgid "Server Throttle:" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/settings.tmpl:126 -msgid "" -"The minimal time between two connect attempts to the same hostname, in " -"seconds. Some servers refuse your connection if you reconnect too fast." -msgstr "" - -#: modules/po/../data/webadmin/tmpl/settings.tmpl:131 -msgid "Anonymous Connection Limit per IP:" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/settings.tmpl:133 -msgid "Limits the number of unidentified connections per IP." -msgstr "" - -#: modules/po/../data/webadmin/tmpl/settings.tmpl:138 -msgid "Protect Web Sessions:" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/settings.tmpl:140 -msgid "Disallow IP changing during each web session" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/settings.tmpl:145 -msgid "Hide ZNC Version:" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/settings.tmpl:147 -msgid "Hide version number from non-ZNC users" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/settings.tmpl:152 -msgid "MOTD:" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/settings.tmpl:156 -msgid "“Message of the Day”, sent to all ZNC users on connect." -msgstr "" - -#: modules/po/../data/webadmin/tmpl/settings.tmpl:164 -msgid "Global Modules" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/settings.tmpl:170 -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:125 -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:168 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:188 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:228 -msgid "Name" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/settings.tmpl:171 -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:169 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:229 -msgid "Arguments" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/settings.tmpl:172 -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:170 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:230 -msgid "Description" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/settings.tmpl:173 -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:172 -msgid "Loaded by networks" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/settings.tmpl:174 -msgid "Loaded by users" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/settings.tmpl:231 -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:424 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:187 -msgid "Save" -msgstr "" - #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:15 msgid "Authentication" msgstr "" @@ -358,6 +107,16 @@ msgstr "" msgid "The Ident is sent to server as username." msgstr "" +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:79 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:102 +msgid "Status Prefix:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:81 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:104 +msgid "The prefix for the status and module queries." +msgstr "" + #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:85 #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:51 msgid "Realname:" @@ -393,6 +152,22 @@ msgstr "" msgid "Networks" msgstr "" +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:123 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:348 +#: modules/po/../data/webadmin/tmpl/listusers.tmpl:15 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:185 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:72 +msgid "Add" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:125 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:168 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:188 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:228 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:170 +msgid "Name" +msgstr "" + #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:126 #: modules/po/../data/webadmin/tmpl/listusers.tmpl:18 msgid "Clients" @@ -411,11 +186,17 @@ msgid "← Add a network (opens in same page)" msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:140 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:204 #: modules/po/../data/webadmin/tmpl/listusers.tmpl:27 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:204 msgid "Edit" msgstr "" +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:140 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:204 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:53 +msgid "Del" +msgstr "" + #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:154 msgid "" "You will be able to add + modify networks here after you have cloned the " @@ -433,16 +214,38 @@ msgstr "" msgid "Modules" msgstr "" +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:169 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:229 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:171 +msgid "Arguments" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:170 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:230 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:172 +msgid "Description" +msgstr "" + #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:171 #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:231 msgid "Loaded globally" msgstr "" +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:172 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:173 +msgid "Loaded by networks" +msgstr "" + #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:225 #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:176 msgid "Channels" msgstr "" +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:229 +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:36 +msgid "Default Modes:" +msgstr "" + #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:231 msgid "" "These are the default modes ZNC will set when you join an empty channel." @@ -454,6 +257,12 @@ msgstr "" msgid "Empty = use standard value" msgstr "" +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:235 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:254 +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:30 +msgid "Buffer Size:" +msgstr "" + #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:237 msgid "" "This is the amount of lines that the playback buffer will store for channels " @@ -480,6 +289,11 @@ msgid "" "default." msgstr "" +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:264 +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:46 +msgid "Flags" +msgstr "" + #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:279 msgid "ZNC Behavior" msgstr "" @@ -585,10 +399,20 @@ msgstr "" msgid "Response" msgstr "" +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:367 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:90 +msgid "Skin:" +msgstr "" + #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:371 msgid "- Global -" msgstr "" +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:373 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:94 +msgid "Default" +msgstr "" + #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:377 msgid "No other skins found" msgstr "" @@ -597,6 +421,24 @@ msgstr "" msgid "Language:" msgstr "" +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:404 +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:67 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:282 +msgid "Module {1}" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:413 +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:75 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:290 +msgid "Save and return" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:414 +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:76 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:291 +msgid "Save and continue" +msgstr "" + #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:416 msgid "Clone and return" msgstr "" @@ -613,6 +455,12 @@ msgstr "" msgid "Create and continue" msgstr "" +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:424 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:187 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:231 +msgid "Save" +msgstr "" + #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:426 #: modules/po/../data/webadmin/tmpl/listusers.tmpl:28 msgid "Clone" @@ -622,6 +470,63 @@ msgstr "" msgid "Create" msgstr "" +#: modules/po/../data/webadmin/tmpl/del_network.tmpl:5 +msgid "Confirm Network Deletion" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/del_network.tmpl:9 +msgid "Are you sure you want to delete network “{2}” of user “{1}”?" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/listusers.tmpl:16 +msgid "Username" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/listusers.tmpl:29 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:21 +msgid "Delete" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:12 +msgid "Channel Info" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:17 +msgid "Channel Name:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:19 +msgid "The channel name." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:24 +msgid "Key:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:26 +msgid "The password of the channel, if there is one." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:32 +msgid "The buffer count." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:38 +msgid "The default modes of the channel." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:51 +msgid "Save to config" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:78 +msgid "Add Channel and return" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:79 +msgid "Add Channel and continue" +msgstr "" + #: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:6 msgid "ZNC is compiled without encodings support. {1} is required for it." msgstr "" @@ -728,6 +633,16 @@ msgstr "" msgid "Hostname" msgstr "" +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:102 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:13 +msgid "Port" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:103 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:15 +msgid "SSL" +msgstr "" + #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:104 msgid "Password" msgstr "" @@ -844,28 +759,6 @@ msgstr "" msgid "Add Network and continue" msgstr "" -#: modules/po/../data/webadmin/tmpl/listusers.tmpl:16 -msgid "Username" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/del_network.tmpl:5 -msgid "Confirm Network Deletion" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/del_network.tmpl:9 -msgid "Are you sure you want to delete network “{2}” of user “{1}”?" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/del_network.tmpl:14 -#: modules/po/../data/webadmin/tmpl/del_user.tmpl:14 -msgid "Yes" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/del_network.tmpl:17 -#: modules/po/../data/webadmin/tmpl/del_user.tmpl:17 -msgid "No" -msgstr "" - #: modules/po/../data/webadmin/tmpl/traffic.tmpl:7 msgid "Information" msgstr "" @@ -939,12 +832,119 @@ msgstr "" msgid "Network" msgstr "" -#: modules/po/../data/webadmin/tmpl/del_user.tmpl:5 -msgid "Confirm User Deletion" +#: modules/po/../data/webadmin/tmpl/settings.tmpl:6 +msgid "Listen Port(s)" msgstr "" -#: modules/po/../data/webadmin/tmpl/del_user.tmpl:9 -msgid "Are you sure you want to delete user “{1}”?" +#: modules/po/../data/webadmin/tmpl/settings.tmpl:14 +msgid "BindHost" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:16 +msgid "IPv4" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:17 +msgid "IPv6" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:18 +msgid "IRC" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:19 +msgid "HTTP" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:20 +msgid "URIPrefix" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:56 +msgid "" +"To delete port which you use to access webadmin itself, either connect to " +"webadmin via another port, or do it in IRC (/znc DelPort)" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:56 +msgid "Current" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:86 +msgid "Settings" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:105 +msgid "Default for new users only." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:110 +msgid "Maximum Buffer Size:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:112 +msgid "Sets the global Max Buffer Size a user can have." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:117 +msgid "Connect Delay:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:119 +msgid "" +"The time between connection attempts to IRC servers, in seconds. This " +"affects the connection between ZNC and the IRC server; not the connection " +"between your IRC client and ZNC." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:124 +msgid "Server Throttle:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:126 +msgid "" +"The minimal time between two connect attempts to the same hostname, in " +"seconds. Some servers refuse your connection if you reconnect too fast." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:131 +msgid "Anonymous Connection Limit per IP:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:133 +msgid "Limits the number of unidentified connections per IP." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:138 +msgid "Protect Web Sessions:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:140 +msgid "Disallow IP changing during each web session" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:145 +msgid "Hide ZNC Version:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:147 +msgid "Hide version number from non-ZNC users" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:152 +msgid "MOTD:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:156 +msgid "“Message of the Day”, sent to all ZNC users on connect." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:164 +msgid "Global Modules" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:174 +msgid "Loaded by users" msgstr "" #: webadmin.cpp:91 webadmin.cpp:1866 diff --git a/modules/po/webadmin.ru.po b/modules/po/webadmin.ru.po index 68f4d000..427ac53f 100644 --- a/modules/po/webadmin.ru.po +++ b/modules/po/webadmin.ru.po @@ -12,6 +12,24 @@ msgstr "" "%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" "X-Generator: Lokalize 1.5\n" +#: modules/po/../data/webadmin/tmpl/del_user.tmpl:5 +msgid "Confirm User Deletion" +msgstr "Подтверждение удаления пользователя" + +#: modules/po/../data/webadmin/tmpl/del_user.tmpl:9 +msgid "Are you sure you want to delete user “{1}”?" +msgstr "Вы действительно хотите удалить пользователя «{1}»?" + +#: modules/po/../data/webadmin/tmpl/del_user.tmpl:14 +#: modules/po/../data/webadmin/tmpl/del_network.tmpl:14 +msgid "Yes" +msgstr "Да" + +#: modules/po/../data/webadmin/tmpl/del_user.tmpl:17 +#: modules/po/../data/webadmin/tmpl/del_network.tmpl:17 +msgid "No" +msgstr "Нет" + #: modules/po/../data/webadmin/tmpl/index.tmpl:5 msgid "Welcome to the ZNC webadmin module." msgstr "Добро пожаловать в webadmin ZNC." @@ -21,284 +39,6 @@ msgid "" "All changes you make will be in effect immediately after you submitted them." msgstr "Все изменения войдут в силу сразу, как только вы их сделаете." -#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:12 -msgid "Channel Info" -msgstr "Информация о канале" - -#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:17 -msgid "Channel Name:" -msgstr "Название канала:" - -#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:19 -msgid "The channel name." -msgstr "Название канала." - -#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:24 -msgid "Key:" -msgstr "Ключ:" - -#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:26 -msgid "The password of the channel, if there is one." -msgstr "Пароль от канала, если имеется." - -#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:30 -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:235 -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:254 -msgid "Buffer Size:" -msgstr "Размер буфера:" - -#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:32 -msgid "The buffer count." -msgstr "Размер буфера." - -#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:36 -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:229 -msgid "Default Modes:" -msgstr "Режимы по умолчанию:" - -#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:38 -msgid "The default modes of the channel." -msgstr "Режимы канала по умолчанию." - -#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:46 -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:264 -msgid "Flags" -msgstr "Переключатели" - -#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:51 -msgid "Save to config" -msgstr "Сохранять в файл конфигурации" - -#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:67 -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:404 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:282 -msgid "Module {1}" -msgstr "Модуль {1}" - -#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:75 -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:413 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:290 -msgid "Save and return" -msgstr "Сохранить и вернуться" - -#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:76 -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:414 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:291 -msgid "Save and continue" -msgstr "Сохранить и продолжить" - -#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:78 -msgid "Add Channel and return" -msgstr "Добавить канал и вернуться" - -#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:79 -msgid "Add Channel and continue" -msgstr "Добавить канал и продолжить" - -#: modules/po/../data/webadmin/tmpl/settings.tmpl:6 -msgid "Listen Port(s)" -msgstr "Слушающие порты" - -#: modules/po/../data/webadmin/tmpl/settings.tmpl:13 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:102 -msgid "Port" -msgstr "Порт" - -#: modules/po/../data/webadmin/tmpl/settings.tmpl:14 -msgid "BindHost" -msgstr "Хост" - -#: modules/po/../data/webadmin/tmpl/settings.tmpl:15 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:103 -msgid "SSL" -msgstr "SSL" - -#: modules/po/../data/webadmin/tmpl/settings.tmpl:16 -msgid "IPv4" -msgstr "IPv4" - -#: modules/po/../data/webadmin/tmpl/settings.tmpl:17 -msgid "IPv6" -msgstr "IPv6" - -#: modules/po/../data/webadmin/tmpl/settings.tmpl:18 -msgid "IRC" -msgstr "IRC" - -#: modules/po/../data/webadmin/tmpl/settings.tmpl:19 -msgid "HTTP" -msgstr "HTTP" - -#: modules/po/../data/webadmin/tmpl/settings.tmpl:20 -msgid "URIPrefix" -msgstr "Префикс URI" - -#: modules/po/../data/webadmin/tmpl/settings.tmpl:21 -#: modules/po/../data/webadmin/tmpl/listusers.tmpl:29 -msgid "Delete" -msgstr "Удалить" - -#: modules/po/../data/webadmin/tmpl/settings.tmpl:53 -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:140 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:204 -msgid "Del" -msgstr "Удалить" - -#: modules/po/../data/webadmin/tmpl/settings.tmpl:56 -msgid "" -"To delete port which you use to access webadmin itself, either connect to " -"webadmin via another port, or do it in IRC (/znc DelPort)" -msgstr "" -"Чтобы удалить порт, с помощью которого вы используете webadmin, либо " -"подключитесь к webadmin через другой порт, либо удалите его из IRC командой /" -"znc DelPort" - -#: modules/po/../data/webadmin/tmpl/settings.tmpl:56 -msgid "Current" -msgstr "Текущий" - -#: modules/po/../data/webadmin/tmpl/settings.tmpl:72 -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:123 -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:348 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:185 -#: modules/po/../data/webadmin/tmpl/listusers.tmpl:15 -msgid "Add" -msgstr "Добавить" - -#: modules/po/../data/webadmin/tmpl/settings.tmpl:86 -msgid "Settings" -msgstr "Настройки" - -#: modules/po/../data/webadmin/tmpl/settings.tmpl:90 -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:367 -msgid "Skin:" -msgstr "Тема:" - -#: modules/po/../data/webadmin/tmpl/settings.tmpl:94 -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:373 -msgid "Default" -msgstr "По умолчанию" - -#: modules/po/../data/webadmin/tmpl/settings.tmpl:102 -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:79 -msgid "Status Prefix:" -msgstr "Префикс для status" - -#: modules/po/../data/webadmin/tmpl/settings.tmpl:104 -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:81 -msgid "The prefix for the status and module queries." -msgstr "Префикс для общения с модулями и статусом" - -#: modules/po/../data/webadmin/tmpl/settings.tmpl:105 -msgid "Default for new users only." -msgstr "Это значение по умолчанию для новых пользователей." - -#: modules/po/../data/webadmin/tmpl/settings.tmpl:110 -msgid "Maximum Buffer Size:" -msgstr "Максимальный размер буфера:" - -#: modules/po/../data/webadmin/tmpl/settings.tmpl:112 -msgid "Sets the global Max Buffer Size a user can have." -msgstr "" -"Устанавливает наибольший размер буфера, который может иметь пользователь." - -#: modules/po/../data/webadmin/tmpl/settings.tmpl:117 -msgid "Connect Delay:" -msgstr "Задержка присоединений:" - -#: modules/po/../data/webadmin/tmpl/settings.tmpl:119 -msgid "" -"The time between connection attempts to IRC servers, in seconds. This " -"affects the connection between ZNC and the IRC server; not the connection " -"between your IRC client and ZNC." -msgstr "" -"Время в секундах, которое ZNC ждёт между попытками соединиться с серверами " -"IRC. Эта настройка не влияет на соединение между вашим клиентом IRC и ZNC." - -#: modules/po/../data/webadmin/tmpl/settings.tmpl:124 -msgid "Server Throttle:" -msgstr "Посерверная задержка присоединений:" - -#: modules/po/../data/webadmin/tmpl/settings.tmpl:126 -msgid "" -"The minimal time between two connect attempts to the same hostname, in " -"seconds. Some servers refuse your connection if you reconnect too fast." -msgstr "" -"Минимальное время в секундах между попытками присоединения к одному и тому " -"же серверу. Некоторые серверы отказывают в соединении, если соединения " -"слишком частые." - -#: modules/po/../data/webadmin/tmpl/settings.tmpl:131 -msgid "Anonymous Connection Limit per IP:" -msgstr "Ограничение неавторизованных соединений на IP:" - -#: modules/po/../data/webadmin/tmpl/settings.tmpl:133 -msgid "Limits the number of unidentified connections per IP." -msgstr "Максимальное число неавторизованных соединений с каждого IP-адреса." - -#: modules/po/../data/webadmin/tmpl/settings.tmpl:138 -msgid "Protect Web Sessions:" -msgstr "Защита сессий HTTP:" - -#: modules/po/../data/webadmin/tmpl/settings.tmpl:140 -msgid "Disallow IP changing during each web session" -msgstr "Привязывать каждую сессию к IP-адресу" - -#: modules/po/../data/webadmin/tmpl/settings.tmpl:145 -msgid "Hide ZNC Version:" -msgstr "Прятать версию ZNC:" - -#: modules/po/../data/webadmin/tmpl/settings.tmpl:147 -msgid "Hide version number from non-ZNC users" -msgstr "Прятать версию программы от тех, кто не является пользователем ZNC" - -#: modules/po/../data/webadmin/tmpl/settings.tmpl:152 -msgid "MOTD:" -msgstr "MOTD:" - -#: modules/po/../data/webadmin/tmpl/settings.tmpl:156 -msgid "“Message of the Day”, sent to all ZNC users on connect." -msgstr "«Сообщение дня», показываемое всем пользователям ZNC." - -#: modules/po/../data/webadmin/tmpl/settings.tmpl:164 -msgid "Global Modules" -msgstr "Глобальные модули" - -#: modules/po/../data/webadmin/tmpl/settings.tmpl:170 -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:125 -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:168 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:188 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:228 -msgid "Name" -msgstr "Название" - -#: modules/po/../data/webadmin/tmpl/settings.tmpl:171 -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:169 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:229 -msgid "Arguments" -msgstr "Параметры" - -#: modules/po/../data/webadmin/tmpl/settings.tmpl:172 -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:170 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:230 -msgid "Description" -msgstr "Описание" - -#: modules/po/../data/webadmin/tmpl/settings.tmpl:173 -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:172 -msgid "Loaded by networks" -msgstr "Загружено сетями" - -#: modules/po/../data/webadmin/tmpl/settings.tmpl:174 -msgid "Loaded by users" -msgstr "Загружено пользо­вателями" - -#: modules/po/../data/webadmin/tmpl/settings.tmpl:231 -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:424 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:187 -msgid "Save" -msgstr "Сохранить" - #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:15 msgid "Authentication" msgstr "Аутентификация" @@ -380,6 +120,16 @@ msgstr "Идент:" msgid "The Ident is sent to server as username." msgstr "Идент отсылается на сервер в качестве имени пользователя." +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:79 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:102 +msgid "Status Prefix:" +msgstr "Префикс для status" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:81 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:104 +msgid "The prefix for the status and module queries." +msgstr "Префикс для общения с модулями и статусом" + #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:85 #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:51 msgid "Realname:" @@ -417,6 +167,22 @@ msgstr "" msgid "Networks" msgstr "Сети" +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:123 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:348 +#: modules/po/../data/webadmin/tmpl/listusers.tmpl:15 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:185 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:72 +msgid "Add" +msgstr "Добавить" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:125 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:168 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:188 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:228 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:170 +msgid "Name" +msgstr "Название" + #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:126 #: modules/po/../data/webadmin/tmpl/listusers.tmpl:18 msgid "Clients" @@ -435,11 +201,17 @@ msgid "← Add a network (opens in same page)" msgstr "← Новая сеть (открывается на той же странице)" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:140 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:204 #: modules/po/../data/webadmin/tmpl/listusers.tmpl:27 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:204 msgid "Edit" msgstr "Изменить" +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:140 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:204 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:53 +msgid "Del" +msgstr "Удалить" + #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:154 msgid "" "You will be able to add + modify networks here after you have cloned the " @@ -459,16 +231,38 @@ msgstr "" msgid "Modules" msgstr "Модули" +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:169 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:229 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:171 +msgid "Arguments" +msgstr "Параметры" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:170 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:230 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:172 +msgid "Description" +msgstr "Описание" + #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:171 #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:231 msgid "Loaded globally" msgstr "Загру­жено гло­бально" +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:172 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:173 +msgid "Loaded by networks" +msgstr "Загружено сетями" + #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:225 #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:176 msgid "Channels" msgstr "Каналы" +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:229 +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:36 +msgid "Default Modes:" +msgstr "Режимы по умолчанию:" + #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:231 msgid "" "These are the default modes ZNC will set when you join an empty channel." @@ -482,6 +276,12 @@ msgstr "" msgid "Empty = use standard value" msgstr "Если пусто, используется значение по умолчанию" +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:235 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:254 +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:30 +msgid "Buffer Size:" +msgstr "Размер буфера:" + #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:237 msgid "" "This is the amount of lines that the playback buffer will store for channels " @@ -514,6 +314,11 @@ msgstr "" "Количество строк в буферах для истории личных переписок. При переполнении из " "буфера удаляются самые старые строки. По умолчанию буферы хранятся в памяти." +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:264 +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:46 +msgid "Flags" +msgstr "Переключатели" + #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:279 msgid "ZNC Behavior" msgstr "Поведение ZNC" @@ -630,10 +435,20 @@ msgstr "Запрос" msgid "Response" msgstr "Ответ" +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:367 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:90 +msgid "Skin:" +msgstr "Тема:" + #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:371 msgid "- Global -" msgstr "- Глобальная -" +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:373 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:94 +msgid "Default" +msgstr "По умолчанию" + #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:377 msgid "No other skins found" msgstr "Другие темы не найдены" @@ -642,6 +457,24 @@ msgstr "Другие темы не найдены" msgid "Language:" msgstr "Язык:" +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:404 +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:67 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:282 +msgid "Module {1}" +msgstr "Модуль {1}" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:413 +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:75 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:290 +msgid "Save and return" +msgstr "Сохранить и вернуться" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:414 +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:76 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:291 +msgid "Save and continue" +msgstr "Сохранить и продолжить" + #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:416 msgid "Clone and return" msgstr "Склонировать и вернуться" @@ -658,6 +491,12 @@ msgstr "Создать и вернуться" msgid "Create and continue" msgstr "Создать и продолжить" +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:424 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:187 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:231 +msgid "Save" +msgstr "Сохранить" + #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:426 #: modules/po/../data/webadmin/tmpl/listusers.tmpl:28 msgid "Clone" @@ -667,6 +506,63 @@ msgstr "Склонировать" msgid "Create" msgstr "Создать" +#: modules/po/../data/webadmin/tmpl/del_network.tmpl:5 +msgid "Confirm Network Deletion" +msgstr "Подтверждение удаления сети" + +#: modules/po/../data/webadmin/tmpl/del_network.tmpl:9 +msgid "Are you sure you want to delete network “{2}” of user “{1}”?" +msgstr "Вы действительно хотите удалить сеть «{2}» пользователя «{1}»?" + +#: modules/po/../data/webadmin/tmpl/listusers.tmpl:16 +msgid "Username" +msgstr "Пользователь" + +#: modules/po/../data/webadmin/tmpl/listusers.tmpl:29 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:21 +msgid "Delete" +msgstr "Удалить" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:12 +msgid "Channel Info" +msgstr "Информация о канале" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:17 +msgid "Channel Name:" +msgstr "Название канала:" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:19 +msgid "The channel name." +msgstr "Название канала." + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:24 +msgid "Key:" +msgstr "Ключ:" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:26 +msgid "The password of the channel, if there is one." +msgstr "Пароль от канала, если имеется." + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:32 +msgid "The buffer count." +msgstr "Размер буфера." + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:38 +msgid "The default modes of the channel." +msgstr "Режимы канала по умолчанию." + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:51 +msgid "Save to config" +msgstr "Сохранять в файл конфигурации" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:78 +msgid "Add Channel and return" +msgstr "Добавить канал и вернуться" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:79 +msgid "Add Channel and continue" +msgstr "Добавить канал и продолжить" + #: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:6 msgid "ZNC is compiled without encodings support. {1} is required for it." msgstr "" @@ -780,6 +676,16 @@ msgstr "" msgid "Hostname" msgstr "Хост" +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:102 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:13 +msgid "Port" +msgstr "Порт" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:103 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:15 +msgid "SSL" +msgstr "SSL" + #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:104 msgid "Password" msgstr "Пароль" @@ -908,28 +814,6 @@ msgstr "Добавить сеть и вернуться" msgid "Add Network and continue" msgstr "Добавить сеть и продолжить" -#: modules/po/../data/webadmin/tmpl/listusers.tmpl:16 -msgid "Username" -msgstr "Пользователь" - -#: modules/po/../data/webadmin/tmpl/del_network.tmpl:5 -msgid "Confirm Network Deletion" -msgstr "Подтверждение удаления сети" - -#: modules/po/../data/webadmin/tmpl/del_network.tmpl:9 -msgid "Are you sure you want to delete network “{2}” of user “{1}”?" -msgstr "Вы действительно хотите удалить сеть «{2}» пользователя «{1}»?" - -#: modules/po/../data/webadmin/tmpl/del_network.tmpl:14 -#: modules/po/../data/webadmin/tmpl/del_user.tmpl:14 -msgid "Yes" -msgstr "Да" - -#: modules/po/../data/webadmin/tmpl/del_network.tmpl:17 -#: modules/po/../data/webadmin/tmpl/del_user.tmpl:17 -msgid "No" -msgstr "Нет" - #: modules/po/../data/webadmin/tmpl/traffic.tmpl:7 msgid "Information" msgstr "Информация" @@ -1003,13 +887,129 @@ msgstr "Пользователь" msgid "Network" msgstr "Сеть" -#: modules/po/../data/webadmin/tmpl/del_user.tmpl:5 -msgid "Confirm User Deletion" -msgstr "Подтверждение удаления пользователя" +#: modules/po/../data/webadmin/tmpl/settings.tmpl:6 +msgid "Listen Port(s)" +msgstr "Слушающие порты" -#: modules/po/../data/webadmin/tmpl/del_user.tmpl:9 -msgid "Are you sure you want to delete user “{1}”?" -msgstr "Вы действительно хотите удалить пользователя «{1}»?" +#: modules/po/../data/webadmin/tmpl/settings.tmpl:14 +msgid "BindHost" +msgstr "Хост" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:16 +msgid "IPv4" +msgstr "IPv4" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:17 +msgid "IPv6" +msgstr "IPv6" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:18 +msgid "IRC" +msgstr "IRC" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:19 +msgid "HTTP" +msgstr "HTTP" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:20 +msgid "URIPrefix" +msgstr "Префикс URI" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:56 +msgid "" +"To delete port which you use to access webadmin itself, either connect to " +"webadmin via another port, or do it in IRC (/znc DelPort)" +msgstr "" +"Чтобы удалить порт, с помощью которого вы используете webadmin, либо " +"подключитесь к webadmin через другой порт, либо удалите его из IRC командой /" +"znc DelPort" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:56 +msgid "Current" +msgstr "Текущий" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:86 +msgid "Settings" +msgstr "Настройки" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:105 +msgid "Default for new users only." +msgstr "Это значение по умолчанию для новых пользователей." + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:110 +msgid "Maximum Buffer Size:" +msgstr "Максимальный размер буфера:" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:112 +msgid "Sets the global Max Buffer Size a user can have." +msgstr "" +"Устанавливает наибольший размер буфера, который может иметь пользователь." + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:117 +msgid "Connect Delay:" +msgstr "Задержка присоединений:" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:119 +msgid "" +"The time between connection attempts to IRC servers, in seconds. This " +"affects the connection between ZNC and the IRC server; not the connection " +"between your IRC client and ZNC." +msgstr "" +"Время в секундах, которое ZNC ждёт между попытками соединиться с серверами " +"IRC. Эта настройка не влияет на соединение между вашим клиентом IRC и ZNC." + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:124 +msgid "Server Throttle:" +msgstr "Посерверная задержка присоединений:" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:126 +msgid "" +"The minimal time between two connect attempts to the same hostname, in " +"seconds. Some servers refuse your connection if you reconnect too fast." +msgstr "" +"Минимальное время в секундах между попытками присоединения к одному и тому " +"же серверу. Некоторые серверы отказывают в соединении, если соединения " +"слишком частые." + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:131 +msgid "Anonymous Connection Limit per IP:" +msgstr "Ограничение неавторизованных соединений на IP:" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:133 +msgid "Limits the number of unidentified connections per IP." +msgstr "Максимальное число неавторизованных соединений с каждого IP-адреса." + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:138 +msgid "Protect Web Sessions:" +msgstr "Защита сессий HTTP:" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:140 +msgid "Disallow IP changing during each web session" +msgstr "Привязывать каждую сессию к IP-адресу" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:145 +msgid "Hide ZNC Version:" +msgstr "Прятать версию ZNC:" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:147 +msgid "Hide version number from non-ZNC users" +msgstr "Прятать версию программы от тех, кто не является пользователем ZNC" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:152 +msgid "MOTD:" +msgstr "MOTD:" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:156 +msgid "“Message of the Day”, sent to all ZNC users on connect." +msgstr "«Сообщение дня», показываемое всем пользователям ZNC." + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:164 +msgid "Global Modules" +msgstr "Глобальные модули" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:174 +msgid "Loaded by users" +msgstr "Загружено пользо­вателями" #: webadmin.cpp:91 webadmin.cpp:1866 msgid "Global Settings" diff --git a/src/po/znc.pot b/src/po/znc.pot index 11f872d7..e41de12c 100644 --- a/src/po/znc.pot +++ b/src/po/znc.pot @@ -14,12 +14,8 @@ msgid "" "code>”). Once you have loaded some Web-enabled modules, the menu will expand." msgstr "" -#: webskins/_default_/tmpl/InfoBar.tmpl:2 -msgid "-Guest-" -msgstr "" - -#: webskins/_default_/tmpl/InfoBar.tmpl:5 -msgid "Logged in as: {1} (from {2})" +#: webskins/_default_/tmpl/LoginBar.tmpl:3 +msgid "Logout" msgstr "" #: webskins/_default_/tmpl/Menu.tmpl:4 @@ -38,8 +34,12 @@ msgstr "" msgid "Network Modules ({1})" msgstr "" -#: webskins/_default_/tmpl/LoginBar.tmpl:3 -msgid "Logout" +#: webskins/_default_/tmpl/InfoBar.tmpl:2 +msgid "-Guest-" +msgstr "" + +#: webskins/_default_/tmpl/InfoBar.tmpl:5 +msgid "Logged in as: {1} (from {2})" msgstr "" #: ClientCommand.cpp:51 diff --git a/src/po/znc.ru.po b/src/po/znc.ru.po index 510ecf36..6a960b1d 100644 --- a/src/po/znc.ru.po +++ b/src/po/znc.ru.po @@ -23,17 +23,13 @@ msgid "" "code>”). Once you have loaded some Web-enabled modules, the menu will expand." msgstr "" "Нет загруженных модулей с поддержкой веб-интерфейса. Вы можете загрузить их " -"из IRC («/msg *status help» и «/msg *status loadmod " -"<модуль>»). Когда такие модули будут загружены, они будут " -"доступны в меню сбоку." +"из IRC («/msg *status help» и «/msg *status loadmod <" +"модуль>»). Когда такие модули будут загружены, они будут доступны " +"в меню сбоку." -#: webskins/_default_/tmpl/InfoBar.tmpl:2 -msgid "-Guest-" -msgstr "" - -#: webskins/_default_/tmpl/InfoBar.tmpl:5 -msgid "Logged in as: {1} (from {2})" -msgstr "Вы вошли как: {1} (c {2})" +#: webskins/_default_/tmpl/LoginBar.tmpl:3 +msgid "Logout" +msgstr "Выйти" #: webskins/_default_/tmpl/Menu.tmpl:4 msgid "Home" @@ -51,9 +47,13 @@ msgstr "Пользовательские модули" msgid "Network Modules ({1})" msgstr "Модули сети {1}" -#: webskins/_default_/tmpl/LoginBar.tmpl:3 -msgid "Logout" -msgstr "Выйти" +#: webskins/_default_/tmpl/InfoBar.tmpl:2 +msgid "-Guest-" +msgstr "" + +#: webskins/_default_/tmpl/InfoBar.tmpl:5 +msgid "Logged in as: {1} (from {2})" +msgstr "Вы вошли как: {1} (c {2})" #: ClientCommand.cpp:51 msgid "You must be connected with a network to use this command" @@ -74,5 +74,3 @@ msgstr "" #: ClientCommand.cpp:79 msgid "No nicks on [{1}]" msgstr "" - - From 4a3f62f1a64417465f7ba41e4c2ec3788ba9fa25 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Tue, 14 Nov 2017 00:35:54 +0000 Subject: [PATCH 008/798] Add Crowdin configs for localization (#1354) --- crowdin.yml | 10 ++++++++++ 1 file changed, 10 insertions(+) create mode 100644 crowdin.yml diff --git a/crowdin.yml b/crowdin.yml new file mode 100644 index 00000000..4be32bab --- /dev/null +++ b/crowdin.yml @@ -0,0 +1,10 @@ +project_identifier: znc-bouncer +preserve_hierarchy: true + +files: + - source: /src/po/znc.pot + translation: /src/po/znc.%two_letters_code%.po + update_option: update_as_unapproved + - source: "/modules/po/*.pot" + translation: /modules/po/%file_name%.%two_letters_code%.po + update_option: update_as_unapproved From ac80feccd8acc211d951d230bc6bdd592203d34c Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Sun, 19 Nov 2017 12:26:21 +0000 Subject: [PATCH 009/798] Open .tmpl files as utf-8 when extracting translation strings Write them as utf-8 too... --- translation_pot.py | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/translation_pot.py b/translation_pot.py index 69a87aed..7def90a9 100755 --- a/translation_pot.py +++ b/translation_pot.py @@ -40,7 +40,7 @@ pattern = re.compile(r'<\?\s*(?:FORMAT|(PLURAL))\s+(?:CTX="([^"]+?)"\s+)?"([^"]+ for tmpl_dir in args.tmpl_dirs: for fname in glob.iglob(tmpl_dir + '/*.tmpl'): fbase = fname[len(args.strip_prefix):] - with open(fname) as f: + with open(fname, 'rt', encoding='utf8') as f: for linenum, line in enumerate(f): for x in pattern.finditer(line): text, plural, context = x.group(3), x.group(4), x.group(2) @@ -56,7 +56,7 @@ for tmpl_dir in args.tmpl_dirs: tmpl.append('msgstr ""') tmpl.append('') if tmpl: - with open(tmpl_pot, 'w') as f: + with open(tmpl_pot, 'wt', encoding='utf8') as f: print('msgid ""', file=f) print('msgstr ""', file=f) print(r'"Content-Type: text/plain; charset=UTF-8\n"', file=f) From f47ad2396f5e368abfd50fe97d17fd3b000ac265 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Sun, 19 Nov 2017 10:36:47 +0000 Subject: [PATCH 010/798] Start moving CI configs into .ci/, add initial crowdin jenkinsfile --- .ci/Jenkinsfile.crowdin | 66 ++++++++++++++++++++++++++++++++++ crowdin.yml => .ci/crowdin.yml | 2 ++ 2 files changed, 68 insertions(+) create mode 100644 .ci/Jenkinsfile.crowdin rename crowdin.yml => .ci/crowdin.yml (83%) diff --git a/.ci/Jenkinsfile.crowdin b/.ci/Jenkinsfile.crowdin new file mode 100644 index 00000000..6fe32ad3 --- /dev/null +++ b/.ci/Jenkinsfile.crowdin @@ -0,0 +1,66 @@ +#!groovy +import groovy.json.JsonSlurper; + +// TODO refactor this after ZNC 1.7 is released, because we'll need many branches +def upstream_user = 'znc' +def upstream_repo = 'znc' +def upstream_branch = 'master' +def my_user = 'znc-jenkins' +def my_repo = 'znc' +def my_branch = 'l10n_master' + +timestamps { + node { + timeout(time: 30, unit: 'MINUTES') { + def crowdin_cli = "java -jar ${tool 'crowdin-cli'}/crowdin-cli.jar --config .ci/crowdin.yml" + stage('Checkout') { + step([$class: 'WsCleanup']) + checkout([$class: 'GitSCM', branches: [[name: "*/${upstream_branch}"]], doGenerateSubmoduleConfigurations: false, extensions: [[$class: 'SubmoduleOption', recursiveSubmodules: true]], userRemoteConfigs: [[credentialsId: '6ef10f80-20dc-4661-af45-52a6e1e15749', name: 'upstream', url: "github.com:${upstream_user}/${upstream_repo}.git"]]]) + } + stage('Prepare strings') { + dir("build") { + sh "cmake .." + sh 'make translation' + } + sh 'rm -rf build/' + sh 'git status' + } + stage('Crowdin') { + withCredentials([string(credentialsId: '11c7e2b4-f990-4670-98a4-c89d2a5a2f43', variable: 'CROWDIN_API_KEY')]) { + withEnv(['CROWDIN_BASE_PATH='+pwd()]) { + sh "$crowdin_cli upload sources --branch ${upstream_branch}" + // sh "$crowdin_cli upload translations --branch ${upstream_branch}" + sh "$crowdin_cli download --branch ${upstream_branch}" + } + } + } + stage('Push') { + sh 'git config user.name "ZNC-Jenkins"' + sh 'git config user.email jenkins@znc.in' + sh 'git status' + sh 'git add .' + sh 'git commit -m "Update translations from Crowdin"' + sh "git remote add my github.com:${my_user}/${my_repo}.git" + // TODO simplify when https://issues.jenkins-ci.org/browse/JENKINS-28335 is fixed + withCredentials([sshUserPrivateKey(credentialsId: '6ef10f80-20dc-4661-af45-52a6e1e15749', keyFileVariable: 'GITHUB_KEY')]) { + sh 'echo ssh -i $GITHUB_KEY -l git -o StrictHostKeyChecking=no \\"\\$@\\" > run_ssh.sh' + sh 'chmod +x run_ssh.sh' + withEnv(['GIT_SSH=run_ssh.sh']) { + sh "git push my HEAD:refs/heads/${my_branch} -f" + } + } + // Create pull request if it doesn't exist yet + withCredentials([string(credentialsId: '7a2546ae-8a29-4eab-921c-6a4803456dce', variable: 'GITHUB_OAUTH_KEY')]) { + def headers = [[maskValue: true, name: 'Authorization', value: "token ${env.GITHUB_OAUTH_KEY}"], [maskValue: false, name: 'Accept', value: 'application/vnd.github.v3+json'], [maskValue: false, name: 'User-Agent', value: 'https://github.com/znc/znc/blob/master/.ci/Jenkinsfile.crowdin']] + def pulls = httpRequest consoleLogResponseBody: true, customHeaders: headers, url: "https://api.github.com/repos/${upstream_user}/${upstream_repo}/pulls", requestBody: '{"head":"'+my_user+':'+my_branch+'","base":"'+upstream_branch+'"}' + pulls = new JsonSlurper().parseText(pulls.content) + if (!pulls) { + httpRequest consoleLogResponseBody: true, customHeaders: headers, url: "https://api.github.com/repos/${upstream_user}/${upstream_repo}/pulls", httpMode: 'POST', requestBody: '{"head":"'+my_user+':'+my_branch+'","base":"'+upstream_branch+'","title":"Update translations from Crowdin"}' + } + } + } + } + } +} + +// vim: set ts=2 sw=2 et: diff --git a/crowdin.yml b/.ci/crowdin.yml similarity index 83% rename from crowdin.yml rename to .ci/crowdin.yml index 4be32bab..887b94db 100644 --- a/crowdin.yml +++ b/.ci/crowdin.yml @@ -1,5 +1,7 @@ project_identifier: znc-bouncer preserve_hierarchy: true +api_key_env: CROWDIN_API_KEY +base_path_env: CROWDIN_BASE_PATH files: - source: /src/po/znc.pot From fcb7d39a179db4c73842ca9740bdefe82dad3401 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Tue, 21 Nov 2017 22:03:50 +0000 Subject: [PATCH 011/798] Crowdin: change text of pull request --- .ci/Jenkinsfile.crowdin | 14 ++++++++++++-- 1 file changed, 12 insertions(+), 2 deletions(-) diff --git a/.ci/Jenkinsfile.crowdin b/.ci/Jenkinsfile.crowdin index 6fe32ad3..88216de1 100644 --- a/.ci/Jenkinsfile.crowdin +++ b/.ci/Jenkinsfile.crowdin @@ -1,4 +1,9 @@ #!groovy +// This script is run daily by https://jenkins.znc.in/ to: +// * upload new English strings to https://crowdin.com/project/znc-bouncer +// * download new translations +// * create a pull request with results to ZNC repo + import groovy.json.JsonSlurper; // TODO refactor this after ZNC 1.7 is released, because we'll need many branches @@ -39,7 +44,12 @@ timestamps { sh 'git config user.email jenkins@znc.in' sh 'git status' sh 'git add .' - sh 'git commit -m "Update translations from Crowdin"' + try { + sh 'git commit -m "Update translations from Crowdin"' + } catch(e) { + echo 'No changes found' + return + } sh "git remote add my github.com:${my_user}/${my_repo}.git" // TODO simplify when https://issues.jenkins-ci.org/browse/JENKINS-28335 is fixed withCredentials([sshUserPrivateKey(credentialsId: '6ef10f80-20dc-4661-af45-52a6e1e15749', keyFileVariable: 'GITHUB_KEY')]) { @@ -55,7 +65,7 @@ timestamps { def pulls = httpRequest consoleLogResponseBody: true, customHeaders: headers, url: "https://api.github.com/repos/${upstream_user}/${upstream_repo}/pulls", requestBody: '{"head":"'+my_user+':'+my_branch+'","base":"'+upstream_branch+'"}' pulls = new JsonSlurper().parseText(pulls.content) if (!pulls) { - httpRequest consoleLogResponseBody: true, customHeaders: headers, url: "https://api.github.com/repos/${upstream_user}/${upstream_repo}/pulls", httpMode: 'POST', requestBody: '{"head":"'+my_user+':'+my_branch+'","base":"'+upstream_branch+'","title":"Update translations from Crowdin"}' + httpRequest consoleLogResponseBody: true, customHeaders: headers, url: "https://api.github.com/repos/${upstream_user}/${upstream_repo}/pulls", httpMode: 'POST', requestBody: '{"head":"'+my_user+':'+my_branch+'","base":"'+upstream_branch+'","title":"Update translations","body":"From https://crowdin.com/project/znc-bouncer"}' } } } From e1f821a78242000c69f389fe205c1b647838018f Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Wed, 22 Nov 2017 00:26:47 +0000 Subject: [PATCH 012/798] Crowdin: fix check of pull request existence --- .ci/Jenkinsfile.crowdin | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/.ci/Jenkinsfile.crowdin b/.ci/Jenkinsfile.crowdin index 88216de1..d9020c92 100644 --- a/.ci/Jenkinsfile.crowdin +++ b/.ci/Jenkinsfile.crowdin @@ -62,7 +62,7 @@ timestamps { // Create pull request if it doesn't exist yet withCredentials([string(credentialsId: '7a2546ae-8a29-4eab-921c-6a4803456dce', variable: 'GITHUB_OAUTH_KEY')]) { def headers = [[maskValue: true, name: 'Authorization', value: "token ${env.GITHUB_OAUTH_KEY}"], [maskValue: false, name: 'Accept', value: 'application/vnd.github.v3+json'], [maskValue: false, name: 'User-Agent', value: 'https://github.com/znc/znc/blob/master/.ci/Jenkinsfile.crowdin']] - def pulls = httpRequest consoleLogResponseBody: true, customHeaders: headers, url: "https://api.github.com/repos/${upstream_user}/${upstream_repo}/pulls", requestBody: '{"head":"'+my_user+':'+my_branch+'","base":"'+upstream_branch+'"}' + def pulls = httpRequest consoleLogResponseBody: true, customHeaders: headers, url: "https://api.github.com/repos/${upstream_user}/${upstream_repo}/pulls?head=${my_user}:${my_branch}&base=${upstream_branch}" pulls = new JsonSlurper().parseText(pulls.content) if (!pulls) { httpRequest consoleLogResponseBody: true, customHeaders: headers, url: "https://api.github.com/repos/${upstream_user}/${upstream_repo}/pulls", httpMode: 'POST', requestBody: '{"head":"'+my_user+':'+my_branch+'","base":"'+upstream_branch+'","title":"Update translations","body":"From https://crowdin.com/project/znc-bouncer"}' From 625d70fa8536c1b863884f5f116d6da1043798b0 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Fri, 24 Nov 2017 08:24:12 +0000 Subject: [PATCH 013/798] Remove Guest string and user IP from web UI --- webskins/_default_/tmpl/InfoBar.tmpl | 11 ++++++++--- 1 file changed, 8 insertions(+), 3 deletions(-) diff --git a/webskins/_default_/tmpl/InfoBar.tmpl b/webskins/_default_/tmpl/InfoBar.tmpl index 9f6f9226..4a6a132d 100644 --- a/webskins/_default_/tmpl/InfoBar.tmpl +++ b/webskins/_default_/tmpl/InfoBar.tmpl @@ -1,7 +1,12 @@ - - +
- + + + + + + +
From 12b3e167eec63f11196df131deac50bdc9a84f4a Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Sat, 25 Nov 2017 00:35:16 +0000 Subject: [PATCH 014/798] Add header to all .pot files consistently --- modules/po/adminlog.pot | 5 +++++ modules/po/alias.pot | 5 +++++ modules/po/autoattach.pot | 5 +++++ modules/po/autocycle.pot | 5 +++++ modules/po/autoop.pot | 5 +++++ modules/po/autoreply.pot | 5 +++++ modules/po/autovoice.pot | 5 +++++ modules/po/awaystore.pot | 5 +++++ modules/po/block_motd.pot | 5 +++++ modules/po/bouncedcc.pot | 5 +++++ modules/po/buffextras.pot | 5 +++++ modules/po/chansaver.pot | 5 +++++ modules/po/clearbufferonmsg.pot | 5 +++++ modules/po/clientnotify.pot | 5 +++++ modules/po/controlpanel.pot | 5 +++++ modules/po/crypt.pot | 5 +++++ modules/po/ctcpflood.pot | 5 +++++ modules/po/cyrusauth.pot | 5 +++++ modules/po/dcc.pot | 5 +++++ modules/po/disconkick.pot | 5 +++++ modules/po/fail2ban.pot | 5 +++++ modules/po/flooddetach.pot | 5 +++++ modules/po/identfile.pot | 5 +++++ modules/po/imapauth.pot | 5 +++++ modules/po/keepnick.pot | 5 +++++ modules/po/kickrejoin.pot | 5 +++++ modules/po/log.pot | 5 +++++ modules/po/missingmotd.pot | 5 +++++ modules/po/modperl.pot | 5 +++++ modules/po/modpython.pot | 5 +++++ modules/po/modules_online.pot | 5 +++++ modules/po/nickserv.pot | 5 +++++ modules/po/notify_connect.pot | 5 +++++ modules/po/partyline.pot | 5 +++++ modules/po/perleval.pot | 5 +++++ modules/po/pyeval.pot | 5 +++++ modules/po/raw.pot | 5 +++++ modules/po/route_replies.pot | 5 +++++ modules/po/sample.pot | 5 +++++ modules/po/samplewebapi.pot | 5 +++++ modules/po/savebuff.pot | 5 +++++ modules/po/shell.pot | 5 +++++ modules/po/simple_away.pot | 5 +++++ modules/po/stripcontrols.pot | 5 +++++ modules/po/watch.pot | 5 +++++ translation_pot.py | 25 ++++++++++++++----------- 46 files changed, 239 insertions(+), 11 deletions(-) diff --git a/modules/po/adminlog.pot b/modules/po/adminlog.pot index 8136074a..7aeff420 100644 --- a/modules/po/adminlog.pot +++ b/modules/po/adminlog.pot @@ -1,3 +1,8 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + #: adminlog.cpp:29 msgid "Show the logging target" msgstr "" diff --git a/modules/po/alias.pot b/modules/po/alias.pot index c0a54a9e..9b7624c6 100644 --- a/modules/po/alias.pot +++ b/modules/po/alias.pot @@ -1,3 +1,8 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + #: alias.cpp:141 msgid "missing required parameter: {1}" msgstr "" diff --git a/modules/po/autoattach.pot b/modules/po/autoattach.pot index da52224e..e324fdde 100644 --- a/modules/po/autoattach.pot +++ b/modules/po/autoattach.pot @@ -1,3 +1,8 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + #: autoattach.cpp:94 msgid "Added to list" msgstr "" diff --git a/modules/po/autocycle.pot b/modules/po/autocycle.pot index aba05c55..5e911531 100644 --- a/modules/po/autocycle.pot +++ b/modules/po/autocycle.pot @@ -1,3 +1,8 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + #: autocycle.cpp:27 autocycle.cpp:30 msgid "[!]<#chan>" msgstr "" diff --git a/modules/po/autoop.pot b/modules/po/autoop.pot index 7a3f9ca1..0666903f 100644 --- a/modules/po/autoop.pot +++ b/modules/po/autoop.pot @@ -1,3 +1,8 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + #: autoop.cpp:154 msgid "List all users" msgstr "" diff --git a/modules/po/autoreply.pot b/modules/po/autoreply.pot index d0c16580..90adf7d6 100644 --- a/modules/po/autoreply.pot +++ b/modules/po/autoreply.pot @@ -1,3 +1,8 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + #: autoreply.cpp:25 msgid "" msgstr "" diff --git a/modules/po/autovoice.pot b/modules/po/autovoice.pot index 21465e1f..8257a762 100644 --- a/modules/po/autovoice.pot +++ b/modules/po/autovoice.pot @@ -1,3 +1,8 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + #: autovoice.cpp:120 msgid "List all users" msgstr "" diff --git a/modules/po/awaystore.pot b/modules/po/awaystore.pot index 5eee71e1..f4f23b9f 100644 --- a/modules/po/awaystore.pot +++ b/modules/po/awaystore.pot @@ -1,3 +1,8 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + #: awaystore.cpp:67 msgid "You have been marked as away" msgstr "" diff --git a/modules/po/block_motd.pot b/modules/po/block_motd.pot index ee679598..5485b3d0 100644 --- a/modules/po/block_motd.pot +++ b/modules/po/block_motd.pot @@ -1,3 +1,8 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + #: block_motd.cpp:26 msgid "[]" msgstr "" diff --git a/modules/po/bouncedcc.pot b/modules/po/bouncedcc.pot index 246e5296..eb6ba98d 100644 --- a/modules/po/bouncedcc.pot +++ b/modules/po/bouncedcc.pot @@ -1,3 +1,8 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + #: bouncedcc.cpp:101 bouncedcc.cpp:119 bouncedcc.cpp:121 msgctxt "list" msgid "Type" diff --git a/modules/po/buffextras.pot b/modules/po/buffextras.pot index 7e34da64..a80ceb46 100644 --- a/modules/po/buffextras.pot +++ b/modules/po/buffextras.pot @@ -1,3 +1,8 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + #: buffextras.cpp:45 msgid "Server" msgstr "" diff --git a/modules/po/chansaver.pot b/modules/po/chansaver.pot index 02f3c8cf..59b68259 100644 --- a/modules/po/chansaver.pot +++ b/modules/po/chansaver.pot @@ -1,3 +1,8 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + #: chansaver.cpp:91 msgid "Keeps config up-to-date when user joins/parts." msgstr "" diff --git a/modules/po/clearbufferonmsg.pot b/modules/po/clearbufferonmsg.pot index ab5db0e1..5c30bfb9 100644 --- a/modules/po/clearbufferonmsg.pot +++ b/modules/po/clearbufferonmsg.pot @@ -1,3 +1,8 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + #: clearbufferonmsg.cpp:160 msgid "Clears all channel and query buffers whenever the user does something" msgstr "" diff --git a/modules/po/clientnotify.pot b/modules/po/clientnotify.pot index 8ddef92c..b099e5e6 100644 --- a/modules/po/clientnotify.pot +++ b/modules/po/clientnotify.pot @@ -1,3 +1,8 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + #: clientnotify.cpp:47 msgid "" msgstr "" diff --git a/modules/po/controlpanel.pot b/modules/po/controlpanel.pot index 3def992b..9d1fe8b9 100644 --- a/modules/po/controlpanel.pot +++ b/modules/po/controlpanel.pot @@ -1,3 +1,8 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + #: controlpanel.cpp:51 controlpanel.cpp:63 msgctxt "helptable" msgid "Type" diff --git a/modules/po/crypt.pot b/modules/po/crypt.pot index 903775ec..567e9e9e 100644 --- a/modules/po/crypt.pot +++ b/modules/po/crypt.pot @@ -1,3 +1,8 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + #: crypt.cpp:198 msgid "<#chan|Nick>" msgstr "" diff --git a/modules/po/ctcpflood.pot b/modules/po/ctcpflood.pot index 13111093..a601d2bf 100644 --- a/modules/po/ctcpflood.pot +++ b/modules/po/ctcpflood.pot @@ -1,3 +1,8 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + #: ctcpflood.cpp:25 ctcpflood.cpp:27 msgid "" msgstr "" diff --git a/modules/po/cyrusauth.pot b/modules/po/cyrusauth.pot index 1bb79f1e..7f788249 100644 --- a/modules/po/cyrusauth.pot +++ b/modules/po/cyrusauth.pot @@ -1,3 +1,8 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + #: cyrusauth.cpp:42 msgid "Shows current settings" msgstr "" diff --git a/modules/po/dcc.pot b/modules/po/dcc.pot index f19fa6ee..2a0fecb8 100644 --- a/modules/po/dcc.pot +++ b/modules/po/dcc.pot @@ -1,3 +1,8 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + #: dcc.cpp:88 msgid " " msgstr "" diff --git a/modules/po/disconkick.pot b/modules/po/disconkick.pot index 3542248c..5c8f6519 100644 --- a/modules/po/disconkick.pot +++ b/modules/po/disconkick.pot @@ -1,3 +1,8 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + #: disconkick.cpp:32 msgid "You have been disconnected from the IRC server" msgstr "" diff --git a/modules/po/fail2ban.pot b/modules/po/fail2ban.pot index cea969df..e29eaefb 100644 --- a/modules/po/fail2ban.pot +++ b/modules/po/fail2ban.pot @@ -1,3 +1,8 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + #: fail2ban.cpp:25 msgid "[minutes]" msgstr "" diff --git a/modules/po/flooddetach.pot b/modules/po/flooddetach.pot index 772def56..330fcef1 100644 --- a/modules/po/flooddetach.pot +++ b/modules/po/flooddetach.pot @@ -1,3 +1,8 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + #: flooddetach.cpp:30 msgid "Show current limits" msgstr "" diff --git a/modules/po/identfile.pot b/modules/po/identfile.pot index 76604b83..5f0baa3f 100644 --- a/modules/po/identfile.pot +++ b/modules/po/identfile.pot @@ -1,3 +1,8 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + #: identfile.cpp:30 msgid "Show file name" msgstr "" diff --git a/modules/po/imapauth.pot b/modules/po/imapauth.pot index 80250f0b..4926f5fd 100644 --- a/modules/po/imapauth.pot +++ b/modules/po/imapauth.pot @@ -1,3 +1,8 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + #: imapauth.cpp:168 msgid "[ server [+]port [ UserFormatString ] ]" msgstr "" diff --git a/modules/po/keepnick.pot b/modules/po/keepnick.pot index 16ad28e5..c68fa54a 100644 --- a/modules/po/keepnick.pot +++ b/modules/po/keepnick.pot @@ -1,3 +1,8 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + #: keepnick.cpp:39 msgid "Try to get your primary nick" msgstr "" diff --git a/modules/po/kickrejoin.pot b/modules/po/kickrejoin.pot index 05c19543..af10d2bf 100644 --- a/modules/po/kickrejoin.pot +++ b/modules/po/kickrejoin.pot @@ -1,3 +1,8 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + #: kickrejoin.cpp:56 msgid "" msgstr "" diff --git a/modules/po/log.pot b/modules/po/log.pot index 84c44a35..21ba991c 100644 --- a/modules/po/log.pot +++ b/modules/po/log.pot @@ -1,3 +1,8 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + #: log.cpp:59 msgid "" msgstr "" diff --git a/modules/po/missingmotd.pot b/modules/po/missingmotd.pot index e093479e..7e78a5be 100644 --- a/modules/po/missingmotd.pot +++ b/modules/po/missingmotd.pot @@ -1,3 +1,8 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + #: missingmotd.cpp:36 msgid "Sends 422 to clients when they login" msgstr "" diff --git a/modules/po/modperl.pot b/modules/po/modperl.pot index f6c35fe1..acecf95b 100644 --- a/modules/po/modperl.pot +++ b/modules/po/modperl.pot @@ -1,3 +1,8 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + #: modperl.cpp:382 msgid "Loads perl scripts as ZNC modules" msgstr "" diff --git a/modules/po/modpython.pot b/modules/po/modpython.pot index 25d32777..0566a13a 100644 --- a/modules/po/modpython.pot +++ b/modules/po/modpython.pot @@ -1,3 +1,8 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + #: modpython.cpp:512 msgid "Loads python scripts as ZNC modules" msgstr "" diff --git a/modules/po/modules_online.pot b/modules/po/modules_online.pot index 229f1491..b97b0cd1 100644 --- a/modules/po/modules_online.pot +++ b/modules/po/modules_online.pot @@ -1,3 +1,8 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + #: modules_online.cpp:117 msgid "Makes ZNC's *modules to be \"online\"." msgstr "" diff --git a/modules/po/nickserv.pot b/modules/po/nickserv.pot index 9fea9292..f54ad88a 100644 --- a/modules/po/nickserv.pot +++ b/modules/po/nickserv.pot @@ -1,3 +1,8 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + #: nickserv.cpp:31 msgid "Password set" msgstr "" diff --git a/modules/po/notify_connect.pot b/modules/po/notify_connect.pot index 4fd04766..767cce40 100644 --- a/modules/po/notify_connect.pot +++ b/modules/po/notify_connect.pot @@ -1,3 +1,8 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + #: notify_connect.cpp:24 msgid "attached" msgstr "" diff --git a/modules/po/partyline.pot b/modules/po/partyline.pot index 72289132..f1062d20 100644 --- a/modules/po/partyline.pot +++ b/modules/po/partyline.pot @@ -1,3 +1,8 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + #: partyline.cpp:60 msgid "There are no open channels." msgstr "" diff --git a/modules/po/perleval.pot b/modules/po/perleval.pot index 006408ff..f20a4626 100644 --- a/modules/po/perleval.pot +++ b/modules/po/perleval.pot @@ -1,3 +1,8 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + #: perleval.pm:23 msgid "Evaluates perl code" msgstr "" diff --git a/modules/po/pyeval.pot b/modules/po/pyeval.pot index 14fa714a..e57bd195 100644 --- a/modules/po/pyeval.pot +++ b/modules/po/pyeval.pot @@ -1,3 +1,8 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + #: pyeval.py:49 msgid "You must have admin privileges to load this module." msgstr "" diff --git a/modules/po/raw.pot b/modules/po/raw.pot index 21c72227..9e521bf5 100644 --- a/modules/po/raw.pot +++ b/modules/po/raw.pot @@ -1,3 +1,8 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + #: raw.cpp:43 msgid "View all of the raw traffic" msgstr "" diff --git a/modules/po/route_replies.pot b/modules/po/route_replies.pot index 186a069f..e15a0615 100644 --- a/modules/po/route_replies.pot +++ b/modules/po/route_replies.pot @@ -1,3 +1,8 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + #: route_replies.cpp:209 msgid "[yes|no]" msgstr "" diff --git a/modules/po/sample.pot b/modules/po/sample.pot index 1c8b09c5..cc5cbe22 100644 --- a/modules/po/sample.pot +++ b/modules/po/sample.pot @@ -1,3 +1,8 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + #: sample.cpp:31 msgid "Sample job cancelled" msgstr "" diff --git a/modules/po/samplewebapi.pot b/modules/po/samplewebapi.pot index e4225a71..a4db6931 100644 --- a/modules/po/samplewebapi.pot +++ b/modules/po/samplewebapi.pot @@ -1,3 +1,8 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + #: samplewebapi.cpp:59 msgid "Sample Web API module." msgstr "" diff --git a/modules/po/savebuff.pot b/modules/po/savebuff.pot index 5be487c2..258f4804 100644 --- a/modules/po/savebuff.pot +++ b/modules/po/savebuff.pot @@ -1,3 +1,8 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + #: savebuff.cpp:65 msgid "" msgstr "" diff --git a/modules/po/shell.pot b/modules/po/shell.pot index 37f4b446..f16cbf82 100644 --- a/modules/po/shell.pot +++ b/modules/po/shell.pot @@ -1,3 +1,8 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + #: shell.cpp:37 msgid "Failed to execute: {1}" msgstr "" diff --git a/modules/po/simple_away.pot b/modules/po/simple_away.pot index ad6b2408..ceb5f73f 100644 --- a/modules/po/simple_away.pot +++ b/modules/po/simple_away.pot @@ -1,3 +1,8 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + #: simple_away.cpp:56 msgid "[]" msgstr "" diff --git a/modules/po/stripcontrols.pot b/modules/po/stripcontrols.pot index 39f00f8b..b56da0e4 100644 --- a/modules/po/stripcontrols.pot +++ b/modules/po/stripcontrols.pot @@ -1,3 +1,8 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + #: stripcontrols.cpp:63 msgid "" "Strips control codes (Colors, Bold, ..) from channel and private messages." diff --git a/modules/po/watch.pot b/modules/po/watch.pot index dad1c70f..e9cb7180 100644 --- a/modules/po/watch.pot +++ b/modules/po/watch.pot @@ -1,3 +1,8 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + #: watch.cpp:334 msgid "All entries cleared." msgstr "" diff --git a/translation_pot.py b/translation_pot.py index 7def90a9..bcd96a5f 100755 --- a/translation_pot.py +++ b/translation_pot.py @@ -55,17 +55,20 @@ for tmpl_dir in args.tmpl_dirs: else: tmpl.append('msgstr ""') tmpl.append('') -if tmpl: - with open(tmpl_pot, 'wt', encoding='utf8') as f: - print('msgid ""', file=f) - print('msgstr ""', file=f) - print(r'"Content-Type: text/plain; charset=UTF-8\n"', file=f) - print(r'"Content-Transfer-Encoding: 8bit\n"', file=f) - print(file=f) - for line in tmpl: - print(line, file=f) - subprocess.check_call(['msguniq', '-o', tmpl_uniq_pot, tmpl_pot]) - pot_list.append(tmpl_uniq_pot) + +# Bundle header to .tmpl, even if there were no .tmpl files. +# Some .tmpl files contain non-ASCII characters, and the header is needed +# anyway, because it's omitted from xgettext call below. +with open(tmpl_pot, 'wt', encoding='utf8') as f: + print('msgid ""', file=f) + print('msgstr ""', file=f) + print(r'"Content-Type: text/plain; charset=UTF-8\n"', file=f) + print(r'"Content-Transfer-Encoding: 8bit\n"', file=f) + print(file=f) + for line in tmpl: + print(line, file=f) +subprocess.check_call(['msguniq', '--force-po', '-o', tmpl_uniq_pot, tmpl_pot]) +pot_list.append(tmpl_uniq_pot) # .cpp main_pot = args.tmp_prefix + '_main.pot' From 70bf4ad9bac08af30ee72f87b11f40487abb420d Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Sun, 26 Nov 2017 22:12:09 +0000 Subject: [PATCH 015/798] Fix wrong English text, close #1465 --- modules/controlpanel.cpp | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/modules/controlpanel.cpp b/modules/controlpanel.cpp index 6192e5ed..429225c1 100644 --- a/modules/controlpanel.cpp +++ b/modules/controlpanel.cpp @@ -711,7 +711,7 @@ class CAdminMod : public CModule { } PutModule(t_p("Channel {1} is deleted from network {2} of user {3}", - "Channels {2} are deleted from network {2} of user {3}", + "Channels {1} are deleted from network {2} of user {3}", vsNames.size())( CString(", ").Join(vsNames.begin(), vsNames.end()), pNetwork->GetName(), sUsername)); From 66897057562fbd1a4e054c18d4e0afaba19e9bc1 Mon Sep 17 00:00:00 2001 From: Uli Schlachter Date: Mon, 27 Nov 2017 12:09:00 +0100 Subject: [PATCH 016/798] Add missing space in "hasno" Fixes the remaining part of #1465. --- modules/controlpanel.cpp | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/modules/controlpanel.cpp b/modules/controlpanel.cpp index 429225c1..7cc2d456 100644 --- a/modules/controlpanel.cpp +++ b/modules/controlpanel.cpp @@ -1528,7 +1528,7 @@ class CAdminMod : public CModule { if (!pNetwork) return; if (pNetwork->GetModules().empty()) { - PutModule(t_f("Network {1} of user {2} hasno modules loaded.")( + PutModule(t_f("Network {1} of user {2} has no modules loaded.")( pNetwork->GetName(), pUser->GetUserName())); } From 23c78dc318627ee7fd6b15fee74c926fce968cb7 Mon Sep 17 00:00:00 2001 From: culb Date: Sat, 2 Dec 2017 18:28:02 -0500 Subject: [PATCH 017/798] Update crypt module: Fix for LibreSSL (#1439) --- modules/crypt.cpp | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/modules/crypt.cpp b/modules/crypt.cpp index e342a139..1b90f851 100644 --- a/modules/crypt.cpp +++ b/modules/crypt.cpp @@ -68,7 +68,7 @@ class CCryptMod : public CModule { CString m_sPrivKey; CString m_sPubKey; -#if OPENSSL_VERSION_NUMBER < 0X10100000L +#if OPENSSL_VERSION_NUMBER < 0X10100000L || defined(LIBRESSL_VERSION_NUMBER) static int DH_set0_pqg(DH* dh, BIGNUM* p, BIGNUM* q, BIGNUM* g) { /* If the fields p and g in dh are nullptr, the corresponding input * parameters MUST be non-nullptr. q may remain nullptr. From 5c1fb61f459b75bce25a09c3fabc02ed2723f840 Mon Sep 17 00:00:00 2001 From: Uli Schlachter Date: Sun, 3 Dec 2017 00:29:00 +0100 Subject: [PATCH 018/798] controlpanel: Change "double" to "number" (#1468) For a programmer, "double" makes sense as a data type, but for a human this is just a number. --- modules/controlpanel.cpp | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/modules/controlpanel.cpp b/modules/controlpanel.cpp index 7cc2d456..7eb26422 100644 --- a/modules/controlpanel.cpp +++ b/modules/controlpanel.cpp @@ -77,7 +77,7 @@ class CAdminMod : public CModule { const CString str = t_s("String"); const CString boolean = t_s("Boolean (true/false)"); const CString integer = t_s("Integer"); - const CString doublenum = t_s("Double"); + const CString number = t_s("Number"); const CString sCmdFilter = sLine.Token(1, false); const CString sVarFilter = sLine.Token(2, true).AsLower(); @@ -131,7 +131,7 @@ class CAdminMod : public CModule { {"Ident", str}, {"RealName", str}, {"BindHost", str}, - {"FloodRate", doublenum}, + {"FloodRate", number}, {"FloodBurst", integer}, {"JoinDelay", integer}, #ifdef HAVE_ICU From 5132ea987e0e9b2c467ce27f24805ceef056c58c Mon Sep 17 00:00:00 2001 From: weabot Date: Sat, 2 Dec 2017 18:31:04 -0500 Subject: [PATCH 019/798] Avoid calling OnWho on every channel in the network WHO was called in. (#1461) --- src/IRCSock.cpp | 14 ++++++-------- 1 file changed, 6 insertions(+), 8 deletions(-) diff --git a/src/IRCSock.cpp b/src/IRCSock.cpp index 11822ea3..8b581ea4 100644 --- a/src/IRCSock.cpp +++ b/src/IRCSock.cpp @@ -856,15 +856,13 @@ bool CIRCSock::OnNumericMessage(CNumericMessage& Message) { m_pNetwork->SetIRCNick(m_Nick); m_pNetwork->SetIRCServer(sServer); - const vector& vChans = m_pNetwork->GetChans(); - - for (CChan* pChan : vChans) { - pChan->OnWho(sNick, sIdent, sHost); - } - CChan* pChan = m_pNetwork->FindChan(sChan); - if (pChan && pChan->IsDetached()) { - return true; + + if (pChan) { + pChan->OnWho(sNick, sIdent, sHost); + if (pChan->IsDetached()) { + return true; + } } break; From 15b1f8d8fa39f931c41580e55eb1514e86563a31 Mon Sep 17 00:00:00 2001 From: Vladimir Panteleev Date: Sun, 10 Dec 2017 04:44:13 +0000 Subject: [PATCH 020/798] Change format syntax to a simple custom %f/%#f scheme --- include/znc/Utils.h | 10 ++++------ modules/listsockets.cpp | 2 +- src/Utils.cpp | 11 ++++------- test/UtilsTest.cpp | 19 +++++++++---------- 4 files changed, 18 insertions(+), 24 deletions(-) diff --git a/include/znc/Utils.h b/include/znc/Utils.h index 2ba62996..8029f249 100644 --- a/include/znc/Utils.h +++ b/include/znc/Utils.h @@ -79,13 +79,11 @@ class CUtils { static CString CTime(time_t t, const CString& sTZ); static CString FormatTime(time_t t, const CString& sFormat, const CString& sTZ); - /** Supports additional format specifiers for formatting sub-second values: + /** Supports an additional format specifier for formatting sub-second values: * - * - %L - millisecond, 3 digits (ruby extension) - * - %N - sub-second fraction (ruby extension) - * - %3N - millisecond - * - %6N - microsecond - * - %9N - nanosecond (default if no digit specified) + * - %f - sub-second fraction + * - %3f - millisecond (default, if no width is specified) + * - %6f - microsecond * * However, note that timeval only supports microsecond precision * (thus, formatting with higher-than-microsecond precision will diff --git a/modules/listsockets.cpp b/modules/listsockets.cpp index c35013c4..d3ec7170 100644 --- a/modules/listsockets.cpp +++ b/modules/listsockets.cpp @@ -157,7 +157,7 @@ class CListSockets : public CModule { timeval tv; tv.tv_sec = iStartTime / 1000; tv.tv_usec = iStartTime % 1000 * 1000; - return CUtils::FormatTime(tv, "%Y-%m-%d %H:%M:%S.%L", + return CUtils::FormatTime(tv, "%Y-%m-%d %H:%M:%S.%f", GetUser()->GetTimezone()); } diff --git a/src/Utils.cpp b/src/Utils.cpp index 72d49f58..6f40d6ed 100644 --- a/src/Utils.cpp +++ b/src/Utils.cpp @@ -506,8 +506,8 @@ CString CUtils::FormatTime(const timeval& tv, const CString& sFormat, // specifiers is undefined. CString sFormat2; - // Make sure %% is parsed correctly, i.e. %%L is passed through to - // strftime to become %L, and not 123. + // Make sure %% is parsed correctly, i.e. %%f is passed through to + // strftime to become %f, and not 123. bool bInFormat = false; int iDigits; CString::size_type uLastCopied = 0, uFormatStart; @@ -517,7 +517,7 @@ CString CUtils::FormatTime(const timeval& tv, const CString& sFormat, if (sFormat[i] == '%') { uFormatStart = i; bInFormat = true; - iDigits = 9; + iDigits = 3; } } else { switch (sFormat[i]) { @@ -525,10 +525,7 @@ CString CUtils::FormatTime(const timeval& tv, const CString& sFormat, case '5': case '6': case '7': case '8': case '9': iDigits = sFormat[i] - '0'; break; - case 'L': - iDigits = 3; - // fall-through - case 'N': { + case 'f': { int iVal = tv.tv_usec; int iDigitDelta = iDigits - 6; // tv_user is in 10^-6 seconds for (; iDigitDelta > 0; iDigitDelta--) diff --git a/test/UtilsTest.cpp b/test/UtilsTest.cpp index 0fe06e92..aed89deb 100644 --- a/test/UtilsTest.cpp +++ b/test/UtilsTest.cpp @@ -123,21 +123,20 @@ class TimeTest : public testing::TestWithParam< TEST_P(TimeTest, FormatTime) { timeval tv = std::get<0>(GetParam()); - EXPECT_EQ(std::get<1>(GetParam()), CUtils::FormatTime(tv, "%s.%L", "UTC")); - EXPECT_EQ(std::get<2>(GetParam()), CUtils::FormatTime(tv, "%s.%N", "UTC")); - EXPECT_EQ(std::get<3>(GetParam()), CUtils::FormatTime(tv, "%s.%3N", "UTC")); + EXPECT_EQ(std::get<1>(GetParam()), CUtils::FormatTime(tv, "%s.%f", "UTC")); + EXPECT_EQ(std::get<2>(GetParam()), CUtils::FormatTime(tv, "%s.%6f", "UTC")); + EXPECT_EQ(std::get<3>(GetParam()), CUtils::FormatTime(tv, "%s.%9f", "UTC")); } INSTANTIATE_TEST_CASE_P( TimeTest, TimeTest, testing::Values( // leading zeroes - std::make_tuple(timeval{42, 12345}, "42.012", "42.012345000", "42.012"), + std::make_tuple(timeval{42, 12345}, "42.012", "42.012345", "42.012345000"), // (no) rounding - std::make_tuple(timeval{42, 999999}, "42.999", "42.999999000", - "42.999"), + std::make_tuple(timeval{42, 999999}, "42.999", "42.999999", "42.999999000"), // no tv_usec part - std::make_tuple(timeval{42, 0}, "42.000", "42.000000000", "42.000"))); + std::make_tuple(timeval{42, 0}, "42.000", "42.000000", "42.000000000"))); TEST(UtilsTest, FormatTime) { // Test passthrough @@ -151,10 +150,10 @@ TEST(UtilsTest, FormatTime) { timeval tv2; tv2.tv_sec = 42; tv2.tv_usec = 123456; - CString str2 = CUtils::FormatTime(tv2, "%%L", "UTC"); - EXPECT_EQ("%L", str2); + CString str2 = CUtils::FormatTime(tv2, "%%f", "UTC"); + EXPECT_EQ("%f", str2); // Test suffix - CString str3 = CUtils::FormatTime(tv2, "a%Lb", "UTC"); + CString str3 = CUtils::FormatTime(tv2, "a%fb", "UTC"); EXPECT_EQ("a123b", str3); } From 9bb838774590bd1ae88f1763b29eaf8f5adca6ba Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Sun, 10 Dec 2017 09:50:26 +0000 Subject: [PATCH 021/798] Revert "Avoid calling OnWho on every channel in the network WHO was called in. (#1461)" This reverts commit 5132ea987e0e9b2c467ce27f24805ceef056c58c. Add a comment to explain the old behavior, by courtesy of @psychon --- src/IRCSock.cpp | 18 +++++++++++++----- 1 file changed, 13 insertions(+), 5 deletions(-) diff --git a/src/IRCSock.cpp b/src/IRCSock.cpp index 8b581ea4..203133bc 100644 --- a/src/IRCSock.cpp +++ b/src/IRCSock.cpp @@ -856,13 +856,21 @@ bool CIRCSock::OnNumericMessage(CNumericMessage& Message) { m_pNetwork->SetIRCNick(m_Nick); m_pNetwork->SetIRCServer(sServer); - CChan* pChan = m_pNetwork->FindChan(sChan); + // A nick can only have one ident and hostname. Yes, you can query + // this information per-channel, but it is still global. For + // example, if the client supports UHNAMES, but the IRC server does + // not, then AFAIR "passive snooping of WHO replies" is the only way + // that ZNC can figure out the ident and host for the UHNAMES + // replies. + const vector& vChans = m_pNetwork->GetChans(); - if (pChan) { + for (CChan* pChan : vChans) { pChan->OnWho(sNick, sIdent, sHost); - if (pChan->IsDetached()) { - return true; - } + } + + CChan* pChan = m_pNetwork->FindChan(sChan); + if (pChan && pChan->IsDetached()) { + return true; } break; From 3b3a0ac291861c3b3832bc155ef3c9415a269f52 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Wed, 13 Dec 2017 00:21:59 +0000 Subject: [PATCH 022/798] Export CMake target more cleanly. This allows external modules to use newer C++ versions than C++11. --- ZNCConfig.cmake.in | 11 ++++------- modules/CMakeLists.txt | 5 ++--- src/CMakeLists.txt | 21 ++++++++++++++++++--- 3 files changed, 24 insertions(+), 13 deletions(-) diff --git a/ZNCConfig.cmake.in b/ZNCConfig.cmake.in index c6108e49..3e921846 100644 --- a/ZNCConfig.cmake.in +++ b/ZNCConfig.cmake.in @@ -14,7 +14,8 @@ # limitations under the License. # -include("${CMAKE_CURRENT_LIST_DIR}/znc.cmake") +include("${CMAKE_CURRENT_LIST_DIR}/znc_internal.cmake") +include("${CMAKE_CURRENT_LIST_DIR}/znc_public.cmake") include(CMakeParseArguments) # For some reason cygwin fails to build modules if Threads::Threads @@ -36,16 +37,12 @@ endif() function(znc_setup_module) cmake_parse_arguments(znc_mod "" "TARGET;NAME" "" ${ARGN}) set_target_properties("${znc_mod_TARGET}" PROPERTIES - CXX_STANDARD 11 - CXX_STANDARD_REQUIRED true OUTPUT_NAME "${znc_mod_NAME}" PREFIX "" SUFFIX ".so" NO_SONAME true - CXX_VISIBILITY_PRESET "hidden" - COMPILE_DEFINITIONS "znc_export_lib_EXPORTS") - set(znc_link "@znc_link@") - target_link_libraries("${znc_mod_TARGET}" PUBLIC "znc_internal_${znc_link}") + CXX_VISIBILITY_PRESET "hidden") + target_link_libraries("${znc_mod_TARGET}" PRIVATE ZNC::ZNC) endfunction() message(STATUS "Found ZNC @ZNC_VERSION@") diff --git a/modules/CMakeLists.txt b/modules/CMakeLists.txt index 5307c5e4..5cf331cc 100644 --- a/modules/CMakeLists.txt +++ b/modules/CMakeLists.txt @@ -24,8 +24,7 @@ function(add_cxx_module mod modpath) PREFIX "" SUFFIX ".so" NO_SONAME true - CXX_VISIBILITY_PRESET "hidden" - COMPILE_DEFINITIONS "znc_export_lib_EXPORTS") + CXX_VISIBILITY_PRESET "hidden") if(moddef_${mod}) target_compile_definitions("module_${mod}" ${moddef_${mod}}) endif() @@ -41,7 +40,7 @@ function(add_cxx_module mod modpath) # ${znclib_LIB_DEPENDS} is to overcome OSX's need for -undefined suppress # when accessing symbols exported by dependencies of znclib (e.g. # openssl), but not used in znclib itself - target_link_libraries("module_${mod}" PRIVATE ${znc_link} ${modlink_${mod}} + target_link_libraries("module_${mod}" PRIVATE ZNC ${modlink_${mod}} ${znclib_LIB_DEPENDS}) set_target_properties("module_${mod}" PROPERTIES "" "" ${modprop_${mod}}) install(TARGETS "module_${mod}" diff --git a/src/CMakeLists.txt b/src/CMakeLists.txt index 4bae1304..34d5f4ec 100644 --- a/src/CMakeLists.txt +++ b/src/CMakeLists.txt @@ -95,17 +95,32 @@ set_target_properties(znclib PROPERTIES OUTPUT_NAME "znc" SOVERSION "${PROJECT_VERSION_MAJOR}.${PROJECT_VERSION_MINOR}") +# CMake started supporting metafeature cxx_std_11 only in 3.8 +set(required_cxx11_features + cxx_range_for cxx_nullptr cxx_override + cxx_lambdas cxx_auto_type) +target_compile_features(znc PUBLIC ${required_cxx11_features}) +target_compile_features(znclib PUBLIC ${required_cxx11_features}) + +add_library(ZNC INTERFACE) +target_link_libraries(ZNC INTERFACE ${znc_link}) +target_compile_definitions(ZNC INTERFACE "znc_export_lib_EXPORTS") + if(HAVE_I18N) add_subdirectory(po) endif() install(TARGETS znc ${install_lib} - EXPORT znc + EXPORT znc_internal RUNTIME DESTINATION "${CMAKE_INSTALL_BINDIR}" LIBRARY DESTINATION "${CMAKE_INSTALL_LIBDIR}" # this one is libznc.dll.a for cygwin ARCHIVE DESTINATION "${CMAKE_INSTALL_LIBDIR}") -install(EXPORT znc +install(TARGETS ZNC EXPORT znc_public) +install(EXPORT znc_internal DESTINATION "${CMAKE_INSTALL_DATADIR}/znc/cmake" - NAMESPACE znc_internal_) + NAMESPACE ZNC::internal::) +install(EXPORT znc_public + DESTINATION "${CMAKE_INSTALL_DATADIR}/znc/cmake" + NAMESPACE ZNC::) From f5fc51a63b28bf17de43000947c291db3cd5ebe3 Mon Sep 17 00:00:00 2001 From: James Lu Date: Wed, 13 Dec 2017 20:21:21 -0500 Subject: [PATCH 023/798] src/Client: send failed logins to NOTICE instead of PRIVMSG When connecting to many ZNC networks at once, one failed login causes numerous query windows from *status to pop up. These can be annoying to close depending on the client. --- src/Client.cpp | 7 +++---- 1 file changed, 3 insertions(+), 4 deletions(-) diff --git a/src/Client.cpp b/src/Client.cpp index 93e8e595..6b7b7991 100644 --- a/src/Client.cpp +++ b/src/Client.cpp @@ -368,10 +368,9 @@ void CAuthBase::RefuseLogin(const CString& sReason) { // login. Use sReason because there are other reasons than "wrong // password" for a login to be rejected (e.g. fail2ban). if (pUser) { - pUser->PutStatus("A client from [" + GetRemoteIP() + - "] attempted " - "to login as you, but was rejected [" + - sReason + "]."); + pUser->PutStatusNotice("A client from [" + GetRemoteIP() + "] attempted " + "to login as you, but was rejected [" + + sReason + "]."); } GLOBALMODULECALL(OnFailedLogin(GetUsername(), GetRemoteIP()), NOTHING); From 4a2c22337962afc4650933ef30b207cb8d2797d3 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Thu, 14 Dec 2017 10:26:07 +0000 Subject: [PATCH 024/798] Add comments for translator to .tmpl files (#1473) They are ignored in CTemplate, because the string doesn't reference it as {N} --- modules/data/cert/tmpl/index.tmpl | 4 ++-- modules/po/cert.pot | 2 ++ translation_pot.py | 6 ++++-- 3 files changed, 8 insertions(+), 4 deletions(-) diff --git a/modules/data/cert/tmpl/index.tmpl b/modules/data/cert/tmpl/index.tmpl index 332339c4..d3a12cee 100644 --- a/modules/data/cert/tmpl/index.tmpl +++ b/modules/data/cert/tmpl/index.tmpl @@ -2,8 +2,8 @@ - -

+ +

diff --git a/modules/po/cert.pot b/modules/po/cert.pot index 15907264..bcf2a85d 100644 --- a/modules/po/cert.pot +++ b/modules/po/cert.pot @@ -3,10 +3,12 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" +# this text is inserted into `click here` in the other string #: modules/po/../data/cert/tmpl/index.tmpl:5 msgid "here" msgstr "" +# {1} is `here`, translateable in the other string #: modules/po/../data/cert/tmpl/index.tmpl:6 msgid "" "You already have a certificate set, use the form below to overwrite the " diff --git a/translation_pot.py b/translation_pot.py index bcd96a5f..d86e9dff 100755 --- a/translation_pot.py +++ b/translation_pot.py @@ -36,14 +36,16 @@ pot_list = [] tmpl_pot = args.tmp_prefix + '_tmpl.pot' tmpl_uniq_pot = args.tmp_prefix + '_tmpl_uniq.pot' tmpl = [] -pattern = re.compile(r'<\?\s*(?:FORMAT|(PLURAL))\s+(?:CTX="([^"]+?)"\s+)?"([^"]+?)"(?(1)\s+"([^"]+?)"|).*?\?>') +pattern = re.compile(r'<\?\s*(?:FORMAT|(PLURAL))\s+(?:CTX="([^"]+?)"\s+)?"([^"]+?)"(?(1)\s+"([^"]+?)"|).*?(?:"TRANSLATORS:\s*([^"]+?)")?\s*\?>') for tmpl_dir in args.tmpl_dirs: for fname in glob.iglob(tmpl_dir + '/*.tmpl'): fbase = fname[len(args.strip_prefix):] with open(fname, 'rt', encoding='utf8') as f: for linenum, line in enumerate(f): for x in pattern.finditer(line): - text, plural, context = x.group(3), x.group(4), x.group(2) + text, plural, context, comment = x.group(3), x.group(4), x.group(2), x.group(5) + if comment: + tmpl.append('# {}'.format(comment)) tmpl.append('#: {}:{}'.format(fbase, linenum + 1)) if context: tmpl.append('msgctxt "{}"'.format(context)) From 35753b9d9de62cdaa90231e58f03a60b50dac9a0 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Fri, 15 Dec 2017 00:02:23 +0000 Subject: [PATCH 025/798] Add Project-Id-Version to .pot files, maybe it'll fix crowdin (#1462) --- translation_pot.py | 1 + 1 file changed, 1 insertion(+) diff --git a/translation_pot.py b/translation_pot.py index d86e9dff..62070605 100755 --- a/translation_pot.py +++ b/translation_pot.py @@ -66,6 +66,7 @@ with open(tmpl_pot, 'wt', encoding='utf8') as f: print('msgstr ""', file=f) print(r'"Content-Type: text/plain; charset=UTF-8\n"', file=f) print(r'"Content-Transfer-Encoding: 8bit\n"', file=f) + print(r'"Project-Id-Version: znc-bouncer\n"', file=f) print(file=f) for line in tmpl: print(line, file=f) From 9dbe7bb8596cc50219dc625ee1b51459f19bc5fe Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Fri, 15 Dec 2017 01:23:44 +0000 Subject: [PATCH 026/798] Update translations from Crowdin --- modules/po/adminlog.de.po | 71 ++ modules/po/adminlog.pot | 1 + modules/po/adminlog.ru.po | 71 ++ modules/po/alias.de.po | 125 ++++ modules/po/alias.pot | 1 + modules/po/alias.ru.po | 125 ++++ modules/po/autoattach.de.po | 87 +++ modules/po/autoattach.pot | 1 + modules/po/autoattach.ru.po | 87 +++ modules/po/autocycle.de.po | 71 ++ modules/po/autocycle.pot | 1 + modules/po/autocycle.ru.po | 71 ++ modules/po/autoop.de.po | 167 +++++ modules/po/autoop.pot | 1 + modules/po/autoop.ru.po | 167 +++++ modules/po/autoreply.de.po | 43 ++ modules/po/autoreply.pot | 1 + modules/po/autoreply.ru.po | 43 ++ modules/po/autovoice.de.po | 111 +++ modules/po/autovoice.pot | 1 + modules/po/autovoice.ru.po | 111 +++ modules/po/awaystore.de.po | 107 +++ modules/po/awaystore.pot | 1 + modules/po/awaystore.ru.po | 107 +++ modules/po/block_motd.de.po | 35 + modules/po/block_motd.pot | 1 + modules/po/block_motd.ru.po | 35 + modules/po/blockuser.de.po | 99 +++ modules/po/blockuser.pot | 1 + modules/po/blockuser.ru.po | 99 +++ modules/po/bouncedcc.de.po | 129 ++++ modules/po/bouncedcc.pot | 1 + modules/po/bouncedcc.ru.po | 129 ++++ modules/po/buffextras.de.po | 51 ++ modules/po/buffextras.pot | 1 + modules/po/buffextras.ru.po | 51 ++ modules/po/cert.de.po | 73 ++ modules/po/cert.pot | 1 + modules/po/cert.ru.po | 41 +- modules/po/certauth.de.po | 110 +++ modules/po/certauth.pot | 1 + modules/po/certauth.ru.po | 110 +++ modules/po/chansaver.de.po | 19 + modules/po/chansaver.pot | 1 + modules/po/chansaver.ru.po | 19 + modules/po/clearbufferonmsg.de.po | 19 + modules/po/clearbufferonmsg.pot | 1 + modules/po/clearbufferonmsg.ru.po | 19 + modules/po/clientnotify.de.po | 69 ++ modules/po/clientnotify.pot | 1 + modules/po/clientnotify.ru.po | 70 ++ modules/po/controlpanel.de.po | 706 ++++++++++++++++++ modules/po/controlpanel.pot | 7 +- modules/po/controlpanel.ru.po | 707 ++++++++++++++++++ modules/po/crypt.de.po | 145 ++++ modules/po/crypt.pot | 1 + modules/po/crypt.ru.po | 145 ++++ modules/po/ctcpflood.de.po | 67 ++ modules/po/ctcpflood.pot | 1 + modules/po/ctcpflood.ru.po | 69 ++ modules/po/cyrusauth.de.po | 71 ++ modules/po/cyrusauth.pot | 1 + modules/po/cyrusauth.ru.po | 71 ++ modules/po/dcc.de.po | 228 ++++++ modules/po/dcc.pot | 1 + modules/po/dcc.ru.po | 228 ++++++ modules/po/disconkick.de.po | 23 + modules/po/disconkick.pot | 1 + modules/po/disconkick.ru.po | 23 + modules/po/fail2ban.de.po | 115 +++ modules/po/fail2ban.pot | 1 + modules/po/fail2ban.ru.po | 115 +++ modules/po/flooddetach.de.po | 91 +++ modules/po/flooddetach.pot | 1 + modules/po/flooddetach.ru.po | 93 +++ modules/po/identfile.de.po | 83 +++ modules/po/identfile.pot | 1 + modules/po/identfile.ru.po | 83 +++ modules/po/imapauth.de.po | 23 + modules/po/imapauth.pot | 1 + modules/po/imapauth.ru.po | 23 + modules/po/keepnick.de.po | 55 ++ modules/po/keepnick.pot | 1 + modules/po/keepnick.ru.po | 55 ++ modules/po/kickrejoin.de.po | 63 ++ modules/po/kickrejoin.pot | 1 + modules/po/kickrejoin.ru.po | 65 ++ modules/po/lastseen.de.po | 69 ++ modules/po/lastseen.pot | 1 + modules/po/lastseen.ru.po | 69 ++ modules/po/listsockets.de.po | 115 +++ modules/po/listsockets.pot | 37 +- modules/po/listsockets.ru.po | 115 +++ modules/po/log.de.po | 147 ++++ modules/po/log.pot | 1 + modules/po/log.ru.po | 148 ++++ modules/po/missingmotd.de.po | 19 + modules/po/missingmotd.pot | 1 + modules/po/missingmotd.ru.po | 19 + modules/po/modperl.de.po | 19 + modules/po/modperl.pot | 1 + modules/po/modperl.ru.po | 19 + modules/po/modpython.de.po | 19 + modules/po/modpython.pot | 1 + modules/po/modpython.ru.po | 19 + modules/po/modules_online.de.po | 19 + modules/po/modules_online.pot | 1 + modules/po/modules_online.ru.po | 19 + modules/po/nickserv.de.po | 75 ++ modules/po/nickserv.pot | 1 + modules/po/nickserv.ru.po | 75 ++ modules/po/notes.de.po | 119 +++ modules/po/notes.pot | 1 + modules/po/notes.ru.po | 119 +++ modules/po/notify_connect.de.po | 31 + modules/po/notify_connect.pot | 1 + modules/po/notify_connect.ru.po | 31 + modules/po/partyline.de.po | 39 + modules/po/partyline.pot | 1 + modules/po/partyline.ru.po | 39 + modules/po/perform.de.po | 110 +++ modules/po/perform.pot | 1 + modules/po/perform.ru.po | 110 +++ modules/po/perleval.de.po | 33 + modules/po/perleval.pot | 1 + modules/po/perleval.ru.po | 33 + modules/po/pyeval.de.po | 23 + modules/po/pyeval.pot | 1 + modules/po/pyeval.ru.po | 23 + modules/po/q.de.po | 289 +++++++ modules/po/q.pot | 1 + modules/po/q.ru.po | 289 +++++++ modules/po/raw.de.po | 19 + modules/po/raw.pot | 1 + modules/po/raw.ru.po | 19 + modules/po/route_replies.de.po | 59 ++ modules/po/route_replies.pot | 1 + modules/po/route_replies.ru.po | 59 ++ modules/po/sample.de.po | 121 +++ modules/po/sample.pot | 1 + modules/po/sample.ru.po | 122 +++ modules/po/samplewebapi.de.po | 19 + modules/po/samplewebapi.pot | 1 + modules/po/samplewebapi.ru.po | 19 + modules/po/sasl.de.po | 171 +++++ modules/po/sasl.pot | 1 + modules/po/sasl.ru.po | 171 +++++ modules/po/savebuff.de.po | 59 ++ modules/po/savebuff.pot | 1 + modules/po/savebuff.ru.po | 59 ++ modules/po/send_raw.de.po | 111 +++ modules/po/send_raw.pot | 1 + modules/po/send_raw.ru.po | 111 +++ modules/po/shell.de.po | 31 + modules/po/shell.pot | 1 + modules/po/shell.ru.po | 31 + modules/po/simple_away.de.po | 88 +++ modules/po/simple_away.pot | 1 + modules/po/simple_away.ru.po | 90 +++ modules/po/stickychan.de.po | 103 +++ modules/po/stickychan.pot | 1 + modules/po/stickychan.ru.po | 103 +++ modules/po/stripcontrols.de.po | 19 + modules/po/stripcontrols.pot | 1 + modules/po/stripcontrols.ru.po | 19 + modules/po/watch.de.po | 251 +++++++ modules/po/watch.pot | 1 + modules/po/watch.ru.po | 251 +++++++ modules/po/webadmin.de.po | 1140 ++++++++++++++++++++++++++++ modules/po/webadmin.pot | 1107 +++++++++++++-------------- modules/po/webadmin.ru.po | 1159 +++++++++++++---------------- src/po/znc.de.po | 71 ++ src/po/znc.pot | 23 +- src/po/znc.ru.po | 51 +- 174 files changed, 12821 insertions(+), 1274 deletions(-) create mode 100644 modules/po/adminlog.de.po create mode 100644 modules/po/adminlog.ru.po create mode 100644 modules/po/alias.de.po create mode 100644 modules/po/alias.ru.po create mode 100644 modules/po/autoattach.de.po create mode 100644 modules/po/autoattach.ru.po create mode 100644 modules/po/autocycle.de.po create mode 100644 modules/po/autocycle.ru.po create mode 100644 modules/po/autoop.de.po create mode 100644 modules/po/autoop.ru.po create mode 100644 modules/po/autoreply.de.po create mode 100644 modules/po/autoreply.ru.po create mode 100644 modules/po/autovoice.de.po create mode 100644 modules/po/autovoice.ru.po create mode 100644 modules/po/awaystore.de.po create mode 100644 modules/po/awaystore.ru.po create mode 100644 modules/po/block_motd.de.po create mode 100644 modules/po/block_motd.ru.po create mode 100644 modules/po/blockuser.de.po create mode 100644 modules/po/blockuser.ru.po create mode 100644 modules/po/bouncedcc.de.po create mode 100644 modules/po/bouncedcc.ru.po create mode 100644 modules/po/buffextras.de.po create mode 100644 modules/po/buffextras.ru.po create mode 100644 modules/po/cert.de.po create mode 100644 modules/po/certauth.de.po create mode 100644 modules/po/certauth.ru.po create mode 100644 modules/po/chansaver.de.po create mode 100644 modules/po/chansaver.ru.po create mode 100644 modules/po/clearbufferonmsg.de.po create mode 100644 modules/po/clearbufferonmsg.ru.po create mode 100644 modules/po/clientnotify.de.po create mode 100644 modules/po/clientnotify.ru.po create mode 100644 modules/po/controlpanel.de.po create mode 100644 modules/po/controlpanel.ru.po create mode 100644 modules/po/crypt.de.po create mode 100644 modules/po/crypt.ru.po create mode 100644 modules/po/ctcpflood.de.po create mode 100644 modules/po/ctcpflood.ru.po create mode 100644 modules/po/cyrusauth.de.po create mode 100644 modules/po/cyrusauth.ru.po create mode 100644 modules/po/dcc.de.po create mode 100644 modules/po/dcc.ru.po create mode 100644 modules/po/disconkick.de.po create mode 100644 modules/po/disconkick.ru.po create mode 100644 modules/po/fail2ban.de.po create mode 100644 modules/po/fail2ban.ru.po create mode 100644 modules/po/flooddetach.de.po create mode 100644 modules/po/flooddetach.ru.po create mode 100644 modules/po/identfile.de.po create mode 100644 modules/po/identfile.ru.po create mode 100644 modules/po/imapauth.de.po create mode 100644 modules/po/imapauth.ru.po create mode 100644 modules/po/keepnick.de.po create mode 100644 modules/po/keepnick.ru.po create mode 100644 modules/po/kickrejoin.de.po create mode 100644 modules/po/kickrejoin.ru.po create mode 100644 modules/po/lastseen.de.po create mode 100644 modules/po/lastseen.ru.po create mode 100644 modules/po/listsockets.de.po create mode 100644 modules/po/listsockets.ru.po create mode 100644 modules/po/log.de.po create mode 100644 modules/po/log.ru.po create mode 100644 modules/po/missingmotd.de.po create mode 100644 modules/po/missingmotd.ru.po create mode 100644 modules/po/modperl.de.po create mode 100644 modules/po/modperl.ru.po create mode 100644 modules/po/modpython.de.po create mode 100644 modules/po/modpython.ru.po create mode 100644 modules/po/modules_online.de.po create mode 100644 modules/po/modules_online.ru.po create mode 100644 modules/po/nickserv.de.po create mode 100644 modules/po/nickserv.ru.po create mode 100644 modules/po/notes.de.po create mode 100644 modules/po/notes.ru.po create mode 100644 modules/po/notify_connect.de.po create mode 100644 modules/po/notify_connect.ru.po create mode 100644 modules/po/partyline.de.po create mode 100644 modules/po/partyline.ru.po create mode 100644 modules/po/perform.de.po create mode 100644 modules/po/perform.ru.po create mode 100644 modules/po/perleval.de.po create mode 100644 modules/po/perleval.ru.po create mode 100644 modules/po/pyeval.de.po create mode 100644 modules/po/pyeval.ru.po create mode 100644 modules/po/q.de.po create mode 100644 modules/po/q.ru.po create mode 100644 modules/po/raw.de.po create mode 100644 modules/po/raw.ru.po create mode 100644 modules/po/route_replies.de.po create mode 100644 modules/po/route_replies.ru.po create mode 100644 modules/po/sample.de.po create mode 100644 modules/po/sample.ru.po create mode 100644 modules/po/samplewebapi.de.po create mode 100644 modules/po/samplewebapi.ru.po create mode 100644 modules/po/sasl.de.po create mode 100644 modules/po/sasl.ru.po create mode 100644 modules/po/savebuff.de.po create mode 100644 modules/po/savebuff.ru.po create mode 100644 modules/po/send_raw.de.po create mode 100644 modules/po/send_raw.ru.po create mode 100644 modules/po/shell.de.po create mode 100644 modules/po/shell.ru.po create mode 100644 modules/po/simple_away.de.po create mode 100644 modules/po/simple_away.ru.po create mode 100644 modules/po/stickychan.de.po create mode 100644 modules/po/stickychan.ru.po create mode 100644 modules/po/stripcontrols.de.po create mode 100644 modules/po/stripcontrols.ru.po create mode 100644 modules/po/watch.de.po create mode 100644 modules/po/watch.ru.po create mode 100644 modules/po/webadmin.de.po create mode 100644 src/po/znc.de.po diff --git a/modules/po/adminlog.de.po b/modules/po/adminlog.de.po new file mode 100644 index 00000000..78c3fc4b --- /dev/null +++ b/modules/po/adminlog.de.po @@ -0,0 +1,71 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: de\n" +"X-Crowdin-File: /master/modules/po/adminlog.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: German\n" +"Language: de_DE\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: adminlog.cpp:29 +msgid "Show the logging target" +msgstr "Das Log-Ziel anzeigen" + +#: adminlog.cpp:31 +msgid " [path]" +msgstr " [Pfad]" + +#: adminlog.cpp:32 +msgid "Set the logging target" +msgstr "Das Log-Ziel setzen" + +#: adminlog.cpp:144 +msgid "Access denied" +msgstr "Zutritt verweigert" + +#: adminlog.cpp:158 +msgid "Now logging to file" +msgstr "Es wird jetzt ein Datei-Protokoll geschrieben" + +#: adminlog.cpp:162 +msgid "Now only logging to syslog" +msgstr "Es wird nun ins Syslog geschrieben" + +#: adminlog.cpp:166 +msgid "Now logging to syslog and file" +msgstr "Es wird nun ins Syslog und eine Protokoll-Datei geschrieben" + +#: adminlog.cpp:170 +msgid "Usage: Target [path]" +msgstr "Verwendung: Target [Pfad]" + +#: adminlog.cpp:172 +msgid "Unknown target" +msgstr "Unbekanntes Ziel" + +#: adminlog.cpp:194 +msgid "Logging is enabled for file" +msgstr "Es wird ein Datei-Protokoll geschrieben" + +#: adminlog.cpp:197 +msgid "Logging is enabled for syslog" +msgstr "Es wird ins Syslog geschrieben" + +#: adminlog.cpp:200 +msgid "Logging is enabled for both, file and syslog" +msgstr "Es wird sowohl eine Protokoll-Datei als auch ins Syslog geschrieben" + +#: adminlog.cpp:206 +msgid "Log file will be written to {1}" +msgstr "Datei-Protokoll wird nach {1} geschrieben" + +#: adminlog.cpp:224 +msgid "Log ZNC events to file and/or syslog." +msgstr "Protokolliere ZNC-Ereignisse in eine Datei und/order ins Syslog." + diff --git a/modules/po/adminlog.pot b/modules/po/adminlog.pot index 7aeff420..fa8fa6ca 100644 --- a/modules/po/adminlog.pot +++ b/modules/po/adminlog.pot @@ -2,6 +2,7 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" #: adminlog.cpp:29 msgid "Show the logging target" diff --git a/modules/po/adminlog.ru.po b/modules/po/adminlog.ru.po new file mode 100644 index 00000000..c5faf084 --- /dev/null +++ b/modules/po/adminlog.ru.po @@ -0,0 +1,71 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: ru\n" +"X-Crowdin-File: /master/modules/po/adminlog.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Russian\n" +"Language: ru_RU\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: adminlog.cpp:29 +msgid "Show the logging target" +msgstr "" + +#: adminlog.cpp:31 +msgid " [path]" +msgstr "" + +#: adminlog.cpp:32 +msgid "Set the logging target" +msgstr "" + +#: adminlog.cpp:144 +msgid "Access denied" +msgstr "" + +#: adminlog.cpp:158 +msgid "Now logging to file" +msgstr "" + +#: adminlog.cpp:162 +msgid "Now only logging to syslog" +msgstr "" + +#: adminlog.cpp:166 +msgid "Now logging to syslog and file" +msgstr "" + +#: adminlog.cpp:170 +msgid "Usage: Target [path]" +msgstr "" + +#: adminlog.cpp:172 +msgid "Unknown target" +msgstr "" + +#: adminlog.cpp:194 +msgid "Logging is enabled for file" +msgstr "" + +#: adminlog.cpp:197 +msgid "Logging is enabled for syslog" +msgstr "" + +#: adminlog.cpp:200 +msgid "Logging is enabled for both, file and syslog" +msgstr "" + +#: adminlog.cpp:206 +msgid "Log file will be written to {1}" +msgstr "" + +#: adminlog.cpp:224 +msgid "Log ZNC events to file and/or syslog." +msgstr "" + diff --git a/modules/po/alias.de.po b/modules/po/alias.de.po new file mode 100644 index 00000000..8a924b57 --- /dev/null +++ b/modules/po/alias.de.po @@ -0,0 +1,125 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: de\n" +"X-Crowdin-File: /master/modules/po/alias.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: German\n" +"Language: de_DE\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: alias.cpp:141 +msgid "missing required parameter: {1}" +msgstr "Fehlendes erforderliches Argument: {1}" + +#: alias.cpp:201 +msgid "Created alias: {1}" +msgstr "Alias angelegt: {1}" + +#: alias.cpp:203 +msgid "Alias already exists." +msgstr "Alias existiert bereits." + +#: alias.cpp:210 +msgid "Deleted alias: {1}" +msgstr "Alias gelöscht: {1}" + +#: alias.cpp:213 alias.cpp:224 alias.cpp:246 alias.cpp:265 alias.cpp:276 +#: alias.cpp:333 +msgid "Alias does not exist." +msgstr "Alias existiert nicht." + +#: alias.cpp:222 alias.cpp:244 alias.cpp:263 alias.cpp:274 +msgid "Modified alias." +msgstr "Alias modifiziert." + +#: alias.cpp:236 alias.cpp:256 +msgid "Invalid index." +msgstr "Ungültiger Index." + +#: alias.cpp:282 alias.cpp:298 +msgid "There are no aliases." +msgstr "Es gibt keine Aliase." + +#: alias.cpp:289 +msgid "The following aliases exist: {1}" +msgstr "Der folgende Alias existiert: {1}" + +#: alias.cpp:290 +msgctxt "list|separator" +msgid ", " +msgstr ", " + +#: alias.cpp:324 +msgid "Actions for alias {1}:" +msgstr "Aktionen für Alias {1}:" + +#: alias.cpp:331 +msgid "End of actions for alias {1}." +msgstr "Ende der Aktionen für Alias {1}." + +#: alias.cpp:338 alias.cpp:341 alias.cpp:352 alias.cpp:357 +msgid "" +msgstr "" + +#: alias.cpp:339 +msgid "Creates a new, blank alias called name." +msgstr "Legt einen neuen, leeren Alias namens Name an." + +#: alias.cpp:341 +msgid "Deletes an existing alias." +msgstr "Löscht einen existierenden Alias." + +#: alias.cpp:343 +msgid " " +msgstr " " + +#: alias.cpp:344 +msgid "Adds a line to an existing alias." +msgstr "Fügt eine Zeile zu einem existierenden Alias hinzu." + +#: alias.cpp:346 +msgid " " +msgstr " " + +#: alias.cpp:347 +msgid "Inserts a line into an existing alias." +msgstr "Fügt eine Zeile in einen existierenden Alias ein." + +#: alias.cpp:349 +msgid " " +msgstr " " + +#: alias.cpp:350 +msgid "Removes a line from an existing alias." +msgstr "Entfernt eine Zeile von einem existierenden Alias." + +#: alias.cpp:353 +msgid "Removes all lines from an existing alias." +msgstr "Entfernt alle Zeile von einem existierenden Alias." + +#: alias.cpp:355 +msgid "Lists all aliases by name." +msgstr "Zeigt alle Aliase nach Namen an." + +#: alias.cpp:358 +msgid "Reports the actions performed by an alias." +msgstr "Zeigt die Aktionen an, die vom Alias durchgeführt werden." + +#: alias.cpp:362 +msgid "Generate a list of commands to copy your alias config." +msgstr "Erzeugt eine Liste an Befehlen um ihre Alias-Konfiguration zu kopieren." + +#: alias.cpp:374 +msgid "Clearing all of them!" +msgstr "Alle von ihnen werden gelöscht!" + +#: alias.cpp:409 +msgid "Provides bouncer-side command alias support." +msgstr "Bietet Alias-Unterstützung im Bouncer an." + diff --git a/modules/po/alias.pot b/modules/po/alias.pot index 9b7624c6..d1d40f82 100644 --- a/modules/po/alias.pot +++ b/modules/po/alias.pot @@ -2,6 +2,7 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" #: alias.cpp:141 msgid "missing required parameter: {1}" diff --git a/modules/po/alias.ru.po b/modules/po/alias.ru.po new file mode 100644 index 00000000..498a12f1 --- /dev/null +++ b/modules/po/alias.ru.po @@ -0,0 +1,125 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: ru\n" +"X-Crowdin-File: /master/modules/po/alias.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Russian\n" +"Language: ru_RU\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: alias.cpp:141 +msgid "missing required parameter: {1}" +msgstr "" + +#: alias.cpp:201 +msgid "Created alias: {1}" +msgstr "" + +#: alias.cpp:203 +msgid "Alias already exists." +msgstr "" + +#: alias.cpp:210 +msgid "Deleted alias: {1}" +msgstr "" + +#: alias.cpp:213 alias.cpp:224 alias.cpp:246 alias.cpp:265 alias.cpp:276 +#: alias.cpp:333 +msgid "Alias does not exist." +msgstr "" + +#: alias.cpp:222 alias.cpp:244 alias.cpp:263 alias.cpp:274 +msgid "Modified alias." +msgstr "" + +#: alias.cpp:236 alias.cpp:256 +msgid "Invalid index." +msgstr "" + +#: alias.cpp:282 alias.cpp:298 +msgid "There are no aliases." +msgstr "" + +#: alias.cpp:289 +msgid "The following aliases exist: {1}" +msgstr "" + +#: alias.cpp:290 +msgctxt "list|separator" +msgid ", " +msgstr "" + +#: alias.cpp:324 +msgid "Actions for alias {1}:" +msgstr "" + +#: alias.cpp:331 +msgid "End of actions for alias {1}." +msgstr "" + +#: alias.cpp:338 alias.cpp:341 alias.cpp:352 alias.cpp:357 +msgid "" +msgstr "" + +#: alias.cpp:339 +msgid "Creates a new, blank alias called name." +msgstr "" + +#: alias.cpp:341 +msgid "Deletes an existing alias." +msgstr "" + +#: alias.cpp:343 +msgid " " +msgstr "" + +#: alias.cpp:344 +msgid "Adds a line to an existing alias." +msgstr "" + +#: alias.cpp:346 +msgid " " +msgstr "" + +#: alias.cpp:347 +msgid "Inserts a line into an existing alias." +msgstr "" + +#: alias.cpp:349 +msgid " " +msgstr "" + +#: alias.cpp:350 +msgid "Removes a line from an existing alias." +msgstr "" + +#: alias.cpp:353 +msgid "Removes all lines from an existing alias." +msgstr "" + +#: alias.cpp:355 +msgid "Lists all aliases by name." +msgstr "" + +#: alias.cpp:358 +msgid "Reports the actions performed by an alias." +msgstr "" + +#: alias.cpp:362 +msgid "Generate a list of commands to copy your alias config." +msgstr "" + +#: alias.cpp:374 +msgid "Clearing all of them!" +msgstr "" + +#: alias.cpp:409 +msgid "Provides bouncer-side command alias support." +msgstr "" + diff --git a/modules/po/autoattach.de.po b/modules/po/autoattach.de.po new file mode 100644 index 00000000..32e17f76 --- /dev/null +++ b/modules/po/autoattach.de.po @@ -0,0 +1,87 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: de\n" +"X-Crowdin-File: /master/modules/po/autoattach.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: German\n" +"Language: de_DE\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: autoattach.cpp:94 +msgid "Added to list" +msgstr "Zur Liste hinzugefügt" + +#: autoattach.cpp:96 +msgid "{1} is already added" +msgstr "{1} ist schon hinzugefügt" + +#: autoattach.cpp:100 +msgid "Usage: Add [!]<#chan> " +msgstr "Verwendung: Add [!]<#kanal> " + +#: autoattach.cpp:101 +msgid "Wildcards are allowed" +msgstr "Wildcards sind erlaubt" + +#: autoattach.cpp:113 +msgid "Removed {1} from list" +msgstr "{1} aus der Liste entfernt" + +#: autoattach.cpp:115 +msgid "Usage: Del [!]<#chan> " +msgstr "Verwendung: Del [!]<#Kanal> " + +#: autoattach.cpp:121 autoattach.cpp:129 +msgid "Neg" +msgstr "Neg" + +#: autoattach.cpp:122 autoattach.cpp:130 +msgid "Chan" +msgstr "Kanal" + +#: autoattach.cpp:123 autoattach.cpp:131 +msgid "Search" +msgstr "Suche" + +#: autoattach.cpp:124 autoattach.cpp:132 +msgid "Host" +msgstr "" + +#: autoattach.cpp:138 +msgid "You have no entries." +msgstr "" + +#: autoattach.cpp:146 autoattach.cpp:149 +msgid "[!]<#chan> " +msgstr "" + +#: autoattach.cpp:147 +msgid "Add an entry, use !#chan to negate and * for wildcards" +msgstr "" + +#: autoattach.cpp:150 +msgid "Remove an entry, needs to be an exact match" +msgstr "" + +#: autoattach.cpp:152 +msgid "List all entries" +msgstr "" + +#: autoattach.cpp:171 +msgid "Unable to add [{1}]" +msgstr "" + +#: autoattach.cpp:283 +msgid "List of channel masks and channel masks with ! before them." +msgstr "" + +#: autoattach.cpp:286 +msgid "Reattaches you to channels on activity." +msgstr "" + diff --git a/modules/po/autoattach.pot b/modules/po/autoattach.pot index e324fdde..e86af7c2 100644 --- a/modules/po/autoattach.pot +++ b/modules/po/autoattach.pot @@ -2,6 +2,7 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" #: autoattach.cpp:94 msgid "Added to list" diff --git a/modules/po/autoattach.ru.po b/modules/po/autoattach.ru.po new file mode 100644 index 00000000..3873f892 --- /dev/null +++ b/modules/po/autoattach.ru.po @@ -0,0 +1,87 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: ru\n" +"X-Crowdin-File: /master/modules/po/autoattach.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Russian\n" +"Language: ru_RU\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: autoattach.cpp:94 +msgid "Added to list" +msgstr "" + +#: autoattach.cpp:96 +msgid "{1} is already added" +msgstr "" + +#: autoattach.cpp:100 +msgid "Usage: Add [!]<#chan> " +msgstr "" + +#: autoattach.cpp:101 +msgid "Wildcards are allowed" +msgstr "" + +#: autoattach.cpp:113 +msgid "Removed {1} from list" +msgstr "" + +#: autoattach.cpp:115 +msgid "Usage: Del [!]<#chan> " +msgstr "" + +#: autoattach.cpp:121 autoattach.cpp:129 +msgid "Neg" +msgstr "" + +#: autoattach.cpp:122 autoattach.cpp:130 +msgid "Chan" +msgstr "" + +#: autoattach.cpp:123 autoattach.cpp:131 +msgid "Search" +msgstr "" + +#: autoattach.cpp:124 autoattach.cpp:132 +msgid "Host" +msgstr "" + +#: autoattach.cpp:138 +msgid "You have no entries." +msgstr "" + +#: autoattach.cpp:146 autoattach.cpp:149 +msgid "[!]<#chan> " +msgstr "" + +#: autoattach.cpp:147 +msgid "Add an entry, use !#chan to negate and * for wildcards" +msgstr "" + +#: autoattach.cpp:150 +msgid "Remove an entry, needs to be an exact match" +msgstr "" + +#: autoattach.cpp:152 +msgid "List all entries" +msgstr "" + +#: autoattach.cpp:171 +msgid "Unable to add [{1}]" +msgstr "" + +#: autoattach.cpp:283 +msgid "List of channel masks and channel masks with ! before them." +msgstr "" + +#: autoattach.cpp:286 +msgid "Reattaches you to channels on activity." +msgstr "" + diff --git a/modules/po/autocycle.de.po b/modules/po/autocycle.de.po new file mode 100644 index 00000000..35d7acbc --- /dev/null +++ b/modules/po/autocycle.de.po @@ -0,0 +1,71 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: de\n" +"X-Crowdin-File: /master/modules/po/autocycle.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: German\n" +"Language: de_DE\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: autocycle.cpp:27 autocycle.cpp:30 +msgid "[!]<#chan>" +msgstr "" + +#: autocycle.cpp:28 +msgid "Add an entry, use !#chan to negate and * for wildcards" +msgstr "" + +#: autocycle.cpp:31 +msgid "Remove an entry, needs to be an exact match" +msgstr "" + +#: autocycle.cpp:33 +msgid "List all entries" +msgstr "" + +#: autocycle.cpp:46 +msgid "Unable to add {1}" +msgstr "" + +#: autocycle.cpp:66 +msgid "{1} is already added" +msgstr "" + +#: autocycle.cpp:68 +msgid "Added {1} to list" +msgstr "" + +#: autocycle.cpp:70 +msgid "Usage: Add [!]<#chan>" +msgstr "" + +#: autocycle.cpp:78 +msgid "Removed {1} from list" +msgstr "" + +#: autocycle.cpp:80 +msgid "Usage: Del [!]<#chan>" +msgstr "" + +#: autocycle.cpp:85 autocycle.cpp:89 autocycle.cpp:94 +msgid "Channel" +msgstr "" + +#: autocycle.cpp:100 +msgid "You have no entries." +msgstr "" + +#: autocycle.cpp:229 +msgid "List of channel masks and channel masks with ! before them." +msgstr "" + +#: autocycle.cpp:234 +msgid "Rejoins channels to gain Op if you're the only user left" +msgstr "" + diff --git a/modules/po/autocycle.pot b/modules/po/autocycle.pot index 5e911531..a3d26ce0 100644 --- a/modules/po/autocycle.pot +++ b/modules/po/autocycle.pot @@ -2,6 +2,7 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" #: autocycle.cpp:27 autocycle.cpp:30 msgid "[!]<#chan>" diff --git a/modules/po/autocycle.ru.po b/modules/po/autocycle.ru.po new file mode 100644 index 00000000..6b43fab7 --- /dev/null +++ b/modules/po/autocycle.ru.po @@ -0,0 +1,71 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: ru\n" +"X-Crowdin-File: /master/modules/po/autocycle.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Russian\n" +"Language: ru_RU\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: autocycle.cpp:27 autocycle.cpp:30 +msgid "[!]<#chan>" +msgstr "" + +#: autocycle.cpp:28 +msgid "Add an entry, use !#chan to negate and * for wildcards" +msgstr "" + +#: autocycle.cpp:31 +msgid "Remove an entry, needs to be an exact match" +msgstr "" + +#: autocycle.cpp:33 +msgid "List all entries" +msgstr "" + +#: autocycle.cpp:46 +msgid "Unable to add {1}" +msgstr "" + +#: autocycle.cpp:66 +msgid "{1} is already added" +msgstr "" + +#: autocycle.cpp:68 +msgid "Added {1} to list" +msgstr "" + +#: autocycle.cpp:70 +msgid "Usage: Add [!]<#chan>" +msgstr "" + +#: autocycle.cpp:78 +msgid "Removed {1} from list" +msgstr "" + +#: autocycle.cpp:80 +msgid "Usage: Del [!]<#chan>" +msgstr "" + +#: autocycle.cpp:85 autocycle.cpp:89 autocycle.cpp:94 +msgid "Channel" +msgstr "" + +#: autocycle.cpp:100 +msgid "You have no entries." +msgstr "" + +#: autocycle.cpp:229 +msgid "List of channel masks and channel masks with ! before them." +msgstr "" + +#: autocycle.cpp:234 +msgid "Rejoins channels to gain Op if you're the only user left" +msgstr "" + diff --git a/modules/po/autoop.de.po b/modules/po/autoop.de.po new file mode 100644 index 00000000..c04a15b5 --- /dev/null +++ b/modules/po/autoop.de.po @@ -0,0 +1,167 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: de\n" +"X-Crowdin-File: /master/modules/po/autoop.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: German\n" +"Language: de_DE\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: autoop.cpp:154 +msgid "List all users" +msgstr "" + +#: autoop.cpp:156 autoop.cpp:159 +msgid " [channel] ..." +msgstr "" + +#: autoop.cpp:157 +msgid "Adds channels to a user" +msgstr "" + +#: autoop.cpp:160 +msgid "Removes channels from a user" +msgstr "" + +#: autoop.cpp:162 autoop.cpp:165 +msgid " ,[mask] ..." +msgstr "" + +#: autoop.cpp:163 +msgid "Adds masks to a user" +msgstr "" + +#: autoop.cpp:166 +msgid "Removes masks from a user" +msgstr "" + +#: autoop.cpp:169 +msgid " [,...] [channels]" +msgstr "" + +#: autoop.cpp:170 +msgid "Adds a user" +msgstr "" + +#: autoop.cpp:172 +msgid "" +msgstr "" + +#: autoop.cpp:172 +msgid "Removes a user" +msgstr "" + +#: autoop.cpp:275 +msgid "Usage: AddUser [,...] [channels]" +msgstr "" + +#: autoop.cpp:291 +msgid "Usage: DelUser " +msgstr "" + +#: autoop.cpp:300 +msgid "There are no users defined" +msgstr "" + +#: autoop.cpp:306 autoop.cpp:317 autoop.cpp:321 autoop.cpp:323 +msgid "User" +msgstr "" + +#: autoop.cpp:307 autoop.cpp:325 +msgid "Hostmasks" +msgstr "" + +#: autoop.cpp:308 autoop.cpp:318 +msgid "Key" +msgstr "" + +#: autoop.cpp:309 autoop.cpp:319 +msgid "Channels" +msgstr "" + +#: autoop.cpp:337 +msgid "Usage: AddChans [channel] ..." +msgstr "" + +#: autoop.cpp:344 autoop.cpp:365 autoop.cpp:387 autoop.cpp:408 autoop.cpp:472 +msgid "No such user" +msgstr "" + +#: autoop.cpp:349 +msgid "Channel(s) added to user {1}" +msgstr "" + +#: autoop.cpp:358 +msgid "Usage: DelChans [channel] ..." +msgstr "" + +#: autoop.cpp:371 +msgid "Channel(s) Removed from user {1}" +msgstr "" + +#: autoop.cpp:380 +msgid "Usage: AddMasks ,[mask] ..." +msgstr "" + +#: autoop.cpp:392 +msgid "Hostmasks(s) added to user {1}" +msgstr "" + +#: autoop.cpp:401 +msgid "Usage: DelMasks ,[mask] ..." +msgstr "" + +#: autoop.cpp:413 +msgid "Removed user {1} with key {2} and channels {3}" +msgstr "" + +#: autoop.cpp:419 +msgid "Hostmasks(s) Removed from user {1}" +msgstr "" + +#: autoop.cpp:478 +msgid "User {1} removed" +msgstr "Benutzer {1} entfernt" + +#: autoop.cpp:484 +msgid "That user already exists" +msgstr "Dieser Benutzer ist bereits vorhanden" + +#: autoop.cpp:490 +msgid "User {1} added with hostmask(s) {2}" +msgstr "" + +#: autoop.cpp:532 +msgid "[{1}] sent us a challenge but they are not opped in any defined channels." +msgstr "[{1}] hat uns eine Challenge gesendet, aber ist in keinem der definierten Kanäle geopt." + +#: autoop.cpp:536 +msgid "[{1}] sent us a challenge but they do not match a defined user." +msgstr "[{1}] hat uns eine Challenge gesendet, aber entspricht keinem definierten Benutzer." + +#: autoop.cpp:544 +msgid "WARNING! [{1}] sent an invalid challenge." +msgstr "WARNUNG! [{1}] hat eine ungültige Challenge gesendet." + +#: autoop.cpp:560 +msgid "[{1}] sent an unchallenged response. This could be due to lag." +msgstr "[{1}] hat eine unangeforderte Antwort gesendet. Dies könnte an Lag liegen." + +#: autoop.cpp:577 +msgid "WARNING! [{1}] sent a bad response. Please verify that you have their correct password." +msgstr "WARNUNG! [{1}] hat eine schlechte Antwort gesendet. Bitte überprüfe, dass du deren korrektes Passwort hast." + +#: autoop.cpp:586 +msgid "WARNING! [{1}] sent a response but did not match any defined users." +msgstr "WARNUNG! [{1}] hat eine Antwort gesendet, aber entspricht keinem definierten Benutzer." + +#: autoop.cpp:644 +msgid "Auto op the good people" +msgstr "Gebe automatisch Op an die guten Leute" + diff --git a/modules/po/autoop.pot b/modules/po/autoop.pot index 0666903f..90ea2008 100644 --- a/modules/po/autoop.pot +++ b/modules/po/autoop.pot @@ -2,6 +2,7 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" #: autoop.cpp:154 msgid "List all users" diff --git a/modules/po/autoop.ru.po b/modules/po/autoop.ru.po new file mode 100644 index 00000000..4d92baa6 --- /dev/null +++ b/modules/po/autoop.ru.po @@ -0,0 +1,167 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: ru\n" +"X-Crowdin-File: /master/modules/po/autoop.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Russian\n" +"Language: ru_RU\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: autoop.cpp:154 +msgid "List all users" +msgstr "" + +#: autoop.cpp:156 autoop.cpp:159 +msgid " [channel] ..." +msgstr "" + +#: autoop.cpp:157 +msgid "Adds channels to a user" +msgstr "" + +#: autoop.cpp:160 +msgid "Removes channels from a user" +msgstr "" + +#: autoop.cpp:162 autoop.cpp:165 +msgid " ,[mask] ..." +msgstr "" + +#: autoop.cpp:163 +msgid "Adds masks to a user" +msgstr "" + +#: autoop.cpp:166 +msgid "Removes masks from a user" +msgstr "" + +#: autoop.cpp:169 +msgid " [,...] [channels]" +msgstr "" + +#: autoop.cpp:170 +msgid "Adds a user" +msgstr "" + +#: autoop.cpp:172 +msgid "" +msgstr "" + +#: autoop.cpp:172 +msgid "Removes a user" +msgstr "" + +#: autoop.cpp:275 +msgid "Usage: AddUser [,...] [channels]" +msgstr "" + +#: autoop.cpp:291 +msgid "Usage: DelUser " +msgstr "" + +#: autoop.cpp:300 +msgid "There are no users defined" +msgstr "" + +#: autoop.cpp:306 autoop.cpp:317 autoop.cpp:321 autoop.cpp:323 +msgid "User" +msgstr "" + +#: autoop.cpp:307 autoop.cpp:325 +msgid "Hostmasks" +msgstr "" + +#: autoop.cpp:308 autoop.cpp:318 +msgid "Key" +msgstr "" + +#: autoop.cpp:309 autoop.cpp:319 +msgid "Channels" +msgstr "" + +#: autoop.cpp:337 +msgid "Usage: AddChans [channel] ..." +msgstr "" + +#: autoop.cpp:344 autoop.cpp:365 autoop.cpp:387 autoop.cpp:408 autoop.cpp:472 +msgid "No such user" +msgstr "" + +#: autoop.cpp:349 +msgid "Channel(s) added to user {1}" +msgstr "" + +#: autoop.cpp:358 +msgid "Usage: DelChans [channel] ..." +msgstr "" + +#: autoop.cpp:371 +msgid "Channel(s) Removed from user {1}" +msgstr "" + +#: autoop.cpp:380 +msgid "Usage: AddMasks ,[mask] ..." +msgstr "" + +#: autoop.cpp:392 +msgid "Hostmasks(s) added to user {1}" +msgstr "" + +#: autoop.cpp:401 +msgid "Usage: DelMasks ,[mask] ..." +msgstr "" + +#: autoop.cpp:413 +msgid "Removed user {1} with key {2} and channels {3}" +msgstr "" + +#: autoop.cpp:419 +msgid "Hostmasks(s) Removed from user {1}" +msgstr "" + +#: autoop.cpp:478 +msgid "User {1} removed" +msgstr "" + +#: autoop.cpp:484 +msgid "That user already exists" +msgstr "" + +#: autoop.cpp:490 +msgid "User {1} added with hostmask(s) {2}" +msgstr "" + +#: autoop.cpp:532 +msgid "[{1}] sent us a challenge but they are not opped in any defined channels." +msgstr "" + +#: autoop.cpp:536 +msgid "[{1}] sent us a challenge but they do not match a defined user." +msgstr "" + +#: autoop.cpp:544 +msgid "WARNING! [{1}] sent an invalid challenge." +msgstr "" + +#: autoop.cpp:560 +msgid "[{1}] sent an unchallenged response. This could be due to lag." +msgstr "" + +#: autoop.cpp:577 +msgid "WARNING! [{1}] sent a bad response. Please verify that you have their correct password." +msgstr "" + +#: autoop.cpp:586 +msgid "WARNING! [{1}] sent a response but did not match any defined users." +msgstr "" + +#: autoop.cpp:644 +msgid "Auto op the good people" +msgstr "" + diff --git a/modules/po/autoreply.de.po b/modules/po/autoreply.de.po new file mode 100644 index 00000000..3f908ddb --- /dev/null +++ b/modules/po/autoreply.de.po @@ -0,0 +1,43 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: de\n" +"X-Crowdin-File: /master/modules/po/autoreply.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: German\n" +"Language: de_DE\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: autoreply.cpp:25 +msgid "" +msgstr "" + +#: autoreply.cpp:25 +msgid "Sets a new reply" +msgstr "Setzt eine neue Antwort" + +#: autoreply.cpp:27 +msgid "Displays the current query reply" +msgstr "Zeigt die aktuelle Query-Antwort an" + +#: autoreply.cpp:75 +msgid "Current reply is: {1} ({2})" +msgstr "Aktuelle Antwort ist: {1} ({2})" + +#: autoreply.cpp:81 +msgid "New reply set to: {1} ({2})" +msgstr "Neue Antwort gesetzt auf: {1} ({2})" + +#: autoreply.cpp:94 +msgid "You might specify a reply text. It is used when automatically answering queries, if you are not connected to ZNC." +msgstr "Erlaubt es einen Antwort-Text zu setzen. Dieser wird verwendet wenn automatisch Queries beantwortet werden, falls du nicht zu ZNC verbunden bist." + +#: autoreply.cpp:98 +msgid "Reply to queries when you are away" +msgstr "Auf Queries antworten when du nicht da bist" + diff --git a/modules/po/autoreply.pot b/modules/po/autoreply.pot index 90adf7d6..15921aa3 100644 --- a/modules/po/autoreply.pot +++ b/modules/po/autoreply.pot @@ -2,6 +2,7 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" #: autoreply.cpp:25 msgid "" diff --git a/modules/po/autoreply.ru.po b/modules/po/autoreply.ru.po new file mode 100644 index 00000000..c03db894 --- /dev/null +++ b/modules/po/autoreply.ru.po @@ -0,0 +1,43 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: ru\n" +"X-Crowdin-File: /master/modules/po/autoreply.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Russian\n" +"Language: ru_RU\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: autoreply.cpp:25 +msgid "" +msgstr "" + +#: autoreply.cpp:25 +msgid "Sets a new reply" +msgstr "" + +#: autoreply.cpp:27 +msgid "Displays the current query reply" +msgstr "" + +#: autoreply.cpp:75 +msgid "Current reply is: {1} ({2})" +msgstr "" + +#: autoreply.cpp:81 +msgid "New reply set to: {1} ({2})" +msgstr "" + +#: autoreply.cpp:94 +msgid "You might specify a reply text. It is used when automatically answering queries, if you are not connected to ZNC." +msgstr "" + +#: autoreply.cpp:98 +msgid "Reply to queries when you are away" +msgstr "" + diff --git a/modules/po/autovoice.de.po b/modules/po/autovoice.de.po new file mode 100644 index 00000000..9447ec33 --- /dev/null +++ b/modules/po/autovoice.de.po @@ -0,0 +1,111 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: de\n" +"X-Crowdin-File: /master/modules/po/autovoice.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: German\n" +"Language: de_DE\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: autovoice.cpp:120 +msgid "List all users" +msgstr "Zeige alle Benutzer an" + +#: autovoice.cpp:122 autovoice.cpp:125 +msgid " [channel] ..." +msgstr " [Kanal] ..." + +#: autovoice.cpp:123 +msgid "Adds channels to a user" +msgstr "Fügt Kanäle zu Benutzern hinzu" + +#: autovoice.cpp:126 +msgid "Removes channels from a user" +msgstr "Entfernt Kanäle von Benutzern" + +#: autovoice.cpp:128 +msgid " [channels]" +msgstr "" + +#: autovoice.cpp:129 +msgid "Adds a user" +msgstr "Fügt einen Benutzer hinzu" + +#: autovoice.cpp:131 +msgid "" +msgstr "" + +#: autovoice.cpp:131 +msgid "Removes a user" +msgstr "Entfernt einen Benutzer" + +#: autovoice.cpp:215 +msgid "Usage: AddUser [channels]" +msgstr "" + +#: autovoice.cpp:229 +msgid "Usage: DelUser " +msgstr "Verwendung: DelUser " + +#: autovoice.cpp:238 +msgid "There are no users defined" +msgstr "Es sind keine Benutzer definiert" + +#: autovoice.cpp:244 autovoice.cpp:250 +msgid "User" +msgstr "Benutzer" + +#: autovoice.cpp:245 autovoice.cpp:251 +msgid "Hostmask" +msgstr "" + +#: autovoice.cpp:246 autovoice.cpp:252 +msgid "Channels" +msgstr "Kanäle" + +#: autovoice.cpp:263 +msgid "Usage: AddChans [channel] ..." +msgstr "Verwendung: AddChans [Kanal] ..." + +#: autovoice.cpp:270 autovoice.cpp:292 autovoice.cpp:329 +msgid "No such user" +msgstr "Kein solcher Benutzer" + +#: autovoice.cpp:275 +msgid "Channel(s) added to user {1}" +msgstr "" + +#: autovoice.cpp:285 +msgid "Usage: DelChans [channel] ..." +msgstr "Verwendung: DelChans [Kanal] ..." + +#: autovoice.cpp:298 +msgid "Channel(s) Removed from user {1}" +msgstr "" + +#: autovoice.cpp:335 +msgid "User {1} removed" +msgstr "Benutzer {1} entfernt" + +#: autovoice.cpp:341 +msgid "That user already exists" +msgstr "Dieser Benutzer ist bereits vorhanden" + +#: autovoice.cpp:347 +msgid "User {1} added with hostmask {2}" +msgstr "" + +#: autovoice.cpp:360 +msgid "Each argument is either a channel you want autovoice for (which can include wildcards) or, if it starts with !, it is an exception for autovoice." +msgstr "Jedes Argument ist entweder ein Kanel in dem autovoice aktiviert sein soll (wobei Wildcards erlaubt sind) oder, falls es mit einem ! beginnt, eine Ausnahme für autovoice." + +#: autovoice.cpp:365 +msgid "Auto voice the good people" +msgstr "" + diff --git a/modules/po/autovoice.pot b/modules/po/autovoice.pot index 8257a762..7003b776 100644 --- a/modules/po/autovoice.pot +++ b/modules/po/autovoice.pot @@ -2,6 +2,7 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" #: autovoice.cpp:120 msgid "List all users" diff --git a/modules/po/autovoice.ru.po b/modules/po/autovoice.ru.po new file mode 100644 index 00000000..4ceed041 --- /dev/null +++ b/modules/po/autovoice.ru.po @@ -0,0 +1,111 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: ru\n" +"X-Crowdin-File: /master/modules/po/autovoice.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Russian\n" +"Language: ru_RU\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: autovoice.cpp:120 +msgid "List all users" +msgstr "" + +#: autovoice.cpp:122 autovoice.cpp:125 +msgid " [channel] ..." +msgstr "" + +#: autovoice.cpp:123 +msgid "Adds channels to a user" +msgstr "" + +#: autovoice.cpp:126 +msgid "Removes channels from a user" +msgstr "" + +#: autovoice.cpp:128 +msgid " [channels]" +msgstr "" + +#: autovoice.cpp:129 +msgid "Adds a user" +msgstr "" + +#: autovoice.cpp:131 +msgid "" +msgstr "" + +#: autovoice.cpp:131 +msgid "Removes a user" +msgstr "" + +#: autovoice.cpp:215 +msgid "Usage: AddUser [channels]" +msgstr "" + +#: autovoice.cpp:229 +msgid "Usage: DelUser " +msgstr "" + +#: autovoice.cpp:238 +msgid "There are no users defined" +msgstr "" + +#: autovoice.cpp:244 autovoice.cpp:250 +msgid "User" +msgstr "" + +#: autovoice.cpp:245 autovoice.cpp:251 +msgid "Hostmask" +msgstr "" + +#: autovoice.cpp:246 autovoice.cpp:252 +msgid "Channels" +msgstr "" + +#: autovoice.cpp:263 +msgid "Usage: AddChans [channel] ..." +msgstr "" + +#: autovoice.cpp:270 autovoice.cpp:292 autovoice.cpp:329 +msgid "No such user" +msgstr "" + +#: autovoice.cpp:275 +msgid "Channel(s) added to user {1}" +msgstr "" + +#: autovoice.cpp:285 +msgid "Usage: DelChans [channel] ..." +msgstr "" + +#: autovoice.cpp:298 +msgid "Channel(s) Removed from user {1}" +msgstr "" + +#: autovoice.cpp:335 +msgid "User {1} removed" +msgstr "" + +#: autovoice.cpp:341 +msgid "That user already exists" +msgstr "" + +#: autovoice.cpp:347 +msgid "User {1} added with hostmask {2}" +msgstr "" + +#: autovoice.cpp:360 +msgid "Each argument is either a channel you want autovoice for (which can include wildcards) or, if it starts with !, it is an exception for autovoice." +msgstr "" + +#: autovoice.cpp:365 +msgid "Auto voice the good people" +msgstr "" + diff --git a/modules/po/awaystore.de.po b/modules/po/awaystore.de.po new file mode 100644 index 00000000..1d81cb01 --- /dev/null +++ b/modules/po/awaystore.de.po @@ -0,0 +1,107 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: de\n" +"X-Crowdin-File: /master/modules/po/awaystore.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: German\n" +"Language: de_DE\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: awaystore.cpp:67 +msgid "You have been marked as away" +msgstr "Sie wurden als abwesend markiert" + +#: awaystore.cpp:78 awaystore.cpp:385 awaystore.cpp:388 +msgid "Welcome back!" +msgstr "Willkommen zurück!" + +#: awaystore.cpp:100 +msgid "Deleted {1} messages" +msgstr "{1} Nachrichten gelöscht" + +#: awaystore.cpp:104 +msgid "USAGE: delete " +msgstr "" + +#: awaystore.cpp:109 +msgid "Illegal message # requested" +msgstr "" + +#: awaystore.cpp:113 +msgid "Message erased" +msgstr "Nachricht gelöscht" + +#: awaystore.cpp:122 +msgid "Messages saved to disk" +msgstr "" + +#: awaystore.cpp:124 +msgid "There are no messages to save" +msgstr "Es gibt keine Nachrichten zu speichern" + +#: awaystore.cpp:135 +msgid "Password updated to [{1}]" +msgstr "" + +#: awaystore.cpp:147 +msgid "Corrupt message! [{1}]" +msgstr "" + +#: awaystore.cpp:159 +msgid "Corrupt time stamp! [{1}]" +msgstr "" + +#: awaystore.cpp:178 +msgid "#--- End of messages" +msgstr "" + +#: awaystore.cpp:183 +msgid "Timer set to 300 seconds" +msgstr "" + +#: awaystore.cpp:188 awaystore.cpp:197 +msgid "Timer disabled" +msgstr "" + +#: awaystore.cpp:199 +msgid "Timer set to {1} seconds" +msgstr "" + +#: awaystore.cpp:203 +msgid "Current timer setting: {1} seconds" +msgstr "" + +#: awaystore.cpp:278 +msgid "This module needs as an argument a keyphrase used for encryption" +msgstr "" + +#: awaystore.cpp:285 +msgid "Failed to decrypt your saved messages - Did you give the right encryption key as an argument to this module?" +msgstr "" + +#: awaystore.cpp:386 awaystore.cpp:389 +msgid "You have {1} messages!" +msgstr "" + +#: awaystore.cpp:456 +msgid "Unable to find buffer" +msgstr "" + +#: awaystore.cpp:469 +msgid "Unable to decode encrypted messages" +msgstr "" + +#: awaystore.cpp:516 +msgid "[ -notimer | -timer N ] [-chans] passw0rd . N is number of seconds, 600 by default." +msgstr "" + +#: awaystore.cpp:521 +msgid "Adds auto-away with logging, useful when you use ZNC from different locations" +msgstr "" + diff --git a/modules/po/awaystore.pot b/modules/po/awaystore.pot index f4f23b9f..b0ef1bdd 100644 --- a/modules/po/awaystore.pot +++ b/modules/po/awaystore.pot @@ -2,6 +2,7 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" #: awaystore.cpp:67 msgid "You have been marked as away" diff --git a/modules/po/awaystore.ru.po b/modules/po/awaystore.ru.po new file mode 100644 index 00000000..964bd61a --- /dev/null +++ b/modules/po/awaystore.ru.po @@ -0,0 +1,107 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: ru\n" +"X-Crowdin-File: /master/modules/po/awaystore.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Russian\n" +"Language: ru_RU\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: awaystore.cpp:67 +msgid "You have been marked as away" +msgstr "" + +#: awaystore.cpp:78 awaystore.cpp:385 awaystore.cpp:388 +msgid "Welcome back!" +msgstr "" + +#: awaystore.cpp:100 +msgid "Deleted {1} messages" +msgstr "" + +#: awaystore.cpp:104 +msgid "USAGE: delete " +msgstr "" + +#: awaystore.cpp:109 +msgid "Illegal message # requested" +msgstr "" + +#: awaystore.cpp:113 +msgid "Message erased" +msgstr "" + +#: awaystore.cpp:122 +msgid "Messages saved to disk" +msgstr "" + +#: awaystore.cpp:124 +msgid "There are no messages to save" +msgstr "" + +#: awaystore.cpp:135 +msgid "Password updated to [{1}]" +msgstr "" + +#: awaystore.cpp:147 +msgid "Corrupt message! [{1}]" +msgstr "" + +#: awaystore.cpp:159 +msgid "Corrupt time stamp! [{1}]" +msgstr "" + +#: awaystore.cpp:178 +msgid "#--- End of messages" +msgstr "" + +#: awaystore.cpp:183 +msgid "Timer set to 300 seconds" +msgstr "" + +#: awaystore.cpp:188 awaystore.cpp:197 +msgid "Timer disabled" +msgstr "" + +#: awaystore.cpp:199 +msgid "Timer set to {1} seconds" +msgstr "" + +#: awaystore.cpp:203 +msgid "Current timer setting: {1} seconds" +msgstr "" + +#: awaystore.cpp:278 +msgid "This module needs as an argument a keyphrase used for encryption" +msgstr "" + +#: awaystore.cpp:285 +msgid "Failed to decrypt your saved messages - Did you give the right encryption key as an argument to this module?" +msgstr "" + +#: awaystore.cpp:386 awaystore.cpp:389 +msgid "You have {1} messages!" +msgstr "" + +#: awaystore.cpp:456 +msgid "Unable to find buffer" +msgstr "" + +#: awaystore.cpp:469 +msgid "Unable to decode encrypted messages" +msgstr "" + +#: awaystore.cpp:516 +msgid "[ -notimer | -timer N ] [-chans] passw0rd . N is number of seconds, 600 by default." +msgstr "" + +#: awaystore.cpp:521 +msgid "Adds auto-away with logging, useful when you use ZNC from different locations" +msgstr "" + diff --git a/modules/po/block_motd.de.po b/modules/po/block_motd.de.po new file mode 100644 index 00000000..d4abaf74 --- /dev/null +++ b/modules/po/block_motd.de.po @@ -0,0 +1,35 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: de\n" +"X-Crowdin-File: /master/modules/po/block_motd.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: German\n" +"Language: de_DE\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: block_motd.cpp:26 +msgid "[]" +msgstr "" + +#: block_motd.cpp:27 +msgid "Override the block with this command. Can optionally specify which server to query." +msgstr "" + +#: block_motd.cpp:36 +msgid "You are not connected to an IRC Server." +msgstr "" + +#: block_motd.cpp:60 +msgid "MOTD blocked by ZNC" +msgstr "" + +#: block_motd.cpp:106 +msgid "Block the MOTD from IRC so it's not sent to your client(s)." +msgstr "" + diff --git a/modules/po/block_motd.pot b/modules/po/block_motd.pot index 5485b3d0..b7b949e8 100644 --- a/modules/po/block_motd.pot +++ b/modules/po/block_motd.pot @@ -2,6 +2,7 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" #: block_motd.cpp:26 msgid "[]" diff --git a/modules/po/block_motd.ru.po b/modules/po/block_motd.ru.po new file mode 100644 index 00000000..99154891 --- /dev/null +++ b/modules/po/block_motd.ru.po @@ -0,0 +1,35 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: ru\n" +"X-Crowdin-File: /master/modules/po/block_motd.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Russian\n" +"Language: ru_RU\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: block_motd.cpp:26 +msgid "[]" +msgstr "" + +#: block_motd.cpp:27 +msgid "Override the block with this command. Can optionally specify which server to query." +msgstr "" + +#: block_motd.cpp:36 +msgid "You are not connected to an IRC Server." +msgstr "" + +#: block_motd.cpp:60 +msgid "MOTD blocked by ZNC" +msgstr "" + +#: block_motd.cpp:106 +msgid "Block the MOTD from IRC so it's not sent to your client(s)." +msgstr "" + diff --git a/modules/po/blockuser.de.po b/modules/po/blockuser.de.po new file mode 100644 index 00000000..c6fde326 --- /dev/null +++ b/modules/po/blockuser.de.po @@ -0,0 +1,99 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: de\n" +"X-Crowdin-File: /master/modules/po/blockuser.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: German\n" +"Language: de_DE\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: modules/po/../data/blockuser/tmpl/blockuser_WebadminUser.tmpl:9 +msgid "Account is blocked" +msgstr "" + +#: blockuser.cpp:23 +msgid "Your account has been disabled. Contact your administrator." +msgstr "" + +#: blockuser.cpp:29 +msgid "List blocked users" +msgstr "" + +#: blockuser.cpp:31 blockuser.cpp:33 +msgid "" +msgstr "" + +#: blockuser.cpp:31 +msgid "Block a user" +msgstr "" + +#: blockuser.cpp:33 +msgid "Unblock a user" +msgstr "" + +#: blockuser.cpp:55 +msgid "Could not block {1}" +msgstr "" + +#: blockuser.cpp:76 +msgid "Access denied" +msgstr "" + +#: blockuser.cpp:85 +msgid "No users are blocked" +msgstr "" + +#: blockuser.cpp:88 +msgid "Blocked users:" +msgstr "" + +#: blockuser.cpp:100 +msgid "Usage: Block " +msgstr "" + +#: blockuser.cpp:105 blockuser.cpp:147 +msgid "You can't block yourself" +msgstr "" + +#: blockuser.cpp:110 blockuser.cpp:152 +msgid "Blocked {1}" +msgstr "" + +#: blockuser.cpp:112 +msgid "Could not block {1} (misspelled?)" +msgstr "" + +#: blockuser.cpp:120 +msgid "Usage: Unblock " +msgstr "" + +#: blockuser.cpp:125 blockuser.cpp:161 +msgid "Unblocked {1}" +msgstr "" + +#: blockuser.cpp:127 +msgid "This user is not blocked" +msgstr "" + +#: blockuser.cpp:155 +msgid "Couldn't block {1}" +msgstr "" + +#: blockuser.cpp:164 +msgid "User {1} is not blocked" +msgstr "Benutzer {1} ist nicht blockiert" + +#: blockuser.cpp:216 +msgid "Enter one or more user names. Separate them by spaces." +msgstr "Einen oder mehrere Benutzernamen durch Leerzeichen getrennt eingeben." + +#: blockuser.cpp:219 +msgid "Block certain users from logging in." +msgstr "" + diff --git a/modules/po/blockuser.pot b/modules/po/blockuser.pot index 6c262453..c165cabe 100644 --- a/modules/po/blockuser.pot +++ b/modules/po/blockuser.pot @@ -2,6 +2,7 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" #: modules/po/../data/blockuser/tmpl/blockuser_WebadminUser.tmpl:9 msgid "Account is blocked" diff --git a/modules/po/blockuser.ru.po b/modules/po/blockuser.ru.po new file mode 100644 index 00000000..94762ce5 --- /dev/null +++ b/modules/po/blockuser.ru.po @@ -0,0 +1,99 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: ru\n" +"X-Crowdin-File: /master/modules/po/blockuser.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Russian\n" +"Language: ru_RU\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: modules/po/../data/blockuser/tmpl/blockuser_WebadminUser.tmpl:9 +msgid "Account is blocked" +msgstr "" + +#: blockuser.cpp:23 +msgid "Your account has been disabled. Contact your administrator." +msgstr "" + +#: blockuser.cpp:29 +msgid "List blocked users" +msgstr "" + +#: blockuser.cpp:31 blockuser.cpp:33 +msgid "" +msgstr "" + +#: blockuser.cpp:31 +msgid "Block a user" +msgstr "" + +#: blockuser.cpp:33 +msgid "Unblock a user" +msgstr "" + +#: blockuser.cpp:55 +msgid "Could not block {1}" +msgstr "" + +#: blockuser.cpp:76 +msgid "Access denied" +msgstr "" + +#: blockuser.cpp:85 +msgid "No users are blocked" +msgstr "" + +#: blockuser.cpp:88 +msgid "Blocked users:" +msgstr "" + +#: blockuser.cpp:100 +msgid "Usage: Block " +msgstr "" + +#: blockuser.cpp:105 blockuser.cpp:147 +msgid "You can't block yourself" +msgstr "" + +#: blockuser.cpp:110 blockuser.cpp:152 +msgid "Blocked {1}" +msgstr "" + +#: blockuser.cpp:112 +msgid "Could not block {1} (misspelled?)" +msgstr "" + +#: blockuser.cpp:120 +msgid "Usage: Unblock " +msgstr "" + +#: blockuser.cpp:125 blockuser.cpp:161 +msgid "Unblocked {1}" +msgstr "" + +#: blockuser.cpp:127 +msgid "This user is not blocked" +msgstr "" + +#: blockuser.cpp:155 +msgid "Couldn't block {1}" +msgstr "" + +#: blockuser.cpp:164 +msgid "User {1} is not blocked" +msgstr "" + +#: blockuser.cpp:216 +msgid "Enter one or more user names. Separate them by spaces." +msgstr "" + +#: blockuser.cpp:219 +msgid "Block certain users from logging in." +msgstr "" + diff --git a/modules/po/bouncedcc.de.po b/modules/po/bouncedcc.de.po new file mode 100644 index 00000000..844f6c6f --- /dev/null +++ b/modules/po/bouncedcc.de.po @@ -0,0 +1,129 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: de\n" +"X-Crowdin-File: /master/modules/po/bouncedcc.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: German\n" +"Language: de_DE\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: bouncedcc.cpp:101 bouncedcc.cpp:119 bouncedcc.cpp:121 +msgctxt "list" +msgid "Type" +msgstr "" + +#: bouncedcc.cpp:102 bouncedcc.cpp:132 +msgctxt "list" +msgid "State" +msgstr "" + +#: bouncedcc.cpp:103 +msgctxt "list" +msgid "Speed" +msgstr "" + +#: bouncedcc.cpp:104 bouncedcc.cpp:115 +msgctxt "list" +msgid "Nick" +msgstr "" + +#: bouncedcc.cpp:105 bouncedcc.cpp:116 +msgctxt "list" +msgid "IP" +msgstr "" + +#: bouncedcc.cpp:106 bouncedcc.cpp:122 +msgctxt "list" +msgid "File" +msgstr "" + +#: bouncedcc.cpp:119 +msgctxt "list" +msgid "Chat" +msgstr "" + +#: bouncedcc.cpp:121 +msgctxt "list" +msgid "Xfer" +msgstr "" + +#: bouncedcc.cpp:125 +msgid "Waiting" +msgstr "" + +#: bouncedcc.cpp:127 +msgid "Halfway" +msgstr "" + +#: bouncedcc.cpp:129 +msgid "Connected" +msgstr "" + +#: bouncedcc.cpp:137 +msgid "You have no active DCCs." +msgstr "" + +#: bouncedcc.cpp:148 +msgid "Use client IP: {1}" +msgstr "" + +#: bouncedcc.cpp:153 +msgid "List all active DCCs" +msgstr "" + +#: bouncedcc.cpp:156 +msgid "Change the option to use IP of client" +msgstr "" + +#: bouncedcc.cpp:383 bouncedcc.cpp:412 bouncedcc.cpp:436 bouncedcc.cpp:451 +msgctxt "type" +msgid "Chat" +msgstr "" + +#: bouncedcc.cpp:383 bouncedcc.cpp:412 bouncedcc.cpp:436 bouncedcc.cpp:451 +msgctxt "type" +msgid "Xfer" +msgstr "" + +#: bouncedcc.cpp:385 +msgid "DCC {1} Bounce ({2}): Too long line received" +msgstr "" + +#: bouncedcc.cpp:418 +msgid "DCC {1} Bounce ({2}): Timeout while connecting to {3} {4}" +msgstr "" + +#: bouncedcc.cpp:422 +msgid "DCC {1} Bounce ({2}): Timeout while connecting." +msgstr "" + +#: bouncedcc.cpp:427 +msgid "DCC {1} Bounce ({2}): Timeout while waiting for incoming connection on {3} {4}" +msgstr "" + +#: bouncedcc.cpp:440 +msgid "DCC {1} Bounce ({2}): Connection refused while connecting to {3} {4}" +msgstr "" + +#: bouncedcc.cpp:444 +msgid "DCC {1} Bounce ({2}): Connection refused while connecting." +msgstr "" + +#: bouncedcc.cpp:457 bouncedcc.cpp:465 +msgid "DCC {1} Bounce ({2}): Socket error on {3} {4}: {5}" +msgstr "" + +#: bouncedcc.cpp:460 +msgid "DCC {1} Bounce ({2}): Socket error: {3}" +msgstr "" + +#: bouncedcc.cpp:547 +msgid "Bounces DCC transfers through ZNC instead of sending them directly to the user. " +msgstr "" + diff --git a/modules/po/bouncedcc.pot b/modules/po/bouncedcc.pot index eb6ba98d..2613122a 100644 --- a/modules/po/bouncedcc.pot +++ b/modules/po/bouncedcc.pot @@ -2,6 +2,7 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" #: bouncedcc.cpp:101 bouncedcc.cpp:119 bouncedcc.cpp:121 msgctxt "list" diff --git a/modules/po/bouncedcc.ru.po b/modules/po/bouncedcc.ru.po new file mode 100644 index 00000000..b644aac3 --- /dev/null +++ b/modules/po/bouncedcc.ru.po @@ -0,0 +1,129 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: ru\n" +"X-Crowdin-File: /master/modules/po/bouncedcc.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Russian\n" +"Language: ru_RU\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: bouncedcc.cpp:101 bouncedcc.cpp:119 bouncedcc.cpp:121 +msgctxt "list" +msgid "Type" +msgstr "" + +#: bouncedcc.cpp:102 bouncedcc.cpp:132 +msgctxt "list" +msgid "State" +msgstr "" + +#: bouncedcc.cpp:103 +msgctxt "list" +msgid "Speed" +msgstr "" + +#: bouncedcc.cpp:104 bouncedcc.cpp:115 +msgctxt "list" +msgid "Nick" +msgstr "" + +#: bouncedcc.cpp:105 bouncedcc.cpp:116 +msgctxt "list" +msgid "IP" +msgstr "" + +#: bouncedcc.cpp:106 bouncedcc.cpp:122 +msgctxt "list" +msgid "File" +msgstr "" + +#: bouncedcc.cpp:119 +msgctxt "list" +msgid "Chat" +msgstr "" + +#: bouncedcc.cpp:121 +msgctxt "list" +msgid "Xfer" +msgstr "" + +#: bouncedcc.cpp:125 +msgid "Waiting" +msgstr "" + +#: bouncedcc.cpp:127 +msgid "Halfway" +msgstr "" + +#: bouncedcc.cpp:129 +msgid "Connected" +msgstr "" + +#: bouncedcc.cpp:137 +msgid "You have no active DCCs." +msgstr "" + +#: bouncedcc.cpp:148 +msgid "Use client IP: {1}" +msgstr "" + +#: bouncedcc.cpp:153 +msgid "List all active DCCs" +msgstr "" + +#: bouncedcc.cpp:156 +msgid "Change the option to use IP of client" +msgstr "" + +#: bouncedcc.cpp:383 bouncedcc.cpp:412 bouncedcc.cpp:436 bouncedcc.cpp:451 +msgctxt "type" +msgid "Chat" +msgstr "" + +#: bouncedcc.cpp:383 bouncedcc.cpp:412 bouncedcc.cpp:436 bouncedcc.cpp:451 +msgctxt "type" +msgid "Xfer" +msgstr "" + +#: bouncedcc.cpp:385 +msgid "DCC {1} Bounce ({2}): Too long line received" +msgstr "" + +#: bouncedcc.cpp:418 +msgid "DCC {1} Bounce ({2}): Timeout while connecting to {3} {4}" +msgstr "" + +#: bouncedcc.cpp:422 +msgid "DCC {1} Bounce ({2}): Timeout while connecting." +msgstr "" + +#: bouncedcc.cpp:427 +msgid "DCC {1} Bounce ({2}): Timeout while waiting for incoming connection on {3} {4}" +msgstr "" + +#: bouncedcc.cpp:440 +msgid "DCC {1} Bounce ({2}): Connection refused while connecting to {3} {4}" +msgstr "" + +#: bouncedcc.cpp:444 +msgid "DCC {1} Bounce ({2}): Connection refused while connecting." +msgstr "" + +#: bouncedcc.cpp:457 bouncedcc.cpp:465 +msgid "DCC {1} Bounce ({2}): Socket error on {3} {4}: {5}" +msgstr "" + +#: bouncedcc.cpp:460 +msgid "DCC {1} Bounce ({2}): Socket error: {3}" +msgstr "" + +#: bouncedcc.cpp:547 +msgid "Bounces DCC transfers through ZNC instead of sending them directly to the user. " +msgstr "" + diff --git a/modules/po/buffextras.de.po b/modules/po/buffextras.de.po new file mode 100644 index 00000000..5f4bd445 --- /dev/null +++ b/modules/po/buffextras.de.po @@ -0,0 +1,51 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: de\n" +"X-Crowdin-File: /master/modules/po/buffextras.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: German\n" +"Language: de_DE\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: buffextras.cpp:45 +msgid "Server" +msgstr "Server" + +#: buffextras.cpp:47 +msgid "{1} set mode: {2} {3}" +msgstr "{1} hat Modus gesetzt: {2} {3}" + +#: buffextras.cpp:55 +msgid "{1} kicked {2} with reason: {3}" +msgstr "{1} hat {2} mit folgendem Grund gekickt: {3}" + +#: buffextras.cpp:64 +msgid "{1} quit: {2}" +msgstr "" + +#: buffextras.cpp:73 +msgid "{1} joined" +msgstr "" + +#: buffextras.cpp:81 +msgid "{1} parted: {2}" +msgstr "" + +#: buffextras.cpp:90 +msgid "{1} is now known as {2}" +msgstr "{1} ist jetzt als {2} bekannt" + +#: buffextras.cpp:100 +msgid "{1} changed the topic to: {2}" +msgstr "" + +#: buffextras.cpp:115 +msgid "Adds joins, parts etc. to the playback buffer" +msgstr "" + diff --git a/modules/po/buffextras.pot b/modules/po/buffextras.pot index a80ceb46..98ec5241 100644 --- a/modules/po/buffextras.pot +++ b/modules/po/buffextras.pot @@ -2,6 +2,7 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" #: buffextras.cpp:45 msgid "Server" diff --git a/modules/po/buffextras.ru.po b/modules/po/buffextras.ru.po new file mode 100644 index 00000000..746eeb9f --- /dev/null +++ b/modules/po/buffextras.ru.po @@ -0,0 +1,51 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: ru\n" +"X-Crowdin-File: /master/modules/po/buffextras.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Russian\n" +"Language: ru_RU\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: buffextras.cpp:45 +msgid "Server" +msgstr "" + +#: buffextras.cpp:47 +msgid "{1} set mode: {2} {3}" +msgstr "" + +#: buffextras.cpp:55 +msgid "{1} kicked {2} with reason: {3}" +msgstr "" + +#: buffextras.cpp:64 +msgid "{1} quit: {2}" +msgstr "" + +#: buffextras.cpp:73 +msgid "{1} joined" +msgstr "" + +#: buffextras.cpp:81 +msgid "{1} parted: {2}" +msgstr "" + +#: buffextras.cpp:90 +msgid "{1} is now known as {2}" +msgstr "" + +#: buffextras.cpp:100 +msgid "{1} changed the topic to: {2}" +msgstr "" + +#: buffextras.cpp:115 +msgid "Adds joins, parts etc. to the playback buffer" +msgstr "" + diff --git a/modules/po/cert.de.po b/modules/po/cert.de.po new file mode 100644 index 00000000..47d68d2a --- /dev/null +++ b/modules/po/cert.de.po @@ -0,0 +1,73 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: de\n" +"X-Crowdin-File: /master/modules/po/cert.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: German\n" +"Language: de_DE\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +# this text is inserted into `click here` in the other string +#: modules/po/../data/cert/tmpl/index.tmpl:5 +msgid "here" +msgstr "hier" + +# {1} is `here`, translateable in the other string +#: modules/po/../data/cert/tmpl/index.tmpl:6 +msgid "You already have a certificate set, use the form below to overwrite the current certificate. Alternatively click {1} to delete your certificate." +msgstr "Du hast bereits ein Zertifikat gesetzt. Verwende das untenstehende Formular um es zu überschreiben. Alternativ, klicke {1} um es zu löschen." + +#: modules/po/../data/cert/tmpl/index.tmpl:8 +msgid "You do not have a certificate yet." +msgstr "Du hast bisher kein Zertifikat." + +#: modules/po/../data/cert/tmpl/index.tmpl:14 cert.cpp:72 +msgid "Certificate" +msgstr "Zertifikat" + +#: modules/po/../data/cert/tmpl/index.tmpl:18 +msgid "PEM File:" +msgstr "PEM-Datei:" + +#: modules/po/../data/cert/tmpl/index.tmpl:22 +msgid "Update" +msgstr "Aktualisieren" + +#: cert.cpp:28 +msgid "Pem file deleted" +msgstr "PEM-Datei gelöscht" + +#: cert.cpp:31 +msgid "The pem file doesn't exist or there was a error deleting the pem file." +msgstr "Die PEM-Datei existiert nicht oder es trat ein Fehler beim Löschen auf." + +#: cert.cpp:38 +msgid "You have a certificate in {1}" +msgstr "Dein Zertifikat ist in {1}" + +#: cert.cpp:41 +msgid "You do not have a certificate. Please use the web interface to add a certificate" +msgstr "Du hast kein Zertifikat. Bitte verwende das Web-Interface um ein Zertifikat hinzuzufügen" + +#: cert.cpp:44 +msgid "Alternatively you can either place one at {1}" +msgstr "Alternativ kannst du eines in {1} platzieren" + +#: cert.cpp:52 +msgid "Delete the current certificate" +msgstr "Löscht das aktuelle Zertifikat" + +#: cert.cpp:54 +msgid "Show the current certificate" +msgstr "" + +#: cert.cpp:105 +msgid "Use a ssl certificate to connect to a server" +msgstr "" + diff --git a/modules/po/cert.pot b/modules/po/cert.pot index bcf2a85d..dbe552bc 100644 --- a/modules/po/cert.pot +++ b/modules/po/cert.pot @@ -2,6 +2,7 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" # this text is inserted into `click here` in the other string #: modules/po/../data/cert/tmpl/index.tmpl:5 diff --git a/modules/po/cert.ru.po b/modules/po/cert.ru.po index ed83dbeb..1a702dd1 100644 --- a/modules/po/cert.ru.po +++ b/modules/po/cert.ru.po @@ -1,35 +1,27 @@ -# Russian translations for znc package -# Английские переводы для пакета znc. -# Copyright (C) 2016 THE znc'S COPYRIGHT HOLDER -# This file is distributed under the same license as the znc package. -# Alexey Sokolov , 2016. -# msgid "" msgstr "" -"Project-Id-Version: znc 1.7.x\n" -"Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2016-01-27 21:49+0000\n" -"PO-Revision-Date: 2016-01-24 16:40+0000\n" -"Last-Translator: Alexey Sokolov \n" -"Language-Team: Russian\n" -"Language: ru\n" -"MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n" -"%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: ru\n" +"X-Crowdin-File: /master/modules/po/cert.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Russian\n" +"Language: ru_RU\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" +# this text is inserted into `click here` in the other string #: modules/po/../data/cert/tmpl/index.tmpl:5 msgid "here" msgstr "сюда" +# {1} is `here`, translateable in the other string #: modules/po/../data/cert/tmpl/index.tmpl:6 -msgid "" -"You already have a certificate set, use the form below to overwrite the " -"current certificate. Alternatively click {1} to delete your certificate." -msgstr "" -"У вас уже есть сертификат, с помощью формы ниже можно его изменить. Чтобы " -"удалить сертификат, нажмите {1}." +msgid "You already have a certificate set, use the form below to overwrite the current certificate. Alternatively click {1} to delete your certificate." +msgstr "У вас уже есть сертификат, с помощью формы ниже можно его изменить. Чтобы удалить сертификат, нажмите {1}." #: modules/po/../data/cert/tmpl/index.tmpl:8 msgid "You do not have a certificate yet." @@ -60,9 +52,7 @@ msgid "You have a certificate in {1}" msgstr "Ваш сертификат лежит в {1}" #: cert.cpp:41 -msgid "" -"You do not have a certificate. Please use the web interface to add a " -"certificate" +msgid "You do not have a certificate. Please use the web interface to add a certificate" msgstr "У вас нет сертификата. Пожалуйста, добавьте его через веб-интерфейс." #: cert.cpp:44 @@ -80,3 +70,4 @@ msgstr "Показать текущий сертификат" #: cert.cpp:105 msgid "Use a ssl certificate to connect to a server" msgstr "Соединение с сервером с помошью сертификата SSL" + diff --git a/modules/po/certauth.de.po b/modules/po/certauth.de.po new file mode 100644 index 00000000..8a801d2a --- /dev/null +++ b/modules/po/certauth.de.po @@ -0,0 +1,110 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: de\n" +"X-Crowdin-File: /master/modules/po/certauth.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: German\n" +"Language: de_DE\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: modules/po/../data/certauth/tmpl/index.tmpl:7 +msgid "Add a key" +msgstr "Einen Schlüssel hinzufügen" + +#: modules/po/../data/certauth/tmpl/index.tmpl:11 +msgid "Key:" +msgstr "Schlüssel:" + +#: modules/po/../data/certauth/tmpl/index.tmpl:15 +msgid "Add Key" +msgstr "Schlüssel hinzufügen" + +#: modules/po/../data/certauth/tmpl/index.tmpl:23 +msgid "You have no keys." +msgstr "Du hast keine Schlüssel." + +#: modules/po/../data/certauth/tmpl/index.tmpl:30 +msgctxt "web" +msgid "Key" +msgstr "Schlüssel" + +#: modules/po/../data/certauth/tmpl/index.tmpl:36 +msgid "del" +msgstr "" + +#: certauth.cpp:31 +msgid "[pubkey]" +msgstr "" + +#: certauth.cpp:32 +msgid "Add a public key. If key is not provided will use the current key" +msgstr "Einen öffentlichen Schlüssel hinzufügen. Falls kein Schlüssel angegeben wird, dann wird der aktuelle Schlüsse verwunden" + +#: certauth.cpp:35 +msgid "id" +msgstr "" + +#: certauth.cpp:35 +msgid "Delete a key by its number in List" +msgstr "Lösche einen Schlüssels durch seine Nummer in der Liste" + +#: certauth.cpp:37 +msgid "List your public keys" +msgstr "Öffentliche Schlüssel auflisten" + +#: certauth.cpp:39 +msgid "Print your current key" +msgstr "Aktuellen Schlüssel ausgeben" + +#: certauth.cpp:142 +msgid "You are not connected with any valid public key" +msgstr "Du bist nicht mit einem gültigen öffentlichen Schlüssel verbunden" + +#: certauth.cpp:144 +msgid "Your current public key is: {1}" +msgstr "Dein aktuelle öffentlicher Schlüssel ist: {1}" + +#: certauth.cpp:157 +msgid "You did not supply a public key or connect with one." +msgstr "Es wurde kein öffentlicher Schlüssel angegeben oder zum Verbinden verwendet." + +#: certauth.cpp:160 +msgid "Key '{1}' added." +msgstr "Schlüssel '{1}' hinzugefügt." + +#: certauth.cpp:162 +msgid "The key '{1}' is already added." +msgstr "Der Schlüssel '{1}' wurde bereits hinzugefügt." + +#: certauth.cpp:170 certauth.cpp:182 +msgctxt "list" +msgid "Id" +msgstr "" + +#: certauth.cpp:171 certauth.cpp:183 +msgctxt "list" +msgid "Key" +msgstr "Schlüssel" + +#: certauth.cpp:175 certauth.cpp:189 certauth.cpp:198 +msgid "No keys set for your user" +msgstr "Keine Schlüssel für deinen Benutzer gesetzt" + +#: certauth.cpp:203 +msgid "Invalid #, check \"list\"" +msgstr "" + +#: certauth.cpp:215 +msgid "Removed" +msgstr "Entfernt" + +#: certauth.cpp:290 +msgid "Allows users to authenticate via SSL client certificates." +msgstr "Ermöglicht es Benutzern sich über SSL-Client-Zertifikate zu authentifizieren." + diff --git a/modules/po/certauth.pot b/modules/po/certauth.pot index eb356941..a2c84c80 100644 --- a/modules/po/certauth.pot +++ b/modules/po/certauth.pot @@ -2,6 +2,7 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" #: modules/po/../data/certauth/tmpl/index.tmpl:7 msgid "Add a key" diff --git a/modules/po/certauth.ru.po b/modules/po/certauth.ru.po new file mode 100644 index 00000000..4d6f5cc9 --- /dev/null +++ b/modules/po/certauth.ru.po @@ -0,0 +1,110 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: ru\n" +"X-Crowdin-File: /master/modules/po/certauth.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Russian\n" +"Language: ru_RU\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: modules/po/../data/certauth/tmpl/index.tmpl:7 +msgid "Add a key" +msgstr "" + +#: modules/po/../data/certauth/tmpl/index.tmpl:11 +msgid "Key:" +msgstr "" + +#: modules/po/../data/certauth/tmpl/index.tmpl:15 +msgid "Add Key" +msgstr "" + +#: modules/po/../data/certauth/tmpl/index.tmpl:23 +msgid "You have no keys." +msgstr "" + +#: modules/po/../data/certauth/tmpl/index.tmpl:30 +msgctxt "web" +msgid "Key" +msgstr "" + +#: modules/po/../data/certauth/tmpl/index.tmpl:36 +msgid "del" +msgstr "" + +#: certauth.cpp:31 +msgid "[pubkey]" +msgstr "" + +#: certauth.cpp:32 +msgid "Add a public key. If key is not provided will use the current key" +msgstr "" + +#: certauth.cpp:35 +msgid "id" +msgstr "" + +#: certauth.cpp:35 +msgid "Delete a key by its number in List" +msgstr "" + +#: certauth.cpp:37 +msgid "List your public keys" +msgstr "" + +#: certauth.cpp:39 +msgid "Print your current key" +msgstr "" + +#: certauth.cpp:142 +msgid "You are not connected with any valid public key" +msgstr "" + +#: certauth.cpp:144 +msgid "Your current public key is: {1}" +msgstr "" + +#: certauth.cpp:157 +msgid "You did not supply a public key or connect with one." +msgstr "" + +#: certauth.cpp:160 +msgid "Key '{1}' added." +msgstr "" + +#: certauth.cpp:162 +msgid "The key '{1}' is already added." +msgstr "" + +#: certauth.cpp:170 certauth.cpp:182 +msgctxt "list" +msgid "Id" +msgstr "" + +#: certauth.cpp:171 certauth.cpp:183 +msgctxt "list" +msgid "Key" +msgstr "" + +#: certauth.cpp:175 certauth.cpp:189 certauth.cpp:198 +msgid "No keys set for your user" +msgstr "" + +#: certauth.cpp:203 +msgid "Invalid #, check \"list\"" +msgstr "" + +#: certauth.cpp:215 +msgid "Removed" +msgstr "" + +#: certauth.cpp:290 +msgid "Allows users to authenticate via SSL client certificates." +msgstr "" + diff --git a/modules/po/chansaver.de.po b/modules/po/chansaver.de.po new file mode 100644 index 00000000..c50f98bc --- /dev/null +++ b/modules/po/chansaver.de.po @@ -0,0 +1,19 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: de\n" +"X-Crowdin-File: /master/modules/po/chansaver.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: German\n" +"Language: de_DE\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: chansaver.cpp:91 +msgid "Keeps config up-to-date when user joins/parts." +msgstr "" + diff --git a/modules/po/chansaver.pot b/modules/po/chansaver.pot index 59b68259..362be341 100644 --- a/modules/po/chansaver.pot +++ b/modules/po/chansaver.pot @@ -2,6 +2,7 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" #: chansaver.cpp:91 msgid "Keeps config up-to-date when user joins/parts." diff --git a/modules/po/chansaver.ru.po b/modules/po/chansaver.ru.po new file mode 100644 index 00000000..8f0337d2 --- /dev/null +++ b/modules/po/chansaver.ru.po @@ -0,0 +1,19 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: ru\n" +"X-Crowdin-File: /master/modules/po/chansaver.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Russian\n" +"Language: ru_RU\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: chansaver.cpp:91 +msgid "Keeps config up-to-date when user joins/parts." +msgstr "" + diff --git a/modules/po/clearbufferonmsg.de.po b/modules/po/clearbufferonmsg.de.po new file mode 100644 index 00000000..1c6989d6 --- /dev/null +++ b/modules/po/clearbufferonmsg.de.po @@ -0,0 +1,19 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: de\n" +"X-Crowdin-File: /master/modules/po/clearbufferonmsg.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: German\n" +"Language: de_DE\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: clearbufferonmsg.cpp:160 +msgid "Clears all channel and query buffers whenever the user does something" +msgstr "Löscht alle Kanal- und Query-Puffer immer wenn der Benutzer etwas tut" + diff --git a/modules/po/clearbufferonmsg.pot b/modules/po/clearbufferonmsg.pot index 5c30bfb9..eaf7f8da 100644 --- a/modules/po/clearbufferonmsg.pot +++ b/modules/po/clearbufferonmsg.pot @@ -2,6 +2,7 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" #: clearbufferonmsg.cpp:160 msgid "Clears all channel and query buffers whenever the user does something" diff --git a/modules/po/clearbufferonmsg.ru.po b/modules/po/clearbufferonmsg.ru.po new file mode 100644 index 00000000..04057b50 --- /dev/null +++ b/modules/po/clearbufferonmsg.ru.po @@ -0,0 +1,19 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: ru\n" +"X-Crowdin-File: /master/modules/po/clearbufferonmsg.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Russian\n" +"Language: ru_RU\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: clearbufferonmsg.cpp:160 +msgid "Clears all channel and query buffers whenever the user does something" +msgstr "" + diff --git a/modules/po/clientnotify.de.po b/modules/po/clientnotify.de.po new file mode 100644 index 00000000..9db381bb --- /dev/null +++ b/modules/po/clientnotify.de.po @@ -0,0 +1,69 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: de\n" +"X-Crowdin-File: /master/modules/po/clientnotify.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: German\n" +"Language: de_DE\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: clientnotify.cpp:47 +msgid "" +msgstr "" + +#: clientnotify.cpp:48 +msgid "Sets the notify method" +msgstr "Setzt die Benachrichtigungsmethode" + +#: clientnotify.cpp:50 clientnotify.cpp:54 +msgid "" +msgstr "" + +#: clientnotify.cpp:51 +msgid "Turns notifications for unseen IP addresses on or off" +msgstr "Schaltet Benachrichtigungen für bisher nicht gesehene IP-Adressen an oder aus" + +#: clientnotify.cpp:55 +msgid "Turns notifications for clients disconnecting on or off" +msgstr "" + +#: clientnotify.cpp:57 +msgid "Shows the current settings" +msgstr "Zeigt die aktuellen Einstellungen an" + +#: clientnotify.cpp:81 clientnotify.cpp:95 +msgid "" +msgid_plural "Another client authenticated as your user. Use the 'ListClients' command to see all {1} clients." +msgstr[0] "" +msgstr[1] "Ein anderer Client hat sich als dein Benutzer authentifiziert. Verwende den 'ListClients'-Befehl um alle {1} Clients zu sehen." + +#: clientnotify.cpp:108 +msgid "Usage: Method " +msgstr "Verwendung: Method " + +#: clientnotify.cpp:114 clientnotify.cpp:127 clientnotify.cpp:140 +msgid "Saved." +msgstr "Gespeichert." + +#: clientnotify.cpp:121 +msgid "Usage: NewOnly " +msgstr "Verwendung: NewOnly " + +#: clientnotify.cpp:134 +msgid "Usage: OnDisconnect " +msgstr "Verwendung: OnDisconnect " + +#: clientnotify.cpp:145 +msgid "Current settings: Method: {1}, for unseen IP addresses only: {2}, notify on disconnecting clients: {3}" +msgstr "" + +#: clientnotify.cpp:157 +msgid "Notifies you when another IRC client logs into or out of your account. Configurable." +msgstr "Benachrichtigt dicht wenn ein anderer IRC-Client in deinen Account ein- oder aus deinem Account ausloggt. Konfigurierbar." + diff --git a/modules/po/clientnotify.pot b/modules/po/clientnotify.pot index b099e5e6..5b1ea854 100644 --- a/modules/po/clientnotify.pot +++ b/modules/po/clientnotify.pot @@ -2,6 +2,7 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" #: clientnotify.cpp:47 msgid "" diff --git a/modules/po/clientnotify.ru.po b/modules/po/clientnotify.ru.po new file mode 100644 index 00000000..26b43263 --- /dev/null +++ b/modules/po/clientnotify.ru.po @@ -0,0 +1,70 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: ru\n" +"X-Crowdin-File: /master/modules/po/clientnotify.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Russian\n" +"Language: ru_RU\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: clientnotify.cpp:47 +msgid "" +msgstr "" + +#: clientnotify.cpp:48 +msgid "Sets the notify method" +msgstr "" + +#: clientnotify.cpp:50 clientnotify.cpp:54 +msgid "" +msgstr "" + +#: clientnotify.cpp:51 +msgid "Turns notifications for unseen IP addresses on or off" +msgstr "" + +#: clientnotify.cpp:55 +msgid "Turns notifications for clients disconnecting on or off" +msgstr "" + +#: clientnotify.cpp:57 +msgid "Shows the current settings" +msgstr "" + +#: clientnotify.cpp:81 clientnotify.cpp:95 +msgid "" +msgid_plural "Another client authenticated as your user. Use the 'ListClients' command to see all {1} clients." +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" + +#: clientnotify.cpp:108 +msgid "Usage: Method " +msgstr "" + +#: clientnotify.cpp:114 clientnotify.cpp:127 clientnotify.cpp:140 +msgid "Saved." +msgstr "" + +#: clientnotify.cpp:121 +msgid "Usage: NewOnly " +msgstr "" + +#: clientnotify.cpp:134 +msgid "Usage: OnDisconnect " +msgstr "" + +#: clientnotify.cpp:145 +msgid "Current settings: Method: {1}, for unseen IP addresses only: {2}, notify on disconnecting clients: {3}" +msgstr "" + +#: clientnotify.cpp:157 +msgid "Notifies you when another IRC client logs into or out of your account. Configurable." +msgstr "" + diff --git a/modules/po/controlpanel.de.po b/modules/po/controlpanel.de.po new file mode 100644 index 00000000..5b747637 --- /dev/null +++ b/modules/po/controlpanel.de.po @@ -0,0 +1,706 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: de\n" +"X-Crowdin-File: /master/modules/po/controlpanel.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: German\n" +"Language: de_DE\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: controlpanel.cpp:51 controlpanel.cpp:63 +msgctxt "helptable" +msgid "Type" +msgstr "Typ" + +#: controlpanel.cpp:52 controlpanel.cpp:65 +msgctxt "helptable" +msgid "Variables" +msgstr "Variablen" + +#: controlpanel.cpp:77 +msgid "String" +msgstr "Zeichenkette" + +#: controlpanel.cpp:78 +msgid "Boolean (true/false)" +msgstr "Boolean (wahr/falsch)" + +#: controlpanel.cpp:79 +msgid "Integer" +msgstr "Ganzzahl" + +#: controlpanel.cpp:80 +msgid "Number" +msgstr "" + +#: controlpanel.cpp:122 +msgid "The following variables are available when using the Set/Get commands:" +msgstr "Die folgenden Variablen stehen für die Set/Get-Befehle zur Verfügung:" + +#: controlpanel.cpp:145 +msgid "The following variables are available when using the SetNetwork/GetNetwork commands:" +msgstr "Die folgenden Variablen stehen für die SetNetwork/GetNetwork-Befehle zur Verfügung:" + +#: controlpanel.cpp:158 +msgid "The following variables are available when using the SetChan/GetChan commands:" +msgstr "Die folgenden Variablen stehen für die SetChan/GetChan-Befehle zur Verfügung:" + +#: controlpanel.cpp:164 +msgid "You can use $user as the user name and $network as the network name for modifying your own user and network." +msgstr "Um deinen eigenen User und dein eigenes Netzwerk zu bearbeiten, können $user und $network verwendet werden." + +#: controlpanel.cpp:173 controlpanel.cpp:949 controlpanel.cpp:986 +msgid "Error: User [{1}] does not exist!" +msgstr "Fehler: Benutzer [{1}] existiert nicht!" + +#: controlpanel.cpp:178 +msgid "Error: You need to have admin rights to modify other users!" +msgstr "Fehler: Administratorrechte benötigt um andere Benutzer zu bearbeiten!" + +#: controlpanel.cpp:188 +msgid "Error: You cannot use $network to modify other users!" +msgstr "Fehler: $network kann nicht verwendet werden um andere Benutzer zu bearbeiten!" + +#: controlpanel.cpp:196 +msgid "Error: User {1} does not have a network named [{2}]." +msgstr "Fehler: Benutzer {1} hat kein Netzwerk namens [{2}]." + +#: controlpanel.cpp:208 +msgid "Usage: Get [username]" +msgstr "Verwendung: Get [Benutzername]" + +#: controlpanel.cpp:295 controlpanel.cpp:490 controlpanel.cpp:565 +#: controlpanel.cpp:641 controlpanel.cpp:776 controlpanel.cpp:861 +msgid "Error: Unknown variable" +msgstr "Fehler: Unbekannte Variable" + +#: controlpanel.cpp:304 +msgid "Usage: Set " +msgstr "Verwendung: Set " + +#: controlpanel.cpp:326 controlpanel.cpp:606 +msgid "This bind host is already set!" +msgstr "" + +#: controlpanel.cpp:333 controlpanel.cpp:345 controlpanel.cpp:353 +#: controlpanel.cpp:416 controlpanel.cpp:435 controlpanel.cpp:453 +#: controlpanel.cpp:613 +msgid "Access denied!" +msgstr "Zugriff verweigert!" + +#: controlpanel.cpp:367 controlpanel.cpp:376 controlpanel.cpp:825 +msgid "Setting failed, limit for buffer size is {1}" +msgstr "Setzen fehlgeschlagen, da das Limit für die Puffergröße {1} ist" + +#: controlpanel.cpp:396 +msgid "Password has been changed!" +msgstr "Das Passwort wurde geändert!" + +#: controlpanel.cpp:404 +msgid "Timeout can't be less than 30 seconds!" +msgstr "Timeout kann nicht weniger als 30 Sekunden sein!" + +#: controlpanel.cpp:460 +msgid "That would be a bad idea!" +msgstr "Das wäre eine schlechte Idee!" + +#: controlpanel.cpp:478 +msgid "Supported languages: {1}" +msgstr "Unterstützte Sprachen: {1}" + +#: controlpanel.cpp:502 +msgid "Usage: GetNetwork [username] [network]" +msgstr "Verwendung: GetNetwork [Benutzername] [Netzwerk]" + +#: controlpanel.cpp:521 +msgid "Error: A network must be specified to get another users settings." +msgstr "Fehler: Ein Netzwerk muss angegeben werden um Einstellungen eines anderen Nutzers zu bekommen." + +#: controlpanel.cpp:527 +msgid "You are not currently attached to a network." +msgstr "Du bist aktuell nicht mit einem Netzwerk verbunden." + +#: controlpanel.cpp:533 +msgid "Error: Invalid network." +msgstr "Fehler: Ungültiges Netzwerk." + +#: controlpanel.cpp:577 +msgid "Usage: SetNetwork " +msgstr "Verwendung: SetNetwork " + +#: controlpanel.cpp:651 +msgid "Usage: AddChan " +msgstr "Verwendung: AddChan " + +#: controlpanel.cpp:664 +msgid "Error: User {1} already has a channel named {2}." +msgstr "Fehler: Benutzer {1} hat bereits einen Kanal namens {2}." + +#: controlpanel.cpp:671 +msgid "Channel {1} for user {2} added to network {3}." +msgstr "Kanal {1} für User {2} zum Netzwerk {3} hinzugefügt." + +#: controlpanel.cpp:675 +msgid "Could not add channel {1} for user {2} to network {3}, does it already exist?" +msgstr "Konnte Kanal {1} nicht für Benutzer {2} zum Netzwerk {3} hinzufügen; existiert er bereits?" + +#: controlpanel.cpp:685 +msgid "Usage: DelChan " +msgstr "Verwendung: DelChan " + +#: controlpanel.cpp:700 +msgid "Error: User {1} does not have any channel matching [{2}] in network {3}" +msgstr "Fehler: Benutzer {1} hat keinen Kanal in Netzwerk {3}, der auf [{2}] passt" + +#: controlpanel.cpp:713 +msgid "Channel {1} is deleted from network {2} of user {3}" +msgid_plural "Channels {1} are deleted from network {2} of user {3}" +msgstr[0] "Kanal {1} wurde von Netzwerk {2} von Nutzer {3} entfernt" +msgstr[1] "Kanäle {1} wurden von Netzwerk {2} von Nutzer {3} entfernt" + +#: controlpanel.cpp:728 +msgid "Usage: GetChan " +msgstr "Verwendung: GetChan " + +#: controlpanel.cpp:742 controlpanel.cpp:806 +msgid "Error: No channels matching [{1}] found." +msgstr "Fehler: Keine auf [{1}] passende Kanäle gefunden." + +#: controlpanel.cpp:791 +msgid "Usage: SetChan " +msgstr "Verwendung: SetChan " + +#: controlpanel.cpp:872 controlpanel.cpp:882 +msgctxt "listusers" +msgid "Username" +msgstr "Benutzername" + +#: controlpanel.cpp:873 controlpanel.cpp:883 +msgctxt "listusers" +msgid "Realname" +msgstr "Realname" + +#: controlpanel.cpp:874 controlpanel.cpp:886 controlpanel.cpp:888 +msgctxt "listusers" +msgid "IsAdmin" +msgstr "IstAdmin" + +#: controlpanel.cpp:875 controlpanel.cpp:889 +msgctxt "listusers" +msgid "Nick" +msgstr "Nick" + +#: controlpanel.cpp:876 controlpanel.cpp:890 +msgctxt "listusers" +msgid "AltNick" +msgstr "AltNick" + +#: controlpanel.cpp:877 controlpanel.cpp:891 +msgctxt "listusers" +msgid "Ident" +msgstr "" + +#: controlpanel.cpp:878 controlpanel.cpp:892 +msgctxt "listusers" +msgid "BindHost" +msgstr "" + +#: controlpanel.cpp:886 controlpanel.cpp:1126 +msgid "No" +msgstr "Nein" + +#: controlpanel.cpp:888 controlpanel.cpp:1118 +msgid "Yes" +msgstr "Ja" + +#: controlpanel.cpp:902 controlpanel.cpp:971 +msgid "Error: You need to have admin rights to add new users!" +msgstr "Fehler: Administratorrechte benötigt um neue Benutzer hinzuzufügen!" + +#: controlpanel.cpp:908 +msgid "Usage: AddUser " +msgstr "Verwendung: AddUser " + +#: controlpanel.cpp:913 +msgid "Error: User {1} already exists!" +msgstr "Fehler: Benutzer {1} existiert bereits!" + +#: controlpanel.cpp:925 controlpanel.cpp:1000 +msgid "Error: User not added: {1}" +msgstr "Fehler: Benutzer nicht hinzugefügt: {1}" + +#: controlpanel.cpp:929 controlpanel.cpp:1004 +msgid "User {1} added!" +msgstr "Benutzer {1} hinzugefügt!" + +#: controlpanel.cpp:936 +msgid "Error: You need to have admin rights to delete users!" +msgstr "Fehler: Administratorrechte benötigt um Benutzer zu löschen!" + +#: controlpanel.cpp:942 +msgid "Usage: DelUser " +msgstr "Verwendung: DelUser " + +#: controlpanel.cpp:954 +msgid "Error: You can't delete yourself!" +msgstr "Fehler: Du kannst dich nicht selbst löschen!" + +#: controlpanel.cpp:960 +msgid "Error: Internal error!" +msgstr "Fehler: Interner Fehler!" + +#: controlpanel.cpp:964 +msgid "User {1} deleted!" +msgstr "Benutzer {1} gelöscht!" + +#: controlpanel.cpp:979 +msgid "Usage: CloneUser " +msgstr "Verwendung: CloneUser " + +#: controlpanel.cpp:994 +msgid "Error: Cloning failed: {1}" +msgstr "Fehler: Klonen fehlgeschlagen: {1}" + +#: controlpanel.cpp:1023 +msgid "Usage: AddNetwork [user] network" +msgstr "Verwendung: AddNetwork [Benutzer] Netzwerk" + +#: controlpanel.cpp:1029 +msgid "Network number limit reached. Ask an admin to increase the limit for you, or delete unneeded networks using /znc DelNetwork " +msgstr "Netzwerk-Anzahl-Limit erreicht. Frag einen Administrator den Grenzwert für dich zu erhöhen, oder löschen nicht benötigte Netzwerke mit /znc DelNetwork " + +#: controlpanel.cpp:1037 +msgid "Error: User {1} already has a network with the name {2}" +msgstr "Fehler: Benutzer {1} hat schon ein Netzwerk namens {2}" + +#: controlpanel.cpp:1044 +msgid "Network {1} added to user {2}." +msgstr "Netzwerk {1} zu Benutzer {2} hinzugefügt." + +#: controlpanel.cpp:1048 +msgid "Error: Network [{1}] could not be added for user {2}: {3}" +msgstr "Fehler: Netzwerk [{1}] konnte nicht zu Benutzer {2} hinzugefügt werden: {3}" + +#: controlpanel.cpp:1068 +msgid "Usage: DelNetwork [user] network" +msgstr "Verwendung: DelNetwork [Benutzer] Netzwerk" + +#: controlpanel.cpp:1079 +msgid "The currently active network can be deleted via {1}status" +msgstr "Das derzeit aktive Netzwerk can mit {1}status gelöscht werden" + +#: controlpanel.cpp:1085 +msgid "Network {1} deleted for user {2}." +msgstr "Netzwerk {1} von Benutzer {2} gelöscht." + +#: controlpanel.cpp:1089 +msgid "Error: Network {1} could not be deleted for user {2}." +msgstr "Fehler: Netzwerk {1} von Benutzer {2} konnte nicht gelöscht werden." + +#: controlpanel.cpp:1108 controlpanel.cpp:1116 +msgctxt "listnetworks" +msgid "Network" +msgstr "Netzwerk" + +#: controlpanel.cpp:1109 controlpanel.cpp:1118 controlpanel.cpp:1126 +msgctxt "listnetworks" +msgid "OnIRC" +msgstr "" + +#: controlpanel.cpp:1110 controlpanel.cpp:1119 +msgctxt "listnetworks" +msgid "IRC Server" +msgstr "IRC-Server" + +#: controlpanel.cpp:1111 controlpanel.cpp:1121 +msgctxt "listnetworks" +msgid "IRC User" +msgstr "" + +#: controlpanel.cpp:1112 controlpanel.cpp:1123 +msgctxt "listnetworks" +msgid "Channels" +msgstr "Kanäle" + +#: controlpanel.cpp:1131 +msgid "No networks" +msgstr "Keine Netzwerke" + +#: controlpanel.cpp:1142 +msgid "Usage: AddServer [[+]port] [password]" +msgstr "Verwendung: AddServer [[+]Port] [Passwort]" + +#: controlpanel.cpp:1156 +msgid "Added IRC Server {1} to network {2} for user {3}." +msgstr "IRC-Server {1} zu Netzwerk {2} von Benutzer {3} hinzugefügt." + +#: controlpanel.cpp:1160 +msgid "Error: Could not add IRC server {1} to network {2} for user {3}." +msgstr "Fehler: Konnte IRC-Server {1} nicht zu Netzwerk {2} von Benutzer {3} hinzufügen." + +#: controlpanel.cpp:1173 +msgid "Usage: DelServer [[+]port] [password]" +msgstr "Verwendung: DelServer [[+]Port] [Passwort]" + +#: controlpanel.cpp:1188 +msgid "Deleted IRC Server {1} from network {2} for user {3}." +msgstr "IRC-Server {1} von Netzwerk {2} von User {3} gelöscht." + +#: controlpanel.cpp:1192 +msgid "Error: Could not delete IRC server {1} from network {2} for user {3}." +msgstr "Fehler: Konnte IRC-Server {1} von Netzwerk {2} von User {3} nicht löschen." + +#: controlpanel.cpp:1202 +msgid "Usage: Reconnect " +msgstr "Verwendung: Reconnect " + +#: controlpanel.cpp:1229 +msgid "Queued network {1} of user {2} for a reconnect." +msgstr "Netzwerk {1} von Benutzer {2} für eine Neu-Verbindung eingereiht." + +#: controlpanel.cpp:1238 +msgid "Usage: Disconnect " +msgstr "Verwendung: Disconnect " + +#: controlpanel.cpp:1253 +msgid "Closed IRC connection for network {1} of user {2}." +msgstr "IRC-Verbindung von Netzwerk {1} von Benutzer {2} geschlossen." + +#: controlpanel.cpp:1268 controlpanel.cpp:1272 +msgctxt "listctcp" +msgid "Request" +msgstr "Anfrage" + +#: controlpanel.cpp:1269 controlpanel.cpp:1273 +msgctxt "listctcp" +msgid "Reply" +msgstr "Antwort" + +#: controlpanel.cpp:1277 +msgid "No CTCP replies for user {1} are configured" +msgstr "Keine CTCP-Antworten für Benutzer {1} konfiguriert" + +#: controlpanel.cpp:1280 +msgid "CTCP replies for user {1}:" +msgstr "CTCP-Antworten für Benutzer {1}:" + +#: controlpanel.cpp:1296 +msgid "Usage: AddCTCP [user] [request] [reply]" +msgstr "Verwendung: AddCTCP [Benutzer] [Anfrage] [Antwort]" + +#: controlpanel.cpp:1298 +msgid "This will cause ZNC to reply to the CTCP instead of forwarding it to clients." +msgstr "Hierdurch wird ZNC den CTCP beantworten anstelle ihn zum Client weiterzuleiten." + +#: controlpanel.cpp:1301 +msgid "An empty reply will cause the CTCP request to be blocked." +msgstr "Eine leere Antwort blockiert die CTCP-Anfrage." + +#: controlpanel.cpp:1310 +msgid "CTCP requests {1} to user {2} will now be blocked." +msgstr "CTCP-Anfragen {1} an Benutzer {2} werden nun blockiert." + +#: controlpanel.cpp:1314 +msgid "CTCP requests {1} to user {2} will now get reply: {3}" +msgstr "CTCP-Anfragen {1} an Benutzer {2} werden nun beantwortet mit: {3}" + +#: controlpanel.cpp:1331 +msgid "Usage: DelCTCP [user] [request]" +msgstr "Verwendung: DelCTCP [Benutzer] [Anfrage]" + +#: controlpanel.cpp:1337 +msgid "CTCP requests {1} to user {2} will now be sent to IRC clients" +msgstr "CTCP-Anfragen {1} an Benutzer {2} werden nun an IRC-Clients gesendet" + +#: controlpanel.cpp:1341 +msgid "CTCP requests {1} to user {2} will be sent to IRC clients (nothing has changed)" +msgstr "CTCP-Anfragen {1} an Benutzer {2} werden an IRC-Clients gesendet (nichts hat sich geändert)" + +#: controlpanel.cpp:1351 controlpanel.cpp:1425 +msgid "Loading modules has been disabled." +msgstr "Das Laden von Modulen wurde deaktiviert." + +#: controlpanel.cpp:1360 +msgid "Error: Unable to load module {1}: {2}" +msgstr "Fehler: Konnte Modul {1} nicht laden: {2}" + +#: controlpanel.cpp:1363 +msgid "Loaded module {1}" +msgstr "Modul {1} geladen" + +#: controlpanel.cpp:1368 +msgid "Error: Unable to reload module {1}: {2}" +msgstr "Fehler: Konnte Modul {1} nicht neu laden: {2}" + +#: controlpanel.cpp:1371 +msgid "Reloaded module {1}" +msgstr "Module {1} neu geladen" + +#: controlpanel.cpp:1375 +msgid "Error: Unable to load module {1} because it is already loaded" +msgstr "Fehler: Modul {1} kann nicht geladen werden, da es bereits geladen ist" + +#: controlpanel.cpp:1386 +msgid "Usage: LoadModule [args]" +msgstr "Verwendung: LoadModule [Argumente]" + +#: controlpanel.cpp:1405 +msgid "Usage: LoadNetModule [args]" +msgstr "Verwendung: LoadNetModule [Argumente]" + +#: controlpanel.cpp:1430 +msgid "Please use /znc unloadmod {1}" +msgstr "Bitte verwende /znc unloadmod {1}" + +#: controlpanel.cpp:1436 +msgid "Error: Unable to unload module {1}: {2}" +msgstr "Fehler: Konnte Modul {1} nicht entladen: {2}" + +#: controlpanel.cpp:1439 +msgid "Unloaded module {1}" +msgstr "Modul {1} entladen" + +#: controlpanel.cpp:1448 +msgid "Usage: UnloadModule " +msgstr "Verwendung: UnloadModule " + +#: controlpanel.cpp:1465 +msgid "Usage: UnloadNetModule " +msgstr "Verwendung: UnloadNetModule " + +#: controlpanel.cpp:1482 controlpanel.cpp:1487 +msgctxt "listmodules" +msgid "Name" +msgstr "Name" + +#: controlpanel.cpp:1483 controlpanel.cpp:1488 +msgctxt "listmodules" +msgid "Arguments" +msgstr "Argumente" + +#: controlpanel.cpp:1507 +msgid "User {1} has no modules loaded." +msgstr "Benutzer {1} hat keine Module geladen." + +#: controlpanel.cpp:1511 +msgid "Modules loaded for user {1}:" +msgstr "Für Benutzer {1} geladene Module:" + +#: controlpanel.cpp:1531 +msgid "Network {1} of user {2} has no modules loaded." +msgstr "" + +#: controlpanel.cpp:1535 +msgid "Modules loaded for network {1} of user {2}:" +msgstr "Für Netzwerk {1} von Benutzer {2} geladene Module:" + +#: controlpanel.cpp:1542 +msgid "[command] [variable]" +msgstr "[Kommando] [Variable]" + +#: controlpanel.cpp:1543 +msgid "Prints help for matching commands and variables" +msgstr "Gibt die Hilfe für passende Kommandos und Variablen aus" + +#: controlpanel.cpp:1546 +msgid " [username]" +msgstr " [Benutzername]" + +#: controlpanel.cpp:1547 +msgid "Prints the variable's value for the given or current user" +msgstr "Gibt den Wert der Variable für den gegebenen oder aktuellen Benutzer aus" + +#: controlpanel.cpp:1549 +msgid " " +msgstr " " + +#: controlpanel.cpp:1550 +msgid "Sets the variable's value for the given user" +msgstr "Setzt den Wert der Variable für den gegebenen oder aktuellen Benutzer" + +#: controlpanel.cpp:1552 +msgid " [username] [network]" +msgstr " [Benutzername] [Netzwerk]" + +#: controlpanel.cpp:1553 +msgid "Prints the variable's value for the given network" +msgstr "Gibt den Wert der Variable für das gegebene Netzwerk aus" + +#: controlpanel.cpp:1555 +msgid " " +msgstr " " + +#: controlpanel.cpp:1556 +msgid "Sets the variable's value for the given network" +msgstr "Setzt den Wert der Variable für das gegebene Netzwerk" + +#: controlpanel.cpp:1558 +msgid " [username] " +msgstr " [Benutzername] " + +#: controlpanel.cpp:1559 +msgid "Prints the variable's value for the given channel" +msgstr "Gibt den Wert der Variable für den gegebenen Kanal aus" + +#: controlpanel.cpp:1562 +msgid " " +msgstr " " + +#: controlpanel.cpp:1563 +msgid "Sets the variable's value for the given channel" +msgstr "Setzt den Wert der Variable für den gegebenen Kanal" + +#: controlpanel.cpp:1565 controlpanel.cpp:1568 +msgid " " +msgstr " " + +#: controlpanel.cpp:1566 +msgid "Adds a new channel" +msgstr "Fügt einen neuen Kanal hinzu" + +#: controlpanel.cpp:1569 +msgid "Deletes a channel" +msgstr "Löscht einen Kanal" + +#: controlpanel.cpp:1571 +msgid "Lists users" +msgstr "Listet Benutzer auf" + +#: controlpanel.cpp:1573 +msgid " " +msgstr " " + +#: controlpanel.cpp:1574 +msgid "Adds a new user" +msgstr "Fügt einen neuen Benutzer hinzu" + +#: controlpanel.cpp:1576 controlpanel.cpp:1599 controlpanel.cpp:1613 +msgid "" +msgstr "" + +#: controlpanel.cpp:1576 +msgid "Deletes a user" +msgstr "Löscht einen Benutzer" + +#: controlpanel.cpp:1578 +msgid " " +msgstr " " + +#: controlpanel.cpp:1579 +msgid "Clones a user" +msgstr "Klont einen Benutzer" + +#: controlpanel.cpp:1581 controlpanel.cpp:1584 +msgid " " +msgstr " " + +#: controlpanel.cpp:1582 +msgid "Adds a new IRC server for the given or current user" +msgstr "Fügt einen neuen IRC-Server zum gegebenen oder aktuellen Benutzer hinzu" + +#: controlpanel.cpp:1585 +msgid "Deletes an IRC server from the given or current user" +msgstr "Löscht einen IRC-Server vom gegebenen oder aktuellen Benutzer" + +#: controlpanel.cpp:1587 controlpanel.cpp:1590 controlpanel.cpp:1610 +msgid " " +msgstr " " + +#: controlpanel.cpp:1588 +msgid "Cycles the user's IRC server connection" +msgstr "" + +#: controlpanel.cpp:1591 +msgid "Disconnects the user from their IRC server" +msgstr "Trennt den Benutzer von ihrem IRC-Server" + +#: controlpanel.cpp:1593 +msgid " [args]" +msgstr " [Argumente]" + +#: controlpanel.cpp:1594 +msgid "Loads a Module for a user" +msgstr "Lädt ein Modul für einen Benutzer" + +#: controlpanel.cpp:1596 +msgid " " +msgstr " " + +#: controlpanel.cpp:1597 +msgid "Removes a Module of a user" +msgstr "Entfernt ein Modul von einem Benutzer" + +#: controlpanel.cpp:1600 +msgid "Get the list of modules for a user" +msgstr "Zeigt eine Liste der Module eines Benutzers" + +#: controlpanel.cpp:1603 +msgid " [args]" +msgstr "" + +#: controlpanel.cpp:1604 +msgid "Loads a Module for a network" +msgstr "" + +#: controlpanel.cpp:1607 +msgid " " +msgstr "" + +#: controlpanel.cpp:1608 +msgid "Removes a Module of a network" +msgstr "" + +#: controlpanel.cpp:1611 +msgid "Get the list of modules for a network" +msgstr "" + +#: controlpanel.cpp:1614 +msgid "List the configured CTCP replies" +msgstr "" + +#: controlpanel.cpp:1616 +msgid " [reply]" +msgstr "" + +#: controlpanel.cpp:1617 +msgid "Configure a new CTCP reply" +msgstr "" + +#: controlpanel.cpp:1619 +msgid " " +msgstr "" + +#: controlpanel.cpp:1620 +msgid "Remove a CTCP reply" +msgstr "" + +#: controlpanel.cpp:1624 controlpanel.cpp:1627 +msgid "[username] " +msgstr "" + +#: controlpanel.cpp:1625 +msgid "Add a network for a user" +msgstr "" + +#: controlpanel.cpp:1628 +msgid "Delete a network for a user" +msgstr "" + +#: controlpanel.cpp:1630 +msgid "[username]" +msgstr "" + +#: controlpanel.cpp:1631 +msgid "List all networks for a user" +msgstr "" + +#: controlpanel.cpp:1644 +msgid "Dynamic configuration through IRC. Allows editing only yourself if you're not ZNC admin." +msgstr "" + diff --git a/modules/po/controlpanel.pot b/modules/po/controlpanel.pot index 9d1fe8b9..3a945853 100644 --- a/modules/po/controlpanel.pot +++ b/modules/po/controlpanel.pot @@ -2,6 +2,7 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" #: controlpanel.cpp:51 controlpanel.cpp:63 msgctxt "helptable" @@ -26,7 +27,7 @@ msgid "Integer" msgstr "" #: controlpanel.cpp:80 -msgid "Double" +msgid "Number" msgstr "" #: controlpanel.cpp:122 @@ -157,7 +158,7 @@ msgstr "" #: controlpanel.cpp:713 msgid "Channel {1} is deleted from network {2} of user {3}" -msgid_plural "Channels {2} are deleted from network {2} of user {3}" +msgid_plural "Channels {1} are deleted from network {2} of user {3}" msgstr[0] "" msgstr[1] "" @@ -495,7 +496,7 @@ msgid "Modules loaded for user {1}:" msgstr "" #: controlpanel.cpp:1531 -msgid "Network {1} of user {2} hasno modules loaded." +msgid "Network {1} of user {2} has no modules loaded." msgstr "" #: controlpanel.cpp:1535 diff --git a/modules/po/controlpanel.ru.po b/modules/po/controlpanel.ru.po new file mode 100644 index 00000000..1dedd87e --- /dev/null +++ b/modules/po/controlpanel.ru.po @@ -0,0 +1,707 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: ru\n" +"X-Crowdin-File: /master/modules/po/controlpanel.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Russian\n" +"Language: ru_RU\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: controlpanel.cpp:51 controlpanel.cpp:63 +msgctxt "helptable" +msgid "Type" +msgstr "" + +#: controlpanel.cpp:52 controlpanel.cpp:65 +msgctxt "helptable" +msgid "Variables" +msgstr "" + +#: controlpanel.cpp:77 +msgid "String" +msgstr "" + +#: controlpanel.cpp:78 +msgid "Boolean (true/false)" +msgstr "" + +#: controlpanel.cpp:79 +msgid "Integer" +msgstr "" + +#: controlpanel.cpp:80 +msgid "Number" +msgstr "" + +#: controlpanel.cpp:122 +msgid "The following variables are available when using the Set/Get commands:" +msgstr "" + +#: controlpanel.cpp:145 +msgid "The following variables are available when using the SetNetwork/GetNetwork commands:" +msgstr "" + +#: controlpanel.cpp:158 +msgid "The following variables are available when using the SetChan/GetChan commands:" +msgstr "" + +#: controlpanel.cpp:164 +msgid "You can use $user as the user name and $network as the network name for modifying your own user and network." +msgstr "" + +#: controlpanel.cpp:173 controlpanel.cpp:949 controlpanel.cpp:986 +msgid "Error: User [{1}] does not exist!" +msgstr "" + +#: controlpanel.cpp:178 +msgid "Error: You need to have admin rights to modify other users!" +msgstr "" + +#: controlpanel.cpp:188 +msgid "Error: You cannot use $network to modify other users!" +msgstr "" + +#: controlpanel.cpp:196 +msgid "Error: User {1} does not have a network named [{2}]." +msgstr "" + +#: controlpanel.cpp:208 +msgid "Usage: Get [username]" +msgstr "" + +#: controlpanel.cpp:295 controlpanel.cpp:490 controlpanel.cpp:565 +#: controlpanel.cpp:641 controlpanel.cpp:776 controlpanel.cpp:861 +msgid "Error: Unknown variable" +msgstr "" + +#: controlpanel.cpp:304 +msgid "Usage: Set " +msgstr "" + +#: controlpanel.cpp:326 controlpanel.cpp:606 +msgid "This bind host is already set!" +msgstr "" + +#: controlpanel.cpp:333 controlpanel.cpp:345 controlpanel.cpp:353 +#: controlpanel.cpp:416 controlpanel.cpp:435 controlpanel.cpp:453 +#: controlpanel.cpp:613 +msgid "Access denied!" +msgstr "" + +#: controlpanel.cpp:367 controlpanel.cpp:376 controlpanel.cpp:825 +msgid "Setting failed, limit for buffer size is {1}" +msgstr "" + +#: controlpanel.cpp:396 +msgid "Password has been changed!" +msgstr "" + +#: controlpanel.cpp:404 +msgid "Timeout can't be less than 30 seconds!" +msgstr "" + +#: controlpanel.cpp:460 +msgid "That would be a bad idea!" +msgstr "" + +#: controlpanel.cpp:478 +msgid "Supported languages: {1}" +msgstr "" + +#: controlpanel.cpp:502 +msgid "Usage: GetNetwork [username] [network]" +msgstr "" + +#: controlpanel.cpp:521 +msgid "Error: A network must be specified to get another users settings." +msgstr "" + +#: controlpanel.cpp:527 +msgid "You are not currently attached to a network." +msgstr "" + +#: controlpanel.cpp:533 +msgid "Error: Invalid network." +msgstr "" + +#: controlpanel.cpp:577 +msgid "Usage: SetNetwork " +msgstr "" + +#: controlpanel.cpp:651 +msgid "Usage: AddChan " +msgstr "" + +#: controlpanel.cpp:664 +msgid "Error: User {1} already has a channel named {2}." +msgstr "" + +#: controlpanel.cpp:671 +msgid "Channel {1} for user {2} added to network {3}." +msgstr "" + +#: controlpanel.cpp:675 +msgid "Could not add channel {1} for user {2} to network {3}, does it already exist?" +msgstr "" + +#: controlpanel.cpp:685 +msgid "Usage: DelChan " +msgstr "" + +#: controlpanel.cpp:700 +msgid "Error: User {1} does not have any channel matching [{2}] in network {3}" +msgstr "" + +#: controlpanel.cpp:713 +msgid "Channel {1} is deleted from network {2} of user {3}" +msgid_plural "Channels {1} are deleted from network {2} of user {3}" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" + +#: controlpanel.cpp:728 +msgid "Usage: GetChan " +msgstr "" + +#: controlpanel.cpp:742 controlpanel.cpp:806 +msgid "Error: No channels matching [{1}] found." +msgstr "" + +#: controlpanel.cpp:791 +msgid "Usage: SetChan " +msgstr "" + +#: controlpanel.cpp:872 controlpanel.cpp:882 +msgctxt "listusers" +msgid "Username" +msgstr "" + +#: controlpanel.cpp:873 controlpanel.cpp:883 +msgctxt "listusers" +msgid "Realname" +msgstr "" + +#: controlpanel.cpp:874 controlpanel.cpp:886 controlpanel.cpp:888 +msgctxt "listusers" +msgid "IsAdmin" +msgstr "" + +#: controlpanel.cpp:875 controlpanel.cpp:889 +msgctxt "listusers" +msgid "Nick" +msgstr "" + +#: controlpanel.cpp:876 controlpanel.cpp:890 +msgctxt "listusers" +msgid "AltNick" +msgstr "" + +#: controlpanel.cpp:877 controlpanel.cpp:891 +msgctxt "listusers" +msgid "Ident" +msgstr "" + +#: controlpanel.cpp:878 controlpanel.cpp:892 +msgctxt "listusers" +msgid "BindHost" +msgstr "" + +#: controlpanel.cpp:886 controlpanel.cpp:1126 +msgid "No" +msgstr "" + +#: controlpanel.cpp:888 controlpanel.cpp:1118 +msgid "Yes" +msgstr "" + +#: controlpanel.cpp:902 controlpanel.cpp:971 +msgid "Error: You need to have admin rights to add new users!" +msgstr "" + +#: controlpanel.cpp:908 +msgid "Usage: AddUser " +msgstr "" + +#: controlpanel.cpp:913 +msgid "Error: User {1} already exists!" +msgstr "" + +#: controlpanel.cpp:925 controlpanel.cpp:1000 +msgid "Error: User not added: {1}" +msgstr "" + +#: controlpanel.cpp:929 controlpanel.cpp:1004 +msgid "User {1} added!" +msgstr "" + +#: controlpanel.cpp:936 +msgid "Error: You need to have admin rights to delete users!" +msgstr "" + +#: controlpanel.cpp:942 +msgid "Usage: DelUser " +msgstr "" + +#: controlpanel.cpp:954 +msgid "Error: You can't delete yourself!" +msgstr "" + +#: controlpanel.cpp:960 +msgid "Error: Internal error!" +msgstr "" + +#: controlpanel.cpp:964 +msgid "User {1} deleted!" +msgstr "" + +#: controlpanel.cpp:979 +msgid "Usage: CloneUser " +msgstr "" + +#: controlpanel.cpp:994 +msgid "Error: Cloning failed: {1}" +msgstr "" + +#: controlpanel.cpp:1023 +msgid "Usage: AddNetwork [user] network" +msgstr "" + +#: controlpanel.cpp:1029 +msgid "Network number limit reached. Ask an admin to increase the limit for you, or delete unneeded networks using /znc DelNetwork " +msgstr "" + +#: controlpanel.cpp:1037 +msgid "Error: User {1} already has a network with the name {2}" +msgstr "" + +#: controlpanel.cpp:1044 +msgid "Network {1} added to user {2}." +msgstr "" + +#: controlpanel.cpp:1048 +msgid "Error: Network [{1}] could not be added for user {2}: {3}" +msgstr "" + +#: controlpanel.cpp:1068 +msgid "Usage: DelNetwork [user] network" +msgstr "" + +#: controlpanel.cpp:1079 +msgid "The currently active network can be deleted via {1}status" +msgstr "" + +#: controlpanel.cpp:1085 +msgid "Network {1} deleted for user {2}." +msgstr "" + +#: controlpanel.cpp:1089 +msgid "Error: Network {1} could not be deleted for user {2}." +msgstr "" + +#: controlpanel.cpp:1108 controlpanel.cpp:1116 +msgctxt "listnetworks" +msgid "Network" +msgstr "" + +#: controlpanel.cpp:1109 controlpanel.cpp:1118 controlpanel.cpp:1126 +msgctxt "listnetworks" +msgid "OnIRC" +msgstr "" + +#: controlpanel.cpp:1110 controlpanel.cpp:1119 +msgctxt "listnetworks" +msgid "IRC Server" +msgstr "" + +#: controlpanel.cpp:1111 controlpanel.cpp:1121 +msgctxt "listnetworks" +msgid "IRC User" +msgstr "" + +#: controlpanel.cpp:1112 controlpanel.cpp:1123 +msgctxt "listnetworks" +msgid "Channels" +msgstr "" + +#: controlpanel.cpp:1131 +msgid "No networks" +msgstr "" + +#: controlpanel.cpp:1142 +msgid "Usage: AddServer [[+]port] [password]" +msgstr "" + +#: controlpanel.cpp:1156 +msgid "Added IRC Server {1} to network {2} for user {3}." +msgstr "" + +#: controlpanel.cpp:1160 +msgid "Error: Could not add IRC server {1} to network {2} for user {3}." +msgstr "" + +#: controlpanel.cpp:1173 +msgid "Usage: DelServer [[+]port] [password]" +msgstr "" + +#: controlpanel.cpp:1188 +msgid "Deleted IRC Server {1} from network {2} for user {3}." +msgstr "" + +#: controlpanel.cpp:1192 +msgid "Error: Could not delete IRC server {1} from network {2} for user {3}." +msgstr "" + +#: controlpanel.cpp:1202 +msgid "Usage: Reconnect " +msgstr "" + +#: controlpanel.cpp:1229 +msgid "Queued network {1} of user {2} for a reconnect." +msgstr "" + +#: controlpanel.cpp:1238 +msgid "Usage: Disconnect " +msgstr "" + +#: controlpanel.cpp:1253 +msgid "Closed IRC connection for network {1} of user {2}." +msgstr "" + +#: controlpanel.cpp:1268 controlpanel.cpp:1272 +msgctxt "listctcp" +msgid "Request" +msgstr "" + +#: controlpanel.cpp:1269 controlpanel.cpp:1273 +msgctxt "listctcp" +msgid "Reply" +msgstr "" + +#: controlpanel.cpp:1277 +msgid "No CTCP replies for user {1} are configured" +msgstr "" + +#: controlpanel.cpp:1280 +msgid "CTCP replies for user {1}:" +msgstr "" + +#: controlpanel.cpp:1296 +msgid "Usage: AddCTCP [user] [request] [reply]" +msgstr "" + +#: controlpanel.cpp:1298 +msgid "This will cause ZNC to reply to the CTCP instead of forwarding it to clients." +msgstr "" + +#: controlpanel.cpp:1301 +msgid "An empty reply will cause the CTCP request to be blocked." +msgstr "" + +#: controlpanel.cpp:1310 +msgid "CTCP requests {1} to user {2} will now be blocked." +msgstr "" + +#: controlpanel.cpp:1314 +msgid "CTCP requests {1} to user {2} will now get reply: {3}" +msgstr "" + +#: controlpanel.cpp:1331 +msgid "Usage: DelCTCP [user] [request]" +msgstr "" + +#: controlpanel.cpp:1337 +msgid "CTCP requests {1} to user {2} will now be sent to IRC clients" +msgstr "" + +#: controlpanel.cpp:1341 +msgid "CTCP requests {1} to user {2} will be sent to IRC clients (nothing has changed)" +msgstr "" + +#: controlpanel.cpp:1351 controlpanel.cpp:1425 +msgid "Loading modules has been disabled." +msgstr "" + +#: controlpanel.cpp:1360 +msgid "Error: Unable to load module {1}: {2}" +msgstr "" + +#: controlpanel.cpp:1363 +msgid "Loaded module {1}" +msgstr "" + +#: controlpanel.cpp:1368 +msgid "Error: Unable to reload module {1}: {2}" +msgstr "" + +#: controlpanel.cpp:1371 +msgid "Reloaded module {1}" +msgstr "" + +#: controlpanel.cpp:1375 +msgid "Error: Unable to load module {1} because it is already loaded" +msgstr "" + +#: controlpanel.cpp:1386 +msgid "Usage: LoadModule [args]" +msgstr "" + +#: controlpanel.cpp:1405 +msgid "Usage: LoadNetModule [args]" +msgstr "" + +#: controlpanel.cpp:1430 +msgid "Please use /znc unloadmod {1}" +msgstr "" + +#: controlpanel.cpp:1436 +msgid "Error: Unable to unload module {1}: {2}" +msgstr "" + +#: controlpanel.cpp:1439 +msgid "Unloaded module {1}" +msgstr "" + +#: controlpanel.cpp:1448 +msgid "Usage: UnloadModule " +msgstr "" + +#: controlpanel.cpp:1465 +msgid "Usage: UnloadNetModule " +msgstr "" + +#: controlpanel.cpp:1482 controlpanel.cpp:1487 +msgctxt "listmodules" +msgid "Name" +msgstr "" + +#: controlpanel.cpp:1483 controlpanel.cpp:1488 +msgctxt "listmodules" +msgid "Arguments" +msgstr "" + +#: controlpanel.cpp:1507 +msgid "User {1} has no modules loaded." +msgstr "" + +#: controlpanel.cpp:1511 +msgid "Modules loaded for user {1}:" +msgstr "" + +#: controlpanel.cpp:1531 +msgid "Network {1} of user {2} has no modules loaded." +msgstr "" + +#: controlpanel.cpp:1535 +msgid "Modules loaded for network {1} of user {2}:" +msgstr "" + +#: controlpanel.cpp:1542 +msgid "[command] [variable]" +msgstr "" + +#: controlpanel.cpp:1543 +msgid "Prints help for matching commands and variables" +msgstr "" + +#: controlpanel.cpp:1546 +msgid " [username]" +msgstr "" + +#: controlpanel.cpp:1547 +msgid "Prints the variable's value for the given or current user" +msgstr "" + +#: controlpanel.cpp:1549 +msgid " " +msgstr "" + +#: controlpanel.cpp:1550 +msgid "Sets the variable's value for the given user" +msgstr "" + +#: controlpanel.cpp:1552 +msgid " [username] [network]" +msgstr "" + +#: controlpanel.cpp:1553 +msgid "Prints the variable's value for the given network" +msgstr "" + +#: controlpanel.cpp:1555 +msgid " " +msgstr "" + +#: controlpanel.cpp:1556 +msgid "Sets the variable's value for the given network" +msgstr "" + +#: controlpanel.cpp:1558 +msgid " [username] " +msgstr "" + +#: controlpanel.cpp:1559 +msgid "Prints the variable's value for the given channel" +msgstr "" + +#: controlpanel.cpp:1562 +msgid " " +msgstr "" + +#: controlpanel.cpp:1563 +msgid "Sets the variable's value for the given channel" +msgstr "" + +#: controlpanel.cpp:1565 controlpanel.cpp:1568 +msgid " " +msgstr "" + +#: controlpanel.cpp:1566 +msgid "Adds a new channel" +msgstr "" + +#: controlpanel.cpp:1569 +msgid "Deletes a channel" +msgstr "" + +#: controlpanel.cpp:1571 +msgid "Lists users" +msgstr "" + +#: controlpanel.cpp:1573 +msgid " " +msgstr "" + +#: controlpanel.cpp:1574 +msgid "Adds a new user" +msgstr "" + +#: controlpanel.cpp:1576 controlpanel.cpp:1599 controlpanel.cpp:1613 +msgid "" +msgstr "" + +#: controlpanel.cpp:1576 +msgid "Deletes a user" +msgstr "" + +#: controlpanel.cpp:1578 +msgid " " +msgstr "" + +#: controlpanel.cpp:1579 +msgid "Clones a user" +msgstr "" + +#: controlpanel.cpp:1581 controlpanel.cpp:1584 +msgid " " +msgstr "" + +#: controlpanel.cpp:1582 +msgid "Adds a new IRC server for the given or current user" +msgstr "" + +#: controlpanel.cpp:1585 +msgid "Deletes an IRC server from the given or current user" +msgstr "" + +#: controlpanel.cpp:1587 controlpanel.cpp:1590 controlpanel.cpp:1610 +msgid " " +msgstr "" + +#: controlpanel.cpp:1588 +msgid "Cycles the user's IRC server connection" +msgstr "" + +#: controlpanel.cpp:1591 +msgid "Disconnects the user from their IRC server" +msgstr "" + +#: controlpanel.cpp:1593 +msgid " [args]" +msgstr "" + +#: controlpanel.cpp:1594 +msgid "Loads a Module for a user" +msgstr "" + +#: controlpanel.cpp:1596 +msgid " " +msgstr "" + +#: controlpanel.cpp:1597 +msgid "Removes a Module of a user" +msgstr "" + +#: controlpanel.cpp:1600 +msgid "Get the list of modules for a user" +msgstr "" + +#: controlpanel.cpp:1603 +msgid " [args]" +msgstr "" + +#: controlpanel.cpp:1604 +msgid "Loads a Module for a network" +msgstr "" + +#: controlpanel.cpp:1607 +msgid " " +msgstr "" + +#: controlpanel.cpp:1608 +msgid "Removes a Module of a network" +msgstr "" + +#: controlpanel.cpp:1611 +msgid "Get the list of modules for a network" +msgstr "" + +#: controlpanel.cpp:1614 +msgid "List the configured CTCP replies" +msgstr "" + +#: controlpanel.cpp:1616 +msgid " [reply]" +msgstr "" + +#: controlpanel.cpp:1617 +msgid "Configure a new CTCP reply" +msgstr "" + +#: controlpanel.cpp:1619 +msgid " " +msgstr "" + +#: controlpanel.cpp:1620 +msgid "Remove a CTCP reply" +msgstr "" + +#: controlpanel.cpp:1624 controlpanel.cpp:1627 +msgid "[username] " +msgstr "" + +#: controlpanel.cpp:1625 +msgid "Add a network for a user" +msgstr "" + +#: controlpanel.cpp:1628 +msgid "Delete a network for a user" +msgstr "" + +#: controlpanel.cpp:1630 +msgid "[username]" +msgstr "" + +#: controlpanel.cpp:1631 +msgid "List all networks for a user" +msgstr "" + +#: controlpanel.cpp:1644 +msgid "Dynamic configuration through IRC. Allows editing only yourself if you're not ZNC admin." +msgstr "" + diff --git a/modules/po/crypt.de.po b/modules/po/crypt.de.po new file mode 100644 index 00000000..3a73b2ef --- /dev/null +++ b/modules/po/crypt.de.po @@ -0,0 +1,145 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: de\n" +"X-Crowdin-File: /master/modules/po/crypt.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: German\n" +"Language: de_DE\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: crypt.cpp:198 +msgid "<#chan|Nick>" +msgstr "" + +#: crypt.cpp:199 +msgid "Remove a key for nick or channel" +msgstr "" + +#: crypt.cpp:201 +msgid "<#chan|Nick> " +msgstr "" + +#: crypt.cpp:202 +msgid "Set a key for nick or channel" +msgstr "" + +#: crypt.cpp:204 +msgid "List all keys" +msgstr "" + +#: crypt.cpp:206 +msgid "" +msgstr "" + +#: crypt.cpp:207 +msgid "Start a DH1080 key exchange with nick" +msgstr "" + +#: crypt.cpp:210 +msgid "Get the nick prefix" +msgstr "" + +#: crypt.cpp:213 +msgid "[Prefix]" +msgstr "" + +#: crypt.cpp:214 +msgid "Set the nick prefix, with no argument it's disabled." +msgstr "" + +#: crypt.cpp:282 +msgid "Received DH1080 public key from {1}, sending mine..." +msgstr "" + +#: crypt.cpp:287 crypt.cpp:308 +msgid "Key for {1} successfully set." +msgstr "" + +#: crypt.cpp:290 crypt.cpp:311 +msgid "Error in {1} with {2}: {3}" +msgstr "" + +#: crypt.cpp:292 crypt.cpp:313 +msgid "no secret key computed" +msgstr "" + +#: crypt.cpp:427 +msgid "Target [{1}] deleted" +msgstr "" + +#: crypt.cpp:429 +msgid "Target [{1}] not found" +msgstr "" + +#: crypt.cpp:432 +msgid "Usage DelKey <#chan|Nick>" +msgstr "" + +#: crypt.cpp:447 +msgid "Set encryption key for [{1}] to [{2}]" +msgstr "" + +#: crypt.cpp:449 +msgid "Usage: SetKey <#chan|Nick> " +msgstr "" + +#: crypt.cpp:460 +msgid "Sent my DH1080 public key to {1}, waiting for reply ..." +msgstr "" + +#: crypt.cpp:462 +msgid "Error generating our keys, nothing sent." +msgstr "" + +#: crypt.cpp:465 +msgid "Usage: KeyX " +msgstr "" + +#: crypt.cpp:472 +msgid "Nick Prefix disabled." +msgstr "" + +#: crypt.cpp:474 +msgid "Nick Prefix: {1}" +msgstr "" + +#: crypt.cpp:483 +msgid "You cannot use :, even followed by other symbols, as Nick Prefix." +msgstr "" + +#: crypt.cpp:492 +msgid "Overlap with Status Prefix ({1}), this Nick Prefix will not be used!" +msgstr "" + +#: crypt.cpp:497 +msgid "Disabling Nick Prefix." +msgstr "" + +#: crypt.cpp:499 +msgid "Setting Nick Prefix to {1}" +msgstr "" + +#: crypt.cpp:506 crypt.cpp:512 +msgctxt "listkeys" +msgid "Target" +msgstr "" + +#: crypt.cpp:507 crypt.cpp:513 +msgctxt "listkeys" +msgid "Key" +msgstr "" + +#: crypt.cpp:517 +msgid "You have no encryption keys set." +msgstr "" + +#: crypt.cpp:539 +msgid "Encryption for channel/private messages" +msgstr "" + diff --git a/modules/po/crypt.pot b/modules/po/crypt.pot index 567e9e9e..eeb71492 100644 --- a/modules/po/crypt.pot +++ b/modules/po/crypt.pot @@ -2,6 +2,7 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" #: crypt.cpp:198 msgid "<#chan|Nick>" diff --git a/modules/po/crypt.ru.po b/modules/po/crypt.ru.po new file mode 100644 index 00000000..66aa195d --- /dev/null +++ b/modules/po/crypt.ru.po @@ -0,0 +1,145 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: ru\n" +"X-Crowdin-File: /master/modules/po/crypt.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Russian\n" +"Language: ru_RU\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: crypt.cpp:198 +msgid "<#chan|Nick>" +msgstr "" + +#: crypt.cpp:199 +msgid "Remove a key for nick or channel" +msgstr "" + +#: crypt.cpp:201 +msgid "<#chan|Nick> " +msgstr "" + +#: crypt.cpp:202 +msgid "Set a key for nick or channel" +msgstr "" + +#: crypt.cpp:204 +msgid "List all keys" +msgstr "" + +#: crypt.cpp:206 +msgid "" +msgstr "" + +#: crypt.cpp:207 +msgid "Start a DH1080 key exchange with nick" +msgstr "" + +#: crypt.cpp:210 +msgid "Get the nick prefix" +msgstr "" + +#: crypt.cpp:213 +msgid "[Prefix]" +msgstr "" + +#: crypt.cpp:214 +msgid "Set the nick prefix, with no argument it's disabled." +msgstr "" + +#: crypt.cpp:282 +msgid "Received DH1080 public key from {1}, sending mine..." +msgstr "" + +#: crypt.cpp:287 crypt.cpp:308 +msgid "Key for {1} successfully set." +msgstr "" + +#: crypt.cpp:290 crypt.cpp:311 +msgid "Error in {1} with {2}: {3}" +msgstr "" + +#: crypt.cpp:292 crypt.cpp:313 +msgid "no secret key computed" +msgstr "" + +#: crypt.cpp:427 +msgid "Target [{1}] deleted" +msgstr "" + +#: crypt.cpp:429 +msgid "Target [{1}] not found" +msgstr "" + +#: crypt.cpp:432 +msgid "Usage DelKey <#chan|Nick>" +msgstr "" + +#: crypt.cpp:447 +msgid "Set encryption key for [{1}] to [{2}]" +msgstr "" + +#: crypt.cpp:449 +msgid "Usage: SetKey <#chan|Nick> " +msgstr "" + +#: crypt.cpp:460 +msgid "Sent my DH1080 public key to {1}, waiting for reply ..." +msgstr "" + +#: crypt.cpp:462 +msgid "Error generating our keys, nothing sent." +msgstr "" + +#: crypt.cpp:465 +msgid "Usage: KeyX " +msgstr "" + +#: crypt.cpp:472 +msgid "Nick Prefix disabled." +msgstr "" + +#: crypt.cpp:474 +msgid "Nick Prefix: {1}" +msgstr "" + +#: crypt.cpp:483 +msgid "You cannot use :, even followed by other symbols, as Nick Prefix." +msgstr "" + +#: crypt.cpp:492 +msgid "Overlap with Status Prefix ({1}), this Nick Prefix will not be used!" +msgstr "" + +#: crypt.cpp:497 +msgid "Disabling Nick Prefix." +msgstr "" + +#: crypt.cpp:499 +msgid "Setting Nick Prefix to {1}" +msgstr "" + +#: crypt.cpp:506 crypt.cpp:512 +msgctxt "listkeys" +msgid "Target" +msgstr "" + +#: crypt.cpp:507 crypt.cpp:513 +msgctxt "listkeys" +msgid "Key" +msgstr "" + +#: crypt.cpp:517 +msgid "You have no encryption keys set." +msgstr "" + +#: crypt.cpp:539 +msgid "Encryption for channel/private messages" +msgstr "" + diff --git a/modules/po/ctcpflood.de.po b/modules/po/ctcpflood.de.po new file mode 100644 index 00000000..90a895c5 --- /dev/null +++ b/modules/po/ctcpflood.de.po @@ -0,0 +1,67 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: de\n" +"X-Crowdin-File: /master/modules/po/ctcpflood.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: German\n" +"Language: de_DE\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: ctcpflood.cpp:25 ctcpflood.cpp:27 +msgid "" +msgstr "" + +#: ctcpflood.cpp:25 +msgid "Set seconds limit" +msgstr "" + +#: ctcpflood.cpp:27 +msgid "Set lines limit" +msgstr "" + +#: ctcpflood.cpp:29 +msgid "Show the current limits" +msgstr "" + +#: ctcpflood.cpp:76 +msgid "Limit reached by {1}, blocking all CTCP" +msgstr "" + +#: ctcpflood.cpp:98 +msgid "Usage: Secs " +msgstr "" + +#: ctcpflood.cpp:113 +msgid "Usage: Lines " +msgstr "" + +#: ctcpflood.cpp:125 +msgid "1 CTCP message" +msgid_plural "{1} CTCP messages" +msgstr[0] "" +msgstr[1] "" + +#: ctcpflood.cpp:127 +msgid "every second" +msgid_plural "every {1} seconds" +msgstr[0] "" +msgstr[1] "" + +#: ctcpflood.cpp:129 +msgid "Current limit is {1} {2}" +msgstr "" + +#: ctcpflood.cpp:145 +msgid "This user module takes none to two arguments. The first argument is the number of lines after which the flood-protection is triggered. The second argument is the time (sec) to in which the number of lines is reached. The default setting is 4 CTCPs in 2 seconds" +msgstr "" + +#: ctcpflood.cpp:151 +msgid "Don't forward CTCP floods to clients" +msgstr "" + diff --git a/modules/po/ctcpflood.pot b/modules/po/ctcpflood.pot index a601d2bf..fd97fd5d 100644 --- a/modules/po/ctcpflood.pot +++ b/modules/po/ctcpflood.pot @@ -2,6 +2,7 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" #: ctcpflood.cpp:25 ctcpflood.cpp:27 msgid "" diff --git a/modules/po/ctcpflood.ru.po b/modules/po/ctcpflood.ru.po new file mode 100644 index 00000000..47c98dc0 --- /dev/null +++ b/modules/po/ctcpflood.ru.po @@ -0,0 +1,69 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: ru\n" +"X-Crowdin-File: /master/modules/po/ctcpflood.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Russian\n" +"Language: ru_RU\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: ctcpflood.cpp:25 ctcpflood.cpp:27 +msgid "" +msgstr "" + +#: ctcpflood.cpp:25 +msgid "Set seconds limit" +msgstr "" + +#: ctcpflood.cpp:27 +msgid "Set lines limit" +msgstr "" + +#: ctcpflood.cpp:29 +msgid "Show the current limits" +msgstr "" + +#: ctcpflood.cpp:76 +msgid "Limit reached by {1}, blocking all CTCP" +msgstr "" + +#: ctcpflood.cpp:98 +msgid "Usage: Secs " +msgstr "" + +#: ctcpflood.cpp:113 +msgid "Usage: Lines " +msgstr "" + +#: ctcpflood.cpp:125 +msgid "1 CTCP message" +msgid_plural "{1} CTCP messages" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" + +#: ctcpflood.cpp:127 +msgid "every second" +msgid_plural "every {1} seconds" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" + +#: ctcpflood.cpp:129 +msgid "Current limit is {1} {2}" +msgstr "" + +#: ctcpflood.cpp:145 +msgid "This user module takes none to two arguments. The first argument is the number of lines after which the flood-protection is triggered. The second argument is the time (sec) to in which the number of lines is reached. The default setting is 4 CTCPs in 2 seconds" +msgstr "" + +#: ctcpflood.cpp:151 +msgid "Don't forward CTCP floods to clients" +msgstr "" + diff --git a/modules/po/cyrusauth.de.po b/modules/po/cyrusauth.de.po new file mode 100644 index 00000000..6d92fe18 --- /dev/null +++ b/modules/po/cyrusauth.de.po @@ -0,0 +1,71 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: de\n" +"X-Crowdin-File: /master/modules/po/cyrusauth.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: German\n" +"Language: de_DE\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: cyrusauth.cpp:42 +msgid "Shows current settings" +msgstr "" + +#: cyrusauth.cpp:44 +msgid "yes|clone |no" +msgstr "" + +#: cyrusauth.cpp:45 +msgid "Create ZNC users upon first successful login, optionally from a template" +msgstr "" + +#: cyrusauth.cpp:56 +msgid "Access denied" +msgstr "" + +#: cyrusauth.cpp:70 +msgid "Ignoring invalid SASL pwcheck method: {1}" +msgstr "" + +#: cyrusauth.cpp:71 +msgid "Ignored invalid SASL pwcheck method" +msgstr "" + +#: cyrusauth.cpp:79 +msgid "Need a pwcheck method as argument (saslauthd, auxprop)" +msgstr "" + +#: cyrusauth.cpp:84 +msgid "SASL Could Not Be Initialized - Halting Startup" +msgstr "" + +#: cyrusauth.cpp:171 cyrusauth.cpp:186 +msgid "We will not create users on their first login" +msgstr "" + +#: cyrusauth.cpp:174 cyrusauth.cpp:195 +msgid "We will create users on their first login, using user [{1}] as a template" +msgstr "" + +#: cyrusauth.cpp:177 cyrusauth.cpp:190 +msgid "We will create users on their first login" +msgstr "" + +#: cyrusauth.cpp:199 +msgid "Usage: CreateUsers yes, CreateUsers no, or CreateUsers clone " +msgstr "" + +#: cyrusauth.cpp:232 +msgid "This global module takes up to two arguments - the methods of authentication - auxprop and saslauthd" +msgstr "" + +#: cyrusauth.cpp:238 +msgid "Allow users to authenticate via SASL password verification method" +msgstr "" + diff --git a/modules/po/cyrusauth.pot b/modules/po/cyrusauth.pot index 7f788249..0bbb2778 100644 --- a/modules/po/cyrusauth.pot +++ b/modules/po/cyrusauth.pot @@ -2,6 +2,7 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" #: cyrusauth.cpp:42 msgid "Shows current settings" diff --git a/modules/po/cyrusauth.ru.po b/modules/po/cyrusauth.ru.po new file mode 100644 index 00000000..94272c87 --- /dev/null +++ b/modules/po/cyrusauth.ru.po @@ -0,0 +1,71 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: ru\n" +"X-Crowdin-File: /master/modules/po/cyrusauth.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Russian\n" +"Language: ru_RU\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: cyrusauth.cpp:42 +msgid "Shows current settings" +msgstr "" + +#: cyrusauth.cpp:44 +msgid "yes|clone |no" +msgstr "" + +#: cyrusauth.cpp:45 +msgid "Create ZNC users upon first successful login, optionally from a template" +msgstr "" + +#: cyrusauth.cpp:56 +msgid "Access denied" +msgstr "" + +#: cyrusauth.cpp:70 +msgid "Ignoring invalid SASL pwcheck method: {1}" +msgstr "" + +#: cyrusauth.cpp:71 +msgid "Ignored invalid SASL pwcheck method" +msgstr "" + +#: cyrusauth.cpp:79 +msgid "Need a pwcheck method as argument (saslauthd, auxprop)" +msgstr "" + +#: cyrusauth.cpp:84 +msgid "SASL Could Not Be Initialized - Halting Startup" +msgstr "" + +#: cyrusauth.cpp:171 cyrusauth.cpp:186 +msgid "We will not create users on their first login" +msgstr "" + +#: cyrusauth.cpp:174 cyrusauth.cpp:195 +msgid "We will create users on their first login, using user [{1}] as a template" +msgstr "" + +#: cyrusauth.cpp:177 cyrusauth.cpp:190 +msgid "We will create users on their first login" +msgstr "" + +#: cyrusauth.cpp:199 +msgid "Usage: CreateUsers yes, CreateUsers no, or CreateUsers clone " +msgstr "" + +#: cyrusauth.cpp:232 +msgid "This global module takes up to two arguments - the methods of authentication - auxprop and saslauthd" +msgstr "" + +#: cyrusauth.cpp:238 +msgid "Allow users to authenticate via SASL password verification method" +msgstr "" + diff --git a/modules/po/dcc.de.po b/modules/po/dcc.de.po new file mode 100644 index 00000000..44f47384 --- /dev/null +++ b/modules/po/dcc.de.po @@ -0,0 +1,228 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: de\n" +"X-Crowdin-File: /master/modules/po/dcc.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: German\n" +"Language: de_DE\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: dcc.cpp:88 +msgid " " +msgstr "" + +#: dcc.cpp:89 +msgid "Send a file from ZNC to someone" +msgstr "" + +#: dcc.cpp:91 +msgid "" +msgstr "" + +#: dcc.cpp:92 +msgid "Send a file from ZNC to your client" +msgstr "" + +#: dcc.cpp:94 +msgid "List current transfers" +msgstr "" + +#: dcc.cpp:103 +msgid "You must be admin to use the DCC module" +msgstr "" + +#: dcc.cpp:140 +msgid "Attempting to send [{1}] to [{2}]." +msgstr "" + +#: dcc.cpp:149 dcc.cpp:554 +msgid "Receiving [{1}] from [{2}]: File already exists." +msgstr "" + +#: dcc.cpp:167 +msgid "Attempting to connect to [{1} {2}] in order to download [{3}] from [{4}]." +msgstr "" + +#: dcc.cpp:179 +msgid "Usage: Send " +msgstr "" + +#: dcc.cpp:186 dcc.cpp:206 +msgid "Illegal path." +msgstr "" + +#: dcc.cpp:199 +msgid "Usage: Get " +msgstr "" + +#: dcc.cpp:215 dcc.cpp:232 dcc.cpp:234 +msgctxt "list" +msgid "Type" +msgstr "" + +#: dcc.cpp:216 dcc.cpp:238 dcc.cpp:241 +msgctxt "list" +msgid "State" +msgstr "" + +#: dcc.cpp:217 dcc.cpp:243 +msgctxt "list" +msgid "Speed" +msgstr "" + +#: dcc.cpp:218 dcc.cpp:227 +msgctxt "list" +msgid "Nick" +msgstr "" + +#: dcc.cpp:219 dcc.cpp:228 +msgctxt "list" +msgid "IP" +msgstr "" + +#: dcc.cpp:220 dcc.cpp:229 +msgctxt "list" +msgid "File" +msgstr "" + +#: dcc.cpp:232 +msgctxt "list-type" +msgid "Sending" +msgstr "" + +#: dcc.cpp:234 +msgctxt "list-type" +msgid "Getting" +msgstr "" + +#: dcc.cpp:239 +msgctxt "list-state" +msgid "Waiting" +msgstr "" + +#: dcc.cpp:244 +msgid "{1} KiB/s" +msgstr "" + +#: dcc.cpp:250 +msgid "You have no active DCC transfers." +msgstr "" + +#: dcc.cpp:267 +msgid "Attempting to resume send from position {1} of file [{2}] for [{3}]" +msgstr "" + +#: dcc.cpp:277 +msgid "Couldn't resume file [{1}] for [{2}]: not sending anything." +msgstr "" + +#: dcc.cpp:286 +msgid "Bad DCC file: {1}" +msgstr "" + +#: dcc.cpp:341 +msgid "Sending [{1}] to [{2}]: File not open!" +msgstr "" + +#: dcc.cpp:345 +msgid "Receiving [{1}] from [{2}]: File not open!" +msgstr "" + +#: dcc.cpp:385 +msgid "Sending [{1}] to [{2}]: Connection refused." +msgstr "" + +#: dcc.cpp:389 +msgid "Receiving [{1}] from [{2}]: Connection refused." +msgstr "" + +#: dcc.cpp:397 +msgid "Sending [{1}] to [{2}]: Timeout." +msgstr "" + +#: dcc.cpp:401 +msgid "Receiving [{1}] from [{2}]: Timeout." +msgstr "" + +#: dcc.cpp:411 +msgid "Sending [{1}] to [{2}]: Socket error {3}: {4}" +msgstr "" + +#: dcc.cpp:415 +msgid "Receiving [{1}] from [{2}]: Socket error {3}: {4}" +msgstr "" + +#: dcc.cpp:423 +msgid "Sending [{1}] to [{2}]: Transfer started." +msgstr "" + +#: dcc.cpp:427 +msgid "Receiving [{1}] from [{2}]: Transfer started." +msgstr "" + +#: dcc.cpp:446 +msgid "Sending [{1}] to [{2}]: Too much data!" +msgstr "" + +#: dcc.cpp:450 +msgid "Receiving [{1}] from [{2}]: Too much data!" +msgstr "" + +#: dcc.cpp:456 +msgid "Sending [{1}] to [{2}] completed at {3} KiB/s" +msgstr "" + +#: dcc.cpp:461 +msgid "Receiving [{1}] from [{2}] completed at {3} KiB/s" +msgstr "" + +#: dcc.cpp:474 +msgid "Sending [{1}] to [{2}]: File closed prematurely." +msgstr "" + +#: dcc.cpp:478 +msgid "Receiving [{1}] from [{2}]: File closed prematurely." +msgstr "" + +#: dcc.cpp:501 +msgid "Sending [{1}] to [{2}]: Error reading from file." +msgstr "" + +#: dcc.cpp:505 +msgid "Receiving [{1}] from [{2}]: Error reading from file." +msgstr "" + +#: dcc.cpp:537 +msgid "Sending [{1}] to [{2}]: Unable to open file." +msgstr "" + +#: dcc.cpp:541 +msgid "Receiving [{1}] from [{2}]: Unable to open file." +msgstr "" + +#: dcc.cpp:563 +msgid "Receiving [{1}] from [{2}]: Could not open file." +msgstr "" + +#: dcc.cpp:572 +msgid "Sending [{1}] to [{2}]: Not a file." +msgstr "" + +#: dcc.cpp:581 +msgid "Sending [{1}] to [{2}]: Could not open file." +msgstr "" + +#: dcc.cpp:593 +msgid "Sending [{1}] to [{2}]: File too large (>4 GiB)." +msgstr "" + +#: dcc.cpp:623 +msgid "This module allows you to transfer files to and from ZNC" +msgstr "" + diff --git a/modules/po/dcc.pot b/modules/po/dcc.pot index 2a0fecb8..b2c32f29 100644 --- a/modules/po/dcc.pot +++ b/modules/po/dcc.pot @@ -2,6 +2,7 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" #: dcc.cpp:88 msgid " " diff --git a/modules/po/dcc.ru.po b/modules/po/dcc.ru.po new file mode 100644 index 00000000..328fa3ad --- /dev/null +++ b/modules/po/dcc.ru.po @@ -0,0 +1,228 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: ru\n" +"X-Crowdin-File: /master/modules/po/dcc.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Russian\n" +"Language: ru_RU\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: dcc.cpp:88 +msgid " " +msgstr "" + +#: dcc.cpp:89 +msgid "Send a file from ZNC to someone" +msgstr "" + +#: dcc.cpp:91 +msgid "" +msgstr "" + +#: dcc.cpp:92 +msgid "Send a file from ZNC to your client" +msgstr "" + +#: dcc.cpp:94 +msgid "List current transfers" +msgstr "" + +#: dcc.cpp:103 +msgid "You must be admin to use the DCC module" +msgstr "" + +#: dcc.cpp:140 +msgid "Attempting to send [{1}] to [{2}]." +msgstr "" + +#: dcc.cpp:149 dcc.cpp:554 +msgid "Receiving [{1}] from [{2}]: File already exists." +msgstr "" + +#: dcc.cpp:167 +msgid "Attempting to connect to [{1} {2}] in order to download [{3}] from [{4}]." +msgstr "" + +#: dcc.cpp:179 +msgid "Usage: Send " +msgstr "" + +#: dcc.cpp:186 dcc.cpp:206 +msgid "Illegal path." +msgstr "" + +#: dcc.cpp:199 +msgid "Usage: Get " +msgstr "" + +#: dcc.cpp:215 dcc.cpp:232 dcc.cpp:234 +msgctxt "list" +msgid "Type" +msgstr "" + +#: dcc.cpp:216 dcc.cpp:238 dcc.cpp:241 +msgctxt "list" +msgid "State" +msgstr "" + +#: dcc.cpp:217 dcc.cpp:243 +msgctxt "list" +msgid "Speed" +msgstr "" + +#: dcc.cpp:218 dcc.cpp:227 +msgctxt "list" +msgid "Nick" +msgstr "" + +#: dcc.cpp:219 dcc.cpp:228 +msgctxt "list" +msgid "IP" +msgstr "" + +#: dcc.cpp:220 dcc.cpp:229 +msgctxt "list" +msgid "File" +msgstr "" + +#: dcc.cpp:232 +msgctxt "list-type" +msgid "Sending" +msgstr "" + +#: dcc.cpp:234 +msgctxt "list-type" +msgid "Getting" +msgstr "" + +#: dcc.cpp:239 +msgctxt "list-state" +msgid "Waiting" +msgstr "" + +#: dcc.cpp:244 +msgid "{1} KiB/s" +msgstr "" + +#: dcc.cpp:250 +msgid "You have no active DCC transfers." +msgstr "" + +#: dcc.cpp:267 +msgid "Attempting to resume send from position {1} of file [{2}] for [{3}]" +msgstr "" + +#: dcc.cpp:277 +msgid "Couldn't resume file [{1}] for [{2}]: not sending anything." +msgstr "" + +#: dcc.cpp:286 +msgid "Bad DCC file: {1}" +msgstr "" + +#: dcc.cpp:341 +msgid "Sending [{1}] to [{2}]: File not open!" +msgstr "" + +#: dcc.cpp:345 +msgid "Receiving [{1}] from [{2}]: File not open!" +msgstr "" + +#: dcc.cpp:385 +msgid "Sending [{1}] to [{2}]: Connection refused." +msgstr "" + +#: dcc.cpp:389 +msgid "Receiving [{1}] from [{2}]: Connection refused." +msgstr "" + +#: dcc.cpp:397 +msgid "Sending [{1}] to [{2}]: Timeout." +msgstr "" + +#: dcc.cpp:401 +msgid "Receiving [{1}] from [{2}]: Timeout." +msgstr "" + +#: dcc.cpp:411 +msgid "Sending [{1}] to [{2}]: Socket error {3}: {4}" +msgstr "" + +#: dcc.cpp:415 +msgid "Receiving [{1}] from [{2}]: Socket error {3}: {4}" +msgstr "" + +#: dcc.cpp:423 +msgid "Sending [{1}] to [{2}]: Transfer started." +msgstr "" + +#: dcc.cpp:427 +msgid "Receiving [{1}] from [{2}]: Transfer started." +msgstr "" + +#: dcc.cpp:446 +msgid "Sending [{1}] to [{2}]: Too much data!" +msgstr "" + +#: dcc.cpp:450 +msgid "Receiving [{1}] from [{2}]: Too much data!" +msgstr "" + +#: dcc.cpp:456 +msgid "Sending [{1}] to [{2}] completed at {3} KiB/s" +msgstr "" + +#: dcc.cpp:461 +msgid "Receiving [{1}] from [{2}] completed at {3} KiB/s" +msgstr "" + +#: dcc.cpp:474 +msgid "Sending [{1}] to [{2}]: File closed prematurely." +msgstr "" + +#: dcc.cpp:478 +msgid "Receiving [{1}] from [{2}]: File closed prematurely." +msgstr "" + +#: dcc.cpp:501 +msgid "Sending [{1}] to [{2}]: Error reading from file." +msgstr "" + +#: dcc.cpp:505 +msgid "Receiving [{1}] from [{2}]: Error reading from file." +msgstr "" + +#: dcc.cpp:537 +msgid "Sending [{1}] to [{2}]: Unable to open file." +msgstr "" + +#: dcc.cpp:541 +msgid "Receiving [{1}] from [{2}]: Unable to open file." +msgstr "" + +#: dcc.cpp:563 +msgid "Receiving [{1}] from [{2}]: Could not open file." +msgstr "" + +#: dcc.cpp:572 +msgid "Sending [{1}] to [{2}]: Not a file." +msgstr "" + +#: dcc.cpp:581 +msgid "Sending [{1}] to [{2}]: Could not open file." +msgstr "" + +#: dcc.cpp:593 +msgid "Sending [{1}] to [{2}]: File too large (>4 GiB)." +msgstr "" + +#: dcc.cpp:623 +msgid "This module allows you to transfer files to and from ZNC" +msgstr "" + diff --git a/modules/po/disconkick.de.po b/modules/po/disconkick.de.po new file mode 100644 index 00000000..dee2d86d --- /dev/null +++ b/modules/po/disconkick.de.po @@ -0,0 +1,23 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: de\n" +"X-Crowdin-File: /master/modules/po/disconkick.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: German\n" +"Language: de_DE\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: disconkick.cpp:32 +msgid "You have been disconnected from the IRC server" +msgstr "" + +#: disconkick.cpp:45 +msgid "Kicks the client from all channels when the connection to the IRC server is lost" +msgstr "" + diff --git a/modules/po/disconkick.pot b/modules/po/disconkick.pot index 5c8f6519..2055cd04 100644 --- a/modules/po/disconkick.pot +++ b/modules/po/disconkick.pot @@ -2,6 +2,7 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" #: disconkick.cpp:32 msgid "You have been disconnected from the IRC server" diff --git a/modules/po/disconkick.ru.po b/modules/po/disconkick.ru.po new file mode 100644 index 00000000..2893de3b --- /dev/null +++ b/modules/po/disconkick.ru.po @@ -0,0 +1,23 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: ru\n" +"X-Crowdin-File: /master/modules/po/disconkick.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Russian\n" +"Language: ru_RU\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: disconkick.cpp:32 +msgid "You have been disconnected from the IRC server" +msgstr "" + +#: disconkick.cpp:45 +msgid "Kicks the client from all channels when the connection to the IRC server is lost" +msgstr "" + diff --git a/modules/po/fail2ban.de.po b/modules/po/fail2ban.de.po new file mode 100644 index 00000000..b5ec5162 --- /dev/null +++ b/modules/po/fail2ban.de.po @@ -0,0 +1,115 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: de\n" +"X-Crowdin-File: /master/modules/po/fail2ban.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: German\n" +"Language: de_DE\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: fail2ban.cpp:25 +msgid "[minutes]" +msgstr "[Minuten]" + +#: fail2ban.cpp:26 +msgid "The number of minutes IPs are blocked after a failed login." +msgstr "Die Anzahl an Minuten, die IPs nach einem fehlgeschlagenen Anmeldeversuch blockiert werden." + +#: fail2ban.cpp:28 +msgid "[count]" +msgstr "[Anzahl]" + +#: fail2ban.cpp:29 +msgid "The number of allowed failed login attempts." +msgstr "Die Anzahl der zulässigen fehlgeschlagenen Anmeldeversuche." + +#: fail2ban.cpp:31 fail2ban.cpp:33 +msgid "" +msgstr "" + +#: fail2ban.cpp:31 +msgid "Ban the specified hosts." +msgstr "" + +#: fail2ban.cpp:33 +msgid "Unban the specified hosts." +msgstr "" + +#: fail2ban.cpp:35 +msgid "List banned hosts." +msgstr "" + +#: fail2ban.cpp:55 +msgid "Invalid argument, must be the number of minutes IPs are blocked after a failed login and can be followed by number of allowed failed login attempts" +msgstr "" + +#: fail2ban.cpp:77 fail2ban.cpp:100 fail2ban.cpp:123 fail2ban.cpp:146 +#: fail2ban.cpp:172 +msgid "Access denied" +msgstr "Zugriff verweigert" + +#: fail2ban.cpp:86 +msgid "Usage: Timeout [minutes]" +msgstr "" + +#: fail2ban.cpp:91 fail2ban.cpp:94 +msgid "Timeout: {1} min" +msgstr "" + +#: fail2ban.cpp:109 +msgid "Usage: Attempts [count]" +msgstr "" + +#: fail2ban.cpp:114 fail2ban.cpp:117 +msgid "Attempts: {1}" +msgstr "" + +#: fail2ban.cpp:130 +msgid "Usage: Ban " +msgstr "" + +#: fail2ban.cpp:140 +msgid "Banned: {1}" +msgstr "" + +#: fail2ban.cpp:153 +msgid "Usage: Unban " +msgstr "" + +#: fail2ban.cpp:163 +msgid "Unbanned: {1}" +msgstr "" + +#: fail2ban.cpp:165 +msgid "Ignored: {1}" +msgstr "" + +#: fail2ban.cpp:177 fail2ban.cpp:182 +msgctxt "list" +msgid "Host" +msgstr "" + +#: fail2ban.cpp:178 fail2ban.cpp:183 +msgctxt "list" +msgid "Attempts" +msgstr "" + +#: fail2ban.cpp:187 +msgctxt "list" +msgid "No bans" +msgstr "" + +#: fail2ban.cpp:244 +msgid "You might enter the time in minutes for the IP banning and the number of failed logins before any action is taken." +msgstr "" + +#: fail2ban.cpp:249 +msgid "Block IPs for some time after a failed login." +msgstr "Blockiere IPs für eine Weile nach fehlgeschlagenen Anmeldungen." + diff --git a/modules/po/fail2ban.pot b/modules/po/fail2ban.pot index e29eaefb..8b1dca6b 100644 --- a/modules/po/fail2ban.pot +++ b/modules/po/fail2ban.pot @@ -2,6 +2,7 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" #: fail2ban.cpp:25 msgid "[minutes]" diff --git a/modules/po/fail2ban.ru.po b/modules/po/fail2ban.ru.po new file mode 100644 index 00000000..b8b805e7 --- /dev/null +++ b/modules/po/fail2ban.ru.po @@ -0,0 +1,115 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: ru\n" +"X-Crowdin-File: /master/modules/po/fail2ban.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Russian\n" +"Language: ru_RU\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: fail2ban.cpp:25 +msgid "[minutes]" +msgstr "" + +#: fail2ban.cpp:26 +msgid "The number of minutes IPs are blocked after a failed login." +msgstr "" + +#: fail2ban.cpp:28 +msgid "[count]" +msgstr "" + +#: fail2ban.cpp:29 +msgid "The number of allowed failed login attempts." +msgstr "" + +#: fail2ban.cpp:31 fail2ban.cpp:33 +msgid "" +msgstr "" + +#: fail2ban.cpp:31 +msgid "Ban the specified hosts." +msgstr "" + +#: fail2ban.cpp:33 +msgid "Unban the specified hosts." +msgstr "" + +#: fail2ban.cpp:35 +msgid "List banned hosts." +msgstr "" + +#: fail2ban.cpp:55 +msgid "Invalid argument, must be the number of minutes IPs are blocked after a failed login and can be followed by number of allowed failed login attempts" +msgstr "" + +#: fail2ban.cpp:77 fail2ban.cpp:100 fail2ban.cpp:123 fail2ban.cpp:146 +#: fail2ban.cpp:172 +msgid "Access denied" +msgstr "" + +#: fail2ban.cpp:86 +msgid "Usage: Timeout [minutes]" +msgstr "" + +#: fail2ban.cpp:91 fail2ban.cpp:94 +msgid "Timeout: {1} min" +msgstr "" + +#: fail2ban.cpp:109 +msgid "Usage: Attempts [count]" +msgstr "" + +#: fail2ban.cpp:114 fail2ban.cpp:117 +msgid "Attempts: {1}" +msgstr "" + +#: fail2ban.cpp:130 +msgid "Usage: Ban " +msgstr "" + +#: fail2ban.cpp:140 +msgid "Banned: {1}" +msgstr "" + +#: fail2ban.cpp:153 +msgid "Usage: Unban " +msgstr "" + +#: fail2ban.cpp:163 +msgid "Unbanned: {1}" +msgstr "" + +#: fail2ban.cpp:165 +msgid "Ignored: {1}" +msgstr "" + +#: fail2ban.cpp:177 fail2ban.cpp:182 +msgctxt "list" +msgid "Host" +msgstr "" + +#: fail2ban.cpp:178 fail2ban.cpp:183 +msgctxt "list" +msgid "Attempts" +msgstr "" + +#: fail2ban.cpp:187 +msgctxt "list" +msgid "No bans" +msgstr "" + +#: fail2ban.cpp:244 +msgid "You might enter the time in minutes for the IP banning and the number of failed logins before any action is taken." +msgstr "" + +#: fail2ban.cpp:249 +msgid "Block IPs for some time after a failed login." +msgstr "" + diff --git a/modules/po/flooddetach.de.po b/modules/po/flooddetach.de.po new file mode 100644 index 00000000..9edc9f3e --- /dev/null +++ b/modules/po/flooddetach.de.po @@ -0,0 +1,91 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: de\n" +"X-Crowdin-File: /master/modules/po/flooddetach.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: German\n" +"Language: de_DE\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: flooddetach.cpp:30 +msgid "Show current limits" +msgstr "" + +#: flooddetach.cpp:32 flooddetach.cpp:35 +msgid "[]" +msgstr "" + +#: flooddetach.cpp:33 +msgid "Show or set number of seconds in the time interval" +msgstr "" + +#: flooddetach.cpp:35 flooddetach.cpp:37 +msgid "blahblah: description" +msgstr "" + +#: flooddetach.cpp:37 +msgid "[yes|no]" +msgstr "" + +#: flooddetach.cpp:90 +msgid "Flood in {1} is over, reattaching..." +msgstr "" + +#: flooddetach.cpp:147 +msgid "Channel {1} was flooded, you've been detached" +msgstr "" + +#: flooddetach.cpp:184 +msgid "1 line" +msgid_plural "{1} lines" +msgstr[0] "" +msgstr[1] "" + +#: flooddetach.cpp:185 +msgid "every second" +msgid_plural "every {1} seconds" +msgstr[0] "" +msgstr[1] "" + +#: flooddetach.cpp:187 +msgid "Current limit is {1} {2}" +msgstr "" + +#: flooddetach.cpp:194 +msgid "Seconds limit is {1}" +msgstr "" + +#: flooddetach.cpp:199 +msgid "Set seconds limit to {1}" +msgstr "" + +#: flooddetach.cpp:208 +msgid "Lines limit is {1}" +msgstr "" + +#: flooddetach.cpp:213 +msgid "Set lines limit to {1}" +msgstr "" + +#: flooddetach.cpp:226 +msgid "Module messages are disabled" +msgstr "" + +#: flooddetach.cpp:228 +msgid "Module messages are enabled" +msgstr "" + +#: flooddetach.cpp:244 +msgid "This user module takes up to two arguments. Arguments are numbers of messages and seconds." +msgstr "" + +#: flooddetach.cpp:248 +msgid "Detach channels when flooded" +msgstr "" + diff --git a/modules/po/flooddetach.pot b/modules/po/flooddetach.pot index 330fcef1..49322b00 100644 --- a/modules/po/flooddetach.pot +++ b/modules/po/flooddetach.pot @@ -2,6 +2,7 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" #: flooddetach.cpp:30 msgid "Show current limits" diff --git a/modules/po/flooddetach.ru.po b/modules/po/flooddetach.ru.po new file mode 100644 index 00000000..fb40d49b --- /dev/null +++ b/modules/po/flooddetach.ru.po @@ -0,0 +1,93 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: ru\n" +"X-Crowdin-File: /master/modules/po/flooddetach.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Russian\n" +"Language: ru_RU\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: flooddetach.cpp:30 +msgid "Show current limits" +msgstr "" + +#: flooddetach.cpp:32 flooddetach.cpp:35 +msgid "[]" +msgstr "" + +#: flooddetach.cpp:33 +msgid "Show or set number of seconds in the time interval" +msgstr "" + +#: flooddetach.cpp:35 flooddetach.cpp:37 +msgid "blahblah: description" +msgstr "" + +#: flooddetach.cpp:37 +msgid "[yes|no]" +msgstr "" + +#: flooddetach.cpp:90 +msgid "Flood in {1} is over, reattaching..." +msgstr "" + +#: flooddetach.cpp:147 +msgid "Channel {1} was flooded, you've been detached" +msgstr "" + +#: flooddetach.cpp:184 +msgid "1 line" +msgid_plural "{1} lines" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" + +#: flooddetach.cpp:185 +msgid "every second" +msgid_plural "every {1} seconds" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" + +#: flooddetach.cpp:187 +msgid "Current limit is {1} {2}" +msgstr "" + +#: flooddetach.cpp:194 +msgid "Seconds limit is {1}" +msgstr "" + +#: flooddetach.cpp:199 +msgid "Set seconds limit to {1}" +msgstr "" + +#: flooddetach.cpp:208 +msgid "Lines limit is {1}" +msgstr "" + +#: flooddetach.cpp:213 +msgid "Set lines limit to {1}" +msgstr "" + +#: flooddetach.cpp:226 +msgid "Module messages are disabled" +msgstr "" + +#: flooddetach.cpp:228 +msgid "Module messages are enabled" +msgstr "" + +#: flooddetach.cpp:244 +msgid "This user module takes up to two arguments. Arguments are numbers of messages and seconds." +msgstr "" + +#: flooddetach.cpp:248 +msgid "Detach channels when flooded" +msgstr "" + diff --git a/modules/po/identfile.de.po b/modules/po/identfile.de.po new file mode 100644 index 00000000..907d7375 --- /dev/null +++ b/modules/po/identfile.de.po @@ -0,0 +1,83 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: de\n" +"X-Crowdin-File: /master/modules/po/identfile.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: German\n" +"Language: de_DE\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: identfile.cpp:30 +msgid "Show file name" +msgstr "" + +#: identfile.cpp:32 +msgid "" +msgstr "" + +#: identfile.cpp:32 +msgid "Set file name" +msgstr "" + +#: identfile.cpp:34 +msgid "Show file format" +msgstr "" + +#: identfile.cpp:36 +msgid "" +msgstr "" + +#: identfile.cpp:36 +msgid "Set file format" +msgstr "" + +#: identfile.cpp:38 +msgid "Show current state" +msgstr "" + +#: identfile.cpp:48 +msgid "File is set to: {1}" +msgstr "" + +#: identfile.cpp:53 +msgid "File has been set to: {1}" +msgstr "" + +#: identfile.cpp:58 +msgid "Format has been set to: {1}" +msgstr "" + +#: identfile.cpp:59 identfile.cpp:65 +msgid "Format would be expanded to: {1}" +msgstr "" + +#: identfile.cpp:64 +msgid "Format is set to: {1}" +msgstr "" + +#: identfile.cpp:78 +msgid "identfile is free" +msgstr "" + +#: identfile.cpp:86 +msgid "Access denied" +msgstr "" + +#: identfile.cpp:181 +msgid "Aborting connection, another user or network is currently connecting and using the ident spoof file" +msgstr "" + +#: identfile.cpp:189 +msgid "[{1}] could not be written, retrying..." +msgstr "" + +#: identfile.cpp:223 +msgid "Write the ident of a user to a file when they are trying to connect." +msgstr "" + diff --git a/modules/po/identfile.pot b/modules/po/identfile.pot index 5f0baa3f..9d99df27 100644 --- a/modules/po/identfile.pot +++ b/modules/po/identfile.pot @@ -2,6 +2,7 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" #: identfile.cpp:30 msgid "Show file name" diff --git a/modules/po/identfile.ru.po b/modules/po/identfile.ru.po new file mode 100644 index 00000000..08c345ae --- /dev/null +++ b/modules/po/identfile.ru.po @@ -0,0 +1,83 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: ru\n" +"X-Crowdin-File: /master/modules/po/identfile.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Russian\n" +"Language: ru_RU\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: identfile.cpp:30 +msgid "Show file name" +msgstr "" + +#: identfile.cpp:32 +msgid "" +msgstr "" + +#: identfile.cpp:32 +msgid "Set file name" +msgstr "" + +#: identfile.cpp:34 +msgid "Show file format" +msgstr "" + +#: identfile.cpp:36 +msgid "" +msgstr "" + +#: identfile.cpp:36 +msgid "Set file format" +msgstr "" + +#: identfile.cpp:38 +msgid "Show current state" +msgstr "" + +#: identfile.cpp:48 +msgid "File is set to: {1}" +msgstr "" + +#: identfile.cpp:53 +msgid "File has been set to: {1}" +msgstr "" + +#: identfile.cpp:58 +msgid "Format has been set to: {1}" +msgstr "" + +#: identfile.cpp:59 identfile.cpp:65 +msgid "Format would be expanded to: {1}" +msgstr "" + +#: identfile.cpp:64 +msgid "Format is set to: {1}" +msgstr "" + +#: identfile.cpp:78 +msgid "identfile is free" +msgstr "" + +#: identfile.cpp:86 +msgid "Access denied" +msgstr "" + +#: identfile.cpp:181 +msgid "Aborting connection, another user or network is currently connecting and using the ident spoof file" +msgstr "" + +#: identfile.cpp:189 +msgid "[{1}] could not be written, retrying..." +msgstr "" + +#: identfile.cpp:223 +msgid "Write the ident of a user to a file when they are trying to connect." +msgstr "" + diff --git a/modules/po/imapauth.de.po b/modules/po/imapauth.de.po new file mode 100644 index 00000000..ce640ca9 --- /dev/null +++ b/modules/po/imapauth.de.po @@ -0,0 +1,23 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: de\n" +"X-Crowdin-File: /master/modules/po/imapauth.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: German\n" +"Language: de_DE\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: imapauth.cpp:168 +msgid "[ server [+]port [ UserFormatString ] ]" +msgstr "" + +#: imapauth.cpp:171 +msgid "Allow users to authenticate via IMAP." +msgstr "" + diff --git a/modules/po/imapauth.pot b/modules/po/imapauth.pot index 4926f5fd..66726a4d 100644 --- a/modules/po/imapauth.pot +++ b/modules/po/imapauth.pot @@ -2,6 +2,7 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" #: imapauth.cpp:168 msgid "[ server [+]port [ UserFormatString ] ]" diff --git a/modules/po/imapauth.ru.po b/modules/po/imapauth.ru.po new file mode 100644 index 00000000..44aa7f4d --- /dev/null +++ b/modules/po/imapauth.ru.po @@ -0,0 +1,23 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: ru\n" +"X-Crowdin-File: /master/modules/po/imapauth.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Russian\n" +"Language: ru_RU\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: imapauth.cpp:168 +msgid "[ server [+]port [ UserFormatString ] ]" +msgstr "" + +#: imapauth.cpp:171 +msgid "Allow users to authenticate via IMAP." +msgstr "" + diff --git a/modules/po/keepnick.de.po b/modules/po/keepnick.de.po new file mode 100644 index 00000000..5068b9b8 --- /dev/null +++ b/modules/po/keepnick.de.po @@ -0,0 +1,55 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: de\n" +"X-Crowdin-File: /master/modules/po/keepnick.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: German\n" +"Language: de_DE\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: keepnick.cpp:39 +msgid "Try to get your primary nick" +msgstr "" + +#: keepnick.cpp:42 keepnick.cpp:198 +msgid "No longer trying to get your primary nick" +msgstr "" + +#: keepnick.cpp:44 +msgid "Show the current state" +msgstr "" + +#: keepnick.cpp:160 +msgid "ZNC is already trying to get this nickname" +msgstr "" + +#: keepnick.cpp:175 +msgid "Unable to obtain nick {1}: {2}, {3}" +msgstr "" + +#: keepnick.cpp:183 +msgid "Unable to obtain nick {1}" +msgstr "" + +#: keepnick.cpp:193 +msgid "Trying to get your primary nick" +msgstr "" + +#: keepnick.cpp:203 +msgid "Currently trying to get your primary nick" +msgstr "" + +#: keepnick.cpp:205 +msgid "Currently disabled, try 'enable'" +msgstr "" + +#: keepnick.cpp:226 +msgid "Keeps trying for your primary nick" +msgstr "" + diff --git a/modules/po/keepnick.pot b/modules/po/keepnick.pot index c68fa54a..78942e92 100644 --- a/modules/po/keepnick.pot +++ b/modules/po/keepnick.pot @@ -2,6 +2,7 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" #: keepnick.cpp:39 msgid "Try to get your primary nick" diff --git a/modules/po/keepnick.ru.po b/modules/po/keepnick.ru.po new file mode 100644 index 00000000..f35c1a00 --- /dev/null +++ b/modules/po/keepnick.ru.po @@ -0,0 +1,55 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: ru\n" +"X-Crowdin-File: /master/modules/po/keepnick.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Russian\n" +"Language: ru_RU\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: keepnick.cpp:39 +msgid "Try to get your primary nick" +msgstr "" + +#: keepnick.cpp:42 keepnick.cpp:198 +msgid "No longer trying to get your primary nick" +msgstr "" + +#: keepnick.cpp:44 +msgid "Show the current state" +msgstr "" + +#: keepnick.cpp:160 +msgid "ZNC is already trying to get this nickname" +msgstr "" + +#: keepnick.cpp:175 +msgid "Unable to obtain nick {1}: {2}, {3}" +msgstr "" + +#: keepnick.cpp:183 +msgid "Unable to obtain nick {1}" +msgstr "" + +#: keepnick.cpp:193 +msgid "Trying to get your primary nick" +msgstr "" + +#: keepnick.cpp:203 +msgid "Currently trying to get your primary nick" +msgstr "" + +#: keepnick.cpp:205 +msgid "Currently disabled, try 'enable'" +msgstr "" + +#: keepnick.cpp:226 +msgid "Keeps trying for your primary nick" +msgstr "" + diff --git a/modules/po/kickrejoin.de.po b/modules/po/kickrejoin.de.po new file mode 100644 index 00000000..a4d00e29 --- /dev/null +++ b/modules/po/kickrejoin.de.po @@ -0,0 +1,63 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: de\n" +"X-Crowdin-File: /master/modules/po/kickrejoin.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: German\n" +"Language: de_DE\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: kickrejoin.cpp:56 +msgid "" +msgstr "" + +#: kickrejoin.cpp:56 +msgid "Set the rejoin delay" +msgstr "" + +#: kickrejoin.cpp:58 +msgid "Show the rejoin delay" +msgstr "" + +#: kickrejoin.cpp:77 +msgid "Illegal argument, must be a positive number or 0" +msgstr "" + +#: kickrejoin.cpp:90 +msgid "Negative delays don't make any sense!" +msgstr "" + +#: kickrejoin.cpp:98 +msgid "Rejoin delay set to 1 second" +msgid_plural "Rejoin delay set to {1} seconds" +msgstr[0] "" +msgstr[1] "" + +#: kickrejoin.cpp:101 +msgid "Rejoin delay disabled" +msgstr "" + +#: kickrejoin.cpp:106 +msgid "Rejoin delay is set to 1 second" +msgid_plural "Rejoin delay is set to {1} seconds" +msgstr[0] "" +msgstr[1] "" + +#: kickrejoin.cpp:109 +msgid "Rejoin delay is disabled" +msgstr "" + +#: kickrejoin.cpp:131 +msgid "You might enter the number of seconds to wait before rejoining." +msgstr "" + +#: kickrejoin.cpp:134 +msgid "Autorejoins on kick" +msgstr "" + diff --git a/modules/po/kickrejoin.pot b/modules/po/kickrejoin.pot index af10d2bf..b56795ef 100644 --- a/modules/po/kickrejoin.pot +++ b/modules/po/kickrejoin.pot @@ -2,6 +2,7 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" #: kickrejoin.cpp:56 msgid "" diff --git a/modules/po/kickrejoin.ru.po b/modules/po/kickrejoin.ru.po new file mode 100644 index 00000000..5683d782 --- /dev/null +++ b/modules/po/kickrejoin.ru.po @@ -0,0 +1,65 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: ru\n" +"X-Crowdin-File: /master/modules/po/kickrejoin.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Russian\n" +"Language: ru_RU\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: kickrejoin.cpp:56 +msgid "" +msgstr "" + +#: kickrejoin.cpp:56 +msgid "Set the rejoin delay" +msgstr "" + +#: kickrejoin.cpp:58 +msgid "Show the rejoin delay" +msgstr "" + +#: kickrejoin.cpp:77 +msgid "Illegal argument, must be a positive number or 0" +msgstr "" + +#: kickrejoin.cpp:90 +msgid "Negative delays don't make any sense!" +msgstr "" + +#: kickrejoin.cpp:98 +msgid "Rejoin delay set to 1 second" +msgid_plural "Rejoin delay set to {1} seconds" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" + +#: kickrejoin.cpp:101 +msgid "Rejoin delay disabled" +msgstr "" + +#: kickrejoin.cpp:106 +msgid "Rejoin delay is set to 1 second" +msgid_plural "Rejoin delay is set to {1} seconds" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" + +#: kickrejoin.cpp:109 +msgid "Rejoin delay is disabled" +msgstr "" + +#: kickrejoin.cpp:131 +msgid "You might enter the number of seconds to wait before rejoining." +msgstr "" + +#: kickrejoin.cpp:134 +msgid "Autorejoins on kick" +msgstr "" + diff --git a/modules/po/lastseen.de.po b/modules/po/lastseen.de.po new file mode 100644 index 00000000..46945c11 --- /dev/null +++ b/modules/po/lastseen.de.po @@ -0,0 +1,69 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: de\n" +"X-Crowdin-File: /master/modules/po/lastseen.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: German\n" +"Language: de_DE\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: modules/po/../data/lastseen/tmpl/index.tmpl:8 +msgid "User" +msgstr "" + +#: modules/po/../data/lastseen/tmpl/index.tmpl:9 lastseen.cpp:98 +msgid "Last Seen" +msgstr "" + +#: modules/po/../data/lastseen/tmpl/index.tmpl:10 +msgid "Info" +msgstr "" + +#: modules/po/../data/lastseen/tmpl/index.tmpl:11 +msgid "Action" +msgstr "" + +#: modules/po/../data/lastseen/tmpl/index.tmpl:21 +msgid "Edit" +msgstr "" + +#: modules/po/../data/lastseen/tmpl/index.tmpl:22 +msgid "Delete" +msgstr "" + +#: modules/po/../data/lastseen/tmpl/lastseen_WebadminUser.tmpl:6 +msgid "Last login time:" +msgstr "" + +#: lastseen.cpp:53 +msgid "Access denied" +msgstr "" + +#: lastseen.cpp:61 lastseen.cpp:66 +msgctxt "show" +msgid "User" +msgstr "" + +#: lastseen.cpp:62 lastseen.cpp:67 +msgctxt "show" +msgid "Last Seen" +msgstr "" + +#: lastseen.cpp:68 lastseen.cpp:124 +msgid "never" +msgstr "" + +#: lastseen.cpp:78 +msgid "Shows list of users and when they last logged in" +msgstr "" + +#: lastseen.cpp:153 +msgid "Collects data about when a user last logged in." +msgstr "" + diff --git a/modules/po/lastseen.pot b/modules/po/lastseen.pot index 68845937..5fc9d970 100644 --- a/modules/po/lastseen.pot +++ b/modules/po/lastseen.pot @@ -2,6 +2,7 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" #: modules/po/../data/lastseen/tmpl/index.tmpl:8 msgid "User" diff --git a/modules/po/lastseen.ru.po b/modules/po/lastseen.ru.po new file mode 100644 index 00000000..20318cd1 --- /dev/null +++ b/modules/po/lastseen.ru.po @@ -0,0 +1,69 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: ru\n" +"X-Crowdin-File: /master/modules/po/lastseen.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Russian\n" +"Language: ru_RU\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: modules/po/../data/lastseen/tmpl/index.tmpl:8 +msgid "User" +msgstr "" + +#: modules/po/../data/lastseen/tmpl/index.tmpl:9 lastseen.cpp:98 +msgid "Last Seen" +msgstr "" + +#: modules/po/../data/lastseen/tmpl/index.tmpl:10 +msgid "Info" +msgstr "" + +#: modules/po/../data/lastseen/tmpl/index.tmpl:11 +msgid "Action" +msgstr "" + +#: modules/po/../data/lastseen/tmpl/index.tmpl:21 +msgid "Edit" +msgstr "" + +#: modules/po/../data/lastseen/tmpl/index.tmpl:22 +msgid "Delete" +msgstr "" + +#: modules/po/../data/lastseen/tmpl/lastseen_WebadminUser.tmpl:6 +msgid "Last login time:" +msgstr "" + +#: lastseen.cpp:53 +msgid "Access denied" +msgstr "" + +#: lastseen.cpp:61 lastseen.cpp:66 +msgctxt "show" +msgid "User" +msgstr "" + +#: lastseen.cpp:62 lastseen.cpp:67 +msgctxt "show" +msgid "Last Seen" +msgstr "" + +#: lastseen.cpp:68 lastseen.cpp:124 +msgid "never" +msgstr "" + +#: lastseen.cpp:78 +msgid "Shows list of users and when they last logged in" +msgstr "" + +#: lastseen.cpp:153 +msgid "Collects data about when a user last logged in." +msgstr "" + diff --git a/modules/po/listsockets.de.po b/modules/po/listsockets.de.po new file mode 100644 index 00000000..15f192a3 --- /dev/null +++ b/modules/po/listsockets.de.po @@ -0,0 +1,115 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: de\n" +"X-Crowdin-File: /master/modules/po/listsockets.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: German\n" +"Language: de_DE\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:7 listsockets.cpp:214 +#: listsockets.cpp:230 +msgid "Name" +msgstr "" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:8 listsockets.cpp:215 +#: listsockets.cpp:231 +msgid "Created" +msgstr "" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:9 listsockets.cpp:216 +#: listsockets.cpp:232 +msgid "State" +msgstr "" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:10 listsockets.cpp:218 +#: listsockets.cpp:235 +msgid "SSL" +msgstr "" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:11 listsockets.cpp:220 +#: listsockets.cpp:240 +msgid "Local" +msgstr "" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:12 listsockets.cpp:221 +#: listsockets.cpp:242 +msgid "Remote" +msgstr "" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:13 +msgid "Data In" +msgstr "" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:14 +msgid "Data Out" +msgstr "" + +#: listsockets.cpp:62 +msgid "[-n]" +msgstr "" + +#: listsockets.cpp:62 +msgid "Shows the list of active sockets. Pass -n to show IP addresses" +msgstr "" + +#: listsockets.cpp:70 +msgid "You must be admin to use this module" +msgstr "" + +#: listsockets.cpp:96 +msgid "List sockets" +msgstr "" + +#: listsockets.cpp:116 listsockets.cpp:236 +msgctxt "ssl" +msgid "Yes" +msgstr "" + +#: listsockets.cpp:116 listsockets.cpp:237 +msgctxt "ssl" +msgid "No" +msgstr "" + +#: listsockets.cpp:142 +msgid "Listener" +msgstr "" + +#: listsockets.cpp:144 +msgid "Inbound" +msgstr "" + +#: listsockets.cpp:147 +msgid "Outbound" +msgstr "" + +#: listsockets.cpp:149 +msgid "Connecting" +msgstr "" + +#: listsockets.cpp:152 +msgid "UNKNOWN" +msgstr "" + +#: listsockets.cpp:207 +msgid "You have no open sockets." +msgstr "" + +#: listsockets.cpp:222 listsockets.cpp:244 +msgid "In" +msgstr "" + +#: listsockets.cpp:223 listsockets.cpp:246 +msgid "Out" +msgstr "" + +#: listsockets.cpp:262 +msgid "Lists active sockets" +msgstr "" + diff --git a/modules/po/listsockets.pot b/modules/po/listsockets.pot index 46964cee..e975d054 100644 --- a/modules/po/listsockets.pot +++ b/modules/po/listsockets.pot @@ -2,34 +2,35 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" -#: modules/po/../data/listsockets/tmpl/index.tmpl:7 listsockets.cpp:212 -#: listsockets.cpp:228 +#: modules/po/../data/listsockets/tmpl/index.tmpl:7 listsockets.cpp:214 +#: listsockets.cpp:230 msgid "Name" msgstr "" -#: modules/po/../data/listsockets/tmpl/index.tmpl:8 listsockets.cpp:213 -#: listsockets.cpp:229 +#: modules/po/../data/listsockets/tmpl/index.tmpl:8 listsockets.cpp:215 +#: listsockets.cpp:231 msgid "Created" msgstr "" -#: modules/po/../data/listsockets/tmpl/index.tmpl:9 listsockets.cpp:214 -#: listsockets.cpp:230 +#: modules/po/../data/listsockets/tmpl/index.tmpl:9 listsockets.cpp:216 +#: listsockets.cpp:232 msgid "State" msgstr "" -#: modules/po/../data/listsockets/tmpl/index.tmpl:10 listsockets.cpp:216 -#: listsockets.cpp:233 +#: modules/po/../data/listsockets/tmpl/index.tmpl:10 listsockets.cpp:218 +#: listsockets.cpp:235 msgid "SSL" msgstr "" -#: modules/po/../data/listsockets/tmpl/index.tmpl:11 listsockets.cpp:218 -#: listsockets.cpp:238 +#: modules/po/../data/listsockets/tmpl/index.tmpl:11 listsockets.cpp:220 +#: listsockets.cpp:240 msgid "Local" msgstr "" -#: modules/po/../data/listsockets/tmpl/index.tmpl:12 listsockets.cpp:219 -#: listsockets.cpp:240 +#: modules/po/../data/listsockets/tmpl/index.tmpl:12 listsockets.cpp:221 +#: listsockets.cpp:242 msgid "Remote" msgstr "" @@ -57,12 +58,12 @@ msgstr "" msgid "List sockets" msgstr "" -#: listsockets.cpp:116 listsockets.cpp:234 +#: listsockets.cpp:116 listsockets.cpp:236 msgctxt "ssl" msgid "Yes" msgstr "" -#: listsockets.cpp:116 listsockets.cpp:235 +#: listsockets.cpp:116 listsockets.cpp:237 msgctxt "ssl" msgid "No" msgstr "" @@ -87,18 +88,18 @@ msgstr "" msgid "UNKNOWN" msgstr "" -#: listsockets.cpp:205 +#: listsockets.cpp:207 msgid "You have no open sockets." msgstr "" -#: listsockets.cpp:220 listsockets.cpp:242 +#: listsockets.cpp:222 listsockets.cpp:244 msgid "In" msgstr "" -#: listsockets.cpp:221 listsockets.cpp:244 +#: listsockets.cpp:223 listsockets.cpp:246 msgid "Out" msgstr "" -#: listsockets.cpp:260 +#: listsockets.cpp:262 msgid "Lists active sockets" msgstr "" diff --git a/modules/po/listsockets.ru.po b/modules/po/listsockets.ru.po new file mode 100644 index 00000000..084458ff --- /dev/null +++ b/modules/po/listsockets.ru.po @@ -0,0 +1,115 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: ru\n" +"X-Crowdin-File: /master/modules/po/listsockets.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Russian\n" +"Language: ru_RU\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:7 listsockets.cpp:214 +#: listsockets.cpp:230 +msgid "Name" +msgstr "" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:8 listsockets.cpp:215 +#: listsockets.cpp:231 +msgid "Created" +msgstr "" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:9 listsockets.cpp:216 +#: listsockets.cpp:232 +msgid "State" +msgstr "" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:10 listsockets.cpp:218 +#: listsockets.cpp:235 +msgid "SSL" +msgstr "" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:11 listsockets.cpp:220 +#: listsockets.cpp:240 +msgid "Local" +msgstr "" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:12 listsockets.cpp:221 +#: listsockets.cpp:242 +msgid "Remote" +msgstr "" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:13 +msgid "Data In" +msgstr "" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:14 +msgid "Data Out" +msgstr "" + +#: listsockets.cpp:62 +msgid "[-n]" +msgstr "" + +#: listsockets.cpp:62 +msgid "Shows the list of active sockets. Pass -n to show IP addresses" +msgstr "" + +#: listsockets.cpp:70 +msgid "You must be admin to use this module" +msgstr "" + +#: listsockets.cpp:96 +msgid "List sockets" +msgstr "" + +#: listsockets.cpp:116 listsockets.cpp:236 +msgctxt "ssl" +msgid "Yes" +msgstr "" + +#: listsockets.cpp:116 listsockets.cpp:237 +msgctxt "ssl" +msgid "No" +msgstr "" + +#: listsockets.cpp:142 +msgid "Listener" +msgstr "" + +#: listsockets.cpp:144 +msgid "Inbound" +msgstr "" + +#: listsockets.cpp:147 +msgid "Outbound" +msgstr "" + +#: listsockets.cpp:149 +msgid "Connecting" +msgstr "" + +#: listsockets.cpp:152 +msgid "UNKNOWN" +msgstr "" + +#: listsockets.cpp:207 +msgid "You have no open sockets." +msgstr "" + +#: listsockets.cpp:222 listsockets.cpp:244 +msgid "In" +msgstr "" + +#: listsockets.cpp:223 listsockets.cpp:246 +msgid "Out" +msgstr "" + +#: listsockets.cpp:262 +msgid "Lists active sockets" +msgstr "" + diff --git a/modules/po/log.de.po b/modules/po/log.de.po new file mode 100644 index 00000000..98e9ba46 --- /dev/null +++ b/modules/po/log.de.po @@ -0,0 +1,147 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: de\n" +"X-Crowdin-File: /master/modules/po/log.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: German\n" +"Language: de_DE\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: log.cpp:59 +msgid "" +msgstr "" + +#: log.cpp:60 +msgid "Set logging rules, use !#chan or !query to negate and * " +msgstr "" + +#: log.cpp:62 +msgid "Clear all logging rules" +msgstr "" + +#: log.cpp:64 +msgid "List all logging rules" +msgstr "" + +#: log.cpp:67 +msgid " true|false" +msgstr "" + +#: log.cpp:68 +msgid "Set one of the following options: joins, quits, nickchanges" +msgstr "" + +#: log.cpp:71 +msgid "Show current settings set by Set command" +msgstr "" + +#: log.cpp:143 +msgid "Usage: SetRules " +msgstr "" + +#: log.cpp:144 +msgid "Wildcards are allowed" +msgstr "" + +#: log.cpp:156 log.cpp:178 +msgid "No logging rules. Everything is logged." +msgstr "" + +#: log.cpp:161 +msgid "1 rule removed: {2}" +msgid_plural "{1} rules removed: {2}" +msgstr[0] "" +msgstr[1] "" + +#: log.cpp:168 log.cpp:173 +msgctxt "listrules" +msgid "Rule" +msgstr "" + +#: log.cpp:169 log.cpp:174 +msgctxt "listrules" +msgid "Logging enabled" +msgstr "" + +#: log.cpp:189 +msgid "Usage: Set true|false, where is one of: joins, quits, nickchanges" +msgstr "" + +#: log.cpp:196 +msgid "Will log joins" +msgstr "" + +#: log.cpp:196 +msgid "Will not log joins" +msgstr "" + +#: log.cpp:197 +msgid "Will log quits" +msgstr "" + +#: log.cpp:197 +msgid "Will not log quits" +msgstr "" + +#: log.cpp:199 +msgid "Will log nick changes" +msgstr "" + +#: log.cpp:199 +msgid "Will not log nick changes" +msgstr "" + +#: log.cpp:203 +msgid "Unknown variable. Known variables: joins, quits, nickchanges" +msgstr "" + +#: log.cpp:211 +msgid "Logging joins" +msgstr "" + +#: log.cpp:211 +msgid "Not logging joins" +msgstr "" + +#: log.cpp:212 +msgid "Logging quits" +msgstr "" + +#: log.cpp:212 +msgid "Not logging quits" +msgstr "" + +#: log.cpp:213 +msgid "Logging nick changes" +msgstr "" + +#: log.cpp:214 +msgid "Not logging nick changes" +msgstr "" + +#: log.cpp:351 +msgid "Invalid args [{1}]. Only one log path allowed. Check that there are no spaces in the path." +msgstr "" + +#: log.cpp:401 +msgid "Invalid log path [{1}]" +msgstr "" + +#: log.cpp:404 +msgid "Logging to [{1}]. Using timestamp format '{2}'" +msgstr "" + +#: log.cpp:559 +msgid "[-sanitize] Optional path where to store logs." +msgstr "" + +#: log.cpp:563 +msgid "Writes IRC logs." +msgstr "" + diff --git a/modules/po/log.pot b/modules/po/log.pot index 21ba991c..868efecc 100644 --- a/modules/po/log.pot +++ b/modules/po/log.pot @@ -2,6 +2,7 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" #: log.cpp:59 msgid "" diff --git a/modules/po/log.ru.po b/modules/po/log.ru.po new file mode 100644 index 00000000..5c4a570c --- /dev/null +++ b/modules/po/log.ru.po @@ -0,0 +1,148 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: ru\n" +"X-Crowdin-File: /master/modules/po/log.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Russian\n" +"Language: ru_RU\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: log.cpp:59 +msgid "" +msgstr "" + +#: log.cpp:60 +msgid "Set logging rules, use !#chan or !query to negate and * " +msgstr "" + +#: log.cpp:62 +msgid "Clear all logging rules" +msgstr "" + +#: log.cpp:64 +msgid "List all logging rules" +msgstr "" + +#: log.cpp:67 +msgid " true|false" +msgstr "" + +#: log.cpp:68 +msgid "Set one of the following options: joins, quits, nickchanges" +msgstr "" + +#: log.cpp:71 +msgid "Show current settings set by Set command" +msgstr "" + +#: log.cpp:143 +msgid "Usage: SetRules " +msgstr "" + +#: log.cpp:144 +msgid "Wildcards are allowed" +msgstr "" + +#: log.cpp:156 log.cpp:178 +msgid "No logging rules. Everything is logged." +msgstr "" + +#: log.cpp:161 +msgid "1 rule removed: {2}" +msgid_plural "{1} rules removed: {2}" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" + +#: log.cpp:168 log.cpp:173 +msgctxt "listrules" +msgid "Rule" +msgstr "" + +#: log.cpp:169 log.cpp:174 +msgctxt "listrules" +msgid "Logging enabled" +msgstr "" + +#: log.cpp:189 +msgid "Usage: Set true|false, where is one of: joins, quits, nickchanges" +msgstr "" + +#: log.cpp:196 +msgid "Will log joins" +msgstr "" + +#: log.cpp:196 +msgid "Will not log joins" +msgstr "" + +#: log.cpp:197 +msgid "Will log quits" +msgstr "" + +#: log.cpp:197 +msgid "Will not log quits" +msgstr "" + +#: log.cpp:199 +msgid "Will log nick changes" +msgstr "" + +#: log.cpp:199 +msgid "Will not log nick changes" +msgstr "" + +#: log.cpp:203 +msgid "Unknown variable. Known variables: joins, quits, nickchanges" +msgstr "" + +#: log.cpp:211 +msgid "Logging joins" +msgstr "" + +#: log.cpp:211 +msgid "Not logging joins" +msgstr "" + +#: log.cpp:212 +msgid "Logging quits" +msgstr "" + +#: log.cpp:212 +msgid "Not logging quits" +msgstr "" + +#: log.cpp:213 +msgid "Logging nick changes" +msgstr "" + +#: log.cpp:214 +msgid "Not logging nick changes" +msgstr "" + +#: log.cpp:351 +msgid "Invalid args [{1}]. Only one log path allowed. Check that there are no spaces in the path." +msgstr "" + +#: log.cpp:401 +msgid "Invalid log path [{1}]" +msgstr "" + +#: log.cpp:404 +msgid "Logging to [{1}]. Using timestamp format '{2}'" +msgstr "" + +#: log.cpp:559 +msgid "[-sanitize] Optional path where to store logs." +msgstr "" + +#: log.cpp:563 +msgid "Writes IRC logs." +msgstr "" + diff --git a/modules/po/missingmotd.de.po b/modules/po/missingmotd.de.po new file mode 100644 index 00000000..c4a96145 --- /dev/null +++ b/modules/po/missingmotd.de.po @@ -0,0 +1,19 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: de\n" +"X-Crowdin-File: /master/modules/po/missingmotd.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: German\n" +"Language: de_DE\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: missingmotd.cpp:36 +msgid "Sends 422 to clients when they login" +msgstr "" + diff --git a/modules/po/missingmotd.pot b/modules/po/missingmotd.pot index 7e78a5be..504ec76d 100644 --- a/modules/po/missingmotd.pot +++ b/modules/po/missingmotd.pot @@ -2,6 +2,7 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" #: missingmotd.cpp:36 msgid "Sends 422 to clients when they login" diff --git a/modules/po/missingmotd.ru.po b/modules/po/missingmotd.ru.po new file mode 100644 index 00000000..33ef59b7 --- /dev/null +++ b/modules/po/missingmotd.ru.po @@ -0,0 +1,19 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: ru\n" +"X-Crowdin-File: /master/modules/po/missingmotd.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Russian\n" +"Language: ru_RU\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: missingmotd.cpp:36 +msgid "Sends 422 to clients when they login" +msgstr "" + diff --git a/modules/po/modperl.de.po b/modules/po/modperl.de.po new file mode 100644 index 00000000..afab07db --- /dev/null +++ b/modules/po/modperl.de.po @@ -0,0 +1,19 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: de\n" +"X-Crowdin-File: /master/modules/po/modperl.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: German\n" +"Language: de_DE\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: modperl.cpp:382 +msgid "Loads perl scripts as ZNC modules" +msgstr "" + diff --git a/modules/po/modperl.pot b/modules/po/modperl.pot index acecf95b..86ef3ee4 100644 --- a/modules/po/modperl.pot +++ b/modules/po/modperl.pot @@ -2,6 +2,7 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" #: modperl.cpp:382 msgid "Loads perl scripts as ZNC modules" diff --git a/modules/po/modperl.ru.po b/modules/po/modperl.ru.po new file mode 100644 index 00000000..971938d2 --- /dev/null +++ b/modules/po/modperl.ru.po @@ -0,0 +1,19 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: ru\n" +"X-Crowdin-File: /master/modules/po/modperl.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Russian\n" +"Language: ru_RU\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: modperl.cpp:382 +msgid "Loads perl scripts as ZNC modules" +msgstr "" + diff --git a/modules/po/modpython.de.po b/modules/po/modpython.de.po new file mode 100644 index 00000000..e2570175 --- /dev/null +++ b/modules/po/modpython.de.po @@ -0,0 +1,19 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: de\n" +"X-Crowdin-File: /master/modules/po/modpython.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: German\n" +"Language: de_DE\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: modpython.cpp:512 +msgid "Loads python scripts as ZNC modules" +msgstr "" + diff --git a/modules/po/modpython.pot b/modules/po/modpython.pot index 0566a13a..d6b547d0 100644 --- a/modules/po/modpython.pot +++ b/modules/po/modpython.pot @@ -2,6 +2,7 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" #: modpython.cpp:512 msgid "Loads python scripts as ZNC modules" diff --git a/modules/po/modpython.ru.po b/modules/po/modpython.ru.po new file mode 100644 index 00000000..115f9a7b --- /dev/null +++ b/modules/po/modpython.ru.po @@ -0,0 +1,19 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: ru\n" +"X-Crowdin-File: /master/modules/po/modpython.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Russian\n" +"Language: ru_RU\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: modpython.cpp:512 +msgid "Loads python scripts as ZNC modules" +msgstr "" + diff --git a/modules/po/modules_online.de.po b/modules/po/modules_online.de.po new file mode 100644 index 00000000..fcbacfa2 --- /dev/null +++ b/modules/po/modules_online.de.po @@ -0,0 +1,19 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: de\n" +"X-Crowdin-File: /master/modules/po/modules_online.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: German\n" +"Language: de_DE\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: modules_online.cpp:117 +msgid "Makes ZNC's *modules to be \"online\"." +msgstr "" + diff --git a/modules/po/modules_online.pot b/modules/po/modules_online.pot index b97b0cd1..29767b9c 100644 --- a/modules/po/modules_online.pot +++ b/modules/po/modules_online.pot @@ -2,6 +2,7 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" #: modules_online.cpp:117 msgid "Makes ZNC's *modules to be \"online\"." diff --git a/modules/po/modules_online.ru.po b/modules/po/modules_online.ru.po new file mode 100644 index 00000000..fbaa33f1 --- /dev/null +++ b/modules/po/modules_online.ru.po @@ -0,0 +1,19 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: ru\n" +"X-Crowdin-File: /master/modules/po/modules_online.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Russian\n" +"Language: ru_RU\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: modules_online.cpp:117 +msgid "Makes ZNC's *modules to be \"online\"." +msgstr "" + diff --git a/modules/po/nickserv.de.po b/modules/po/nickserv.de.po new file mode 100644 index 00000000..147d7b5f --- /dev/null +++ b/modules/po/nickserv.de.po @@ -0,0 +1,75 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: de\n" +"X-Crowdin-File: /master/modules/po/nickserv.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: German\n" +"Language: de_DE\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: nickserv.cpp:31 +msgid "Password set" +msgstr "" + +#: nickserv.cpp:38 +msgid "NickServ name set" +msgstr "" + +#: nickserv.cpp:54 +msgid "No such editable command. See ViewCommands for list." +msgstr "" + +#: nickserv.cpp:57 +msgid "Ok" +msgstr "" + +#: nickserv.cpp:62 +msgid "password" +msgstr "" + +#: nickserv.cpp:62 +msgid "Set your nickserv password" +msgstr "" + +#: nickserv.cpp:64 +msgid "Clear your nickserv password" +msgstr "" + +#: nickserv.cpp:66 +msgid "nickname" +msgstr "" + +#: nickserv.cpp:67 +msgid "Set NickServ name (Useful on networks like EpiKnet, where NickServ is named Themis" +msgstr "" + +#: nickserv.cpp:71 +msgid "Reset NickServ name to default (NickServ)" +msgstr "" + +#: nickserv.cpp:75 +msgid "Show patterns for lines, which are being sent to NickServ" +msgstr "" + +#: nickserv.cpp:77 +msgid "cmd new-pattern" +msgstr "" + +#: nickserv.cpp:78 +msgid "Set pattern for commands" +msgstr "" + +#: nickserv.cpp:140 +msgid "Please enter your nickserv password." +msgstr "" + +#: nickserv.cpp:144 +msgid "Auths you with NickServ (prefer SASL module instead)" +msgstr "" + diff --git a/modules/po/nickserv.pot b/modules/po/nickserv.pot index f54ad88a..3a84a98f 100644 --- a/modules/po/nickserv.pot +++ b/modules/po/nickserv.pot @@ -2,6 +2,7 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" #: nickserv.cpp:31 msgid "Password set" diff --git a/modules/po/nickserv.ru.po b/modules/po/nickserv.ru.po new file mode 100644 index 00000000..dde4f542 --- /dev/null +++ b/modules/po/nickserv.ru.po @@ -0,0 +1,75 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: ru\n" +"X-Crowdin-File: /master/modules/po/nickserv.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Russian\n" +"Language: ru_RU\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: nickserv.cpp:31 +msgid "Password set" +msgstr "" + +#: nickserv.cpp:38 +msgid "NickServ name set" +msgstr "" + +#: nickserv.cpp:54 +msgid "No such editable command. See ViewCommands for list." +msgstr "" + +#: nickserv.cpp:57 +msgid "Ok" +msgstr "" + +#: nickserv.cpp:62 +msgid "password" +msgstr "" + +#: nickserv.cpp:62 +msgid "Set your nickserv password" +msgstr "" + +#: nickserv.cpp:64 +msgid "Clear your nickserv password" +msgstr "" + +#: nickserv.cpp:66 +msgid "nickname" +msgstr "" + +#: nickserv.cpp:67 +msgid "Set NickServ name (Useful on networks like EpiKnet, where NickServ is named Themis" +msgstr "" + +#: nickserv.cpp:71 +msgid "Reset NickServ name to default (NickServ)" +msgstr "" + +#: nickserv.cpp:75 +msgid "Show patterns for lines, which are being sent to NickServ" +msgstr "" + +#: nickserv.cpp:77 +msgid "cmd new-pattern" +msgstr "" + +#: nickserv.cpp:78 +msgid "Set pattern for commands" +msgstr "" + +#: nickserv.cpp:140 +msgid "Please enter your nickserv password." +msgstr "" + +#: nickserv.cpp:144 +msgid "Auths you with NickServ (prefer SASL module instead)" +msgstr "" + diff --git a/modules/po/notes.de.po b/modules/po/notes.de.po new file mode 100644 index 00000000..563eb0a2 --- /dev/null +++ b/modules/po/notes.de.po @@ -0,0 +1,119 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: de\n" +"X-Crowdin-File: /master/modules/po/notes.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: German\n" +"Language: de_DE\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: modules/po/../data/notes/tmpl/index.tmpl:7 +msgid "Add A Note" +msgstr "" + +#: modules/po/../data/notes/tmpl/index.tmpl:11 +msgid "Key:" +msgstr "" + +#: modules/po/../data/notes/tmpl/index.tmpl:15 +msgid "Note:" +msgstr "" + +#: modules/po/../data/notes/tmpl/index.tmpl:19 +msgid "Add Note" +msgstr "" + +#: modules/po/../data/notes/tmpl/index.tmpl:27 +msgid "You have no notes to display." +msgstr "" + +#: modules/po/../data/notes/tmpl/index.tmpl:34 notes.cpp:164 notes.cpp:169 +msgid "Key" +msgstr "" + +#: modules/po/../data/notes/tmpl/index.tmpl:35 notes.cpp:165 notes.cpp:170 +msgid "Note" +msgstr "" + +#: modules/po/../data/notes/tmpl/index.tmpl:41 +msgid "[del]" +msgstr "" + +#: notes.cpp:32 +msgid "That note already exists. Use MOD to overwrite." +msgstr "" + +#: notes.cpp:35 notes.cpp:137 +msgid "Added note {1}" +msgstr "" + +#: notes.cpp:37 notes.cpp:48 notes.cpp:142 +msgid "Unable to add note {1}" +msgstr "" + +#: notes.cpp:46 notes.cpp:139 +msgid "Set note for {1}" +msgstr "" + +#: notes.cpp:56 +msgid "This note doesn't exist." +msgstr "" + +#: notes.cpp:66 notes.cpp:116 +msgid "Deleted note {1}" +msgstr "" + +#: notes.cpp:68 notes.cpp:118 +msgid "Unable to delete note {1}" +msgstr "" + +#: notes.cpp:75 +msgid "List notes" +msgstr "" + +#: notes.cpp:77 notes.cpp:81 +msgid " " +msgstr "" + +#: notes.cpp:77 +msgid "Add a note" +msgstr "" + +#: notes.cpp:79 notes.cpp:83 +msgid "" +msgstr "" + +#: notes.cpp:79 +msgid "Delete a note" +msgstr "" + +#: notes.cpp:81 +msgid "Modify a note" +msgstr "" + +#: notes.cpp:94 +msgid "Notes" +msgstr "" + +#: notes.cpp:133 +msgid "That note already exists. Use /#+ to overwrite." +msgstr "" + +#: notes.cpp:185 notes.cpp:187 +msgid "You have no entries." +msgstr "" + +#: notes.cpp:223 +msgid "This user module takes up to one arguments. It can be -disableNotesOnLogin not to show notes upon client login" +msgstr "" + +#: notes.cpp:227 +msgid "Keep and replay notes" +msgstr "" + diff --git a/modules/po/notes.pot b/modules/po/notes.pot index 1e8694de..35295ea4 100644 --- a/modules/po/notes.pot +++ b/modules/po/notes.pot @@ -2,6 +2,7 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" #: modules/po/../data/notes/tmpl/index.tmpl:7 msgid "Add A Note" diff --git a/modules/po/notes.ru.po b/modules/po/notes.ru.po new file mode 100644 index 00000000..293476f6 --- /dev/null +++ b/modules/po/notes.ru.po @@ -0,0 +1,119 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: ru\n" +"X-Crowdin-File: /master/modules/po/notes.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Russian\n" +"Language: ru_RU\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: modules/po/../data/notes/tmpl/index.tmpl:7 +msgid "Add A Note" +msgstr "" + +#: modules/po/../data/notes/tmpl/index.tmpl:11 +msgid "Key:" +msgstr "" + +#: modules/po/../data/notes/tmpl/index.tmpl:15 +msgid "Note:" +msgstr "" + +#: modules/po/../data/notes/tmpl/index.tmpl:19 +msgid "Add Note" +msgstr "" + +#: modules/po/../data/notes/tmpl/index.tmpl:27 +msgid "You have no notes to display." +msgstr "" + +#: modules/po/../data/notes/tmpl/index.tmpl:34 notes.cpp:164 notes.cpp:169 +msgid "Key" +msgstr "" + +#: modules/po/../data/notes/tmpl/index.tmpl:35 notes.cpp:165 notes.cpp:170 +msgid "Note" +msgstr "" + +#: modules/po/../data/notes/tmpl/index.tmpl:41 +msgid "[del]" +msgstr "" + +#: notes.cpp:32 +msgid "That note already exists. Use MOD to overwrite." +msgstr "" + +#: notes.cpp:35 notes.cpp:137 +msgid "Added note {1}" +msgstr "" + +#: notes.cpp:37 notes.cpp:48 notes.cpp:142 +msgid "Unable to add note {1}" +msgstr "" + +#: notes.cpp:46 notes.cpp:139 +msgid "Set note for {1}" +msgstr "" + +#: notes.cpp:56 +msgid "This note doesn't exist." +msgstr "" + +#: notes.cpp:66 notes.cpp:116 +msgid "Deleted note {1}" +msgstr "" + +#: notes.cpp:68 notes.cpp:118 +msgid "Unable to delete note {1}" +msgstr "" + +#: notes.cpp:75 +msgid "List notes" +msgstr "" + +#: notes.cpp:77 notes.cpp:81 +msgid " " +msgstr "" + +#: notes.cpp:77 +msgid "Add a note" +msgstr "" + +#: notes.cpp:79 notes.cpp:83 +msgid "" +msgstr "" + +#: notes.cpp:79 +msgid "Delete a note" +msgstr "" + +#: notes.cpp:81 +msgid "Modify a note" +msgstr "" + +#: notes.cpp:94 +msgid "Notes" +msgstr "" + +#: notes.cpp:133 +msgid "That note already exists. Use /#+ to overwrite." +msgstr "" + +#: notes.cpp:185 notes.cpp:187 +msgid "You have no entries." +msgstr "" + +#: notes.cpp:223 +msgid "This user module takes up to one arguments. It can be -disableNotesOnLogin not to show notes upon client login" +msgstr "" + +#: notes.cpp:227 +msgid "Keep and replay notes" +msgstr "" + diff --git a/modules/po/notify_connect.de.po b/modules/po/notify_connect.de.po new file mode 100644 index 00000000..6a1e2063 --- /dev/null +++ b/modules/po/notify_connect.de.po @@ -0,0 +1,31 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: de\n" +"X-Crowdin-File: /master/modules/po/notify_connect.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: German\n" +"Language: de_DE\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: notify_connect.cpp:24 +msgid "attached" +msgstr "" + +#: notify_connect.cpp:26 +msgid "detached" +msgstr "" + +#: notify_connect.cpp:41 +msgid "{1} {2} from {3}" +msgstr "" + +#: notify_connect.cpp:52 +msgid "Notifies all admin users when a client connects or disconnects." +msgstr "" + diff --git a/modules/po/notify_connect.pot b/modules/po/notify_connect.pot index 767cce40..4ac03684 100644 --- a/modules/po/notify_connect.pot +++ b/modules/po/notify_connect.pot @@ -2,6 +2,7 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" #: notify_connect.cpp:24 msgid "attached" diff --git a/modules/po/notify_connect.ru.po b/modules/po/notify_connect.ru.po new file mode 100644 index 00000000..c256c23c --- /dev/null +++ b/modules/po/notify_connect.ru.po @@ -0,0 +1,31 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: ru\n" +"X-Crowdin-File: /master/modules/po/notify_connect.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Russian\n" +"Language: ru_RU\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: notify_connect.cpp:24 +msgid "attached" +msgstr "" + +#: notify_connect.cpp:26 +msgid "detached" +msgstr "" + +#: notify_connect.cpp:41 +msgid "{1} {2} from {3}" +msgstr "" + +#: notify_connect.cpp:52 +msgid "Notifies all admin users when a client connects or disconnects." +msgstr "" + diff --git a/modules/po/partyline.de.po b/modules/po/partyline.de.po new file mode 100644 index 00000000..ff66e168 --- /dev/null +++ b/modules/po/partyline.de.po @@ -0,0 +1,39 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: de\n" +"X-Crowdin-File: /master/modules/po/partyline.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: German\n" +"Language: de_DE\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: partyline.cpp:60 +msgid "There are no open channels." +msgstr "" + +#: partyline.cpp:66 partyline.cpp:73 +msgid "Channel" +msgstr "" + +#: partyline.cpp:67 partyline.cpp:74 +msgid "Users" +msgstr "" + +#: partyline.cpp:82 +msgid "List all open channels" +msgstr "" + +#: partyline.cpp:735 +msgid "You may enter a list of channels the user joins, when entering the internal partyline." +msgstr "" + +#: partyline.cpp:741 +msgid "Internal channels and queries for users connected to ZNC" +msgstr "" + diff --git a/modules/po/partyline.pot b/modules/po/partyline.pot index f1062d20..39857205 100644 --- a/modules/po/partyline.pot +++ b/modules/po/partyline.pot @@ -2,6 +2,7 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" #: partyline.cpp:60 msgid "There are no open channels." diff --git a/modules/po/partyline.ru.po b/modules/po/partyline.ru.po new file mode 100644 index 00000000..7e777ffc --- /dev/null +++ b/modules/po/partyline.ru.po @@ -0,0 +1,39 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: ru\n" +"X-Crowdin-File: /master/modules/po/partyline.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Russian\n" +"Language: ru_RU\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: partyline.cpp:60 +msgid "There are no open channels." +msgstr "" + +#: partyline.cpp:66 partyline.cpp:73 +msgid "Channel" +msgstr "" + +#: partyline.cpp:67 partyline.cpp:74 +msgid "Users" +msgstr "" + +#: partyline.cpp:82 +msgid "List all open channels" +msgstr "" + +#: partyline.cpp:735 +msgid "You may enter a list of channels the user joins, when entering the internal partyline." +msgstr "" + +#: partyline.cpp:741 +msgid "Internal channels and queries for users connected to ZNC" +msgstr "" + diff --git a/modules/po/perform.de.po b/modules/po/perform.de.po new file mode 100644 index 00000000..04b62a07 --- /dev/null +++ b/modules/po/perform.de.po @@ -0,0 +1,110 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: de\n" +"X-Crowdin-File: /master/modules/po/perform.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: German\n" +"Language: de_DE\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: modules/po/../data/perform/tmpl/index.tmpl:7 perform.cpp:143 +msgid "Perform" +msgstr "" + +#: modules/po/../data/perform/tmpl/index.tmpl:11 +msgid "Perform commands:" +msgstr "" + +#: modules/po/../data/perform/tmpl/index.tmpl:15 +msgid "Commands sent to the IRC server on connect, one per line." +msgstr "" + +#: modules/po/../data/perform/tmpl/index.tmpl:18 +msgid "Save" +msgstr "" + +#: perform.cpp:24 +msgid "Usage: add " +msgstr "" + +#: perform.cpp:29 +msgid "Added!" +msgstr "" + +#: perform.cpp:37 perform.cpp:82 +msgid "Illegal # Requested" +msgstr "" + +#: perform.cpp:41 +msgid "Command Erased." +msgstr "" + +#: perform.cpp:50 perform.cpp:56 +msgctxt "list" +msgid "Id" +msgstr "" + +#: perform.cpp:51 perform.cpp:57 +msgctxt "list" +msgid "Perform" +msgstr "" + +#: perform.cpp:52 perform.cpp:62 +msgctxt "list" +msgid "Expanded" +msgstr "" + +#: perform.cpp:67 +msgid "No commands in your perform list." +msgstr "" + +#: perform.cpp:73 +msgid "perform commands sent" +msgstr "" + +#: perform.cpp:86 +msgid "Commands Swapped." +msgstr "" + +#: perform.cpp:95 +msgid "" +msgstr "" + +#: perform.cpp:96 +msgid "Adds perform command to be sent to the server on connect" +msgstr "" + +#: perform.cpp:98 +msgid "" +msgstr "" + +#: perform.cpp:98 +msgid "Delete a perform command" +msgstr "" + +#: perform.cpp:100 +msgid "List the perform commands" +msgstr "" + +#: perform.cpp:103 +msgid "Send the perform commands to the server now" +msgstr "" + +#: perform.cpp:105 +msgid " " +msgstr "" + +#: perform.cpp:106 +msgid "Swap two perform commands" +msgstr "" + +#: perform.cpp:192 +msgid "Keeps a list of commands to be executed when ZNC connects to IRC." +msgstr "" + diff --git a/modules/po/perform.pot b/modules/po/perform.pot index 5be8367e..a2689c21 100644 --- a/modules/po/perform.pot +++ b/modules/po/perform.pot @@ -2,6 +2,7 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" #: modules/po/../data/perform/tmpl/index.tmpl:7 perform.cpp:143 msgid "Perform" diff --git a/modules/po/perform.ru.po b/modules/po/perform.ru.po new file mode 100644 index 00000000..28d99472 --- /dev/null +++ b/modules/po/perform.ru.po @@ -0,0 +1,110 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: ru\n" +"X-Crowdin-File: /master/modules/po/perform.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Russian\n" +"Language: ru_RU\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: modules/po/../data/perform/tmpl/index.tmpl:7 perform.cpp:143 +msgid "Perform" +msgstr "" + +#: modules/po/../data/perform/tmpl/index.tmpl:11 +msgid "Perform commands:" +msgstr "" + +#: modules/po/../data/perform/tmpl/index.tmpl:15 +msgid "Commands sent to the IRC server on connect, one per line." +msgstr "" + +#: modules/po/../data/perform/tmpl/index.tmpl:18 +msgid "Save" +msgstr "" + +#: perform.cpp:24 +msgid "Usage: add " +msgstr "" + +#: perform.cpp:29 +msgid "Added!" +msgstr "" + +#: perform.cpp:37 perform.cpp:82 +msgid "Illegal # Requested" +msgstr "" + +#: perform.cpp:41 +msgid "Command Erased." +msgstr "" + +#: perform.cpp:50 perform.cpp:56 +msgctxt "list" +msgid "Id" +msgstr "" + +#: perform.cpp:51 perform.cpp:57 +msgctxt "list" +msgid "Perform" +msgstr "" + +#: perform.cpp:52 perform.cpp:62 +msgctxt "list" +msgid "Expanded" +msgstr "" + +#: perform.cpp:67 +msgid "No commands in your perform list." +msgstr "" + +#: perform.cpp:73 +msgid "perform commands sent" +msgstr "" + +#: perform.cpp:86 +msgid "Commands Swapped." +msgstr "" + +#: perform.cpp:95 +msgid "" +msgstr "" + +#: perform.cpp:96 +msgid "Adds perform command to be sent to the server on connect" +msgstr "" + +#: perform.cpp:98 +msgid "" +msgstr "" + +#: perform.cpp:98 +msgid "Delete a perform command" +msgstr "" + +#: perform.cpp:100 +msgid "List the perform commands" +msgstr "" + +#: perform.cpp:103 +msgid "Send the perform commands to the server now" +msgstr "" + +#: perform.cpp:105 +msgid " " +msgstr "" + +#: perform.cpp:106 +msgid "Swap two perform commands" +msgstr "" + +#: perform.cpp:192 +msgid "Keeps a list of commands to be executed when ZNC connects to IRC." +msgstr "" + diff --git a/modules/po/perleval.de.po b/modules/po/perleval.de.po new file mode 100644 index 00000000..5f9e7b43 --- /dev/null +++ b/modules/po/perleval.de.po @@ -0,0 +1,33 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: de\n" +"X-Crowdin-File: /master/modules/po/perleval.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: German\n" +"Language: de_DE\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: perleval.pm:23 +msgid "Evaluates perl code" +msgstr "Führt Perl-Code aus" + +#: perleval.pm:33 +msgid "Only admin can load this module" +msgstr "Nur Administratoren können dieses Modul verwenden" + +#: perleval.pm:44 +#, perl-format +msgid "Error: %s" +msgstr "Fehler: %s" + +#: perleval.pm:46 +#, perl-format +msgid "Result: %s" +msgstr "Ergebnis: %s" + diff --git a/modules/po/perleval.pot b/modules/po/perleval.pot index f20a4626..8e8a7785 100644 --- a/modules/po/perleval.pot +++ b/modules/po/perleval.pot @@ -2,6 +2,7 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" #: perleval.pm:23 msgid "Evaluates perl code" diff --git a/modules/po/perleval.ru.po b/modules/po/perleval.ru.po new file mode 100644 index 00000000..b9fba71d --- /dev/null +++ b/modules/po/perleval.ru.po @@ -0,0 +1,33 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: ru\n" +"X-Crowdin-File: /master/modules/po/perleval.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Russian\n" +"Language: ru_RU\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: perleval.pm:23 +msgid "Evaluates perl code" +msgstr "" + +#: perleval.pm:33 +msgid "Only admin can load this module" +msgstr "" + +#: perleval.pm:44 +#, perl-format +msgid "Error: %s" +msgstr "" + +#: perleval.pm:46 +#, perl-format +msgid "Result: %s" +msgstr "" + diff --git a/modules/po/pyeval.de.po b/modules/po/pyeval.de.po new file mode 100644 index 00000000..feccd7dd --- /dev/null +++ b/modules/po/pyeval.de.po @@ -0,0 +1,23 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: de\n" +"X-Crowdin-File: /master/modules/po/pyeval.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: German\n" +"Language: de_DE\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: pyeval.py:49 +msgid "You must have admin privileges to load this module." +msgstr "Du benötigst Administratorrechte um dieses Modul zu laden." + +#: pyeval.py:82 +msgid "Evaluates python code" +msgstr "Führt Python-Code aus" + diff --git a/modules/po/pyeval.pot b/modules/po/pyeval.pot index e57bd195..10903248 100644 --- a/modules/po/pyeval.pot +++ b/modules/po/pyeval.pot @@ -2,6 +2,7 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" #: pyeval.py:49 msgid "You must have admin privileges to load this module." diff --git a/modules/po/pyeval.ru.po b/modules/po/pyeval.ru.po new file mode 100644 index 00000000..f2ceaf7c --- /dev/null +++ b/modules/po/pyeval.ru.po @@ -0,0 +1,23 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: ru\n" +"X-Crowdin-File: /master/modules/po/pyeval.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Russian\n" +"Language: ru_RU\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: pyeval.py:49 +msgid "You must have admin privileges to load this module." +msgstr "" + +#: pyeval.py:82 +msgid "Evaluates python code" +msgstr "" + diff --git a/modules/po/q.de.po b/modules/po/q.de.po new file mode 100644 index 00000000..d7e29acf --- /dev/null +++ b/modules/po/q.de.po @@ -0,0 +1,289 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: de\n" +"X-Crowdin-File: /master/modules/po/q.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: German\n" +"Language: de_DE\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: modules/po/../data/q/tmpl/index.tmpl:11 +msgid "Username:" +msgstr "" + +#: modules/po/../data/q/tmpl/index.tmpl:13 +msgid "Please enter a username." +msgstr "" + +#: modules/po/../data/q/tmpl/index.tmpl:16 +msgid "Password:" +msgstr "" + +#: modules/po/../data/q/tmpl/index.tmpl:18 +msgid "Please enter a password." +msgstr "" + +#: modules/po/../data/q/tmpl/index.tmpl:26 +msgid "Options" +msgstr "" + +#: modules/po/../data/q/tmpl/index.tmpl:42 +msgid "Save" +msgstr "" + +#: q.cpp:74 +msgid "Notice: Your host will be cloaked the next time you reconnect to IRC. If you want to cloak your host now, /msg *q Cloak. You can set your preference with /msg *q Set UseCloakedHost true/false." +msgstr "" + +#: q.cpp:111 +msgid "The following commands are available:" +msgstr "" + +#: q.cpp:113 q.cpp:116 q.cpp:121 q.cpp:126 q.cpp:130 q.cpp:135 q.cpp:140 +msgid "Command" +msgstr "" + +#: q.cpp:114 q.cpp:117 q.cpp:123 q.cpp:127 q.cpp:132 q.cpp:136 q.cpp:141 +#: q.cpp:150 q.cpp:154 q.cpp:158 q.cpp:162 q.cpp:168 q.cpp:174 q.cpp:180 +#: q.cpp:186 +msgid "Description" +msgstr "" + +#: q.cpp:116 +msgid "Auth [ ]" +msgstr "" + +#: q.cpp:118 +msgid "Tries to authenticate you with Q. Both parameters are optional." +msgstr "" + +#: q.cpp:124 +msgid "Tries to set usermode +x to hide your real hostname." +msgstr "" + +#: q.cpp:128 +msgid "Prints the current status of the module." +msgstr "" + +#: q.cpp:133 +msgid "Re-requests the current user information from Q." +msgstr "" + +#: q.cpp:135 +msgid "Set " +msgstr "" + +#: q.cpp:137 +msgid "Changes the value of the given setting. See the list of settings below." +msgstr "" + +#: q.cpp:142 +msgid "Prints out the current configuration. See the list of settings below." +msgstr "" + +#: q.cpp:146 +msgid "The following settings are available:" +msgstr "" + +#: q.cpp:148 q.cpp:152 q.cpp:156 q.cpp:160 q.cpp:166 q.cpp:172 q.cpp:178 +#: q.cpp:183 q.cpp:227 q.cpp:230 q.cpp:233 q.cpp:236 q.cpp:239 q.cpp:242 +#: q.cpp:245 q.cpp:248 +msgid "Setting" +msgstr "" + +#: q.cpp:149 q.cpp:153 q.cpp:157 q.cpp:161 q.cpp:167 q.cpp:173 q.cpp:179 +#: q.cpp:184 +msgid "Type" +msgstr "" + +#: q.cpp:153 q.cpp:157 +msgid "String" +msgstr "" + +#: q.cpp:154 +msgid "Your Q username." +msgstr "" + +#: q.cpp:158 +msgid "Your Q password." +msgstr "" + +#: q.cpp:161 q.cpp:167 q.cpp:173 q.cpp:179 q.cpp:184 +msgid "Boolean" +msgstr "" + +#: q.cpp:163 q.cpp:373 +msgid "Whether to cloak your hostname (+x) automatically on connect." +msgstr "" + +#: q.cpp:169 q.cpp:381 +msgid "Whether to use the CHALLENGEAUTH mechanism to avoid sending passwords in cleartext." +msgstr "" + +#: q.cpp:175 q.cpp:389 +msgid "Whether to request voice/op from Q on join/devoice/deop." +msgstr "" + +#: q.cpp:181 q.cpp:395 +msgid "Whether to join channels when Q invites you." +msgstr "" + +#: q.cpp:187 q.cpp:402 +msgid "Whether to delay joining channels until after you are cloaked." +msgstr "" + +#: q.cpp:192 +msgid "This module takes 2 optional parameters: " +msgstr "" + +#: q.cpp:194 +msgid "Module settings are stored between restarts." +msgstr "" + +#: q.cpp:200 +msgid "Syntax: Set " +msgstr "" + +#: q.cpp:203 +msgid "Username set" +msgstr "" + +#: q.cpp:206 +msgid "Password set" +msgstr "" + +#: q.cpp:209 +msgid "UseCloakedHost set" +msgstr "" + +#: q.cpp:212 +msgid "UseChallenge set" +msgstr "" + +#: q.cpp:215 +msgid "RequestPerms set" +msgstr "" + +#: q.cpp:218 +msgid "JoinOnInvite set" +msgstr "" + +#: q.cpp:221 +msgid "JoinAfterCloaked set" +msgstr "" + +#: q.cpp:223 +msgid "Unknown setting: {1}" +msgstr "" + +#: q.cpp:228 q.cpp:231 q.cpp:234 q.cpp:237 q.cpp:240 q.cpp:243 q.cpp:246 +#: q.cpp:249 +msgid "Value" +msgstr "" + +#: q.cpp:253 +msgid "Connected: yes" +msgstr "" + +#: q.cpp:254 +msgid "Connected: no" +msgstr "" + +#: q.cpp:255 +msgid "Cloacked: yes" +msgstr "" + +#: q.cpp:255 +msgid "Cloacked: no" +msgstr "" + +#: q.cpp:256 +msgid "Authenticated: yes" +msgstr "" + +#: q.cpp:257 +msgid "Authenticated: no" +msgstr "" + +#: q.cpp:262 +msgid "Error: You are not connected to IRC." +msgstr "" + +#: q.cpp:270 +msgid "Error: You are already cloaked!" +msgstr "" + +#: q.cpp:276 +msgid "Error: You are already authed!" +msgstr "" + +#: q.cpp:280 +msgid "Update requested." +msgstr "" + +#: q.cpp:283 +msgid "Unknown command. Try 'help'." +msgstr "" + +#: q.cpp:293 +msgid "Cloak successful: Your hostname is now cloaked." +msgstr "" + +#: q.cpp:408 +msgid "Changes have been saved!" +msgstr "" + +#: q.cpp:435 +msgid "Cloak: Trying to cloak your hostname, setting +x..." +msgstr "" + +#: q.cpp:452 +msgid "You have to set a username and password to use this module! See 'help' for details." +msgstr "" + +#: q.cpp:458 +msgid "Auth: Requesting CHALLENGE..." +msgstr "" + +#: q.cpp:462 +msgid "Auth: Sending AUTH request..." +msgstr "" + +#: q.cpp:479 +msgid "Auth: Received challenge, sending CHALLENGEAUTH request..." +msgstr "" + +#: q.cpp:521 +msgid "Authentication failed: {1}" +msgstr "" + +#: q.cpp:525 +msgid "Authentication successful: {1}" +msgstr "" + +#: q.cpp:539 +msgid "Auth failed: Q does not support HMAC-SHA-256 for CHALLENGEAUTH, falling back to standard AUTH." +msgstr "" + +#: q.cpp:566 +msgid "RequestPerms: Requesting op on {1}" +msgstr "" + +#: q.cpp:579 +msgid "RequestPerms: Requesting voice on {1}" +msgstr "" + +#: q.cpp:686 +msgid "Please provide your username and password for Q." +msgstr "" + +#: q.cpp:689 +msgid "Auths you with QuakeNet's Q bot." +msgstr "" + diff --git a/modules/po/q.pot b/modules/po/q.pot index c419b7c6..fd9ee1cc 100644 --- a/modules/po/q.pot +++ b/modules/po/q.pot @@ -2,6 +2,7 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" #: modules/po/../data/q/tmpl/index.tmpl:11 msgid "Username:" diff --git a/modules/po/q.ru.po b/modules/po/q.ru.po new file mode 100644 index 00000000..c69c4623 --- /dev/null +++ b/modules/po/q.ru.po @@ -0,0 +1,289 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: ru\n" +"X-Crowdin-File: /master/modules/po/q.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Russian\n" +"Language: ru_RU\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: modules/po/../data/q/tmpl/index.tmpl:11 +msgid "Username:" +msgstr "" + +#: modules/po/../data/q/tmpl/index.tmpl:13 +msgid "Please enter a username." +msgstr "" + +#: modules/po/../data/q/tmpl/index.tmpl:16 +msgid "Password:" +msgstr "" + +#: modules/po/../data/q/tmpl/index.tmpl:18 +msgid "Please enter a password." +msgstr "" + +#: modules/po/../data/q/tmpl/index.tmpl:26 +msgid "Options" +msgstr "" + +#: modules/po/../data/q/tmpl/index.tmpl:42 +msgid "Save" +msgstr "" + +#: q.cpp:74 +msgid "Notice: Your host will be cloaked the next time you reconnect to IRC. If you want to cloak your host now, /msg *q Cloak. You can set your preference with /msg *q Set UseCloakedHost true/false." +msgstr "" + +#: q.cpp:111 +msgid "The following commands are available:" +msgstr "" + +#: q.cpp:113 q.cpp:116 q.cpp:121 q.cpp:126 q.cpp:130 q.cpp:135 q.cpp:140 +msgid "Command" +msgstr "" + +#: q.cpp:114 q.cpp:117 q.cpp:123 q.cpp:127 q.cpp:132 q.cpp:136 q.cpp:141 +#: q.cpp:150 q.cpp:154 q.cpp:158 q.cpp:162 q.cpp:168 q.cpp:174 q.cpp:180 +#: q.cpp:186 +msgid "Description" +msgstr "" + +#: q.cpp:116 +msgid "Auth [ ]" +msgstr "" + +#: q.cpp:118 +msgid "Tries to authenticate you with Q. Both parameters are optional." +msgstr "" + +#: q.cpp:124 +msgid "Tries to set usermode +x to hide your real hostname." +msgstr "" + +#: q.cpp:128 +msgid "Prints the current status of the module." +msgstr "" + +#: q.cpp:133 +msgid "Re-requests the current user information from Q." +msgstr "" + +#: q.cpp:135 +msgid "Set " +msgstr "" + +#: q.cpp:137 +msgid "Changes the value of the given setting. See the list of settings below." +msgstr "" + +#: q.cpp:142 +msgid "Prints out the current configuration. See the list of settings below." +msgstr "" + +#: q.cpp:146 +msgid "The following settings are available:" +msgstr "" + +#: q.cpp:148 q.cpp:152 q.cpp:156 q.cpp:160 q.cpp:166 q.cpp:172 q.cpp:178 +#: q.cpp:183 q.cpp:227 q.cpp:230 q.cpp:233 q.cpp:236 q.cpp:239 q.cpp:242 +#: q.cpp:245 q.cpp:248 +msgid "Setting" +msgstr "" + +#: q.cpp:149 q.cpp:153 q.cpp:157 q.cpp:161 q.cpp:167 q.cpp:173 q.cpp:179 +#: q.cpp:184 +msgid "Type" +msgstr "" + +#: q.cpp:153 q.cpp:157 +msgid "String" +msgstr "" + +#: q.cpp:154 +msgid "Your Q username." +msgstr "" + +#: q.cpp:158 +msgid "Your Q password." +msgstr "" + +#: q.cpp:161 q.cpp:167 q.cpp:173 q.cpp:179 q.cpp:184 +msgid "Boolean" +msgstr "" + +#: q.cpp:163 q.cpp:373 +msgid "Whether to cloak your hostname (+x) automatically on connect." +msgstr "" + +#: q.cpp:169 q.cpp:381 +msgid "Whether to use the CHALLENGEAUTH mechanism to avoid sending passwords in cleartext." +msgstr "" + +#: q.cpp:175 q.cpp:389 +msgid "Whether to request voice/op from Q on join/devoice/deop." +msgstr "" + +#: q.cpp:181 q.cpp:395 +msgid "Whether to join channels when Q invites you." +msgstr "" + +#: q.cpp:187 q.cpp:402 +msgid "Whether to delay joining channels until after you are cloaked." +msgstr "" + +#: q.cpp:192 +msgid "This module takes 2 optional parameters: " +msgstr "" + +#: q.cpp:194 +msgid "Module settings are stored between restarts." +msgstr "" + +#: q.cpp:200 +msgid "Syntax: Set " +msgstr "" + +#: q.cpp:203 +msgid "Username set" +msgstr "" + +#: q.cpp:206 +msgid "Password set" +msgstr "" + +#: q.cpp:209 +msgid "UseCloakedHost set" +msgstr "" + +#: q.cpp:212 +msgid "UseChallenge set" +msgstr "" + +#: q.cpp:215 +msgid "RequestPerms set" +msgstr "" + +#: q.cpp:218 +msgid "JoinOnInvite set" +msgstr "" + +#: q.cpp:221 +msgid "JoinAfterCloaked set" +msgstr "" + +#: q.cpp:223 +msgid "Unknown setting: {1}" +msgstr "" + +#: q.cpp:228 q.cpp:231 q.cpp:234 q.cpp:237 q.cpp:240 q.cpp:243 q.cpp:246 +#: q.cpp:249 +msgid "Value" +msgstr "" + +#: q.cpp:253 +msgid "Connected: yes" +msgstr "" + +#: q.cpp:254 +msgid "Connected: no" +msgstr "" + +#: q.cpp:255 +msgid "Cloacked: yes" +msgstr "" + +#: q.cpp:255 +msgid "Cloacked: no" +msgstr "" + +#: q.cpp:256 +msgid "Authenticated: yes" +msgstr "" + +#: q.cpp:257 +msgid "Authenticated: no" +msgstr "" + +#: q.cpp:262 +msgid "Error: You are not connected to IRC." +msgstr "" + +#: q.cpp:270 +msgid "Error: You are already cloaked!" +msgstr "" + +#: q.cpp:276 +msgid "Error: You are already authed!" +msgstr "" + +#: q.cpp:280 +msgid "Update requested." +msgstr "" + +#: q.cpp:283 +msgid "Unknown command. Try 'help'." +msgstr "" + +#: q.cpp:293 +msgid "Cloak successful: Your hostname is now cloaked." +msgstr "" + +#: q.cpp:408 +msgid "Changes have been saved!" +msgstr "" + +#: q.cpp:435 +msgid "Cloak: Trying to cloak your hostname, setting +x..." +msgstr "" + +#: q.cpp:452 +msgid "You have to set a username and password to use this module! See 'help' for details." +msgstr "" + +#: q.cpp:458 +msgid "Auth: Requesting CHALLENGE..." +msgstr "" + +#: q.cpp:462 +msgid "Auth: Sending AUTH request..." +msgstr "" + +#: q.cpp:479 +msgid "Auth: Received challenge, sending CHALLENGEAUTH request..." +msgstr "" + +#: q.cpp:521 +msgid "Authentication failed: {1}" +msgstr "" + +#: q.cpp:525 +msgid "Authentication successful: {1}" +msgstr "" + +#: q.cpp:539 +msgid "Auth failed: Q does not support HMAC-SHA-256 for CHALLENGEAUTH, falling back to standard AUTH." +msgstr "" + +#: q.cpp:566 +msgid "RequestPerms: Requesting op on {1}" +msgstr "" + +#: q.cpp:579 +msgid "RequestPerms: Requesting voice on {1}" +msgstr "" + +#: q.cpp:686 +msgid "Please provide your username and password for Q." +msgstr "" + +#: q.cpp:689 +msgid "Auths you with QuakeNet's Q bot." +msgstr "" + diff --git a/modules/po/raw.de.po b/modules/po/raw.de.po new file mode 100644 index 00000000..88faa8be --- /dev/null +++ b/modules/po/raw.de.po @@ -0,0 +1,19 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: de\n" +"X-Crowdin-File: /master/modules/po/raw.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: German\n" +"Language: de_DE\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: raw.cpp:43 +msgid "View all of the raw traffic" +msgstr "Zeigt den gesamten Roh-Verkehr an" + diff --git a/modules/po/raw.pot b/modules/po/raw.pot index 9e521bf5..0f4f73a6 100644 --- a/modules/po/raw.pot +++ b/modules/po/raw.pot @@ -2,6 +2,7 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" #: raw.cpp:43 msgid "View all of the raw traffic" diff --git a/modules/po/raw.ru.po b/modules/po/raw.ru.po new file mode 100644 index 00000000..76e963fa --- /dev/null +++ b/modules/po/raw.ru.po @@ -0,0 +1,19 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: ru\n" +"X-Crowdin-File: /master/modules/po/raw.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Russian\n" +"Language: ru_RU\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: raw.cpp:43 +msgid "View all of the raw traffic" +msgstr "" + diff --git a/modules/po/route_replies.de.po b/modules/po/route_replies.de.po new file mode 100644 index 00000000..7515be56 --- /dev/null +++ b/modules/po/route_replies.de.po @@ -0,0 +1,59 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: de\n" +"X-Crowdin-File: /master/modules/po/route_replies.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: German\n" +"Language: de_DE\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: route_replies.cpp:209 +msgid "[yes|no]" +msgstr "" + +#: route_replies.cpp:210 +msgid "Decides whether to show the timeout messages or not" +msgstr "" + +#: route_replies.cpp:350 +msgid "This module hit a timeout which is probably a connectivity issue." +msgstr "" + +#: route_replies.cpp:353 +msgid "However, if you can provide steps to reproduce this issue, please do report a bug." +msgstr "" + +#: route_replies.cpp:356 +msgid "To disable this message, do \"/msg {1} silent yes\"" +msgstr "" + +#: route_replies.cpp:358 +msgid "Last request: {1}" +msgstr "" + +#: route_replies.cpp:359 +msgid "Expected replies:" +msgstr "" + +#: route_replies.cpp:363 +msgid "{1} (last)" +msgstr "" + +#: route_replies.cpp:435 +msgid "Timeout messages are disabled." +msgstr "" + +#: route_replies.cpp:436 +msgid "Timeout messages are enabled." +msgstr "" + +#: route_replies.cpp:457 +msgid "Send replies (e.g. to /who) to the right client only" +msgstr "" + diff --git a/modules/po/route_replies.pot b/modules/po/route_replies.pot index e15a0615..80e293b6 100644 --- a/modules/po/route_replies.pot +++ b/modules/po/route_replies.pot @@ -2,6 +2,7 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" #: route_replies.cpp:209 msgid "[yes|no]" diff --git a/modules/po/route_replies.ru.po b/modules/po/route_replies.ru.po new file mode 100644 index 00000000..c8359a8a --- /dev/null +++ b/modules/po/route_replies.ru.po @@ -0,0 +1,59 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: ru\n" +"X-Crowdin-File: /master/modules/po/route_replies.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Russian\n" +"Language: ru_RU\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: route_replies.cpp:209 +msgid "[yes|no]" +msgstr "" + +#: route_replies.cpp:210 +msgid "Decides whether to show the timeout messages or not" +msgstr "" + +#: route_replies.cpp:350 +msgid "This module hit a timeout which is probably a connectivity issue." +msgstr "" + +#: route_replies.cpp:353 +msgid "However, if you can provide steps to reproduce this issue, please do report a bug." +msgstr "" + +#: route_replies.cpp:356 +msgid "To disable this message, do \"/msg {1} silent yes\"" +msgstr "" + +#: route_replies.cpp:358 +msgid "Last request: {1}" +msgstr "" + +#: route_replies.cpp:359 +msgid "Expected replies:" +msgstr "" + +#: route_replies.cpp:363 +msgid "{1} (last)" +msgstr "" + +#: route_replies.cpp:435 +msgid "Timeout messages are disabled." +msgstr "" + +#: route_replies.cpp:436 +msgid "Timeout messages are enabled." +msgstr "" + +#: route_replies.cpp:457 +msgid "Send replies (e.g. to /who) to the right client only" +msgstr "" + diff --git a/modules/po/sample.de.po b/modules/po/sample.de.po new file mode 100644 index 00000000..d429d891 --- /dev/null +++ b/modules/po/sample.de.po @@ -0,0 +1,121 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: de\n" +"X-Crowdin-File: /master/modules/po/sample.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: German\n" +"Language: de_DE\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: sample.cpp:31 +msgid "Sample job cancelled" +msgstr "Beispielauftrag abgebrochen" + +#: sample.cpp:33 +msgid "Sample job destroyed" +msgstr "Beispielauftrag zerstört" + +#: sample.cpp:50 +msgid "Sample job done" +msgstr "Beispielauftrag erledigt" + +#: sample.cpp:65 +msgid "TEST!!!!" +msgstr "TEST!!!!" + +#: sample.cpp:74 +msgid "I'm being loaded with the arguments: {1}" +msgstr "Ich werde mit diesen Argumenten geladen: {1}" + +#: sample.cpp:85 +msgid "I'm being unloaded!" +msgstr "Ich bin entladen!" + +#: sample.cpp:94 +msgid "You got connected BoyOh." +msgstr "" + +#: sample.cpp:98 +msgid "You got disconnected BoyOh." +msgstr "" + +#: sample.cpp:116 +msgid "{1} {2} set mode on {3} {4}{5} {6}" +msgstr "" + +#: sample.cpp:123 +msgid "{1} {2} opped {3} on {4}" +msgstr "" + +#: sample.cpp:129 +msgid "{1} {2} deopped {3} on {4}" +msgstr "" + +#: sample.cpp:135 +msgid "{1} {2} voiced {3} on {4}" +msgstr "" + +#: sample.cpp:141 +msgid "{1} {2} devoiced {3} on {4}" +msgstr "" + +#: sample.cpp:147 +msgid "* {1} sets mode: {2} {3} on {4}" +msgstr "" + +#: sample.cpp:163 +msgid "{1} kicked {2} from {3} with the msg {4}" +msgstr "" + +#: sample.cpp:169 +msgid "* {1} ({2}@{3}) quits ({4}) from channel: {6}" +msgid_plural "* {1} ({2}@{3}) quits ({4}) from {5} channels: {6}" +msgstr[0] "" +msgstr[1] "" + +#: sample.cpp:177 +msgid "Attempting to join {1}" +msgstr "" + +#: sample.cpp:182 +msgid "* {1} ({2}@{3}) joins {4}" +msgstr "" + +#: sample.cpp:189 +msgid "* {1} ({2}@{3}) parts {4}" +msgstr "" + +#: sample.cpp:196 +msgid "{1} invited us to {2}, ignoring invites to {2}" +msgstr "" + +#: sample.cpp:201 +msgid "{1} invited us to {2}" +msgstr "" + +#: sample.cpp:207 +msgid "{1} is now known as {2}" +msgstr "{1} ist jetzt als {2} bekannt" + +#: sample.cpp:269 sample.cpp:276 +msgid "{1} changes topic on {2} to {3}" +msgstr "{1} hat das Thema von {2} auf {3} geändert" + +#: sample.cpp:317 +msgid "Hi, I'm your friendly sample module." +msgstr "Hallo, ich bin dein freundliches Beispiel-Module." + +#: sample.cpp:330 +msgid "Description of module arguments goes here." +msgstr "Modulbeschreibung kommt hier hin." + +#: sample.cpp:333 +msgid "To be used as a sample for writing modules" +msgstr "Als Muster zum Schreiben von Modulen zu verwenden" + diff --git a/modules/po/sample.pot b/modules/po/sample.pot index cc5cbe22..9cd255c0 100644 --- a/modules/po/sample.pot +++ b/modules/po/sample.pot @@ -2,6 +2,7 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" #: sample.cpp:31 msgid "Sample job cancelled" diff --git a/modules/po/sample.ru.po b/modules/po/sample.ru.po new file mode 100644 index 00000000..86ae2dea --- /dev/null +++ b/modules/po/sample.ru.po @@ -0,0 +1,122 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: ru\n" +"X-Crowdin-File: /master/modules/po/sample.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Russian\n" +"Language: ru_RU\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: sample.cpp:31 +msgid "Sample job cancelled" +msgstr "" + +#: sample.cpp:33 +msgid "Sample job destroyed" +msgstr "" + +#: sample.cpp:50 +msgid "Sample job done" +msgstr "" + +#: sample.cpp:65 +msgid "TEST!!!!" +msgstr "" + +#: sample.cpp:74 +msgid "I'm being loaded with the arguments: {1}" +msgstr "" + +#: sample.cpp:85 +msgid "I'm being unloaded!" +msgstr "" + +#: sample.cpp:94 +msgid "You got connected BoyOh." +msgstr "" + +#: sample.cpp:98 +msgid "You got disconnected BoyOh." +msgstr "" + +#: sample.cpp:116 +msgid "{1} {2} set mode on {3} {4}{5} {6}" +msgstr "" + +#: sample.cpp:123 +msgid "{1} {2} opped {3} on {4}" +msgstr "" + +#: sample.cpp:129 +msgid "{1} {2} deopped {3} on {4}" +msgstr "" + +#: sample.cpp:135 +msgid "{1} {2} voiced {3} on {4}" +msgstr "" + +#: sample.cpp:141 +msgid "{1} {2} devoiced {3} on {4}" +msgstr "" + +#: sample.cpp:147 +msgid "* {1} sets mode: {2} {3} on {4}" +msgstr "" + +#: sample.cpp:163 +msgid "{1} kicked {2} from {3} with the msg {4}" +msgstr "" + +#: sample.cpp:169 +msgid "* {1} ({2}@{3}) quits ({4}) from channel: {6}" +msgid_plural "* {1} ({2}@{3}) quits ({4}) from {5} channels: {6}" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" + +#: sample.cpp:177 +msgid "Attempting to join {1}" +msgstr "" + +#: sample.cpp:182 +msgid "* {1} ({2}@{3}) joins {4}" +msgstr "" + +#: sample.cpp:189 +msgid "* {1} ({2}@{3}) parts {4}" +msgstr "" + +#: sample.cpp:196 +msgid "{1} invited us to {2}, ignoring invites to {2}" +msgstr "" + +#: sample.cpp:201 +msgid "{1} invited us to {2}" +msgstr "" + +#: sample.cpp:207 +msgid "{1} is now known as {2}" +msgstr "" + +#: sample.cpp:269 sample.cpp:276 +msgid "{1} changes topic on {2} to {3}" +msgstr "" + +#: sample.cpp:317 +msgid "Hi, I'm your friendly sample module." +msgstr "" + +#: sample.cpp:330 +msgid "Description of module arguments goes here." +msgstr "" + +#: sample.cpp:333 +msgid "To be used as a sample for writing modules" +msgstr "" + diff --git a/modules/po/samplewebapi.de.po b/modules/po/samplewebapi.de.po new file mode 100644 index 00000000..87cface2 --- /dev/null +++ b/modules/po/samplewebapi.de.po @@ -0,0 +1,19 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: de\n" +"X-Crowdin-File: /master/modules/po/samplewebapi.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: German\n" +"Language: de_DE\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: samplewebapi.cpp:59 +msgid "Sample Web API module." +msgstr "Beispiel-Modul für die Web-API." + diff --git a/modules/po/samplewebapi.pot b/modules/po/samplewebapi.pot index a4db6931..867bc1bd 100644 --- a/modules/po/samplewebapi.pot +++ b/modules/po/samplewebapi.pot @@ -2,6 +2,7 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" #: samplewebapi.cpp:59 msgid "Sample Web API module." diff --git a/modules/po/samplewebapi.ru.po b/modules/po/samplewebapi.ru.po new file mode 100644 index 00000000..8e517d48 --- /dev/null +++ b/modules/po/samplewebapi.ru.po @@ -0,0 +1,19 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: ru\n" +"X-Crowdin-File: /master/modules/po/samplewebapi.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Russian\n" +"Language: ru_RU\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: samplewebapi.cpp:59 +msgid "Sample Web API module." +msgstr "" + diff --git a/modules/po/sasl.de.po b/modules/po/sasl.de.po new file mode 100644 index 00000000..bf48c270 --- /dev/null +++ b/modules/po/sasl.de.po @@ -0,0 +1,171 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: de\n" +"X-Crowdin-File: /master/modules/po/sasl.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: German\n" +"Language: de_DE\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:290 +msgid "SASL" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:11 +msgid "Username:" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:13 +msgid "Please enter a username." +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:16 +msgid "Password:" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:18 +msgid "Please enter a password." +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:22 +msgid "Options" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:25 +msgid "Connect only if SASL authentication succeeds." +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:27 +msgid "Require authentication" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:35 +msgid "Mechanisms" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:42 +msgid "Name" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:43 sasl.cpp:89 sasl.cpp:94 +msgid "Description" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:57 +msgid "Selected mechanisms and their order:" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:74 +msgid "Save" +msgstr "" + +#: sasl.cpp:54 +msgid "TLS certificate, for use with the *cert module" +msgstr "" + +#: sasl.cpp:56 +msgid "Plain text negotiation, this should work always if the network supports SASL" +msgstr "" + +#: sasl.cpp:62 +msgid "search" +msgstr "" + +#: sasl.cpp:62 +msgid "Generate this output" +msgstr "" + +#: sasl.cpp:64 +msgid "[ []]" +msgstr "" + +#: sasl.cpp:65 +msgid "Set username and password for the mechanisms that need them. Password is optional. Without parameters, returns information about current settings." +msgstr "" + +#: sasl.cpp:69 +msgid "[mechanism[ ...]]" +msgstr "" + +#: sasl.cpp:70 +msgid "Set the mechanisms to be attempted (in order)" +msgstr "" + +#: sasl.cpp:72 +msgid "[yes|no]" +msgstr "" + +#: sasl.cpp:73 +msgid "Don't connect unless SASL authentication succeeds" +msgstr "" + +#: sasl.cpp:88 sasl.cpp:93 +msgid "Mechanism" +msgstr "" + +#: sasl.cpp:97 +msgid "The following mechanisms are available:" +msgstr "" + +#: sasl.cpp:107 +msgid "Username is currently not set" +msgstr "" + +#: sasl.cpp:109 +msgid "Username is currently set to '{1}'" +msgstr "" + +#: sasl.cpp:112 +msgid "Password was not supplied" +msgstr "" + +#: sasl.cpp:114 +msgid "Password was supplied" +msgstr "" + +#: sasl.cpp:122 +msgid "Username has been set to [{1}]" +msgstr "" + +#: sasl.cpp:123 +msgid "Password has been set to [{1}]" +msgstr "" + +#: sasl.cpp:143 +msgid "Current mechanisms set: {1}" +msgstr "" + +#: sasl.cpp:152 +msgid "We require SASL negotiation to connect" +msgstr "" + +#: sasl.cpp:154 +msgid "We will connect even if SASL fails" +msgstr "" + +#: sasl.cpp:191 +msgid "Disabling network, we require authentication." +msgstr "" + +#: sasl.cpp:192 +msgid "Use 'RequireAuth no' to disable." +msgstr "" + +#: sasl.cpp:245 +msgid "{1} mechanism succeeded." +msgstr "" + +#: sasl.cpp:257 +msgid "{1} mechanism failed." +msgstr "" + +#: sasl.cpp:335 +msgid "Adds support for sasl authentication capability to authenticate to an IRC server" +msgstr "" + diff --git a/modules/po/sasl.pot b/modules/po/sasl.pot index b1e0b9d7..6446c89f 100644 --- a/modules/po/sasl.pot +++ b/modules/po/sasl.pot @@ -2,6 +2,7 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" #: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:290 msgid "SASL" diff --git a/modules/po/sasl.ru.po b/modules/po/sasl.ru.po new file mode 100644 index 00000000..05337c89 --- /dev/null +++ b/modules/po/sasl.ru.po @@ -0,0 +1,171 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: ru\n" +"X-Crowdin-File: /master/modules/po/sasl.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Russian\n" +"Language: ru_RU\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:290 +msgid "SASL" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:11 +msgid "Username:" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:13 +msgid "Please enter a username." +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:16 +msgid "Password:" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:18 +msgid "Please enter a password." +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:22 +msgid "Options" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:25 +msgid "Connect only if SASL authentication succeeds." +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:27 +msgid "Require authentication" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:35 +msgid "Mechanisms" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:42 +msgid "Name" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:43 sasl.cpp:89 sasl.cpp:94 +msgid "Description" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:57 +msgid "Selected mechanisms and their order:" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:74 +msgid "Save" +msgstr "" + +#: sasl.cpp:54 +msgid "TLS certificate, for use with the *cert module" +msgstr "" + +#: sasl.cpp:56 +msgid "Plain text negotiation, this should work always if the network supports SASL" +msgstr "" + +#: sasl.cpp:62 +msgid "search" +msgstr "" + +#: sasl.cpp:62 +msgid "Generate this output" +msgstr "" + +#: sasl.cpp:64 +msgid "[ []]" +msgstr "" + +#: sasl.cpp:65 +msgid "Set username and password for the mechanisms that need them. Password is optional. Without parameters, returns information about current settings." +msgstr "" + +#: sasl.cpp:69 +msgid "[mechanism[ ...]]" +msgstr "" + +#: sasl.cpp:70 +msgid "Set the mechanisms to be attempted (in order)" +msgstr "" + +#: sasl.cpp:72 +msgid "[yes|no]" +msgstr "" + +#: sasl.cpp:73 +msgid "Don't connect unless SASL authentication succeeds" +msgstr "" + +#: sasl.cpp:88 sasl.cpp:93 +msgid "Mechanism" +msgstr "" + +#: sasl.cpp:97 +msgid "The following mechanisms are available:" +msgstr "" + +#: sasl.cpp:107 +msgid "Username is currently not set" +msgstr "" + +#: sasl.cpp:109 +msgid "Username is currently set to '{1}'" +msgstr "" + +#: sasl.cpp:112 +msgid "Password was not supplied" +msgstr "" + +#: sasl.cpp:114 +msgid "Password was supplied" +msgstr "" + +#: sasl.cpp:122 +msgid "Username has been set to [{1}]" +msgstr "" + +#: sasl.cpp:123 +msgid "Password has been set to [{1}]" +msgstr "" + +#: sasl.cpp:143 +msgid "Current mechanisms set: {1}" +msgstr "" + +#: sasl.cpp:152 +msgid "We require SASL negotiation to connect" +msgstr "" + +#: sasl.cpp:154 +msgid "We will connect even if SASL fails" +msgstr "" + +#: sasl.cpp:191 +msgid "Disabling network, we require authentication." +msgstr "" + +#: sasl.cpp:192 +msgid "Use 'RequireAuth no' to disable." +msgstr "" + +#: sasl.cpp:245 +msgid "{1} mechanism succeeded." +msgstr "" + +#: sasl.cpp:257 +msgid "{1} mechanism failed." +msgstr "" + +#: sasl.cpp:335 +msgid "Adds support for sasl authentication capability to authenticate to an IRC server" +msgstr "" + diff --git a/modules/po/savebuff.de.po b/modules/po/savebuff.de.po new file mode 100644 index 00000000..1208cd07 --- /dev/null +++ b/modules/po/savebuff.de.po @@ -0,0 +1,59 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: de\n" +"X-Crowdin-File: /master/modules/po/savebuff.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: German\n" +"Language: de_DE\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: savebuff.cpp:65 +msgid "" +msgstr "" + +#: savebuff.cpp:65 +msgid "Sets the password" +msgstr "" + +#: savebuff.cpp:67 +msgid "" +msgstr "" + +#: savebuff.cpp:67 +msgid "Replays the buffer" +msgstr "" + +#: savebuff.cpp:69 +msgid "Saves all buffers" +msgstr "" + +#: savebuff.cpp:221 +msgid "Password is unset usually meaning the decryption failed. You can setpass to the appropriate pass and things should start working, or setpass to a new pass and save to reinstantiate" +msgstr "" + +#: savebuff.cpp:232 +msgid "Password set to [{1}]" +msgstr "" + +#: savebuff.cpp:262 +msgid "Replayed {1}" +msgstr "" + +#: savebuff.cpp:341 +msgid "Unable to decode Encrypted file {1}" +msgstr "" + +#: savebuff.cpp:358 +msgid "This user module takes up to one arguments. Either --ask-pass or the password itself (which may contain spaces) or nothing" +msgstr "" + +#: savebuff.cpp:363 +msgid "Stores channel and query buffers to disk, encrypted" +msgstr "" + diff --git a/modules/po/savebuff.pot b/modules/po/savebuff.pot index 258f4804..de513ce1 100644 --- a/modules/po/savebuff.pot +++ b/modules/po/savebuff.pot @@ -2,6 +2,7 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" #: savebuff.cpp:65 msgid "" diff --git a/modules/po/savebuff.ru.po b/modules/po/savebuff.ru.po new file mode 100644 index 00000000..f2dc78d4 --- /dev/null +++ b/modules/po/savebuff.ru.po @@ -0,0 +1,59 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: ru\n" +"X-Crowdin-File: /master/modules/po/savebuff.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Russian\n" +"Language: ru_RU\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: savebuff.cpp:65 +msgid "" +msgstr "" + +#: savebuff.cpp:65 +msgid "Sets the password" +msgstr "" + +#: savebuff.cpp:67 +msgid "" +msgstr "" + +#: savebuff.cpp:67 +msgid "Replays the buffer" +msgstr "" + +#: savebuff.cpp:69 +msgid "Saves all buffers" +msgstr "" + +#: savebuff.cpp:221 +msgid "Password is unset usually meaning the decryption failed. You can setpass to the appropriate pass and things should start working, or setpass to a new pass and save to reinstantiate" +msgstr "" + +#: savebuff.cpp:232 +msgid "Password set to [{1}]" +msgstr "" + +#: savebuff.cpp:262 +msgid "Replayed {1}" +msgstr "" + +#: savebuff.cpp:341 +msgid "Unable to decode Encrypted file {1}" +msgstr "" + +#: savebuff.cpp:358 +msgid "This user module takes up to one arguments. Either --ask-pass or the password itself (which may contain spaces) or nothing" +msgstr "" + +#: savebuff.cpp:363 +msgid "Stores channel and query buffers to disk, encrypted" +msgstr "" + diff --git a/modules/po/send_raw.de.po b/modules/po/send_raw.de.po new file mode 100644 index 00000000..5bee51e4 --- /dev/null +++ b/modules/po/send_raw.de.po @@ -0,0 +1,111 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: de\n" +"X-Crowdin-File: /master/modules/po/send_raw.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: German\n" +"Language: de_DE\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:9 +msgid "Send a raw IRC line" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:14 +msgid "User:" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:15 +msgid "To change user, click to Network selector" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:19 +msgid "User/Network:" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:32 +msgid "Send to:" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:34 +msgid "Client" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:35 +msgid "Server" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:40 +msgid "Line:" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:45 +msgid "Send" +msgstr "" + +#: send_raw.cpp:32 +msgid "Sent [{1}] to {2}/{3}" +msgstr "" + +#: send_raw.cpp:36 send_raw.cpp:56 +msgid "Network {1} not found for user {2}" +msgstr "" + +#: send_raw.cpp:40 send_raw.cpp:60 +msgid "User {1} not found" +msgstr "" + +#: send_raw.cpp:52 +msgid "Sent [{1}] to IRC server of {2}/{3}" +msgstr "" + +#: send_raw.cpp:75 +msgid "You must have admin privileges to load this module" +msgstr "" + +#: send_raw.cpp:82 +msgid "Send Raw" +msgstr "" + +#: send_raw.cpp:92 +msgid "User not found" +msgstr "" + +#: send_raw.cpp:99 +msgid "Network not found" +msgstr "" + +#: send_raw.cpp:116 +msgid "Line sent" +msgstr "" + +#: send_raw.cpp:140 send_raw.cpp:143 +msgid "[user] [network] [data to send]" +msgstr "" + +#: send_raw.cpp:141 +msgid "The data will be sent to the user's IRC client(s)" +msgstr "" + +#: send_raw.cpp:144 +msgid "The data will be sent to the IRC server the user is connected to" +msgstr "" + +#: send_raw.cpp:147 +msgid "[data to send]" +msgstr "" + +#: send_raw.cpp:148 +msgid "The data will be sent to your current client" +msgstr "" + +#: send_raw.cpp:159 +msgid "Lets you send some raw IRC lines as/to someone else" +msgstr "" + diff --git a/modules/po/send_raw.pot b/modules/po/send_raw.pot index bccd6de1..ae44815f 100644 --- a/modules/po/send_raw.pot +++ b/modules/po/send_raw.pot @@ -2,6 +2,7 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" #: modules/po/../data/send_raw/tmpl/index.tmpl:9 msgid "Send a raw IRC line" diff --git a/modules/po/send_raw.ru.po b/modules/po/send_raw.ru.po new file mode 100644 index 00000000..183a10b9 --- /dev/null +++ b/modules/po/send_raw.ru.po @@ -0,0 +1,111 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: ru\n" +"X-Crowdin-File: /master/modules/po/send_raw.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Russian\n" +"Language: ru_RU\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:9 +msgid "Send a raw IRC line" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:14 +msgid "User:" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:15 +msgid "To change user, click to Network selector" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:19 +msgid "User/Network:" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:32 +msgid "Send to:" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:34 +msgid "Client" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:35 +msgid "Server" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:40 +msgid "Line:" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:45 +msgid "Send" +msgstr "" + +#: send_raw.cpp:32 +msgid "Sent [{1}] to {2}/{3}" +msgstr "" + +#: send_raw.cpp:36 send_raw.cpp:56 +msgid "Network {1} not found for user {2}" +msgstr "" + +#: send_raw.cpp:40 send_raw.cpp:60 +msgid "User {1} not found" +msgstr "" + +#: send_raw.cpp:52 +msgid "Sent [{1}] to IRC server of {2}/{3}" +msgstr "" + +#: send_raw.cpp:75 +msgid "You must have admin privileges to load this module" +msgstr "" + +#: send_raw.cpp:82 +msgid "Send Raw" +msgstr "" + +#: send_raw.cpp:92 +msgid "User not found" +msgstr "" + +#: send_raw.cpp:99 +msgid "Network not found" +msgstr "" + +#: send_raw.cpp:116 +msgid "Line sent" +msgstr "" + +#: send_raw.cpp:140 send_raw.cpp:143 +msgid "[user] [network] [data to send]" +msgstr "" + +#: send_raw.cpp:141 +msgid "The data will be sent to the user's IRC client(s)" +msgstr "" + +#: send_raw.cpp:144 +msgid "The data will be sent to the IRC server the user is connected to" +msgstr "" + +#: send_raw.cpp:147 +msgid "[data to send]" +msgstr "" + +#: send_raw.cpp:148 +msgid "The data will be sent to your current client" +msgstr "" + +#: send_raw.cpp:159 +msgid "Lets you send some raw IRC lines as/to someone else" +msgstr "" + diff --git a/modules/po/shell.de.po b/modules/po/shell.de.po new file mode 100644 index 00000000..901e3935 --- /dev/null +++ b/modules/po/shell.de.po @@ -0,0 +1,31 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: de\n" +"X-Crowdin-File: /master/modules/po/shell.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: German\n" +"Language: de_DE\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: shell.cpp:37 +msgid "Failed to execute: {1}" +msgstr "Fehler beim ausführen: {1}" + +#: shell.cpp:75 +msgid "You must be admin to use the shell module" +msgstr "Sie müssen Administrator sein, um das Shell-Modul zu verwenden" + +#: shell.cpp:169 +msgid "Gives shell access" +msgstr "Gibt Shell-Zugriff" + +#: shell.cpp:172 +msgid "Gives shell access. Only ZNC admins can use it." +msgstr "Shell-Zugriff gibt. Nur ZNC Admins können es verwenden." + diff --git a/modules/po/shell.pot b/modules/po/shell.pot index f16cbf82..9661147e 100644 --- a/modules/po/shell.pot +++ b/modules/po/shell.pot @@ -2,6 +2,7 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" #: shell.cpp:37 msgid "Failed to execute: {1}" diff --git a/modules/po/shell.ru.po b/modules/po/shell.ru.po new file mode 100644 index 00000000..367ecf02 --- /dev/null +++ b/modules/po/shell.ru.po @@ -0,0 +1,31 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: ru\n" +"X-Crowdin-File: /master/modules/po/shell.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Russian\n" +"Language: ru_RU\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: shell.cpp:37 +msgid "Failed to execute: {1}" +msgstr "" + +#: shell.cpp:75 +msgid "You must be admin to use the shell module" +msgstr "" + +#: shell.cpp:169 +msgid "Gives shell access" +msgstr "" + +#: shell.cpp:172 +msgid "Gives shell access. Only ZNC admins can use it." +msgstr "" + diff --git a/modules/po/simple_away.de.po b/modules/po/simple_away.de.po new file mode 100644 index 00000000..2fabced0 --- /dev/null +++ b/modules/po/simple_away.de.po @@ -0,0 +1,88 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: de\n" +"X-Crowdin-File: /master/modules/po/simple_away.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: German\n" +"Language: de_DE\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: simple_away.cpp:56 +msgid "[]" +msgstr "" + +#: simple_away.cpp:57 +#, c-format +msgid "Prints or sets the away reason (%awaytime% is replaced with the time you were set away, supports substitutions using ExpandString)" +msgstr "" + +#: simple_away.cpp:63 +msgid "Prints the current time to wait before setting you away" +msgstr "" + +#: simple_away.cpp:65 +msgid "" +msgstr "" + +#: simple_away.cpp:66 +msgid "Sets the time to wait before setting you away" +msgstr "" + +#: simple_away.cpp:69 +msgid "Disables the wait time before setting you away" +msgstr "" + +#: simple_away.cpp:73 +msgid "Get or set the minimum number of clients before going away" +msgstr "" + +#: simple_away.cpp:136 +msgid "Away reason set" +msgstr "" + +#: simple_away.cpp:138 +msgid "Away reason: {1}" +msgstr "" + +#: simple_away.cpp:139 +msgid "Current away reason would be: {1}" +msgstr "" + +#: simple_away.cpp:144 +msgid "Current timer setting: 1 second" +msgid_plural "Current timer setting: {1} seconds" +msgstr[0] "" +msgstr[1] "" + +#: simple_away.cpp:153 simple_away.cpp:161 +msgid "Timer disabled" +msgstr "" + +#: simple_away.cpp:155 +msgid "Timer set to 1 second" +msgid_plural "Timer set to: {1} seconds" +msgstr[0] "" +msgstr[1] "" + +#: simple_away.cpp:166 +msgid "Current MinClients setting: {1}" +msgstr "" + +#: simple_away.cpp:169 +msgid "MinClients set to {1}" +msgstr "" + +#: simple_away.cpp:253 +msgid "You might enter up to 3 arguments, like -notimer awaymessage or -timer 5 awaymessage." +msgstr "" + +#: simple_away.cpp:258 +msgid "This module will automatically set you away on IRC while you are disconnected from the bouncer." +msgstr "" + diff --git a/modules/po/simple_away.pot b/modules/po/simple_away.pot index ceb5f73f..e4d172bd 100644 --- a/modules/po/simple_away.pot +++ b/modules/po/simple_away.pot @@ -2,6 +2,7 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" #: simple_away.cpp:56 msgid "[]" diff --git a/modules/po/simple_away.ru.po b/modules/po/simple_away.ru.po new file mode 100644 index 00000000..b95edbe3 --- /dev/null +++ b/modules/po/simple_away.ru.po @@ -0,0 +1,90 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: ru\n" +"X-Crowdin-File: /master/modules/po/simple_away.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Russian\n" +"Language: ru_RU\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: simple_away.cpp:56 +msgid "[]" +msgstr "" + +#: simple_away.cpp:57 +#, c-format +msgid "Prints or sets the away reason (%awaytime% is replaced with the time you were set away, supports substitutions using ExpandString)" +msgstr "" + +#: simple_away.cpp:63 +msgid "Prints the current time to wait before setting you away" +msgstr "" + +#: simple_away.cpp:65 +msgid "" +msgstr "" + +#: simple_away.cpp:66 +msgid "Sets the time to wait before setting you away" +msgstr "" + +#: simple_away.cpp:69 +msgid "Disables the wait time before setting you away" +msgstr "" + +#: simple_away.cpp:73 +msgid "Get or set the minimum number of clients before going away" +msgstr "" + +#: simple_away.cpp:136 +msgid "Away reason set" +msgstr "" + +#: simple_away.cpp:138 +msgid "Away reason: {1}" +msgstr "" + +#: simple_away.cpp:139 +msgid "Current away reason would be: {1}" +msgstr "" + +#: simple_away.cpp:144 +msgid "Current timer setting: 1 second" +msgid_plural "Current timer setting: {1} seconds" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" + +#: simple_away.cpp:153 simple_away.cpp:161 +msgid "Timer disabled" +msgstr "" + +#: simple_away.cpp:155 +msgid "Timer set to 1 second" +msgid_plural "Timer set to: {1} seconds" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" + +#: simple_away.cpp:166 +msgid "Current MinClients setting: {1}" +msgstr "" + +#: simple_away.cpp:169 +msgid "MinClients set to {1}" +msgstr "" + +#: simple_away.cpp:253 +msgid "You might enter up to 3 arguments, like -notimer awaymessage or -timer 5 awaymessage." +msgstr "" + +#: simple_away.cpp:258 +msgid "This module will automatically set you away on IRC while you are disconnected from the bouncer." +msgstr "" + diff --git a/modules/po/stickychan.de.po b/modules/po/stickychan.de.po new file mode 100644 index 00000000..380d6bf5 --- /dev/null +++ b/modules/po/stickychan.de.po @@ -0,0 +1,103 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: de\n" +"X-Crowdin-File: /master/modules/po/stickychan.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: German\n" +"Language: de_DE\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: modules/po/../data/stickychan/tmpl/index.tmpl:9 +msgid "Name" +msgstr "" + +#: modules/po/../data/stickychan/tmpl/index.tmpl:10 +msgid "Sticky" +msgstr "" + +#: modules/po/../data/stickychan/tmpl/index.tmpl:25 +msgid "Save" +msgstr "" + +#: modules/po/../data/stickychan/tmpl/stickychan_WebadminChan.tmpl:8 +msgid "Channel is sticky" +msgstr "" + +#: stickychan.cpp:28 +msgid "<#channel> [key]" +msgstr "" + +#: stickychan.cpp:28 +msgid "Sticks a channel" +msgstr "" + +#: stickychan.cpp:30 +msgid "<#channel>" +msgstr "" + +#: stickychan.cpp:30 +msgid "Unsticks a channel" +msgstr "" + +#: stickychan.cpp:32 +msgid "Lists sticky channels" +msgstr "" + +#: stickychan.cpp:75 +msgid "Usage: Stick <#channel> [key]" +msgstr "" + +#: stickychan.cpp:79 +msgid "Stuck {1}" +msgstr "" + +#: stickychan.cpp:85 +msgid "Usage: Unstick <#channel>" +msgstr "" + +#: stickychan.cpp:89 +msgid "Unstuck {1}" +msgstr "" + +#: stickychan.cpp:101 +msgid " -- End of List" +msgstr "" + +#: stickychan.cpp:115 +msgid "Could not join {1} (# prefix missing?)" +msgstr "" + +#: stickychan.cpp:128 +msgid "Sticky Channels" +msgstr "" + +#: stickychan.cpp:160 +msgid "Changes have been saved!" +msgstr "" + +#: stickychan.cpp:185 +msgid "Channel became sticky!" +msgstr "" + +#: stickychan.cpp:189 +msgid "Channel stopped being sticky!" +msgstr "" + +#: stickychan.cpp:211 +msgid "Channel {1} cannot be joined, it is an illegal channel name. Unsticking." +msgstr "" + +#: stickychan.cpp:248 +msgid "List of channels, separated by comma." +msgstr "" + +#: stickychan.cpp:253 +msgid "configless sticky chans, keeps you there very stickily even" +msgstr "" + diff --git a/modules/po/stickychan.pot b/modules/po/stickychan.pot index 26bf788b..9cc6e629 100644 --- a/modules/po/stickychan.pot +++ b/modules/po/stickychan.pot @@ -2,6 +2,7 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" #: modules/po/../data/stickychan/tmpl/index.tmpl:9 msgid "Name" diff --git a/modules/po/stickychan.ru.po b/modules/po/stickychan.ru.po new file mode 100644 index 00000000..7a5e675f --- /dev/null +++ b/modules/po/stickychan.ru.po @@ -0,0 +1,103 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: ru\n" +"X-Crowdin-File: /master/modules/po/stickychan.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Russian\n" +"Language: ru_RU\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: modules/po/../data/stickychan/tmpl/index.tmpl:9 +msgid "Name" +msgstr "" + +#: modules/po/../data/stickychan/tmpl/index.tmpl:10 +msgid "Sticky" +msgstr "" + +#: modules/po/../data/stickychan/tmpl/index.tmpl:25 +msgid "Save" +msgstr "" + +#: modules/po/../data/stickychan/tmpl/stickychan_WebadminChan.tmpl:8 +msgid "Channel is sticky" +msgstr "" + +#: stickychan.cpp:28 +msgid "<#channel> [key]" +msgstr "" + +#: stickychan.cpp:28 +msgid "Sticks a channel" +msgstr "" + +#: stickychan.cpp:30 +msgid "<#channel>" +msgstr "" + +#: stickychan.cpp:30 +msgid "Unsticks a channel" +msgstr "" + +#: stickychan.cpp:32 +msgid "Lists sticky channels" +msgstr "" + +#: stickychan.cpp:75 +msgid "Usage: Stick <#channel> [key]" +msgstr "" + +#: stickychan.cpp:79 +msgid "Stuck {1}" +msgstr "" + +#: stickychan.cpp:85 +msgid "Usage: Unstick <#channel>" +msgstr "" + +#: stickychan.cpp:89 +msgid "Unstuck {1}" +msgstr "" + +#: stickychan.cpp:101 +msgid " -- End of List" +msgstr "" + +#: stickychan.cpp:115 +msgid "Could not join {1} (# prefix missing?)" +msgstr "" + +#: stickychan.cpp:128 +msgid "Sticky Channels" +msgstr "" + +#: stickychan.cpp:160 +msgid "Changes have been saved!" +msgstr "" + +#: stickychan.cpp:185 +msgid "Channel became sticky!" +msgstr "" + +#: stickychan.cpp:189 +msgid "Channel stopped being sticky!" +msgstr "" + +#: stickychan.cpp:211 +msgid "Channel {1} cannot be joined, it is an illegal channel name. Unsticking." +msgstr "" + +#: stickychan.cpp:248 +msgid "List of channels, separated by comma." +msgstr "" + +#: stickychan.cpp:253 +msgid "configless sticky chans, keeps you there very stickily even" +msgstr "" + diff --git a/modules/po/stripcontrols.de.po b/modules/po/stripcontrols.de.po new file mode 100644 index 00000000..250dafa1 --- /dev/null +++ b/modules/po/stripcontrols.de.po @@ -0,0 +1,19 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: de\n" +"X-Crowdin-File: /master/modules/po/stripcontrols.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: German\n" +"Language: de_DE\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: stripcontrols.cpp:63 +msgid "Strips control codes (Colors, Bold, ..) from channel and private messages." +msgstr "Entfernt Steuercodes (Farben, Fett,...) von Kanal- und Query-Nachrichten." + diff --git a/modules/po/stripcontrols.pot b/modules/po/stripcontrols.pot index b56da0e4..dbf694e2 100644 --- a/modules/po/stripcontrols.pot +++ b/modules/po/stripcontrols.pot @@ -2,6 +2,7 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" #: stripcontrols.cpp:63 msgid "" diff --git a/modules/po/stripcontrols.ru.po b/modules/po/stripcontrols.ru.po new file mode 100644 index 00000000..df04ba21 --- /dev/null +++ b/modules/po/stripcontrols.ru.po @@ -0,0 +1,19 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: ru\n" +"X-Crowdin-File: /master/modules/po/stripcontrols.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Russian\n" +"Language: ru_RU\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: stripcontrols.cpp:63 +msgid "Strips control codes (Colors, Bold, ..) from channel and private messages." +msgstr "" + diff --git a/modules/po/watch.de.po b/modules/po/watch.de.po new file mode 100644 index 00000000..93446e83 --- /dev/null +++ b/modules/po/watch.de.po @@ -0,0 +1,251 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: de\n" +"X-Crowdin-File: /master/modules/po/watch.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: German\n" +"Language: de_DE\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: watch.cpp:334 +msgid "All entries cleared." +msgstr "" + +#: watch.cpp:344 +msgid "Buffer count is set to {1}" +msgstr "" + +#: watch.cpp:348 +msgid "Unknown command: {1}" +msgstr "" + +#: watch.cpp:397 +msgid "Disabled all entries." +msgstr "" + +#: watch.cpp:398 +msgid "Enabled all entries." +msgstr "" + +#: watch.cpp:405 watch.cpp:437 watch.cpp:470 watch.cpp:570 watch.cpp:585 +msgid "Invalid Id" +msgstr "" + +#: watch.cpp:414 +msgid "Id {1} disabled" +msgstr "" + +#: watch.cpp:416 +msgid "Id {1} enabled" +msgstr "" + +#: watch.cpp:428 +msgid "Set DetachedClientOnly for all entries to Yes" +msgstr "" + +#: watch.cpp:430 +msgid "Set DetachedClientOnly for all entries to No" +msgstr "" + +#: watch.cpp:446 watch.cpp:479 +msgid "Id {1} set to Yes" +msgstr "" + +#: watch.cpp:448 watch.cpp:481 +msgid "Id {1} set to No" +msgstr "" + +#: watch.cpp:461 +msgid "Set DetachedChannelOnly for all entries to Yes" +msgstr "" + +#: watch.cpp:463 +msgid "Set DetachedChannelOnly for all entries to No" +msgstr "" + +#: watch.cpp:487 watch.cpp:503 +msgid "Id" +msgstr "" + +#: watch.cpp:488 watch.cpp:504 +msgid "HostMask" +msgstr "" + +#: watch.cpp:489 watch.cpp:505 +msgid "Target" +msgstr "" + +#: watch.cpp:490 watch.cpp:506 +msgid "Pattern" +msgstr "" + +#: watch.cpp:491 watch.cpp:507 +msgid "Sources" +msgstr "" + +#: watch.cpp:492 watch.cpp:508 watch.cpp:509 +msgid "Off" +msgstr "" + +#: watch.cpp:493 watch.cpp:511 +msgid "DetachedClientOnly" +msgstr "" + +#: watch.cpp:494 watch.cpp:514 +msgid "DetachedChannelOnly" +msgstr "" + +#: watch.cpp:512 watch.cpp:515 +msgid "Yes" +msgstr "" + +#: watch.cpp:512 watch.cpp:515 +msgid "No" +msgstr "" + +#: watch.cpp:521 watch.cpp:527 +msgid "You have no entries." +msgstr "" + +#: watch.cpp:578 +msgid "Sources set for Id {1}." +msgstr "" + +#: watch.cpp:593 +msgid "Id {1} removed." +msgstr "" + +#: watch.cpp:600 watch.cpp:604 watch.cpp:609 watch.cpp:614 watch.cpp:620 +#: watch.cpp:625 watch.cpp:629 watch.cpp:633 watch.cpp:638 watch.cpp:645 +#: watch.cpp:652 watch.cpp:658 watch.cpp:664 +msgid "Command" +msgstr "" + +#: watch.cpp:601 watch.cpp:605 watch.cpp:610 watch.cpp:616 watch.cpp:621 +#: watch.cpp:626 watch.cpp:630 watch.cpp:634 watch.cpp:641 watch.cpp:648 +#: watch.cpp:654 watch.cpp:660 watch.cpp:665 +msgid "Description" +msgstr "" + +#: watch.cpp:604 +msgid "Add [Target] [Pattern]" +msgstr "" + +#: watch.cpp:606 +msgid "Used to add an entry to watch for." +msgstr "" + +#: watch.cpp:609 +msgid "List" +msgstr "" + +#: watch.cpp:611 +msgid "List all entries being watched." +msgstr "" + +#: watch.cpp:614 +msgid "Dump" +msgstr "" + +#: watch.cpp:617 +msgid "Dump a list of all current entries to be used later." +msgstr "" + +#: watch.cpp:620 +msgid "Del " +msgstr "" + +#: watch.cpp:622 +msgid "Deletes Id from the list of watched entries." +msgstr "" + +#: watch.cpp:625 +msgid "Clear" +msgstr "" + +#: watch.cpp:626 +msgid "Delete all entries." +msgstr "" + +#: watch.cpp:629 +msgid "Enable " +msgstr "" + +#: watch.cpp:630 +msgid "Enable a disabled entry." +msgstr "" + +#: watch.cpp:633 +msgid "Disable " +msgstr "" + +#: watch.cpp:635 +msgid "Disable (but don't delete) an entry." +msgstr "" + +#: watch.cpp:639 +msgid "SetDetachedClientOnly " +msgstr "" + +#: watch.cpp:642 +msgid "Enable or disable detached client only for an entry." +msgstr "" + +#: watch.cpp:646 +msgid "SetDetachedChannelOnly " +msgstr "" + +#: watch.cpp:649 +msgid "Enable or disable detached channel only for an entry." +msgstr "" + +#: watch.cpp:652 +msgid "Buffer [Count]" +msgstr "" + +#: watch.cpp:655 +msgid "Show/Set the amount of buffered lines while detached." +msgstr "" + +#: watch.cpp:659 +msgid "SetSources [#chan priv #foo* !#bar]" +msgstr "" + +#: watch.cpp:661 +msgid "Set the source channels that you care about." +msgstr "" + +#: watch.cpp:664 +msgid "Help" +msgstr "" + +#: watch.cpp:665 +msgid "This help." +msgstr "" + +#: watch.cpp:681 +msgid "Entry for {1} already exists." +msgstr "" + +#: watch.cpp:689 +msgid "Adding entry: {1} watching for [{2}] -> {3}" +msgstr "" + +#: watch.cpp:695 +msgid "Watch: Not enough arguments. Try Help" +msgstr "" + +#: watch.cpp:764 +msgid "WARNING: malformed entry found while loading" +msgstr "" + +#: watch.cpp:778 +msgid "Copy activity from a specific user into a separate window" +msgstr "" + diff --git a/modules/po/watch.pot b/modules/po/watch.pot index e9cb7180..3504c867 100644 --- a/modules/po/watch.pot +++ b/modules/po/watch.pot @@ -2,6 +2,7 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" #: watch.cpp:334 msgid "All entries cleared." diff --git a/modules/po/watch.ru.po b/modules/po/watch.ru.po new file mode 100644 index 00000000..9f64ad30 --- /dev/null +++ b/modules/po/watch.ru.po @@ -0,0 +1,251 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: ru\n" +"X-Crowdin-File: /master/modules/po/watch.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Russian\n" +"Language: ru_RU\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: watch.cpp:334 +msgid "All entries cleared." +msgstr "" + +#: watch.cpp:344 +msgid "Buffer count is set to {1}" +msgstr "" + +#: watch.cpp:348 +msgid "Unknown command: {1}" +msgstr "" + +#: watch.cpp:397 +msgid "Disabled all entries." +msgstr "" + +#: watch.cpp:398 +msgid "Enabled all entries." +msgstr "" + +#: watch.cpp:405 watch.cpp:437 watch.cpp:470 watch.cpp:570 watch.cpp:585 +msgid "Invalid Id" +msgstr "" + +#: watch.cpp:414 +msgid "Id {1} disabled" +msgstr "" + +#: watch.cpp:416 +msgid "Id {1} enabled" +msgstr "" + +#: watch.cpp:428 +msgid "Set DetachedClientOnly for all entries to Yes" +msgstr "" + +#: watch.cpp:430 +msgid "Set DetachedClientOnly for all entries to No" +msgstr "" + +#: watch.cpp:446 watch.cpp:479 +msgid "Id {1} set to Yes" +msgstr "" + +#: watch.cpp:448 watch.cpp:481 +msgid "Id {1} set to No" +msgstr "" + +#: watch.cpp:461 +msgid "Set DetachedChannelOnly for all entries to Yes" +msgstr "" + +#: watch.cpp:463 +msgid "Set DetachedChannelOnly for all entries to No" +msgstr "" + +#: watch.cpp:487 watch.cpp:503 +msgid "Id" +msgstr "" + +#: watch.cpp:488 watch.cpp:504 +msgid "HostMask" +msgstr "" + +#: watch.cpp:489 watch.cpp:505 +msgid "Target" +msgstr "" + +#: watch.cpp:490 watch.cpp:506 +msgid "Pattern" +msgstr "" + +#: watch.cpp:491 watch.cpp:507 +msgid "Sources" +msgstr "" + +#: watch.cpp:492 watch.cpp:508 watch.cpp:509 +msgid "Off" +msgstr "" + +#: watch.cpp:493 watch.cpp:511 +msgid "DetachedClientOnly" +msgstr "" + +#: watch.cpp:494 watch.cpp:514 +msgid "DetachedChannelOnly" +msgstr "" + +#: watch.cpp:512 watch.cpp:515 +msgid "Yes" +msgstr "" + +#: watch.cpp:512 watch.cpp:515 +msgid "No" +msgstr "" + +#: watch.cpp:521 watch.cpp:527 +msgid "You have no entries." +msgstr "" + +#: watch.cpp:578 +msgid "Sources set for Id {1}." +msgstr "" + +#: watch.cpp:593 +msgid "Id {1} removed." +msgstr "" + +#: watch.cpp:600 watch.cpp:604 watch.cpp:609 watch.cpp:614 watch.cpp:620 +#: watch.cpp:625 watch.cpp:629 watch.cpp:633 watch.cpp:638 watch.cpp:645 +#: watch.cpp:652 watch.cpp:658 watch.cpp:664 +msgid "Command" +msgstr "" + +#: watch.cpp:601 watch.cpp:605 watch.cpp:610 watch.cpp:616 watch.cpp:621 +#: watch.cpp:626 watch.cpp:630 watch.cpp:634 watch.cpp:641 watch.cpp:648 +#: watch.cpp:654 watch.cpp:660 watch.cpp:665 +msgid "Description" +msgstr "" + +#: watch.cpp:604 +msgid "Add [Target] [Pattern]" +msgstr "" + +#: watch.cpp:606 +msgid "Used to add an entry to watch for." +msgstr "" + +#: watch.cpp:609 +msgid "List" +msgstr "" + +#: watch.cpp:611 +msgid "List all entries being watched." +msgstr "" + +#: watch.cpp:614 +msgid "Dump" +msgstr "" + +#: watch.cpp:617 +msgid "Dump a list of all current entries to be used later." +msgstr "" + +#: watch.cpp:620 +msgid "Del " +msgstr "" + +#: watch.cpp:622 +msgid "Deletes Id from the list of watched entries." +msgstr "" + +#: watch.cpp:625 +msgid "Clear" +msgstr "" + +#: watch.cpp:626 +msgid "Delete all entries." +msgstr "" + +#: watch.cpp:629 +msgid "Enable " +msgstr "" + +#: watch.cpp:630 +msgid "Enable a disabled entry." +msgstr "" + +#: watch.cpp:633 +msgid "Disable " +msgstr "" + +#: watch.cpp:635 +msgid "Disable (but don't delete) an entry." +msgstr "" + +#: watch.cpp:639 +msgid "SetDetachedClientOnly " +msgstr "" + +#: watch.cpp:642 +msgid "Enable or disable detached client only for an entry." +msgstr "" + +#: watch.cpp:646 +msgid "SetDetachedChannelOnly " +msgstr "" + +#: watch.cpp:649 +msgid "Enable or disable detached channel only for an entry." +msgstr "" + +#: watch.cpp:652 +msgid "Buffer [Count]" +msgstr "" + +#: watch.cpp:655 +msgid "Show/Set the amount of buffered lines while detached." +msgstr "" + +#: watch.cpp:659 +msgid "SetSources [#chan priv #foo* !#bar]" +msgstr "" + +#: watch.cpp:661 +msgid "Set the source channels that you care about." +msgstr "" + +#: watch.cpp:664 +msgid "Help" +msgstr "" + +#: watch.cpp:665 +msgid "This help." +msgstr "" + +#: watch.cpp:681 +msgid "Entry for {1} already exists." +msgstr "" + +#: watch.cpp:689 +msgid "Adding entry: {1} watching for [{2}] -> {3}" +msgstr "" + +#: watch.cpp:695 +msgid "Watch: Not enough arguments. Try Help" +msgstr "" + +#: watch.cpp:764 +msgid "WARNING: malformed entry found while loading" +msgstr "" + +#: watch.cpp:778 +msgid "Copy activity from a specific user into a separate window" +msgstr "" + diff --git a/modules/po/webadmin.de.po b/modules/po/webadmin.de.po new file mode 100644 index 00000000..6f77dbf1 --- /dev/null +++ b/modules/po/webadmin.de.po @@ -0,0 +1,1140 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: de\n" +"X-Crowdin-File: /master/modules/po/webadmin.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: German\n" +"Language: de_DE\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:12 +msgid "Channel Info" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:17 +msgid "Channel Name:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:19 +msgid "The channel name." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:24 +msgid "Key:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:26 +msgid "The password of the channel, if there is one." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:30 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:235 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:254 +msgid "Buffer Size:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:32 +msgid "The buffer count." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:36 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:229 +msgid "Default Modes:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:38 +msgid "The default modes of the channel." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:46 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:264 +msgid "Flags" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:51 +msgid "Save to config" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:67 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:282 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:404 +msgid "Module {1}" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:75 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:290 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:413 +msgid "Save and return" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:76 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:291 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:414 +msgid "Save and continue" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:78 +msgid "Add Channel and return" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:79 +msgid "Add Channel and continue" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:8 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:11 +msgid "<password>" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:11 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:12 +msgid "<network>" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:14 +msgid "To connect to this network from your IRC client, you can set the server password field as {1} or username field as {2}" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:24 +msgid "Network Info" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:25 +msgid "Nick, AltNick, Ident, RealName, BindHost can be left empty to use the value from the user." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:29 +msgid "Network Name:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:31 +msgid "The name of the IRC network." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:35 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:63 +msgid "Nickname:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:37 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:65 +msgid "Your nickname on IRC." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:40 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:68 +msgid "Alt. Nickname:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:42 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:70 +msgid "Your secondary nickname, if the first is not available on IRC." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:46 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:74 +msgid "Ident:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:48 +msgid "Your ident." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:51 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:85 +msgid "Realname:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:53 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:87 +msgid "Your real name." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:58 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:93 +msgid "BindHost:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:65 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:106 +msgid "Quit Message:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:67 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:108 +msgid "You may define a Message shown, when you quit IRC." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:71 +msgid "Active:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:73 +msgid "Connect to IRC & automatically re-connect" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:77 +msgid "Trust all certs:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:79 +msgid "Disable certificate validation (takes precedence over TrustPKI). INSECURE!" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:83 +msgid "Trust the PKI:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:85 +msgid "Setting this to false will trust only certificates you added fingerprints for." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:89 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:96 +msgid "Servers of this IRC network:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:93 +msgid "One server per line, “host [[+]port] [password]”, + means SSL" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:101 +msgid "Hostname" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:102 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:13 +msgid "Port" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:103 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:15 +msgid "SSL" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:104 +msgid "Password" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:116 +msgid "SHA-256 fingerprints of trusted SSL certificates of this IRC network:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:120 +msgid "When these certificates are encountered, checks for hostname, expiration date, CA are skipped" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:124 +msgid "Flood protection:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:127 +msgid "You might enable the flood protection. This prevents “excess flood” errors, which occur, when your IRC bot is command flooded or spammed. After changing this, reconnect ZNC to server." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:130 +msgctxt "Flood Protection" +msgid "Enabled" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:134 +msgid "Flood protection rate:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:137 +msgid "The number of seconds per line. After changing this, reconnect ZNC to server." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:140 +msgid "{1} seconds per line" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:144 +msgid "Flood protection burst:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:147 +msgid "Defines the number of lines, which can be sent immediately. After changing this, reconnect ZNC to server." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:150 +msgid "{1} lines can be sent immediately" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:154 +msgid "Channel join delay:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:157 +msgid "Defines the delay in seconds, until channels are joined after getting connected." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:160 +msgid "{1} seconds" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:165 +msgid "Character encoding used between ZNC and IRC server." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:166 +msgid "Server encoding:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:176 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:225 +msgid "Channels" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:178 +msgid "You will be able to add + modify channels here after you created the network." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:185 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:123 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:348 +#: modules/po/../data/webadmin/tmpl/listusers.tmpl:15 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:72 +msgid "Add" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:187 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:424 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:231 +msgid "Save" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:188 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:228 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:125 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:168 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:170 +msgid "Name" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:189 +msgid "CurModes" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:190 +msgid "DefModes" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:191 +msgid "BufferSize" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:192 +msgid "Options" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:194 +msgid "← Add a channel (opens in same page)" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:204 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:140 +#: modules/po/../data/webadmin/tmpl/listusers.tmpl:27 +msgid "Edit" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:204 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:140 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:53 +msgid "Del" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:222 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:162 +msgid "Modules" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:229 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:169 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:171 +msgid "Arguments" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:230 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:170 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:172 +msgid "Description" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:231 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:171 +msgid "Loaded globally" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:232 +msgid "Loaded by user" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:293 +msgid "Add Network and return" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:294 +msgid "Add Network and continue" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:15 +msgid "Authentication" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:19 +msgid "Username:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:29 +msgid "Please enter a username." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:34 +msgid "Password:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:36 +msgid "Please enter a password." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:39 +msgid "Confirm password:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:41 +msgid "Please re-type the above password." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:44 +msgid "Allowed IPs:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:48 +msgid "Leave empty to allow connections from all IPs.
Otherwise, one entry per line, wildcards * and ? are available." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:56 +msgid "IRC Information" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:58 +msgid "Nick, AltNick, Ident, RealName and QuitMsg can be left empty to use default values." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:76 +msgid "The Ident is sent to server as username." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:79 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:102 +msgid "Status Prefix:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:81 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:104 +msgid "The prefix for the status and module queries." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:99 +msgid "DCCBindHost:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:116 +#: modules/po/../data/webadmin/tmpl/listusers.tmpl:17 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:39 +msgid "Networks" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:126 +#: modules/po/../data/webadmin/tmpl/listusers.tmpl:18 +msgid "Clients" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:127 +msgid "Current Server" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:128 +msgid "Nick" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:130 +msgid "← Add a network (opens in same page)" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:154 +msgid "You will be able to add + modify networks here after you have cloned the user." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:156 +msgid "You will be able to add + modify networks here after you have created the user." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:172 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:173 +msgid "Loaded by networks" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:231 +msgid "These are the default modes ZNC will set when you join an empty channel." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:232 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:238 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:257 +msgid "Empty = use standard value" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:237 +msgid "This is the amount of lines that the playback buffer will store for channels before dropping off the oldest line. The buffers are stored in the memory by default." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:245 +msgid "Queries" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:249 +msgid "Max Buffers:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:251 +msgid "Maximum number of query buffers. 0 is unlimited." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:256 +msgid "This is the amount of lines that the playback buffer will store for queries before dropping off the oldest line. The buffers are stored in the memory by default." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:279 +msgid "ZNC Behavior" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:280 +msgid "Any of the following text boxes can be left empty to use their default value." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:284 +msgid "Timestamp Format:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:286 +msgid "The format for the timestamps used in buffers, for example [%H:%M:%S]. This setting is ignored in new IRC clients, which use server-time. If your client supports server-time, change timestamp format in client settings instead." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:289 +msgid "Timezone:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:292 +msgid "E.g. Europe/Berlin, or GMT-6" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:300 +msgid "Character encoding used between IRC client and ZNC." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:301 +msgid "Client encoding:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:306 +msgid "Join Tries:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:308 +msgid "This defines how many times ZNC tries to join a channel, if the first join failed, e.g. due to channel mode +i/+k or if you are banned." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:311 +msgid "Join speed:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:313 +msgid "How many channels are joined in one JOIN command. 0 is unlimited (default). Set to small positive value if you get disconnected with “Max SendQ Exceeded”" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:316 +msgid "Timeout before reconnect:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:318 +msgid "How much time ZNC waits (in seconds) until it receives something from network or declares the connection timeout. This happens after attempts to ping the peer." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:321 +msgid "Max IRC Networks Number:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:323 +msgid "Maximum number of IRC networks allowed for this user." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:326 +msgid "Substitutions" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:328 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:336 +msgid "CTCP Replies:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:332 +msgid "One reply per line. Example: TIME Buy a watch!" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:333 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:349 +msgid "{1} are available" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:335 +msgid "Empty value means this CTCP request will be ignored" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:341 +msgid "Request" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:342 +msgid "Response" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:367 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:90 +msgid "Skin:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:371 +msgid "- Global -" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:373 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:94 +msgid "Default" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:377 +msgid "No other skins found" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:383 +msgid "Language:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:416 +msgid "Clone and return" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:417 +msgid "Clone and continue" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:419 +msgid "Create and return" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:420 +msgid "Create and continue" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:426 +#: modules/po/../data/webadmin/tmpl/listusers.tmpl:28 +msgid "Clone" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:428 +msgid "Create" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/del_network.tmpl:5 +msgid "Confirm Network Deletion" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/del_network.tmpl:9 +msgid "Are you sure you want to delete network “{2}” of user “{1}”?" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/del_network.tmpl:14 +#: modules/po/../data/webadmin/tmpl/del_user.tmpl:14 +msgid "Yes" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/del_network.tmpl:17 +#: modules/po/../data/webadmin/tmpl/del_user.tmpl:17 +msgid "No" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/del_user.tmpl:5 +msgid "Confirm User Deletion" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/del_user.tmpl:9 +msgid "Are you sure you want to delete user “{1}”?" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:6 +msgid "ZNC is compiled without encodings support. {1} is required for it." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:11 +msgid "Legacy mode is disabled by modpython." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:18 +msgid "Don't ensure any encoding at all (legacy mode, not recommended)" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:22 +msgid "Try to parse as UTF-8 and as {1}, send as UTF-8 (recommended)" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:26 +msgid "Try to parse as UTF-8 and as {1}, send as {1}" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:30 +msgid "Parse and send as {1} only" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:36 +msgid "E.g. UTF-8, or ISO-8859-15" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/index.tmpl:5 +msgid "Welcome to the ZNC webadmin module." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/index.tmpl:6 +msgid "All changes you make will be in effect immediately after you submitted them." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/listusers.tmpl:16 +msgid "Username" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/listusers.tmpl:29 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:21 +msgid "Delete" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:6 +msgid "Listen Port(s)" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:14 +msgid "BindHost" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:16 +msgid "IPv4" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:17 +msgid "IPv6" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:18 +msgid "IRC" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:19 +msgid "HTTP" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:20 +msgid "URIPrefix" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:56 +msgid "To delete port which you use to access webadmin itself, either connect to webadmin via another port, or do it in IRC (/znc DelPort)" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:56 +msgid "Current" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:86 +msgid "Settings" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:105 +msgid "Default for new users only." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:110 +msgid "Maximum Buffer Size:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:112 +msgid "Sets the global Max Buffer Size a user can have." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:117 +msgid "Connect Delay:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:119 +msgid "The time between connection attempts to IRC servers, in seconds. This affects the connection between ZNC and the IRC server; not the connection between your IRC client and ZNC." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:124 +msgid "Server Throttle:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:126 +msgid "The minimal time between two connect attempts to the same hostname, in seconds. Some servers refuse your connection if you reconnect too fast." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:131 +msgid "Anonymous Connection Limit per IP:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:133 +msgid "Limits the number of unidentified connections per IP." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:138 +msgid "Protect Web Sessions:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:140 +msgid "Disallow IP changing during each web session" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:145 +msgid "Hide ZNC Version:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:147 +msgid "Hide version number from non-ZNC users" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:152 +msgid "MOTD:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:156 +msgid "“Message of the Day”, sent to all ZNC users on connect." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:164 +msgid "Global Modules" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:174 +msgid "Loaded by users" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:7 +msgid "Information" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:13 +msgid "Uptime" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:18 +msgid "Total Users" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:22 +msgid "Total Networks" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:26 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:43 +msgid "Attached Networks" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:30 +msgid "Total Client Connections" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:34 +msgid "Total IRC Connections" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:47 +msgid "Client Connections" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:51 +msgid "IRC Connections" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:63 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:72 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:89 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:117 +msgid "Total" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:70 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:115 +msgctxt "Traffic" +msgid "In" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:71 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:116 +msgctxt "Traffic" +msgid "Out" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:77 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:104 +msgid "Users" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:106 +msgid "Traffic" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:113 +msgid "User" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:114 +msgid "Network" +msgstr "" + +#: webadmin.cpp:91 webadmin.cpp:1866 +msgid "Global Settings" +msgstr "" + +#: webadmin.cpp:93 +msgid "Your Settings" +msgstr "" + +#: webadmin.cpp:94 webadmin.cpp:1678 +msgid "Traffic Info" +msgstr "" + +#: webadmin.cpp:97 webadmin.cpp:1657 +msgid "Manage Users" +msgstr "" + +#: webadmin.cpp:188 +msgid "Invalid Submission [Username is required]" +msgstr "" + +#: webadmin.cpp:201 +msgid "Invalid Submission [Passwords do not match]" +msgstr "" + +#: webadmin.cpp:314 +msgid "Timeout can't be less than 30 seconds!" +msgstr "" + +#: webadmin.cpp:395 webadmin.cpp:423 webadmin.cpp:1177 webadmin.cpp:2048 +msgid "Unable to load module [{1}]: {2}" +msgstr "" + +#: webadmin.cpp:400 webadmin.cpp:428 +msgid "Unable to load module [{1}] with arguments [{2}]" +msgstr "" + +#: webadmin.cpp:509 webadmin.cpp:613 webadmin.cpp:638 webadmin.cpp:660 +#: webadmin.cpp:694 webadmin.cpp:1244 +msgid "No such user" +msgstr "" + +#: webadmin.cpp:522 webadmin.cpp:554 webadmin.cpp:583 webadmin.cpp:599 +msgid "No such user or network" +msgstr "" + +#: webadmin.cpp:564 +msgid "No such channel" +msgstr "" + +#: webadmin.cpp:630 +msgid "Please don't delete yourself, suicide is not the answer!" +msgstr "" + +#: webadmin.cpp:703 webadmin.cpp:959 webadmin.cpp:1309 +msgid "Edit User [{1}]" +msgstr "" + +#: webadmin.cpp:707 webadmin.cpp:885 +msgid "Edit Network [{1}]" +msgstr "" + +#: webadmin.cpp:717 +msgid "Edit Channel [{1}] of Network [{2}] of User [{3}]" +msgstr "" + +#: webadmin.cpp:724 +msgid "Edit Channel [{1}]" +msgstr "" + +#: webadmin.cpp:732 +msgid "Add Channel to Network [{1}] of User [{2}]" +msgstr "" + +#: webadmin.cpp:737 +msgid "Add Channel" +msgstr "" + +#: webadmin.cpp:744 webadmin.cpp:1504 +msgid "Auto Clear Chan Buffer" +msgstr "" + +#: webadmin.cpp:746 +msgid "Automatically Clear Channel Buffer After Playback" +msgstr "" + +#: webadmin.cpp:754 +msgid "Detached" +msgstr "" + +#: webadmin.cpp:761 +msgid "Enabled" +msgstr "" + +#: webadmin.cpp:785 +msgid "Channel name is a required argument" +msgstr "" + +#: webadmin.cpp:794 +msgid "Channel [{1}] already exists" +msgstr "" + +#: webadmin.cpp:801 +msgid "Could not add channel [{1}]" +msgstr "" + +#: webadmin.cpp:849 +msgid "Channel was added/modified, but config file was not written" +msgstr "" + +#: webadmin.cpp:882 +msgid "Edit Network [{1}] of User [{2}]" +msgstr "" + +#: webadmin.cpp:889 webadmin.cpp:1066 +msgid "Network number limit reached. Ask an admin to increase the limit for you, or delete unneeded networks from Your Settings." +msgstr "" + +#: webadmin.cpp:897 +msgid "Add Network for User [{1}]" +msgstr "" + +#: webadmin.cpp:898 +msgid "Add Network" +msgstr "" + +#: webadmin.cpp:1060 +msgid "Network name is a required argument" +msgstr "" + +#: webadmin.cpp:1184 webadmin.cpp:2055 +msgid "Unable to reload module [{1}]: {2}" +msgstr "" + +#: webadmin.cpp:1221 +msgid "Network was added/modified, but config file was not written" +msgstr "" + +#: webadmin.cpp:1250 +msgid "That network doesn't exist for this user" +msgstr "" + +#: webadmin.cpp:1267 +msgid "Network was deleted, but config file was not written" +msgstr "" + +#: webadmin.cpp:1281 +msgid "That channel doesn't exist for this network" +msgstr "" + +#: webadmin.cpp:1290 +msgid "Channel was deleted, but config file was not written" +msgstr "" + +#: webadmin.cpp:1318 +msgid "Clone User [{1}]" +msgstr "" + +#: webadmin.cpp:1506 +msgid "Automatically Clear Channel Buffer After Playback (the default value for new channels)" +msgstr "" + +#: webadmin.cpp:1516 +msgid "Multi Clients" +msgstr "" + +#: webadmin.cpp:1523 +msgid "Append Timestamps" +msgstr "" + +#: webadmin.cpp:1530 +msgid "Prepend Timestamps" +msgstr "" + +#: webadmin.cpp:1538 +msgid "Deny LoadMod" +msgstr "" + +#: webadmin.cpp:1545 +msgid "Admin" +msgstr "" + +#: webadmin.cpp:1555 +msgid "Deny SetBindHost" +msgstr "" + +#: webadmin.cpp:1563 +msgid "Auto Clear Query Buffer" +msgstr "" + +#: webadmin.cpp:1565 +msgid "Automatically Clear Query Buffer After Playback" +msgstr "" + +#: webadmin.cpp:1589 +msgid "Invalid Submission: User {1} already exists" +msgstr "" + +#: webadmin.cpp:1611 webadmin.cpp:1622 +msgid "Invalid submission: {1}" +msgstr "" + +#: webadmin.cpp:1617 +msgid "User was added, but config file was not written" +msgstr "" + +#: webadmin.cpp:1628 +msgid "User was edited, but config file was not written" +msgstr "" + +#: webadmin.cpp:1786 +msgid "Choose either IPv4 or IPv6 or both." +msgstr "" + +#: webadmin.cpp:1803 +msgid "Choose either IRC or HTTP or both." +msgstr "" + +#: webadmin.cpp:1816 webadmin.cpp:1852 +msgid "Port was changed, but config file was not written" +msgstr "" + +#: webadmin.cpp:1842 +msgid "Invalid request." +msgstr "" + +#: webadmin.cpp:1856 +msgid "The specified listener was not found." +msgstr "" + +#: webadmin.cpp:2084 +msgid "Settings were changed, but config file was not written" +msgstr "" + diff --git a/modules/po/webadmin.pot b/modules/po/webadmin.pot index 84379cf8..53ba7c6d 100644 --- a/modules/po/webadmin.pot +++ b/modules/po/webadmin.pot @@ -2,490 +2,7 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" - -#: modules/po/../data/webadmin/tmpl/del_user.tmpl:5 -msgid "Confirm User Deletion" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/del_user.tmpl:9 -msgid "Are you sure you want to delete user “{1}”?" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/del_user.tmpl:14 -#: modules/po/../data/webadmin/tmpl/del_network.tmpl:14 -msgid "Yes" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/del_user.tmpl:17 -#: modules/po/../data/webadmin/tmpl/del_network.tmpl:17 -msgid "No" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/index.tmpl:5 -msgid "Welcome to the ZNC webadmin module." -msgstr "" - -#: modules/po/../data/webadmin/tmpl/index.tmpl:6 -msgid "" -"All changes you make will be in effect immediately after you submitted them." -msgstr "" - -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:15 -msgid "Authentication" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:19 -msgid "Username:" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:29 -msgid "Please enter a username." -msgstr "" - -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:34 -msgid "Password:" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:36 -msgid "Please enter a password." -msgstr "" - -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:39 -msgid "Confirm password:" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:41 -msgid "Please re-type the above password." -msgstr "" - -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:44 -msgid "Allowed IPs:" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:48 -msgid "" -"Leave empty to allow connections from all IPs.
Otherwise, one entry per " -"line, wildcards * and ? are available." -msgstr "" - -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:56 -msgid "IRC Information" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:58 -msgid "" -"Nick, AltNick, Ident, RealName and QuitMsg can be left empty to use default " -"values." -msgstr "" - -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:63 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:35 -msgid "Nickname:" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:65 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:37 -msgid "Your nickname on IRC." -msgstr "" - -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:68 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:40 -msgid "Alt. Nickname:" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:70 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:42 -msgid "Your secondary nickname, if the first is not available on IRC." -msgstr "" - -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:74 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:46 -msgid "Ident:" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:76 -msgid "The Ident is sent to server as username." -msgstr "" - -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:79 -#: modules/po/../data/webadmin/tmpl/settings.tmpl:102 -msgid "Status Prefix:" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:81 -#: modules/po/../data/webadmin/tmpl/settings.tmpl:104 -msgid "The prefix for the status and module queries." -msgstr "" - -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:85 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:51 -msgid "Realname:" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:87 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:53 -msgid "Your real name." -msgstr "" - -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:93 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:58 -msgid "BindHost:" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:99 -msgid "DCCBindHost:" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:106 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:65 -msgid "Quit Message:" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:108 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:67 -msgid "You may define a Message shown, when you quit IRC." -msgstr "" - -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:116 -#: modules/po/../data/webadmin/tmpl/listusers.tmpl:17 -#: modules/po/../data/webadmin/tmpl/traffic.tmpl:39 -msgid "Networks" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:123 -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:348 -#: modules/po/../data/webadmin/tmpl/listusers.tmpl:15 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:185 -#: modules/po/../data/webadmin/tmpl/settings.tmpl:72 -msgid "Add" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:125 -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:168 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:188 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:228 -#: modules/po/../data/webadmin/tmpl/settings.tmpl:170 -msgid "Name" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:126 -#: modules/po/../data/webadmin/tmpl/listusers.tmpl:18 -msgid "Clients" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:127 -msgid "Current Server" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:128 -msgid "Nick" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:130 -msgid "← Add a network (opens in same page)" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:140 -#: modules/po/../data/webadmin/tmpl/listusers.tmpl:27 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:204 -msgid "Edit" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:140 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:204 -#: modules/po/../data/webadmin/tmpl/settings.tmpl:53 -msgid "Del" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:154 -msgid "" -"You will be able to add + modify networks here after you have cloned the " -"user." -msgstr "" - -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:156 -msgid "" -"You will be able to add + modify networks here after you have created the " -"user." -msgstr "" - -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:162 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:222 -msgid "Modules" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:169 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:229 -#: modules/po/../data/webadmin/tmpl/settings.tmpl:171 -msgid "Arguments" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:170 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:230 -#: modules/po/../data/webadmin/tmpl/settings.tmpl:172 -msgid "Description" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:171 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:231 -msgid "Loaded globally" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:172 -#: modules/po/../data/webadmin/tmpl/settings.tmpl:173 -msgid "Loaded by networks" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:225 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:176 -msgid "Channels" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:229 -#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:36 -msgid "Default Modes:" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:231 -msgid "" -"These are the default modes ZNC will set when you join an empty channel." -msgstr "" - -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:232 -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:238 -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:257 -msgid "Empty = use standard value" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:235 -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:254 -#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:30 -msgid "Buffer Size:" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:237 -msgid "" -"This is the amount of lines that the playback buffer will store for channels " -"before dropping off the oldest line. The buffers are stored in the memory by " -"default." -msgstr "" - -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:245 -msgid "Queries" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:249 -msgid "Max Buffers:" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:251 -msgid "Maximum number of query buffers. 0 is unlimited." -msgstr "" - -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:256 -msgid "" -"This is the amount of lines that the playback buffer will store for queries " -"before dropping off the oldest line. The buffers are stored in the memory by " -"default." -msgstr "" - -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:264 -#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:46 -msgid "Flags" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:279 -msgid "ZNC Behavior" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:280 -msgid "" -"Any of the following text boxes can be left empty to use their default value." -msgstr "" - -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:284 -msgid "Timestamp Format:" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:286 -msgid "" -"The format for the timestamps used in buffers, for example [%H:%M:%S]. This " -"setting is ignored in new IRC clients, which use server-time. If your client " -"supports server-time, change timestamp format in client settings instead." -msgstr "" - -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:289 -msgid "Timezone:" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:292 -msgid "E.g. Europe/Berlin, or GMT-6" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:300 -msgid "Character encoding used between IRC client and ZNC." -msgstr "" - -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:301 -msgid "Client encoding:" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:306 -msgid "Join Tries:" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:308 -msgid "" -"This defines how many times ZNC tries to join a channel, if the first join " -"failed, e.g. due to channel mode +i/+k or if you are banned." -msgstr "" - -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:311 -msgid "Join speed:" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:313 -msgid "" -"How many channels are joined in one JOIN command. 0 is unlimited (default). " -"Set to small positive value if you get disconnected with “Max SendQ Exceeded”" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:316 -msgid "Timeout before reconnect:" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:318 -msgid "" -"How much time ZNC waits (in seconds) until it receives something from " -"network or declares the connection timeout. This happens after attempts to " -"ping the peer." -msgstr "" - -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:321 -msgid "Max IRC Networks Number:" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:323 -msgid "Maximum number of IRC networks allowed for this user." -msgstr "" - -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:326 -msgid "Substitutions" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:328 -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:336 -msgid "CTCP Replies:" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:332 -msgid "One reply per line. Example: TIME Buy a watch!" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:333 -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:349 -msgid "{1} are available" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:335 -msgid "Empty value means this CTCP request will be ignored" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:341 -msgid "Request" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:342 -msgid "Response" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:367 -#: modules/po/../data/webadmin/tmpl/settings.tmpl:90 -msgid "Skin:" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:371 -msgid "- Global -" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:373 -#: modules/po/../data/webadmin/tmpl/settings.tmpl:94 -msgid "Default" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:377 -msgid "No other skins found" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:383 -msgid "Language:" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:404 -#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:67 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:282 -msgid "Module {1}" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:413 -#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:75 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:290 -msgid "Save and return" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:414 -#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:76 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:291 -msgid "Save and continue" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:416 -msgid "Clone and return" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:417 -msgid "Clone and continue" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:419 -msgid "Create and return" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:420 -msgid "Create and continue" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:424 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:187 -#: modules/po/../data/webadmin/tmpl/settings.tmpl:231 -msgid "Save" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:426 -#: modules/po/../data/webadmin/tmpl/listusers.tmpl:28 -msgid "Clone" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:428 -msgid "Create" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/del_network.tmpl:5 -msgid "Confirm Network Deletion" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/del_network.tmpl:9 -msgid "Are you sure you want to delete network “{2}” of user “{1}”?" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/listusers.tmpl:16 -msgid "Username" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/listusers.tmpl:29 -#: modules/po/../data/webadmin/tmpl/settings.tmpl:21 -msgid "Delete" -msgstr "" +"Project-Id-Version: znc-bouncer\n" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:12 msgid "Channel Info" @@ -507,18 +24,52 @@ msgstr "" msgid "The password of the channel, if there is one." msgstr "" +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:30 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:235 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:254 +msgid "Buffer Size:" +msgstr "" + #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:32 msgid "The buffer count." msgstr "" +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:36 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:229 +msgid "Default Modes:" +msgstr "" + #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:38 msgid "The default modes of the channel." msgstr "" +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:46 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:264 +msgid "Flags" +msgstr "" + #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:51 msgid "Save to config" msgstr "" +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:67 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:282 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:404 +msgid "Module {1}" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:75 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:290 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:413 +msgid "Save and return" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:76 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:291 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:414 +msgid "Save and continue" +msgstr "" + #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:78 msgid "Add Channel and return" msgstr "" @@ -527,34 +78,6 @@ msgstr "" msgid "Add Channel and continue" msgstr "" -#: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:6 -msgid "ZNC is compiled without encodings support. {1} is required for it." -msgstr "" - -#: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:11 -msgid "Legacy mode is disabled by modpython." -msgstr "" - -#: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:18 -msgid "Don't ensure any encoding at all (legacy mode, not recommended)" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:22 -msgid "Try to parse as UTF-8 and as {1}, send as UTF-8 (recommended)" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:26 -msgid "Try to parse as UTF-8 and as {1}, send as {1}" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:30 -msgid "Parse and send as {1} only" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:36 -msgid "E.g. UTF-8, or ISO-8859-15" -msgstr "" - #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:8 #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:11 msgid "<password>" @@ -589,10 +112,60 @@ msgstr "" msgid "The name of the IRC network." msgstr "" +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:35 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:63 +msgid "Nickname:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:37 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:65 +msgid "Your nickname on IRC." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:40 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:68 +msgid "Alt. Nickname:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:42 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:70 +msgid "Your secondary nickname, if the first is not available on IRC." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:46 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:74 +msgid "Ident:" +msgstr "" + #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:48 msgid "Your ident." msgstr "" +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:51 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:85 +msgid "Realname:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:53 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:87 +msgid "Your real name." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:58 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:93 +msgid "BindHost:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:65 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:106 +msgid "Quit Message:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:67 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:108 +msgid "You may define a Message shown, when you quit IRC." +msgstr "" + #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:71 msgid "Active:" msgstr "" @@ -722,11 +295,38 @@ msgstr "" msgid "Server encoding:" msgstr "" +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:176 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:225 +msgid "Channels" +msgstr "" + #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:178 msgid "" "You will be able to add + modify channels here after you created the network." msgstr "" +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:185 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:123 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:348 +#: modules/po/../data/webadmin/tmpl/listusers.tmpl:15 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:72 +msgid "Add" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:187 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:424 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:231 +msgid "Save" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:188 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:228 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:125 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:168 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:170 +msgid "Name" +msgstr "" + #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:189 msgid "CurModes" msgstr "" @@ -747,6 +347,40 @@ msgstr "" msgid "← Add a channel (opens in same page)" msgstr "" +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:204 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:140 +#: modules/po/../data/webadmin/tmpl/listusers.tmpl:27 +msgid "Edit" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:204 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:140 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:53 +msgid "Del" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:222 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:162 +msgid "Modules" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:229 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:169 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:171 +msgid "Arguments" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:230 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:170 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:172 +msgid "Description" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:231 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:171 +msgid "Loaded globally" +msgstr "" + #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:232 msgid "Loaded by user" msgstr "" @@ -759,77 +393,371 @@ msgstr "" msgid "Add Network and continue" msgstr "" -#: modules/po/../data/webadmin/tmpl/traffic.tmpl:7 -msgid "Information" +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:15 +msgid "Authentication" msgstr "" -#: modules/po/../data/webadmin/tmpl/traffic.tmpl:13 -msgid "Uptime" +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:19 +msgid "Username:" msgstr "" -#: modules/po/../data/webadmin/tmpl/traffic.tmpl:18 -msgid "Total Users" +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:29 +msgid "Please enter a username." msgstr "" -#: modules/po/../data/webadmin/tmpl/traffic.tmpl:22 -msgid "Total Networks" +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:34 +msgid "Password:" msgstr "" -#: modules/po/../data/webadmin/tmpl/traffic.tmpl:26 -#: modules/po/../data/webadmin/tmpl/traffic.tmpl:43 -msgid "Attached Networks" +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:36 +msgid "Please enter a password." msgstr "" -#: modules/po/../data/webadmin/tmpl/traffic.tmpl:30 -msgid "Total Client Connections" +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:39 +msgid "Confirm password:" msgstr "" -#: modules/po/../data/webadmin/tmpl/traffic.tmpl:34 -msgid "Total IRC Connections" +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:41 +msgid "Please re-type the above password." msgstr "" -#: modules/po/../data/webadmin/tmpl/traffic.tmpl:47 -msgid "Client Connections" +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:44 +msgid "Allowed IPs:" msgstr "" -#: modules/po/../data/webadmin/tmpl/traffic.tmpl:51 -msgid "IRC Connections" +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:48 +msgid "" +"Leave empty to allow connections from all IPs.
Otherwise, one entry per " +"line, wildcards * and ? are available." msgstr "" -#: modules/po/../data/webadmin/tmpl/traffic.tmpl:63 -#: modules/po/../data/webadmin/tmpl/traffic.tmpl:72 -#: modules/po/../data/webadmin/tmpl/traffic.tmpl:89 -#: modules/po/../data/webadmin/tmpl/traffic.tmpl:117 -msgid "Total" +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:56 +msgid "IRC Information" msgstr "" -#: modules/po/../data/webadmin/tmpl/traffic.tmpl:70 -#: modules/po/../data/webadmin/tmpl/traffic.tmpl:115 -msgctxt "Traffic" -msgid "In" +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:58 +msgid "" +"Nick, AltNick, Ident, RealName and QuitMsg can be left empty to use default " +"values." msgstr "" -#: modules/po/../data/webadmin/tmpl/traffic.tmpl:71 -#: modules/po/../data/webadmin/tmpl/traffic.tmpl:116 -msgctxt "Traffic" -msgid "Out" +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:76 +msgid "The Ident is sent to server as username." msgstr "" -#: modules/po/../data/webadmin/tmpl/traffic.tmpl:77 -#: modules/po/../data/webadmin/tmpl/traffic.tmpl:104 -msgid "Users" +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:79 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:102 +msgid "Status Prefix:" msgstr "" -#: modules/po/../data/webadmin/tmpl/traffic.tmpl:106 -msgid "Traffic" +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:81 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:104 +msgid "The prefix for the status and module queries." msgstr "" -#: modules/po/../data/webadmin/tmpl/traffic.tmpl:113 -msgid "User" +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:99 +msgid "DCCBindHost:" msgstr "" -#: modules/po/../data/webadmin/tmpl/traffic.tmpl:114 -msgid "Network" +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:116 +#: modules/po/../data/webadmin/tmpl/listusers.tmpl:17 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:39 +msgid "Networks" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:126 +#: modules/po/../data/webadmin/tmpl/listusers.tmpl:18 +msgid "Clients" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:127 +msgid "Current Server" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:128 +msgid "Nick" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:130 +msgid "← Add a network (opens in same page)" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:154 +msgid "" +"You will be able to add + modify networks here after you have cloned the " +"user." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:156 +msgid "" +"You will be able to add + modify networks here after you have created the " +"user." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:172 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:173 +msgid "Loaded by networks" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:231 +msgid "" +"These are the default modes ZNC will set when you join an empty channel." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:232 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:238 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:257 +msgid "Empty = use standard value" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:237 +msgid "" +"This is the amount of lines that the playback buffer will store for channels " +"before dropping off the oldest line. The buffers are stored in the memory by " +"default." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:245 +msgid "Queries" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:249 +msgid "Max Buffers:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:251 +msgid "Maximum number of query buffers. 0 is unlimited." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:256 +msgid "" +"This is the amount of lines that the playback buffer will store for queries " +"before dropping off the oldest line. The buffers are stored in the memory by " +"default." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:279 +msgid "ZNC Behavior" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:280 +msgid "" +"Any of the following text boxes can be left empty to use their default value." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:284 +msgid "Timestamp Format:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:286 +msgid "" +"The format for the timestamps used in buffers, for example [%H:%M:%S]. This " +"setting is ignored in new IRC clients, which use server-time. If your client " +"supports server-time, change timestamp format in client settings instead." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:289 +msgid "Timezone:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:292 +msgid "E.g. Europe/Berlin, or GMT-6" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:300 +msgid "Character encoding used between IRC client and ZNC." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:301 +msgid "Client encoding:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:306 +msgid "Join Tries:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:308 +msgid "" +"This defines how many times ZNC tries to join a channel, if the first join " +"failed, e.g. due to channel mode +i/+k or if you are banned." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:311 +msgid "Join speed:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:313 +msgid "" +"How many channels are joined in one JOIN command. 0 is unlimited (default). " +"Set to small positive value if you get disconnected with “Max SendQ Exceeded”" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:316 +msgid "Timeout before reconnect:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:318 +msgid "" +"How much time ZNC waits (in seconds) until it receives something from " +"network or declares the connection timeout. This happens after attempts to " +"ping the peer." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:321 +msgid "Max IRC Networks Number:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:323 +msgid "Maximum number of IRC networks allowed for this user." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:326 +msgid "Substitutions" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:328 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:336 +msgid "CTCP Replies:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:332 +msgid "One reply per line. Example: TIME Buy a watch!" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:333 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:349 +msgid "{1} are available" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:335 +msgid "Empty value means this CTCP request will be ignored" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:341 +msgid "Request" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:342 +msgid "Response" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:367 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:90 +msgid "Skin:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:371 +msgid "- Global -" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:373 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:94 +msgid "Default" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:377 +msgid "No other skins found" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:383 +msgid "Language:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:416 +msgid "Clone and return" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:417 +msgid "Clone and continue" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:419 +msgid "Create and return" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:420 +msgid "Create and continue" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:426 +#: modules/po/../data/webadmin/tmpl/listusers.tmpl:28 +msgid "Clone" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:428 +msgid "Create" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/del_network.tmpl:5 +msgid "Confirm Network Deletion" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/del_network.tmpl:9 +msgid "Are you sure you want to delete network “{2}” of user “{1}”?" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/del_network.tmpl:14 +#: modules/po/../data/webadmin/tmpl/del_user.tmpl:14 +msgid "Yes" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/del_network.tmpl:17 +#: modules/po/../data/webadmin/tmpl/del_user.tmpl:17 +msgid "No" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/del_user.tmpl:5 +msgid "Confirm User Deletion" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/del_user.tmpl:9 +msgid "Are you sure you want to delete user “{1}”?" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:6 +msgid "ZNC is compiled without encodings support. {1} is required for it." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:11 +msgid "Legacy mode is disabled by modpython." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:18 +msgid "Don't ensure any encoding at all (legacy mode, not recommended)" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:22 +msgid "Try to parse as UTF-8 and as {1}, send as UTF-8 (recommended)" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:26 +msgid "Try to parse as UTF-8 and as {1}, send as {1}" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:30 +msgid "Parse and send as {1} only" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:36 +msgid "E.g. UTF-8, or ISO-8859-15" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/index.tmpl:5 +msgid "Welcome to the ZNC webadmin module." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/index.tmpl:6 +msgid "" +"All changes you make will be in effect immediately after you submitted them." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/listusers.tmpl:16 +msgid "Username" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/listusers.tmpl:29 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:21 +msgid "Delete" msgstr "" #: modules/po/../data/webadmin/tmpl/settings.tmpl:6 @@ -947,6 +875,79 @@ msgstr "" msgid "Loaded by users" msgstr "" +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:7 +msgid "Information" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:13 +msgid "Uptime" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:18 +msgid "Total Users" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:22 +msgid "Total Networks" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:26 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:43 +msgid "Attached Networks" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:30 +msgid "Total Client Connections" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:34 +msgid "Total IRC Connections" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:47 +msgid "Client Connections" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:51 +msgid "IRC Connections" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:63 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:72 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:89 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:117 +msgid "Total" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:70 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:115 +msgctxt "Traffic" +msgid "In" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:71 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:116 +msgctxt "Traffic" +msgid "Out" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:77 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:104 +msgid "Users" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:106 +msgid "Traffic" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:113 +msgid "User" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:114 +msgid "Network" +msgstr "" + #: webadmin.cpp:91 webadmin.cpp:1866 msgid "Global Settings" msgstr "" diff --git a/modules/po/webadmin.ru.po b/modules/po/webadmin.ru.po index 427ac53f..10fa63a1 100644 --- a/modules/po/webadmin.ru.po +++ b/modules/po/webadmin.ru.po @@ -1,43 +1,388 @@ -# Alexey Sokolov, 2016. msgid "" msgstr "" -"Project-Id-Version: znc 1.7.x\n" -"PO-Revision-Date: 2016-02-24 22:25+0000\n" -"Last-Translator: Alexey Sokolov\n" -"Language: ru\n" -"MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n" -"%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" -"X-Generator: Lokalize 1.5\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: ru\n" +"X-Crowdin-File: /master/modules/po/webadmin.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Russian\n" +"Language: ru_RU\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" -#: modules/po/../data/webadmin/tmpl/del_user.tmpl:5 -msgid "Confirm User Deletion" -msgstr "Подтверждение удаления пользователя" +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:12 +msgid "Channel Info" +msgstr "Информация о канале" -#: modules/po/../data/webadmin/tmpl/del_user.tmpl:9 -msgid "Are you sure you want to delete user “{1}”?" -msgstr "Вы действительно хотите удалить пользователя «{1}»?" +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:17 +msgid "Channel Name:" +msgstr "Название канала:" -#: modules/po/../data/webadmin/tmpl/del_user.tmpl:14 -#: modules/po/../data/webadmin/tmpl/del_network.tmpl:14 -msgid "Yes" -msgstr "Да" +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:19 +msgid "The channel name." +msgstr "Название канала." -#: modules/po/../data/webadmin/tmpl/del_user.tmpl:17 -#: modules/po/../data/webadmin/tmpl/del_network.tmpl:17 -msgid "No" -msgstr "Нет" +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:24 +msgid "Key:" +msgstr "Ключ:" -#: modules/po/../data/webadmin/tmpl/index.tmpl:5 -msgid "Welcome to the ZNC webadmin module." -msgstr "Добро пожаловать в webadmin ZNC." +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:26 +msgid "The password of the channel, if there is one." +msgstr "Пароль от канала, если имеется." -#: modules/po/../data/webadmin/tmpl/index.tmpl:6 -msgid "" -"All changes you make will be in effect immediately after you submitted them." -msgstr "Все изменения войдут в силу сразу, как только вы их сделаете." +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:30 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:235 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:254 +msgid "Buffer Size:" +msgstr "Размер буфера:" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:32 +msgid "The buffer count." +msgstr "Размер буфера." + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:36 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:229 +msgid "Default Modes:" +msgstr "Режимы по умолчанию:" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:38 +msgid "The default modes of the channel." +msgstr "Режимы канала по умолчанию." + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:46 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:264 +msgid "Flags" +msgstr "Переключатели" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:51 +msgid "Save to config" +msgstr "Сохранять в файл конфигурации" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:67 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:282 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:404 +msgid "Module {1}" +msgstr "Модуль {1}" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:75 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:290 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:413 +msgid "Save and return" +msgstr "Сохранить и вернуться" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:76 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:291 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:414 +msgid "Save and continue" +msgstr "Сохранить и продолжить" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:78 +msgid "Add Channel and return" +msgstr "Добавить канал и вернуться" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:79 +msgid "Add Channel and continue" +msgstr "Добавить канал и продолжить" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:8 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:11 +msgid "<password>" +msgstr "<пароль>" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:11 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:12 +msgid "<network>" +msgstr "<сеть>" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:14 +msgid "To connect to this network from your IRC client, you can set the server password field as {1} or username field as {2}" +msgstr "Чтобы войти в эту сеть из вашего клиента IRC, установите пароль сервера в {1} либо имя пользователя в {2}" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:24 +msgid "Network Info" +msgstr "Информация о сети" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:25 +msgid "Nick, AltNick, Ident, RealName, BindHost can be left empty to use the value from the user." +msgstr "Оставьте ник, идент, настоящее имя и хост пустыми, чтобы использовать значения, заданные в настройках пользователя." + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:29 +msgid "Network Name:" +msgstr "Название сети:" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:31 +msgid "The name of the IRC network." +msgstr "Название этой сети IRC." + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:35 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:63 +msgid "Nickname:" +msgstr "Ник:" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:37 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:65 +msgid "Your nickname on IRC." +msgstr "Ваш ник в IRC." + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:40 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:68 +msgid "Alt. Nickname:" +msgstr "Второй ник:" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:42 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:70 +msgid "Your secondary nickname, if the first is not available on IRC." +msgstr "Ваш второй ник, на случай если первый недоступен." + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:46 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:74 +msgid "Ident:" +msgstr "Идент:" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:48 +msgid "Your ident." +msgstr "Ваш ident, отсылается на сервер в качестве имени пользователя." + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:51 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:85 +msgid "Realname:" +msgstr "Настоящее имя:" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:53 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:87 +msgid "Your real name." +msgstr "Ваше настоящее имя." + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:58 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:93 +msgid "BindHost:" +msgstr "Хост:" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:65 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:106 +msgid "Quit Message:" +msgstr "Сообщение при выходе:" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:67 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:108 +msgid "You may define a Message shown, when you quit IRC." +msgstr "Вы можете установить сообщение, которое будет показано, когда вы выходите из IRC." + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:71 +msgid "Active:" +msgstr "Сеть активна:" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:73 +msgid "Connect to IRC & automatically re-connect" +msgstr "Подключаться к IRC и автоматически переподключаться" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:77 +msgid "Trust all certs:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:79 +msgid "Disable certificate validation (takes precedence over TrustPKI). INSECURE!" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:83 +msgid "Trust the PKI:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:85 +msgid "Setting this to false will trust only certificates you added fingerprints for." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:89 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:96 +msgid "Servers of this IRC network:" +msgstr "Серверы этой сети IRC:" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:93 +msgid "One server per line, “host [[+]port] [password]”, + means SSL" +msgstr "По одному серверу в каждой строке в формате «хост [[+]порт] [пароль]», + означает SSL" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:101 +msgid "Hostname" +msgstr "Хост" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:102 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:13 +msgid "Port" +msgstr "Порт" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:103 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:15 +msgid "SSL" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:104 +msgid "Password" +msgstr "Пароль" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:116 +msgid "SHA-256 fingerprints of trusted SSL certificates of this IRC network:" +msgstr "Отпечатки пальцев SHA-256 доверенных сертификатов SSL этой сети IRC:" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:120 +msgid "When these certificates are encountered, checks for hostname, expiration date, CA are skipped" +msgstr "Если сервер предоставил один из указанных сертификатов, то соединение будет продолжено независимо от времени окончания сертификата, наличия подписи известным центром сертификации и имени хоста" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:124 +msgid "Flood protection:" +msgstr "Защита от флуда:" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:127 +msgid "You might enable the flood protection. This prevents “excess flood” errors, which occur, when your IRC bot is command flooded or spammed. After changing this, reconnect ZNC to server." +msgstr "Вы можете включить защиту от флуда. Это предотвращает ошибки вида «Excess flood», которые случаются, когда ZNC шлёт данные на сервер слишком быстро. После изменения переподключите ZNC к серверу." + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:130 +msgctxt "Flood Protection" +msgid "Enabled" +msgstr "Включена" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:134 +msgid "Flood protection rate:" +msgstr "Скорость флуда:" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:137 +msgid "The number of seconds per line. After changing this, reconnect ZNC to server." +msgstr "Сколько секунд ждать между отправкой двух строк. После изменения переподключите ZNC к серверу." + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:140 +msgid "{1} seconds per line" +msgstr "{1} секунд на строку" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:144 +msgid "Flood protection burst:" +msgstr "Взрыв флуда:" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:147 +msgid "Defines the number of lines, which can be sent immediately. After changing this, reconnect ZNC to server." +msgstr "Количество строк, которые могут посланы на сервер без задержки. После изменения переподключите ZNC к серверу." + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:150 +msgid "{1} lines can be sent immediately" +msgstr "{1} строк отсылаются без задержки" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:154 +msgid "Channel join delay:" +msgstr "Задержка входа на каналы:" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:157 +msgid "Defines the delay in seconds, until channels are joined after getting connected." +msgstr "Время в секундах, которое надо ждать между установлением соединения и заходом на каналы." + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:160 +msgid "{1} seconds" +msgstr "{1} секунд" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:165 +msgid "Character encoding used between ZNC and IRC server." +msgstr "Кодировка символов, используемая между ZNC и сервером IRC." + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:166 +msgid "Server encoding:" +msgstr "Кодировка сервера:" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:176 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:225 +msgid "Channels" +msgstr "Каналы" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:178 +msgid "You will be able to add + modify channels here after you created the network." +msgstr "Здесь после создания сети вы сможете добавлять и изменять каналы." + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:185 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:123 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:348 +#: modules/po/../data/webadmin/tmpl/listusers.tmpl:15 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:72 +msgid "Add" +msgstr "Добавить" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:187 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:424 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:231 +msgid "Save" +msgstr "Сохранить" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:188 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:228 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:125 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:168 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:170 +msgid "Name" +msgstr "Название" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:189 +msgid "CurModes" +msgstr "Текущие режимы" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:190 +msgid "DefModes" +msgstr "Режимы по умолчанию" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:191 +msgid "BufferSize" +msgstr "Размер буфера" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:192 +msgid "Options" +msgstr "Опции" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:194 +msgid "← Add a channel (opens in same page)" +msgstr "← Новый канал (открывается на той же странице)" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:204 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:140 +#: modules/po/../data/webadmin/tmpl/listusers.tmpl:27 +msgid "Edit" +msgstr "Изменить" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:204 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:140 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:53 +msgid "Del" +msgstr "Удалить" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:222 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:162 +msgid "Modules" +msgstr "Модули" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:229 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:169 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:171 +msgid "Arguments" +msgstr "Параметры" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:230 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:170 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:172 +msgid "Description" +msgstr "Описание" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:231 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:171 +msgid "Loaded globally" +msgstr "Загру­жено гло­бально" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:232 +msgid "Loaded by user" +msgstr "Загру­жено пользо­вателем" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:293 +msgid "Add Network and return" +msgstr "Добавить сеть и вернуться" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:294 +msgid "Add Network and continue" +msgstr "Добавить сеть и продолжить" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:15 msgid "Authentication" @@ -72,49 +417,16 @@ msgid "Allowed IPs:" msgstr "Разрешённые IP-адреса:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:48 -msgid "" -"Leave empty to allow connections from all IPs.
Otherwise, one entry per " -"line, wildcards * and ? are available." -msgstr "" -"Оставьте пустым, чтобы подключаться с любого адреса.
Иначе, введите по " -"одному IP на строку. Также доступны спецсимволы * и ?." +msgid "Leave empty to allow connections from all IPs.
Otherwise, one entry per line, wildcards * and ? are available." +msgstr "Оставьте пустым, чтобы подключаться с любого адреса.
Иначе, введите по одному IP на строку. Также доступны спецсимволы * и ?." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:56 msgid "IRC Information" msgstr "Информация IRC" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:58 -msgid "" -"Nick, AltNick, Ident, RealName and QuitMsg can be left empty to use default " -"values." -msgstr "" -"Оставьте ник, идент, настоящее имя и хост пустыми, чтобы использовать " -"значения по умолчанию." - -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:63 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:35 -msgid "Nickname:" -msgstr "Ник:" - -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:65 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:37 -msgid "Your nickname on IRC." -msgstr "Ваш ник в IRC." - -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:68 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:40 -msgid "Alt. Nickname:" -msgstr "Второй ник:" - -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:70 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:42 -msgid "Your secondary nickname, if the first is not available on IRC." -msgstr "Ваш второй ник, на случай если первый недоступен." - -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:74 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:46 -msgid "Ident:" -msgstr "Идент:" +msgid "Nick, AltNick, Ident, RealName and QuitMsg can be left empty to use default values." +msgstr "Оставьте ник, идент, настоящее имя и хост пустыми, чтобы использовать значения по умолчанию." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:76 msgid "The Ident is sent to server as username." @@ -130,59 +442,16 @@ msgstr "Префикс для status" msgid "The prefix for the status and module queries." msgstr "Префикс для общения с модулями и статусом" -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:85 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:51 -msgid "Realname:" -msgstr "Настоящее имя:" - -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:87 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:53 -msgid "Your real name." -msgstr "Ваше настоящее имя." - -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:93 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:58 -msgid "BindHost:" -msgstr "Хост:" - #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:99 msgid "DCCBindHost:" msgstr "Хост для DCC:" -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:106 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:65 -msgid "Quit Message:" -msgstr "Сообщение при выходе:" - -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:108 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:67 -msgid "You may define a Message shown, when you quit IRC." -msgstr "" -"Вы можете установить сообщение, которое будет показано, когда вы выходите из " -"IRC." - #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:116 #: modules/po/../data/webadmin/tmpl/listusers.tmpl:17 #: modules/po/../data/webadmin/tmpl/traffic.tmpl:39 msgid "Networks" msgstr "Сети" -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:123 -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:348 -#: modules/po/../data/webadmin/tmpl/listusers.tmpl:15 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:185 -#: modules/po/../data/webadmin/tmpl/settings.tmpl:72 -msgid "Add" -msgstr "Добавить" - -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:125 -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:168 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:188 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:228 -#: modules/po/../data/webadmin/tmpl/settings.tmpl:170 -msgid "Name" -msgstr "Название" - #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:126 #: modules/po/../data/webadmin/tmpl/listusers.tmpl:18 msgid "Clients" @@ -200,75 +469,22 @@ msgstr "Ник" msgid "← Add a network (opens in same page)" msgstr "← Новая сеть (открывается на той же странице)" -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:140 -#: modules/po/../data/webadmin/tmpl/listusers.tmpl:27 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:204 -msgid "Edit" -msgstr "Изменить" - -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:140 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:204 -#: modules/po/../data/webadmin/tmpl/settings.tmpl:53 -msgid "Del" -msgstr "Удалить" - #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:154 -msgid "" -"You will be able to add + modify networks here after you have cloned the " -"user." -msgstr "" -"Здесь после клонирования пользователя вы сможете добавлять и изменять сети." +msgid "You will be able to add + modify networks here after you have cloned the user." +msgstr "Здесь после клонирования пользователя вы сможете добавлять и изменять сети." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:156 -msgid "" -"You will be able to add + modify networks here after you have created the " -"user." -msgstr "" -"Здесь после создания пользователя вы сможете добавлять и изменять сети." - -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:162 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:222 -msgid "Modules" -msgstr "Модули" - -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:169 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:229 -#: modules/po/../data/webadmin/tmpl/settings.tmpl:171 -msgid "Arguments" -msgstr "Параметры" - -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:170 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:230 -#: modules/po/../data/webadmin/tmpl/settings.tmpl:172 -msgid "Description" -msgstr "Описание" - -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:171 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:231 -msgid "Loaded globally" -msgstr "Загру­жено гло­бально" +msgid "You will be able to add + modify networks here after you have created the user." +msgstr "Здесь после создания пользователя вы сможете добавлять и изменять сети." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:172 #: modules/po/../data/webadmin/tmpl/settings.tmpl:173 msgid "Loaded by networks" msgstr "Загружено сетями" -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:225 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:176 -msgid "Channels" -msgstr "Каналы" - -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:229 -#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:36 -msgid "Default Modes:" -msgstr "Режимы по умолчанию:" - #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:231 -msgid "" -"These are the default modes ZNC will set when you join an empty channel." -msgstr "" -"Режимы канала по умолчанию, которые ZNC будет выставлять при заходе на " -"пустой канал." +msgid "These are the default modes ZNC will set when you join an empty channel." +msgstr "Режимы канала по умолчанию, которые ZNC будет выставлять при заходе на пустой канал." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:232 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:238 @@ -276,20 +492,9 @@ msgstr "" msgid "Empty = use standard value" msgstr "Если пусто, используется значение по умолчанию" -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:235 -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:254 -#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:30 -msgid "Buffer Size:" -msgstr "Размер буфера:" - #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:237 -msgid "" -"This is the amount of lines that the playback buffer will store for channels " -"before dropping off the oldest line. The buffers are stored in the memory by " -"default." -msgstr "" -"Количество строк в буферах для истории каналов. При переполнении из буфера " -"удаляются самые старые строки. По умолчанию буферы хранятся в памяти." +msgid "This is the amount of lines that the playback buffer will store for channels before dropping off the oldest line. The buffers are stored in the memory by default." +msgstr "Количество строк в буферах для истории каналов. При переполнении из буфера удаляются самые старые строки. По умолчанию буферы хранятся в памяти." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:245 msgid "Queries" @@ -301,47 +506,27 @@ msgstr "Максимальное число буферов:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:251 msgid "Maximum number of query buffers. 0 is unlimited." -msgstr "" -"Максимальное число собеседников, личные переписки с которыми будут сохранены " -"в буферах. 0 — без ограничений." +msgstr "Максимальное число собеседников, личные переписки с которыми будут сохранены в буферах. 0 — без ограничений." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:256 -msgid "" -"This is the amount of lines that the playback buffer will store for queries " -"before dropping off the oldest line. The buffers are stored in the memory by " -"default." -msgstr "" -"Количество строк в буферах для истории личных переписок. При переполнении из " -"буфера удаляются самые старые строки. По умолчанию буферы хранятся в памяти." - -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:264 -#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:46 -msgid "Flags" -msgstr "Переключатели" +msgid "This is the amount of lines that the playback buffer will store for queries before dropping off the oldest line. The buffers are stored in the memory by default." +msgstr "Количество строк в буферах для истории личных переписок. При переполнении из буфера удаляются самые старые строки. По умолчанию буферы хранятся в памяти." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:279 msgid "ZNC Behavior" msgstr "Поведение ZNC" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:280 -msgid "" -"Any of the following text boxes can be left empty to use their default value." -msgstr "" -"Можете оставить поля пустыми, чтобы использовать значения по умолчанию." +msgid "Any of the following text boxes can be left empty to use their default value." +msgstr "Можете оставить поля пустыми, чтобы использовать значения по умолчанию." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:284 msgid "Timestamp Format:" msgstr "Формат времени:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:286 -msgid "" -"The format for the timestamps used in buffers, for example [%H:%M:%S]. This " -"setting is ignored in new IRC clients, which use server-time. If your client " -"supports server-time, change timestamp format in client settings instead." -msgstr "" -"Формат отметок времени для буферов, например [%H:%M:%S]. В современных " -"клиентах, поддерживающих расширение server-time, эта настройка игнорируется, " -"при этом формат времени настраивается в самом клиенте." +msgid "The format for the timestamps used in buffers, for example [%H:%M:%S]. This setting is ignored in new IRC clients, which use server-time. If your client supports server-time, change timestamp format in client settings instead." +msgstr "Формат отметок времени для буферов, например [%H:%M:%S]. В современных клиентах, поддерживающих расширение server-time, эта настройка игнорируется, при этом формат времени настраивается в самом клиенте." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:289 msgid "Timezone:" @@ -364,35 +549,23 @@ msgid "Join Tries:" msgstr "Попыток входа на канал:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:308 -msgid "" -"This defines how many times ZNC tries to join a channel, if the first join " -"failed, e.g. due to channel mode +i/+k or if you are banned." -msgstr "" -"Сколько раз ZNC пытается зайти на канал. Неуспех может быть, например, из-за " -"режимов канала +i или +k или если вас оттуда выгнали." +msgid "This defines how many times ZNC tries to join a channel, if the first join failed, e.g. due to channel mode +i/+k or if you are banned." +msgstr "Сколько раз ZNC пытается зайти на канал. Неуспех может быть, например, из-за режимов канала +i или +k или если вас оттуда выгнали." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:311 msgid "Join speed:" msgstr "Скорость входа на каналы:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:313 -msgid "" -"How many channels are joined in one JOIN command. 0 is unlimited (default). " -"Set to small positive value if you get disconnected with “Max SendQ Exceeded”" -msgstr "" -"На сколько каналов заходить одной командой JOIN. 0 — неограничено, это " -"значение по умолчанию. Установите в маленькое положительное число, если вас " -"отключает с ошибкой «Max SendQ Exceeded»" +msgid "How many channels are joined in one JOIN command. 0 is unlimited (default). Set to small positive value if you get disconnected with “Max SendQ Exceeded”" +msgstr "На сколько каналов заходить одной командой JOIN. 0 — неограничено, это значение по умолчанию. Установите в маленькое положительное число, если вас отключает с ошибкой «Max SendQ Exceeded»" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:316 msgid "Timeout before reconnect:" msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:318 -msgid "" -"How much time ZNC waits (in seconds) until it receives something from " -"network or declares the connection timeout. This happens after attempts to " -"ping the peer." +msgid "How much time ZNC waits (in seconds) until it receives something from network or declares the connection timeout. This happens after attempts to ping the peer." msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:321 @@ -401,9 +574,7 @@ msgstr "Ограничение количества сетей IRC:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:323 msgid "Maximum number of IRC networks allowed for this user." -msgstr "" -"Наибольшее разрешённое число сетей IRC, которые может иметь этот " -"пользователь." +msgstr "Наибольшее разрешённое число сетей IRC, которые может иметь этот пользователь." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:326 msgid "Substitutions" @@ -457,24 +628,6 @@ msgstr "Другие темы не найдены" msgid "Language:" msgstr "Язык:" -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:404 -#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:67 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:282 -msgid "Module {1}" -msgstr "Модуль {1}" - -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:413 -#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:75 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:290 -msgid "Save and return" -msgstr "Сохранить и вернуться" - -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:414 -#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:76 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:291 -msgid "Save and continue" -msgstr "Сохранить и продолжить" - #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:416 msgid "Clone and return" msgstr "Склонировать и вернуться" @@ -491,12 +644,6 @@ msgstr "Создать и вернуться" msgid "Create and continue" msgstr "Создать и продолжить" -#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:424 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:187 -#: modules/po/../data/webadmin/tmpl/settings.tmpl:231 -msgid "Save" -msgstr "Сохранить" - #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:426 #: modules/po/../data/webadmin/tmpl/listusers.tmpl:28 msgid "Clone" @@ -514,59 +661,27 @@ msgstr "Подтверждение удаления сети" msgid "Are you sure you want to delete network “{2}” of user “{1}”?" msgstr "Вы действительно хотите удалить сеть «{2}» пользователя «{1}»?" -#: modules/po/../data/webadmin/tmpl/listusers.tmpl:16 -msgid "Username" -msgstr "Пользователь" +#: modules/po/../data/webadmin/tmpl/del_network.tmpl:14 +#: modules/po/../data/webadmin/tmpl/del_user.tmpl:14 +msgid "Yes" +msgstr "Да" -#: modules/po/../data/webadmin/tmpl/listusers.tmpl:29 -#: modules/po/../data/webadmin/tmpl/settings.tmpl:21 -msgid "Delete" -msgstr "Удалить" +#: modules/po/../data/webadmin/tmpl/del_network.tmpl:17 +#: modules/po/../data/webadmin/tmpl/del_user.tmpl:17 +msgid "No" +msgstr "Нет" -#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:12 -msgid "Channel Info" -msgstr "Информация о канале" +#: modules/po/../data/webadmin/tmpl/del_user.tmpl:5 +msgid "Confirm User Deletion" +msgstr "Подтверждение удаления пользователя" -#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:17 -msgid "Channel Name:" -msgstr "Название канала:" - -#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:19 -msgid "The channel name." -msgstr "Название канала." - -#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:24 -msgid "Key:" -msgstr "Ключ:" - -#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:26 -msgid "The password of the channel, if there is one." -msgstr "Пароль от канала, если имеется." - -#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:32 -msgid "The buffer count." -msgstr "Размер буфера." - -#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:38 -msgid "The default modes of the channel." -msgstr "Режимы канала по умолчанию." - -#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:51 -msgid "Save to config" -msgstr "Сохранять в файл конфигурации" - -#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:78 -msgid "Add Channel and return" -msgstr "Добавить канал и вернуться" - -#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:79 -msgid "Add Channel and continue" -msgstr "Добавить канал и продолжить" +#: modules/po/../data/webadmin/tmpl/del_user.tmpl:9 +msgid "Are you sure you want to delete user “{1}”?" +msgstr "Вы действительно хотите удалить пользователя «{1}»?" #: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:6 msgid "ZNC is compiled without encodings support. {1} is required for it." -msgstr "" -"ZNC собран без поддержки кодировки. Для этого необходима библиотека {1}." +msgstr "ZNC собран без поддержки кодировки. Для этого необходима библиотека {1}." #: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:11 msgid "Legacy mode is disabled by modpython." @@ -592,227 +707,130 @@ msgstr "Принимать и отсылать только как {1}" msgid "E.g. UTF-8, or ISO-8859-15" msgstr "Например, UTF-8 или CP-1251" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:8 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:11 -msgid "<password>" -msgstr "<пароль>" +#: modules/po/../data/webadmin/tmpl/index.tmpl:5 +msgid "Welcome to the ZNC webadmin module." +msgstr "Добро пожаловать в webadmin ZNC." -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:11 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:12 -msgid "<network>" -msgstr "<сеть>" +#: modules/po/../data/webadmin/tmpl/index.tmpl:6 +msgid "All changes you make will be in effect immediately after you submitted them." +msgstr "Все изменения войдут в силу сразу, как только вы их сделаете." -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:14 -msgid "" -"To connect to this network from your IRC client, you can set the server " -"password field as {1} or username field as {2}" -msgstr "" -"Чтобы войти в эту сеть из вашего клиента IRC, установите пароль сервера в " -"{1} либо имя пользователя в {2}" +#: modules/po/../data/webadmin/tmpl/listusers.tmpl:16 +msgid "Username" +msgstr "Пользователь" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:24 -msgid "Network Info" -msgstr "Информация о сети" +#: modules/po/../data/webadmin/tmpl/listusers.tmpl:29 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:21 +msgid "Delete" +msgstr "Удалить" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:25 -msgid "" -"Nick, AltNick, Ident, RealName, BindHost can be left empty to use the value " -"from the user." -msgstr "" -"Оставьте ник, идент, настоящее имя и хост пустыми, чтобы использовать " -"значения, заданные в настройках пользователя." +#: modules/po/../data/webadmin/tmpl/settings.tmpl:6 +msgid "Listen Port(s)" +msgstr "Слушающие порты" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:29 -msgid "Network Name:" -msgstr "Название сети:" - -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:31 -msgid "The name of the IRC network." -msgstr "Название этой сети IRC." - -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:48 -msgid "Your ident." -msgstr "Ваш ident, отсылается на сервер в качестве имени пользователя." - -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:71 -msgid "Active:" -msgstr "Сеть активна:" - -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:73 -msgid "Connect to IRC & automatically re-connect" -msgstr "Подключаться к IRC и автоматически переподключаться" - -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:77 -msgid "Trust all certs:" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:79 -msgid "" -"Disable certificate validation (takes precedence over TrustPKI). INSECURE!" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:83 -msgid "Trust the PKI:" -msgstr "" - -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:85 -msgid "" -"Setting this to false will trust only certificates you added fingerprints " -"for." -msgstr "" - -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:89 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:96 -msgid "Servers of this IRC network:" -msgstr "Серверы этой сети IRC:" - -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:93 -msgid "One server per line, “host [[+]port] [password]”, + means SSL" -msgstr "" -"По одному серверу в каждой строке в формате «хост [[+]порт] [пароль]», + " -"означает SSL" - -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:101 -msgid "Hostname" +#: modules/po/../data/webadmin/tmpl/settings.tmpl:14 +msgid "BindHost" msgstr "Хост" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:102 -#: modules/po/../data/webadmin/tmpl/settings.tmpl:13 -msgid "Port" -msgstr "Порт" - -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:103 -#: modules/po/../data/webadmin/tmpl/settings.tmpl:15 -msgid "SSL" -msgstr "SSL" - -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:104 -msgid "Password" -msgstr "Пароль" - -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:116 -msgid "SHA-256 fingerprints of trusted SSL certificates of this IRC network:" -msgstr "Отпечатки пальцев SHA-256 доверенных сертификатов SSL этой сети IRC:" - -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:120 -msgid "" -"When these certificates are encountered, checks for hostname, expiration " -"date, CA are skipped" +#: modules/po/../data/webadmin/tmpl/settings.tmpl:16 +msgid "IPv4" msgstr "" -"Если сервер предоставил один из указанных сертификатов, то соединение будет " -"продолжено независимо от времени окончания сертификата, наличия подписи " -"известным центром сертификации и имени хоста" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:124 -msgid "Flood protection:" -msgstr "Защита от флуда:" - -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:127 -msgid "" -"You might enable the flood protection. This prevents “excess flood” errors, " -"which occur, when your IRC bot is command flooded or spammed. After changing " -"this, reconnect ZNC to server." +#: modules/po/../data/webadmin/tmpl/settings.tmpl:17 +msgid "IPv6" msgstr "" -"Вы можете включить защиту от флуда. Это предотвращает ошибки вида «Excess " -"flood», которые случаются, когда ZNC шлёт данные на сервер слишком быстро. " -"После изменения переподключите ZNC к серверу." -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:130 -msgctxt "Flood Protection" -msgid "Enabled" -msgstr "Включена" - -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:134 -msgid "Flood protection rate:" -msgstr "Скорость флуда:" - -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:137 -msgid "" -"The number of seconds per line. After changing this, reconnect ZNC to server." +#: modules/po/../data/webadmin/tmpl/settings.tmpl:18 +msgid "IRC" msgstr "" -"Сколько секунд ждать между отправкой двух строк. После изменения " -"переподключите ZNC к серверу." -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:140 -msgid "{1} seconds per line" -msgstr "{1} секунд на строку" - -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:144 -msgid "Flood protection burst:" -msgstr "Взрыв флуда:" - -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:147 -msgid "" -"Defines the number of lines, which can be sent immediately. After changing " -"this, reconnect ZNC to server." +#: modules/po/../data/webadmin/tmpl/settings.tmpl:19 +msgid "HTTP" msgstr "" -"Количество строк, которые могут посланы на сервер без задержки. После " -"изменения переподключите ZNC к серверу." -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:150 -msgid "{1} lines can be sent immediately" -msgstr "{1} строк отсылаются без задержки" +#: modules/po/../data/webadmin/tmpl/settings.tmpl:20 +msgid "URIPrefix" +msgstr "Префикс URI" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:154 -msgid "Channel join delay:" -msgstr "Задержка входа на каналы:" +#: modules/po/../data/webadmin/tmpl/settings.tmpl:56 +msgid "To delete port which you use to access webadmin itself, either connect to webadmin via another port, or do it in IRC (/znc DelPort)" +msgstr "Чтобы удалить порт, с помощью которого вы используете webadmin, либо подключитесь к webadmin через другой порт, либо удалите его из IRC командой /znc DelPort" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:157 -msgid "" -"Defines the delay in seconds, until channels are joined after getting " -"connected." +#: modules/po/../data/webadmin/tmpl/settings.tmpl:56 +msgid "Current" +msgstr "Текущий" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:86 +msgid "Settings" +msgstr "Настройки" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:105 +msgid "Default for new users only." +msgstr "Это значение по умолчанию для новых пользователей." + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:110 +msgid "Maximum Buffer Size:" +msgstr "Максимальный размер буфера:" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:112 +msgid "Sets the global Max Buffer Size a user can have." +msgstr "Устанавливает наибольший размер буфера, который может иметь пользователь." + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:117 +msgid "Connect Delay:" +msgstr "Задержка присоединений:" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:119 +msgid "The time between connection attempts to IRC servers, in seconds. This affects the connection between ZNC and the IRC server; not the connection between your IRC client and ZNC." +msgstr "Время в секундах, которое ZNC ждёт между попытками соединиться с серверами IRC. Эта настройка не влияет на соединение между вашим клиентом IRC и ZNC." + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:124 +msgid "Server Throttle:" +msgstr "Посерверная задержка присоединений:" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:126 +msgid "The minimal time between two connect attempts to the same hostname, in seconds. Some servers refuse your connection if you reconnect too fast." +msgstr "Минимальное время в секундах между попытками присоединения к одному и тому же серверу. Некоторые серверы отказывают в соединении, если соединения слишком частые." + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:131 +msgid "Anonymous Connection Limit per IP:" +msgstr "Ограничение неавторизованных соединений на IP:" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:133 +msgid "Limits the number of unidentified connections per IP." +msgstr "Максимальное число неавторизованных соединений с каждого IP-адреса." + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:138 +msgid "Protect Web Sessions:" +msgstr "Защита сессий HTTP:" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:140 +msgid "Disallow IP changing during each web session" +msgstr "Привязывать каждую сессию к IP-адресу" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:145 +msgid "Hide ZNC Version:" +msgstr "Прятать версию ZNC:" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:147 +msgid "Hide version number from non-ZNC users" +msgstr "Прятать версию программы от тех, кто не является пользователем ZNC" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:152 +msgid "MOTD:" msgstr "" -"Время в секундах, которое надо ждать между установлением соединения и " -"заходом на каналы." -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:160 -msgid "{1} seconds" -msgstr "{1} секунд" +#: modules/po/../data/webadmin/tmpl/settings.tmpl:156 +msgid "“Message of the Day”, sent to all ZNC users on connect." +msgstr "«Сообщение дня», показываемое всем пользователям ZNC." -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:165 -msgid "Character encoding used between ZNC and IRC server." -msgstr "Кодировка символов, используемая между ZNC и сервером IRC." +#: modules/po/../data/webadmin/tmpl/settings.tmpl:164 +msgid "Global Modules" +msgstr "Глобальные модули" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:166 -msgid "Server encoding:" -msgstr "Кодировка сервера:" - -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:178 -msgid "" -"You will be able to add + modify channels here after you created the network." -msgstr "Здесь после создания сети вы сможете добавлять и изменять каналы." - -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:189 -msgid "CurModes" -msgstr "Текущие режимы" - -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:190 -msgid "DefModes" -msgstr "Режимы по умолчанию" - -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:191 -msgid "BufferSize" -msgstr "Размер буфера" - -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:192 -msgid "Options" -msgstr "Опции" - -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:194 -msgid "← Add a channel (opens in same page)" -msgstr "← Новый канал (открывается на той же странице)" - -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:232 -msgid "Loaded by user" -msgstr "Загру­жено пользо­вателем" - -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:293 -msgid "Add Network and return" -msgstr "Добавить сеть и вернуться" - -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:294 -msgid "Add Network and continue" -msgstr "Добавить сеть и продолжить" +#: modules/po/../data/webadmin/tmpl/settings.tmpl:174 +msgid "Loaded by users" +msgstr "Загружено пользо­вателями" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:7 msgid "Information" @@ -887,130 +905,6 @@ msgstr "Пользователь" msgid "Network" msgstr "Сеть" -#: modules/po/../data/webadmin/tmpl/settings.tmpl:6 -msgid "Listen Port(s)" -msgstr "Слушающие порты" - -#: modules/po/../data/webadmin/tmpl/settings.tmpl:14 -msgid "BindHost" -msgstr "Хост" - -#: modules/po/../data/webadmin/tmpl/settings.tmpl:16 -msgid "IPv4" -msgstr "IPv4" - -#: modules/po/../data/webadmin/tmpl/settings.tmpl:17 -msgid "IPv6" -msgstr "IPv6" - -#: modules/po/../data/webadmin/tmpl/settings.tmpl:18 -msgid "IRC" -msgstr "IRC" - -#: modules/po/../data/webadmin/tmpl/settings.tmpl:19 -msgid "HTTP" -msgstr "HTTP" - -#: modules/po/../data/webadmin/tmpl/settings.tmpl:20 -msgid "URIPrefix" -msgstr "Префикс URI" - -#: modules/po/../data/webadmin/tmpl/settings.tmpl:56 -msgid "" -"To delete port which you use to access webadmin itself, either connect to " -"webadmin via another port, or do it in IRC (/znc DelPort)" -msgstr "" -"Чтобы удалить порт, с помощью которого вы используете webadmin, либо " -"подключитесь к webadmin через другой порт, либо удалите его из IRC командой /" -"znc DelPort" - -#: modules/po/../data/webadmin/tmpl/settings.tmpl:56 -msgid "Current" -msgstr "Текущий" - -#: modules/po/../data/webadmin/tmpl/settings.tmpl:86 -msgid "Settings" -msgstr "Настройки" - -#: modules/po/../data/webadmin/tmpl/settings.tmpl:105 -msgid "Default for new users only." -msgstr "Это значение по умолчанию для новых пользователей." - -#: modules/po/../data/webadmin/tmpl/settings.tmpl:110 -msgid "Maximum Buffer Size:" -msgstr "Максимальный размер буфера:" - -#: modules/po/../data/webadmin/tmpl/settings.tmpl:112 -msgid "Sets the global Max Buffer Size a user can have." -msgstr "" -"Устанавливает наибольший размер буфера, который может иметь пользователь." - -#: modules/po/../data/webadmin/tmpl/settings.tmpl:117 -msgid "Connect Delay:" -msgstr "Задержка присоединений:" - -#: modules/po/../data/webadmin/tmpl/settings.tmpl:119 -msgid "" -"The time between connection attempts to IRC servers, in seconds. This " -"affects the connection between ZNC and the IRC server; not the connection " -"between your IRC client and ZNC." -msgstr "" -"Время в секундах, которое ZNC ждёт между попытками соединиться с серверами " -"IRC. Эта настройка не влияет на соединение между вашим клиентом IRC и ZNC." - -#: modules/po/../data/webadmin/tmpl/settings.tmpl:124 -msgid "Server Throttle:" -msgstr "Посерверная задержка присоединений:" - -#: modules/po/../data/webadmin/tmpl/settings.tmpl:126 -msgid "" -"The minimal time between two connect attempts to the same hostname, in " -"seconds. Some servers refuse your connection if you reconnect too fast." -msgstr "" -"Минимальное время в секундах между попытками присоединения к одному и тому " -"же серверу. Некоторые серверы отказывают в соединении, если соединения " -"слишком частые." - -#: modules/po/../data/webadmin/tmpl/settings.tmpl:131 -msgid "Anonymous Connection Limit per IP:" -msgstr "Ограничение неавторизованных соединений на IP:" - -#: modules/po/../data/webadmin/tmpl/settings.tmpl:133 -msgid "Limits the number of unidentified connections per IP." -msgstr "Максимальное число неавторизованных соединений с каждого IP-адреса." - -#: modules/po/../data/webadmin/tmpl/settings.tmpl:138 -msgid "Protect Web Sessions:" -msgstr "Защита сессий HTTP:" - -#: modules/po/../data/webadmin/tmpl/settings.tmpl:140 -msgid "Disallow IP changing during each web session" -msgstr "Привязывать каждую сессию к IP-адресу" - -#: modules/po/../data/webadmin/tmpl/settings.tmpl:145 -msgid "Hide ZNC Version:" -msgstr "Прятать версию ZNC:" - -#: modules/po/../data/webadmin/tmpl/settings.tmpl:147 -msgid "Hide version number from non-ZNC users" -msgstr "Прятать версию программы от тех, кто не является пользователем ZNC" - -#: modules/po/../data/webadmin/tmpl/settings.tmpl:152 -msgid "MOTD:" -msgstr "MOTD:" - -#: modules/po/../data/webadmin/tmpl/settings.tmpl:156 -msgid "“Message of the Day”, sent to all ZNC users on connect." -msgstr "«Сообщение дня», показываемое всем пользователям ZNC." - -#: modules/po/../data/webadmin/tmpl/settings.tmpl:164 -msgid "Global Modules" -msgstr "Глобальные модули" - -#: modules/po/../data/webadmin/tmpl/settings.tmpl:174 -msgid "Loaded by users" -msgstr "Загружено пользо­вателями" - #: webadmin.cpp:91 webadmin.cpp:1866 msgid "Global Settings" msgstr "Глобальные настройки" @@ -1125,12 +1019,8 @@ msgid "Edit Network [{1}] of User [{2}]" msgstr "Сеть [{1}] пользователя [{2}]" #: webadmin.cpp:889 webadmin.cpp:1066 -msgid "" -"Network number limit reached. Ask an admin to increase the limit for you, or " -"delete unneeded networks from Your Settings." -msgstr "" -"Достигнуто ограничение на количество сетей. Попросите администратора поднять " -"вам лимит или удалите ненужные сети в «Моих настройках»" +msgid "Network number limit reached. Ask an admin to increase the limit for you, or delete unneeded networks from Your Settings." +msgstr "Достигнуто ограничение на количество сетей. Попросите администратора поднять вам лимит или удалите ненужные сети в «Моих настройках»" #: webadmin.cpp:897 msgid "Add Network for User [{1}]" @@ -1173,12 +1063,8 @@ msgid "Clone User [{1}]" msgstr "Клон пользователя [{1}]" #: webadmin.cpp:1506 -msgid "" -"Automatically Clear Channel Buffer After Playback (the default value for new " -"channels)" -msgstr "" -"Автоматически очищать буфер канала после воспроизведения (значение по " -"умолчанию для новых каналов)" +msgid "Automatically Clear Channel Buffer After Playback (the default value for new channels)" +msgstr "Автоматически очищать буфер канала после воспроизведения (значение по умолчанию для новых каналов)" #: webadmin.cpp:1516 msgid "Multi Clients" @@ -1251,3 +1137,4 @@ msgstr "Указанный порт не найден." #: webadmin.cpp:2084 msgid "Settings were changed, but config file was not written" msgstr "Настройки изменены, но записать конфигурацию в файл не удалось" + diff --git a/src/po/znc.de.po b/src/po/znc.de.po new file mode 100644 index 00000000..973bf593 --- /dev/null +++ b/src/po/znc.de.po @@ -0,0 +1,71 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: de\n" +"X-Crowdin-File: /master/src/po/znc.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: German\n" +"Language: de_DE\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" + +#: webskins/_default_/tmpl/InfoBar.tmpl:6 +msgid "Logged in as: {1}" +msgstr "" + +#: webskins/_default_/tmpl/InfoBar.tmpl:8 +msgid "Not logged in" +msgstr "" + +#: webskins/_default_/tmpl/LoginBar.tmpl:3 +msgid "Logout" +msgstr "Abmelden" + +#: webskins/_default_/tmpl/Menu.tmpl:4 +msgid "Home" +msgstr "Startseite" + +#: webskins/_default_/tmpl/Menu.tmpl:7 +msgid "Global Modules" +msgstr "Globale Module" + +#: webskins/_default_/tmpl/Menu.tmpl:20 +msgid "User Modules" +msgstr "Benutzer-Module" + +#: webskins/_default_/tmpl/Menu.tmpl:35 +msgid "Network Modules ({1})" +msgstr "Netzwerk-Module ({1})" + +#: webskins/_default_/tmpl/index.tmpl:6 +msgid "Welcome to ZNC's web interface!" +msgstr "Willkommen bei ZNCs Web-Oberfläche!" + +#: webskins/_default_/tmpl/index.tmpl:11 +msgid "No Web-enabled modules have been loaded. Load modules from IRC (“/msg *status help” and “/msg *status loadmod <module>”). Once you have loaded some Web-enabled modules, the menu will expand." +msgstr "Es wurden keine Web-fähigen Module geladen. Lade Module über IRC (\"/msg *status help\" und \"/msg *status loadmod <module>\"). Sobald einige Web-fähige Module geladen wurden, wird das Menü größer." + +#: ClientCommand.cpp:51 +msgid "You must be connected with a network to use this command" +msgstr "Sie müssen mit einem Netzwerk verbunden sein um diesen Befehl zu verwenden" + +#: ClientCommand.cpp:58 +msgid "Usage: ListNicks <#chan>" +msgstr "Verwendung: ListNicks <#chan>" + +#: ClientCommand.cpp:65 +msgid "You are not on [{1}]" +msgstr "Sie sind nicht in [{1}]" + +#: ClientCommand.cpp:70 +msgid "You are not on [{1}] (trying)" +msgstr "Sie sind nicht in [{1}] (wird versucht)" + +#: ClientCommand.cpp:79 +msgid "No nicks on [{1}]" +msgstr "Keine Nicks in [{1}]" + diff --git a/src/po/znc.pot b/src/po/znc.pot index e41de12c..aaa0a103 100644 --- a/src/po/znc.pot +++ b/src/po/znc.pot @@ -2,16 +2,14 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" +"Project-Id-Version: znc-bouncer\n" -#: webskins/_default_/tmpl/index.tmpl:6 -msgid "Welcome to ZNC's web interface!" +#: webskins/_default_/tmpl/InfoBar.tmpl:6 +msgid "Logged in as: {1}" msgstr "" -#: webskins/_default_/tmpl/index.tmpl:11 -msgid "" -"No Web-enabled modules have been loaded. Load modules from IRC (“/msg " -"*status help” and “/msg *status loadmod <module>”). Once you have loaded some Web-enabled modules, the menu will expand." +#: webskins/_default_/tmpl/InfoBar.tmpl:8 +msgid "Not logged in" msgstr "" #: webskins/_default_/tmpl/LoginBar.tmpl:3 @@ -34,12 +32,15 @@ msgstr "" msgid "Network Modules ({1})" msgstr "" -#: webskins/_default_/tmpl/InfoBar.tmpl:2 -msgid "-Guest-" +#: webskins/_default_/tmpl/index.tmpl:6 +msgid "Welcome to ZNC's web interface!" msgstr "" -#: webskins/_default_/tmpl/InfoBar.tmpl:5 -msgid "Logged in as: {1} (from {2})" +#: webskins/_default_/tmpl/index.tmpl:11 +msgid "" +"No Web-enabled modules have been loaded. Load modules from IRC (“/msg " +"*status help” and “/msg *status loadmod <module>”). Once you have loaded some Web-enabled modules, the menu will expand." msgstr "" #: ClientCommand.cpp:51 diff --git a/src/po/znc.ru.po b/src/po/znc.ru.po index 6a960b1d..57b9e1d1 100644 --- a/src/po/znc.ru.po +++ b/src/po/znc.ru.po @@ -1,31 +1,25 @@ -# Alexey Sokolov, 2016. msgid "" msgstr "" -"Project-Id-Version: znc 1.7.x\n" -"PO-Revision-Date: 2016-02-04 22:06+0000\n" -"Last-Translator: Alexey Sokolov\n" -"Language: ru\n" -"MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n" -"%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" -"X-Generator: Lokalize 1.5\n" +"Project-Id-Version: znc-bouncer\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: ru\n" +"X-Crowdin-File: /master/src/po/znc.pot\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Russian\n" +"Language: ru_RU\n" +"PO-Revision-Date: 2017-12-14 20:23-0500\n" -#: webskins/_default_/tmpl/index.tmpl:6 -msgid "Welcome to ZNC's web interface!" -msgstr "Добро пожаловать в веб-интерфейс ZNC!" - -#: webskins/_default_/tmpl/index.tmpl:11 -msgid "" -"No Web-enabled modules have been loaded. Load modules from IRC (“/msg " -"*status help” and “/msg *status loadmod <module>”). Once you have loaded some Web-enabled modules, the menu will expand." +#: webskins/_default_/tmpl/InfoBar.tmpl:6 +msgid "Logged in as: {1}" +msgstr "" + +#: webskins/_default_/tmpl/InfoBar.tmpl:8 +msgid "Not logged in" msgstr "" -"Нет загруженных модулей с поддержкой веб-интерфейса. Вы можете загрузить их " -"из IRC («/msg *status help» и «/msg *status loadmod <" -"модуль>»). Когда такие модули будут загружены, они будут доступны " -"в меню сбоку." #: webskins/_default_/tmpl/LoginBar.tmpl:3 msgid "Logout" @@ -47,13 +41,13 @@ msgstr "Пользовательские модули" msgid "Network Modules ({1})" msgstr "Модули сети {1}" -#: webskins/_default_/tmpl/InfoBar.tmpl:2 -msgid "-Guest-" -msgstr "" +#: webskins/_default_/tmpl/index.tmpl:6 +msgid "Welcome to ZNC's web interface!" +msgstr "Добро пожаловать в веб-интерфейс ZNC!" -#: webskins/_default_/tmpl/InfoBar.tmpl:5 -msgid "Logged in as: {1} (from {2})" -msgstr "Вы вошли как: {1} (c {2})" +#: webskins/_default_/tmpl/index.tmpl:11 +msgid "No Web-enabled modules have been loaded. Load modules from IRC (“/msg *status help” and “/msg *status loadmod <module>”). Once you have loaded some Web-enabled modules, the menu will expand." +msgstr "Нет загруженных модулей с поддержкой веб-интерфейса. Вы можете загрузить их из IRC («/msg *status help» и «/msg *status loadmod <модуль>»). Когда такие модули будут загружены, они будут доступны в меню сбоку." #: ClientCommand.cpp:51 msgid "You must be connected with a network to use this command" @@ -74,3 +68,4 @@ msgstr "" #: ClientCommand.cpp:79 msgid "No nicks on [{1}]" msgstr "" + From f984987e75a1b807c8000c0f60eea9cfe9ab45cf Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Sat, 16 Dec 2017 12:29:27 +0000 Subject: [PATCH 027/798] Add set -v to travis https://github.com/travis-ci/travis-ci/issues/8920 --- .travis.yml | 1 + 1 file changed, 1 insertion(+) diff --git a/.travis.yml b/.travis.yml index 785d24bc..ed88bd79 100644 --- a/.travis.yml +++ b/.travis.yml @@ -121,6 +121,7 @@ install: - export ZNC_MODPYTHON_COVERAGE=1 - "echo pkg-config path: [$PKG_CONFIG_PATH]" script: + - set -v - if [[ "$BUILD_TYPE" == "tarball" ]]; then ./make-tarball.sh --nightly znc-git-2015-01-16 /tmp/znc-tarball.tar.gz; fi - if [[ "$BUILD_TYPE" == "tarball" ]]; then cd /tmp; tar xvf znc-tarball.tar.gz; fi - if [[ "$BUILD_TYPE" == "tarball" ]]; then cd /tmp/znc-git-2015-01-16; fi From bbc43e203cb4b653f45ecfb6f21e1d8ce358e18c Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Sun, 17 Dec 2017 10:07:52 +0000 Subject: [PATCH 028/798] CMakified znc-buildmod should also remove destination before writing new .so To avoid crash of a running ZNC process. --- znc-buildmod.cmake.in | 4 ++++ 1 file changed, 4 insertions(+) diff --git a/znc-buildmod.cmake.in b/znc-buildmod.cmake.in index 7fb5a03c..4659e389 100755 --- a/znc-buildmod.cmake.in +++ b/znc-buildmod.cmake.in @@ -96,4 +96,8 @@ with tempfile.TemporaryDirectory() as cmdir: subprocess.check_call(['cmake', '--build', '.'], cwd=build) for so in glob.iglob(os.path.join(build, '*.so')): + try: + os.remove(os.path.basename(so)) + except OSError: + pass shutil.copy(so, os.getcwd()) From 31db835ec8017c551aca69a02800316c21a662ec Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Sat, 16 Dec 2017 09:20:10 +0000 Subject: [PATCH 029/798] Improve codecov config See #1447 --- .codecov.yml | 5 +++++ 1 file changed, 5 insertions(+) diff --git a/.codecov.yml b/.codecov.yml index f8285b70..7d98ceb3 100644 --- a/.codecov.yml +++ b/.codecov.yml @@ -13,3 +13,8 @@ codecov: - !appveyor # FreeBSD doesn't support C++ coverage yet (can't find libprofile_rt.a) - !jenkins.znc.in +coverage: + status: + project: + default: + threshold: 1% From 79ec016f0549603f23f26d999ffa85a928e803d0 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Sun, 17 Dec 2017 15:08:40 +0000 Subject: [PATCH 030/798] Bump GCC requirements to 4.8. Close #1442 --- cmake/TestCXX11.cmake | 2 +- cmake/cxx11check/main.cpp | 7 ++++++- configure.ac | 2 +- m4/ax_cxx_compile_stdcxx_11.m4 | 6 ++++++ 4 files changed, 14 insertions(+), 3 deletions(-) diff --git a/cmake/TestCXX11.cmake b/cmake/TestCXX11.cmake index 5147e2ea..02083398 100644 --- a/cmake/TestCXX11.cmake +++ b/cmake/TestCXX11.cmake @@ -34,6 +34,6 @@ if(NOT DEFINED cxx11check) "Error in C++11 check:\n${_CXX11Check_tryout}\n") message(STATUS "Checking for C++11 support - not supported") message(FATAL_ERROR " Upgrade your compiler.\n" - " GCC 4.7+ and Clang 3.2+ are known to work.") + " GCC 4.8+ and Clang 3.2+ are known to work.") endif() endif() diff --git a/cmake/cxx11check/main.cpp b/cmake/cxx11check/main.cpp index 376ed5d6..0436ab5b 100644 --- a/cmake/cxx11check/main.cpp +++ b/cmake/cxx11check/main.cpp @@ -10,6 +10,7 @@ // and this notice are preserved. This file is offered as-is, without any // warranty. +#include template struct check { @@ -55,4 +56,8 @@ void test(); void test() { func(0); } } -int main() { return 0; } +int main() { + std::map m; + m.emplace(2, 4); + return 0; +} diff --git a/configure.ac b/configure.ac index e7f79b05..7ebfa2fb 100644 --- a/configure.ac +++ b/configure.ac @@ -33,7 +33,7 @@ AC_PROG_CXX # "Optional" because we want custom error message AX_CXX_COMPILE_STDCXX_11([noext], [optional]) if test x"$HAVE_CXX11" != x1; then - AC_MSG_ERROR([Upgrade your compiler. GCC 4.7+ and Clang 3.2+ are known to work.]) + AC_MSG_ERROR([Upgrade your compiler. GCC 4.8+ and Clang 3.2+ are known to work.]) fi appendLib () { diff --git a/m4/ax_cxx_compile_stdcxx_11.m4 b/m4/ax_cxx_compile_stdcxx_11.m4 index 20c8b120..6be9c91e 100644 --- a/m4/ax_cxx_compile_stdcxx_11.m4 +++ b/m4/ax_cxx_compile_stdcxx_11.m4 @@ -37,6 +37,7 @@ #serial 5 m4_define([_AX_CXX_COMPILE_STDCXX_11_testbody], [[ + #include template struct check { @@ -82,6 +83,11 @@ m4_define([_AX_CXX_COMPILE_STDCXX_11_testbody], [[ func(0); } } + + void test_map() { + std::map m; + m.emplace(2, 4); + } ]]) AC_DEFUN([AX_CXX_COMPILE_STDCXX_11], [dnl From ddd3023d5dc875432c74d845ce4591ad8528891f Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Sun, 17 Dec 2017 22:03:47 +0000 Subject: [PATCH 031/798] Refactor default return values of callbacks of perl/python modules See #1424 --- modules/modperl/codegen.pl | 47 +++++++++------------------------- modules/modperl/functions.in | 16 ++++++------ modules/modperl/startup.pl | 7 +---- modules/modpython/codegen.pl | 15 ++++------- modules/modpython/functions.in | 18 ++++++------- 5 files changed, 35 insertions(+), 68 deletions(-) diff --git a/modules/modperl/codegen.pl b/modules/modperl/codegen.pl index 4a9caeae..7d25beea 100755 --- a/modules/modperl/codegen.pl +++ b/modules/modperl/codegen.pl @@ -45,13 +45,6 @@ print $out <<'EOF'; * Don't change it manually. * ***************************************************************************/ -/*#include "module.h" -#include "swigperlrun.h" -#include -#include -#include -#include "pstring.h"*/ - namespace { template struct SvToPtr { @@ -73,15 +66,8 @@ namespace { return static_cast(SvUV(sv)); } } -/* -#define PSTART dSP; I32 ax; int ret = 0; ENTER; SAVETMPS; PUSHMARK(SP) -#define PCALL(name) PUTBACK; ret = call_pv(name, G_EVAL|G_ARRAY); SPAGAIN; SP -= ret; ax = (SP - PL_stack_base) + 1 -#define PEND PUTBACK; FREETMPS; LEAVE -#define PUSH_STR(s) XPUSHs(PString(s).GetSV()) -#define PUSH_PTR(type, p) XPUSHs(SWIG_NewInstanceObj(const_cast(p), SWIG_TypeQuery(#type), SWIG_SHADOW)) -*/ #define PSTART_IDF(Func) PSTART; XPUSHs(GetPerlObj()); PUSH_STR(#Func) -#define PCALLMOD(Error, Success) PCALL("ZNC::Core::CallModFunc"); if (SvTRUE(ERRSV)) { DEBUG("Perl hook died with: " + PString(ERRSV)); Error; } else { Success; } PEND +#define PCALLMOD(Error, Success) PCALL("ZNC::Core::CallModFunc"); if (SvTRUE(ERRSV)) { DEBUG("Perl hook died with: " + PString(ERRSV)); Error; } else { if (!SvIV(ST(0))) { Error; } Success; } PEND EOF @@ -89,30 +75,18 @@ while (<$in>) { my ($type, $name, $args, $default) = /(\S+)\s+(\w+)\((.*)\)(?:=(\w+))?/ or next; $type =~ s/(EModRet)/CModule::$1/; $type =~ s/^\s*(.*?)\s*$/$1/; - unless (defined $default) { - given ($type) { - when ('bool') { $default = 'true' } - when ('CModule::EModRet') { $default = 'CONTINUE' } - when ('CString') { $default = '""' } - when (/\*$/) { $default = "($type)nullptr" } - } - } my @arg = map { my ($t, $v) = /^\s*(.*\W)\s*(\w+)\s*$/; $t =~ s/^\s*(.*?)\s*$/$1/; my ($tt, $tm) = $t =~ /^(.*?)\s*?(\*|&)?$/; {type=>$t, var=>$v, base=>$tt, mod=>$tm//''} } split /,/, $args; - say $out "$type CPerlModule::$name($args) {"; - say $out "\t$type result = $default;" if $type ne 'void'; - say $out "\tPSTART_IDF($name);"; - given ($type) { - when ('CString') { print $out "\tPUSH_STR($default);" } - when (/\*$/) { my $t=$type; $t=~s/^const//; print $out "\tPUSH_PTR($t, $default);" } - when ('void') { print $out "\tmXPUSHi(0);" } - default { print $out "\tmXPUSHi(static_cast($default));" } + unless (defined $default) { + $default = "CModule::$name(" . (join ', ', map { $_->{var} } @arg) . ")"; } - say $out " // Default value"; + say $out "$type CPerlModule::$name($args) {"; + say $out "\t$type result{};" if $type ne 'void'; + say $out "\tPSTART_IDF($name);"; for my $a (@arg) { given ($a->{type}) { when (/(vector\s*<\s*(.*)\*\s*>)/) { @@ -131,9 +105,12 @@ while (<$in>) { default { say $out "\tmXPUSHi($a->{var});" } } } - say $out "\tPCALLMOD(,"; - my $x = 0; - say $out "\t\tresult = ".sv($type)."(ST(0));" if $type ne 'void'; + say $out "\tPCALLMOD("; + print $out "\t\t"; + print $out "result = " if $type ne 'void'; + say $out "$default;,"; + my $x = 1; + say $out "\t\tresult = ".sv($type)."(ST(1));" if $type ne 'void'; for my $a (@arg) { $x++; say $out "\t\t$a->{var} = PString(ST($x));" if $a->{base} eq 'CString' && $a->{mod} eq '&'; diff --git a/modules/modperl/functions.in b/modules/modperl/functions.in index 9aa2e3a0..9fca687a 100644 --- a/modules/modperl/functions.in +++ b/modules/modperl/functions.in @@ -1,10 +1,10 @@ -bool OnBoot()=true -bool WebRequiresLogin()=true -bool WebRequiresAdmin()=false +bool OnBoot() +bool WebRequiresLogin() +bool WebRequiresAdmin() CString GetWebMenuTitle() -bool OnWebPreRequest(CWebSock& WebSock, const CString& sPageName)=false -bool OnWebRequest(CWebSock& WebSock, const CString& sPageName, CTemplate& Tmpl)=false -VWebSubPages* _GetSubPages() +bool OnWebPreRequest(CWebSock& WebSock, const CString& sPageName) +bool OnWebRequest(CWebSock& WebSock, const CString& sPageName, CTemplate& Tmpl) +VWebSubPages* _GetSubPages()=nullptr void OnPreRehash() void OnPostRehash() void OnIRCDisconnected() @@ -59,10 +59,10 @@ EModRet OnChanMsg(CNick& Nick, CChan& Channel, CString& sMessage) EModRet OnPrivNotice(CNick& Nick, CString& sMessage) EModRet OnChanNotice(CNick& Nick, CChan& Channel, CString& sMessage) EModRet OnTopic(CNick& Nick, CChan& Channel, CString& sTopic) -bool OnServerCapAvailable(const CString& sCap)=false +bool OnServerCapAvailable(const CString& sCap) void OnServerCapResult(const CString& sCap, bool bSuccess) EModRet OnTimerAutoJoin(CChan& Channel) -bool OnEmbeddedWebRequest(CWebSock& WebSock, const CString& sPageName, CTemplate& Tmpl)=false +bool OnEmbeddedWebRequest(CWebSock& WebSock, const CString& sPageName, CTemplate& Tmpl) EModRet OnAddNetwork(CIRCNetwork& Network, CString& sErrorRet) EModRet OnDeleteNetwork(CIRCNetwork& Network) EModRet OnSendToClient(CString& sLine, CClient& Client) diff --git a/modules/modperl/startup.pl b/modules/modperl/startup.pl index 6aa2023b..4e5f7efb 100644 --- a/modules/modperl/startup.pl +++ b/modules/modperl/startup.pl @@ -221,14 +221,9 @@ sub ModInfoByPath { sub CallModFunc { my $pmod = shift; my $func = shift; - my $default = shift; my @arg = @_; my $res = $pmod->$func(@arg); -# print "Returned from $func(@_): $res, (@arg)\n"; - unless (defined $res) { - $res = $default if defined $default; - } - ($res, @arg) + (defined $res, $res, @arg) } sub CallTimer { diff --git a/modules/modpython/codegen.pl b/modules/modpython/codegen.pl index 898a63a8..a6dd607c 100755 --- a/modules/modpython/codegen.pl +++ b/modules/modpython/codegen.pl @@ -248,14 +248,6 @@ while (<$in>) { my ($type, $name, $args, $default) = /(\S+)\s+(\w+)\((.*)\)(?:=(\w+))?/ or next; $type =~ s/(EModRet)/CModule::$1/; $type =~ s/^\s*(.*?)\s*$/$1/; - unless (defined $default) { - given ($type) { - when ('bool') { $default = 'true' } - when ('CModule::EModRet') { $default = 'CONTINUE' } - when ('CString') { $default = '""' } - when (/\*$/) { $default = "($type)nullptr" } - } - } my @arg = map { my ($t, $v) = /^\s*(.*\W)\s*(\w+)\s*$/; $t =~ s/^\s*(.*?)\s*$/$1/; @@ -263,10 +255,13 @@ while (<$in>) { {type=>$t, var=>$v, base=>$tb, mod=>$tm//'', pyvar=>"pyArg_$v", error=>"can't convert parameter '$v' to PyObject"} } split /,/, $args; + unless (defined $default) { + $default = "CModule::$name(" . (join ', ', map { $_->{var} } @arg) . ")"; + } + unshift @arg, {type=>'$func$', var=>"", base=>"", mod=>"", pyvar=>"pyName", error=>"can't convert string '$name' to PyObject"}; my $cleanup = ''; - $default = '' if $type eq 'void'; say $out "$type CPyModule::$name($args) {"; for my $a (@arg) { @@ -413,7 +408,7 @@ while (<$in>) { say $out "\t\t} else { result = (CModule::EModRet)x; }"; } when ('bool') { - say $out "\t\tint x = PyObject_IsTrue(pyRes);"; + say $out "\t\tint x = PyObject_IsTrue(pyRes);"; say $out "\t\tif (-1 == x) {"; say $out "\t\t\tCString sPyErr = m_pModPython->GetPyExceptionStr();"; say $out "\t\t\tDEBUG".'("modpython: " << (GetUser() ? GetUser()->GetUserName() : CString("")) << "/" << GetModName() << '."\"/$name was expected to return EModRet but: \" << sPyErr);"; diff --git a/modules/modpython/functions.in b/modules/modpython/functions.in index 49ed60cf..38566793 100644 --- a/modules/modpython/functions.in +++ b/modules/modpython/functions.in @@ -1,10 +1,10 @@ -bool OnBoot()=true -bool WebRequiresLogin()=true -bool WebRequiresAdmin()=false +bool OnBoot() +bool WebRequiresLogin() +bool WebRequiresAdmin() CString GetWebMenuTitle() -bool OnWebPreRequest(CWebSock& WebSock, const CString& sPageName)=false -bool OnWebRequest(CWebSock& WebSock, const CString& sPageName, CTemplate& Tmpl)=false -VWebSubPages* _GetSubPages() +bool OnWebPreRequest(CWebSock& WebSock, const CString& sPageName) +bool OnWebRequest(CWebSock& WebSock, const CString& sPageName, CTemplate& Tmpl) +VWebSubPages* _GetSubPages()=nullptr void OnPreRehash() void OnPostRehash() void OnIRCDisconnected() @@ -59,10 +59,10 @@ EModRet OnChanMsg(CNick& Nick, CChan& Channel, CString& sMessage) EModRet OnPrivNotice(CNick& Nick, CString& sMessage) EModRet OnChanNotice(CNick& Nick, CChan& Channel, CString& sMessage) EModRet OnTopic(CNick& Nick, CChan& Channel, CString& sTopic) -bool OnServerCapAvailable(const CString& sCap)=false +bool OnServerCapAvailable(const CString& sCap) void OnServerCapResult(const CString& sCap, bool bSuccess) EModRet OnTimerAutoJoin(CChan& Channel) -bool OnEmbeddedWebRequest(CWebSock& WebSock, const CString& sPageName, CTemplate& Tmpl)=false +bool OnEmbeddedWebRequest(CWebSock& WebSock, const CString& sPageName, CTemplate& Tmpl) EModRet OnAddNetwork(CIRCNetwork& Network, CString& sErrorRet) EModRet OnDeleteNetwork(CIRCNetwork& Network) EModRet OnSendToClient(CString& sLine, CClient& Client) @@ -106,7 +106,7 @@ void OnClientConnect(CZNCSock* pSock, const CString& sHost, unsigned short uPort void OnFailedLogin(const CString& sUsername, const CString& sRemoteIP) EModRet OnUnknownUserRaw(CClient* pClient, CString& sLine) EModRet OnUnknownUserRawMessage(CMessage& Message) -bool IsClientCapSupported(CClient* pClient, const CString& sCap, bool bState)=false +bool IsClientCapSupported(CClient* pClient, const CString& sCap, bool bState) void OnClientCapRequest(CClient* pClient, const CString& sCap, bool bState) EModRet OnModuleLoading(const CString& sModName, const CString& sArgs, CModInfo::EModuleType eType, bool& bSuccess, CString& sRetMsg) EModRet OnModuleUnloading(CModule* pModule, bool& bSuccess, CString& sRetMsg) From 9474c3dc09314b501e6c60a274569c51bab16191 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Sun, 17 Dec 2017 22:10:41 +0000 Subject: [PATCH 032/798] Support ValidateWebRequestCSRFCheck in perl/python. Fix #1424 --- modules/modperl/functions.in | 1 + modules/modperl/module.h | 2 ++ modules/modpython/functions.in | 1 + modules/modpython/module.h | 2 ++ 4 files changed, 6 insertions(+) diff --git a/modules/modperl/functions.in b/modules/modperl/functions.in index 9fca687a..c4f843e9 100644 --- a/modules/modperl/functions.in +++ b/modules/modperl/functions.in @@ -4,6 +4,7 @@ bool WebRequiresAdmin() CString GetWebMenuTitle() bool OnWebPreRequest(CWebSock& WebSock, const CString& sPageName) bool OnWebRequest(CWebSock& WebSock, const CString& sPageName, CTemplate& Tmpl) +bool ValidateWebRequestCSRFCheck(CWebSock& WebSock, const CString& sPageName) VWebSubPages* _GetSubPages()=nullptr void OnPreRehash() void OnPostRehash() diff --git a/modules/modperl/module.h b/modules/modperl/module.h index cb2589ef..d7eba814 100644 --- a/modules/modperl/module.h +++ b/modules/modperl/module.h @@ -42,6 +42,8 @@ class ZNC_EXPORT_LIB_EXPORT CPerlModule : public CModule { bool OnWebPreRequest(CWebSock& WebSock, const CString& sPageName) override; bool OnWebRequest(CWebSock& WebSock, const CString& sPageName, CTemplate& Tmpl) override; + bool ValidateWebRequestCSRFCheck(CWebSock& WebSock, + const CString& sPageName) override; VWebSubPages& GetSubPages() override; void OnPreRehash() override; void OnPostRehash() override; diff --git a/modules/modpython/functions.in b/modules/modpython/functions.in index 38566793..f779e577 100644 --- a/modules/modpython/functions.in +++ b/modules/modpython/functions.in @@ -4,6 +4,7 @@ bool WebRequiresAdmin() CString GetWebMenuTitle() bool OnWebPreRequest(CWebSock& WebSock, const CString& sPageName) bool OnWebRequest(CWebSock& WebSock, const CString& sPageName, CTemplate& Tmpl) +bool ValidateWebRequestCSRFCheck(CWebSock& WebSock, const CString& sPageName) VWebSubPages* _GetSubPages()=nullptr void OnPreRehash() void OnPostRehash() diff --git a/modules/modpython/module.h b/modules/modpython/module.h index 32a3e6dc..784d2069 100644 --- a/modules/modpython/module.h +++ b/modules/modpython/module.h @@ -62,6 +62,8 @@ class ZNC_EXPORT_LIB_EXPORT CPyModule : public CModule { bool OnWebPreRequest(CWebSock& WebSock, const CString& sPageName) override; bool OnWebRequest(CWebSock& WebSock, const CString& sPageName, CTemplate& Tmpl) override; + bool ValidateWebRequestCSRFCheck(CWebSock& WebSock, + const CString& sPageName) override; VWebSubPages& GetSubPages() override; void OnPreRehash() override; void OnPostRehash() override; From a0cbe130d9eba93a726fee9c0f6d8e3805c6d51a Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Sun, 17 Dec 2017 22:26:46 +0000 Subject: [PATCH 033/798] Fix newly introduced warning in modperl --- modules/modperl/codegen.pl | 2 +- modules/modperl/startup.pl | 2 +- 2 files changed, 2 insertions(+), 2 deletions(-) diff --git a/modules/modperl/codegen.pl b/modules/modperl/codegen.pl index 7d25beea..a28b727a 100755 --- a/modules/modperl/codegen.pl +++ b/modules/modperl/codegen.pl @@ -67,7 +67,7 @@ namespace { } } #define PSTART_IDF(Func) PSTART; XPUSHs(GetPerlObj()); PUSH_STR(#Func) -#define PCALLMOD(Error, Success) PCALL("ZNC::Core::CallModFunc"); if (SvTRUE(ERRSV)) { DEBUG("Perl hook died with: " + PString(ERRSV)); Error; } else { if (!SvIV(ST(0))) { Error; } Success; } PEND +#define PCALLMOD(Error, Success) PCALL("ZNC::Core::CallModFunc"); if (SvTRUE(ERRSV)) { DEBUG("Perl hook died with: " + PString(ERRSV)); Error; } else if (SvIV(ST(0))) { Success; } else { Error; } PEND EOF diff --git a/modules/modperl/startup.pl b/modules/modperl/startup.pl index 4e5f7efb..aff80a7b 100644 --- a/modules/modperl/startup.pl +++ b/modules/modperl/startup.pl @@ -223,7 +223,7 @@ sub CallModFunc { my $func = shift; my @arg = @_; my $res = $pmod->$func(@arg); - (defined $res, $res, @arg) + (defined $res, $res//0, @arg) } sub CallTimer { From 0d14d725a3e043b40cb59b8de79448c8166afbd7 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Tue, 19 Dec 2017 09:27:06 +0000 Subject: [PATCH 034/798] Workaround for https://github.com/travis-ci/travis-ci/issues/8920 --- .travis.yml | 1 + 1 file changed, 1 insertion(+) diff --git a/.travis.yml b/.travis.yml index ed88bd79..99e6f481 100644 --- a/.travis.yml +++ b/.travis.yml @@ -79,6 +79,7 @@ matrix: - if [[ "$ATTEMPT_DEPLOY" == "yes" ]]; then ./.travis-coverity-scan.py; fi after_success: before_install: + - python -c "import fcntl; fcntl.fcntl(1, fcntl.F_SETFL, 0)" # https://github.com/travis-ci/travis-ci/issues/8920 - "echo os: [$TRAVIS_OS_NAME] build: [$BUILD_TYPE]" - export SECRET_KEY=no - export CFGFLAGS= MYCXXFLAGS= MYLDFLAGS= From 1b90903cb2a60e8ee84dd2bf6f10e3a7aa325cf9 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Thu, 21 Dec 2017 03:09:33 +0000 Subject: [PATCH 035/798] Postprocessing for crowdin: cleanup PO-Revision-Date: from .po files --- .ci/Jenkinsfile.crowdin | 2 ++ .ci/cleanup-po.pl | 16 ++++++++++++++++ 2 files changed, 18 insertions(+) create mode 100755 .ci/cleanup-po.pl diff --git a/.ci/Jenkinsfile.crowdin b/.ci/Jenkinsfile.crowdin index d9020c92..74600b41 100644 --- a/.ci/Jenkinsfile.crowdin +++ b/.ci/Jenkinsfile.crowdin @@ -38,6 +38,8 @@ timestamps { sh "$crowdin_cli download --branch ${upstream_branch}" } } + sh 'find . -name "*.po" -exec msgfilter -i "{}" -o "{}.replacement" .ci/cleanup-po.pl ";"' + sh 'find . -name "*.po" -exec mv "{}.replacement" "{}" ";"' } stage('Push') { sh 'git config user.name "ZNC-Jenkins"' diff --git a/.ci/cleanup-po.pl b/.ci/cleanup-po.pl new file mode 100755 index 00000000..7415b251 --- /dev/null +++ b/.ci/cleanup-po.pl @@ -0,0 +1,16 @@ +#!/usr/bin/env perl + +use strict; +use warnings; +use v5.10; + +local $/; +my $text = <>; + +if ($ENV{MSGFILTER_MSGID}) { + print $text; +} else { + for (split(/^/, $text)) { + print unless /^PO-Revision-Date:/; + } +} From 05a5b693f4a50c92c00dce4b42bcbc4374507153 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Thu, 21 Dec 2017 03:10:49 +0000 Subject: [PATCH 036/798] Crowdin doesn't require Project-Id-Version in .pot anymore. --- translation_pot.py | 1 - 1 file changed, 1 deletion(-) diff --git a/translation_pot.py b/translation_pot.py index 62070605..d86e9dff 100755 --- a/translation_pot.py +++ b/translation_pot.py @@ -66,7 +66,6 @@ with open(tmpl_pot, 'wt', encoding='utf8') as f: print('msgstr ""', file=f) print(r'"Content-Type: text/plain; charset=UTF-8\n"', file=f) print(r'"Content-Transfer-Encoding: 8bit\n"', file=f) - print(r'"Project-Id-Version: znc-bouncer\n"', file=f) print(file=f) for line in tmpl: print(line, file=f) From 58ae4517cbc87d5b04b043c21e9549eb4fd67184 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Thu, 21 Dec 2017 03:23:35 +0000 Subject: [PATCH 037/798] Update translations from Crowdin --- modules/po/adminlog.de.po | 2 - modules/po/adminlog.pot | 1 - modules/po/adminlog.ru.po | 5 +- modules/po/alias.de.po | 5 +- modules/po/alias.pot | 1 - modules/po/alias.ru.po | 5 +- modules/po/autoattach.de.po | 2 - modules/po/autoattach.pot | 1 - modules/po/autoattach.ru.po | 5 +- modules/po/autocycle.de.po | 2 - modules/po/autocycle.pot | 1 - modules/po/autocycle.ru.po | 5 +- modules/po/autoop.de.po | 28 ++-- modules/po/autoop.pot | 1 - modules/po/autoop.ru.po | 12 +- modules/po/autoreply.de.po | 10 +- modules/po/autoreply.pot | 1 - modules/po/autoreply.ru.po | 9 +- modules/po/autovoice.de.po | 11 +- modules/po/autovoice.pot | 1 - modules/po/autovoice.ru.po | 9 +- modules/po/awaystore.de.po | 13 +- modules/po/awaystore.pot | 1 - modules/po/awaystore.ru.po | 16 +- modules/po/block_motd.de.po | 6 +- modules/po/block_motd.pot | 1 - modules/po/block_motd.ru.po | 9 +- modules/po/blockuser.de.po | 2 - modules/po/blockuser.pot | 1 - modules/po/blockuser.ru.po | 5 +- modules/po/bouncedcc.de.po | 10 +- modules/po/bouncedcc.pot | 1 - modules/po/bouncedcc.ru.po | 13 +- modules/po/buffextras.de.po | 2 - modules/po/buffextras.pot | 1 - modules/po/buffextras.ru.po | 5 +- modules/po/cert.de.po | 21 ++- modules/po/cert.pot | 1 - modules/po/cert.ru.po | 17 ++- modules/po/certauth.de.po | 12 +- modules/po/certauth.pot | 1 - modules/po/certauth.ru.po | 5 +- modules/po/chansaver.de.po | 2 - modules/po/chansaver.pot | 1 - modules/po/chansaver.ru.po | 5 +- modules/po/clearbufferonmsg.de.po | 2 - modules/po/clearbufferonmsg.pot | 1 - modules/po/clearbufferonmsg.ru.po | 5 +- modules/po/clientnotify.de.po | 25 +++- modules/po/clientnotify.pot | 1 - modules/po/clientnotify.ru.po | 17 ++- modules/po/controlpanel.de.po | 99 +++++++++---- modules/po/controlpanel.pot | 1 - modules/po/controlpanel.ru.po | 35 +++-- modules/po/crypt.de.po | 2 - modules/po/crypt.pot | 1 - modules/po/crypt.ru.po | 5 +- modules/po/ctcpflood.de.po | 8 +- modules/po/ctcpflood.pot | 1 - modules/po/ctcpflood.ru.po | 11 +- modules/po/cyrusauth.de.po | 12 +- modules/po/cyrusauth.pot | 1 - modules/po/cyrusauth.ru.po | 15 +- modules/po/dcc.de.po | 5 +- modules/po/dcc.pot | 1 - modules/po/dcc.ru.po | 8 +- modules/po/disconkick.de.po | 6 +- modules/po/disconkick.pot | 1 - modules/po/disconkick.ru.po | 9 +- modules/po/fail2ban.de.po | 14 +- modules/po/fail2ban.pot | 1 - modules/po/fail2ban.ru.po | 13 +- modules/po/flooddetach.de.po | 6 +- modules/po/flooddetach.pot | 1 - modules/po/flooddetach.ru.po | 9 +- modules/po/identfile.de.po | 6 +- modules/po/identfile.pot | 1 - modules/po/identfile.ru.po | 9 +- modules/po/imapauth.de.po | 2 - modules/po/imapauth.pot | 1 - modules/po/imapauth.ru.po | 5 +- modules/po/keepnick.de.po | 2 - modules/po/keepnick.pot | 1 - modules/po/keepnick.ru.po | 5 +- modules/po/kickrejoin.de.po | 2 - modules/po/kickrejoin.pot | 1 - modules/po/kickrejoin.ru.po | 5 +- modules/po/lastseen.de.po | 2 - modules/po/lastseen.pot | 1 - modules/po/lastseen.ru.po | 5 +- modules/po/listsockets.de.po | 2 - modules/po/listsockets.pot | 1 - modules/po/listsockets.ru.po | 5 +- modules/po/log.de.po | 9 +- modules/po/log.pot | 1 - modules/po/log.ru.po | 12 +- modules/po/missingmotd.de.po | 2 - modules/po/missingmotd.pot | 1 - modules/po/missingmotd.ru.po | 5 +- modules/po/modperl.de.po | 2 - modules/po/modperl.pot | 1 - modules/po/modperl.ru.po | 5 +- modules/po/modpython.de.po | 2 - modules/po/modpython.pot | 1 - modules/po/modpython.ru.po | 5 +- modules/po/modules_online.de.po | 2 - modules/po/modules_online.pot | 1 - modules/po/modules_online.ru.po | 5 +- modules/po/nickserv.de.po | 6 +- modules/po/nickserv.pot | 1 - modules/po/nickserv.ru.po | 9 +- modules/po/notes.de.po | 6 +- modules/po/notes.pot | 1 - modules/po/notes.ru.po | 9 +- modules/po/notify_connect.de.po | 2 - modules/po/notify_connect.pot | 1 - modules/po/notify_connect.ru.po | 5 +- modules/po/partyline.de.po | 6 +- modules/po/partyline.pot | 1 - modules/po/partyline.ru.po | 9 +- modules/po/perform.de.po | 2 - modules/po/perform.pot | 1 - modules/po/perform.ru.po | 5 +- modules/po/perleval.de.po | 2 - modules/po/perleval.pot | 1 - modules/po/perleval.ru.po | 5 +- modules/po/pyeval.de.po | 2 - modules/po/pyeval.pot | 1 - modules/po/pyeval.ru.po | 5 +- modules/po/q.de.po | 19 ++- modules/po/q.pot | 1 - modules/po/q.ru.po | 22 ++- modules/po/raw.de.po | 2 - modules/po/raw.pot | 1 - modules/po/raw.ru.po | 5 +- modules/po/route_replies.de.po | 6 +- modules/po/route_replies.pot | 1 - modules/po/route_replies.ru.po | 9 +- modules/po/sample.de.po | 2 - modules/po/sample.pot | 1 - modules/po/sample.ru.po | 5 +- modules/po/samplewebapi.de.po | 2 - modules/po/samplewebapi.pot | 1 - modules/po/samplewebapi.ru.po | 5 +- modules/po/sasl.de.po | 13 +- modules/po/sasl.pot | 1 - modules/po/sasl.ru.po | 16 +- modules/po/savebuff.de.po | 11 +- modules/po/savebuff.pot | 1 - modules/po/savebuff.ru.po | 14 +- modules/po/send_raw.de.po | 2 - modules/po/send_raw.pot | 1 - modules/po/send_raw.ru.po | 5 +- modules/po/shell.de.po | 2 - modules/po/shell.pot | 1 - modules/po/shell.ru.po | 5 +- modules/po/simple_away.de.po | 14 +- modules/po/simple_away.pot | 1 - modules/po/simple_away.ru.po | 17 ++- modules/po/stickychan.de.po | 5 +- modules/po/stickychan.pot | 1 - modules/po/stickychan.ru.po | 8 +- modules/po/stripcontrols.de.po | 8 +- modules/po/stripcontrols.pot | 1 - modules/po/stripcontrols.ru.po | 8 +- modules/po/watch.de.po | 2 - modules/po/watch.pot | 1 - modules/po/watch.ru.po | 5 +- modules/po/webadmin.de.po | 114 +++++++++++---- modules/po/webadmin.pot | 1 - modules/po/webadmin.ru.po | 234 ++++++++++++++++++++++-------- src/po/znc.de.po | 16 +- src/po/znc.pot | 1 - src/po/znc.ru.po | 16 +- 174 files changed, 798 insertions(+), 583 deletions(-) diff --git a/modules/po/adminlog.de.po b/modules/po/adminlog.de.po index 78c3fc4b..0ee654d1 100644 --- a/modules/po/adminlog.de.po +++ b/modules/po/adminlog.de.po @@ -11,7 +11,6 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: German\n" "Language: de_DE\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: adminlog.cpp:29 msgid "Show the logging target" @@ -68,4 +67,3 @@ msgstr "Datei-Protokoll wird nach {1} geschrieben" #: adminlog.cpp:224 msgid "Log ZNC events to file and/or syslog." msgstr "Protokolliere ZNC-Ereignisse in eine Datei und/order ins Syslog." - diff --git a/modules/po/adminlog.pot b/modules/po/adminlog.pot index fa8fa6ca..7aeff420 100644 --- a/modules/po/adminlog.pot +++ b/modules/po/adminlog.pot @@ -2,7 +2,6 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"Project-Id-Version: znc-bouncer\n" #: adminlog.cpp:29 msgid "Show the logging target" diff --git a/modules/po/adminlog.ru.po b/modules/po/adminlog.ru.po index c5faf084..685db425 100644 --- a/modules/po/adminlog.ru.po +++ b/modules/po/adminlog.ru.po @@ -3,7 +3,8 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Project-Id-Version: znc-bouncer\n" -"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n" +"%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" @@ -11,7 +12,6 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: Russian\n" "Language: ru_RU\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: adminlog.cpp:29 msgid "Show the logging target" @@ -68,4 +68,3 @@ msgstr "" #: adminlog.cpp:224 msgid "Log ZNC events to file and/or syslog." msgstr "" - diff --git a/modules/po/alias.de.po b/modules/po/alias.de.po index 8a924b57..fe4f7a80 100644 --- a/modules/po/alias.de.po +++ b/modules/po/alias.de.po @@ -11,7 +11,6 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: German\n" "Language: de_DE\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: alias.cpp:141 msgid "missing required parameter: {1}" @@ -113,7 +112,8 @@ msgstr "Zeigt die Aktionen an, die vom Alias durchgeführt werden." #: alias.cpp:362 msgid "Generate a list of commands to copy your alias config." -msgstr "Erzeugt eine Liste an Befehlen um ihre Alias-Konfiguration zu kopieren." +msgstr "" +"Erzeugt eine Liste an Befehlen um ihre Alias-Konfiguration zu kopieren." #: alias.cpp:374 msgid "Clearing all of them!" @@ -122,4 +122,3 @@ msgstr "Alle von ihnen werden gelöscht!" #: alias.cpp:409 msgid "Provides bouncer-side command alias support." msgstr "Bietet Alias-Unterstützung im Bouncer an." - diff --git a/modules/po/alias.pot b/modules/po/alias.pot index d1d40f82..9b7624c6 100644 --- a/modules/po/alias.pot +++ b/modules/po/alias.pot @@ -2,7 +2,6 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"Project-Id-Version: znc-bouncer\n" #: alias.cpp:141 msgid "missing required parameter: {1}" diff --git a/modules/po/alias.ru.po b/modules/po/alias.ru.po index 498a12f1..003ae4ee 100644 --- a/modules/po/alias.ru.po +++ b/modules/po/alias.ru.po @@ -3,7 +3,8 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Project-Id-Version: znc-bouncer\n" -"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n" +"%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" @@ -11,7 +12,6 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: Russian\n" "Language: ru_RU\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: alias.cpp:141 msgid "missing required parameter: {1}" @@ -122,4 +122,3 @@ msgstr "" #: alias.cpp:409 msgid "Provides bouncer-side command alias support." msgstr "" - diff --git a/modules/po/autoattach.de.po b/modules/po/autoattach.de.po index 32e17f76..5c6b6a42 100644 --- a/modules/po/autoattach.de.po +++ b/modules/po/autoattach.de.po @@ -11,7 +11,6 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: German\n" "Language: de_DE\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: autoattach.cpp:94 msgid "Added to list" @@ -84,4 +83,3 @@ msgstr "" #: autoattach.cpp:286 msgid "Reattaches you to channels on activity." msgstr "" - diff --git a/modules/po/autoattach.pot b/modules/po/autoattach.pot index e86af7c2..e324fdde 100644 --- a/modules/po/autoattach.pot +++ b/modules/po/autoattach.pot @@ -2,7 +2,6 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"Project-Id-Version: znc-bouncer\n" #: autoattach.cpp:94 msgid "Added to list" diff --git a/modules/po/autoattach.ru.po b/modules/po/autoattach.ru.po index 3873f892..3fd1f898 100644 --- a/modules/po/autoattach.ru.po +++ b/modules/po/autoattach.ru.po @@ -3,7 +3,8 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Project-Id-Version: znc-bouncer\n" -"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n" +"%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" @@ -11,7 +12,6 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: Russian\n" "Language: ru_RU\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: autoattach.cpp:94 msgid "Added to list" @@ -84,4 +84,3 @@ msgstr "" #: autoattach.cpp:286 msgid "Reattaches you to channels on activity." msgstr "" - diff --git a/modules/po/autocycle.de.po b/modules/po/autocycle.de.po index 35d7acbc..975d4d4b 100644 --- a/modules/po/autocycle.de.po +++ b/modules/po/autocycle.de.po @@ -11,7 +11,6 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: German\n" "Language: de_DE\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: autocycle.cpp:27 autocycle.cpp:30 msgid "[!]<#chan>" @@ -68,4 +67,3 @@ msgstr "" #: autocycle.cpp:234 msgid "Rejoins channels to gain Op if you're the only user left" msgstr "" - diff --git a/modules/po/autocycle.pot b/modules/po/autocycle.pot index a3d26ce0..5e911531 100644 --- a/modules/po/autocycle.pot +++ b/modules/po/autocycle.pot @@ -2,7 +2,6 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"Project-Id-Version: znc-bouncer\n" #: autocycle.cpp:27 autocycle.cpp:30 msgid "[!]<#chan>" diff --git a/modules/po/autocycle.ru.po b/modules/po/autocycle.ru.po index 6b43fab7..56ecca4c 100644 --- a/modules/po/autocycle.ru.po +++ b/modules/po/autocycle.ru.po @@ -3,7 +3,8 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Project-Id-Version: znc-bouncer\n" -"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n" +"%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" @@ -11,7 +12,6 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: Russian\n" "Language: ru_RU\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: autocycle.cpp:27 autocycle.cpp:30 msgid "[!]<#chan>" @@ -68,4 +68,3 @@ msgstr "" #: autocycle.cpp:234 msgid "Rejoins channels to gain Op if you're the only user left" msgstr "" - diff --git a/modules/po/autoop.de.po b/modules/po/autoop.de.po index c04a15b5..b3159b98 100644 --- a/modules/po/autoop.de.po +++ b/modules/po/autoop.de.po @@ -11,7 +11,6 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: German\n" "Language: de_DE\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: autoop.cpp:154 msgid "List all users" @@ -138,12 +137,17 @@ msgid "User {1} added with hostmask(s) {2}" msgstr "" #: autoop.cpp:532 -msgid "[{1}] sent us a challenge but they are not opped in any defined channels." -msgstr "[{1}] hat uns eine Challenge gesendet, aber ist in keinem der definierten Kanäle geopt." +msgid "" +"[{1}] sent us a challenge but they are not opped in any defined channels." +msgstr "" +"[{1}] hat uns eine Challenge gesendet, aber ist in keinem der definierten " +"Kanäle geopt." #: autoop.cpp:536 msgid "[{1}] sent us a challenge but they do not match a defined user." -msgstr "[{1}] hat uns eine Challenge gesendet, aber entspricht keinem definierten Benutzer." +msgstr "" +"[{1}] hat uns eine Challenge gesendet, aber entspricht keinem definierten " +"Benutzer." #: autoop.cpp:544 msgid "WARNING! [{1}] sent an invalid challenge." @@ -151,17 +155,23 @@ msgstr "WARNUNG! [{1}] hat eine ungültige Challenge gesendet." #: autoop.cpp:560 msgid "[{1}] sent an unchallenged response. This could be due to lag." -msgstr "[{1}] hat eine unangeforderte Antwort gesendet. Dies könnte an Lag liegen." +msgstr "" +"[{1}] hat eine unangeforderte Antwort gesendet. Dies könnte an Lag liegen." #: autoop.cpp:577 -msgid "WARNING! [{1}] sent a bad response. Please verify that you have their correct password." -msgstr "WARNUNG! [{1}] hat eine schlechte Antwort gesendet. Bitte überprüfe, dass du deren korrektes Passwort hast." +msgid "" +"WARNING! [{1}] sent a bad response. Please verify that you have their " +"correct password." +msgstr "" +"WARNUNG! [{1}] hat eine schlechte Antwort gesendet. Bitte überprüfe, dass du " +"deren korrektes Passwort hast." #: autoop.cpp:586 msgid "WARNING! [{1}] sent a response but did not match any defined users." -msgstr "WARNUNG! [{1}] hat eine Antwort gesendet, aber entspricht keinem definierten Benutzer." +msgstr "" +"WARNUNG! [{1}] hat eine Antwort gesendet, aber entspricht keinem definierten " +"Benutzer." #: autoop.cpp:644 msgid "Auto op the good people" msgstr "Gebe automatisch Op an die guten Leute" - diff --git a/modules/po/autoop.pot b/modules/po/autoop.pot index 90ea2008..0666903f 100644 --- a/modules/po/autoop.pot +++ b/modules/po/autoop.pot @@ -2,7 +2,6 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"Project-Id-Version: znc-bouncer\n" #: autoop.cpp:154 msgid "List all users" diff --git a/modules/po/autoop.ru.po b/modules/po/autoop.ru.po index 4d92baa6..a9c24a6e 100644 --- a/modules/po/autoop.ru.po +++ b/modules/po/autoop.ru.po @@ -3,7 +3,8 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Project-Id-Version: znc-bouncer\n" -"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n" +"%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" @@ -11,7 +12,6 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: Russian\n" "Language: ru_RU\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: autoop.cpp:154 msgid "List all users" @@ -138,7 +138,8 @@ msgid "User {1} added with hostmask(s) {2}" msgstr "" #: autoop.cpp:532 -msgid "[{1}] sent us a challenge but they are not opped in any defined channels." +msgid "" +"[{1}] sent us a challenge but they are not opped in any defined channels." msgstr "" #: autoop.cpp:536 @@ -154,7 +155,9 @@ msgid "[{1}] sent an unchallenged response. This could be due to lag." msgstr "" #: autoop.cpp:577 -msgid "WARNING! [{1}] sent a bad response. Please verify that you have their correct password." +msgid "" +"WARNING! [{1}] sent a bad response. Please verify that you have their " +"correct password." msgstr "" #: autoop.cpp:586 @@ -164,4 +167,3 @@ msgstr "" #: autoop.cpp:644 msgid "Auto op the good people" msgstr "" - diff --git a/modules/po/autoreply.de.po b/modules/po/autoreply.de.po index 3f908ddb..cfa4ea0e 100644 --- a/modules/po/autoreply.de.po +++ b/modules/po/autoreply.de.po @@ -11,7 +11,6 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: German\n" "Language: de_DE\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: autoreply.cpp:25 msgid "" @@ -34,10 +33,13 @@ msgid "New reply set to: {1} ({2})" msgstr "Neue Antwort gesetzt auf: {1} ({2})" #: autoreply.cpp:94 -msgid "You might specify a reply text. It is used when automatically answering queries, if you are not connected to ZNC." -msgstr "Erlaubt es einen Antwort-Text zu setzen. Dieser wird verwendet wenn automatisch Queries beantwortet werden, falls du nicht zu ZNC verbunden bist." +msgid "" +"You might specify a reply text. It is used when automatically answering " +"queries, if you are not connected to ZNC." +msgstr "" +"Erlaubt es einen Antwort-Text zu setzen. Dieser wird verwendet wenn " +"automatisch Queries beantwortet werden, falls du nicht zu ZNC verbunden bist." #: autoreply.cpp:98 msgid "Reply to queries when you are away" msgstr "Auf Queries antworten when du nicht da bist" - diff --git a/modules/po/autoreply.pot b/modules/po/autoreply.pot index 15921aa3..90adf7d6 100644 --- a/modules/po/autoreply.pot +++ b/modules/po/autoreply.pot @@ -2,7 +2,6 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"Project-Id-Version: znc-bouncer\n" #: autoreply.cpp:25 msgid "" diff --git a/modules/po/autoreply.ru.po b/modules/po/autoreply.ru.po index c03db894..efcab8a3 100644 --- a/modules/po/autoreply.ru.po +++ b/modules/po/autoreply.ru.po @@ -3,7 +3,8 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Project-Id-Version: znc-bouncer\n" -"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n" +"%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" @@ -11,7 +12,6 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: Russian\n" "Language: ru_RU\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: autoreply.cpp:25 msgid "" @@ -34,10 +34,11 @@ msgid "New reply set to: {1} ({2})" msgstr "" #: autoreply.cpp:94 -msgid "You might specify a reply text. It is used when automatically answering queries, if you are not connected to ZNC." +msgid "" +"You might specify a reply text. It is used when automatically answering " +"queries, if you are not connected to ZNC." msgstr "" #: autoreply.cpp:98 msgid "Reply to queries when you are away" msgstr "" - diff --git a/modules/po/autovoice.de.po b/modules/po/autovoice.de.po index 9447ec33..1b738861 100644 --- a/modules/po/autovoice.de.po +++ b/modules/po/autovoice.de.po @@ -11,7 +11,6 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: German\n" "Language: de_DE\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: autovoice.cpp:120 msgid "List all users" @@ -102,10 +101,14 @@ msgid "User {1} added with hostmask {2}" msgstr "" #: autovoice.cpp:360 -msgid "Each argument is either a channel you want autovoice for (which can include wildcards) or, if it starts with !, it is an exception for autovoice." -msgstr "Jedes Argument ist entweder ein Kanel in dem autovoice aktiviert sein soll (wobei Wildcards erlaubt sind) oder, falls es mit einem ! beginnt, eine Ausnahme für autovoice." +msgid "" +"Each argument is either a channel you want autovoice for (which can include " +"wildcards) or, if it starts with !, it is an exception for autovoice." +msgstr "" +"Jedes Argument ist entweder ein Kanel in dem autovoice aktiviert sein soll " +"(wobei Wildcards erlaubt sind) oder, falls es mit einem ! beginnt, eine " +"Ausnahme für autovoice." #: autovoice.cpp:365 msgid "Auto voice the good people" msgstr "" - diff --git a/modules/po/autovoice.pot b/modules/po/autovoice.pot index 7003b776..8257a762 100644 --- a/modules/po/autovoice.pot +++ b/modules/po/autovoice.pot @@ -2,7 +2,6 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"Project-Id-Version: znc-bouncer\n" #: autovoice.cpp:120 msgid "List all users" diff --git a/modules/po/autovoice.ru.po b/modules/po/autovoice.ru.po index 4ceed041..00a19353 100644 --- a/modules/po/autovoice.ru.po +++ b/modules/po/autovoice.ru.po @@ -3,7 +3,8 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Project-Id-Version: znc-bouncer\n" -"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n" +"%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" @@ -11,7 +12,6 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: Russian\n" "Language: ru_RU\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: autovoice.cpp:120 msgid "List all users" @@ -102,10 +102,11 @@ msgid "User {1} added with hostmask {2}" msgstr "" #: autovoice.cpp:360 -msgid "Each argument is either a channel you want autovoice for (which can include wildcards) or, if it starts with !, it is an exception for autovoice." +msgid "" +"Each argument is either a channel you want autovoice for (which can include " +"wildcards) or, if it starts with !, it is an exception for autovoice." msgstr "" #: autovoice.cpp:365 msgid "Auto voice the good people" msgstr "" - diff --git a/modules/po/awaystore.de.po b/modules/po/awaystore.de.po index 1d81cb01..8fe71aae 100644 --- a/modules/po/awaystore.de.po +++ b/modules/po/awaystore.de.po @@ -11,7 +11,6 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: German\n" "Language: de_DE\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: awaystore.cpp:67 msgid "You have been marked as away" @@ -82,7 +81,9 @@ msgid "This module needs as an argument a keyphrase used for encryption" msgstr "" #: awaystore.cpp:285 -msgid "Failed to decrypt your saved messages - Did you give the right encryption key as an argument to this module?" +msgid "" +"Failed to decrypt your saved messages - Did you give the right encryption " +"key as an argument to this module?" msgstr "" #: awaystore.cpp:386 awaystore.cpp:389 @@ -98,10 +99,12 @@ msgid "Unable to decode encrypted messages" msgstr "" #: awaystore.cpp:516 -msgid "[ -notimer | -timer N ] [-chans] passw0rd . N is number of seconds, 600 by default." +msgid "" +"[ -notimer | -timer N ] [-chans] passw0rd . N is number of seconds, 600 by " +"default." msgstr "" #: awaystore.cpp:521 -msgid "Adds auto-away with logging, useful when you use ZNC from different locations" +msgid "" +"Adds auto-away with logging, useful when you use ZNC from different locations" msgstr "" - diff --git a/modules/po/awaystore.pot b/modules/po/awaystore.pot index b0ef1bdd..f4f23b9f 100644 --- a/modules/po/awaystore.pot +++ b/modules/po/awaystore.pot @@ -2,7 +2,6 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"Project-Id-Version: znc-bouncer\n" #: awaystore.cpp:67 msgid "You have been marked as away" diff --git a/modules/po/awaystore.ru.po b/modules/po/awaystore.ru.po index 964bd61a..77eba194 100644 --- a/modules/po/awaystore.ru.po +++ b/modules/po/awaystore.ru.po @@ -3,7 +3,8 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Project-Id-Version: znc-bouncer\n" -"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n" +"%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" @@ -11,7 +12,6 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: Russian\n" "Language: ru_RU\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: awaystore.cpp:67 msgid "You have been marked as away" @@ -82,7 +82,9 @@ msgid "This module needs as an argument a keyphrase used for encryption" msgstr "" #: awaystore.cpp:285 -msgid "Failed to decrypt your saved messages - Did you give the right encryption key as an argument to this module?" +msgid "" +"Failed to decrypt your saved messages - Did you give the right encryption " +"key as an argument to this module?" msgstr "" #: awaystore.cpp:386 awaystore.cpp:389 @@ -98,10 +100,12 @@ msgid "Unable to decode encrypted messages" msgstr "" #: awaystore.cpp:516 -msgid "[ -notimer | -timer N ] [-chans] passw0rd . N is number of seconds, 600 by default." +msgid "" +"[ -notimer | -timer N ] [-chans] passw0rd . N is number of seconds, 600 by " +"default." msgstr "" #: awaystore.cpp:521 -msgid "Adds auto-away with logging, useful when you use ZNC from different locations" +msgid "" +"Adds auto-away with logging, useful when you use ZNC from different locations" msgstr "" - diff --git a/modules/po/block_motd.de.po b/modules/po/block_motd.de.po index d4abaf74..49bd7c41 100644 --- a/modules/po/block_motd.de.po +++ b/modules/po/block_motd.de.po @@ -11,14 +11,15 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: German\n" "Language: de_DE\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: block_motd.cpp:26 msgid "[]" msgstr "" #: block_motd.cpp:27 -msgid "Override the block with this command. Can optionally specify which server to query." +msgid "" +"Override the block with this command. Can optionally specify which server to " +"query." msgstr "" #: block_motd.cpp:36 @@ -32,4 +33,3 @@ msgstr "" #: block_motd.cpp:106 msgid "Block the MOTD from IRC so it's not sent to your client(s)." msgstr "" - diff --git a/modules/po/block_motd.pot b/modules/po/block_motd.pot index b7b949e8..5485b3d0 100644 --- a/modules/po/block_motd.pot +++ b/modules/po/block_motd.pot @@ -2,7 +2,6 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"Project-Id-Version: znc-bouncer\n" #: block_motd.cpp:26 msgid "[]" diff --git a/modules/po/block_motd.ru.po b/modules/po/block_motd.ru.po index 99154891..28e86948 100644 --- a/modules/po/block_motd.ru.po +++ b/modules/po/block_motd.ru.po @@ -3,7 +3,8 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Project-Id-Version: znc-bouncer\n" -"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n" +"%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" @@ -11,14 +12,15 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: Russian\n" "Language: ru_RU\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: block_motd.cpp:26 msgid "[]" msgstr "" #: block_motd.cpp:27 -msgid "Override the block with this command. Can optionally specify which server to query." +msgid "" +"Override the block with this command. Can optionally specify which server to " +"query." msgstr "" #: block_motd.cpp:36 @@ -32,4 +34,3 @@ msgstr "" #: block_motd.cpp:106 msgid "Block the MOTD from IRC so it's not sent to your client(s)." msgstr "" - diff --git a/modules/po/blockuser.de.po b/modules/po/blockuser.de.po index c6fde326..6b74070f 100644 --- a/modules/po/blockuser.de.po +++ b/modules/po/blockuser.de.po @@ -11,7 +11,6 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: German\n" "Language: de_DE\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: modules/po/../data/blockuser/tmpl/blockuser_WebadminUser.tmpl:9 msgid "Account is blocked" @@ -96,4 +95,3 @@ msgstr "Einen oder mehrere Benutzernamen durch Leerzeichen getrennt eingeben." #: blockuser.cpp:219 msgid "Block certain users from logging in." msgstr "" - diff --git a/modules/po/blockuser.pot b/modules/po/blockuser.pot index c165cabe..6c262453 100644 --- a/modules/po/blockuser.pot +++ b/modules/po/blockuser.pot @@ -2,7 +2,6 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"Project-Id-Version: znc-bouncer\n" #: modules/po/../data/blockuser/tmpl/blockuser_WebadminUser.tmpl:9 msgid "Account is blocked" diff --git a/modules/po/blockuser.ru.po b/modules/po/blockuser.ru.po index 94762ce5..8d8f10cd 100644 --- a/modules/po/blockuser.ru.po +++ b/modules/po/blockuser.ru.po @@ -3,7 +3,8 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Project-Id-Version: znc-bouncer\n" -"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n" +"%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" @@ -11,7 +12,6 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: Russian\n" "Language: ru_RU\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: modules/po/../data/blockuser/tmpl/blockuser_WebadminUser.tmpl:9 msgid "Account is blocked" @@ -96,4 +96,3 @@ msgstr "" #: blockuser.cpp:219 msgid "Block certain users from logging in." msgstr "" - diff --git a/modules/po/bouncedcc.de.po b/modules/po/bouncedcc.de.po index 844f6c6f..57e8a9c1 100644 --- a/modules/po/bouncedcc.de.po +++ b/modules/po/bouncedcc.de.po @@ -11,7 +11,6 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: German\n" "Language: de_DE\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: bouncedcc.cpp:101 bouncedcc.cpp:119 bouncedcc.cpp:121 msgctxt "list" @@ -104,7 +103,9 @@ msgid "DCC {1} Bounce ({2}): Timeout while connecting." msgstr "" #: bouncedcc.cpp:427 -msgid "DCC {1} Bounce ({2}): Timeout while waiting for incoming connection on {3} {4}" +msgid "" +"DCC {1} Bounce ({2}): Timeout while waiting for incoming connection on {3} " +"{4}" msgstr "" #: bouncedcc.cpp:440 @@ -124,6 +125,7 @@ msgid "DCC {1} Bounce ({2}): Socket error: {3}" msgstr "" #: bouncedcc.cpp:547 -msgid "Bounces DCC transfers through ZNC instead of sending them directly to the user. " +msgid "" +"Bounces DCC transfers through ZNC instead of sending them directly to the " +"user. " msgstr "" - diff --git a/modules/po/bouncedcc.pot b/modules/po/bouncedcc.pot index 2613122a..eb6ba98d 100644 --- a/modules/po/bouncedcc.pot +++ b/modules/po/bouncedcc.pot @@ -2,7 +2,6 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"Project-Id-Version: znc-bouncer\n" #: bouncedcc.cpp:101 bouncedcc.cpp:119 bouncedcc.cpp:121 msgctxt "list" diff --git a/modules/po/bouncedcc.ru.po b/modules/po/bouncedcc.ru.po index b644aac3..e5e78763 100644 --- a/modules/po/bouncedcc.ru.po +++ b/modules/po/bouncedcc.ru.po @@ -3,7 +3,8 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Project-Id-Version: znc-bouncer\n" -"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n" +"%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" @@ -11,7 +12,6 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: Russian\n" "Language: ru_RU\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: bouncedcc.cpp:101 bouncedcc.cpp:119 bouncedcc.cpp:121 msgctxt "list" @@ -104,7 +104,9 @@ msgid "DCC {1} Bounce ({2}): Timeout while connecting." msgstr "" #: bouncedcc.cpp:427 -msgid "DCC {1} Bounce ({2}): Timeout while waiting for incoming connection on {3} {4}" +msgid "" +"DCC {1} Bounce ({2}): Timeout while waiting for incoming connection on {3} " +"{4}" msgstr "" #: bouncedcc.cpp:440 @@ -124,6 +126,7 @@ msgid "DCC {1} Bounce ({2}): Socket error: {3}" msgstr "" #: bouncedcc.cpp:547 -msgid "Bounces DCC transfers through ZNC instead of sending them directly to the user. " +msgid "" +"Bounces DCC transfers through ZNC instead of sending them directly to the " +"user. " msgstr "" - diff --git a/modules/po/buffextras.de.po b/modules/po/buffextras.de.po index 5f4bd445..3666e603 100644 --- a/modules/po/buffextras.de.po +++ b/modules/po/buffextras.de.po @@ -11,7 +11,6 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: German\n" "Language: de_DE\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: buffextras.cpp:45 msgid "Server" @@ -48,4 +47,3 @@ msgstr "" #: buffextras.cpp:115 msgid "Adds joins, parts etc. to the playback buffer" msgstr "" - diff --git a/modules/po/buffextras.pot b/modules/po/buffextras.pot index 98ec5241..a80ceb46 100644 --- a/modules/po/buffextras.pot +++ b/modules/po/buffextras.pot @@ -2,7 +2,6 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"Project-Id-Version: znc-bouncer\n" #: buffextras.cpp:45 msgid "Server" diff --git a/modules/po/buffextras.ru.po b/modules/po/buffextras.ru.po index 746eeb9f..ac6387a2 100644 --- a/modules/po/buffextras.ru.po +++ b/modules/po/buffextras.ru.po @@ -3,7 +3,8 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Project-Id-Version: znc-bouncer\n" -"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n" +"%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" @@ -11,7 +12,6 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: Russian\n" "Language: ru_RU\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: buffextras.cpp:45 msgid "Server" @@ -48,4 +48,3 @@ msgstr "" #: buffextras.cpp:115 msgid "Adds joins, parts etc. to the playback buffer" msgstr "" - diff --git a/modules/po/cert.de.po b/modules/po/cert.de.po index 47d68d2a..b9acaa18 100644 --- a/modules/po/cert.de.po +++ b/modules/po/cert.de.po @@ -11,7 +11,6 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: German\n" "Language: de_DE\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" # this text is inserted into `click here` in the other string #: modules/po/../data/cert/tmpl/index.tmpl:5 @@ -20,8 +19,12 @@ msgstr "hier" # {1} is `here`, translateable in the other string #: modules/po/../data/cert/tmpl/index.tmpl:6 -msgid "You already have a certificate set, use the form below to overwrite the current certificate. Alternatively click {1} to delete your certificate." -msgstr "Du hast bereits ein Zertifikat gesetzt. Verwende das untenstehende Formular um es zu überschreiben. Alternativ, klicke {1} um es zu löschen." +msgid "" +"You already have a certificate set, use the form below to overwrite the " +"current certificate. Alternatively click {1} to delete your certificate." +msgstr "" +"Du hast bereits ein Zertifikat gesetzt. Verwende das untenstehende Formular " +"um es zu überschreiben. Alternativ, klicke {1} um es zu löschen." #: modules/po/../data/cert/tmpl/index.tmpl:8 msgid "You do not have a certificate yet." @@ -45,15 +48,20 @@ msgstr "PEM-Datei gelöscht" #: cert.cpp:31 msgid "The pem file doesn't exist or there was a error deleting the pem file." -msgstr "Die PEM-Datei existiert nicht oder es trat ein Fehler beim Löschen auf." +msgstr "" +"Die PEM-Datei existiert nicht oder es trat ein Fehler beim Löschen auf." #: cert.cpp:38 msgid "You have a certificate in {1}" msgstr "Dein Zertifikat ist in {1}" #: cert.cpp:41 -msgid "You do not have a certificate. Please use the web interface to add a certificate" -msgstr "Du hast kein Zertifikat. Bitte verwende das Web-Interface um ein Zertifikat hinzuzufügen" +msgid "" +"You do not have a certificate. Please use the web interface to add a " +"certificate" +msgstr "" +"Du hast kein Zertifikat. Bitte verwende das Web-Interface um ein Zertifikat " +"hinzuzufügen" #: cert.cpp:44 msgid "Alternatively you can either place one at {1}" @@ -70,4 +78,3 @@ msgstr "" #: cert.cpp:105 msgid "Use a ssl certificate to connect to a server" msgstr "" - diff --git a/modules/po/cert.pot b/modules/po/cert.pot index dbe552bc..bcf2a85d 100644 --- a/modules/po/cert.pot +++ b/modules/po/cert.pot @@ -2,7 +2,6 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"Project-Id-Version: znc-bouncer\n" # this text is inserted into `click here` in the other string #: modules/po/../data/cert/tmpl/index.tmpl:5 diff --git a/modules/po/cert.ru.po b/modules/po/cert.ru.po index 1a702dd1..18e80718 100644 --- a/modules/po/cert.ru.po +++ b/modules/po/cert.ru.po @@ -3,7 +3,8 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Project-Id-Version: znc-bouncer\n" -"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n" +"%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" @@ -11,7 +12,6 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: Russian\n" "Language: ru_RU\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" # this text is inserted into `click here` in the other string #: modules/po/../data/cert/tmpl/index.tmpl:5 @@ -20,8 +20,12 @@ msgstr "сюда" # {1} is `here`, translateable in the other string #: modules/po/../data/cert/tmpl/index.tmpl:6 -msgid "You already have a certificate set, use the form below to overwrite the current certificate. Alternatively click {1} to delete your certificate." -msgstr "У вас уже есть сертификат, с помощью формы ниже можно его изменить. Чтобы удалить сертификат, нажмите {1}." +msgid "" +"You already have a certificate set, use the form below to overwrite the " +"current certificate. Alternatively click {1} to delete your certificate." +msgstr "" +"У вас уже есть сертификат, с помощью формы ниже можно его изменить. Чтобы " +"удалить сертификат, нажмите {1}." #: modules/po/../data/cert/tmpl/index.tmpl:8 msgid "You do not have a certificate yet." @@ -52,7 +56,9 @@ msgid "You have a certificate in {1}" msgstr "Ваш сертификат лежит в {1}" #: cert.cpp:41 -msgid "You do not have a certificate. Please use the web interface to add a certificate" +msgid "" +"You do not have a certificate. Please use the web interface to add a " +"certificate" msgstr "У вас нет сертификата. Пожалуйста, добавьте его через веб-интерфейс." #: cert.cpp:44 @@ -70,4 +76,3 @@ msgstr "Показать текущий сертификат" #: cert.cpp:105 msgid "Use a ssl certificate to connect to a server" msgstr "Соединение с сервером с помошью сертификата SSL" - diff --git a/modules/po/certauth.de.po b/modules/po/certauth.de.po index 8a801d2a..351e645c 100644 --- a/modules/po/certauth.de.po +++ b/modules/po/certauth.de.po @@ -11,7 +11,6 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: German\n" "Language: de_DE\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: modules/po/../data/certauth/tmpl/index.tmpl:7 msgid "Add a key" @@ -44,7 +43,9 @@ msgstr "" #: certauth.cpp:32 msgid "Add a public key. If key is not provided will use the current key" -msgstr "Einen öffentlichen Schlüssel hinzufügen. Falls kein Schlüssel angegeben wird, dann wird der aktuelle Schlüsse verwunden" +msgstr "" +"Einen öffentlichen Schlüssel hinzufügen. Falls kein Schlüssel angegeben " +"wird, dann wird der aktuelle Schlüsse verwunden" #: certauth.cpp:35 msgid "id" @@ -72,7 +73,8 @@ msgstr "Dein aktuelle öffentlicher Schlüssel ist: {1}" #: certauth.cpp:157 msgid "You did not supply a public key or connect with one." -msgstr "Es wurde kein öffentlicher Schlüssel angegeben oder zum Verbinden verwendet." +msgstr "" +"Es wurde kein öffentlicher Schlüssel angegeben oder zum Verbinden verwendet." #: certauth.cpp:160 msgid "Key '{1}' added." @@ -106,5 +108,5 @@ msgstr "Entfernt" #: certauth.cpp:290 msgid "Allows users to authenticate via SSL client certificates." -msgstr "Ermöglicht es Benutzern sich über SSL-Client-Zertifikate zu authentifizieren." - +msgstr "" +"Ermöglicht es Benutzern sich über SSL-Client-Zertifikate zu authentifizieren." diff --git a/modules/po/certauth.pot b/modules/po/certauth.pot index a2c84c80..eb356941 100644 --- a/modules/po/certauth.pot +++ b/modules/po/certauth.pot @@ -2,7 +2,6 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"Project-Id-Version: znc-bouncer\n" #: modules/po/../data/certauth/tmpl/index.tmpl:7 msgid "Add a key" diff --git a/modules/po/certauth.ru.po b/modules/po/certauth.ru.po index 4d6f5cc9..7d5d4e67 100644 --- a/modules/po/certauth.ru.po +++ b/modules/po/certauth.ru.po @@ -3,7 +3,8 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Project-Id-Version: znc-bouncer\n" -"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n" +"%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" @@ -11,7 +12,6 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: Russian\n" "Language: ru_RU\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: modules/po/../data/certauth/tmpl/index.tmpl:7 msgid "Add a key" @@ -107,4 +107,3 @@ msgstr "" #: certauth.cpp:290 msgid "Allows users to authenticate via SSL client certificates." msgstr "" - diff --git a/modules/po/chansaver.de.po b/modules/po/chansaver.de.po index c50f98bc..6d1683d6 100644 --- a/modules/po/chansaver.de.po +++ b/modules/po/chansaver.de.po @@ -11,9 +11,7 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: German\n" "Language: de_DE\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: chansaver.cpp:91 msgid "Keeps config up-to-date when user joins/parts." msgstr "" - diff --git a/modules/po/chansaver.pot b/modules/po/chansaver.pot index 362be341..59b68259 100644 --- a/modules/po/chansaver.pot +++ b/modules/po/chansaver.pot @@ -2,7 +2,6 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"Project-Id-Version: znc-bouncer\n" #: chansaver.cpp:91 msgid "Keeps config up-to-date when user joins/parts." diff --git a/modules/po/chansaver.ru.po b/modules/po/chansaver.ru.po index 8f0337d2..33768c9d 100644 --- a/modules/po/chansaver.ru.po +++ b/modules/po/chansaver.ru.po @@ -3,7 +3,8 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Project-Id-Version: znc-bouncer\n" -"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n" +"%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" @@ -11,9 +12,7 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: Russian\n" "Language: ru_RU\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: chansaver.cpp:91 msgid "Keeps config up-to-date when user joins/parts." msgstr "" - diff --git a/modules/po/clearbufferonmsg.de.po b/modules/po/clearbufferonmsg.de.po index 1c6989d6..65dba77b 100644 --- a/modules/po/clearbufferonmsg.de.po +++ b/modules/po/clearbufferonmsg.de.po @@ -11,9 +11,7 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: German\n" "Language: de_DE\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: clearbufferonmsg.cpp:160 msgid "Clears all channel and query buffers whenever the user does something" msgstr "Löscht alle Kanal- und Query-Puffer immer wenn der Benutzer etwas tut" - diff --git a/modules/po/clearbufferonmsg.pot b/modules/po/clearbufferonmsg.pot index eaf7f8da..5c30bfb9 100644 --- a/modules/po/clearbufferonmsg.pot +++ b/modules/po/clearbufferonmsg.pot @@ -2,7 +2,6 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"Project-Id-Version: znc-bouncer\n" #: clearbufferonmsg.cpp:160 msgid "Clears all channel and query buffers whenever the user does something" diff --git a/modules/po/clearbufferonmsg.ru.po b/modules/po/clearbufferonmsg.ru.po index 04057b50..c7df687b 100644 --- a/modules/po/clearbufferonmsg.ru.po +++ b/modules/po/clearbufferonmsg.ru.po @@ -3,7 +3,8 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Project-Id-Version: znc-bouncer\n" -"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n" +"%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" @@ -11,9 +12,7 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: Russian\n" "Language: ru_RU\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: clearbufferonmsg.cpp:160 msgid "Clears all channel and query buffers whenever the user does something" msgstr "" - diff --git a/modules/po/clientnotify.de.po b/modules/po/clientnotify.de.po index 9db381bb..641bb08d 100644 --- a/modules/po/clientnotify.de.po +++ b/modules/po/clientnotify.de.po @@ -11,7 +11,6 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: German\n" "Language: de_DE\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: clientnotify.cpp:47 msgid "" @@ -27,7 +26,8 @@ msgstr "" #: clientnotify.cpp:51 msgid "Turns notifications for unseen IP addresses on or off" -msgstr "Schaltet Benachrichtigungen für bisher nicht gesehene IP-Adressen an oder aus" +msgstr "" +"Schaltet Benachrichtigungen für bisher nicht gesehene IP-Adressen an oder aus" #: clientnotify.cpp:55 msgid "Turns notifications for clients disconnecting on or off" @@ -39,9 +39,13 @@ msgstr "Zeigt die aktuellen Einstellungen an" #: clientnotify.cpp:81 clientnotify.cpp:95 msgid "" -msgid_plural "Another client authenticated as your user. Use the 'ListClients' command to see all {1} clients." +msgid_plural "" +"Another client authenticated as your user. Use the 'ListClients' command to " +"see all {1} clients." msgstr[0] "" -msgstr[1] "Ein anderer Client hat sich als dein Benutzer authentifiziert. Verwende den 'ListClients'-Befehl um alle {1} Clients zu sehen." +msgstr[1] "" +"Ein anderer Client hat sich als dein Benutzer authentifiziert. Verwende den " +"'ListClients'-Befehl um alle {1} Clients zu sehen." #: clientnotify.cpp:108 msgid "Usage: Method " @@ -60,10 +64,15 @@ msgid "Usage: OnDisconnect " msgstr "Verwendung: OnDisconnect " #: clientnotify.cpp:145 -msgid "Current settings: Method: {1}, for unseen IP addresses only: {2}, notify on disconnecting clients: {3}" +msgid "" +"Current settings: Method: {1}, for unseen IP addresses only: {2}, notify on " +"disconnecting clients: {3}" msgstr "" #: clientnotify.cpp:157 -msgid "Notifies you when another IRC client logs into or out of your account. Configurable." -msgstr "Benachrichtigt dicht wenn ein anderer IRC-Client in deinen Account ein- oder aus deinem Account ausloggt. Konfigurierbar." - +msgid "" +"Notifies you when another IRC client logs into or out of your account. " +"Configurable." +msgstr "" +"Benachrichtigt dicht wenn ein anderer IRC-Client in deinen Account ein- oder " +"aus deinem Account ausloggt. Konfigurierbar." diff --git a/modules/po/clientnotify.pot b/modules/po/clientnotify.pot index 5b1ea854..b099e5e6 100644 --- a/modules/po/clientnotify.pot +++ b/modules/po/clientnotify.pot @@ -2,7 +2,6 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"Project-Id-Version: znc-bouncer\n" #: clientnotify.cpp:47 msgid "" diff --git a/modules/po/clientnotify.ru.po b/modules/po/clientnotify.ru.po index 26b43263..a625d683 100644 --- a/modules/po/clientnotify.ru.po +++ b/modules/po/clientnotify.ru.po @@ -3,7 +3,8 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Project-Id-Version: znc-bouncer\n" -"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n" +"%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" @@ -11,7 +12,6 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: Russian\n" "Language: ru_RU\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: clientnotify.cpp:47 msgid "" @@ -39,7 +39,9 @@ msgstr "" #: clientnotify.cpp:81 clientnotify.cpp:95 msgid "" -msgid_plural "Another client authenticated as your user. Use the 'ListClients' command to see all {1} clients." +msgid_plural "" +"Another client authenticated as your user. Use the 'ListClients' command to " +"see all {1} clients." msgstr[0] "" msgstr[1] "" msgstr[2] "" @@ -61,10 +63,13 @@ msgid "Usage: OnDisconnect " msgstr "" #: clientnotify.cpp:145 -msgid "Current settings: Method: {1}, for unseen IP addresses only: {2}, notify on disconnecting clients: {3}" +msgid "" +"Current settings: Method: {1}, for unseen IP addresses only: {2}, notify on " +"disconnecting clients: {3}" msgstr "" #: clientnotify.cpp:157 -msgid "Notifies you when another IRC client logs into or out of your account. Configurable." +msgid "" +"Notifies you when another IRC client logs into or out of your account. " +"Configurable." msgstr "" - diff --git a/modules/po/controlpanel.de.po b/modules/po/controlpanel.de.po index 5b747637..721dfb4c 100644 --- a/modules/po/controlpanel.de.po +++ b/modules/po/controlpanel.de.po @@ -11,7 +11,6 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: German\n" "Language: de_DE\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: controlpanel.cpp:51 controlpanel.cpp:63 msgctxt "helptable" @@ -44,16 +43,27 @@ msgid "The following variables are available when using the Set/Get commands:" msgstr "Die folgenden Variablen stehen für die Set/Get-Befehle zur Verfügung:" #: controlpanel.cpp:145 -msgid "The following variables are available when using the SetNetwork/GetNetwork commands:" -msgstr "Die folgenden Variablen stehen für die SetNetwork/GetNetwork-Befehle zur Verfügung:" +msgid "" +"The following variables are available when using the SetNetwork/GetNetwork " +"commands:" +msgstr "" +"Die folgenden Variablen stehen für die SetNetwork/GetNetwork-Befehle zur " +"Verfügung:" #: controlpanel.cpp:158 -msgid "The following variables are available when using the SetChan/GetChan commands:" -msgstr "Die folgenden Variablen stehen für die SetChan/GetChan-Befehle zur Verfügung:" +msgid "" +"The following variables are available when using the SetChan/GetChan " +"commands:" +msgstr "" +"Die folgenden Variablen stehen für die SetChan/GetChan-Befehle zur Verfügung:" #: controlpanel.cpp:164 -msgid "You can use $user as the user name and $network as the network name for modifying your own user and network." -msgstr "Um deinen eigenen User und dein eigenes Netzwerk zu bearbeiten, können $user und $network verwendet werden." +msgid "" +"You can use $user as the user name and $network as the network name for " +"modifying your own user and network." +msgstr "" +"Um deinen eigenen User und dein eigenes Netzwerk zu bearbeiten, können $user " +"und $network verwendet werden." #: controlpanel.cpp:173 controlpanel.cpp:949 controlpanel.cpp:986 msgid "Error: User [{1}] does not exist!" @@ -65,7 +75,9 @@ msgstr "Fehler: Administratorrechte benötigt um andere Benutzer zu bearbeiten!" #: controlpanel.cpp:188 msgid "Error: You cannot use $network to modify other users!" -msgstr "Fehler: $network kann nicht verwendet werden um andere Benutzer zu bearbeiten!" +msgstr "" +"Fehler: $network kann nicht verwendet werden um andere Benutzer zu " +"bearbeiten!" #: controlpanel.cpp:196 msgid "Error: User {1} does not have a network named [{2}]." @@ -120,7 +132,9 @@ msgstr "Verwendung: GetNetwork [Benutzername] [Netzwerk]" #: controlpanel.cpp:521 msgid "Error: A network must be specified to get another users settings." -msgstr "Fehler: Ein Netzwerk muss angegeben werden um Einstellungen eines anderen Nutzers zu bekommen." +msgstr "" +"Fehler: Ein Netzwerk muss angegeben werden um Einstellungen eines anderen " +"Nutzers zu bekommen." #: controlpanel.cpp:527 msgid "You are not currently attached to a network." @@ -147,8 +161,11 @@ msgid "Channel {1} for user {2} added to network {3}." msgstr "Kanal {1} für User {2} zum Netzwerk {3} hinzugefügt." #: controlpanel.cpp:675 -msgid "Could not add channel {1} for user {2} to network {3}, does it already exist?" -msgstr "Konnte Kanal {1} nicht für Benutzer {2} zum Netzwerk {3} hinzufügen; existiert er bereits?" +msgid "" +"Could not add channel {1} for user {2} to network {3}, does it already exist?" +msgstr "" +"Konnte Kanal {1} nicht für Benutzer {2} zum Netzwerk {3} hinzufügen; " +"existiert er bereits?" #: controlpanel.cpp:685 msgid "Usage: DelChan " @@ -156,7 +173,8 @@ msgstr "Verwendung: DelChan " #: controlpanel.cpp:700 msgid "Error: User {1} does not have any channel matching [{2}] in network {3}" -msgstr "Fehler: Benutzer {1} hat keinen Kanal in Netzwerk {3}, der auf [{2}] passt" +msgstr "" +"Fehler: Benutzer {1} hat keinen Kanal in Netzwerk {3}, der auf [{2}] passt" #: controlpanel.cpp:713 msgid "Channel {1} is deleted from network {2} of user {3}" @@ -174,7 +192,8 @@ msgstr "Fehler: Keine auf [{1}] passende Kanäle gefunden." #: controlpanel.cpp:791 msgid "Usage: SetChan " -msgstr "Verwendung: SetChan " +msgstr "" +"Verwendung: SetChan " #: controlpanel.cpp:872 controlpanel.cpp:882 msgctxt "listusers" @@ -272,8 +291,13 @@ msgid "Usage: AddNetwork [user] network" msgstr "Verwendung: AddNetwork [Benutzer] Netzwerk" #: controlpanel.cpp:1029 -msgid "Network number limit reached. Ask an admin to increase the limit for you, or delete unneeded networks using /znc DelNetwork " -msgstr "Netzwerk-Anzahl-Limit erreicht. Frag einen Administrator den Grenzwert für dich zu erhöhen, oder löschen nicht benötigte Netzwerke mit /znc DelNetwork " +msgid "" +"Network number limit reached. Ask an admin to increase the limit for you, or " +"delete unneeded networks using /znc DelNetwork " +msgstr "" +"Netzwerk-Anzahl-Limit erreicht. Frag einen Administrator den Grenzwert für " +"dich zu erhöhen, oder löschen nicht benötigte Netzwerke mit /znc DelNetwork " +"" #: controlpanel.cpp:1037 msgid "Error: User {1} already has a network with the name {2}" @@ -285,7 +309,8 @@ msgstr "Netzwerk {1} zu Benutzer {2} hinzugefügt." #: controlpanel.cpp:1048 msgid "Error: Network [{1}] could not be added for user {2}: {3}" -msgstr "Fehler: Netzwerk [{1}] konnte nicht zu Benutzer {2} hinzugefügt werden: {3}" +msgstr "" +"Fehler: Netzwerk [{1}] konnte nicht zu Benutzer {2} hinzugefügt werden: {3}" #: controlpanel.cpp:1068 msgid "Usage: DelNetwork [user] network" @@ -334,7 +359,8 @@ msgstr "Keine Netzwerke" #: controlpanel.cpp:1142 msgid "Usage: AddServer [[+]port] [password]" -msgstr "Verwendung: AddServer [[+]Port] [Passwort]" +msgstr "" +"Verwendung: AddServer [[+]Port] [Passwort]" #: controlpanel.cpp:1156 msgid "Added IRC Server {1} to network {2} for user {3}." @@ -342,11 +368,14 @@ msgstr "IRC-Server {1} zu Netzwerk {2} von Benutzer {3} hinzugefügt." #: controlpanel.cpp:1160 msgid "Error: Could not add IRC server {1} to network {2} for user {3}." -msgstr "Fehler: Konnte IRC-Server {1} nicht zu Netzwerk {2} von Benutzer {3} hinzufügen." +msgstr "" +"Fehler: Konnte IRC-Server {1} nicht zu Netzwerk {2} von Benutzer {3} " +"hinzufügen." #: controlpanel.cpp:1173 msgid "Usage: DelServer [[+]port] [password]" -msgstr "Verwendung: DelServer [[+]Port] [Passwort]" +msgstr "" +"Verwendung: DelServer [[+]Port] [Passwort]" #: controlpanel.cpp:1188 msgid "Deleted IRC Server {1} from network {2} for user {3}." @@ -354,7 +383,8 @@ msgstr "IRC-Server {1} von Netzwerk {2} von User {3} gelöscht." #: controlpanel.cpp:1192 msgid "Error: Could not delete IRC server {1} from network {2} for user {3}." -msgstr "Fehler: Konnte IRC-Server {1} von Netzwerk {2} von User {3} nicht löschen." +msgstr "" +"Fehler: Konnte IRC-Server {1} von Netzwerk {2} von User {3} nicht löschen." #: controlpanel.cpp:1202 msgid "Usage: Reconnect " @@ -395,8 +425,11 @@ msgid "Usage: AddCTCP [user] [request] [reply]" msgstr "Verwendung: AddCTCP [Benutzer] [Anfrage] [Antwort]" #: controlpanel.cpp:1298 -msgid "This will cause ZNC to reply to the CTCP instead of forwarding it to clients." -msgstr "Hierdurch wird ZNC den CTCP beantworten anstelle ihn zum Client weiterzuleiten." +msgid "" +"This will cause ZNC to reply to the CTCP instead of forwarding it to clients." +msgstr "" +"Hierdurch wird ZNC den CTCP beantworten anstelle ihn zum Client " +"weiterzuleiten." #: controlpanel.cpp:1301 msgid "An empty reply will cause the CTCP request to be blocked." @@ -419,8 +452,12 @@ msgid "CTCP requests {1} to user {2} will now be sent to IRC clients" msgstr "CTCP-Anfragen {1} an Benutzer {2} werden nun an IRC-Clients gesendet" #: controlpanel.cpp:1341 -msgid "CTCP requests {1} to user {2} will be sent to IRC clients (nothing has changed)" -msgstr "CTCP-Anfragen {1} an Benutzer {2} werden an IRC-Clients gesendet (nichts hat sich geändert)" +msgid "" +"CTCP requests {1} to user {2} will be sent to IRC clients (nothing has " +"changed)" +msgstr "" +"CTCP-Anfragen {1} an Benutzer {2} werden an IRC-Clients gesendet (nichts hat " +"sich geändert)" #: controlpanel.cpp:1351 controlpanel.cpp:1425 msgid "Loading modules has been disabled." @@ -452,7 +489,8 @@ msgstr "Verwendung: LoadModule [Argumente]" #: controlpanel.cpp:1405 msgid "Usage: LoadNetModule [args]" -msgstr "Verwendung: LoadNetModule [Argumente]" +msgstr "" +"Verwendung: LoadNetModule [Argumente]" #: controlpanel.cpp:1430 msgid "Please use /znc unloadmod {1}" @@ -514,7 +552,8 @@ msgstr " [Benutzername]" #: controlpanel.cpp:1547 msgid "Prints the variable's value for the given or current user" -msgstr "Gibt den Wert der Variable für den gegebenen oder aktuellen Benutzer aus" +msgstr "" +"Gibt den Wert der Variable für den gegebenen oder aktuellen Benutzer aus" #: controlpanel.cpp:1549 msgid " " @@ -602,7 +641,8 @@ msgstr " " #: controlpanel.cpp:1582 msgid "Adds a new IRC server for the given or current user" -msgstr "Fügt einen neuen IRC-Server zum gegebenen oder aktuellen Benutzer hinzu" +msgstr "" +"Fügt einen neuen IRC-Server zum gegebenen oder aktuellen Benutzer hinzu" #: controlpanel.cpp:1585 msgid "Deletes an IRC server from the given or current user" @@ -701,6 +741,7 @@ msgid "List all networks for a user" msgstr "" #: controlpanel.cpp:1644 -msgid "Dynamic configuration through IRC. Allows editing only yourself if you're not ZNC admin." +msgid "" +"Dynamic configuration through IRC. Allows editing only yourself if you're " +"not ZNC admin." msgstr "" - diff --git a/modules/po/controlpanel.pot b/modules/po/controlpanel.pot index 3a945853..ab257bf7 100644 --- a/modules/po/controlpanel.pot +++ b/modules/po/controlpanel.pot @@ -2,7 +2,6 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"Project-Id-Version: znc-bouncer\n" #: controlpanel.cpp:51 controlpanel.cpp:63 msgctxt "helptable" diff --git a/modules/po/controlpanel.ru.po b/modules/po/controlpanel.ru.po index 1dedd87e..10b3054f 100644 --- a/modules/po/controlpanel.ru.po +++ b/modules/po/controlpanel.ru.po @@ -3,7 +3,8 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Project-Id-Version: znc-bouncer\n" -"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n" +"%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" @@ -11,7 +12,6 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: Russian\n" "Language: ru_RU\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: controlpanel.cpp:51 controlpanel.cpp:63 msgctxt "helptable" @@ -44,15 +44,21 @@ msgid "The following variables are available when using the Set/Get commands:" msgstr "" #: controlpanel.cpp:145 -msgid "The following variables are available when using the SetNetwork/GetNetwork commands:" +msgid "" +"The following variables are available when using the SetNetwork/GetNetwork " +"commands:" msgstr "" #: controlpanel.cpp:158 -msgid "The following variables are available when using the SetChan/GetChan commands:" +msgid "" +"The following variables are available when using the SetChan/GetChan " +"commands:" msgstr "" #: controlpanel.cpp:164 -msgid "You can use $user as the user name and $network as the network name for modifying your own user and network." +msgid "" +"You can use $user as the user name and $network as the network name for " +"modifying your own user and network." msgstr "" #: controlpanel.cpp:173 controlpanel.cpp:949 controlpanel.cpp:986 @@ -147,7 +153,8 @@ msgid "Channel {1} for user {2} added to network {3}." msgstr "" #: controlpanel.cpp:675 -msgid "Could not add channel {1} for user {2} to network {3}, does it already exist?" +msgid "" +"Could not add channel {1} for user {2} to network {3}, does it already exist?" msgstr "" #: controlpanel.cpp:685 @@ -273,7 +280,9 @@ msgid "Usage: AddNetwork [user] network" msgstr "" #: controlpanel.cpp:1029 -msgid "Network number limit reached. Ask an admin to increase the limit for you, or delete unneeded networks using /znc DelNetwork " +msgid "" +"Network number limit reached. Ask an admin to increase the limit for you, or " +"delete unneeded networks using /znc DelNetwork " msgstr "" #: controlpanel.cpp:1037 @@ -396,7 +405,8 @@ msgid "Usage: AddCTCP [user] [request] [reply]" msgstr "" #: controlpanel.cpp:1298 -msgid "This will cause ZNC to reply to the CTCP instead of forwarding it to clients." +msgid "" +"This will cause ZNC to reply to the CTCP instead of forwarding it to clients." msgstr "" #: controlpanel.cpp:1301 @@ -420,7 +430,9 @@ msgid "CTCP requests {1} to user {2} will now be sent to IRC clients" msgstr "" #: controlpanel.cpp:1341 -msgid "CTCP requests {1} to user {2} will be sent to IRC clients (nothing has changed)" +msgid "" +"CTCP requests {1} to user {2} will be sent to IRC clients (nothing has " +"changed)" msgstr "" #: controlpanel.cpp:1351 controlpanel.cpp:1425 @@ -702,6 +714,7 @@ msgid "List all networks for a user" msgstr "" #: controlpanel.cpp:1644 -msgid "Dynamic configuration through IRC. Allows editing only yourself if you're not ZNC admin." +msgid "" +"Dynamic configuration through IRC. Allows editing only yourself if you're " +"not ZNC admin." msgstr "" - diff --git a/modules/po/crypt.de.po b/modules/po/crypt.de.po index 3a73b2ef..a4bd1230 100644 --- a/modules/po/crypt.de.po +++ b/modules/po/crypt.de.po @@ -11,7 +11,6 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: German\n" "Language: de_DE\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: crypt.cpp:198 msgid "<#chan|Nick>" @@ -142,4 +141,3 @@ msgstr "" #: crypt.cpp:539 msgid "Encryption for channel/private messages" msgstr "" - diff --git a/modules/po/crypt.pot b/modules/po/crypt.pot index eeb71492..567e9e9e 100644 --- a/modules/po/crypt.pot +++ b/modules/po/crypt.pot @@ -2,7 +2,6 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"Project-Id-Version: znc-bouncer\n" #: crypt.cpp:198 msgid "<#chan|Nick>" diff --git a/modules/po/crypt.ru.po b/modules/po/crypt.ru.po index 66aa195d..1158bdde 100644 --- a/modules/po/crypt.ru.po +++ b/modules/po/crypt.ru.po @@ -3,7 +3,8 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Project-Id-Version: znc-bouncer\n" -"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n" +"%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" @@ -11,7 +12,6 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: Russian\n" "Language: ru_RU\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: crypt.cpp:198 msgid "<#chan|Nick>" @@ -142,4 +142,3 @@ msgstr "" #: crypt.cpp:539 msgid "Encryption for channel/private messages" msgstr "" - diff --git a/modules/po/ctcpflood.de.po b/modules/po/ctcpflood.de.po index 90a895c5..0a64ae28 100644 --- a/modules/po/ctcpflood.de.po +++ b/modules/po/ctcpflood.de.po @@ -11,7 +11,6 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: German\n" "Language: de_DE\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: ctcpflood.cpp:25 ctcpflood.cpp:27 msgid "" @@ -58,10 +57,13 @@ msgid "Current limit is {1} {2}" msgstr "" #: ctcpflood.cpp:145 -msgid "This user module takes none to two arguments. The first argument is the number of lines after which the flood-protection is triggered. The second argument is the time (sec) to in which the number of lines is reached. The default setting is 4 CTCPs in 2 seconds" +msgid "" +"This user module takes none to two arguments. The first argument is the " +"number of lines after which the flood-protection is triggered. The second " +"argument is the time (sec) to in which the number of lines is reached. The " +"default setting is 4 CTCPs in 2 seconds" msgstr "" #: ctcpflood.cpp:151 msgid "Don't forward CTCP floods to clients" msgstr "" - diff --git a/modules/po/ctcpflood.pot b/modules/po/ctcpflood.pot index fd97fd5d..a601d2bf 100644 --- a/modules/po/ctcpflood.pot +++ b/modules/po/ctcpflood.pot @@ -2,7 +2,6 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"Project-Id-Version: znc-bouncer\n" #: ctcpflood.cpp:25 ctcpflood.cpp:27 msgid "" diff --git a/modules/po/ctcpflood.ru.po b/modules/po/ctcpflood.ru.po index 47c98dc0..6fbb240c 100644 --- a/modules/po/ctcpflood.ru.po +++ b/modules/po/ctcpflood.ru.po @@ -3,7 +3,8 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Project-Id-Version: znc-bouncer\n" -"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n" +"%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" @@ -11,7 +12,6 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: Russian\n" "Language: ru_RU\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: ctcpflood.cpp:25 ctcpflood.cpp:27 msgid "" @@ -60,10 +60,13 @@ msgid "Current limit is {1} {2}" msgstr "" #: ctcpflood.cpp:145 -msgid "This user module takes none to two arguments. The first argument is the number of lines after which the flood-protection is triggered. The second argument is the time (sec) to in which the number of lines is reached. The default setting is 4 CTCPs in 2 seconds" +msgid "" +"This user module takes none to two arguments. The first argument is the " +"number of lines after which the flood-protection is triggered. The second " +"argument is the time (sec) to in which the number of lines is reached. The " +"default setting is 4 CTCPs in 2 seconds" msgstr "" #: ctcpflood.cpp:151 msgid "Don't forward CTCP floods to clients" msgstr "" - diff --git a/modules/po/cyrusauth.de.po b/modules/po/cyrusauth.de.po index 6d92fe18..7128729b 100644 --- a/modules/po/cyrusauth.de.po +++ b/modules/po/cyrusauth.de.po @@ -11,7 +11,6 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: German\n" "Language: de_DE\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: cyrusauth.cpp:42 msgid "Shows current settings" @@ -22,7 +21,8 @@ msgid "yes|clone |no" msgstr "" #: cyrusauth.cpp:45 -msgid "Create ZNC users upon first successful login, optionally from a template" +msgid "" +"Create ZNC users upon first successful login, optionally from a template" msgstr "" #: cyrusauth.cpp:56 @@ -50,7 +50,8 @@ msgid "We will not create users on their first login" msgstr "" #: cyrusauth.cpp:174 cyrusauth.cpp:195 -msgid "We will create users on their first login, using user [{1}] as a template" +msgid "" +"We will create users on their first login, using user [{1}] as a template" msgstr "" #: cyrusauth.cpp:177 cyrusauth.cpp:190 @@ -62,10 +63,11 @@ msgid "Usage: CreateUsers yes, CreateUsers no, or CreateUsers clone " msgstr "" #: cyrusauth.cpp:232 -msgid "This global module takes up to two arguments - the methods of authentication - auxprop and saslauthd" +msgid "" +"This global module takes up to two arguments - the methods of authentication " +"- auxprop and saslauthd" msgstr "" #: cyrusauth.cpp:238 msgid "Allow users to authenticate via SASL password verification method" msgstr "" - diff --git a/modules/po/cyrusauth.pot b/modules/po/cyrusauth.pot index 0bbb2778..7f788249 100644 --- a/modules/po/cyrusauth.pot +++ b/modules/po/cyrusauth.pot @@ -2,7 +2,6 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"Project-Id-Version: znc-bouncer\n" #: cyrusauth.cpp:42 msgid "Shows current settings" diff --git a/modules/po/cyrusauth.ru.po b/modules/po/cyrusauth.ru.po index 94272c87..03bbdb95 100644 --- a/modules/po/cyrusauth.ru.po +++ b/modules/po/cyrusauth.ru.po @@ -3,7 +3,8 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Project-Id-Version: znc-bouncer\n" -"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n" +"%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" @@ -11,7 +12,6 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: Russian\n" "Language: ru_RU\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: cyrusauth.cpp:42 msgid "Shows current settings" @@ -22,7 +22,8 @@ msgid "yes|clone |no" msgstr "" #: cyrusauth.cpp:45 -msgid "Create ZNC users upon first successful login, optionally from a template" +msgid "" +"Create ZNC users upon first successful login, optionally from a template" msgstr "" #: cyrusauth.cpp:56 @@ -50,7 +51,8 @@ msgid "We will not create users on their first login" msgstr "" #: cyrusauth.cpp:174 cyrusauth.cpp:195 -msgid "We will create users on their first login, using user [{1}] as a template" +msgid "" +"We will create users on their first login, using user [{1}] as a template" msgstr "" #: cyrusauth.cpp:177 cyrusauth.cpp:190 @@ -62,10 +64,11 @@ msgid "Usage: CreateUsers yes, CreateUsers no, or CreateUsers clone " msgstr "" #: cyrusauth.cpp:232 -msgid "This global module takes up to two arguments - the methods of authentication - auxprop and saslauthd" +msgid "" +"This global module takes up to two arguments - the methods of authentication " +"- auxprop and saslauthd" msgstr "" #: cyrusauth.cpp:238 msgid "Allow users to authenticate via SASL password verification method" msgstr "" - diff --git a/modules/po/dcc.de.po b/modules/po/dcc.de.po index 44f47384..af2fc561 100644 --- a/modules/po/dcc.de.po +++ b/modules/po/dcc.de.po @@ -11,7 +11,6 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: German\n" "Language: de_DE\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: dcc.cpp:88 msgid " " @@ -46,7 +45,8 @@ msgid "Receiving [{1}] from [{2}]: File already exists." msgstr "" #: dcc.cpp:167 -msgid "Attempting to connect to [{1} {2}] in order to download [{3}] from [{4}]." +msgid "" +"Attempting to connect to [{1} {2}] in order to download [{3}] from [{4}]." msgstr "" #: dcc.cpp:179 @@ -225,4 +225,3 @@ msgstr "" #: dcc.cpp:623 msgid "This module allows you to transfer files to and from ZNC" msgstr "" - diff --git a/modules/po/dcc.pot b/modules/po/dcc.pot index b2c32f29..2a0fecb8 100644 --- a/modules/po/dcc.pot +++ b/modules/po/dcc.pot @@ -2,7 +2,6 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"Project-Id-Version: znc-bouncer\n" #: dcc.cpp:88 msgid " " diff --git a/modules/po/dcc.ru.po b/modules/po/dcc.ru.po index 328fa3ad..8d2cd05a 100644 --- a/modules/po/dcc.ru.po +++ b/modules/po/dcc.ru.po @@ -3,7 +3,8 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Project-Id-Version: znc-bouncer\n" -"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n" +"%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" @@ -11,7 +12,6 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: Russian\n" "Language: ru_RU\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: dcc.cpp:88 msgid " " @@ -46,7 +46,8 @@ msgid "Receiving [{1}] from [{2}]: File already exists." msgstr "" #: dcc.cpp:167 -msgid "Attempting to connect to [{1} {2}] in order to download [{3}] from [{4}]." +msgid "" +"Attempting to connect to [{1} {2}] in order to download [{3}] from [{4}]." msgstr "" #: dcc.cpp:179 @@ -225,4 +226,3 @@ msgstr "" #: dcc.cpp:623 msgid "This module allows you to transfer files to and from ZNC" msgstr "" - diff --git a/modules/po/disconkick.de.po b/modules/po/disconkick.de.po index dee2d86d..87a4cd8e 100644 --- a/modules/po/disconkick.de.po +++ b/modules/po/disconkick.de.po @@ -11,13 +11,13 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: German\n" "Language: de_DE\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: disconkick.cpp:32 msgid "You have been disconnected from the IRC server" msgstr "" #: disconkick.cpp:45 -msgid "Kicks the client from all channels when the connection to the IRC server is lost" +msgid "" +"Kicks the client from all channels when the connection to the IRC server is " +"lost" msgstr "" - diff --git a/modules/po/disconkick.pot b/modules/po/disconkick.pot index 2055cd04..5c8f6519 100644 --- a/modules/po/disconkick.pot +++ b/modules/po/disconkick.pot @@ -2,7 +2,6 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"Project-Id-Version: znc-bouncer\n" #: disconkick.cpp:32 msgid "You have been disconnected from the IRC server" diff --git a/modules/po/disconkick.ru.po b/modules/po/disconkick.ru.po index 2893de3b..d7e26685 100644 --- a/modules/po/disconkick.ru.po +++ b/modules/po/disconkick.ru.po @@ -3,7 +3,8 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Project-Id-Version: znc-bouncer\n" -"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n" +"%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" @@ -11,13 +12,13 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: Russian\n" "Language: ru_RU\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: disconkick.cpp:32 msgid "You have been disconnected from the IRC server" msgstr "" #: disconkick.cpp:45 -msgid "Kicks the client from all channels when the connection to the IRC server is lost" +msgid "" +"Kicks the client from all channels when the connection to the IRC server is " +"lost" msgstr "" - diff --git a/modules/po/fail2ban.de.po b/modules/po/fail2ban.de.po index b5ec5162..946f6415 100644 --- a/modules/po/fail2ban.de.po +++ b/modules/po/fail2ban.de.po @@ -11,7 +11,6 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: German\n" "Language: de_DE\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: fail2ban.cpp:25 msgid "[minutes]" @@ -19,7 +18,9 @@ msgstr "[Minuten]" #: fail2ban.cpp:26 msgid "The number of minutes IPs are blocked after a failed login." -msgstr "Die Anzahl an Minuten, die IPs nach einem fehlgeschlagenen Anmeldeversuch blockiert werden." +msgstr "" +"Die Anzahl an Minuten, die IPs nach einem fehlgeschlagenen Anmeldeversuch " +"blockiert werden." #: fail2ban.cpp:28 msgid "[count]" @@ -46,7 +47,9 @@ msgid "List banned hosts." msgstr "" #: fail2ban.cpp:55 -msgid "Invalid argument, must be the number of minutes IPs are blocked after a failed login and can be followed by number of allowed failed login attempts" +msgid "" +"Invalid argument, must be the number of minutes IPs are blocked after a " +"failed login and can be followed by number of allowed failed login attempts" msgstr "" #: fail2ban.cpp:77 fail2ban.cpp:100 fail2ban.cpp:123 fail2ban.cpp:146 @@ -106,10 +109,11 @@ msgid "No bans" msgstr "" #: fail2ban.cpp:244 -msgid "You might enter the time in minutes for the IP banning and the number of failed logins before any action is taken." +msgid "" +"You might enter the time in minutes for the IP banning and the number of " +"failed logins before any action is taken." msgstr "" #: fail2ban.cpp:249 msgid "Block IPs for some time after a failed login." msgstr "Blockiere IPs für eine Weile nach fehlgeschlagenen Anmeldungen." - diff --git a/modules/po/fail2ban.pot b/modules/po/fail2ban.pot index 8b1dca6b..e29eaefb 100644 --- a/modules/po/fail2ban.pot +++ b/modules/po/fail2ban.pot @@ -2,7 +2,6 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"Project-Id-Version: znc-bouncer\n" #: fail2ban.cpp:25 msgid "[minutes]" diff --git a/modules/po/fail2ban.ru.po b/modules/po/fail2ban.ru.po index b8b805e7..1206c42c 100644 --- a/modules/po/fail2ban.ru.po +++ b/modules/po/fail2ban.ru.po @@ -3,7 +3,8 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Project-Id-Version: znc-bouncer\n" -"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n" +"%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" @@ -11,7 +12,6 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: Russian\n" "Language: ru_RU\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: fail2ban.cpp:25 msgid "[minutes]" @@ -46,7 +46,9 @@ msgid "List banned hosts." msgstr "" #: fail2ban.cpp:55 -msgid "Invalid argument, must be the number of minutes IPs are blocked after a failed login and can be followed by number of allowed failed login attempts" +msgid "" +"Invalid argument, must be the number of minutes IPs are blocked after a " +"failed login and can be followed by number of allowed failed login attempts" msgstr "" #: fail2ban.cpp:77 fail2ban.cpp:100 fail2ban.cpp:123 fail2ban.cpp:146 @@ -106,10 +108,11 @@ msgid "No bans" msgstr "" #: fail2ban.cpp:244 -msgid "You might enter the time in minutes for the IP banning and the number of failed logins before any action is taken." +msgid "" +"You might enter the time in minutes for the IP banning and the number of " +"failed logins before any action is taken." msgstr "" #: fail2ban.cpp:249 msgid "Block IPs for some time after a failed login." msgstr "" - diff --git a/modules/po/flooddetach.de.po b/modules/po/flooddetach.de.po index 9edc9f3e..767bb92b 100644 --- a/modules/po/flooddetach.de.po +++ b/modules/po/flooddetach.de.po @@ -11,7 +11,6 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: German\n" "Language: de_DE\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: flooddetach.cpp:30 msgid "Show current limits" @@ -82,10 +81,11 @@ msgid "Module messages are enabled" msgstr "" #: flooddetach.cpp:244 -msgid "This user module takes up to two arguments. Arguments are numbers of messages and seconds." +msgid "" +"This user module takes up to two arguments. Arguments are numbers of " +"messages and seconds." msgstr "" #: flooddetach.cpp:248 msgid "Detach channels when flooded" msgstr "" - diff --git a/modules/po/flooddetach.pot b/modules/po/flooddetach.pot index 49322b00..330fcef1 100644 --- a/modules/po/flooddetach.pot +++ b/modules/po/flooddetach.pot @@ -2,7 +2,6 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"Project-Id-Version: znc-bouncer\n" #: flooddetach.cpp:30 msgid "Show current limits" diff --git a/modules/po/flooddetach.ru.po b/modules/po/flooddetach.ru.po index fb40d49b..b2281b7c 100644 --- a/modules/po/flooddetach.ru.po +++ b/modules/po/flooddetach.ru.po @@ -3,7 +3,8 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Project-Id-Version: znc-bouncer\n" -"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n" +"%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" @@ -11,7 +12,6 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: Russian\n" "Language: ru_RU\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: flooddetach.cpp:30 msgid "Show current limits" @@ -84,10 +84,11 @@ msgid "Module messages are enabled" msgstr "" #: flooddetach.cpp:244 -msgid "This user module takes up to two arguments. Arguments are numbers of messages and seconds." +msgid "" +"This user module takes up to two arguments. Arguments are numbers of " +"messages and seconds." msgstr "" #: flooddetach.cpp:248 msgid "Detach channels when flooded" msgstr "" - diff --git a/modules/po/identfile.de.po b/modules/po/identfile.de.po index 907d7375..3ecb4b2b 100644 --- a/modules/po/identfile.de.po +++ b/modules/po/identfile.de.po @@ -11,7 +11,6 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: German\n" "Language: de_DE\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: identfile.cpp:30 msgid "Show file name" @@ -70,7 +69,9 @@ msgid "Access denied" msgstr "" #: identfile.cpp:181 -msgid "Aborting connection, another user or network is currently connecting and using the ident spoof file" +msgid "" +"Aborting connection, another user or network is currently connecting and " +"using the ident spoof file" msgstr "" #: identfile.cpp:189 @@ -80,4 +81,3 @@ msgstr "" #: identfile.cpp:223 msgid "Write the ident of a user to a file when they are trying to connect." msgstr "" - diff --git a/modules/po/identfile.pot b/modules/po/identfile.pot index 9d99df27..5f0baa3f 100644 --- a/modules/po/identfile.pot +++ b/modules/po/identfile.pot @@ -2,7 +2,6 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"Project-Id-Version: znc-bouncer\n" #: identfile.cpp:30 msgid "Show file name" diff --git a/modules/po/identfile.ru.po b/modules/po/identfile.ru.po index 08c345ae..aa053f42 100644 --- a/modules/po/identfile.ru.po +++ b/modules/po/identfile.ru.po @@ -3,7 +3,8 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Project-Id-Version: znc-bouncer\n" -"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n" +"%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" @@ -11,7 +12,6 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: Russian\n" "Language: ru_RU\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: identfile.cpp:30 msgid "Show file name" @@ -70,7 +70,9 @@ msgid "Access denied" msgstr "" #: identfile.cpp:181 -msgid "Aborting connection, another user or network is currently connecting and using the ident spoof file" +msgid "" +"Aborting connection, another user or network is currently connecting and " +"using the ident spoof file" msgstr "" #: identfile.cpp:189 @@ -80,4 +82,3 @@ msgstr "" #: identfile.cpp:223 msgid "Write the ident of a user to a file when they are trying to connect." msgstr "" - diff --git a/modules/po/imapauth.de.po b/modules/po/imapauth.de.po index ce640ca9..aa4fd675 100644 --- a/modules/po/imapauth.de.po +++ b/modules/po/imapauth.de.po @@ -11,7 +11,6 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: German\n" "Language: de_DE\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: imapauth.cpp:168 msgid "[ server [+]port [ UserFormatString ] ]" @@ -20,4 +19,3 @@ msgstr "" #: imapauth.cpp:171 msgid "Allow users to authenticate via IMAP." msgstr "" - diff --git a/modules/po/imapauth.pot b/modules/po/imapauth.pot index 66726a4d..4926f5fd 100644 --- a/modules/po/imapauth.pot +++ b/modules/po/imapauth.pot @@ -2,7 +2,6 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"Project-Id-Version: znc-bouncer\n" #: imapauth.cpp:168 msgid "[ server [+]port [ UserFormatString ] ]" diff --git a/modules/po/imapauth.ru.po b/modules/po/imapauth.ru.po index 44aa7f4d..840450ca 100644 --- a/modules/po/imapauth.ru.po +++ b/modules/po/imapauth.ru.po @@ -3,7 +3,8 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Project-Id-Version: znc-bouncer\n" -"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n" +"%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" @@ -11,7 +12,6 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: Russian\n" "Language: ru_RU\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: imapauth.cpp:168 msgid "[ server [+]port [ UserFormatString ] ]" @@ -20,4 +20,3 @@ msgstr "" #: imapauth.cpp:171 msgid "Allow users to authenticate via IMAP." msgstr "" - diff --git a/modules/po/keepnick.de.po b/modules/po/keepnick.de.po index 5068b9b8..8eccc538 100644 --- a/modules/po/keepnick.de.po +++ b/modules/po/keepnick.de.po @@ -11,7 +11,6 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: German\n" "Language: de_DE\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: keepnick.cpp:39 msgid "Try to get your primary nick" @@ -52,4 +51,3 @@ msgstr "" #: keepnick.cpp:226 msgid "Keeps trying for your primary nick" msgstr "" - diff --git a/modules/po/keepnick.pot b/modules/po/keepnick.pot index 78942e92..c68fa54a 100644 --- a/modules/po/keepnick.pot +++ b/modules/po/keepnick.pot @@ -2,7 +2,6 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"Project-Id-Version: znc-bouncer\n" #: keepnick.cpp:39 msgid "Try to get your primary nick" diff --git a/modules/po/keepnick.ru.po b/modules/po/keepnick.ru.po index f35c1a00..7cea288e 100644 --- a/modules/po/keepnick.ru.po +++ b/modules/po/keepnick.ru.po @@ -3,7 +3,8 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Project-Id-Version: znc-bouncer\n" -"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n" +"%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" @@ -11,7 +12,6 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: Russian\n" "Language: ru_RU\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: keepnick.cpp:39 msgid "Try to get your primary nick" @@ -52,4 +52,3 @@ msgstr "" #: keepnick.cpp:226 msgid "Keeps trying for your primary nick" msgstr "" - diff --git a/modules/po/kickrejoin.de.po b/modules/po/kickrejoin.de.po index a4d00e29..9c9339a8 100644 --- a/modules/po/kickrejoin.de.po +++ b/modules/po/kickrejoin.de.po @@ -11,7 +11,6 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: German\n" "Language: de_DE\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: kickrejoin.cpp:56 msgid "" @@ -60,4 +59,3 @@ msgstr "" #: kickrejoin.cpp:134 msgid "Autorejoins on kick" msgstr "" - diff --git a/modules/po/kickrejoin.pot b/modules/po/kickrejoin.pot index b56795ef..af10d2bf 100644 --- a/modules/po/kickrejoin.pot +++ b/modules/po/kickrejoin.pot @@ -2,7 +2,6 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"Project-Id-Version: znc-bouncer\n" #: kickrejoin.cpp:56 msgid "" diff --git a/modules/po/kickrejoin.ru.po b/modules/po/kickrejoin.ru.po index 5683d782..c2e4503a 100644 --- a/modules/po/kickrejoin.ru.po +++ b/modules/po/kickrejoin.ru.po @@ -3,7 +3,8 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Project-Id-Version: znc-bouncer\n" -"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n" +"%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" @@ -11,7 +12,6 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: Russian\n" "Language: ru_RU\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: kickrejoin.cpp:56 msgid "" @@ -62,4 +62,3 @@ msgstr "" #: kickrejoin.cpp:134 msgid "Autorejoins on kick" msgstr "" - diff --git a/modules/po/lastseen.de.po b/modules/po/lastseen.de.po index 46945c11..264eb3d3 100644 --- a/modules/po/lastseen.de.po +++ b/modules/po/lastseen.de.po @@ -11,7 +11,6 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: German\n" "Language: de_DE\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: modules/po/../data/lastseen/tmpl/index.tmpl:8 msgid "User" @@ -66,4 +65,3 @@ msgstr "" #: lastseen.cpp:153 msgid "Collects data about when a user last logged in." msgstr "" - diff --git a/modules/po/lastseen.pot b/modules/po/lastseen.pot index 5fc9d970..68845937 100644 --- a/modules/po/lastseen.pot +++ b/modules/po/lastseen.pot @@ -2,7 +2,6 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"Project-Id-Version: znc-bouncer\n" #: modules/po/../data/lastseen/tmpl/index.tmpl:8 msgid "User" diff --git a/modules/po/lastseen.ru.po b/modules/po/lastseen.ru.po index 20318cd1..7303a118 100644 --- a/modules/po/lastseen.ru.po +++ b/modules/po/lastseen.ru.po @@ -3,7 +3,8 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Project-Id-Version: znc-bouncer\n" -"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n" +"%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" @@ -11,7 +12,6 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: Russian\n" "Language: ru_RU\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: modules/po/../data/lastseen/tmpl/index.tmpl:8 msgid "User" @@ -66,4 +66,3 @@ msgstr "" #: lastseen.cpp:153 msgid "Collects data about when a user last logged in." msgstr "" - diff --git a/modules/po/listsockets.de.po b/modules/po/listsockets.de.po index 15f192a3..0f90443a 100644 --- a/modules/po/listsockets.de.po +++ b/modules/po/listsockets.de.po @@ -11,7 +11,6 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: German\n" "Language: de_DE\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: modules/po/../data/listsockets/tmpl/index.tmpl:7 listsockets.cpp:214 #: listsockets.cpp:230 @@ -112,4 +111,3 @@ msgstr "" #: listsockets.cpp:262 msgid "Lists active sockets" msgstr "" - diff --git a/modules/po/listsockets.pot b/modules/po/listsockets.pot index e975d054..1f4a7175 100644 --- a/modules/po/listsockets.pot +++ b/modules/po/listsockets.pot @@ -2,7 +2,6 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"Project-Id-Version: znc-bouncer\n" #: modules/po/../data/listsockets/tmpl/index.tmpl:7 listsockets.cpp:214 #: listsockets.cpp:230 diff --git a/modules/po/listsockets.ru.po b/modules/po/listsockets.ru.po index 084458ff..f945c200 100644 --- a/modules/po/listsockets.ru.po +++ b/modules/po/listsockets.ru.po @@ -3,7 +3,8 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Project-Id-Version: znc-bouncer\n" -"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n" +"%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" @@ -11,7 +12,6 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: Russian\n" "Language: ru_RU\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: modules/po/../data/listsockets/tmpl/index.tmpl:7 listsockets.cpp:214 #: listsockets.cpp:230 @@ -112,4 +112,3 @@ msgstr "" #: listsockets.cpp:262 msgid "Lists active sockets" msgstr "" - diff --git a/modules/po/log.de.po b/modules/po/log.de.po index 98e9ba46..a2ea6cbe 100644 --- a/modules/po/log.de.po +++ b/modules/po/log.de.po @@ -11,7 +11,6 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: German\n" "Language: de_DE\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: log.cpp:59 msgid "" @@ -70,7 +69,8 @@ msgid "Logging enabled" msgstr "" #: log.cpp:189 -msgid "Usage: Set true|false, where is one of: joins, quits, nickchanges" +msgid "" +"Usage: Set true|false, where is one of: joins, quits, nickchanges" msgstr "" #: log.cpp:196 @@ -126,7 +126,9 @@ msgid "Not logging nick changes" msgstr "" #: log.cpp:351 -msgid "Invalid args [{1}]. Only one log path allowed. Check that there are no spaces in the path." +msgid "" +"Invalid args [{1}]. Only one log path allowed. Check that there are no " +"spaces in the path." msgstr "" #: log.cpp:401 @@ -144,4 +146,3 @@ msgstr "" #: log.cpp:563 msgid "Writes IRC logs." msgstr "" - diff --git a/modules/po/log.pot b/modules/po/log.pot index 868efecc..21ba991c 100644 --- a/modules/po/log.pot +++ b/modules/po/log.pot @@ -2,7 +2,6 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"Project-Id-Version: znc-bouncer\n" #: log.cpp:59 msgid "" diff --git a/modules/po/log.ru.po b/modules/po/log.ru.po index 5c4a570c..5d2b3a89 100644 --- a/modules/po/log.ru.po +++ b/modules/po/log.ru.po @@ -3,7 +3,8 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Project-Id-Version: znc-bouncer\n" -"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n" +"%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" @@ -11,7 +12,6 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: Russian\n" "Language: ru_RU\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: log.cpp:59 msgid "" @@ -71,7 +71,8 @@ msgid "Logging enabled" msgstr "" #: log.cpp:189 -msgid "Usage: Set true|false, where is one of: joins, quits, nickchanges" +msgid "" +"Usage: Set true|false, where is one of: joins, quits, nickchanges" msgstr "" #: log.cpp:196 @@ -127,7 +128,9 @@ msgid "Not logging nick changes" msgstr "" #: log.cpp:351 -msgid "Invalid args [{1}]. Only one log path allowed. Check that there are no spaces in the path." +msgid "" +"Invalid args [{1}]. Only one log path allowed. Check that there are no " +"spaces in the path." msgstr "" #: log.cpp:401 @@ -145,4 +148,3 @@ msgstr "" #: log.cpp:563 msgid "Writes IRC logs." msgstr "" - diff --git a/modules/po/missingmotd.de.po b/modules/po/missingmotd.de.po index c4a96145..2b932b7d 100644 --- a/modules/po/missingmotd.de.po +++ b/modules/po/missingmotd.de.po @@ -11,9 +11,7 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: German\n" "Language: de_DE\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: missingmotd.cpp:36 msgid "Sends 422 to clients when they login" msgstr "" - diff --git a/modules/po/missingmotd.pot b/modules/po/missingmotd.pot index 504ec76d..7e78a5be 100644 --- a/modules/po/missingmotd.pot +++ b/modules/po/missingmotd.pot @@ -2,7 +2,6 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"Project-Id-Version: znc-bouncer\n" #: missingmotd.cpp:36 msgid "Sends 422 to clients when they login" diff --git a/modules/po/missingmotd.ru.po b/modules/po/missingmotd.ru.po index 33ef59b7..fb1acccb 100644 --- a/modules/po/missingmotd.ru.po +++ b/modules/po/missingmotd.ru.po @@ -3,7 +3,8 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Project-Id-Version: znc-bouncer\n" -"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n" +"%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" @@ -11,9 +12,7 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: Russian\n" "Language: ru_RU\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: missingmotd.cpp:36 msgid "Sends 422 to clients when they login" msgstr "" - diff --git a/modules/po/modperl.de.po b/modules/po/modperl.de.po index afab07db..63f5a41e 100644 --- a/modules/po/modperl.de.po +++ b/modules/po/modperl.de.po @@ -11,9 +11,7 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: German\n" "Language: de_DE\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: modperl.cpp:382 msgid "Loads perl scripts as ZNC modules" msgstr "" - diff --git a/modules/po/modperl.pot b/modules/po/modperl.pot index 86ef3ee4..acecf95b 100644 --- a/modules/po/modperl.pot +++ b/modules/po/modperl.pot @@ -2,7 +2,6 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"Project-Id-Version: znc-bouncer\n" #: modperl.cpp:382 msgid "Loads perl scripts as ZNC modules" diff --git a/modules/po/modperl.ru.po b/modules/po/modperl.ru.po index 971938d2..104430bd 100644 --- a/modules/po/modperl.ru.po +++ b/modules/po/modperl.ru.po @@ -3,7 +3,8 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Project-Id-Version: znc-bouncer\n" -"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n" +"%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" @@ -11,9 +12,7 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: Russian\n" "Language: ru_RU\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: modperl.cpp:382 msgid "Loads perl scripts as ZNC modules" msgstr "" - diff --git a/modules/po/modpython.de.po b/modules/po/modpython.de.po index e2570175..b64c4b19 100644 --- a/modules/po/modpython.de.po +++ b/modules/po/modpython.de.po @@ -11,9 +11,7 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: German\n" "Language: de_DE\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: modpython.cpp:512 msgid "Loads python scripts as ZNC modules" msgstr "" - diff --git a/modules/po/modpython.pot b/modules/po/modpython.pot index d6b547d0..0566a13a 100644 --- a/modules/po/modpython.pot +++ b/modules/po/modpython.pot @@ -2,7 +2,6 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"Project-Id-Version: znc-bouncer\n" #: modpython.cpp:512 msgid "Loads python scripts as ZNC modules" diff --git a/modules/po/modpython.ru.po b/modules/po/modpython.ru.po index 115f9a7b..6891f70f 100644 --- a/modules/po/modpython.ru.po +++ b/modules/po/modpython.ru.po @@ -3,7 +3,8 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Project-Id-Version: znc-bouncer\n" -"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n" +"%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" @@ -11,9 +12,7 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: Russian\n" "Language: ru_RU\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: modpython.cpp:512 msgid "Loads python scripts as ZNC modules" msgstr "" - diff --git a/modules/po/modules_online.de.po b/modules/po/modules_online.de.po index fcbacfa2..807f660d 100644 --- a/modules/po/modules_online.de.po +++ b/modules/po/modules_online.de.po @@ -11,9 +11,7 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: German\n" "Language: de_DE\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: modules_online.cpp:117 msgid "Makes ZNC's *modules to be \"online\"." msgstr "" - diff --git a/modules/po/modules_online.pot b/modules/po/modules_online.pot index 29767b9c..b97b0cd1 100644 --- a/modules/po/modules_online.pot +++ b/modules/po/modules_online.pot @@ -2,7 +2,6 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"Project-Id-Version: znc-bouncer\n" #: modules_online.cpp:117 msgid "Makes ZNC's *modules to be \"online\"." diff --git a/modules/po/modules_online.ru.po b/modules/po/modules_online.ru.po index fbaa33f1..36cd2d68 100644 --- a/modules/po/modules_online.ru.po +++ b/modules/po/modules_online.ru.po @@ -3,7 +3,8 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Project-Id-Version: znc-bouncer\n" -"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n" +"%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" @@ -11,9 +12,7 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: Russian\n" "Language: ru_RU\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: modules_online.cpp:117 msgid "Makes ZNC's *modules to be \"online\"." msgstr "" - diff --git a/modules/po/nickserv.de.po b/modules/po/nickserv.de.po index 147d7b5f..82054b10 100644 --- a/modules/po/nickserv.de.po +++ b/modules/po/nickserv.de.po @@ -11,7 +11,6 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: German\n" "Language: de_DE\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: nickserv.cpp:31 msgid "Password set" @@ -46,7 +45,9 @@ msgid "nickname" msgstr "" #: nickserv.cpp:67 -msgid "Set NickServ name (Useful on networks like EpiKnet, where NickServ is named Themis" +msgid "" +"Set NickServ name (Useful on networks like EpiKnet, where NickServ is named " +"Themis" msgstr "" #: nickserv.cpp:71 @@ -72,4 +73,3 @@ msgstr "" #: nickserv.cpp:144 msgid "Auths you with NickServ (prefer SASL module instead)" msgstr "" - diff --git a/modules/po/nickserv.pot b/modules/po/nickserv.pot index 3a84a98f..f54ad88a 100644 --- a/modules/po/nickserv.pot +++ b/modules/po/nickserv.pot @@ -2,7 +2,6 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"Project-Id-Version: znc-bouncer\n" #: nickserv.cpp:31 msgid "Password set" diff --git a/modules/po/nickserv.ru.po b/modules/po/nickserv.ru.po index dde4f542..54fcbca8 100644 --- a/modules/po/nickserv.ru.po +++ b/modules/po/nickserv.ru.po @@ -3,7 +3,8 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Project-Id-Version: znc-bouncer\n" -"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n" +"%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" @@ -11,7 +12,6 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: Russian\n" "Language: ru_RU\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: nickserv.cpp:31 msgid "Password set" @@ -46,7 +46,9 @@ msgid "nickname" msgstr "" #: nickserv.cpp:67 -msgid "Set NickServ name (Useful on networks like EpiKnet, where NickServ is named Themis" +msgid "" +"Set NickServ name (Useful on networks like EpiKnet, where NickServ is named " +"Themis" msgstr "" #: nickserv.cpp:71 @@ -72,4 +74,3 @@ msgstr "" #: nickserv.cpp:144 msgid "Auths you with NickServ (prefer SASL module instead)" msgstr "" - diff --git a/modules/po/notes.de.po b/modules/po/notes.de.po index 563eb0a2..49508be8 100644 --- a/modules/po/notes.de.po +++ b/modules/po/notes.de.po @@ -11,7 +11,6 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: German\n" "Language: de_DE\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: modules/po/../data/notes/tmpl/index.tmpl:7 msgid "Add A Note" @@ -110,10 +109,11 @@ msgid "You have no entries." msgstr "" #: notes.cpp:223 -msgid "This user module takes up to one arguments. It can be -disableNotesOnLogin not to show notes upon client login" +msgid "" +"This user module takes up to one arguments. It can be -disableNotesOnLogin " +"not to show notes upon client login" msgstr "" #: notes.cpp:227 msgid "Keep and replay notes" msgstr "" - diff --git a/modules/po/notes.pot b/modules/po/notes.pot index 35295ea4..1e8694de 100644 --- a/modules/po/notes.pot +++ b/modules/po/notes.pot @@ -2,7 +2,6 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"Project-Id-Version: znc-bouncer\n" #: modules/po/../data/notes/tmpl/index.tmpl:7 msgid "Add A Note" diff --git a/modules/po/notes.ru.po b/modules/po/notes.ru.po index 293476f6..1031318d 100644 --- a/modules/po/notes.ru.po +++ b/modules/po/notes.ru.po @@ -3,7 +3,8 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Project-Id-Version: znc-bouncer\n" -"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n" +"%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" @@ -11,7 +12,6 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: Russian\n" "Language: ru_RU\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: modules/po/../data/notes/tmpl/index.tmpl:7 msgid "Add A Note" @@ -110,10 +110,11 @@ msgid "You have no entries." msgstr "" #: notes.cpp:223 -msgid "This user module takes up to one arguments. It can be -disableNotesOnLogin not to show notes upon client login" +msgid "" +"This user module takes up to one arguments. It can be -disableNotesOnLogin " +"not to show notes upon client login" msgstr "" #: notes.cpp:227 msgid "Keep and replay notes" msgstr "" - diff --git a/modules/po/notify_connect.de.po b/modules/po/notify_connect.de.po index 6a1e2063..fb273e82 100644 --- a/modules/po/notify_connect.de.po +++ b/modules/po/notify_connect.de.po @@ -11,7 +11,6 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: German\n" "Language: de_DE\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: notify_connect.cpp:24 msgid "attached" @@ -28,4 +27,3 @@ msgstr "" #: notify_connect.cpp:52 msgid "Notifies all admin users when a client connects or disconnects." msgstr "" - diff --git a/modules/po/notify_connect.pot b/modules/po/notify_connect.pot index 4ac03684..767cce40 100644 --- a/modules/po/notify_connect.pot +++ b/modules/po/notify_connect.pot @@ -2,7 +2,6 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"Project-Id-Version: znc-bouncer\n" #: notify_connect.cpp:24 msgid "attached" diff --git a/modules/po/notify_connect.ru.po b/modules/po/notify_connect.ru.po index c256c23c..ef9fef16 100644 --- a/modules/po/notify_connect.ru.po +++ b/modules/po/notify_connect.ru.po @@ -3,7 +3,8 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Project-Id-Version: znc-bouncer\n" -"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n" +"%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" @@ -11,7 +12,6 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: Russian\n" "Language: ru_RU\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: notify_connect.cpp:24 msgid "attached" @@ -28,4 +28,3 @@ msgstr "" #: notify_connect.cpp:52 msgid "Notifies all admin users when a client connects or disconnects." msgstr "" - diff --git a/modules/po/partyline.de.po b/modules/po/partyline.de.po index ff66e168..ba1ecad8 100644 --- a/modules/po/partyline.de.po +++ b/modules/po/partyline.de.po @@ -11,7 +11,6 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: German\n" "Language: de_DE\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: partyline.cpp:60 msgid "There are no open channels." @@ -30,10 +29,11 @@ msgid "List all open channels" msgstr "" #: partyline.cpp:735 -msgid "You may enter a list of channels the user joins, when entering the internal partyline." +msgid "" +"You may enter a list of channels the user joins, when entering the internal " +"partyline." msgstr "" #: partyline.cpp:741 msgid "Internal channels and queries for users connected to ZNC" msgstr "" - diff --git a/modules/po/partyline.pot b/modules/po/partyline.pot index 39857205..f1062d20 100644 --- a/modules/po/partyline.pot +++ b/modules/po/partyline.pot @@ -2,7 +2,6 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"Project-Id-Version: znc-bouncer\n" #: partyline.cpp:60 msgid "There are no open channels." diff --git a/modules/po/partyline.ru.po b/modules/po/partyline.ru.po index 7e777ffc..ee4beed5 100644 --- a/modules/po/partyline.ru.po +++ b/modules/po/partyline.ru.po @@ -3,7 +3,8 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Project-Id-Version: znc-bouncer\n" -"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n" +"%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" @@ -11,7 +12,6 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: Russian\n" "Language: ru_RU\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: partyline.cpp:60 msgid "There are no open channels." @@ -30,10 +30,11 @@ msgid "List all open channels" msgstr "" #: partyline.cpp:735 -msgid "You may enter a list of channels the user joins, when entering the internal partyline." +msgid "" +"You may enter a list of channels the user joins, when entering the internal " +"partyline." msgstr "" #: partyline.cpp:741 msgid "Internal channels and queries for users connected to ZNC" msgstr "" - diff --git a/modules/po/perform.de.po b/modules/po/perform.de.po index 04b62a07..cb138ebe 100644 --- a/modules/po/perform.de.po +++ b/modules/po/perform.de.po @@ -11,7 +11,6 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: German\n" "Language: de_DE\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: modules/po/../data/perform/tmpl/index.tmpl:7 perform.cpp:143 msgid "Perform" @@ -107,4 +106,3 @@ msgstr "" #: perform.cpp:192 msgid "Keeps a list of commands to be executed when ZNC connects to IRC." msgstr "" - diff --git a/modules/po/perform.pot b/modules/po/perform.pot index a2689c21..5be8367e 100644 --- a/modules/po/perform.pot +++ b/modules/po/perform.pot @@ -2,7 +2,6 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"Project-Id-Version: znc-bouncer\n" #: modules/po/../data/perform/tmpl/index.tmpl:7 perform.cpp:143 msgid "Perform" diff --git a/modules/po/perform.ru.po b/modules/po/perform.ru.po index 28d99472..aa715767 100644 --- a/modules/po/perform.ru.po +++ b/modules/po/perform.ru.po @@ -3,7 +3,8 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Project-Id-Version: znc-bouncer\n" -"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n" +"%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" @@ -11,7 +12,6 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: Russian\n" "Language: ru_RU\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: modules/po/../data/perform/tmpl/index.tmpl:7 perform.cpp:143 msgid "Perform" @@ -107,4 +107,3 @@ msgstr "" #: perform.cpp:192 msgid "Keeps a list of commands to be executed when ZNC connects to IRC." msgstr "" - diff --git a/modules/po/perleval.de.po b/modules/po/perleval.de.po index 5f9e7b43..dab55c48 100644 --- a/modules/po/perleval.de.po +++ b/modules/po/perleval.de.po @@ -11,7 +11,6 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: German\n" "Language: de_DE\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: perleval.pm:23 msgid "Evaluates perl code" @@ -30,4 +29,3 @@ msgstr "Fehler: %s" #, perl-format msgid "Result: %s" msgstr "Ergebnis: %s" - diff --git a/modules/po/perleval.pot b/modules/po/perleval.pot index 8e8a7785..f20a4626 100644 --- a/modules/po/perleval.pot +++ b/modules/po/perleval.pot @@ -2,7 +2,6 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"Project-Id-Version: znc-bouncer\n" #: perleval.pm:23 msgid "Evaluates perl code" diff --git a/modules/po/perleval.ru.po b/modules/po/perleval.ru.po index b9fba71d..80e7e286 100644 --- a/modules/po/perleval.ru.po +++ b/modules/po/perleval.ru.po @@ -3,7 +3,8 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Project-Id-Version: znc-bouncer\n" -"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n" +"%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" @@ -11,7 +12,6 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: Russian\n" "Language: ru_RU\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: perleval.pm:23 msgid "Evaluates perl code" @@ -30,4 +30,3 @@ msgstr "" #, perl-format msgid "Result: %s" msgstr "" - diff --git a/modules/po/pyeval.de.po b/modules/po/pyeval.de.po index feccd7dd..3aa9e849 100644 --- a/modules/po/pyeval.de.po +++ b/modules/po/pyeval.de.po @@ -11,7 +11,6 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: German\n" "Language: de_DE\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: pyeval.py:49 msgid "You must have admin privileges to load this module." @@ -20,4 +19,3 @@ msgstr "Du benötigst Administratorrechte um dieses Modul zu laden." #: pyeval.py:82 msgid "Evaluates python code" msgstr "Führt Python-Code aus" - diff --git a/modules/po/pyeval.pot b/modules/po/pyeval.pot index 10903248..e57bd195 100644 --- a/modules/po/pyeval.pot +++ b/modules/po/pyeval.pot @@ -2,7 +2,6 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"Project-Id-Version: znc-bouncer\n" #: pyeval.py:49 msgid "You must have admin privileges to load this module." diff --git a/modules/po/pyeval.ru.po b/modules/po/pyeval.ru.po index f2ceaf7c..4eb04b0a 100644 --- a/modules/po/pyeval.ru.po +++ b/modules/po/pyeval.ru.po @@ -3,7 +3,8 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Project-Id-Version: znc-bouncer\n" -"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n" +"%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" @@ -11,7 +12,6 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: Russian\n" "Language: ru_RU\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: pyeval.py:49 msgid "You must have admin privileges to load this module." @@ -20,4 +20,3 @@ msgstr "" #: pyeval.py:82 msgid "Evaluates python code" msgstr "" - diff --git a/modules/po/q.de.po b/modules/po/q.de.po index d7e29acf..2d6cfacb 100644 --- a/modules/po/q.de.po +++ b/modules/po/q.de.po @@ -11,7 +11,6 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: German\n" "Language: de_DE\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: modules/po/../data/q/tmpl/index.tmpl:11 msgid "Username:" @@ -38,7 +37,10 @@ msgid "Save" msgstr "" #: q.cpp:74 -msgid "Notice: Your host will be cloaked the next time you reconnect to IRC. If you want to cloak your host now, /msg *q Cloak. You can set your preference with /msg *q Set UseCloakedHost true/false." +msgid "" +"Notice: Your host will be cloaked the next time you reconnect to IRC. If you " +"want to cloak your host now, /msg *q Cloak. You can set your preference " +"with /msg *q Set UseCloakedHost true/false." msgstr "" #: q.cpp:111 @@ -123,7 +125,9 @@ msgid "Whether to cloak your hostname (+x) automatically on connect." msgstr "" #: q.cpp:169 q.cpp:381 -msgid "Whether to use the CHALLENGEAUTH mechanism to avoid sending passwords in cleartext." +msgid "" +"Whether to use the CHALLENGEAUTH mechanism to avoid sending passwords in " +"cleartext." msgstr "" #: q.cpp:175 q.cpp:389 @@ -244,7 +248,9 @@ msgid "Cloak: Trying to cloak your hostname, setting +x..." msgstr "" #: q.cpp:452 -msgid "You have to set a username and password to use this module! See 'help' for details." +msgid "" +"You have to set a username and password to use this module! See 'help' for " +"details." msgstr "" #: q.cpp:458 @@ -268,7 +274,9 @@ msgid "Authentication successful: {1}" msgstr "" #: q.cpp:539 -msgid "Auth failed: Q does not support HMAC-SHA-256 for CHALLENGEAUTH, falling back to standard AUTH." +msgid "" +"Auth failed: Q does not support HMAC-SHA-256 for CHALLENGEAUTH, falling back " +"to standard AUTH." msgstr "" #: q.cpp:566 @@ -286,4 +294,3 @@ msgstr "" #: q.cpp:689 msgid "Auths you with QuakeNet's Q bot." msgstr "" - diff --git a/modules/po/q.pot b/modules/po/q.pot index fd9ee1cc..c419b7c6 100644 --- a/modules/po/q.pot +++ b/modules/po/q.pot @@ -2,7 +2,6 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"Project-Id-Version: znc-bouncer\n" #: modules/po/../data/q/tmpl/index.tmpl:11 msgid "Username:" diff --git a/modules/po/q.ru.po b/modules/po/q.ru.po index c69c4623..4c1cf43e 100644 --- a/modules/po/q.ru.po +++ b/modules/po/q.ru.po @@ -3,7 +3,8 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Project-Id-Version: znc-bouncer\n" -"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n" +"%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" @@ -11,7 +12,6 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: Russian\n" "Language: ru_RU\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: modules/po/../data/q/tmpl/index.tmpl:11 msgid "Username:" @@ -38,7 +38,10 @@ msgid "Save" msgstr "" #: q.cpp:74 -msgid "Notice: Your host will be cloaked the next time you reconnect to IRC. If you want to cloak your host now, /msg *q Cloak. You can set your preference with /msg *q Set UseCloakedHost true/false." +msgid "" +"Notice: Your host will be cloaked the next time you reconnect to IRC. If you " +"want to cloak your host now, /msg *q Cloak. You can set your preference " +"with /msg *q Set UseCloakedHost true/false." msgstr "" #: q.cpp:111 @@ -123,7 +126,9 @@ msgid "Whether to cloak your hostname (+x) automatically on connect." msgstr "" #: q.cpp:169 q.cpp:381 -msgid "Whether to use the CHALLENGEAUTH mechanism to avoid sending passwords in cleartext." +msgid "" +"Whether to use the CHALLENGEAUTH mechanism to avoid sending passwords in " +"cleartext." msgstr "" #: q.cpp:175 q.cpp:389 @@ -244,7 +249,9 @@ msgid "Cloak: Trying to cloak your hostname, setting +x..." msgstr "" #: q.cpp:452 -msgid "You have to set a username and password to use this module! See 'help' for details." +msgid "" +"You have to set a username and password to use this module! See 'help' for " +"details." msgstr "" #: q.cpp:458 @@ -268,7 +275,9 @@ msgid "Authentication successful: {1}" msgstr "" #: q.cpp:539 -msgid "Auth failed: Q does not support HMAC-SHA-256 for CHALLENGEAUTH, falling back to standard AUTH." +msgid "" +"Auth failed: Q does not support HMAC-SHA-256 for CHALLENGEAUTH, falling back " +"to standard AUTH." msgstr "" #: q.cpp:566 @@ -286,4 +295,3 @@ msgstr "" #: q.cpp:689 msgid "Auths you with QuakeNet's Q bot." msgstr "" - diff --git a/modules/po/raw.de.po b/modules/po/raw.de.po index 88faa8be..144e41fa 100644 --- a/modules/po/raw.de.po +++ b/modules/po/raw.de.po @@ -11,9 +11,7 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: German\n" "Language: de_DE\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: raw.cpp:43 msgid "View all of the raw traffic" msgstr "Zeigt den gesamten Roh-Verkehr an" - diff --git a/modules/po/raw.pot b/modules/po/raw.pot index 0f4f73a6..9e521bf5 100644 --- a/modules/po/raw.pot +++ b/modules/po/raw.pot @@ -2,7 +2,6 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"Project-Id-Version: znc-bouncer\n" #: raw.cpp:43 msgid "View all of the raw traffic" diff --git a/modules/po/raw.ru.po b/modules/po/raw.ru.po index 76e963fa..e3cd7a3d 100644 --- a/modules/po/raw.ru.po +++ b/modules/po/raw.ru.po @@ -3,7 +3,8 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Project-Id-Version: znc-bouncer\n" -"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n" +"%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" @@ -11,9 +12,7 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: Russian\n" "Language: ru_RU\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: raw.cpp:43 msgid "View all of the raw traffic" msgstr "" - diff --git a/modules/po/route_replies.de.po b/modules/po/route_replies.de.po index 7515be56..94500b94 100644 --- a/modules/po/route_replies.de.po +++ b/modules/po/route_replies.de.po @@ -11,7 +11,6 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: German\n" "Language: de_DE\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: route_replies.cpp:209 msgid "[yes|no]" @@ -26,7 +25,9 @@ msgid "This module hit a timeout which is probably a connectivity issue." msgstr "" #: route_replies.cpp:353 -msgid "However, if you can provide steps to reproduce this issue, please do report a bug." +msgid "" +"However, if you can provide steps to reproduce this issue, please do report " +"a bug." msgstr "" #: route_replies.cpp:356 @@ -56,4 +57,3 @@ msgstr "" #: route_replies.cpp:457 msgid "Send replies (e.g. to /who) to the right client only" msgstr "" - diff --git a/modules/po/route_replies.pot b/modules/po/route_replies.pot index 80e293b6..e15a0615 100644 --- a/modules/po/route_replies.pot +++ b/modules/po/route_replies.pot @@ -2,7 +2,6 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"Project-Id-Version: znc-bouncer\n" #: route_replies.cpp:209 msgid "[yes|no]" diff --git a/modules/po/route_replies.ru.po b/modules/po/route_replies.ru.po index c8359a8a..9b3fd37c 100644 --- a/modules/po/route_replies.ru.po +++ b/modules/po/route_replies.ru.po @@ -3,7 +3,8 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Project-Id-Version: znc-bouncer\n" -"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n" +"%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" @@ -11,7 +12,6 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: Russian\n" "Language: ru_RU\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: route_replies.cpp:209 msgid "[yes|no]" @@ -26,7 +26,9 @@ msgid "This module hit a timeout which is probably a connectivity issue." msgstr "" #: route_replies.cpp:353 -msgid "However, if you can provide steps to reproduce this issue, please do report a bug." +msgid "" +"However, if you can provide steps to reproduce this issue, please do report " +"a bug." msgstr "" #: route_replies.cpp:356 @@ -56,4 +58,3 @@ msgstr "" #: route_replies.cpp:457 msgid "Send replies (e.g. to /who) to the right client only" msgstr "" - diff --git a/modules/po/sample.de.po b/modules/po/sample.de.po index d429d891..f66d5469 100644 --- a/modules/po/sample.de.po +++ b/modules/po/sample.de.po @@ -11,7 +11,6 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: German\n" "Language: de_DE\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: sample.cpp:31 msgid "Sample job cancelled" @@ -118,4 +117,3 @@ msgstr "Modulbeschreibung kommt hier hin." #: sample.cpp:333 msgid "To be used as a sample for writing modules" msgstr "Als Muster zum Schreiben von Modulen zu verwenden" - diff --git a/modules/po/sample.pot b/modules/po/sample.pot index 9cd255c0..cc5cbe22 100644 --- a/modules/po/sample.pot +++ b/modules/po/sample.pot @@ -2,7 +2,6 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"Project-Id-Version: znc-bouncer\n" #: sample.cpp:31 msgid "Sample job cancelled" diff --git a/modules/po/sample.ru.po b/modules/po/sample.ru.po index 86ae2dea..7ead3776 100644 --- a/modules/po/sample.ru.po +++ b/modules/po/sample.ru.po @@ -3,7 +3,8 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Project-Id-Version: znc-bouncer\n" -"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n" +"%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" @@ -11,7 +12,6 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: Russian\n" "Language: ru_RU\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: sample.cpp:31 msgid "Sample job cancelled" @@ -119,4 +119,3 @@ msgstr "" #: sample.cpp:333 msgid "To be used as a sample for writing modules" msgstr "" - diff --git a/modules/po/samplewebapi.de.po b/modules/po/samplewebapi.de.po index 87cface2..e84c387d 100644 --- a/modules/po/samplewebapi.de.po +++ b/modules/po/samplewebapi.de.po @@ -11,9 +11,7 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: German\n" "Language: de_DE\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: samplewebapi.cpp:59 msgid "Sample Web API module." msgstr "Beispiel-Modul für die Web-API." - diff --git a/modules/po/samplewebapi.pot b/modules/po/samplewebapi.pot index 867bc1bd..a4db6931 100644 --- a/modules/po/samplewebapi.pot +++ b/modules/po/samplewebapi.pot @@ -2,7 +2,6 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"Project-Id-Version: znc-bouncer\n" #: samplewebapi.cpp:59 msgid "Sample Web API module." diff --git a/modules/po/samplewebapi.ru.po b/modules/po/samplewebapi.ru.po index 8e517d48..f99e86db 100644 --- a/modules/po/samplewebapi.ru.po +++ b/modules/po/samplewebapi.ru.po @@ -3,7 +3,8 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Project-Id-Version: znc-bouncer\n" -"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n" +"%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" @@ -11,9 +12,7 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: Russian\n" "Language: ru_RU\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: samplewebapi.cpp:59 msgid "Sample Web API module." msgstr "" - diff --git a/modules/po/sasl.de.po b/modules/po/sasl.de.po index bf48c270..c75b2f10 100644 --- a/modules/po/sasl.de.po +++ b/modules/po/sasl.de.po @@ -11,7 +11,6 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: German\n" "Language: de_DE\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:290 msgid "SASL" @@ -70,7 +69,8 @@ msgid "TLS certificate, for use with the *cert module" msgstr "" #: sasl.cpp:56 -msgid "Plain text negotiation, this should work always if the network supports SASL" +msgid "" +"Plain text negotiation, this should work always if the network supports SASL" msgstr "" #: sasl.cpp:62 @@ -86,7 +86,9 @@ msgid "[ []]" msgstr "" #: sasl.cpp:65 -msgid "Set username and password for the mechanisms that need them. Password is optional. Without parameters, returns information about current settings." +msgid "" +"Set username and password for the mechanisms that need them. Password is " +"optional. Without parameters, returns information about current settings." msgstr "" #: sasl.cpp:69 @@ -166,6 +168,7 @@ msgid "{1} mechanism failed." msgstr "" #: sasl.cpp:335 -msgid "Adds support for sasl authentication capability to authenticate to an IRC server" +msgid "" +"Adds support for sasl authentication capability to authenticate to an IRC " +"server" msgstr "" - diff --git a/modules/po/sasl.pot b/modules/po/sasl.pot index 6446c89f..b1e0b9d7 100644 --- a/modules/po/sasl.pot +++ b/modules/po/sasl.pot @@ -2,7 +2,6 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"Project-Id-Version: znc-bouncer\n" #: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:290 msgid "SASL" diff --git a/modules/po/sasl.ru.po b/modules/po/sasl.ru.po index 05337c89..66420bfc 100644 --- a/modules/po/sasl.ru.po +++ b/modules/po/sasl.ru.po @@ -3,7 +3,8 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Project-Id-Version: znc-bouncer\n" -"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n" +"%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" @@ -11,7 +12,6 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: Russian\n" "Language: ru_RU\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:290 msgid "SASL" @@ -70,7 +70,8 @@ msgid "TLS certificate, for use with the *cert module" msgstr "" #: sasl.cpp:56 -msgid "Plain text negotiation, this should work always if the network supports SASL" +msgid "" +"Plain text negotiation, this should work always if the network supports SASL" msgstr "" #: sasl.cpp:62 @@ -86,7 +87,9 @@ msgid "[ []]" msgstr "" #: sasl.cpp:65 -msgid "Set username and password for the mechanisms that need them. Password is optional. Without parameters, returns information about current settings." +msgid "" +"Set username and password for the mechanisms that need them. Password is " +"optional. Without parameters, returns information about current settings." msgstr "" #: sasl.cpp:69 @@ -166,6 +169,7 @@ msgid "{1} mechanism failed." msgstr "" #: sasl.cpp:335 -msgid "Adds support for sasl authentication capability to authenticate to an IRC server" +msgid "" +"Adds support for sasl authentication capability to authenticate to an IRC " +"server" msgstr "" - diff --git a/modules/po/savebuff.de.po b/modules/po/savebuff.de.po index 1208cd07..f5d2a2dc 100644 --- a/modules/po/savebuff.de.po +++ b/modules/po/savebuff.de.po @@ -11,7 +11,6 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: German\n" "Language: de_DE\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: savebuff.cpp:65 msgid "" @@ -34,7 +33,10 @@ msgid "Saves all buffers" msgstr "" #: savebuff.cpp:221 -msgid "Password is unset usually meaning the decryption failed. You can setpass to the appropriate pass and things should start working, or setpass to a new pass and save to reinstantiate" +msgid "" +"Password is unset usually meaning the decryption failed. You can setpass to " +"the appropriate pass and things should start working, or setpass to a new " +"pass and save to reinstantiate" msgstr "" #: savebuff.cpp:232 @@ -50,10 +52,11 @@ msgid "Unable to decode Encrypted file {1}" msgstr "" #: savebuff.cpp:358 -msgid "This user module takes up to one arguments. Either --ask-pass or the password itself (which may contain spaces) or nothing" +msgid "" +"This user module takes up to one arguments. Either --ask-pass or the " +"password itself (which may contain spaces) or nothing" msgstr "" #: savebuff.cpp:363 msgid "Stores channel and query buffers to disk, encrypted" msgstr "" - diff --git a/modules/po/savebuff.pot b/modules/po/savebuff.pot index de513ce1..258f4804 100644 --- a/modules/po/savebuff.pot +++ b/modules/po/savebuff.pot @@ -2,7 +2,6 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"Project-Id-Version: znc-bouncer\n" #: savebuff.cpp:65 msgid "" diff --git a/modules/po/savebuff.ru.po b/modules/po/savebuff.ru.po index f2dc78d4..d3d1e9d2 100644 --- a/modules/po/savebuff.ru.po +++ b/modules/po/savebuff.ru.po @@ -3,7 +3,8 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Project-Id-Version: znc-bouncer\n" -"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n" +"%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" @@ -11,7 +12,6 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: Russian\n" "Language: ru_RU\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: savebuff.cpp:65 msgid "" @@ -34,7 +34,10 @@ msgid "Saves all buffers" msgstr "" #: savebuff.cpp:221 -msgid "Password is unset usually meaning the decryption failed. You can setpass to the appropriate pass and things should start working, or setpass to a new pass and save to reinstantiate" +msgid "" +"Password is unset usually meaning the decryption failed. You can setpass to " +"the appropriate pass and things should start working, or setpass to a new " +"pass and save to reinstantiate" msgstr "" #: savebuff.cpp:232 @@ -50,10 +53,11 @@ msgid "Unable to decode Encrypted file {1}" msgstr "" #: savebuff.cpp:358 -msgid "This user module takes up to one arguments. Either --ask-pass or the password itself (which may contain spaces) or nothing" +msgid "" +"This user module takes up to one arguments. Either --ask-pass or the " +"password itself (which may contain spaces) or nothing" msgstr "" #: savebuff.cpp:363 msgid "Stores channel and query buffers to disk, encrypted" msgstr "" - diff --git a/modules/po/send_raw.de.po b/modules/po/send_raw.de.po index 5bee51e4..01a40ccb 100644 --- a/modules/po/send_raw.de.po +++ b/modules/po/send_raw.de.po @@ -11,7 +11,6 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: German\n" "Language: de_DE\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: modules/po/../data/send_raw/tmpl/index.tmpl:9 msgid "Send a raw IRC line" @@ -108,4 +107,3 @@ msgstr "" #: send_raw.cpp:159 msgid "Lets you send some raw IRC lines as/to someone else" msgstr "" - diff --git a/modules/po/send_raw.pot b/modules/po/send_raw.pot index ae44815f..bccd6de1 100644 --- a/modules/po/send_raw.pot +++ b/modules/po/send_raw.pot @@ -2,7 +2,6 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"Project-Id-Version: znc-bouncer\n" #: modules/po/../data/send_raw/tmpl/index.tmpl:9 msgid "Send a raw IRC line" diff --git a/modules/po/send_raw.ru.po b/modules/po/send_raw.ru.po index 183a10b9..cafe34d6 100644 --- a/modules/po/send_raw.ru.po +++ b/modules/po/send_raw.ru.po @@ -3,7 +3,8 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Project-Id-Version: znc-bouncer\n" -"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n" +"%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" @@ -11,7 +12,6 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: Russian\n" "Language: ru_RU\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: modules/po/../data/send_raw/tmpl/index.tmpl:9 msgid "Send a raw IRC line" @@ -108,4 +108,3 @@ msgstr "" #: send_raw.cpp:159 msgid "Lets you send some raw IRC lines as/to someone else" msgstr "" - diff --git a/modules/po/shell.de.po b/modules/po/shell.de.po index 901e3935..e7b6aa7e 100644 --- a/modules/po/shell.de.po +++ b/modules/po/shell.de.po @@ -11,7 +11,6 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: German\n" "Language: de_DE\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: shell.cpp:37 msgid "Failed to execute: {1}" @@ -28,4 +27,3 @@ msgstr "Gibt Shell-Zugriff" #: shell.cpp:172 msgid "Gives shell access. Only ZNC admins can use it." msgstr "Shell-Zugriff gibt. Nur ZNC Admins können es verwenden." - diff --git a/modules/po/shell.pot b/modules/po/shell.pot index 9661147e..f16cbf82 100644 --- a/modules/po/shell.pot +++ b/modules/po/shell.pot @@ -2,7 +2,6 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"Project-Id-Version: znc-bouncer\n" #: shell.cpp:37 msgid "Failed to execute: {1}" diff --git a/modules/po/shell.ru.po b/modules/po/shell.ru.po index 367ecf02..d83fe278 100644 --- a/modules/po/shell.ru.po +++ b/modules/po/shell.ru.po @@ -3,7 +3,8 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Project-Id-Version: znc-bouncer\n" -"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n" +"%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" @@ -11,7 +12,6 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: Russian\n" "Language: ru_RU\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: shell.cpp:37 msgid "Failed to execute: {1}" @@ -28,4 +28,3 @@ msgstr "" #: shell.cpp:172 msgid "Gives shell access. Only ZNC admins can use it." msgstr "" - diff --git a/modules/po/simple_away.de.po b/modules/po/simple_away.de.po index 2fabced0..9299423a 100644 --- a/modules/po/simple_away.de.po +++ b/modules/po/simple_away.de.po @@ -11,7 +11,6 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: German\n" "Language: de_DE\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: simple_away.cpp:56 msgid "[]" @@ -19,7 +18,9 @@ msgstr "" #: simple_away.cpp:57 #, c-format -msgid "Prints or sets the away reason (%awaytime% is replaced with the time you were set away, supports substitutions using ExpandString)" +msgid "" +"Prints or sets the away reason (%awaytime% is replaced with the time you " +"were set away, supports substitutions using ExpandString)" msgstr "" #: simple_away.cpp:63 @@ -79,10 +80,13 @@ msgid "MinClients set to {1}" msgstr "" #: simple_away.cpp:253 -msgid "You might enter up to 3 arguments, like -notimer awaymessage or -timer 5 awaymessage." +msgid "" +"You might enter up to 3 arguments, like -notimer awaymessage or -timer 5 " +"awaymessage." msgstr "" #: simple_away.cpp:258 -msgid "This module will automatically set you away on IRC while you are disconnected from the bouncer." +msgid "" +"This module will automatically set you away on IRC while you are " +"disconnected from the bouncer." msgstr "" - diff --git a/modules/po/simple_away.pot b/modules/po/simple_away.pot index e4d172bd..ceb5f73f 100644 --- a/modules/po/simple_away.pot +++ b/modules/po/simple_away.pot @@ -2,7 +2,6 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"Project-Id-Version: znc-bouncer\n" #: simple_away.cpp:56 msgid "[]" diff --git a/modules/po/simple_away.ru.po b/modules/po/simple_away.ru.po index b95edbe3..d3b6a9a0 100644 --- a/modules/po/simple_away.ru.po +++ b/modules/po/simple_away.ru.po @@ -3,7 +3,8 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Project-Id-Version: znc-bouncer\n" -"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n" +"%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" @@ -11,7 +12,6 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: Russian\n" "Language: ru_RU\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: simple_away.cpp:56 msgid "[]" @@ -19,7 +19,9 @@ msgstr "" #: simple_away.cpp:57 #, c-format -msgid "Prints or sets the away reason (%awaytime% is replaced with the time you were set away, supports substitutions using ExpandString)" +msgid "" +"Prints or sets the away reason (%awaytime% is replaced with the time you " +"were set away, supports substitutions using ExpandString)" msgstr "" #: simple_away.cpp:63 @@ -81,10 +83,13 @@ msgid "MinClients set to {1}" msgstr "" #: simple_away.cpp:253 -msgid "You might enter up to 3 arguments, like -notimer awaymessage or -timer 5 awaymessage." +msgid "" +"You might enter up to 3 arguments, like -notimer awaymessage or -timer 5 " +"awaymessage." msgstr "" #: simple_away.cpp:258 -msgid "This module will automatically set you away on IRC while you are disconnected from the bouncer." +msgid "" +"This module will automatically set you away on IRC while you are " +"disconnected from the bouncer." msgstr "" - diff --git a/modules/po/stickychan.de.po b/modules/po/stickychan.de.po index 380d6bf5..2e5448df 100644 --- a/modules/po/stickychan.de.po +++ b/modules/po/stickychan.de.po @@ -11,7 +11,6 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: German\n" "Language: de_DE\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: modules/po/../data/stickychan/tmpl/index.tmpl:9 msgid "Name" @@ -90,7 +89,8 @@ msgid "Channel stopped being sticky!" msgstr "" #: stickychan.cpp:211 -msgid "Channel {1} cannot be joined, it is an illegal channel name. Unsticking." +msgid "" +"Channel {1} cannot be joined, it is an illegal channel name. Unsticking." msgstr "" #: stickychan.cpp:248 @@ -100,4 +100,3 @@ msgstr "" #: stickychan.cpp:253 msgid "configless sticky chans, keeps you there very stickily even" msgstr "" - diff --git a/modules/po/stickychan.pot b/modules/po/stickychan.pot index 9cc6e629..26bf788b 100644 --- a/modules/po/stickychan.pot +++ b/modules/po/stickychan.pot @@ -2,7 +2,6 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"Project-Id-Version: znc-bouncer\n" #: modules/po/../data/stickychan/tmpl/index.tmpl:9 msgid "Name" diff --git a/modules/po/stickychan.ru.po b/modules/po/stickychan.ru.po index 7a5e675f..3f877d5e 100644 --- a/modules/po/stickychan.ru.po +++ b/modules/po/stickychan.ru.po @@ -3,7 +3,8 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Project-Id-Version: znc-bouncer\n" -"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n" +"%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" @@ -11,7 +12,6 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: Russian\n" "Language: ru_RU\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: modules/po/../data/stickychan/tmpl/index.tmpl:9 msgid "Name" @@ -90,7 +90,8 @@ msgid "Channel stopped being sticky!" msgstr "" #: stickychan.cpp:211 -msgid "Channel {1} cannot be joined, it is an illegal channel name. Unsticking." +msgid "" +"Channel {1} cannot be joined, it is an illegal channel name. Unsticking." msgstr "" #: stickychan.cpp:248 @@ -100,4 +101,3 @@ msgstr "" #: stickychan.cpp:253 msgid "configless sticky chans, keeps you there very stickily even" msgstr "" - diff --git a/modules/po/stripcontrols.de.po b/modules/po/stripcontrols.de.po index 250dafa1..7e448956 100644 --- a/modules/po/stripcontrols.de.po +++ b/modules/po/stripcontrols.de.po @@ -11,9 +11,9 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: German\n" "Language: de_DE\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: stripcontrols.cpp:63 -msgid "Strips control codes (Colors, Bold, ..) from channel and private messages." -msgstr "Entfernt Steuercodes (Farben, Fett,...) von Kanal- und Query-Nachrichten." - +msgid "" +"Strips control codes (Colors, Bold, ..) from channel and private messages." +msgstr "" +"Entfernt Steuercodes (Farben, Fett,...) von Kanal- und Query-Nachrichten." diff --git a/modules/po/stripcontrols.pot b/modules/po/stripcontrols.pot index dbf694e2..b56da0e4 100644 --- a/modules/po/stripcontrols.pot +++ b/modules/po/stripcontrols.pot @@ -2,7 +2,6 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"Project-Id-Version: znc-bouncer\n" #: stripcontrols.cpp:63 msgid "" diff --git a/modules/po/stripcontrols.ru.po b/modules/po/stripcontrols.ru.po index df04ba21..a3d4d5b7 100644 --- a/modules/po/stripcontrols.ru.po +++ b/modules/po/stripcontrols.ru.po @@ -3,7 +3,8 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Project-Id-Version: znc-bouncer\n" -"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n" +"%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" @@ -11,9 +12,8 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: Russian\n" "Language: ru_RU\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: stripcontrols.cpp:63 -msgid "Strips control codes (Colors, Bold, ..) from channel and private messages." +msgid "" +"Strips control codes (Colors, Bold, ..) from channel and private messages." msgstr "" - diff --git a/modules/po/watch.de.po b/modules/po/watch.de.po index 93446e83..4c51f999 100644 --- a/modules/po/watch.de.po +++ b/modules/po/watch.de.po @@ -11,7 +11,6 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: German\n" "Language: de_DE\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: watch.cpp:334 msgid "All entries cleared." @@ -248,4 +247,3 @@ msgstr "" #: watch.cpp:778 msgid "Copy activity from a specific user into a separate window" msgstr "" - diff --git a/modules/po/watch.pot b/modules/po/watch.pot index 3504c867..e9cb7180 100644 --- a/modules/po/watch.pot +++ b/modules/po/watch.pot @@ -2,7 +2,6 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"Project-Id-Version: znc-bouncer\n" #: watch.cpp:334 msgid "All entries cleared." diff --git a/modules/po/watch.ru.po b/modules/po/watch.ru.po index 9f64ad30..ebad0b6d 100644 --- a/modules/po/watch.ru.po +++ b/modules/po/watch.ru.po @@ -3,7 +3,8 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Project-Id-Version: znc-bouncer\n" -"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n" +"%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" @@ -11,7 +12,6 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: Russian\n" "Language: ru_RU\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: watch.cpp:334 msgid "All entries cleared." @@ -248,4 +248,3 @@ msgstr "" #: watch.cpp:778 msgid "Copy activity from a specific user into a separate window" msgstr "" - diff --git a/modules/po/webadmin.de.po b/modules/po/webadmin.de.po index 6f77dbf1..011cc039 100644 --- a/modules/po/webadmin.de.po +++ b/modules/po/webadmin.de.po @@ -11,7 +11,6 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: German\n" "Language: de_DE\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:12 msgid "Channel Info" @@ -98,7 +97,9 @@ msgid "<network>" msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:14 -msgid "To connect to this network from your IRC client, you can set the server password field as {1} or username field as {2}" +msgid "" +"To connect to this network from your IRC client, you can set the server " +"password field as {1} or username field as {2}" msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:24 @@ -106,7 +107,9 @@ msgid "Network Info" msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:25 -msgid "Nick, AltNick, Ident, RealName, BindHost can be left empty to use the value from the user." +msgid "" +"Nick, AltNick, Ident, RealName, BindHost can be left empty to use the value " +"from the user." msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:29 @@ -184,7 +187,8 @@ msgid "Trust all certs:" msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:79 -msgid "Disable certificate validation (takes precedence over TrustPKI). INSECURE!" +msgid "" +"Disable certificate validation (takes precedence over TrustPKI). INSECURE!" msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:83 @@ -192,7 +196,9 @@ msgid "Trust the PKI:" msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:85 -msgid "Setting this to false will trust only certificates you added fingerprints for." +msgid "" +"Setting this to false will trust only certificates you added fingerprints " +"for." msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:89 @@ -227,7 +233,9 @@ msgid "SHA-256 fingerprints of trusted SSL certificates of this IRC network:" msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:120 -msgid "When these certificates are encountered, checks for hostname, expiration date, CA are skipped" +msgid "" +"When these certificates are encountered, checks for hostname, expiration " +"date, CA are skipped" msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:124 @@ -235,7 +243,10 @@ msgid "Flood protection:" msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:127 -msgid "You might enable the flood protection. This prevents “excess flood” errors, which occur, when your IRC bot is command flooded or spammed. After changing this, reconnect ZNC to server." +msgid "" +"You might enable the flood protection. This prevents “excess flood” errors, " +"which occur, when your IRC bot is command flooded or spammed. After changing " +"this, reconnect ZNC to server." msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:130 @@ -248,7 +259,8 @@ msgid "Flood protection rate:" msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:137 -msgid "The number of seconds per line. After changing this, reconnect ZNC to server." +msgid "" +"The number of seconds per line. After changing this, reconnect ZNC to server." msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:140 @@ -260,7 +272,9 @@ msgid "Flood protection burst:" msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:147 -msgid "Defines the number of lines, which can be sent immediately. After changing this, reconnect ZNC to server." +msgid "" +"Defines the number of lines, which can be sent immediately. After changing " +"this, reconnect ZNC to server." msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:150 @@ -272,7 +286,9 @@ msgid "Channel join delay:" msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:157 -msgid "Defines the delay in seconds, until channels are joined after getting connected." +msgid "" +"Defines the delay in seconds, until channels are joined after getting " +"connected." msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:160 @@ -293,7 +309,8 @@ msgid "Channels" msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:178 -msgid "You will be able to add + modify channels here after you created the network." +msgid "" +"You will be able to add + modify channels here after you created the network." msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:185 @@ -417,7 +434,9 @@ msgid "Allowed IPs:" msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:48 -msgid "Leave empty to allow connections from all IPs.
Otherwise, one entry per line, wildcards * and ? are available." +msgid "" +"Leave empty to allow connections from all IPs.
Otherwise, one entry per " +"line, wildcards * and ? are available." msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:56 @@ -425,7 +444,9 @@ msgid "IRC Information" msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:58 -msgid "Nick, AltNick, Ident, RealName and QuitMsg can be left empty to use default values." +msgid "" +"Nick, AltNick, Ident, RealName and QuitMsg can be left empty to use default " +"values." msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:76 @@ -470,11 +491,15 @@ msgid "← Add a network (opens in same page)" msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:154 -msgid "You will be able to add + modify networks here after you have cloned the user." +msgid "" +"You will be able to add + modify networks here after you have cloned the " +"user." msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:156 -msgid "You will be able to add + modify networks here after you have created the user." +msgid "" +"You will be able to add + modify networks here after you have created the " +"user." msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:172 @@ -483,7 +508,8 @@ msgid "Loaded by networks" msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:231 -msgid "These are the default modes ZNC will set when you join an empty channel." +msgid "" +"These are the default modes ZNC will set when you join an empty channel." msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:232 @@ -493,7 +519,10 @@ msgid "Empty = use standard value" msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:237 -msgid "This is the amount of lines that the playback buffer will store for channels before dropping off the oldest line. The buffers are stored in the memory by default." +msgid "" +"This is the amount of lines that the playback buffer will store for channels " +"before dropping off the oldest line. The buffers are stored in the memory by " +"default." msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:245 @@ -509,7 +538,10 @@ msgid "Maximum number of query buffers. 0 is unlimited." msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:256 -msgid "This is the amount of lines that the playback buffer will store for queries before dropping off the oldest line. The buffers are stored in the memory by default." +msgid "" +"This is the amount of lines that the playback buffer will store for queries " +"before dropping off the oldest line. The buffers are stored in the memory by " +"default." msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:279 @@ -517,7 +549,8 @@ msgid "ZNC Behavior" msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:280 -msgid "Any of the following text boxes can be left empty to use their default value." +msgid "" +"Any of the following text boxes can be left empty to use their default value." msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:284 @@ -525,7 +558,10 @@ msgid "Timestamp Format:" msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:286 -msgid "The format for the timestamps used in buffers, for example [%H:%M:%S]. This setting is ignored in new IRC clients, which use server-time. If your client supports server-time, change timestamp format in client settings instead." +msgid "" +"The format for the timestamps used in buffers, for example [%H:%M:%S]. This " +"setting is ignored in new IRC clients, which use server-time. If your client " +"supports server-time, change timestamp format in client settings instead." msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:289 @@ -549,7 +585,9 @@ msgid "Join Tries:" msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:308 -msgid "This defines how many times ZNC tries to join a channel, if the first join failed, e.g. due to channel mode +i/+k or if you are banned." +msgid "" +"This defines how many times ZNC tries to join a channel, if the first join " +"failed, e.g. due to channel mode +i/+k or if you are banned." msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:311 @@ -557,7 +595,9 @@ msgid "Join speed:" msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:313 -msgid "How many channels are joined in one JOIN command. 0 is unlimited (default). Set to small positive value if you get disconnected with “Max SendQ Exceeded”" +msgid "" +"How many channels are joined in one JOIN command. 0 is unlimited (default). " +"Set to small positive value if you get disconnected with “Max SendQ Exceeded”" msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:316 @@ -565,7 +605,10 @@ msgid "Timeout before reconnect:" msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:318 -msgid "How much time ZNC waits (in seconds) until it receives something from network or declares the connection timeout. This happens after attempts to ping the peer." +msgid "" +"How much time ZNC waits (in seconds) until it receives something from " +"network or declares the connection timeout. This happens after attempts to " +"ping the peer." msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:321 @@ -712,7 +755,8 @@ msgid "Welcome to the ZNC webadmin module." msgstr "" #: modules/po/../data/webadmin/tmpl/index.tmpl:6 -msgid "All changes you make will be in effect immediately after you submitted them." +msgid "" +"All changes you make will be in effect immediately after you submitted them." msgstr "" #: modules/po/../data/webadmin/tmpl/listusers.tmpl:16 @@ -753,7 +797,9 @@ msgid "URIPrefix" msgstr "" #: modules/po/../data/webadmin/tmpl/settings.tmpl:56 -msgid "To delete port which you use to access webadmin itself, either connect to webadmin via another port, or do it in IRC (/znc DelPort)" +msgid "" +"To delete port which you use to access webadmin itself, either connect to " +"webadmin via another port, or do it in IRC (/znc DelPort)" msgstr "" #: modules/po/../data/webadmin/tmpl/settings.tmpl:56 @@ -781,7 +827,10 @@ msgid "Connect Delay:" msgstr "" #: modules/po/../data/webadmin/tmpl/settings.tmpl:119 -msgid "The time between connection attempts to IRC servers, in seconds. This affects the connection between ZNC and the IRC server; not the connection between your IRC client and ZNC." +msgid "" +"The time between connection attempts to IRC servers, in seconds. This " +"affects the connection between ZNC and the IRC server; not the connection " +"between your IRC client and ZNC." msgstr "" #: modules/po/../data/webadmin/tmpl/settings.tmpl:124 @@ -789,7 +838,9 @@ msgid "Server Throttle:" msgstr "" #: modules/po/../data/webadmin/tmpl/settings.tmpl:126 -msgid "The minimal time between two connect attempts to the same hostname, in seconds. Some servers refuse your connection if you reconnect too fast." +msgid "" +"The minimal time between two connect attempts to the same hostname, in " +"seconds. Some servers refuse your connection if you reconnect too fast." msgstr "" #: modules/po/../data/webadmin/tmpl/settings.tmpl:131 @@ -1019,7 +1070,9 @@ msgid "Edit Network [{1}] of User [{2}]" msgstr "" #: webadmin.cpp:889 webadmin.cpp:1066 -msgid "Network number limit reached. Ask an admin to increase the limit for you, or delete unneeded networks from Your Settings." +msgid "" +"Network number limit reached. Ask an admin to increase the limit for you, or " +"delete unneeded networks from Your Settings." msgstr "" #: webadmin.cpp:897 @@ -1063,7 +1116,9 @@ msgid "Clone User [{1}]" msgstr "" #: webadmin.cpp:1506 -msgid "Automatically Clear Channel Buffer After Playback (the default value for new channels)" +msgid "" +"Automatically Clear Channel Buffer After Playback (the default value for new " +"channels)" msgstr "" #: webadmin.cpp:1516 @@ -1137,4 +1192,3 @@ msgstr "" #: webadmin.cpp:2084 msgid "Settings were changed, but config file was not written" msgstr "" - diff --git a/modules/po/webadmin.pot b/modules/po/webadmin.pot index 53ba7c6d..8de5cb06 100644 --- a/modules/po/webadmin.pot +++ b/modules/po/webadmin.pot @@ -2,7 +2,6 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"Project-Id-Version: znc-bouncer\n" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:12 msgid "Channel Info" diff --git a/modules/po/webadmin.ru.po b/modules/po/webadmin.ru.po index 10fa63a1..56a30104 100644 --- a/modules/po/webadmin.ru.po +++ b/modules/po/webadmin.ru.po @@ -3,7 +3,8 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Project-Id-Version: znc-bouncer\n" -"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n" +"%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" @@ -11,7 +12,6 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: Russian\n" "Language: ru_RU\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:12 msgid "Channel Info" @@ -98,16 +98,24 @@ msgid "<network>" msgstr "<сеть>" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:14 -msgid "To connect to this network from your IRC client, you can set the server password field as {1} or username field as {2}" -msgstr "Чтобы войти в эту сеть из вашего клиента IRC, установите пароль сервера в {1} либо имя пользователя в {2}" +msgid "" +"To connect to this network from your IRC client, you can set the server " +"password field as {1} or username field as {2}" +msgstr "" +"Чтобы войти в эту сеть из вашего клиента IRC, установите пароль сервера в " +"{1} либо имя пользователя в {2}" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:24 msgid "Network Info" msgstr "Информация о сети" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:25 -msgid "Nick, AltNick, Ident, RealName, BindHost can be left empty to use the value from the user." -msgstr "Оставьте ник, идент, настоящее имя и хост пустыми, чтобы использовать значения, заданные в настройках пользователя." +msgid "" +"Nick, AltNick, Ident, RealName, BindHost can be left empty to use the value " +"from the user." +msgstr "" +"Оставьте ник, идент, настоящее имя и хост пустыми, чтобы использовать " +"значения, заданные в настройках пользователя." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:29 msgid "Network Name:" @@ -169,7 +177,9 @@ msgstr "Сообщение при выходе:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:67 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:108 msgid "You may define a Message shown, when you quit IRC." -msgstr "Вы можете установить сообщение, которое будет показано, когда вы выходите из IRC." +msgstr "" +"Вы можете установить сообщение, которое будет показано, когда вы выходите из " +"IRC." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:71 msgid "Active:" @@ -184,7 +194,8 @@ msgid "Trust all certs:" msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:79 -msgid "Disable certificate validation (takes precedence over TrustPKI). INSECURE!" +msgid "" +"Disable certificate validation (takes precedence over TrustPKI). INSECURE!" msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:83 @@ -192,7 +203,9 @@ msgid "Trust the PKI:" msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:85 -msgid "Setting this to false will trust only certificates you added fingerprints for." +msgid "" +"Setting this to false will trust only certificates you added fingerprints " +"for." msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:89 @@ -202,7 +215,9 @@ msgstr "Серверы этой сети IRC:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:93 msgid "One server per line, “host [[+]port] [password]”, + means SSL" -msgstr "По одному серверу в каждой строке в формате «хост [[+]порт] [пароль]», + означает SSL" +msgstr "" +"По одному серверу в каждой строке в формате «хост [[+]порт] [пароль]», + " +"означает SSL" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:101 msgid "Hostname" @@ -227,16 +242,27 @@ msgid "SHA-256 fingerprints of trusted SSL certificates of this IRC network:" msgstr "Отпечатки пальцев SHA-256 доверенных сертификатов SSL этой сети IRC:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:120 -msgid "When these certificates are encountered, checks for hostname, expiration date, CA are skipped" -msgstr "Если сервер предоставил один из указанных сертификатов, то соединение будет продолжено независимо от времени окончания сертификата, наличия подписи известным центром сертификации и имени хоста" +msgid "" +"When these certificates are encountered, checks for hostname, expiration " +"date, CA are skipped" +msgstr "" +"Если сервер предоставил один из указанных сертификатов, то соединение будет " +"продолжено независимо от времени окончания сертификата, наличия подписи " +"известным центром сертификации и имени хоста" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:124 msgid "Flood protection:" msgstr "Защита от флуда:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:127 -msgid "You might enable the flood protection. This prevents “excess flood” errors, which occur, when your IRC bot is command flooded or spammed. After changing this, reconnect ZNC to server." -msgstr "Вы можете включить защиту от флуда. Это предотвращает ошибки вида «Excess flood», которые случаются, когда ZNC шлёт данные на сервер слишком быстро. После изменения переподключите ZNC к серверу." +msgid "" +"You might enable the flood protection. This prevents “excess flood” errors, " +"which occur, when your IRC bot is command flooded or spammed. After changing " +"this, reconnect ZNC to server." +msgstr "" +"Вы можете включить защиту от флуда. Это предотвращает ошибки вида «Excess " +"flood», которые случаются, когда ZNC шлёт данные на сервер слишком быстро. " +"После изменения переподключите ZNC к серверу." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:130 msgctxt "Flood Protection" @@ -248,8 +274,11 @@ msgid "Flood protection rate:" msgstr "Скорость флуда:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:137 -msgid "The number of seconds per line. After changing this, reconnect ZNC to server." -msgstr "Сколько секунд ждать между отправкой двух строк. После изменения переподключите ZNC к серверу." +msgid "" +"The number of seconds per line. After changing this, reconnect ZNC to server." +msgstr "" +"Сколько секунд ждать между отправкой двух строк. После изменения " +"переподключите ZNC к серверу." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:140 msgid "{1} seconds per line" @@ -260,8 +289,12 @@ msgid "Flood protection burst:" msgstr "Взрыв флуда:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:147 -msgid "Defines the number of lines, which can be sent immediately. After changing this, reconnect ZNC to server." -msgstr "Количество строк, которые могут посланы на сервер без задержки. После изменения переподключите ZNC к серверу." +msgid "" +"Defines the number of lines, which can be sent immediately. After changing " +"this, reconnect ZNC to server." +msgstr "" +"Количество строк, которые могут посланы на сервер без задержки. После " +"изменения переподключите ZNC к серверу." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:150 msgid "{1} lines can be sent immediately" @@ -272,8 +305,12 @@ msgid "Channel join delay:" msgstr "Задержка входа на каналы:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:157 -msgid "Defines the delay in seconds, until channels are joined after getting connected." -msgstr "Время в секундах, которое надо ждать между установлением соединения и заходом на каналы." +msgid "" +"Defines the delay in seconds, until channels are joined after getting " +"connected." +msgstr "" +"Время в секундах, которое надо ждать между установлением соединения и " +"заходом на каналы." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:160 msgid "{1} seconds" @@ -293,7 +330,8 @@ msgid "Channels" msgstr "Каналы" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:178 -msgid "You will be able to add + modify channels here after you created the network." +msgid "" +"You will be able to add + modify channels here after you created the network." msgstr "Здесь после создания сети вы сможете добавлять и изменять каналы." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:185 @@ -417,16 +455,24 @@ msgid "Allowed IPs:" msgstr "Разрешённые IP-адреса:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:48 -msgid "Leave empty to allow connections from all IPs.
Otherwise, one entry per line, wildcards * and ? are available." -msgstr "Оставьте пустым, чтобы подключаться с любого адреса.
Иначе, введите по одному IP на строку. Также доступны спецсимволы * и ?." +msgid "" +"Leave empty to allow connections from all IPs.
Otherwise, one entry per " +"line, wildcards * and ? are available." +msgstr "" +"Оставьте пустым, чтобы подключаться с любого адреса.
Иначе, введите по " +"одному IP на строку. Также доступны спецсимволы * и ?." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:56 msgid "IRC Information" msgstr "Информация IRC" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:58 -msgid "Nick, AltNick, Ident, RealName and QuitMsg can be left empty to use default values." -msgstr "Оставьте ник, идент, настоящее имя и хост пустыми, чтобы использовать значения по умолчанию." +msgid "" +"Nick, AltNick, Ident, RealName and QuitMsg can be left empty to use default " +"values." +msgstr "" +"Оставьте ник, идент, настоящее имя и хост пустыми, чтобы использовать " +"значения по умолчанию." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:76 msgid "The Ident is sent to server as username." @@ -470,12 +516,18 @@ msgid "← Add a network (opens in same page)" msgstr "← Новая сеть (открывается на той же странице)" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:154 -msgid "You will be able to add + modify networks here after you have cloned the user." -msgstr "Здесь после клонирования пользователя вы сможете добавлять и изменять сети." +msgid "" +"You will be able to add + modify networks here after you have cloned the " +"user." +msgstr "" +"Здесь после клонирования пользователя вы сможете добавлять и изменять сети." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:156 -msgid "You will be able to add + modify networks here after you have created the user." -msgstr "Здесь после создания пользователя вы сможете добавлять и изменять сети." +msgid "" +"You will be able to add + modify networks here after you have created the " +"user." +msgstr "" +"Здесь после создания пользователя вы сможете добавлять и изменять сети." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:172 #: modules/po/../data/webadmin/tmpl/settings.tmpl:173 @@ -483,8 +535,11 @@ msgid "Loaded by networks" msgstr "Загружено сетями" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:231 -msgid "These are the default modes ZNC will set when you join an empty channel." -msgstr "Режимы канала по умолчанию, которые ZNC будет выставлять при заходе на пустой канал." +msgid "" +"These are the default modes ZNC will set when you join an empty channel." +msgstr "" +"Режимы канала по умолчанию, которые ZNC будет выставлять при заходе на " +"пустой канал." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:232 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:238 @@ -493,8 +548,13 @@ msgid "Empty = use standard value" msgstr "Если пусто, используется значение по умолчанию" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:237 -msgid "This is the amount of lines that the playback buffer will store for channels before dropping off the oldest line. The buffers are stored in the memory by default." -msgstr "Количество строк в буферах для истории каналов. При переполнении из буфера удаляются самые старые строки. По умолчанию буферы хранятся в памяти." +msgid "" +"This is the amount of lines that the playback buffer will store for channels " +"before dropping off the oldest line. The buffers are stored in the memory by " +"default." +msgstr "" +"Количество строк в буферах для истории каналов. При переполнении из буфера " +"удаляются самые старые строки. По умолчанию буферы хранятся в памяти." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:245 msgid "Queries" @@ -506,27 +566,42 @@ msgstr "Максимальное число буферов:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:251 msgid "Maximum number of query buffers. 0 is unlimited." -msgstr "Максимальное число собеседников, личные переписки с которыми будут сохранены в буферах. 0 — без ограничений." +msgstr "" +"Максимальное число собеседников, личные переписки с которыми будут сохранены " +"в буферах. 0 — без ограничений." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:256 -msgid "This is the amount of lines that the playback buffer will store for queries before dropping off the oldest line. The buffers are stored in the memory by default." -msgstr "Количество строк в буферах для истории личных переписок. При переполнении из буфера удаляются самые старые строки. По умолчанию буферы хранятся в памяти." +msgid "" +"This is the amount of lines that the playback buffer will store for queries " +"before dropping off the oldest line. The buffers are stored in the memory by " +"default." +msgstr "" +"Количество строк в буферах для истории личных переписок. При переполнении из " +"буфера удаляются самые старые строки. По умолчанию буферы хранятся в памяти." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:279 msgid "ZNC Behavior" msgstr "Поведение ZNC" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:280 -msgid "Any of the following text boxes can be left empty to use their default value." -msgstr "Можете оставить поля пустыми, чтобы использовать значения по умолчанию." +msgid "" +"Any of the following text boxes can be left empty to use their default value." +msgstr "" +"Можете оставить поля пустыми, чтобы использовать значения по умолчанию." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:284 msgid "Timestamp Format:" msgstr "Формат времени:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:286 -msgid "The format for the timestamps used in buffers, for example [%H:%M:%S]. This setting is ignored in new IRC clients, which use server-time. If your client supports server-time, change timestamp format in client settings instead." -msgstr "Формат отметок времени для буферов, например [%H:%M:%S]. В современных клиентах, поддерживающих расширение server-time, эта настройка игнорируется, при этом формат времени настраивается в самом клиенте." +msgid "" +"The format for the timestamps used in buffers, for example [%H:%M:%S]. This " +"setting is ignored in new IRC clients, which use server-time. If your client " +"supports server-time, change timestamp format in client settings instead." +msgstr "" +"Формат отметок времени для буферов, например [%H:%M:%S]. В современных " +"клиентах, поддерживающих расширение server-time, эта настройка игнорируется, " +"при этом формат времени настраивается в самом клиенте." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:289 msgid "Timezone:" @@ -549,23 +624,35 @@ msgid "Join Tries:" msgstr "Попыток входа на канал:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:308 -msgid "This defines how many times ZNC tries to join a channel, if the first join failed, e.g. due to channel mode +i/+k or if you are banned." -msgstr "Сколько раз ZNC пытается зайти на канал. Неуспех может быть, например, из-за режимов канала +i или +k или если вас оттуда выгнали." +msgid "" +"This defines how many times ZNC tries to join a channel, if the first join " +"failed, e.g. due to channel mode +i/+k or if you are banned." +msgstr "" +"Сколько раз ZNC пытается зайти на канал. Неуспех может быть, например, из-за " +"режимов канала +i или +k или если вас оттуда выгнали." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:311 msgid "Join speed:" msgstr "Скорость входа на каналы:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:313 -msgid "How many channels are joined in one JOIN command. 0 is unlimited (default). Set to small positive value if you get disconnected with “Max SendQ Exceeded”" -msgstr "На сколько каналов заходить одной командой JOIN. 0 — неограничено, это значение по умолчанию. Установите в маленькое положительное число, если вас отключает с ошибкой «Max SendQ Exceeded»" +msgid "" +"How many channels are joined in one JOIN command. 0 is unlimited (default). " +"Set to small positive value if you get disconnected with “Max SendQ Exceeded”" +msgstr "" +"На сколько каналов заходить одной командой JOIN. 0 — неограничено, это " +"значение по умолчанию. Установите в маленькое положительное число, если вас " +"отключает с ошибкой «Max SendQ Exceeded»" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:316 msgid "Timeout before reconnect:" msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:318 -msgid "How much time ZNC waits (in seconds) until it receives something from network or declares the connection timeout. This happens after attempts to ping the peer." +msgid "" +"How much time ZNC waits (in seconds) until it receives something from " +"network or declares the connection timeout. This happens after attempts to " +"ping the peer." msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:321 @@ -574,7 +661,9 @@ msgstr "Ограничение количества сетей IRC:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:323 msgid "Maximum number of IRC networks allowed for this user." -msgstr "Наибольшее разрешённое число сетей IRC, которые может иметь этот пользователь." +msgstr "" +"Наибольшее разрешённое число сетей IRC, которые может иметь этот " +"пользователь." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:326 msgid "Substitutions" @@ -681,7 +770,8 @@ msgstr "Вы действительно хотите удалить пользо #: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:6 msgid "ZNC is compiled without encodings support. {1} is required for it." -msgstr "ZNC собран без поддержки кодировки. Для этого необходима библиотека {1}." +msgstr "" +"ZNC собран без поддержки кодировки. Для этого необходима библиотека {1}." #: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:11 msgid "Legacy mode is disabled by modpython." @@ -712,7 +802,8 @@ msgid "Welcome to the ZNC webadmin module." msgstr "Добро пожаловать в webadmin ZNC." #: modules/po/../data/webadmin/tmpl/index.tmpl:6 -msgid "All changes you make will be in effect immediately after you submitted them." +msgid "" +"All changes you make will be in effect immediately after you submitted them." msgstr "Все изменения войдут в силу сразу, как только вы их сделаете." #: modules/po/../data/webadmin/tmpl/listusers.tmpl:16 @@ -753,8 +844,13 @@ msgid "URIPrefix" msgstr "Префикс URI" #: modules/po/../data/webadmin/tmpl/settings.tmpl:56 -msgid "To delete port which you use to access webadmin itself, either connect to webadmin via another port, or do it in IRC (/znc DelPort)" -msgstr "Чтобы удалить порт, с помощью которого вы используете webadmin, либо подключитесь к webadmin через другой порт, либо удалите его из IRC командой /znc DelPort" +msgid "" +"To delete port which you use to access webadmin itself, either connect to " +"webadmin via another port, or do it in IRC (/znc DelPort)" +msgstr "" +"Чтобы удалить порт, с помощью которого вы используете webadmin, либо " +"подключитесь к webadmin через другой порт, либо удалите его из IRC командой /" +"znc DelPort" #: modules/po/../data/webadmin/tmpl/settings.tmpl:56 msgid "Current" @@ -774,23 +870,34 @@ msgstr "Максимальный размер буфера:" #: modules/po/../data/webadmin/tmpl/settings.tmpl:112 msgid "Sets the global Max Buffer Size a user can have." -msgstr "Устанавливает наибольший размер буфера, который может иметь пользователь." +msgstr "" +"Устанавливает наибольший размер буфера, который может иметь пользователь." #: modules/po/../data/webadmin/tmpl/settings.tmpl:117 msgid "Connect Delay:" msgstr "Задержка присоединений:" #: modules/po/../data/webadmin/tmpl/settings.tmpl:119 -msgid "The time between connection attempts to IRC servers, in seconds. This affects the connection between ZNC and the IRC server; not the connection between your IRC client and ZNC." -msgstr "Время в секундах, которое ZNC ждёт между попытками соединиться с серверами IRC. Эта настройка не влияет на соединение между вашим клиентом IRC и ZNC." +msgid "" +"The time between connection attempts to IRC servers, in seconds. This " +"affects the connection between ZNC and the IRC server; not the connection " +"between your IRC client and ZNC." +msgstr "" +"Время в секундах, которое ZNC ждёт между попытками соединиться с серверами " +"IRC. Эта настройка не влияет на соединение между вашим клиентом IRC и ZNC." #: modules/po/../data/webadmin/tmpl/settings.tmpl:124 msgid "Server Throttle:" msgstr "Посерверная задержка присоединений:" #: modules/po/../data/webadmin/tmpl/settings.tmpl:126 -msgid "The minimal time between two connect attempts to the same hostname, in seconds. Some servers refuse your connection if you reconnect too fast." -msgstr "Минимальное время в секундах между попытками присоединения к одному и тому же серверу. Некоторые серверы отказывают в соединении, если соединения слишком частые." +msgid "" +"The minimal time between two connect attempts to the same hostname, in " +"seconds. Some servers refuse your connection if you reconnect too fast." +msgstr "" +"Минимальное время в секундах между попытками присоединения к одному и тому " +"же серверу. Некоторые серверы отказывают в соединении, если соединения " +"слишком частые." #: modules/po/../data/webadmin/tmpl/settings.tmpl:131 msgid "Anonymous Connection Limit per IP:" @@ -1019,8 +1126,12 @@ msgid "Edit Network [{1}] of User [{2}]" msgstr "Сеть [{1}] пользователя [{2}]" #: webadmin.cpp:889 webadmin.cpp:1066 -msgid "Network number limit reached. Ask an admin to increase the limit for you, or delete unneeded networks from Your Settings." -msgstr "Достигнуто ограничение на количество сетей. Попросите администратора поднять вам лимит или удалите ненужные сети в «Моих настройках»" +msgid "" +"Network number limit reached. Ask an admin to increase the limit for you, or " +"delete unneeded networks from Your Settings." +msgstr "" +"Достигнуто ограничение на количество сетей. Попросите администратора поднять " +"вам лимит или удалите ненужные сети в «Моих настройках»" #: webadmin.cpp:897 msgid "Add Network for User [{1}]" @@ -1063,8 +1174,12 @@ msgid "Clone User [{1}]" msgstr "Клон пользователя [{1}]" #: webadmin.cpp:1506 -msgid "Automatically Clear Channel Buffer After Playback (the default value for new channels)" -msgstr "Автоматически очищать буфер канала после воспроизведения (значение по умолчанию для новых каналов)" +msgid "" +"Automatically Clear Channel Buffer After Playback (the default value for new " +"channels)" +msgstr "" +"Автоматически очищать буфер канала после воспроизведения (значение по " +"умолчанию для новых каналов)" #: webadmin.cpp:1516 msgid "Multi Clients" @@ -1137,4 +1252,3 @@ msgstr "Указанный порт не найден." #: webadmin.cpp:2084 msgid "Settings were changed, but config file was not written" msgstr "Настройки изменены, но записать конфигурацию в файл не удалось" - diff --git a/src/po/znc.de.po b/src/po/znc.de.po index 973bf593..2deaf034 100644 --- a/src/po/znc.de.po +++ b/src/po/znc.de.po @@ -11,7 +11,6 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: German\n" "Language: de_DE\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: webskins/_default_/tmpl/InfoBar.tmpl:6 msgid "Logged in as: {1}" @@ -46,12 +45,20 @@ msgid "Welcome to ZNC's web interface!" msgstr "Willkommen bei ZNCs Web-Oberfläche!" #: webskins/_default_/tmpl/index.tmpl:11 -msgid "No Web-enabled modules have been loaded. Load modules from IRC (“/msg *status help” and “/msg *status loadmod <module>”). Once you have loaded some Web-enabled modules, the menu will expand." -msgstr "Es wurden keine Web-fähigen Module geladen. Lade Module über IRC (\"/msg *status help\" und \"/msg *status loadmod <module>\"). Sobald einige Web-fähige Module geladen wurden, wird das Menü größer." +msgid "" +"No Web-enabled modules have been loaded. Load modules from IRC (“/msg " +"*status help” and “/msg *status loadmod <module>”). Once you have loaded some Web-enabled modules, the menu will expand." +msgstr "" +"Es wurden keine Web-fähigen Module geladen. Lade Module über IRC (\"/" +"msg *status help\" und \"/msg *status loadmod <module>\"). Sobald einige Web-fähige Module geladen wurden, wird das Menü " +"größer." #: ClientCommand.cpp:51 msgid "You must be connected with a network to use this command" -msgstr "Sie müssen mit einem Netzwerk verbunden sein um diesen Befehl zu verwenden" +msgstr "" +"Sie müssen mit einem Netzwerk verbunden sein um diesen Befehl zu verwenden" #: ClientCommand.cpp:58 msgid "Usage: ListNicks <#chan>" @@ -68,4 +75,3 @@ msgstr "Sie sind nicht in [{1}] (wird versucht)" #: ClientCommand.cpp:79 msgid "No nicks on [{1}]" msgstr "Keine Nicks in [{1}]" - diff --git a/src/po/znc.pot b/src/po/znc.pot index aaa0a103..79a8dc59 100644 --- a/src/po/znc.pot +++ b/src/po/znc.pot @@ -2,7 +2,6 @@ msgid "" msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"Project-Id-Version: znc-bouncer\n" #: webskins/_default_/tmpl/InfoBar.tmpl:6 msgid "Logged in as: {1}" diff --git a/src/po/znc.ru.po b/src/po/znc.ru.po index 57b9e1d1..c175da76 100644 --- a/src/po/znc.ru.po +++ b/src/po/znc.ru.po @@ -3,7 +3,8 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Project-Id-Version: znc-bouncer\n" -"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n" +"%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" @@ -11,7 +12,6 @@ msgstr "" "Last-Translator: DarthGandalf \n" "Language-Team: Russian\n" "Language: ru_RU\n" -"PO-Revision-Date: 2017-12-14 20:23-0500\n" #: webskins/_default_/tmpl/InfoBar.tmpl:6 msgid "Logged in as: {1}" @@ -46,8 +46,15 @@ msgid "Welcome to ZNC's web interface!" msgstr "Добро пожаловать в веб-интерфейс ZNC!" #: webskins/_default_/tmpl/index.tmpl:11 -msgid "No Web-enabled modules have been loaded. Load modules from IRC (“/msg *status help” and “/msg *status loadmod <module>”). Once you have loaded some Web-enabled modules, the menu will expand." -msgstr "Нет загруженных модулей с поддержкой веб-интерфейса. Вы можете загрузить их из IRC («/msg *status help» и «/msg *status loadmod <модуль>»). Когда такие модули будут загружены, они будут доступны в меню сбоку." +msgid "" +"No Web-enabled modules have been loaded. Load modules from IRC (“/msg " +"*status help” and “/msg *status loadmod <module>”). Once you have loaded some Web-enabled modules, the menu will expand." +msgstr "" +"Нет загруженных модулей с поддержкой веб-интерфейса. Вы можете загрузить их " +"из IRC («/msg *status help» и «/msg *status loadmod <" +"модуль>»). Когда такие модули будут загружены, они будут доступны " +"в меню сбоку." #: ClientCommand.cpp:51 msgid "You must be connected with a network to use this command" @@ -68,4 +75,3 @@ msgstr "" #: ClientCommand.cpp:79 msgid "No nicks on [{1}]" msgstr "" - From d2fb22835c533d904daedc529ed93504348e2b25 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Thu, 21 Dec 2017 23:04:45 +0000 Subject: [PATCH 038/798] Update GCC version in readme too. #1422 --- README.md | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/README.md b/README.md index e06df555..b50d539f 100644 --- a/README.md +++ b/README.md @@ -26,7 +26,7 @@ Core: * GNU make * pkg-config -* GCC 4.7 or clang 3.2 +* GCC 4.8 or clang 3.2 * Either of: * autoconf and automake (but only if building from git, not from tarball) * CMake From 90f5392c07a4e3f39ce5a9d453aa6977b835a0d6 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Thu, 21 Dec 2017 23:07:42 +0000 Subject: [PATCH 039/798] Update Csocket submodule, fix #1362 --- third_party/Csocket | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/third_party/Csocket b/third_party/Csocket index 94e21a83..ee413cce 160000 --- a/third_party/Csocket +++ b/third_party/Csocket @@ -1 +1 @@ -Subproject commit 94e21a832d15dde65cab89429b727e9806d54cd5 +Subproject commit ee413cce82ba6382f495f59aaf01b651c329fcc4 From 3d874f6fe49fd08e2605cdceb5847412fe8e3ac9 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Fri, 22 Dec 2017 14:21:10 +0000 Subject: [PATCH 040/798] Update Csocket to fix build with ICU --- third_party/Csocket | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/third_party/Csocket b/third_party/Csocket index ee413cce..ead789c9 160000 --- a/third_party/Csocket +++ b/third_party/Csocket @@ -1 +1 @@ -Subproject commit ee413cce82ba6382f495f59aaf01b651c329fcc4 +Subproject commit ead789c9676e59f2a9ba93bfb0563f3b07770ba4 From 42939c998f7eb73629d4fd2f13c27d2a6fb09dc9 Mon Sep 17 00:00:00 2001 From: Fox Wilson Date: Mon, 18 Dec 2017 23:00:40 -0500 Subject: [PATCH 041/798] Add "AuthOnlyViaModule" global/user setting Setting AuthOnlyViaModule on a user causes CheckPass to never return true, causing all authentication attempts using the configured password to fail, both on IRC connections and for webadmin. This is useful in situations where an external module (cyrusauth, certauth, imapauth) handles authentication. Setting the global AuthOnlyViaModule option causes similar behavior across every user. If AuthOnlyViaModule is set to true globally, it cannot be overridden per-user. Close #1474 Close #331 --- include/znc/User.h | 3 ++ include/znc/znc.h | 3 ++ modules/controlpanel.cpp | 12 ++++++++ modules/data/webadmin/tmpl/add_edit_user.tmpl | 6 ++++ modules/data/webadmin/tmpl/settings.tmpl | 6 ++++ modules/webadmin.cpp | 16 ++++++++++ src/User.cpp | 9 ++++++ src/znc.cpp | 4 +++ test/UserTest.cpp | 30 +++++++++++++++++++ 9 files changed, 89 insertions(+) diff --git a/include/znc/User.h b/include/znc/User.h index 63dea4bc..8a338755 100644 --- a/include/znc/User.h +++ b/include/znc/User.h @@ -150,6 +150,7 @@ class CUser { void SetTimestampFormat(const CString& s) { m_sTimestampFormat = s; } void SetTimestampAppend(bool b) { m_bAppendTimestamp = b; } void SetTimestampPrepend(bool b) { m_bPrependTimestamp = b; } + void SetAuthOnlyViaModule(bool b) { m_bAuthOnlyViaModule = b; } void SetTimezone(const CString& s) { m_sTimezone = s; } void SetJoinTries(unsigned int i) { m_uMaxJoinTries = i; } void SetMaxJoins(unsigned int i) { m_uMaxJoins = i; } @@ -185,6 +186,7 @@ class CUser { bool IsAdmin() const; bool DenySetBindHost() const; bool MultiClients() const; + bool AuthOnlyViaModule() const; const CString& GetStatusPrefix() const; const CString& GetDefaultChanModes() const; /** How long must an IRC connection be idle before ZNC sends a ping */ @@ -250,6 +252,7 @@ class CUser { bool m_bBeingDeleted; bool m_bAppendTimestamp; bool m_bPrependTimestamp; + bool m_bAuthOnlyViaModule; CUserTimer* m_pUserTimer; diff --git a/include/znc/znc.h b/include/znc/znc.h index 80720d3d..4619a2b9 100644 --- a/include/znc/znc.h +++ b/include/znc/znc.h @@ -123,6 +123,7 @@ class CZNC { } void SetProtectWebSessions(bool b) { m_bProtectWebSessions = b; } void SetHideVersion(bool b) { m_bHideVersion = b; } + void SetAuthOnlyViaModule(bool b) { m_bAuthOnlyViaModule = b; } void SetConnectDelay(unsigned int i); void SetSSLCiphers(const CString& sCiphers) { m_sSSLCiphers = sCiphers; } bool SetSSLProtocols(const CString& sProtocols); @@ -166,6 +167,7 @@ class CZNC { unsigned int GetConnectDelay() const { return m_uiConnectDelay; } bool GetProtectWebSessions() const { return m_bProtectWebSessions; } bool GetHideVersion() const { return m_bHideVersion; } + bool GetAuthOnlyViaModule() const { return m_bAuthOnlyViaModule; } CString GetSSLCiphers() const { return m_sSSLCiphers; } CString GetSSLProtocols() const { return m_sSSLProtocols; } Csock::EDisableProtocol GetDisabledSSLProtocols() const { @@ -305,6 +307,7 @@ class CZNC { TCacheMap m_sConnectThrottle; bool m_bProtectWebSessions; bool m_bHideVersion; + bool m_bAuthOnlyViaModule; CTranslationDomainRefHolder m_Translation; unsigned int m_uiConfigWriteDelay; CConfigWriteTimer* m_pConfigTimer; diff --git a/modules/controlpanel.cpp b/modules/controlpanel.cpp index 7eb26422..d2c67910 100644 --- a/modules/controlpanel.cpp +++ b/modules/controlpanel.cpp @@ -108,6 +108,7 @@ class CAdminMod : public CModule { {"Admin", boolean}, {"AppendTimestamp", boolean}, {"PrependTimestamp", boolean}, + {"AuthOnlyViaModule", boolean}, {"TimestampFormat", str}, {"DCCBindHost", str}, {"StatusPrefix", str}, @@ -273,6 +274,9 @@ class CAdminMod : public CModule { else if (sVar == "prependtimestamp") PutModule("PrependTimestamp = " + CString(pUser->GetTimestampPrepend())); + else if (sVar == "authonlyviamodule") + PutModule("AuthOnlyViaModule = " + + CString(pUser->AuthOnlyViaModule())); else if (sVar == "timestampformat") PutModule("TimestampFormat = " + pUser->GetTimestampFormat()); else if (sVar == "dccbindhost") @@ -442,6 +446,14 @@ class CAdminMod : public CModule { bool b = sValue.ToBool(); pUser->SetTimestampAppend(b); PutModule("AppendTimestamp = " + CString(b)); + } else if (sVar == "authonlyviamodule") { + if (GetUser()->IsAdmin()) { + bool b = sValue.ToBool(); + pUser->SetAuthOnlyViaModule(b); + PutModule("AuthOnlyViaModule = " + CString(b)); + } else { + PutModule(t_s("Access denied!")); + } } else if (sVar == "timestampformat") { pUser->SetTimestampFormat(sValue); PutModule("TimestampFormat = " + sValue); diff --git a/modules/data/webadmin/tmpl/add_edit_user.tmpl b/modules/data/webadmin/tmpl/add_edit_user.tmpl index b6c08c86..ce8460ff 100644 --- a/modules/data/webadmin/tmpl/add_edit_user.tmpl +++ b/modules/data/webadmin/tmpl/add_edit_user.tmpl @@ -40,6 +40,12 @@ "/> +
+
+ " + checked="checked" disabled="disabled" /> +

TIME Buy a watch!
" ?> From 0cbe9d783d2c990b1ca0ec7f3159bd55b7477f4f Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Mon, 28 May 2018 21:21:07 +0100 Subject: [PATCH 136/798] Fix error message about wrong module type. Regression from 1.6 --- src/Modules.cpp | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/src/Modules.cpp b/src/Modules.cpp index 4b97cabb..5aec7805 100644 --- a/src/Modules.cpp +++ b/src/Modules.cpp @@ -1656,7 +1656,7 @@ bool CModules::LoadModule(const CString& sModule, const CString& sArgs, if (!Info.SupportsType(eType)) { dlclose(p); - sRetMsg = t_f("Module {1} does not support module type {1}.")( + sRetMsg = t_f("Module {1} does not support module type {2}.")( sModule, CModInfo::ModuleTypeToString(eType)); return false; } From 309eafa6f7a16e3e117ecaabd1f3e1f70132c8b8 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins bot Date: Thu, 31 May 2018 08:40:31 +0100 Subject: [PATCH 137/798] Update translations from Crowdin (#1540) --- modules/po/adminlog.id_ID.po | 69 ++ modules/po/alias.id_ID.po | 123 ++ modules/po/autoattach.id_ID.po | 85 ++ modules/po/autocycle.id_ID.po | 69 ++ modules/po/autoop.id_ID.po | 168 +++ modules/po/autoreply.id_ID.po | 43 + modules/po/autovoice.id_ID.po | 111 ++ modules/po/awaystore.id_ID.po | 110 ++ modules/po/block_motd.id_ID.po | 35 + modules/po/block_motd.ru_RU.po | 2 +- modules/po/blockuser.id_ID.po | 97 ++ modules/po/bouncedcc.id_ID.po | 131 ++ modules/po/buffextras.id_ID.po | 49 + modules/po/cert.id_ID.po | 75 ++ modules/po/certauth.id_ID.po | 108 ++ modules/po/chansaver.id_ID.po | 17 + modules/po/clearbufferonmsg.id_ID.po | 17 + modules/po/clientnotify.id_ID.po | 72 ++ modules/po/controlpanel.id_ID.po | 717 +++++++++++ modules/po/crypt.id_ID.po | 143 +++ modules/po/ctcpflood.id_ID.po | 67 + modules/po/cyrusauth.id_ID.po | 73 ++ modules/po/dcc.id_ID.po | 227 ++++ modules/po/dcc.ru_RU.po | 10 +- modules/po/disconkick.id_ID.po | 23 + modules/po/fail2ban.id_ID.po | 117 ++ modules/po/flooddetach.id_ID.po | 89 ++ modules/po/identfile.id_ID.po | 83 ++ modules/po/imapauth.id_ID.po | 21 + modules/po/keepnick.id_ID.po | 53 + modules/po/kickrejoin.id_ID.po | 59 + modules/po/kickrejoin.ru_RU.po | 2 +- modules/po/lastseen.id_ID.po | 67 + modules/po/listsockets.id_ID.po | 113 ++ modules/po/log.id_ID.po | 147 +++ modules/po/missingmotd.id_ID.po | 17 + modules/po/modperl.id_ID.po | 17 + modules/po/modpython.id_ID.po | 17 + modules/po/modules_online.id_ID.po | 17 + modules/po/nickserv.id_ID.po | 75 ++ modules/po/notes.id_ID.po | 119 ++ modules/po/notify_connect.id_ID.po | 29 + modules/po/partyline.id_ID.po | 39 + modules/po/perform.id_ID.po | 108 ++ modules/po/perleval.id_ID.po | 31 + modules/po/pyeval.id_ID.po | 21 + modules/po/q.id_ID.po | 296 +++++ modules/po/raw.id_ID.po | 17 + modules/po/route_replies.id_ID.po | 59 + modules/po/sample.id_ID.po | 118 ++ modules/po/samplewebapi.id_ID.po | 17 + modules/po/sasl.id_ID.po | 174 +++ modules/po/savebuff.id_ID.po | 62 + modules/po/send_raw.id_ID.po | 109 ++ modules/po/send_raw.ru_RU.po | 2 +- modules/po/shell.id_ID.po | 29 + modules/po/shell.ru_RU.po | 4 +- modules/po/simple_away.id_ID.po | 90 ++ modules/po/stickychan.id_ID.po | 102 ++ modules/po/stripcontrols.id_ID.po | 18 + modules/po/watch.id_ID.po | 249 ++++ modules/po/webadmin.id_ID.po | 1209 ++++++++++++++++++ modules/po/webadmin.ru_RU.po | 2 +- src/po/znc.de_DE.po | 36 +- src/po/znc.es_ES.po | 4 +- src/po/znc.id_ID.po | 1725 ++++++++++++++++++++++++++ src/po/znc.pot | 2 +- src/po/znc.pt_BR.po | 2 +- src/po/znc.ru_RU.po | 262 ++-- 69 files changed, 8317 insertions(+), 153 deletions(-) create mode 100644 modules/po/adminlog.id_ID.po create mode 100644 modules/po/alias.id_ID.po create mode 100644 modules/po/autoattach.id_ID.po create mode 100644 modules/po/autocycle.id_ID.po create mode 100644 modules/po/autoop.id_ID.po create mode 100644 modules/po/autoreply.id_ID.po create mode 100644 modules/po/autovoice.id_ID.po create mode 100644 modules/po/awaystore.id_ID.po create mode 100644 modules/po/block_motd.id_ID.po create mode 100644 modules/po/blockuser.id_ID.po create mode 100644 modules/po/bouncedcc.id_ID.po create mode 100644 modules/po/buffextras.id_ID.po create mode 100644 modules/po/cert.id_ID.po create mode 100644 modules/po/certauth.id_ID.po create mode 100644 modules/po/chansaver.id_ID.po create mode 100644 modules/po/clearbufferonmsg.id_ID.po create mode 100644 modules/po/clientnotify.id_ID.po create mode 100644 modules/po/controlpanel.id_ID.po create mode 100644 modules/po/crypt.id_ID.po create mode 100644 modules/po/ctcpflood.id_ID.po create mode 100644 modules/po/cyrusauth.id_ID.po create mode 100644 modules/po/dcc.id_ID.po create mode 100644 modules/po/disconkick.id_ID.po create mode 100644 modules/po/fail2ban.id_ID.po create mode 100644 modules/po/flooddetach.id_ID.po create mode 100644 modules/po/identfile.id_ID.po create mode 100644 modules/po/imapauth.id_ID.po create mode 100644 modules/po/keepnick.id_ID.po create mode 100644 modules/po/kickrejoin.id_ID.po create mode 100644 modules/po/lastseen.id_ID.po create mode 100644 modules/po/listsockets.id_ID.po create mode 100644 modules/po/log.id_ID.po create mode 100644 modules/po/missingmotd.id_ID.po create mode 100644 modules/po/modperl.id_ID.po create mode 100644 modules/po/modpython.id_ID.po create mode 100644 modules/po/modules_online.id_ID.po create mode 100644 modules/po/nickserv.id_ID.po create mode 100644 modules/po/notes.id_ID.po create mode 100644 modules/po/notify_connect.id_ID.po create mode 100644 modules/po/partyline.id_ID.po create mode 100644 modules/po/perform.id_ID.po create mode 100644 modules/po/perleval.id_ID.po create mode 100644 modules/po/pyeval.id_ID.po create mode 100644 modules/po/q.id_ID.po create mode 100644 modules/po/raw.id_ID.po create mode 100644 modules/po/route_replies.id_ID.po create mode 100644 modules/po/sample.id_ID.po create mode 100644 modules/po/samplewebapi.id_ID.po create mode 100644 modules/po/sasl.id_ID.po create mode 100644 modules/po/savebuff.id_ID.po create mode 100644 modules/po/send_raw.id_ID.po create mode 100644 modules/po/shell.id_ID.po create mode 100644 modules/po/simple_away.id_ID.po create mode 100644 modules/po/stickychan.id_ID.po create mode 100644 modules/po/stripcontrols.id_ID.po create mode 100644 modules/po/watch.id_ID.po create mode 100644 modules/po/webadmin.id_ID.po create mode 100644 src/po/znc.id_ID.po diff --git a/modules/po/adminlog.id_ID.po b/modules/po/adminlog.id_ID.po new file mode 100644 index 00000000..5e25b33b --- /dev/null +++ b/modules/po/adminlog.id_ID.po @@ -0,0 +1,69 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=1; plural=0;\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: id\n" +"X-Crowdin-File: /1.7.x/modules/po/adminlog.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Indonesian\n" +"Language: id_ID\n" + +#: adminlog.cpp:29 +msgid "Show the logging target" +msgstr "" + +#: adminlog.cpp:31 +msgid " [path]" +msgstr "" + +#: adminlog.cpp:32 +msgid "Set the logging target" +msgstr "" + +#: adminlog.cpp:142 +msgid "Access denied" +msgstr "" + +#: adminlog.cpp:156 +msgid "Now logging to file" +msgstr "" + +#: adminlog.cpp:160 +msgid "Now only logging to syslog" +msgstr "" + +#: adminlog.cpp:164 +msgid "Now logging to syslog and file" +msgstr "" + +#: adminlog.cpp:168 +msgid "Usage: Target [path]" +msgstr "" + +#: adminlog.cpp:170 +msgid "Unknown target" +msgstr "" + +#: adminlog.cpp:192 +msgid "Logging is enabled for file" +msgstr "" + +#: adminlog.cpp:195 +msgid "Logging is enabled for syslog" +msgstr "" + +#: adminlog.cpp:198 +msgid "Logging is enabled for both, file and syslog" +msgstr "" + +#: adminlog.cpp:204 +msgid "Log file will be written to {1}" +msgstr "" + +#: adminlog.cpp:222 +msgid "Log ZNC events to file and/or syslog." +msgstr "" diff --git a/modules/po/alias.id_ID.po b/modules/po/alias.id_ID.po new file mode 100644 index 00000000..0cc94a22 --- /dev/null +++ b/modules/po/alias.id_ID.po @@ -0,0 +1,123 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=1; plural=0;\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: id\n" +"X-Crowdin-File: /1.7.x/modules/po/alias.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Indonesian\n" +"Language: id_ID\n" + +#: alias.cpp:141 +msgid "missing required parameter: {1}" +msgstr "" + +#: alias.cpp:201 +msgid "Created alias: {1}" +msgstr "" + +#: alias.cpp:203 +msgid "Alias already exists." +msgstr "" + +#: alias.cpp:210 +msgid "Deleted alias: {1}" +msgstr "" + +#: alias.cpp:213 alias.cpp:224 alias.cpp:246 alias.cpp:265 alias.cpp:276 +#: alias.cpp:333 +msgid "Alias does not exist." +msgstr "" + +#: alias.cpp:222 alias.cpp:244 alias.cpp:263 alias.cpp:274 +msgid "Modified alias." +msgstr "" + +#: alias.cpp:236 alias.cpp:256 +msgid "Invalid index." +msgstr "" + +#: alias.cpp:282 alias.cpp:298 +msgid "There are no aliases." +msgstr "" + +#: alias.cpp:289 +msgid "The following aliases exist: {1}" +msgstr "" + +#: alias.cpp:290 +msgctxt "list|separator" +msgid ", " +msgstr "" + +#: alias.cpp:324 +msgid "Actions for alias {1}:" +msgstr "" + +#: alias.cpp:331 +msgid "End of actions for alias {1}." +msgstr "" + +#: alias.cpp:338 alias.cpp:341 alias.cpp:352 alias.cpp:357 +msgid "" +msgstr "" + +#: alias.cpp:339 +msgid "Creates a new, blank alias called name." +msgstr "" + +#: alias.cpp:341 +msgid "Deletes an existing alias." +msgstr "" + +#: alias.cpp:343 +msgid " " +msgstr "" + +#: alias.cpp:344 +msgid "Adds a line to an existing alias." +msgstr "" + +#: alias.cpp:346 +msgid " " +msgstr "" + +#: alias.cpp:347 +msgid "Inserts a line into an existing alias." +msgstr "" + +#: alias.cpp:349 +msgid " " +msgstr "" + +#: alias.cpp:350 +msgid "Removes a line from an existing alias." +msgstr "" + +#: alias.cpp:353 +msgid "Removes all lines from an existing alias." +msgstr "" + +#: alias.cpp:355 +msgid "Lists all aliases by name." +msgstr "" + +#: alias.cpp:358 +msgid "Reports the actions performed by an alias." +msgstr "" + +#: alias.cpp:362 +msgid "Generate a list of commands to copy your alias config." +msgstr "" + +#: alias.cpp:374 +msgid "Clearing all of them!" +msgstr "" + +#: alias.cpp:409 +msgid "Provides bouncer-side command alias support." +msgstr "" diff --git a/modules/po/autoattach.id_ID.po b/modules/po/autoattach.id_ID.po new file mode 100644 index 00000000..d9edfd7a --- /dev/null +++ b/modules/po/autoattach.id_ID.po @@ -0,0 +1,85 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=1; plural=0;\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: id\n" +"X-Crowdin-File: /1.7.x/modules/po/autoattach.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Indonesian\n" +"Language: id_ID\n" + +#: autoattach.cpp:94 +msgid "Added to list" +msgstr "" + +#: autoattach.cpp:96 +msgid "{1} is already added" +msgstr "" + +#: autoattach.cpp:100 +msgid "Usage: Add [!]<#chan> " +msgstr "" + +#: autoattach.cpp:101 +msgid "Wildcards are allowed" +msgstr "" + +#: autoattach.cpp:113 +msgid "Removed {1} from list" +msgstr "" + +#: autoattach.cpp:115 +msgid "Usage: Del [!]<#chan> " +msgstr "" + +#: autoattach.cpp:121 autoattach.cpp:129 +msgid "Neg" +msgstr "" + +#: autoattach.cpp:122 autoattach.cpp:130 +msgid "Chan" +msgstr "" + +#: autoattach.cpp:123 autoattach.cpp:131 +msgid "Search" +msgstr "" + +#: autoattach.cpp:124 autoattach.cpp:132 +msgid "Host" +msgstr "" + +#: autoattach.cpp:138 +msgid "You have no entries." +msgstr "" + +#: autoattach.cpp:146 autoattach.cpp:149 +msgid "[!]<#chan> " +msgstr "" + +#: autoattach.cpp:147 +msgid "Add an entry, use !#chan to negate and * for wildcards" +msgstr "" + +#: autoattach.cpp:150 +msgid "Remove an entry, needs to be an exact match" +msgstr "" + +#: autoattach.cpp:152 +msgid "List all entries" +msgstr "" + +#: autoattach.cpp:171 +msgid "Unable to add [{1}]" +msgstr "" + +#: autoattach.cpp:283 +msgid "List of channel masks and channel masks with ! before them." +msgstr "" + +#: autoattach.cpp:286 +msgid "Reattaches you to channels on activity." +msgstr "" diff --git a/modules/po/autocycle.id_ID.po b/modules/po/autocycle.id_ID.po new file mode 100644 index 00000000..67335d58 --- /dev/null +++ b/modules/po/autocycle.id_ID.po @@ -0,0 +1,69 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=1; plural=0;\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: id\n" +"X-Crowdin-File: /1.7.x/modules/po/autocycle.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Indonesian\n" +"Language: id_ID\n" + +#: autocycle.cpp:27 autocycle.cpp:30 +msgid "[!]<#chan>" +msgstr "" + +#: autocycle.cpp:28 +msgid "Add an entry, use !#chan to negate and * for wildcards" +msgstr "" + +#: autocycle.cpp:31 +msgid "Remove an entry, needs to be an exact match" +msgstr "" + +#: autocycle.cpp:33 +msgid "List all entries" +msgstr "" + +#: autocycle.cpp:46 +msgid "Unable to add {1}" +msgstr "" + +#: autocycle.cpp:66 +msgid "{1} is already added" +msgstr "" + +#: autocycle.cpp:68 +msgid "Added {1} to list" +msgstr "" + +#: autocycle.cpp:70 +msgid "Usage: Add [!]<#chan>" +msgstr "" + +#: autocycle.cpp:78 +msgid "Removed {1} from list" +msgstr "" + +#: autocycle.cpp:80 +msgid "Usage: Del [!]<#chan>" +msgstr "" + +#: autocycle.cpp:85 autocycle.cpp:89 autocycle.cpp:94 +msgid "Channel" +msgstr "" + +#: autocycle.cpp:100 +msgid "You have no entries." +msgstr "" + +#: autocycle.cpp:229 +msgid "List of channel masks and channel masks with ! before them." +msgstr "" + +#: autocycle.cpp:234 +msgid "Rejoins channels to gain Op if you're the only user left" +msgstr "" diff --git a/modules/po/autoop.id_ID.po b/modules/po/autoop.id_ID.po new file mode 100644 index 00000000..a15bbcf9 --- /dev/null +++ b/modules/po/autoop.id_ID.po @@ -0,0 +1,168 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=1; plural=0;\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: id\n" +"X-Crowdin-File: /1.7.x/modules/po/autoop.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Indonesian\n" +"Language: id_ID\n" + +#: autoop.cpp:154 +msgid "List all users" +msgstr "" + +#: autoop.cpp:156 autoop.cpp:159 +msgid " [channel] ..." +msgstr "" + +#: autoop.cpp:157 +msgid "Adds channels to a user" +msgstr "" + +#: autoop.cpp:160 +msgid "Removes channels from a user" +msgstr "" + +#: autoop.cpp:162 autoop.cpp:165 +msgid " ,[mask] ..." +msgstr "" + +#: autoop.cpp:163 +msgid "Adds masks to a user" +msgstr "" + +#: autoop.cpp:166 +msgid "Removes masks from a user" +msgstr "" + +#: autoop.cpp:169 +msgid " [,...] [channels]" +msgstr "" + +#: autoop.cpp:170 +msgid "Adds a user" +msgstr "" + +#: autoop.cpp:172 +msgid "" +msgstr "" + +#: autoop.cpp:172 +msgid "Removes a user" +msgstr "" + +#: autoop.cpp:275 +msgid "Usage: AddUser [,...] [channels]" +msgstr "" + +#: autoop.cpp:291 +msgid "Usage: DelUser " +msgstr "" + +#: autoop.cpp:300 +msgid "There are no users defined" +msgstr "" + +#: autoop.cpp:306 autoop.cpp:317 autoop.cpp:321 autoop.cpp:323 +msgid "User" +msgstr "" + +#: autoop.cpp:307 autoop.cpp:325 +msgid "Hostmasks" +msgstr "" + +#: autoop.cpp:308 autoop.cpp:318 +msgid "Key" +msgstr "" + +#: autoop.cpp:309 autoop.cpp:319 +msgid "Channels" +msgstr "" + +#: autoop.cpp:337 +msgid "Usage: AddChans [channel] ..." +msgstr "" + +#: autoop.cpp:344 autoop.cpp:365 autoop.cpp:387 autoop.cpp:408 autoop.cpp:472 +msgid "No such user" +msgstr "" + +#: autoop.cpp:349 +msgid "Channel(s) added to user {1}" +msgstr "" + +#: autoop.cpp:358 +msgid "Usage: DelChans [channel] ..." +msgstr "" + +#: autoop.cpp:371 +msgid "Channel(s) Removed from user {1}" +msgstr "" + +#: autoop.cpp:380 +msgid "Usage: AddMasks ,[mask] ..." +msgstr "" + +#: autoop.cpp:392 +msgid "Hostmasks(s) added to user {1}" +msgstr "" + +#: autoop.cpp:401 +msgid "Usage: DelMasks ,[mask] ..." +msgstr "" + +#: autoop.cpp:413 +msgid "Removed user {1} with key {2} and channels {3}" +msgstr "" + +#: autoop.cpp:419 +msgid "Hostmasks(s) Removed from user {1}" +msgstr "" + +#: autoop.cpp:478 +msgid "User {1} removed" +msgstr "" + +#: autoop.cpp:484 +msgid "That user already exists" +msgstr "" + +#: autoop.cpp:490 +msgid "User {1} added with hostmask(s) {2}" +msgstr "" + +#: autoop.cpp:532 +msgid "" +"[{1}] sent us a challenge but they are not opped in any defined channels." +msgstr "" + +#: autoop.cpp:536 +msgid "[{1}] sent us a challenge but they do not match a defined user." +msgstr "" + +#: autoop.cpp:544 +msgid "WARNING! [{1}] sent an invalid challenge." +msgstr "" + +#: autoop.cpp:560 +msgid "[{1}] sent an unchallenged response. This could be due to lag." +msgstr "" + +#: autoop.cpp:577 +msgid "" +"WARNING! [{1}] sent a bad response. Please verify that you have their " +"correct password." +msgstr "" + +#: autoop.cpp:586 +msgid "WARNING! [{1}] sent a response but did not match any defined users." +msgstr "" + +#: autoop.cpp:644 +msgid "Auto op the good people" +msgstr "" diff --git a/modules/po/autoreply.id_ID.po b/modules/po/autoreply.id_ID.po new file mode 100644 index 00000000..f8f7c199 --- /dev/null +++ b/modules/po/autoreply.id_ID.po @@ -0,0 +1,43 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=1; plural=0;\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: id\n" +"X-Crowdin-File: /1.7.x/modules/po/autoreply.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Indonesian\n" +"Language: id_ID\n" + +#: autoreply.cpp:25 +msgid "" +msgstr "" + +#: autoreply.cpp:25 +msgid "Sets a new reply" +msgstr "" + +#: autoreply.cpp:27 +msgid "Displays the current query reply" +msgstr "" + +#: autoreply.cpp:75 +msgid "Current reply is: {1} ({2})" +msgstr "" + +#: autoreply.cpp:81 +msgid "New reply set to: {1} ({2})" +msgstr "" + +#: autoreply.cpp:94 +msgid "" +"You might specify a reply text. It is used when automatically answering " +"queries, if you are not connected to ZNC." +msgstr "" + +#: autoreply.cpp:98 +msgid "Reply to queries when you are away" +msgstr "" diff --git a/modules/po/autovoice.id_ID.po b/modules/po/autovoice.id_ID.po new file mode 100644 index 00000000..9e00cb62 --- /dev/null +++ b/modules/po/autovoice.id_ID.po @@ -0,0 +1,111 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=1; plural=0;\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: id\n" +"X-Crowdin-File: /1.7.x/modules/po/autovoice.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Indonesian\n" +"Language: id_ID\n" + +#: autovoice.cpp:120 +msgid "List all users" +msgstr "" + +#: autovoice.cpp:122 autovoice.cpp:125 +msgid " [channel] ..." +msgstr "" + +#: autovoice.cpp:123 +msgid "Adds channels to a user" +msgstr "" + +#: autovoice.cpp:126 +msgid "Removes channels from a user" +msgstr "" + +#: autovoice.cpp:128 +msgid " [channels]" +msgstr "" + +#: autovoice.cpp:129 +msgid "Adds a user" +msgstr "" + +#: autovoice.cpp:131 +msgid "" +msgstr "" + +#: autovoice.cpp:131 +msgid "Removes a user" +msgstr "" + +#: autovoice.cpp:215 +msgid "Usage: AddUser [channels]" +msgstr "" + +#: autovoice.cpp:229 +msgid "Usage: DelUser " +msgstr "" + +#: autovoice.cpp:238 +msgid "There are no users defined" +msgstr "" + +#: autovoice.cpp:244 autovoice.cpp:250 +msgid "User" +msgstr "" + +#: autovoice.cpp:245 autovoice.cpp:251 +msgid "Hostmask" +msgstr "" + +#: autovoice.cpp:246 autovoice.cpp:252 +msgid "Channels" +msgstr "" + +#: autovoice.cpp:263 +msgid "Usage: AddChans [channel] ..." +msgstr "" + +#: autovoice.cpp:270 autovoice.cpp:292 autovoice.cpp:329 +msgid "No such user" +msgstr "" + +#: autovoice.cpp:275 +msgid "Channel(s) added to user {1}" +msgstr "" + +#: autovoice.cpp:285 +msgid "Usage: DelChans [channel] ..." +msgstr "" + +#: autovoice.cpp:298 +msgid "Channel(s) Removed from user {1}" +msgstr "" + +#: autovoice.cpp:335 +msgid "User {1} removed" +msgstr "" + +#: autovoice.cpp:341 +msgid "That user already exists" +msgstr "" + +#: autovoice.cpp:347 +msgid "User {1} added with hostmask {2}" +msgstr "" + +#: autovoice.cpp:360 +msgid "" +"Each argument is either a channel you want autovoice for (which can include " +"wildcards) or, if it starts with !, it is an exception for autovoice." +msgstr "" + +#: autovoice.cpp:365 +msgid "Auto voice the good people" +msgstr "" diff --git a/modules/po/awaystore.id_ID.po b/modules/po/awaystore.id_ID.po new file mode 100644 index 00000000..e0d3a5fc --- /dev/null +++ b/modules/po/awaystore.id_ID.po @@ -0,0 +1,110 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=1; plural=0;\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: id\n" +"X-Crowdin-File: /1.7.x/modules/po/awaystore.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Indonesian\n" +"Language: id_ID\n" + +#: awaystore.cpp:67 +msgid "You have been marked as away" +msgstr "" + +#: awaystore.cpp:78 awaystore.cpp:385 awaystore.cpp:388 +msgid "Welcome back!" +msgstr "" + +#: awaystore.cpp:100 +msgid "Deleted {1} messages" +msgstr "" + +#: awaystore.cpp:104 +msgid "USAGE: delete " +msgstr "" + +#: awaystore.cpp:109 +msgid "Illegal message # requested" +msgstr "" + +#: awaystore.cpp:113 +msgid "Message erased" +msgstr "" + +#: awaystore.cpp:122 +msgid "Messages saved to disk" +msgstr "" + +#: awaystore.cpp:124 +msgid "There are no messages to save" +msgstr "" + +#: awaystore.cpp:135 +msgid "Password updated to [{1}]" +msgstr "" + +#: awaystore.cpp:147 +msgid "Corrupt message! [{1}]" +msgstr "" + +#: awaystore.cpp:159 +msgid "Corrupt time stamp! [{1}]" +msgstr "" + +#: awaystore.cpp:178 +msgid "#--- End of messages" +msgstr "" + +#: awaystore.cpp:183 +msgid "Timer set to 300 seconds" +msgstr "" + +#: awaystore.cpp:188 awaystore.cpp:197 +msgid "Timer disabled" +msgstr "" + +#: awaystore.cpp:199 +msgid "Timer set to {1} seconds" +msgstr "" + +#: awaystore.cpp:203 +msgid "Current timer setting: {1} seconds" +msgstr "" + +#: awaystore.cpp:278 +msgid "This module needs as an argument a keyphrase used for encryption" +msgstr "" + +#: awaystore.cpp:285 +msgid "" +"Failed to decrypt your saved messages - Did you give the right encryption " +"key as an argument to this module?" +msgstr "" + +#: awaystore.cpp:386 awaystore.cpp:389 +msgid "You have {1} messages!" +msgstr "" + +#: awaystore.cpp:456 +msgid "Unable to find buffer" +msgstr "" + +#: awaystore.cpp:469 +msgid "Unable to decode encrypted messages" +msgstr "" + +#: awaystore.cpp:516 +msgid "" +"[ -notimer | -timer N ] [-chans] passw0rd . N is number of seconds, 600 by " +"default." +msgstr "" + +#: awaystore.cpp:521 +msgid "" +"Adds auto-away with logging, useful when you use ZNC from different locations" +msgstr "" diff --git a/modules/po/block_motd.id_ID.po b/modules/po/block_motd.id_ID.po new file mode 100644 index 00000000..4100cf66 --- /dev/null +++ b/modules/po/block_motd.id_ID.po @@ -0,0 +1,35 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=1; plural=0;\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: id\n" +"X-Crowdin-File: /1.7.x/modules/po/block_motd.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Indonesian\n" +"Language: id_ID\n" + +#: block_motd.cpp:26 +msgid "[]" +msgstr "" + +#: block_motd.cpp:27 +msgid "" +"Override the block with this command. Can optionally specify which server to " +"query." +msgstr "" + +#: block_motd.cpp:36 +msgid "You are not connected to an IRC Server." +msgstr "" + +#: block_motd.cpp:58 +msgid "MOTD blocked by ZNC" +msgstr "" + +#: block_motd.cpp:104 +msgid "Block the MOTD from IRC so it's not sent to your client(s)." +msgstr "" diff --git a/modules/po/block_motd.ru_RU.po b/modules/po/block_motd.ru_RU.po index 45ec6d2a..aab9735b 100644 --- a/modules/po/block_motd.ru_RU.po +++ b/modules/po/block_motd.ru_RU.po @@ -16,7 +16,7 @@ msgstr "" #: block_motd.cpp:26 msgid "[]" -msgstr "[]" +msgstr "[<сервер>]" #: block_motd.cpp:27 msgid "" diff --git a/modules/po/blockuser.id_ID.po b/modules/po/blockuser.id_ID.po new file mode 100644 index 00000000..8c17cd7b --- /dev/null +++ b/modules/po/blockuser.id_ID.po @@ -0,0 +1,97 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=1; plural=0;\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: id\n" +"X-Crowdin-File: /1.7.x/modules/po/blockuser.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Indonesian\n" +"Language: id_ID\n" + +#: modules/po/../data/blockuser/tmpl/blockuser_WebadminUser.tmpl:9 +msgid "Account is blocked" +msgstr "" + +#: blockuser.cpp:23 +msgid "Your account has been disabled. Contact your administrator." +msgstr "" + +#: blockuser.cpp:29 +msgid "List blocked users" +msgstr "" + +#: blockuser.cpp:31 blockuser.cpp:33 +msgid "" +msgstr "" + +#: blockuser.cpp:31 +msgid "Block a user" +msgstr "" + +#: blockuser.cpp:33 +msgid "Unblock a user" +msgstr "" + +#: blockuser.cpp:55 +msgid "Could not block {1}" +msgstr "" + +#: blockuser.cpp:76 +msgid "Access denied" +msgstr "" + +#: blockuser.cpp:85 +msgid "No users are blocked" +msgstr "" + +#: blockuser.cpp:88 +msgid "Blocked users:" +msgstr "" + +#: blockuser.cpp:100 +msgid "Usage: Block " +msgstr "" + +#: blockuser.cpp:105 blockuser.cpp:147 +msgid "You can't block yourself" +msgstr "" + +#: blockuser.cpp:110 blockuser.cpp:152 +msgid "Blocked {1}" +msgstr "" + +#: blockuser.cpp:112 +msgid "Could not block {1} (misspelled?)" +msgstr "" + +#: blockuser.cpp:120 +msgid "Usage: Unblock " +msgstr "" + +#: blockuser.cpp:125 blockuser.cpp:161 +msgid "Unblocked {1}" +msgstr "" + +#: blockuser.cpp:127 +msgid "This user is not blocked" +msgstr "" + +#: blockuser.cpp:155 +msgid "Couldn't block {1}" +msgstr "" + +#: blockuser.cpp:164 +msgid "User {1} is not blocked" +msgstr "" + +#: blockuser.cpp:216 +msgid "Enter one or more user names. Separate them by spaces." +msgstr "" + +#: blockuser.cpp:219 +msgid "Block certain users from logging in." +msgstr "" diff --git a/modules/po/bouncedcc.id_ID.po b/modules/po/bouncedcc.id_ID.po new file mode 100644 index 00000000..86c23506 --- /dev/null +++ b/modules/po/bouncedcc.id_ID.po @@ -0,0 +1,131 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=1; plural=0;\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: id\n" +"X-Crowdin-File: /1.7.x/modules/po/bouncedcc.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Indonesian\n" +"Language: id_ID\n" + +#: bouncedcc.cpp:101 bouncedcc.cpp:119 bouncedcc.cpp:121 +msgctxt "list" +msgid "Type" +msgstr "" + +#: bouncedcc.cpp:102 bouncedcc.cpp:132 +msgctxt "list" +msgid "State" +msgstr "" + +#: bouncedcc.cpp:103 +msgctxt "list" +msgid "Speed" +msgstr "" + +#: bouncedcc.cpp:104 bouncedcc.cpp:115 +msgctxt "list" +msgid "Nick" +msgstr "" + +#: bouncedcc.cpp:105 bouncedcc.cpp:116 +msgctxt "list" +msgid "IP" +msgstr "" + +#: bouncedcc.cpp:106 bouncedcc.cpp:122 +msgctxt "list" +msgid "File" +msgstr "" + +#: bouncedcc.cpp:119 +msgctxt "list" +msgid "Chat" +msgstr "" + +#: bouncedcc.cpp:121 +msgctxt "list" +msgid "Xfer" +msgstr "" + +#: bouncedcc.cpp:125 +msgid "Waiting" +msgstr "" + +#: bouncedcc.cpp:127 +msgid "Halfway" +msgstr "" + +#: bouncedcc.cpp:129 +msgid "Connected" +msgstr "" + +#: bouncedcc.cpp:137 +msgid "You have no active DCCs." +msgstr "" + +#: bouncedcc.cpp:148 +msgid "Use client IP: {1}" +msgstr "" + +#: bouncedcc.cpp:153 +msgid "List all active DCCs" +msgstr "" + +#: bouncedcc.cpp:156 +msgid "Change the option to use IP of client" +msgstr "" + +#: bouncedcc.cpp:383 bouncedcc.cpp:412 bouncedcc.cpp:436 bouncedcc.cpp:451 +msgctxt "type" +msgid "Chat" +msgstr "" + +#: bouncedcc.cpp:383 bouncedcc.cpp:412 bouncedcc.cpp:436 bouncedcc.cpp:451 +msgctxt "type" +msgid "Xfer" +msgstr "" + +#: bouncedcc.cpp:385 +msgid "DCC {1} Bounce ({2}): Too long line received" +msgstr "" + +#: bouncedcc.cpp:418 +msgid "DCC {1} Bounce ({2}): Timeout while connecting to {3} {4}" +msgstr "" + +#: bouncedcc.cpp:422 +msgid "DCC {1} Bounce ({2}): Timeout while connecting." +msgstr "" + +#: bouncedcc.cpp:427 +msgid "" +"DCC {1} Bounce ({2}): Timeout while waiting for incoming connection on {3} " +"{4}" +msgstr "" + +#: bouncedcc.cpp:440 +msgid "DCC {1} Bounce ({2}): Connection refused while connecting to {3} {4}" +msgstr "" + +#: bouncedcc.cpp:444 +msgid "DCC {1} Bounce ({2}): Connection refused while connecting." +msgstr "" + +#: bouncedcc.cpp:457 bouncedcc.cpp:465 +msgid "DCC {1} Bounce ({2}): Socket error on {3} {4}: {5}" +msgstr "" + +#: bouncedcc.cpp:460 +msgid "DCC {1} Bounce ({2}): Socket error: {3}" +msgstr "" + +#: bouncedcc.cpp:547 +msgid "" +"Bounces DCC transfers through ZNC instead of sending them directly to the " +"user. " +msgstr "" diff --git a/modules/po/buffextras.id_ID.po b/modules/po/buffextras.id_ID.po new file mode 100644 index 00000000..a89b9ddd --- /dev/null +++ b/modules/po/buffextras.id_ID.po @@ -0,0 +1,49 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=1; plural=0;\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: id\n" +"X-Crowdin-File: /1.7.x/modules/po/buffextras.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Indonesian\n" +"Language: id_ID\n" + +#: buffextras.cpp:45 +msgid "Server" +msgstr "" + +#: buffextras.cpp:47 +msgid "{1} set mode: {2} {3}" +msgstr "" + +#: buffextras.cpp:55 +msgid "{1} kicked {2} with reason: {3}" +msgstr "" + +#: buffextras.cpp:64 +msgid "{1} quit: {2}" +msgstr "" + +#: buffextras.cpp:73 +msgid "{1} joined" +msgstr "" + +#: buffextras.cpp:81 +msgid "{1} parted: {2}" +msgstr "" + +#: buffextras.cpp:90 +msgid "{1} is now known as {2}" +msgstr "" + +#: buffextras.cpp:100 +msgid "{1} changed the topic to: {2}" +msgstr "" + +#: buffextras.cpp:115 +msgid "Adds joins, parts etc. to the playback buffer" +msgstr "" diff --git a/modules/po/cert.id_ID.po b/modules/po/cert.id_ID.po new file mode 100644 index 00000000..d41f4fc5 --- /dev/null +++ b/modules/po/cert.id_ID.po @@ -0,0 +1,75 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=1; plural=0;\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: id\n" +"X-Crowdin-File: /1.7.x/modules/po/cert.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Indonesian\n" +"Language: id_ID\n" + +# this text is inserted into `click here` in the other string +#: modules/po/../data/cert/tmpl/index.tmpl:5 +msgid "here" +msgstr "" + +# {1} is `here`, translateable in the other string +#: modules/po/../data/cert/tmpl/index.tmpl:6 +msgid "" +"You already have a certificate set, use the form below to overwrite the " +"current certificate. Alternatively click {1} to delete your certificate." +msgstr "" + +#: modules/po/../data/cert/tmpl/index.tmpl:8 +msgid "You do not have a certificate yet." +msgstr "" + +#: modules/po/../data/cert/tmpl/index.tmpl:14 cert.cpp:72 +msgid "Certificate" +msgstr "" + +#: modules/po/../data/cert/tmpl/index.tmpl:18 +msgid "PEM File:" +msgstr "" + +#: modules/po/../data/cert/tmpl/index.tmpl:22 +msgid "Update" +msgstr "" + +#: cert.cpp:28 +msgid "Pem file deleted" +msgstr "" + +#: cert.cpp:31 +msgid "The pem file doesn't exist or there was a error deleting the pem file." +msgstr "" + +#: cert.cpp:38 +msgid "You have a certificate in {1}" +msgstr "" + +#: cert.cpp:41 +msgid "" +"You do not have a certificate. Please use the web interface to add a " +"certificate" +msgstr "" + +#: cert.cpp:44 +msgid "Alternatively you can either place one at {1}" +msgstr "" + +#: cert.cpp:52 +msgid "Delete the current certificate" +msgstr "" + +#: cert.cpp:54 +msgid "Show the current certificate" +msgstr "" + +#: cert.cpp:105 +msgid "Use a ssl certificate to connect to a server" +msgstr "" diff --git a/modules/po/certauth.id_ID.po b/modules/po/certauth.id_ID.po new file mode 100644 index 00000000..1150c5ee --- /dev/null +++ b/modules/po/certauth.id_ID.po @@ -0,0 +1,108 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=1; plural=0;\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: id\n" +"X-Crowdin-File: /1.7.x/modules/po/certauth.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Indonesian\n" +"Language: id_ID\n" + +#: modules/po/../data/certauth/tmpl/index.tmpl:7 +msgid "Add a key" +msgstr "" + +#: modules/po/../data/certauth/tmpl/index.tmpl:11 +msgid "Key:" +msgstr "" + +#: modules/po/../data/certauth/tmpl/index.tmpl:15 +msgid "Add Key" +msgstr "" + +#: modules/po/../data/certauth/tmpl/index.tmpl:23 +msgid "You have no keys." +msgstr "" + +#: modules/po/../data/certauth/tmpl/index.tmpl:30 +msgctxt "web" +msgid "Key" +msgstr "" + +#: modules/po/../data/certauth/tmpl/index.tmpl:36 +msgid "del" +msgstr "" + +#: certauth.cpp:31 +msgid "[pubkey]" +msgstr "" + +#: certauth.cpp:32 +msgid "Add a public key. If key is not provided will use the current key" +msgstr "" + +#: certauth.cpp:35 +msgid "id" +msgstr "" + +#: certauth.cpp:35 +msgid "Delete a key by its number in List" +msgstr "" + +#: certauth.cpp:37 +msgid "List your public keys" +msgstr "" + +#: certauth.cpp:39 +msgid "Print your current key" +msgstr "" + +#: certauth.cpp:142 +msgid "You are not connected with any valid public key" +msgstr "" + +#: certauth.cpp:144 +msgid "Your current public key is: {1}" +msgstr "" + +#: certauth.cpp:157 +msgid "You did not supply a public key or connect with one." +msgstr "" + +#: certauth.cpp:160 +msgid "Key '{1}' added." +msgstr "" + +#: certauth.cpp:162 +msgid "The key '{1}' is already added." +msgstr "" + +#: certauth.cpp:170 certauth.cpp:182 +msgctxt "list" +msgid "Id" +msgstr "" + +#: certauth.cpp:171 certauth.cpp:183 +msgctxt "list" +msgid "Key" +msgstr "" + +#: certauth.cpp:175 certauth.cpp:189 certauth.cpp:198 +msgid "No keys set for your user" +msgstr "" + +#: certauth.cpp:203 +msgid "Invalid #, check \"list\"" +msgstr "" + +#: certauth.cpp:215 +msgid "Removed" +msgstr "" + +#: certauth.cpp:290 +msgid "Allows users to authenticate via SSL client certificates." +msgstr "" diff --git a/modules/po/chansaver.id_ID.po b/modules/po/chansaver.id_ID.po new file mode 100644 index 00000000..47d5a806 --- /dev/null +++ b/modules/po/chansaver.id_ID.po @@ -0,0 +1,17 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=1; plural=0;\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: id\n" +"X-Crowdin-File: /1.7.x/modules/po/chansaver.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Indonesian\n" +"Language: id_ID\n" + +#: chansaver.cpp:91 +msgid "Keeps config up-to-date when user joins/parts." +msgstr "" diff --git a/modules/po/clearbufferonmsg.id_ID.po b/modules/po/clearbufferonmsg.id_ID.po new file mode 100644 index 00000000..d500a38e --- /dev/null +++ b/modules/po/clearbufferonmsg.id_ID.po @@ -0,0 +1,17 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=1; plural=0;\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: id\n" +"X-Crowdin-File: /1.7.x/modules/po/clearbufferonmsg.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Indonesian\n" +"Language: id_ID\n" + +#: clearbufferonmsg.cpp:160 +msgid "Clears all channel and query buffers whenever the user does something" +msgstr "" diff --git a/modules/po/clientnotify.id_ID.po b/modules/po/clientnotify.id_ID.po new file mode 100644 index 00000000..6757bb56 --- /dev/null +++ b/modules/po/clientnotify.id_ID.po @@ -0,0 +1,72 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=1; plural=0;\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: id\n" +"X-Crowdin-File: /1.7.x/modules/po/clientnotify.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Indonesian\n" +"Language: id_ID\n" + +#: clientnotify.cpp:47 +msgid "" +msgstr "" + +#: clientnotify.cpp:48 +msgid "Sets the notify method" +msgstr "" + +#: clientnotify.cpp:50 clientnotify.cpp:54 +msgid "" +msgstr "" + +#: clientnotify.cpp:51 +msgid "Turns notifications for unseen IP addresses on or off" +msgstr "" + +#: clientnotify.cpp:55 +msgid "Turns notifications for clients disconnecting on or off" +msgstr "" + +#: clientnotify.cpp:57 +msgid "Shows the current settings" +msgstr "" + +#: clientnotify.cpp:81 clientnotify.cpp:95 +msgid "" +msgid_plural "" +"Another client authenticated as your user. Use the 'ListClients' command to " +"see all {1} clients." +msgstr[0] "" + +#: clientnotify.cpp:108 +msgid "Usage: Method " +msgstr "" + +#: clientnotify.cpp:114 clientnotify.cpp:127 clientnotify.cpp:140 +msgid "Saved." +msgstr "" + +#: clientnotify.cpp:121 +msgid "Usage: NewOnly " +msgstr "" + +#: clientnotify.cpp:134 +msgid "Usage: OnDisconnect " +msgstr "" + +#: clientnotify.cpp:145 +msgid "" +"Current settings: Method: {1}, for unseen IP addresses only: {2}, notify on " +"disconnecting clients: {3}" +msgstr "" + +#: clientnotify.cpp:157 +msgid "" +"Notifies you when another IRC client logs into or out of your account. " +"Configurable." +msgstr "" diff --git a/modules/po/controlpanel.id_ID.po b/modules/po/controlpanel.id_ID.po new file mode 100644 index 00000000..d75abf82 --- /dev/null +++ b/modules/po/controlpanel.id_ID.po @@ -0,0 +1,717 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=1; plural=0;\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: id\n" +"X-Crowdin-File: /1.7.x/modules/po/controlpanel.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Indonesian\n" +"Language: id_ID\n" + +#: controlpanel.cpp:51 controlpanel.cpp:63 +msgctxt "helptable" +msgid "Type" +msgstr "" + +#: controlpanel.cpp:52 controlpanel.cpp:65 +msgctxt "helptable" +msgid "Variables" +msgstr "" + +#: controlpanel.cpp:77 +msgid "String" +msgstr "" + +#: controlpanel.cpp:78 +msgid "Boolean (true/false)" +msgstr "" + +#: controlpanel.cpp:79 +msgid "Integer" +msgstr "" + +#: controlpanel.cpp:80 +msgid "Number" +msgstr "" + +#: controlpanel.cpp:123 +msgid "The following variables are available when using the Set/Get commands:" +msgstr "" + +#: controlpanel.cpp:146 +msgid "" +"The following variables are available when using the SetNetwork/GetNetwork " +"commands:" +msgstr "" + +#: controlpanel.cpp:159 +msgid "" +"The following variables are available when using the SetChan/GetChan " +"commands:" +msgstr "" + +#: controlpanel.cpp:165 +msgid "" +"You can use $user as the user name and $network as the network name for " +"modifying your own user and network." +msgstr "" + +#: controlpanel.cpp:174 controlpanel.cpp:961 controlpanel.cpp:998 +msgid "Error: User [{1}] does not exist!" +msgstr "" + +#: controlpanel.cpp:179 +msgid "Error: You need to have admin rights to modify other users!" +msgstr "" + +#: controlpanel.cpp:189 +msgid "Error: You cannot use $network to modify other users!" +msgstr "" + +#: controlpanel.cpp:197 +msgid "Error: User {1} does not have a network named [{2}]." +msgstr "" + +#: controlpanel.cpp:209 +msgid "Usage: Get [username]" +msgstr "" + +#: controlpanel.cpp:299 controlpanel.cpp:502 controlpanel.cpp:577 +#: controlpanel.cpp:653 controlpanel.cpp:788 controlpanel.cpp:873 +msgid "Error: Unknown variable" +msgstr "" + +#: controlpanel.cpp:308 +msgid "Usage: Set " +msgstr "" + +#: controlpanel.cpp:330 controlpanel.cpp:618 +msgid "This bind host is already set!" +msgstr "" + +#: controlpanel.cpp:337 controlpanel.cpp:349 controlpanel.cpp:357 +#: controlpanel.cpp:420 controlpanel.cpp:439 controlpanel.cpp:455 +#: controlpanel.cpp:465 controlpanel.cpp:625 +msgid "Access denied!" +msgstr "" + +#: controlpanel.cpp:371 controlpanel.cpp:380 controlpanel.cpp:837 +msgid "Setting failed, limit for buffer size is {1}" +msgstr "" + +#: controlpanel.cpp:400 +msgid "Password has been changed!" +msgstr "" + +#: controlpanel.cpp:408 +msgid "Timeout can't be less than 30 seconds!" +msgstr "" + +#: controlpanel.cpp:472 +msgid "That would be a bad idea!" +msgstr "" + +#: controlpanel.cpp:490 +msgid "Supported languages: {1}" +msgstr "" + +#: controlpanel.cpp:514 +msgid "Usage: GetNetwork [username] [network]" +msgstr "" + +#: controlpanel.cpp:533 +msgid "Error: A network must be specified to get another users settings." +msgstr "" + +#: controlpanel.cpp:539 +msgid "You are not currently attached to a network." +msgstr "" + +#: controlpanel.cpp:545 +msgid "Error: Invalid network." +msgstr "" + +#: controlpanel.cpp:589 +msgid "Usage: SetNetwork " +msgstr "" + +#: controlpanel.cpp:663 +msgid "Usage: AddChan " +msgstr "" + +#: controlpanel.cpp:676 +msgid "Error: User {1} already has a channel named {2}." +msgstr "" + +#: controlpanel.cpp:683 +msgid "Channel {1} for user {2} added to network {3}." +msgstr "" + +#: controlpanel.cpp:687 +msgid "" +"Could not add channel {1} for user {2} to network {3}, does it already exist?" +msgstr "" + +#: controlpanel.cpp:697 +msgid "Usage: DelChan " +msgstr "" + +#: controlpanel.cpp:712 +msgid "Error: User {1} does not have any channel matching [{2}] in network {3}" +msgstr "" + +#: controlpanel.cpp:725 +msgid "Channel {1} is deleted from network {2} of user {3}" +msgid_plural "Channels {1} are deleted from network {2} of user {3}" +msgstr[0] "" + +#: controlpanel.cpp:740 +msgid "Usage: GetChan " +msgstr "" + +#: controlpanel.cpp:754 controlpanel.cpp:818 +msgid "Error: No channels matching [{1}] found." +msgstr "" + +#: controlpanel.cpp:803 +msgid "Usage: SetChan " +msgstr "" + +#: controlpanel.cpp:884 controlpanel.cpp:894 +msgctxt "listusers" +msgid "Username" +msgstr "" + +#: controlpanel.cpp:885 controlpanel.cpp:895 +msgctxt "listusers" +msgid "Realname" +msgstr "" + +#: controlpanel.cpp:886 controlpanel.cpp:898 controlpanel.cpp:900 +msgctxt "listusers" +msgid "IsAdmin" +msgstr "" + +#: controlpanel.cpp:887 controlpanel.cpp:901 +msgctxt "listusers" +msgid "Nick" +msgstr "" + +#: controlpanel.cpp:888 controlpanel.cpp:902 +msgctxt "listusers" +msgid "AltNick" +msgstr "" + +#: controlpanel.cpp:889 controlpanel.cpp:903 +msgctxt "listusers" +msgid "Ident" +msgstr "" + +#: controlpanel.cpp:890 controlpanel.cpp:904 +msgctxt "listusers" +msgid "BindHost" +msgstr "" + +#: controlpanel.cpp:898 controlpanel.cpp:1138 +msgid "No" +msgstr "" + +#: controlpanel.cpp:900 controlpanel.cpp:1130 +msgid "Yes" +msgstr "" + +#: controlpanel.cpp:914 controlpanel.cpp:983 +msgid "Error: You need to have admin rights to add new users!" +msgstr "" + +#: controlpanel.cpp:920 +msgid "Usage: AddUser " +msgstr "" + +#: controlpanel.cpp:925 +msgid "Error: User {1} already exists!" +msgstr "" + +#: controlpanel.cpp:937 controlpanel.cpp:1012 +msgid "Error: User not added: {1}" +msgstr "" + +#: controlpanel.cpp:941 controlpanel.cpp:1016 +msgid "User {1} added!" +msgstr "" + +#: controlpanel.cpp:948 +msgid "Error: You need to have admin rights to delete users!" +msgstr "" + +#: controlpanel.cpp:954 +msgid "Usage: DelUser " +msgstr "" + +#: controlpanel.cpp:966 +msgid "Error: You can't delete yourself!" +msgstr "" + +#: controlpanel.cpp:972 +msgid "Error: Internal error!" +msgstr "" + +#: controlpanel.cpp:976 +msgid "User {1} deleted!" +msgstr "" + +#: controlpanel.cpp:991 +msgid "Usage: CloneUser " +msgstr "" + +#: controlpanel.cpp:1006 +msgid "Error: Cloning failed: {1}" +msgstr "" + +#: controlpanel.cpp:1035 +msgid "Usage: AddNetwork [user] network" +msgstr "" + +#: controlpanel.cpp:1041 +msgid "" +"Network number limit reached. Ask an admin to increase the limit for you, or " +"delete unneeded networks using /znc DelNetwork " +msgstr "" + +#: controlpanel.cpp:1049 +msgid "Error: User {1} already has a network with the name {2}" +msgstr "" + +#: controlpanel.cpp:1056 +msgid "Network {1} added to user {2}." +msgstr "" + +#: controlpanel.cpp:1060 +msgid "Error: Network [{1}] could not be added for user {2}: {3}" +msgstr "" + +#: controlpanel.cpp:1080 +msgid "Usage: DelNetwork [user] network" +msgstr "" + +#: controlpanel.cpp:1091 +msgid "The currently active network can be deleted via {1}status" +msgstr "" + +#: controlpanel.cpp:1097 +msgid "Network {1} deleted for user {2}." +msgstr "" + +#: controlpanel.cpp:1101 +msgid "Error: Network {1} could not be deleted for user {2}." +msgstr "" + +#: controlpanel.cpp:1120 controlpanel.cpp:1128 +msgctxt "listnetworks" +msgid "Network" +msgstr "" + +#: controlpanel.cpp:1121 controlpanel.cpp:1130 controlpanel.cpp:1138 +msgctxt "listnetworks" +msgid "OnIRC" +msgstr "" + +#: controlpanel.cpp:1122 controlpanel.cpp:1131 +msgctxt "listnetworks" +msgid "IRC Server" +msgstr "" + +#: controlpanel.cpp:1123 controlpanel.cpp:1133 +msgctxt "listnetworks" +msgid "IRC User" +msgstr "" + +#: controlpanel.cpp:1124 controlpanel.cpp:1135 +msgctxt "listnetworks" +msgid "Channels" +msgstr "" + +#: controlpanel.cpp:1143 +msgid "No networks" +msgstr "" + +#: controlpanel.cpp:1154 +msgid "Usage: AddServer [[+]port] [password]" +msgstr "" + +#: controlpanel.cpp:1168 +msgid "Added IRC Server {1} to network {2} for user {3}." +msgstr "" + +#: controlpanel.cpp:1172 +msgid "Error: Could not add IRC server {1} to network {2} for user {3}." +msgstr "" + +#: controlpanel.cpp:1185 +msgid "Usage: DelServer [[+]port] [password]" +msgstr "" + +#: controlpanel.cpp:1200 +msgid "Deleted IRC Server {1} from network {2} for user {3}." +msgstr "" + +#: controlpanel.cpp:1204 +msgid "Error: Could not delete IRC server {1} from network {2} for user {3}." +msgstr "" + +#: controlpanel.cpp:1214 +msgid "Usage: Reconnect " +msgstr "" + +#: controlpanel.cpp:1241 +msgid "Queued network {1} of user {2} for a reconnect." +msgstr "" + +#: controlpanel.cpp:1250 +msgid "Usage: Disconnect " +msgstr "" + +#: controlpanel.cpp:1265 +msgid "Closed IRC connection for network {1} of user {2}." +msgstr "" + +#: controlpanel.cpp:1280 controlpanel.cpp:1284 +msgctxt "listctcp" +msgid "Request" +msgstr "" + +#: controlpanel.cpp:1281 controlpanel.cpp:1285 +msgctxt "listctcp" +msgid "Reply" +msgstr "" + +#: controlpanel.cpp:1289 +msgid "No CTCP replies for user {1} are configured" +msgstr "" + +#: controlpanel.cpp:1292 +msgid "CTCP replies for user {1}:" +msgstr "" + +#: controlpanel.cpp:1308 +msgid "Usage: AddCTCP [user] [request] [reply]" +msgstr "" + +#: controlpanel.cpp:1310 +msgid "" +"This will cause ZNC to reply to the CTCP instead of forwarding it to clients." +msgstr "" + +#: controlpanel.cpp:1313 +msgid "An empty reply will cause the CTCP request to be blocked." +msgstr "" + +#: controlpanel.cpp:1322 +msgid "CTCP requests {1} to user {2} will now be blocked." +msgstr "" + +#: controlpanel.cpp:1326 +msgid "CTCP requests {1} to user {2} will now get reply: {3}" +msgstr "" + +#: controlpanel.cpp:1343 +msgid "Usage: DelCTCP [user] [request]" +msgstr "" + +#: controlpanel.cpp:1349 +msgid "CTCP requests {1} to user {2} will now be sent to IRC clients" +msgstr "" + +#: controlpanel.cpp:1353 +msgid "" +"CTCP requests {1} to user {2} will be sent to IRC clients (nothing has " +"changed)" +msgstr "" + +#: controlpanel.cpp:1363 controlpanel.cpp:1437 +msgid "Loading modules has been disabled." +msgstr "" + +#: controlpanel.cpp:1372 +msgid "Error: Unable to load module {1}: {2}" +msgstr "" + +#: controlpanel.cpp:1375 +msgid "Loaded module {1}" +msgstr "" + +#: controlpanel.cpp:1380 +msgid "Error: Unable to reload module {1}: {2}" +msgstr "" + +#: controlpanel.cpp:1383 +msgid "Reloaded module {1}" +msgstr "" + +#: controlpanel.cpp:1387 +msgid "Error: Unable to load module {1} because it is already loaded" +msgstr "" + +#: controlpanel.cpp:1398 +msgid "Usage: LoadModule [args]" +msgstr "" + +#: controlpanel.cpp:1417 +msgid "Usage: LoadNetModule [args]" +msgstr "" + +#: controlpanel.cpp:1442 +msgid "Please use /znc unloadmod {1}" +msgstr "" + +#: controlpanel.cpp:1448 +msgid "Error: Unable to unload module {1}: {2}" +msgstr "" + +#: controlpanel.cpp:1451 +msgid "Unloaded module {1}" +msgstr "" + +#: controlpanel.cpp:1460 +msgid "Usage: UnloadModule " +msgstr "" + +#: controlpanel.cpp:1477 +msgid "Usage: UnloadNetModule " +msgstr "" + +#: controlpanel.cpp:1494 controlpanel.cpp:1499 +msgctxt "listmodules" +msgid "Name" +msgstr "" + +#: controlpanel.cpp:1495 controlpanel.cpp:1500 +msgctxt "listmodules" +msgid "Arguments" +msgstr "" + +#: controlpanel.cpp:1519 +msgid "User {1} has no modules loaded." +msgstr "" + +#: controlpanel.cpp:1523 +msgid "Modules loaded for user {1}:" +msgstr "" + +#: controlpanel.cpp:1543 +msgid "Network {1} of user {2} has no modules loaded." +msgstr "" + +#: controlpanel.cpp:1547 +msgid "Modules loaded for network {1} of user {2}:" +msgstr "" + +#: controlpanel.cpp:1554 +msgid "[command] [variable]" +msgstr "" + +#: controlpanel.cpp:1555 +msgid "Prints help for matching commands and variables" +msgstr "" + +#: controlpanel.cpp:1558 +msgid " [username]" +msgstr "" + +#: controlpanel.cpp:1559 +msgid "Prints the variable's value for the given or current user" +msgstr "" + +#: controlpanel.cpp:1561 +msgid " " +msgstr "" + +#: controlpanel.cpp:1562 +msgid "Sets the variable's value for the given user" +msgstr "" + +#: controlpanel.cpp:1564 +msgid " [username] [network]" +msgstr "" + +#: controlpanel.cpp:1565 +msgid "Prints the variable's value for the given network" +msgstr "" + +#: controlpanel.cpp:1567 +msgid " " +msgstr "" + +#: controlpanel.cpp:1568 +msgid "Sets the variable's value for the given network" +msgstr "" + +#: controlpanel.cpp:1570 +msgid " [username] " +msgstr "" + +#: controlpanel.cpp:1571 +msgid "Prints the variable's value for the given channel" +msgstr "" + +#: controlpanel.cpp:1574 +msgid " " +msgstr "" + +#: controlpanel.cpp:1575 +msgid "Sets the variable's value for the given channel" +msgstr "" + +#: controlpanel.cpp:1577 controlpanel.cpp:1580 +msgid " " +msgstr "" + +#: controlpanel.cpp:1578 +msgid "Adds a new channel" +msgstr "" + +#: controlpanel.cpp:1581 +msgid "Deletes a channel" +msgstr "" + +#: controlpanel.cpp:1583 +msgid "Lists users" +msgstr "" + +#: controlpanel.cpp:1585 +msgid " " +msgstr "" + +#: controlpanel.cpp:1586 +msgid "Adds a new user" +msgstr "" + +#: controlpanel.cpp:1588 controlpanel.cpp:1611 controlpanel.cpp:1625 +msgid "" +msgstr "" + +#: controlpanel.cpp:1588 +msgid "Deletes a user" +msgstr "" + +#: controlpanel.cpp:1590 +msgid " " +msgstr "" + +#: controlpanel.cpp:1591 +msgid "Clones a user" +msgstr "" + +#: controlpanel.cpp:1593 controlpanel.cpp:1596 +msgid " " +msgstr "" + +#: controlpanel.cpp:1594 +msgid "Adds a new IRC server for the given or current user" +msgstr "" + +#: controlpanel.cpp:1597 +msgid "Deletes an IRC server from the given or current user" +msgstr "" + +#: controlpanel.cpp:1599 controlpanel.cpp:1602 controlpanel.cpp:1622 +msgid " " +msgstr "" + +#: controlpanel.cpp:1600 +msgid "Cycles the user's IRC server connection" +msgstr "" + +#: controlpanel.cpp:1603 +msgid "Disconnects the user from their IRC server" +msgstr "" + +#: controlpanel.cpp:1605 +msgid " [args]" +msgstr "" + +#: controlpanel.cpp:1606 +msgid "Loads a Module for a user" +msgstr "" + +#: controlpanel.cpp:1608 +msgid " " +msgstr "" + +#: controlpanel.cpp:1609 +msgid "Removes a Module of a user" +msgstr "" + +#: controlpanel.cpp:1612 +msgid "Get the list of modules for a user" +msgstr "" + +#: controlpanel.cpp:1615 +msgid " [args]" +msgstr "" + +#: controlpanel.cpp:1616 +msgid "Loads a Module for a network" +msgstr "" + +#: controlpanel.cpp:1619 +msgid " " +msgstr "" + +#: controlpanel.cpp:1620 +msgid "Removes a Module of a network" +msgstr "" + +#: controlpanel.cpp:1623 +msgid "Get the list of modules for a network" +msgstr "" + +#: controlpanel.cpp:1626 +msgid "List the configured CTCP replies" +msgstr "" + +#: controlpanel.cpp:1628 +msgid " [reply]" +msgstr "" + +#: controlpanel.cpp:1629 +msgid "Configure a new CTCP reply" +msgstr "" + +#: controlpanel.cpp:1631 +msgid " " +msgstr "" + +#: controlpanel.cpp:1632 +msgid "Remove a CTCP reply" +msgstr "" + +#: controlpanel.cpp:1636 controlpanel.cpp:1639 +msgid "[username] " +msgstr "" + +#: controlpanel.cpp:1637 +msgid "Add a network for a user" +msgstr "" + +#: controlpanel.cpp:1640 +msgid "Delete a network for a user" +msgstr "" + +#: controlpanel.cpp:1642 +msgid "[username]" +msgstr "" + +#: controlpanel.cpp:1643 +msgid "List all networks for a user" +msgstr "" + +#: controlpanel.cpp:1656 +msgid "" +"Dynamic configuration through IRC. Allows editing only yourself if you're " +"not ZNC admin." +msgstr "" diff --git a/modules/po/crypt.id_ID.po b/modules/po/crypt.id_ID.po new file mode 100644 index 00000000..5d7717c2 --- /dev/null +++ b/modules/po/crypt.id_ID.po @@ -0,0 +1,143 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=1; plural=0;\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: id\n" +"X-Crowdin-File: /1.7.x/modules/po/crypt.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Indonesian\n" +"Language: id_ID\n" + +#: crypt.cpp:198 +msgid "<#chan|Nick>" +msgstr "" + +#: crypt.cpp:199 +msgid "Remove a key for nick or channel" +msgstr "" + +#: crypt.cpp:201 +msgid "<#chan|Nick> " +msgstr "" + +#: crypt.cpp:202 +msgid "Set a key for nick or channel" +msgstr "" + +#: crypt.cpp:204 +msgid "List all keys" +msgstr "" + +#: crypt.cpp:206 +msgid "" +msgstr "" + +#: crypt.cpp:207 +msgid "Start a DH1080 key exchange with nick" +msgstr "" + +#: crypt.cpp:210 +msgid "Get the nick prefix" +msgstr "" + +#: crypt.cpp:213 +msgid "[Prefix]" +msgstr "" + +#: crypt.cpp:214 +msgid "Set the nick prefix, with no argument it's disabled." +msgstr "" + +#: crypt.cpp:270 +msgid "Received DH1080 public key from {1}, sending mine..." +msgstr "" + +#: crypt.cpp:275 crypt.cpp:296 +msgid "Key for {1} successfully set." +msgstr "" + +#: crypt.cpp:278 crypt.cpp:299 +msgid "Error in {1} with {2}: {3}" +msgstr "" + +#: crypt.cpp:280 crypt.cpp:301 +msgid "no secret key computed" +msgstr "" + +#: crypt.cpp:395 +msgid "Target [{1}] deleted" +msgstr "" + +#: crypt.cpp:397 +msgid "Target [{1}] not found" +msgstr "" + +#: crypt.cpp:400 +msgid "Usage DelKey <#chan|Nick>" +msgstr "" + +#: crypt.cpp:415 +msgid "Set encryption key for [{1}] to [{2}]" +msgstr "" + +#: crypt.cpp:417 +msgid "Usage: SetKey <#chan|Nick> " +msgstr "" + +#: crypt.cpp:428 +msgid "Sent my DH1080 public key to {1}, waiting for reply ..." +msgstr "" + +#: crypt.cpp:430 +msgid "Error generating our keys, nothing sent." +msgstr "" + +#: crypt.cpp:433 +msgid "Usage: KeyX " +msgstr "" + +#: crypt.cpp:440 +msgid "Nick Prefix disabled." +msgstr "" + +#: crypt.cpp:442 +msgid "Nick Prefix: {1}" +msgstr "" + +#: crypt.cpp:451 +msgid "You cannot use :, even followed by other symbols, as Nick Prefix." +msgstr "" + +#: crypt.cpp:460 +msgid "Overlap with Status Prefix ({1}), this Nick Prefix will not be used!" +msgstr "" + +#: crypt.cpp:465 +msgid "Disabling Nick Prefix." +msgstr "" + +#: crypt.cpp:467 +msgid "Setting Nick Prefix to {1}" +msgstr "" + +#: crypt.cpp:474 crypt.cpp:480 +msgctxt "listkeys" +msgid "Target" +msgstr "" + +#: crypt.cpp:475 crypt.cpp:481 +msgctxt "listkeys" +msgid "Key" +msgstr "" + +#: crypt.cpp:485 +msgid "You have no encryption keys set." +msgstr "" + +#: crypt.cpp:507 +msgid "Encryption for channel/private messages" +msgstr "" diff --git a/modules/po/ctcpflood.id_ID.po b/modules/po/ctcpflood.id_ID.po new file mode 100644 index 00000000..19dfc85f --- /dev/null +++ b/modules/po/ctcpflood.id_ID.po @@ -0,0 +1,67 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=1; plural=0;\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: id\n" +"X-Crowdin-File: /1.7.x/modules/po/ctcpflood.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Indonesian\n" +"Language: id_ID\n" + +#: ctcpflood.cpp:25 ctcpflood.cpp:27 +msgid "" +msgstr "" + +#: ctcpflood.cpp:25 +msgid "Set seconds limit" +msgstr "" + +#: ctcpflood.cpp:27 +msgid "Set lines limit" +msgstr "" + +#: ctcpflood.cpp:29 +msgid "Show the current limits" +msgstr "" + +#: ctcpflood.cpp:76 +msgid "Limit reached by {1}, blocking all CTCP" +msgstr "" + +#: ctcpflood.cpp:98 +msgid "Usage: Secs " +msgstr "" + +#: ctcpflood.cpp:113 +msgid "Usage: Lines " +msgstr "" + +#: ctcpflood.cpp:125 +msgid "1 CTCP message" +msgid_plural "{1} CTCP messages" +msgstr[0] "" + +#: ctcpflood.cpp:127 +msgid "every second" +msgid_plural "every {1} seconds" +msgstr[0] "" + +#: ctcpflood.cpp:129 +msgid "Current limit is {1} {2}" +msgstr "" + +#: ctcpflood.cpp:145 +msgid "" +"This user module takes none to two arguments. The first argument is the " +"number of lines after which the flood-protection is triggered. The second " +"argument is the time (sec) to in which the number of lines is reached. The " +"default setting is 4 CTCPs in 2 seconds" +msgstr "" + +#: ctcpflood.cpp:151 +msgid "Don't forward CTCP floods to clients" +msgstr "" diff --git a/modules/po/cyrusauth.id_ID.po b/modules/po/cyrusauth.id_ID.po new file mode 100644 index 00000000..1734f501 --- /dev/null +++ b/modules/po/cyrusauth.id_ID.po @@ -0,0 +1,73 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=1; plural=0;\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: id\n" +"X-Crowdin-File: /1.7.x/modules/po/cyrusauth.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Indonesian\n" +"Language: id_ID\n" + +#: cyrusauth.cpp:42 +msgid "Shows current settings" +msgstr "" + +#: cyrusauth.cpp:44 +msgid "yes|clone |no" +msgstr "" + +#: cyrusauth.cpp:45 +msgid "" +"Create ZNC users upon first successful login, optionally from a template" +msgstr "" + +#: cyrusauth.cpp:56 +msgid "Access denied" +msgstr "" + +#: cyrusauth.cpp:70 +msgid "Ignoring invalid SASL pwcheck method: {1}" +msgstr "" + +#: cyrusauth.cpp:71 +msgid "Ignored invalid SASL pwcheck method" +msgstr "" + +#: cyrusauth.cpp:79 +msgid "Need a pwcheck method as argument (saslauthd, auxprop)" +msgstr "" + +#: cyrusauth.cpp:84 +msgid "SASL Could Not Be Initialized - Halting Startup" +msgstr "" + +#: cyrusauth.cpp:171 cyrusauth.cpp:186 +msgid "We will not create users on their first login" +msgstr "" + +#: cyrusauth.cpp:174 cyrusauth.cpp:195 +msgid "" +"We will create users on their first login, using user [{1}] as a template" +msgstr "" + +#: cyrusauth.cpp:177 cyrusauth.cpp:190 +msgid "We will create users on their first login" +msgstr "" + +#: cyrusauth.cpp:199 +msgid "Usage: CreateUsers yes, CreateUsers no, or CreateUsers clone " +msgstr "" + +#: cyrusauth.cpp:232 +msgid "" +"This global module takes up to two arguments - the methods of authentication " +"- auxprop and saslauthd" +msgstr "" + +#: cyrusauth.cpp:238 +msgid "Allow users to authenticate via SASL password verification method" +msgstr "" diff --git a/modules/po/dcc.id_ID.po b/modules/po/dcc.id_ID.po new file mode 100644 index 00000000..f5fdaac2 --- /dev/null +++ b/modules/po/dcc.id_ID.po @@ -0,0 +1,227 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=1; plural=0;\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: id\n" +"X-Crowdin-File: /1.7.x/modules/po/dcc.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Indonesian\n" +"Language: id_ID\n" + +#: dcc.cpp:88 +msgid " " +msgstr "" + +#: dcc.cpp:89 +msgid "Send a file from ZNC to someone" +msgstr "" + +#: dcc.cpp:91 +msgid "" +msgstr "" + +#: dcc.cpp:92 +msgid "Send a file from ZNC to your client" +msgstr "" + +#: dcc.cpp:94 +msgid "List current transfers" +msgstr "" + +#: dcc.cpp:103 +msgid "You must be admin to use the DCC module" +msgstr "" + +#: dcc.cpp:140 +msgid "Attempting to send [{1}] to [{2}]." +msgstr "" + +#: dcc.cpp:149 dcc.cpp:554 +msgid "Receiving [{1}] from [{2}]: File already exists." +msgstr "" + +#: dcc.cpp:167 +msgid "" +"Attempting to connect to [{1} {2}] in order to download [{3}] from [{4}]." +msgstr "" + +#: dcc.cpp:179 +msgid "Usage: Send " +msgstr "" + +#: dcc.cpp:186 dcc.cpp:206 +msgid "Illegal path." +msgstr "" + +#: dcc.cpp:199 +msgid "Usage: Get " +msgstr "" + +#: dcc.cpp:215 dcc.cpp:232 dcc.cpp:234 +msgctxt "list" +msgid "Type" +msgstr "" + +#: dcc.cpp:216 dcc.cpp:238 dcc.cpp:241 +msgctxt "list" +msgid "State" +msgstr "" + +#: dcc.cpp:217 dcc.cpp:243 +msgctxt "list" +msgid "Speed" +msgstr "" + +#: dcc.cpp:218 dcc.cpp:227 +msgctxt "list" +msgid "Nick" +msgstr "" + +#: dcc.cpp:219 dcc.cpp:228 +msgctxt "list" +msgid "IP" +msgstr "" + +#: dcc.cpp:220 dcc.cpp:229 +msgctxt "list" +msgid "File" +msgstr "" + +#: dcc.cpp:232 +msgctxt "list-type" +msgid "Sending" +msgstr "" + +#: dcc.cpp:234 +msgctxt "list-type" +msgid "Getting" +msgstr "" + +#: dcc.cpp:239 +msgctxt "list-state" +msgid "Waiting" +msgstr "" + +#: dcc.cpp:244 +msgid "{1} KiB/s" +msgstr "" + +#: dcc.cpp:250 +msgid "You have no active DCC transfers." +msgstr "" + +#: dcc.cpp:267 +msgid "Attempting to resume send from position {1} of file [{2}] for [{3}]" +msgstr "" + +#: dcc.cpp:277 +msgid "Couldn't resume file [{1}] for [{2}]: not sending anything." +msgstr "" + +#: dcc.cpp:286 +msgid "Bad DCC file: {1}" +msgstr "" + +#: dcc.cpp:341 +msgid "Sending [{1}] to [{2}]: File not open!" +msgstr "" + +#: dcc.cpp:345 +msgid "Receiving [{1}] from [{2}]: File not open!" +msgstr "" + +#: dcc.cpp:385 +msgid "Sending [{1}] to [{2}]: Connection refused." +msgstr "" + +#: dcc.cpp:389 +msgid "Receiving [{1}] from [{2}]: Connection refused." +msgstr "" + +#: dcc.cpp:397 +msgid "Sending [{1}] to [{2}]: Timeout." +msgstr "" + +#: dcc.cpp:401 +msgid "Receiving [{1}] from [{2}]: Timeout." +msgstr "" + +#: dcc.cpp:411 +msgid "Sending [{1}] to [{2}]: Socket error {3}: {4}" +msgstr "" + +#: dcc.cpp:415 +msgid "Receiving [{1}] from [{2}]: Socket error {3}: {4}" +msgstr "" + +#: dcc.cpp:423 +msgid "Sending [{1}] to [{2}]: Transfer started." +msgstr "" + +#: dcc.cpp:427 +msgid "Receiving [{1}] from [{2}]: Transfer started." +msgstr "" + +#: dcc.cpp:446 +msgid "Sending [{1}] to [{2}]: Too much data!" +msgstr "" + +#: dcc.cpp:450 +msgid "Receiving [{1}] from [{2}]: Too much data!" +msgstr "" + +#: dcc.cpp:456 +msgid "Sending [{1}] to [{2}] completed at {3} KiB/s" +msgstr "" + +#: dcc.cpp:461 +msgid "Receiving [{1}] from [{2}] completed at {3} KiB/s" +msgstr "" + +#: dcc.cpp:474 +msgid "Sending [{1}] to [{2}]: File closed prematurely." +msgstr "" + +#: dcc.cpp:478 +msgid "Receiving [{1}] from [{2}]: File closed prematurely." +msgstr "" + +#: dcc.cpp:501 +msgid "Sending [{1}] to [{2}]: Error reading from file." +msgstr "" + +#: dcc.cpp:505 +msgid "Receiving [{1}] from [{2}]: Error reading from file." +msgstr "" + +#: dcc.cpp:537 +msgid "Sending [{1}] to [{2}]: Unable to open file." +msgstr "" + +#: dcc.cpp:541 +msgid "Receiving [{1}] from [{2}]: Unable to open file." +msgstr "" + +#: dcc.cpp:563 +msgid "Receiving [{1}] from [{2}]: Could not open file." +msgstr "" + +#: dcc.cpp:572 +msgid "Sending [{1}] to [{2}]: Not a file." +msgstr "" + +#: dcc.cpp:581 +msgid "Sending [{1}] to [{2}]: Could not open file." +msgstr "" + +#: dcc.cpp:593 +msgid "Sending [{1}] to [{2}]: File too large (>4 GiB)." +msgstr "" + +#: dcc.cpp:623 +msgid "This module allows you to transfer files to and from ZNC" +msgstr "" diff --git a/modules/po/dcc.ru_RU.po b/modules/po/dcc.ru_RU.po index 4df13f19..3b5dd154 100644 --- a/modules/po/dcc.ru_RU.po +++ b/modules/po/dcc.ru_RU.po @@ -16,7 +16,7 @@ msgstr "" #: dcc.cpp:88 msgid " " -msgstr " " +msgstr "<ник> <файл>" #: dcc.cpp:89 msgid "Send a file from ZNC to someone" @@ -24,7 +24,7 @@ msgstr "Отправить файл из ZNC кому-либо" #: dcc.cpp:91 msgid "" -msgstr "" +msgstr "<файл>" #: dcc.cpp:92 msgid "Send a file from ZNC to your client" @@ -53,15 +53,15 @@ msgstr "Попытка подключиться к [{1} {2}], чтобы заг #: dcc.cpp:179 msgid "Usage: Send " -msgstr "Использование: Send " +msgstr "Использование: Send <ник> <файл>" #: dcc.cpp:186 dcc.cpp:206 msgid "Illegal path." -msgstr "Некорректные пути." +msgstr "Некорректный путь." #: dcc.cpp:199 msgid "Usage: Get " -msgstr "Использование: Get " +msgstr "Использование: Get <файл>" #: dcc.cpp:215 dcc.cpp:232 dcc.cpp:234 msgctxt "list" diff --git a/modules/po/disconkick.id_ID.po b/modules/po/disconkick.id_ID.po new file mode 100644 index 00000000..43fdf99f --- /dev/null +++ b/modules/po/disconkick.id_ID.po @@ -0,0 +1,23 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=1; plural=0;\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: id\n" +"X-Crowdin-File: /1.7.x/modules/po/disconkick.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Indonesian\n" +"Language: id_ID\n" + +#: disconkick.cpp:32 +msgid "You have been disconnected from the IRC server" +msgstr "" + +#: disconkick.cpp:45 +msgid "" +"Kicks the client from all channels when the connection to the IRC server is " +"lost" +msgstr "" diff --git a/modules/po/fail2ban.id_ID.po b/modules/po/fail2ban.id_ID.po new file mode 100644 index 00000000..0f050967 --- /dev/null +++ b/modules/po/fail2ban.id_ID.po @@ -0,0 +1,117 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=1; plural=0;\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: id\n" +"X-Crowdin-File: /1.7.x/modules/po/fail2ban.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Indonesian\n" +"Language: id_ID\n" + +#: fail2ban.cpp:25 +msgid "[minutes]" +msgstr "" + +#: fail2ban.cpp:26 +msgid "The number of minutes IPs are blocked after a failed login." +msgstr "" + +#: fail2ban.cpp:28 +msgid "[count]" +msgstr "" + +#: fail2ban.cpp:29 +msgid "The number of allowed failed login attempts." +msgstr "" + +#: fail2ban.cpp:31 fail2ban.cpp:33 +msgid "" +msgstr "" + +#: fail2ban.cpp:31 +msgid "Ban the specified hosts." +msgstr "" + +#: fail2ban.cpp:33 +msgid "Unban the specified hosts." +msgstr "" + +#: fail2ban.cpp:35 +msgid "List banned hosts." +msgstr "" + +#: fail2ban.cpp:55 +msgid "" +"Invalid argument, must be the number of minutes IPs are blocked after a " +"failed login and can be followed by number of allowed failed login attempts" +msgstr "" + +#: fail2ban.cpp:77 fail2ban.cpp:100 fail2ban.cpp:123 fail2ban.cpp:146 +#: fail2ban.cpp:172 +msgid "Access denied" +msgstr "" + +#: fail2ban.cpp:86 +msgid "Usage: Timeout [minutes]" +msgstr "" + +#: fail2ban.cpp:91 fail2ban.cpp:94 +msgid "Timeout: {1} min" +msgstr "" + +#: fail2ban.cpp:109 +msgid "Usage: Attempts [count]" +msgstr "" + +#: fail2ban.cpp:114 fail2ban.cpp:117 +msgid "Attempts: {1}" +msgstr "" + +#: fail2ban.cpp:130 +msgid "Usage: Ban " +msgstr "" + +#: fail2ban.cpp:140 +msgid "Banned: {1}" +msgstr "" + +#: fail2ban.cpp:153 +msgid "Usage: Unban " +msgstr "" + +#: fail2ban.cpp:163 +msgid "Unbanned: {1}" +msgstr "" + +#: fail2ban.cpp:165 +msgid "Ignored: {1}" +msgstr "" + +#: fail2ban.cpp:177 fail2ban.cpp:182 +msgctxt "list" +msgid "Host" +msgstr "" + +#: fail2ban.cpp:178 fail2ban.cpp:183 +msgctxt "list" +msgid "Attempts" +msgstr "" + +#: fail2ban.cpp:187 +msgctxt "list" +msgid "No bans" +msgstr "" + +#: fail2ban.cpp:244 +msgid "" +"You might enter the time in minutes for the IP banning and the number of " +"failed logins before any action is taken." +msgstr "" + +#: fail2ban.cpp:249 +msgid "Block IPs for some time after a failed login." +msgstr "" diff --git a/modules/po/flooddetach.id_ID.po b/modules/po/flooddetach.id_ID.po new file mode 100644 index 00000000..e95a1000 --- /dev/null +++ b/modules/po/flooddetach.id_ID.po @@ -0,0 +1,89 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=1; plural=0;\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: id\n" +"X-Crowdin-File: /1.7.x/modules/po/flooddetach.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Indonesian\n" +"Language: id_ID\n" + +#: flooddetach.cpp:30 +msgid "Show current limits" +msgstr "" + +#: flooddetach.cpp:32 flooddetach.cpp:35 +msgid "[]" +msgstr "" + +#: flooddetach.cpp:33 +msgid "Show or set number of seconds in the time interval" +msgstr "" + +#: flooddetach.cpp:35 flooddetach.cpp:37 +msgid "blahblah: description" +msgstr "" + +#: flooddetach.cpp:37 +msgid "[yes|no]" +msgstr "" + +#: flooddetach.cpp:90 +msgid "Flood in {1} is over, reattaching..." +msgstr "" + +#: flooddetach.cpp:147 +msgid "Channel {1} was flooded, you've been detached" +msgstr "" + +#: flooddetach.cpp:184 +msgid "1 line" +msgid_plural "{1} lines" +msgstr[0] "" + +#: flooddetach.cpp:185 +msgid "every second" +msgid_plural "every {1} seconds" +msgstr[0] "" + +#: flooddetach.cpp:187 +msgid "Current limit is {1} {2}" +msgstr "" + +#: flooddetach.cpp:194 +msgid "Seconds limit is {1}" +msgstr "" + +#: flooddetach.cpp:199 +msgid "Set seconds limit to {1}" +msgstr "" + +#: flooddetach.cpp:208 +msgid "Lines limit is {1}" +msgstr "" + +#: flooddetach.cpp:213 +msgid "Set lines limit to {1}" +msgstr "" + +#: flooddetach.cpp:226 +msgid "Module messages are disabled" +msgstr "" + +#: flooddetach.cpp:228 +msgid "Module messages are enabled" +msgstr "" + +#: flooddetach.cpp:244 +msgid "" +"This user module takes up to two arguments. Arguments are numbers of " +"messages and seconds." +msgstr "" + +#: flooddetach.cpp:248 +msgid "Detach channels when flooded" +msgstr "" diff --git a/modules/po/identfile.id_ID.po b/modules/po/identfile.id_ID.po new file mode 100644 index 00000000..4b224c0a --- /dev/null +++ b/modules/po/identfile.id_ID.po @@ -0,0 +1,83 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=1; plural=0;\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: id\n" +"X-Crowdin-File: /1.7.x/modules/po/identfile.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Indonesian\n" +"Language: id_ID\n" + +#: identfile.cpp:30 +msgid "Show file name" +msgstr "" + +#: identfile.cpp:32 +msgid "" +msgstr "" + +#: identfile.cpp:32 +msgid "Set file name" +msgstr "" + +#: identfile.cpp:34 +msgid "Show file format" +msgstr "" + +#: identfile.cpp:36 +msgid "" +msgstr "" + +#: identfile.cpp:36 +msgid "Set file format" +msgstr "" + +#: identfile.cpp:38 +msgid "Show current state" +msgstr "" + +#: identfile.cpp:48 +msgid "File is set to: {1}" +msgstr "" + +#: identfile.cpp:53 +msgid "File has been set to: {1}" +msgstr "" + +#: identfile.cpp:58 +msgid "Format has been set to: {1}" +msgstr "" + +#: identfile.cpp:59 identfile.cpp:65 +msgid "Format would be expanded to: {1}" +msgstr "" + +#: identfile.cpp:64 +msgid "Format is set to: {1}" +msgstr "" + +#: identfile.cpp:78 +msgid "identfile is free" +msgstr "" + +#: identfile.cpp:86 +msgid "Access denied" +msgstr "" + +#: identfile.cpp:181 +msgid "" +"Aborting connection, another user or network is currently connecting and " +"using the ident spoof file" +msgstr "" + +#: identfile.cpp:189 +msgid "[{1}] could not be written, retrying..." +msgstr "" + +#: identfile.cpp:223 +msgid "Write the ident of a user to a file when they are trying to connect." +msgstr "" diff --git a/modules/po/imapauth.id_ID.po b/modules/po/imapauth.id_ID.po new file mode 100644 index 00000000..a4829ca2 --- /dev/null +++ b/modules/po/imapauth.id_ID.po @@ -0,0 +1,21 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=1; plural=0;\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: id\n" +"X-Crowdin-File: /1.7.x/modules/po/imapauth.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Indonesian\n" +"Language: id_ID\n" + +#: imapauth.cpp:168 +msgid "[ server [+]port [ UserFormatString ] ]" +msgstr "" + +#: imapauth.cpp:171 +msgid "Allow users to authenticate via IMAP." +msgstr "" diff --git a/modules/po/keepnick.id_ID.po b/modules/po/keepnick.id_ID.po new file mode 100644 index 00000000..3bd1c78d --- /dev/null +++ b/modules/po/keepnick.id_ID.po @@ -0,0 +1,53 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=1; plural=0;\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: id\n" +"X-Crowdin-File: /1.7.x/modules/po/keepnick.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Indonesian\n" +"Language: id_ID\n" + +#: keepnick.cpp:39 +msgid "Try to get your primary nick" +msgstr "" + +#: keepnick.cpp:42 keepnick.cpp:196 +msgid "No longer trying to get your primary nick" +msgstr "" + +#: keepnick.cpp:44 +msgid "Show the current state" +msgstr "" + +#: keepnick.cpp:158 +msgid "ZNC is already trying to get this nickname" +msgstr "" + +#: keepnick.cpp:173 +msgid "Unable to obtain nick {1}: {2}, {3}" +msgstr "" + +#: keepnick.cpp:181 +msgid "Unable to obtain nick {1}" +msgstr "" + +#: keepnick.cpp:191 +msgid "Trying to get your primary nick" +msgstr "" + +#: keepnick.cpp:201 +msgid "Currently trying to get your primary nick" +msgstr "" + +#: keepnick.cpp:203 +msgid "Currently disabled, try 'enable'" +msgstr "" + +#: keepnick.cpp:224 +msgid "Keeps trying for your primary nick" +msgstr "" diff --git a/modules/po/kickrejoin.id_ID.po b/modules/po/kickrejoin.id_ID.po new file mode 100644 index 00000000..9f248f6f --- /dev/null +++ b/modules/po/kickrejoin.id_ID.po @@ -0,0 +1,59 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=1; plural=0;\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: id\n" +"X-Crowdin-File: /1.7.x/modules/po/kickrejoin.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Indonesian\n" +"Language: id_ID\n" + +#: kickrejoin.cpp:56 +msgid "" +msgstr "" + +#: kickrejoin.cpp:56 +msgid "Set the rejoin delay" +msgstr "" + +#: kickrejoin.cpp:58 +msgid "Show the rejoin delay" +msgstr "" + +#: kickrejoin.cpp:77 +msgid "Illegal argument, must be a positive number or 0" +msgstr "" + +#: kickrejoin.cpp:90 +msgid "Negative delays don't make any sense!" +msgstr "" + +#: kickrejoin.cpp:98 +msgid "Rejoin delay set to 1 second" +msgid_plural "Rejoin delay set to {1} seconds" +msgstr[0] "" + +#: kickrejoin.cpp:101 +msgid "Rejoin delay disabled" +msgstr "" + +#: kickrejoin.cpp:106 +msgid "Rejoin delay is set to 1 second" +msgid_plural "Rejoin delay is set to {1} seconds" +msgstr[0] "" + +#: kickrejoin.cpp:109 +msgid "Rejoin delay is disabled" +msgstr "" + +#: kickrejoin.cpp:131 +msgid "You might enter the number of seconds to wait before rejoining." +msgstr "" + +#: kickrejoin.cpp:134 +msgid "Autorejoins on kick" +msgstr "" diff --git a/modules/po/kickrejoin.ru_RU.po b/modules/po/kickrejoin.ru_RU.po index 18f36ae1..2ad92bef 100644 --- a/modules/po/kickrejoin.ru_RU.po +++ b/modules/po/kickrejoin.ru_RU.po @@ -16,7 +16,7 @@ msgstr "" #: kickrejoin.cpp:56 msgid "" -msgstr "" +msgstr "<секунды>" #: kickrejoin.cpp:56 msgid "Set the rejoin delay" diff --git a/modules/po/lastseen.id_ID.po b/modules/po/lastseen.id_ID.po new file mode 100644 index 00000000..ee47f5e3 --- /dev/null +++ b/modules/po/lastseen.id_ID.po @@ -0,0 +1,67 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=1; plural=0;\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: id\n" +"X-Crowdin-File: /1.7.x/modules/po/lastseen.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Indonesian\n" +"Language: id_ID\n" + +#: modules/po/../data/lastseen/tmpl/index.tmpl:8 +msgid "User" +msgstr "" + +#: modules/po/../data/lastseen/tmpl/index.tmpl:9 lastseen.cpp:98 +msgid "Last Seen" +msgstr "" + +#: modules/po/../data/lastseen/tmpl/index.tmpl:10 +msgid "Info" +msgstr "" + +#: modules/po/../data/lastseen/tmpl/index.tmpl:11 +msgid "Action" +msgstr "" + +#: modules/po/../data/lastseen/tmpl/index.tmpl:21 +msgid "Edit" +msgstr "" + +#: modules/po/../data/lastseen/tmpl/index.tmpl:22 +msgid "Delete" +msgstr "" + +#: modules/po/../data/lastseen/tmpl/lastseen_WebadminUser.tmpl:6 +msgid "Last login time:" +msgstr "" + +#: lastseen.cpp:53 +msgid "Access denied" +msgstr "" + +#: lastseen.cpp:61 lastseen.cpp:66 +msgctxt "show" +msgid "User" +msgstr "" + +#: lastseen.cpp:62 lastseen.cpp:67 +msgctxt "show" +msgid "Last Seen" +msgstr "" + +#: lastseen.cpp:68 lastseen.cpp:124 +msgid "never" +msgstr "" + +#: lastseen.cpp:78 +msgid "Shows list of users and when they last logged in" +msgstr "" + +#: lastseen.cpp:153 +msgid "Collects data about when a user last logged in." +msgstr "" diff --git a/modules/po/listsockets.id_ID.po b/modules/po/listsockets.id_ID.po new file mode 100644 index 00000000..768dc2ce --- /dev/null +++ b/modules/po/listsockets.id_ID.po @@ -0,0 +1,113 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=1; plural=0;\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: id\n" +"X-Crowdin-File: /1.7.x/modules/po/listsockets.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Indonesian\n" +"Language: id_ID\n" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:7 listsockets.cpp:214 +#: listsockets.cpp:230 +msgid "Name" +msgstr "" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:8 listsockets.cpp:215 +#: listsockets.cpp:231 +msgid "Created" +msgstr "" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:9 listsockets.cpp:216 +#: listsockets.cpp:232 +msgid "State" +msgstr "" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:10 listsockets.cpp:218 +#: listsockets.cpp:235 +msgid "SSL" +msgstr "" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:11 listsockets.cpp:220 +#: listsockets.cpp:240 +msgid "Local" +msgstr "" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:12 listsockets.cpp:221 +#: listsockets.cpp:242 +msgid "Remote" +msgstr "" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:13 +msgid "Data In" +msgstr "" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:14 +msgid "Data Out" +msgstr "" + +#: listsockets.cpp:62 +msgid "[-n]" +msgstr "" + +#: listsockets.cpp:62 +msgid "Shows the list of active sockets. Pass -n to show IP addresses" +msgstr "" + +#: listsockets.cpp:70 +msgid "You must be admin to use this module" +msgstr "" + +#: listsockets.cpp:96 +msgid "List sockets" +msgstr "" + +#: listsockets.cpp:116 listsockets.cpp:236 +msgctxt "ssl" +msgid "Yes" +msgstr "" + +#: listsockets.cpp:116 listsockets.cpp:237 +msgctxt "ssl" +msgid "No" +msgstr "" + +#: listsockets.cpp:142 +msgid "Listener" +msgstr "" + +#: listsockets.cpp:144 +msgid "Inbound" +msgstr "" + +#: listsockets.cpp:147 +msgid "Outbound" +msgstr "" + +#: listsockets.cpp:149 +msgid "Connecting" +msgstr "" + +#: listsockets.cpp:152 +msgid "UNKNOWN" +msgstr "" + +#: listsockets.cpp:207 +msgid "You have no open sockets." +msgstr "" + +#: listsockets.cpp:222 listsockets.cpp:244 +msgid "In" +msgstr "" + +#: listsockets.cpp:223 listsockets.cpp:246 +msgid "Out" +msgstr "" + +#: listsockets.cpp:262 +msgid "Lists active sockets" +msgstr "" diff --git a/modules/po/log.id_ID.po b/modules/po/log.id_ID.po new file mode 100644 index 00000000..ffb09b0d --- /dev/null +++ b/modules/po/log.id_ID.po @@ -0,0 +1,147 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=1; plural=0;\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: id\n" +"X-Crowdin-File: /1.7.x/modules/po/log.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Indonesian\n" +"Language: id_ID\n" + +#: log.cpp:59 +msgid "" +msgstr "" + +#: log.cpp:60 +msgid "Set logging rules, use !#chan or !query to negate and * " +msgstr "" + +#: log.cpp:62 +msgid "Clear all logging rules" +msgstr "" + +#: log.cpp:64 +msgid "List all logging rules" +msgstr "" + +#: log.cpp:67 +msgid " true|false" +msgstr "" + +#: log.cpp:68 +msgid "Set one of the following options: joins, quits, nickchanges" +msgstr "" + +#: log.cpp:71 +msgid "Show current settings set by Set command" +msgstr "" + +#: log.cpp:143 +msgid "Usage: SetRules " +msgstr "" + +#: log.cpp:144 +msgid "Wildcards are allowed" +msgstr "" + +#: log.cpp:156 log.cpp:178 +msgid "No logging rules. Everything is logged." +msgstr "" + +#: log.cpp:161 +msgid "1 rule removed: {2}" +msgid_plural "{1} rules removed: {2}" +msgstr[0] "" + +#: log.cpp:168 log.cpp:173 +msgctxt "listrules" +msgid "Rule" +msgstr "" + +#: log.cpp:169 log.cpp:174 +msgctxt "listrules" +msgid "Logging enabled" +msgstr "" + +#: log.cpp:189 +msgid "" +"Usage: Set true|false, where is one of: joins, quits, nickchanges" +msgstr "" + +#: log.cpp:196 +msgid "Will log joins" +msgstr "" + +#: log.cpp:196 +msgid "Will not log joins" +msgstr "" + +#: log.cpp:197 +msgid "Will log quits" +msgstr "" + +#: log.cpp:197 +msgid "Will not log quits" +msgstr "" + +#: log.cpp:199 +msgid "Will log nick changes" +msgstr "" + +#: log.cpp:199 +msgid "Will not log nick changes" +msgstr "" + +#: log.cpp:203 +msgid "Unknown variable. Known variables: joins, quits, nickchanges" +msgstr "" + +#: log.cpp:211 +msgid "Logging joins" +msgstr "" + +#: log.cpp:211 +msgid "Not logging joins" +msgstr "" + +#: log.cpp:212 +msgid "Logging quits" +msgstr "" + +#: log.cpp:212 +msgid "Not logging quits" +msgstr "" + +#: log.cpp:213 +msgid "Logging nick changes" +msgstr "" + +#: log.cpp:214 +msgid "Not logging nick changes" +msgstr "" + +#: log.cpp:351 +msgid "" +"Invalid args [{1}]. Only one log path allowed. Check that there are no " +"spaces in the path." +msgstr "" + +#: log.cpp:401 +msgid "Invalid log path [{1}]" +msgstr "" + +#: log.cpp:404 +msgid "Logging to [{1}]. Using timestamp format '{2}'" +msgstr "" + +#: log.cpp:559 +msgid "[-sanitize] Optional path where to store logs." +msgstr "" + +#: log.cpp:563 +msgid "Writes IRC logs." +msgstr "" diff --git a/modules/po/missingmotd.id_ID.po b/modules/po/missingmotd.id_ID.po new file mode 100644 index 00000000..16807862 --- /dev/null +++ b/modules/po/missingmotd.id_ID.po @@ -0,0 +1,17 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=1; plural=0;\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: id\n" +"X-Crowdin-File: /1.7.x/modules/po/missingmotd.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Indonesian\n" +"Language: id_ID\n" + +#: missingmotd.cpp:36 +msgid "Sends 422 to clients when they login" +msgstr "" diff --git a/modules/po/modperl.id_ID.po b/modules/po/modperl.id_ID.po new file mode 100644 index 00000000..5655aa99 --- /dev/null +++ b/modules/po/modperl.id_ID.po @@ -0,0 +1,17 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=1; plural=0;\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: id\n" +"X-Crowdin-File: /1.7.x/modules/po/modperl.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Indonesian\n" +"Language: id_ID\n" + +#: modperl.cpp:382 +msgid "Loads perl scripts as ZNC modules" +msgstr "" diff --git a/modules/po/modpython.id_ID.po b/modules/po/modpython.id_ID.po new file mode 100644 index 00000000..89beb60b --- /dev/null +++ b/modules/po/modpython.id_ID.po @@ -0,0 +1,17 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=1; plural=0;\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: id\n" +"X-Crowdin-File: /1.7.x/modules/po/modpython.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Indonesian\n" +"Language: id_ID\n" + +#: modpython.cpp:512 +msgid "Loads python scripts as ZNC modules" +msgstr "" diff --git a/modules/po/modules_online.id_ID.po b/modules/po/modules_online.id_ID.po new file mode 100644 index 00000000..79c141c9 --- /dev/null +++ b/modules/po/modules_online.id_ID.po @@ -0,0 +1,17 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=1; plural=0;\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: id\n" +"X-Crowdin-File: /1.7.x/modules/po/modules_online.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Indonesian\n" +"Language: id_ID\n" + +#: modules_online.cpp:117 +msgid "Makes ZNC's *modules to be \"online\"." +msgstr "" diff --git a/modules/po/nickserv.id_ID.po b/modules/po/nickserv.id_ID.po new file mode 100644 index 00000000..d76dfe22 --- /dev/null +++ b/modules/po/nickserv.id_ID.po @@ -0,0 +1,75 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=1; plural=0;\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: id\n" +"X-Crowdin-File: /1.7.x/modules/po/nickserv.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Indonesian\n" +"Language: id_ID\n" + +#: nickserv.cpp:31 +msgid "Password set" +msgstr "" + +#: nickserv.cpp:38 +msgid "NickServ name set" +msgstr "" + +#: nickserv.cpp:54 +msgid "No such editable command. See ViewCommands for list." +msgstr "" + +#: nickserv.cpp:57 +msgid "Ok" +msgstr "" + +#: nickserv.cpp:62 +msgid "password" +msgstr "" + +#: nickserv.cpp:62 +msgid "Set your nickserv password" +msgstr "" + +#: nickserv.cpp:64 +msgid "Clear your nickserv password" +msgstr "" + +#: nickserv.cpp:66 +msgid "nickname" +msgstr "" + +#: nickserv.cpp:67 +msgid "" +"Set NickServ name (Useful on networks like EpiKnet, where NickServ is named " +"Themis" +msgstr "" + +#: nickserv.cpp:71 +msgid "Reset NickServ name to default (NickServ)" +msgstr "" + +#: nickserv.cpp:75 +msgid "Show patterns for lines, which are being sent to NickServ" +msgstr "" + +#: nickserv.cpp:77 +msgid "cmd new-pattern" +msgstr "" + +#: nickserv.cpp:78 +msgid "Set pattern for commands" +msgstr "" + +#: nickserv.cpp:140 +msgid "Please enter your nickserv password." +msgstr "" + +#: nickserv.cpp:144 +msgid "Auths you with NickServ (prefer SASL module instead)" +msgstr "" diff --git a/modules/po/notes.id_ID.po b/modules/po/notes.id_ID.po new file mode 100644 index 00000000..256ccb5f --- /dev/null +++ b/modules/po/notes.id_ID.po @@ -0,0 +1,119 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=1; plural=0;\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: id\n" +"X-Crowdin-File: /1.7.x/modules/po/notes.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Indonesian\n" +"Language: id_ID\n" + +#: modules/po/../data/notes/tmpl/index.tmpl:7 +msgid "Add A Note" +msgstr "" + +#: modules/po/../data/notes/tmpl/index.tmpl:11 +msgid "Key:" +msgstr "" + +#: modules/po/../data/notes/tmpl/index.tmpl:15 +msgid "Note:" +msgstr "" + +#: modules/po/../data/notes/tmpl/index.tmpl:19 +msgid "Add Note" +msgstr "" + +#: modules/po/../data/notes/tmpl/index.tmpl:27 +msgid "You have no notes to display." +msgstr "" + +#: modules/po/../data/notes/tmpl/index.tmpl:34 notes.cpp:164 notes.cpp:169 +msgid "Key" +msgstr "" + +#: modules/po/../data/notes/tmpl/index.tmpl:35 notes.cpp:165 notes.cpp:170 +msgid "Note" +msgstr "" + +#: modules/po/../data/notes/tmpl/index.tmpl:41 +msgid "[del]" +msgstr "" + +#: notes.cpp:32 +msgid "That note already exists. Use MOD to overwrite." +msgstr "" + +#: notes.cpp:35 notes.cpp:137 +msgid "Added note {1}" +msgstr "" + +#: notes.cpp:37 notes.cpp:48 notes.cpp:142 +msgid "Unable to add note {1}" +msgstr "" + +#: notes.cpp:46 notes.cpp:139 +msgid "Set note for {1}" +msgstr "" + +#: notes.cpp:56 +msgid "This note doesn't exist." +msgstr "" + +#: notes.cpp:66 notes.cpp:116 +msgid "Deleted note {1}" +msgstr "" + +#: notes.cpp:68 notes.cpp:118 +msgid "Unable to delete note {1}" +msgstr "" + +#: notes.cpp:75 +msgid "List notes" +msgstr "" + +#: notes.cpp:77 notes.cpp:81 +msgid " " +msgstr "" + +#: notes.cpp:77 +msgid "Add a note" +msgstr "" + +#: notes.cpp:79 notes.cpp:83 +msgid "" +msgstr "" + +#: notes.cpp:79 +msgid "Delete a note" +msgstr "" + +#: notes.cpp:81 +msgid "Modify a note" +msgstr "" + +#: notes.cpp:94 +msgid "Notes" +msgstr "" + +#: notes.cpp:133 +msgid "That note already exists. Use /#+ to overwrite." +msgstr "" + +#: notes.cpp:185 notes.cpp:187 +msgid "You have no entries." +msgstr "" + +#: notes.cpp:223 +msgid "" +"This user module takes up to one arguments. It can be -disableNotesOnLogin " +"not to show notes upon client login" +msgstr "" + +#: notes.cpp:227 +msgid "Keep and replay notes" +msgstr "" diff --git a/modules/po/notify_connect.id_ID.po b/modules/po/notify_connect.id_ID.po new file mode 100644 index 00000000..f6bec696 --- /dev/null +++ b/modules/po/notify_connect.id_ID.po @@ -0,0 +1,29 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=1; plural=0;\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: id\n" +"X-Crowdin-File: /1.7.x/modules/po/notify_connect.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Indonesian\n" +"Language: id_ID\n" + +#: notify_connect.cpp:24 +msgid "attached" +msgstr "" + +#: notify_connect.cpp:26 +msgid "detached" +msgstr "" + +#: notify_connect.cpp:41 +msgid "{1} {2} from {3}" +msgstr "" + +#: notify_connect.cpp:52 +msgid "Notifies all admin users when a client connects or disconnects." +msgstr "" diff --git a/modules/po/partyline.id_ID.po b/modules/po/partyline.id_ID.po new file mode 100644 index 00000000..63a49f45 --- /dev/null +++ b/modules/po/partyline.id_ID.po @@ -0,0 +1,39 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=1; plural=0;\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: id\n" +"X-Crowdin-File: /1.7.x/modules/po/partyline.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Indonesian\n" +"Language: id_ID\n" + +#: partyline.cpp:60 +msgid "There are no open channels." +msgstr "" + +#: partyline.cpp:66 partyline.cpp:73 +msgid "Channel" +msgstr "" + +#: partyline.cpp:67 partyline.cpp:74 +msgid "Users" +msgstr "" + +#: partyline.cpp:82 +msgid "List all open channels" +msgstr "" + +#: partyline.cpp:733 +msgid "" +"You may enter a list of channels the user joins, when entering the internal " +"partyline." +msgstr "" + +#: partyline.cpp:739 +msgid "Internal channels and queries for users connected to ZNC" +msgstr "" diff --git a/modules/po/perform.id_ID.po b/modules/po/perform.id_ID.po new file mode 100644 index 00000000..aa256250 --- /dev/null +++ b/modules/po/perform.id_ID.po @@ -0,0 +1,108 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=1; plural=0;\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: id\n" +"X-Crowdin-File: /1.7.x/modules/po/perform.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Indonesian\n" +"Language: id_ID\n" + +#: modules/po/../data/perform/tmpl/index.tmpl:7 perform.cpp:143 +msgid "Perform" +msgstr "" + +#: modules/po/../data/perform/tmpl/index.tmpl:11 +msgid "Perform commands:" +msgstr "" + +#: modules/po/../data/perform/tmpl/index.tmpl:15 +msgid "Commands sent to the IRC server on connect, one per line." +msgstr "" + +#: modules/po/../data/perform/tmpl/index.tmpl:18 +msgid "Save" +msgstr "" + +#: perform.cpp:24 +msgid "Usage: add " +msgstr "" + +#: perform.cpp:29 +msgid "Added!" +msgstr "" + +#: perform.cpp:37 perform.cpp:82 +msgid "Illegal # Requested" +msgstr "" + +#: perform.cpp:41 +msgid "Command Erased." +msgstr "" + +#: perform.cpp:50 perform.cpp:56 +msgctxt "list" +msgid "Id" +msgstr "" + +#: perform.cpp:51 perform.cpp:57 +msgctxt "list" +msgid "Perform" +msgstr "" + +#: perform.cpp:52 perform.cpp:62 +msgctxt "list" +msgid "Expanded" +msgstr "" + +#: perform.cpp:67 +msgid "No commands in your perform list." +msgstr "" + +#: perform.cpp:73 +msgid "perform commands sent" +msgstr "" + +#: perform.cpp:86 +msgid "Commands Swapped." +msgstr "" + +#: perform.cpp:95 +msgid "" +msgstr "" + +#: perform.cpp:96 +msgid "Adds perform command to be sent to the server on connect" +msgstr "" + +#: perform.cpp:98 +msgid "" +msgstr "" + +#: perform.cpp:98 +msgid "Delete a perform command" +msgstr "" + +#: perform.cpp:100 +msgid "List the perform commands" +msgstr "" + +#: perform.cpp:103 +msgid "Send the perform commands to the server now" +msgstr "" + +#: perform.cpp:105 +msgid " " +msgstr "" + +#: perform.cpp:106 +msgid "Swap two perform commands" +msgstr "" + +#: perform.cpp:192 +msgid "Keeps a list of commands to be executed when ZNC connects to IRC." +msgstr "" diff --git a/modules/po/perleval.id_ID.po b/modules/po/perleval.id_ID.po new file mode 100644 index 00000000..4f1303de --- /dev/null +++ b/modules/po/perleval.id_ID.po @@ -0,0 +1,31 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=1; plural=0;\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: id\n" +"X-Crowdin-File: /1.7.x/modules/po/perleval.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Indonesian\n" +"Language: id_ID\n" + +#: perleval.pm:23 +msgid "Evaluates perl code" +msgstr "" + +#: perleval.pm:33 +msgid "Only admin can load this module" +msgstr "" + +#: perleval.pm:44 +#, perl-format +msgid "Error: %s" +msgstr "" + +#: perleval.pm:46 +#, perl-format +msgid "Result: %s" +msgstr "" diff --git a/modules/po/pyeval.id_ID.po b/modules/po/pyeval.id_ID.po new file mode 100644 index 00000000..df19acf1 --- /dev/null +++ b/modules/po/pyeval.id_ID.po @@ -0,0 +1,21 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=1; plural=0;\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: id\n" +"X-Crowdin-File: /1.7.x/modules/po/pyeval.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Indonesian\n" +"Language: id_ID\n" + +#: pyeval.py:49 +msgid "You must have admin privileges to load this module." +msgstr "" + +#: pyeval.py:82 +msgid "Evaluates python code" +msgstr "" diff --git a/modules/po/q.id_ID.po b/modules/po/q.id_ID.po new file mode 100644 index 00000000..73880857 --- /dev/null +++ b/modules/po/q.id_ID.po @@ -0,0 +1,296 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=1; plural=0;\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: id\n" +"X-Crowdin-File: /1.7.x/modules/po/q.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Indonesian\n" +"Language: id_ID\n" + +#: modules/po/../data/q/tmpl/index.tmpl:11 +msgid "Username:" +msgstr "" + +#: modules/po/../data/q/tmpl/index.tmpl:13 +msgid "Please enter a username." +msgstr "" + +#: modules/po/../data/q/tmpl/index.tmpl:16 +msgid "Password:" +msgstr "" + +#: modules/po/../data/q/tmpl/index.tmpl:18 +msgid "Please enter a password." +msgstr "" + +#: modules/po/../data/q/tmpl/index.tmpl:26 +msgid "Options" +msgstr "" + +#: modules/po/../data/q/tmpl/index.tmpl:42 +msgid "Save" +msgstr "" + +#: q.cpp:74 +msgid "" +"Notice: Your host will be cloaked the next time you reconnect to IRC. If you " +"want to cloak your host now, /msg *q Cloak. You can set your preference " +"with /msg *q Set UseCloakedHost true/false." +msgstr "" + +#: q.cpp:111 +msgid "The following commands are available:" +msgstr "" + +#: q.cpp:113 q.cpp:116 q.cpp:121 q.cpp:126 q.cpp:130 q.cpp:135 q.cpp:140 +msgid "Command" +msgstr "" + +#: q.cpp:114 q.cpp:117 q.cpp:123 q.cpp:127 q.cpp:132 q.cpp:136 q.cpp:141 +#: q.cpp:150 q.cpp:154 q.cpp:158 q.cpp:162 q.cpp:168 q.cpp:174 q.cpp:180 +#: q.cpp:186 +msgid "Description" +msgstr "" + +#: q.cpp:116 +msgid "Auth [ ]" +msgstr "" + +#: q.cpp:118 +msgid "Tries to authenticate you with Q. Both parameters are optional." +msgstr "" + +#: q.cpp:124 +msgid "Tries to set usermode +x to hide your real hostname." +msgstr "" + +#: q.cpp:128 +msgid "Prints the current status of the module." +msgstr "" + +#: q.cpp:133 +msgid "Re-requests the current user information from Q." +msgstr "" + +#: q.cpp:135 +msgid "Set " +msgstr "" + +#: q.cpp:137 +msgid "Changes the value of the given setting. See the list of settings below." +msgstr "" + +#: q.cpp:142 +msgid "Prints out the current configuration. See the list of settings below." +msgstr "" + +#: q.cpp:146 +msgid "The following settings are available:" +msgstr "" + +#: q.cpp:148 q.cpp:152 q.cpp:156 q.cpp:160 q.cpp:166 q.cpp:172 q.cpp:178 +#: q.cpp:183 q.cpp:227 q.cpp:230 q.cpp:233 q.cpp:236 q.cpp:239 q.cpp:242 +#: q.cpp:245 q.cpp:248 +msgid "Setting" +msgstr "" + +#: q.cpp:149 q.cpp:153 q.cpp:157 q.cpp:161 q.cpp:167 q.cpp:173 q.cpp:179 +#: q.cpp:184 +msgid "Type" +msgstr "" + +#: q.cpp:153 q.cpp:157 +msgid "String" +msgstr "" + +#: q.cpp:154 +msgid "Your Q username." +msgstr "" + +#: q.cpp:158 +msgid "Your Q password." +msgstr "" + +#: q.cpp:161 q.cpp:167 q.cpp:173 q.cpp:179 q.cpp:184 +msgid "Boolean" +msgstr "" + +#: q.cpp:163 q.cpp:373 +msgid "Whether to cloak your hostname (+x) automatically on connect." +msgstr "" + +#: q.cpp:169 q.cpp:381 +msgid "" +"Whether to use the CHALLENGEAUTH mechanism to avoid sending passwords in " +"cleartext." +msgstr "" + +#: q.cpp:175 q.cpp:389 +msgid "Whether to request voice/op from Q on join/devoice/deop." +msgstr "" + +#: q.cpp:181 q.cpp:395 +msgid "Whether to join channels when Q invites you." +msgstr "" + +#: q.cpp:187 q.cpp:402 +msgid "Whether to delay joining channels until after you are cloaked." +msgstr "" + +#: q.cpp:192 +msgid "This module takes 2 optional parameters: " +msgstr "" + +#: q.cpp:194 +msgid "Module settings are stored between restarts." +msgstr "" + +#: q.cpp:200 +msgid "Syntax: Set " +msgstr "" + +#: q.cpp:203 +msgid "Username set" +msgstr "" + +#: q.cpp:206 +msgid "Password set" +msgstr "" + +#: q.cpp:209 +msgid "UseCloakedHost set" +msgstr "" + +#: q.cpp:212 +msgid "UseChallenge set" +msgstr "" + +#: q.cpp:215 +msgid "RequestPerms set" +msgstr "" + +#: q.cpp:218 +msgid "JoinOnInvite set" +msgstr "" + +#: q.cpp:221 +msgid "JoinAfterCloaked set" +msgstr "" + +#: q.cpp:223 +msgid "Unknown setting: {1}" +msgstr "" + +#: q.cpp:228 q.cpp:231 q.cpp:234 q.cpp:237 q.cpp:240 q.cpp:243 q.cpp:246 +#: q.cpp:249 +msgid "Value" +msgstr "" + +#: q.cpp:253 +msgid "Connected: yes" +msgstr "" + +#: q.cpp:254 +msgid "Connected: no" +msgstr "" + +#: q.cpp:255 +msgid "Cloacked: yes" +msgstr "" + +#: q.cpp:255 +msgid "Cloacked: no" +msgstr "" + +#: q.cpp:256 +msgid "Authenticated: yes" +msgstr "" + +#: q.cpp:257 +msgid "Authenticated: no" +msgstr "" + +#: q.cpp:262 +msgid "Error: You are not connected to IRC." +msgstr "" + +#: q.cpp:270 +msgid "Error: You are already cloaked!" +msgstr "" + +#: q.cpp:276 +msgid "Error: You are already authed!" +msgstr "" + +#: q.cpp:280 +msgid "Update requested." +msgstr "" + +#: q.cpp:283 +msgid "Unknown command. Try 'help'." +msgstr "" + +#: q.cpp:293 +msgid "Cloak successful: Your hostname is now cloaked." +msgstr "" + +#: q.cpp:408 +msgid "Changes have been saved!" +msgstr "" + +#: q.cpp:435 +msgid "Cloak: Trying to cloak your hostname, setting +x..." +msgstr "" + +#: q.cpp:452 +msgid "" +"You have to set a username and password to use this module! See 'help' for " +"details." +msgstr "" + +#: q.cpp:458 +msgid "Auth: Requesting CHALLENGE..." +msgstr "" + +#: q.cpp:462 +msgid "Auth: Sending AUTH request..." +msgstr "" + +#: q.cpp:479 +msgid "Auth: Received challenge, sending CHALLENGEAUTH request..." +msgstr "" + +#: q.cpp:521 +msgid "Authentication failed: {1}" +msgstr "" + +#: q.cpp:525 +msgid "Authentication successful: {1}" +msgstr "" + +#: q.cpp:539 +msgid "" +"Auth failed: Q does not support HMAC-SHA-256 for CHALLENGEAUTH, falling back " +"to standard AUTH." +msgstr "" + +#: q.cpp:566 +msgid "RequestPerms: Requesting op on {1}" +msgstr "" + +#: q.cpp:579 +msgid "RequestPerms: Requesting voice on {1}" +msgstr "" + +#: q.cpp:686 +msgid "Please provide your username and password for Q." +msgstr "" + +#: q.cpp:689 +msgid "Auths you with QuakeNet's Q bot." +msgstr "" diff --git a/modules/po/raw.id_ID.po b/modules/po/raw.id_ID.po new file mode 100644 index 00000000..5e9b4cf4 --- /dev/null +++ b/modules/po/raw.id_ID.po @@ -0,0 +1,17 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=1; plural=0;\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: id\n" +"X-Crowdin-File: /1.7.x/modules/po/raw.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Indonesian\n" +"Language: id_ID\n" + +#: raw.cpp:43 +msgid "View all of the raw traffic" +msgstr "" diff --git a/modules/po/route_replies.id_ID.po b/modules/po/route_replies.id_ID.po new file mode 100644 index 00000000..79376aef --- /dev/null +++ b/modules/po/route_replies.id_ID.po @@ -0,0 +1,59 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=1; plural=0;\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: id\n" +"X-Crowdin-File: /1.7.x/modules/po/route_replies.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Indonesian\n" +"Language: id_ID\n" + +#: route_replies.cpp:209 +msgid "[yes|no]" +msgstr "" + +#: route_replies.cpp:210 +msgid "Decides whether to show the timeout messages or not" +msgstr "" + +#: route_replies.cpp:350 +msgid "This module hit a timeout which is probably a connectivity issue." +msgstr "" + +#: route_replies.cpp:353 +msgid "" +"However, if you can provide steps to reproduce this issue, please do report " +"a bug." +msgstr "" + +#: route_replies.cpp:356 +msgid "To disable this message, do \"/msg {1} silent yes\"" +msgstr "" + +#: route_replies.cpp:358 +msgid "Last request: {1}" +msgstr "" + +#: route_replies.cpp:359 +msgid "Expected replies:" +msgstr "" + +#: route_replies.cpp:363 +msgid "{1} (last)" +msgstr "" + +#: route_replies.cpp:435 +msgid "Timeout messages are disabled." +msgstr "" + +#: route_replies.cpp:436 +msgid "Timeout messages are enabled." +msgstr "" + +#: route_replies.cpp:457 +msgid "Send replies (e.g. to /who) to the right client only" +msgstr "" diff --git a/modules/po/sample.id_ID.po b/modules/po/sample.id_ID.po new file mode 100644 index 00000000..1a1cd54a --- /dev/null +++ b/modules/po/sample.id_ID.po @@ -0,0 +1,118 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=1; plural=0;\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: id\n" +"X-Crowdin-File: /1.7.x/modules/po/sample.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Indonesian\n" +"Language: id_ID\n" + +#: sample.cpp:31 +msgid "Sample job cancelled" +msgstr "" + +#: sample.cpp:33 +msgid "Sample job destroyed" +msgstr "" + +#: sample.cpp:50 +msgid "Sample job done" +msgstr "" + +#: sample.cpp:65 +msgid "TEST!!!!" +msgstr "" + +#: sample.cpp:74 +msgid "I'm being loaded with the arguments: {1}" +msgstr "" + +#: sample.cpp:85 +msgid "I'm being unloaded!" +msgstr "" + +#: sample.cpp:94 +msgid "You got connected BoyOh." +msgstr "" + +#: sample.cpp:98 +msgid "You got disconnected BoyOh." +msgstr "" + +#: sample.cpp:116 +msgid "{1} {2} set mode on {3} {4}{5} {6}" +msgstr "" + +#: sample.cpp:123 +msgid "{1} {2} opped {3} on {4}" +msgstr "" + +#: sample.cpp:129 +msgid "{1} {2} deopped {3} on {4}" +msgstr "" + +#: sample.cpp:135 +msgid "{1} {2} voiced {3} on {4}" +msgstr "" + +#: sample.cpp:141 +msgid "{1} {2} devoiced {3} on {4}" +msgstr "" + +#: sample.cpp:147 +msgid "* {1} sets mode: {2} {3} on {4}" +msgstr "" + +#: sample.cpp:163 +msgid "{1} kicked {2} from {3} with the msg {4}" +msgstr "" + +#: sample.cpp:169 +msgid "* {1} ({2}@{3}) quits ({4}) from channel: {6}" +msgid_plural "* {1} ({2}@{3}) quits ({4}) from {5} channels: {6}" +msgstr[0] "" + +#: sample.cpp:177 +msgid "Attempting to join {1}" +msgstr "" + +#: sample.cpp:182 +msgid "* {1} ({2}@{3}) joins {4}" +msgstr "" + +#: sample.cpp:189 +msgid "* {1} ({2}@{3}) parts {4}" +msgstr "" + +#: sample.cpp:196 +msgid "{1} invited us to {2}, ignoring invites to {2}" +msgstr "" + +#: sample.cpp:201 +msgid "{1} invited us to {2}" +msgstr "" + +#: sample.cpp:207 +msgid "{1} is now known as {2}" +msgstr "" + +#: sample.cpp:269 sample.cpp:276 +msgid "{1} changes topic on {2} to {3}" +msgstr "" + +#: sample.cpp:317 +msgid "Hi, I'm your friendly sample module." +msgstr "" + +#: sample.cpp:330 +msgid "Description of module arguments goes here." +msgstr "" + +#: sample.cpp:333 +msgid "To be used as a sample for writing modules" +msgstr "" diff --git a/modules/po/samplewebapi.id_ID.po b/modules/po/samplewebapi.id_ID.po new file mode 100644 index 00000000..1b3b6188 --- /dev/null +++ b/modules/po/samplewebapi.id_ID.po @@ -0,0 +1,17 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=1; plural=0;\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: id\n" +"X-Crowdin-File: /1.7.x/modules/po/samplewebapi.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Indonesian\n" +"Language: id_ID\n" + +#: samplewebapi.cpp:59 +msgid "Sample Web API module." +msgstr "" diff --git a/modules/po/sasl.id_ID.po b/modules/po/sasl.id_ID.po new file mode 100644 index 00000000..59b57e3b --- /dev/null +++ b/modules/po/sasl.id_ID.po @@ -0,0 +1,174 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=1; plural=0;\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: id\n" +"X-Crowdin-File: /1.7.x/modules/po/sasl.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Indonesian\n" +"Language: id_ID\n" + +#: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:290 +msgid "SASL" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:11 +msgid "Username:" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:13 +msgid "Please enter a username." +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:16 +msgid "Password:" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:18 +msgid "Please enter a password." +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:22 +msgid "Options" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:25 +msgid "Connect only if SASL authentication succeeds." +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:27 +msgid "Require authentication" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:35 +msgid "Mechanisms" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:42 +msgid "Name" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:43 sasl.cpp:89 sasl.cpp:94 +msgid "Description" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:57 +msgid "Selected mechanisms and their order:" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:74 +msgid "Save" +msgstr "" + +#: sasl.cpp:54 +msgid "TLS certificate, for use with the *cert module" +msgstr "" + +#: sasl.cpp:56 +msgid "" +"Plain text negotiation, this should work always if the network supports SASL" +msgstr "" + +#: sasl.cpp:62 +msgid "search" +msgstr "" + +#: sasl.cpp:62 +msgid "Generate this output" +msgstr "" + +#: sasl.cpp:64 +msgid "[ []]" +msgstr "" + +#: sasl.cpp:65 +msgid "" +"Set username and password for the mechanisms that need them. Password is " +"optional. Without parameters, returns information about current settings." +msgstr "" + +#: sasl.cpp:69 +msgid "[mechanism[ ...]]" +msgstr "" + +#: sasl.cpp:70 +msgid "Set the mechanisms to be attempted (in order)" +msgstr "" + +#: sasl.cpp:72 +msgid "[yes|no]" +msgstr "" + +#: sasl.cpp:73 +msgid "Don't connect unless SASL authentication succeeds" +msgstr "" + +#: sasl.cpp:88 sasl.cpp:93 +msgid "Mechanism" +msgstr "" + +#: sasl.cpp:97 +msgid "The following mechanisms are available:" +msgstr "" + +#: sasl.cpp:107 +msgid "Username is currently not set" +msgstr "" + +#: sasl.cpp:109 +msgid "Username is currently set to '{1}'" +msgstr "" + +#: sasl.cpp:112 +msgid "Password was not supplied" +msgstr "" + +#: sasl.cpp:114 +msgid "Password was supplied" +msgstr "" + +#: sasl.cpp:122 +msgid "Username has been set to [{1}]" +msgstr "" + +#: sasl.cpp:123 +msgid "Password has been set to [{1}]" +msgstr "" + +#: sasl.cpp:143 +msgid "Current mechanisms set: {1}" +msgstr "" + +#: sasl.cpp:152 +msgid "We require SASL negotiation to connect" +msgstr "" + +#: sasl.cpp:154 +msgid "We will connect even if SASL fails" +msgstr "" + +#: sasl.cpp:191 +msgid "Disabling network, we require authentication." +msgstr "" + +#: sasl.cpp:192 +msgid "Use 'RequireAuth no' to disable." +msgstr "" + +#: sasl.cpp:245 +msgid "{1} mechanism succeeded." +msgstr "" + +#: sasl.cpp:257 +msgid "{1} mechanism failed." +msgstr "" + +#: sasl.cpp:335 +msgid "" +"Adds support for sasl authentication capability to authenticate to an IRC " +"server" +msgstr "" diff --git a/modules/po/savebuff.id_ID.po b/modules/po/savebuff.id_ID.po new file mode 100644 index 00000000..8544bc51 --- /dev/null +++ b/modules/po/savebuff.id_ID.po @@ -0,0 +1,62 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=1; plural=0;\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: id\n" +"X-Crowdin-File: /1.7.x/modules/po/savebuff.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Indonesian\n" +"Language: id_ID\n" + +#: savebuff.cpp:65 +msgid "" +msgstr "" + +#: savebuff.cpp:65 +msgid "Sets the password" +msgstr "" + +#: savebuff.cpp:67 +msgid "" +msgstr "" + +#: savebuff.cpp:67 +msgid "Replays the buffer" +msgstr "" + +#: savebuff.cpp:69 +msgid "Saves all buffers" +msgstr "" + +#: savebuff.cpp:221 +msgid "" +"Password is unset usually meaning the decryption failed. You can setpass to " +"the appropriate pass and things should start working, or setpass to a new " +"pass and save to reinstantiate" +msgstr "" + +#: savebuff.cpp:232 +msgid "Password set to [{1}]" +msgstr "" + +#: savebuff.cpp:262 +msgid "Replayed {1}" +msgstr "" + +#: savebuff.cpp:341 +msgid "Unable to decode Encrypted file {1}" +msgstr "" + +#: savebuff.cpp:358 +msgid "" +"This user module takes up to one arguments. Either --ask-pass or the " +"password itself (which may contain spaces) or nothing" +msgstr "" + +#: savebuff.cpp:363 +msgid "Stores channel and query buffers to disk, encrypted" +msgstr "" diff --git a/modules/po/send_raw.id_ID.po b/modules/po/send_raw.id_ID.po new file mode 100644 index 00000000..0c245fd1 --- /dev/null +++ b/modules/po/send_raw.id_ID.po @@ -0,0 +1,109 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=1; plural=0;\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: id\n" +"X-Crowdin-File: /1.7.x/modules/po/send_raw.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Indonesian\n" +"Language: id_ID\n" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:9 +msgid "Send a raw IRC line" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:14 +msgid "User:" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:15 +msgid "To change user, click to Network selector" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:19 +msgid "User/Network:" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:32 +msgid "Send to:" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:34 +msgid "Client" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:35 +msgid "Server" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:40 +msgid "Line:" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:45 +msgid "Send" +msgstr "" + +#: send_raw.cpp:32 +msgid "Sent [{1}] to {2}/{3}" +msgstr "" + +#: send_raw.cpp:36 send_raw.cpp:56 +msgid "Network {1} not found for user {2}" +msgstr "" + +#: send_raw.cpp:40 send_raw.cpp:60 +msgid "User {1} not found" +msgstr "" + +#: send_raw.cpp:52 +msgid "Sent [{1}] to IRC server of {2}/{3}" +msgstr "" + +#: send_raw.cpp:75 +msgid "You must have admin privileges to load this module" +msgstr "" + +#: send_raw.cpp:82 +msgid "Send Raw" +msgstr "" + +#: send_raw.cpp:92 +msgid "User not found" +msgstr "" + +#: send_raw.cpp:99 +msgid "Network not found" +msgstr "" + +#: send_raw.cpp:116 +msgid "Line sent" +msgstr "" + +#: send_raw.cpp:140 send_raw.cpp:143 +msgid "[user] [network] [data to send]" +msgstr "" + +#: send_raw.cpp:141 +msgid "The data will be sent to the user's IRC client(s)" +msgstr "" + +#: send_raw.cpp:144 +msgid "The data will be sent to the IRC server the user is connected to" +msgstr "" + +#: send_raw.cpp:147 +msgid "[data to send]" +msgstr "" + +#: send_raw.cpp:148 +msgid "The data will be sent to your current client" +msgstr "" + +#: send_raw.cpp:159 +msgid "Lets you send some raw IRC lines as/to someone else" +msgstr "" diff --git a/modules/po/send_raw.ru_RU.po b/modules/po/send_raw.ru_RU.po index 407d9733..83e2c937 100644 --- a/modules/po/send_raw.ru_RU.po +++ b/modules/po/send_raw.ru_RU.po @@ -88,7 +88,7 @@ msgstr "Строка отправлена" #: send_raw.cpp:140 send_raw.cpp:143 msgid "[user] [network] [data to send]" -msgstr "[user] [network] [данные для отправки]" +msgstr "[пользователь] [сеть] [данные для отправки]" #: send_raw.cpp:141 msgid "The data will be sent to the user's IRC client(s)" diff --git a/modules/po/shell.id_ID.po b/modules/po/shell.id_ID.po new file mode 100644 index 00000000..6591d9cb --- /dev/null +++ b/modules/po/shell.id_ID.po @@ -0,0 +1,29 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=1; plural=0;\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: id\n" +"X-Crowdin-File: /1.7.x/modules/po/shell.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Indonesian\n" +"Language: id_ID\n" + +#: shell.cpp:37 +msgid "Failed to execute: {1}" +msgstr "" + +#: shell.cpp:75 +msgid "You must be admin to use the shell module" +msgstr "" + +#: shell.cpp:169 +msgid "Gives shell access" +msgstr "" + +#: shell.cpp:172 +msgid "Gives shell access. Only ZNC admins can use it." +msgstr "" diff --git a/modules/po/shell.ru_RU.po b/modules/po/shell.ru_RU.po index cae704de..71ef2dd2 100644 --- a/modules/po/shell.ru_RU.po +++ b/modules/po/shell.ru_RU.po @@ -24,9 +24,9 @@ msgstr "Вы должны быть администратором для исп #: shell.cpp:169 msgid "Gives shell access" -msgstr "Дает доступ к оболочке" +msgstr "Даёт доступ к оболочке" #: shell.cpp:172 msgid "Gives shell access. Only ZNC admins can use it." msgstr "" -"Дает доступ к оболочке. Только администраторы ZNC могут использовать это." +"Даёт доступ к оболочке. Только администраторы ZNC могут использовать это." diff --git a/modules/po/simple_away.id_ID.po b/modules/po/simple_away.id_ID.po new file mode 100644 index 00000000..59a45461 --- /dev/null +++ b/modules/po/simple_away.id_ID.po @@ -0,0 +1,90 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=1; plural=0;\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: id\n" +"X-Crowdin-File: /1.7.x/modules/po/simple_away.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Indonesian\n" +"Language: id_ID\n" + +#: simple_away.cpp:56 +msgid "[]" +msgstr "" + +#: simple_away.cpp:57 +#, c-format +msgid "" +"Prints or sets the away reason (%awaytime% is replaced with the time you " +"were set away, supports substitutions using ExpandString)" +msgstr "" + +#: simple_away.cpp:63 +msgid "Prints the current time to wait before setting you away" +msgstr "" + +#: simple_away.cpp:65 +msgid "" +msgstr "" + +#: simple_away.cpp:66 +msgid "Sets the time to wait before setting you away" +msgstr "" + +#: simple_away.cpp:69 +msgid "Disables the wait time before setting you away" +msgstr "" + +#: simple_away.cpp:73 +msgid "Get or set the minimum number of clients before going away" +msgstr "" + +#: simple_away.cpp:136 +msgid "Away reason set" +msgstr "" + +#: simple_away.cpp:138 +msgid "Away reason: {1}" +msgstr "" + +#: simple_away.cpp:139 +msgid "Current away reason would be: {1}" +msgstr "" + +#: simple_away.cpp:144 +msgid "Current timer setting: 1 second" +msgid_plural "Current timer setting: {1} seconds" +msgstr[0] "" + +#: simple_away.cpp:153 simple_away.cpp:161 +msgid "Timer disabled" +msgstr "" + +#: simple_away.cpp:155 +msgid "Timer set to 1 second" +msgid_plural "Timer set to: {1} seconds" +msgstr[0] "" + +#: simple_away.cpp:166 +msgid "Current MinClients setting: {1}" +msgstr "" + +#: simple_away.cpp:169 +msgid "MinClients set to {1}" +msgstr "" + +#: simple_away.cpp:248 +msgid "" +"You might enter up to 3 arguments, like -notimer awaymessage or -timer 5 " +"awaymessage." +msgstr "" + +#: simple_away.cpp:253 +msgid "" +"This module will automatically set you away on IRC while you are " +"disconnected from the bouncer." +msgstr "" diff --git a/modules/po/stickychan.id_ID.po b/modules/po/stickychan.id_ID.po new file mode 100644 index 00000000..5b67a637 --- /dev/null +++ b/modules/po/stickychan.id_ID.po @@ -0,0 +1,102 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=1; plural=0;\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: id\n" +"X-Crowdin-File: /1.7.x/modules/po/stickychan.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Indonesian\n" +"Language: id_ID\n" + +#: modules/po/../data/stickychan/tmpl/index.tmpl:9 +msgid "Name" +msgstr "" + +#: modules/po/../data/stickychan/tmpl/index.tmpl:10 +msgid "Sticky" +msgstr "" + +#: modules/po/../data/stickychan/tmpl/index.tmpl:25 +msgid "Save" +msgstr "" + +#: modules/po/../data/stickychan/tmpl/stickychan_WebadminChan.tmpl:8 +msgid "Channel is sticky" +msgstr "" + +#: stickychan.cpp:28 +msgid "<#channel> [key]" +msgstr "" + +#: stickychan.cpp:28 +msgid "Sticks a channel" +msgstr "" + +#: stickychan.cpp:30 +msgid "<#channel>" +msgstr "" + +#: stickychan.cpp:30 +msgid "Unsticks a channel" +msgstr "" + +#: stickychan.cpp:32 +msgid "Lists sticky channels" +msgstr "" + +#: stickychan.cpp:75 +msgid "Usage: Stick <#channel> [key]" +msgstr "" + +#: stickychan.cpp:79 +msgid "Stuck {1}" +msgstr "" + +#: stickychan.cpp:85 +msgid "Usage: Unstick <#channel>" +msgstr "" + +#: stickychan.cpp:89 +msgid "Unstuck {1}" +msgstr "" + +#: stickychan.cpp:101 +msgid " -- End of List" +msgstr "" + +#: stickychan.cpp:115 +msgid "Could not join {1} (# prefix missing?)" +msgstr "" + +#: stickychan.cpp:128 +msgid "Sticky Channels" +msgstr "" + +#: stickychan.cpp:160 +msgid "Changes have been saved!" +msgstr "" + +#: stickychan.cpp:185 +msgid "Channel became sticky!" +msgstr "" + +#: stickychan.cpp:189 +msgid "Channel stopped being sticky!" +msgstr "" + +#: stickychan.cpp:209 +msgid "" +"Channel {1} cannot be joined, it is an illegal channel name. Unsticking." +msgstr "" + +#: stickychan.cpp:246 +msgid "List of channels, separated by comma." +msgstr "" + +#: stickychan.cpp:251 +msgid "configless sticky chans, keeps you there very stickily even" +msgstr "" diff --git a/modules/po/stripcontrols.id_ID.po b/modules/po/stripcontrols.id_ID.po new file mode 100644 index 00000000..b249d592 --- /dev/null +++ b/modules/po/stripcontrols.id_ID.po @@ -0,0 +1,18 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=1; plural=0;\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: id\n" +"X-Crowdin-File: /1.7.x/modules/po/stripcontrols.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Indonesian\n" +"Language: id_ID\n" + +#: stripcontrols.cpp:63 +msgid "" +"Strips control codes (Colors, Bold, ..) from channel and private messages." +msgstr "" diff --git a/modules/po/watch.id_ID.po b/modules/po/watch.id_ID.po new file mode 100644 index 00000000..977bdb3b --- /dev/null +++ b/modules/po/watch.id_ID.po @@ -0,0 +1,249 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=1; plural=0;\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: id\n" +"X-Crowdin-File: /1.7.x/modules/po/watch.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Indonesian\n" +"Language: id_ID\n" + +#: watch.cpp:334 +msgid "All entries cleared." +msgstr "" + +#: watch.cpp:344 +msgid "Buffer count is set to {1}" +msgstr "" + +#: watch.cpp:348 +msgid "Unknown command: {1}" +msgstr "" + +#: watch.cpp:397 +msgid "Disabled all entries." +msgstr "" + +#: watch.cpp:398 +msgid "Enabled all entries." +msgstr "" + +#: watch.cpp:405 watch.cpp:437 watch.cpp:470 watch.cpp:570 watch.cpp:585 +msgid "Invalid Id" +msgstr "" + +#: watch.cpp:414 +msgid "Id {1} disabled" +msgstr "" + +#: watch.cpp:416 +msgid "Id {1} enabled" +msgstr "" + +#: watch.cpp:428 +msgid "Set DetachedClientOnly for all entries to Yes" +msgstr "" + +#: watch.cpp:430 +msgid "Set DetachedClientOnly for all entries to No" +msgstr "" + +#: watch.cpp:446 watch.cpp:479 +msgid "Id {1} set to Yes" +msgstr "" + +#: watch.cpp:448 watch.cpp:481 +msgid "Id {1} set to No" +msgstr "" + +#: watch.cpp:461 +msgid "Set DetachedChannelOnly for all entries to Yes" +msgstr "" + +#: watch.cpp:463 +msgid "Set DetachedChannelOnly for all entries to No" +msgstr "" + +#: watch.cpp:487 watch.cpp:503 +msgid "Id" +msgstr "" + +#: watch.cpp:488 watch.cpp:504 +msgid "HostMask" +msgstr "" + +#: watch.cpp:489 watch.cpp:505 +msgid "Target" +msgstr "" + +#: watch.cpp:490 watch.cpp:506 +msgid "Pattern" +msgstr "" + +#: watch.cpp:491 watch.cpp:507 +msgid "Sources" +msgstr "" + +#: watch.cpp:492 watch.cpp:508 watch.cpp:509 +msgid "Off" +msgstr "" + +#: watch.cpp:493 watch.cpp:511 +msgid "DetachedClientOnly" +msgstr "" + +#: watch.cpp:494 watch.cpp:514 +msgid "DetachedChannelOnly" +msgstr "" + +#: watch.cpp:512 watch.cpp:515 +msgid "Yes" +msgstr "" + +#: watch.cpp:512 watch.cpp:515 +msgid "No" +msgstr "" + +#: watch.cpp:521 watch.cpp:527 +msgid "You have no entries." +msgstr "" + +#: watch.cpp:578 +msgid "Sources set for Id {1}." +msgstr "" + +#: watch.cpp:593 +msgid "Id {1} removed." +msgstr "" + +#: watch.cpp:600 watch.cpp:604 watch.cpp:609 watch.cpp:614 watch.cpp:620 +#: watch.cpp:625 watch.cpp:629 watch.cpp:633 watch.cpp:638 watch.cpp:645 +#: watch.cpp:652 watch.cpp:658 watch.cpp:664 +msgid "Command" +msgstr "" + +#: watch.cpp:601 watch.cpp:605 watch.cpp:610 watch.cpp:616 watch.cpp:621 +#: watch.cpp:626 watch.cpp:630 watch.cpp:634 watch.cpp:641 watch.cpp:648 +#: watch.cpp:654 watch.cpp:660 watch.cpp:665 +msgid "Description" +msgstr "" + +#: watch.cpp:604 +msgid "Add [Target] [Pattern]" +msgstr "" + +#: watch.cpp:606 +msgid "Used to add an entry to watch for." +msgstr "" + +#: watch.cpp:609 +msgid "List" +msgstr "" + +#: watch.cpp:611 +msgid "List all entries being watched." +msgstr "" + +#: watch.cpp:614 +msgid "Dump" +msgstr "" + +#: watch.cpp:617 +msgid "Dump a list of all current entries to be used later." +msgstr "" + +#: watch.cpp:620 +msgid "Del " +msgstr "" + +#: watch.cpp:622 +msgid "Deletes Id from the list of watched entries." +msgstr "" + +#: watch.cpp:625 +msgid "Clear" +msgstr "" + +#: watch.cpp:626 +msgid "Delete all entries." +msgstr "" + +#: watch.cpp:629 +msgid "Enable " +msgstr "" + +#: watch.cpp:630 +msgid "Enable a disabled entry." +msgstr "" + +#: watch.cpp:633 +msgid "Disable " +msgstr "" + +#: watch.cpp:635 +msgid "Disable (but don't delete) an entry." +msgstr "" + +#: watch.cpp:639 +msgid "SetDetachedClientOnly " +msgstr "" + +#: watch.cpp:642 +msgid "Enable or disable detached client only for an entry." +msgstr "" + +#: watch.cpp:646 +msgid "SetDetachedChannelOnly " +msgstr "" + +#: watch.cpp:649 +msgid "Enable or disable detached channel only for an entry." +msgstr "" + +#: watch.cpp:652 +msgid "Buffer [Count]" +msgstr "" + +#: watch.cpp:655 +msgid "Show/Set the amount of buffered lines while detached." +msgstr "" + +#: watch.cpp:659 +msgid "SetSources [#chan priv #foo* !#bar]" +msgstr "" + +#: watch.cpp:661 +msgid "Set the source channels that you care about." +msgstr "" + +#: watch.cpp:664 +msgid "Help" +msgstr "" + +#: watch.cpp:665 +msgid "This help." +msgstr "" + +#: watch.cpp:681 +msgid "Entry for {1} already exists." +msgstr "" + +#: watch.cpp:689 +msgid "Adding entry: {1} watching for [{2}] -> {3}" +msgstr "" + +#: watch.cpp:695 +msgid "Watch: Not enough arguments. Try Help" +msgstr "" + +#: watch.cpp:764 +msgid "WARNING: malformed entry found while loading" +msgstr "" + +#: watch.cpp:778 +msgid "Copy activity from a specific user into a separate window" +msgstr "" diff --git a/modules/po/webadmin.id_ID.po b/modules/po/webadmin.id_ID.po new file mode 100644 index 00000000..77a18ee9 --- /dev/null +++ b/modules/po/webadmin.id_ID.po @@ -0,0 +1,1209 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=1; plural=0;\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: id\n" +"X-Crowdin-File: /1.7.x/modules/po/webadmin.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Indonesian\n" +"Language: id_ID\n" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:12 +msgid "Channel Info" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:17 +msgid "Channel Name:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:19 +msgid "The channel name." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:24 +msgid "Key:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:26 +msgid "The password of the channel, if there is one." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:30 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:241 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:260 +msgid "Buffer Size:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:32 +msgid "The buffer count." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:36 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:235 +msgid "Default Modes:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:38 +msgid "The default modes of the channel." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:46 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:270 +msgid "Flags" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:51 +msgid "Save to config" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:67 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:282 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:410 +msgid "Module {1}" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:75 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:290 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:419 +msgid "Save and return" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:76 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:291 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:420 +msgid "Save and continue" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:78 +msgid "Add Channel and return" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:79 +msgid "Add Channel and continue" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:8 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:11 +msgid "<password>" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:11 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:12 +msgid "<network>" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:14 +msgid "" +"To connect to this network from your IRC client, you can set the server " +"password field as {1} or username field as {2}" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:24 +msgid "Network Info" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:25 +msgid "" +"Nick, AltNick, Ident, RealName, BindHost can be left empty to use the value " +"from the user." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:29 +msgid "Network Name:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:31 +msgid "The name of the IRC network." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:35 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:69 +msgid "Nickname:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:37 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:71 +msgid "Your nickname on IRC." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:40 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:74 +msgid "Alt. Nickname:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:42 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:76 +msgid "Your secondary nickname, if the first is not available on IRC." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:46 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:80 +msgid "Ident:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:48 +msgid "Your ident." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:51 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:91 +msgid "Realname:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:53 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:93 +msgid "Your real name." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:58 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:99 +msgid "BindHost:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:65 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:112 +msgid "Quit Message:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:67 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:114 +msgid "You may define a Message shown, when you quit IRC." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:71 +msgid "Active:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:73 +msgid "Connect to IRC & automatically re-connect" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:77 +msgid "Trust all certs:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:79 +msgid "" +"Disable certificate validation (takes precedence over TrustPKI). INSECURE!" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:83 +msgid "Trust the PKI:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:85 +msgid "" +"Setting this to false will trust only certificates you added fingerprints " +"for." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:89 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:96 +msgid "Servers of this IRC network:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:93 +msgid "One server per line, “host [[+]port] [password]”, + means SSL" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:101 +msgid "Hostname" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:102 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:13 +msgid "Port" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:103 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:15 +msgid "SSL" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:104 +msgid "Password" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:116 +msgid "SHA-256 fingerprints of trusted SSL certificates of this IRC network:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:120 +msgid "" +"When these certificates are encountered, checks for hostname, expiration " +"date, CA are skipped" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:124 +msgid "Flood protection:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:127 +msgid "" +"You might enable the flood protection. This prevents “excess flood” errors, " +"which occur, when your IRC bot is command flooded or spammed. After changing " +"this, reconnect ZNC to server." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:130 +msgctxt "Flood Protection" +msgid "Enabled" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:134 +msgid "Flood protection rate:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:137 +msgid "" +"The number of seconds per line. After changing this, reconnect ZNC to server." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:140 +msgid "{1} seconds per line" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:144 +msgid "Flood protection burst:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:147 +msgid "" +"Defines the number of lines, which can be sent immediately. After changing " +"this, reconnect ZNC to server." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:150 +msgid "{1} lines can be sent immediately" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:154 +msgid "Channel join delay:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:157 +msgid "" +"Defines the delay in seconds, until channels are joined after getting " +"connected." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:160 +msgid "{1} seconds" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:165 +msgid "Character encoding used between ZNC and IRC server." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:166 +msgid "Server encoding:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:176 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:231 +msgid "Channels" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:178 +msgid "" +"You will be able to add + modify channels here after you created the network." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:185 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:129 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:354 +#: modules/po/../data/webadmin/tmpl/listusers.tmpl:15 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:72 +msgid "Add" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:187 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:430 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:237 +msgid "Save" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:188 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:228 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:131 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:174 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:176 +msgid "Name" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:189 +msgid "CurModes" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:190 +msgid "DefModes" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:191 +msgid "BufferSize" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:192 +msgid "Options" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:194 +msgid "← Add a channel (opens in same page)" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:204 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:146 +#: modules/po/../data/webadmin/tmpl/listusers.tmpl:27 +msgid "Edit" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:204 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:146 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:53 +msgid "Del" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:222 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:168 +msgid "Modules" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:229 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:175 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:177 +msgid "Arguments" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:230 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:176 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:178 +msgid "Description" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:231 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:177 +msgid "Loaded globally" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:232 +msgid "Loaded by user" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:293 +msgid "Add Network and return" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:294 +msgid "Add Network and continue" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:15 +msgid "Authentication" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:19 +msgid "Username:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:29 +msgid "Please enter a username." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:34 +msgid "Password:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:36 +msgid "Please enter a password." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:39 +msgid "Confirm password:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:41 +msgid "Please re-type the above password." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:44 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:151 +msgid "Auth Only Via Module:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:46 +msgid "" +"Allow user authentication by external modules only, disabling built-in " +"password authentication." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:50 +msgid "Allowed IPs:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:54 +msgid "" +"Leave empty to allow connections from all IPs.
Otherwise, one entry per " +"line, wildcards * and ? are available." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:62 +msgid "IRC Information" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:64 +msgid "" +"Nick, AltNick, Ident, RealName and QuitMsg can be left empty to use default " +"values." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:82 +msgid "The Ident is sent to server as username." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:85 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:102 +msgid "Status Prefix:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:87 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:104 +msgid "The prefix for the status and module queries." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:105 +msgid "DCCBindHost:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:122 +#: modules/po/../data/webadmin/tmpl/listusers.tmpl:17 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:39 +msgid "Networks" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:132 +#: modules/po/../data/webadmin/tmpl/listusers.tmpl:18 +msgid "Clients" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:133 +msgid "Current Server" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:134 +msgid "Nick" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:136 +msgid "← Add a network (opens in same page)" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:160 +msgid "" +"You will be able to add + modify networks here after you have cloned the " +"user." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:162 +msgid "" +"You will be able to add + modify networks here after you have created the " +"user." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:178 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:179 +msgid "Loaded by networks" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:237 +msgid "" +"These are the default modes ZNC will set when you join an empty channel." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:238 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:244 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:263 +msgid "Empty = use standard value" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:243 +msgid "" +"This is the amount of lines that the playback buffer will store for channels " +"before dropping off the oldest line. The buffers are stored in the memory by " +"default." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:251 +msgid "Queries" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:255 +msgid "Max Buffers:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:257 +msgid "Maximum number of query buffers. 0 is unlimited." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:262 +msgid "" +"This is the amount of lines that the playback buffer will store for queries " +"before dropping off the oldest line. The buffers are stored in the memory by " +"default." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:285 +msgid "ZNC Behavior" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:286 +msgid "" +"Any of the following text boxes can be left empty to use their default value." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:290 +msgid "Timestamp Format:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:292 +msgid "" +"The format for the timestamps used in buffers, for example [%H:%M:%S]. This " +"setting is ignored in new IRC clients, which use server-time. If your client " +"supports server-time, change timestamp format in client settings instead." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:295 +msgid "Timezone:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:298 +msgid "E.g. Europe/Berlin, or GMT-6" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:306 +msgid "Character encoding used between IRC client and ZNC." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:307 +msgid "Client encoding:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:312 +msgid "Join Tries:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:314 +msgid "" +"This defines how many times ZNC tries to join a channel, if the first join " +"failed, e.g. due to channel mode +i/+k or if you are banned." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:317 +msgid "Join speed:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:319 +msgid "" +"How many channels are joined in one JOIN command. 0 is unlimited (default). " +"Set to small positive value if you get disconnected with “Max SendQ Exceeded”" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:322 +msgid "Timeout before reconnect:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:324 +msgid "" +"How much time ZNC waits (in seconds) until it receives something from " +"network or declares the connection timeout. This happens after attempts to " +"ping the peer." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:327 +msgid "Max IRC Networks Number:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:329 +msgid "Maximum number of IRC networks allowed for this user." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:332 +msgid "Substitutions" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:334 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:342 +msgid "CTCP Replies:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:338 +msgid "One reply per line. Example: TIME Buy a watch!" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:339 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:355 +msgid "{1} are available" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:341 +msgid "Empty value means this CTCP request will be ignored" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:347 +msgid "Request" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:348 +msgid "Response" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:373 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:90 +msgid "Skin:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:377 +msgid "- Global -" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:379 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:94 +msgid "Default" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:383 +msgid "No other skins found" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:389 +msgid "Language:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:422 +msgid "Clone and return" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:423 +msgid "Clone and continue" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:425 +msgid "Create and return" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:426 +msgid "Create and continue" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:432 +#: modules/po/../data/webadmin/tmpl/listusers.tmpl:28 +msgid "Clone" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:434 +msgid "Create" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/del_network.tmpl:5 +msgid "Confirm Network Deletion" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/del_network.tmpl:9 +msgid "Are you sure you want to delete network “{2}” of user “{1}”?" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/del_network.tmpl:14 +#: modules/po/../data/webadmin/tmpl/del_user.tmpl:14 +msgid "Yes" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/del_network.tmpl:17 +#: modules/po/../data/webadmin/tmpl/del_user.tmpl:17 +msgid "No" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/del_user.tmpl:5 +msgid "Confirm User Deletion" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/del_user.tmpl:9 +msgid "Are you sure you want to delete user “{1}”?" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:6 +msgid "ZNC is compiled without encodings support. {1} is required for it." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:11 +msgid "Legacy mode is disabled by modpython." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:18 +msgid "Don't ensure any encoding at all (legacy mode, not recommended)" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:22 +msgid "Try to parse as UTF-8 and as {1}, send as UTF-8 (recommended)" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:26 +msgid "Try to parse as UTF-8 and as {1}, send as {1}" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:30 +msgid "Parse and send as {1} only" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:36 +msgid "E.g. UTF-8, or ISO-8859-15" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/index.tmpl:5 +msgid "Welcome to the ZNC webadmin module." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/index.tmpl:6 +msgid "" +"All changes you make will be in effect immediately after you submitted them." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/listusers.tmpl:16 +msgid "Username" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/listusers.tmpl:29 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:21 +msgid "Delete" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:6 +msgid "Listen Port(s)" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:14 +msgid "BindHost" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:16 +msgid "IPv4" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:17 +msgid "IPv6" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:18 +msgid "IRC" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:19 +msgid "HTTP" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:20 +msgid "URIPrefix" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:56 +msgid "" +"To delete port which you use to access webadmin itself, either connect to " +"webadmin via another port, or do it in IRC (/znc DelPort)" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:56 +msgid "Current" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:86 +msgid "Settings" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:105 +msgid "Default for new users only." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:110 +msgid "Maximum Buffer Size:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:112 +msgid "Sets the global Max Buffer Size a user can have." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:117 +msgid "Connect Delay:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:119 +msgid "" +"The time between connection attempts to IRC servers, in seconds. This " +"affects the connection between ZNC and the IRC server; not the connection " +"between your IRC client and ZNC." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:124 +msgid "Server Throttle:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:126 +msgid "" +"The minimal time between two connect attempts to the same hostname, in " +"seconds. Some servers refuse your connection if you reconnect too fast." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:131 +msgid "Anonymous Connection Limit per IP:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:133 +msgid "Limits the number of unidentified connections per IP." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:138 +msgid "Protect Web Sessions:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:140 +msgid "Disallow IP changing during each web session" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:145 +msgid "Hide ZNC Version:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:147 +msgid "Hide version number from non-ZNC users" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:153 +msgid "Allow user authentication by external modules only" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:158 +msgid "MOTD:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:162 +msgid "“Message of the Day”, sent to all ZNC users on connect." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:170 +msgid "Global Modules" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:180 +msgid "Loaded by users" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:7 +msgid "Information" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:13 +msgid "Uptime" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:18 +msgid "Total Users" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:22 +msgid "Total Networks" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:26 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:43 +msgid "Attached Networks" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:30 +msgid "Total Client Connections" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:34 +msgid "Total IRC Connections" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:47 +msgid "Client Connections" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:51 +msgid "IRC Connections" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:63 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:72 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:89 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:117 +msgid "Total" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:70 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:115 +msgctxt "Traffic" +msgid "In" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:71 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:116 +msgctxt "Traffic" +msgid "Out" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:77 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:104 +msgid "Users" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:106 +msgid "Traffic" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:113 +msgid "User" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:114 +msgid "Network" +msgstr "" + +#: webadmin.cpp:91 webadmin.cpp:1879 +msgid "Global Settings" +msgstr "" + +#: webadmin.cpp:93 +msgid "Your Settings" +msgstr "" + +#: webadmin.cpp:94 webadmin.cpp:1691 +msgid "Traffic Info" +msgstr "" + +#: webadmin.cpp:97 webadmin.cpp:1670 +msgid "Manage Users" +msgstr "" + +#: webadmin.cpp:188 +msgid "Invalid Submission [Username is required]" +msgstr "" + +#: webadmin.cpp:201 +msgid "Invalid Submission [Passwords do not match]" +msgstr "" + +#: webadmin.cpp:323 +msgid "Timeout can't be less than 30 seconds!" +msgstr "" + +#: webadmin.cpp:407 webadmin.cpp:435 webadmin.cpp:1189 webadmin.cpp:2064 +msgid "Unable to load module [{1}]: {2}" +msgstr "" + +#: webadmin.cpp:412 webadmin.cpp:440 +msgid "Unable to load module [{1}] with arguments [{2}]" +msgstr "" + +#: webadmin.cpp:521 webadmin.cpp:625 webadmin.cpp:650 webadmin.cpp:672 +#: webadmin.cpp:706 webadmin.cpp:1256 +msgid "No such user" +msgstr "" + +#: webadmin.cpp:534 webadmin.cpp:566 webadmin.cpp:595 webadmin.cpp:611 +msgid "No such user or network" +msgstr "" + +#: webadmin.cpp:576 +msgid "No such channel" +msgstr "" + +#: webadmin.cpp:642 +msgid "Please don't delete yourself, suicide is not the answer!" +msgstr "" + +#: webadmin.cpp:715 webadmin.cpp:971 webadmin.cpp:1321 +msgid "Edit User [{1}]" +msgstr "" + +#: webadmin.cpp:719 webadmin.cpp:897 +msgid "Edit Network [{1}]" +msgstr "" + +#: webadmin.cpp:729 +msgid "Edit Channel [{1}] of Network [{2}] of User [{3}]" +msgstr "" + +#: webadmin.cpp:736 +msgid "Edit Channel [{1}]" +msgstr "" + +#: webadmin.cpp:744 +msgid "Add Channel to Network [{1}] of User [{2}]" +msgstr "" + +#: webadmin.cpp:749 +msgid "Add Channel" +msgstr "" + +#: webadmin.cpp:756 webadmin.cpp:1517 +msgid "Auto Clear Chan Buffer" +msgstr "" + +#: webadmin.cpp:758 +msgid "Automatically Clear Channel Buffer After Playback" +msgstr "" + +#: webadmin.cpp:766 +msgid "Detached" +msgstr "" + +#: webadmin.cpp:773 +msgid "Enabled" +msgstr "" + +#: webadmin.cpp:797 +msgid "Channel name is a required argument" +msgstr "" + +#: webadmin.cpp:806 +msgid "Channel [{1}] already exists" +msgstr "" + +#: webadmin.cpp:813 +msgid "Could not add channel [{1}]" +msgstr "" + +#: webadmin.cpp:861 +msgid "Channel was added/modified, but config file was not written" +msgstr "" + +#: webadmin.cpp:894 +msgid "Edit Network [{1}] of User [{2}]" +msgstr "" + +#: webadmin.cpp:901 webadmin.cpp:1078 +msgid "" +"Network number limit reached. Ask an admin to increase the limit for you, or " +"delete unneeded networks from Your Settings." +msgstr "" + +#: webadmin.cpp:909 +msgid "Add Network for User [{1}]" +msgstr "" + +#: webadmin.cpp:910 +msgid "Add Network" +msgstr "" + +#: webadmin.cpp:1072 +msgid "Network name is a required argument" +msgstr "" + +#: webadmin.cpp:1196 webadmin.cpp:2071 +msgid "Unable to reload module [{1}]: {2}" +msgstr "" + +#: webadmin.cpp:1233 +msgid "Network was added/modified, but config file was not written" +msgstr "" + +#: webadmin.cpp:1262 +msgid "That network doesn't exist for this user" +msgstr "" + +#: webadmin.cpp:1279 +msgid "Network was deleted, but config file was not written" +msgstr "" + +#: webadmin.cpp:1293 +msgid "That channel doesn't exist for this network" +msgstr "" + +#: webadmin.cpp:1302 +msgid "Channel was deleted, but config file was not written" +msgstr "" + +#: webadmin.cpp:1330 +msgid "Clone User [{1}]" +msgstr "" + +#: webadmin.cpp:1519 +msgid "" +"Automatically Clear Channel Buffer After Playback (the default value for new " +"channels)" +msgstr "" + +#: webadmin.cpp:1529 +msgid "Multi Clients" +msgstr "" + +#: webadmin.cpp:1536 +msgid "Append Timestamps" +msgstr "" + +#: webadmin.cpp:1543 +msgid "Prepend Timestamps" +msgstr "" + +#: webadmin.cpp:1551 +msgid "Deny LoadMod" +msgstr "" + +#: webadmin.cpp:1558 +msgid "Admin" +msgstr "" + +#: webadmin.cpp:1568 +msgid "Deny SetBindHost" +msgstr "" + +#: webadmin.cpp:1576 +msgid "Auto Clear Query Buffer" +msgstr "" + +#: webadmin.cpp:1578 +msgid "Automatically Clear Query Buffer After Playback" +msgstr "" + +#: webadmin.cpp:1602 +msgid "Invalid Submission: User {1} already exists" +msgstr "" + +#: webadmin.cpp:1624 webadmin.cpp:1635 +msgid "Invalid submission: {1}" +msgstr "" + +#: webadmin.cpp:1630 +msgid "User was added, but config file was not written" +msgstr "" + +#: webadmin.cpp:1641 +msgid "User was edited, but config file was not written" +msgstr "" + +#: webadmin.cpp:1799 +msgid "Choose either IPv4 or IPv6 or both." +msgstr "" + +#: webadmin.cpp:1816 +msgid "Choose either IRC or HTTP or both." +msgstr "" + +#: webadmin.cpp:1829 webadmin.cpp:1865 +msgid "Port was changed, but config file was not written" +msgstr "" + +#: webadmin.cpp:1855 +msgid "Invalid request." +msgstr "" + +#: webadmin.cpp:1869 +msgid "The specified listener was not found." +msgstr "" + +#: webadmin.cpp:2100 +msgid "Settings were changed, but config file was not written" +msgstr "" diff --git a/modules/po/webadmin.ru_RU.po b/modules/po/webadmin.ru_RU.po index 5696f04b..3dd91826 100644 --- a/modules/po/webadmin.ru_RU.po +++ b/modules/po/webadmin.ru_RU.po @@ -1115,7 +1115,7 @@ msgstr "Автоматически очищать буфер канала пос #: webadmin.cpp:766 msgid "Detached" -msgstr "Отделён" +msgstr "Отцеплен" #: webadmin.cpp:773 msgid "Enabled" diff --git a/src/po/znc.de_DE.po b/src/po/znc.de_DE.po index db871a47..3a8ac1b5 100644 --- a/src/po/znc.de_DE.po +++ b/src/po/znc.de_DE.po @@ -340,8 +340,8 @@ msgid "Unable to find module {1}" msgstr "Kann Modul {1} nicht finden" #: Modules.cpp:1659 -msgid "Module {1} does not support module type {1}." -msgstr "Modul {1} unterstützt den Modultyp {1} nicht." +msgid "Module {1} does not support module type {2}." +msgstr "Modul {1} unterstützt den Modultyp {2} nicht." #: Modules.cpp:1666 msgid "Module {1} requires a user." @@ -770,17 +770,17 @@ msgstr "Port" #: ClientCommand.cpp:804 ClientCommand.cpp:814 msgctxt "listservers" msgid "SSL" -msgstr "" +msgstr "SSL" #: ClientCommand.cpp:805 ClientCommand.cpp:816 msgctxt "listservers" msgid "Password" -msgstr "" +msgstr "Passwort" #: ClientCommand.cpp:815 msgctxt "listservers|cell" msgid "SSL" -msgstr "" +msgstr "SSL" #: ClientCommand.cpp:832 msgid "Usage: AddTrustedServerFingerprint " @@ -788,7 +788,7 @@ msgstr "" #: ClientCommand.cpp:836 ClientCommand.cpp:849 msgid "Done." -msgstr "" +msgstr "Erledigt." #: ClientCommand.cpp:845 msgid "Usage: DelTrustedServerFingerprint " @@ -975,6 +975,8 @@ msgid "" "You must be connected with a network to use this command. Try " "SetUserBindHost instead" msgstr "" +"Du musst mit einem Netzwerk verbunden sein um diesen Befehl zu verwenden. " +"Versuche SetUserBindHost statt dessen" #: ClientCommand.cpp:1260 msgid "Usage: SetBindHost " @@ -1225,11 +1227,11 @@ msgstr "" #: ClientCommand.cpp:1632 msgid "Port added" -msgstr "" +msgstr "Port hinzugefügt" #: ClientCommand.cpp:1634 msgid "Couldn't add port" -msgstr "" +msgstr "Konnte Port nicht hinzufügen" #: ClientCommand.cpp:1640 msgid "Usage: DelPort [bindhost]" @@ -1237,7 +1239,7 @@ msgstr "" #: ClientCommand.cpp:1649 msgid "Deleted Port" -msgstr "" +msgstr "Port gelöscht" #: ClientCommand.cpp:1651 msgid "Unable to find a matching port" @@ -1246,12 +1248,12 @@ msgstr "" #: ClientCommand.cpp:1659 ClientCommand.cpp:1673 msgctxt "helpcmd" msgid "Command" -msgstr "" +msgstr "Befehl" #: ClientCommand.cpp:1660 ClientCommand.cpp:1674 msgctxt "helpcmd" msgid "Description" -msgstr "" +msgstr "Beschreibung" #: ClientCommand.cpp:1664 msgid "" @@ -1372,7 +1374,7 @@ msgstr "" #: ClientCommand.cpp:1738 msgctxt "helpcmd|AddTrustedServerFingerprint|args" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1739 msgctxt "helpcmd|AddTrustedServerFingerprint|desc" @@ -1384,7 +1386,7 @@ msgstr "" #: ClientCommand.cpp:1744 msgctxt "helpcmd|DelTrustedServerFingerprint|args" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1745 msgctxt "helpcmd|DelTrustedServerFingerprint|desc" @@ -1758,7 +1760,7 @@ msgstr "" #: User.cpp:511 msgid "Network {1} already exists" -msgstr "" +msgstr "Netzwerk {1} existiert bereits" #: User.cpp:777 msgid "" @@ -1768,15 +1770,15 @@ msgstr "" #: User.cpp:907 msgid "Password is empty" -msgstr "" +msgstr "Passwort ist leer" #: User.cpp:912 msgid "Username is empty" -msgstr "" +msgstr "Benutzername ist leer" #: User.cpp:917 msgid "Username is invalid" -msgstr "" +msgstr "Benutzername ist ungültig" #: User.cpp:1188 msgid "Unable to find modinfo {1}: {2}" diff --git a/src/po/znc.es_ES.po b/src/po/znc.es_ES.po index f823c4ac..bec071f7 100644 --- a/src/po/znc.es_ES.po +++ b/src/po/znc.es_ES.po @@ -328,8 +328,8 @@ msgid "Unable to find module {1}" msgstr "No se ha encontrado el módulo {1}" #: Modules.cpp:1659 -msgid "Module {1} does not support module type {1}." -msgstr "El módulo {1} no soporta el tipo de módulo {1}." +msgid "Module {1} does not support module type {2}." +msgstr "" #: Modules.cpp:1666 msgid "Module {1} requires a user." diff --git a/src/po/znc.id_ID.po b/src/po/znc.id_ID.po new file mode 100644 index 00000000..dc0618eb --- /dev/null +++ b/src/po/znc.id_ID.po @@ -0,0 +1,1725 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=1; plural=0;\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: id\n" +"X-Crowdin-File: /1.7.x/src/po/znc.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Indonesian\n" +"Language: id_ID\n" + +#: webskins/_default_/tmpl/InfoBar.tmpl:6 +msgid "Logged in as: {1}" +msgstr "" + +#: webskins/_default_/tmpl/InfoBar.tmpl:8 +msgid "Not logged in" +msgstr "" + +#: webskins/_default_/tmpl/LoginBar.tmpl:3 +msgid "Logout" +msgstr "" + +#: webskins/_default_/tmpl/Menu.tmpl:4 +msgid "Home" +msgstr "" + +#: webskins/_default_/tmpl/Menu.tmpl:7 +msgid "Global Modules" +msgstr "" + +#: webskins/_default_/tmpl/Menu.tmpl:20 +msgid "User Modules" +msgstr "" + +#: webskins/_default_/tmpl/Menu.tmpl:35 +msgid "Network Modules ({1})" +msgstr "" + +#: webskins/_default_/tmpl/index.tmpl:6 +msgid "Welcome to ZNC's web interface!" +msgstr "" + +#: webskins/_default_/tmpl/index.tmpl:11 +msgid "" +"No Web-enabled modules have been loaded. Load modules from IRC (“/msg " +"*status help” and “/msg *status loadmod <module>”). Once you have loaded some Web-enabled modules, the menu will expand." +msgstr "" + +#: znc.cpp:1563 +msgid "User already exists" +msgstr "" + +#: znc.cpp:1671 +msgid "IPv6 is not enabled" +msgstr "" + +#: znc.cpp:1679 +msgid "SSL is not enabled" +msgstr "" + +#: znc.cpp:1687 +msgid "Unable to locate pem file: {1}" +msgstr "" + +#: znc.cpp:1706 +msgid "Invalid port" +msgstr "" + +#: znc.cpp:1822 ClientCommand.cpp:1629 +msgid "Unable to bind: {1}" +msgstr "" + +#: IRCNetwork.cpp:236 +msgid "Jumping servers because this server is no longer in the list" +msgstr "" + +#: IRCNetwork.cpp:641 User.cpp:678 +msgid "Welcome to ZNC" +msgstr "" + +#: IRCNetwork.cpp:729 +msgid "You are currently disconnected from IRC. Use 'connect' to reconnect." +msgstr "" + +#: IRCNetwork.cpp:734 +msgid "" +"ZNC is presently running in DEBUG mode. Sensitive data during your current " +"session may be exposed to the host." +msgstr "" + +#: IRCNetwork.cpp:765 +msgid "This network is being deleted or moved to another user." +msgstr "" + +#: IRCNetwork.cpp:994 +msgid "The channel {1} could not be joined, disabling it." +msgstr "" + +#: IRCNetwork.cpp:1123 +msgid "Your current server was removed, jumping..." +msgstr "" + +#: IRCNetwork.cpp:1286 +msgid "Cannot connect to {1}, because ZNC is not compiled with SSL support." +msgstr "" + +#: IRCNetwork.cpp:1307 +msgid "Some module aborted the connection attempt" +msgstr "" + +#: IRCSock.cpp:484 +msgid "Error from server: {1}" +msgstr "" + +#: IRCSock.cpp:686 +msgid "ZNC seems to be connected to itself, disconnecting..." +msgstr "" + +#: IRCSock.cpp:733 +msgid "Server {1} redirects us to {2}:{3} with reason: {4}" +msgstr "" + +#: IRCSock.cpp:737 +msgid "Perhaps you want to add it as a new server." +msgstr "" + +#: IRCSock.cpp:967 +msgid "Channel {1} is linked to another channel and was thus disabled." +msgstr "" + +#: IRCSock.cpp:979 +msgid "Switched to SSL (STARTTLS)" +msgstr "" + +#: IRCSock.cpp:1032 +msgid "You quit: {1}" +msgstr "" + +#: IRCSock.cpp:1238 +msgid "Disconnected from IRC. Reconnecting..." +msgstr "" + +#: IRCSock.cpp:1269 +msgid "Cannot connect to IRC ({1}). Retrying..." +msgstr "" + +#: IRCSock.cpp:1272 +msgid "Disconnected from IRC ({1}). Reconnecting..." +msgstr "" + +#: IRCSock.cpp:1302 +msgid "If you trust this certificate, do /znc AddTrustedServerFingerprint {1}" +msgstr "" + +#: IRCSock.cpp:1319 +msgid "IRC connection timed out. Reconnecting..." +msgstr "" + +#: IRCSock.cpp:1331 +msgid "Connection Refused. Reconnecting..." +msgstr "" + +#: IRCSock.cpp:1339 +msgid "Received a too long line from the IRC server!" +msgstr "" + +#: IRCSock.cpp:1443 +msgid "No free nick available" +msgstr "" + +#: IRCSock.cpp:1451 +msgid "No free nick found" +msgstr "" + +#: Client.cpp:75 +msgid "No such module {1}" +msgstr "" + +#: Client.cpp:365 +msgid "A client from {1} attempted to login as you, but was rejected: {2}" +msgstr "" + +#: Client.cpp:400 +msgid "Network {1} doesn't exist." +msgstr "" + +#: Client.cpp:414 +msgid "" +"You have several networks configured, but no network was specified for the " +"connection." +msgstr "" + +#: Client.cpp:417 +msgid "" +"Selecting network {1}. To see list of all configured networks, use /znc " +"ListNetworks" +msgstr "" + +#: Client.cpp:420 +msgid "" +"If you want to choose another network, use /znc JumpNetwork , or " +"connect to ZNC with username {1}/ (instead of just {1})" +msgstr "" + +#: Client.cpp:426 +msgid "" +"You have no networks configured. Use /znc AddNetwork to add one." +msgstr "" + +#: Client.cpp:437 +msgid "Closing link: Timeout" +msgstr "" + +#: Client.cpp:459 +msgid "Closing link: Too long raw line" +msgstr "" + +#: Client.cpp:466 +msgid "" +"You are being disconnected because another user just authenticated as you." +msgstr "" + +#: Client.cpp:1021 +msgid "Your CTCP to {1} got lost, you are not connected to IRC!" +msgstr "" + +#: Client.cpp:1148 +msgid "Your notice to {1} got lost, you are not connected to IRC!" +msgstr "" + +#: Client.cpp:1187 +msgid "Removing channel {1}" +msgstr "" + +#: Client.cpp:1263 +msgid "Your message to {1} got lost, you are not connected to IRC!" +msgstr "" + +#: Client.cpp:1316 Client.cpp:1322 +msgid "Hello. How may I help you?" +msgstr "" + +#: Client.cpp:1336 +msgid "Usage: /attach <#chans>" +msgstr "" + +#: Client.cpp:1343 Client.cpp:1365 ClientCommand.cpp:129 ClientCommand.cpp:151 +msgid "There was {1} channel matching [{2}]" +msgid_plural "There were {1} channels matching [{2}]" +msgstr[0] "" + +#: Client.cpp:1346 ClientCommand.cpp:132 +msgid "Attached {1} channel" +msgid_plural "Attached {1} channels" +msgstr[0] "" + +#: Client.cpp:1358 +msgid "Usage: /detach <#chans>" +msgstr "" + +#: Client.cpp:1368 ClientCommand.cpp:154 +msgid "Detached {1} channel" +msgid_plural "Detached {1} channels" +msgstr[0] "" + +#: Chan.cpp:638 +msgid "Buffer Playback..." +msgstr "" + +#: Chan.cpp:676 +msgid "Playback Complete." +msgstr "" + +#: Modules.cpp:528 +msgctxt "modhelpcmd" +msgid "" +msgstr "" + +#: Modules.cpp:529 +msgctxt "modhelpcmd" +msgid "Generate this output" +msgstr "" + +#: Modules.cpp:573 ClientCommand.cpp:1894 +msgid "No matches for '{1}'" +msgstr "" + +#: Modules.cpp:691 +msgid "This module doesn't implement any commands." +msgstr "" + +#: Modules.cpp:693 +msgid "Unknown command!" +msgstr "" + +#: Modules.cpp:1633 +msgid "Module {1} already loaded." +msgstr "" + +#: Modules.cpp:1647 +msgid "Unable to find module {1}" +msgstr "" + +#: Modules.cpp:1659 +msgid "Module {1} does not support module type {2}." +msgstr "" + +#: Modules.cpp:1666 +msgid "Module {1} requires a user." +msgstr "" + +#: Modules.cpp:1672 +msgid "Module {1} requires a network." +msgstr "" + +#: Modules.cpp:1688 +msgid "Caught an exception" +msgstr "" + +#: Modules.cpp:1694 +msgid "Module {1} aborted: {2}" +msgstr "" + +#: Modules.cpp:1696 +msgid "Module {1} aborted." +msgstr "" + +#: Modules.cpp:1720 Modules.cpp:1762 +msgid "Module [{1}] not loaded." +msgstr "" + +#: Modules.cpp:1744 +msgid "Module {1} unloaded." +msgstr "" + +#: Modules.cpp:1749 +msgid "Unable to unload module {1}." +msgstr "" + +#: Modules.cpp:1778 +msgid "Reloaded module {1}." +msgstr "" + +#: Modules.cpp:1793 +msgid "Unable to find module {1}." +msgstr "" + +#: Modules.cpp:1919 +msgid "" +"Module names can only contain letters, numbers and underscores, [{1}] is " +"invalid" +msgstr "" + +#: Modules.cpp:1943 +msgid "Unknown error" +msgstr "" + +#: Modules.cpp:1944 +msgid "Unable to open module {1}: {2}" +msgstr "" + +#: Modules.cpp:1953 +msgid "Could not find ZNCModuleEntry in module {1}" +msgstr "" + +#: Modules.cpp:1961 +msgid "" +"Version mismatch for module {1}: core is {2}, module is built for {3}. " +"Recompile this module." +msgstr "" + +#: Modules.cpp:1972 +msgid "" +"Module {1} is built incompatibly: core is '{2}', module is '{3}'. Recompile " +"this module." +msgstr "" + +#: Modules.cpp:2002 Modules.cpp:2008 +msgctxt "modhelpcmd" +msgid "Command" +msgstr "" + +#: Modules.cpp:2003 Modules.cpp:2009 +msgctxt "modhelpcmd" +msgid "Description" +msgstr "" + +#: ClientCommand.cpp:51 ClientCommand.cpp:115 ClientCommand.cpp:137 +#: ClientCommand.cpp:749 ClientCommand.cpp:768 ClientCommand.cpp:794 +#: ClientCommand.cpp:827 ClientCommand.cpp:840 ClientCommand.cpp:853 +#: ClientCommand.cpp:868 ClientCommand.cpp:1321 ClientCommand.cpp:1369 +#: ClientCommand.cpp:1401 ClientCommand.cpp:1412 ClientCommand.cpp:1421 +#: ClientCommand.cpp:1433 +msgid "You must be connected with a network to use this command" +msgstr "" + +#: ClientCommand.cpp:58 +msgid "Usage: ListNicks <#chan>" +msgstr "" + +#: ClientCommand.cpp:65 +msgid "You are not on [{1}]" +msgstr "" + +#: ClientCommand.cpp:70 +msgid "You are not on [{1}] (trying)" +msgstr "" + +#: ClientCommand.cpp:79 +msgid "No nicks on [{1}]" +msgstr "" + +#: ClientCommand.cpp:91 ClientCommand.cpp:106 +msgid "Nick" +msgstr "" + +#: ClientCommand.cpp:92 ClientCommand.cpp:107 +msgid "Ident" +msgstr "" + +#: ClientCommand.cpp:93 ClientCommand.cpp:108 +msgid "Host" +msgstr "" + +#: ClientCommand.cpp:122 +msgid "Usage: Attach <#chans>" +msgstr "" + +#: ClientCommand.cpp:144 +msgid "Usage: Detach <#chans>" +msgstr "" + +#: ClientCommand.cpp:161 +msgid "There is no MOTD set." +msgstr "" + +#: ClientCommand.cpp:167 +msgid "Rehashing succeeded!" +msgstr "" + +#: ClientCommand.cpp:169 +msgid "Rehashing failed: {1}" +msgstr "" + +#: ClientCommand.cpp:173 +msgid "Wrote config to {1}" +msgstr "" + +#: ClientCommand.cpp:175 +msgid "Error while trying to write config." +msgstr "" + +#: ClientCommand.cpp:455 +msgid "Usage: ListChans" +msgstr "" + +#: ClientCommand.cpp:462 +msgid "No such user [{1}]" +msgstr "" + +#: ClientCommand.cpp:468 +msgid "User [{1}] doesn't have network [{2}]" +msgstr "" + +#: ClientCommand.cpp:479 +msgid "There are no channels defined." +msgstr "" + +#: ClientCommand.cpp:484 ClientCommand.cpp:500 +msgctxt "listchans" +msgid "Name" +msgstr "" + +#: ClientCommand.cpp:485 ClientCommand.cpp:503 +msgctxt "listchans" +msgid "Status" +msgstr "" + +#: ClientCommand.cpp:486 ClientCommand.cpp:510 +msgctxt "listchans" +msgid "In config" +msgstr "" + +#: ClientCommand.cpp:487 ClientCommand.cpp:512 +msgctxt "listchans" +msgid "Buffer" +msgstr "" + +#: ClientCommand.cpp:488 ClientCommand.cpp:516 +msgctxt "listchans" +msgid "Clear" +msgstr "" + +#: ClientCommand.cpp:489 ClientCommand.cpp:521 +msgctxt "listchans" +msgid "Modes" +msgstr "" + +#: ClientCommand.cpp:490 ClientCommand.cpp:522 +msgctxt "listchans" +msgid "Users" +msgstr "" + +#: ClientCommand.cpp:505 +msgctxt "listchans" +msgid "Detached" +msgstr "" + +#: ClientCommand.cpp:506 +msgctxt "listchans" +msgid "Joined" +msgstr "" + +#: ClientCommand.cpp:507 +msgctxt "listchans" +msgid "Disabled" +msgstr "" + +#: ClientCommand.cpp:508 +msgctxt "listchans" +msgid "Trying" +msgstr "" + +#: ClientCommand.cpp:511 ClientCommand.cpp:519 +msgctxt "listchans" +msgid "yes" +msgstr "" + +#: ClientCommand.cpp:536 +msgid "Total: {1}, Joined: {2}, Detached: {3}, Disabled: {4}" +msgstr "" + +#: ClientCommand.cpp:541 +msgid "" +"Network number limit reached. Ask an admin to increase the limit for you, or " +"delete unneeded networks using /znc DelNetwork " +msgstr "" + +#: ClientCommand.cpp:550 +msgid "Usage: AddNetwork " +msgstr "" + +#: ClientCommand.cpp:554 +msgid "Network name should be alphanumeric" +msgstr "" + +#: ClientCommand.cpp:561 +msgid "" +"Network added. Use /znc JumpNetwork {1}, or connect to ZNC with username {2} " +"(instead of just {3}) to connect to it." +msgstr "" + +#: ClientCommand.cpp:566 +msgid "Unable to add that network" +msgstr "" + +#: ClientCommand.cpp:573 +msgid "Usage: DelNetwork " +msgstr "" + +#: ClientCommand.cpp:582 +msgid "Network deleted" +msgstr "" + +#: ClientCommand.cpp:585 +msgid "Failed to delete network, perhaps this network doesn't exist" +msgstr "" + +#: ClientCommand.cpp:595 +msgid "User {1} not found" +msgstr "" + +#: ClientCommand.cpp:603 ClientCommand.cpp:611 +msgctxt "listnetworks" +msgid "Network" +msgstr "" + +#: ClientCommand.cpp:604 ClientCommand.cpp:613 ClientCommand.cpp:622 +msgctxt "listnetworks" +msgid "On IRC" +msgstr "" + +#: ClientCommand.cpp:605 ClientCommand.cpp:615 +msgctxt "listnetworks" +msgid "IRC Server" +msgstr "" + +#: ClientCommand.cpp:606 ClientCommand.cpp:617 +msgctxt "listnetworks" +msgid "IRC User" +msgstr "" + +#: ClientCommand.cpp:607 ClientCommand.cpp:619 +msgctxt "listnetworks" +msgid "Channels" +msgstr "" + +#: ClientCommand.cpp:614 +msgctxt "listnetworks" +msgid "Yes" +msgstr "" + +#: ClientCommand.cpp:623 +msgctxt "listnetworks" +msgid "No" +msgstr "" + +#: ClientCommand.cpp:628 +msgctxt "listnetworks" +msgid "No networks" +msgstr "" + +#: ClientCommand.cpp:632 ClientCommand.cpp:932 +msgid "Access denied." +msgstr "" + +#: ClientCommand.cpp:643 +msgid "Usage: MoveNetwork [new network]" +msgstr "" + +#: ClientCommand.cpp:653 +msgid "Old user {1} not found." +msgstr "" + +#: ClientCommand.cpp:659 +msgid "Old network {1} not found." +msgstr "" + +#: ClientCommand.cpp:665 +msgid "New user {1} not found." +msgstr "" + +#: ClientCommand.cpp:670 +msgid "User {1} already has network {2}." +msgstr "" + +#: ClientCommand.cpp:676 +msgid "Invalid network name [{1}]" +msgstr "" + +#: ClientCommand.cpp:692 +msgid "Some files seem to be in {1}. You might want to move them to {2}" +msgstr "" + +#: ClientCommand.cpp:706 +msgid "Error adding network: {1}" +msgstr "" + +#: ClientCommand.cpp:718 +msgid "Success." +msgstr "" + +#: ClientCommand.cpp:721 +msgid "Copied the network to new user, but failed to delete old network" +msgstr "" + +#: ClientCommand.cpp:728 +msgid "No network supplied." +msgstr "" + +#: ClientCommand.cpp:733 +msgid "You are already connected with this network." +msgstr "" + +#: ClientCommand.cpp:739 +msgid "Switched to {1}" +msgstr "" + +#: ClientCommand.cpp:742 +msgid "You don't have a network named {1}" +msgstr "" + +#: ClientCommand.cpp:754 +msgid "Usage: AddServer [[+]port] [pass]" +msgstr "" + +#: ClientCommand.cpp:759 +msgid "Server added" +msgstr "" + +#: ClientCommand.cpp:762 +msgid "" +"Unable to add that server. Perhaps the server is already added or openssl is " +"disabled?" +msgstr "" + +#: ClientCommand.cpp:777 +msgid "Usage: DelServer [port] [pass]" +msgstr "" + +#: ClientCommand.cpp:782 ClientCommand.cpp:822 +msgid "You don't have any servers added." +msgstr "" + +#: ClientCommand.cpp:787 +msgid "Server removed" +msgstr "" + +#: ClientCommand.cpp:789 +msgid "No such server" +msgstr "" + +#: ClientCommand.cpp:802 ClientCommand.cpp:809 +msgctxt "listservers" +msgid "Host" +msgstr "" + +#: ClientCommand.cpp:803 ClientCommand.cpp:811 +msgctxt "listservers" +msgid "Port" +msgstr "" + +#: ClientCommand.cpp:804 ClientCommand.cpp:814 +msgctxt "listservers" +msgid "SSL" +msgstr "" + +#: ClientCommand.cpp:805 ClientCommand.cpp:816 +msgctxt "listservers" +msgid "Password" +msgstr "" + +#: ClientCommand.cpp:815 +msgctxt "listservers|cell" +msgid "SSL" +msgstr "" + +#: ClientCommand.cpp:832 +msgid "Usage: AddTrustedServerFingerprint " +msgstr "" + +#: ClientCommand.cpp:836 ClientCommand.cpp:849 +msgid "Done." +msgstr "" + +#: ClientCommand.cpp:845 +msgid "Usage: DelTrustedServerFingerprint " +msgstr "" + +#: ClientCommand.cpp:858 +msgid "No fingerprints added." +msgstr "" + +#: ClientCommand.cpp:874 ClientCommand.cpp:880 +msgctxt "topicscmd" +msgid "Channel" +msgstr "" + +#: ClientCommand.cpp:875 ClientCommand.cpp:881 +msgctxt "topicscmd" +msgid "Set By" +msgstr "" + +#: ClientCommand.cpp:876 ClientCommand.cpp:882 +msgctxt "topicscmd" +msgid "Topic" +msgstr "" + +#: ClientCommand.cpp:889 ClientCommand.cpp:893 +msgctxt "listmods" +msgid "Name" +msgstr "" + +#: ClientCommand.cpp:890 ClientCommand.cpp:894 +msgctxt "listmods" +msgid "Arguments" +msgstr "" + +#: ClientCommand.cpp:902 +msgid "No global modules loaded." +msgstr "" + +#: ClientCommand.cpp:904 ClientCommand.cpp:964 +msgid "Global modules:" +msgstr "" + +#: ClientCommand.cpp:912 +msgid "Your user has no modules loaded." +msgstr "" + +#: ClientCommand.cpp:914 ClientCommand.cpp:975 +msgid "User modules:" +msgstr "" + +#: ClientCommand.cpp:921 +msgid "This network has no modules loaded." +msgstr "" + +#: ClientCommand.cpp:923 ClientCommand.cpp:986 +msgid "Network modules:" +msgstr "" + +#: ClientCommand.cpp:938 ClientCommand.cpp:944 +msgctxt "listavailmods" +msgid "Name" +msgstr "" + +#: ClientCommand.cpp:939 ClientCommand.cpp:949 +msgctxt "listavailmods" +msgid "Description" +msgstr "" + +#: ClientCommand.cpp:962 +msgid "No global modules available." +msgstr "" + +#: ClientCommand.cpp:973 +msgid "No user modules available." +msgstr "" + +#: ClientCommand.cpp:984 +msgid "No network modules available." +msgstr "" + +#: ClientCommand.cpp:1012 +msgid "Unable to load {1}: Access denied." +msgstr "" + +#: ClientCommand.cpp:1018 +msgid "Usage: LoadMod [--type=global|user|network] [args]" +msgstr "" + +#: ClientCommand.cpp:1025 +msgid "Unable to load {1}: {2}" +msgstr "" + +#: ClientCommand.cpp:1035 +msgid "Unable to load global module {1}: Access denied." +msgstr "" + +#: ClientCommand.cpp:1041 +msgid "Unable to load network module {1}: Not connected with a network." +msgstr "" + +#: ClientCommand.cpp:1063 +msgid "Unknown module type" +msgstr "" + +#: ClientCommand.cpp:1068 +msgid "Loaded module {1}" +msgstr "" + +#: ClientCommand.cpp:1070 +msgid "Loaded module {1}: {2}" +msgstr "" + +#: ClientCommand.cpp:1073 +msgid "Unable to load module {1}: {2}" +msgstr "" + +#: ClientCommand.cpp:1096 +msgid "Unable to unload {1}: Access denied." +msgstr "" + +#: ClientCommand.cpp:1102 +msgid "Usage: UnloadMod [--type=global|user|network] " +msgstr "" + +#: ClientCommand.cpp:1111 +msgid "Unable to determine type of {1}: {2}" +msgstr "" + +#: ClientCommand.cpp:1119 +msgid "Unable to unload global module {1}: Access denied." +msgstr "" + +#: ClientCommand.cpp:1126 +msgid "Unable to unload network module {1}: Not connected with a network." +msgstr "" + +#: ClientCommand.cpp:1145 +msgid "Unable to unload module {1}: Unknown module type" +msgstr "" + +#: ClientCommand.cpp:1158 +msgid "Unable to reload modules. Access denied." +msgstr "" + +#: ClientCommand.cpp:1179 +msgid "Usage: ReloadMod [--type=global|user|network] [args]" +msgstr "" + +#: ClientCommand.cpp:1188 +msgid "Unable to reload {1}: {2}" +msgstr "" + +#: ClientCommand.cpp:1196 +msgid "Unable to reload global module {1}: Access denied." +msgstr "" + +#: ClientCommand.cpp:1203 +msgid "Unable to reload network module {1}: Not connected with a network." +msgstr "" + +#: ClientCommand.cpp:1225 +msgid "Unable to reload module {1}: Unknown module type" +msgstr "" + +#: ClientCommand.cpp:1236 +msgid "Usage: UpdateMod " +msgstr "" + +#: ClientCommand.cpp:1240 +msgid "Reloading {1} everywhere" +msgstr "" + +#: ClientCommand.cpp:1242 +msgid "Done" +msgstr "" + +#: ClientCommand.cpp:1245 +msgid "" +"Done, but there were errors, module {1} could not be reloaded everywhere." +msgstr "" + +#: ClientCommand.cpp:1253 +msgid "" +"You must be connected with a network to use this command. Try " +"SetUserBindHost instead" +msgstr "" + +#: ClientCommand.cpp:1260 +msgid "Usage: SetBindHost " +msgstr "" + +#: ClientCommand.cpp:1265 ClientCommand.cpp:1282 +msgid "You already have this bind host!" +msgstr "" + +#: ClientCommand.cpp:1270 +msgid "Set bind host for network {1} to {2}" +msgstr "" + +#: ClientCommand.cpp:1277 +msgid "Usage: SetUserBindHost " +msgstr "" + +#: ClientCommand.cpp:1287 +msgid "Set default bind host to {1}" +msgstr "" + +#: ClientCommand.cpp:1293 +msgid "" +"You must be connected with a network to use this command. Try " +"ClearUserBindHost instead" +msgstr "" + +#: ClientCommand.cpp:1298 +msgid "Bind host cleared for this network." +msgstr "" + +#: ClientCommand.cpp:1302 +msgid "Default bind host cleared for your user." +msgstr "" + +#: ClientCommand.cpp:1305 +msgid "This user's default bind host not set" +msgstr "" + +#: ClientCommand.cpp:1307 +msgid "This user's default bind host is {1}" +msgstr "" + +#: ClientCommand.cpp:1312 +msgid "This network's bind host not set" +msgstr "" + +#: ClientCommand.cpp:1314 +msgid "This network's default bind host is {1}" +msgstr "" + +#: ClientCommand.cpp:1328 +msgid "Usage: PlayBuffer <#chan|query>" +msgstr "" + +#: ClientCommand.cpp:1336 +msgid "You are not on {1}" +msgstr "" + +#: ClientCommand.cpp:1341 +msgid "You are not on {1} (trying to join)" +msgstr "" + +#: ClientCommand.cpp:1346 +msgid "The buffer for channel {1} is empty" +msgstr "" + +#: ClientCommand.cpp:1355 +msgid "No active query with {1}" +msgstr "" + +#: ClientCommand.cpp:1360 +msgid "The buffer for {1} is empty" +msgstr "" + +#: ClientCommand.cpp:1376 +msgid "Usage: ClearBuffer <#chan|query>" +msgstr "" + +#: ClientCommand.cpp:1395 +msgid "{1} buffer matching {2} has been cleared" +msgid_plural "{1} buffers matching {2} have been cleared" +msgstr[0] "" + +#: ClientCommand.cpp:1408 +msgid "All channel buffers have been cleared" +msgstr "" + +#: ClientCommand.cpp:1417 +msgid "All query buffers have been cleared" +msgstr "" + +#: ClientCommand.cpp:1429 +msgid "All buffers have been cleared" +msgstr "" + +#: ClientCommand.cpp:1440 +msgid "Usage: SetBuffer <#chan|query> [linecount]" +msgstr "" + +#: ClientCommand.cpp:1461 +msgid "Setting buffer size failed for {1} buffer" +msgid_plural "Setting buffer size failed for {1} buffers" +msgstr[0] "" + +#: ClientCommand.cpp:1464 +msgid "Maximum buffer size is {1} line" +msgid_plural "Maximum buffer size is {1} lines" +msgstr[0] "" + +#: ClientCommand.cpp:1469 +msgid "Size of every buffer was set to {1} line" +msgid_plural "Size of every buffer was set to {1} lines" +msgstr[0] "" + +#: ClientCommand.cpp:1479 ClientCommand.cpp:1486 ClientCommand.cpp:1497 +#: ClientCommand.cpp:1506 ClientCommand.cpp:1514 +msgctxt "trafficcmd" +msgid "Username" +msgstr "" + +#: ClientCommand.cpp:1480 ClientCommand.cpp:1487 ClientCommand.cpp:1499 +#: ClientCommand.cpp:1508 ClientCommand.cpp:1516 +msgctxt "trafficcmd" +msgid "In" +msgstr "" + +#: ClientCommand.cpp:1481 ClientCommand.cpp:1489 ClientCommand.cpp:1500 +#: ClientCommand.cpp:1509 ClientCommand.cpp:1517 +msgctxt "trafficcmd" +msgid "Out" +msgstr "" + +#: ClientCommand.cpp:1482 ClientCommand.cpp:1492 ClientCommand.cpp:1502 +#: ClientCommand.cpp:1510 ClientCommand.cpp:1519 +msgctxt "trafficcmd" +msgid "Total" +msgstr "" + +#: ClientCommand.cpp:1498 +msgctxt "trafficcmd" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1507 +msgctxt "trafficcmd" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1515 +msgctxt "trafficcmd" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1524 +msgid "Running for {1}" +msgstr "" + +#: ClientCommand.cpp:1530 +msgid "Unknown command, try 'Help'" +msgstr "" + +#: ClientCommand.cpp:1539 ClientCommand.cpp:1550 +msgctxt "listports" +msgid "Port" +msgstr "" + +#: ClientCommand.cpp:1540 ClientCommand.cpp:1551 +msgctxt "listports" +msgid "BindHost" +msgstr "" + +#: ClientCommand.cpp:1541 ClientCommand.cpp:1554 +msgctxt "listports" +msgid "SSL" +msgstr "" + +#: ClientCommand.cpp:1542 ClientCommand.cpp:1559 +msgctxt "listports" +msgid "Protocol" +msgstr "" + +#: ClientCommand.cpp:1543 ClientCommand.cpp:1566 +msgctxt "listports" +msgid "IRC" +msgstr "" + +#: ClientCommand.cpp:1544 ClientCommand.cpp:1571 +msgctxt "listports" +msgid "Web" +msgstr "" + +#: ClientCommand.cpp:1555 +msgctxt "listports|ssl" +msgid "yes" +msgstr "" + +#: ClientCommand.cpp:1556 +msgctxt "listports|ssl" +msgid "no" +msgstr "" + +#: ClientCommand.cpp:1560 +msgctxt "listports" +msgid "IPv4 and IPv6" +msgstr "" + +#: ClientCommand.cpp:1562 +msgctxt "listports" +msgid "IPv4" +msgstr "" + +#: ClientCommand.cpp:1563 +msgctxt "listports" +msgid "IPv6" +msgstr "" + +#: ClientCommand.cpp:1569 +msgctxt "listports|irc" +msgid "yes" +msgstr "" + +#: ClientCommand.cpp:1570 +msgctxt "listports|irc" +msgid "no" +msgstr "" + +#: ClientCommand.cpp:1574 +msgctxt "listports|irc" +msgid "yes, on {1}" +msgstr "" + +#: ClientCommand.cpp:1576 +msgctxt "listports|web" +msgid "no" +msgstr "" + +#: ClientCommand.cpp:1616 +msgid "" +"Usage: AddPort <[+]port> [bindhost [uriprefix]]" +msgstr "" + +#: ClientCommand.cpp:1632 +msgid "Port added" +msgstr "" + +#: ClientCommand.cpp:1634 +msgid "Couldn't add port" +msgstr "" + +#: ClientCommand.cpp:1640 +msgid "Usage: DelPort [bindhost]" +msgstr "" + +#: ClientCommand.cpp:1649 +msgid "Deleted Port" +msgstr "" + +#: ClientCommand.cpp:1651 +msgid "Unable to find a matching port" +msgstr "" + +#: ClientCommand.cpp:1659 ClientCommand.cpp:1673 +msgctxt "helpcmd" +msgid "Command" +msgstr "" + +#: ClientCommand.cpp:1660 ClientCommand.cpp:1674 +msgctxt "helpcmd" +msgid "Description" +msgstr "" + +#: ClientCommand.cpp:1664 +msgid "" +"In the following list all occurrences of <#chan> support wildcards (* and ?) " +"except ListNicks" +msgstr "" + +#: ClientCommand.cpp:1680 +msgctxt "helpcmd|Version|desc" +msgid "Print which version of ZNC this is" +msgstr "" + +#: ClientCommand.cpp:1683 +msgctxt "helpcmd|ListMods|desc" +msgid "List all loaded modules" +msgstr "" + +#: ClientCommand.cpp:1686 +msgctxt "helpcmd|ListAvailMods|desc" +msgid "List all available modules" +msgstr "" + +#: ClientCommand.cpp:1690 ClientCommand.cpp:1876 +msgctxt "helpcmd|ListChans|desc" +msgid "List all channels" +msgstr "" + +#: ClientCommand.cpp:1693 +msgctxt "helpcmd|ListNicks|args" +msgid "<#chan>" +msgstr "" + +#: ClientCommand.cpp:1694 +msgctxt "helpcmd|ListNicks|desc" +msgid "List all nicks on a channel" +msgstr "" + +#: ClientCommand.cpp:1697 +msgctxt "helpcmd|ListClients|desc" +msgid "List all clients connected to your ZNC user" +msgstr "" + +#: ClientCommand.cpp:1701 +msgctxt "helpcmd|ListServers|desc" +msgid "List all servers of current IRC network" +msgstr "" + +#: ClientCommand.cpp:1705 +msgctxt "helpcmd|AddNetwork|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1706 +msgctxt "helpcmd|AddNetwork|desc" +msgid "Add a network to your user" +msgstr "" + +#: ClientCommand.cpp:1708 +msgctxt "helpcmd|DelNetwork|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1709 +msgctxt "helpcmd|DelNetwork|desc" +msgid "Delete a network from your user" +msgstr "" + +#: ClientCommand.cpp:1711 +msgctxt "helpcmd|ListNetworks|desc" +msgid "List all networks" +msgstr "" + +#: ClientCommand.cpp:1714 +msgctxt "helpcmd|MoveNetwork|args" +msgid " [new network]" +msgstr "" + +#: ClientCommand.cpp:1716 +msgctxt "helpcmd|MoveNetwork|desc" +msgid "Move an IRC network from one user to another" +msgstr "" + +#: ClientCommand.cpp:1720 +msgctxt "helpcmd|JumpNetwork|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1721 +msgctxt "helpcmd|JumpNetwork|desc" +msgid "" +"Jump to another network (Alternatively, you can connect to ZNC several " +"times, using `user/network` as username)" +msgstr "" + +#: ClientCommand.cpp:1726 +msgctxt "helpcmd|AddServer|args" +msgid " [[+]port] [pass]" +msgstr "" + +#: ClientCommand.cpp:1727 +msgctxt "helpcmd|AddServer|desc" +msgid "" +"Add a server to the list of alternate/backup servers of current IRC network." +msgstr "" + +#: ClientCommand.cpp:1731 +msgctxt "helpcmd|DelServer|args" +msgid " [port] [pass]" +msgstr "" + +#: ClientCommand.cpp:1732 +msgctxt "helpcmd|DelServer|desc" +msgid "" +"Remove a server from the list of alternate/backup servers of current IRC " +"network" +msgstr "" + +#: ClientCommand.cpp:1738 +msgctxt "helpcmd|AddTrustedServerFingerprint|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1739 +msgctxt "helpcmd|AddTrustedServerFingerprint|desc" +msgid "" +"Add a trusted server SSL certificate fingerprint (SHA-256) to current IRC " +"network." +msgstr "" + +#: ClientCommand.cpp:1744 +msgctxt "helpcmd|DelTrustedServerFingerprint|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1745 +msgctxt "helpcmd|DelTrustedServerFingerprint|desc" +msgid "Delete a trusted server SSL certificate from current IRC network." +msgstr "" + +#: ClientCommand.cpp:1749 +msgctxt "helpcmd|ListTrustedServerFingerprints|desc" +msgid "List all trusted server SSL certificates of current IRC network." +msgstr "" + +#: ClientCommand.cpp:1752 +msgctxt "helpcmd|EnableChan|args" +msgid "<#chans>" +msgstr "" + +#: ClientCommand.cpp:1753 +msgctxt "helpcmd|EnableChan|desc" +msgid "Enable channels" +msgstr "" + +#: ClientCommand.cpp:1754 +msgctxt "helpcmd|DisableChan|args" +msgid "<#chans>" +msgstr "" + +#: ClientCommand.cpp:1755 +msgctxt "helpcmd|DisableChan|desc" +msgid "Disable channels" +msgstr "" + +#: ClientCommand.cpp:1756 +msgctxt "helpcmd|Attach|args" +msgid "<#chans>" +msgstr "" + +#: ClientCommand.cpp:1757 +msgctxt "helpcmd|Attach|desc" +msgid "Attach to channels" +msgstr "" + +#: ClientCommand.cpp:1758 +msgctxt "helpcmd|Detach|args" +msgid "<#chans>" +msgstr "" + +#: ClientCommand.cpp:1759 +msgctxt "helpcmd|Detach|desc" +msgid "Detach from channels" +msgstr "" + +#: ClientCommand.cpp:1762 +msgctxt "helpcmd|Topics|desc" +msgid "Show topics in all your channels" +msgstr "" + +#: ClientCommand.cpp:1765 +msgctxt "helpcmd|PlayBuffer|args" +msgid "<#chan|query>" +msgstr "" + +#: ClientCommand.cpp:1766 +msgctxt "helpcmd|PlayBuffer|desc" +msgid "Play back the specified buffer" +msgstr "" + +#: ClientCommand.cpp:1768 +msgctxt "helpcmd|ClearBuffer|args" +msgid "<#chan|query>" +msgstr "" + +#: ClientCommand.cpp:1769 +msgctxt "helpcmd|ClearBuffer|desc" +msgid "Clear the specified buffer" +msgstr "" + +#: ClientCommand.cpp:1771 +msgctxt "helpcmd|ClearAllBuffers|desc" +msgid "Clear all channel and query buffers" +msgstr "" + +#: ClientCommand.cpp:1774 +msgctxt "helpcmd|ClearAllChannelBuffers|desc" +msgid "Clear the channel buffers" +msgstr "" + +#: ClientCommand.cpp:1778 +msgctxt "helpcmd|ClearAllQueryBuffers|desc" +msgid "Clear the query buffers" +msgstr "" + +#: ClientCommand.cpp:1780 +msgctxt "helpcmd|SetBuffer|args" +msgid "<#chan|query> [linecount]" +msgstr "" + +#: ClientCommand.cpp:1781 +msgctxt "helpcmd|SetBuffer|desc" +msgid "Set the buffer count" +msgstr "" + +#: ClientCommand.cpp:1785 +msgctxt "helpcmd|SetBindHost|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1786 +msgctxt "helpcmd|SetBindHost|desc" +msgid "Set the bind host for this network" +msgstr "" + +#: ClientCommand.cpp:1790 +msgctxt "helpcmd|SetUserBindHost|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1791 +msgctxt "helpcmd|SetUserBindHost|desc" +msgid "Set the default bind host for this user" +msgstr "" + +#: ClientCommand.cpp:1794 +msgctxt "helpcmd|ClearBindHost|desc" +msgid "Clear the bind host for this network" +msgstr "" + +#: ClientCommand.cpp:1797 +msgctxt "helpcmd|ClearUserBindHost|desc" +msgid "Clear the default bind host for this user" +msgstr "" + +#: ClientCommand.cpp:1803 +msgctxt "helpcmd|ShowBindHost|desc" +msgid "Show currently selected bind host" +msgstr "" + +#: ClientCommand.cpp:1805 +msgctxt "helpcmd|Jump|args" +msgid "[server]" +msgstr "" + +#: ClientCommand.cpp:1806 +msgctxt "helpcmd|Jump|desc" +msgid "Jump to the next or the specified server" +msgstr "" + +#: ClientCommand.cpp:1807 +msgctxt "helpcmd|Disconnect|args" +msgid "[message]" +msgstr "" + +#: ClientCommand.cpp:1808 +msgctxt "helpcmd|Disconnect|desc" +msgid "Disconnect from IRC" +msgstr "" + +#: ClientCommand.cpp:1810 +msgctxt "helpcmd|Connect|desc" +msgid "Reconnect to IRC" +msgstr "" + +#: ClientCommand.cpp:1813 +msgctxt "helpcmd|Uptime|desc" +msgid "Show for how long ZNC has been running" +msgstr "" + +#: ClientCommand.cpp:1817 +msgctxt "helpcmd|LoadMod|args" +msgid "[--type=global|user|network] " +msgstr "" + +#: ClientCommand.cpp:1819 +msgctxt "helpcmd|LoadMod|desc" +msgid "Load a module" +msgstr "" + +#: ClientCommand.cpp:1821 +msgctxt "helpcmd|UnloadMod|args" +msgid "[--type=global|user|network] " +msgstr "" + +#: ClientCommand.cpp:1823 +msgctxt "helpcmd|UnloadMod|desc" +msgid "Unload a module" +msgstr "" + +#: ClientCommand.cpp:1825 +msgctxt "helpcmd|ReloadMod|args" +msgid "[--type=global|user|network] " +msgstr "" + +#: ClientCommand.cpp:1827 +msgctxt "helpcmd|ReloadMod|desc" +msgid "Reload a module" +msgstr "" + +#: ClientCommand.cpp:1830 +msgctxt "helpcmd|UpdateMod|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1831 +msgctxt "helpcmd|UpdateMod|desc" +msgid "Reload a module everywhere" +msgstr "" + +#: ClientCommand.cpp:1837 +msgctxt "helpcmd|ShowMOTD|desc" +msgid "Show ZNC's message of the day" +msgstr "" + +#: ClientCommand.cpp:1841 +msgctxt "helpcmd|SetMOTD|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1842 +msgctxt "helpcmd|SetMOTD|desc" +msgid "Set ZNC's message of the day" +msgstr "" + +#: ClientCommand.cpp:1844 +msgctxt "helpcmd|AddMOTD|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1845 +msgctxt "helpcmd|AddMOTD|desc" +msgid "Append to ZNC's MOTD" +msgstr "" + +#: ClientCommand.cpp:1847 +msgctxt "helpcmd|ClearMOTD|desc" +msgid "Clear ZNC's MOTD" +msgstr "" + +#: ClientCommand.cpp:1850 +msgctxt "helpcmd|ListPorts|desc" +msgid "Show all active listeners" +msgstr "" + +#: ClientCommand.cpp:1852 +msgctxt "helpcmd|AddPort|args" +msgid "<[+]port> [bindhost [uriprefix]]" +msgstr "" + +#: ClientCommand.cpp:1855 +msgctxt "helpcmd|AddPort|desc" +msgid "Add another port for ZNC to listen on" +msgstr "" + +#: ClientCommand.cpp:1859 +msgctxt "helpcmd|DelPort|args" +msgid " [bindhost]" +msgstr "" + +#: ClientCommand.cpp:1860 +msgctxt "helpcmd|DelPort|desc" +msgid "Remove a port from ZNC" +msgstr "" + +#: ClientCommand.cpp:1863 +msgctxt "helpcmd|Rehash|desc" +msgid "Reload global settings, modules, and listeners from znc.conf" +msgstr "" + +#: ClientCommand.cpp:1866 +msgctxt "helpcmd|SaveConfig|desc" +msgid "Save the current settings to disk" +msgstr "" + +#: ClientCommand.cpp:1869 +msgctxt "helpcmd|ListUsers|desc" +msgid "List all ZNC users and their connection status" +msgstr "" + +#: ClientCommand.cpp:1872 +msgctxt "helpcmd|ListAllUserNetworks|desc" +msgid "List all ZNC users and their networks" +msgstr "" + +#: ClientCommand.cpp:1875 +msgctxt "helpcmd|ListChans|args" +msgid "[user ]" +msgstr "" + +#: ClientCommand.cpp:1878 +msgctxt "helpcmd|ListClients|args" +msgid "[user]" +msgstr "" + +#: ClientCommand.cpp:1879 +msgctxt "helpcmd|ListClients|desc" +msgid "List all connected clients" +msgstr "" + +#: ClientCommand.cpp:1881 +msgctxt "helpcmd|Traffic|desc" +msgid "Show basic traffic stats for all ZNC users" +msgstr "" + +#: ClientCommand.cpp:1883 +msgctxt "helpcmd|Broadcast|args" +msgid "[message]" +msgstr "" + +#: ClientCommand.cpp:1884 +msgctxt "helpcmd|Broadcast|desc" +msgid "Broadcast a message to all ZNC users" +msgstr "" + +#: ClientCommand.cpp:1887 +msgctxt "helpcmd|Shutdown|args" +msgid "[message]" +msgstr "" + +#: ClientCommand.cpp:1888 +msgctxt "helpcmd|Shutdown|desc" +msgid "Shut down ZNC completely" +msgstr "" + +#: ClientCommand.cpp:1889 +msgctxt "helpcmd|Restart|args" +msgid "[message]" +msgstr "" + +#: ClientCommand.cpp:1890 +msgctxt "helpcmd|Restart|desc" +msgid "Restart ZNC" +msgstr "" + +#: Socket.cpp:336 +msgid "Can't resolve server hostname" +msgstr "" + +#: Socket.cpp:343 +msgid "" +"Can't resolve bind hostname. Try /znc ClearBindHost and /znc " +"ClearUserBindHost" +msgstr "" + +#: Socket.cpp:348 +msgid "Server address is IPv4-only, but bindhost is IPv6-only" +msgstr "" + +#: Socket.cpp:357 +msgid "Server address is IPv6-only, but bindhost is IPv4-only" +msgstr "" + +#: Socket.cpp:515 +msgid "Some socket reached its max buffer limit and was closed!" +msgstr "" + +#: SSLVerifyHost.cpp:448 +msgid "hostname doesn't match" +msgstr "" + +#: SSLVerifyHost.cpp:452 +msgid "malformed hostname in certificate" +msgstr "" + +#: SSLVerifyHost.cpp:456 +msgid "hostname verification error" +msgstr "" + +#: User.cpp:507 +msgid "" +"Invalid network name. It should be alphanumeric. Not to be confused with " +"server name" +msgstr "" + +#: User.cpp:511 +msgid "Network {1} already exists" +msgstr "" + +#: User.cpp:777 +msgid "" +"You are being disconnected because your IP is no longer allowed to connect " +"to this user" +msgstr "" + +#: User.cpp:907 +msgid "Password is empty" +msgstr "" + +#: User.cpp:912 +msgid "Username is empty" +msgstr "" + +#: User.cpp:917 +msgid "Username is invalid" +msgstr "" + +#: User.cpp:1188 +msgid "Unable to find modinfo {1}: {2}" +msgstr "" diff --git a/src/po/znc.pot b/src/po/znc.pot index 5ba3a57c..0af9a9dd 100644 --- a/src/po/znc.pot +++ b/src/po/znc.pot @@ -301,7 +301,7 @@ msgid "Unable to find module {1}" msgstr "" #: Modules.cpp:1659 -msgid "Module {1} does not support module type {1}." +msgid "Module {1} does not support module type {2}." msgstr "" #: Modules.cpp:1666 diff --git a/src/po/znc.pt_BR.po b/src/po/znc.pt_BR.po index 9ca67b51..ce647e1f 100644 --- a/src/po/znc.pt_BR.po +++ b/src/po/znc.pt_BR.po @@ -316,7 +316,7 @@ msgid "Unable to find module {1}" msgstr "Não foi possível encontrar o módulo {1}" #: Modules.cpp:1659 -msgid "Module {1} does not support module type {1}." +msgid "Module {1} does not support module type {2}." msgstr "" #: Modules.cpp:1666 diff --git a/src/po/znc.ru_RU.po b/src/po/znc.ru_RU.po index dbe43275..2a378a52 100644 --- a/src/po/znc.ru_RU.po +++ b/src/po/znc.ru_RU.po @@ -20,7 +20,7 @@ msgstr "Вы вошли как: {1}" #: webskins/_default_/tmpl/InfoBar.tmpl:8 msgid "Not logged in" -msgstr "" +msgstr "Вы не вошли в систему" #: webskins/_default_/tmpl/LoginBar.tmpl:3 msgid "Logout" @@ -71,7 +71,7 @@ msgstr "SSL не включён" #: znc.cpp:1687 msgid "Unable to locate pem file: {1}" -msgstr "" +msgstr "Не могу найти файл pem: {1}" #: znc.cpp:1706 msgid "Invalid port" @@ -79,11 +79,11 @@ msgstr "Некорректный порт" #: znc.cpp:1822 ClientCommand.cpp:1629 msgid "Unable to bind: {1}" -msgstr "" +msgstr "Не получилось слушать: {1}" #: IRCNetwork.cpp:236 msgid "Jumping servers because this server is no longer in the list" -msgstr "" +msgstr "Текущий сервер больше не в списке, переподключаюсь" #: IRCNetwork.cpp:641 User.cpp:678 msgid "Welcome to ZNC" @@ -91,41 +91,43 @@ msgstr "Добро пожаловать в ZNC" #: IRCNetwork.cpp:729 msgid "You are currently disconnected from IRC. Use 'connect' to reconnect." -msgstr "" +msgstr "Вы отключены от IRC. Введите «connect» для подключения." #: IRCNetwork.cpp:734 msgid "" "ZNC is presently running in DEBUG mode. Sensitive data during your current " "session may be exposed to the host." msgstr "" +"ZNC запущен в отладочном режиме. Деликатная информация, проходящая через " +"ZNC, может быть видна администратору." #: IRCNetwork.cpp:765 msgid "This network is being deleted or moved to another user." -msgstr "" +msgstr "Эта сеть будет удалена или перемещена к другому пользователю." #: IRCNetwork.cpp:994 msgid "The channel {1} could not be joined, disabling it." -msgstr "" +msgstr "Не могу зайти на канал {1}, выключаю его." #: IRCNetwork.cpp:1123 msgid "Your current server was removed, jumping..." -msgstr "" +msgstr "Текущий сервер был удалён, переподключаюсь..." #: IRCNetwork.cpp:1286 msgid "Cannot connect to {1}, because ZNC is not compiled with SSL support." -msgstr "" +msgstr "Не могу подключиться к {1}, т. к. ZNC собран без поддержки SSL." #: IRCNetwork.cpp:1307 msgid "Some module aborted the connection attempt" -msgstr "" +msgstr "Какой-то модуль оборвал попытку соединения" #: IRCSock.cpp:484 msgid "Error from server: {1}" -msgstr "" +msgstr "Ошибка от сервера: {1}" #: IRCSock.cpp:686 msgid "ZNC seems to be connected to itself, disconnecting..." -msgstr "" +msgstr "Похоже, ZNC подключён к самому себе, отключаюсь..." #: IRCSock.cpp:733 msgid "Server {1} redirects us to {2}:{3} with reason: {4}" @@ -133,55 +135,57 @@ msgstr "" #: IRCSock.cpp:737 msgid "Perhaps you want to add it as a new server." -msgstr "" +msgstr "Возможно, вам стоит добавить его в качестве нового сервера." #: IRCSock.cpp:967 msgid "Channel {1} is linked to another channel and was thus disabled." -msgstr "" +msgstr "Канал {1} отсылает к другому каналу и потому будет выключен." #: IRCSock.cpp:979 msgid "Switched to SSL (STARTTLS)" -msgstr "" +msgstr "Перешёл на SSL (STARTTLS)" #: IRCSock.cpp:1032 msgid "You quit: {1}" -msgstr "" +msgstr "Вы вышли: {1}" #: IRCSock.cpp:1238 msgid "Disconnected from IRC. Reconnecting..." -msgstr "" +msgstr "Отключён от IRC. Переподключаюсь..." #: IRCSock.cpp:1269 msgid "Cannot connect to IRC ({1}). Retrying..." -msgstr "" +msgstr "Не могу подключиться к IRC ({1}). Пытаюсь ещё раз..." #: IRCSock.cpp:1272 msgid "Disconnected from IRC ({1}). Reconnecting..." -msgstr "" +msgstr "Отключён от IRC ({1}). Переподключаюсь..." #: IRCSock.cpp:1302 msgid "If you trust this certificate, do /znc AddTrustedServerFingerprint {1}" msgstr "" +"Если вы доверяете этому сертификату, введите /znc " +"AddTrustedServerFingerprint {1}" #: IRCSock.cpp:1319 msgid "IRC connection timed out. Reconnecting..." -msgstr "" +msgstr "Подключение IRC завершилось по тайм-ауту. Переподключаюсь..." #: IRCSock.cpp:1331 msgid "Connection Refused. Reconnecting..." -msgstr "" +msgstr "В соединении отказано. Переподключаюсь..." #: IRCSock.cpp:1339 msgid "Received a too long line from the IRC server!" -msgstr "" +msgstr "От IRC-сервера получена слишком длинная строка!" #: IRCSock.cpp:1443 msgid "No free nick available" -msgstr "" +msgstr "Не могу найти свободный ник" #: IRCSock.cpp:1451 msgid "No free nick found" -msgstr "" +msgstr "Не могу найти свободный ник" #: Client.cpp:75 msgid "No such module {1}" @@ -189,63 +193,70 @@ msgstr "Нет модуля {1}" #: Client.cpp:365 msgid "A client from {1} attempted to login as you, but was rejected: {2}" -msgstr "" +msgstr "Клиент с {1} попытался зайти под вашим именем, но был отвергнут: {2}" #: Client.cpp:400 msgid "Network {1} doesn't exist." -msgstr "" +msgstr "Сеть {1} не существует." #: Client.cpp:414 msgid "" "You have several networks configured, but no network was specified for the " "connection." msgstr "" +"У вас настроены несколько сетей, но для этого соединения ни одна не указана." #: Client.cpp:417 msgid "" "Selecting network {1}. To see list of all configured networks, use /znc " "ListNetworks" msgstr "" +"Выбираю сеть {1}. Чтобы увидеть весь список, введите команду /znc " +"ListNetworks" #: Client.cpp:420 msgid "" "If you want to choose another network, use /znc JumpNetwork , or " "connect to ZNC with username {1}/ (instead of just {1})" msgstr "" +"Чтобы выбрать другую сеть, введите /znc JumpNetwork <сеть> либо " +"подключайтесь к ZNC с именем пользователя {1}/<сеть> вместо {1}" #: Client.cpp:426 msgid "" "You have no networks configured. Use /znc AddNetwork to add one." msgstr "" +"Вы не настроили ни одну сеть. Введите команду /znc AddNetwork <сеть> чтобы " +"добавить сеть." #: Client.cpp:437 msgid "Closing link: Timeout" -msgstr "" +msgstr "Завершаю связь по тайм-ауту" #: Client.cpp:459 msgid "Closing link: Too long raw line" -msgstr "" +msgstr "Завершаю связь: получена слишком длинная строка" #: Client.cpp:466 msgid "" "You are being disconnected because another user just authenticated as you." -msgstr "" +msgstr "Другой пользователь зашёл под вашим именем, отключаем." #: Client.cpp:1021 msgid "Your CTCP to {1} got lost, you are not connected to IRC!" -msgstr "" +msgstr "Вы не подключены к IRC, ваш CTCP-запрос к {1} утерян!" #: Client.cpp:1148 msgid "Your notice to {1} got lost, you are not connected to IRC!" -msgstr "" +msgstr "Вы не подключены к IRC, ваше сообщение к {1} утеряно!" #: Client.cpp:1187 msgid "Removing channel {1}" -msgstr "" +msgstr "Убираю канал {1}" #: Client.cpp:1263 msgid "Your message to {1} got lost, you are not connected to IRC!" -msgstr "" +msgstr "Вы не подключены к IRC, ваше сообщение к {1} утеряно!" #: Client.cpp:1316 Client.cpp:1322 msgid "Hello. How may I help you?" @@ -253,157 +264,162 @@ msgstr "Привет, чем могу быть вам полезен?" #: Client.cpp:1336 msgid "Usage: /attach <#chans>" -msgstr "" +msgstr "Использование: /attach <#каналы>" #: Client.cpp:1343 Client.cpp:1365 ClientCommand.cpp:129 ClientCommand.cpp:151 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" -msgstr[3] "" +msgstr[0] "{1} канал подходит под маску [{2}]" +msgstr[1] "{1} канала подходят под маску [{2}]" +msgstr[2] "{1} каналов подходят под маску [{2}]" +msgstr[3] "{1} каналов подходят под маску [{2}]" #: Client.cpp:1346 ClientCommand.cpp:132 msgid "Attached {1} channel" msgid_plural "Attached {1} channels" -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" -msgstr[3] "" +msgstr[0] "Прицепляю {1} канал" +msgstr[1] "Прицепляю {1} канала" +msgstr[2] "Прицепляю {1} каналов" +msgstr[3] "Прицепляю {1} каналов" #: Client.cpp:1358 msgid "Usage: /detach <#chans>" -msgstr "" +msgstr "Использование: /detach <#каналы>" #: Client.cpp:1368 ClientCommand.cpp:154 msgid "Detached {1} channel" msgid_plural "Detached {1} channels" -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" -msgstr[3] "" +msgstr[0] "Отцепляю {1} канал" +msgstr[1] "Отцепляю {1} канала" +msgstr[2] "Отцепляю {1} каналов" +msgstr[3] "Отцепляю {1} каналов" #: Chan.cpp:638 msgid "Buffer Playback..." -msgstr "" +msgstr "Воспроизведение буфера..." #: Chan.cpp:676 msgid "Playback Complete." -msgstr "" +msgstr "Воспроизведение завершено." #: Modules.cpp:528 msgctxt "modhelpcmd" msgid "" -msgstr "" +msgstr "<поиск>" #: Modules.cpp:529 msgctxt "modhelpcmd" msgid "Generate this output" -msgstr "" +msgstr "Показать этот вывод" #: Modules.cpp:573 ClientCommand.cpp:1894 msgid "No matches for '{1}'" -msgstr "" +msgstr "Не нашёл «{1}»" #: Modules.cpp:691 msgid "This module doesn't implement any commands." -msgstr "" +msgstr "Этот модуль не принимает команды." #: Modules.cpp:693 msgid "Unknown command!" -msgstr "" +msgstr "Неизвестная команда!" #: Modules.cpp:1633 msgid "Module {1} already loaded." -msgstr "" +msgstr "Модуль {1} уже загружен." #: Modules.cpp:1647 msgid "Unable to find module {1}" -msgstr "" +msgstr "Не могу найти модуль {1}" #: Modules.cpp:1659 -msgid "Module {1} does not support module type {1}." -msgstr "" +msgid "Module {1} does not support module type {2}." +msgstr "Модуль {1} не поддерживает тип модулей «{2}»." #: Modules.cpp:1666 msgid "Module {1} requires a user." -msgstr "" +msgstr "Модулю {1} необходим пользователь." #: Modules.cpp:1672 msgid "Module {1} requires a network." -msgstr "" +msgstr "Модулю {1} необходима сеть." #: Modules.cpp:1688 msgid "Caught an exception" -msgstr "" +msgstr "Поймано исключение" #: Modules.cpp:1694 msgid "Module {1} aborted: {2}" -msgstr "" +msgstr "Модуль {1} прервал: {2}" #: Modules.cpp:1696 msgid "Module {1} aborted." -msgstr "" +msgstr "Модуль {1} прервал." #: Modules.cpp:1720 Modules.cpp:1762 msgid "Module [{1}] not loaded." -msgstr "" +msgstr "Модуль [{1}] не загружен." #: Modules.cpp:1744 msgid "Module {1} unloaded." -msgstr "" +msgstr "Модуль {1} выгружен." #: Modules.cpp:1749 msgid "Unable to unload module {1}." -msgstr "" +msgstr "Не могу выгрузить модуль {1}." #: Modules.cpp:1778 msgid "Reloaded module {1}." -msgstr "" +msgstr "Модуль {1} перезагружен." #: Modules.cpp:1793 msgid "Unable to find module {1}." -msgstr "" +msgstr "Не могу найти модуль {1}." #: Modules.cpp:1919 msgid "" "Module names can only contain letters, numbers and underscores, [{1}] is " "invalid" msgstr "" +"Названия модуля может содержать только латинские буквы, цифры и знак " +"подчёркивания; [{1}] не соответствует требованиям" #: Modules.cpp:1943 msgid "Unknown error" -msgstr "" +msgstr "Неизвестная ошибка" #: Modules.cpp:1944 msgid "Unable to open module {1}: {2}" -msgstr "" +msgstr "Не могу открыть модуль {1}: {2}" #: Modules.cpp:1953 msgid "Could not find ZNCModuleEntry in module {1}" -msgstr "" +msgstr "Не могу найти ZNCModuleEntry в модуле {1}" #: Modules.cpp:1961 msgid "" "Version mismatch for module {1}: core is {2}, module is built for {3}. " "Recompile this module." msgstr "" +"Ядро имеет версию {2}, а модуль {1} собран для {3}. Пересоберите этот модуль." #: Modules.cpp:1972 msgid "" "Module {1} is built incompatibly: core is '{2}', module is '{3}'. Recompile " "this module." msgstr "" +"Модуль {1} собран не так: ядро — «{2}», а модуль — «{3}». Пересоберите этот " +"модуль." #: Modules.cpp:2002 Modules.cpp:2008 msgctxt "modhelpcmd" msgid "Command" -msgstr "" +msgstr "Команда" #: Modules.cpp:2003 Modules.cpp:2009 msgctxt "modhelpcmd" msgid "Description" -msgstr "" +msgstr "Описание" #: ClientCommand.cpp:51 ClientCommand.cpp:115 ClientCommand.cpp:137 #: ClientCommand.cpp:749 ClientCommand.cpp:768 ClientCommand.cpp:794 @@ -412,7 +428,7 @@ msgstr "" #: ClientCommand.cpp:1401 ClientCommand.cpp:1412 ClientCommand.cpp:1421 #: ClientCommand.cpp:1433 msgid "You must be connected with a network to use this command" -msgstr "" +msgstr "Чтобы использовать это команду, подключитесь к сети" #: ClientCommand.cpp:58 msgid "Usage: ListNicks <#chan>" @@ -424,11 +440,11 @@ msgstr "Вы находитесь не на [{1}]" #: ClientCommand.cpp:70 msgid "You are not on [{1}] (trying)" -msgstr "" +msgstr "Вы не на [{1}] (пытаюсь войти)" #: ClientCommand.cpp:79 msgid "No nicks on [{1}]" -msgstr "" +msgstr "На [{1}] никого" #: ClientCommand.cpp:91 ClientCommand.cpp:106 msgid "Nick" @@ -444,7 +460,7 @@ msgstr "Хост" #: ClientCommand.cpp:122 msgid "Usage: Attach <#chans>" -msgstr "Использование: Attach <#chans>" +msgstr "Использование: Attach <#каналы>" #: ClientCommand.cpp:144 msgid "Usage: Detach <#chans>" @@ -452,59 +468,59 @@ msgstr "Использование: Dettach <#chans>" #: ClientCommand.cpp:161 msgid "There is no MOTD set." -msgstr "" +msgstr "Сообщение дня не установлено." #: ClientCommand.cpp:167 msgid "Rehashing succeeded!" -msgstr "" +msgstr "Готово!" #: ClientCommand.cpp:169 msgid "Rehashing failed: {1}" -msgstr "" +msgstr "Ошибка: {1}" #: ClientCommand.cpp:173 msgid "Wrote config to {1}" -msgstr "" +msgstr "Конфигурация записана в {1}" #: ClientCommand.cpp:175 msgid "Error while trying to write config." -msgstr "" +msgstr "При записи конфигурации произошла ошибка." #: ClientCommand.cpp:455 msgid "Usage: ListChans" -msgstr "" +msgstr "Использование: ListChans" #: ClientCommand.cpp:462 msgid "No such user [{1}]" -msgstr "" +msgstr "Нет такого пользователя [{1}]" #: ClientCommand.cpp:468 msgid "User [{1}] doesn't have network [{2}]" -msgstr "" +msgstr "У пользователя [{1}] нет сети [{2}]" #: ClientCommand.cpp:479 msgid "There are no channels defined." -msgstr "" +msgstr "Ни один канал не настроен." #: ClientCommand.cpp:484 ClientCommand.cpp:500 msgctxt "listchans" msgid "Name" -msgstr "" +msgstr "Название" #: ClientCommand.cpp:485 ClientCommand.cpp:503 msgctxt "listchans" msgid "Status" -msgstr "" +msgstr "Состояние" #: ClientCommand.cpp:486 ClientCommand.cpp:510 msgctxt "listchans" msgid "In config" -msgstr "" +msgstr "В конфигурации" #: ClientCommand.cpp:487 ClientCommand.cpp:512 msgctxt "listchans" msgid "Buffer" -msgstr "" +msgstr "Буфер" #: ClientCommand.cpp:488 ClientCommand.cpp:516 msgctxt "listchans" @@ -514,7 +530,7 @@ msgstr "Очистить" #: ClientCommand.cpp:489 ClientCommand.cpp:521 msgctxt "listchans" msgid "Modes" -msgstr "" +msgstr "Режимы" #: ClientCommand.cpp:490 ClientCommand.cpp:522 msgctxt "listchans" @@ -524,22 +540,22 @@ msgstr "Пользователи" #: ClientCommand.cpp:505 msgctxt "listchans" msgid "Detached" -msgstr "" +msgstr "Отцеплен" #: ClientCommand.cpp:506 msgctxt "listchans" msgid "Joined" -msgstr "" +msgstr "На канале" #: ClientCommand.cpp:507 msgctxt "listchans" msgid "Disabled" -msgstr "" +msgstr "Выключен" #: ClientCommand.cpp:508 msgctxt "listchans" msgid "Trying" -msgstr "" +msgstr "Пытаюсь" #: ClientCommand.cpp:511 ClientCommand.cpp:519 msgctxt "listchans" @@ -548,35 +564,39 @@ msgstr "да" #: ClientCommand.cpp:536 msgid "Total: {1}, Joined: {2}, Detached: {3}, Disabled: {4}" -msgstr "" +msgstr "Всего: {1}, прицеплено: {2}, отцеплено: {3}, выключено: {4}" #: ClientCommand.cpp:541 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks using /znc DelNetwork " msgstr "" +"Достигнуто ограничение на количество сетей. Попросите администратора поднять " +"вам лимит или удалите ненужные сети с помощью /znc DelNetwork <сеть>" #: ClientCommand.cpp:550 msgid "Usage: AddNetwork " -msgstr "Использование: AddNetwork " +msgstr "Использование: AddNetwork <сеть>" #: ClientCommand.cpp:554 msgid "Network name should be alphanumeric" -msgstr "" +msgstr "Название сети может содержать только цифры и латинские буквы" #: ClientCommand.cpp:561 msgid "" "Network added. Use /znc JumpNetwork {1}, or connect to ZNC with username {2} " "(instead of just {3}) to connect to it." msgstr "" +"Сеть добавлена. Чтобы подсоединиться к ней, введите /znc JumpNetwork {1} " +"либо подключайтесь к ZNC с именем пользователя {2} вместо {3}." #: ClientCommand.cpp:566 msgid "Unable to add that network" -msgstr "" +msgstr "Не могу добавить эту сеть" #: ClientCommand.cpp:573 msgid "Usage: DelNetwork " -msgstr "" +msgstr "Использование: DelNetwork <сеть>" #: ClientCommand.cpp:582 msgid "Network deleted" @@ -613,17 +633,17 @@ msgstr "" #: ClientCommand.cpp:607 ClientCommand.cpp:619 msgctxt "listnetworks" msgid "Channels" -msgstr "" +msgstr "Каналы" #: ClientCommand.cpp:614 msgctxt "listnetworks" msgid "Yes" -msgstr "" +msgstr "Да" #: ClientCommand.cpp:623 msgctxt "listnetworks" msgid "No" -msgstr "" +msgstr "Нет" #: ClientCommand.cpp:628 msgctxt "listnetworks" @@ -632,7 +652,7 @@ msgstr "" #: ClientCommand.cpp:632 ClientCommand.cpp:932 msgid "Access denied." -msgstr "" +msgstr "Доступ запрещён." #: ClientCommand.cpp:643 msgid "Usage: MoveNetwork [new network]" @@ -668,7 +688,7 @@ msgstr "" #: ClientCommand.cpp:718 msgid "Success." -msgstr "" +msgstr "Успех." #: ClientCommand.cpp:721 msgid "Copied the network to new user, but failed to delete old network" @@ -723,39 +743,39 @@ msgstr "" #: ClientCommand.cpp:802 ClientCommand.cpp:809 msgctxt "listservers" msgid "Host" -msgstr "" +msgstr "Хост" #: ClientCommand.cpp:803 ClientCommand.cpp:811 msgctxt "listservers" msgid "Port" -msgstr "" +msgstr "Порт" #: ClientCommand.cpp:804 ClientCommand.cpp:814 msgctxt "listservers" msgid "SSL" -msgstr "" +msgstr "SSL" #: ClientCommand.cpp:805 ClientCommand.cpp:816 msgctxt "listservers" msgid "Password" -msgstr "" +msgstr "Пароль" #: ClientCommand.cpp:815 msgctxt "listservers|cell" msgid "SSL" -msgstr "" +msgstr "SSL" #: ClientCommand.cpp:832 msgid "Usage: AddTrustedServerFingerprint " -msgstr "" +msgstr "Использование: AddTrustedServerFingerprint " #: ClientCommand.cpp:836 ClientCommand.cpp:849 msgid "Done." -msgstr "" +msgstr "Готово." #: ClientCommand.cpp:845 msgid "Usage: DelTrustedServerFingerprint " -msgstr "" +msgstr "Использование: DelTrustedServerFingerprint " #: ClientCommand.cpp:858 msgid "No fingerprints added." @@ -764,27 +784,27 @@ msgstr "" #: ClientCommand.cpp:874 ClientCommand.cpp:880 msgctxt "topicscmd" msgid "Channel" -msgstr "" +msgstr "Канал" #: ClientCommand.cpp:875 ClientCommand.cpp:881 msgctxt "topicscmd" msgid "Set By" -msgstr "" +msgstr "Установлена" #: ClientCommand.cpp:876 ClientCommand.cpp:882 msgctxt "topicscmd" msgid "Topic" -msgstr "" +msgstr "Тема" #: ClientCommand.cpp:889 ClientCommand.cpp:893 msgctxt "listmods" msgid "Name" -msgstr "" +msgstr "Название" #: ClientCommand.cpp:890 ClientCommand.cpp:894 msgctxt "listmods" msgid "Arguments" -msgstr "" +msgstr "Параметры" #: ClientCommand.cpp:902 msgid "No global modules loaded." @@ -813,12 +833,12 @@ msgstr "" #: ClientCommand.cpp:938 ClientCommand.cpp:944 msgctxt "listavailmods" msgid "Name" -msgstr "" +msgstr "Название" #: ClientCommand.cpp:939 ClientCommand.cpp:949 msgctxt "listavailmods" msgid "Description" -msgstr "" +msgstr "Описание" #: ClientCommand.cpp:962 msgid "No global modules available." @@ -1390,7 +1410,7 @@ msgstr "" #: ClientCommand.cpp:1756 msgctxt "helpcmd|Attach|args" msgid "<#chans>" -msgstr "" +msgstr "<#каналы>" #: ClientCommand.cpp:1757 msgctxt "helpcmd|Attach|desc" From 5b7daac2f04c1b906bcb118dd5f369cdcdfa1698 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Fri, 1 Jun 2018 21:13:36 +0100 Subject: [PATCH 138/798] Rename one of overloads of CMessage::GetParams to GetParamsColon --- include/znc/Message.h | 19 +++++++++++++++++-- src/Message.cpp | 2 +- 2 files changed, 18 insertions(+), 3 deletions(-) diff --git a/include/znc/Message.h b/include/znc/Message.h index eb3f5cb4..b9bde632 100644 --- a/include/znc/Message.h +++ b/include/znc/Message.h @@ -30,6 +30,14 @@ #define ZNC_LVREFQUAL #endif +#ifdef SWIG +#define ZNC_MSG_DEPRECATED(msg, repl) +#elif defined(__clang__) +#define ZNC_MSG_DEPRECATED(msg, repl) __attribute__((deprecated(msg, repl))) +#else +#define ZNC_MSG_DEPRECATED(msg, repl) __attribute__((deprecated(msg))) +#endif + #include #include #include @@ -55,7 +63,8 @@ class CIRCNetwork; * - `nick` is the sender, which can be obtained with GetNick() * - `cmd` is command, which is obtained via GetCommand() * - `0`, `1`, ... are parameters, available via GetParam(n), which removes the - * leading colon (:). If you don't want to remove the colon, use GetParams(). + * leading colon (:). If you don't want to remove the colon, use + * GetParamsColon(). * * For certain events, like a PRIVMSG, convienience commands like GetChan() and * GetNick() are available, this is not true for all CMessage extensions. @@ -114,9 +123,15 @@ class CMessage { void SetCommand(const CString& sCommand); const VCString& GetParams() const { return m_vsParams; } - CString GetParams(unsigned int uIdx, unsigned int uLen = -1) const; void SetParams(const VCString& vsParams); + /// @deprecated use GetParamsColon() instead. + CString GetParams(unsigned int uIdx, unsigned int uLen = -1) const + ZNC_MSG_DEPRECATED("Use GetParamsColon() instead", "GetParamsColon") { + return GetParamsColon(uIdx, uLen); + } + CString GetParamsColon(unsigned int uIdx, unsigned int uLen = -1) const; + CString GetParam(unsigned int uIdx) const; void SetParam(unsigned int uIdx, const CString& sParam); diff --git a/src/Message.cpp b/src/Message.cpp index d0696ffa..1beed063 100644 --- a/src/Message.cpp +++ b/src/Message.cpp @@ -48,7 +48,7 @@ void CMessage::SetCommand(const CString& sCommand) { InitType(); } -CString CMessage::GetParams(unsigned int uIdx, unsigned int uLen) const { +CString CMessage::GetParamsColon(unsigned int uIdx, unsigned int uLen) const { if (m_vsParams.empty() || uLen == 0) { return ""; } From e531fe870a3ba163afb7db47246a84cf709a8cbd Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Fri, 1 Jun 2018 21:52:56 +0100 Subject: [PATCH 139/798] Replace the deprecated overload of CMessage::GetParam --- include/znc/Message.h | 2 +- modules/adminlog.cpp | 2 +- modules/route_replies.cpp | 2 +- modules/schat.cpp | 2 +- src/Client.cpp | 10 +++++----- src/IRCSock.cpp | 2 +- src/Message.cpp | 2 +- 7 files changed, 11 insertions(+), 11 deletions(-) diff --git a/include/znc/Message.h b/include/znc/Message.h index b9bde632..02305859 100644 --- a/include/znc/Message.h +++ b/include/znc/Message.h @@ -259,7 +259,7 @@ REGISTER_ZNC_MESSAGE(CJoinMessage); class CModeMessage : public CTargetMessage { public: - CString GetModes() const { return GetParams(1).TrimPrefix_n(":"); } + CString GetModes() const { return GetParamsColon(1).TrimPrefix_n(":"); } }; REGISTER_ZNC_MESSAGE(CModeMessage); diff --git a/modules/adminlog.cpp b/modules/adminlog.cpp index 19c79586..bd172813 100644 --- a/modules/adminlog.cpp +++ b/modules/adminlog.cpp @@ -76,7 +76,7 @@ class CAdminLogMod : public CModule { Log("[" + GetUser()->GetUserName() + "/" + GetNetwork()->GetName() + "] disconnected from IRC: " + GetNetwork()->GetCurrentServer()->GetName() + " [" + - Message.GetParams(1) + "]", + Message.GetParamsColon(1) + "]", LOG_NOTICE); } return CONTINUE; diff --git a/modules/route_replies.cpp b/modules/route_replies.cpp index 1bf22dca..790e4850 100644 --- a/modules/route_replies.cpp +++ b/modules/route_replies.cpp @@ -302,7 +302,7 @@ class CRouteRepliesMod : public CModule { // If there are arguments to a mode change, // we must not route it. - if (!Message.GetParams(2).empty()) return CONTINUE; + if (!Message.GetParamsColon(2).empty()) return CONTINUE; // Grab the mode change parameter CString sMode = Message.GetParam(1); diff --git a/modules/schat.cpp b/modules/schat.cpp index daf26c59..713023aa 100644 --- a/modules/schat.cpp +++ b/modules/schat.cpp @@ -144,7 +144,7 @@ class CSChat : public CModule { EModRet OnUserRawMessage(CMessage& msg) override { if (!msg.GetCommand().Equals("schat")) return CONTINUE; - const CString sParams = msg.GetParams(0); + const CString sParams = msg.GetParamsColon(0); if (sParams.empty()) { PutModule("SChat User Area ..."); OnModCommand("help"); diff --git a/src/Client.cpp b/src/Client.cpp index ac210f3b..82164986 100644 --- a/src/Client.cpp +++ b/src/Client.cpp @@ -1204,7 +1204,7 @@ bool CClient::OnPingMessage(CMessage& Message) { // All PONGs are generated by ZNC. We will still forward this to // the ircd, but all PONGs from irc will be blocked. if (!Message.GetParams().empty()) - PutClient(":irc.znc.in PONG irc.znc.in " + Message.GetParams(0)); + PutClient(":irc.znc.in PONG irc.znc.in " + Message.GetParamsColon(0)); else PutClient(":irc.znc.in PONG irc.znc.in"); return false; @@ -1305,10 +1305,10 @@ bool CClient::OnOtherMessage(CMessage& Message) { CString sModCommand; if (sTarget.TrimPrefix(m_pUser->GetStatusPrefix())) { - sModCommand = Message.GetParams(1); + sModCommand = Message.GetParamsColon(1); } else { sTarget = "status"; - sModCommand = Message.GetParams(0); + sModCommand = Message.GetParamsColon(0); } if (sTarget.Equals("status")) { @@ -1330,7 +1330,7 @@ bool CClient::OnOtherMessage(CMessage& Message) { return true; } - CString sPatterns = Message.GetParams(0); + CString sPatterns = Message.GetParamsColon(0); if (sPatterns.empty()) { PutStatusNotice(t_s("Usage: /attach <#chans>")); @@ -1352,7 +1352,7 @@ bool CClient::OnOtherMessage(CMessage& Message) { return true; } - CString sPatterns = Message.GetParams(0); + CString sPatterns = Message.GetParamsColon(0); if (sPatterns.empty()) { PutStatusNotice(t_s("Usage: /detach <#chans>")); diff --git a/src/IRCSock.cpp b/src/IRCSock.cpp index 2518d36f..e9db5447 100644 --- a/src/IRCSock.cpp +++ b/src/IRCSock.cpp @@ -761,7 +761,7 @@ bool CIRCSock::OnNumericMessage(CNumericMessage& Message) { CChan* pChan = m_pNetwork->FindChan(Message.GetParam(1)); if (pChan) { - pChan->SetModes(Message.GetParams(2)); + pChan->SetModes(Message.GetParamsColon(2)); // We don't SetModeKnown(true) here, // because a 329 will follow diff --git a/src/Message.cpp b/src/Message.cpp index 1beed063..6242e428 100644 --- a/src/Message.cpp +++ b/src/Message.cpp @@ -151,7 +151,7 @@ CString CMessage::ToString(unsigned int uFlags) const { if (!sMessage.empty()) { sMessage += " "; } - sMessage += GetParams(0); + sMessage += GetParamsColon(0); } return sMessage; From 11fb42887871a6196dcdf7f7c5556f1e673aceb6 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Sat, 2 Jun 2018 01:02:40 +0100 Subject: [PATCH 140/798] Fix VCString return values in modpython The list of functions which returned list of unknown objects instead of list of strings: * CMessage::GetParams() * CZNC::GetMotd() * CZNC::GetTrustedProxies() * CZNC::GetBindHosts() --- modules/modpython/cstring.i | 11 ++++++++++- 1 file changed, 10 insertions(+), 1 deletion(-) diff --git a/modules/modpython/cstring.i b/modules/modpython/cstring.i index bc081f7e..7e9ddf4c 100644 --- a/modules/modpython/cstring.i +++ b/modules/modpython/cstring.i @@ -74,12 +74,21 @@ SWIG_AsVal_CString (PyObject * obj, CString *val) } /*@SWIG@*/ /*@SWIG:/swig/3.0.8/typemaps/CStrings.swg,38,%CString_from@*/ -%fragment("SWIG_" "From" "_" {CString},"header",fragment="SWIG_FromCharPtrAndSize") { +%fragment("SWIG_" "From" "_" {CString},"header",fragment="SWIG_FromCharPtrAndSize", fragment="StdTraits") { SWIGINTERNINLINE PyObject * SWIG_From_CString (const CString& s) { return SWIG_FromCharPtrAndSize(s.data(), s.size()); } + +namespace swig { + template<> + struct traits_from { + static PyObject* from(const CString& s) { + return SWIG_From_CString(s); + } + }; +} } /*@SWIG@*/ From 94c5707f2e6c26e199f9755a38e23214f86c09c7 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Sat, 2 Jun 2018 01:52:11 +0100 Subject: [PATCH 141/798] Old clang doesn't understand 2-arg deprecation --- include/znc/Message.h | 8 +++----- 1 file changed, 3 insertions(+), 5 deletions(-) diff --git a/include/znc/Message.h b/include/znc/Message.h index 02305859..1981d312 100644 --- a/include/znc/Message.h +++ b/include/znc/Message.h @@ -31,11 +31,9 @@ #endif #ifdef SWIG -#define ZNC_MSG_DEPRECATED(msg, repl) -#elif defined(__clang__) -#define ZNC_MSG_DEPRECATED(msg, repl) __attribute__((deprecated(msg, repl))) +#define ZNC_MSG_DEPRECATED(msg) #else -#define ZNC_MSG_DEPRECATED(msg, repl) __attribute__((deprecated(msg))) +#define ZNC_MSG_DEPRECATED(msg) __attribute__((deprecated(msg))) #endif #include @@ -127,7 +125,7 @@ class CMessage { /// @deprecated use GetParamsColon() instead. CString GetParams(unsigned int uIdx, unsigned int uLen = -1) const - ZNC_MSG_DEPRECATED("Use GetParamsColon() instead", "GetParamsColon") { + ZNC_MSG_DEPRECATED("Use GetParamsColon() instead") { return GetParamsColon(uIdx, uLen); } CString GetParamsColon(unsigned int uIdx, unsigned int uLen = -1) const; From 8eebdf750df72e5d787ec85bccbf90d997aa1ffc Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Sat, 2 Jun 2018 10:45:03 +0100 Subject: [PATCH 142/798] Slightly cleaner way to fix #1543 --- modules/modpython/cstring.i | 11 ++--------- 1 file changed, 2 insertions(+), 9 deletions(-) diff --git a/modules/modpython/cstring.i b/modules/modpython/cstring.i index 7e9ddf4c..f73e6176 100644 --- a/modules/modpython/cstring.i +++ b/modules/modpython/cstring.i @@ -7,6 +7,7 @@ Remove unrelated stuff from top of file which is included by default s/std::string/CString/g s/std_string/CString/g + Add "%traits_ptypen(CString);" */ // @@ -17,6 +18,7 @@ %feature("naturalvar") CString; class CString; +%traits_ptypen(CString); /*@SWIG:/swig/3.0.8/typemaps/CStrings.swg,70,%typemaps_CString@*/ @@ -80,15 +82,6 @@ SWIG_From_CString (const CString& s) { return SWIG_FromCharPtrAndSize(s.data(), s.size()); } - -namespace swig { - template<> - struct traits_from { - static PyObject* from(const CString& s) { - return SWIG_From_CString(s); - } - }; -} } /*@SWIG@*/ From 065f19c5bd923e9655e437201fb44f759bb44897 Mon Sep 17 00:00:00 2001 From: Baguz Ach Date: Mon, 4 Jun 2018 16:46:14 +0700 Subject: [PATCH 143/798] added Bahasa Indonesia (#1550) --- translations/id-ID | 1 + 1 file changed, 1 insertion(+) create mode 100644 translations/id-ID diff --git a/translations/id-ID b/translations/id-ID new file mode 100644 index 00000000..5083107b --- /dev/null +++ b/translations/id-ID @@ -0,0 +1 @@ +SelfName Indonesian From 4b9279056241dfa85945c8fbfcd41a7b98d7a512 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Mon, 4 Jun 2018 22:03:10 +0100 Subject: [PATCH 144/798] Fix #1543 for modperl too While at it, fix a memory leak in NV handling Add some tests --- modules/modperl/modperl.i | 55 +++++++++--------- test/integration/tests/scripting.cpp | 84 ++++++++++++++++++++++++++++ 2 files changed, 109 insertions(+), 30 deletions(-) diff --git a/modules/modperl/modperl.i b/modules/modperl/modperl.i index dcf7dd42..4992b740 100644 --- a/modules/modperl/modperl.i +++ b/modules/modperl/modperl.i @@ -73,21 +73,24 @@ namespace std { }; } %include "modperl/CString.i" -%template(_stringlist) std::list; -%typemap(out) std::list { - std::list::const_iterator i; - unsigned int j; - int len = $1.size(); - SV **svs = new SV*[len]; - for (i=$1.begin(), j=0; i!=$1.end(); i++, j++) { - svs[j] = sv_newmortal(); - SwigSvFromString(svs[j], *i); - } - AV *myav = av_make(len, svs); - delete[] svs; - $result = newRV_noinc((SV*) myav); - sv_2mortal($result); - argvi++; + +%typemap(out) VCString { + EXTEND(sp, $1.size()); + for (int i = 0; i < $1.size(); ++i) { + SV* x = newSV(0); + SwigSvFromString(x, $1[i]); + $result = sv_2mortal(x); + argvi++; + } +} +%typemap(out) const VCString& { + EXTEND(sp, $1->size()); + for (int i = 0; i < $1->size(); ++i) { + SV* x = newSV(0); + SwigSvFromString(x, (*$1)[i]); + $result = sv_2mortal(x); + argvi++; + } } %template(VIRCNetworks) std::vector; @@ -176,26 +179,18 @@ class MCString : public std::map {}; %} %extend CModule { - std::list _GetNVKeys() { - std::list res; - for (MCString::iterator i = $self->BeginNV(); i != $self->EndNV(); ++i) { - res.push_back(i->first); - } - return res; - } + VCString GetNVKeys() { + VCString result; + for (auto i = $self->BeginNV(); i != $self->EndNV(); ++i) { + result.push_back(i->first); + } + return result; + } bool ExistsNV(const CString& sName) { return $self->EndNV() != $self->FindNV(sName); } } -%perlcode %{ - package ZNC::CModule; - sub GetNVKeys { - my $result = _GetNVKeys(@_); - return @$result; - } -%} - %extend CModules { void push_back(CModule* p) { $self->push_back(p); diff --git a/test/integration/tests/scripting.cpp b/test/integration/tests/scripting.cpp index 304b88f9..9dd68d8f 100644 --- a/test/integration/tests/scripting.cpp +++ b/test/integration/tests/scripting.cpp @@ -152,5 +152,89 @@ TEST_F(ZNCTest, ModperlSocket) { client.ReadUntil("received 4 bytes"); } +TEST_F(ZNCTest, ModpythonVCString) { + if (QProcessEnvironment::systemEnvironment().value( + "DISABLED_ZNC_PERL_PYTHON_TEST") == "1") { + return; + } + auto znc = Run(); + znc->CanLeak(); + + InstallModule("test.py", R"( + import znc + + class test(znc.Module): + def OnUserRawMessage(self, msg): + self.PutModule(str(msg.GetParams())) + return znc.CONTINUE + )"); + + auto ircd = ConnectIRCd(); + auto client = LoginClient(); + client.Write("znc loadmod modpython"); + client.Write("znc loadmod test"); + client.Write("PRIVMSG *test :foo"); + client.ReadUntil("'*test', 'foo'"); +} + +TEST_F(ZNCTest, ModperlVCString) { + if (QProcessEnvironment::systemEnvironment().value( + "DISABLED_ZNC_PERL_PYTHON_TEST") == "1") { + return; + } + auto znc = Run(); + znc->CanLeak(); + + InstallModule("test.pm", R"( + package test; + use base 'ZNC::Module'; + sub OnUserRawMessage { + my ($self, $msg) = @_; + my @params = $msg->GetParams; + $self->PutModule("@params"); + return $ZNC::CONTINUE; + } + + 1; + )"); + + auto ircd = ConnectIRCd(); + auto client = LoginClient(); + client.Write("znc loadmod modperl"); + client.Write("znc loadmod test"); + client.Write("PRIVMSG *test :foo"); + client.ReadUntil(":*test foo"); +} + +TEST_F(ZNCTest, ModperlNV) { + if (QProcessEnvironment::systemEnvironment().value( + "DISABLED_ZNC_PERL_PYTHON_TEST") == "1") { + return; + } + auto znc = Run(); + znc->CanLeak(); + + InstallModule("test.pm", R"( + package test; + use base 'ZNC::Module'; + sub OnLoad { + my $self = shift; + $self->SetNV('a', 'X'); + $self->NV->{b} = 'Y'; + my @k = keys %{$self->NV}; + $self->PutModule("@k"); + return $ZNC::CONTINUE; + } + + 1; + )"); + + auto ircd = ConnectIRCd(); + auto client = LoginClient(); + client.Write("znc loadmod modperl"); + client.Write("znc loadmod test"); + client.ReadUntil(":a b"); +} + } // namespace } // namespace znc_inttest From 664105eabdedade760f026f524c1f6039f3e0531 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Mon, 4 Jun 2018 22:27:39 +0100 Subject: [PATCH 145/798] Fix #1548: fix description of flooddetach commands. Ref #1549 --- modules/flooddetach.cpp | 7 +++++-- 1 file changed, 5 insertions(+), 2 deletions(-) diff --git a/modules/flooddetach.cpp b/modules/flooddetach.cpp index f58dfb09..946c6029 100644 --- a/modules/flooddetach.cpp +++ b/modules/flooddetach.cpp @@ -32,9 +32,12 @@ class CFloodDetachMod : public CModule { AddCommand("Secs", t_d("[]"), t_d("Show or set number of seconds in the time interval"), [=](const CString& sLine) { SecsCommand(sLine); }); - AddCommand("Lines", t_d("[]"), t_d("blahblah: description"), + AddCommand("Lines", t_d("[]"), + t_d("Show or set number of lines in the time interval"), [=](const CString& sLine) { LinesCommand(sLine); }); - AddCommand("Silent", t_d("[yes|no]"), t_d("blahblah: description"), + AddCommand("Silent", "[yes|no]", + t_d("Show or set whether to notify you about detaching and " + "attaching back"), [=](const CString& sLine) { SilentCommand(sLine); }); } From 633e695aba415d4ec5130dc4960ea7b4d09e89d6 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins bot Date: Mon, 4 Jun 2018 22:38:33 +0100 Subject: [PATCH 146/798] Update translations from Crowdin (#1544) --- modules/po/controlpanel.de_DE.po | 26 ++-- modules/po/flooddetach.de_DE.po | 38 +++--- modules/po/kickrejoin.de_DE.po | 2 +- modules/po/listsockets.de_DE.po | 2 +- modules/po/savebuff.de_DE.po | 4 + src/po/znc.de_DE.po | 205 ++++++++++++++++++------------- src/po/znc.ru_RU.po | 43 ++++--- 7 files changed, 180 insertions(+), 140 deletions(-) diff --git a/modules/po/controlpanel.de_DE.po b/modules/po/controlpanel.de_DE.po index 59ea489f..599822b2 100644 --- a/modules/po/controlpanel.de_DE.po +++ b/modules/po/controlpanel.de_DE.po @@ -36,7 +36,7 @@ msgstr "Ganzzahl" #: controlpanel.cpp:80 msgid "Number" -msgstr "" +msgstr "Nummer" #: controlpanel.cpp:123 msgid "The following variables are available when using the Set/Get commands:" @@ -654,7 +654,7 @@ msgstr " " #: controlpanel.cpp:1600 msgid "Cycles the user's IRC server connection" -msgstr "" +msgstr "Erneuert die IRC-Verbindung des Benutzers" #: controlpanel.cpp:1603 msgid "Disconnects the user from their IRC server" @@ -702,46 +702,48 @@ msgstr "Zeigt eine Liste der Module eines Netzwerks" #: controlpanel.cpp:1626 msgid "List the configured CTCP replies" -msgstr "" +msgstr "Liste die konfigurierten CTCP-Antworten auf" #: controlpanel.cpp:1628 msgid " [reply]" -msgstr "" +msgstr " [Antwort]" #: controlpanel.cpp:1629 msgid "Configure a new CTCP reply" -msgstr "" +msgstr "Konfiguriere eine neue CTCP-Antwort" #: controlpanel.cpp:1631 msgid " " -msgstr "" +msgstr " " #: controlpanel.cpp:1632 msgid "Remove a CTCP reply" -msgstr "" +msgstr "Entfernt eine CTCP-Antwort" #: controlpanel.cpp:1636 controlpanel.cpp:1639 msgid "[username] " -msgstr "" +msgstr "[Benutzername] " #: controlpanel.cpp:1637 msgid "Add a network for a user" -msgstr "" +msgstr "Füge ein Netzwerk für einen Benutzer hinzu" #: controlpanel.cpp:1640 msgid "Delete a network for a user" -msgstr "" +msgstr "Lösche ein Netzwerk für einen Benutzer" #: controlpanel.cpp:1642 msgid "[username]" -msgstr "" +msgstr "[Benutzername]" #: controlpanel.cpp:1643 msgid "List all networks for a user" -msgstr "" +msgstr "Listet alle Netzwerke für einen Benutzer auf" #: controlpanel.cpp:1656 msgid "" "Dynamic configuration through IRC. Allows editing only yourself if you're " "not ZNC admin." msgstr "" +"Dynamische Konfiguration durch IRC. Erlaubt es nur dich selbst zu bearbeiten " +"falls du kein ZNC-Administrator bist." diff --git a/modules/po/flooddetach.de_DE.po b/modules/po/flooddetach.de_DE.po index c03e5742..dfbc4124 100644 --- a/modules/po/flooddetach.de_DE.po +++ b/modules/po/flooddetach.de_DE.po @@ -14,19 +14,19 @@ msgstr "" #: flooddetach.cpp:30 msgid "Show current limits" -msgstr "" +msgstr "Zeige die aktuellen Limits" #: flooddetach.cpp:32 flooddetach.cpp:35 msgid "[]" -msgstr "" +msgstr "[]" #: flooddetach.cpp:33 msgid "Show or set number of seconds in the time interval" -msgstr "" +msgstr "Zeige oder Setze die Anzahl an Sekunden im Zeitinterval" #: flooddetach.cpp:35 flooddetach.cpp:37 msgid "blahblah: description" -msgstr "" +msgstr "blahblah: Beschreibung" #: flooddetach.cpp:37 msgid "[yes|no]" @@ -34,58 +34,60 @@ msgstr "" #: flooddetach.cpp:90 msgid "Flood in {1} is over, reattaching..." -msgstr "" +msgstr "Flut in {1} ist vorbei, verbinde..." #: flooddetach.cpp:147 msgid "Channel {1} was flooded, you've been detached" -msgstr "" +msgstr "Kanal {1} wurde mit Nachrichten geflutet, sie wurden getrennt" #: flooddetach.cpp:184 msgid "1 line" msgid_plural "{1} lines" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "Eine Zeile" +msgstr[1] "{1} Zeilen" #: flooddetach.cpp:185 msgid "every second" msgid_plural "every {1} seconds" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "jede Sekunde" +msgstr[1] "alle {1} Sekunden" #: flooddetach.cpp:187 msgid "Current limit is {1} {2}" -msgstr "" +msgstr "Aktuelles Limit ist {1} {2}" #: flooddetach.cpp:194 msgid "Seconds limit is {1}" -msgstr "" +msgstr "Sekunden-Grenze ist {1}" #: flooddetach.cpp:199 msgid "Set seconds limit to {1}" -msgstr "" +msgstr "Sekunden-Grenze auf {1} gesetzt" #: flooddetach.cpp:208 msgid "Lines limit is {1}" -msgstr "" +msgstr "Zeilen-Grenze ist {1}" #: flooddetach.cpp:213 msgid "Set lines limit to {1}" -msgstr "" +msgstr "Zeilen-Grenze auf {1} gesetzt" #: flooddetach.cpp:226 msgid "Module messages are disabled" -msgstr "" +msgstr "Modul-Nachrichten sind deaktiviert" #: flooddetach.cpp:228 msgid "Module messages are enabled" -msgstr "" +msgstr "Modul-Nachrichten sind aktiviert" #: flooddetach.cpp:244 msgid "" "This user module takes up to two arguments. Arguments are numbers of " "messages and seconds." msgstr "" +"Dieses Benutzer-Modul erhält bis zu zwei Argumente. Argumente sind Anzahl an " +"Nachrichten und Sekunden." #: flooddetach.cpp:248 msgid "Detach channels when flooded" -msgstr "" +msgstr "Trenne Kanäle bei Nachrichten-Flut" diff --git a/modules/po/kickrejoin.de_DE.po b/modules/po/kickrejoin.de_DE.po index 720ac4af..905e9f13 100644 --- a/modules/po/kickrejoin.de_DE.po +++ b/modules/po/kickrejoin.de_DE.po @@ -14,7 +14,7 @@ msgstr "" #: kickrejoin.cpp:56 msgid "" -msgstr "" +msgstr "" #: kickrejoin.cpp:56 msgid "Set the rejoin delay" diff --git a/modules/po/listsockets.de_DE.po b/modules/po/listsockets.de_DE.po index 6a93518d..80301be2 100644 --- a/modules/po/listsockets.de_DE.po +++ b/modules/po/listsockets.de_DE.po @@ -79,7 +79,7 @@ msgstr "Nein" #: listsockets.cpp:142 msgid "Listener" -msgstr "" +msgstr "Listener" #: listsockets.cpp:144 msgid "Inbound" diff --git a/modules/po/savebuff.de_DE.po b/modules/po/savebuff.de_DE.po index 84880695..c55c4b1b 100644 --- a/modules/po/savebuff.de_DE.po +++ b/modules/po/savebuff.de_DE.po @@ -38,6 +38,10 @@ msgid "" "the appropriate pass and things should start working, or setpass to a new " "pass and save to reinstantiate" msgstr "" +"Passwort ist nicht gesagt, was üblicherweise bedeutet, dass die " +"Entschlüsselung fehlgeschlagen ist. Du kannst setpass benutzen um das " +"richtige Passwort zu setzen und alles sollte funktionieren, oder setpass ein " +"neues Passwort und save für einen Neubeginn" #: savebuff.cpp:232 msgid "Password set to [{1}]" diff --git a/src/po/znc.de_DE.po b/src/po/znc.de_DE.po index 3a8ac1b5..b4e0b56a 100644 --- a/src/po/znc.de_DE.po +++ b/src/po/znc.de_DE.po @@ -151,7 +151,7 @@ msgstr "Zu SSL gewechselt (STARTTLS)" #: IRCSock.cpp:1032 msgid "You quit: {1}" -msgstr "" +msgstr "Du hast die Verbindung getrennt: {1}" #: IRCSock.cpp:1238 msgid "Disconnected from IRC. Reconnecting..." @@ -303,16 +303,16 @@ msgstr[1] "Von {1} Kanälen getrennt" #: Chan.cpp:638 msgid "Buffer Playback..." -msgstr "" +msgstr "Pufferwiedergabe..." #: Chan.cpp:676 msgid "Playback Complete." -msgstr "" +msgstr "Wiedergabe beendet." #: Modules.cpp:528 msgctxt "modhelpcmd" msgid "" -msgstr "" +msgstr "" #: Modules.cpp:529 msgctxt "modhelpcmd" @@ -481,11 +481,11 @@ msgstr "Es ist keine MOTD gesetzt." #: ClientCommand.cpp:167 msgid "Rehashing succeeded!" -msgstr "" +msgstr "Rehashen erfolgreich!" #: ClientCommand.cpp:169 msgid "Rehashing failed: {1}" -msgstr "" +msgstr "Rehashen fehlgeschlagen: {1}" #: ClientCommand.cpp:173 msgid "Wrote config to {1}" @@ -784,7 +784,7 @@ msgstr "SSL" #: ClientCommand.cpp:832 msgid "Usage: AddTrustedServerFingerprint " -msgstr "" +msgstr "Verwendung: AddTrustedServerFingerprint " #: ClientCommand.cpp:836 ClientCommand.cpp:849 msgid "Done." @@ -792,183 +792,188 @@ msgstr "Erledigt." #: ClientCommand.cpp:845 msgid "Usage: DelTrustedServerFingerprint " -msgstr "" +msgstr "Verwendung: DelTrustedServerFingerprint " #: ClientCommand.cpp:858 msgid "No fingerprints added." -msgstr "" +msgstr "Keine Fingerabdrücke hinzugefügt." #: ClientCommand.cpp:874 ClientCommand.cpp:880 msgctxt "topicscmd" msgid "Channel" -msgstr "" +msgstr "Kanal" #: ClientCommand.cpp:875 ClientCommand.cpp:881 msgctxt "topicscmd" msgid "Set By" -msgstr "" +msgstr "Gesetzt von" #: ClientCommand.cpp:876 ClientCommand.cpp:882 msgctxt "topicscmd" msgid "Topic" -msgstr "" +msgstr "Thema" #: ClientCommand.cpp:889 ClientCommand.cpp:893 msgctxt "listmods" msgid "Name" -msgstr "" +msgstr "Name" #: ClientCommand.cpp:890 ClientCommand.cpp:894 msgctxt "listmods" msgid "Arguments" -msgstr "" +msgstr "Argumente" #: ClientCommand.cpp:902 msgid "No global modules loaded." -msgstr "" +msgstr "Keine globalen Module geladen." #: ClientCommand.cpp:904 ClientCommand.cpp:964 msgid "Global modules:" -msgstr "" +msgstr "Globale Module:" #: ClientCommand.cpp:912 msgid "Your user has no modules loaded." -msgstr "" +msgstr "Dein Benutzer hat keine Module geladen." #: ClientCommand.cpp:914 ClientCommand.cpp:975 msgid "User modules:" -msgstr "" +msgstr "Benutzer-Module:" #: ClientCommand.cpp:921 msgid "This network has no modules loaded." -msgstr "" +msgstr "Dieses Netzwerk hat keine Module geladen." #: ClientCommand.cpp:923 ClientCommand.cpp:986 msgid "Network modules:" -msgstr "" +msgstr "Netzwerk-Module:" #: ClientCommand.cpp:938 ClientCommand.cpp:944 msgctxt "listavailmods" msgid "Name" -msgstr "" +msgstr "Name" #: ClientCommand.cpp:939 ClientCommand.cpp:949 msgctxt "listavailmods" msgid "Description" -msgstr "" +msgstr "Beschreibung" #: ClientCommand.cpp:962 msgid "No global modules available." -msgstr "" +msgstr "Keine globalen Module verfügbar." #: ClientCommand.cpp:973 msgid "No user modules available." -msgstr "" +msgstr "Keine Benutzer-Module verfügbar." #: ClientCommand.cpp:984 msgid "No network modules available." -msgstr "" +msgstr "Keine Netzwerk-Module verfügbar." #: ClientCommand.cpp:1012 msgid "Unable to load {1}: Access denied." -msgstr "" +msgstr "Kann {1} nicht laden: Zugriff verweigert." #: ClientCommand.cpp:1018 msgid "Usage: LoadMod [--type=global|user|network] [args]" -msgstr "" +msgstr "Verwendung: LoadMod [--type=global|user|network] [Argumente]" #: ClientCommand.cpp:1025 msgid "Unable to load {1}: {2}" -msgstr "" +msgstr "Kann {1} nicht laden: {2}" #: ClientCommand.cpp:1035 msgid "Unable to load global module {1}: Access denied." -msgstr "" +msgstr "Kann globales Modul {1} nicht laden: Zugriff verweigert." #: ClientCommand.cpp:1041 msgid "Unable to load network module {1}: Not connected with a network." msgstr "" +"Kann Netzwerk-Module {1} nicht laden: Nicht mit einem Netzwerk verbunden." #: ClientCommand.cpp:1063 msgid "Unknown module type" -msgstr "" +msgstr "Unbekannter Modul-Typ" #: ClientCommand.cpp:1068 msgid "Loaded module {1}" -msgstr "" +msgstr "Module {1} geladen" #: ClientCommand.cpp:1070 msgid "Loaded module {1}: {2}" -msgstr "" +msgstr "Modul {1} geladen: {2}" #: ClientCommand.cpp:1073 msgid "Unable to load module {1}: {2}" -msgstr "" +msgstr "Kann Modul {1} nicht laden: {2}" #: ClientCommand.cpp:1096 msgid "Unable to unload {1}: Access denied." -msgstr "" +msgstr "Kann Modul {1} nicht entladen: Zugriff verweigert." #: ClientCommand.cpp:1102 msgid "Usage: UnloadMod [--type=global|user|network] " -msgstr "" +msgstr "Verwendung: UnloadMod [--type=global|user|network] " #: ClientCommand.cpp:1111 msgid "Unable to determine type of {1}: {2}" -msgstr "" +msgstr "Kann Typ von {1} nicht feststellen: {2}" #: ClientCommand.cpp:1119 msgid "Unable to unload global module {1}: Access denied." -msgstr "" +msgstr "Kann globales Modul {1} nicht entladen: Zugriff verweigert." #: ClientCommand.cpp:1126 msgid "Unable to unload network module {1}: Not connected with a network." msgstr "" +"Kann Netzwerk-Module {1} nicht entladen: Nicht mit einem Netzwerk verbunden." #: ClientCommand.cpp:1145 msgid "Unable to unload module {1}: Unknown module type" -msgstr "" +msgstr "Kann Modul {1} nicht entladen: Unbekannter Modul-Typ" #: ClientCommand.cpp:1158 msgid "Unable to reload modules. Access denied." -msgstr "" +msgstr "Kann Module nicht neu laden: Zugriff verweigert." #: ClientCommand.cpp:1179 msgid "Usage: ReloadMod [--type=global|user|network] [args]" -msgstr "" +msgstr "Verwendung: ReloadMod [--type=global|user|network] [Argumente]" #: ClientCommand.cpp:1188 msgid "Unable to reload {1}: {2}" -msgstr "" +msgstr "Kann {1} nicht neu laden: {2}" #: ClientCommand.cpp:1196 msgid "Unable to reload global module {1}: Access denied." -msgstr "" +msgstr "Kann globales Modul {1} nicht neu laden: Zugriff verweigert." #: ClientCommand.cpp:1203 msgid "Unable to reload network module {1}: Not connected with a network." msgstr "" +"Kann Netzwerk-Module {1} nicht neu laden: Nicht mit einem Netzwerk verbunden." #: ClientCommand.cpp:1225 msgid "Unable to reload module {1}: Unknown module type" -msgstr "" +msgstr "Kann Modul {1} nicht neu laden: Unbekannter Modul-Typ" #: ClientCommand.cpp:1236 msgid "Usage: UpdateMod " -msgstr "" +msgstr "Verwendung: UpdateMod " #: ClientCommand.cpp:1240 msgid "Reloading {1} everywhere" -msgstr "" +msgstr "Lade {1} überall neu" #: ClientCommand.cpp:1242 msgid "Done" -msgstr "" +msgstr "Erledigt" #: ClientCommand.cpp:1245 msgid "" "Done, but there were errors, module {1} could not be reloaded everywhere." msgstr "" +"Erledigt, aber es gab Fehler, Modul {1} konnte nicht überall neu geladen " +"werden." #: ClientCommand.cpp:1253 msgid "" @@ -980,7 +985,7 @@ msgstr "" #: ClientCommand.cpp:1260 msgid "Usage: SetBindHost " -msgstr "" +msgstr "Verwendung: SetBindHost " #: ClientCommand.cpp:1265 ClientCommand.cpp:1282 msgid "You already have this bind host!" @@ -1224,6 +1229,8 @@ msgstr "nein" msgid "" "Usage: AddPort <[+]port> [bindhost [uriprefix]]" msgstr "" +"Verwendung: AddPort <[+]port> [Bindhost " +"[URIPrefix]]" #: ClientCommand.cpp:1632 msgid "Port added" @@ -1235,7 +1242,7 @@ msgstr "Konnte Port nicht hinzufügen" #: ClientCommand.cpp:1640 msgid "Usage: DelPort [bindhost]" -msgstr "" +msgstr "Verwendung: DelPort [Bindhost]" #: ClientCommand.cpp:1649 msgid "Deleted Port" @@ -1243,7 +1250,7 @@ msgstr "Port gelöscht" #: ClientCommand.cpp:1651 msgid "Unable to find a matching port" -msgstr "" +msgstr "Konnte keinen passenden Port finden" #: ClientCommand.cpp:1659 ClientCommand.cpp:1673 msgctxt "helpcmd" @@ -1260,86 +1267,88 @@ msgid "" "In the following list all occurrences of <#chan> support wildcards (* and ?) " "except ListNicks" msgstr "" +"In der folgenden Liste unterstützen alle vorkommen von <#chan> Wildcards (* " +"und ?), außer ListNicks" #: ClientCommand.cpp:1680 msgctxt "helpcmd|Version|desc" msgid "Print which version of ZNC this is" -msgstr "" +msgstr "Zeige die Version von ZNC an" #: ClientCommand.cpp:1683 msgctxt "helpcmd|ListMods|desc" msgid "List all loaded modules" -msgstr "" +msgstr "Zeige alle geladenen Module" #: ClientCommand.cpp:1686 msgctxt "helpcmd|ListAvailMods|desc" msgid "List all available modules" -msgstr "" +msgstr "Zeige alle verfügbaren Module" #: ClientCommand.cpp:1690 ClientCommand.cpp:1876 msgctxt "helpcmd|ListChans|desc" msgid "List all channels" -msgstr "" +msgstr "Zeige alle Kanäle" #: ClientCommand.cpp:1693 msgctxt "helpcmd|ListNicks|args" msgid "<#chan>" -msgstr "" +msgstr "<#Kanal>" #: ClientCommand.cpp:1694 msgctxt "helpcmd|ListNicks|desc" msgid "List all nicks on a channel" -msgstr "" +msgstr "Alle Nicks eines Kanals auflisten" #: ClientCommand.cpp:1697 msgctxt "helpcmd|ListClients|desc" msgid "List all clients connected to your ZNC user" -msgstr "" +msgstr "Alle Clients auflisten, die zu deinem ZNC-Benutzer verbunden sind" #: ClientCommand.cpp:1701 msgctxt "helpcmd|ListServers|desc" msgid "List all servers of current IRC network" -msgstr "" +msgstr "Zeige alle Server des aktuellen IRC-Netzwerkes" #: ClientCommand.cpp:1705 msgctxt "helpcmd|AddNetwork|args" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1706 msgctxt "helpcmd|AddNetwork|desc" msgid "Add a network to your user" -msgstr "" +msgstr "Füge ein Netzwerk zu deinem Benutzer hinzu" #: ClientCommand.cpp:1708 msgctxt "helpcmd|DelNetwork|args" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1709 msgctxt "helpcmd|DelNetwork|desc" msgid "Delete a network from your user" -msgstr "" +msgstr "Lösche ein Netzwerk von deinem Benutzer" #: ClientCommand.cpp:1711 msgctxt "helpcmd|ListNetworks|desc" msgid "List all networks" -msgstr "" +msgstr "Alle Netzwerke auflisten" #: ClientCommand.cpp:1714 msgctxt "helpcmd|MoveNetwork|args" msgid " [new network]" -msgstr "" +msgstr " [neues Netzwerk]" #: ClientCommand.cpp:1716 msgctxt "helpcmd|MoveNetwork|desc" msgid "Move an IRC network from one user to another" -msgstr "" +msgstr "Verschiebe ein IRC-Netzwerk von einem Benutzer zu einem anderen" #: ClientCommand.cpp:1720 msgctxt "helpcmd|JumpNetwork|args" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1721 msgctxt "helpcmd|JumpNetwork|desc" @@ -1347,22 +1356,26 @@ msgid "" "Jump to another network (Alternatively, you can connect to ZNC several " "times, using `user/network` as username)" msgstr "" +"Springe zu einem anderen Netzwerk (alternativ kannst du auch mehrfach zu ZNC " +"verbinden und `Benutzer/Netzwerk` als Benutzername verwenden)" #: ClientCommand.cpp:1726 msgctxt "helpcmd|AddServer|args" msgid " [[+]port] [pass]" -msgstr "" +msgstr " [[+]Port] [Pass]" #: ClientCommand.cpp:1727 msgctxt "helpcmd|AddServer|desc" msgid "" "Add a server to the list of alternate/backup servers of current IRC network." msgstr "" +"Füge einen Server zur Liste der alternativen/backup Server des aktuellen IRC-" +"Netzwerkes hinzu." #: ClientCommand.cpp:1731 msgctxt "helpcmd|DelServer|args" msgid " [port] [pass]" -msgstr "" +msgstr " [Port] [Pass]" #: ClientCommand.cpp:1732 msgctxt "helpcmd|DelServer|desc" @@ -1370,6 +1383,8 @@ msgid "" "Remove a server from the list of alternate/backup servers of current IRC " "network" msgstr "" +"Lösche einen Server von der Liste der alternativen/backup Server des " +"aktuellen IRC-Netzwerkes" #: ClientCommand.cpp:1738 msgctxt "helpcmd|AddTrustedServerFingerprint|args" @@ -1382,6 +1397,8 @@ msgid "" "Add a trusted server SSL certificate fingerprint (SHA-256) to current IRC " "network." msgstr "" +"Füge den Fingerabdruck (SHA-256) eines vertrauenswürdigen SSL-Zertifikates " +"zum aktuellen IRC-Netzwerk hinzu." #: ClientCommand.cpp:1744 msgctxt "helpcmd|DelTrustedServerFingerprint|args" @@ -1392,86 +1409,90 @@ msgstr "" msgctxt "helpcmd|DelTrustedServerFingerprint|desc" msgid "Delete a trusted server SSL certificate from current IRC network." msgstr "" +"Lösche ein vertrauenswürdiges Server-SSL-Zertifikat vom aktuellen IRC-" +"Netzwerk." #: ClientCommand.cpp:1749 msgctxt "helpcmd|ListTrustedServerFingerprints|desc" msgid "List all trusted server SSL certificates of current IRC network." msgstr "" +"Zeige alle vertrauenswürdigen Server-SSL-Zertifikate des aktuellen IRC-" +"Netzwerkes an." #: ClientCommand.cpp:1752 msgctxt "helpcmd|EnableChan|args" msgid "<#chans>" -msgstr "" +msgstr "<#Kanäle>" #: ClientCommand.cpp:1753 msgctxt "helpcmd|EnableChan|desc" msgid "Enable channels" -msgstr "" +msgstr "Aktivierte Kanäle" #: ClientCommand.cpp:1754 msgctxt "helpcmd|DisableChan|args" msgid "<#chans>" -msgstr "" +msgstr "<#Kanäle>" #: ClientCommand.cpp:1755 msgctxt "helpcmd|DisableChan|desc" msgid "Disable channels" -msgstr "" +msgstr "Deaktiviere Kanäle" #: ClientCommand.cpp:1756 msgctxt "helpcmd|Attach|args" msgid "<#chans>" -msgstr "" +msgstr "<#Kanäle>" #: ClientCommand.cpp:1757 msgctxt "helpcmd|Attach|desc" msgid "Attach to channels" -msgstr "" +msgstr "Verbinde zu Kanälen" #: ClientCommand.cpp:1758 msgctxt "helpcmd|Detach|args" msgid "<#chans>" -msgstr "" +msgstr "<#Kanäle>" #: ClientCommand.cpp:1759 msgctxt "helpcmd|Detach|desc" msgid "Detach from channels" -msgstr "" +msgstr "Trenne von Kanälen" #: ClientCommand.cpp:1762 msgctxt "helpcmd|Topics|desc" msgid "Show topics in all your channels" -msgstr "" +msgstr "Zeige die Themen aller deiner Kanäle" #: ClientCommand.cpp:1765 msgctxt "helpcmd|PlayBuffer|args" msgid "<#chan|query>" -msgstr "" +msgstr "<#Kanal|Query>" #: ClientCommand.cpp:1766 msgctxt "helpcmd|PlayBuffer|desc" msgid "Play back the specified buffer" -msgstr "" +msgstr "Spiele den angegebenen Puffer ab" #: ClientCommand.cpp:1768 msgctxt "helpcmd|ClearBuffer|args" msgid "<#chan|query>" -msgstr "" +msgstr "<#Kanal|Query>" #: ClientCommand.cpp:1769 msgctxt "helpcmd|ClearBuffer|desc" msgid "Clear the specified buffer" -msgstr "" +msgstr "Lösche den angegebenen Puffer" #: ClientCommand.cpp:1771 msgctxt "helpcmd|ClearAllBuffers|desc" msgid "Clear all channel and query buffers" -msgstr "" +msgstr "Lösche alle Kanal- und Querypuffer" #: ClientCommand.cpp:1774 msgctxt "helpcmd|ClearAllChannelBuffers|desc" msgid "Clear the channel buffers" -msgstr "" +msgstr "Lösche alle Kanalpuffer" #: ClientCommand.cpp:1778 msgctxt "helpcmd|ClearAllQueryBuffers|desc" @@ -1727,36 +1748,42 @@ msgid "" "Can't resolve bind hostname. Try /znc ClearBindHost and /znc " "ClearUserBindHost" msgstr "" +"Kann Binde-Hostnamen nicht auflösen. Versuche /znc ClearBindHost und /znc " +"ClearUserBindHost" #: Socket.cpp:348 msgid "Server address is IPv4-only, but bindhost is IPv6-only" -msgstr "" +msgstr "Server hat nur eine IPv4-Adresse, aber Binde-Hostname ist nur IPv6" #: Socket.cpp:357 msgid "Server address is IPv6-only, but bindhost is IPv4-only" -msgstr "" +msgstr "Server hat nur eine IPv6-Adresse, aber Binde-Hostname ist nur IPv4" #: Socket.cpp:515 msgid "Some socket reached its max buffer limit and was closed!" msgstr "" +"Eine Verbindung hat ihre maximale Puffergrenze erreicht und wurde " +"geschlossen!" #: SSLVerifyHost.cpp:448 msgid "hostname doesn't match" -msgstr "" +msgstr "hostname passt nicht" #: SSLVerifyHost.cpp:452 msgid "malformed hostname in certificate" -msgstr "" +msgstr "fehlerhafter Hostname im Zertifikat" #: SSLVerifyHost.cpp:456 msgid "hostname verification error" -msgstr "" +msgstr "hostnamen-Überprüfung fehlgeschlagen" #: User.cpp:507 msgid "" "Invalid network name. It should be alphanumeric. Not to be confused with " "server name" msgstr "" +"Ungültiger Netzwerkname. Er sollte alpha-numerisch sein. Nicht mit Server-" +"Namen verwechseln" #: User.cpp:511 msgid "Network {1} already exists" @@ -1767,6 +1794,8 @@ msgid "" "You are being disconnected because your IP is no longer allowed to connect " "to this user" msgstr "" +"Deine Verbindung wird geschlossen da deine IP sich nicht länger zu diesem " +"Benutzer verbinden darf" #: User.cpp:907 msgid "Password is empty" @@ -1782,4 +1811,4 @@ msgstr "Benutzername ist ungültig" #: User.cpp:1188 msgid "Unable to find modinfo {1}: {2}" -msgstr "" +msgstr "Kann Modulinformationen für {1} nicht finden: {2}" diff --git a/src/po/znc.ru_RU.po b/src/po/znc.ru_RU.po index 2a378a52..b6d454b8 100644 --- a/src/po/znc.ru_RU.po +++ b/src/po/znc.ru_RU.po @@ -604,7 +604,7 @@ msgstr "Сеть удалена" #: ClientCommand.cpp:585 msgid "Failed to delete network, perhaps this network doesn't exist" -msgstr "" +msgstr "Не могу удалить сеть, возможно, она не существует" #: ClientCommand.cpp:595 msgid "User {1} not found" @@ -618,22 +618,22 @@ msgstr "Сеть" #: ClientCommand.cpp:604 ClientCommand.cpp:613 ClientCommand.cpp:622 msgctxt "listnetworks" msgid "On IRC" -msgstr "" +msgstr "В сети" #: ClientCommand.cpp:605 ClientCommand.cpp:615 msgctxt "listnetworks" msgid "IRC Server" -msgstr "" +msgstr "IRC-сервер" #: ClientCommand.cpp:606 ClientCommand.cpp:617 msgctxt "listnetworks" msgid "IRC User" -msgstr "" +msgstr "Пользователь в IRC" #: ClientCommand.cpp:607 ClientCommand.cpp:619 msgctxt "listnetworks" msgid "Channels" -msgstr "Каналы" +msgstr "Каналов" #: ClientCommand.cpp:614 msgctxt "listnetworks" @@ -648,7 +648,7 @@ msgstr "Нет" #: ClientCommand.cpp:628 msgctxt "listnetworks" msgid "No networks" -msgstr "" +msgstr "Нет сетей" #: ClientCommand.cpp:632 ClientCommand.cpp:932 msgid "Access denied." @@ -657,34 +657,37 @@ msgstr "Доступ запрещён." #: ClientCommand.cpp:643 msgid "Usage: MoveNetwork [new network]" msgstr "" +"Использование: MoveNetwork <старый пользователь> <старая сеть> <новый " +"пользователь> [новая сеть]" #: ClientCommand.cpp:653 msgid "Old user {1} not found." -msgstr "" +msgstr "Старый пользователь {1} не найден." #: ClientCommand.cpp:659 msgid "Old network {1} not found." -msgstr "" +msgstr "Старая сеть {1} не найдена." #: ClientCommand.cpp:665 msgid "New user {1} not found." -msgstr "" +msgstr "Новый пользователь {1} не найден." #: ClientCommand.cpp:670 msgid "User {1} already has network {2}." -msgstr "" +msgstr "У пользователя {1} уже есть сеть {2}." #: ClientCommand.cpp:676 msgid "Invalid network name [{1}]" -msgstr "" +msgstr "Некорректное имя сети [{1}]" #: ClientCommand.cpp:692 msgid "Some files seem to be in {1}. You might want to move them to {2}" msgstr "" +"В {1} остались какие-то файлы. Возможно, вам нужно переместить их в {2}" #: ClientCommand.cpp:706 msgid "Error adding network: {1}" -msgstr "" +msgstr "Ошибка при добавлении сети: {1}" #: ClientCommand.cpp:718 msgid "Success." @@ -692,31 +695,31 @@ msgstr "Успех." #: ClientCommand.cpp:721 msgid "Copied the network to new user, but failed to delete old network" -msgstr "" +msgstr "Сеть скопирована успешно, но не могу удалить старую сеть" #: ClientCommand.cpp:728 msgid "No network supplied." -msgstr "" +msgstr "Сеть не указана." #: ClientCommand.cpp:733 msgid "You are already connected with this network." -msgstr "" +msgstr "Вы уже подключены к этой сети." #: ClientCommand.cpp:739 msgid "Switched to {1}" -msgstr "" +msgstr "Переключаю на {1}" #: ClientCommand.cpp:742 msgid "You don't have a network named {1}" -msgstr "" +msgstr "У вас нет сети с названием {1}" #: ClientCommand.cpp:754 msgid "Usage: AddServer [[+]port] [pass]" -msgstr "" +msgstr "Использование: AddServer <хост> [[+]порт] [пароль]" #: ClientCommand.cpp:759 msgid "Server added" -msgstr "" +msgstr "Сервер добавлен" #: ClientCommand.cpp:762 msgid "" @@ -726,7 +729,7 @@ msgstr "" #: ClientCommand.cpp:777 msgid "Usage: DelServer [port] [pass]" -msgstr "" +msgstr "Использование: DelServer <хост> [порт] [пароль]" #: ClientCommand.cpp:782 ClientCommand.cpp:822 msgid "You don't have any servers added." From 8edcdf3263e910f222b4d2b0acc7906d6140967f Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins bot Date: Mon, 4 Jun 2018 22:38:56 +0100 Subject: [PATCH 147/798] Update translations from Crowdin (#1539) --- modules/po/adminlog.id_ID.po | 2 +- modules/po/alias.id_ID.po | 2 +- modules/po/autoattach.id_ID.po | 2 +- modules/po/autocycle.id_ID.po | 2 +- modules/po/autoop.id_ID.po | 2 +- modules/po/autoreply.id_ID.po | 2 +- modules/po/autovoice.id_ID.po | 2 +- modules/po/awaystore.id_ID.po | 2 +- modules/po/block_motd.id_ID.po | 2 +- modules/po/blockuser.id_ID.po | 2 +- modules/po/bouncedcc.id_ID.po | 2 +- modules/po/buffextras.id_ID.po | 2 +- modules/po/cert.id_ID.po | 2 +- modules/po/certauth.id_ID.po | 2 +- modules/po/chansaver.id_ID.po | 2 +- modules/po/clearbufferonmsg.id_ID.po | 2 +- modules/po/clientnotify.id_ID.po | 2 +- modules/po/controlpanel.de_DE.po | 26 ++-- modules/po/controlpanel.id_ID.po | 2 +- modules/po/crypt.id_ID.po | 2 +- modules/po/ctcpflood.id_ID.po | 2 +- modules/po/cyrusauth.id_ID.po | 2 +- modules/po/dcc.id_ID.po | 2 +- modules/po/disconkick.id_ID.po | 2 +- modules/po/fail2ban.id_ID.po | 2 +- modules/po/flooddetach.de_DE.po | 38 ++--- modules/po/flooddetach.id_ID.po | 2 +- modules/po/identfile.id_ID.po | 2 +- modules/po/imapauth.id_ID.po | 2 +- modules/po/keepnick.id_ID.po | 2 +- modules/po/kickrejoin.de_DE.po | 2 +- modules/po/kickrejoin.id_ID.po | 2 +- modules/po/lastseen.id_ID.po | 2 +- modules/po/listsockets.de_DE.po | 2 +- modules/po/listsockets.id_ID.po | 2 +- modules/po/log.id_ID.po | 2 +- modules/po/missingmotd.id_ID.po | 2 +- modules/po/modperl.id_ID.po | 2 +- modules/po/modpython.id_ID.po | 2 +- modules/po/modules_online.id_ID.po | 2 +- modules/po/nickserv.id_ID.po | 2 +- modules/po/notes.id_ID.po | 2 +- modules/po/notify_connect.id_ID.po | 2 +- modules/po/partyline.id_ID.po | 2 +- modules/po/perform.id_ID.po | 2 +- modules/po/perleval.id_ID.po | 2 +- modules/po/pyeval.id_ID.po | 2 +- modules/po/q.id_ID.po | 2 +- modules/po/raw.id_ID.po | 2 +- modules/po/route_replies.id_ID.po | 24 ++-- modules/po/sample.id_ID.po | 2 +- modules/po/samplewebapi.id_ID.po | 2 +- modules/po/sasl.id_ID.po | 2 +- modules/po/savebuff.de_DE.po | 4 + modules/po/savebuff.id_ID.po | 2 +- modules/po/send_raw.id_ID.po | 2 +- modules/po/shell.id_ID.po | 2 +- modules/po/simple_away.id_ID.po | 2 +- modules/po/stickychan.id_ID.po | 2 +- modules/po/stripcontrols.id_ID.po | 2 +- modules/po/watch.id_ID.po | 2 +- modules/po/webadmin.id_ID.po | 2 +- src/po/znc.de_DE.po | 205 +++++++++++++++------------ src/po/znc.id_ID.po | 8 +- src/po/znc.ru_RU.po | 43 +++--- 65 files changed, 252 insertions(+), 212 deletions(-) diff --git a/modules/po/adminlog.id_ID.po b/modules/po/adminlog.id_ID.po index 5e25b33b..4fbcd5e9 100644 --- a/modules/po/adminlog.id_ID.po +++ b/modules/po/adminlog.id_ID.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.7.x/modules/po/adminlog.pot\n" +"X-Crowdin-File: /master/modules/po/adminlog.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Indonesian\n" diff --git a/modules/po/alias.id_ID.po b/modules/po/alias.id_ID.po index 0cc94a22..c26867d2 100644 --- a/modules/po/alias.id_ID.po +++ b/modules/po/alias.id_ID.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.7.x/modules/po/alias.pot\n" +"X-Crowdin-File: /master/modules/po/alias.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Indonesian\n" diff --git a/modules/po/autoattach.id_ID.po b/modules/po/autoattach.id_ID.po index d9edfd7a..9b13b824 100644 --- a/modules/po/autoattach.id_ID.po +++ b/modules/po/autoattach.id_ID.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.7.x/modules/po/autoattach.pot\n" +"X-Crowdin-File: /master/modules/po/autoattach.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Indonesian\n" diff --git a/modules/po/autocycle.id_ID.po b/modules/po/autocycle.id_ID.po index 67335d58..f5408cc7 100644 --- a/modules/po/autocycle.id_ID.po +++ b/modules/po/autocycle.id_ID.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.7.x/modules/po/autocycle.pot\n" +"X-Crowdin-File: /master/modules/po/autocycle.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Indonesian\n" diff --git a/modules/po/autoop.id_ID.po b/modules/po/autoop.id_ID.po index a15bbcf9..b7e3afe0 100644 --- a/modules/po/autoop.id_ID.po +++ b/modules/po/autoop.id_ID.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.7.x/modules/po/autoop.pot\n" +"X-Crowdin-File: /master/modules/po/autoop.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Indonesian\n" diff --git a/modules/po/autoreply.id_ID.po b/modules/po/autoreply.id_ID.po index f8f7c199..88f568b3 100644 --- a/modules/po/autoreply.id_ID.po +++ b/modules/po/autoreply.id_ID.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.7.x/modules/po/autoreply.pot\n" +"X-Crowdin-File: /master/modules/po/autoreply.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Indonesian\n" diff --git a/modules/po/autovoice.id_ID.po b/modules/po/autovoice.id_ID.po index 9e00cb62..31add0c2 100644 --- a/modules/po/autovoice.id_ID.po +++ b/modules/po/autovoice.id_ID.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.7.x/modules/po/autovoice.pot\n" +"X-Crowdin-File: /master/modules/po/autovoice.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Indonesian\n" diff --git a/modules/po/awaystore.id_ID.po b/modules/po/awaystore.id_ID.po index e0d3a5fc..43932a19 100644 --- a/modules/po/awaystore.id_ID.po +++ b/modules/po/awaystore.id_ID.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.7.x/modules/po/awaystore.pot\n" +"X-Crowdin-File: /master/modules/po/awaystore.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Indonesian\n" diff --git a/modules/po/block_motd.id_ID.po b/modules/po/block_motd.id_ID.po index 4100cf66..0d0988f0 100644 --- a/modules/po/block_motd.id_ID.po +++ b/modules/po/block_motd.id_ID.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.7.x/modules/po/block_motd.pot\n" +"X-Crowdin-File: /master/modules/po/block_motd.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Indonesian\n" diff --git a/modules/po/blockuser.id_ID.po b/modules/po/blockuser.id_ID.po index 8c17cd7b..068b9b23 100644 --- a/modules/po/blockuser.id_ID.po +++ b/modules/po/blockuser.id_ID.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.7.x/modules/po/blockuser.pot\n" +"X-Crowdin-File: /master/modules/po/blockuser.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Indonesian\n" diff --git a/modules/po/bouncedcc.id_ID.po b/modules/po/bouncedcc.id_ID.po index 86c23506..5329c5f4 100644 --- a/modules/po/bouncedcc.id_ID.po +++ b/modules/po/bouncedcc.id_ID.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.7.x/modules/po/bouncedcc.pot\n" +"X-Crowdin-File: /master/modules/po/bouncedcc.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Indonesian\n" diff --git a/modules/po/buffextras.id_ID.po b/modules/po/buffextras.id_ID.po index a89b9ddd..8b000aaa 100644 --- a/modules/po/buffextras.id_ID.po +++ b/modules/po/buffextras.id_ID.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.7.x/modules/po/buffextras.pot\n" +"X-Crowdin-File: /master/modules/po/buffextras.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Indonesian\n" diff --git a/modules/po/cert.id_ID.po b/modules/po/cert.id_ID.po index d41f4fc5..5b053a97 100644 --- a/modules/po/cert.id_ID.po +++ b/modules/po/cert.id_ID.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.7.x/modules/po/cert.pot\n" +"X-Crowdin-File: /master/modules/po/cert.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Indonesian\n" diff --git a/modules/po/certauth.id_ID.po b/modules/po/certauth.id_ID.po index 1150c5ee..13bb303e 100644 --- a/modules/po/certauth.id_ID.po +++ b/modules/po/certauth.id_ID.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.7.x/modules/po/certauth.pot\n" +"X-Crowdin-File: /master/modules/po/certauth.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Indonesian\n" diff --git a/modules/po/chansaver.id_ID.po b/modules/po/chansaver.id_ID.po index 47d5a806..efe02cf5 100644 --- a/modules/po/chansaver.id_ID.po +++ b/modules/po/chansaver.id_ID.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.7.x/modules/po/chansaver.pot\n" +"X-Crowdin-File: /master/modules/po/chansaver.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Indonesian\n" diff --git a/modules/po/clearbufferonmsg.id_ID.po b/modules/po/clearbufferonmsg.id_ID.po index d500a38e..27c98775 100644 --- a/modules/po/clearbufferonmsg.id_ID.po +++ b/modules/po/clearbufferonmsg.id_ID.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.7.x/modules/po/clearbufferonmsg.pot\n" +"X-Crowdin-File: /master/modules/po/clearbufferonmsg.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Indonesian\n" diff --git a/modules/po/clientnotify.id_ID.po b/modules/po/clientnotify.id_ID.po index 6757bb56..93558f94 100644 --- a/modules/po/clientnotify.id_ID.po +++ b/modules/po/clientnotify.id_ID.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.7.x/modules/po/clientnotify.pot\n" +"X-Crowdin-File: /master/modules/po/clientnotify.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Indonesian\n" diff --git a/modules/po/controlpanel.de_DE.po b/modules/po/controlpanel.de_DE.po index 2a6d8bd9..ecac20e5 100644 --- a/modules/po/controlpanel.de_DE.po +++ b/modules/po/controlpanel.de_DE.po @@ -36,7 +36,7 @@ msgstr "Ganzzahl" #: controlpanel.cpp:80 msgid "Number" -msgstr "" +msgstr "Nummer" #: controlpanel.cpp:123 msgid "The following variables are available when using the Set/Get commands:" @@ -654,7 +654,7 @@ msgstr " " #: controlpanel.cpp:1600 msgid "Cycles the user's IRC server connection" -msgstr "" +msgstr "Erneuert die IRC-Verbindung des Benutzers" #: controlpanel.cpp:1603 msgid "Disconnects the user from their IRC server" @@ -702,46 +702,48 @@ msgstr "Zeigt eine Liste der Module eines Netzwerks" #: controlpanel.cpp:1626 msgid "List the configured CTCP replies" -msgstr "" +msgstr "Liste die konfigurierten CTCP-Antworten auf" #: controlpanel.cpp:1628 msgid " [reply]" -msgstr "" +msgstr " [Antwort]" #: controlpanel.cpp:1629 msgid "Configure a new CTCP reply" -msgstr "" +msgstr "Konfiguriere eine neue CTCP-Antwort" #: controlpanel.cpp:1631 msgid " " -msgstr "" +msgstr " " #: controlpanel.cpp:1632 msgid "Remove a CTCP reply" -msgstr "" +msgstr "Entfernt eine CTCP-Antwort" #: controlpanel.cpp:1636 controlpanel.cpp:1639 msgid "[username] " -msgstr "" +msgstr "[Benutzername] " #: controlpanel.cpp:1637 msgid "Add a network for a user" -msgstr "" +msgstr "Füge ein Netzwerk für einen Benutzer hinzu" #: controlpanel.cpp:1640 msgid "Delete a network for a user" -msgstr "" +msgstr "Lösche ein Netzwerk für einen Benutzer" #: controlpanel.cpp:1642 msgid "[username]" -msgstr "" +msgstr "[Benutzername]" #: controlpanel.cpp:1643 msgid "List all networks for a user" -msgstr "" +msgstr "Listet alle Netzwerke für einen Benutzer auf" #: controlpanel.cpp:1656 msgid "" "Dynamic configuration through IRC. Allows editing only yourself if you're " "not ZNC admin." msgstr "" +"Dynamische Konfiguration durch IRC. Erlaubt es nur dich selbst zu bearbeiten " +"falls du kein ZNC-Administrator bist." diff --git a/modules/po/controlpanel.id_ID.po b/modules/po/controlpanel.id_ID.po index d75abf82..7f6a346e 100644 --- a/modules/po/controlpanel.id_ID.po +++ b/modules/po/controlpanel.id_ID.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.7.x/modules/po/controlpanel.pot\n" +"X-Crowdin-File: /master/modules/po/controlpanel.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Indonesian\n" diff --git a/modules/po/crypt.id_ID.po b/modules/po/crypt.id_ID.po index 5d7717c2..d63544cd 100644 --- a/modules/po/crypt.id_ID.po +++ b/modules/po/crypt.id_ID.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.7.x/modules/po/crypt.pot\n" +"X-Crowdin-File: /master/modules/po/crypt.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Indonesian\n" diff --git a/modules/po/ctcpflood.id_ID.po b/modules/po/ctcpflood.id_ID.po index 19dfc85f..fbe5a44a 100644 --- a/modules/po/ctcpflood.id_ID.po +++ b/modules/po/ctcpflood.id_ID.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.7.x/modules/po/ctcpflood.pot\n" +"X-Crowdin-File: /master/modules/po/ctcpflood.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Indonesian\n" diff --git a/modules/po/cyrusauth.id_ID.po b/modules/po/cyrusauth.id_ID.po index 1734f501..e728d8a9 100644 --- a/modules/po/cyrusauth.id_ID.po +++ b/modules/po/cyrusauth.id_ID.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.7.x/modules/po/cyrusauth.pot\n" +"X-Crowdin-File: /master/modules/po/cyrusauth.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Indonesian\n" diff --git a/modules/po/dcc.id_ID.po b/modules/po/dcc.id_ID.po index f5fdaac2..ff220506 100644 --- a/modules/po/dcc.id_ID.po +++ b/modules/po/dcc.id_ID.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.7.x/modules/po/dcc.pot\n" +"X-Crowdin-File: /master/modules/po/dcc.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Indonesian\n" diff --git a/modules/po/disconkick.id_ID.po b/modules/po/disconkick.id_ID.po index 43fdf99f..da422c10 100644 --- a/modules/po/disconkick.id_ID.po +++ b/modules/po/disconkick.id_ID.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.7.x/modules/po/disconkick.pot\n" +"X-Crowdin-File: /master/modules/po/disconkick.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Indonesian\n" diff --git a/modules/po/fail2ban.id_ID.po b/modules/po/fail2ban.id_ID.po index 0f050967..829b529b 100644 --- a/modules/po/fail2ban.id_ID.po +++ b/modules/po/fail2ban.id_ID.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.7.x/modules/po/fail2ban.pot\n" +"X-Crowdin-File: /master/modules/po/fail2ban.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Indonesian\n" diff --git a/modules/po/flooddetach.de_DE.po b/modules/po/flooddetach.de_DE.po index 4f4536d2..36d1469b 100644 --- a/modules/po/flooddetach.de_DE.po +++ b/modules/po/flooddetach.de_DE.po @@ -14,19 +14,19 @@ msgstr "" #: flooddetach.cpp:30 msgid "Show current limits" -msgstr "" +msgstr "Zeige die aktuellen Limits" #: flooddetach.cpp:32 flooddetach.cpp:35 msgid "[]" -msgstr "" +msgstr "[]" #: flooddetach.cpp:33 msgid "Show or set number of seconds in the time interval" -msgstr "" +msgstr "Zeige oder Setze die Anzahl an Sekunden im Zeitinterval" #: flooddetach.cpp:35 flooddetach.cpp:37 msgid "blahblah: description" -msgstr "" +msgstr "blahblah: Beschreibung" #: flooddetach.cpp:37 msgid "[yes|no]" @@ -34,58 +34,60 @@ msgstr "" #: flooddetach.cpp:90 msgid "Flood in {1} is over, reattaching..." -msgstr "" +msgstr "Flut in {1} ist vorbei, verbinde..." #: flooddetach.cpp:147 msgid "Channel {1} was flooded, you've been detached" -msgstr "" +msgstr "Kanal {1} wurde mit Nachrichten geflutet, sie wurden getrennt" #: flooddetach.cpp:184 msgid "1 line" msgid_plural "{1} lines" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "Eine Zeile" +msgstr[1] "{1} Zeilen" #: flooddetach.cpp:185 msgid "every second" msgid_plural "every {1} seconds" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "jede Sekunde" +msgstr[1] "alle {1} Sekunden" #: flooddetach.cpp:187 msgid "Current limit is {1} {2}" -msgstr "" +msgstr "Aktuelles Limit ist {1} {2}" #: flooddetach.cpp:194 msgid "Seconds limit is {1}" -msgstr "" +msgstr "Sekunden-Grenze ist {1}" #: flooddetach.cpp:199 msgid "Set seconds limit to {1}" -msgstr "" +msgstr "Sekunden-Grenze auf {1} gesetzt" #: flooddetach.cpp:208 msgid "Lines limit is {1}" -msgstr "" +msgstr "Zeilen-Grenze ist {1}" #: flooddetach.cpp:213 msgid "Set lines limit to {1}" -msgstr "" +msgstr "Zeilen-Grenze auf {1} gesetzt" #: flooddetach.cpp:226 msgid "Module messages are disabled" -msgstr "" +msgstr "Modul-Nachrichten sind deaktiviert" #: flooddetach.cpp:228 msgid "Module messages are enabled" -msgstr "" +msgstr "Modul-Nachrichten sind aktiviert" #: flooddetach.cpp:244 msgid "" "This user module takes up to two arguments. Arguments are numbers of " "messages and seconds." msgstr "" +"Dieses Benutzer-Modul erhält bis zu zwei Argumente. Argumente sind Anzahl an " +"Nachrichten und Sekunden." #: flooddetach.cpp:248 msgid "Detach channels when flooded" -msgstr "" +msgstr "Trenne Kanäle bei Nachrichten-Flut" diff --git a/modules/po/flooddetach.id_ID.po b/modules/po/flooddetach.id_ID.po index e95a1000..89e6db37 100644 --- a/modules/po/flooddetach.id_ID.po +++ b/modules/po/flooddetach.id_ID.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.7.x/modules/po/flooddetach.pot\n" +"X-Crowdin-File: /master/modules/po/flooddetach.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Indonesian\n" diff --git a/modules/po/identfile.id_ID.po b/modules/po/identfile.id_ID.po index 4b224c0a..e3399f1a 100644 --- a/modules/po/identfile.id_ID.po +++ b/modules/po/identfile.id_ID.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.7.x/modules/po/identfile.pot\n" +"X-Crowdin-File: /master/modules/po/identfile.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Indonesian\n" diff --git a/modules/po/imapauth.id_ID.po b/modules/po/imapauth.id_ID.po index a4829ca2..d62fa40f 100644 --- a/modules/po/imapauth.id_ID.po +++ b/modules/po/imapauth.id_ID.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.7.x/modules/po/imapauth.pot\n" +"X-Crowdin-File: /master/modules/po/imapauth.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Indonesian\n" diff --git a/modules/po/keepnick.id_ID.po b/modules/po/keepnick.id_ID.po index 3bd1c78d..cbd9e747 100644 --- a/modules/po/keepnick.id_ID.po +++ b/modules/po/keepnick.id_ID.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.7.x/modules/po/keepnick.pot\n" +"X-Crowdin-File: /master/modules/po/keepnick.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Indonesian\n" diff --git a/modules/po/kickrejoin.de_DE.po b/modules/po/kickrejoin.de_DE.po index 71700348..d40e3658 100644 --- a/modules/po/kickrejoin.de_DE.po +++ b/modules/po/kickrejoin.de_DE.po @@ -14,7 +14,7 @@ msgstr "" #: kickrejoin.cpp:56 msgid "" -msgstr "" +msgstr "" #: kickrejoin.cpp:56 msgid "Set the rejoin delay" diff --git a/modules/po/kickrejoin.id_ID.po b/modules/po/kickrejoin.id_ID.po index 9f248f6f..6ecfa268 100644 --- a/modules/po/kickrejoin.id_ID.po +++ b/modules/po/kickrejoin.id_ID.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.7.x/modules/po/kickrejoin.pot\n" +"X-Crowdin-File: /master/modules/po/kickrejoin.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Indonesian\n" diff --git a/modules/po/lastseen.id_ID.po b/modules/po/lastseen.id_ID.po index ee47f5e3..ead375a4 100644 --- a/modules/po/lastseen.id_ID.po +++ b/modules/po/lastseen.id_ID.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.7.x/modules/po/lastseen.pot\n" +"X-Crowdin-File: /master/modules/po/lastseen.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Indonesian\n" diff --git a/modules/po/listsockets.de_DE.po b/modules/po/listsockets.de_DE.po index 5e88ca0b..dbd13b79 100644 --- a/modules/po/listsockets.de_DE.po +++ b/modules/po/listsockets.de_DE.po @@ -79,7 +79,7 @@ msgstr "Nein" #: listsockets.cpp:142 msgid "Listener" -msgstr "" +msgstr "Listener" #: listsockets.cpp:144 msgid "Inbound" diff --git a/modules/po/listsockets.id_ID.po b/modules/po/listsockets.id_ID.po index 768dc2ce..c21cd48e 100644 --- a/modules/po/listsockets.id_ID.po +++ b/modules/po/listsockets.id_ID.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.7.x/modules/po/listsockets.pot\n" +"X-Crowdin-File: /master/modules/po/listsockets.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Indonesian\n" diff --git a/modules/po/log.id_ID.po b/modules/po/log.id_ID.po index ffb09b0d..a9d878c9 100644 --- a/modules/po/log.id_ID.po +++ b/modules/po/log.id_ID.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.7.x/modules/po/log.pot\n" +"X-Crowdin-File: /master/modules/po/log.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Indonesian\n" diff --git a/modules/po/missingmotd.id_ID.po b/modules/po/missingmotd.id_ID.po index 16807862..3facbaa0 100644 --- a/modules/po/missingmotd.id_ID.po +++ b/modules/po/missingmotd.id_ID.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.7.x/modules/po/missingmotd.pot\n" +"X-Crowdin-File: /master/modules/po/missingmotd.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Indonesian\n" diff --git a/modules/po/modperl.id_ID.po b/modules/po/modperl.id_ID.po index 5655aa99..664576d9 100644 --- a/modules/po/modperl.id_ID.po +++ b/modules/po/modperl.id_ID.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.7.x/modules/po/modperl.pot\n" +"X-Crowdin-File: /master/modules/po/modperl.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Indonesian\n" diff --git a/modules/po/modpython.id_ID.po b/modules/po/modpython.id_ID.po index 89beb60b..7881cc21 100644 --- a/modules/po/modpython.id_ID.po +++ b/modules/po/modpython.id_ID.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.7.x/modules/po/modpython.pot\n" +"X-Crowdin-File: /master/modules/po/modpython.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Indonesian\n" diff --git a/modules/po/modules_online.id_ID.po b/modules/po/modules_online.id_ID.po index 79c141c9..a111eb33 100644 --- a/modules/po/modules_online.id_ID.po +++ b/modules/po/modules_online.id_ID.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.7.x/modules/po/modules_online.pot\n" +"X-Crowdin-File: /master/modules/po/modules_online.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Indonesian\n" diff --git a/modules/po/nickserv.id_ID.po b/modules/po/nickserv.id_ID.po index d76dfe22..f8c7f186 100644 --- a/modules/po/nickserv.id_ID.po +++ b/modules/po/nickserv.id_ID.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.7.x/modules/po/nickserv.pot\n" +"X-Crowdin-File: /master/modules/po/nickserv.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Indonesian\n" diff --git a/modules/po/notes.id_ID.po b/modules/po/notes.id_ID.po index 256ccb5f..ac82e668 100644 --- a/modules/po/notes.id_ID.po +++ b/modules/po/notes.id_ID.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.7.x/modules/po/notes.pot\n" +"X-Crowdin-File: /master/modules/po/notes.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Indonesian\n" diff --git a/modules/po/notify_connect.id_ID.po b/modules/po/notify_connect.id_ID.po index f6bec696..6636a2b5 100644 --- a/modules/po/notify_connect.id_ID.po +++ b/modules/po/notify_connect.id_ID.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.7.x/modules/po/notify_connect.pot\n" +"X-Crowdin-File: /master/modules/po/notify_connect.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Indonesian\n" diff --git a/modules/po/partyline.id_ID.po b/modules/po/partyline.id_ID.po index 63a49f45..2d324007 100644 --- a/modules/po/partyline.id_ID.po +++ b/modules/po/partyline.id_ID.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.7.x/modules/po/partyline.pot\n" +"X-Crowdin-File: /master/modules/po/partyline.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Indonesian\n" diff --git a/modules/po/perform.id_ID.po b/modules/po/perform.id_ID.po index aa256250..2afa348d 100644 --- a/modules/po/perform.id_ID.po +++ b/modules/po/perform.id_ID.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.7.x/modules/po/perform.pot\n" +"X-Crowdin-File: /master/modules/po/perform.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Indonesian\n" diff --git a/modules/po/perleval.id_ID.po b/modules/po/perleval.id_ID.po index 4f1303de..36078686 100644 --- a/modules/po/perleval.id_ID.po +++ b/modules/po/perleval.id_ID.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.7.x/modules/po/perleval.pot\n" +"X-Crowdin-File: /master/modules/po/perleval.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Indonesian\n" diff --git a/modules/po/pyeval.id_ID.po b/modules/po/pyeval.id_ID.po index df19acf1..232c6bd6 100644 --- a/modules/po/pyeval.id_ID.po +++ b/modules/po/pyeval.id_ID.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.7.x/modules/po/pyeval.pot\n" +"X-Crowdin-File: /master/modules/po/pyeval.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Indonesian\n" diff --git a/modules/po/q.id_ID.po b/modules/po/q.id_ID.po index 73880857..a4b96568 100644 --- a/modules/po/q.id_ID.po +++ b/modules/po/q.id_ID.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.7.x/modules/po/q.pot\n" +"X-Crowdin-File: /master/modules/po/q.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Indonesian\n" diff --git a/modules/po/raw.id_ID.po b/modules/po/raw.id_ID.po index 5e9b4cf4..8c6db07d 100644 --- a/modules/po/raw.id_ID.po +++ b/modules/po/raw.id_ID.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.7.x/modules/po/raw.pot\n" +"X-Crowdin-File: /master/modules/po/raw.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Indonesian\n" diff --git a/modules/po/route_replies.id_ID.po b/modules/po/route_replies.id_ID.po index 79376aef..fe1a21b1 100644 --- a/modules/po/route_replies.id_ID.po +++ b/modules/po/route_replies.id_ID.po @@ -6,54 +6,54 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.7.x/modules/po/route_replies.pot\n" +"X-Crowdin-File: /master/modules/po/route_replies.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Indonesian\n" "Language: id_ID\n" -#: route_replies.cpp:209 +#: route_replies.cpp:211 msgid "[yes|no]" msgstr "" -#: route_replies.cpp:210 +#: route_replies.cpp:212 msgid "Decides whether to show the timeout messages or not" msgstr "" -#: route_replies.cpp:350 +#: route_replies.cpp:352 msgid "This module hit a timeout which is probably a connectivity issue." msgstr "" -#: route_replies.cpp:353 +#: route_replies.cpp:355 msgid "" "However, if you can provide steps to reproduce this issue, please do report " "a bug." msgstr "" -#: route_replies.cpp:356 +#: route_replies.cpp:358 msgid "To disable this message, do \"/msg {1} silent yes\"" msgstr "" -#: route_replies.cpp:358 +#: route_replies.cpp:360 msgid "Last request: {1}" msgstr "" -#: route_replies.cpp:359 +#: route_replies.cpp:361 msgid "Expected replies:" msgstr "" -#: route_replies.cpp:363 +#: route_replies.cpp:365 msgid "{1} (last)" msgstr "" -#: route_replies.cpp:435 +#: route_replies.cpp:437 msgid "Timeout messages are disabled." msgstr "" -#: route_replies.cpp:436 +#: route_replies.cpp:438 msgid "Timeout messages are enabled." msgstr "" -#: route_replies.cpp:457 +#: route_replies.cpp:459 msgid "Send replies (e.g. to /who) to the right client only" msgstr "" diff --git a/modules/po/sample.id_ID.po b/modules/po/sample.id_ID.po index 1a1cd54a..7079d885 100644 --- a/modules/po/sample.id_ID.po +++ b/modules/po/sample.id_ID.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.7.x/modules/po/sample.pot\n" +"X-Crowdin-File: /master/modules/po/sample.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Indonesian\n" diff --git a/modules/po/samplewebapi.id_ID.po b/modules/po/samplewebapi.id_ID.po index 1b3b6188..d2aa731f 100644 --- a/modules/po/samplewebapi.id_ID.po +++ b/modules/po/samplewebapi.id_ID.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.7.x/modules/po/samplewebapi.pot\n" +"X-Crowdin-File: /master/modules/po/samplewebapi.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Indonesian\n" diff --git a/modules/po/sasl.id_ID.po b/modules/po/sasl.id_ID.po index 59b57e3b..b8a1b503 100644 --- a/modules/po/sasl.id_ID.po +++ b/modules/po/sasl.id_ID.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.7.x/modules/po/sasl.pot\n" +"X-Crowdin-File: /master/modules/po/sasl.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Indonesian\n" diff --git a/modules/po/savebuff.de_DE.po b/modules/po/savebuff.de_DE.po index ec4ac267..54536b5b 100644 --- a/modules/po/savebuff.de_DE.po +++ b/modules/po/savebuff.de_DE.po @@ -38,6 +38,10 @@ msgid "" "the appropriate pass and things should start working, or setpass to a new " "pass and save to reinstantiate" msgstr "" +"Passwort ist nicht gesagt, was üblicherweise bedeutet, dass die " +"Entschlüsselung fehlgeschlagen ist. Du kannst setpass benutzen um das " +"richtige Passwort zu setzen und alles sollte funktionieren, oder setpass ein " +"neues Passwort und save für einen Neubeginn" #: savebuff.cpp:232 msgid "Password set to [{1}]" diff --git a/modules/po/savebuff.id_ID.po b/modules/po/savebuff.id_ID.po index 8544bc51..3c8e8bb1 100644 --- a/modules/po/savebuff.id_ID.po +++ b/modules/po/savebuff.id_ID.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.7.x/modules/po/savebuff.pot\n" +"X-Crowdin-File: /master/modules/po/savebuff.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Indonesian\n" diff --git a/modules/po/send_raw.id_ID.po b/modules/po/send_raw.id_ID.po index 0c245fd1..610451e4 100644 --- a/modules/po/send_raw.id_ID.po +++ b/modules/po/send_raw.id_ID.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.7.x/modules/po/send_raw.pot\n" +"X-Crowdin-File: /master/modules/po/send_raw.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Indonesian\n" diff --git a/modules/po/shell.id_ID.po b/modules/po/shell.id_ID.po index 6591d9cb..0c3a4366 100644 --- a/modules/po/shell.id_ID.po +++ b/modules/po/shell.id_ID.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.7.x/modules/po/shell.pot\n" +"X-Crowdin-File: /master/modules/po/shell.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Indonesian\n" diff --git a/modules/po/simple_away.id_ID.po b/modules/po/simple_away.id_ID.po index 59a45461..23d94602 100644 --- a/modules/po/simple_away.id_ID.po +++ b/modules/po/simple_away.id_ID.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.7.x/modules/po/simple_away.pot\n" +"X-Crowdin-File: /master/modules/po/simple_away.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Indonesian\n" diff --git a/modules/po/stickychan.id_ID.po b/modules/po/stickychan.id_ID.po index 5b67a637..1c0bf074 100644 --- a/modules/po/stickychan.id_ID.po +++ b/modules/po/stickychan.id_ID.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.7.x/modules/po/stickychan.pot\n" +"X-Crowdin-File: /master/modules/po/stickychan.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Indonesian\n" diff --git a/modules/po/stripcontrols.id_ID.po b/modules/po/stripcontrols.id_ID.po index b249d592..a6825cde 100644 --- a/modules/po/stripcontrols.id_ID.po +++ b/modules/po/stripcontrols.id_ID.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.7.x/modules/po/stripcontrols.pot\n" +"X-Crowdin-File: /master/modules/po/stripcontrols.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Indonesian\n" diff --git a/modules/po/watch.id_ID.po b/modules/po/watch.id_ID.po index 977bdb3b..6797766c 100644 --- a/modules/po/watch.id_ID.po +++ b/modules/po/watch.id_ID.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.7.x/modules/po/watch.pot\n" +"X-Crowdin-File: /master/modules/po/watch.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Indonesian\n" diff --git a/modules/po/webadmin.id_ID.po b/modules/po/webadmin.id_ID.po index 77a18ee9..a28707ee 100644 --- a/modules/po/webadmin.id_ID.po +++ b/modules/po/webadmin.id_ID.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.7.x/modules/po/webadmin.pot\n" +"X-Crowdin-File: /master/modules/po/webadmin.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Indonesian\n" diff --git a/src/po/znc.de_DE.po b/src/po/znc.de_DE.po index a38ecc4f..cf415624 100644 --- a/src/po/znc.de_DE.po +++ b/src/po/znc.de_DE.po @@ -151,7 +151,7 @@ msgstr "Zu SSL gewechselt (STARTTLS)" #: IRCSock.cpp:1032 msgid "You quit: {1}" -msgstr "" +msgstr "Du hast die Verbindung getrennt: {1}" #: IRCSock.cpp:1238 msgid "Disconnected from IRC. Reconnecting..." @@ -303,16 +303,16 @@ msgstr[1] "Von {1} Kanälen getrennt" #: Chan.cpp:638 msgid "Buffer Playback..." -msgstr "" +msgstr "Pufferwiedergabe..." #: Chan.cpp:676 msgid "Playback Complete." -msgstr "" +msgstr "Wiedergabe beendet." #: Modules.cpp:528 msgctxt "modhelpcmd" msgid "" -msgstr "" +msgstr "" #: Modules.cpp:529 msgctxt "modhelpcmd" @@ -481,11 +481,11 @@ msgstr "Es ist keine MOTD gesetzt." #: ClientCommand.cpp:167 msgid "Rehashing succeeded!" -msgstr "" +msgstr "Rehashen erfolgreich!" #: ClientCommand.cpp:169 msgid "Rehashing failed: {1}" -msgstr "" +msgstr "Rehashen fehlgeschlagen: {1}" #: ClientCommand.cpp:173 msgid "Wrote config to {1}" @@ -784,7 +784,7 @@ msgstr "SSL" #: ClientCommand.cpp:832 msgid "Usage: AddTrustedServerFingerprint " -msgstr "" +msgstr "Verwendung: AddTrustedServerFingerprint " #: ClientCommand.cpp:836 ClientCommand.cpp:849 msgid "Done." @@ -792,183 +792,188 @@ msgstr "Erledigt." #: ClientCommand.cpp:845 msgid "Usage: DelTrustedServerFingerprint " -msgstr "" +msgstr "Verwendung: DelTrustedServerFingerprint " #: ClientCommand.cpp:858 msgid "No fingerprints added." -msgstr "" +msgstr "Keine Fingerabdrücke hinzugefügt." #: ClientCommand.cpp:874 ClientCommand.cpp:880 msgctxt "topicscmd" msgid "Channel" -msgstr "" +msgstr "Kanal" #: ClientCommand.cpp:875 ClientCommand.cpp:881 msgctxt "topicscmd" msgid "Set By" -msgstr "" +msgstr "Gesetzt von" #: ClientCommand.cpp:876 ClientCommand.cpp:882 msgctxt "topicscmd" msgid "Topic" -msgstr "" +msgstr "Thema" #: ClientCommand.cpp:889 ClientCommand.cpp:893 msgctxt "listmods" msgid "Name" -msgstr "" +msgstr "Name" #: ClientCommand.cpp:890 ClientCommand.cpp:894 msgctxt "listmods" msgid "Arguments" -msgstr "" +msgstr "Argumente" #: ClientCommand.cpp:902 msgid "No global modules loaded." -msgstr "" +msgstr "Keine globalen Module geladen." #: ClientCommand.cpp:904 ClientCommand.cpp:964 msgid "Global modules:" -msgstr "" +msgstr "Globale Module:" #: ClientCommand.cpp:912 msgid "Your user has no modules loaded." -msgstr "" +msgstr "Dein Benutzer hat keine Module geladen." #: ClientCommand.cpp:914 ClientCommand.cpp:975 msgid "User modules:" -msgstr "" +msgstr "Benutzer-Module:" #: ClientCommand.cpp:921 msgid "This network has no modules loaded." -msgstr "" +msgstr "Dieses Netzwerk hat keine Module geladen." #: ClientCommand.cpp:923 ClientCommand.cpp:986 msgid "Network modules:" -msgstr "" +msgstr "Netzwerk-Module:" #: ClientCommand.cpp:938 ClientCommand.cpp:944 msgctxt "listavailmods" msgid "Name" -msgstr "" +msgstr "Name" #: ClientCommand.cpp:939 ClientCommand.cpp:949 msgctxt "listavailmods" msgid "Description" -msgstr "" +msgstr "Beschreibung" #: ClientCommand.cpp:962 msgid "No global modules available." -msgstr "" +msgstr "Keine globalen Module verfügbar." #: ClientCommand.cpp:973 msgid "No user modules available." -msgstr "" +msgstr "Keine Benutzer-Module verfügbar." #: ClientCommand.cpp:984 msgid "No network modules available." -msgstr "" +msgstr "Keine Netzwerk-Module verfügbar." #: ClientCommand.cpp:1012 msgid "Unable to load {1}: Access denied." -msgstr "" +msgstr "Kann {1} nicht laden: Zugriff verweigert." #: ClientCommand.cpp:1018 msgid "Usage: LoadMod [--type=global|user|network] [args]" -msgstr "" +msgstr "Verwendung: LoadMod [--type=global|user|network] [Argumente]" #: ClientCommand.cpp:1025 msgid "Unable to load {1}: {2}" -msgstr "" +msgstr "Kann {1} nicht laden: {2}" #: ClientCommand.cpp:1035 msgid "Unable to load global module {1}: Access denied." -msgstr "" +msgstr "Kann globales Modul {1} nicht laden: Zugriff verweigert." #: ClientCommand.cpp:1041 msgid "Unable to load network module {1}: Not connected with a network." msgstr "" +"Kann Netzwerk-Module {1} nicht laden: Nicht mit einem Netzwerk verbunden." #: ClientCommand.cpp:1063 msgid "Unknown module type" -msgstr "" +msgstr "Unbekannter Modul-Typ" #: ClientCommand.cpp:1068 msgid "Loaded module {1}" -msgstr "" +msgstr "Module {1} geladen" #: ClientCommand.cpp:1070 msgid "Loaded module {1}: {2}" -msgstr "" +msgstr "Modul {1} geladen: {2}" #: ClientCommand.cpp:1073 msgid "Unable to load module {1}: {2}" -msgstr "" +msgstr "Kann Modul {1} nicht laden: {2}" #: ClientCommand.cpp:1096 msgid "Unable to unload {1}: Access denied." -msgstr "" +msgstr "Kann Modul {1} nicht entladen: Zugriff verweigert." #: ClientCommand.cpp:1102 msgid "Usage: UnloadMod [--type=global|user|network] " -msgstr "" +msgstr "Verwendung: UnloadMod [--type=global|user|network] " #: ClientCommand.cpp:1111 msgid "Unable to determine type of {1}: {2}" -msgstr "" +msgstr "Kann Typ von {1} nicht feststellen: {2}" #: ClientCommand.cpp:1119 msgid "Unable to unload global module {1}: Access denied." -msgstr "" +msgstr "Kann globales Modul {1} nicht entladen: Zugriff verweigert." #: ClientCommand.cpp:1126 msgid "Unable to unload network module {1}: Not connected with a network." msgstr "" +"Kann Netzwerk-Module {1} nicht entladen: Nicht mit einem Netzwerk verbunden." #: ClientCommand.cpp:1145 msgid "Unable to unload module {1}: Unknown module type" -msgstr "" +msgstr "Kann Modul {1} nicht entladen: Unbekannter Modul-Typ" #: ClientCommand.cpp:1158 msgid "Unable to reload modules. Access denied." -msgstr "" +msgstr "Kann Module nicht neu laden: Zugriff verweigert." #: ClientCommand.cpp:1179 msgid "Usage: ReloadMod [--type=global|user|network] [args]" -msgstr "" +msgstr "Verwendung: ReloadMod [--type=global|user|network] [Argumente]" #: ClientCommand.cpp:1188 msgid "Unable to reload {1}: {2}" -msgstr "" +msgstr "Kann {1} nicht neu laden: {2}" #: ClientCommand.cpp:1196 msgid "Unable to reload global module {1}: Access denied." -msgstr "" +msgstr "Kann globales Modul {1} nicht neu laden: Zugriff verweigert." #: ClientCommand.cpp:1203 msgid "Unable to reload network module {1}: Not connected with a network." msgstr "" +"Kann Netzwerk-Module {1} nicht neu laden: Nicht mit einem Netzwerk verbunden." #: ClientCommand.cpp:1225 msgid "Unable to reload module {1}: Unknown module type" -msgstr "" +msgstr "Kann Modul {1} nicht neu laden: Unbekannter Modul-Typ" #: ClientCommand.cpp:1236 msgid "Usage: UpdateMod " -msgstr "" +msgstr "Verwendung: UpdateMod " #: ClientCommand.cpp:1240 msgid "Reloading {1} everywhere" -msgstr "" +msgstr "Lade {1} überall neu" #: ClientCommand.cpp:1242 msgid "Done" -msgstr "" +msgstr "Erledigt" #: ClientCommand.cpp:1245 msgid "" "Done, but there were errors, module {1} could not be reloaded everywhere." msgstr "" +"Erledigt, aber es gab Fehler, Modul {1} konnte nicht überall neu geladen " +"werden." #: ClientCommand.cpp:1253 msgid "" @@ -980,7 +985,7 @@ msgstr "" #: ClientCommand.cpp:1260 msgid "Usage: SetBindHost " -msgstr "" +msgstr "Verwendung: SetBindHost " #: ClientCommand.cpp:1265 ClientCommand.cpp:1282 msgid "You already have this bind host!" @@ -1224,6 +1229,8 @@ msgstr "nein" msgid "" "Usage: AddPort <[+]port> [bindhost [uriprefix]]" msgstr "" +"Verwendung: AddPort <[+]port> [Bindhost " +"[URIPrefix]]" #: ClientCommand.cpp:1632 msgid "Port added" @@ -1235,7 +1242,7 @@ msgstr "Konnte Port nicht hinzufügen" #: ClientCommand.cpp:1640 msgid "Usage: DelPort [bindhost]" -msgstr "" +msgstr "Verwendung: DelPort [Bindhost]" #: ClientCommand.cpp:1649 msgid "Deleted Port" @@ -1243,7 +1250,7 @@ msgstr "Port gelöscht" #: ClientCommand.cpp:1651 msgid "Unable to find a matching port" -msgstr "" +msgstr "Konnte keinen passenden Port finden" #: ClientCommand.cpp:1659 ClientCommand.cpp:1673 msgctxt "helpcmd" @@ -1260,86 +1267,88 @@ msgid "" "In the following list all occurrences of <#chan> support wildcards (* and ?) " "except ListNicks" msgstr "" +"In der folgenden Liste unterstützen alle vorkommen von <#chan> Wildcards (* " +"und ?), außer ListNicks" #: ClientCommand.cpp:1680 msgctxt "helpcmd|Version|desc" msgid "Print which version of ZNC this is" -msgstr "" +msgstr "Zeige die Version von ZNC an" #: ClientCommand.cpp:1683 msgctxt "helpcmd|ListMods|desc" msgid "List all loaded modules" -msgstr "" +msgstr "Zeige alle geladenen Module" #: ClientCommand.cpp:1686 msgctxt "helpcmd|ListAvailMods|desc" msgid "List all available modules" -msgstr "" +msgstr "Zeige alle verfügbaren Module" #: ClientCommand.cpp:1690 ClientCommand.cpp:1876 msgctxt "helpcmd|ListChans|desc" msgid "List all channels" -msgstr "" +msgstr "Zeige alle Kanäle" #: ClientCommand.cpp:1693 msgctxt "helpcmd|ListNicks|args" msgid "<#chan>" -msgstr "" +msgstr "<#Kanal>" #: ClientCommand.cpp:1694 msgctxt "helpcmd|ListNicks|desc" msgid "List all nicks on a channel" -msgstr "" +msgstr "Alle Nicks eines Kanals auflisten" #: ClientCommand.cpp:1697 msgctxt "helpcmd|ListClients|desc" msgid "List all clients connected to your ZNC user" -msgstr "" +msgstr "Alle Clients auflisten, die zu deinem ZNC-Benutzer verbunden sind" #: ClientCommand.cpp:1701 msgctxt "helpcmd|ListServers|desc" msgid "List all servers of current IRC network" -msgstr "" +msgstr "Zeige alle Server des aktuellen IRC-Netzwerkes" #: ClientCommand.cpp:1705 msgctxt "helpcmd|AddNetwork|args" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1706 msgctxt "helpcmd|AddNetwork|desc" msgid "Add a network to your user" -msgstr "" +msgstr "Füge ein Netzwerk zu deinem Benutzer hinzu" #: ClientCommand.cpp:1708 msgctxt "helpcmd|DelNetwork|args" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1709 msgctxt "helpcmd|DelNetwork|desc" msgid "Delete a network from your user" -msgstr "" +msgstr "Lösche ein Netzwerk von deinem Benutzer" #: ClientCommand.cpp:1711 msgctxt "helpcmd|ListNetworks|desc" msgid "List all networks" -msgstr "" +msgstr "Alle Netzwerke auflisten" #: ClientCommand.cpp:1714 msgctxt "helpcmd|MoveNetwork|args" msgid " [new network]" -msgstr "" +msgstr " [neues Netzwerk]" #: ClientCommand.cpp:1716 msgctxt "helpcmd|MoveNetwork|desc" msgid "Move an IRC network from one user to another" -msgstr "" +msgstr "Verschiebe ein IRC-Netzwerk von einem Benutzer zu einem anderen" #: ClientCommand.cpp:1720 msgctxt "helpcmd|JumpNetwork|args" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1721 msgctxt "helpcmd|JumpNetwork|desc" @@ -1347,22 +1356,26 @@ msgid "" "Jump to another network (Alternatively, you can connect to ZNC several " "times, using `user/network` as username)" msgstr "" +"Springe zu einem anderen Netzwerk (alternativ kannst du auch mehrfach zu ZNC " +"verbinden und `Benutzer/Netzwerk` als Benutzername verwenden)" #: ClientCommand.cpp:1726 msgctxt "helpcmd|AddServer|args" msgid " [[+]port] [pass]" -msgstr "" +msgstr " [[+]Port] [Pass]" #: ClientCommand.cpp:1727 msgctxt "helpcmd|AddServer|desc" msgid "" "Add a server to the list of alternate/backup servers of current IRC network." msgstr "" +"Füge einen Server zur Liste der alternativen/backup Server des aktuellen IRC-" +"Netzwerkes hinzu." #: ClientCommand.cpp:1731 msgctxt "helpcmd|DelServer|args" msgid " [port] [pass]" -msgstr "" +msgstr " [Port] [Pass]" #: ClientCommand.cpp:1732 msgctxt "helpcmd|DelServer|desc" @@ -1370,6 +1383,8 @@ msgid "" "Remove a server from the list of alternate/backup servers of current IRC " "network" msgstr "" +"Lösche einen Server von der Liste der alternativen/backup Server des " +"aktuellen IRC-Netzwerkes" #: ClientCommand.cpp:1738 msgctxt "helpcmd|AddTrustedServerFingerprint|args" @@ -1382,6 +1397,8 @@ msgid "" "Add a trusted server SSL certificate fingerprint (SHA-256) to current IRC " "network." msgstr "" +"Füge den Fingerabdruck (SHA-256) eines vertrauenswürdigen SSL-Zertifikates " +"zum aktuellen IRC-Netzwerk hinzu." #: ClientCommand.cpp:1744 msgctxt "helpcmd|DelTrustedServerFingerprint|args" @@ -1392,86 +1409,90 @@ msgstr "" msgctxt "helpcmd|DelTrustedServerFingerprint|desc" msgid "Delete a trusted server SSL certificate from current IRC network." msgstr "" +"Lösche ein vertrauenswürdiges Server-SSL-Zertifikat vom aktuellen IRC-" +"Netzwerk." #: ClientCommand.cpp:1749 msgctxt "helpcmd|ListTrustedServerFingerprints|desc" msgid "List all trusted server SSL certificates of current IRC network." msgstr "" +"Zeige alle vertrauenswürdigen Server-SSL-Zertifikate des aktuellen IRC-" +"Netzwerkes an." #: ClientCommand.cpp:1752 msgctxt "helpcmd|EnableChan|args" msgid "<#chans>" -msgstr "" +msgstr "<#Kanäle>" #: ClientCommand.cpp:1753 msgctxt "helpcmd|EnableChan|desc" msgid "Enable channels" -msgstr "" +msgstr "Aktivierte Kanäle" #: ClientCommand.cpp:1754 msgctxt "helpcmd|DisableChan|args" msgid "<#chans>" -msgstr "" +msgstr "<#Kanäle>" #: ClientCommand.cpp:1755 msgctxt "helpcmd|DisableChan|desc" msgid "Disable channels" -msgstr "" +msgstr "Deaktiviere Kanäle" #: ClientCommand.cpp:1756 msgctxt "helpcmd|Attach|args" msgid "<#chans>" -msgstr "" +msgstr "<#Kanäle>" #: ClientCommand.cpp:1757 msgctxt "helpcmd|Attach|desc" msgid "Attach to channels" -msgstr "" +msgstr "Verbinde zu Kanälen" #: ClientCommand.cpp:1758 msgctxt "helpcmd|Detach|args" msgid "<#chans>" -msgstr "" +msgstr "<#Kanäle>" #: ClientCommand.cpp:1759 msgctxt "helpcmd|Detach|desc" msgid "Detach from channels" -msgstr "" +msgstr "Trenne von Kanälen" #: ClientCommand.cpp:1762 msgctxt "helpcmd|Topics|desc" msgid "Show topics in all your channels" -msgstr "" +msgstr "Zeige die Themen aller deiner Kanäle" #: ClientCommand.cpp:1765 msgctxt "helpcmd|PlayBuffer|args" msgid "<#chan|query>" -msgstr "" +msgstr "<#Kanal|Query>" #: ClientCommand.cpp:1766 msgctxt "helpcmd|PlayBuffer|desc" msgid "Play back the specified buffer" -msgstr "" +msgstr "Spiele den angegebenen Puffer ab" #: ClientCommand.cpp:1768 msgctxt "helpcmd|ClearBuffer|args" msgid "<#chan|query>" -msgstr "" +msgstr "<#Kanal|Query>" #: ClientCommand.cpp:1769 msgctxt "helpcmd|ClearBuffer|desc" msgid "Clear the specified buffer" -msgstr "" +msgstr "Lösche den angegebenen Puffer" #: ClientCommand.cpp:1771 msgctxt "helpcmd|ClearAllBuffers|desc" msgid "Clear all channel and query buffers" -msgstr "" +msgstr "Lösche alle Kanal- und Querypuffer" #: ClientCommand.cpp:1774 msgctxt "helpcmd|ClearAllChannelBuffers|desc" msgid "Clear the channel buffers" -msgstr "" +msgstr "Lösche alle Kanalpuffer" #: ClientCommand.cpp:1778 msgctxt "helpcmd|ClearAllQueryBuffers|desc" @@ -1727,36 +1748,42 @@ msgid "" "Can't resolve bind hostname. Try /znc ClearBindHost and /znc " "ClearUserBindHost" msgstr "" +"Kann Binde-Hostnamen nicht auflösen. Versuche /znc ClearBindHost und /znc " +"ClearUserBindHost" #: Socket.cpp:348 msgid "Server address is IPv4-only, but bindhost is IPv6-only" -msgstr "" +msgstr "Server hat nur eine IPv4-Adresse, aber Binde-Hostname ist nur IPv6" #: Socket.cpp:357 msgid "Server address is IPv6-only, but bindhost is IPv4-only" -msgstr "" +msgstr "Server hat nur eine IPv6-Adresse, aber Binde-Hostname ist nur IPv4" #: Socket.cpp:515 msgid "Some socket reached its max buffer limit and was closed!" msgstr "" +"Eine Verbindung hat ihre maximale Puffergrenze erreicht und wurde " +"geschlossen!" #: SSLVerifyHost.cpp:481 msgid "hostname doesn't match" -msgstr "" +msgstr "hostname passt nicht" #: SSLVerifyHost.cpp:485 msgid "malformed hostname in certificate" -msgstr "" +msgstr "fehlerhafter Hostname im Zertifikat" #: SSLVerifyHost.cpp:489 msgid "hostname verification error" -msgstr "" +msgstr "hostnamen-Überprüfung fehlgeschlagen" #: User.cpp:507 msgid "" "Invalid network name. It should be alphanumeric. Not to be confused with " "server name" msgstr "" +"Ungültiger Netzwerkname. Er sollte alpha-numerisch sein. Nicht mit Server-" +"Namen verwechseln" #: User.cpp:511 msgid "Network {1} already exists" @@ -1767,6 +1794,8 @@ msgid "" "You are being disconnected because your IP is no longer allowed to connect " "to this user" msgstr "" +"Deine Verbindung wird geschlossen da deine IP sich nicht länger zu diesem " +"Benutzer verbinden darf" #: User.cpp:907 msgid "Password is empty" @@ -1782,4 +1811,4 @@ msgstr "Benutzername ist ungültig" #: User.cpp:1188 msgid "Unable to find modinfo {1}: {2}" -msgstr "" +msgstr "Kann Modulinformationen für {1} nicht finden: {2}" diff --git a/src/po/znc.id_ID.po b/src/po/znc.id_ID.po index dc0618eb..28838fcb 100644 --- a/src/po/znc.id_ID.po +++ b/src/po/znc.id_ID.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.7.x/src/po/znc.pot\n" +"X-Crowdin-File: /master/src/po/znc.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Indonesian\n" @@ -1680,15 +1680,15 @@ msgstr "" msgid "Some socket reached its max buffer limit and was closed!" msgstr "" -#: SSLVerifyHost.cpp:448 +#: SSLVerifyHost.cpp:481 msgid "hostname doesn't match" msgstr "" -#: SSLVerifyHost.cpp:452 +#: SSLVerifyHost.cpp:485 msgid "malformed hostname in certificate" msgstr "" -#: SSLVerifyHost.cpp:456 +#: SSLVerifyHost.cpp:489 msgid "hostname verification error" msgstr "" diff --git a/src/po/znc.ru_RU.po b/src/po/znc.ru_RU.po index 4eecbde1..ec08dab5 100644 --- a/src/po/znc.ru_RU.po +++ b/src/po/znc.ru_RU.po @@ -604,7 +604,7 @@ msgstr "Сеть удалена" #: ClientCommand.cpp:585 msgid "Failed to delete network, perhaps this network doesn't exist" -msgstr "" +msgstr "Не могу удалить сеть, возможно, она не существует" #: ClientCommand.cpp:595 msgid "User {1} not found" @@ -618,22 +618,22 @@ msgstr "Сеть" #: ClientCommand.cpp:604 ClientCommand.cpp:613 ClientCommand.cpp:622 msgctxt "listnetworks" msgid "On IRC" -msgstr "" +msgstr "В сети" #: ClientCommand.cpp:605 ClientCommand.cpp:615 msgctxt "listnetworks" msgid "IRC Server" -msgstr "" +msgstr "IRC-сервер" #: ClientCommand.cpp:606 ClientCommand.cpp:617 msgctxt "listnetworks" msgid "IRC User" -msgstr "" +msgstr "Пользователь в IRC" #: ClientCommand.cpp:607 ClientCommand.cpp:619 msgctxt "listnetworks" msgid "Channels" -msgstr "Каналы" +msgstr "Каналов" #: ClientCommand.cpp:614 msgctxt "listnetworks" @@ -648,7 +648,7 @@ msgstr "Нет" #: ClientCommand.cpp:628 msgctxt "listnetworks" msgid "No networks" -msgstr "" +msgstr "Нет сетей" #: ClientCommand.cpp:632 ClientCommand.cpp:932 msgid "Access denied." @@ -657,34 +657,37 @@ msgstr "Доступ запрещён." #: ClientCommand.cpp:643 msgid "Usage: MoveNetwork [new network]" msgstr "" +"Использование: MoveNetwork <старый пользователь> <старая сеть> <новый " +"пользователь> [новая сеть]" #: ClientCommand.cpp:653 msgid "Old user {1} not found." -msgstr "" +msgstr "Старый пользователь {1} не найден." #: ClientCommand.cpp:659 msgid "Old network {1} not found." -msgstr "" +msgstr "Старая сеть {1} не найдена." #: ClientCommand.cpp:665 msgid "New user {1} not found." -msgstr "" +msgstr "Новый пользователь {1} не найден." #: ClientCommand.cpp:670 msgid "User {1} already has network {2}." -msgstr "" +msgstr "У пользователя {1} уже есть сеть {2}." #: ClientCommand.cpp:676 msgid "Invalid network name [{1}]" -msgstr "" +msgstr "Некорректное имя сети [{1}]" #: ClientCommand.cpp:692 msgid "Some files seem to be in {1}. You might want to move them to {2}" msgstr "" +"В {1} остались какие-то файлы. Возможно, вам нужно переместить их в {2}" #: ClientCommand.cpp:706 msgid "Error adding network: {1}" -msgstr "" +msgstr "Ошибка при добавлении сети: {1}" #: ClientCommand.cpp:718 msgid "Success." @@ -692,31 +695,31 @@ msgstr "Успех." #: ClientCommand.cpp:721 msgid "Copied the network to new user, but failed to delete old network" -msgstr "" +msgstr "Сеть скопирована успешно, но не могу удалить старую сеть" #: ClientCommand.cpp:728 msgid "No network supplied." -msgstr "" +msgstr "Сеть не указана." #: ClientCommand.cpp:733 msgid "You are already connected with this network." -msgstr "" +msgstr "Вы уже подключены к этой сети." #: ClientCommand.cpp:739 msgid "Switched to {1}" -msgstr "" +msgstr "Переключаю на {1}" #: ClientCommand.cpp:742 msgid "You don't have a network named {1}" -msgstr "" +msgstr "У вас нет сети с названием {1}" #: ClientCommand.cpp:754 msgid "Usage: AddServer [[+]port] [pass]" -msgstr "" +msgstr "Использование: AddServer <хост> [[+]порт] [пароль]" #: ClientCommand.cpp:759 msgid "Server added" -msgstr "" +msgstr "Сервер добавлен" #: ClientCommand.cpp:762 msgid "" @@ -726,7 +729,7 @@ msgstr "" #: ClientCommand.cpp:777 msgid "Usage: DelServer [port] [pass]" -msgstr "" +msgstr "Использование: DelServer <хост> [порт] [пароль]" #: ClientCommand.cpp:782 ClientCommand.cpp:822 msgid "You don't have any servers added." From e567f4cb73a1637141f7e4fc3b0ef44e79568048 Mon Sep 17 00:00:00 2001 From: Baruch Siach Date: Sun, 10 Jun 2018 22:01:47 +0300 Subject: [PATCH 148/798] Fix build without SSL support The headers is needed for unique_ptr even when SSL is not enabled. This fixes the following build failure: src/Utils.cpp: In static member function 'static bool CUtils::CheckCIDR(const CString&, const CString&)': src/Utils.cpp:674:5: error: 'unique_ptr' is not a member of 'std' std::unique_ptr aiHost(aiHostC, deleter); ^ Close #1554 --- src/Utils.cpp | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/src/Utils.cpp b/src/Utils.cpp index 9c3b2549..cced5683 100644 --- a/src/Utils.cpp +++ b/src/Utils.cpp @@ -27,8 +27,8 @@ #include #ifdef HAVE_LIBSSL #include -#include #endif /* HAVE_LIBSSL */ +#include #include #include From c74f41d67d348cd97864a6ea7e67e8a1038cec75 Mon Sep 17 00:00:00 2001 From: Casper <38324207+csprr@users.noreply.github.com> Date: Thu, 14 Jun 2018 11:25:59 +0200 Subject: [PATCH 149/798] Change GetParamsColon(1) to (0) in adminlog, as (1) does not show the error message, it will show an empty [] in the adminlog Close #1557 --- modules/adminlog.cpp | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/modules/adminlog.cpp b/modules/adminlog.cpp index bd172813..b4f5634e 100644 --- a/modules/adminlog.cpp +++ b/modules/adminlog.cpp @@ -76,7 +76,7 @@ class CAdminLogMod : public CModule { Log("[" + GetUser()->GetUserName() + "/" + GetNetwork()->GetName() + "] disconnected from IRC: " + GetNetwork()->GetCurrentServer()->GetName() + " [" + - Message.GetParamsColon(1) + "]", + Message.GetParamsColon(0) + "]", LOG_NOTICE); } return CONTINUE; From d3d87dd01881c46059a465cae8bea68c5696080f Mon Sep 17 00:00:00 2001 From: Casper <38324207+csprr@users.noreply.github.com> Date: Fri, 15 Jun 2018 09:22:05 +0200 Subject: [PATCH 150/798] Create nl_NL --- translations/nl_NL | 1 + 1 file changed, 1 insertion(+) create mode 100644 translations/nl_NL diff --git a/translations/nl_NL b/translations/nl_NL new file mode 100644 index 00000000..87e70d43 --- /dev/null +++ b/translations/nl_NL @@ -0,0 +1 @@ +SelfName Nederlands From 38a007d5c52955c8666f415240a22a7033985591 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins bot Date: Fri, 15 Jun 2018 19:34:12 +0100 Subject: [PATCH 151/798] Update translations from Crowdin (#1551) --- modules/po/adminlog.id_ID.po | 28 +- modules/po/adminlog.nl_NL.po | 69 + modules/po/alias.nl_NL.po | 123 ++ modules/po/autoattach.nl_NL.po | 85 ++ modules/po/autocycle.nl_NL.po | 69 + modules/po/autoop.nl_NL.po | 168 +++ modules/po/autoreply.nl_NL.po | 43 + modules/po/autovoice.nl_NL.po | 111 ++ modules/po/awaystore.nl_NL.po | 110 ++ modules/po/block_motd.nl_NL.po | 35 + modules/po/blockuser.nl_NL.po | 97 ++ modules/po/bouncedcc.nl_NL.po | 131 ++ modules/po/buffextras.nl_NL.po | 49 + modules/po/cert.nl_NL.po | 75 ++ modules/po/certauth.nl_NL.po | 108 ++ modules/po/chansaver.nl_NL.po | 17 + modules/po/clearbufferonmsg.nl_NL.po | 17 + modules/po/clientnotify.nl_NL.po | 73 ++ modules/po/controlpanel.nl_NL.po | 718 +++++++++++ modules/po/crypt.nl_NL.po | 143 +++ modules/po/ctcpflood.nl_NL.po | 69 + modules/po/cyrusauth.nl_NL.po | 73 ++ modules/po/dcc.nl_NL.po | 227 ++++ modules/po/disconkick.nl_NL.po | 23 + modules/po/fail2ban.nl_NL.po | 117 ++ modules/po/flooddetach.de_DE.po | 38 +- modules/po/flooddetach.es_ES.po | 34 +- modules/po/flooddetach.id_ID.po | 34 +- modules/po/flooddetach.nl_NL.po | 91 ++ modules/po/flooddetach.pot | 34 +- modules/po/flooddetach.pt_BR.po | 34 +- modules/po/flooddetach.ru_RU.po | 34 +- modules/po/identfile.nl_NL.po | 83 ++ modules/po/imapauth.nl_NL.po | 21 + modules/po/keepnick.nl_NL.po | 53 + modules/po/kickrejoin.nl_NL.po | 61 + modules/po/lastseen.nl_NL.po | 67 + modules/po/listsockets.nl_NL.po | 113 ++ modules/po/log.nl_NL.po | 148 +++ modules/po/missingmotd.nl_NL.po | 17 + modules/po/modperl.nl_NL.po | 17 + modules/po/modpython.nl_NL.po | 17 + modules/po/modules_online.nl_NL.po | 17 + modules/po/nickserv.id_ID.po | 30 +- modules/po/nickserv.nl_NL.po | 75 ++ modules/po/notes.nl_NL.po | 119 ++ modules/po/notify_connect.nl_NL.po | 29 + modules/po/partyline.nl_NL.po | 39 + modules/po/perform.nl_NL.po | 108 ++ modules/po/perleval.nl_NL.po | 31 + modules/po/pyeval.nl_NL.po | 21 + modules/po/q.id_ID.po | 36 +- modules/po/q.nl_NL.po | 296 +++++ modules/po/raw.nl_NL.po | 17 + modules/po/route_replies.nl_NL.po | 59 + modules/po/sample.nl_NL.po | 119 ++ modules/po/samplewebapi.nl_NL.po | 17 + modules/po/sasl.nl_NL.po | 174 +++ modules/po/savebuff.nl_NL.po | 62 + modules/po/send_raw.nl_NL.po | 109 ++ modules/po/shell.nl_NL.po | 29 + modules/po/simple_away.id_ID.po | 12 +- modules/po/simple_away.nl_NL.po | 92 ++ modules/po/stickychan.nl_NL.po | 102 ++ modules/po/stripcontrols.nl_NL.po | 18 + modules/po/watch.nl_NL.po | 249 ++++ modules/po/webadmin.nl_NL.po | 1209 ++++++++++++++++++ src/po/znc.id_ID.po | 114 +- src/po/znc.nl_NL.po | 1732 ++++++++++++++++++++++++++ src/po/znc.ru_RU.po | 104 +- 70 files changed, 8444 insertions(+), 249 deletions(-) create mode 100644 modules/po/adminlog.nl_NL.po create mode 100644 modules/po/alias.nl_NL.po create mode 100644 modules/po/autoattach.nl_NL.po create mode 100644 modules/po/autocycle.nl_NL.po create mode 100644 modules/po/autoop.nl_NL.po create mode 100644 modules/po/autoreply.nl_NL.po create mode 100644 modules/po/autovoice.nl_NL.po create mode 100644 modules/po/awaystore.nl_NL.po create mode 100644 modules/po/block_motd.nl_NL.po create mode 100644 modules/po/blockuser.nl_NL.po create mode 100644 modules/po/bouncedcc.nl_NL.po create mode 100644 modules/po/buffextras.nl_NL.po create mode 100644 modules/po/cert.nl_NL.po create mode 100644 modules/po/certauth.nl_NL.po create mode 100644 modules/po/chansaver.nl_NL.po create mode 100644 modules/po/clearbufferonmsg.nl_NL.po create mode 100644 modules/po/clientnotify.nl_NL.po create mode 100644 modules/po/controlpanel.nl_NL.po create mode 100644 modules/po/crypt.nl_NL.po create mode 100644 modules/po/ctcpflood.nl_NL.po create mode 100644 modules/po/cyrusauth.nl_NL.po create mode 100644 modules/po/dcc.nl_NL.po create mode 100644 modules/po/disconkick.nl_NL.po create mode 100644 modules/po/fail2ban.nl_NL.po create mode 100644 modules/po/flooddetach.nl_NL.po create mode 100644 modules/po/identfile.nl_NL.po create mode 100644 modules/po/imapauth.nl_NL.po create mode 100644 modules/po/keepnick.nl_NL.po create mode 100644 modules/po/kickrejoin.nl_NL.po create mode 100644 modules/po/lastseen.nl_NL.po create mode 100644 modules/po/listsockets.nl_NL.po create mode 100644 modules/po/log.nl_NL.po create mode 100644 modules/po/missingmotd.nl_NL.po create mode 100644 modules/po/modperl.nl_NL.po create mode 100644 modules/po/modpython.nl_NL.po create mode 100644 modules/po/modules_online.nl_NL.po create mode 100644 modules/po/nickserv.nl_NL.po create mode 100644 modules/po/notes.nl_NL.po create mode 100644 modules/po/notify_connect.nl_NL.po create mode 100644 modules/po/partyline.nl_NL.po create mode 100644 modules/po/perform.nl_NL.po create mode 100644 modules/po/perleval.nl_NL.po create mode 100644 modules/po/pyeval.nl_NL.po create mode 100644 modules/po/q.nl_NL.po create mode 100644 modules/po/raw.nl_NL.po create mode 100644 modules/po/route_replies.nl_NL.po create mode 100644 modules/po/sample.nl_NL.po create mode 100644 modules/po/samplewebapi.nl_NL.po create mode 100644 modules/po/sasl.nl_NL.po create mode 100644 modules/po/savebuff.nl_NL.po create mode 100644 modules/po/send_raw.nl_NL.po create mode 100644 modules/po/shell.nl_NL.po create mode 100644 modules/po/simple_away.nl_NL.po create mode 100644 modules/po/stickychan.nl_NL.po create mode 100644 modules/po/stripcontrols.nl_NL.po create mode 100644 modules/po/watch.nl_NL.po create mode 100644 modules/po/webadmin.nl_NL.po create mode 100644 src/po/znc.nl_NL.po diff --git a/modules/po/adminlog.id_ID.po b/modules/po/adminlog.id_ID.po index 5e25b33b..5ca1eed9 100644 --- a/modules/po/adminlog.id_ID.po +++ b/modules/po/adminlog.id_ID.po @@ -14,56 +14,56 @@ msgstr "" #: adminlog.cpp:29 msgid "Show the logging target" -msgstr "" +msgstr "Tampilkan target log" #: adminlog.cpp:31 msgid " [path]" -msgstr "" +msgstr " [path]" #: adminlog.cpp:32 msgid "Set the logging target" -msgstr "" +msgstr "Atur target log" #: adminlog.cpp:142 msgid "Access denied" -msgstr "" +msgstr "Akses ditolak" #: adminlog.cpp:156 msgid "Now logging to file" -msgstr "" +msgstr "Sekarang log dicatat ke file" #: adminlog.cpp:160 msgid "Now only logging to syslog" -msgstr "" +msgstr "Sekarang hanya mencatat log ke syslog" #: adminlog.cpp:164 msgid "Now logging to syslog and file" -msgstr "" +msgstr "Sekarang mencatat log ke systlog dan file" #: adminlog.cpp:168 msgid "Usage: Target [path]" -msgstr "" +msgstr "Gunakan: Target [path]" #: adminlog.cpp:170 msgid "Unknown target" -msgstr "" +msgstr "Target tidak diketahui" #: adminlog.cpp:192 msgid "Logging is enabled for file" -msgstr "" +msgstr "Log diaktifkan untuk file" #: adminlog.cpp:195 msgid "Logging is enabled for syslog" -msgstr "" +msgstr "Log diaktifkan untuk syslog" #: adminlog.cpp:198 msgid "Logging is enabled for both, file and syslog" -msgstr "" +msgstr "Log diaktifkan untuk both, file dan syslog" #: adminlog.cpp:204 msgid "Log file will be written to {1}" -msgstr "" +msgstr "Log akan di tulis ke {1}" #: adminlog.cpp:222 msgid "Log ZNC events to file and/or syslog." -msgstr "" +msgstr "Catat log kejadian ZNC ke file dan/atau syslog." diff --git a/modules/po/adminlog.nl_NL.po b/modules/po/adminlog.nl_NL.po new file mode 100644 index 00000000..ba1716e0 --- /dev/null +++ b/modules/po/adminlog.nl_NL.po @@ -0,0 +1,69 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: nl\n" +"X-Crowdin-File: /1.7.x/modules/po/adminlog.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Dutch\n" +"Language: nl_NL\n" + +#: adminlog.cpp:29 +msgid "Show the logging target" +msgstr "" + +#: adminlog.cpp:31 +msgid " [path]" +msgstr "" + +#: adminlog.cpp:32 +msgid "Set the logging target" +msgstr "" + +#: adminlog.cpp:142 +msgid "Access denied" +msgstr "" + +#: adminlog.cpp:156 +msgid "Now logging to file" +msgstr "" + +#: adminlog.cpp:160 +msgid "Now only logging to syslog" +msgstr "" + +#: adminlog.cpp:164 +msgid "Now logging to syslog and file" +msgstr "" + +#: adminlog.cpp:168 +msgid "Usage: Target [path]" +msgstr "" + +#: adminlog.cpp:170 +msgid "Unknown target" +msgstr "" + +#: adminlog.cpp:192 +msgid "Logging is enabled for file" +msgstr "" + +#: adminlog.cpp:195 +msgid "Logging is enabled for syslog" +msgstr "" + +#: adminlog.cpp:198 +msgid "Logging is enabled for both, file and syslog" +msgstr "" + +#: adminlog.cpp:204 +msgid "Log file will be written to {1}" +msgstr "" + +#: adminlog.cpp:222 +msgid "Log ZNC events to file and/or syslog." +msgstr "" diff --git a/modules/po/alias.nl_NL.po b/modules/po/alias.nl_NL.po new file mode 100644 index 00000000..76384db2 --- /dev/null +++ b/modules/po/alias.nl_NL.po @@ -0,0 +1,123 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: nl\n" +"X-Crowdin-File: /1.7.x/modules/po/alias.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Dutch\n" +"Language: nl_NL\n" + +#: alias.cpp:141 +msgid "missing required parameter: {1}" +msgstr "" + +#: alias.cpp:201 +msgid "Created alias: {1}" +msgstr "" + +#: alias.cpp:203 +msgid "Alias already exists." +msgstr "" + +#: alias.cpp:210 +msgid "Deleted alias: {1}" +msgstr "" + +#: alias.cpp:213 alias.cpp:224 alias.cpp:246 alias.cpp:265 alias.cpp:276 +#: alias.cpp:333 +msgid "Alias does not exist." +msgstr "" + +#: alias.cpp:222 alias.cpp:244 alias.cpp:263 alias.cpp:274 +msgid "Modified alias." +msgstr "" + +#: alias.cpp:236 alias.cpp:256 +msgid "Invalid index." +msgstr "" + +#: alias.cpp:282 alias.cpp:298 +msgid "There are no aliases." +msgstr "" + +#: alias.cpp:289 +msgid "The following aliases exist: {1}" +msgstr "" + +#: alias.cpp:290 +msgctxt "list|separator" +msgid ", " +msgstr "" + +#: alias.cpp:324 +msgid "Actions for alias {1}:" +msgstr "" + +#: alias.cpp:331 +msgid "End of actions for alias {1}." +msgstr "" + +#: alias.cpp:338 alias.cpp:341 alias.cpp:352 alias.cpp:357 +msgid "" +msgstr "" + +#: alias.cpp:339 +msgid "Creates a new, blank alias called name." +msgstr "" + +#: alias.cpp:341 +msgid "Deletes an existing alias." +msgstr "" + +#: alias.cpp:343 +msgid " " +msgstr "" + +#: alias.cpp:344 +msgid "Adds a line to an existing alias." +msgstr "" + +#: alias.cpp:346 +msgid " " +msgstr "" + +#: alias.cpp:347 +msgid "Inserts a line into an existing alias." +msgstr "" + +#: alias.cpp:349 +msgid " " +msgstr "" + +#: alias.cpp:350 +msgid "Removes a line from an existing alias." +msgstr "" + +#: alias.cpp:353 +msgid "Removes all lines from an existing alias." +msgstr "" + +#: alias.cpp:355 +msgid "Lists all aliases by name." +msgstr "" + +#: alias.cpp:358 +msgid "Reports the actions performed by an alias." +msgstr "" + +#: alias.cpp:362 +msgid "Generate a list of commands to copy your alias config." +msgstr "" + +#: alias.cpp:374 +msgid "Clearing all of them!" +msgstr "" + +#: alias.cpp:409 +msgid "Provides bouncer-side command alias support." +msgstr "" diff --git a/modules/po/autoattach.nl_NL.po b/modules/po/autoattach.nl_NL.po new file mode 100644 index 00000000..4b21daa8 --- /dev/null +++ b/modules/po/autoattach.nl_NL.po @@ -0,0 +1,85 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: nl\n" +"X-Crowdin-File: /1.7.x/modules/po/autoattach.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Dutch\n" +"Language: nl_NL\n" + +#: autoattach.cpp:94 +msgid "Added to list" +msgstr "" + +#: autoattach.cpp:96 +msgid "{1} is already added" +msgstr "" + +#: autoattach.cpp:100 +msgid "Usage: Add [!]<#chan> " +msgstr "" + +#: autoattach.cpp:101 +msgid "Wildcards are allowed" +msgstr "" + +#: autoattach.cpp:113 +msgid "Removed {1} from list" +msgstr "" + +#: autoattach.cpp:115 +msgid "Usage: Del [!]<#chan> " +msgstr "" + +#: autoattach.cpp:121 autoattach.cpp:129 +msgid "Neg" +msgstr "" + +#: autoattach.cpp:122 autoattach.cpp:130 +msgid "Chan" +msgstr "" + +#: autoattach.cpp:123 autoattach.cpp:131 +msgid "Search" +msgstr "" + +#: autoattach.cpp:124 autoattach.cpp:132 +msgid "Host" +msgstr "" + +#: autoattach.cpp:138 +msgid "You have no entries." +msgstr "" + +#: autoattach.cpp:146 autoattach.cpp:149 +msgid "[!]<#chan> " +msgstr "" + +#: autoattach.cpp:147 +msgid "Add an entry, use !#chan to negate and * for wildcards" +msgstr "" + +#: autoattach.cpp:150 +msgid "Remove an entry, needs to be an exact match" +msgstr "" + +#: autoattach.cpp:152 +msgid "List all entries" +msgstr "" + +#: autoattach.cpp:171 +msgid "Unable to add [{1}]" +msgstr "" + +#: autoattach.cpp:283 +msgid "List of channel masks and channel masks with ! before them." +msgstr "" + +#: autoattach.cpp:286 +msgid "Reattaches you to channels on activity." +msgstr "" diff --git a/modules/po/autocycle.nl_NL.po b/modules/po/autocycle.nl_NL.po new file mode 100644 index 00000000..4b32c608 --- /dev/null +++ b/modules/po/autocycle.nl_NL.po @@ -0,0 +1,69 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: nl\n" +"X-Crowdin-File: /1.7.x/modules/po/autocycle.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Dutch\n" +"Language: nl_NL\n" + +#: autocycle.cpp:27 autocycle.cpp:30 +msgid "[!]<#chan>" +msgstr "" + +#: autocycle.cpp:28 +msgid "Add an entry, use !#chan to negate and * for wildcards" +msgstr "" + +#: autocycle.cpp:31 +msgid "Remove an entry, needs to be an exact match" +msgstr "" + +#: autocycle.cpp:33 +msgid "List all entries" +msgstr "" + +#: autocycle.cpp:46 +msgid "Unable to add {1}" +msgstr "" + +#: autocycle.cpp:66 +msgid "{1} is already added" +msgstr "" + +#: autocycle.cpp:68 +msgid "Added {1} to list" +msgstr "" + +#: autocycle.cpp:70 +msgid "Usage: Add [!]<#chan>" +msgstr "" + +#: autocycle.cpp:78 +msgid "Removed {1} from list" +msgstr "" + +#: autocycle.cpp:80 +msgid "Usage: Del [!]<#chan>" +msgstr "" + +#: autocycle.cpp:85 autocycle.cpp:89 autocycle.cpp:94 +msgid "Channel" +msgstr "" + +#: autocycle.cpp:100 +msgid "You have no entries." +msgstr "" + +#: autocycle.cpp:229 +msgid "List of channel masks and channel masks with ! before them." +msgstr "" + +#: autocycle.cpp:234 +msgid "Rejoins channels to gain Op if you're the only user left" +msgstr "" diff --git a/modules/po/autoop.nl_NL.po b/modules/po/autoop.nl_NL.po new file mode 100644 index 00000000..a30a4118 --- /dev/null +++ b/modules/po/autoop.nl_NL.po @@ -0,0 +1,168 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: nl\n" +"X-Crowdin-File: /1.7.x/modules/po/autoop.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Dutch\n" +"Language: nl_NL\n" + +#: autoop.cpp:154 +msgid "List all users" +msgstr "" + +#: autoop.cpp:156 autoop.cpp:159 +msgid " [channel] ..." +msgstr "" + +#: autoop.cpp:157 +msgid "Adds channels to a user" +msgstr "" + +#: autoop.cpp:160 +msgid "Removes channels from a user" +msgstr "" + +#: autoop.cpp:162 autoop.cpp:165 +msgid " ,[mask] ..." +msgstr "" + +#: autoop.cpp:163 +msgid "Adds masks to a user" +msgstr "" + +#: autoop.cpp:166 +msgid "Removes masks from a user" +msgstr "" + +#: autoop.cpp:169 +msgid " [,...] [channels]" +msgstr "" + +#: autoop.cpp:170 +msgid "Adds a user" +msgstr "" + +#: autoop.cpp:172 +msgid "" +msgstr "" + +#: autoop.cpp:172 +msgid "Removes a user" +msgstr "" + +#: autoop.cpp:275 +msgid "Usage: AddUser [,...] [channels]" +msgstr "" + +#: autoop.cpp:291 +msgid "Usage: DelUser " +msgstr "" + +#: autoop.cpp:300 +msgid "There are no users defined" +msgstr "" + +#: autoop.cpp:306 autoop.cpp:317 autoop.cpp:321 autoop.cpp:323 +msgid "User" +msgstr "" + +#: autoop.cpp:307 autoop.cpp:325 +msgid "Hostmasks" +msgstr "" + +#: autoop.cpp:308 autoop.cpp:318 +msgid "Key" +msgstr "" + +#: autoop.cpp:309 autoop.cpp:319 +msgid "Channels" +msgstr "" + +#: autoop.cpp:337 +msgid "Usage: AddChans [channel] ..." +msgstr "" + +#: autoop.cpp:344 autoop.cpp:365 autoop.cpp:387 autoop.cpp:408 autoop.cpp:472 +msgid "No such user" +msgstr "" + +#: autoop.cpp:349 +msgid "Channel(s) added to user {1}" +msgstr "" + +#: autoop.cpp:358 +msgid "Usage: DelChans [channel] ..." +msgstr "" + +#: autoop.cpp:371 +msgid "Channel(s) Removed from user {1}" +msgstr "" + +#: autoop.cpp:380 +msgid "Usage: AddMasks ,[mask] ..." +msgstr "" + +#: autoop.cpp:392 +msgid "Hostmasks(s) added to user {1}" +msgstr "" + +#: autoop.cpp:401 +msgid "Usage: DelMasks ,[mask] ..." +msgstr "" + +#: autoop.cpp:413 +msgid "Removed user {1} with key {2} and channels {3}" +msgstr "" + +#: autoop.cpp:419 +msgid "Hostmasks(s) Removed from user {1}" +msgstr "" + +#: autoop.cpp:478 +msgid "User {1} removed" +msgstr "" + +#: autoop.cpp:484 +msgid "That user already exists" +msgstr "" + +#: autoop.cpp:490 +msgid "User {1} added with hostmask(s) {2}" +msgstr "" + +#: autoop.cpp:532 +msgid "" +"[{1}] sent us a challenge but they are not opped in any defined channels." +msgstr "" + +#: autoop.cpp:536 +msgid "[{1}] sent us a challenge but they do not match a defined user." +msgstr "" + +#: autoop.cpp:544 +msgid "WARNING! [{1}] sent an invalid challenge." +msgstr "" + +#: autoop.cpp:560 +msgid "[{1}] sent an unchallenged response. This could be due to lag." +msgstr "" + +#: autoop.cpp:577 +msgid "" +"WARNING! [{1}] sent a bad response. Please verify that you have their " +"correct password." +msgstr "" + +#: autoop.cpp:586 +msgid "WARNING! [{1}] sent a response but did not match any defined users." +msgstr "" + +#: autoop.cpp:644 +msgid "Auto op the good people" +msgstr "" diff --git a/modules/po/autoreply.nl_NL.po b/modules/po/autoreply.nl_NL.po new file mode 100644 index 00000000..dbbb922e --- /dev/null +++ b/modules/po/autoreply.nl_NL.po @@ -0,0 +1,43 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: nl\n" +"X-Crowdin-File: /1.7.x/modules/po/autoreply.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Dutch\n" +"Language: nl_NL\n" + +#: autoreply.cpp:25 +msgid "" +msgstr "" + +#: autoreply.cpp:25 +msgid "Sets a new reply" +msgstr "" + +#: autoreply.cpp:27 +msgid "Displays the current query reply" +msgstr "" + +#: autoreply.cpp:75 +msgid "Current reply is: {1} ({2})" +msgstr "" + +#: autoreply.cpp:81 +msgid "New reply set to: {1} ({2})" +msgstr "" + +#: autoreply.cpp:94 +msgid "" +"You might specify a reply text. It is used when automatically answering " +"queries, if you are not connected to ZNC." +msgstr "" + +#: autoreply.cpp:98 +msgid "Reply to queries when you are away" +msgstr "" diff --git a/modules/po/autovoice.nl_NL.po b/modules/po/autovoice.nl_NL.po new file mode 100644 index 00000000..1680b8cb --- /dev/null +++ b/modules/po/autovoice.nl_NL.po @@ -0,0 +1,111 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: nl\n" +"X-Crowdin-File: /1.7.x/modules/po/autovoice.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Dutch\n" +"Language: nl_NL\n" + +#: autovoice.cpp:120 +msgid "List all users" +msgstr "" + +#: autovoice.cpp:122 autovoice.cpp:125 +msgid " [channel] ..." +msgstr "" + +#: autovoice.cpp:123 +msgid "Adds channels to a user" +msgstr "" + +#: autovoice.cpp:126 +msgid "Removes channels from a user" +msgstr "" + +#: autovoice.cpp:128 +msgid " [channels]" +msgstr "" + +#: autovoice.cpp:129 +msgid "Adds a user" +msgstr "" + +#: autovoice.cpp:131 +msgid "" +msgstr "" + +#: autovoice.cpp:131 +msgid "Removes a user" +msgstr "" + +#: autovoice.cpp:215 +msgid "Usage: AddUser [channels]" +msgstr "" + +#: autovoice.cpp:229 +msgid "Usage: DelUser " +msgstr "" + +#: autovoice.cpp:238 +msgid "There are no users defined" +msgstr "" + +#: autovoice.cpp:244 autovoice.cpp:250 +msgid "User" +msgstr "" + +#: autovoice.cpp:245 autovoice.cpp:251 +msgid "Hostmask" +msgstr "" + +#: autovoice.cpp:246 autovoice.cpp:252 +msgid "Channels" +msgstr "" + +#: autovoice.cpp:263 +msgid "Usage: AddChans [channel] ..." +msgstr "" + +#: autovoice.cpp:270 autovoice.cpp:292 autovoice.cpp:329 +msgid "No such user" +msgstr "" + +#: autovoice.cpp:275 +msgid "Channel(s) added to user {1}" +msgstr "" + +#: autovoice.cpp:285 +msgid "Usage: DelChans [channel] ..." +msgstr "" + +#: autovoice.cpp:298 +msgid "Channel(s) Removed from user {1}" +msgstr "" + +#: autovoice.cpp:335 +msgid "User {1} removed" +msgstr "" + +#: autovoice.cpp:341 +msgid "That user already exists" +msgstr "" + +#: autovoice.cpp:347 +msgid "User {1} added with hostmask {2}" +msgstr "" + +#: autovoice.cpp:360 +msgid "" +"Each argument is either a channel you want autovoice for (which can include " +"wildcards) or, if it starts with !, it is an exception for autovoice." +msgstr "" + +#: autovoice.cpp:365 +msgid "Auto voice the good people" +msgstr "" diff --git a/modules/po/awaystore.nl_NL.po b/modules/po/awaystore.nl_NL.po new file mode 100644 index 00000000..52f8c9b3 --- /dev/null +++ b/modules/po/awaystore.nl_NL.po @@ -0,0 +1,110 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: nl\n" +"X-Crowdin-File: /1.7.x/modules/po/awaystore.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Dutch\n" +"Language: nl_NL\n" + +#: awaystore.cpp:67 +msgid "You have been marked as away" +msgstr "" + +#: awaystore.cpp:78 awaystore.cpp:385 awaystore.cpp:388 +msgid "Welcome back!" +msgstr "" + +#: awaystore.cpp:100 +msgid "Deleted {1} messages" +msgstr "" + +#: awaystore.cpp:104 +msgid "USAGE: delete " +msgstr "" + +#: awaystore.cpp:109 +msgid "Illegal message # requested" +msgstr "" + +#: awaystore.cpp:113 +msgid "Message erased" +msgstr "" + +#: awaystore.cpp:122 +msgid "Messages saved to disk" +msgstr "" + +#: awaystore.cpp:124 +msgid "There are no messages to save" +msgstr "" + +#: awaystore.cpp:135 +msgid "Password updated to [{1}]" +msgstr "" + +#: awaystore.cpp:147 +msgid "Corrupt message! [{1}]" +msgstr "" + +#: awaystore.cpp:159 +msgid "Corrupt time stamp! [{1}]" +msgstr "" + +#: awaystore.cpp:178 +msgid "#--- End of messages" +msgstr "" + +#: awaystore.cpp:183 +msgid "Timer set to 300 seconds" +msgstr "" + +#: awaystore.cpp:188 awaystore.cpp:197 +msgid "Timer disabled" +msgstr "" + +#: awaystore.cpp:199 +msgid "Timer set to {1} seconds" +msgstr "" + +#: awaystore.cpp:203 +msgid "Current timer setting: {1} seconds" +msgstr "" + +#: awaystore.cpp:278 +msgid "This module needs as an argument a keyphrase used for encryption" +msgstr "" + +#: awaystore.cpp:285 +msgid "" +"Failed to decrypt your saved messages - Did you give the right encryption " +"key as an argument to this module?" +msgstr "" + +#: awaystore.cpp:386 awaystore.cpp:389 +msgid "You have {1} messages!" +msgstr "" + +#: awaystore.cpp:456 +msgid "Unable to find buffer" +msgstr "" + +#: awaystore.cpp:469 +msgid "Unable to decode encrypted messages" +msgstr "" + +#: awaystore.cpp:516 +msgid "" +"[ -notimer | -timer N ] [-chans] passw0rd . N is number of seconds, 600 by " +"default." +msgstr "" + +#: awaystore.cpp:521 +msgid "" +"Adds auto-away with logging, useful when you use ZNC from different locations" +msgstr "" diff --git a/modules/po/block_motd.nl_NL.po b/modules/po/block_motd.nl_NL.po new file mode 100644 index 00000000..ec935961 --- /dev/null +++ b/modules/po/block_motd.nl_NL.po @@ -0,0 +1,35 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: nl\n" +"X-Crowdin-File: /1.7.x/modules/po/block_motd.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Dutch\n" +"Language: nl_NL\n" + +#: block_motd.cpp:26 +msgid "[]" +msgstr "" + +#: block_motd.cpp:27 +msgid "" +"Override the block with this command. Can optionally specify which server to " +"query." +msgstr "" + +#: block_motd.cpp:36 +msgid "You are not connected to an IRC Server." +msgstr "" + +#: block_motd.cpp:58 +msgid "MOTD blocked by ZNC" +msgstr "" + +#: block_motd.cpp:104 +msgid "Block the MOTD from IRC so it's not sent to your client(s)." +msgstr "" diff --git a/modules/po/blockuser.nl_NL.po b/modules/po/blockuser.nl_NL.po new file mode 100644 index 00000000..88999c9e --- /dev/null +++ b/modules/po/blockuser.nl_NL.po @@ -0,0 +1,97 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: nl\n" +"X-Crowdin-File: /1.7.x/modules/po/blockuser.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Dutch\n" +"Language: nl_NL\n" + +#: modules/po/../data/blockuser/tmpl/blockuser_WebadminUser.tmpl:9 +msgid "Account is blocked" +msgstr "" + +#: blockuser.cpp:23 +msgid "Your account has been disabled. Contact your administrator." +msgstr "" + +#: blockuser.cpp:29 +msgid "List blocked users" +msgstr "" + +#: blockuser.cpp:31 blockuser.cpp:33 +msgid "" +msgstr "" + +#: blockuser.cpp:31 +msgid "Block a user" +msgstr "" + +#: blockuser.cpp:33 +msgid "Unblock a user" +msgstr "" + +#: blockuser.cpp:55 +msgid "Could not block {1}" +msgstr "" + +#: blockuser.cpp:76 +msgid "Access denied" +msgstr "" + +#: blockuser.cpp:85 +msgid "No users are blocked" +msgstr "" + +#: blockuser.cpp:88 +msgid "Blocked users:" +msgstr "" + +#: blockuser.cpp:100 +msgid "Usage: Block " +msgstr "" + +#: blockuser.cpp:105 blockuser.cpp:147 +msgid "You can't block yourself" +msgstr "" + +#: blockuser.cpp:110 blockuser.cpp:152 +msgid "Blocked {1}" +msgstr "" + +#: blockuser.cpp:112 +msgid "Could not block {1} (misspelled?)" +msgstr "" + +#: blockuser.cpp:120 +msgid "Usage: Unblock " +msgstr "" + +#: blockuser.cpp:125 blockuser.cpp:161 +msgid "Unblocked {1}" +msgstr "" + +#: blockuser.cpp:127 +msgid "This user is not blocked" +msgstr "" + +#: blockuser.cpp:155 +msgid "Couldn't block {1}" +msgstr "" + +#: blockuser.cpp:164 +msgid "User {1} is not blocked" +msgstr "" + +#: blockuser.cpp:216 +msgid "Enter one or more user names. Separate them by spaces." +msgstr "" + +#: blockuser.cpp:219 +msgid "Block certain users from logging in." +msgstr "" diff --git a/modules/po/bouncedcc.nl_NL.po b/modules/po/bouncedcc.nl_NL.po new file mode 100644 index 00000000..88e36f8e --- /dev/null +++ b/modules/po/bouncedcc.nl_NL.po @@ -0,0 +1,131 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: nl\n" +"X-Crowdin-File: /1.7.x/modules/po/bouncedcc.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Dutch\n" +"Language: nl_NL\n" + +#: bouncedcc.cpp:101 bouncedcc.cpp:119 bouncedcc.cpp:121 +msgctxt "list" +msgid "Type" +msgstr "" + +#: bouncedcc.cpp:102 bouncedcc.cpp:132 +msgctxt "list" +msgid "State" +msgstr "" + +#: bouncedcc.cpp:103 +msgctxt "list" +msgid "Speed" +msgstr "" + +#: bouncedcc.cpp:104 bouncedcc.cpp:115 +msgctxt "list" +msgid "Nick" +msgstr "" + +#: bouncedcc.cpp:105 bouncedcc.cpp:116 +msgctxt "list" +msgid "IP" +msgstr "" + +#: bouncedcc.cpp:106 bouncedcc.cpp:122 +msgctxt "list" +msgid "File" +msgstr "" + +#: bouncedcc.cpp:119 +msgctxt "list" +msgid "Chat" +msgstr "" + +#: bouncedcc.cpp:121 +msgctxt "list" +msgid "Xfer" +msgstr "" + +#: bouncedcc.cpp:125 +msgid "Waiting" +msgstr "" + +#: bouncedcc.cpp:127 +msgid "Halfway" +msgstr "" + +#: bouncedcc.cpp:129 +msgid "Connected" +msgstr "" + +#: bouncedcc.cpp:137 +msgid "You have no active DCCs." +msgstr "" + +#: bouncedcc.cpp:148 +msgid "Use client IP: {1}" +msgstr "" + +#: bouncedcc.cpp:153 +msgid "List all active DCCs" +msgstr "" + +#: bouncedcc.cpp:156 +msgid "Change the option to use IP of client" +msgstr "" + +#: bouncedcc.cpp:383 bouncedcc.cpp:412 bouncedcc.cpp:436 bouncedcc.cpp:451 +msgctxt "type" +msgid "Chat" +msgstr "" + +#: bouncedcc.cpp:383 bouncedcc.cpp:412 bouncedcc.cpp:436 bouncedcc.cpp:451 +msgctxt "type" +msgid "Xfer" +msgstr "" + +#: bouncedcc.cpp:385 +msgid "DCC {1} Bounce ({2}): Too long line received" +msgstr "" + +#: bouncedcc.cpp:418 +msgid "DCC {1} Bounce ({2}): Timeout while connecting to {3} {4}" +msgstr "" + +#: bouncedcc.cpp:422 +msgid "DCC {1} Bounce ({2}): Timeout while connecting." +msgstr "" + +#: bouncedcc.cpp:427 +msgid "" +"DCC {1} Bounce ({2}): Timeout while waiting for incoming connection on {3} " +"{4}" +msgstr "" + +#: bouncedcc.cpp:440 +msgid "DCC {1} Bounce ({2}): Connection refused while connecting to {3} {4}" +msgstr "" + +#: bouncedcc.cpp:444 +msgid "DCC {1} Bounce ({2}): Connection refused while connecting." +msgstr "" + +#: bouncedcc.cpp:457 bouncedcc.cpp:465 +msgid "DCC {1} Bounce ({2}): Socket error on {3} {4}: {5}" +msgstr "" + +#: bouncedcc.cpp:460 +msgid "DCC {1} Bounce ({2}): Socket error: {3}" +msgstr "" + +#: bouncedcc.cpp:547 +msgid "" +"Bounces DCC transfers through ZNC instead of sending them directly to the " +"user. " +msgstr "" diff --git a/modules/po/buffextras.nl_NL.po b/modules/po/buffextras.nl_NL.po new file mode 100644 index 00000000..27f3956d --- /dev/null +++ b/modules/po/buffextras.nl_NL.po @@ -0,0 +1,49 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: nl\n" +"X-Crowdin-File: /1.7.x/modules/po/buffextras.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Dutch\n" +"Language: nl_NL\n" + +#: buffextras.cpp:45 +msgid "Server" +msgstr "" + +#: buffextras.cpp:47 +msgid "{1} set mode: {2} {3}" +msgstr "" + +#: buffextras.cpp:55 +msgid "{1} kicked {2} with reason: {3}" +msgstr "" + +#: buffextras.cpp:64 +msgid "{1} quit: {2}" +msgstr "" + +#: buffextras.cpp:73 +msgid "{1} joined" +msgstr "" + +#: buffextras.cpp:81 +msgid "{1} parted: {2}" +msgstr "" + +#: buffextras.cpp:90 +msgid "{1} is now known as {2}" +msgstr "" + +#: buffextras.cpp:100 +msgid "{1} changed the topic to: {2}" +msgstr "" + +#: buffextras.cpp:115 +msgid "Adds joins, parts etc. to the playback buffer" +msgstr "" diff --git a/modules/po/cert.nl_NL.po b/modules/po/cert.nl_NL.po new file mode 100644 index 00000000..d64bf801 --- /dev/null +++ b/modules/po/cert.nl_NL.po @@ -0,0 +1,75 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: nl\n" +"X-Crowdin-File: /1.7.x/modules/po/cert.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Dutch\n" +"Language: nl_NL\n" + +# this text is inserted into `click here` in the other string +#: modules/po/../data/cert/tmpl/index.tmpl:5 +msgid "here" +msgstr "" + +# {1} is `here`, translateable in the other string +#: modules/po/../data/cert/tmpl/index.tmpl:6 +msgid "" +"You already have a certificate set, use the form below to overwrite the " +"current certificate. Alternatively click {1} to delete your certificate." +msgstr "" + +#: modules/po/../data/cert/tmpl/index.tmpl:8 +msgid "You do not have a certificate yet." +msgstr "" + +#: modules/po/../data/cert/tmpl/index.tmpl:14 cert.cpp:72 +msgid "Certificate" +msgstr "" + +#: modules/po/../data/cert/tmpl/index.tmpl:18 +msgid "PEM File:" +msgstr "" + +#: modules/po/../data/cert/tmpl/index.tmpl:22 +msgid "Update" +msgstr "" + +#: cert.cpp:28 +msgid "Pem file deleted" +msgstr "" + +#: cert.cpp:31 +msgid "The pem file doesn't exist or there was a error deleting the pem file." +msgstr "" + +#: cert.cpp:38 +msgid "You have a certificate in {1}" +msgstr "" + +#: cert.cpp:41 +msgid "" +"You do not have a certificate. Please use the web interface to add a " +"certificate" +msgstr "" + +#: cert.cpp:44 +msgid "Alternatively you can either place one at {1}" +msgstr "" + +#: cert.cpp:52 +msgid "Delete the current certificate" +msgstr "" + +#: cert.cpp:54 +msgid "Show the current certificate" +msgstr "" + +#: cert.cpp:105 +msgid "Use a ssl certificate to connect to a server" +msgstr "" diff --git a/modules/po/certauth.nl_NL.po b/modules/po/certauth.nl_NL.po new file mode 100644 index 00000000..bcb1223e --- /dev/null +++ b/modules/po/certauth.nl_NL.po @@ -0,0 +1,108 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: nl\n" +"X-Crowdin-File: /1.7.x/modules/po/certauth.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Dutch\n" +"Language: nl_NL\n" + +#: modules/po/../data/certauth/tmpl/index.tmpl:7 +msgid "Add a key" +msgstr "" + +#: modules/po/../data/certauth/tmpl/index.tmpl:11 +msgid "Key:" +msgstr "" + +#: modules/po/../data/certauth/tmpl/index.tmpl:15 +msgid "Add Key" +msgstr "" + +#: modules/po/../data/certauth/tmpl/index.tmpl:23 +msgid "You have no keys." +msgstr "" + +#: modules/po/../data/certauth/tmpl/index.tmpl:30 +msgctxt "web" +msgid "Key" +msgstr "" + +#: modules/po/../data/certauth/tmpl/index.tmpl:36 +msgid "del" +msgstr "" + +#: certauth.cpp:31 +msgid "[pubkey]" +msgstr "" + +#: certauth.cpp:32 +msgid "Add a public key. If key is not provided will use the current key" +msgstr "" + +#: certauth.cpp:35 +msgid "id" +msgstr "" + +#: certauth.cpp:35 +msgid "Delete a key by its number in List" +msgstr "" + +#: certauth.cpp:37 +msgid "List your public keys" +msgstr "" + +#: certauth.cpp:39 +msgid "Print your current key" +msgstr "" + +#: certauth.cpp:142 +msgid "You are not connected with any valid public key" +msgstr "" + +#: certauth.cpp:144 +msgid "Your current public key is: {1}" +msgstr "" + +#: certauth.cpp:157 +msgid "You did not supply a public key or connect with one." +msgstr "" + +#: certauth.cpp:160 +msgid "Key '{1}' added." +msgstr "" + +#: certauth.cpp:162 +msgid "The key '{1}' is already added." +msgstr "" + +#: certauth.cpp:170 certauth.cpp:182 +msgctxt "list" +msgid "Id" +msgstr "" + +#: certauth.cpp:171 certauth.cpp:183 +msgctxt "list" +msgid "Key" +msgstr "" + +#: certauth.cpp:175 certauth.cpp:189 certauth.cpp:198 +msgid "No keys set for your user" +msgstr "" + +#: certauth.cpp:203 +msgid "Invalid #, check \"list\"" +msgstr "" + +#: certauth.cpp:215 +msgid "Removed" +msgstr "" + +#: certauth.cpp:290 +msgid "Allows users to authenticate via SSL client certificates." +msgstr "" diff --git a/modules/po/chansaver.nl_NL.po b/modules/po/chansaver.nl_NL.po new file mode 100644 index 00000000..b71687ab --- /dev/null +++ b/modules/po/chansaver.nl_NL.po @@ -0,0 +1,17 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: nl\n" +"X-Crowdin-File: /1.7.x/modules/po/chansaver.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Dutch\n" +"Language: nl_NL\n" + +#: chansaver.cpp:91 +msgid "Keeps config up-to-date when user joins/parts." +msgstr "" diff --git a/modules/po/clearbufferonmsg.nl_NL.po b/modules/po/clearbufferonmsg.nl_NL.po new file mode 100644 index 00000000..05ab6b35 --- /dev/null +++ b/modules/po/clearbufferonmsg.nl_NL.po @@ -0,0 +1,17 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: nl\n" +"X-Crowdin-File: /1.7.x/modules/po/clearbufferonmsg.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Dutch\n" +"Language: nl_NL\n" + +#: clearbufferonmsg.cpp:160 +msgid "Clears all channel and query buffers whenever the user does something" +msgstr "" diff --git a/modules/po/clientnotify.nl_NL.po b/modules/po/clientnotify.nl_NL.po new file mode 100644 index 00000000..782c8638 --- /dev/null +++ b/modules/po/clientnotify.nl_NL.po @@ -0,0 +1,73 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: nl\n" +"X-Crowdin-File: /1.7.x/modules/po/clientnotify.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Dutch\n" +"Language: nl_NL\n" + +#: clientnotify.cpp:47 +msgid "" +msgstr "" + +#: clientnotify.cpp:48 +msgid "Sets the notify method" +msgstr "" + +#: clientnotify.cpp:50 clientnotify.cpp:54 +msgid "" +msgstr "" + +#: clientnotify.cpp:51 +msgid "Turns notifications for unseen IP addresses on or off" +msgstr "" + +#: clientnotify.cpp:55 +msgid "Turns notifications for clients disconnecting on or off" +msgstr "" + +#: clientnotify.cpp:57 +msgid "Shows the current settings" +msgstr "" + +#: clientnotify.cpp:81 clientnotify.cpp:95 +msgid "" +msgid_plural "" +"Another client authenticated as your user. Use the 'ListClients' command to " +"see all {1} clients." +msgstr[0] "" +msgstr[1] "" + +#: clientnotify.cpp:108 +msgid "Usage: Method " +msgstr "" + +#: clientnotify.cpp:114 clientnotify.cpp:127 clientnotify.cpp:140 +msgid "Saved." +msgstr "" + +#: clientnotify.cpp:121 +msgid "Usage: NewOnly " +msgstr "" + +#: clientnotify.cpp:134 +msgid "Usage: OnDisconnect " +msgstr "" + +#: clientnotify.cpp:145 +msgid "" +"Current settings: Method: {1}, for unseen IP addresses only: {2}, notify on " +"disconnecting clients: {3}" +msgstr "" + +#: clientnotify.cpp:157 +msgid "" +"Notifies you when another IRC client logs into or out of your account. " +"Configurable." +msgstr "" diff --git a/modules/po/controlpanel.nl_NL.po b/modules/po/controlpanel.nl_NL.po new file mode 100644 index 00000000..90cb78f0 --- /dev/null +++ b/modules/po/controlpanel.nl_NL.po @@ -0,0 +1,718 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: nl\n" +"X-Crowdin-File: /1.7.x/modules/po/controlpanel.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Dutch\n" +"Language: nl_NL\n" + +#: controlpanel.cpp:51 controlpanel.cpp:63 +msgctxt "helptable" +msgid "Type" +msgstr "" + +#: controlpanel.cpp:52 controlpanel.cpp:65 +msgctxt "helptable" +msgid "Variables" +msgstr "" + +#: controlpanel.cpp:77 +msgid "String" +msgstr "" + +#: controlpanel.cpp:78 +msgid "Boolean (true/false)" +msgstr "" + +#: controlpanel.cpp:79 +msgid "Integer" +msgstr "" + +#: controlpanel.cpp:80 +msgid "Number" +msgstr "" + +#: controlpanel.cpp:123 +msgid "The following variables are available when using the Set/Get commands:" +msgstr "" + +#: controlpanel.cpp:146 +msgid "" +"The following variables are available when using the SetNetwork/GetNetwork " +"commands:" +msgstr "" + +#: controlpanel.cpp:159 +msgid "" +"The following variables are available when using the SetChan/GetChan " +"commands:" +msgstr "" + +#: controlpanel.cpp:165 +msgid "" +"You can use $user as the user name and $network as the network name for " +"modifying your own user and network." +msgstr "" + +#: controlpanel.cpp:174 controlpanel.cpp:961 controlpanel.cpp:998 +msgid "Error: User [{1}] does not exist!" +msgstr "" + +#: controlpanel.cpp:179 +msgid "Error: You need to have admin rights to modify other users!" +msgstr "" + +#: controlpanel.cpp:189 +msgid "Error: You cannot use $network to modify other users!" +msgstr "" + +#: controlpanel.cpp:197 +msgid "Error: User {1} does not have a network named [{2}]." +msgstr "" + +#: controlpanel.cpp:209 +msgid "Usage: Get [username]" +msgstr "" + +#: controlpanel.cpp:299 controlpanel.cpp:502 controlpanel.cpp:577 +#: controlpanel.cpp:653 controlpanel.cpp:788 controlpanel.cpp:873 +msgid "Error: Unknown variable" +msgstr "" + +#: controlpanel.cpp:308 +msgid "Usage: Set " +msgstr "" + +#: controlpanel.cpp:330 controlpanel.cpp:618 +msgid "This bind host is already set!" +msgstr "" + +#: controlpanel.cpp:337 controlpanel.cpp:349 controlpanel.cpp:357 +#: controlpanel.cpp:420 controlpanel.cpp:439 controlpanel.cpp:455 +#: controlpanel.cpp:465 controlpanel.cpp:625 +msgid "Access denied!" +msgstr "" + +#: controlpanel.cpp:371 controlpanel.cpp:380 controlpanel.cpp:837 +msgid "Setting failed, limit for buffer size is {1}" +msgstr "" + +#: controlpanel.cpp:400 +msgid "Password has been changed!" +msgstr "" + +#: controlpanel.cpp:408 +msgid "Timeout can't be less than 30 seconds!" +msgstr "" + +#: controlpanel.cpp:472 +msgid "That would be a bad idea!" +msgstr "" + +#: controlpanel.cpp:490 +msgid "Supported languages: {1}" +msgstr "" + +#: controlpanel.cpp:514 +msgid "Usage: GetNetwork [username] [network]" +msgstr "" + +#: controlpanel.cpp:533 +msgid "Error: A network must be specified to get another users settings." +msgstr "" + +#: controlpanel.cpp:539 +msgid "You are not currently attached to a network." +msgstr "" + +#: controlpanel.cpp:545 +msgid "Error: Invalid network." +msgstr "" + +#: controlpanel.cpp:589 +msgid "Usage: SetNetwork " +msgstr "" + +#: controlpanel.cpp:663 +msgid "Usage: AddChan " +msgstr "" + +#: controlpanel.cpp:676 +msgid "Error: User {1} already has a channel named {2}." +msgstr "" + +#: controlpanel.cpp:683 +msgid "Channel {1} for user {2} added to network {3}." +msgstr "" + +#: controlpanel.cpp:687 +msgid "" +"Could not add channel {1} for user {2} to network {3}, does it already exist?" +msgstr "" + +#: controlpanel.cpp:697 +msgid "Usage: DelChan " +msgstr "" + +#: controlpanel.cpp:712 +msgid "Error: User {1} does not have any channel matching [{2}] in network {3}" +msgstr "" + +#: controlpanel.cpp:725 +msgid "Channel {1} is deleted from network {2} of user {3}" +msgid_plural "Channels {1} are deleted from network {2} of user {3}" +msgstr[0] "" +msgstr[1] "" + +#: controlpanel.cpp:740 +msgid "Usage: GetChan " +msgstr "" + +#: controlpanel.cpp:754 controlpanel.cpp:818 +msgid "Error: No channels matching [{1}] found." +msgstr "" + +#: controlpanel.cpp:803 +msgid "Usage: SetChan " +msgstr "" + +#: controlpanel.cpp:884 controlpanel.cpp:894 +msgctxt "listusers" +msgid "Username" +msgstr "" + +#: controlpanel.cpp:885 controlpanel.cpp:895 +msgctxt "listusers" +msgid "Realname" +msgstr "" + +#: controlpanel.cpp:886 controlpanel.cpp:898 controlpanel.cpp:900 +msgctxt "listusers" +msgid "IsAdmin" +msgstr "" + +#: controlpanel.cpp:887 controlpanel.cpp:901 +msgctxt "listusers" +msgid "Nick" +msgstr "" + +#: controlpanel.cpp:888 controlpanel.cpp:902 +msgctxt "listusers" +msgid "AltNick" +msgstr "" + +#: controlpanel.cpp:889 controlpanel.cpp:903 +msgctxt "listusers" +msgid "Ident" +msgstr "" + +#: controlpanel.cpp:890 controlpanel.cpp:904 +msgctxt "listusers" +msgid "BindHost" +msgstr "" + +#: controlpanel.cpp:898 controlpanel.cpp:1138 +msgid "No" +msgstr "" + +#: controlpanel.cpp:900 controlpanel.cpp:1130 +msgid "Yes" +msgstr "" + +#: controlpanel.cpp:914 controlpanel.cpp:983 +msgid "Error: You need to have admin rights to add new users!" +msgstr "" + +#: controlpanel.cpp:920 +msgid "Usage: AddUser " +msgstr "" + +#: controlpanel.cpp:925 +msgid "Error: User {1} already exists!" +msgstr "" + +#: controlpanel.cpp:937 controlpanel.cpp:1012 +msgid "Error: User not added: {1}" +msgstr "" + +#: controlpanel.cpp:941 controlpanel.cpp:1016 +msgid "User {1} added!" +msgstr "" + +#: controlpanel.cpp:948 +msgid "Error: You need to have admin rights to delete users!" +msgstr "" + +#: controlpanel.cpp:954 +msgid "Usage: DelUser " +msgstr "" + +#: controlpanel.cpp:966 +msgid "Error: You can't delete yourself!" +msgstr "" + +#: controlpanel.cpp:972 +msgid "Error: Internal error!" +msgstr "" + +#: controlpanel.cpp:976 +msgid "User {1} deleted!" +msgstr "" + +#: controlpanel.cpp:991 +msgid "Usage: CloneUser " +msgstr "" + +#: controlpanel.cpp:1006 +msgid "Error: Cloning failed: {1}" +msgstr "" + +#: controlpanel.cpp:1035 +msgid "Usage: AddNetwork [user] network" +msgstr "" + +#: controlpanel.cpp:1041 +msgid "" +"Network number limit reached. Ask an admin to increase the limit for you, or " +"delete unneeded networks using /znc DelNetwork " +msgstr "" + +#: controlpanel.cpp:1049 +msgid "Error: User {1} already has a network with the name {2}" +msgstr "" + +#: controlpanel.cpp:1056 +msgid "Network {1} added to user {2}." +msgstr "" + +#: controlpanel.cpp:1060 +msgid "Error: Network [{1}] could not be added for user {2}: {3}" +msgstr "" + +#: controlpanel.cpp:1080 +msgid "Usage: DelNetwork [user] network" +msgstr "" + +#: controlpanel.cpp:1091 +msgid "The currently active network can be deleted via {1}status" +msgstr "" + +#: controlpanel.cpp:1097 +msgid "Network {1} deleted for user {2}." +msgstr "" + +#: controlpanel.cpp:1101 +msgid "Error: Network {1} could not be deleted for user {2}." +msgstr "" + +#: controlpanel.cpp:1120 controlpanel.cpp:1128 +msgctxt "listnetworks" +msgid "Network" +msgstr "" + +#: controlpanel.cpp:1121 controlpanel.cpp:1130 controlpanel.cpp:1138 +msgctxt "listnetworks" +msgid "OnIRC" +msgstr "" + +#: controlpanel.cpp:1122 controlpanel.cpp:1131 +msgctxt "listnetworks" +msgid "IRC Server" +msgstr "" + +#: controlpanel.cpp:1123 controlpanel.cpp:1133 +msgctxt "listnetworks" +msgid "IRC User" +msgstr "" + +#: controlpanel.cpp:1124 controlpanel.cpp:1135 +msgctxt "listnetworks" +msgid "Channels" +msgstr "" + +#: controlpanel.cpp:1143 +msgid "No networks" +msgstr "" + +#: controlpanel.cpp:1154 +msgid "Usage: AddServer [[+]port] [password]" +msgstr "" + +#: controlpanel.cpp:1168 +msgid "Added IRC Server {1} to network {2} for user {3}." +msgstr "" + +#: controlpanel.cpp:1172 +msgid "Error: Could not add IRC server {1} to network {2} for user {3}." +msgstr "" + +#: controlpanel.cpp:1185 +msgid "Usage: DelServer [[+]port] [password]" +msgstr "" + +#: controlpanel.cpp:1200 +msgid "Deleted IRC Server {1} from network {2} for user {3}." +msgstr "" + +#: controlpanel.cpp:1204 +msgid "Error: Could not delete IRC server {1} from network {2} for user {3}." +msgstr "" + +#: controlpanel.cpp:1214 +msgid "Usage: Reconnect " +msgstr "" + +#: controlpanel.cpp:1241 +msgid "Queued network {1} of user {2} for a reconnect." +msgstr "" + +#: controlpanel.cpp:1250 +msgid "Usage: Disconnect " +msgstr "" + +#: controlpanel.cpp:1265 +msgid "Closed IRC connection for network {1} of user {2}." +msgstr "" + +#: controlpanel.cpp:1280 controlpanel.cpp:1284 +msgctxt "listctcp" +msgid "Request" +msgstr "" + +#: controlpanel.cpp:1281 controlpanel.cpp:1285 +msgctxt "listctcp" +msgid "Reply" +msgstr "" + +#: controlpanel.cpp:1289 +msgid "No CTCP replies for user {1} are configured" +msgstr "" + +#: controlpanel.cpp:1292 +msgid "CTCP replies for user {1}:" +msgstr "" + +#: controlpanel.cpp:1308 +msgid "Usage: AddCTCP [user] [request] [reply]" +msgstr "" + +#: controlpanel.cpp:1310 +msgid "" +"This will cause ZNC to reply to the CTCP instead of forwarding it to clients." +msgstr "" + +#: controlpanel.cpp:1313 +msgid "An empty reply will cause the CTCP request to be blocked." +msgstr "" + +#: controlpanel.cpp:1322 +msgid "CTCP requests {1} to user {2} will now be blocked." +msgstr "" + +#: controlpanel.cpp:1326 +msgid "CTCP requests {1} to user {2} will now get reply: {3}" +msgstr "" + +#: controlpanel.cpp:1343 +msgid "Usage: DelCTCP [user] [request]" +msgstr "" + +#: controlpanel.cpp:1349 +msgid "CTCP requests {1} to user {2} will now be sent to IRC clients" +msgstr "" + +#: controlpanel.cpp:1353 +msgid "" +"CTCP requests {1} to user {2} will be sent to IRC clients (nothing has " +"changed)" +msgstr "" + +#: controlpanel.cpp:1363 controlpanel.cpp:1437 +msgid "Loading modules has been disabled." +msgstr "" + +#: controlpanel.cpp:1372 +msgid "Error: Unable to load module {1}: {2}" +msgstr "" + +#: controlpanel.cpp:1375 +msgid "Loaded module {1}" +msgstr "" + +#: controlpanel.cpp:1380 +msgid "Error: Unable to reload module {1}: {2}" +msgstr "" + +#: controlpanel.cpp:1383 +msgid "Reloaded module {1}" +msgstr "" + +#: controlpanel.cpp:1387 +msgid "Error: Unable to load module {1} because it is already loaded" +msgstr "" + +#: controlpanel.cpp:1398 +msgid "Usage: LoadModule [args]" +msgstr "" + +#: controlpanel.cpp:1417 +msgid "Usage: LoadNetModule [args]" +msgstr "" + +#: controlpanel.cpp:1442 +msgid "Please use /znc unloadmod {1}" +msgstr "" + +#: controlpanel.cpp:1448 +msgid "Error: Unable to unload module {1}: {2}" +msgstr "" + +#: controlpanel.cpp:1451 +msgid "Unloaded module {1}" +msgstr "" + +#: controlpanel.cpp:1460 +msgid "Usage: UnloadModule " +msgstr "" + +#: controlpanel.cpp:1477 +msgid "Usage: UnloadNetModule " +msgstr "" + +#: controlpanel.cpp:1494 controlpanel.cpp:1499 +msgctxt "listmodules" +msgid "Name" +msgstr "" + +#: controlpanel.cpp:1495 controlpanel.cpp:1500 +msgctxt "listmodules" +msgid "Arguments" +msgstr "" + +#: controlpanel.cpp:1519 +msgid "User {1} has no modules loaded." +msgstr "" + +#: controlpanel.cpp:1523 +msgid "Modules loaded for user {1}:" +msgstr "" + +#: controlpanel.cpp:1543 +msgid "Network {1} of user {2} has no modules loaded." +msgstr "" + +#: controlpanel.cpp:1547 +msgid "Modules loaded for network {1} of user {2}:" +msgstr "" + +#: controlpanel.cpp:1554 +msgid "[command] [variable]" +msgstr "" + +#: controlpanel.cpp:1555 +msgid "Prints help for matching commands and variables" +msgstr "" + +#: controlpanel.cpp:1558 +msgid " [username]" +msgstr "" + +#: controlpanel.cpp:1559 +msgid "Prints the variable's value for the given or current user" +msgstr "" + +#: controlpanel.cpp:1561 +msgid " " +msgstr "" + +#: controlpanel.cpp:1562 +msgid "Sets the variable's value for the given user" +msgstr "" + +#: controlpanel.cpp:1564 +msgid " [username] [network]" +msgstr "" + +#: controlpanel.cpp:1565 +msgid "Prints the variable's value for the given network" +msgstr "" + +#: controlpanel.cpp:1567 +msgid " " +msgstr "" + +#: controlpanel.cpp:1568 +msgid "Sets the variable's value for the given network" +msgstr "" + +#: controlpanel.cpp:1570 +msgid " [username] " +msgstr "" + +#: controlpanel.cpp:1571 +msgid "Prints the variable's value for the given channel" +msgstr "" + +#: controlpanel.cpp:1574 +msgid " " +msgstr "" + +#: controlpanel.cpp:1575 +msgid "Sets the variable's value for the given channel" +msgstr "" + +#: controlpanel.cpp:1577 controlpanel.cpp:1580 +msgid " " +msgstr "" + +#: controlpanel.cpp:1578 +msgid "Adds a new channel" +msgstr "" + +#: controlpanel.cpp:1581 +msgid "Deletes a channel" +msgstr "" + +#: controlpanel.cpp:1583 +msgid "Lists users" +msgstr "" + +#: controlpanel.cpp:1585 +msgid " " +msgstr "" + +#: controlpanel.cpp:1586 +msgid "Adds a new user" +msgstr "" + +#: controlpanel.cpp:1588 controlpanel.cpp:1611 controlpanel.cpp:1625 +msgid "" +msgstr "" + +#: controlpanel.cpp:1588 +msgid "Deletes a user" +msgstr "" + +#: controlpanel.cpp:1590 +msgid " " +msgstr "" + +#: controlpanel.cpp:1591 +msgid "Clones a user" +msgstr "" + +#: controlpanel.cpp:1593 controlpanel.cpp:1596 +msgid " " +msgstr "" + +#: controlpanel.cpp:1594 +msgid "Adds a new IRC server for the given or current user" +msgstr "" + +#: controlpanel.cpp:1597 +msgid "Deletes an IRC server from the given or current user" +msgstr "" + +#: controlpanel.cpp:1599 controlpanel.cpp:1602 controlpanel.cpp:1622 +msgid " " +msgstr "" + +#: controlpanel.cpp:1600 +msgid "Cycles the user's IRC server connection" +msgstr "" + +#: controlpanel.cpp:1603 +msgid "Disconnects the user from their IRC server" +msgstr "" + +#: controlpanel.cpp:1605 +msgid " [args]" +msgstr "" + +#: controlpanel.cpp:1606 +msgid "Loads a Module for a user" +msgstr "" + +#: controlpanel.cpp:1608 +msgid " " +msgstr "" + +#: controlpanel.cpp:1609 +msgid "Removes a Module of a user" +msgstr "" + +#: controlpanel.cpp:1612 +msgid "Get the list of modules for a user" +msgstr "" + +#: controlpanel.cpp:1615 +msgid " [args]" +msgstr "" + +#: controlpanel.cpp:1616 +msgid "Loads a Module for a network" +msgstr "" + +#: controlpanel.cpp:1619 +msgid " " +msgstr "" + +#: controlpanel.cpp:1620 +msgid "Removes a Module of a network" +msgstr "" + +#: controlpanel.cpp:1623 +msgid "Get the list of modules for a network" +msgstr "" + +#: controlpanel.cpp:1626 +msgid "List the configured CTCP replies" +msgstr "" + +#: controlpanel.cpp:1628 +msgid " [reply]" +msgstr "" + +#: controlpanel.cpp:1629 +msgid "Configure a new CTCP reply" +msgstr "" + +#: controlpanel.cpp:1631 +msgid " " +msgstr "" + +#: controlpanel.cpp:1632 +msgid "Remove a CTCP reply" +msgstr "" + +#: controlpanel.cpp:1636 controlpanel.cpp:1639 +msgid "[username] " +msgstr "" + +#: controlpanel.cpp:1637 +msgid "Add a network for a user" +msgstr "" + +#: controlpanel.cpp:1640 +msgid "Delete a network for a user" +msgstr "" + +#: controlpanel.cpp:1642 +msgid "[username]" +msgstr "" + +#: controlpanel.cpp:1643 +msgid "List all networks for a user" +msgstr "" + +#: controlpanel.cpp:1656 +msgid "" +"Dynamic configuration through IRC. Allows editing only yourself if you're " +"not ZNC admin." +msgstr "" diff --git a/modules/po/crypt.nl_NL.po b/modules/po/crypt.nl_NL.po new file mode 100644 index 00000000..b8b3f250 --- /dev/null +++ b/modules/po/crypt.nl_NL.po @@ -0,0 +1,143 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: nl\n" +"X-Crowdin-File: /1.7.x/modules/po/crypt.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Dutch\n" +"Language: nl_NL\n" + +#: crypt.cpp:198 +msgid "<#chan|Nick>" +msgstr "" + +#: crypt.cpp:199 +msgid "Remove a key for nick or channel" +msgstr "" + +#: crypt.cpp:201 +msgid "<#chan|Nick> " +msgstr "" + +#: crypt.cpp:202 +msgid "Set a key for nick or channel" +msgstr "" + +#: crypt.cpp:204 +msgid "List all keys" +msgstr "" + +#: crypt.cpp:206 +msgid "" +msgstr "" + +#: crypt.cpp:207 +msgid "Start a DH1080 key exchange with nick" +msgstr "" + +#: crypt.cpp:210 +msgid "Get the nick prefix" +msgstr "" + +#: crypt.cpp:213 +msgid "[Prefix]" +msgstr "" + +#: crypt.cpp:214 +msgid "Set the nick prefix, with no argument it's disabled." +msgstr "" + +#: crypt.cpp:270 +msgid "Received DH1080 public key from {1}, sending mine..." +msgstr "" + +#: crypt.cpp:275 crypt.cpp:296 +msgid "Key for {1} successfully set." +msgstr "" + +#: crypt.cpp:278 crypt.cpp:299 +msgid "Error in {1} with {2}: {3}" +msgstr "" + +#: crypt.cpp:280 crypt.cpp:301 +msgid "no secret key computed" +msgstr "" + +#: crypt.cpp:395 +msgid "Target [{1}] deleted" +msgstr "" + +#: crypt.cpp:397 +msgid "Target [{1}] not found" +msgstr "" + +#: crypt.cpp:400 +msgid "Usage DelKey <#chan|Nick>" +msgstr "" + +#: crypt.cpp:415 +msgid "Set encryption key for [{1}] to [{2}]" +msgstr "" + +#: crypt.cpp:417 +msgid "Usage: SetKey <#chan|Nick> " +msgstr "" + +#: crypt.cpp:428 +msgid "Sent my DH1080 public key to {1}, waiting for reply ..." +msgstr "" + +#: crypt.cpp:430 +msgid "Error generating our keys, nothing sent." +msgstr "" + +#: crypt.cpp:433 +msgid "Usage: KeyX " +msgstr "" + +#: crypt.cpp:440 +msgid "Nick Prefix disabled." +msgstr "" + +#: crypt.cpp:442 +msgid "Nick Prefix: {1}" +msgstr "" + +#: crypt.cpp:451 +msgid "You cannot use :, even followed by other symbols, as Nick Prefix." +msgstr "" + +#: crypt.cpp:460 +msgid "Overlap with Status Prefix ({1}), this Nick Prefix will not be used!" +msgstr "" + +#: crypt.cpp:465 +msgid "Disabling Nick Prefix." +msgstr "" + +#: crypt.cpp:467 +msgid "Setting Nick Prefix to {1}" +msgstr "" + +#: crypt.cpp:474 crypt.cpp:480 +msgctxt "listkeys" +msgid "Target" +msgstr "" + +#: crypt.cpp:475 crypt.cpp:481 +msgctxt "listkeys" +msgid "Key" +msgstr "" + +#: crypt.cpp:485 +msgid "You have no encryption keys set." +msgstr "" + +#: crypt.cpp:507 +msgid "Encryption for channel/private messages" +msgstr "" diff --git a/modules/po/ctcpflood.nl_NL.po b/modules/po/ctcpflood.nl_NL.po new file mode 100644 index 00000000..fb7b7aa7 --- /dev/null +++ b/modules/po/ctcpflood.nl_NL.po @@ -0,0 +1,69 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: nl\n" +"X-Crowdin-File: /1.7.x/modules/po/ctcpflood.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Dutch\n" +"Language: nl_NL\n" + +#: ctcpflood.cpp:25 ctcpflood.cpp:27 +msgid "" +msgstr "" + +#: ctcpflood.cpp:25 +msgid "Set seconds limit" +msgstr "" + +#: ctcpflood.cpp:27 +msgid "Set lines limit" +msgstr "" + +#: ctcpflood.cpp:29 +msgid "Show the current limits" +msgstr "" + +#: ctcpflood.cpp:76 +msgid "Limit reached by {1}, blocking all CTCP" +msgstr "" + +#: ctcpflood.cpp:98 +msgid "Usage: Secs " +msgstr "" + +#: ctcpflood.cpp:113 +msgid "Usage: Lines " +msgstr "" + +#: ctcpflood.cpp:125 +msgid "1 CTCP message" +msgid_plural "{1} CTCP messages" +msgstr[0] "" +msgstr[1] "" + +#: ctcpflood.cpp:127 +msgid "every second" +msgid_plural "every {1} seconds" +msgstr[0] "" +msgstr[1] "" + +#: ctcpflood.cpp:129 +msgid "Current limit is {1} {2}" +msgstr "" + +#: ctcpflood.cpp:145 +msgid "" +"This user module takes none to two arguments. The first argument is the " +"number of lines after which the flood-protection is triggered. The second " +"argument is the time (sec) to in which the number of lines is reached. The " +"default setting is 4 CTCPs in 2 seconds" +msgstr "" + +#: ctcpflood.cpp:151 +msgid "Don't forward CTCP floods to clients" +msgstr "" diff --git a/modules/po/cyrusauth.nl_NL.po b/modules/po/cyrusauth.nl_NL.po new file mode 100644 index 00000000..89236a9b --- /dev/null +++ b/modules/po/cyrusauth.nl_NL.po @@ -0,0 +1,73 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: nl\n" +"X-Crowdin-File: /1.7.x/modules/po/cyrusauth.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Dutch\n" +"Language: nl_NL\n" + +#: cyrusauth.cpp:42 +msgid "Shows current settings" +msgstr "" + +#: cyrusauth.cpp:44 +msgid "yes|clone |no" +msgstr "" + +#: cyrusauth.cpp:45 +msgid "" +"Create ZNC users upon first successful login, optionally from a template" +msgstr "" + +#: cyrusauth.cpp:56 +msgid "Access denied" +msgstr "" + +#: cyrusauth.cpp:70 +msgid "Ignoring invalid SASL pwcheck method: {1}" +msgstr "" + +#: cyrusauth.cpp:71 +msgid "Ignored invalid SASL pwcheck method" +msgstr "" + +#: cyrusauth.cpp:79 +msgid "Need a pwcheck method as argument (saslauthd, auxprop)" +msgstr "" + +#: cyrusauth.cpp:84 +msgid "SASL Could Not Be Initialized - Halting Startup" +msgstr "" + +#: cyrusauth.cpp:171 cyrusauth.cpp:186 +msgid "We will not create users on their first login" +msgstr "" + +#: cyrusauth.cpp:174 cyrusauth.cpp:195 +msgid "" +"We will create users on their first login, using user [{1}] as a template" +msgstr "" + +#: cyrusauth.cpp:177 cyrusauth.cpp:190 +msgid "We will create users on their first login" +msgstr "" + +#: cyrusauth.cpp:199 +msgid "Usage: CreateUsers yes, CreateUsers no, or CreateUsers clone " +msgstr "" + +#: cyrusauth.cpp:232 +msgid "" +"This global module takes up to two arguments - the methods of authentication " +"- auxprop and saslauthd" +msgstr "" + +#: cyrusauth.cpp:238 +msgid "Allow users to authenticate via SASL password verification method" +msgstr "" diff --git a/modules/po/dcc.nl_NL.po b/modules/po/dcc.nl_NL.po new file mode 100644 index 00000000..d1fcdb8d --- /dev/null +++ b/modules/po/dcc.nl_NL.po @@ -0,0 +1,227 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: nl\n" +"X-Crowdin-File: /1.7.x/modules/po/dcc.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Dutch\n" +"Language: nl_NL\n" + +#: dcc.cpp:88 +msgid " " +msgstr "" + +#: dcc.cpp:89 +msgid "Send a file from ZNC to someone" +msgstr "" + +#: dcc.cpp:91 +msgid "" +msgstr "" + +#: dcc.cpp:92 +msgid "Send a file from ZNC to your client" +msgstr "" + +#: dcc.cpp:94 +msgid "List current transfers" +msgstr "" + +#: dcc.cpp:103 +msgid "You must be admin to use the DCC module" +msgstr "" + +#: dcc.cpp:140 +msgid "Attempting to send [{1}] to [{2}]." +msgstr "" + +#: dcc.cpp:149 dcc.cpp:554 +msgid "Receiving [{1}] from [{2}]: File already exists." +msgstr "" + +#: dcc.cpp:167 +msgid "" +"Attempting to connect to [{1} {2}] in order to download [{3}] from [{4}]." +msgstr "" + +#: dcc.cpp:179 +msgid "Usage: Send " +msgstr "" + +#: dcc.cpp:186 dcc.cpp:206 +msgid "Illegal path." +msgstr "" + +#: dcc.cpp:199 +msgid "Usage: Get " +msgstr "" + +#: dcc.cpp:215 dcc.cpp:232 dcc.cpp:234 +msgctxt "list" +msgid "Type" +msgstr "" + +#: dcc.cpp:216 dcc.cpp:238 dcc.cpp:241 +msgctxt "list" +msgid "State" +msgstr "" + +#: dcc.cpp:217 dcc.cpp:243 +msgctxt "list" +msgid "Speed" +msgstr "" + +#: dcc.cpp:218 dcc.cpp:227 +msgctxt "list" +msgid "Nick" +msgstr "" + +#: dcc.cpp:219 dcc.cpp:228 +msgctxt "list" +msgid "IP" +msgstr "" + +#: dcc.cpp:220 dcc.cpp:229 +msgctxt "list" +msgid "File" +msgstr "" + +#: dcc.cpp:232 +msgctxt "list-type" +msgid "Sending" +msgstr "" + +#: dcc.cpp:234 +msgctxt "list-type" +msgid "Getting" +msgstr "" + +#: dcc.cpp:239 +msgctxt "list-state" +msgid "Waiting" +msgstr "" + +#: dcc.cpp:244 +msgid "{1} KiB/s" +msgstr "" + +#: dcc.cpp:250 +msgid "You have no active DCC transfers." +msgstr "" + +#: dcc.cpp:267 +msgid "Attempting to resume send from position {1} of file [{2}] for [{3}]" +msgstr "" + +#: dcc.cpp:277 +msgid "Couldn't resume file [{1}] for [{2}]: not sending anything." +msgstr "" + +#: dcc.cpp:286 +msgid "Bad DCC file: {1}" +msgstr "" + +#: dcc.cpp:341 +msgid "Sending [{1}] to [{2}]: File not open!" +msgstr "" + +#: dcc.cpp:345 +msgid "Receiving [{1}] from [{2}]: File not open!" +msgstr "" + +#: dcc.cpp:385 +msgid "Sending [{1}] to [{2}]: Connection refused." +msgstr "" + +#: dcc.cpp:389 +msgid "Receiving [{1}] from [{2}]: Connection refused." +msgstr "" + +#: dcc.cpp:397 +msgid "Sending [{1}] to [{2}]: Timeout." +msgstr "" + +#: dcc.cpp:401 +msgid "Receiving [{1}] from [{2}]: Timeout." +msgstr "" + +#: dcc.cpp:411 +msgid "Sending [{1}] to [{2}]: Socket error {3}: {4}" +msgstr "" + +#: dcc.cpp:415 +msgid "Receiving [{1}] from [{2}]: Socket error {3}: {4}" +msgstr "" + +#: dcc.cpp:423 +msgid "Sending [{1}] to [{2}]: Transfer started." +msgstr "" + +#: dcc.cpp:427 +msgid "Receiving [{1}] from [{2}]: Transfer started." +msgstr "" + +#: dcc.cpp:446 +msgid "Sending [{1}] to [{2}]: Too much data!" +msgstr "" + +#: dcc.cpp:450 +msgid "Receiving [{1}] from [{2}]: Too much data!" +msgstr "" + +#: dcc.cpp:456 +msgid "Sending [{1}] to [{2}] completed at {3} KiB/s" +msgstr "" + +#: dcc.cpp:461 +msgid "Receiving [{1}] from [{2}] completed at {3} KiB/s" +msgstr "" + +#: dcc.cpp:474 +msgid "Sending [{1}] to [{2}]: File closed prematurely." +msgstr "" + +#: dcc.cpp:478 +msgid "Receiving [{1}] from [{2}]: File closed prematurely." +msgstr "" + +#: dcc.cpp:501 +msgid "Sending [{1}] to [{2}]: Error reading from file." +msgstr "" + +#: dcc.cpp:505 +msgid "Receiving [{1}] from [{2}]: Error reading from file." +msgstr "" + +#: dcc.cpp:537 +msgid "Sending [{1}] to [{2}]: Unable to open file." +msgstr "" + +#: dcc.cpp:541 +msgid "Receiving [{1}] from [{2}]: Unable to open file." +msgstr "" + +#: dcc.cpp:563 +msgid "Receiving [{1}] from [{2}]: Could not open file." +msgstr "" + +#: dcc.cpp:572 +msgid "Sending [{1}] to [{2}]: Not a file." +msgstr "" + +#: dcc.cpp:581 +msgid "Sending [{1}] to [{2}]: Could not open file." +msgstr "" + +#: dcc.cpp:593 +msgid "Sending [{1}] to [{2}]: File too large (>4 GiB)." +msgstr "" + +#: dcc.cpp:623 +msgid "This module allows you to transfer files to and from ZNC" +msgstr "" diff --git a/modules/po/disconkick.nl_NL.po b/modules/po/disconkick.nl_NL.po new file mode 100644 index 00000000..020b16d3 --- /dev/null +++ b/modules/po/disconkick.nl_NL.po @@ -0,0 +1,23 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: nl\n" +"X-Crowdin-File: /1.7.x/modules/po/disconkick.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Dutch\n" +"Language: nl_NL\n" + +#: disconkick.cpp:32 +msgid "You have been disconnected from the IRC server" +msgstr "" + +#: disconkick.cpp:45 +msgid "" +"Kicks the client from all channels when the connection to the IRC server is " +"lost" +msgstr "" diff --git a/modules/po/fail2ban.nl_NL.po b/modules/po/fail2ban.nl_NL.po new file mode 100644 index 00000000..137589ce --- /dev/null +++ b/modules/po/fail2ban.nl_NL.po @@ -0,0 +1,117 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: nl\n" +"X-Crowdin-File: /1.7.x/modules/po/fail2ban.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Dutch\n" +"Language: nl_NL\n" + +#: fail2ban.cpp:25 +msgid "[minutes]" +msgstr "" + +#: fail2ban.cpp:26 +msgid "The number of minutes IPs are blocked after a failed login." +msgstr "" + +#: fail2ban.cpp:28 +msgid "[count]" +msgstr "" + +#: fail2ban.cpp:29 +msgid "The number of allowed failed login attempts." +msgstr "" + +#: fail2ban.cpp:31 fail2ban.cpp:33 +msgid "" +msgstr "" + +#: fail2ban.cpp:31 +msgid "Ban the specified hosts." +msgstr "" + +#: fail2ban.cpp:33 +msgid "Unban the specified hosts." +msgstr "" + +#: fail2ban.cpp:35 +msgid "List banned hosts." +msgstr "" + +#: fail2ban.cpp:55 +msgid "" +"Invalid argument, must be the number of minutes IPs are blocked after a " +"failed login and can be followed by number of allowed failed login attempts" +msgstr "" + +#: fail2ban.cpp:77 fail2ban.cpp:100 fail2ban.cpp:123 fail2ban.cpp:146 +#: fail2ban.cpp:172 +msgid "Access denied" +msgstr "" + +#: fail2ban.cpp:86 +msgid "Usage: Timeout [minutes]" +msgstr "" + +#: fail2ban.cpp:91 fail2ban.cpp:94 +msgid "Timeout: {1} min" +msgstr "" + +#: fail2ban.cpp:109 +msgid "Usage: Attempts [count]" +msgstr "" + +#: fail2ban.cpp:114 fail2ban.cpp:117 +msgid "Attempts: {1}" +msgstr "" + +#: fail2ban.cpp:130 +msgid "Usage: Ban " +msgstr "" + +#: fail2ban.cpp:140 +msgid "Banned: {1}" +msgstr "" + +#: fail2ban.cpp:153 +msgid "Usage: Unban " +msgstr "" + +#: fail2ban.cpp:163 +msgid "Unbanned: {1}" +msgstr "" + +#: fail2ban.cpp:165 +msgid "Ignored: {1}" +msgstr "" + +#: fail2ban.cpp:177 fail2ban.cpp:182 +msgctxt "list" +msgid "Host" +msgstr "" + +#: fail2ban.cpp:178 fail2ban.cpp:183 +msgctxt "list" +msgid "Attempts" +msgstr "" + +#: fail2ban.cpp:187 +msgctxt "list" +msgid "No bans" +msgstr "" + +#: fail2ban.cpp:244 +msgid "" +"You might enter the time in minutes for the IP banning and the number of " +"failed logins before any action is taken." +msgstr "" + +#: fail2ban.cpp:249 +msgid "Block IPs for some time after a failed login." +msgstr "" diff --git a/modules/po/flooddetach.de_DE.po b/modules/po/flooddetach.de_DE.po index dfbc4124..75a35588 100644 --- a/modules/po/flooddetach.de_DE.po +++ b/modules/po/flooddetach.de_DE.po @@ -24,63 +24,63 @@ msgstr "[]" msgid "Show or set number of seconds in the time interval" msgstr "Zeige oder Setze die Anzahl an Sekunden im Zeitinterval" -#: flooddetach.cpp:35 flooddetach.cpp:37 -msgid "blahblah: description" -msgstr "blahblah: Beschreibung" - -#: flooddetach.cpp:37 -msgid "[yes|no]" +#: flooddetach.cpp:36 +msgid "Show or set number of lines in the time interval" msgstr "" -#: flooddetach.cpp:90 +#: flooddetach.cpp:39 +msgid "Show or set whether to notify you about detaching and attaching back" +msgstr "" + +#: flooddetach.cpp:93 msgid "Flood in {1} is over, reattaching..." msgstr "Flut in {1} ist vorbei, verbinde..." -#: flooddetach.cpp:147 +#: flooddetach.cpp:150 msgid "Channel {1} was flooded, you've been detached" msgstr "Kanal {1} wurde mit Nachrichten geflutet, sie wurden getrennt" -#: flooddetach.cpp:184 +#: flooddetach.cpp:187 msgid "1 line" msgid_plural "{1} lines" msgstr[0] "Eine Zeile" msgstr[1] "{1} Zeilen" -#: flooddetach.cpp:185 +#: flooddetach.cpp:188 msgid "every second" msgid_plural "every {1} seconds" msgstr[0] "jede Sekunde" msgstr[1] "alle {1} Sekunden" -#: flooddetach.cpp:187 +#: flooddetach.cpp:190 msgid "Current limit is {1} {2}" msgstr "Aktuelles Limit ist {1} {2}" -#: flooddetach.cpp:194 +#: flooddetach.cpp:197 msgid "Seconds limit is {1}" msgstr "Sekunden-Grenze ist {1}" -#: flooddetach.cpp:199 +#: flooddetach.cpp:202 msgid "Set seconds limit to {1}" msgstr "Sekunden-Grenze auf {1} gesetzt" -#: flooddetach.cpp:208 +#: flooddetach.cpp:211 msgid "Lines limit is {1}" msgstr "Zeilen-Grenze ist {1}" -#: flooddetach.cpp:213 +#: flooddetach.cpp:216 msgid "Set lines limit to {1}" msgstr "Zeilen-Grenze auf {1} gesetzt" -#: flooddetach.cpp:226 +#: flooddetach.cpp:229 msgid "Module messages are disabled" msgstr "Modul-Nachrichten sind deaktiviert" -#: flooddetach.cpp:228 +#: flooddetach.cpp:231 msgid "Module messages are enabled" msgstr "Modul-Nachrichten sind aktiviert" -#: flooddetach.cpp:244 +#: flooddetach.cpp:247 msgid "" "This user module takes up to two arguments. Arguments are numbers of " "messages and seconds." @@ -88,6 +88,6 @@ msgstr "" "Dieses Benutzer-Modul erhält bis zu zwei Argumente. Argumente sind Anzahl an " "Nachrichten und Sekunden." -#: flooddetach.cpp:248 +#: flooddetach.cpp:251 msgid "Detach channels when flooded" msgstr "Trenne Kanäle bei Nachrichten-Flut" diff --git a/modules/po/flooddetach.es_ES.po b/modules/po/flooddetach.es_ES.po index 14a53653..b060e3ee 100644 --- a/modules/po/flooddetach.es_ES.po +++ b/modules/po/flooddetach.es_ES.po @@ -24,68 +24,68 @@ msgstr "" msgid "Show or set number of seconds in the time interval" msgstr "" -#: flooddetach.cpp:35 flooddetach.cpp:37 -msgid "blahblah: description" +#: flooddetach.cpp:36 +msgid "Show or set number of lines in the time interval" msgstr "" -#: flooddetach.cpp:37 -msgid "[yes|no]" +#: flooddetach.cpp:39 +msgid "Show or set whether to notify you about detaching and attaching back" msgstr "" -#: flooddetach.cpp:90 +#: flooddetach.cpp:93 msgid "Flood in {1} is over, reattaching..." msgstr "" -#: flooddetach.cpp:147 +#: flooddetach.cpp:150 msgid "Channel {1} was flooded, you've been detached" msgstr "" -#: flooddetach.cpp:184 +#: flooddetach.cpp:187 msgid "1 line" msgid_plural "{1} lines" msgstr[0] "" msgstr[1] "" -#: flooddetach.cpp:185 +#: flooddetach.cpp:188 msgid "every second" msgid_plural "every {1} seconds" msgstr[0] "" msgstr[1] "" -#: flooddetach.cpp:187 +#: flooddetach.cpp:190 msgid "Current limit is {1} {2}" msgstr "" -#: flooddetach.cpp:194 +#: flooddetach.cpp:197 msgid "Seconds limit is {1}" msgstr "" -#: flooddetach.cpp:199 +#: flooddetach.cpp:202 msgid "Set seconds limit to {1}" msgstr "" -#: flooddetach.cpp:208 +#: flooddetach.cpp:211 msgid "Lines limit is {1}" msgstr "" -#: flooddetach.cpp:213 +#: flooddetach.cpp:216 msgid "Set lines limit to {1}" msgstr "" -#: flooddetach.cpp:226 +#: flooddetach.cpp:229 msgid "Module messages are disabled" msgstr "" -#: flooddetach.cpp:228 +#: flooddetach.cpp:231 msgid "Module messages are enabled" msgstr "" -#: flooddetach.cpp:244 +#: flooddetach.cpp:247 msgid "" "This user module takes up to two arguments. Arguments are numbers of " "messages and seconds." msgstr "" -#: flooddetach.cpp:248 +#: flooddetach.cpp:251 msgid "Detach channels when flooded" msgstr "" diff --git a/modules/po/flooddetach.id_ID.po b/modules/po/flooddetach.id_ID.po index e95a1000..8c965128 100644 --- a/modules/po/flooddetach.id_ID.po +++ b/modules/po/flooddetach.id_ID.po @@ -24,66 +24,66 @@ msgstr "" msgid "Show or set number of seconds in the time interval" msgstr "" -#: flooddetach.cpp:35 flooddetach.cpp:37 -msgid "blahblah: description" +#: flooddetach.cpp:36 +msgid "Show or set number of lines in the time interval" msgstr "" -#: flooddetach.cpp:37 -msgid "[yes|no]" +#: flooddetach.cpp:39 +msgid "Show or set whether to notify you about detaching and attaching back" msgstr "" -#: flooddetach.cpp:90 +#: flooddetach.cpp:93 msgid "Flood in {1} is over, reattaching..." msgstr "" -#: flooddetach.cpp:147 +#: flooddetach.cpp:150 msgid "Channel {1} was flooded, you've been detached" msgstr "" -#: flooddetach.cpp:184 +#: flooddetach.cpp:187 msgid "1 line" msgid_plural "{1} lines" msgstr[0] "" -#: flooddetach.cpp:185 +#: flooddetach.cpp:188 msgid "every second" msgid_plural "every {1} seconds" msgstr[0] "" -#: flooddetach.cpp:187 +#: flooddetach.cpp:190 msgid "Current limit is {1} {2}" msgstr "" -#: flooddetach.cpp:194 +#: flooddetach.cpp:197 msgid "Seconds limit is {1}" msgstr "" -#: flooddetach.cpp:199 +#: flooddetach.cpp:202 msgid "Set seconds limit to {1}" msgstr "" -#: flooddetach.cpp:208 +#: flooddetach.cpp:211 msgid "Lines limit is {1}" msgstr "" -#: flooddetach.cpp:213 +#: flooddetach.cpp:216 msgid "Set lines limit to {1}" msgstr "" -#: flooddetach.cpp:226 +#: flooddetach.cpp:229 msgid "Module messages are disabled" msgstr "" -#: flooddetach.cpp:228 +#: flooddetach.cpp:231 msgid "Module messages are enabled" msgstr "" -#: flooddetach.cpp:244 +#: flooddetach.cpp:247 msgid "" "This user module takes up to two arguments. Arguments are numbers of " "messages and seconds." msgstr "" -#: flooddetach.cpp:248 +#: flooddetach.cpp:251 msgid "Detach channels when flooded" msgstr "" diff --git a/modules/po/flooddetach.nl_NL.po b/modules/po/flooddetach.nl_NL.po new file mode 100644 index 00000000..926dfd37 --- /dev/null +++ b/modules/po/flooddetach.nl_NL.po @@ -0,0 +1,91 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: nl\n" +"X-Crowdin-File: /1.7.x/modules/po/flooddetach.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Dutch\n" +"Language: nl_NL\n" + +#: flooddetach.cpp:30 +msgid "Show current limits" +msgstr "" + +#: flooddetach.cpp:32 flooddetach.cpp:35 +msgid "[]" +msgstr "" + +#: flooddetach.cpp:33 +msgid "Show or set number of seconds in the time interval" +msgstr "" + +#: flooddetach.cpp:36 +msgid "Show or set number of lines in the time interval" +msgstr "" + +#: flooddetach.cpp:39 +msgid "Show or set whether to notify you about detaching and attaching back" +msgstr "" + +#: flooddetach.cpp:93 +msgid "Flood in {1} is over, reattaching..." +msgstr "" + +#: flooddetach.cpp:150 +msgid "Channel {1} was flooded, you've been detached" +msgstr "" + +#: flooddetach.cpp:187 +msgid "1 line" +msgid_plural "{1} lines" +msgstr[0] "" +msgstr[1] "" + +#: flooddetach.cpp:188 +msgid "every second" +msgid_plural "every {1} seconds" +msgstr[0] "" +msgstr[1] "" + +#: flooddetach.cpp:190 +msgid "Current limit is {1} {2}" +msgstr "" + +#: flooddetach.cpp:197 +msgid "Seconds limit is {1}" +msgstr "" + +#: flooddetach.cpp:202 +msgid "Set seconds limit to {1}" +msgstr "" + +#: flooddetach.cpp:211 +msgid "Lines limit is {1}" +msgstr "" + +#: flooddetach.cpp:216 +msgid "Set lines limit to {1}" +msgstr "" + +#: flooddetach.cpp:229 +msgid "Module messages are disabled" +msgstr "" + +#: flooddetach.cpp:231 +msgid "Module messages are enabled" +msgstr "" + +#: flooddetach.cpp:247 +msgid "" +"This user module takes up to two arguments. Arguments are numbers of " +"messages and seconds." +msgstr "" + +#: flooddetach.cpp:251 +msgid "Detach channels when flooded" +msgstr "" diff --git a/modules/po/flooddetach.pot b/modules/po/flooddetach.pot index 330fcef1..f47d55be 100644 --- a/modules/po/flooddetach.pot +++ b/modules/po/flooddetach.pot @@ -15,68 +15,68 @@ msgstr "" msgid "Show or set number of seconds in the time interval" msgstr "" -#: flooddetach.cpp:35 flooddetach.cpp:37 -msgid "blahblah: description" +#: flooddetach.cpp:36 +msgid "Show or set number of lines in the time interval" msgstr "" -#: flooddetach.cpp:37 -msgid "[yes|no]" +#: flooddetach.cpp:39 +msgid "Show or set whether to notify you about detaching and attaching back" msgstr "" -#: flooddetach.cpp:90 +#: flooddetach.cpp:93 msgid "Flood in {1} is over, reattaching..." msgstr "" -#: flooddetach.cpp:147 +#: flooddetach.cpp:150 msgid "Channel {1} was flooded, you've been detached" msgstr "" -#: flooddetach.cpp:184 +#: flooddetach.cpp:187 msgid "1 line" msgid_plural "{1} lines" msgstr[0] "" msgstr[1] "" -#: flooddetach.cpp:185 +#: flooddetach.cpp:188 msgid "every second" msgid_plural "every {1} seconds" msgstr[0] "" msgstr[1] "" -#: flooddetach.cpp:187 +#: flooddetach.cpp:190 msgid "Current limit is {1} {2}" msgstr "" -#: flooddetach.cpp:194 +#: flooddetach.cpp:197 msgid "Seconds limit is {1}" msgstr "" -#: flooddetach.cpp:199 +#: flooddetach.cpp:202 msgid "Set seconds limit to {1}" msgstr "" -#: flooddetach.cpp:208 +#: flooddetach.cpp:211 msgid "Lines limit is {1}" msgstr "" -#: flooddetach.cpp:213 +#: flooddetach.cpp:216 msgid "Set lines limit to {1}" msgstr "" -#: flooddetach.cpp:226 +#: flooddetach.cpp:229 msgid "Module messages are disabled" msgstr "" -#: flooddetach.cpp:228 +#: flooddetach.cpp:231 msgid "Module messages are enabled" msgstr "" -#: flooddetach.cpp:244 +#: flooddetach.cpp:247 msgid "" "This user module takes up to two arguments. Arguments are numbers of " "messages and seconds." msgstr "" -#: flooddetach.cpp:248 +#: flooddetach.cpp:251 msgid "Detach channels when flooded" msgstr "" diff --git a/modules/po/flooddetach.pt_BR.po b/modules/po/flooddetach.pt_BR.po index 4e5a2978..a878f426 100644 --- a/modules/po/flooddetach.pt_BR.po +++ b/modules/po/flooddetach.pt_BR.po @@ -24,68 +24,68 @@ msgstr "" msgid "Show or set number of seconds in the time interval" msgstr "" -#: flooddetach.cpp:35 flooddetach.cpp:37 -msgid "blahblah: description" +#: flooddetach.cpp:36 +msgid "Show or set number of lines in the time interval" msgstr "" -#: flooddetach.cpp:37 -msgid "[yes|no]" +#: flooddetach.cpp:39 +msgid "Show or set whether to notify you about detaching and attaching back" msgstr "" -#: flooddetach.cpp:90 +#: flooddetach.cpp:93 msgid "Flood in {1} is over, reattaching..." msgstr "" -#: flooddetach.cpp:147 +#: flooddetach.cpp:150 msgid "Channel {1} was flooded, you've been detached" msgstr "" -#: flooddetach.cpp:184 +#: flooddetach.cpp:187 msgid "1 line" msgid_plural "{1} lines" msgstr[0] "" msgstr[1] "" -#: flooddetach.cpp:185 +#: flooddetach.cpp:188 msgid "every second" msgid_plural "every {1} seconds" msgstr[0] "" msgstr[1] "" -#: flooddetach.cpp:187 +#: flooddetach.cpp:190 msgid "Current limit is {1} {2}" msgstr "" -#: flooddetach.cpp:194 +#: flooddetach.cpp:197 msgid "Seconds limit is {1}" msgstr "" -#: flooddetach.cpp:199 +#: flooddetach.cpp:202 msgid "Set seconds limit to {1}" msgstr "" -#: flooddetach.cpp:208 +#: flooddetach.cpp:211 msgid "Lines limit is {1}" msgstr "" -#: flooddetach.cpp:213 +#: flooddetach.cpp:216 msgid "Set lines limit to {1}" msgstr "" -#: flooddetach.cpp:226 +#: flooddetach.cpp:229 msgid "Module messages are disabled" msgstr "" -#: flooddetach.cpp:228 +#: flooddetach.cpp:231 msgid "Module messages are enabled" msgstr "" -#: flooddetach.cpp:244 +#: flooddetach.cpp:247 msgid "" "This user module takes up to two arguments. Arguments are numbers of " "messages and seconds." msgstr "" -#: flooddetach.cpp:248 +#: flooddetach.cpp:251 msgid "Detach channels when flooded" msgstr "" diff --git a/modules/po/flooddetach.ru_RU.po b/modules/po/flooddetach.ru_RU.po index 2196f8a9..f19d0b7a 100644 --- a/modules/po/flooddetach.ru_RU.po +++ b/modules/po/flooddetach.ru_RU.po @@ -26,23 +26,23 @@ msgstr "" msgid "Show or set number of seconds in the time interval" msgstr "" -#: flooddetach.cpp:35 flooddetach.cpp:37 -msgid "blahblah: description" +#: flooddetach.cpp:36 +msgid "Show or set number of lines in the time interval" msgstr "" -#: flooddetach.cpp:37 -msgid "[yes|no]" +#: flooddetach.cpp:39 +msgid "Show or set whether to notify you about detaching and attaching back" msgstr "" -#: flooddetach.cpp:90 +#: flooddetach.cpp:93 msgid "Flood in {1} is over, reattaching..." msgstr "" -#: flooddetach.cpp:147 +#: flooddetach.cpp:150 msgid "Channel {1} was flooded, you've been detached" msgstr "" -#: flooddetach.cpp:184 +#: flooddetach.cpp:187 msgid "1 line" msgid_plural "{1} lines" msgstr[0] "" @@ -50,7 +50,7 @@ msgstr[1] "" msgstr[2] "" msgstr[3] "" -#: flooddetach.cpp:185 +#: flooddetach.cpp:188 msgid "every second" msgid_plural "every {1} seconds" msgstr[0] "" @@ -58,40 +58,40 @@ msgstr[1] "" msgstr[2] "" msgstr[3] "" -#: flooddetach.cpp:187 +#: flooddetach.cpp:190 msgid "Current limit is {1} {2}" msgstr "" -#: flooddetach.cpp:194 +#: flooddetach.cpp:197 msgid "Seconds limit is {1}" msgstr "" -#: flooddetach.cpp:199 +#: flooddetach.cpp:202 msgid "Set seconds limit to {1}" msgstr "" -#: flooddetach.cpp:208 +#: flooddetach.cpp:211 msgid "Lines limit is {1}" msgstr "" -#: flooddetach.cpp:213 +#: flooddetach.cpp:216 msgid "Set lines limit to {1}" msgstr "" -#: flooddetach.cpp:226 +#: flooddetach.cpp:229 msgid "Module messages are disabled" msgstr "" -#: flooddetach.cpp:228 +#: flooddetach.cpp:231 msgid "Module messages are enabled" msgstr "" -#: flooddetach.cpp:244 +#: flooddetach.cpp:247 msgid "" "This user module takes up to two arguments. Arguments are numbers of " "messages and seconds." msgstr "" -#: flooddetach.cpp:248 +#: flooddetach.cpp:251 msgid "Detach channels when flooded" msgstr "" diff --git a/modules/po/identfile.nl_NL.po b/modules/po/identfile.nl_NL.po new file mode 100644 index 00000000..7c07dca1 --- /dev/null +++ b/modules/po/identfile.nl_NL.po @@ -0,0 +1,83 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: nl\n" +"X-Crowdin-File: /1.7.x/modules/po/identfile.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Dutch\n" +"Language: nl_NL\n" + +#: identfile.cpp:30 +msgid "Show file name" +msgstr "" + +#: identfile.cpp:32 +msgid "" +msgstr "" + +#: identfile.cpp:32 +msgid "Set file name" +msgstr "" + +#: identfile.cpp:34 +msgid "Show file format" +msgstr "" + +#: identfile.cpp:36 +msgid "" +msgstr "" + +#: identfile.cpp:36 +msgid "Set file format" +msgstr "" + +#: identfile.cpp:38 +msgid "Show current state" +msgstr "" + +#: identfile.cpp:48 +msgid "File is set to: {1}" +msgstr "" + +#: identfile.cpp:53 +msgid "File has been set to: {1}" +msgstr "" + +#: identfile.cpp:58 +msgid "Format has been set to: {1}" +msgstr "" + +#: identfile.cpp:59 identfile.cpp:65 +msgid "Format would be expanded to: {1}" +msgstr "" + +#: identfile.cpp:64 +msgid "Format is set to: {1}" +msgstr "" + +#: identfile.cpp:78 +msgid "identfile is free" +msgstr "" + +#: identfile.cpp:86 +msgid "Access denied" +msgstr "" + +#: identfile.cpp:181 +msgid "" +"Aborting connection, another user or network is currently connecting and " +"using the ident spoof file" +msgstr "" + +#: identfile.cpp:189 +msgid "[{1}] could not be written, retrying..." +msgstr "" + +#: identfile.cpp:223 +msgid "Write the ident of a user to a file when they are trying to connect." +msgstr "" diff --git a/modules/po/imapauth.nl_NL.po b/modules/po/imapauth.nl_NL.po new file mode 100644 index 00000000..dd5ba696 --- /dev/null +++ b/modules/po/imapauth.nl_NL.po @@ -0,0 +1,21 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: nl\n" +"X-Crowdin-File: /1.7.x/modules/po/imapauth.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Dutch\n" +"Language: nl_NL\n" + +#: imapauth.cpp:168 +msgid "[ server [+]port [ UserFormatString ] ]" +msgstr "" + +#: imapauth.cpp:171 +msgid "Allow users to authenticate via IMAP." +msgstr "" diff --git a/modules/po/keepnick.nl_NL.po b/modules/po/keepnick.nl_NL.po new file mode 100644 index 00000000..9084aaee --- /dev/null +++ b/modules/po/keepnick.nl_NL.po @@ -0,0 +1,53 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: nl\n" +"X-Crowdin-File: /1.7.x/modules/po/keepnick.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Dutch\n" +"Language: nl_NL\n" + +#: keepnick.cpp:39 +msgid "Try to get your primary nick" +msgstr "" + +#: keepnick.cpp:42 keepnick.cpp:196 +msgid "No longer trying to get your primary nick" +msgstr "" + +#: keepnick.cpp:44 +msgid "Show the current state" +msgstr "" + +#: keepnick.cpp:158 +msgid "ZNC is already trying to get this nickname" +msgstr "" + +#: keepnick.cpp:173 +msgid "Unable to obtain nick {1}: {2}, {3}" +msgstr "" + +#: keepnick.cpp:181 +msgid "Unable to obtain nick {1}" +msgstr "" + +#: keepnick.cpp:191 +msgid "Trying to get your primary nick" +msgstr "" + +#: keepnick.cpp:201 +msgid "Currently trying to get your primary nick" +msgstr "" + +#: keepnick.cpp:203 +msgid "Currently disabled, try 'enable'" +msgstr "" + +#: keepnick.cpp:224 +msgid "Keeps trying for your primary nick" +msgstr "" diff --git a/modules/po/kickrejoin.nl_NL.po b/modules/po/kickrejoin.nl_NL.po new file mode 100644 index 00000000..563b27c5 --- /dev/null +++ b/modules/po/kickrejoin.nl_NL.po @@ -0,0 +1,61 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: nl\n" +"X-Crowdin-File: /1.7.x/modules/po/kickrejoin.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Dutch\n" +"Language: nl_NL\n" + +#: kickrejoin.cpp:56 +msgid "" +msgstr "" + +#: kickrejoin.cpp:56 +msgid "Set the rejoin delay" +msgstr "" + +#: kickrejoin.cpp:58 +msgid "Show the rejoin delay" +msgstr "" + +#: kickrejoin.cpp:77 +msgid "Illegal argument, must be a positive number or 0" +msgstr "" + +#: kickrejoin.cpp:90 +msgid "Negative delays don't make any sense!" +msgstr "" + +#: kickrejoin.cpp:98 +msgid "Rejoin delay set to 1 second" +msgid_plural "Rejoin delay set to {1} seconds" +msgstr[0] "" +msgstr[1] "" + +#: kickrejoin.cpp:101 +msgid "Rejoin delay disabled" +msgstr "" + +#: kickrejoin.cpp:106 +msgid "Rejoin delay is set to 1 second" +msgid_plural "Rejoin delay is set to {1} seconds" +msgstr[0] "" +msgstr[1] "" + +#: kickrejoin.cpp:109 +msgid "Rejoin delay is disabled" +msgstr "" + +#: kickrejoin.cpp:131 +msgid "You might enter the number of seconds to wait before rejoining." +msgstr "" + +#: kickrejoin.cpp:134 +msgid "Autorejoins on kick" +msgstr "" diff --git a/modules/po/lastseen.nl_NL.po b/modules/po/lastseen.nl_NL.po new file mode 100644 index 00000000..85ad9381 --- /dev/null +++ b/modules/po/lastseen.nl_NL.po @@ -0,0 +1,67 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: nl\n" +"X-Crowdin-File: /1.7.x/modules/po/lastseen.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Dutch\n" +"Language: nl_NL\n" + +#: modules/po/../data/lastseen/tmpl/index.tmpl:8 +msgid "User" +msgstr "" + +#: modules/po/../data/lastseen/tmpl/index.tmpl:9 lastseen.cpp:98 +msgid "Last Seen" +msgstr "" + +#: modules/po/../data/lastseen/tmpl/index.tmpl:10 +msgid "Info" +msgstr "" + +#: modules/po/../data/lastseen/tmpl/index.tmpl:11 +msgid "Action" +msgstr "" + +#: modules/po/../data/lastseen/tmpl/index.tmpl:21 +msgid "Edit" +msgstr "" + +#: modules/po/../data/lastseen/tmpl/index.tmpl:22 +msgid "Delete" +msgstr "" + +#: modules/po/../data/lastseen/tmpl/lastseen_WebadminUser.tmpl:6 +msgid "Last login time:" +msgstr "" + +#: lastseen.cpp:53 +msgid "Access denied" +msgstr "" + +#: lastseen.cpp:61 lastseen.cpp:66 +msgctxt "show" +msgid "User" +msgstr "" + +#: lastseen.cpp:62 lastseen.cpp:67 +msgctxt "show" +msgid "Last Seen" +msgstr "" + +#: lastseen.cpp:68 lastseen.cpp:124 +msgid "never" +msgstr "" + +#: lastseen.cpp:78 +msgid "Shows list of users and when they last logged in" +msgstr "" + +#: lastseen.cpp:153 +msgid "Collects data about when a user last logged in." +msgstr "" diff --git a/modules/po/listsockets.nl_NL.po b/modules/po/listsockets.nl_NL.po new file mode 100644 index 00000000..0ef1df05 --- /dev/null +++ b/modules/po/listsockets.nl_NL.po @@ -0,0 +1,113 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: nl\n" +"X-Crowdin-File: /1.7.x/modules/po/listsockets.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Dutch\n" +"Language: nl_NL\n" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:7 listsockets.cpp:214 +#: listsockets.cpp:230 +msgid "Name" +msgstr "" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:8 listsockets.cpp:215 +#: listsockets.cpp:231 +msgid "Created" +msgstr "" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:9 listsockets.cpp:216 +#: listsockets.cpp:232 +msgid "State" +msgstr "" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:10 listsockets.cpp:218 +#: listsockets.cpp:235 +msgid "SSL" +msgstr "" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:11 listsockets.cpp:220 +#: listsockets.cpp:240 +msgid "Local" +msgstr "" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:12 listsockets.cpp:221 +#: listsockets.cpp:242 +msgid "Remote" +msgstr "" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:13 +msgid "Data In" +msgstr "" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:14 +msgid "Data Out" +msgstr "" + +#: listsockets.cpp:62 +msgid "[-n]" +msgstr "" + +#: listsockets.cpp:62 +msgid "Shows the list of active sockets. Pass -n to show IP addresses" +msgstr "" + +#: listsockets.cpp:70 +msgid "You must be admin to use this module" +msgstr "" + +#: listsockets.cpp:96 +msgid "List sockets" +msgstr "" + +#: listsockets.cpp:116 listsockets.cpp:236 +msgctxt "ssl" +msgid "Yes" +msgstr "" + +#: listsockets.cpp:116 listsockets.cpp:237 +msgctxt "ssl" +msgid "No" +msgstr "" + +#: listsockets.cpp:142 +msgid "Listener" +msgstr "" + +#: listsockets.cpp:144 +msgid "Inbound" +msgstr "" + +#: listsockets.cpp:147 +msgid "Outbound" +msgstr "" + +#: listsockets.cpp:149 +msgid "Connecting" +msgstr "" + +#: listsockets.cpp:152 +msgid "UNKNOWN" +msgstr "" + +#: listsockets.cpp:207 +msgid "You have no open sockets." +msgstr "" + +#: listsockets.cpp:222 listsockets.cpp:244 +msgid "In" +msgstr "" + +#: listsockets.cpp:223 listsockets.cpp:246 +msgid "Out" +msgstr "" + +#: listsockets.cpp:262 +msgid "Lists active sockets" +msgstr "" diff --git a/modules/po/log.nl_NL.po b/modules/po/log.nl_NL.po new file mode 100644 index 00000000..b8b30452 --- /dev/null +++ b/modules/po/log.nl_NL.po @@ -0,0 +1,148 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: nl\n" +"X-Crowdin-File: /1.7.x/modules/po/log.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Dutch\n" +"Language: nl_NL\n" + +#: log.cpp:59 +msgid "" +msgstr "" + +#: log.cpp:60 +msgid "Set logging rules, use !#chan or !query to negate and * " +msgstr "" + +#: log.cpp:62 +msgid "Clear all logging rules" +msgstr "" + +#: log.cpp:64 +msgid "List all logging rules" +msgstr "" + +#: log.cpp:67 +msgid " true|false" +msgstr "" + +#: log.cpp:68 +msgid "Set one of the following options: joins, quits, nickchanges" +msgstr "" + +#: log.cpp:71 +msgid "Show current settings set by Set command" +msgstr "" + +#: log.cpp:143 +msgid "Usage: SetRules " +msgstr "" + +#: log.cpp:144 +msgid "Wildcards are allowed" +msgstr "" + +#: log.cpp:156 log.cpp:178 +msgid "No logging rules. Everything is logged." +msgstr "" + +#: log.cpp:161 +msgid "1 rule removed: {2}" +msgid_plural "{1} rules removed: {2}" +msgstr[0] "" +msgstr[1] "" + +#: log.cpp:168 log.cpp:173 +msgctxt "listrules" +msgid "Rule" +msgstr "" + +#: log.cpp:169 log.cpp:174 +msgctxt "listrules" +msgid "Logging enabled" +msgstr "" + +#: log.cpp:189 +msgid "" +"Usage: Set true|false, where is one of: joins, quits, nickchanges" +msgstr "" + +#: log.cpp:196 +msgid "Will log joins" +msgstr "" + +#: log.cpp:196 +msgid "Will not log joins" +msgstr "" + +#: log.cpp:197 +msgid "Will log quits" +msgstr "" + +#: log.cpp:197 +msgid "Will not log quits" +msgstr "" + +#: log.cpp:199 +msgid "Will log nick changes" +msgstr "" + +#: log.cpp:199 +msgid "Will not log nick changes" +msgstr "" + +#: log.cpp:203 +msgid "Unknown variable. Known variables: joins, quits, nickchanges" +msgstr "" + +#: log.cpp:211 +msgid "Logging joins" +msgstr "" + +#: log.cpp:211 +msgid "Not logging joins" +msgstr "" + +#: log.cpp:212 +msgid "Logging quits" +msgstr "" + +#: log.cpp:212 +msgid "Not logging quits" +msgstr "" + +#: log.cpp:213 +msgid "Logging nick changes" +msgstr "" + +#: log.cpp:214 +msgid "Not logging nick changes" +msgstr "" + +#: log.cpp:351 +msgid "" +"Invalid args [{1}]. Only one log path allowed. Check that there are no " +"spaces in the path." +msgstr "" + +#: log.cpp:401 +msgid "Invalid log path [{1}]" +msgstr "" + +#: log.cpp:404 +msgid "Logging to [{1}]. Using timestamp format '{2}'" +msgstr "" + +#: log.cpp:559 +msgid "[-sanitize] Optional path where to store logs." +msgstr "" + +#: log.cpp:563 +msgid "Writes IRC logs." +msgstr "" diff --git a/modules/po/missingmotd.nl_NL.po b/modules/po/missingmotd.nl_NL.po new file mode 100644 index 00000000..e4dfdf1f --- /dev/null +++ b/modules/po/missingmotd.nl_NL.po @@ -0,0 +1,17 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: nl\n" +"X-Crowdin-File: /1.7.x/modules/po/missingmotd.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Dutch\n" +"Language: nl_NL\n" + +#: missingmotd.cpp:36 +msgid "Sends 422 to clients when they login" +msgstr "" diff --git a/modules/po/modperl.nl_NL.po b/modules/po/modperl.nl_NL.po new file mode 100644 index 00000000..260392d8 --- /dev/null +++ b/modules/po/modperl.nl_NL.po @@ -0,0 +1,17 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: nl\n" +"X-Crowdin-File: /1.7.x/modules/po/modperl.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Dutch\n" +"Language: nl_NL\n" + +#: modperl.cpp:382 +msgid "Loads perl scripts as ZNC modules" +msgstr "" diff --git a/modules/po/modpython.nl_NL.po b/modules/po/modpython.nl_NL.po new file mode 100644 index 00000000..34f7001f --- /dev/null +++ b/modules/po/modpython.nl_NL.po @@ -0,0 +1,17 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: nl\n" +"X-Crowdin-File: /1.7.x/modules/po/modpython.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Dutch\n" +"Language: nl_NL\n" + +#: modpython.cpp:512 +msgid "Loads python scripts as ZNC modules" +msgstr "" diff --git a/modules/po/modules_online.nl_NL.po b/modules/po/modules_online.nl_NL.po new file mode 100644 index 00000000..1459e87b --- /dev/null +++ b/modules/po/modules_online.nl_NL.po @@ -0,0 +1,17 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: nl\n" +"X-Crowdin-File: /1.7.x/modules/po/modules_online.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Dutch\n" +"Language: nl_NL\n" + +#: modules_online.cpp:117 +msgid "Makes ZNC's *modules to be \"online\"." +msgstr "" diff --git a/modules/po/nickserv.id_ID.po b/modules/po/nickserv.id_ID.po index d76dfe22..d05a1775 100644 --- a/modules/po/nickserv.id_ID.po +++ b/modules/po/nickserv.id_ID.po @@ -14,62 +14,64 @@ msgstr "" #: nickserv.cpp:31 msgid "Password set" -msgstr "" +msgstr "Kata sandi diatur" #: nickserv.cpp:38 msgid "NickServ name set" -msgstr "" +msgstr "Atur nama NickServ" #: nickserv.cpp:54 msgid "No such editable command. See ViewCommands for list." -msgstr "" +msgstr "Tidak ada perintah yang dapat diedit. Lihat daftar ViewCommands." #: nickserv.cpp:57 msgid "Ok" -msgstr "" +msgstr "Oke" #: nickserv.cpp:62 msgid "password" -msgstr "" +msgstr "sandi" #: nickserv.cpp:62 msgid "Set your nickserv password" -msgstr "" +msgstr "Atur kata sandi nickserv anda" #: nickserv.cpp:64 msgid "Clear your nickserv password" -msgstr "" +msgstr "Bersihkan kata sandi nickserv anda" #: nickserv.cpp:66 msgid "nickname" -msgstr "" +msgstr "nickname" #: nickserv.cpp:67 msgid "" "Set NickServ name (Useful on networks like EpiKnet, where NickServ is named " "Themis" msgstr "" +"Atur nama NickServ (Berguna pada jaringan seperti EpiKnet, di mana NickServ " +"diberi nama Themis" #: nickserv.cpp:71 msgid "Reset NickServ name to default (NickServ)" -msgstr "" +msgstr "Kembalikan nama NickServ ke standar (NickServ)" #: nickserv.cpp:75 msgid "Show patterns for lines, which are being sent to NickServ" -msgstr "" +msgstr "Tampilkan pola untuk garis, yang dikirim ke NickServ" #: nickserv.cpp:77 msgid "cmd new-pattern" -msgstr "" +msgstr "cmd new-pattern" #: nickserv.cpp:78 msgid "Set pattern for commands" -msgstr "" +msgstr "Atur pola untuk perintah" #: nickserv.cpp:140 msgid "Please enter your nickserv password." -msgstr "" +msgstr "Silahkan masukkan kata sandi nickserv anda." #: nickserv.cpp:144 msgid "Auths you with NickServ (prefer SASL module instead)" -msgstr "" +msgstr "Auths anda dengan NickServ (lebih memilih modul SASL sebagai gantinya)" diff --git a/modules/po/nickserv.nl_NL.po b/modules/po/nickserv.nl_NL.po new file mode 100644 index 00000000..15963e36 --- /dev/null +++ b/modules/po/nickserv.nl_NL.po @@ -0,0 +1,75 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: nl\n" +"X-Crowdin-File: /1.7.x/modules/po/nickserv.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Dutch\n" +"Language: nl_NL\n" + +#: nickserv.cpp:31 +msgid "Password set" +msgstr "" + +#: nickserv.cpp:38 +msgid "NickServ name set" +msgstr "" + +#: nickserv.cpp:54 +msgid "No such editable command. See ViewCommands for list." +msgstr "" + +#: nickserv.cpp:57 +msgid "Ok" +msgstr "" + +#: nickserv.cpp:62 +msgid "password" +msgstr "" + +#: nickserv.cpp:62 +msgid "Set your nickserv password" +msgstr "" + +#: nickserv.cpp:64 +msgid "Clear your nickserv password" +msgstr "" + +#: nickserv.cpp:66 +msgid "nickname" +msgstr "" + +#: nickserv.cpp:67 +msgid "" +"Set NickServ name (Useful on networks like EpiKnet, where NickServ is named " +"Themis" +msgstr "" + +#: nickserv.cpp:71 +msgid "Reset NickServ name to default (NickServ)" +msgstr "" + +#: nickserv.cpp:75 +msgid "Show patterns for lines, which are being sent to NickServ" +msgstr "" + +#: nickserv.cpp:77 +msgid "cmd new-pattern" +msgstr "" + +#: nickserv.cpp:78 +msgid "Set pattern for commands" +msgstr "" + +#: nickserv.cpp:140 +msgid "Please enter your nickserv password." +msgstr "" + +#: nickserv.cpp:144 +msgid "Auths you with NickServ (prefer SASL module instead)" +msgstr "" diff --git a/modules/po/notes.nl_NL.po b/modules/po/notes.nl_NL.po new file mode 100644 index 00000000..9796def6 --- /dev/null +++ b/modules/po/notes.nl_NL.po @@ -0,0 +1,119 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: nl\n" +"X-Crowdin-File: /1.7.x/modules/po/notes.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Dutch\n" +"Language: nl_NL\n" + +#: modules/po/../data/notes/tmpl/index.tmpl:7 +msgid "Add A Note" +msgstr "" + +#: modules/po/../data/notes/tmpl/index.tmpl:11 +msgid "Key:" +msgstr "" + +#: modules/po/../data/notes/tmpl/index.tmpl:15 +msgid "Note:" +msgstr "" + +#: modules/po/../data/notes/tmpl/index.tmpl:19 +msgid "Add Note" +msgstr "" + +#: modules/po/../data/notes/tmpl/index.tmpl:27 +msgid "You have no notes to display." +msgstr "" + +#: modules/po/../data/notes/tmpl/index.tmpl:34 notes.cpp:164 notes.cpp:169 +msgid "Key" +msgstr "" + +#: modules/po/../data/notes/tmpl/index.tmpl:35 notes.cpp:165 notes.cpp:170 +msgid "Note" +msgstr "" + +#: modules/po/../data/notes/tmpl/index.tmpl:41 +msgid "[del]" +msgstr "" + +#: notes.cpp:32 +msgid "That note already exists. Use MOD to overwrite." +msgstr "" + +#: notes.cpp:35 notes.cpp:137 +msgid "Added note {1}" +msgstr "" + +#: notes.cpp:37 notes.cpp:48 notes.cpp:142 +msgid "Unable to add note {1}" +msgstr "" + +#: notes.cpp:46 notes.cpp:139 +msgid "Set note for {1}" +msgstr "" + +#: notes.cpp:56 +msgid "This note doesn't exist." +msgstr "" + +#: notes.cpp:66 notes.cpp:116 +msgid "Deleted note {1}" +msgstr "" + +#: notes.cpp:68 notes.cpp:118 +msgid "Unable to delete note {1}" +msgstr "" + +#: notes.cpp:75 +msgid "List notes" +msgstr "" + +#: notes.cpp:77 notes.cpp:81 +msgid " " +msgstr "" + +#: notes.cpp:77 +msgid "Add a note" +msgstr "" + +#: notes.cpp:79 notes.cpp:83 +msgid "" +msgstr "" + +#: notes.cpp:79 +msgid "Delete a note" +msgstr "" + +#: notes.cpp:81 +msgid "Modify a note" +msgstr "" + +#: notes.cpp:94 +msgid "Notes" +msgstr "" + +#: notes.cpp:133 +msgid "That note already exists. Use /#+ to overwrite." +msgstr "" + +#: notes.cpp:185 notes.cpp:187 +msgid "You have no entries." +msgstr "" + +#: notes.cpp:223 +msgid "" +"This user module takes up to one arguments. It can be -disableNotesOnLogin " +"not to show notes upon client login" +msgstr "" + +#: notes.cpp:227 +msgid "Keep and replay notes" +msgstr "" diff --git a/modules/po/notify_connect.nl_NL.po b/modules/po/notify_connect.nl_NL.po new file mode 100644 index 00000000..c2d768b7 --- /dev/null +++ b/modules/po/notify_connect.nl_NL.po @@ -0,0 +1,29 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: nl\n" +"X-Crowdin-File: /1.7.x/modules/po/notify_connect.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Dutch\n" +"Language: nl_NL\n" + +#: notify_connect.cpp:24 +msgid "attached" +msgstr "" + +#: notify_connect.cpp:26 +msgid "detached" +msgstr "" + +#: notify_connect.cpp:41 +msgid "{1} {2} from {3}" +msgstr "" + +#: notify_connect.cpp:52 +msgid "Notifies all admin users when a client connects or disconnects." +msgstr "" diff --git a/modules/po/partyline.nl_NL.po b/modules/po/partyline.nl_NL.po new file mode 100644 index 00000000..a2b867e2 --- /dev/null +++ b/modules/po/partyline.nl_NL.po @@ -0,0 +1,39 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: nl\n" +"X-Crowdin-File: /1.7.x/modules/po/partyline.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Dutch\n" +"Language: nl_NL\n" + +#: partyline.cpp:60 +msgid "There are no open channels." +msgstr "" + +#: partyline.cpp:66 partyline.cpp:73 +msgid "Channel" +msgstr "" + +#: partyline.cpp:67 partyline.cpp:74 +msgid "Users" +msgstr "" + +#: partyline.cpp:82 +msgid "List all open channels" +msgstr "" + +#: partyline.cpp:733 +msgid "" +"You may enter a list of channels the user joins, when entering the internal " +"partyline." +msgstr "" + +#: partyline.cpp:739 +msgid "Internal channels and queries for users connected to ZNC" +msgstr "" diff --git a/modules/po/perform.nl_NL.po b/modules/po/perform.nl_NL.po new file mode 100644 index 00000000..170af654 --- /dev/null +++ b/modules/po/perform.nl_NL.po @@ -0,0 +1,108 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: nl\n" +"X-Crowdin-File: /1.7.x/modules/po/perform.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Dutch\n" +"Language: nl_NL\n" + +#: modules/po/../data/perform/tmpl/index.tmpl:7 perform.cpp:143 +msgid "Perform" +msgstr "" + +#: modules/po/../data/perform/tmpl/index.tmpl:11 +msgid "Perform commands:" +msgstr "" + +#: modules/po/../data/perform/tmpl/index.tmpl:15 +msgid "Commands sent to the IRC server on connect, one per line." +msgstr "" + +#: modules/po/../data/perform/tmpl/index.tmpl:18 +msgid "Save" +msgstr "" + +#: perform.cpp:24 +msgid "Usage: add " +msgstr "" + +#: perform.cpp:29 +msgid "Added!" +msgstr "" + +#: perform.cpp:37 perform.cpp:82 +msgid "Illegal # Requested" +msgstr "" + +#: perform.cpp:41 +msgid "Command Erased." +msgstr "" + +#: perform.cpp:50 perform.cpp:56 +msgctxt "list" +msgid "Id" +msgstr "" + +#: perform.cpp:51 perform.cpp:57 +msgctxt "list" +msgid "Perform" +msgstr "" + +#: perform.cpp:52 perform.cpp:62 +msgctxt "list" +msgid "Expanded" +msgstr "" + +#: perform.cpp:67 +msgid "No commands in your perform list." +msgstr "" + +#: perform.cpp:73 +msgid "perform commands sent" +msgstr "" + +#: perform.cpp:86 +msgid "Commands Swapped." +msgstr "" + +#: perform.cpp:95 +msgid "" +msgstr "" + +#: perform.cpp:96 +msgid "Adds perform command to be sent to the server on connect" +msgstr "" + +#: perform.cpp:98 +msgid "" +msgstr "" + +#: perform.cpp:98 +msgid "Delete a perform command" +msgstr "" + +#: perform.cpp:100 +msgid "List the perform commands" +msgstr "" + +#: perform.cpp:103 +msgid "Send the perform commands to the server now" +msgstr "" + +#: perform.cpp:105 +msgid " " +msgstr "" + +#: perform.cpp:106 +msgid "Swap two perform commands" +msgstr "" + +#: perform.cpp:192 +msgid "Keeps a list of commands to be executed when ZNC connects to IRC." +msgstr "" diff --git a/modules/po/perleval.nl_NL.po b/modules/po/perleval.nl_NL.po new file mode 100644 index 00000000..a575f497 --- /dev/null +++ b/modules/po/perleval.nl_NL.po @@ -0,0 +1,31 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: nl\n" +"X-Crowdin-File: /1.7.x/modules/po/perleval.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Dutch\n" +"Language: nl_NL\n" + +#: perleval.pm:23 +msgid "Evaluates perl code" +msgstr "" + +#: perleval.pm:33 +msgid "Only admin can load this module" +msgstr "" + +#: perleval.pm:44 +#, perl-format +msgid "Error: %s" +msgstr "" + +#: perleval.pm:46 +#, perl-format +msgid "Result: %s" +msgstr "" diff --git a/modules/po/pyeval.nl_NL.po b/modules/po/pyeval.nl_NL.po new file mode 100644 index 00000000..f4db01b0 --- /dev/null +++ b/modules/po/pyeval.nl_NL.po @@ -0,0 +1,21 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: nl\n" +"X-Crowdin-File: /1.7.x/modules/po/pyeval.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Dutch\n" +"Language: nl_NL\n" + +#: pyeval.py:49 +msgid "You must have admin privileges to load this module." +msgstr "" + +#: pyeval.py:82 +msgid "Evaluates python code" +msgstr "" diff --git a/modules/po/q.id_ID.po b/modules/po/q.id_ID.po index 73880857..e3fcc166 100644 --- a/modules/po/q.id_ID.po +++ b/modules/po/q.id_ID.po @@ -14,27 +14,27 @@ msgstr "" #: modules/po/../data/q/tmpl/index.tmpl:11 msgid "Username:" -msgstr "" +msgstr "Nama pengguna:" #: modules/po/../data/q/tmpl/index.tmpl:13 msgid "Please enter a username." -msgstr "" +msgstr "Silahkan masukan nama pengguna." #: modules/po/../data/q/tmpl/index.tmpl:16 msgid "Password:" -msgstr "" +msgstr "Kata Sandi:" #: modules/po/../data/q/tmpl/index.tmpl:18 msgid "Please enter a password." -msgstr "" +msgstr "Silakan masukkan sandi." #: modules/po/../data/q/tmpl/index.tmpl:26 msgid "Options" -msgstr "" +msgstr "Opsi" #: modules/po/../data/q/tmpl/index.tmpl:42 msgid "Save" -msgstr "" +msgstr "Simpan" #: q.cpp:74 msgid "" @@ -45,41 +45,45 @@ msgstr "" #: q.cpp:111 msgid "The following commands are available:" -msgstr "" +msgstr "Perintah berikut tersedia:" #: q.cpp:113 q.cpp:116 q.cpp:121 q.cpp:126 q.cpp:130 q.cpp:135 q.cpp:140 msgid "Command" -msgstr "" +msgstr "Perintah" #: q.cpp:114 q.cpp:117 q.cpp:123 q.cpp:127 q.cpp:132 q.cpp:136 q.cpp:141 #: q.cpp:150 q.cpp:154 q.cpp:158 q.cpp:162 q.cpp:168 q.cpp:174 q.cpp:180 #: q.cpp:186 msgid "Description" -msgstr "" +msgstr "Deskripsi" #: q.cpp:116 msgid "Auth [ ]" -msgstr "" +msgstr "Auth [ ]" #: q.cpp:118 msgid "Tries to authenticate you with Q. Both parameters are optional." msgstr "" +"Mencoba untuk mengautentikasi anda dengan Q. Kedua parameter bersifat " +"opsional." #: q.cpp:124 msgid "Tries to set usermode +x to hide your real hostname." msgstr "" +"Mencoba untuk menetapkan usermode +x untuk menyembunyikan nama host anda " +"yang sebenarnya." #: q.cpp:128 msgid "Prints the current status of the module." -msgstr "" +msgstr "Mencetak status modul saat ini." #: q.cpp:133 msgid "Re-requests the current user information from Q." -msgstr "" +msgstr "Minta ulang informasi pengguna saat ini dari Q." #: q.cpp:135 msgid "Set " -msgstr "" +msgstr "Set " #: q.cpp:137 msgid "Changes the value of the given setting. See the list of settings below." @@ -97,16 +101,16 @@ msgstr "" #: q.cpp:183 q.cpp:227 q.cpp:230 q.cpp:233 q.cpp:236 q.cpp:239 q.cpp:242 #: q.cpp:245 q.cpp:248 msgid "Setting" -msgstr "" +msgstr "Setelan" #: q.cpp:149 q.cpp:153 q.cpp:157 q.cpp:161 q.cpp:167 q.cpp:173 q.cpp:179 #: q.cpp:184 msgid "Type" -msgstr "" +msgstr "Tipe" #: q.cpp:153 q.cpp:157 msgid "String" -msgstr "" +msgstr "String" #: q.cpp:154 msgid "Your Q username." diff --git a/modules/po/q.nl_NL.po b/modules/po/q.nl_NL.po new file mode 100644 index 00000000..3a3841cc --- /dev/null +++ b/modules/po/q.nl_NL.po @@ -0,0 +1,296 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: nl\n" +"X-Crowdin-File: /1.7.x/modules/po/q.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Dutch\n" +"Language: nl_NL\n" + +#: modules/po/../data/q/tmpl/index.tmpl:11 +msgid "Username:" +msgstr "" + +#: modules/po/../data/q/tmpl/index.tmpl:13 +msgid "Please enter a username." +msgstr "" + +#: modules/po/../data/q/tmpl/index.tmpl:16 +msgid "Password:" +msgstr "" + +#: modules/po/../data/q/tmpl/index.tmpl:18 +msgid "Please enter a password." +msgstr "" + +#: modules/po/../data/q/tmpl/index.tmpl:26 +msgid "Options" +msgstr "" + +#: modules/po/../data/q/tmpl/index.tmpl:42 +msgid "Save" +msgstr "" + +#: q.cpp:74 +msgid "" +"Notice: Your host will be cloaked the next time you reconnect to IRC. If you " +"want to cloak your host now, /msg *q Cloak. You can set your preference " +"with /msg *q Set UseCloakedHost true/false." +msgstr "" + +#: q.cpp:111 +msgid "The following commands are available:" +msgstr "" + +#: q.cpp:113 q.cpp:116 q.cpp:121 q.cpp:126 q.cpp:130 q.cpp:135 q.cpp:140 +msgid "Command" +msgstr "" + +#: q.cpp:114 q.cpp:117 q.cpp:123 q.cpp:127 q.cpp:132 q.cpp:136 q.cpp:141 +#: q.cpp:150 q.cpp:154 q.cpp:158 q.cpp:162 q.cpp:168 q.cpp:174 q.cpp:180 +#: q.cpp:186 +msgid "Description" +msgstr "" + +#: q.cpp:116 +msgid "Auth [ ]" +msgstr "" + +#: q.cpp:118 +msgid "Tries to authenticate you with Q. Both parameters are optional." +msgstr "" + +#: q.cpp:124 +msgid "Tries to set usermode +x to hide your real hostname." +msgstr "" + +#: q.cpp:128 +msgid "Prints the current status of the module." +msgstr "" + +#: q.cpp:133 +msgid "Re-requests the current user information from Q." +msgstr "" + +#: q.cpp:135 +msgid "Set " +msgstr "" + +#: q.cpp:137 +msgid "Changes the value of the given setting. See the list of settings below." +msgstr "" + +#: q.cpp:142 +msgid "Prints out the current configuration. See the list of settings below." +msgstr "" + +#: q.cpp:146 +msgid "The following settings are available:" +msgstr "" + +#: q.cpp:148 q.cpp:152 q.cpp:156 q.cpp:160 q.cpp:166 q.cpp:172 q.cpp:178 +#: q.cpp:183 q.cpp:227 q.cpp:230 q.cpp:233 q.cpp:236 q.cpp:239 q.cpp:242 +#: q.cpp:245 q.cpp:248 +msgid "Setting" +msgstr "" + +#: q.cpp:149 q.cpp:153 q.cpp:157 q.cpp:161 q.cpp:167 q.cpp:173 q.cpp:179 +#: q.cpp:184 +msgid "Type" +msgstr "" + +#: q.cpp:153 q.cpp:157 +msgid "String" +msgstr "" + +#: q.cpp:154 +msgid "Your Q username." +msgstr "" + +#: q.cpp:158 +msgid "Your Q password." +msgstr "" + +#: q.cpp:161 q.cpp:167 q.cpp:173 q.cpp:179 q.cpp:184 +msgid "Boolean" +msgstr "" + +#: q.cpp:163 q.cpp:373 +msgid "Whether to cloak your hostname (+x) automatically on connect." +msgstr "" + +#: q.cpp:169 q.cpp:381 +msgid "" +"Whether to use the CHALLENGEAUTH mechanism to avoid sending passwords in " +"cleartext." +msgstr "" + +#: q.cpp:175 q.cpp:389 +msgid "Whether to request voice/op from Q on join/devoice/deop." +msgstr "" + +#: q.cpp:181 q.cpp:395 +msgid "Whether to join channels when Q invites you." +msgstr "" + +#: q.cpp:187 q.cpp:402 +msgid "Whether to delay joining channels until after you are cloaked." +msgstr "" + +#: q.cpp:192 +msgid "This module takes 2 optional parameters: " +msgstr "" + +#: q.cpp:194 +msgid "Module settings are stored between restarts." +msgstr "" + +#: q.cpp:200 +msgid "Syntax: Set " +msgstr "" + +#: q.cpp:203 +msgid "Username set" +msgstr "" + +#: q.cpp:206 +msgid "Password set" +msgstr "" + +#: q.cpp:209 +msgid "UseCloakedHost set" +msgstr "" + +#: q.cpp:212 +msgid "UseChallenge set" +msgstr "" + +#: q.cpp:215 +msgid "RequestPerms set" +msgstr "" + +#: q.cpp:218 +msgid "JoinOnInvite set" +msgstr "" + +#: q.cpp:221 +msgid "JoinAfterCloaked set" +msgstr "" + +#: q.cpp:223 +msgid "Unknown setting: {1}" +msgstr "" + +#: q.cpp:228 q.cpp:231 q.cpp:234 q.cpp:237 q.cpp:240 q.cpp:243 q.cpp:246 +#: q.cpp:249 +msgid "Value" +msgstr "" + +#: q.cpp:253 +msgid "Connected: yes" +msgstr "" + +#: q.cpp:254 +msgid "Connected: no" +msgstr "" + +#: q.cpp:255 +msgid "Cloacked: yes" +msgstr "" + +#: q.cpp:255 +msgid "Cloacked: no" +msgstr "" + +#: q.cpp:256 +msgid "Authenticated: yes" +msgstr "" + +#: q.cpp:257 +msgid "Authenticated: no" +msgstr "" + +#: q.cpp:262 +msgid "Error: You are not connected to IRC." +msgstr "" + +#: q.cpp:270 +msgid "Error: You are already cloaked!" +msgstr "" + +#: q.cpp:276 +msgid "Error: You are already authed!" +msgstr "" + +#: q.cpp:280 +msgid "Update requested." +msgstr "" + +#: q.cpp:283 +msgid "Unknown command. Try 'help'." +msgstr "" + +#: q.cpp:293 +msgid "Cloak successful: Your hostname is now cloaked." +msgstr "" + +#: q.cpp:408 +msgid "Changes have been saved!" +msgstr "" + +#: q.cpp:435 +msgid "Cloak: Trying to cloak your hostname, setting +x..." +msgstr "" + +#: q.cpp:452 +msgid "" +"You have to set a username and password to use this module! See 'help' for " +"details." +msgstr "" + +#: q.cpp:458 +msgid "Auth: Requesting CHALLENGE..." +msgstr "" + +#: q.cpp:462 +msgid "Auth: Sending AUTH request..." +msgstr "" + +#: q.cpp:479 +msgid "Auth: Received challenge, sending CHALLENGEAUTH request..." +msgstr "" + +#: q.cpp:521 +msgid "Authentication failed: {1}" +msgstr "" + +#: q.cpp:525 +msgid "Authentication successful: {1}" +msgstr "" + +#: q.cpp:539 +msgid "" +"Auth failed: Q does not support HMAC-SHA-256 for CHALLENGEAUTH, falling back " +"to standard AUTH." +msgstr "" + +#: q.cpp:566 +msgid "RequestPerms: Requesting op on {1}" +msgstr "" + +#: q.cpp:579 +msgid "RequestPerms: Requesting voice on {1}" +msgstr "" + +#: q.cpp:686 +msgid "Please provide your username and password for Q." +msgstr "" + +#: q.cpp:689 +msgid "Auths you with QuakeNet's Q bot." +msgstr "" diff --git a/modules/po/raw.nl_NL.po b/modules/po/raw.nl_NL.po new file mode 100644 index 00000000..1c4e10be --- /dev/null +++ b/modules/po/raw.nl_NL.po @@ -0,0 +1,17 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: nl\n" +"X-Crowdin-File: /1.7.x/modules/po/raw.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Dutch\n" +"Language: nl_NL\n" + +#: raw.cpp:43 +msgid "View all of the raw traffic" +msgstr "" diff --git a/modules/po/route_replies.nl_NL.po b/modules/po/route_replies.nl_NL.po new file mode 100644 index 00000000..4b036ca9 --- /dev/null +++ b/modules/po/route_replies.nl_NL.po @@ -0,0 +1,59 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: nl\n" +"X-Crowdin-File: /1.7.x/modules/po/route_replies.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Dutch\n" +"Language: nl_NL\n" + +#: route_replies.cpp:209 +msgid "[yes|no]" +msgstr "" + +#: route_replies.cpp:210 +msgid "Decides whether to show the timeout messages or not" +msgstr "" + +#: route_replies.cpp:350 +msgid "This module hit a timeout which is probably a connectivity issue." +msgstr "" + +#: route_replies.cpp:353 +msgid "" +"However, if you can provide steps to reproduce this issue, please do report " +"a bug." +msgstr "" + +#: route_replies.cpp:356 +msgid "To disable this message, do \"/msg {1} silent yes\"" +msgstr "" + +#: route_replies.cpp:358 +msgid "Last request: {1}" +msgstr "" + +#: route_replies.cpp:359 +msgid "Expected replies:" +msgstr "" + +#: route_replies.cpp:363 +msgid "{1} (last)" +msgstr "" + +#: route_replies.cpp:435 +msgid "Timeout messages are disabled." +msgstr "" + +#: route_replies.cpp:436 +msgid "Timeout messages are enabled." +msgstr "" + +#: route_replies.cpp:457 +msgid "Send replies (e.g. to /who) to the right client only" +msgstr "" diff --git a/modules/po/sample.nl_NL.po b/modules/po/sample.nl_NL.po new file mode 100644 index 00000000..5c0d9ec9 --- /dev/null +++ b/modules/po/sample.nl_NL.po @@ -0,0 +1,119 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: nl\n" +"X-Crowdin-File: /1.7.x/modules/po/sample.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Dutch\n" +"Language: nl_NL\n" + +#: sample.cpp:31 +msgid "Sample job cancelled" +msgstr "" + +#: sample.cpp:33 +msgid "Sample job destroyed" +msgstr "" + +#: sample.cpp:50 +msgid "Sample job done" +msgstr "" + +#: sample.cpp:65 +msgid "TEST!!!!" +msgstr "" + +#: sample.cpp:74 +msgid "I'm being loaded with the arguments: {1}" +msgstr "" + +#: sample.cpp:85 +msgid "I'm being unloaded!" +msgstr "" + +#: sample.cpp:94 +msgid "You got connected BoyOh." +msgstr "" + +#: sample.cpp:98 +msgid "You got disconnected BoyOh." +msgstr "" + +#: sample.cpp:116 +msgid "{1} {2} set mode on {3} {4}{5} {6}" +msgstr "" + +#: sample.cpp:123 +msgid "{1} {2} opped {3} on {4}" +msgstr "" + +#: sample.cpp:129 +msgid "{1} {2} deopped {3} on {4}" +msgstr "" + +#: sample.cpp:135 +msgid "{1} {2} voiced {3} on {4}" +msgstr "" + +#: sample.cpp:141 +msgid "{1} {2} devoiced {3} on {4}" +msgstr "" + +#: sample.cpp:147 +msgid "* {1} sets mode: {2} {3} on {4}" +msgstr "" + +#: sample.cpp:163 +msgid "{1} kicked {2} from {3} with the msg {4}" +msgstr "" + +#: sample.cpp:169 +msgid "* {1} ({2}@{3}) quits ({4}) from channel: {6}" +msgid_plural "* {1} ({2}@{3}) quits ({4}) from {5} channels: {6}" +msgstr[0] "" +msgstr[1] "" + +#: sample.cpp:177 +msgid "Attempting to join {1}" +msgstr "" + +#: sample.cpp:182 +msgid "* {1} ({2}@{3}) joins {4}" +msgstr "" + +#: sample.cpp:189 +msgid "* {1} ({2}@{3}) parts {4}" +msgstr "" + +#: sample.cpp:196 +msgid "{1} invited us to {2}, ignoring invites to {2}" +msgstr "" + +#: sample.cpp:201 +msgid "{1} invited us to {2}" +msgstr "" + +#: sample.cpp:207 +msgid "{1} is now known as {2}" +msgstr "" + +#: sample.cpp:269 sample.cpp:276 +msgid "{1} changes topic on {2} to {3}" +msgstr "" + +#: sample.cpp:317 +msgid "Hi, I'm your friendly sample module." +msgstr "" + +#: sample.cpp:330 +msgid "Description of module arguments goes here." +msgstr "" + +#: sample.cpp:333 +msgid "To be used as a sample for writing modules" +msgstr "" diff --git a/modules/po/samplewebapi.nl_NL.po b/modules/po/samplewebapi.nl_NL.po new file mode 100644 index 00000000..e0ee730f --- /dev/null +++ b/modules/po/samplewebapi.nl_NL.po @@ -0,0 +1,17 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: nl\n" +"X-Crowdin-File: /1.7.x/modules/po/samplewebapi.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Dutch\n" +"Language: nl_NL\n" + +#: samplewebapi.cpp:59 +msgid "Sample Web API module." +msgstr "" diff --git a/modules/po/sasl.nl_NL.po b/modules/po/sasl.nl_NL.po new file mode 100644 index 00000000..0db1c655 --- /dev/null +++ b/modules/po/sasl.nl_NL.po @@ -0,0 +1,174 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: nl\n" +"X-Crowdin-File: /1.7.x/modules/po/sasl.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Dutch\n" +"Language: nl_NL\n" + +#: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:290 +msgid "SASL" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:11 +msgid "Username:" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:13 +msgid "Please enter a username." +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:16 +msgid "Password:" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:18 +msgid "Please enter a password." +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:22 +msgid "Options" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:25 +msgid "Connect only if SASL authentication succeeds." +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:27 +msgid "Require authentication" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:35 +msgid "Mechanisms" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:42 +msgid "Name" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:43 sasl.cpp:89 sasl.cpp:94 +msgid "Description" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:57 +msgid "Selected mechanisms and their order:" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:74 +msgid "Save" +msgstr "" + +#: sasl.cpp:54 +msgid "TLS certificate, for use with the *cert module" +msgstr "" + +#: sasl.cpp:56 +msgid "" +"Plain text negotiation, this should work always if the network supports SASL" +msgstr "" + +#: sasl.cpp:62 +msgid "search" +msgstr "" + +#: sasl.cpp:62 +msgid "Generate this output" +msgstr "" + +#: sasl.cpp:64 +msgid "[ []]" +msgstr "" + +#: sasl.cpp:65 +msgid "" +"Set username and password for the mechanisms that need them. Password is " +"optional. Without parameters, returns information about current settings." +msgstr "" + +#: sasl.cpp:69 +msgid "[mechanism[ ...]]" +msgstr "" + +#: sasl.cpp:70 +msgid "Set the mechanisms to be attempted (in order)" +msgstr "" + +#: sasl.cpp:72 +msgid "[yes|no]" +msgstr "" + +#: sasl.cpp:73 +msgid "Don't connect unless SASL authentication succeeds" +msgstr "" + +#: sasl.cpp:88 sasl.cpp:93 +msgid "Mechanism" +msgstr "" + +#: sasl.cpp:97 +msgid "The following mechanisms are available:" +msgstr "" + +#: sasl.cpp:107 +msgid "Username is currently not set" +msgstr "" + +#: sasl.cpp:109 +msgid "Username is currently set to '{1}'" +msgstr "" + +#: sasl.cpp:112 +msgid "Password was not supplied" +msgstr "" + +#: sasl.cpp:114 +msgid "Password was supplied" +msgstr "" + +#: sasl.cpp:122 +msgid "Username has been set to [{1}]" +msgstr "" + +#: sasl.cpp:123 +msgid "Password has been set to [{1}]" +msgstr "" + +#: sasl.cpp:143 +msgid "Current mechanisms set: {1}" +msgstr "" + +#: sasl.cpp:152 +msgid "We require SASL negotiation to connect" +msgstr "" + +#: sasl.cpp:154 +msgid "We will connect even if SASL fails" +msgstr "" + +#: sasl.cpp:191 +msgid "Disabling network, we require authentication." +msgstr "" + +#: sasl.cpp:192 +msgid "Use 'RequireAuth no' to disable." +msgstr "" + +#: sasl.cpp:245 +msgid "{1} mechanism succeeded." +msgstr "" + +#: sasl.cpp:257 +msgid "{1} mechanism failed." +msgstr "" + +#: sasl.cpp:335 +msgid "" +"Adds support for sasl authentication capability to authenticate to an IRC " +"server" +msgstr "" diff --git a/modules/po/savebuff.nl_NL.po b/modules/po/savebuff.nl_NL.po new file mode 100644 index 00000000..5850e34a --- /dev/null +++ b/modules/po/savebuff.nl_NL.po @@ -0,0 +1,62 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: nl\n" +"X-Crowdin-File: /1.7.x/modules/po/savebuff.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Dutch\n" +"Language: nl_NL\n" + +#: savebuff.cpp:65 +msgid "" +msgstr "" + +#: savebuff.cpp:65 +msgid "Sets the password" +msgstr "" + +#: savebuff.cpp:67 +msgid "" +msgstr "" + +#: savebuff.cpp:67 +msgid "Replays the buffer" +msgstr "" + +#: savebuff.cpp:69 +msgid "Saves all buffers" +msgstr "" + +#: savebuff.cpp:221 +msgid "" +"Password is unset usually meaning the decryption failed. You can setpass to " +"the appropriate pass and things should start working, or setpass to a new " +"pass and save to reinstantiate" +msgstr "" + +#: savebuff.cpp:232 +msgid "Password set to [{1}]" +msgstr "" + +#: savebuff.cpp:262 +msgid "Replayed {1}" +msgstr "" + +#: savebuff.cpp:341 +msgid "Unable to decode Encrypted file {1}" +msgstr "" + +#: savebuff.cpp:358 +msgid "" +"This user module takes up to one arguments. Either --ask-pass or the " +"password itself (which may contain spaces) or nothing" +msgstr "" + +#: savebuff.cpp:363 +msgid "Stores channel and query buffers to disk, encrypted" +msgstr "" diff --git a/modules/po/send_raw.nl_NL.po b/modules/po/send_raw.nl_NL.po new file mode 100644 index 00000000..3558604b --- /dev/null +++ b/modules/po/send_raw.nl_NL.po @@ -0,0 +1,109 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: nl\n" +"X-Crowdin-File: /1.7.x/modules/po/send_raw.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Dutch\n" +"Language: nl_NL\n" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:9 +msgid "Send a raw IRC line" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:14 +msgid "User:" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:15 +msgid "To change user, click to Network selector" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:19 +msgid "User/Network:" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:32 +msgid "Send to:" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:34 +msgid "Client" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:35 +msgid "Server" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:40 +msgid "Line:" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:45 +msgid "Send" +msgstr "" + +#: send_raw.cpp:32 +msgid "Sent [{1}] to {2}/{3}" +msgstr "" + +#: send_raw.cpp:36 send_raw.cpp:56 +msgid "Network {1} not found for user {2}" +msgstr "" + +#: send_raw.cpp:40 send_raw.cpp:60 +msgid "User {1} not found" +msgstr "" + +#: send_raw.cpp:52 +msgid "Sent [{1}] to IRC server of {2}/{3}" +msgstr "" + +#: send_raw.cpp:75 +msgid "You must have admin privileges to load this module" +msgstr "" + +#: send_raw.cpp:82 +msgid "Send Raw" +msgstr "" + +#: send_raw.cpp:92 +msgid "User not found" +msgstr "" + +#: send_raw.cpp:99 +msgid "Network not found" +msgstr "" + +#: send_raw.cpp:116 +msgid "Line sent" +msgstr "" + +#: send_raw.cpp:140 send_raw.cpp:143 +msgid "[user] [network] [data to send]" +msgstr "" + +#: send_raw.cpp:141 +msgid "The data will be sent to the user's IRC client(s)" +msgstr "" + +#: send_raw.cpp:144 +msgid "The data will be sent to the IRC server the user is connected to" +msgstr "" + +#: send_raw.cpp:147 +msgid "[data to send]" +msgstr "" + +#: send_raw.cpp:148 +msgid "The data will be sent to your current client" +msgstr "" + +#: send_raw.cpp:159 +msgid "Lets you send some raw IRC lines as/to someone else" +msgstr "" diff --git a/modules/po/shell.nl_NL.po b/modules/po/shell.nl_NL.po new file mode 100644 index 00000000..7706db46 --- /dev/null +++ b/modules/po/shell.nl_NL.po @@ -0,0 +1,29 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: nl\n" +"X-Crowdin-File: /1.7.x/modules/po/shell.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Dutch\n" +"Language: nl_NL\n" + +#: shell.cpp:37 +msgid "Failed to execute: {1}" +msgstr "" + +#: shell.cpp:75 +msgid "You must be admin to use the shell module" +msgstr "" + +#: shell.cpp:169 +msgid "Gives shell access" +msgstr "" + +#: shell.cpp:172 +msgid "Gives shell access. Only ZNC admins can use it." +msgstr "" diff --git a/modules/po/simple_away.id_ID.po b/modules/po/simple_away.id_ID.po index 59a45461..1697f642 100644 --- a/modules/po/simple_away.id_ID.po +++ b/modules/po/simple_away.id_ID.po @@ -14,7 +14,7 @@ msgstr "" #: simple_away.cpp:56 msgid "[]" -msgstr "" +msgstr "[]" #: simple_away.cpp:57 #, c-format @@ -22,14 +22,16 @@ msgid "" "Prints or sets the away reason (%awaytime% is replaced with the time you " "were set away, supports substitutions using ExpandString)" msgstr "" +"Mencetak atau mengatur alasan away (%awaytime% diganti dengan waktu yang " +"anda tentukan, mendukung substitusi menggunakan ExpandString)" #: simple_away.cpp:63 msgid "Prints the current time to wait before setting you away" -msgstr "" +msgstr "Mencetak waktu saat ini untuk menunggu sebelum membuat anda pergi" #: simple_away.cpp:65 msgid "" -msgstr "" +msgstr "" #: simple_away.cpp:66 msgid "Sets the time to wait before setting you away" @@ -45,11 +47,11 @@ msgstr "" #: simple_away.cpp:136 msgid "Away reason set" -msgstr "" +msgstr "Alasan away disetel" #: simple_away.cpp:138 msgid "Away reason: {1}" -msgstr "" +msgstr "Alasan away: {1}" #: simple_away.cpp:139 msgid "Current away reason would be: {1}" diff --git a/modules/po/simple_away.nl_NL.po b/modules/po/simple_away.nl_NL.po new file mode 100644 index 00000000..6b441f15 --- /dev/null +++ b/modules/po/simple_away.nl_NL.po @@ -0,0 +1,92 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: nl\n" +"X-Crowdin-File: /1.7.x/modules/po/simple_away.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Dutch\n" +"Language: nl_NL\n" + +#: simple_away.cpp:56 +msgid "[]" +msgstr "" + +#: simple_away.cpp:57 +#, c-format +msgid "" +"Prints or sets the away reason (%awaytime% is replaced with the time you " +"were set away, supports substitutions using ExpandString)" +msgstr "" + +#: simple_away.cpp:63 +msgid "Prints the current time to wait before setting you away" +msgstr "" + +#: simple_away.cpp:65 +msgid "" +msgstr "" + +#: simple_away.cpp:66 +msgid "Sets the time to wait before setting you away" +msgstr "" + +#: simple_away.cpp:69 +msgid "Disables the wait time before setting you away" +msgstr "" + +#: simple_away.cpp:73 +msgid "Get or set the minimum number of clients before going away" +msgstr "" + +#: simple_away.cpp:136 +msgid "Away reason set" +msgstr "" + +#: simple_away.cpp:138 +msgid "Away reason: {1}" +msgstr "" + +#: simple_away.cpp:139 +msgid "Current away reason would be: {1}" +msgstr "" + +#: simple_away.cpp:144 +msgid "Current timer setting: 1 second" +msgid_plural "Current timer setting: {1} seconds" +msgstr[0] "" +msgstr[1] "" + +#: simple_away.cpp:153 simple_away.cpp:161 +msgid "Timer disabled" +msgstr "" + +#: simple_away.cpp:155 +msgid "Timer set to 1 second" +msgid_plural "Timer set to: {1} seconds" +msgstr[0] "" +msgstr[1] "" + +#: simple_away.cpp:166 +msgid "Current MinClients setting: {1}" +msgstr "" + +#: simple_away.cpp:169 +msgid "MinClients set to {1}" +msgstr "" + +#: simple_away.cpp:248 +msgid "" +"You might enter up to 3 arguments, like -notimer awaymessage or -timer 5 " +"awaymessage." +msgstr "" + +#: simple_away.cpp:253 +msgid "" +"This module will automatically set you away on IRC while you are " +"disconnected from the bouncer." +msgstr "" diff --git a/modules/po/stickychan.nl_NL.po b/modules/po/stickychan.nl_NL.po new file mode 100644 index 00000000..c307560e --- /dev/null +++ b/modules/po/stickychan.nl_NL.po @@ -0,0 +1,102 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: nl\n" +"X-Crowdin-File: /1.7.x/modules/po/stickychan.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Dutch\n" +"Language: nl_NL\n" + +#: modules/po/../data/stickychan/tmpl/index.tmpl:9 +msgid "Name" +msgstr "" + +#: modules/po/../data/stickychan/tmpl/index.tmpl:10 +msgid "Sticky" +msgstr "" + +#: modules/po/../data/stickychan/tmpl/index.tmpl:25 +msgid "Save" +msgstr "" + +#: modules/po/../data/stickychan/tmpl/stickychan_WebadminChan.tmpl:8 +msgid "Channel is sticky" +msgstr "" + +#: stickychan.cpp:28 +msgid "<#channel> [key]" +msgstr "" + +#: stickychan.cpp:28 +msgid "Sticks a channel" +msgstr "" + +#: stickychan.cpp:30 +msgid "<#channel>" +msgstr "" + +#: stickychan.cpp:30 +msgid "Unsticks a channel" +msgstr "" + +#: stickychan.cpp:32 +msgid "Lists sticky channels" +msgstr "" + +#: stickychan.cpp:75 +msgid "Usage: Stick <#channel> [key]" +msgstr "" + +#: stickychan.cpp:79 +msgid "Stuck {1}" +msgstr "" + +#: stickychan.cpp:85 +msgid "Usage: Unstick <#channel>" +msgstr "" + +#: stickychan.cpp:89 +msgid "Unstuck {1}" +msgstr "" + +#: stickychan.cpp:101 +msgid " -- End of List" +msgstr "" + +#: stickychan.cpp:115 +msgid "Could not join {1} (# prefix missing?)" +msgstr "" + +#: stickychan.cpp:128 +msgid "Sticky Channels" +msgstr "" + +#: stickychan.cpp:160 +msgid "Changes have been saved!" +msgstr "" + +#: stickychan.cpp:185 +msgid "Channel became sticky!" +msgstr "" + +#: stickychan.cpp:189 +msgid "Channel stopped being sticky!" +msgstr "" + +#: stickychan.cpp:209 +msgid "" +"Channel {1} cannot be joined, it is an illegal channel name. Unsticking." +msgstr "" + +#: stickychan.cpp:246 +msgid "List of channels, separated by comma." +msgstr "" + +#: stickychan.cpp:251 +msgid "configless sticky chans, keeps you there very stickily even" +msgstr "" diff --git a/modules/po/stripcontrols.nl_NL.po b/modules/po/stripcontrols.nl_NL.po new file mode 100644 index 00000000..c48db224 --- /dev/null +++ b/modules/po/stripcontrols.nl_NL.po @@ -0,0 +1,18 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: nl\n" +"X-Crowdin-File: /1.7.x/modules/po/stripcontrols.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Dutch\n" +"Language: nl_NL\n" + +#: stripcontrols.cpp:63 +msgid "" +"Strips control codes (Colors, Bold, ..) from channel and private messages." +msgstr "" diff --git a/modules/po/watch.nl_NL.po b/modules/po/watch.nl_NL.po new file mode 100644 index 00000000..ef29e4bf --- /dev/null +++ b/modules/po/watch.nl_NL.po @@ -0,0 +1,249 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: nl\n" +"X-Crowdin-File: /1.7.x/modules/po/watch.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Dutch\n" +"Language: nl_NL\n" + +#: watch.cpp:334 +msgid "All entries cleared." +msgstr "" + +#: watch.cpp:344 +msgid "Buffer count is set to {1}" +msgstr "" + +#: watch.cpp:348 +msgid "Unknown command: {1}" +msgstr "" + +#: watch.cpp:397 +msgid "Disabled all entries." +msgstr "" + +#: watch.cpp:398 +msgid "Enabled all entries." +msgstr "" + +#: watch.cpp:405 watch.cpp:437 watch.cpp:470 watch.cpp:570 watch.cpp:585 +msgid "Invalid Id" +msgstr "" + +#: watch.cpp:414 +msgid "Id {1} disabled" +msgstr "" + +#: watch.cpp:416 +msgid "Id {1} enabled" +msgstr "" + +#: watch.cpp:428 +msgid "Set DetachedClientOnly for all entries to Yes" +msgstr "" + +#: watch.cpp:430 +msgid "Set DetachedClientOnly for all entries to No" +msgstr "" + +#: watch.cpp:446 watch.cpp:479 +msgid "Id {1} set to Yes" +msgstr "" + +#: watch.cpp:448 watch.cpp:481 +msgid "Id {1} set to No" +msgstr "" + +#: watch.cpp:461 +msgid "Set DetachedChannelOnly for all entries to Yes" +msgstr "" + +#: watch.cpp:463 +msgid "Set DetachedChannelOnly for all entries to No" +msgstr "" + +#: watch.cpp:487 watch.cpp:503 +msgid "Id" +msgstr "" + +#: watch.cpp:488 watch.cpp:504 +msgid "HostMask" +msgstr "" + +#: watch.cpp:489 watch.cpp:505 +msgid "Target" +msgstr "" + +#: watch.cpp:490 watch.cpp:506 +msgid "Pattern" +msgstr "" + +#: watch.cpp:491 watch.cpp:507 +msgid "Sources" +msgstr "" + +#: watch.cpp:492 watch.cpp:508 watch.cpp:509 +msgid "Off" +msgstr "" + +#: watch.cpp:493 watch.cpp:511 +msgid "DetachedClientOnly" +msgstr "" + +#: watch.cpp:494 watch.cpp:514 +msgid "DetachedChannelOnly" +msgstr "" + +#: watch.cpp:512 watch.cpp:515 +msgid "Yes" +msgstr "" + +#: watch.cpp:512 watch.cpp:515 +msgid "No" +msgstr "" + +#: watch.cpp:521 watch.cpp:527 +msgid "You have no entries." +msgstr "" + +#: watch.cpp:578 +msgid "Sources set for Id {1}." +msgstr "" + +#: watch.cpp:593 +msgid "Id {1} removed." +msgstr "" + +#: watch.cpp:600 watch.cpp:604 watch.cpp:609 watch.cpp:614 watch.cpp:620 +#: watch.cpp:625 watch.cpp:629 watch.cpp:633 watch.cpp:638 watch.cpp:645 +#: watch.cpp:652 watch.cpp:658 watch.cpp:664 +msgid "Command" +msgstr "" + +#: watch.cpp:601 watch.cpp:605 watch.cpp:610 watch.cpp:616 watch.cpp:621 +#: watch.cpp:626 watch.cpp:630 watch.cpp:634 watch.cpp:641 watch.cpp:648 +#: watch.cpp:654 watch.cpp:660 watch.cpp:665 +msgid "Description" +msgstr "" + +#: watch.cpp:604 +msgid "Add [Target] [Pattern]" +msgstr "" + +#: watch.cpp:606 +msgid "Used to add an entry to watch for." +msgstr "" + +#: watch.cpp:609 +msgid "List" +msgstr "" + +#: watch.cpp:611 +msgid "List all entries being watched." +msgstr "" + +#: watch.cpp:614 +msgid "Dump" +msgstr "" + +#: watch.cpp:617 +msgid "Dump a list of all current entries to be used later." +msgstr "" + +#: watch.cpp:620 +msgid "Del " +msgstr "" + +#: watch.cpp:622 +msgid "Deletes Id from the list of watched entries." +msgstr "" + +#: watch.cpp:625 +msgid "Clear" +msgstr "" + +#: watch.cpp:626 +msgid "Delete all entries." +msgstr "" + +#: watch.cpp:629 +msgid "Enable " +msgstr "" + +#: watch.cpp:630 +msgid "Enable a disabled entry." +msgstr "" + +#: watch.cpp:633 +msgid "Disable " +msgstr "" + +#: watch.cpp:635 +msgid "Disable (but don't delete) an entry." +msgstr "" + +#: watch.cpp:639 +msgid "SetDetachedClientOnly " +msgstr "" + +#: watch.cpp:642 +msgid "Enable or disable detached client only for an entry." +msgstr "" + +#: watch.cpp:646 +msgid "SetDetachedChannelOnly " +msgstr "" + +#: watch.cpp:649 +msgid "Enable or disable detached channel only for an entry." +msgstr "" + +#: watch.cpp:652 +msgid "Buffer [Count]" +msgstr "" + +#: watch.cpp:655 +msgid "Show/Set the amount of buffered lines while detached." +msgstr "" + +#: watch.cpp:659 +msgid "SetSources [#chan priv #foo* !#bar]" +msgstr "" + +#: watch.cpp:661 +msgid "Set the source channels that you care about." +msgstr "" + +#: watch.cpp:664 +msgid "Help" +msgstr "" + +#: watch.cpp:665 +msgid "This help." +msgstr "" + +#: watch.cpp:681 +msgid "Entry for {1} already exists." +msgstr "" + +#: watch.cpp:689 +msgid "Adding entry: {1} watching for [{2}] -> {3}" +msgstr "" + +#: watch.cpp:695 +msgid "Watch: Not enough arguments. Try Help" +msgstr "" + +#: watch.cpp:764 +msgid "WARNING: malformed entry found while loading" +msgstr "" + +#: watch.cpp:778 +msgid "Copy activity from a specific user into a separate window" +msgstr "" diff --git a/modules/po/webadmin.nl_NL.po b/modules/po/webadmin.nl_NL.po new file mode 100644 index 00000000..f574f111 --- /dev/null +++ b/modules/po/webadmin.nl_NL.po @@ -0,0 +1,1209 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: nl\n" +"X-Crowdin-File: /1.7.x/modules/po/webadmin.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Dutch\n" +"Language: nl_NL\n" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:12 +msgid "Channel Info" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:17 +msgid "Channel Name:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:19 +msgid "The channel name." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:24 +msgid "Key:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:26 +msgid "The password of the channel, if there is one." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:30 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:241 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:260 +msgid "Buffer Size:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:32 +msgid "The buffer count." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:36 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:235 +msgid "Default Modes:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:38 +msgid "The default modes of the channel." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:46 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:270 +msgid "Flags" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:51 +msgid "Save to config" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:67 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:282 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:410 +msgid "Module {1}" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:75 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:290 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:419 +msgid "Save and return" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:76 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:291 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:420 +msgid "Save and continue" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:78 +msgid "Add Channel and return" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:79 +msgid "Add Channel and continue" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:8 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:11 +msgid "<password>" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:11 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:12 +msgid "<network>" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:14 +msgid "" +"To connect to this network from your IRC client, you can set the server " +"password field as {1} or username field as {2}" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:24 +msgid "Network Info" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:25 +msgid "" +"Nick, AltNick, Ident, RealName, BindHost can be left empty to use the value " +"from the user." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:29 +msgid "Network Name:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:31 +msgid "The name of the IRC network." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:35 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:69 +msgid "Nickname:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:37 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:71 +msgid "Your nickname on IRC." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:40 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:74 +msgid "Alt. Nickname:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:42 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:76 +msgid "Your secondary nickname, if the first is not available on IRC." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:46 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:80 +msgid "Ident:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:48 +msgid "Your ident." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:51 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:91 +msgid "Realname:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:53 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:93 +msgid "Your real name." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:58 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:99 +msgid "BindHost:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:65 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:112 +msgid "Quit Message:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:67 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:114 +msgid "You may define a Message shown, when you quit IRC." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:71 +msgid "Active:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:73 +msgid "Connect to IRC & automatically re-connect" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:77 +msgid "Trust all certs:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:79 +msgid "" +"Disable certificate validation (takes precedence over TrustPKI). INSECURE!" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:83 +msgid "Trust the PKI:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:85 +msgid "" +"Setting this to false will trust only certificates you added fingerprints " +"for." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:89 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:96 +msgid "Servers of this IRC network:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:93 +msgid "One server per line, “host [[+]port] [password]”, + means SSL" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:101 +msgid "Hostname" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:102 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:13 +msgid "Port" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:103 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:15 +msgid "SSL" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:104 +msgid "Password" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:116 +msgid "SHA-256 fingerprints of trusted SSL certificates of this IRC network:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:120 +msgid "" +"When these certificates are encountered, checks for hostname, expiration " +"date, CA are skipped" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:124 +msgid "Flood protection:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:127 +msgid "" +"You might enable the flood protection. This prevents “excess flood” errors, " +"which occur, when your IRC bot is command flooded or spammed. After changing " +"this, reconnect ZNC to server." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:130 +msgctxt "Flood Protection" +msgid "Enabled" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:134 +msgid "Flood protection rate:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:137 +msgid "" +"The number of seconds per line. After changing this, reconnect ZNC to server." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:140 +msgid "{1} seconds per line" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:144 +msgid "Flood protection burst:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:147 +msgid "" +"Defines the number of lines, which can be sent immediately. After changing " +"this, reconnect ZNC to server." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:150 +msgid "{1} lines can be sent immediately" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:154 +msgid "Channel join delay:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:157 +msgid "" +"Defines the delay in seconds, until channels are joined after getting " +"connected." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:160 +msgid "{1} seconds" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:165 +msgid "Character encoding used between ZNC and IRC server." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:166 +msgid "Server encoding:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:176 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:231 +msgid "Channels" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:178 +msgid "" +"You will be able to add + modify channels here after you created the network." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:185 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:129 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:354 +#: modules/po/../data/webadmin/tmpl/listusers.tmpl:15 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:72 +msgid "Add" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:187 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:430 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:237 +msgid "Save" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:188 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:228 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:131 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:174 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:176 +msgid "Name" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:189 +msgid "CurModes" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:190 +msgid "DefModes" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:191 +msgid "BufferSize" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:192 +msgid "Options" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:194 +msgid "← Add a channel (opens in same page)" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:204 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:146 +#: modules/po/../data/webadmin/tmpl/listusers.tmpl:27 +msgid "Edit" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:204 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:146 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:53 +msgid "Del" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:222 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:168 +msgid "Modules" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:229 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:175 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:177 +msgid "Arguments" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:230 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:176 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:178 +msgid "Description" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:231 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:177 +msgid "Loaded globally" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:232 +msgid "Loaded by user" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:293 +msgid "Add Network and return" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:294 +msgid "Add Network and continue" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:15 +msgid "Authentication" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:19 +msgid "Username:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:29 +msgid "Please enter a username." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:34 +msgid "Password:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:36 +msgid "Please enter a password." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:39 +msgid "Confirm password:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:41 +msgid "Please re-type the above password." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:44 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:151 +msgid "Auth Only Via Module:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:46 +msgid "" +"Allow user authentication by external modules only, disabling built-in " +"password authentication." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:50 +msgid "Allowed IPs:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:54 +msgid "" +"Leave empty to allow connections from all IPs.
Otherwise, one entry per " +"line, wildcards * and ? are available." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:62 +msgid "IRC Information" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:64 +msgid "" +"Nick, AltNick, Ident, RealName and QuitMsg can be left empty to use default " +"values." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:82 +msgid "The Ident is sent to server as username." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:85 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:102 +msgid "Status Prefix:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:87 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:104 +msgid "The prefix for the status and module queries." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:105 +msgid "DCCBindHost:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:122 +#: modules/po/../data/webadmin/tmpl/listusers.tmpl:17 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:39 +msgid "Networks" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:132 +#: modules/po/../data/webadmin/tmpl/listusers.tmpl:18 +msgid "Clients" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:133 +msgid "Current Server" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:134 +msgid "Nick" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:136 +msgid "← Add a network (opens in same page)" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:160 +msgid "" +"You will be able to add + modify networks here after you have cloned the " +"user." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:162 +msgid "" +"You will be able to add + modify networks here after you have created the " +"user." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:178 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:179 +msgid "Loaded by networks" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:237 +msgid "" +"These are the default modes ZNC will set when you join an empty channel." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:238 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:244 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:263 +msgid "Empty = use standard value" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:243 +msgid "" +"This is the amount of lines that the playback buffer will store for channels " +"before dropping off the oldest line. The buffers are stored in the memory by " +"default." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:251 +msgid "Queries" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:255 +msgid "Max Buffers:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:257 +msgid "Maximum number of query buffers. 0 is unlimited." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:262 +msgid "" +"This is the amount of lines that the playback buffer will store for queries " +"before dropping off the oldest line. The buffers are stored in the memory by " +"default." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:285 +msgid "ZNC Behavior" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:286 +msgid "" +"Any of the following text boxes can be left empty to use their default value." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:290 +msgid "Timestamp Format:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:292 +msgid "" +"The format for the timestamps used in buffers, for example [%H:%M:%S]. This " +"setting is ignored in new IRC clients, which use server-time. If your client " +"supports server-time, change timestamp format in client settings instead." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:295 +msgid "Timezone:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:298 +msgid "E.g. Europe/Berlin, or GMT-6" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:306 +msgid "Character encoding used between IRC client and ZNC." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:307 +msgid "Client encoding:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:312 +msgid "Join Tries:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:314 +msgid "" +"This defines how many times ZNC tries to join a channel, if the first join " +"failed, e.g. due to channel mode +i/+k or if you are banned." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:317 +msgid "Join speed:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:319 +msgid "" +"How many channels are joined in one JOIN command. 0 is unlimited (default). " +"Set to small positive value if you get disconnected with “Max SendQ Exceeded”" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:322 +msgid "Timeout before reconnect:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:324 +msgid "" +"How much time ZNC waits (in seconds) until it receives something from " +"network or declares the connection timeout. This happens after attempts to " +"ping the peer." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:327 +msgid "Max IRC Networks Number:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:329 +msgid "Maximum number of IRC networks allowed for this user." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:332 +msgid "Substitutions" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:334 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:342 +msgid "CTCP Replies:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:338 +msgid "One reply per line. Example: TIME Buy a watch!" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:339 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:355 +msgid "{1} are available" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:341 +msgid "Empty value means this CTCP request will be ignored" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:347 +msgid "Request" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:348 +msgid "Response" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:373 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:90 +msgid "Skin:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:377 +msgid "- Global -" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:379 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:94 +msgid "Default" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:383 +msgid "No other skins found" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:389 +msgid "Language:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:422 +msgid "Clone and return" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:423 +msgid "Clone and continue" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:425 +msgid "Create and return" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:426 +msgid "Create and continue" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:432 +#: modules/po/../data/webadmin/tmpl/listusers.tmpl:28 +msgid "Clone" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:434 +msgid "Create" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/del_network.tmpl:5 +msgid "Confirm Network Deletion" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/del_network.tmpl:9 +msgid "Are you sure you want to delete network “{2}” of user “{1}”?" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/del_network.tmpl:14 +#: modules/po/../data/webadmin/tmpl/del_user.tmpl:14 +msgid "Yes" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/del_network.tmpl:17 +#: modules/po/../data/webadmin/tmpl/del_user.tmpl:17 +msgid "No" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/del_user.tmpl:5 +msgid "Confirm User Deletion" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/del_user.tmpl:9 +msgid "Are you sure you want to delete user “{1}”?" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:6 +msgid "ZNC is compiled without encodings support. {1} is required for it." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:11 +msgid "Legacy mode is disabled by modpython." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:18 +msgid "Don't ensure any encoding at all (legacy mode, not recommended)" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:22 +msgid "Try to parse as UTF-8 and as {1}, send as UTF-8 (recommended)" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:26 +msgid "Try to parse as UTF-8 and as {1}, send as {1}" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:30 +msgid "Parse and send as {1} only" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:36 +msgid "E.g. UTF-8, or ISO-8859-15" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/index.tmpl:5 +msgid "Welcome to the ZNC webadmin module." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/index.tmpl:6 +msgid "" +"All changes you make will be in effect immediately after you submitted them." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/listusers.tmpl:16 +msgid "Username" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/listusers.tmpl:29 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:21 +msgid "Delete" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:6 +msgid "Listen Port(s)" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:14 +msgid "BindHost" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:16 +msgid "IPv4" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:17 +msgid "IPv6" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:18 +msgid "IRC" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:19 +msgid "HTTP" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:20 +msgid "URIPrefix" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:56 +msgid "" +"To delete port which you use to access webadmin itself, either connect to " +"webadmin via another port, or do it in IRC (/znc DelPort)" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:56 +msgid "Current" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:86 +msgid "Settings" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:105 +msgid "Default for new users only." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:110 +msgid "Maximum Buffer Size:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:112 +msgid "Sets the global Max Buffer Size a user can have." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:117 +msgid "Connect Delay:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:119 +msgid "" +"The time between connection attempts to IRC servers, in seconds. This " +"affects the connection between ZNC and the IRC server; not the connection " +"between your IRC client and ZNC." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:124 +msgid "Server Throttle:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:126 +msgid "" +"The minimal time between two connect attempts to the same hostname, in " +"seconds. Some servers refuse your connection if you reconnect too fast." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:131 +msgid "Anonymous Connection Limit per IP:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:133 +msgid "Limits the number of unidentified connections per IP." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:138 +msgid "Protect Web Sessions:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:140 +msgid "Disallow IP changing during each web session" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:145 +msgid "Hide ZNC Version:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:147 +msgid "Hide version number from non-ZNC users" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:153 +msgid "Allow user authentication by external modules only" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:158 +msgid "MOTD:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:162 +msgid "“Message of the Day”, sent to all ZNC users on connect." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:170 +msgid "Global Modules" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:180 +msgid "Loaded by users" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:7 +msgid "Information" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:13 +msgid "Uptime" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:18 +msgid "Total Users" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:22 +msgid "Total Networks" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:26 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:43 +msgid "Attached Networks" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:30 +msgid "Total Client Connections" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:34 +msgid "Total IRC Connections" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:47 +msgid "Client Connections" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:51 +msgid "IRC Connections" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:63 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:72 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:89 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:117 +msgid "Total" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:70 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:115 +msgctxt "Traffic" +msgid "In" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:71 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:116 +msgctxt "Traffic" +msgid "Out" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:77 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:104 +msgid "Users" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:106 +msgid "Traffic" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:113 +msgid "User" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:114 +msgid "Network" +msgstr "" + +#: webadmin.cpp:91 webadmin.cpp:1879 +msgid "Global Settings" +msgstr "" + +#: webadmin.cpp:93 +msgid "Your Settings" +msgstr "" + +#: webadmin.cpp:94 webadmin.cpp:1691 +msgid "Traffic Info" +msgstr "" + +#: webadmin.cpp:97 webadmin.cpp:1670 +msgid "Manage Users" +msgstr "" + +#: webadmin.cpp:188 +msgid "Invalid Submission [Username is required]" +msgstr "" + +#: webadmin.cpp:201 +msgid "Invalid Submission [Passwords do not match]" +msgstr "" + +#: webadmin.cpp:323 +msgid "Timeout can't be less than 30 seconds!" +msgstr "" + +#: webadmin.cpp:407 webadmin.cpp:435 webadmin.cpp:1189 webadmin.cpp:2064 +msgid "Unable to load module [{1}]: {2}" +msgstr "" + +#: webadmin.cpp:412 webadmin.cpp:440 +msgid "Unable to load module [{1}] with arguments [{2}]" +msgstr "" + +#: webadmin.cpp:521 webadmin.cpp:625 webadmin.cpp:650 webadmin.cpp:672 +#: webadmin.cpp:706 webadmin.cpp:1256 +msgid "No such user" +msgstr "" + +#: webadmin.cpp:534 webadmin.cpp:566 webadmin.cpp:595 webadmin.cpp:611 +msgid "No such user or network" +msgstr "" + +#: webadmin.cpp:576 +msgid "No such channel" +msgstr "" + +#: webadmin.cpp:642 +msgid "Please don't delete yourself, suicide is not the answer!" +msgstr "" + +#: webadmin.cpp:715 webadmin.cpp:971 webadmin.cpp:1321 +msgid "Edit User [{1}]" +msgstr "" + +#: webadmin.cpp:719 webadmin.cpp:897 +msgid "Edit Network [{1}]" +msgstr "" + +#: webadmin.cpp:729 +msgid "Edit Channel [{1}] of Network [{2}] of User [{3}]" +msgstr "" + +#: webadmin.cpp:736 +msgid "Edit Channel [{1}]" +msgstr "" + +#: webadmin.cpp:744 +msgid "Add Channel to Network [{1}] of User [{2}]" +msgstr "" + +#: webadmin.cpp:749 +msgid "Add Channel" +msgstr "" + +#: webadmin.cpp:756 webadmin.cpp:1517 +msgid "Auto Clear Chan Buffer" +msgstr "" + +#: webadmin.cpp:758 +msgid "Automatically Clear Channel Buffer After Playback" +msgstr "" + +#: webadmin.cpp:766 +msgid "Detached" +msgstr "" + +#: webadmin.cpp:773 +msgid "Enabled" +msgstr "" + +#: webadmin.cpp:797 +msgid "Channel name is a required argument" +msgstr "" + +#: webadmin.cpp:806 +msgid "Channel [{1}] already exists" +msgstr "" + +#: webadmin.cpp:813 +msgid "Could not add channel [{1}]" +msgstr "" + +#: webadmin.cpp:861 +msgid "Channel was added/modified, but config file was not written" +msgstr "" + +#: webadmin.cpp:894 +msgid "Edit Network [{1}] of User [{2}]" +msgstr "" + +#: webadmin.cpp:901 webadmin.cpp:1078 +msgid "" +"Network number limit reached. Ask an admin to increase the limit for you, or " +"delete unneeded networks from Your Settings." +msgstr "" + +#: webadmin.cpp:909 +msgid "Add Network for User [{1}]" +msgstr "" + +#: webadmin.cpp:910 +msgid "Add Network" +msgstr "" + +#: webadmin.cpp:1072 +msgid "Network name is a required argument" +msgstr "" + +#: webadmin.cpp:1196 webadmin.cpp:2071 +msgid "Unable to reload module [{1}]: {2}" +msgstr "" + +#: webadmin.cpp:1233 +msgid "Network was added/modified, but config file was not written" +msgstr "" + +#: webadmin.cpp:1262 +msgid "That network doesn't exist for this user" +msgstr "" + +#: webadmin.cpp:1279 +msgid "Network was deleted, but config file was not written" +msgstr "" + +#: webadmin.cpp:1293 +msgid "That channel doesn't exist for this network" +msgstr "" + +#: webadmin.cpp:1302 +msgid "Channel was deleted, but config file was not written" +msgstr "" + +#: webadmin.cpp:1330 +msgid "Clone User [{1}]" +msgstr "" + +#: webadmin.cpp:1519 +msgid "" +"Automatically Clear Channel Buffer After Playback (the default value for new " +"channels)" +msgstr "" + +#: webadmin.cpp:1529 +msgid "Multi Clients" +msgstr "" + +#: webadmin.cpp:1536 +msgid "Append Timestamps" +msgstr "" + +#: webadmin.cpp:1543 +msgid "Prepend Timestamps" +msgstr "" + +#: webadmin.cpp:1551 +msgid "Deny LoadMod" +msgstr "" + +#: webadmin.cpp:1558 +msgid "Admin" +msgstr "" + +#: webadmin.cpp:1568 +msgid "Deny SetBindHost" +msgstr "" + +#: webadmin.cpp:1576 +msgid "Auto Clear Query Buffer" +msgstr "" + +#: webadmin.cpp:1578 +msgid "Automatically Clear Query Buffer After Playback" +msgstr "" + +#: webadmin.cpp:1602 +msgid "Invalid Submission: User {1} already exists" +msgstr "" + +#: webadmin.cpp:1624 webadmin.cpp:1635 +msgid "Invalid submission: {1}" +msgstr "" + +#: webadmin.cpp:1630 +msgid "User was added, but config file was not written" +msgstr "" + +#: webadmin.cpp:1641 +msgid "User was edited, but config file was not written" +msgstr "" + +#: webadmin.cpp:1799 +msgid "Choose either IPv4 or IPv6 or both." +msgstr "" + +#: webadmin.cpp:1816 +msgid "Choose either IRC or HTTP or both." +msgstr "" + +#: webadmin.cpp:1829 webadmin.cpp:1865 +msgid "Port was changed, but config file was not written" +msgstr "" + +#: webadmin.cpp:1855 +msgid "Invalid request." +msgstr "" + +#: webadmin.cpp:1869 +msgid "The specified listener was not found." +msgstr "" + +#: webadmin.cpp:2100 +msgid "Settings were changed, but config file was not written" +msgstr "" diff --git a/src/po/znc.id_ID.po b/src/po/znc.id_ID.po index dc0618eb..c1c4de94 100644 --- a/src/po/znc.id_ID.po +++ b/src/po/znc.id_ID.po @@ -14,35 +14,35 @@ msgstr "" #: webskins/_default_/tmpl/InfoBar.tmpl:6 msgid "Logged in as: {1}" -msgstr "" +msgstr "Masuk sebagai: {1}" #: webskins/_default_/tmpl/InfoBar.tmpl:8 msgid "Not logged in" -msgstr "" +msgstr "Belum masuk" #: webskins/_default_/tmpl/LoginBar.tmpl:3 msgid "Logout" -msgstr "" +msgstr "Keluar" #: webskins/_default_/tmpl/Menu.tmpl:4 msgid "Home" -msgstr "" +msgstr "Beranda" #: webskins/_default_/tmpl/Menu.tmpl:7 msgid "Global Modules" -msgstr "" +msgstr "Modul Umum" #: webskins/_default_/tmpl/Menu.tmpl:20 msgid "User Modules" -msgstr "" +msgstr "Modul Pengguna" #: webskins/_default_/tmpl/Menu.tmpl:35 msgid "Network Modules ({1})" -msgstr "" +msgstr "Modul Jaringan ({1})" #: webskins/_default_/tmpl/index.tmpl:6 msgid "Welcome to ZNC's web interface!" -msgstr "" +msgstr "Selamat datang di antarmuka web ZNC's!" #: webskins/_default_/tmpl/index.tmpl:11 msgid "" @@ -50,209 +50,227 @@ msgid "" "*status help
” and “/msg *status loadmod <module>”). Once you have loaded some Web-enabled modules, the menu will expand." msgstr "" +"Tidak ada modul Web-enabled dimuat. Muat modul dari IRC (\"/msg * " +"status help \" dan \"/msg * status loadmod <module>" +"\"). Setelah anda memuat beberapa modul Web-enabled, menu ini akan diperluas." #: znc.cpp:1563 msgid "User already exists" -msgstr "" +msgstr "Pengguna sudah ada" #: znc.cpp:1671 msgid "IPv6 is not enabled" -msgstr "" +msgstr "IPv6 tidak diaktifkan" #: znc.cpp:1679 msgid "SSL is not enabled" -msgstr "" +msgstr "SSL tidak diaktifkan" #: znc.cpp:1687 msgid "Unable to locate pem file: {1}" -msgstr "" +msgstr "Tidak dapat menemukan berkas pem: {1}" #: znc.cpp:1706 msgid "Invalid port" -msgstr "" +msgstr "Port tidak valid" #: znc.cpp:1822 ClientCommand.cpp:1629 msgid "Unable to bind: {1}" -msgstr "" +msgstr "Tidak dapat mengikat: {1}" #: IRCNetwork.cpp:236 msgid "Jumping servers because this server is no longer in the list" -msgstr "" +msgstr "Melompati server karena server ini tidak lagi dalam daftar" #: IRCNetwork.cpp:641 User.cpp:678 msgid "Welcome to ZNC" -msgstr "" +msgstr "Selamat datang di ZNC" #: IRCNetwork.cpp:729 msgid "You are currently disconnected from IRC. Use 'connect' to reconnect." msgstr "" +"Anda saat ini terputus dari IRC. Gunakan 'connect' untuk terhubung kembali." #: IRCNetwork.cpp:734 msgid "" "ZNC is presently running in DEBUG mode. Sensitive data during your current " "session may be exposed to the host." msgstr "" +"ZNC saat ini berjalan dalam mode DEBUG. Data sensitif selama sesi anda saat " +"ini mungkin tidak tersembunyi dari host." #: IRCNetwork.cpp:765 msgid "This network is being deleted or moved to another user." -msgstr "" +msgstr "Jaringan ini sedang dihapus atau dipindahkan ke pengguna lain." #: IRCNetwork.cpp:994 msgid "The channel {1} could not be joined, disabling it." -msgstr "" +msgstr "Tidak dapat join ke channel {1}. menonaktifkan." #: IRCNetwork.cpp:1123 msgid "Your current server was removed, jumping..." -msgstr "" +msgstr "Server anda saat ini dihapus, melompati..." #: IRCNetwork.cpp:1286 msgid "Cannot connect to {1}, because ZNC is not compiled with SSL support." msgstr "" +"Tidak dapat terhubung ke {1}, karena ZNC tidak dikompilasi dengan dukungan " +"SSL." #: IRCNetwork.cpp:1307 msgid "Some module aborted the connection attempt" -msgstr "" +msgstr "Beberapa modul membatalkan upaya koneksi" #: IRCSock.cpp:484 msgid "Error from server: {1}" -msgstr "" +msgstr "Kesalahan dari server: {1}" #: IRCSock.cpp:686 msgid "ZNC seems to be connected to itself, disconnecting..." -msgstr "" +msgstr "ZNC tampaknya terhubung dengan sendiri, memutuskan..." #: IRCSock.cpp:733 msgid "Server {1} redirects us to {2}:{3} with reason: {4}" -msgstr "" +msgstr "Server {1} mengalihkan ke {2}: {3} dengan alasan: {4}" #: IRCSock.cpp:737 msgid "Perhaps you want to add it as a new server." -msgstr "" +msgstr "Mungkin anda ingin menambahkannya sebagai server baru." #: IRCSock.cpp:967 msgid "Channel {1} is linked to another channel and was thus disabled." -msgstr "" +msgstr "Channel {1} terhubung ke channel lain dan karenanya dinonaktifkan." #: IRCSock.cpp:979 msgid "Switched to SSL (STARTTLS)" -msgstr "" +msgstr "Beralih ke SSL (STARTTLS)" #: IRCSock.cpp:1032 msgid "You quit: {1}" -msgstr "" +msgstr "Anda keluar: {1}" #: IRCSock.cpp:1238 msgid "Disconnected from IRC. Reconnecting..." -msgstr "" +msgstr "Terputus dari IRC. Menghubungkan..." #: IRCSock.cpp:1269 msgid "Cannot connect to IRC ({1}). Retrying..." -msgstr "" +msgstr "Tidak dapat terhubung ke IRC ({1}). Mencoba lagi..." #: IRCSock.cpp:1272 msgid "Disconnected from IRC ({1}). Reconnecting..." -msgstr "" +msgstr "Terputus dari IRC ({1}). Menghubungkan..." #: IRCSock.cpp:1302 msgid "If you trust this certificate, do /znc AddTrustedServerFingerprint {1}" msgstr "" +"Jika anda mempercayai sertifikat ini, lakukan /znc " +"AddTrustedServerFingerprint {1}" #: IRCSock.cpp:1319 msgid "IRC connection timed out. Reconnecting..." -msgstr "" +msgstr "Koneksi IRC kehabisan waktu. Menghubungkan..." #: IRCSock.cpp:1331 msgid "Connection Refused. Reconnecting..." -msgstr "" +msgstr "Koneksi tertolak. Menguhungkan..." #: IRCSock.cpp:1339 msgid "Received a too long line from the IRC server!" -msgstr "" +msgstr "Menerima baris terlalu panjang dari server IRC!" #: IRCSock.cpp:1443 msgid "No free nick available" -msgstr "" +msgstr "Tidak ada nick tersedia" #: IRCSock.cpp:1451 msgid "No free nick found" -msgstr "" +msgstr "Tidak ada nick ditemukan" #: Client.cpp:75 msgid "No such module {1}" -msgstr "" +msgstr "Modul tidak ada {1}" #: Client.cpp:365 msgid "A client from {1} attempted to login as you, but was rejected: {2}" -msgstr "" +msgstr "Klien dari {1} berusaha masuk seperti anda, namun ditolak: {2}" #: Client.cpp:400 msgid "Network {1} doesn't exist." -msgstr "" +msgstr "Jaringan {1} tidak ada." #: Client.cpp:414 msgid "" "You have several networks configured, but no network was specified for the " "connection." msgstr "" +"Anda memiliki beberapa jaringan terkonfigurasi, tetapi tidak ada jaringan " +"ditentukan untuk sambungan." #: Client.cpp:417 msgid "" "Selecting network {1}. To see list of all configured networks, use /znc " "ListNetworks" msgstr "" +"Memilih jaringan {1}. Untuk melihat daftar semua jaringan terkonfigurasi, " +"gunakan /znc ListNetworks" #: Client.cpp:420 msgid "" "If you want to choose another network, use /znc JumpNetwork , or " "connect to ZNC with username {1}/ (instead of just {1})" msgstr "" +"Jika anda ingin memilih jaringan lain, gunakan /znc JumpNetwork , " +"atau hubungkan ke ZNC dengan nama pengguna {1}/ (bukan hanya {1})" #: Client.cpp:426 msgid "" "You have no networks configured. Use /znc AddNetwork to add one." msgstr "" +"Anda tidak memiliki jaringan terkonfigurasi. Gunakan /znc AddNetwork " +" untuk menambahkannya." #: Client.cpp:437 msgid "Closing link: Timeout" -msgstr "" +msgstr "Menutup link: Waktu habis" #: Client.cpp:459 msgid "Closing link: Too long raw line" -msgstr "" +msgstr "Menutup link: Baris raw terlalu panjang" #: Client.cpp:466 msgid "" "You are being disconnected because another user just authenticated as you." -msgstr "" +msgstr "Anda terputus karena pengguna lain hanya diautentikasi sebagai anda." #: Client.cpp:1021 msgid "Your CTCP to {1} got lost, you are not connected to IRC!" -msgstr "" +msgstr "CTCP anda untuk {1} tersesat, anda tidak terhubung ke IRC!" #: Client.cpp:1148 msgid "Your notice to {1} got lost, you are not connected to IRC!" -msgstr "" +msgstr "Notice anda untuk {1} tersesat, anda tidak terhubung ke IRC!" #: Client.cpp:1187 msgid "Removing channel {1}" -msgstr "" +msgstr "Menghapus channel {1}" #: Client.cpp:1263 msgid "Your message to {1} got lost, you are not connected to IRC!" -msgstr "" +msgstr "Pesan anda untuk {1} tersesat, anda tidak terhubung ke IRC!" #: Client.cpp:1316 Client.cpp:1322 msgid "Hello. How may I help you?" -msgstr "" +msgstr "Halo. Bagaimana saya bisa membantu anda?" #: Client.cpp:1336 msgid "Usage: /attach <#chans>" -msgstr "" +msgstr "Gunakan: /attach <#chan>" #: Client.cpp:1343 Client.cpp:1365 ClientCommand.cpp:129 ClientCommand.cpp:151 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" -msgstr[0] "" +msgstr[0] "Ada {1} pencocokan saluran [{2}]" #: Client.cpp:1346 ClientCommand.cpp:132 msgid "Attached {1} channel" diff --git a/src/po/znc.nl_NL.po b/src/po/znc.nl_NL.po new file mode 100644 index 00000000..9583442d --- /dev/null +++ b/src/po/znc.nl_NL.po @@ -0,0 +1,1732 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: nl\n" +"X-Crowdin-File: /1.7.x/src/po/znc.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Dutch\n" +"Language: nl_NL\n" + +#: webskins/_default_/tmpl/InfoBar.tmpl:6 +msgid "Logged in as: {1}" +msgstr "" + +#: webskins/_default_/tmpl/InfoBar.tmpl:8 +msgid "Not logged in" +msgstr "" + +#: webskins/_default_/tmpl/LoginBar.tmpl:3 +msgid "Logout" +msgstr "" + +#: webskins/_default_/tmpl/Menu.tmpl:4 +msgid "Home" +msgstr "" + +#: webskins/_default_/tmpl/Menu.tmpl:7 +msgid "Global Modules" +msgstr "" + +#: webskins/_default_/tmpl/Menu.tmpl:20 +msgid "User Modules" +msgstr "" + +#: webskins/_default_/tmpl/Menu.tmpl:35 +msgid "Network Modules ({1})" +msgstr "" + +#: webskins/_default_/tmpl/index.tmpl:6 +msgid "Welcome to ZNC's web interface!" +msgstr "" + +#: webskins/_default_/tmpl/index.tmpl:11 +msgid "" +"No Web-enabled modules have been loaded. Load modules from IRC (“/msg " +"*status help” and “/msg *status loadmod <module>”). Once you have loaded some Web-enabled modules, the menu will expand." +msgstr "" + +#: znc.cpp:1563 +msgid "User already exists" +msgstr "" + +#: znc.cpp:1671 +msgid "IPv6 is not enabled" +msgstr "" + +#: znc.cpp:1679 +msgid "SSL is not enabled" +msgstr "" + +#: znc.cpp:1687 +msgid "Unable to locate pem file: {1}" +msgstr "" + +#: znc.cpp:1706 +msgid "Invalid port" +msgstr "" + +#: znc.cpp:1822 ClientCommand.cpp:1629 +msgid "Unable to bind: {1}" +msgstr "" + +#: IRCNetwork.cpp:236 +msgid "Jumping servers because this server is no longer in the list" +msgstr "" + +#: IRCNetwork.cpp:641 User.cpp:678 +msgid "Welcome to ZNC" +msgstr "" + +#: IRCNetwork.cpp:729 +msgid "You are currently disconnected from IRC. Use 'connect' to reconnect." +msgstr "" + +#: IRCNetwork.cpp:734 +msgid "" +"ZNC is presently running in DEBUG mode. Sensitive data during your current " +"session may be exposed to the host." +msgstr "" + +#: IRCNetwork.cpp:765 +msgid "This network is being deleted or moved to another user." +msgstr "" + +#: IRCNetwork.cpp:994 +msgid "The channel {1} could not be joined, disabling it." +msgstr "" + +#: IRCNetwork.cpp:1123 +msgid "Your current server was removed, jumping..." +msgstr "" + +#: IRCNetwork.cpp:1286 +msgid "Cannot connect to {1}, because ZNC is not compiled with SSL support." +msgstr "" + +#: IRCNetwork.cpp:1307 +msgid "Some module aborted the connection attempt" +msgstr "" + +#: IRCSock.cpp:484 +msgid "Error from server: {1}" +msgstr "" + +#: IRCSock.cpp:686 +msgid "ZNC seems to be connected to itself, disconnecting..." +msgstr "" + +#: IRCSock.cpp:733 +msgid "Server {1} redirects us to {2}:{3} with reason: {4}" +msgstr "" + +#: IRCSock.cpp:737 +msgid "Perhaps you want to add it as a new server." +msgstr "" + +#: IRCSock.cpp:967 +msgid "Channel {1} is linked to another channel and was thus disabled." +msgstr "" + +#: IRCSock.cpp:979 +msgid "Switched to SSL (STARTTLS)" +msgstr "" + +#: IRCSock.cpp:1032 +msgid "You quit: {1}" +msgstr "" + +#: IRCSock.cpp:1238 +msgid "Disconnected from IRC. Reconnecting..." +msgstr "" + +#: IRCSock.cpp:1269 +msgid "Cannot connect to IRC ({1}). Retrying..." +msgstr "" + +#: IRCSock.cpp:1272 +msgid "Disconnected from IRC ({1}). Reconnecting..." +msgstr "" + +#: IRCSock.cpp:1302 +msgid "If you trust this certificate, do /znc AddTrustedServerFingerprint {1}" +msgstr "" + +#: IRCSock.cpp:1319 +msgid "IRC connection timed out. Reconnecting..." +msgstr "" + +#: IRCSock.cpp:1331 +msgid "Connection Refused. Reconnecting..." +msgstr "" + +#: IRCSock.cpp:1339 +msgid "Received a too long line from the IRC server!" +msgstr "" + +#: IRCSock.cpp:1443 +msgid "No free nick available" +msgstr "" + +#: IRCSock.cpp:1451 +msgid "No free nick found" +msgstr "" + +#: Client.cpp:75 +msgid "No such module {1}" +msgstr "" + +#: Client.cpp:365 +msgid "A client from {1} attempted to login as you, but was rejected: {2}" +msgstr "" + +#: Client.cpp:400 +msgid "Network {1} doesn't exist." +msgstr "" + +#: Client.cpp:414 +msgid "" +"You have several networks configured, but no network was specified for the " +"connection." +msgstr "" + +#: Client.cpp:417 +msgid "" +"Selecting network {1}. To see list of all configured networks, use /znc " +"ListNetworks" +msgstr "" + +#: Client.cpp:420 +msgid "" +"If you want to choose another network, use /znc JumpNetwork , or " +"connect to ZNC with username {1}/ (instead of just {1})" +msgstr "" + +#: Client.cpp:426 +msgid "" +"You have no networks configured. Use /znc AddNetwork to add one." +msgstr "" + +#: Client.cpp:437 +msgid "Closing link: Timeout" +msgstr "" + +#: Client.cpp:459 +msgid "Closing link: Too long raw line" +msgstr "" + +#: Client.cpp:466 +msgid "" +"You are being disconnected because another user just authenticated as you." +msgstr "" + +#: Client.cpp:1021 +msgid "Your CTCP to {1} got lost, you are not connected to IRC!" +msgstr "" + +#: Client.cpp:1148 +msgid "Your notice to {1} got lost, you are not connected to IRC!" +msgstr "" + +#: Client.cpp:1187 +msgid "Removing channel {1}" +msgstr "" + +#: Client.cpp:1263 +msgid "Your message to {1} got lost, you are not connected to IRC!" +msgstr "" + +#: Client.cpp:1316 Client.cpp:1322 +msgid "Hello. How may I help you?" +msgstr "" + +#: Client.cpp:1336 +msgid "Usage: /attach <#chans>" +msgstr "" + +#: Client.cpp:1343 Client.cpp:1365 ClientCommand.cpp:129 ClientCommand.cpp:151 +msgid "There was {1} channel matching [{2}]" +msgid_plural "There were {1} channels matching [{2}]" +msgstr[0] "" +msgstr[1] "" + +#: Client.cpp:1346 ClientCommand.cpp:132 +msgid "Attached {1} channel" +msgid_plural "Attached {1} channels" +msgstr[0] "" +msgstr[1] "" + +#: Client.cpp:1358 +msgid "Usage: /detach <#chans>" +msgstr "" + +#: Client.cpp:1368 ClientCommand.cpp:154 +msgid "Detached {1} channel" +msgid_plural "Detached {1} channels" +msgstr[0] "" +msgstr[1] "" + +#: Chan.cpp:638 +msgid "Buffer Playback..." +msgstr "" + +#: Chan.cpp:676 +msgid "Playback Complete." +msgstr "" + +#: Modules.cpp:528 +msgctxt "modhelpcmd" +msgid "" +msgstr "" + +#: Modules.cpp:529 +msgctxt "modhelpcmd" +msgid "Generate this output" +msgstr "" + +#: Modules.cpp:573 ClientCommand.cpp:1894 +msgid "No matches for '{1}'" +msgstr "" + +#: Modules.cpp:691 +msgid "This module doesn't implement any commands." +msgstr "" + +#: Modules.cpp:693 +msgid "Unknown command!" +msgstr "" + +#: Modules.cpp:1633 +msgid "Module {1} already loaded." +msgstr "" + +#: Modules.cpp:1647 +msgid "Unable to find module {1}" +msgstr "" + +#: Modules.cpp:1659 +msgid "Module {1} does not support module type {2}." +msgstr "" + +#: Modules.cpp:1666 +msgid "Module {1} requires a user." +msgstr "" + +#: Modules.cpp:1672 +msgid "Module {1} requires a network." +msgstr "" + +#: Modules.cpp:1688 +msgid "Caught an exception" +msgstr "" + +#: Modules.cpp:1694 +msgid "Module {1} aborted: {2}" +msgstr "" + +#: Modules.cpp:1696 +msgid "Module {1} aborted." +msgstr "" + +#: Modules.cpp:1720 Modules.cpp:1762 +msgid "Module [{1}] not loaded." +msgstr "" + +#: Modules.cpp:1744 +msgid "Module {1} unloaded." +msgstr "" + +#: Modules.cpp:1749 +msgid "Unable to unload module {1}." +msgstr "" + +#: Modules.cpp:1778 +msgid "Reloaded module {1}." +msgstr "" + +#: Modules.cpp:1793 +msgid "Unable to find module {1}." +msgstr "" + +#: Modules.cpp:1919 +msgid "" +"Module names can only contain letters, numbers and underscores, [{1}] is " +"invalid" +msgstr "" + +#: Modules.cpp:1943 +msgid "Unknown error" +msgstr "" + +#: Modules.cpp:1944 +msgid "Unable to open module {1}: {2}" +msgstr "" + +#: Modules.cpp:1953 +msgid "Could not find ZNCModuleEntry in module {1}" +msgstr "" + +#: Modules.cpp:1961 +msgid "" +"Version mismatch for module {1}: core is {2}, module is built for {3}. " +"Recompile this module." +msgstr "" + +#: Modules.cpp:1972 +msgid "" +"Module {1} is built incompatibly: core is '{2}', module is '{3}'. Recompile " +"this module." +msgstr "" + +#: Modules.cpp:2002 Modules.cpp:2008 +msgctxt "modhelpcmd" +msgid "Command" +msgstr "" + +#: Modules.cpp:2003 Modules.cpp:2009 +msgctxt "modhelpcmd" +msgid "Description" +msgstr "" + +#: ClientCommand.cpp:51 ClientCommand.cpp:115 ClientCommand.cpp:137 +#: ClientCommand.cpp:749 ClientCommand.cpp:768 ClientCommand.cpp:794 +#: ClientCommand.cpp:827 ClientCommand.cpp:840 ClientCommand.cpp:853 +#: ClientCommand.cpp:868 ClientCommand.cpp:1321 ClientCommand.cpp:1369 +#: ClientCommand.cpp:1401 ClientCommand.cpp:1412 ClientCommand.cpp:1421 +#: ClientCommand.cpp:1433 +msgid "You must be connected with a network to use this command" +msgstr "" + +#: ClientCommand.cpp:58 +msgid "Usage: ListNicks <#chan>" +msgstr "" + +#: ClientCommand.cpp:65 +msgid "You are not on [{1}]" +msgstr "" + +#: ClientCommand.cpp:70 +msgid "You are not on [{1}] (trying)" +msgstr "" + +#: ClientCommand.cpp:79 +msgid "No nicks on [{1}]" +msgstr "" + +#: ClientCommand.cpp:91 ClientCommand.cpp:106 +msgid "Nick" +msgstr "" + +#: ClientCommand.cpp:92 ClientCommand.cpp:107 +msgid "Ident" +msgstr "" + +#: ClientCommand.cpp:93 ClientCommand.cpp:108 +msgid "Host" +msgstr "" + +#: ClientCommand.cpp:122 +msgid "Usage: Attach <#chans>" +msgstr "" + +#: ClientCommand.cpp:144 +msgid "Usage: Detach <#chans>" +msgstr "" + +#: ClientCommand.cpp:161 +msgid "There is no MOTD set." +msgstr "" + +#: ClientCommand.cpp:167 +msgid "Rehashing succeeded!" +msgstr "" + +#: ClientCommand.cpp:169 +msgid "Rehashing failed: {1}" +msgstr "" + +#: ClientCommand.cpp:173 +msgid "Wrote config to {1}" +msgstr "" + +#: ClientCommand.cpp:175 +msgid "Error while trying to write config." +msgstr "" + +#: ClientCommand.cpp:455 +msgid "Usage: ListChans" +msgstr "" + +#: ClientCommand.cpp:462 +msgid "No such user [{1}]" +msgstr "" + +#: ClientCommand.cpp:468 +msgid "User [{1}] doesn't have network [{2}]" +msgstr "" + +#: ClientCommand.cpp:479 +msgid "There are no channels defined." +msgstr "" + +#: ClientCommand.cpp:484 ClientCommand.cpp:500 +msgctxt "listchans" +msgid "Name" +msgstr "" + +#: ClientCommand.cpp:485 ClientCommand.cpp:503 +msgctxt "listchans" +msgid "Status" +msgstr "" + +#: ClientCommand.cpp:486 ClientCommand.cpp:510 +msgctxt "listchans" +msgid "In config" +msgstr "" + +#: ClientCommand.cpp:487 ClientCommand.cpp:512 +msgctxt "listchans" +msgid "Buffer" +msgstr "" + +#: ClientCommand.cpp:488 ClientCommand.cpp:516 +msgctxt "listchans" +msgid "Clear" +msgstr "" + +#: ClientCommand.cpp:489 ClientCommand.cpp:521 +msgctxt "listchans" +msgid "Modes" +msgstr "" + +#: ClientCommand.cpp:490 ClientCommand.cpp:522 +msgctxt "listchans" +msgid "Users" +msgstr "" + +#: ClientCommand.cpp:505 +msgctxt "listchans" +msgid "Detached" +msgstr "" + +#: ClientCommand.cpp:506 +msgctxt "listchans" +msgid "Joined" +msgstr "" + +#: ClientCommand.cpp:507 +msgctxt "listchans" +msgid "Disabled" +msgstr "" + +#: ClientCommand.cpp:508 +msgctxt "listchans" +msgid "Trying" +msgstr "" + +#: ClientCommand.cpp:511 ClientCommand.cpp:519 +msgctxt "listchans" +msgid "yes" +msgstr "" + +#: ClientCommand.cpp:536 +msgid "Total: {1}, Joined: {2}, Detached: {3}, Disabled: {4}" +msgstr "" + +#: ClientCommand.cpp:541 +msgid "" +"Network number limit reached. Ask an admin to increase the limit for you, or " +"delete unneeded networks using /znc DelNetwork " +msgstr "" + +#: ClientCommand.cpp:550 +msgid "Usage: AddNetwork " +msgstr "" + +#: ClientCommand.cpp:554 +msgid "Network name should be alphanumeric" +msgstr "" + +#: ClientCommand.cpp:561 +msgid "" +"Network added. Use /znc JumpNetwork {1}, or connect to ZNC with username {2} " +"(instead of just {3}) to connect to it." +msgstr "" + +#: ClientCommand.cpp:566 +msgid "Unable to add that network" +msgstr "" + +#: ClientCommand.cpp:573 +msgid "Usage: DelNetwork " +msgstr "" + +#: ClientCommand.cpp:582 +msgid "Network deleted" +msgstr "" + +#: ClientCommand.cpp:585 +msgid "Failed to delete network, perhaps this network doesn't exist" +msgstr "" + +#: ClientCommand.cpp:595 +msgid "User {1} not found" +msgstr "" + +#: ClientCommand.cpp:603 ClientCommand.cpp:611 +msgctxt "listnetworks" +msgid "Network" +msgstr "" + +#: ClientCommand.cpp:604 ClientCommand.cpp:613 ClientCommand.cpp:622 +msgctxt "listnetworks" +msgid "On IRC" +msgstr "" + +#: ClientCommand.cpp:605 ClientCommand.cpp:615 +msgctxt "listnetworks" +msgid "IRC Server" +msgstr "" + +#: ClientCommand.cpp:606 ClientCommand.cpp:617 +msgctxt "listnetworks" +msgid "IRC User" +msgstr "" + +#: ClientCommand.cpp:607 ClientCommand.cpp:619 +msgctxt "listnetworks" +msgid "Channels" +msgstr "" + +#: ClientCommand.cpp:614 +msgctxt "listnetworks" +msgid "Yes" +msgstr "" + +#: ClientCommand.cpp:623 +msgctxt "listnetworks" +msgid "No" +msgstr "" + +#: ClientCommand.cpp:628 +msgctxt "listnetworks" +msgid "No networks" +msgstr "" + +#: ClientCommand.cpp:632 ClientCommand.cpp:932 +msgid "Access denied." +msgstr "" + +#: ClientCommand.cpp:643 +msgid "Usage: MoveNetwork [new network]" +msgstr "" + +#: ClientCommand.cpp:653 +msgid "Old user {1} not found." +msgstr "" + +#: ClientCommand.cpp:659 +msgid "Old network {1} not found." +msgstr "" + +#: ClientCommand.cpp:665 +msgid "New user {1} not found." +msgstr "" + +#: ClientCommand.cpp:670 +msgid "User {1} already has network {2}." +msgstr "" + +#: ClientCommand.cpp:676 +msgid "Invalid network name [{1}]" +msgstr "" + +#: ClientCommand.cpp:692 +msgid "Some files seem to be in {1}. You might want to move them to {2}" +msgstr "" + +#: ClientCommand.cpp:706 +msgid "Error adding network: {1}" +msgstr "" + +#: ClientCommand.cpp:718 +msgid "Success." +msgstr "" + +#: ClientCommand.cpp:721 +msgid "Copied the network to new user, but failed to delete old network" +msgstr "" + +#: ClientCommand.cpp:728 +msgid "No network supplied." +msgstr "" + +#: ClientCommand.cpp:733 +msgid "You are already connected with this network." +msgstr "" + +#: ClientCommand.cpp:739 +msgid "Switched to {1}" +msgstr "" + +#: ClientCommand.cpp:742 +msgid "You don't have a network named {1}" +msgstr "" + +#: ClientCommand.cpp:754 +msgid "Usage: AddServer [[+]port] [pass]" +msgstr "" + +#: ClientCommand.cpp:759 +msgid "Server added" +msgstr "" + +#: ClientCommand.cpp:762 +msgid "" +"Unable to add that server. Perhaps the server is already added or openssl is " +"disabled?" +msgstr "" + +#: ClientCommand.cpp:777 +msgid "Usage: DelServer [port] [pass]" +msgstr "" + +#: ClientCommand.cpp:782 ClientCommand.cpp:822 +msgid "You don't have any servers added." +msgstr "" + +#: ClientCommand.cpp:787 +msgid "Server removed" +msgstr "" + +#: ClientCommand.cpp:789 +msgid "No such server" +msgstr "" + +#: ClientCommand.cpp:802 ClientCommand.cpp:809 +msgctxt "listservers" +msgid "Host" +msgstr "" + +#: ClientCommand.cpp:803 ClientCommand.cpp:811 +msgctxt "listservers" +msgid "Port" +msgstr "" + +#: ClientCommand.cpp:804 ClientCommand.cpp:814 +msgctxt "listservers" +msgid "SSL" +msgstr "" + +#: ClientCommand.cpp:805 ClientCommand.cpp:816 +msgctxt "listservers" +msgid "Password" +msgstr "" + +#: ClientCommand.cpp:815 +msgctxt "listservers|cell" +msgid "SSL" +msgstr "" + +#: ClientCommand.cpp:832 +msgid "Usage: AddTrustedServerFingerprint " +msgstr "" + +#: ClientCommand.cpp:836 ClientCommand.cpp:849 +msgid "Done." +msgstr "" + +#: ClientCommand.cpp:845 +msgid "Usage: DelTrustedServerFingerprint " +msgstr "" + +#: ClientCommand.cpp:858 +msgid "No fingerprints added." +msgstr "" + +#: ClientCommand.cpp:874 ClientCommand.cpp:880 +msgctxt "topicscmd" +msgid "Channel" +msgstr "" + +#: ClientCommand.cpp:875 ClientCommand.cpp:881 +msgctxt "topicscmd" +msgid "Set By" +msgstr "" + +#: ClientCommand.cpp:876 ClientCommand.cpp:882 +msgctxt "topicscmd" +msgid "Topic" +msgstr "" + +#: ClientCommand.cpp:889 ClientCommand.cpp:893 +msgctxt "listmods" +msgid "Name" +msgstr "" + +#: ClientCommand.cpp:890 ClientCommand.cpp:894 +msgctxt "listmods" +msgid "Arguments" +msgstr "" + +#: ClientCommand.cpp:902 +msgid "No global modules loaded." +msgstr "" + +#: ClientCommand.cpp:904 ClientCommand.cpp:964 +msgid "Global modules:" +msgstr "" + +#: ClientCommand.cpp:912 +msgid "Your user has no modules loaded." +msgstr "" + +#: ClientCommand.cpp:914 ClientCommand.cpp:975 +msgid "User modules:" +msgstr "" + +#: ClientCommand.cpp:921 +msgid "This network has no modules loaded." +msgstr "" + +#: ClientCommand.cpp:923 ClientCommand.cpp:986 +msgid "Network modules:" +msgstr "" + +#: ClientCommand.cpp:938 ClientCommand.cpp:944 +msgctxt "listavailmods" +msgid "Name" +msgstr "" + +#: ClientCommand.cpp:939 ClientCommand.cpp:949 +msgctxt "listavailmods" +msgid "Description" +msgstr "" + +#: ClientCommand.cpp:962 +msgid "No global modules available." +msgstr "" + +#: ClientCommand.cpp:973 +msgid "No user modules available." +msgstr "" + +#: ClientCommand.cpp:984 +msgid "No network modules available." +msgstr "" + +#: ClientCommand.cpp:1012 +msgid "Unable to load {1}: Access denied." +msgstr "" + +#: ClientCommand.cpp:1018 +msgid "Usage: LoadMod [--type=global|user|network] [args]" +msgstr "" + +#: ClientCommand.cpp:1025 +msgid "Unable to load {1}: {2}" +msgstr "" + +#: ClientCommand.cpp:1035 +msgid "Unable to load global module {1}: Access denied." +msgstr "" + +#: ClientCommand.cpp:1041 +msgid "Unable to load network module {1}: Not connected with a network." +msgstr "" + +#: ClientCommand.cpp:1063 +msgid "Unknown module type" +msgstr "" + +#: ClientCommand.cpp:1068 +msgid "Loaded module {1}" +msgstr "" + +#: ClientCommand.cpp:1070 +msgid "Loaded module {1}: {2}" +msgstr "" + +#: ClientCommand.cpp:1073 +msgid "Unable to load module {1}: {2}" +msgstr "" + +#: ClientCommand.cpp:1096 +msgid "Unable to unload {1}: Access denied." +msgstr "" + +#: ClientCommand.cpp:1102 +msgid "Usage: UnloadMod [--type=global|user|network] " +msgstr "" + +#: ClientCommand.cpp:1111 +msgid "Unable to determine type of {1}: {2}" +msgstr "" + +#: ClientCommand.cpp:1119 +msgid "Unable to unload global module {1}: Access denied." +msgstr "" + +#: ClientCommand.cpp:1126 +msgid "Unable to unload network module {1}: Not connected with a network." +msgstr "" + +#: ClientCommand.cpp:1145 +msgid "Unable to unload module {1}: Unknown module type" +msgstr "" + +#: ClientCommand.cpp:1158 +msgid "Unable to reload modules. Access denied." +msgstr "" + +#: ClientCommand.cpp:1179 +msgid "Usage: ReloadMod [--type=global|user|network] [args]" +msgstr "" + +#: ClientCommand.cpp:1188 +msgid "Unable to reload {1}: {2}" +msgstr "" + +#: ClientCommand.cpp:1196 +msgid "Unable to reload global module {1}: Access denied." +msgstr "" + +#: ClientCommand.cpp:1203 +msgid "Unable to reload network module {1}: Not connected with a network." +msgstr "" + +#: ClientCommand.cpp:1225 +msgid "Unable to reload module {1}: Unknown module type" +msgstr "" + +#: ClientCommand.cpp:1236 +msgid "Usage: UpdateMod " +msgstr "" + +#: ClientCommand.cpp:1240 +msgid "Reloading {1} everywhere" +msgstr "" + +#: ClientCommand.cpp:1242 +msgid "Done" +msgstr "" + +#: ClientCommand.cpp:1245 +msgid "" +"Done, but there were errors, module {1} could not be reloaded everywhere." +msgstr "" + +#: ClientCommand.cpp:1253 +msgid "" +"You must be connected with a network to use this command. Try " +"SetUserBindHost instead" +msgstr "" + +#: ClientCommand.cpp:1260 +msgid "Usage: SetBindHost " +msgstr "" + +#: ClientCommand.cpp:1265 ClientCommand.cpp:1282 +msgid "You already have this bind host!" +msgstr "" + +#: ClientCommand.cpp:1270 +msgid "Set bind host for network {1} to {2}" +msgstr "" + +#: ClientCommand.cpp:1277 +msgid "Usage: SetUserBindHost " +msgstr "" + +#: ClientCommand.cpp:1287 +msgid "Set default bind host to {1}" +msgstr "" + +#: ClientCommand.cpp:1293 +msgid "" +"You must be connected with a network to use this command. Try " +"ClearUserBindHost instead" +msgstr "" + +#: ClientCommand.cpp:1298 +msgid "Bind host cleared for this network." +msgstr "" + +#: ClientCommand.cpp:1302 +msgid "Default bind host cleared for your user." +msgstr "" + +#: ClientCommand.cpp:1305 +msgid "This user's default bind host not set" +msgstr "" + +#: ClientCommand.cpp:1307 +msgid "This user's default bind host is {1}" +msgstr "" + +#: ClientCommand.cpp:1312 +msgid "This network's bind host not set" +msgstr "" + +#: ClientCommand.cpp:1314 +msgid "This network's default bind host is {1}" +msgstr "" + +#: ClientCommand.cpp:1328 +msgid "Usage: PlayBuffer <#chan|query>" +msgstr "" + +#: ClientCommand.cpp:1336 +msgid "You are not on {1}" +msgstr "" + +#: ClientCommand.cpp:1341 +msgid "You are not on {1} (trying to join)" +msgstr "" + +#: ClientCommand.cpp:1346 +msgid "The buffer for channel {1} is empty" +msgstr "" + +#: ClientCommand.cpp:1355 +msgid "No active query with {1}" +msgstr "" + +#: ClientCommand.cpp:1360 +msgid "The buffer for {1} is empty" +msgstr "" + +#: ClientCommand.cpp:1376 +msgid "Usage: ClearBuffer <#chan|query>" +msgstr "" + +#: ClientCommand.cpp:1395 +msgid "{1} buffer matching {2} has been cleared" +msgid_plural "{1} buffers matching {2} have been cleared" +msgstr[0] "" +msgstr[1] "" + +#: ClientCommand.cpp:1408 +msgid "All channel buffers have been cleared" +msgstr "" + +#: ClientCommand.cpp:1417 +msgid "All query buffers have been cleared" +msgstr "" + +#: ClientCommand.cpp:1429 +msgid "All buffers have been cleared" +msgstr "" + +#: ClientCommand.cpp:1440 +msgid "Usage: SetBuffer <#chan|query> [linecount]" +msgstr "" + +#: ClientCommand.cpp:1461 +msgid "Setting buffer size failed for {1} buffer" +msgid_plural "Setting buffer size failed for {1} buffers" +msgstr[0] "" +msgstr[1] "" + +#: ClientCommand.cpp:1464 +msgid "Maximum buffer size is {1} line" +msgid_plural "Maximum buffer size is {1} lines" +msgstr[0] "" +msgstr[1] "" + +#: ClientCommand.cpp:1469 +msgid "Size of every buffer was set to {1} line" +msgid_plural "Size of every buffer was set to {1} lines" +msgstr[0] "" +msgstr[1] "" + +#: ClientCommand.cpp:1479 ClientCommand.cpp:1486 ClientCommand.cpp:1497 +#: ClientCommand.cpp:1506 ClientCommand.cpp:1514 +msgctxt "trafficcmd" +msgid "Username" +msgstr "" + +#: ClientCommand.cpp:1480 ClientCommand.cpp:1487 ClientCommand.cpp:1499 +#: ClientCommand.cpp:1508 ClientCommand.cpp:1516 +msgctxt "trafficcmd" +msgid "In" +msgstr "" + +#: ClientCommand.cpp:1481 ClientCommand.cpp:1489 ClientCommand.cpp:1500 +#: ClientCommand.cpp:1509 ClientCommand.cpp:1517 +msgctxt "trafficcmd" +msgid "Out" +msgstr "" + +#: ClientCommand.cpp:1482 ClientCommand.cpp:1492 ClientCommand.cpp:1502 +#: ClientCommand.cpp:1510 ClientCommand.cpp:1519 +msgctxt "trafficcmd" +msgid "Total" +msgstr "" + +#: ClientCommand.cpp:1498 +msgctxt "trafficcmd" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1507 +msgctxt "trafficcmd" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1515 +msgctxt "trafficcmd" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1524 +msgid "Running for {1}" +msgstr "" + +#: ClientCommand.cpp:1530 +msgid "Unknown command, try 'Help'" +msgstr "" + +#: ClientCommand.cpp:1539 ClientCommand.cpp:1550 +msgctxt "listports" +msgid "Port" +msgstr "" + +#: ClientCommand.cpp:1540 ClientCommand.cpp:1551 +msgctxt "listports" +msgid "BindHost" +msgstr "" + +#: ClientCommand.cpp:1541 ClientCommand.cpp:1554 +msgctxt "listports" +msgid "SSL" +msgstr "" + +#: ClientCommand.cpp:1542 ClientCommand.cpp:1559 +msgctxt "listports" +msgid "Protocol" +msgstr "" + +#: ClientCommand.cpp:1543 ClientCommand.cpp:1566 +msgctxt "listports" +msgid "IRC" +msgstr "" + +#: ClientCommand.cpp:1544 ClientCommand.cpp:1571 +msgctxt "listports" +msgid "Web" +msgstr "" + +#: ClientCommand.cpp:1555 +msgctxt "listports|ssl" +msgid "yes" +msgstr "" + +#: ClientCommand.cpp:1556 +msgctxt "listports|ssl" +msgid "no" +msgstr "" + +#: ClientCommand.cpp:1560 +msgctxt "listports" +msgid "IPv4 and IPv6" +msgstr "" + +#: ClientCommand.cpp:1562 +msgctxt "listports" +msgid "IPv4" +msgstr "" + +#: ClientCommand.cpp:1563 +msgctxt "listports" +msgid "IPv6" +msgstr "" + +#: ClientCommand.cpp:1569 +msgctxt "listports|irc" +msgid "yes" +msgstr "" + +#: ClientCommand.cpp:1570 +msgctxt "listports|irc" +msgid "no" +msgstr "" + +#: ClientCommand.cpp:1574 +msgctxt "listports|irc" +msgid "yes, on {1}" +msgstr "" + +#: ClientCommand.cpp:1576 +msgctxt "listports|web" +msgid "no" +msgstr "" + +#: ClientCommand.cpp:1616 +msgid "" +"Usage: AddPort <[+]port> [bindhost [uriprefix]]" +msgstr "" + +#: ClientCommand.cpp:1632 +msgid "Port added" +msgstr "" + +#: ClientCommand.cpp:1634 +msgid "Couldn't add port" +msgstr "" + +#: ClientCommand.cpp:1640 +msgid "Usage: DelPort [bindhost]" +msgstr "" + +#: ClientCommand.cpp:1649 +msgid "Deleted Port" +msgstr "" + +#: ClientCommand.cpp:1651 +msgid "Unable to find a matching port" +msgstr "" + +#: ClientCommand.cpp:1659 ClientCommand.cpp:1673 +msgctxt "helpcmd" +msgid "Command" +msgstr "" + +#: ClientCommand.cpp:1660 ClientCommand.cpp:1674 +msgctxt "helpcmd" +msgid "Description" +msgstr "" + +#: ClientCommand.cpp:1664 +msgid "" +"In the following list all occurrences of <#chan> support wildcards (* and ?) " +"except ListNicks" +msgstr "" + +#: ClientCommand.cpp:1680 +msgctxt "helpcmd|Version|desc" +msgid "Print which version of ZNC this is" +msgstr "" + +#: ClientCommand.cpp:1683 +msgctxt "helpcmd|ListMods|desc" +msgid "List all loaded modules" +msgstr "" + +#: ClientCommand.cpp:1686 +msgctxt "helpcmd|ListAvailMods|desc" +msgid "List all available modules" +msgstr "" + +#: ClientCommand.cpp:1690 ClientCommand.cpp:1876 +msgctxt "helpcmd|ListChans|desc" +msgid "List all channels" +msgstr "" + +#: ClientCommand.cpp:1693 +msgctxt "helpcmd|ListNicks|args" +msgid "<#chan>" +msgstr "" + +#: ClientCommand.cpp:1694 +msgctxt "helpcmd|ListNicks|desc" +msgid "List all nicks on a channel" +msgstr "" + +#: ClientCommand.cpp:1697 +msgctxt "helpcmd|ListClients|desc" +msgid "List all clients connected to your ZNC user" +msgstr "" + +#: ClientCommand.cpp:1701 +msgctxt "helpcmd|ListServers|desc" +msgid "List all servers of current IRC network" +msgstr "" + +#: ClientCommand.cpp:1705 +msgctxt "helpcmd|AddNetwork|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1706 +msgctxt "helpcmd|AddNetwork|desc" +msgid "Add a network to your user" +msgstr "" + +#: ClientCommand.cpp:1708 +msgctxt "helpcmd|DelNetwork|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1709 +msgctxt "helpcmd|DelNetwork|desc" +msgid "Delete a network from your user" +msgstr "" + +#: ClientCommand.cpp:1711 +msgctxt "helpcmd|ListNetworks|desc" +msgid "List all networks" +msgstr "" + +#: ClientCommand.cpp:1714 +msgctxt "helpcmd|MoveNetwork|args" +msgid " [new network]" +msgstr "" + +#: ClientCommand.cpp:1716 +msgctxt "helpcmd|MoveNetwork|desc" +msgid "Move an IRC network from one user to another" +msgstr "" + +#: ClientCommand.cpp:1720 +msgctxt "helpcmd|JumpNetwork|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1721 +msgctxt "helpcmd|JumpNetwork|desc" +msgid "" +"Jump to another network (Alternatively, you can connect to ZNC several " +"times, using `user/network` as username)" +msgstr "" + +#: ClientCommand.cpp:1726 +msgctxt "helpcmd|AddServer|args" +msgid " [[+]port] [pass]" +msgstr "" + +#: ClientCommand.cpp:1727 +msgctxt "helpcmd|AddServer|desc" +msgid "" +"Add a server to the list of alternate/backup servers of current IRC network." +msgstr "" + +#: ClientCommand.cpp:1731 +msgctxt "helpcmd|DelServer|args" +msgid " [port] [pass]" +msgstr "" + +#: ClientCommand.cpp:1732 +msgctxt "helpcmd|DelServer|desc" +msgid "" +"Remove a server from the list of alternate/backup servers of current IRC " +"network" +msgstr "" + +#: ClientCommand.cpp:1738 +msgctxt "helpcmd|AddTrustedServerFingerprint|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1739 +msgctxt "helpcmd|AddTrustedServerFingerprint|desc" +msgid "" +"Add a trusted server SSL certificate fingerprint (SHA-256) to current IRC " +"network." +msgstr "" + +#: ClientCommand.cpp:1744 +msgctxt "helpcmd|DelTrustedServerFingerprint|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1745 +msgctxt "helpcmd|DelTrustedServerFingerprint|desc" +msgid "Delete a trusted server SSL certificate from current IRC network." +msgstr "" + +#: ClientCommand.cpp:1749 +msgctxt "helpcmd|ListTrustedServerFingerprints|desc" +msgid "List all trusted server SSL certificates of current IRC network." +msgstr "" + +#: ClientCommand.cpp:1752 +msgctxt "helpcmd|EnableChan|args" +msgid "<#chans>" +msgstr "" + +#: ClientCommand.cpp:1753 +msgctxt "helpcmd|EnableChan|desc" +msgid "Enable channels" +msgstr "" + +#: ClientCommand.cpp:1754 +msgctxt "helpcmd|DisableChan|args" +msgid "<#chans>" +msgstr "" + +#: ClientCommand.cpp:1755 +msgctxt "helpcmd|DisableChan|desc" +msgid "Disable channels" +msgstr "" + +#: ClientCommand.cpp:1756 +msgctxt "helpcmd|Attach|args" +msgid "<#chans>" +msgstr "" + +#: ClientCommand.cpp:1757 +msgctxt "helpcmd|Attach|desc" +msgid "Attach to channels" +msgstr "" + +#: ClientCommand.cpp:1758 +msgctxt "helpcmd|Detach|args" +msgid "<#chans>" +msgstr "" + +#: ClientCommand.cpp:1759 +msgctxt "helpcmd|Detach|desc" +msgid "Detach from channels" +msgstr "" + +#: ClientCommand.cpp:1762 +msgctxt "helpcmd|Topics|desc" +msgid "Show topics in all your channels" +msgstr "" + +#: ClientCommand.cpp:1765 +msgctxt "helpcmd|PlayBuffer|args" +msgid "<#chan|query>" +msgstr "" + +#: ClientCommand.cpp:1766 +msgctxt "helpcmd|PlayBuffer|desc" +msgid "Play back the specified buffer" +msgstr "" + +#: ClientCommand.cpp:1768 +msgctxt "helpcmd|ClearBuffer|args" +msgid "<#chan|query>" +msgstr "" + +#: ClientCommand.cpp:1769 +msgctxt "helpcmd|ClearBuffer|desc" +msgid "Clear the specified buffer" +msgstr "" + +#: ClientCommand.cpp:1771 +msgctxt "helpcmd|ClearAllBuffers|desc" +msgid "Clear all channel and query buffers" +msgstr "" + +#: ClientCommand.cpp:1774 +msgctxt "helpcmd|ClearAllChannelBuffers|desc" +msgid "Clear the channel buffers" +msgstr "" + +#: ClientCommand.cpp:1778 +msgctxt "helpcmd|ClearAllQueryBuffers|desc" +msgid "Clear the query buffers" +msgstr "" + +#: ClientCommand.cpp:1780 +msgctxt "helpcmd|SetBuffer|args" +msgid "<#chan|query> [linecount]" +msgstr "" + +#: ClientCommand.cpp:1781 +msgctxt "helpcmd|SetBuffer|desc" +msgid "Set the buffer count" +msgstr "" + +#: ClientCommand.cpp:1785 +msgctxt "helpcmd|SetBindHost|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1786 +msgctxt "helpcmd|SetBindHost|desc" +msgid "Set the bind host for this network" +msgstr "" + +#: ClientCommand.cpp:1790 +msgctxt "helpcmd|SetUserBindHost|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1791 +msgctxt "helpcmd|SetUserBindHost|desc" +msgid "Set the default bind host for this user" +msgstr "" + +#: ClientCommand.cpp:1794 +msgctxt "helpcmd|ClearBindHost|desc" +msgid "Clear the bind host for this network" +msgstr "" + +#: ClientCommand.cpp:1797 +msgctxt "helpcmd|ClearUserBindHost|desc" +msgid "Clear the default bind host for this user" +msgstr "" + +#: ClientCommand.cpp:1803 +msgctxt "helpcmd|ShowBindHost|desc" +msgid "Show currently selected bind host" +msgstr "" + +#: ClientCommand.cpp:1805 +msgctxt "helpcmd|Jump|args" +msgid "[server]" +msgstr "" + +#: ClientCommand.cpp:1806 +msgctxt "helpcmd|Jump|desc" +msgid "Jump to the next or the specified server" +msgstr "" + +#: ClientCommand.cpp:1807 +msgctxt "helpcmd|Disconnect|args" +msgid "[message]" +msgstr "" + +#: ClientCommand.cpp:1808 +msgctxt "helpcmd|Disconnect|desc" +msgid "Disconnect from IRC" +msgstr "" + +#: ClientCommand.cpp:1810 +msgctxt "helpcmd|Connect|desc" +msgid "Reconnect to IRC" +msgstr "" + +#: ClientCommand.cpp:1813 +msgctxt "helpcmd|Uptime|desc" +msgid "Show for how long ZNC has been running" +msgstr "" + +#: ClientCommand.cpp:1817 +msgctxt "helpcmd|LoadMod|args" +msgid "[--type=global|user|network] " +msgstr "" + +#: ClientCommand.cpp:1819 +msgctxt "helpcmd|LoadMod|desc" +msgid "Load a module" +msgstr "" + +#: ClientCommand.cpp:1821 +msgctxt "helpcmd|UnloadMod|args" +msgid "[--type=global|user|network] " +msgstr "" + +#: ClientCommand.cpp:1823 +msgctxt "helpcmd|UnloadMod|desc" +msgid "Unload a module" +msgstr "" + +#: ClientCommand.cpp:1825 +msgctxt "helpcmd|ReloadMod|args" +msgid "[--type=global|user|network] " +msgstr "" + +#: ClientCommand.cpp:1827 +msgctxt "helpcmd|ReloadMod|desc" +msgid "Reload a module" +msgstr "" + +#: ClientCommand.cpp:1830 +msgctxt "helpcmd|UpdateMod|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1831 +msgctxt "helpcmd|UpdateMod|desc" +msgid "Reload a module everywhere" +msgstr "" + +#: ClientCommand.cpp:1837 +msgctxt "helpcmd|ShowMOTD|desc" +msgid "Show ZNC's message of the day" +msgstr "" + +#: ClientCommand.cpp:1841 +msgctxt "helpcmd|SetMOTD|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1842 +msgctxt "helpcmd|SetMOTD|desc" +msgid "Set ZNC's message of the day" +msgstr "" + +#: ClientCommand.cpp:1844 +msgctxt "helpcmd|AddMOTD|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1845 +msgctxt "helpcmd|AddMOTD|desc" +msgid "Append to ZNC's MOTD" +msgstr "" + +#: ClientCommand.cpp:1847 +msgctxt "helpcmd|ClearMOTD|desc" +msgid "Clear ZNC's MOTD" +msgstr "" + +#: ClientCommand.cpp:1850 +msgctxt "helpcmd|ListPorts|desc" +msgid "Show all active listeners" +msgstr "" + +#: ClientCommand.cpp:1852 +msgctxt "helpcmd|AddPort|args" +msgid "<[+]port> [bindhost [uriprefix]]" +msgstr "" + +#: ClientCommand.cpp:1855 +msgctxt "helpcmd|AddPort|desc" +msgid "Add another port for ZNC to listen on" +msgstr "" + +#: ClientCommand.cpp:1859 +msgctxt "helpcmd|DelPort|args" +msgid " [bindhost]" +msgstr "" + +#: ClientCommand.cpp:1860 +msgctxt "helpcmd|DelPort|desc" +msgid "Remove a port from ZNC" +msgstr "" + +#: ClientCommand.cpp:1863 +msgctxt "helpcmd|Rehash|desc" +msgid "Reload global settings, modules, and listeners from znc.conf" +msgstr "" + +#: ClientCommand.cpp:1866 +msgctxt "helpcmd|SaveConfig|desc" +msgid "Save the current settings to disk" +msgstr "" + +#: ClientCommand.cpp:1869 +msgctxt "helpcmd|ListUsers|desc" +msgid "List all ZNC users and their connection status" +msgstr "" + +#: ClientCommand.cpp:1872 +msgctxt "helpcmd|ListAllUserNetworks|desc" +msgid "List all ZNC users and their networks" +msgstr "" + +#: ClientCommand.cpp:1875 +msgctxt "helpcmd|ListChans|args" +msgid "[user ]" +msgstr "" + +#: ClientCommand.cpp:1878 +msgctxt "helpcmd|ListClients|args" +msgid "[user]" +msgstr "" + +#: ClientCommand.cpp:1879 +msgctxt "helpcmd|ListClients|desc" +msgid "List all connected clients" +msgstr "" + +#: ClientCommand.cpp:1881 +msgctxt "helpcmd|Traffic|desc" +msgid "Show basic traffic stats for all ZNC users" +msgstr "" + +#: ClientCommand.cpp:1883 +msgctxt "helpcmd|Broadcast|args" +msgid "[message]" +msgstr "" + +#: ClientCommand.cpp:1884 +msgctxt "helpcmd|Broadcast|desc" +msgid "Broadcast a message to all ZNC users" +msgstr "" + +#: ClientCommand.cpp:1887 +msgctxt "helpcmd|Shutdown|args" +msgid "[message]" +msgstr "" + +#: ClientCommand.cpp:1888 +msgctxt "helpcmd|Shutdown|desc" +msgid "Shut down ZNC completely" +msgstr "" + +#: ClientCommand.cpp:1889 +msgctxt "helpcmd|Restart|args" +msgid "[message]" +msgstr "" + +#: ClientCommand.cpp:1890 +msgctxt "helpcmd|Restart|desc" +msgid "Restart ZNC" +msgstr "" + +#: Socket.cpp:336 +msgid "Can't resolve server hostname" +msgstr "" + +#: Socket.cpp:343 +msgid "" +"Can't resolve bind hostname. Try /znc ClearBindHost and /znc " +"ClearUserBindHost" +msgstr "" + +#: Socket.cpp:348 +msgid "Server address is IPv4-only, but bindhost is IPv6-only" +msgstr "" + +#: Socket.cpp:357 +msgid "Server address is IPv6-only, but bindhost is IPv4-only" +msgstr "" + +#: Socket.cpp:515 +msgid "Some socket reached its max buffer limit and was closed!" +msgstr "" + +#: SSLVerifyHost.cpp:448 +msgid "hostname doesn't match" +msgstr "" + +#: SSLVerifyHost.cpp:452 +msgid "malformed hostname in certificate" +msgstr "" + +#: SSLVerifyHost.cpp:456 +msgid "hostname verification error" +msgstr "" + +#: User.cpp:507 +msgid "" +"Invalid network name. It should be alphanumeric. Not to be confused with " +"server name" +msgstr "" + +#: User.cpp:511 +msgid "Network {1} already exists" +msgstr "" + +#: User.cpp:777 +msgid "" +"You are being disconnected because your IP is no longer allowed to connect " +"to this user" +msgstr "" + +#: User.cpp:907 +msgid "Password is empty" +msgstr "" + +#: User.cpp:912 +msgid "Username is empty" +msgstr "" + +#: User.cpp:917 +msgid "Username is invalid" +msgstr "" + +#: User.cpp:1188 +msgid "Unable to find modinfo {1}: {2}" +msgstr "" diff --git a/src/po/znc.ru_RU.po b/src/po/znc.ru_RU.po index b6d454b8..99f7f71f 100644 --- a/src/po/znc.ru_RU.po +++ b/src/po/znc.ru_RU.po @@ -436,7 +436,7 @@ msgstr "Использование: ListNicks <#chan>" #: ClientCommand.cpp:65 msgid "You are not on [{1}]" -msgstr "Вы находитесь не на [{1}]" +msgstr "Вы не на [{1}]" #: ClientCommand.cpp:70 msgid "You are not on [{1}] (trying)" @@ -726,6 +726,8 @@ msgid "" "Unable to add that server. Perhaps the server is already added or openssl is " "disabled?" msgstr "" +"Не могу добавить сервер. Возможно, он уже в списке, или поддержка openssl " +"выключена?" #: ClientCommand.cpp:777 msgid "Usage: DelServer [port] [pass]" @@ -733,15 +735,15 @@ msgstr "Использование: DelServer <хост> [порт] [парол #: ClientCommand.cpp:782 ClientCommand.cpp:822 msgid "You don't have any servers added." -msgstr "" +msgstr "Вы не настроили ни один сервер." #: ClientCommand.cpp:787 msgid "Server removed" -msgstr "" +msgstr "Сервер удалён" #: ClientCommand.cpp:789 msgid "No such server" -msgstr "" +msgstr "Нет такого сервера" #: ClientCommand.cpp:802 ClientCommand.cpp:809 msgctxt "listservers" @@ -782,7 +784,7 @@ msgstr "Использование: DelTrustedServerFingerprint " #: ClientCommand.cpp:858 msgid "No fingerprints added." -msgstr "" +msgstr "Отпечатки не добавлены." #: ClientCommand.cpp:874 ClientCommand.cpp:880 msgctxt "topicscmd" @@ -811,27 +813,27 @@ msgstr "Параметры" #: ClientCommand.cpp:902 msgid "No global modules loaded." -msgstr "" +msgstr "Глобальные модули не загружены." #: ClientCommand.cpp:904 ClientCommand.cpp:964 msgid "Global modules:" -msgstr "" +msgstr "Глобальные модули:" #: ClientCommand.cpp:912 msgid "Your user has no modules loaded." -msgstr "" +msgstr "У вашего пользователя нет загруженных модулей." #: ClientCommand.cpp:914 ClientCommand.cpp:975 msgid "User modules:" -msgstr "" +msgstr "Пользовательские модули:" #: ClientCommand.cpp:921 msgid "This network has no modules loaded." -msgstr "" +msgstr "У этой сети нет загруженных модулей." #: ClientCommand.cpp:923 ClientCommand.cpp:986 msgid "Network modules:" -msgstr "" +msgstr "Сетевые модули:" #: ClientCommand.cpp:938 ClientCommand.cpp:944 msgctxt "listavailmods" @@ -845,164 +847,170 @@ msgstr "Описание" #: ClientCommand.cpp:962 msgid "No global modules available." -msgstr "" +msgstr "Глобальные модули недоступны." #: ClientCommand.cpp:973 msgid "No user modules available." -msgstr "" +msgstr "Пользовательские модули недоступны." #: ClientCommand.cpp:984 msgid "No network modules available." -msgstr "" +msgstr "Сетевые модули недоступны." #: ClientCommand.cpp:1012 msgid "Unable to load {1}: Access denied." -msgstr "" +msgstr "Не могу загрузить {1}: доступ запрещён." #: ClientCommand.cpp:1018 msgid "Usage: LoadMod [--type=global|user|network] [args]" msgstr "" +"Использование: LoadMod [--type=global|user|network] <модуль> [параметры]" #: ClientCommand.cpp:1025 msgid "Unable to load {1}: {2}" -msgstr "" +msgstr "Не могу загрузить {1}: {2}" #: ClientCommand.cpp:1035 msgid "Unable to load global module {1}: Access denied." -msgstr "" +msgstr "Не могу загрузить глобальный модуль {1}: доступ запрещён." #: ClientCommand.cpp:1041 msgid "Unable to load network module {1}: Not connected with a network." -msgstr "" +msgstr "Не могу загрузить сетевой модуль {1}: клиент подключён без сети." #: ClientCommand.cpp:1063 msgid "Unknown module type" -msgstr "" +msgstr "Неизвестный тип модуля" #: ClientCommand.cpp:1068 msgid "Loaded module {1}" -msgstr "" +msgstr "Модуль {1} загружен" #: ClientCommand.cpp:1070 msgid "Loaded module {1}: {2}" -msgstr "" +msgstr "Модуль {1} загружен: {2}" #: ClientCommand.cpp:1073 msgid "Unable to load module {1}: {2}" -msgstr "" +msgstr "Не могу загрузить модуль {1}: {2}" #: ClientCommand.cpp:1096 msgid "Unable to unload {1}: Access denied." -msgstr "" +msgstr "Не могу выгрузить {1}: доступ запрещён." #: ClientCommand.cpp:1102 msgid "Usage: UnloadMod [--type=global|user|network] " -msgstr "" +msgstr "Использование: UnloadMod [--type=global|user|network] <модуль>" #: ClientCommand.cpp:1111 msgid "Unable to determine type of {1}: {2}" -msgstr "" +msgstr "Не могу определить тип {1}: {2}" #: ClientCommand.cpp:1119 msgid "Unable to unload global module {1}: Access denied." -msgstr "" +msgstr "Не могу выгрузить глобальный модуль {1}: доступ запрещён." #: ClientCommand.cpp:1126 msgid "Unable to unload network module {1}: Not connected with a network." -msgstr "" +msgstr "Не могу выгрузить сетевой модуль {1}: клиент подключён без сети." #: ClientCommand.cpp:1145 msgid "Unable to unload module {1}: Unknown module type" -msgstr "" +msgstr "Не могу выгрузить модуль {1}: неизвестный тип модуля" #: ClientCommand.cpp:1158 msgid "Unable to reload modules. Access denied." -msgstr "" +msgstr "Не могу перезагрузить модули: доступ запрещён." #: ClientCommand.cpp:1179 msgid "Usage: ReloadMod [--type=global|user|network] [args]" msgstr "" +"Использование: ReloadMod [--type=global|user|network] <модуль> [параметры]" #: ClientCommand.cpp:1188 msgid "Unable to reload {1}: {2}" -msgstr "" +msgstr "Не могу перезагрузить {1}: {2}" #: ClientCommand.cpp:1196 msgid "Unable to reload global module {1}: Access denied." -msgstr "" +msgstr "Не могу перезагрузить глобальный модуль {1}: доступ запрещён." #: ClientCommand.cpp:1203 msgid "Unable to reload network module {1}: Not connected with a network." -msgstr "" +msgstr "Не могу перезагрузить сетевой модуль {1}: клиент подключён без сети." #: ClientCommand.cpp:1225 msgid "Unable to reload module {1}: Unknown module type" -msgstr "" +msgstr "Не могу перезагрузить модуль {1}: неизвестный тип модуля" #: ClientCommand.cpp:1236 msgid "Usage: UpdateMod " -msgstr "" +msgstr "Использование: UpdateMod <модуль>" #: ClientCommand.cpp:1240 msgid "Reloading {1} everywhere" -msgstr "" +msgstr "Перезагружаю {1} везде" #: ClientCommand.cpp:1242 msgid "Done" -msgstr "" +msgstr "Готово" #: ClientCommand.cpp:1245 msgid "" "Done, but there were errors, module {1} could not be reloaded everywhere." -msgstr "" +msgstr "Готово, но случились ошибки, модуль {1} перезагружен не везде." #: ClientCommand.cpp:1253 msgid "" "You must be connected with a network to use this command. Try " "SetUserBindHost instead" msgstr "" +"Чтобы использовать эту команду, нужна сеть. Попробуйте вместо этого " +"SetUserBindHost" #: ClientCommand.cpp:1260 msgid "Usage: SetBindHost " -msgstr "" +msgstr "Использование: SetBindHost <хост>" #: ClientCommand.cpp:1265 ClientCommand.cpp:1282 msgid "You already have this bind host!" -msgstr "" +msgstr "У Вас уже установлен этот хост!" #: ClientCommand.cpp:1270 msgid "Set bind host for network {1} to {2}" -msgstr "" +msgstr "Соединения с сетью {1} будут идти через локальный адрес {2}" #: ClientCommand.cpp:1277 msgid "Usage: SetUserBindHost " -msgstr "" +msgstr "Использование: SetUserBindHost <хост>" #: ClientCommand.cpp:1287 msgid "Set default bind host to {1}" -msgstr "" +msgstr "По умолчанию соединения будут идти через локальный адрес {1}" #: ClientCommand.cpp:1293 msgid "" "You must be connected with a network to use this command. Try " "ClearUserBindHost instead" msgstr "" +"Чтобы использовать эту команду, нужна сеть. Попробуйте вместо этого " +"ClearUserBindHost" #: ClientCommand.cpp:1298 msgid "Bind host cleared for this network." -msgstr "" +msgstr "Исходящий хост для этой сети очищен." #: ClientCommand.cpp:1302 msgid "Default bind host cleared for your user." -msgstr "" +msgstr "Исходящий хост для вашего пользователя очищен." #: ClientCommand.cpp:1305 msgid "This user's default bind host not set" -msgstr "" +msgstr "Для вашего пользователя исходящий хост по умолчанию не установлен" #: ClientCommand.cpp:1307 msgid "This user's default bind host is {1}" -msgstr "" +msgstr "Для вашего пользователя исходящий хост по умолчанию: {1}" #: ClientCommand.cpp:1312 msgid "This network's bind host not set" @@ -1018,11 +1026,11 @@ msgstr "" #: ClientCommand.cpp:1336 msgid "You are not on {1}" -msgstr "" +msgstr "Вы не на {1}" #: ClientCommand.cpp:1341 msgid "You are not on {1} (trying to join)" -msgstr "" +msgstr "Вы не на {1} (пытаюсь войти)" #: ClientCommand.cpp:1346 msgid "The buffer for channel {1} is empty" From cc3f8499a7b30c0ce3b21a43e48b868e7df96660 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Sat, 16 Jun 2018 00:25:59 +0000 Subject: [PATCH 152/798] Update translations from Crowdin --- modules/po/adminlog.nl_NL.po | 28 +- modules/po/alias.nl_NL.po | 54 +- modules/po/autoattach.nl_NL.po | 36 +- modules/po/autocycle.nl_NL.po | 28 +- modules/po/autoop.nl_NL.po | 75 +-- modules/po/autoreply.nl_NL.po | 14 +- modules/po/autovoice.nl_NL.po | 49 +- modules/po/awaystore.nl_NL.po | 45 +- modules/po/block_motd.nl_NL.po | 9 +- modules/po/blockuser.nl_NL.po | 42 +- modules/po/bouncedcc.nl_NL.po | 51 +- modules/po/buffextras.nl_NL.po | 18 +- modules/po/cert.nl_NL.po | 28 +- modules/po/certauth.nl_NL.po | 45 +- modules/po/chansaver.nl_NL.po | 2 +- modules/po/clearbufferonmsg.nl_NL.po | 1 + modules/po/clientnotify.nl_NL.po | 26 +- modules/po/controlpanel.es_ES.po | 197 +++---- modules/po/controlpanel.nl_NL.po | 328 +++++++----- modules/po/crypt.es_ES.po | 62 +-- modules/po/crypt.nl_NL.po | 63 ++- modules/po/ctcpflood.es_ES.po | 26 +- modules/po/ctcpflood.nl_NL.po | 30 +- modules/po/cyrusauth.es_ES.po | 28 +- modules/po/cyrusauth.nl_NL.po | 27 +- modules/po/dcc.es_ES.po | 100 ++-- modules/po/dcc.nl_NL.po | 102 ++-- modules/po/disconkick.es_ES.po | 3 +- modules/po/disconkick.nl_NL.po | 3 +- modules/po/fail2ban.es_ES.po | 49 +- modules/po/fail2ban.nl_NL.po | 48 +- modules/po/flooddetach.es_ES.po | 36 +- modules/po/flooddetach.nl_NL.po | 40 +- modules/po/identfile.nl_NL.po | 34 +- modules/po/imapauth.nl_NL.po | 4 +- modules/po/keepnick.nl_NL.po | 20 +- modules/po/kickrejoin.nl_NL.po | 26 +- modules/po/lastseen.nl_NL.po | 25 +- modules/po/listsockets.nl_NL.po | 46 +- modules/po/log.nl_NL.po | 66 ++- modules/po/missingmotd.nl_NL.po | 2 +- modules/po/modperl.nl_NL.po | 2 +- modules/po/modpython.nl_NL.po | 2 +- modules/po/modules_online.nl_NL.po | 2 +- modules/po/nickserv.nl_NL.po | 30 +- modules/po/notes.nl_NL.po | 51 +- modules/po/notify_connect.nl_NL.po | 7 +- modules/po/partyline.nl_NL.po | 11 +- modules/po/perform.nl_NL.po | 45 +- modules/po/perleval.nl_NL.po | 8 +- modules/po/pyeval.nl_NL.po | 4 +- modules/po/q.nl_NL.po | 133 +++-- modules/po/raw.nl_NL.po | 2 +- modules/po/route_replies.nl_NL.po | 22 +- modules/po/sample.nl_NL.po | 54 +- modules/po/samplewebapi.nl_NL.po | 2 +- modules/po/sasl.nl_NL.po | 79 +-- modules/po/savebuff.nl_NL.po | 23 +- modules/po/send_raw.nl_NL.po | 48 +- modules/po/shell.nl_NL.po | 8 +- modules/po/simple_away.nl_NL.po | 38 +- modules/po/stickychan.nl_NL.po | 43 +- modules/po/stripcontrols.nl_NL.po | 2 +- modules/po/watch.nl_NL.po | 116 ++-- modules/po/webadmin.nl_NL.po | 538 ++++++++++--------- src/po/znc.nl_NL.po | 757 +++++++++++++++------------ src/po/znc.ru_RU.po | 66 +-- 67 files changed, 2207 insertions(+), 1802 deletions(-) diff --git a/modules/po/adminlog.nl_NL.po b/modules/po/adminlog.nl_NL.po index ba1716e0..b00ac03e 100644 --- a/modules/po/adminlog.nl_NL.po +++ b/modules/po/adminlog.nl_NL.po @@ -14,56 +14,56 @@ msgstr "" #: adminlog.cpp:29 msgid "Show the logging target" -msgstr "" +msgstr "Laat de bestemming voor het logboek zien" #: adminlog.cpp:31 msgid " [path]" -msgstr "" +msgstr " [pad]" #: adminlog.cpp:32 msgid "Set the logging target" -msgstr "" +msgstr "Stel de bestemming voor het logboek in" #: adminlog.cpp:142 msgid "Access denied" -msgstr "" +msgstr "Toegang geweigerd" #: adminlog.cpp:156 msgid "Now logging to file" -msgstr "" +msgstr "Logboek zal vanaf nu geschreven worden naar bestand" #: adminlog.cpp:160 msgid "Now only logging to syslog" -msgstr "" +msgstr "Logboek zal vanaf nu alleen geschreven worden naar syslog" #: adminlog.cpp:164 msgid "Now logging to syslog and file" -msgstr "" +msgstr "Logboek zal vanaf nu geschreven worden naar bestand en syslog" #: adminlog.cpp:168 msgid "Usage: Target [path]" -msgstr "" +msgstr "Gebruik: Bestemming [pad]" #: adminlog.cpp:170 msgid "Unknown target" -msgstr "" +msgstr "Onbekende bestemming" #: adminlog.cpp:192 msgid "Logging is enabled for file" -msgstr "" +msgstr "Logboek is ingesteld voor schrijven naar bestand" #: adminlog.cpp:195 msgid "Logging is enabled for syslog" -msgstr "" +msgstr "Logboek is ingesteld voor schrijven naar syslog" #: adminlog.cpp:198 msgid "Logging is enabled for both, file and syslog" -msgstr "" +msgstr "Logboek is ingesteld voor schrijven naar bestand en syslog" #: adminlog.cpp:204 msgid "Log file will be written to {1}" -msgstr "" +msgstr "Logboek zal geschreven worden naar {1}" #: adminlog.cpp:222 msgid "Log ZNC events to file and/or syslog." -msgstr "" +msgstr "Schrijf ZNC gebeurtenissen naar bestand en/of syslog." diff --git a/modules/po/alias.nl_NL.po b/modules/po/alias.nl_NL.po index 76384db2..d306af64 100644 --- a/modules/po/alias.nl_NL.po +++ b/modules/po/alias.nl_NL.po @@ -14,110 +14,112 @@ msgstr "" #: alias.cpp:141 msgid "missing required parameter: {1}" -msgstr "" +msgstr "verplichte parameter ontbreekt: {1}" #: alias.cpp:201 msgid "Created alias: {1}" -msgstr "" +msgstr "Alias aangemaakt: {1}" #: alias.cpp:203 msgid "Alias already exists." -msgstr "" +msgstr "Alias bestaat al." #: alias.cpp:210 msgid "Deleted alias: {1}" -msgstr "" +msgstr "Alias verwijderd: {1}" #: alias.cpp:213 alias.cpp:224 alias.cpp:246 alias.cpp:265 alias.cpp:276 #: alias.cpp:333 msgid "Alias does not exist." -msgstr "" +msgstr "Alias bestaat niet." #: alias.cpp:222 alias.cpp:244 alias.cpp:263 alias.cpp:274 msgid "Modified alias." -msgstr "" +msgstr "Alias aangepast." #: alias.cpp:236 alias.cpp:256 msgid "Invalid index." -msgstr "" +msgstr "Ongeldige index." #: alias.cpp:282 alias.cpp:298 msgid "There are no aliases." -msgstr "" +msgstr "Er zijn geen aliassen." #: alias.cpp:289 msgid "The following aliases exist: {1}" -msgstr "" +msgstr "De volgende aliassen bestaan: {1}" #: alias.cpp:290 msgctxt "list|separator" msgid ", " -msgstr "" +msgstr ", " #: alias.cpp:324 msgid "Actions for alias {1}:" -msgstr "" +msgstr "Acties voor alias {1}:" #: alias.cpp:331 msgid "End of actions for alias {1}." -msgstr "" +msgstr "Einde van acties voor alias {1}." #: alias.cpp:338 alias.cpp:341 alias.cpp:352 alias.cpp:357 msgid "" -msgstr "" +msgstr "" #: alias.cpp:339 msgid "Creates a new, blank alias called name." -msgstr "" +msgstr "Maakt een nieuwe, lege alias aan genaamd naam." #: alias.cpp:341 msgid "Deletes an existing alias." -msgstr "" +msgstr "Verwijdert een bestaande alias." #: alias.cpp:343 msgid " " -msgstr "" +msgstr " " #: alias.cpp:344 msgid "Adds a line to an existing alias." -msgstr "" +msgstr "Voegt een regel toe aan een bestaande alias." #: alias.cpp:346 msgid " " -msgstr "" +msgstr " " #: alias.cpp:347 msgid "Inserts a line into an existing alias." -msgstr "" +msgstr "Voegt een regel in bij een bestaande alias." #: alias.cpp:349 msgid " " -msgstr "" +msgstr " " #: alias.cpp:350 msgid "Removes a line from an existing alias." -msgstr "" +msgstr "Verwijdert een regel van een bestaande alias." #: alias.cpp:353 msgid "Removes all lines from an existing alias." -msgstr "" +msgstr "Verwijdert alle regels van een bestaande alias." #: alias.cpp:355 msgid "Lists all aliases by name." -msgstr "" +msgstr "Somt alle aliassen op bij naam." #: alias.cpp:358 msgid "Reports the actions performed by an alias." -msgstr "" +msgstr "Laat de acties zien die uitgevoerd worden door een alias." #: alias.cpp:362 msgid "Generate a list of commands to copy your alias config." msgstr "" +"Genereert een lijst van commando's die je naar je alias configuratie kan " +"kopieëren." #: alias.cpp:374 msgid "Clearing all of them!" -msgstr "" +msgstr "Alle verwijderen!" #: alias.cpp:409 msgid "Provides bouncer-side command alias support." -msgstr "" +msgstr "Voorziet alias ondersteuning aan de kant van de bouncer." diff --git a/modules/po/autoattach.nl_NL.po b/modules/po/autoattach.nl_NL.po index 4b21daa8..d0f1b982 100644 --- a/modules/po/autoattach.nl_NL.po +++ b/modules/po/autoattach.nl_NL.po @@ -14,72 +14,74 @@ msgstr "" #: autoattach.cpp:94 msgid "Added to list" -msgstr "" +msgstr "Toegevoegd aan lijst" #: autoattach.cpp:96 msgid "{1} is already added" -msgstr "" +msgstr "{1} is al toegevoegd" #: autoattach.cpp:100 msgid "Usage: Add [!]<#chan> " -msgstr "" +msgstr "Gebruik: Add [!]<#kanaal> " #: autoattach.cpp:101 msgid "Wildcards are allowed" -msgstr "" +msgstr "Jokers zijn toegestaan" #: autoattach.cpp:113 msgid "Removed {1} from list" -msgstr "" +msgstr "{1} van lijst verwijderd" #: autoattach.cpp:115 msgid "Usage: Del [!]<#chan> " -msgstr "" +msgstr "Gebruik: Del [!]<#kanaal> " #: autoattach.cpp:121 autoattach.cpp:129 msgid "Neg" -msgstr "" +msgstr "Verwijderd" #: autoattach.cpp:122 autoattach.cpp:130 msgid "Chan" -msgstr "" +msgstr "Kanaal" #: autoattach.cpp:123 autoattach.cpp:131 msgid "Search" -msgstr "" +msgstr "Zoek" #: autoattach.cpp:124 autoattach.cpp:132 msgid "Host" -msgstr "" +msgstr "Host" #: autoattach.cpp:138 msgid "You have no entries." -msgstr "" +msgstr "Je hebt geen kanalen toegevoegd." #: autoattach.cpp:146 autoattach.cpp:149 msgid "[!]<#chan> " -msgstr "" +msgstr "[!]<#kanaal> " #: autoattach.cpp:147 msgid "Add an entry, use !#chan to negate and * for wildcards" msgstr "" +"Voeg een kanaal toe, gebruik !#kanaal om te verwijderen en gebruik * voor " +"jokers" #: autoattach.cpp:150 msgid "Remove an entry, needs to be an exact match" -msgstr "" +msgstr "Verwijder een kanaal, moet een exacte overeenkomst zijn" #: autoattach.cpp:152 msgid "List all entries" -msgstr "" +msgstr "Laat alle kanalen zien" #: autoattach.cpp:171 msgid "Unable to add [{1}]" -msgstr "" +msgstr "Kan [{1}] niet toevoegen" #: autoattach.cpp:283 msgid "List of channel masks and channel masks with ! before them." -msgstr "" +msgstr "Lijst van kanaal maskers en kanaal maskers met ! er voor." #: autoattach.cpp:286 msgid "Reattaches you to channels on activity." -msgstr "" +msgstr "Verbind je met kanalen als er activiteit is." diff --git a/modules/po/autocycle.nl_NL.po b/modules/po/autocycle.nl_NL.po index 4b32c608..d350026c 100644 --- a/modules/po/autocycle.nl_NL.po +++ b/modules/po/autocycle.nl_NL.po @@ -14,56 +14,60 @@ msgstr "" #: autocycle.cpp:27 autocycle.cpp:30 msgid "[!]<#chan>" -msgstr "" +msgstr "[!]<#kanaal>" #: autocycle.cpp:28 msgid "Add an entry, use !#chan to negate and * for wildcards" msgstr "" +"Voeg een kanaal toe, gebruik !#kanaal om te verwijderen en gebruik * voor " +"jokers" #: autocycle.cpp:31 msgid "Remove an entry, needs to be an exact match" -msgstr "" +msgstr "Verwijder een kanaal, moet een exacte overeenkomst zijn" #: autocycle.cpp:33 msgid "List all entries" -msgstr "" +msgstr "Laat alle kanalen zien" #: autocycle.cpp:46 msgid "Unable to add {1}" -msgstr "" +msgstr "Kan {1} niet toevoegen" #: autocycle.cpp:66 msgid "{1} is already added" -msgstr "" +msgstr "{1} bestaat al" #: autocycle.cpp:68 msgid "Added {1} to list" -msgstr "" +msgstr "{1} toegevoegd aan lijst" #: autocycle.cpp:70 msgid "Usage: Add [!]<#chan>" -msgstr "" +msgstr "Gebruik: Add [!]<#kanaal>" #: autocycle.cpp:78 msgid "Removed {1} from list" -msgstr "" +msgstr "{1} verwijderd van lijst" #: autocycle.cpp:80 msgid "Usage: Del [!]<#chan>" -msgstr "" +msgstr "Gebruik: Del [!]<#kanaal>" #: autocycle.cpp:85 autocycle.cpp:89 autocycle.cpp:94 msgid "Channel" -msgstr "" +msgstr "Kanaal" #: autocycle.cpp:100 msgid "You have no entries." -msgstr "" +msgstr "Je hebt geen kanalen toegvoegd." #: autocycle.cpp:229 msgid "List of channel masks and channel masks with ! before them." -msgstr "" +msgstr "Lijst van kanaal maskers en kanaal maskers met ! er voor." #: autocycle.cpp:234 msgid "Rejoins channels to gain Op if you're the only user left" msgstr "" +"Verbind opnieuw met een kanaal om beheer te krijgen als je de enige " +"gebruiker nog bent" diff --git a/modules/po/autoop.nl_NL.po b/modules/po/autoop.nl_NL.po index a30a4118..a5112d7c 100644 --- a/modules/po/autoop.nl_NL.po +++ b/modules/po/autoop.nl_NL.po @@ -14,155 +14,166 @@ msgstr "" #: autoop.cpp:154 msgid "List all users" -msgstr "" +msgstr "Laat alle gebruikers zien" #: autoop.cpp:156 autoop.cpp:159 msgid " [channel] ..." -msgstr "" +msgstr " [kanaal] ..." #: autoop.cpp:157 msgid "Adds channels to a user" -msgstr "" +msgstr "Voegt kanaal toe aan een gebruiker" #: autoop.cpp:160 msgid "Removes channels from a user" -msgstr "" +msgstr "Verwijdert kanaal van een gebruiker" #: autoop.cpp:162 autoop.cpp:165 msgid " ,[mask] ..." -msgstr "" +msgstr " ,[masker] ..." #: autoop.cpp:163 msgid "Adds masks to a user" -msgstr "" +msgstr "Voegt masker toe aan gebruiker" #: autoop.cpp:166 msgid "Removes masks from a user" -msgstr "" +msgstr "Verwijdert masker van gebruiker" #: autoop.cpp:169 msgid " [,...] [channels]" -msgstr "" +msgstr " [,...] [kanalen]" #: autoop.cpp:170 msgid "Adds a user" -msgstr "" +msgstr "Voegt een gebruiker toe" #: autoop.cpp:172 msgid "" -msgstr "" +msgstr "" #: autoop.cpp:172 msgid "Removes a user" -msgstr "" +msgstr "Verwijdert een gebruiker" #: autoop.cpp:275 msgid "Usage: AddUser [,...] [channels]" msgstr "" +"Gebruik: AddUser [,...] " +"[kanalen]" #: autoop.cpp:291 msgid "Usage: DelUser " -msgstr "" +msgstr "Gebruik: DelUser " #: autoop.cpp:300 msgid "There are no users defined" -msgstr "" +msgstr "Er zijn geen gebruikers gedefinieerd" #: autoop.cpp:306 autoop.cpp:317 autoop.cpp:321 autoop.cpp:323 msgid "User" -msgstr "" +msgstr "Gebruiker" #: autoop.cpp:307 autoop.cpp:325 msgid "Hostmasks" -msgstr "" +msgstr "Hostmaskers" #: autoop.cpp:308 autoop.cpp:318 msgid "Key" -msgstr "" +msgstr "Sleutel" #: autoop.cpp:309 autoop.cpp:319 msgid "Channels" -msgstr "" +msgstr "Kanalen" #: autoop.cpp:337 msgid "Usage: AddChans [channel] ..." -msgstr "" +msgstr "Gebruik: AddChans [kanaal] ..." #: autoop.cpp:344 autoop.cpp:365 autoop.cpp:387 autoop.cpp:408 autoop.cpp:472 msgid "No such user" -msgstr "" +msgstr "Gebruiker onbekend" #: autoop.cpp:349 msgid "Channel(s) added to user {1}" -msgstr "" +msgstr "Kana(a)l(en) toegevoegd aan gebruiker {1}" #: autoop.cpp:358 msgid "Usage: DelChans [channel] ..." -msgstr "" +msgstr "Gebruik: DelChans [kanaal] ..." #: autoop.cpp:371 msgid "Channel(s) Removed from user {1}" -msgstr "" +msgstr "Kana(a)l(en) verwijderd van gebruiker {1}" #: autoop.cpp:380 msgid "Usage: AddMasks ,[mask] ..." -msgstr "" +msgstr "Gebruik: AddMasks ,[masker] ..." #: autoop.cpp:392 msgid "Hostmasks(s) added to user {1}" -msgstr "" +msgstr "Hostmasker(s) toegevoegd aan gebruiker {1}" #: autoop.cpp:401 msgid "Usage: DelMasks ,[mask] ..." -msgstr "" +msgstr "Gebruik: DelMasks ,[masker] ..." #: autoop.cpp:413 msgid "Removed user {1} with key {2} and channels {3}" -msgstr "" +msgstr "Gebruiker {1} met sleutel {2} en kanalen {3} verwijderd" #: autoop.cpp:419 msgid "Hostmasks(s) Removed from user {1}" -msgstr "" +msgstr "Hostmasker(s) verwijderd van gebruiker {1}" #: autoop.cpp:478 msgid "User {1} removed" -msgstr "" +msgstr "Gebruiker {1} verwijderd" #: autoop.cpp:484 msgid "That user already exists" -msgstr "" +msgstr "Die gebruiker bestaat al" #: autoop.cpp:490 msgid "User {1} added with hostmask(s) {2}" -msgstr "" +msgstr "Gebruiker {1} toegevoegd met hostmasker(s) {2}" #: autoop.cpp:532 msgid "" "[{1}] sent us a challenge but they are not opped in any defined channels." msgstr "" +"[{1}] heeft ons een uitdaging gestuurd maar zijn geen beheerder in enige " +"gedefinieerde kanalen." #: autoop.cpp:536 msgid "[{1}] sent us a challenge but they do not match a defined user." msgstr "" +"[{1}] heeft ons een uitdaging gestuurd maar past niet bij een gedefinieerde " +"gebruiker." #: autoop.cpp:544 msgid "WARNING! [{1}] sent an invalid challenge." -msgstr "" +msgstr "WAARSCHUWING! [{1}] heeft een ongeldige uitdaging gestuurd." #: autoop.cpp:560 msgid "[{1}] sent an unchallenged response. This could be due to lag." msgstr "" +"[{1}] heeft een ongeldige uitdaging gestuurd. Dit kan door vertraging komen." #: autoop.cpp:577 msgid "" "WARNING! [{1}] sent a bad response. Please verify that you have their " "correct password." msgstr "" +"WAARSCHUWING! [{1}] heeft een verkeerd antwoord gestuurd. Controleer of je " +"hun juiste wachtwoord hebt." #: autoop.cpp:586 msgid "WARNING! [{1}] sent a response but did not match any defined users." msgstr "" +"WAARSCHUWING! [{1}] heeft een antwoord verstuurd maar past niet bij een " +"gedefinieerde gebruiker." #: autoop.cpp:644 msgid "Auto op the good people" -msgstr "" +msgstr "Geeft goede gebruikers automatisch beheerderrechten" diff --git a/modules/po/autoreply.nl_NL.po b/modules/po/autoreply.nl_NL.po index dbbb922e..202a7bfd 100644 --- a/modules/po/autoreply.nl_NL.po +++ b/modules/po/autoreply.nl_NL.po @@ -14,30 +14,32 @@ msgstr "" #: autoreply.cpp:25 msgid "" -msgstr "" +msgstr "" #: autoreply.cpp:25 msgid "Sets a new reply" -msgstr "" +msgstr "Stelt een nieuw antwoord in" #: autoreply.cpp:27 msgid "Displays the current query reply" -msgstr "" +msgstr "Laat het huidige antwoord zien" #: autoreply.cpp:75 msgid "Current reply is: {1} ({2})" -msgstr "" +msgstr "Huidige antwoord is: {1} ({2})" #: autoreply.cpp:81 msgid "New reply set to: {1} ({2})" -msgstr "" +msgstr "Nieuw antwoord is ingesteld op: {1} ({2})" #: autoreply.cpp:94 msgid "" "You might specify a reply text. It is used when automatically answering " "queries, if you are not connected to ZNC." msgstr "" +"Je kan een automatisch antwoord instellen die gebruikt wordt als je niet " +"verbonden bent met ZNC." #: autoreply.cpp:98 msgid "Reply to queries when you are away" -msgstr "" +msgstr "Antwoord op privé berichten wanneer je afwezig bent" diff --git a/modules/po/autovoice.nl_NL.po b/modules/po/autovoice.nl_NL.po index 1680b8cb..b553df5d 100644 --- a/modules/po/autovoice.nl_NL.po +++ b/modules/po/autovoice.nl_NL.po @@ -14,98 +14,101 @@ msgstr "" #: autovoice.cpp:120 msgid "List all users" -msgstr "" +msgstr "Laat alle gebruikers zien" #: autovoice.cpp:122 autovoice.cpp:125 msgid " [channel] ..." -msgstr "" +msgstr " [kanaal] ..." #: autovoice.cpp:123 msgid "Adds channels to a user" -msgstr "" +msgstr "Voegt kanalen toe aan een gebruiker" #: autovoice.cpp:126 msgid "Removes channels from a user" -msgstr "" +msgstr "Verwijdert kanalen van een gebruiker" #: autovoice.cpp:128 msgid " [channels]" -msgstr "" +msgstr " [kanalen]" #: autovoice.cpp:129 msgid "Adds a user" -msgstr "" +msgstr "Voegt een gebruiker toe" #: autovoice.cpp:131 msgid "" -msgstr "" +msgstr "" #: autovoice.cpp:131 msgid "Removes a user" -msgstr "" +msgstr "Verwijdert een gebruiker" #: autovoice.cpp:215 msgid "Usage: AddUser [channels]" -msgstr "" +msgstr "Gebruik: AddUser [kanalen]" #: autovoice.cpp:229 msgid "Usage: DelUser " -msgstr "" +msgstr "Gebruik: DelUser " #: autovoice.cpp:238 msgid "There are no users defined" -msgstr "" +msgstr "Er zijn geen gebruikers gedefinieerd" #: autovoice.cpp:244 autovoice.cpp:250 msgid "User" -msgstr "" +msgstr "Gebruiker" #: autovoice.cpp:245 autovoice.cpp:251 msgid "Hostmask" -msgstr "" +msgstr "Hostmasker" #: autovoice.cpp:246 autovoice.cpp:252 msgid "Channels" -msgstr "" +msgstr "Kanalen" #: autovoice.cpp:263 msgid "Usage: AddChans [channel] ..." -msgstr "" +msgstr "Gebruik: AddChans [kanaal] ..." #: autovoice.cpp:270 autovoice.cpp:292 autovoice.cpp:329 msgid "No such user" -msgstr "" +msgstr "Deze gebruiker bestaat niet" #: autovoice.cpp:275 msgid "Channel(s) added to user {1}" -msgstr "" +msgstr "Kana(a)l(en) toegevoegd aan gebruiker {1}" #: autovoice.cpp:285 msgid "Usage: DelChans [channel] ..." -msgstr "" +msgstr "Gebruik: DelChans [kanaal] ..." #: autovoice.cpp:298 msgid "Channel(s) Removed from user {1}" -msgstr "" +msgstr "Kana(a)l(en) verwijderd van gebruiker {1}" #: autovoice.cpp:335 msgid "User {1} removed" -msgstr "" +msgstr "Gebruiker {1} verwijderd" #: autovoice.cpp:341 msgid "That user already exists" -msgstr "" +msgstr "Die gebruiker bestaat al" #: autovoice.cpp:347 msgid "User {1} added with hostmask {2}" -msgstr "" +msgstr "Gebruiker {1} toegevoegd met hostmasker {2}" #: autovoice.cpp:360 msgid "" "Each argument is either a channel you want autovoice for (which can include " "wildcards) or, if it starts with !, it is an exception for autovoice." msgstr "" +"Elk argument is een kanaal waar je autovoice in wilt stellen (jokers mogen " +"gebruikt worden), of, als het begint met !, dan is het een uitzondering voor " +"autovoice." #: autovoice.cpp:365 msgid "Auto voice the good people" -msgstr "" +msgstr "Geeft goede gebruikers automatisch een stem" diff --git a/modules/po/awaystore.nl_NL.po b/modules/po/awaystore.nl_NL.po index 52f8c9b3..dfe2fe8e 100644 --- a/modules/po/awaystore.nl_NL.po +++ b/modules/po/awaystore.nl_NL.po @@ -14,97 +14,104 @@ msgstr "" #: awaystore.cpp:67 msgid "You have been marked as away" -msgstr "" +msgstr "Je bent gemarkeerd als afwezig" #: awaystore.cpp:78 awaystore.cpp:385 awaystore.cpp:388 msgid "Welcome back!" -msgstr "" +msgstr "Welkom terug!" #: awaystore.cpp:100 msgid "Deleted {1} messages" -msgstr "" +msgstr "{1} bericht(en) verwijderd" #: awaystore.cpp:104 msgid "USAGE: delete " -msgstr "" +msgstr "Gebruik: delete " #: awaystore.cpp:109 msgid "Illegal message # requested" -msgstr "" +msgstr "Onjuist berichtnummer aangevraagd" #: awaystore.cpp:113 msgid "Message erased" -msgstr "" +msgstr "Bericht verwijderd" #: awaystore.cpp:122 msgid "Messages saved to disk" -msgstr "" +msgstr "Bericht opgeslagen naar schijf" #: awaystore.cpp:124 msgid "There are no messages to save" -msgstr "" +msgstr "Er zijn geen berichten om op te slaan" #: awaystore.cpp:135 msgid "Password updated to [{1}]" -msgstr "" +msgstr "Wachtwoord bijgewerkt naar [{1}]" #: awaystore.cpp:147 msgid "Corrupt message! [{1}]" -msgstr "" +msgstr "Corrupt bericht! [{1}]" #: awaystore.cpp:159 msgid "Corrupt time stamp! [{1}]" -msgstr "" +msgstr "Corrupte tijdstempel! [{1}]" #: awaystore.cpp:178 msgid "#--- End of messages" -msgstr "" +msgstr "#--- Eind van berichten" #: awaystore.cpp:183 msgid "Timer set to 300 seconds" -msgstr "" +msgstr "Timer ingesteld op 300 seconden" #: awaystore.cpp:188 awaystore.cpp:197 msgid "Timer disabled" -msgstr "" +msgstr "Timer uitgeschakeld" #: awaystore.cpp:199 msgid "Timer set to {1} seconds" -msgstr "" +msgstr "Timer ingesteld op {1} second(en)" #: awaystore.cpp:203 msgid "Current timer setting: {1} seconds" -msgstr "" +msgstr "Huidige timer instelling: {1} second(en)" #: awaystore.cpp:278 msgid "This module needs as an argument a keyphrase used for encryption" msgstr "" +"These module heeft een wachtwoord als argument nodig voor versleuteling" #: awaystore.cpp:285 msgid "" "Failed to decrypt your saved messages - Did you give the right encryption " "key as an argument to this module?" msgstr "" +"Ontsleutelen van opgeslagen berichten mislukt - Heb je wel het juiste " +"wachtwoord als argument voor deze module ingevoerd?" #: awaystore.cpp:386 awaystore.cpp:389 msgid "You have {1} messages!" -msgstr "" +msgstr "Je hebt {1} bericht(en)!" #: awaystore.cpp:456 msgid "Unable to find buffer" -msgstr "" +msgstr "Buffer niet gevonden" #: awaystore.cpp:469 msgid "Unable to decode encrypted messages" -msgstr "" +msgstr "Niet mogelijk om versleutelde bericht(en) te ontsleutelen" #: awaystore.cpp:516 msgid "" "[ -notimer | -timer N ] [-chans] passw0rd . N is number of seconds, 600 by " "default." msgstr "" +"[ -notimer | -timer N ] [-kanalen] wachtw00rd . N is het aantal seconden, " +"standaard is dit 600." #: awaystore.cpp:521 msgid "" "Adds auto-away with logging, useful when you use ZNC from different locations" msgstr "" +"Voegt automatisch afwezig met bijhouden van logboek, Handig wanneer je ZNC " +"van meerdere locaties gebruikt" diff --git a/modules/po/block_motd.nl_NL.po b/modules/po/block_motd.nl_NL.po index ec935961..c6c150fa 100644 --- a/modules/po/block_motd.nl_NL.po +++ b/modules/po/block_motd.nl_NL.po @@ -14,22 +14,25 @@ msgstr "" #: block_motd.cpp:26 msgid "[]" -msgstr "" +msgstr "[]" #: block_motd.cpp:27 msgid "" "Override the block with this command. Can optionally specify which server to " "query." msgstr "" +"Forceer dit blok met dit commando. Kan optioneel ingeven welke server te " +"vragen." #: block_motd.cpp:36 msgid "You are not connected to an IRC Server." -msgstr "" +msgstr "Je bent niet verbonden met een IRC server." #: block_motd.cpp:58 msgid "MOTD blocked by ZNC" -msgstr "" +msgstr "MOTD geblokkeerd door ZNC" #: block_motd.cpp:104 msgid "Block the MOTD from IRC so it's not sent to your client(s)." msgstr "" +"Blokkeert de MOTD van IRC zodat deze niet naar je client(s) verstuurd wordt." diff --git a/modules/po/blockuser.nl_NL.po b/modules/po/blockuser.nl_NL.po index 88999c9e..f8eeab2b 100644 --- a/modules/po/blockuser.nl_NL.po +++ b/modules/po/blockuser.nl_NL.po @@ -14,84 +14,84 @@ msgstr "" #: modules/po/../data/blockuser/tmpl/blockuser_WebadminUser.tmpl:9 msgid "Account is blocked" -msgstr "" +msgstr "Account is geblokkeerd" #: blockuser.cpp:23 msgid "Your account has been disabled. Contact your administrator." -msgstr "" +msgstr "Je account is uitgeschakeld. Neem contact op met de beheerder." #: blockuser.cpp:29 msgid "List blocked users" -msgstr "" +msgstr "Laat geblokkeerde gebruikers zien" #: blockuser.cpp:31 blockuser.cpp:33 msgid "" -msgstr "" +msgstr "" #: blockuser.cpp:31 msgid "Block a user" -msgstr "" +msgstr "Gebruiker blokkeren" #: blockuser.cpp:33 msgid "Unblock a user" -msgstr "" +msgstr "Gebruiker deblokkeren" #: blockuser.cpp:55 msgid "Could not block {1}" -msgstr "" +msgstr "Kon {1} niet blokkeren" #: blockuser.cpp:76 msgid "Access denied" -msgstr "" +msgstr "Toegang geweigerd" #: blockuser.cpp:85 msgid "No users are blocked" -msgstr "" +msgstr "Geen gebruikers zijn geblokkeerd" #: blockuser.cpp:88 msgid "Blocked users:" -msgstr "" +msgstr "Geblokkeerde gebruikers:" #: blockuser.cpp:100 msgid "Usage: Block " -msgstr "" +msgstr "Gebruik: Block " #: blockuser.cpp:105 blockuser.cpp:147 msgid "You can't block yourself" -msgstr "" +msgstr "Je kan jezelf niet blokkeren" #: blockuser.cpp:110 blockuser.cpp:152 msgid "Blocked {1}" -msgstr "" +msgstr "{1} geblokkeerd" #: blockuser.cpp:112 msgid "Could not block {1} (misspelled?)" -msgstr "" +msgstr "Kon {1} niet blokkeren (onjuist gespeld?)" #: blockuser.cpp:120 msgid "Usage: Unblock " -msgstr "" +msgstr "Gebruik: Unblock " #: blockuser.cpp:125 blockuser.cpp:161 msgid "Unblocked {1}" -msgstr "" +msgstr "{1} gedeblokkeerd" #: blockuser.cpp:127 msgid "This user is not blocked" -msgstr "" +msgstr "Deze gebruiker is niet geblokkeerd" #: blockuser.cpp:155 msgid "Couldn't block {1}" -msgstr "" +msgstr "Kon {1} niet blokkeren" #: blockuser.cpp:164 msgid "User {1} is not blocked" -msgstr "" +msgstr "Gebruiker {1} is niet geblokkeerd" #: blockuser.cpp:216 msgid "Enter one or more user names. Separate them by spaces." -msgstr "" +msgstr "Voer één of meer namen in. Scheid deze met spaties." #: blockuser.cpp:219 msgid "Block certain users from logging in." -msgstr "" +msgstr "Blokkeer inloggen door bepaalde gebruikers." diff --git a/modules/po/bouncedcc.nl_NL.po b/modules/po/bouncedcc.nl_NL.po index 88e36f8e..6fc10bf0 100644 --- a/modules/po/bouncedcc.nl_NL.po +++ b/modules/po/bouncedcc.nl_NL.po @@ -15,117 +15,122 @@ msgstr "" #: bouncedcc.cpp:101 bouncedcc.cpp:119 bouncedcc.cpp:121 msgctxt "list" msgid "Type" -msgstr "" +msgstr "Type" #: bouncedcc.cpp:102 bouncedcc.cpp:132 msgctxt "list" msgid "State" -msgstr "" +msgstr "Status" #: bouncedcc.cpp:103 msgctxt "list" msgid "Speed" -msgstr "" +msgstr "Snelheid" #: bouncedcc.cpp:104 bouncedcc.cpp:115 msgctxt "list" msgid "Nick" -msgstr "" +msgstr "Naam" #: bouncedcc.cpp:105 bouncedcc.cpp:116 msgctxt "list" msgid "IP" -msgstr "" +msgstr "IP-adres" #: bouncedcc.cpp:106 bouncedcc.cpp:122 msgctxt "list" msgid "File" -msgstr "" +msgstr "Bestand" #: bouncedcc.cpp:119 msgctxt "list" msgid "Chat" -msgstr "" +msgstr "Chat" #: bouncedcc.cpp:121 msgctxt "list" msgid "Xfer" -msgstr "" +msgstr "Overdracht" #: bouncedcc.cpp:125 msgid "Waiting" -msgstr "" +msgstr "Wachten" #: bouncedcc.cpp:127 msgid "Halfway" -msgstr "" +msgstr "Halverwege" #: bouncedcc.cpp:129 msgid "Connected" -msgstr "" +msgstr "Verbonden" #: bouncedcc.cpp:137 msgid "You have no active DCCs." -msgstr "" +msgstr "Je hebt geen actieve DCCs." #: bouncedcc.cpp:148 msgid "Use client IP: {1}" -msgstr "" +msgstr "Gebruik client IP: {1}" #: bouncedcc.cpp:153 msgid "List all active DCCs" -msgstr "" +msgstr "Laat alle actieve DCCs zien" #: bouncedcc.cpp:156 msgid "Change the option to use IP of client" -msgstr "" +msgstr "Verander de optie om het IP van de client te gebruiken" #: bouncedcc.cpp:383 bouncedcc.cpp:412 bouncedcc.cpp:436 bouncedcc.cpp:451 msgctxt "type" msgid "Chat" -msgstr "" +msgstr "Chat" #: bouncedcc.cpp:383 bouncedcc.cpp:412 bouncedcc.cpp:436 bouncedcc.cpp:451 msgctxt "type" msgid "Xfer" -msgstr "" +msgstr "Overdracht" #: bouncedcc.cpp:385 msgid "DCC {1} Bounce ({2}): Too long line received" -msgstr "" +msgstr "DCC {1} Bounce ({2}): Te lange regel ontvangen" #: bouncedcc.cpp:418 msgid "DCC {1} Bounce ({2}): Timeout while connecting to {3} {4}" -msgstr "" +msgstr "DCC {1} Bounce ({2}): Time-out tijdens verbinden naar {3} {4}" #: bouncedcc.cpp:422 msgid "DCC {1} Bounce ({2}): Timeout while connecting." -msgstr "" +msgstr "DCC {1} Bounce ({2}): Time-out tijdens verbinden." #: bouncedcc.cpp:427 msgid "" "DCC {1} Bounce ({2}): Timeout while waiting for incoming connection on {3} " "{4}" msgstr "" +"DCC {1} Bounce ({2}): Time-out tijdens wachten op inkomende verbinding op " +"{3} {4}" #: bouncedcc.cpp:440 msgid "DCC {1} Bounce ({2}): Connection refused while connecting to {3} {4}" msgstr "" +"DCC {1} Bounce ({2}): Verbinding geweigerd tijdens verbinden naar {3} {4}" #: bouncedcc.cpp:444 msgid "DCC {1} Bounce ({2}): Connection refused while connecting." -msgstr "" +msgstr "DCC {1} Bounce ({2}): Verbinding gewijgerd tijdens verbinden." #: bouncedcc.cpp:457 bouncedcc.cpp:465 msgid "DCC {1} Bounce ({2}): Socket error on {3} {4}: {5}" -msgstr "" +msgstr "DCC {1} Bounce ({2}): Socket foutmelding op {3} {4}: {5}" #: bouncedcc.cpp:460 msgid "DCC {1} Bounce ({2}): Socket error: {3}" -msgstr "" +msgstr "DCC {1} Bounce ({2}): Socket foutmelding: {3}" #: bouncedcc.cpp:547 msgid "" "Bounces DCC transfers through ZNC instead of sending them directly to the " "user. " msgstr "" +"Bounced DCC overdrachten door ZNC in plaats van direct naar de gebruiker te " +"versturen." diff --git a/modules/po/buffextras.nl_NL.po b/modules/po/buffextras.nl_NL.po index 27f3956d..17d7c7b7 100644 --- a/modules/po/buffextras.nl_NL.po +++ b/modules/po/buffextras.nl_NL.po @@ -14,36 +14,36 @@ msgstr "" #: buffextras.cpp:45 msgid "Server" -msgstr "" +msgstr "Server" #: buffextras.cpp:47 msgid "{1} set mode: {2} {3}" -msgstr "" +msgstr "{1} steld modus in: {2} {3}" #: buffextras.cpp:55 msgid "{1} kicked {2} with reason: {3}" -msgstr "" +msgstr "{1} schopt {2} met reden: {3}" #: buffextras.cpp:64 msgid "{1} quit: {2}" -msgstr "" +msgstr "{1} stopt: {2}" #: buffextras.cpp:73 msgid "{1} joined" -msgstr "" +msgstr "{1} komt binnen" #: buffextras.cpp:81 msgid "{1} parted: {2}" -msgstr "" +msgstr "{1} verlaat: {2}" #: buffextras.cpp:90 msgid "{1} is now known as {2}" -msgstr "" +msgstr "{1} staat nu bekend als {2}" #: buffextras.cpp:100 msgid "{1} changed the topic to: {2}" -msgstr "" +msgstr "{1} veranderd het onderwerp naar: {2}" #: buffextras.cpp:115 msgid "Adds joins, parts etc. to the playback buffer" -msgstr "" +msgstr "Voegt binnenkomers, verlaters enz. toe aan de terugspeel buffer" diff --git a/modules/po/cert.nl_NL.po b/modules/po/cert.nl_NL.po index d64bf801..6cd94b81 100644 --- a/modules/po/cert.nl_NL.po +++ b/modules/po/cert.nl_NL.po @@ -15,7 +15,7 @@ msgstr "" # this text is inserted into `click here` in the other string #: modules/po/../data/cert/tmpl/index.tmpl:5 msgid "here" -msgstr "" +msgstr "hier" # {1} is `here`, translateable in the other string #: modules/po/../data/cert/tmpl/index.tmpl:6 @@ -23,53 +23,59 @@ msgid "" "You already have a certificate set, use the form below to overwrite the " "current certificate. Alternatively click {1} to delete your certificate." msgstr "" +"Je hebt al een certificaat ingesteld, gebruik het onderstaande formulier om " +"deze te overschrijven. Of klik op {1} om je certificaat te verwijderen." #: modules/po/../data/cert/tmpl/index.tmpl:8 msgid "You do not have a certificate yet." -msgstr "" +msgstr "Je hebt nog geen certificaat." #: modules/po/../data/cert/tmpl/index.tmpl:14 cert.cpp:72 msgid "Certificate" -msgstr "" +msgstr "Certificaat" #: modules/po/../data/cert/tmpl/index.tmpl:18 msgid "PEM File:" -msgstr "" +msgstr "PEM Bestand:" #: modules/po/../data/cert/tmpl/index.tmpl:22 msgid "Update" -msgstr "" +msgstr "Bijwerken" #: cert.cpp:28 msgid "Pem file deleted" -msgstr "" +msgstr "PEM bestand verwijderd" #: cert.cpp:31 msgid "The pem file doesn't exist or there was a error deleting the pem file." msgstr "" +"Het PEM bestand bestsaat niet of er was een foutmelding tijdens het " +"verwijderen van het PEM bestand." #: cert.cpp:38 msgid "You have a certificate in {1}" -msgstr "" +msgstr "Je hebt een certificaat in {1}" #: cert.cpp:41 msgid "" "You do not have a certificate. Please use the web interface to add a " "certificate" msgstr "" +"Je hebt geen certificaat. Gebruik de webomgeving om een certificaat toe te " +"voegen" #: cert.cpp:44 msgid "Alternatively you can either place one at {1}" -msgstr "" +msgstr "In plaats daarvan kan je deze ook plaatsen in {1}" #: cert.cpp:52 msgid "Delete the current certificate" -msgstr "" +msgstr "Verwijder het huidige certificaat" #: cert.cpp:54 msgid "Show the current certificate" -msgstr "" +msgstr "Laat het huidige certificaat zien" #: cert.cpp:105 msgid "Use a ssl certificate to connect to a server" -msgstr "" +msgstr "Gebruik een SSL certificaat om te verbinden naar de server" diff --git a/modules/po/certauth.nl_NL.po b/modules/po/certauth.nl_NL.po index bcb1223e..6686d538 100644 --- a/modules/po/certauth.nl_NL.po +++ b/modules/po/certauth.nl_NL.po @@ -14,95 +14,98 @@ msgstr "" #: modules/po/../data/certauth/tmpl/index.tmpl:7 msgid "Add a key" -msgstr "" +msgstr "Voeg een sleutel toe" #: modules/po/../data/certauth/tmpl/index.tmpl:11 msgid "Key:" -msgstr "" +msgstr "Sleutel:" #: modules/po/../data/certauth/tmpl/index.tmpl:15 msgid "Add Key" -msgstr "" +msgstr "Voeg sleutel toe" #: modules/po/../data/certauth/tmpl/index.tmpl:23 msgid "You have no keys." -msgstr "" +msgstr "Je hebt geen sleutels." #: modules/po/../data/certauth/tmpl/index.tmpl:30 msgctxt "web" msgid "Key" -msgstr "" +msgstr "Sleutel" #: modules/po/../data/certauth/tmpl/index.tmpl:36 msgid "del" -msgstr "" +msgstr "Verwijder" #: certauth.cpp:31 msgid "[pubkey]" -msgstr "" +msgstr "[publieke sleutel]" #: certauth.cpp:32 msgid "Add a public key. If key is not provided will use the current key" msgstr "" +"Voeg een publieke sleutel toe. Als deze niet ingevoerd word zal de huidige " +"sleutel gebruikt worden" #: certauth.cpp:35 msgid "id" -msgstr "" +msgstr "id" #: certauth.cpp:35 msgid "Delete a key by its number in List" -msgstr "" +msgstr "Verwijder een sleutel naar aanleiding van het nummer in de lijst" #: certauth.cpp:37 msgid "List your public keys" -msgstr "" +msgstr "Laat je publieke sleutels zien" #: certauth.cpp:39 msgid "Print your current key" -msgstr "" +msgstr "Laat je huidige sleutel zien" #: certauth.cpp:142 msgid "You are not connected with any valid public key" -msgstr "" +msgstr "Je bent niet verbonden met een geldige publieke sleutel" #: certauth.cpp:144 msgid "Your current public key is: {1}" -msgstr "" +msgstr "Je huidige publieke slutel is: {1}" #: certauth.cpp:157 msgid "You did not supply a public key or connect with one." -msgstr "" +msgstr "Je hebt geen publieke sleutel ingevoerd of verbonden hiermee." #: certauth.cpp:160 msgid "Key '{1}' added." -msgstr "" +msgstr "Sleutel '{1}' toegevoegd." #: certauth.cpp:162 msgid "The key '{1}' is already added." -msgstr "" +msgstr "De sleutel '{1}' is al toegevoegd." #: certauth.cpp:170 certauth.cpp:182 msgctxt "list" msgid "Id" -msgstr "" +msgstr "Id" #: certauth.cpp:171 certauth.cpp:183 msgctxt "list" msgid "Key" -msgstr "" +msgstr "Sleutel" #: certauth.cpp:175 certauth.cpp:189 certauth.cpp:198 msgid "No keys set for your user" -msgstr "" +msgstr "Geen sleutels ingesteld voor gebruiker" #: certauth.cpp:203 msgid "Invalid #, check \"list\"" -msgstr "" +msgstr "Ongeldig #, controleer \"list\"" #: certauth.cpp:215 msgid "Removed" -msgstr "" +msgstr "Verwijderd" #: certauth.cpp:290 msgid "Allows users to authenticate via SSL client certificates." msgstr "" +"Staat gebruikers toe zich te identificeren via SSL client certificaten." diff --git a/modules/po/chansaver.nl_NL.po b/modules/po/chansaver.nl_NL.po index b71687ab..42862864 100644 --- a/modules/po/chansaver.nl_NL.po +++ b/modules/po/chansaver.nl_NL.po @@ -14,4 +14,4 @@ msgstr "" #: chansaver.cpp:91 msgid "Keeps config up-to-date when user joins/parts." -msgstr "" +msgstr "Houd de configuratie up-to-date wanneer gebruiks binnenkomen/verlaten." diff --git a/modules/po/clearbufferonmsg.nl_NL.po b/modules/po/clearbufferonmsg.nl_NL.po index 05ab6b35..ea819ff6 100644 --- a/modules/po/clearbufferonmsg.nl_NL.po +++ b/modules/po/clearbufferonmsg.nl_NL.po @@ -15,3 +15,4 @@ msgstr "" #: clearbufferonmsg.cpp:160 msgid "Clears all channel and query buffers whenever the user does something" msgstr "" +"Schoont alle kanaal en privébericht buffers op wanneer de gebruiker iets doet" diff --git a/modules/po/clientnotify.nl_NL.po b/modules/po/clientnotify.nl_NL.po index 782c8638..f58cae0b 100644 --- a/modules/po/clientnotify.nl_NL.po +++ b/modules/po/clientnotify.nl_NL.po @@ -14,27 +14,27 @@ msgstr "" #: clientnotify.cpp:47 msgid "" -msgstr "" +msgstr "" #: clientnotify.cpp:48 msgid "Sets the notify method" -msgstr "" +msgstr "Stelt de notificatiemethode in" #: clientnotify.cpp:50 clientnotify.cpp:54 msgid "" -msgstr "" +msgstr "" #: clientnotify.cpp:51 msgid "Turns notifications for unseen IP addresses on or off" -msgstr "" +msgstr "Schakelt notificaties voor ongeziene IP-adressen in of uit" #: clientnotify.cpp:55 msgid "Turns notifications for clients disconnecting on or off" -msgstr "" +msgstr "Schakelt notificaties voor clients die loskoppelen aan of uit" #: clientnotify.cpp:57 msgid "Shows the current settings" -msgstr "" +msgstr "Laat de huidige instellingen zien" #: clientnotify.cpp:81 clientnotify.cpp:95 msgid "" @@ -43,31 +43,37 @@ msgid_plural "" "see all {1} clients." msgstr[0] "" msgstr[1] "" +"Een andere client heeft zich als jouw gebruiker geïdentificeerd. Gebruik het " +"'ListClients' commando om alle {1} clients te zien." #: clientnotify.cpp:108 msgid "Usage: Method " -msgstr "" +msgstr "Gebruik: Method " #: clientnotify.cpp:114 clientnotify.cpp:127 clientnotify.cpp:140 msgid "Saved." -msgstr "" +msgstr "Opgeslagen." #: clientnotify.cpp:121 msgid "Usage: NewOnly " -msgstr "" +msgstr "Gebruik: NewOnly " #: clientnotify.cpp:134 msgid "Usage: OnDisconnect " -msgstr "" +msgstr "Gebruik: OnDisconnect " #: clientnotify.cpp:145 msgid "" "Current settings: Method: {1}, for unseen IP addresses only: {2}, notify on " "disconnecting clients: {3}" msgstr "" +"Huidige instellingen: Method: {1}, alleen voor ongeziene IP-addressen: {2}, " +"notificatie wanneer clients loskoppelen: {3}" #: clientnotify.cpp:157 msgid "" "Notifies you when another IRC client logs into or out of your account. " "Configurable." msgstr "" +"Laat je weten wanneer een andere IRC client in of uitlogd op jouw account. " +"Configureerbaar." diff --git a/modules/po/controlpanel.es_ES.po b/modules/po/controlpanel.es_ES.po index 39504709..8e10b471 100644 --- a/modules/po/controlpanel.es_ES.po +++ b/modules/po/controlpanel.es_ES.po @@ -15,223 +15,239 @@ msgstr "" #: controlpanel.cpp:51 controlpanel.cpp:63 msgctxt "helptable" msgid "Type" -msgstr "" +msgstr "Tipo" #: controlpanel.cpp:52 controlpanel.cpp:65 msgctxt "helptable" msgid "Variables" -msgstr "" +msgstr "Variables" #: controlpanel.cpp:77 msgid "String" -msgstr "" +msgstr "Cadena" #: controlpanel.cpp:78 msgid "Boolean (true/false)" -msgstr "" +msgstr "Booleano (verdadero/falso)" #: controlpanel.cpp:79 msgid "Integer" -msgstr "" +msgstr "Entero" #: controlpanel.cpp:80 msgid "Number" -msgstr "" +msgstr "Número" #: controlpanel.cpp:123 msgid "The following variables are available when using the Set/Get commands:" msgstr "" +"Las siguientes variables están disponibles cuando se usan los comandos Get/" +"Set:" #: controlpanel.cpp:146 msgid "" "The following variables are available when using the SetNetwork/GetNetwork " "commands:" msgstr "" +"Las siguientes variables están disponibles cuando se usan los comandos " +"SetNetwork/GetNetwork:" #: controlpanel.cpp:159 msgid "" "The following variables are available when using the SetChan/GetChan " "commands:" msgstr "" +"Las siguientes variables están disponibles cuando se usan los comandos " +"SetChan/GetChan:" #: controlpanel.cpp:165 msgid "" "You can use $user as the user name and $network as the network name for " "modifying your own user and network." msgstr "" +"Puedes usar $user como nombre de usuario y $network como el nombre de la red " +"para modificar tu propio usuario y red." #: controlpanel.cpp:174 controlpanel.cpp:961 controlpanel.cpp:998 msgid "Error: User [{1}] does not exist!" -msgstr "" +msgstr "Error: el usuario [{1}] no existe" #: controlpanel.cpp:179 msgid "Error: You need to have admin rights to modify other users!" msgstr "" +"Error: tienes que tener permisos administrativos para modificar otros " +"usuarios" #: controlpanel.cpp:189 msgid "Error: You cannot use $network to modify other users!" -msgstr "" +msgstr "Error: no puedes usar $network para modificar otros usuarios" #: controlpanel.cpp:197 msgid "Error: User {1} does not have a network named [{2}]." -msgstr "" +msgstr "Error: el usuario {1} no tiene una red llamada [{2}]." #: controlpanel.cpp:209 msgid "Usage: Get [username]" -msgstr "" +msgstr "Uso: Get [usuario]" #: controlpanel.cpp:299 controlpanel.cpp:502 controlpanel.cpp:577 #: controlpanel.cpp:653 controlpanel.cpp:788 controlpanel.cpp:873 msgid "Error: Unknown variable" -msgstr "" +msgstr "Error: variable desconocida" #: controlpanel.cpp:308 msgid "Usage: Set " -msgstr "" +msgstr "Uso: Set [usuario] " #: controlpanel.cpp:330 controlpanel.cpp:618 msgid "This bind host is already set!" -msgstr "" +msgstr "Este bind host ya está definido" #: controlpanel.cpp:337 controlpanel.cpp:349 controlpanel.cpp:357 #: controlpanel.cpp:420 controlpanel.cpp:439 controlpanel.cpp:455 #: controlpanel.cpp:465 controlpanel.cpp:625 msgid "Access denied!" -msgstr "" +msgstr "¡Acceso denegado!" #: controlpanel.cpp:371 controlpanel.cpp:380 controlpanel.cpp:837 msgid "Setting failed, limit for buffer size is {1}" -msgstr "" +msgstr "Ajuste fallido, el límite para el tamaño de búfer es {1}" #: controlpanel.cpp:400 msgid "Password has been changed!" -msgstr "" +msgstr "Se ha cambiado la contraseña" #: controlpanel.cpp:408 msgid "Timeout can't be less than 30 seconds!" -msgstr "" +msgstr "¡El tiempo de espera no puede ser inferior a 30 segundos!" #: controlpanel.cpp:472 msgid "That would be a bad idea!" -msgstr "" +msgstr "Eso sería una mala idea" #: controlpanel.cpp:490 msgid "Supported languages: {1}" -msgstr "" +msgstr "Idiomas soportados: {1}" #: controlpanel.cpp:514 msgid "Usage: GetNetwork [username] [network]" -msgstr "" +msgstr "Uso: GetNetwork [usuario] [red]" #: controlpanel.cpp:533 msgid "Error: A network must be specified to get another users settings." msgstr "" +"Error: debes especificar una red para obtener los ajustes de otro usuario." #: controlpanel.cpp:539 msgid "You are not currently attached to a network." -msgstr "" +msgstr "No estás adjunto a una red." #: controlpanel.cpp:545 msgid "Error: Invalid network." -msgstr "" +msgstr "Error: nombre de red inválido." #: controlpanel.cpp:589 msgid "Usage: SetNetwork " -msgstr "" +msgstr "Uso: SetNetwork " #: controlpanel.cpp:663 msgid "Usage: AddChan " -msgstr "" +msgstr "Uso: AddChan " #: controlpanel.cpp:676 msgid "Error: User {1} already has a channel named {2}." -msgstr "" +msgstr "Error: el usuario {1} ya tiene un canal llamado {2}." #: controlpanel.cpp:683 msgid "Channel {1} for user {2} added to network {3}." -msgstr "" +msgstr "El canal {1} para el usuario {2} se ha añadido a la red {3}." #: controlpanel.cpp:687 msgid "" "Could not add channel {1} for user {2} to network {3}, does it already exist?" msgstr "" +"No se ha podido añadir el canal {1} para el usuario {2} a la red {3}, " +"¿existe realmente?" #: controlpanel.cpp:697 msgid "Usage: DelChan " -msgstr "" +msgstr "Uso: DelChan " #: controlpanel.cpp:712 msgid "Error: User {1} does not have any channel matching [{2}] in network {3}" msgstr "" +"Error: el usuario {1} no tiene ningún canal que coincida con [{2}] en la red " +"{3}" #: controlpanel.cpp:725 msgid "Channel {1} is deleted from network {2} of user {3}" msgid_plural "Channels {1} are deleted from network {2} of user {3}" msgstr[0] "" -msgstr[1] "" +msgstr[1] "Borrados canales {1} de la red {2} del usuario {3}" #: controlpanel.cpp:740 msgid "Usage: GetChan " -msgstr "" +msgstr "Uso: GetChan " #: controlpanel.cpp:754 controlpanel.cpp:818 msgid "Error: No channels matching [{1}] found." -msgstr "" +msgstr "Error: no hay ningún canal que coincida con [{1}]." #: controlpanel.cpp:803 msgid "Usage: SetChan " -msgstr "" +msgstr "Uso: SetChan " #: controlpanel.cpp:884 controlpanel.cpp:894 msgctxt "listusers" msgid "Username" -msgstr "" +msgstr "Usuario" #: controlpanel.cpp:885 controlpanel.cpp:895 msgctxt "listusers" msgid "Realname" -msgstr "" +msgstr "Nombre real" #: controlpanel.cpp:886 controlpanel.cpp:898 controlpanel.cpp:900 msgctxt "listusers" msgid "IsAdmin" -msgstr "" +msgstr "Admin" #: controlpanel.cpp:887 controlpanel.cpp:901 msgctxt "listusers" msgid "Nick" -msgstr "" +msgstr "Apodo" #: controlpanel.cpp:888 controlpanel.cpp:902 msgctxt "listusers" msgid "AltNick" -msgstr "" +msgstr "Apodo alternativo" #: controlpanel.cpp:889 controlpanel.cpp:903 msgctxt "listusers" msgid "Ident" -msgstr "" +msgstr "Ident" #: controlpanel.cpp:890 controlpanel.cpp:904 msgctxt "listusers" msgid "BindHost" -msgstr "" +msgstr "BindHost" #: controlpanel.cpp:898 controlpanel.cpp:1138 msgid "No" -msgstr "" +msgstr "No" #: controlpanel.cpp:900 controlpanel.cpp:1130 msgid "Yes" -msgstr "" +msgstr "Sí" #: controlpanel.cpp:914 controlpanel.cpp:983 msgid "Error: You need to have admin rights to add new users!" msgstr "" +"Error: tienes que tener permisos administrativos para añadir nuevos usuarios" #: controlpanel.cpp:920 msgid "Usage: AddUser " -msgstr "" +msgstr "Uso: AddUser " #: controlpanel.cpp:925 msgid "Error: User {1} already exists!" @@ -447,205 +463,206 @@ msgstr "" #: controlpanel.cpp:1380 msgid "Error: Unable to reload module {1}: {2}" -msgstr "" +msgstr "Error: no se ha podido recargar el módulo {1}: {2}" #: controlpanel.cpp:1383 msgid "Reloaded module {1}" -msgstr "" +msgstr "Recargado módulo {1}" #: controlpanel.cpp:1387 msgid "Error: Unable to load module {1} because it is already loaded" -msgstr "" +msgstr "Error: no se ha podido cargar el módulo {1} porque ya está cargado" #: controlpanel.cpp:1398 msgid "Usage: LoadModule [args]" -msgstr "" +msgstr "Uso: LoadModule [args]" #: controlpanel.cpp:1417 msgid "Usage: LoadNetModule [args]" -msgstr "" +msgstr "Uso: LoadNetModule [args]" #: controlpanel.cpp:1442 msgid "Please use /znc unloadmod {1}" -msgstr "" +msgstr "Por favor, ejecuta /znc unloadmod {1}" #: controlpanel.cpp:1448 msgid "Error: Unable to unload module {1}: {2}" -msgstr "" +msgstr "Error: no se ha podido descargar el módulo {1}: {2}" #: controlpanel.cpp:1451 msgid "Unloaded module {1}" -msgstr "" +msgstr "Descargado módulo {1}" #: controlpanel.cpp:1460 msgid "Usage: UnloadModule " -msgstr "" +msgstr "Uso: UnloadModule " #: controlpanel.cpp:1477 msgid "Usage: UnloadNetModule " -msgstr "" +msgstr "Uso: UnloadNetModule " #: controlpanel.cpp:1494 controlpanel.cpp:1499 msgctxt "listmodules" msgid "Name" -msgstr "" +msgstr "Nombre" #: controlpanel.cpp:1495 controlpanel.cpp:1500 msgctxt "listmodules" msgid "Arguments" -msgstr "" +msgstr "Parámetros" #: controlpanel.cpp:1519 msgid "User {1} has no modules loaded." -msgstr "" +msgstr "El usuario {1} no tiene módulos cargados." #: controlpanel.cpp:1523 msgid "Modules loaded for user {1}:" -msgstr "" +msgstr "Módulos cargados para el usuario {1}:" #: controlpanel.cpp:1543 msgid "Network {1} of user {2} has no modules loaded." -msgstr "" +msgstr "La red {1} del usuario {2} no tiene módulos cargados." #: controlpanel.cpp:1547 msgid "Modules loaded for network {1} of user {2}:" -msgstr "" +msgstr "Módulos cargados para la red {1} del usuario {2}:" #: controlpanel.cpp:1554 msgid "[command] [variable]" -msgstr "" +msgstr "[comando] [variable]" #: controlpanel.cpp:1555 msgid "Prints help for matching commands and variables" -msgstr "" +msgstr "Muestra la ayuda de los comandos y variables" #: controlpanel.cpp:1558 msgid " [username]" -msgstr "" +msgstr " [usuario]" #: controlpanel.cpp:1559 msgid "Prints the variable's value for the given or current user" msgstr "" +"Muestra los valores de las variables del usuario actual o el proporcionado" #: controlpanel.cpp:1561 msgid " " -msgstr "" +msgstr " " #: controlpanel.cpp:1562 msgid "Sets the variable's value for the given user" -msgstr "" +msgstr "Ajusta los valores de variables para el usuario proporcionado" #: controlpanel.cpp:1564 msgid " [username] [network]" -msgstr "" +msgstr " [usuario] [red]" #: controlpanel.cpp:1565 msgid "Prints the variable's value for the given network" -msgstr "" +msgstr "Muestra los valores de las variables de la red proporcionada" #: controlpanel.cpp:1567 msgid " " -msgstr "" +msgstr " " #: controlpanel.cpp:1568 msgid "Sets the variable's value for the given network" -msgstr "" +msgstr "Ajusta los valores de variables para la red proporcionada" #: controlpanel.cpp:1570 msgid " [username] " -msgstr "" +msgstr " " #: controlpanel.cpp:1571 msgid "Prints the variable's value for the given channel" -msgstr "" +msgstr "Muestra los valores de las variables del canal proporcionado" #: controlpanel.cpp:1574 msgid " " -msgstr "" +msgstr " " #: controlpanel.cpp:1575 msgid "Sets the variable's value for the given channel" -msgstr "" +msgstr "Ajusta los valores de variables para el canal proporcionado" #: controlpanel.cpp:1577 controlpanel.cpp:1580 msgid " " -msgstr "" +msgstr " " #: controlpanel.cpp:1578 msgid "Adds a new channel" -msgstr "" +msgstr "Añadir un nuevo canal" #: controlpanel.cpp:1581 msgid "Deletes a channel" -msgstr "" +msgstr "Eliminar canal" #: controlpanel.cpp:1583 msgid "Lists users" -msgstr "" +msgstr "Mostrar usuarios" #: controlpanel.cpp:1585 msgid " " -msgstr "" +msgstr " " #: controlpanel.cpp:1586 msgid "Adds a new user" -msgstr "" +msgstr "Añadir un usuario nuevo" #: controlpanel.cpp:1588 controlpanel.cpp:1611 controlpanel.cpp:1625 msgid "" -msgstr "" +msgstr "" #: controlpanel.cpp:1588 msgid "Deletes a user" -msgstr "" +msgstr "Eliminar usuario" #: controlpanel.cpp:1590 msgid " " -msgstr "" +msgstr " " #: controlpanel.cpp:1591 msgid "Clones a user" -msgstr "" +msgstr "Duplica un usuario" #: controlpanel.cpp:1593 controlpanel.cpp:1596 msgid " " -msgstr "" +msgstr " " #: controlpanel.cpp:1594 msgid "Adds a new IRC server for the given or current user" -msgstr "" +msgstr "Añade un nuevo servidor de IRC para el usuario actual o proporcionado" #: controlpanel.cpp:1597 msgid "Deletes an IRC server from the given or current user" -msgstr "" +msgstr "Borra un servidor de IRC para el usuario actual o proporcionado" #: controlpanel.cpp:1599 controlpanel.cpp:1602 controlpanel.cpp:1622 msgid " " -msgstr "" +msgstr " " #: controlpanel.cpp:1600 msgid "Cycles the user's IRC server connection" -msgstr "" +msgstr "Reconecta la conexión de un usario al IRC" #: controlpanel.cpp:1603 msgid "Disconnects the user from their IRC server" -msgstr "" +msgstr "Desconecta un usuario de su servidor de IRC" #: controlpanel.cpp:1605 msgid " [args]" -msgstr "" +msgstr " [args]" #: controlpanel.cpp:1606 msgid "Loads a Module for a user" -msgstr "" +msgstr "Carga un módulo a un usuario" #: controlpanel.cpp:1608 msgid " " -msgstr "" +msgstr " " #: controlpanel.cpp:1609 msgid "Removes a Module of a user" -msgstr "" +msgstr "Quita un módulo de un usuario" #: controlpanel.cpp:1612 msgid "Get the list of modules for a user" diff --git a/modules/po/controlpanel.nl_NL.po b/modules/po/controlpanel.nl_NL.po index 90cb78f0..0121ac0b 100644 --- a/modules/po/controlpanel.nl_NL.po +++ b/modules/po/controlpanel.nl_NL.po @@ -15,704 +15,742 @@ msgstr "" #: controlpanel.cpp:51 controlpanel.cpp:63 msgctxt "helptable" msgid "Type" -msgstr "" +msgstr "Type" #: controlpanel.cpp:52 controlpanel.cpp:65 msgctxt "helptable" msgid "Variables" -msgstr "" +msgstr "Variabelen" #: controlpanel.cpp:77 msgid "String" -msgstr "" +msgstr "Tekenreeks" #: controlpanel.cpp:78 msgid "Boolean (true/false)" -msgstr "" +msgstr "Boolean (waar/onwaar)" #: controlpanel.cpp:79 msgid "Integer" -msgstr "" +msgstr "Heel getal" #: controlpanel.cpp:80 msgid "Number" -msgstr "" +msgstr "Nummer" #: controlpanel.cpp:123 msgid "The following variables are available when using the Set/Get commands:" msgstr "" +"De volgende variabelen zijn beschikbaar bij het gebruik van de Set/Get " +"commando's:" #: controlpanel.cpp:146 msgid "" "The following variables are available when using the SetNetwork/GetNetwork " "commands:" msgstr "" +"De volgende variabelen zijn beschikbaar bij het gebruik van de SetNetwork/" +"GetNetwork commando's:" #: controlpanel.cpp:159 msgid "" "The following variables are available when using the SetChan/GetChan " "commands:" msgstr "" +"De volgende variabelen zijn beschikbaar bij het gebruik van de SetChan/" +"GetChan commando's:" #: controlpanel.cpp:165 msgid "" "You can use $user as the user name and $network as the network name for " "modifying your own user and network." msgstr "" +"Je kan $user als gebruiker en $network als netwerknaam gebruiken bij het " +"aanpassen van je eigen gebruiker en network." #: controlpanel.cpp:174 controlpanel.cpp:961 controlpanel.cpp:998 msgid "Error: User [{1}] does not exist!" -msgstr "" +msgstr "Fout: Gebruiker [{1}] bestaat niet!" #: controlpanel.cpp:179 msgid "Error: You need to have admin rights to modify other users!" msgstr "" +"Fout: Je moet beheerdersrechten hebben om andere gebruikers aan te passen!" #: controlpanel.cpp:189 msgid "Error: You cannot use $network to modify other users!" -msgstr "" +msgstr "Fout: Je kan $network niet gebruiken om andere gebruiks aan te passen!" #: controlpanel.cpp:197 msgid "Error: User {1} does not have a network named [{2}]." -msgstr "" +msgstr "Fout: Gebruiker {1} heeft geen netwerk genaamd [{2}]." #: controlpanel.cpp:209 msgid "Usage: Get [username]" -msgstr "" +msgstr "Gebruik: Get [gebruikersnaam]" #: controlpanel.cpp:299 controlpanel.cpp:502 controlpanel.cpp:577 #: controlpanel.cpp:653 controlpanel.cpp:788 controlpanel.cpp:873 msgid "Error: Unknown variable" -msgstr "" +msgstr "Fout: Onbekende variabele" #: controlpanel.cpp:308 msgid "Usage: Set " -msgstr "" +msgstr "Gebruik: Get " #: controlpanel.cpp:330 controlpanel.cpp:618 msgid "This bind host is already set!" -msgstr "" +msgstr "Deze bindhost is al ingesteld!" #: controlpanel.cpp:337 controlpanel.cpp:349 controlpanel.cpp:357 #: controlpanel.cpp:420 controlpanel.cpp:439 controlpanel.cpp:455 #: controlpanel.cpp:465 controlpanel.cpp:625 msgid "Access denied!" -msgstr "" +msgstr "Toegang geweigerd!" #: controlpanel.cpp:371 controlpanel.cpp:380 controlpanel.cpp:837 msgid "Setting failed, limit for buffer size is {1}" -msgstr "" +msgstr "Configuratie gefaald, limiet van buffer grootte is {1}" #: controlpanel.cpp:400 msgid "Password has been changed!" -msgstr "" +msgstr "Wachtwoord is aangepast!" #: controlpanel.cpp:408 msgid "Timeout can't be less than 30 seconds!" -msgstr "" +msgstr "Time-out kan niet minder dan 30 seconden zijn!" #: controlpanel.cpp:472 msgid "That would be a bad idea!" -msgstr "" +msgstr "Dat zou een slecht idee zijn!" #: controlpanel.cpp:490 msgid "Supported languages: {1}" -msgstr "" +msgstr "Ondersteunde talen: {1}" #: controlpanel.cpp:514 msgid "Usage: GetNetwork [username] [network]" -msgstr "" +msgstr "Gebruik: GetNetwork [gebruikersnaam] [netwerk]" #: controlpanel.cpp:533 msgid "Error: A network must be specified to get another users settings." msgstr "" +"Fout: Een netwerk moet ingevoerd worden om de instellingen van een andere " +"gebruiker op te halen." #: controlpanel.cpp:539 msgid "You are not currently attached to a network." -msgstr "" +msgstr "Je bent op het moment niet verbonden met een netwerk." #: controlpanel.cpp:545 msgid "Error: Invalid network." -msgstr "" +msgstr "Fout: Onjuist netwerk." #: controlpanel.cpp:589 msgid "Usage: SetNetwork " -msgstr "" +msgstr "Gebruik: SetNetwork " #: controlpanel.cpp:663 msgid "Usage: AddChan " -msgstr "" +msgstr "Gebruik: AddChan " #: controlpanel.cpp:676 msgid "Error: User {1} already has a channel named {2}." -msgstr "" +msgstr "Fout: Gebruiker {1} heeft al een kanaal genaamd {2}." #: controlpanel.cpp:683 msgid "Channel {1} for user {2} added to network {3}." -msgstr "" +msgstr "Kanaal {1} voor gebruiker {2} toegevoegd aan netwerk {3}." #: controlpanel.cpp:687 msgid "" "Could not add channel {1} for user {2} to network {3}, does it already exist?" msgstr "" +"Kon kanaal {1} voor gebruiker {2} op netwerk {3} niet toevoegen, bestaat " +"deze al?" #: controlpanel.cpp:697 msgid "Usage: DelChan " -msgstr "" +msgstr "Gebruik: DelChan " #: controlpanel.cpp:712 msgid "Error: User {1} does not have any channel matching [{2}] in network {3}" msgstr "" +"Fout: Gebruiker {1} heeft geen kanaal die overeen komt met [{2}] in netwerk " +"{3}" #: controlpanel.cpp:725 msgid "Channel {1} is deleted from network {2} of user {3}" msgid_plural "Channels {1} are deleted from network {2} of user {3}" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "Kanaal {1} is verwijderd van netwerk {2} van gebruiker {3}" +msgstr[1] "Kanalen {1} zijn verwijderd van netwerk {2} van gebruiker {3}" #: controlpanel.cpp:740 msgid "Usage: GetChan " -msgstr "" +msgstr "Gebruik: GetChan " #: controlpanel.cpp:754 controlpanel.cpp:818 msgid "Error: No channels matching [{1}] found." -msgstr "" +msgstr "Fout: Geen overeenkomst met kanalen gevonden: [{1}]." #: controlpanel.cpp:803 msgid "Usage: SetChan " msgstr "" +"Gebruik: SetChan " #: controlpanel.cpp:884 controlpanel.cpp:894 msgctxt "listusers" msgid "Username" -msgstr "" +msgstr "Gebruikersnaam" #: controlpanel.cpp:885 controlpanel.cpp:895 msgctxt "listusers" msgid "Realname" -msgstr "" +msgstr "Echte naam" #: controlpanel.cpp:886 controlpanel.cpp:898 controlpanel.cpp:900 msgctxt "listusers" msgid "IsAdmin" -msgstr "" +msgstr "IsBeheerder" #: controlpanel.cpp:887 controlpanel.cpp:901 msgctxt "listusers" msgid "Nick" -msgstr "" +msgstr "Naam" #: controlpanel.cpp:888 controlpanel.cpp:902 msgctxt "listusers" msgid "AltNick" -msgstr "" +msgstr "AlternatieveNaam" #: controlpanel.cpp:889 controlpanel.cpp:903 msgctxt "listusers" msgid "Ident" -msgstr "" +msgstr "Identiteit" #: controlpanel.cpp:890 controlpanel.cpp:904 msgctxt "listusers" msgid "BindHost" -msgstr "" +msgstr "BindHost" #: controlpanel.cpp:898 controlpanel.cpp:1138 msgid "No" -msgstr "" +msgstr "Nee" #: controlpanel.cpp:900 controlpanel.cpp:1130 msgid "Yes" -msgstr "" +msgstr "Ja" #: controlpanel.cpp:914 controlpanel.cpp:983 msgid "Error: You need to have admin rights to add new users!" -msgstr "" +msgstr "Fout: Je moet beheerdersrechten hebben om gebruikers toe te voegen!" #: controlpanel.cpp:920 msgid "Usage: AddUser " -msgstr "" +msgstr "Gebruik: AddUser " #: controlpanel.cpp:925 msgid "Error: User {1} already exists!" -msgstr "" +msgstr "Fout: Gebruiker {1} bestaat al!" #: controlpanel.cpp:937 controlpanel.cpp:1012 msgid "Error: User not added: {1}" -msgstr "" +msgstr "Fout: Gebruiker niet toegevoegd: {1}" #: controlpanel.cpp:941 controlpanel.cpp:1016 msgid "User {1} added!" -msgstr "" +msgstr "Gebruiker {1} toegevoegd!" #: controlpanel.cpp:948 msgid "Error: You need to have admin rights to delete users!" -msgstr "" +msgstr "Fout: Je moet beheerdersrechten hebben om gebruikers te verwijderen!" #: controlpanel.cpp:954 msgid "Usage: DelUser " -msgstr "" +msgstr "Gebruik: DelUser " #: controlpanel.cpp:966 msgid "Error: You can't delete yourself!" -msgstr "" +msgstr "Fout: Je kan jezelf niet verwijderen!" #: controlpanel.cpp:972 msgid "Error: Internal error!" -msgstr "" +msgstr "Fout: Interne fout!" #: controlpanel.cpp:976 msgid "User {1} deleted!" -msgstr "" +msgstr "Gebruiker {1} verwijderd!" #: controlpanel.cpp:991 msgid "Usage: CloneUser " -msgstr "" +msgstr "Gebruik: CloneUser " #: controlpanel.cpp:1006 msgid "Error: Cloning failed: {1}" -msgstr "" +msgstr "Fout: Kloon mislukt: {1}" #: controlpanel.cpp:1035 msgid "Usage: AddNetwork [user] network" -msgstr "" +msgstr "Gebruik: AddNetwork [gebruiker] netwerk" #: controlpanel.cpp:1041 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks using /znc DelNetwork " msgstr "" +"Limiet van aantal netwerken bereikt. Vraag een beheerder om deze limit aan " +"te passen voor je, of verwijder onnodige netwerken door middel van /znc " +"DelNetwork " #: controlpanel.cpp:1049 msgid "Error: User {1} already has a network with the name {2}" -msgstr "" +msgstr "Fout: Gebruiker {1} heeft al een netwerk met de naam {2}" #: controlpanel.cpp:1056 msgid "Network {1} added to user {2}." -msgstr "" +msgstr "Netwerk {1} aan gebruiker {2} toegevoegd." #: controlpanel.cpp:1060 msgid "Error: Network [{1}] could not be added for user {2}: {3}" -msgstr "" +msgstr "Fout: Netwerk [{1}] kon niet toegevoegd worden voor gebruiker {2}: {3}" #: controlpanel.cpp:1080 msgid "Usage: DelNetwork [user] network" -msgstr "" +msgstr "Gebruik: DelNetwork [gebruiker] netwerk" #: controlpanel.cpp:1091 msgid "The currently active network can be deleted via {1}status" -msgstr "" +msgstr "Het huidige actieve netwerk kan worden verwijderd via {1}status" #: controlpanel.cpp:1097 msgid "Network {1} deleted for user {2}." -msgstr "" +msgstr "Netwerk {1} verwijderd voor gebruiker {2}." #: controlpanel.cpp:1101 msgid "Error: Network {1} could not be deleted for user {2}." -msgstr "" +msgstr "Fout: Netwerk [{1}] kon niet verwijderd worden voor gebruiker {2}." #: controlpanel.cpp:1120 controlpanel.cpp:1128 msgctxt "listnetworks" msgid "Network" -msgstr "" +msgstr "Netwerk" #: controlpanel.cpp:1121 controlpanel.cpp:1130 controlpanel.cpp:1138 msgctxt "listnetworks" msgid "OnIRC" -msgstr "" +msgstr "OpIRC" #: controlpanel.cpp:1122 controlpanel.cpp:1131 msgctxt "listnetworks" msgid "IRC Server" -msgstr "" +msgstr "IRC Server" #: controlpanel.cpp:1123 controlpanel.cpp:1133 msgctxt "listnetworks" msgid "IRC User" -msgstr "" +msgstr "IRC Gebruiker" #: controlpanel.cpp:1124 controlpanel.cpp:1135 msgctxt "listnetworks" msgid "Channels" -msgstr "" +msgstr "Kanalen" #: controlpanel.cpp:1143 msgid "No networks" -msgstr "" +msgstr "Geen netwerken" #: controlpanel.cpp:1154 msgid "Usage: AddServer [[+]port] [password]" msgstr "" +"Gebruik: AddServer [[+]poort] " +"[wachtwoord]" #: controlpanel.cpp:1168 msgid "Added IRC Server {1} to network {2} for user {3}." -msgstr "" +msgstr "IRC Server {1} toegevegd aan netwerk {2} van gebruiker {3}." #: controlpanel.cpp:1172 msgid "Error: Could not add IRC server {1} to network {2} for user {3}." msgstr "" +"Fout: kon IRC server {1} niet aan netwerk {2} van gebruiker {3} toevoegen." #: controlpanel.cpp:1185 msgid "Usage: DelServer [[+]port] [password]" msgstr "" +"Gebruik: DelServer [[+]poort] " +"[wachtwoord]" #: controlpanel.cpp:1200 msgid "Deleted IRC Server {1} from network {2} for user {3}." -msgstr "" +msgstr "IRC Server {1} verwijderd van netwerk {2} van gebruiker {3}." #: controlpanel.cpp:1204 msgid "Error: Could not delete IRC server {1} from network {2} for user {3}." msgstr "" +"Fout: kon IRC server {1} niet van netwerk {2} van gebruiker {3} verwijderen." #: controlpanel.cpp:1214 msgid "Usage: Reconnect " -msgstr "" +msgstr "Gebruik: Reconnect " #: controlpanel.cpp:1241 msgid "Queued network {1} of user {2} for a reconnect." -msgstr "" +msgstr "Netwerk {1} van gebruiker {2} toegevoegd om opnieuw te verbinden." #: controlpanel.cpp:1250 msgid "Usage: Disconnect " -msgstr "" +msgstr "Gebruik: Disconnect " #: controlpanel.cpp:1265 msgid "Closed IRC connection for network {1} of user {2}." -msgstr "" +msgstr "IRC verbinding afgesloten voor netwerk {1} van gebruiker {2}." #: controlpanel.cpp:1280 controlpanel.cpp:1284 msgctxt "listctcp" msgid "Request" -msgstr "" +msgstr "Aanvraag" #: controlpanel.cpp:1281 controlpanel.cpp:1285 msgctxt "listctcp" msgid "Reply" -msgstr "" +msgstr "Antwoord" #: controlpanel.cpp:1289 msgid "No CTCP replies for user {1} are configured" -msgstr "" +msgstr "Geen CTCP antwoorden voor gebruiker {1} zijn ingesteld" #: controlpanel.cpp:1292 msgid "CTCP replies for user {1}:" -msgstr "" +msgstr "CTCP antwoorden voor gebruiker {1}:" #: controlpanel.cpp:1308 msgid "Usage: AddCTCP [user] [request] [reply]" -msgstr "" +msgstr "Gebruik: AddCTCP [gebruikersnaam] [aanvraag] [antwoord]" #: controlpanel.cpp:1310 msgid "" "This will cause ZNC to reply to the CTCP instead of forwarding it to clients." msgstr "" +"Dit zorgt er voor dat ZNC antwoord op de CTCP aanvragen in plaats van deze " +"door te sturen naar clients." #: controlpanel.cpp:1313 msgid "An empty reply will cause the CTCP request to be blocked." msgstr "" +"Een leeg antwoord zorgt er voor dat deze CTCP aanvraag geblokkeerd zal " +"worden." #: controlpanel.cpp:1322 msgid "CTCP requests {1} to user {2} will now be blocked." -msgstr "" +msgstr "CTCP aanvraag {1} naar gebruiker {2} zal nu worden geblokkeerd." #: controlpanel.cpp:1326 msgid "CTCP requests {1} to user {2} will now get reply: {3}" -msgstr "" +msgstr "CTCP aanvraag {1} naar gebruiker {2} zal nu als antwoord krijgen: {3}" #: controlpanel.cpp:1343 msgid "Usage: DelCTCP [user] [request]" -msgstr "" +msgstr "Gebruik: DelCTCP [gebruikersnaam] [aanvraag]" #: controlpanel.cpp:1349 msgid "CTCP requests {1} to user {2} will now be sent to IRC clients" -msgstr "" +msgstr "CTCP aanvraag {1} naar gebruiker {2} zal nu doorgestuurd worden" #: controlpanel.cpp:1353 msgid "" "CTCP requests {1} to user {2} will be sent to IRC clients (nothing has " "changed)" msgstr "" +"CTCP aanvraag {1} naar gebruiker {2} zal nu doorgestuurd worden (niets " +"veranderd)" #: controlpanel.cpp:1363 controlpanel.cpp:1437 msgid "Loading modules has been disabled." -msgstr "" +msgstr "Het laden van modulen is uit gezet." #: controlpanel.cpp:1372 msgid "Error: Unable to load module {1}: {2}" -msgstr "" +msgstr "Fout: Niet mogelijk om module te laden, {1}: {2}" #: controlpanel.cpp:1375 msgid "Loaded module {1}" -msgstr "" +msgstr "Module {1} geladen" #: controlpanel.cpp:1380 msgid "Error: Unable to reload module {1}: {2}" -msgstr "" +msgstr "Fout: Niet mogelijk om module te herladen, {1}: {2}" #: controlpanel.cpp:1383 msgid "Reloaded module {1}" -msgstr "" +msgstr "Module {1} opnieuw geladen" #: controlpanel.cpp:1387 msgid "Error: Unable to load module {1} because it is already loaded" -msgstr "" +msgstr "Fout: Niet mogelijk om module {1} te laden, deze is al geladen" #: controlpanel.cpp:1398 msgid "Usage: LoadModule [args]" -msgstr "" +msgstr "Gebruik: LoadModule [argumenten]" #: controlpanel.cpp:1417 msgid "Usage: LoadNetModule [args]" msgstr "" +"Gebruik: LoadNetModule [argumenten]" #: controlpanel.cpp:1442 msgid "Please use /znc unloadmod {1}" -msgstr "" +msgstr "Gebruik a.u.b. /znc unloadmod {1}" #: controlpanel.cpp:1448 msgid "Error: Unable to unload module {1}: {2}" -msgstr "" +msgstr "Fout: Niet mogelijk om module to stoppen, {1}: {2}" #: controlpanel.cpp:1451 msgid "Unloaded module {1}" -msgstr "" +msgstr "Module {1} gestopt" #: controlpanel.cpp:1460 msgid "Usage: UnloadModule " -msgstr "" +msgstr "Gebruik: UnloadModule " #: controlpanel.cpp:1477 msgid "Usage: UnloadNetModule " -msgstr "" +msgstr "Gebruik: UnloadNetModule " #: controlpanel.cpp:1494 controlpanel.cpp:1499 msgctxt "listmodules" msgid "Name" -msgstr "" +msgstr "Naam" #: controlpanel.cpp:1495 controlpanel.cpp:1500 msgctxt "listmodules" msgid "Arguments" -msgstr "" +msgstr "Argumenten" #: controlpanel.cpp:1519 msgid "User {1} has no modules loaded." -msgstr "" +msgstr "Gebruiker {1} heeft geen modulen geladen." #: controlpanel.cpp:1523 msgid "Modules loaded for user {1}:" -msgstr "" +msgstr "Modulen geladen voor gebruiker {1}:" #: controlpanel.cpp:1543 msgid "Network {1} of user {2} has no modules loaded." -msgstr "" +msgstr "Netwerk {1} van gebruiker {2} heeft geen modulen geladen." #: controlpanel.cpp:1547 msgid "Modules loaded for network {1} of user {2}:" -msgstr "" +msgstr "Modulen geladen voor netwerk {1} van gebruiker {2}:" #: controlpanel.cpp:1554 msgid "[command] [variable]" -msgstr "" +msgstr "[commando] [variabele]" #: controlpanel.cpp:1555 msgid "Prints help for matching commands and variables" -msgstr "" +msgstr "Laat help zien voor de overeenkomende commando's en variabelen" #: controlpanel.cpp:1558 msgid " [username]" -msgstr "" +msgstr " [gebruikersnaam]" #: controlpanel.cpp:1559 msgid "Prints the variable's value for the given or current user" msgstr "" +"Laat de waarde van de variabele voor de ingevoerde of huidige gebruiker zien" #: controlpanel.cpp:1561 msgid " " -msgstr "" +msgstr " " #: controlpanel.cpp:1562 msgid "Sets the variable's value for the given user" -msgstr "" +msgstr "Stelt de waarde voor de variabele voor de ingevoerde gebruiker in" #: controlpanel.cpp:1564 msgid " [username] [network]" -msgstr "" +msgstr " [gebruikersnaam] [netwerk]" #: controlpanel.cpp:1565 msgid "Prints the variable's value for the given network" msgstr "" +"Laat de huidige waarde voor de variabele van het ingevoerde netwerk zien" #: controlpanel.cpp:1567 msgid " " -msgstr "" +msgstr " " #: controlpanel.cpp:1568 msgid "Sets the variable's value for the given network" -msgstr "" +msgstr "Stelt de waarde voor de variabele voor het ingevoerde netwerk in" #: controlpanel.cpp:1570 msgid " [username] " -msgstr "" +msgstr " [gebruikersnaam] " #: controlpanel.cpp:1571 msgid "Prints the variable's value for the given channel" msgstr "" +"Laat de huidige waarde voor de variabele van het ingevoerde kanaal zien" #: controlpanel.cpp:1574 msgid " " -msgstr "" +msgstr " " #: controlpanel.cpp:1575 msgid "Sets the variable's value for the given channel" -msgstr "" +msgstr "Stelt de waarde voor de variabele voor het ingevoerde kanaal in" #: controlpanel.cpp:1577 controlpanel.cpp:1580 msgid " " -msgstr "" +msgstr " " #: controlpanel.cpp:1578 msgid "Adds a new channel" -msgstr "" +msgstr "Voegt een nieuw kanaal toe" #: controlpanel.cpp:1581 msgid "Deletes a channel" -msgstr "" +msgstr "Verwijdert een kanaal" #: controlpanel.cpp:1583 msgid "Lists users" -msgstr "" +msgstr "Weergeeft gebruikers" #: controlpanel.cpp:1585 msgid " " -msgstr "" +msgstr " " #: controlpanel.cpp:1586 msgid "Adds a new user" -msgstr "" +msgstr "Voegt een nieuwe gebruiker toe" #: controlpanel.cpp:1588 controlpanel.cpp:1611 controlpanel.cpp:1625 msgid "" -msgstr "" +msgstr "" #: controlpanel.cpp:1588 msgid "Deletes a user" -msgstr "" +msgstr "Verwijdert een gebruiker" #: controlpanel.cpp:1590 msgid " " -msgstr "" +msgstr " " #: controlpanel.cpp:1591 msgid "Clones a user" -msgstr "" +msgstr "Kloont een gebruiker" #: controlpanel.cpp:1593 controlpanel.cpp:1596 msgid " " -msgstr "" +msgstr " " #: controlpanel.cpp:1594 msgid "Adds a new IRC server for the given or current user" msgstr "" +"Voegt een nieuwe IRC server toe voor de ingevoerde of huidige gebruiker" #: controlpanel.cpp:1597 msgid "Deletes an IRC server from the given or current user" -msgstr "" +msgstr "Verwijdert een IRC server voor de ingevoerde of huidige gebruiker" #: controlpanel.cpp:1599 controlpanel.cpp:1602 controlpanel.cpp:1622 msgid " " -msgstr "" +msgstr " " #: controlpanel.cpp:1600 msgid "Cycles the user's IRC server connection" -msgstr "" +msgstr "Verbind opnieuw met de IRC server" #: controlpanel.cpp:1603 msgid "Disconnects the user from their IRC server" -msgstr "" +msgstr "Stopt de verbinding van de gebruiker naar de IRC server" #: controlpanel.cpp:1605 msgid " [args]" -msgstr "" +msgstr " [argumenten]" #: controlpanel.cpp:1606 msgid "Loads a Module for a user" -msgstr "" +msgstr "Laad een module voor een gebruiker" #: controlpanel.cpp:1608 msgid " " -msgstr "" +msgstr " " #: controlpanel.cpp:1609 msgid "Removes a Module of a user" -msgstr "" +msgstr "Stopt een module van een gebruiker" #: controlpanel.cpp:1612 msgid "Get the list of modules for a user" -msgstr "" +msgstr "Laat de lijst van modulen voor een gebruiker zien" #: controlpanel.cpp:1615 msgid " [args]" -msgstr "" +msgstr " [argumenten]" #: controlpanel.cpp:1616 msgid "Loads a Module for a network" -msgstr "" +msgstr "Laad een module voor een netwerk" #: controlpanel.cpp:1619 msgid " " -msgstr "" +msgstr " " #: controlpanel.cpp:1620 msgid "Removes a Module of a network" -msgstr "" +msgstr "Stopt een module van een netwerk" #: controlpanel.cpp:1623 msgid "Get the list of modules for a network" -msgstr "" +msgstr "Laat de lijst van modulen voor een netwerk zien" #: controlpanel.cpp:1626 msgid "List the configured CTCP replies" -msgstr "" +msgstr "Laat de ingestelde CTCP antwoorden zien" #: controlpanel.cpp:1628 msgid " [reply]" -msgstr "" +msgstr " [antwoord]" #: controlpanel.cpp:1629 msgid "Configure a new CTCP reply" -msgstr "" +msgstr "Stel een nieuw CTCP antwoord in" #: controlpanel.cpp:1631 msgid " " -msgstr "" +msgstr " " #: controlpanel.cpp:1632 msgid "Remove a CTCP reply" -msgstr "" +msgstr "Verwijder een CTCP antwoord" #: controlpanel.cpp:1636 controlpanel.cpp:1639 msgid "[username] " -msgstr "" +msgstr "[gebruikersnaam] " #: controlpanel.cpp:1637 msgid "Add a network for a user" -msgstr "" +msgstr "Voeg een netwerk toe voor een gebruiker" #: controlpanel.cpp:1640 msgid "Delete a network for a user" -msgstr "" +msgstr "Verwijder een netwerk van een gebruiker" #: controlpanel.cpp:1642 msgid "[username]" -msgstr "" +msgstr "[gebruikersnaam]" #: controlpanel.cpp:1643 msgid "List all networks for a user" -msgstr "" +msgstr "Laat alle netwerken van een gebruiker zien" #: controlpanel.cpp:1656 msgid "" "Dynamic configuration through IRC. Allows editing only yourself if you're " "not ZNC admin." msgstr "" +"Dynamische configuratie door IRC. Staat alleen toe voor je eigen gebruiker " +"als je geen ZNC beheerder bent." diff --git a/modules/po/crypt.es_ES.po b/modules/po/crypt.es_ES.po index 64efdd1b..575a280e 100644 --- a/modules/po/crypt.es_ES.po +++ b/modules/po/crypt.es_ES.po @@ -14,130 +14,132 @@ msgstr "" #: crypt.cpp:198 msgid "<#chan|Nick>" -msgstr "" +msgstr "<#canal|Nick>" #: crypt.cpp:199 msgid "Remove a key for nick or channel" -msgstr "" +msgstr "Elimina una clave de un nick o canal" #: crypt.cpp:201 msgid "<#chan|Nick> " -msgstr "" +msgstr "<#canal|Nick> " #: crypt.cpp:202 msgid "Set a key for nick or channel" -msgstr "" +msgstr "Ajusta una clave para un nick o canal" #: crypt.cpp:204 msgid "List all keys" -msgstr "" +msgstr "Muestra todas las claves" #: crypt.cpp:206 msgid "" -msgstr "" +msgstr "" #: crypt.cpp:207 msgid "Start a DH1080 key exchange with nick" -msgstr "" +msgstr "Comenzar un intercambio de claves DH1080 con un nick" #: crypt.cpp:210 msgid "Get the nick prefix" -msgstr "" +msgstr "Mostrar el prefijo del nick" #: crypt.cpp:213 msgid "[Prefix]" -msgstr "" +msgstr "[Prefijo]" #: crypt.cpp:214 msgid "Set the nick prefix, with no argument it's disabled." -msgstr "" +msgstr "Ajusta el prefijo de nick, sin argumentos se deshabilita." #: crypt.cpp:270 msgid "Received DH1080 public key from {1}, sending mine..." -msgstr "" +msgstr "Recibida clave pública DH1080 de {1}, enviando la mía..." #: crypt.cpp:275 crypt.cpp:296 msgid "Key for {1} successfully set." -msgstr "" +msgstr "Clave para {1} ajustada correctamente." #: crypt.cpp:278 crypt.cpp:299 msgid "Error in {1} with {2}: {3}" -msgstr "" +msgstr "Error en {1} con {2}: {3}" #: crypt.cpp:280 crypt.cpp:301 msgid "no secret key computed" -msgstr "" +msgstr "no hay clave secreta computada" #: crypt.cpp:395 msgid "Target [{1}] deleted" -msgstr "" +msgstr "Destino [{1}] eliminado" #: crypt.cpp:397 msgid "Target [{1}] not found" -msgstr "" +msgstr "Destino [{1}] no encontrado" #: crypt.cpp:400 msgid "Usage DelKey <#chan|Nick>" -msgstr "" +msgstr "Uso: DelKey <#canal|nick>" #: crypt.cpp:415 msgid "Set encryption key for [{1}] to [{2}]" -msgstr "" +msgstr "Ajustada clave de cifrado para [{1}] a [{2}]" #: crypt.cpp:417 msgid "Usage: SetKey <#chan|Nick> " -msgstr "" +msgstr "Uso: SetKey <#canal|nick> " #: crypt.cpp:428 msgid "Sent my DH1080 public key to {1}, waiting for reply ..." -msgstr "" +msgstr "Enviada mi clave pública DH1080 a {1}, esperando respuesta..." #: crypt.cpp:430 msgid "Error generating our keys, nothing sent." -msgstr "" +msgstr "Error generando claves, no se ha enviado nada." #: crypt.cpp:433 msgid "Usage: KeyX " -msgstr "" +msgstr "Uso: KeyX " #: crypt.cpp:440 msgid "Nick Prefix disabled." -msgstr "" +msgstr "Prefijo de nick deshabilitado." #: crypt.cpp:442 msgid "Nick Prefix: {1}" -msgstr "" +msgstr "Prefijo de nick: {1}" #: crypt.cpp:451 msgid "You cannot use :, even followed by other symbols, as Nick Prefix." msgstr "" +"No puedes usar ':' como prefijo de nick, incluso seguido de otros símbolos." #: crypt.cpp:460 msgid "Overlap with Status Prefix ({1}), this Nick Prefix will not be used!" msgstr "" +"Solapamiento con prefijo de Status ({1}), no se usará este prefijo de nick" #: crypt.cpp:465 msgid "Disabling Nick Prefix." -msgstr "" +msgstr "Deshabilitando prefijo de nick." #: crypt.cpp:467 msgid "Setting Nick Prefix to {1}" -msgstr "" +msgstr "Ajustando prefijo de nick a {1}" #: crypt.cpp:474 crypt.cpp:480 msgctxt "listkeys" msgid "Target" -msgstr "" +msgstr "Destino" #: crypt.cpp:475 crypt.cpp:481 msgctxt "listkeys" msgid "Key" -msgstr "" +msgstr "Clave" #: crypt.cpp:485 msgid "You have no encryption keys set." -msgstr "" +msgstr "No tienes claves de cifrado definidas." #: crypt.cpp:507 msgid "Encryption for channel/private messages" -msgstr "" +msgstr "Cifrado de canales/privados" diff --git a/modules/po/crypt.nl_NL.po b/modules/po/crypt.nl_NL.po index b8b3f250..d782556d 100644 --- a/modules/po/crypt.nl_NL.po +++ b/modules/po/crypt.nl_NL.po @@ -14,130 +14,137 @@ msgstr "" #: crypt.cpp:198 msgid "<#chan|Nick>" -msgstr "" +msgstr "<#kanaal|Naam>" #: crypt.cpp:199 msgid "Remove a key for nick or channel" -msgstr "" +msgstr "Verwijder een sleutel voor een naam of kanaal" #: crypt.cpp:201 msgid "<#chan|Nick> " -msgstr "" +msgstr "<#kanaal|Naam> " #: crypt.cpp:202 msgid "Set a key for nick or channel" -msgstr "" +msgstr "Stel een sleutel in voor naam of kanaal" #: crypt.cpp:204 msgid "List all keys" -msgstr "" +msgstr "Laat alle sleutels zien" #: crypt.cpp:206 msgid "" -msgstr "" +msgstr "" #: crypt.cpp:207 msgid "Start a DH1080 key exchange with nick" -msgstr "" +msgstr "Begint een DH1080 sleutel uitwisseling met naam" #: crypt.cpp:210 msgid "Get the nick prefix" -msgstr "" +msgstr "Laat het voorvoegsel van de naam zien" #: crypt.cpp:213 msgid "[Prefix]" -msgstr "" +msgstr "[Voorvoegsel]" #: crypt.cpp:214 msgid "Set the nick prefix, with no argument it's disabled." msgstr "" +"Stel het voorvoegsel voor de naam in, zonder argumenten zal deze " +"uitgeschakeld worden." #: crypt.cpp:270 msgid "Received DH1080 public key from {1}, sending mine..." -msgstr "" +msgstr "DH1080 publieke sleutel ontvangen van {1}, nu mijne sturen..." #: crypt.cpp:275 crypt.cpp:296 msgid "Key for {1} successfully set." -msgstr "" +msgstr "Sleutel voor {1} ingesteld." #: crypt.cpp:278 crypt.cpp:299 msgid "Error in {1} with {2}: {3}" -msgstr "" +msgstr "Fout in {1} met {2}: {3}" #: crypt.cpp:280 crypt.cpp:301 msgid "no secret key computed" -msgstr "" +msgstr "Geen geheime sleutel berekend" #: crypt.cpp:395 msgid "Target [{1}] deleted" -msgstr "" +msgstr "Doel [{1}] verwijderd" #: crypt.cpp:397 msgid "Target [{1}] not found" -msgstr "" +msgstr "Doel [{1}] niet gevonden" #: crypt.cpp:400 msgid "Usage DelKey <#chan|Nick>" -msgstr "" +msgstr "Gebruik: DelKey <#kanaal|Naam>" #: crypt.cpp:415 msgid "Set encryption key for [{1}] to [{2}]" -msgstr "" +msgstr "Sleutel voor versleuteling ingesteld voor [{1}] op [{2}]" #: crypt.cpp:417 msgid "Usage: SetKey <#chan|Nick> " -msgstr "" +msgstr "Gebruik: SetKey <#kanaal|Naam> " #: crypt.cpp:428 msgid "Sent my DH1080 public key to {1}, waiting for reply ..." msgstr "" +"Mijn DH1080 publieke sleutel verzonden naar {1}, wachten op antwoord ..." #: crypt.cpp:430 msgid "Error generating our keys, nothing sent." -msgstr "" +msgstr "Fout tijdens genereren van onze sleutels, niets verstuurd." #: crypt.cpp:433 msgid "Usage: KeyX " -msgstr "" +msgstr "Gebruik: KeyX " #: crypt.cpp:440 msgid "Nick Prefix disabled." -msgstr "" +msgstr "Naam voorvoegsel uit gezet." #: crypt.cpp:442 msgid "Nick Prefix: {1}" -msgstr "" +msgstr "Naam voorvoegsel: {1}" #: crypt.cpp:451 msgid "You cannot use :, even followed by other symbols, as Nick Prefix." msgstr "" +"Je kan : niet gebruiken, ook niet als hierna nog extra symbolen komen, als " +"Naam voorvoegsel." #: crypt.cpp:460 msgid "Overlap with Status Prefix ({1}), this Nick Prefix will not be used!" msgstr "" +"Overlap met Status voorvoegsel ({1}), deze Naam voorvoegsel zal niet worden " +"gebruikt!" #: crypt.cpp:465 msgid "Disabling Nick Prefix." -msgstr "" +msgstr "Naam voorvoegsel aan het uitzetten." #: crypt.cpp:467 msgid "Setting Nick Prefix to {1}" -msgstr "" +msgstr "Naam voorvoegsel naar {1} aan het zetten" #: crypt.cpp:474 crypt.cpp:480 msgctxt "listkeys" msgid "Target" -msgstr "" +msgstr "Doel" #: crypt.cpp:475 crypt.cpp:481 msgctxt "listkeys" msgid "Key" -msgstr "" +msgstr "Sleutel" #: crypt.cpp:485 msgid "You have no encryption keys set." -msgstr "" +msgstr "Je hebt geen versleutel sleutels ingesteld." #: crypt.cpp:507 msgid "Encryption for channel/private messages" -msgstr "" +msgstr "Versleuteling voor kanaal/privé berichten" diff --git a/modules/po/ctcpflood.es_ES.po b/modules/po/ctcpflood.es_ES.po index 1c011c28..1cc36d07 100644 --- a/modules/po/ctcpflood.es_ES.po +++ b/modules/po/ctcpflood.es_ES.po @@ -14,47 +14,47 @@ msgstr "" #: ctcpflood.cpp:25 ctcpflood.cpp:27 msgid "" -msgstr "" +msgstr "" #: ctcpflood.cpp:25 msgid "Set seconds limit" -msgstr "" +msgstr "Ajustar límite de segundos" #: ctcpflood.cpp:27 msgid "Set lines limit" -msgstr "" +msgstr "Ajustar límite de líneas" #: ctcpflood.cpp:29 msgid "Show the current limits" -msgstr "" +msgstr "Muestra los límites actuales" #: ctcpflood.cpp:76 msgid "Limit reached by {1}, blocking all CTCP" -msgstr "" +msgstr "Límite alcanzado por {1}, bloqueando todos los CTCP" #: ctcpflood.cpp:98 msgid "Usage: Secs " -msgstr "" +msgstr "Uso: Secs " #: ctcpflood.cpp:113 msgid "Usage: Lines " -msgstr "" +msgstr "Uso: Lines " #: ctcpflood.cpp:125 msgid "1 CTCP message" msgid_plural "{1} CTCP messages" msgstr[0] "" -msgstr[1] "" +msgstr[1] "{1} mensajes CTCP" #: ctcpflood.cpp:127 msgid "every second" msgid_plural "every {1} seconds" msgstr[0] "" -msgstr[1] "" +msgstr[1] "cada {1} segundos" #: ctcpflood.cpp:129 msgid "Current limit is {1} {2}" -msgstr "" +msgstr "El límite actual es {1} {2}" #: ctcpflood.cpp:145 msgid "" @@ -63,7 +63,11 @@ msgid "" "argument is the time (sec) to in which the number of lines is reached. The " "default setting is 4 CTCPs in 2 seconds" msgstr "" +"Este módulo de usuario tiene de cero a dos parámetros. El primero define el " +"número de líneas en el que la protección de flood es activada. El segundo es " +"el tiempo en segundos durante el cual se alcanza el número de lineas. El " +"ajuste predeterminado es 4 CTCPs en 2 segundos" #: ctcpflood.cpp:151 msgid "Don't forward CTCP floods to clients" -msgstr "" +msgstr "No reenviar floods CTCP a los clientes" diff --git a/modules/po/ctcpflood.nl_NL.po b/modules/po/ctcpflood.nl_NL.po index fb7b7aa7..409cbf86 100644 --- a/modules/po/ctcpflood.nl_NL.po +++ b/modules/po/ctcpflood.nl_NL.po @@ -14,47 +14,47 @@ msgstr "" #: ctcpflood.cpp:25 ctcpflood.cpp:27 msgid "" -msgstr "" +msgstr "" #: ctcpflood.cpp:25 msgid "Set seconds limit" -msgstr "" +msgstr "Stel seconden limiet in" #: ctcpflood.cpp:27 msgid "Set lines limit" -msgstr "" +msgstr "Stel regel limiet in" #: ctcpflood.cpp:29 msgid "Show the current limits" -msgstr "" +msgstr "Laat de huidige limieten zien" #: ctcpflood.cpp:76 msgid "Limit reached by {1}, blocking all CTCP" -msgstr "" +msgstr "Limiet bereikt met {1}, alle CTCPs zullen worden geblokkeerd" #: ctcpflood.cpp:98 msgid "Usage: Secs " -msgstr "" +msgstr "Gebruik: Secs " #: ctcpflood.cpp:113 msgid "Usage: Lines " -msgstr "" +msgstr "Gebruik: Lines " #: ctcpflood.cpp:125 msgid "1 CTCP message" msgid_plural "{1} CTCP messages" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "1 CTCP bericht" +msgstr[1] "{1} CTCP berichten" #: ctcpflood.cpp:127 msgid "every second" msgid_plural "every {1} seconds" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "Elke seconde" +msgstr[1] "Elke {2} seconden" #: ctcpflood.cpp:129 msgid "Current limit is {1} {2}" -msgstr "" +msgstr "Huidige limit is {1} {2}" #: ctcpflood.cpp:145 msgid "" @@ -63,7 +63,11 @@ msgid "" "argument is the time (sec) to in which the number of lines is reached. The " "default setting is 4 CTCPs in 2 seconds" msgstr "" +"Deze gebruikersmodule accepteert geen tot twee argumenten. Het eerste " +"argument is het aantal regels waarna de overstroom-bescherming in gang gezet " +"zal worden. Het tweede argument is de tijd (seconden) in welke dit aantal " +"bereikt wordt. De standaard instelling is 4 CTCP berichten in 2 seconden" #: ctcpflood.cpp:151 msgid "Don't forward CTCP floods to clients" -msgstr "" +msgstr "Stuur CTCP overstromingen niet door naar clients" diff --git a/modules/po/cyrusauth.es_ES.po b/modules/po/cyrusauth.es_ES.po index 3a41b2ea..3e1176aa 100644 --- a/modules/po/cyrusauth.es_ES.po +++ b/modules/po/cyrusauth.es_ES.po @@ -14,60 +14,68 @@ msgstr "" #: cyrusauth.cpp:42 msgid "Shows current settings" -msgstr "" +msgstr "Muestra los ajustes actuales" #: cyrusauth.cpp:44 msgid "yes|clone |no" -msgstr "" +msgstr "yes|clone |no" #: cyrusauth.cpp:45 msgid "" "Create ZNC users upon first successful login, optionally from a template" msgstr "" +"Crear usuarios ZNC al primer login correcto, opcionalmente desde una " +"plantilla" #: cyrusauth.cpp:56 msgid "Access denied" -msgstr "" +msgstr "Acceso denegado" #: cyrusauth.cpp:70 msgid "Ignoring invalid SASL pwcheck method: {1}" -msgstr "" +msgstr "Ignorando método pwcheck SASL inválido: {1}" #: cyrusauth.cpp:71 msgid "Ignored invalid SASL pwcheck method" -msgstr "" +msgstr "Ignorado método pwcheck SASL inválido" #: cyrusauth.cpp:79 msgid "Need a pwcheck method as argument (saslauthd, auxprop)" -msgstr "" +msgstr "Se necesita un método pwcheck como argumento (saslauthd, auxprop)" #: cyrusauth.cpp:84 msgid "SASL Could Not Be Initialized - Halting Startup" -msgstr "" +msgstr "SASL no se ha podido iniciar - Deteniendo arranque" #: cyrusauth.cpp:171 cyrusauth.cpp:186 msgid "We will not create users on their first login" -msgstr "" +msgstr "No se crearán usuarios en su primer login" #: cyrusauth.cpp:174 cyrusauth.cpp:195 msgid "" "We will create users on their first login, using user [{1}] as a template" msgstr "" +"Se crearán usuarios en su primer login, usando el usuario [{1}] como " +"plantilla" #: cyrusauth.cpp:177 cyrusauth.cpp:190 msgid "We will create users on their first login" -msgstr "" +msgstr "Se crearán usuarios en su primer login" #: cyrusauth.cpp:199 msgid "Usage: CreateUsers yes, CreateUsers no, or CreateUsers clone " -msgstr "" +msgstr "Uso: CreateUsers yes, CreateUsers no, o CreateUsers clone " #: cyrusauth.cpp:232 msgid "" "This global module takes up to two arguments - the methods of authentication " "- auxprop and saslauthd" msgstr "" +"Este módulo global tiene hasta dos parámetros - los métodos de autenticación " +"- auxprop y saslauthd" #: cyrusauth.cpp:238 msgid "Allow users to authenticate via SASL password verification method" msgstr "" +"Permitir autenticacón de usuarios vía método de verificación de contraseña " +"SASL" diff --git a/modules/po/cyrusauth.nl_NL.po b/modules/po/cyrusauth.nl_NL.po index 89236a9b..744fd49b 100644 --- a/modules/po/cyrusauth.nl_NL.po +++ b/modules/po/cyrusauth.nl_NL.po @@ -14,60 +14,69 @@ msgstr "" #: cyrusauth.cpp:42 msgid "Shows current settings" -msgstr "" +msgstr "Laat huidige instellingen zien" #: cyrusauth.cpp:44 msgid "yes|clone |no" -msgstr "" +msgstr "yes|clone |no" #: cyrusauth.cpp:45 msgid "" "Create ZNC users upon first successful login, optionally from a template" msgstr "" +"Maak ZNC gebruikers wanneer deze voor het eerst succesvol inloggen, " +"optioneel van een sjabloon" #: cyrusauth.cpp:56 msgid "Access denied" -msgstr "" +msgstr "Toegang geweigerd" #: cyrusauth.cpp:70 msgid "Ignoring invalid SASL pwcheck method: {1}" -msgstr "" +msgstr "Negeer ongeldige SASL wwcheck methode: {1}" #: cyrusauth.cpp:71 msgid "Ignored invalid SASL pwcheck method" -msgstr "" +msgstr "Ongeldige SASL wwcheck methode genegeerd" #: cyrusauth.cpp:79 msgid "Need a pwcheck method as argument (saslauthd, auxprop)" -msgstr "" +msgstr "Benodigd een wwcheck methode als argument (saslauthd, auxprop)" #: cyrusauth.cpp:84 msgid "SASL Could Not Be Initialized - Halting Startup" -msgstr "" +msgstr "SASL kon niet worden geïnitalizeerd - Stoppen met opstarten" #: cyrusauth.cpp:171 cyrusauth.cpp:186 msgid "We will not create users on their first login" -msgstr "" +msgstr "We zullen geen gebruikers aanmaken wanner zij voor het eerst inloggen" #: cyrusauth.cpp:174 cyrusauth.cpp:195 msgid "" "We will create users on their first login, using user [{1}] as a template" msgstr "" +"We zullen gebruikers aanmaken wanneer zij voor het eerst inloggen, hiervoor " +"gebruiken we sjabloon [{1}]" #: cyrusauth.cpp:177 cyrusauth.cpp:190 msgid "We will create users on their first login" -msgstr "" +msgstr "We zullen gebruikers aanmaken wanneer zij voor het eerst inloggen" #: cyrusauth.cpp:199 msgid "Usage: CreateUsers yes, CreateUsers no, or CreateUsers clone " msgstr "" +"Gebruik: CreateUsers yes, CreateUsers no, of CreateUsers clone " +"" #: cyrusauth.cpp:232 msgid "" "This global module takes up to two arguments - the methods of authentication " "- auxprop and saslauthd" msgstr "" +"Deze globale module accepteert tot en met twee argumenten - de methoden van " +"identificatie - auxprop en saslauthd" #: cyrusauth.cpp:238 msgid "Allow users to authenticate via SASL password verification method" msgstr "" +"Sta gebruikers toe te identificeren via SASL wachtwoord verificatie methode" diff --git a/modules/po/dcc.es_ES.po b/modules/po/dcc.es_ES.po index dfdd4baf..0ee89441 100644 --- a/modules/po/dcc.es_ES.po +++ b/modules/po/dcc.es_ES.po @@ -14,213 +14,217 @@ msgstr "" #: dcc.cpp:88 msgid " " -msgstr "" +msgstr " " #: dcc.cpp:89 msgid "Send a file from ZNC to someone" -msgstr "" +msgstr "Enviar un fichero desde ZNC" #: dcc.cpp:91 msgid "" -msgstr "" +msgstr "" #: dcc.cpp:92 msgid "Send a file from ZNC to your client" -msgstr "" +msgstr "Enviar un archivo desde ZNC a tu cliente" #: dcc.cpp:94 msgid "List current transfers" -msgstr "" +msgstr "Mostrar transferencias actuales" #: dcc.cpp:103 msgid "You must be admin to use the DCC module" -msgstr "" +msgstr "Debes ser admin para usar el módulo DCC" #: dcc.cpp:140 msgid "Attempting to send [{1}] to [{2}]." -msgstr "" +msgstr "Intentando enviar [{1}] a [{2}]." #: dcc.cpp:149 dcc.cpp:554 msgid "Receiving [{1}] from [{2}]: File already exists." -msgstr "" +msgstr "Recibiendo [{1}] de [{2}]: ya existe el archivo." #: dcc.cpp:167 msgid "" "Attempting to connect to [{1} {2}] in order to download [{3}] from [{4}]." -msgstr "" +msgstr "Intentando conectar a [{1} {2}] para descargar [{3}] desde [{4}]." #: dcc.cpp:179 msgid "Usage: Send " -msgstr "" +msgstr "Uso: Send " #: dcc.cpp:186 dcc.cpp:206 msgid "Illegal path." -msgstr "" +msgstr "Ruta inválida." #: dcc.cpp:199 msgid "Usage: Get " -msgstr "" +msgstr "Uso: Get " #: dcc.cpp:215 dcc.cpp:232 dcc.cpp:234 msgctxt "list" msgid "Type" -msgstr "" +msgstr "Tipo" #: dcc.cpp:216 dcc.cpp:238 dcc.cpp:241 msgctxt "list" msgid "State" -msgstr "" +msgstr "Estado" #: dcc.cpp:217 dcc.cpp:243 msgctxt "list" msgid "Speed" -msgstr "" +msgstr "Velocidad" #: dcc.cpp:218 dcc.cpp:227 msgctxt "list" msgid "Nick" -msgstr "" +msgstr "Nick" #: dcc.cpp:219 dcc.cpp:228 msgctxt "list" msgid "IP" -msgstr "" +msgstr "IP" #: dcc.cpp:220 dcc.cpp:229 msgctxt "list" msgid "File" -msgstr "" +msgstr "Archivo" #: dcc.cpp:232 msgctxt "list-type" msgid "Sending" -msgstr "" +msgstr "Enviando" #: dcc.cpp:234 msgctxt "list-type" msgid "Getting" -msgstr "" +msgstr "Obteniendo" #: dcc.cpp:239 msgctxt "list-state" msgid "Waiting" -msgstr "" +msgstr "Esperando" #: dcc.cpp:244 msgid "{1} KiB/s" -msgstr "" +msgstr "{1} KiB/s" #: dcc.cpp:250 msgid "You have no active DCC transfers." -msgstr "" +msgstr "No tienes ninguna transferencia DCC activa." #: dcc.cpp:267 msgid "Attempting to resume send from position {1} of file [{2}] for [{3}]" msgstr "" +"Intentando restablecer envío desde la posición {1} del archivo [{2}] para " +"[{3}]" #: dcc.cpp:277 msgid "Couldn't resume file [{1}] for [{2}]: not sending anything." msgstr "" +"No se ha podido restablecer el archivo [{1}] para [{2}]: no se está enviando " +"nada." #: dcc.cpp:286 msgid "Bad DCC file: {1}" -msgstr "" +msgstr "Archivo DCC corrupto: {1}" #: dcc.cpp:341 msgid "Sending [{1}] to [{2}]: File not open!" -msgstr "" +msgstr "Enviando [{1}] a [{2}]: archivo no abierto" #: dcc.cpp:345 msgid "Receiving [{1}] from [{2}]: File not open!" -msgstr "" +msgstr "Recibiendo [{1}] de [{2}]: archivo no abierto" #: dcc.cpp:385 msgid "Sending [{1}] to [{2}]: Connection refused." -msgstr "" +msgstr "Enviando [{1}] a [{2}]: conexión rechazada." #: dcc.cpp:389 msgid "Receiving [{1}] from [{2}]: Connection refused." -msgstr "" +msgstr "Recibiendo [{1}] de [{2}]: conexión rechazada." #: dcc.cpp:397 msgid "Sending [{1}] to [{2}]: Timeout." -msgstr "" +msgstr "Enviando [{1}] a [{2}]: tiempo de espera agotado." #: dcc.cpp:401 msgid "Receiving [{1}] from [{2}]: Timeout." -msgstr "" +msgstr "Recibiendo [{1}] de [{2}]: tiempo de espera agotado." #: dcc.cpp:411 msgid "Sending [{1}] to [{2}]: Socket error {3}: {4}" -msgstr "" +msgstr "Enviando [{1}] a [{2}]: error de socket {3}: {4}" #: dcc.cpp:415 msgid "Receiving [{1}] from [{2}]: Socket error {3}: {4}" -msgstr "" +msgstr "Recibiendo [{1}] de [{2}]: error de socket {3}: {4}" #: dcc.cpp:423 msgid "Sending [{1}] to [{2}]: Transfer started." -msgstr "" +msgstr "Enviando [{1}] a [{2}]: transferencia iniciada." #: dcc.cpp:427 msgid "Receiving [{1}] from [{2}]: Transfer started." -msgstr "" +msgstr "Recibiendo [{1}] de [{2}]: transferencia iniciada." #: dcc.cpp:446 msgid "Sending [{1}] to [{2}]: Too much data!" -msgstr "" +msgstr "Enviando [{1}] a [{2}]: demasiados datos" #: dcc.cpp:450 msgid "Receiving [{1}] from [{2}]: Too much data!" -msgstr "" +msgstr "Recibiendo [{1}] de [{2}]: demasiados datos" #: dcc.cpp:456 msgid "Sending [{1}] to [{2}] completed at {3} KiB/s" -msgstr "" +msgstr "Envío de [{1}] a [{2}] completado en {3} KiB/s" #: dcc.cpp:461 msgid "Receiving [{1}] from [{2}] completed at {3} KiB/s" -msgstr "" +msgstr "Recepción [{1}] de [{2}] completada a {3} KiB/s" #: dcc.cpp:474 msgid "Sending [{1}] to [{2}]: File closed prematurely." -msgstr "" +msgstr "Enviando [{1}] a [{2}]: archivo cerrado prematuramente." #: dcc.cpp:478 msgid "Receiving [{1}] from [{2}]: File closed prematurely." -msgstr "" +msgstr "Recibiendo [{1}] de [{2}]: archivo cerrado prematuramente." #: dcc.cpp:501 msgid "Sending [{1}] to [{2}]: Error reading from file." -msgstr "" +msgstr "Enviando [{1}] a [{2}]: error al leer archivo." #: dcc.cpp:505 msgid "Receiving [{1}] from [{2}]: Error reading from file." -msgstr "" +msgstr "Recibiendo [{1}] de [{2}]: error al leer archivo." #: dcc.cpp:537 msgid "Sending [{1}] to [{2}]: Unable to open file." -msgstr "" +msgstr "Enviando [{1}] a [{2}]: no se ha podido abrir el archivo." #: dcc.cpp:541 msgid "Receiving [{1}] from [{2}]: Unable to open file." -msgstr "" +msgstr "Recibiendo [{1}] de [{2}]: no se ha podido abrir el archivo." #: dcc.cpp:563 msgid "Receiving [{1}] from [{2}]: Could not open file." -msgstr "" +msgstr "Recibiendo [{1}] de [{2}]: no se ha podido abrir el archivo." #: dcc.cpp:572 msgid "Sending [{1}] to [{2}]: Not a file." -msgstr "" +msgstr "Enviando [{1}] a [{2}]: no es un archivo." #: dcc.cpp:581 msgid "Sending [{1}] to [{2}]: Could not open file." -msgstr "" +msgstr "Enviando [{1}] a [{2}]: no se ha podido abrir el archivo." #: dcc.cpp:593 msgid "Sending [{1}] to [{2}]: File too large (>4 GiB)." -msgstr "" +msgstr "Enviando [{1}] a [{2}]: archivo demasiado grande (>4 GiB)." #: dcc.cpp:623 msgid "This module allows you to transfer files to and from ZNC" diff --git a/modules/po/dcc.nl_NL.po b/modules/po/dcc.nl_NL.po index d1fcdb8d..fd36b8f2 100644 --- a/modules/po/dcc.nl_NL.po +++ b/modules/po/dcc.nl_NL.po @@ -14,214 +14,214 @@ msgstr "" #: dcc.cpp:88 msgid " " -msgstr "" +msgstr " " #: dcc.cpp:89 msgid "Send a file from ZNC to someone" -msgstr "" +msgstr "Stuur een bestand van ZNC naar iemand" #: dcc.cpp:91 msgid "" -msgstr "" +msgstr "" #: dcc.cpp:92 msgid "Send a file from ZNC to your client" -msgstr "" +msgstr "Stuur een bestand van ZNC naar je client" #: dcc.cpp:94 msgid "List current transfers" -msgstr "" +msgstr "Laat huidige overdrachten zien" #: dcc.cpp:103 msgid "You must be admin to use the DCC module" -msgstr "" +msgstr "Je moet een beheerder zijn om de DCC module te mogen gebruiken" #: dcc.cpp:140 msgid "Attempting to send [{1}] to [{2}]." -msgstr "" +msgstr "Proberen [{1}] naar [{2}] te sturen." #: dcc.cpp:149 dcc.cpp:554 msgid "Receiving [{1}] from [{2}]: File already exists." -msgstr "" +msgstr "Ontvangst [{1}] van [{2}]: Bestand bestaat al." #: dcc.cpp:167 msgid "" "Attempting to connect to [{1} {2}] in order to download [{3}] from [{4}]." -msgstr "" +msgstr "Proberen te verbinden naar [{1} {2}] om [{3}] te downloaden van [{4}]." #: dcc.cpp:179 msgid "Usage: Send " -msgstr "" +msgstr "Gebruik: Send " #: dcc.cpp:186 dcc.cpp:206 msgid "Illegal path." -msgstr "" +msgstr "Ongeldig pad." #: dcc.cpp:199 msgid "Usage: Get " -msgstr "" +msgstr "Gebruik: Get " #: dcc.cpp:215 dcc.cpp:232 dcc.cpp:234 msgctxt "list" msgid "Type" -msgstr "" +msgstr "Type" #: dcc.cpp:216 dcc.cpp:238 dcc.cpp:241 msgctxt "list" msgid "State" -msgstr "" +msgstr "Status" #: dcc.cpp:217 dcc.cpp:243 msgctxt "list" msgid "Speed" -msgstr "" +msgstr "Snelheid" #: dcc.cpp:218 dcc.cpp:227 msgctxt "list" msgid "Nick" -msgstr "" +msgstr "Naam" #: dcc.cpp:219 dcc.cpp:228 msgctxt "list" msgid "IP" -msgstr "" +msgstr "IP-adres" #: dcc.cpp:220 dcc.cpp:229 msgctxt "list" msgid "File" -msgstr "" +msgstr "Bestand" #: dcc.cpp:232 msgctxt "list-type" msgid "Sending" -msgstr "" +msgstr "Versturen" #: dcc.cpp:234 msgctxt "list-type" msgid "Getting" -msgstr "" +msgstr "Ontvangen" #: dcc.cpp:239 msgctxt "list-state" msgid "Waiting" -msgstr "" +msgstr "Wachten" #: dcc.cpp:244 msgid "{1} KiB/s" -msgstr "" +msgstr "{1} KiB/s" #: dcc.cpp:250 msgid "You have no active DCC transfers." -msgstr "" +msgstr "Je hebt geen actieve DCC overdrachten." #: dcc.cpp:267 msgid "Attempting to resume send from position {1} of file [{2}] for [{3}]" -msgstr "" +msgstr "Proberen te hervatten van positie {1} van bestand [{2}] voor [{3}]" #: dcc.cpp:277 msgid "Couldn't resume file [{1}] for [{2}]: not sending anything." -msgstr "" +msgstr "Kon bestand [{1}] voor [{2}] niet hervatten: verstuurd niks." #: dcc.cpp:286 msgid "Bad DCC file: {1}" -msgstr "" +msgstr "Slecht DCC bestand: {1}" #: dcc.cpp:341 msgid "Sending [{1}] to [{2}]: File not open!" -msgstr "" +msgstr "Versturen [{1}] naar [{2}]: Bestand niet open!" #: dcc.cpp:345 msgid "Receiving [{1}] from [{2}]: File not open!" -msgstr "" +msgstr "Ontvangen [{1}] van [{2}]: Bestand niet open!" #: dcc.cpp:385 msgid "Sending [{1}] to [{2}]: Connection refused." -msgstr "" +msgstr "Versturen [{1}] naar [{2}]: verbinding geweigerd." #: dcc.cpp:389 msgid "Receiving [{1}] from [{2}]: Connection refused." -msgstr "" +msgstr "Ontvangen [{1}] van [{2}]: verbinding geweigerd." #: dcc.cpp:397 msgid "Sending [{1}] to [{2}]: Timeout." -msgstr "" +msgstr "Versturen [{1}] naar [{2}]: Time-out." #: dcc.cpp:401 msgid "Receiving [{1}] from [{2}]: Timeout." -msgstr "" +msgstr "Ontvangen [{1}] van [{2}]: Time-out." #: dcc.cpp:411 msgid "Sending [{1}] to [{2}]: Socket error {3}: {4}" -msgstr "" +msgstr "Versturen [{1}] naar [{2}]: Socket fout {3}: {4}" #: dcc.cpp:415 msgid "Receiving [{1}] from [{2}]: Socket error {3}: {4}" -msgstr "" +msgstr "Ontvangen [{1}] van [{2}]: Socket fout {3}: {4}" #: dcc.cpp:423 msgid "Sending [{1}] to [{2}]: Transfer started." -msgstr "" +msgstr "Versturen [{1}] naar [{2}]: Overdracht gestart." #: dcc.cpp:427 msgid "Receiving [{1}] from [{2}]: Transfer started." -msgstr "" +msgstr "Ontvangen [{1}] van [{2}]: Overdracht gestart." #: dcc.cpp:446 msgid "Sending [{1}] to [{2}]: Too much data!" -msgstr "" +msgstr "Versturen [{1}] naar [{2}]: Te veel data!" #: dcc.cpp:450 msgid "Receiving [{1}] from [{2}]: Too much data!" -msgstr "" +msgstr "Ontvangen [{1}] van [{2}]: Te veel data!" #: dcc.cpp:456 msgid "Sending [{1}] to [{2}] completed at {3} KiB/s" -msgstr "" +msgstr "Versturen [{1}] naar [{2}] afgerond met {3} KiB/s" #: dcc.cpp:461 msgid "Receiving [{1}] from [{2}] completed at {3} KiB/s" -msgstr "" +msgstr "Ontvangen [{1}] van [{2}] afgerond met {3} KiB/s" #: dcc.cpp:474 msgid "Sending [{1}] to [{2}]: File closed prematurely." -msgstr "" +msgstr "Versturen [{1}] naar [{2}]: Bestand te vroeg afgesloten." #: dcc.cpp:478 msgid "Receiving [{1}] from [{2}]: File closed prematurely." -msgstr "" +msgstr "Ontvangst [{1}] van [{2}]: Bestand te vroeg afgesloten." #: dcc.cpp:501 msgid "Sending [{1}] to [{2}]: Error reading from file." -msgstr "" +msgstr "Versturen [{1}] naar [{2}]: Fout bij lezen van bestand." #: dcc.cpp:505 msgid "Receiving [{1}] from [{2}]: Error reading from file." -msgstr "" +msgstr "Ontvangen [{1}] van [{2}]: Fout bij lezen van bestand." #: dcc.cpp:537 msgid "Sending [{1}] to [{2}]: Unable to open file." -msgstr "" +msgstr "Versturen [{1}] naar [{2}]: Kan bestand niet openen." #: dcc.cpp:541 msgid "Receiving [{1}] from [{2}]: Unable to open file." -msgstr "" +msgstr "Ontvangen [{1}] van [{2}]: Kan bestand niet openen." #: dcc.cpp:563 msgid "Receiving [{1}] from [{2}]: Could not open file." -msgstr "" +msgstr "Ontvangen [{1}] van [{2}]: Kan bestand niet openen." #: dcc.cpp:572 msgid "Sending [{1}] to [{2}]: Not a file." -msgstr "" +msgstr "Versturen [{1}] naar [{2}]: Geen bestand." #: dcc.cpp:581 msgid "Sending [{1}] to [{2}]: Could not open file." -msgstr "" +msgstr "Versturen [{1}] naar [{2}]: Kan bestand niet openen." #: dcc.cpp:593 msgid "Sending [{1}] to [{2}]: File too large (>4 GiB)." -msgstr "" +msgstr "Versturen [{1}] naar [{2}]: Bestand te groot (>4 GiB)." #: dcc.cpp:623 msgid "This module allows you to transfer files to and from ZNC" -msgstr "" +msgstr "Deze module stelt je in staat bestanden van en naar ZNC te sturen" diff --git a/modules/po/disconkick.es_ES.po b/modules/po/disconkick.es_ES.po index c7464969..d351bacc 100644 --- a/modules/po/disconkick.es_ES.po +++ b/modules/po/disconkick.es_ES.po @@ -14,10 +14,11 @@ msgstr "" #: disconkick.cpp:32 msgid "You have been disconnected from the IRC server" -msgstr "" +msgstr "Has sido desconectado del servidor de IRC" #: disconkick.cpp:45 msgid "" "Kicks the client from all channels when the connection to the IRC server is " "lost" msgstr "" +"Expulsa al cliente de todos los canales cuando se pierde la conexión al IRC" diff --git a/modules/po/disconkick.nl_NL.po b/modules/po/disconkick.nl_NL.po index 020b16d3..4cc54e36 100644 --- a/modules/po/disconkick.nl_NL.po +++ b/modules/po/disconkick.nl_NL.po @@ -14,10 +14,11 @@ msgstr "" #: disconkick.cpp:32 msgid "You have been disconnected from the IRC server" -msgstr "" +msgstr "Je bent losgekoppeld van de server" #: disconkick.cpp:45 msgid "" "Kicks the client from all channels when the connection to the IRC server is " "lost" msgstr "" +"Verlaat alle kanalen wanneer de verbinding met de IRC server verloren is" diff --git a/modules/po/fail2ban.es_ES.po b/modules/po/fail2ban.es_ES.po index 3eb3fea0..eecc715c 100644 --- a/modules/po/fail2ban.es_ES.po +++ b/modules/po/fail2ban.es_ES.po @@ -14,104 +14,109 @@ msgstr "" #: fail2ban.cpp:25 msgid "[minutes]" -msgstr "" +msgstr "[minutos]" #: fail2ban.cpp:26 msgid "The number of minutes IPs are blocked after a failed login." -msgstr "" +msgstr "El número de minutos que una IP queda bloqueada tras un login fallido." #: fail2ban.cpp:28 msgid "[count]" -msgstr "" +msgstr "[recuento]" #: fail2ban.cpp:29 msgid "The number of allowed failed login attempts." -msgstr "" +msgstr "Número de intentos fallidos permitidos." #: fail2ban.cpp:31 fail2ban.cpp:33 msgid "" -msgstr "" +msgstr "" #: fail2ban.cpp:31 msgid "Ban the specified hosts." -msgstr "" +msgstr "Bloquea los hosts especificados." #: fail2ban.cpp:33 msgid "Unban the specified hosts." -msgstr "" +msgstr "Desbloquea los hosts especificados." #: fail2ban.cpp:35 msgid "List banned hosts." -msgstr "" +msgstr "Muestra los hosts bloqueados." #: fail2ban.cpp:55 msgid "" "Invalid argument, must be the number of minutes IPs are blocked after a " "failed login and can be followed by number of allowed failed login attempts" msgstr "" +"Argumento no válido, debe ser el número de minutos que una IP quedará " +"bloqueada después de un intento de login fallido y puede ser seguido del " +"número de intentos de login fallidos que se permiten" #: fail2ban.cpp:77 fail2ban.cpp:100 fail2ban.cpp:123 fail2ban.cpp:146 #: fail2ban.cpp:172 msgid "Access denied" -msgstr "" +msgstr "Acceso denegado" #: fail2ban.cpp:86 msgid "Usage: Timeout [minutes]" -msgstr "" +msgstr "Uso: Timeout [minutos]" #: fail2ban.cpp:91 fail2ban.cpp:94 msgid "Timeout: {1} min" -msgstr "" +msgstr "Tiempo de espera: {1} min" #: fail2ban.cpp:109 msgid "Usage: Attempts [count]" -msgstr "" +msgstr "Uso: Attempts [veces]" #: fail2ban.cpp:114 fail2ban.cpp:117 msgid "Attempts: {1}" -msgstr "" +msgstr "Intentos: {1}" #: fail2ban.cpp:130 msgid "Usage: Ban " -msgstr "" +msgstr "Uso: Ban " #: fail2ban.cpp:140 msgid "Banned: {1}" -msgstr "" +msgstr "Bloqueado: {1}" #: fail2ban.cpp:153 msgid "Usage: Unban " -msgstr "" +msgstr "Uso: Unban " #: fail2ban.cpp:163 msgid "Unbanned: {1}" -msgstr "" +msgstr "Desbloqueado: {1}" #: fail2ban.cpp:165 msgid "Ignored: {1}" -msgstr "" +msgstr "Ignorado: {1}" #: fail2ban.cpp:177 fail2ban.cpp:182 msgctxt "list" msgid "Host" -msgstr "" +msgstr "Host" #: fail2ban.cpp:178 fail2ban.cpp:183 msgctxt "list" msgid "Attempts" -msgstr "" +msgstr "Intentos" #: fail2ban.cpp:187 msgctxt "list" msgid "No bans" -msgstr "" +msgstr "No hay bloqueos" #: fail2ban.cpp:244 msgid "" "You might enter the time in minutes for the IP banning and the number of " "failed logins before any action is taken." msgstr "" +"Quizás quieras poner el tiempo en minutos para el bloqueo de una IP y el " +"número de intentos fallidos antes de tomar una acción." #: fail2ban.cpp:249 msgid "Block IPs for some time after a failed login." -msgstr "" +msgstr "Bloquea IPs tras un intento de login fallido." diff --git a/modules/po/fail2ban.nl_NL.po b/modules/po/fail2ban.nl_NL.po index 137589ce..dce9b7e1 100644 --- a/modules/po/fail2ban.nl_NL.po +++ b/modules/po/fail2ban.nl_NL.po @@ -14,104 +14,112 @@ msgstr "" #: fail2ban.cpp:25 msgid "[minutes]" -msgstr "" +msgstr "[minuten]" #: fail2ban.cpp:26 msgid "The number of minutes IPs are blocked after a failed login." msgstr "" +"Het aantal minuten dat IP-adressen geblokkeerd worden na een mislukte " +"inlogpoging." #: fail2ban.cpp:28 msgid "[count]" -msgstr "" +msgstr "[aantal]" #: fail2ban.cpp:29 msgid "The number of allowed failed login attempts." -msgstr "" +msgstr "Het aantal toegestane mislukte inlogpogingen." #: fail2ban.cpp:31 fail2ban.cpp:33 msgid "" -msgstr "" +msgstr "" #: fail2ban.cpp:31 msgid "Ban the specified hosts." -msgstr "" +msgstr "Verban de ingevoerde hosts." #: fail2ban.cpp:33 msgid "Unban the specified hosts." -msgstr "" +msgstr "Verbanning van ingevoerde hosts weghalen." #: fail2ban.cpp:35 msgid "List banned hosts." -msgstr "" +msgstr "Lijst van verbannen hosts." #: fail2ban.cpp:55 msgid "" "Invalid argument, must be the number of minutes IPs are blocked after a " "failed login and can be followed by number of allowed failed login attempts" msgstr "" +"Ongeldig argument, dit moet het aantal minuten zijn dat de IP-adressen " +"geblokkeerd worden na een mislukte inlogpoging, gevolgd door het nummer van " +"toegestane mislukte inlogpogingen" #: fail2ban.cpp:77 fail2ban.cpp:100 fail2ban.cpp:123 fail2ban.cpp:146 #: fail2ban.cpp:172 msgid "Access denied" -msgstr "" +msgstr "Toegang geweigerd" #: fail2ban.cpp:86 msgid "Usage: Timeout [minutes]" -msgstr "" +msgstr "Gebruik: Timeout [minuten]" #: fail2ban.cpp:91 fail2ban.cpp:94 msgid "Timeout: {1} min" -msgstr "" +msgstr "Time-out: {1} minuten" #: fail2ban.cpp:109 msgid "Usage: Attempts [count]" -msgstr "" +msgstr "Gebruik: Attempts [aantal]" #: fail2ban.cpp:114 fail2ban.cpp:117 msgid "Attempts: {1}" -msgstr "" +msgstr "Pogingen: {1}" #: fail2ban.cpp:130 msgid "Usage: Ban " -msgstr "" +msgstr "Gebruik: Ban " #: fail2ban.cpp:140 msgid "Banned: {1}" -msgstr "" +msgstr "Verbannen: {1}" #: fail2ban.cpp:153 msgid "Usage: Unban " -msgstr "" +msgstr "Gebruik: Unban " #: fail2ban.cpp:163 msgid "Unbanned: {1}" -msgstr "" +msgstr "Verbanning verwijderd: {1}" #: fail2ban.cpp:165 msgid "Ignored: {1}" -msgstr "" +msgstr "Genegeerd: {1}" #: fail2ban.cpp:177 fail2ban.cpp:182 msgctxt "list" msgid "Host" -msgstr "" +msgstr "Host" #: fail2ban.cpp:178 fail2ban.cpp:183 msgctxt "list" msgid "Attempts" -msgstr "" +msgstr "Pogingen" #: fail2ban.cpp:187 msgctxt "list" msgid "No bans" -msgstr "" +msgstr "Geen verbanningen" #: fail2ban.cpp:244 msgid "" "You might enter the time in minutes for the IP banning and the number of " "failed logins before any action is taken." msgstr "" +"Je mag de tijd in minuten invoeren voor de IP verbannen en het nummer van " +"mislukte inlogpoging voordat actie ondernomen wordt." #: fail2ban.cpp:249 msgid "Block IPs for some time after a failed login." msgstr "" +"Blokkeer IP-addressen voor een bepaalde tijd na een mislukte inlogpoging." diff --git a/modules/po/flooddetach.es_ES.po b/modules/po/flooddetach.es_ES.po index b060e3ee..7450d5df 100644 --- a/modules/po/flooddetach.es_ES.po +++ b/modules/po/flooddetach.es_ES.po @@ -14,78 +14,80 @@ msgstr "" #: flooddetach.cpp:30 msgid "Show current limits" -msgstr "" +msgstr "Muestra los límites actuales" #: flooddetach.cpp:32 flooddetach.cpp:35 msgid "[]" -msgstr "" +msgstr "" #: flooddetach.cpp:33 msgid "Show or set number of seconds in the time interval" -msgstr "" +msgstr "Muestra o define el número de segundos en el intervalo de tiempo" #: flooddetach.cpp:36 msgid "Show or set number of lines in the time interval" -msgstr "" +msgstr "Muestra o define el número de líneas en el intervalo de tiempo" #: flooddetach.cpp:39 msgid "Show or set whether to notify you about detaching and attaching back" -msgstr "" +msgstr "Muestra o ajusta los avisos al adjuntarte o separarte de un flood" #: flooddetach.cpp:93 msgid "Flood in {1} is over, reattaching..." -msgstr "" +msgstr "Flood en {1} finalizado, readjuntando..." #: flooddetach.cpp:150 msgid "Channel {1} was flooded, you've been detached" -msgstr "" +msgstr "El canal {1} ha sido inundado, has sido separado" #: flooddetach.cpp:187 msgid "1 line" msgid_plural "{1} lines" msgstr[0] "" -msgstr[1] "" +msgstr[1] "{1} líneas" #: flooddetach.cpp:188 msgid "every second" msgid_plural "every {1} seconds" msgstr[0] "" -msgstr[1] "" +msgstr[1] "cada {1} segundos" #: flooddetach.cpp:190 msgid "Current limit is {1} {2}" -msgstr "" +msgstr "El límite actual es {1} {2}" #: flooddetach.cpp:197 msgid "Seconds limit is {1}" -msgstr "" +msgstr "El límite de segundos es {1}" #: flooddetach.cpp:202 msgid "Set seconds limit to {1}" -msgstr "" +msgstr "Ajustado límite de segundos a {1}" #: flooddetach.cpp:211 msgid "Lines limit is {1}" -msgstr "" +msgstr "El límite de líneas es {1}" #: flooddetach.cpp:216 msgid "Set lines limit to {1}" -msgstr "" +msgstr "Ajustado límite de líneas a {1}" #: flooddetach.cpp:229 msgid "Module messages are disabled" -msgstr "" +msgstr "Los mensajes del módulo están desactivados" #: flooddetach.cpp:231 msgid "Module messages are enabled" -msgstr "" +msgstr "Los mensajes del módulo están activados" #: flooddetach.cpp:247 msgid "" "This user module takes up to two arguments. Arguments are numbers of " "messages and seconds." msgstr "" +"Este módulo de usuario tiene hasta dos argumentos: el número de mensajes y " +"los segundos." #: flooddetach.cpp:251 msgid "Detach channels when flooded" -msgstr "" +msgstr "Separarse de canales cuando son inundados" diff --git a/modules/po/flooddetach.nl_NL.po b/modules/po/flooddetach.nl_NL.po index 926dfd37..e5eff7a3 100644 --- a/modules/po/flooddetach.nl_NL.po +++ b/modules/po/flooddetach.nl_NL.po @@ -14,78 +14,82 @@ msgstr "" #: flooddetach.cpp:30 msgid "Show current limits" -msgstr "" +msgstr "Laat huidige limieten zien" #: flooddetach.cpp:32 flooddetach.cpp:35 msgid "[]" -msgstr "" +msgstr "[]" #: flooddetach.cpp:33 msgid "Show or set number of seconds in the time interval" -msgstr "" +msgstr "Laat zien of pas aan het aantal seconden in de tijdsinterval" #: flooddetach.cpp:36 msgid "Show or set number of lines in the time interval" -msgstr "" +msgstr "Laat zien of pas aan het aantal regels in de tijdsinterval" #: flooddetach.cpp:39 msgid "Show or set whether to notify you about detaching and attaching back" msgstr "" +"Laat zien of pas aan of je een melding wil krijgen van het los en terug " +"aankoppelen" #: flooddetach.cpp:93 msgid "Flood in {1} is over, reattaching..." -msgstr "" +msgstr "Overstroming in {1} is voorbij, opnieuw aan het aankoppelen..." #: flooddetach.cpp:150 msgid "Channel {1} was flooded, you've been detached" -msgstr "" +msgstr "Kanaal {1} was overstroomd, je bent losgekoppeld" #: flooddetach.cpp:187 msgid "1 line" msgid_plural "{1} lines" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "1 regel" +msgstr[1] "{1} regels" #: flooddetach.cpp:188 msgid "every second" msgid_plural "every {1} seconds" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "elke seconde" +msgstr[1] "elke {1} seconden" #: flooddetach.cpp:190 msgid "Current limit is {1} {2}" -msgstr "" +msgstr "Huidige limiet is {1} {2}" #: flooddetach.cpp:197 msgid "Seconds limit is {1}" -msgstr "" +msgstr "Seconden limiet is {1}" #: flooddetach.cpp:202 msgid "Set seconds limit to {1}" -msgstr "" +msgstr "Seconden limiet ingesteld op {1}" #: flooddetach.cpp:211 msgid "Lines limit is {1}" -msgstr "" +msgstr "Regellimiet is {1}" #: flooddetach.cpp:216 msgid "Set lines limit to {1}" -msgstr "" +msgstr "Regellimiet ingesteld op {1}" #: flooddetach.cpp:229 msgid "Module messages are disabled" -msgstr "" +msgstr "Module berichten zijn uitgeschakeld" #: flooddetach.cpp:231 msgid "Module messages are enabled" -msgstr "" +msgstr "Module berichten zijn ingeschakeld" #: flooddetach.cpp:247 msgid "" "This user module takes up to two arguments. Arguments are numbers of " "messages and seconds." msgstr "" +"Deze gebruikersmodule accepteert tot en met twee argumenten. Argumenten zijn " +"het aantal berichten en seconden." #: flooddetach.cpp:251 msgid "Detach channels when flooded" -msgstr "" +msgstr "Loskoppelen van kanalen wanneer overstroomd" diff --git a/modules/po/identfile.nl_NL.po b/modules/po/identfile.nl_NL.po index 7c07dca1..b80b3d54 100644 --- a/modules/po/identfile.nl_NL.po +++ b/modules/po/identfile.nl_NL.po @@ -14,70 +14,74 @@ msgstr "" #: identfile.cpp:30 msgid "Show file name" -msgstr "" +msgstr "Laat bestandsnaam zien" #: identfile.cpp:32 msgid "" -msgstr "" +msgstr "" #: identfile.cpp:32 msgid "Set file name" -msgstr "" +msgstr "Stel bestandsnaam in" #: identfile.cpp:34 msgid "Show file format" -msgstr "" +msgstr "Laat bestandsindeling zien" #: identfile.cpp:36 msgid "" -msgstr "" +msgstr "" #: identfile.cpp:36 msgid "Set file format" -msgstr "" +msgstr "Stel bestandsindeling in" #: identfile.cpp:38 msgid "Show current state" -msgstr "" +msgstr "Laat huidige status zien" #: identfile.cpp:48 msgid "File is set to: {1}" -msgstr "" +msgstr "Bestand is ingesteld naar: {1}" #: identfile.cpp:53 msgid "File has been set to: {1}" -msgstr "" +msgstr "Bestand is ingesteld naar: {1}" #: identfile.cpp:58 msgid "Format has been set to: {1}" -msgstr "" +msgstr "Bestandsindeling is ingesteld op: {1}" #: identfile.cpp:59 identfile.cpp:65 msgid "Format would be expanded to: {1}" -msgstr "" +msgstr "Bestandsindeling zou uitgebreid worden naar: {1}" #: identfile.cpp:64 msgid "Format is set to: {1}" -msgstr "" +msgstr "Bestandsindeling is ingesteld op: {1}" #: identfile.cpp:78 msgid "identfile is free" -msgstr "" +msgstr "identiteitbestand is vrij" #: identfile.cpp:86 msgid "Access denied" -msgstr "" +msgstr "Toegang geweigerd" #: identfile.cpp:181 msgid "" "Aborting connection, another user or network is currently connecting and " "using the ident spoof file" msgstr "" +"Verbinding afbreken, een andere gebruiker of netwerk is momenteel aan het " +"verbinden en gebruikt het identiteitsbestand" #: identfile.cpp:189 msgid "[{1}] could not be written, retrying..." -msgstr "" +msgstr "Kon niet schrijven naar [{1}], opnieuw aan het proberen..." #: identfile.cpp:223 msgid "Write the ident of a user to a file when they are trying to connect." msgstr "" +"Schrijf de identiteit van een gebruiker naar een bestand wanneer zij " +"proberen te verbinden." diff --git a/modules/po/imapauth.nl_NL.po b/modules/po/imapauth.nl_NL.po index dd5ba696..6a337d1a 100644 --- a/modules/po/imapauth.nl_NL.po +++ b/modules/po/imapauth.nl_NL.po @@ -14,8 +14,8 @@ msgstr "" #: imapauth.cpp:168 msgid "[ server [+]port [ UserFormatString ] ]" -msgstr "" +msgstr "[ server [+]poort [ UserFormatString ] ]" #: imapauth.cpp:171 msgid "Allow users to authenticate via IMAP." -msgstr "" +msgstr "Stelt gebruikers in staat om te identificeren via IMAP." diff --git a/modules/po/keepnick.nl_NL.po b/modules/po/keepnick.nl_NL.po index 9084aaee..c04bf422 100644 --- a/modules/po/keepnick.nl_NL.po +++ b/modules/po/keepnick.nl_NL.po @@ -14,40 +14,40 @@ msgstr "" #: keepnick.cpp:39 msgid "Try to get your primary nick" -msgstr "" +msgstr "Probeer je primaire naam te krijgen" #: keepnick.cpp:42 keepnick.cpp:196 msgid "No longer trying to get your primary nick" -msgstr "" +msgstr "Probeer niet langer je primaire naam te krijgen" #: keepnick.cpp:44 msgid "Show the current state" -msgstr "" +msgstr "Laat huidige status zien" #: keepnick.cpp:158 msgid "ZNC is already trying to get this nickname" -msgstr "" +msgstr "ZNC probeert deze naam al ge krijgen" #: keepnick.cpp:173 msgid "Unable to obtain nick {1}: {2}, {3}" -msgstr "" +msgstr "Niet mogelijk om naam {1} te krijgen: {2}, {3}" #: keepnick.cpp:181 msgid "Unable to obtain nick {1}" -msgstr "" +msgstr "Niet mogelijk om naam {1} te krijgen" #: keepnick.cpp:191 msgid "Trying to get your primary nick" -msgstr "" +msgstr "Proberen je primaire naam te krijgen" #: keepnick.cpp:201 msgid "Currently trying to get your primary nick" -msgstr "" +msgstr "Momenteel proberen je primaire naam te krijgen" #: keepnick.cpp:203 msgid "Currently disabled, try 'enable'" -msgstr "" +msgstr "Op dit moment uitgeschakeld, probeer 'enable'" #: keepnick.cpp:224 msgid "Keeps trying for your primary nick" -msgstr "" +msgstr "Blijft proberen je primaire naam te krijgen" diff --git a/modules/po/kickrejoin.nl_NL.po b/modules/po/kickrejoin.nl_NL.po index 563b27c5..e5411a0e 100644 --- a/modules/po/kickrejoin.nl_NL.po +++ b/modules/po/kickrejoin.nl_NL.po @@ -14,48 +14,50 @@ msgstr "" #: kickrejoin.cpp:56 msgid "" -msgstr "" +msgstr "" #: kickrejoin.cpp:56 msgid "Set the rejoin delay" -msgstr "" +msgstr "Stel de vertraging voor het opnieuw toetreden in" #: kickrejoin.cpp:58 msgid "Show the rejoin delay" -msgstr "" +msgstr "Laat de vertraging voor het opnieuw toetreden zien" #: kickrejoin.cpp:77 msgid "Illegal argument, must be a positive number or 0" -msgstr "" +msgstr "Ongeldig argument, moet 0 of een getal boven de 0 zijn" #: kickrejoin.cpp:90 msgid "Negative delays don't make any sense!" -msgstr "" +msgstr "Vertragingen van minder dan 0 seconden slaan nergens op!" #: kickrejoin.cpp:98 msgid "Rejoin delay set to 1 second" msgid_plural "Rejoin delay set to {1} seconds" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "Vertraging voor het opnieuw toetreden ingesteld op 1 seconde" +msgstr[1] "Vertraging voor het opnieuw toetreden ingesteld op {1} seconden" #: kickrejoin.cpp:101 msgid "Rejoin delay disabled" -msgstr "" +msgstr "Vertraging voor het opnieuw toetreden uitgeschakeld" #: kickrejoin.cpp:106 msgid "Rejoin delay is set to 1 second" msgid_plural "Rejoin delay is set to {1} seconds" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "Vertraging voor het opnieuw toetreden ingesteld op 1 seconde" +msgstr[1] "Vertraging voor het opnieuw toetreden ingesteld op {1} seconden" #: kickrejoin.cpp:109 msgid "Rejoin delay is disabled" -msgstr "" +msgstr "Vertraging voor het opnieuw toetreden is uitgeschakeld" #: kickrejoin.cpp:131 msgid "You might enter the number of seconds to wait before rejoining." msgstr "" +"Je kan het aantal seconden voor het wachten voor het opnieuw toetreden " +"invoeren." #: kickrejoin.cpp:134 msgid "Autorejoins on kick" -msgstr "" +msgstr "Automatisch opnieuw toetreden wanneer geschopt" diff --git a/modules/po/lastseen.nl_NL.po b/modules/po/lastseen.nl_NL.po index 85ad9381..9a2f9c95 100644 --- a/modules/po/lastseen.nl_NL.po +++ b/modules/po/lastseen.nl_NL.po @@ -14,54 +14,55 @@ msgstr "" #: modules/po/../data/lastseen/tmpl/index.tmpl:8 msgid "User" -msgstr "" +msgstr "Gebruiker" #: modules/po/../data/lastseen/tmpl/index.tmpl:9 lastseen.cpp:98 msgid "Last Seen" -msgstr "" +msgstr "Laatst gezien" #: modules/po/../data/lastseen/tmpl/index.tmpl:10 msgid "Info" -msgstr "" +msgstr "Info" #: modules/po/../data/lastseen/tmpl/index.tmpl:11 msgid "Action" -msgstr "" +msgstr "Actie" #: modules/po/../data/lastseen/tmpl/index.tmpl:21 msgid "Edit" -msgstr "" +msgstr "Bewerk" #: modules/po/../data/lastseen/tmpl/index.tmpl:22 msgid "Delete" -msgstr "" +msgstr "Verwijderen" #: modules/po/../data/lastseen/tmpl/lastseen_WebadminUser.tmpl:6 msgid "Last login time:" -msgstr "" +msgstr "Laatst ingelogd:" #: lastseen.cpp:53 msgid "Access denied" -msgstr "" +msgstr "Toegang geweigerd" #: lastseen.cpp:61 lastseen.cpp:66 msgctxt "show" msgid "User" -msgstr "" +msgstr "Gebruiker" #: lastseen.cpp:62 lastseen.cpp:67 msgctxt "show" msgid "Last Seen" -msgstr "" +msgstr "Laatst gezien" #: lastseen.cpp:68 lastseen.cpp:124 msgid "never" -msgstr "" +msgstr "nooit" #: lastseen.cpp:78 msgid "Shows list of users and when they last logged in" msgstr "" +"Laat lijst van gebruikers zien en wanneer deze voor het laatst ingelogd zijn" #: lastseen.cpp:153 msgid "Collects data about when a user last logged in." -msgstr "" +msgstr "Houd bij wanneer gebruikers voor het laatst ingelogd zijn." diff --git a/modules/po/listsockets.nl_NL.po b/modules/po/listsockets.nl_NL.po index 0ef1df05..b0cbc666 100644 --- a/modules/po/listsockets.nl_NL.po +++ b/modules/po/listsockets.nl_NL.po @@ -15,99 +15,101 @@ msgstr "" #: modules/po/../data/listsockets/tmpl/index.tmpl:7 listsockets.cpp:214 #: listsockets.cpp:230 msgid "Name" -msgstr "" +msgstr "Naam" #: modules/po/../data/listsockets/tmpl/index.tmpl:8 listsockets.cpp:215 #: listsockets.cpp:231 msgid "Created" -msgstr "" +msgstr "Gemaakt" #: modules/po/../data/listsockets/tmpl/index.tmpl:9 listsockets.cpp:216 #: listsockets.cpp:232 msgid "State" -msgstr "" +msgstr "Status" #: modules/po/../data/listsockets/tmpl/index.tmpl:10 listsockets.cpp:218 #: listsockets.cpp:235 msgid "SSL" -msgstr "" +msgstr "SSL" #: modules/po/../data/listsockets/tmpl/index.tmpl:11 listsockets.cpp:220 #: listsockets.cpp:240 msgid "Local" -msgstr "" +msgstr "Lokaal" #: modules/po/../data/listsockets/tmpl/index.tmpl:12 listsockets.cpp:221 #: listsockets.cpp:242 msgid "Remote" -msgstr "" +msgstr "Extern" #: modules/po/../data/listsockets/tmpl/index.tmpl:13 msgid "Data In" -msgstr "" +msgstr "Data In" #: modules/po/../data/listsockets/tmpl/index.tmpl:14 msgid "Data Out" -msgstr "" +msgstr "Data Uit" #: listsockets.cpp:62 msgid "[-n]" -msgstr "" +msgstr "[-n]" #: listsockets.cpp:62 msgid "Shows the list of active sockets. Pass -n to show IP addresses" msgstr "" +"Weergeeft een lijst van actieve sockets. Geef -n om IP addressen te laten " +"zien" #: listsockets.cpp:70 msgid "You must be admin to use this module" -msgstr "" +msgstr "Je moet een beheerder zijn om deze module te mogen gebruiken" #: listsockets.cpp:96 msgid "List sockets" -msgstr "" +msgstr "Laat sockets zien" #: listsockets.cpp:116 listsockets.cpp:236 msgctxt "ssl" msgid "Yes" -msgstr "" +msgstr "Ja" #: listsockets.cpp:116 listsockets.cpp:237 msgctxt "ssl" msgid "No" -msgstr "" +msgstr "Nee" #: listsockets.cpp:142 msgid "Listener" -msgstr "" +msgstr "Luisteraar" #: listsockets.cpp:144 msgid "Inbound" -msgstr "" +msgstr "Inkomend" #: listsockets.cpp:147 msgid "Outbound" -msgstr "" +msgstr "Uitgaand" #: listsockets.cpp:149 msgid "Connecting" -msgstr "" +msgstr "Verbinden" #: listsockets.cpp:152 msgid "UNKNOWN" -msgstr "" +msgstr "ONBEKEND" #: listsockets.cpp:207 msgid "You have no open sockets." -msgstr "" +msgstr "Je hebt geen openstaande sockets." #: listsockets.cpp:222 listsockets.cpp:244 msgid "In" -msgstr "" +msgstr "In" #: listsockets.cpp:223 listsockets.cpp:246 msgid "Out" -msgstr "" +msgstr "Uit" #: listsockets.cpp:262 msgid "Lists active sockets" -msgstr "" +msgstr "Laat actieve sockets zien" diff --git a/modules/po/log.nl_NL.po b/modules/po/log.nl_NL.po index b8b30452..4fbb0d89 100644 --- a/modules/po/log.nl_NL.po +++ b/modules/po/log.nl_NL.po @@ -14,135 +14,143 @@ msgstr "" #: log.cpp:59 msgid "" -msgstr "" +msgstr "" #: log.cpp:60 msgid "Set logging rules, use !#chan or !query to negate and * " msgstr "" +"Stel logboek regels in, gebruik !#kanaal of !query om te verwijderen, * is " +"toegestaan" #: log.cpp:62 msgid "Clear all logging rules" -msgstr "" +msgstr "Verwijder alle logboek regels" #: log.cpp:64 msgid "List all logging rules" -msgstr "" +msgstr "Laat alle logboek regels zien" #: log.cpp:67 msgid " true|false" -msgstr "" +msgstr " true|false" #: log.cpp:68 msgid "Set one of the following options: joins, quits, nickchanges" msgstr "" +"Stelt een van de volgende opties in: toetredingen, verlatingen, naam " +"aanpassingen" #: log.cpp:71 msgid "Show current settings set by Set command" -msgstr "" +msgstr "Laat huidige instellingen zie die ingesteld zijn door het Set commando" #: log.cpp:143 msgid "Usage: SetRules " -msgstr "" +msgstr "Gebruik: SetRules " #: log.cpp:144 msgid "Wildcards are allowed" -msgstr "" +msgstr "Jokers zijn toegestaan" #: log.cpp:156 log.cpp:178 msgid "No logging rules. Everything is logged." -msgstr "" +msgstr "Geen logboek regels. Alles wordt bijgehouden." #: log.cpp:161 msgid "1 rule removed: {2}" msgid_plural "{1} rules removed: {2}" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "1 regel verwijderd: {2}" +msgstr[1] "{1} regels verwijderd: {2}" #: log.cpp:168 log.cpp:173 msgctxt "listrules" msgid "Rule" -msgstr "" +msgstr "Regel" #: log.cpp:169 log.cpp:174 msgctxt "listrules" msgid "Logging enabled" -msgstr "" +msgstr "Logboek ingeschakeld" #: log.cpp:189 msgid "" "Usage: Set true|false, where is one of: joins, quits, nickchanges" msgstr "" +"Gebruik: Set true|false, waar is een van de " +"volgende: joins, quits, nickchanges" #: log.cpp:196 msgid "Will log joins" -msgstr "" +msgstr "Zal toetredingen vastleggen" #: log.cpp:196 msgid "Will not log joins" -msgstr "" +msgstr "Zal toetredingen niet vastleggen" #: log.cpp:197 msgid "Will log quits" -msgstr "" +msgstr "Zal verlatingen vastleggen" #: log.cpp:197 msgid "Will not log quits" -msgstr "" +msgstr "Zal verlatingen niet vastleggen" #: log.cpp:199 msgid "Will log nick changes" -msgstr "" +msgstr "Zal naamaanpassingen vastleggen" #: log.cpp:199 msgid "Will not log nick changes" -msgstr "" +msgstr "Zal naamaanpassingen niet vastleggen" #: log.cpp:203 msgid "Unknown variable. Known variables: joins, quits, nickchanges" -msgstr "" +msgstr "Onbekende variabele. Bekende variabelen: joins, quits, nickchanges" #: log.cpp:211 msgid "Logging joins" -msgstr "" +msgstr "Toetredingen worden vastgelegd" #: log.cpp:211 msgid "Not logging joins" -msgstr "" +msgstr "Toetredingen worden niet vastgelegd" #: log.cpp:212 msgid "Logging quits" -msgstr "" +msgstr "Verlatingen worden vastgelegd" #: log.cpp:212 msgid "Not logging quits" -msgstr "" +msgstr "Verlatingen worden niet vastgelegd" #: log.cpp:213 msgid "Logging nick changes" -msgstr "" +msgstr "Naamaanpassingen worden vastgelegd" #: log.cpp:214 msgid "Not logging nick changes" -msgstr "" +msgstr "Naamaanpassingen worden niet vastgelegd" #: log.cpp:351 msgid "" "Invalid args [{1}]. Only one log path allowed. Check that there are no " "spaces in the path." msgstr "" +"Ongeldige argumenten [{1}]. Maar één logboekpad is toegestaan. Controleer of " +"er geen spaties in het pad voorkomen." #: log.cpp:401 msgid "Invalid log path [{1}]" -msgstr "" +msgstr "Ongeldig logboekpad [{1}]" #: log.cpp:404 msgid "Logging to [{1}]. Using timestamp format '{2}'" -msgstr "" +msgstr "Logboek schrijven naar [{1}]. Gebruik tijdstempel: '{2}'" #: log.cpp:559 msgid "[-sanitize] Optional path where to store logs." -msgstr "" +msgstr "[-sanitize] Optioneel pad waar het logboek opgeslagen moet worden." #: log.cpp:563 msgid "Writes IRC logs." -msgstr "" +msgstr "Schrijft IRC logboeken." diff --git a/modules/po/missingmotd.nl_NL.po b/modules/po/missingmotd.nl_NL.po index e4dfdf1f..9be7ea18 100644 --- a/modules/po/missingmotd.nl_NL.po +++ b/modules/po/missingmotd.nl_NL.po @@ -14,4 +14,4 @@ msgstr "" #: missingmotd.cpp:36 msgid "Sends 422 to clients when they login" -msgstr "" +msgstr "Stuurt 422 naar clients wanneer zij inloggen" diff --git a/modules/po/modperl.nl_NL.po b/modules/po/modperl.nl_NL.po index 260392d8..958cee62 100644 --- a/modules/po/modperl.nl_NL.po +++ b/modules/po/modperl.nl_NL.po @@ -14,4 +14,4 @@ msgstr "" #: modperl.cpp:382 msgid "Loads perl scripts as ZNC modules" -msgstr "" +msgstr "Laad perl scripts als ZNC modulen" diff --git a/modules/po/modpython.nl_NL.po b/modules/po/modpython.nl_NL.po index 34f7001f..790dcb25 100644 --- a/modules/po/modpython.nl_NL.po +++ b/modules/po/modpython.nl_NL.po @@ -14,4 +14,4 @@ msgstr "" #: modpython.cpp:512 msgid "Loads python scripts as ZNC modules" -msgstr "" +msgstr "Laad python scripts als ZNC modulen" diff --git a/modules/po/modules_online.nl_NL.po b/modules/po/modules_online.nl_NL.po index 1459e87b..299e31c4 100644 --- a/modules/po/modules_online.nl_NL.po +++ b/modules/po/modules_online.nl_NL.po @@ -14,4 +14,4 @@ msgstr "" #: modules_online.cpp:117 msgid "Makes ZNC's *modules to be \"online\"." -msgstr "" +msgstr "Maakt ZNC's *modulen \"online\"." diff --git a/modules/po/nickserv.nl_NL.po b/modules/po/nickserv.nl_NL.po index 15963e36..29cee46b 100644 --- a/modules/po/nickserv.nl_NL.po +++ b/modules/po/nickserv.nl_NL.po @@ -14,62 +14,64 @@ msgstr "" #: nickserv.cpp:31 msgid "Password set" -msgstr "" +msgstr "Wachtwoord ingesteld" #: nickserv.cpp:38 msgid "NickServ name set" -msgstr "" +msgstr "NickServ naam ingesteld" #: nickserv.cpp:54 msgid "No such editable command. See ViewCommands for list." -msgstr "" +msgstr "Geen aanpasbaar commando. Zie ViewCommands voor een lijst." #: nickserv.cpp:57 msgid "Ok" -msgstr "" +msgstr "Oké" #: nickserv.cpp:62 msgid "password" -msgstr "" +msgstr "wachtwoord" #: nickserv.cpp:62 msgid "Set your nickserv password" -msgstr "" +msgstr "Stel je nickserv wachtwoord in" #: nickserv.cpp:64 msgid "Clear your nickserv password" -msgstr "" +msgstr "Leegt je nickserv wachtwoord" #: nickserv.cpp:66 msgid "nickname" -msgstr "" +msgstr "naam" #: nickserv.cpp:67 msgid "" "Set NickServ name (Useful on networks like EpiKnet, where NickServ is named " "Themis" msgstr "" +"Stel NickServ naam in (nuttig op netwerken zoals EpiKnet waar NickServ " +"Themis heet)" #: nickserv.cpp:71 msgid "Reset NickServ name to default (NickServ)" -msgstr "" +msgstr "Reset de naam van NickServ naar de standaard (NickServ)" #: nickserv.cpp:75 msgid "Show patterns for lines, which are being sent to NickServ" -msgstr "" +msgstr "Laat patroon voor de regels zien die gestuurd worden naar NickServ" #: nickserv.cpp:77 msgid "cmd new-pattern" -msgstr "" +msgstr "cmd nieuw-patroon" #: nickserv.cpp:78 msgid "Set pattern for commands" -msgstr "" +msgstr "Stel patroon in voor commando's" #: nickserv.cpp:140 msgid "Please enter your nickserv password." -msgstr "" +msgstr "Voer alsjeblieft je nickserv wachtwoord in." #: nickserv.cpp:144 msgid "Auths you with NickServ (prefer SASL module instead)" -msgstr "" +msgstr "Authenticeert je met NickServ (SASL module heeft de voorkeur)" diff --git a/modules/po/notes.nl_NL.po b/modules/po/notes.nl_NL.po index 9796def6..040dbd15 100644 --- a/modules/po/notes.nl_NL.po +++ b/modules/po/notes.nl_NL.po @@ -14,106 +14,111 @@ msgstr "" #: modules/po/../data/notes/tmpl/index.tmpl:7 msgid "Add A Note" -msgstr "" +msgstr "Voeg een notitie toe" #: modules/po/../data/notes/tmpl/index.tmpl:11 msgid "Key:" -msgstr "" +msgstr "Sleutel:" #: modules/po/../data/notes/tmpl/index.tmpl:15 msgid "Note:" -msgstr "" +msgstr "Notitie:" #: modules/po/../data/notes/tmpl/index.tmpl:19 msgid "Add Note" -msgstr "" +msgstr "Voeg notitie toe" #: modules/po/../data/notes/tmpl/index.tmpl:27 msgid "You have no notes to display." -msgstr "" +msgstr "Je hebt geen notities om weer te geven." #: modules/po/../data/notes/tmpl/index.tmpl:34 notes.cpp:164 notes.cpp:169 msgid "Key" -msgstr "" +msgstr "Sleutel" #: modules/po/../data/notes/tmpl/index.tmpl:35 notes.cpp:165 notes.cpp:170 msgid "Note" -msgstr "" +msgstr "Notitie" #: modules/po/../data/notes/tmpl/index.tmpl:41 msgid "[del]" -msgstr "" +msgstr "[delete]" #: notes.cpp:32 msgid "That note already exists. Use MOD to overwrite." msgstr "" +"Die notitie bestaat al. Gebruik MOD om te overschrijven." #: notes.cpp:35 notes.cpp:137 msgid "Added note {1}" -msgstr "" +msgstr "Notitie toegevoegd: {1}" #: notes.cpp:37 notes.cpp:48 notes.cpp:142 msgid "Unable to add note {1}" -msgstr "" +msgstr "Niet mogelijk om notitie toe te voegen: {1}" #: notes.cpp:46 notes.cpp:139 msgid "Set note for {1}" -msgstr "" +msgstr "Notitie ingesteld voor {1}" #: notes.cpp:56 msgid "This note doesn't exist." -msgstr "" +msgstr "Deze notitie bestaat niet." #: notes.cpp:66 notes.cpp:116 msgid "Deleted note {1}" -msgstr "" +msgstr "Notitie verwijderd: {1}" #: notes.cpp:68 notes.cpp:118 msgid "Unable to delete note {1}" -msgstr "" +msgstr "Kon notitie niet verwijderen: {1}" #: notes.cpp:75 msgid "List notes" -msgstr "" +msgstr "Lijst van notities" #: notes.cpp:77 notes.cpp:81 msgid " " -msgstr "" +msgstr " " #: notes.cpp:77 msgid "Add a note" -msgstr "" +msgstr "Voeg een notitie toe" #: notes.cpp:79 notes.cpp:83 msgid "" -msgstr "" +msgstr "" #: notes.cpp:79 msgid "Delete a note" -msgstr "" +msgstr "Verwijder een notitie" #: notes.cpp:81 msgid "Modify a note" -msgstr "" +msgstr "Pas een notitie aan" #: notes.cpp:94 msgid "Notes" -msgstr "" +msgstr "Notities" #: notes.cpp:133 msgid "That note already exists. Use /#+ to overwrite." msgstr "" +"Die notitie bestaat al. Gebruik /#+ om te overschrijven." #: notes.cpp:185 notes.cpp:187 msgid "You have no entries." -msgstr "" +msgstr "Je hebt geen notities." #: notes.cpp:223 msgid "" "This user module takes up to one arguments. It can be -disableNotesOnLogin " "not to show notes upon client login" msgstr "" +"Deze gebruikersmodule accepteert maximaal 1 argument. Dit kan -" +"disableNotesOnLogin zodat notities niet worden laten zien wanneer een " +"gebruiker inlogd" #: notes.cpp:227 msgid "Keep and replay notes" -msgstr "" +msgstr "Hou en speel notities opnieuw af" diff --git a/modules/po/notify_connect.nl_NL.po b/modules/po/notify_connect.nl_NL.po index c2d768b7..e3f12817 100644 --- a/modules/po/notify_connect.nl_NL.po +++ b/modules/po/notify_connect.nl_NL.po @@ -14,16 +14,17 @@ msgstr "" #: notify_connect.cpp:24 msgid "attached" -msgstr "" +msgstr "aangekoppeld" #: notify_connect.cpp:26 msgid "detached" -msgstr "" +msgstr "losgekoppeld" #: notify_connect.cpp:41 msgid "{1} {2} from {3}" -msgstr "" +msgstr "{1} {2} van {3}" #: notify_connect.cpp:52 msgid "Notifies all admin users when a client connects or disconnects." msgstr "" +"Stuurt een melding naar alle beheerders wanneer een client los of aankoppeld." diff --git a/modules/po/partyline.nl_NL.po b/modules/po/partyline.nl_NL.po index a2b867e2..507eefb7 100644 --- a/modules/po/partyline.nl_NL.po +++ b/modules/po/partyline.nl_NL.po @@ -14,26 +14,29 @@ msgstr "" #: partyline.cpp:60 msgid "There are no open channels." -msgstr "" +msgstr "Er zijn geen open kanalen." #: partyline.cpp:66 partyline.cpp:73 msgid "Channel" -msgstr "" +msgstr "Kanaal" #: partyline.cpp:67 partyline.cpp:74 msgid "Users" -msgstr "" +msgstr "Gebruikers" #: partyline.cpp:82 msgid "List all open channels" -msgstr "" +msgstr "Laat alle open kanalen zien" #: partyline.cpp:733 msgid "" "You may enter a list of channels the user joins, when entering the internal " "partyline." msgstr "" +"Je mag een lijst van kanalen toevoegen wanneer een gebruiker toetreed tot de " +"interne partijlijn." #: partyline.cpp:739 msgid "Internal channels and queries for users connected to ZNC" msgstr "" +"Interne kanalen en privé berichten voor gebruikers die verbonden zijn met ZNC" diff --git a/modules/po/perform.nl_NL.po b/modules/po/perform.nl_NL.po index 170af654..d8dfd91c 100644 --- a/modules/po/perform.nl_NL.po +++ b/modules/po/perform.nl_NL.po @@ -14,95 +14,100 @@ msgstr "" #: modules/po/../data/perform/tmpl/index.tmpl:7 perform.cpp:143 msgid "Perform" -msgstr "" +msgstr "Uitvoeren" #: modules/po/../data/perform/tmpl/index.tmpl:11 msgid "Perform commands:" -msgstr "" +msgstr "Voer commando's uit:" #: modules/po/../data/perform/tmpl/index.tmpl:15 msgid "Commands sent to the IRC server on connect, one per line." msgstr "" +"Commando's verstuurd naar de IRC server bij het verbinden, één per regel." #: modules/po/../data/perform/tmpl/index.tmpl:18 msgid "Save" -msgstr "" +msgstr "Opslaan" #: perform.cpp:24 msgid "Usage: add " -msgstr "" +msgstr "Gebruik: add " #: perform.cpp:29 msgid "Added!" -msgstr "" +msgstr "Toegevoegd!" #: perform.cpp:37 perform.cpp:82 msgid "Illegal # Requested" -msgstr "" +msgstr "Ongeldig # aangevraagd" #: perform.cpp:41 msgid "Command Erased." -msgstr "" +msgstr "Commando verwijderd." #: perform.cpp:50 perform.cpp:56 msgctxt "list" msgid "Id" -msgstr "" +msgstr "Id" #: perform.cpp:51 perform.cpp:57 msgctxt "list" msgid "Perform" -msgstr "" +msgstr "Uitvoeren" #: perform.cpp:52 perform.cpp:62 msgctxt "list" msgid "Expanded" -msgstr "" +msgstr "Uitgebreid" #: perform.cpp:67 msgid "No commands in your perform list." -msgstr "" +msgstr "Geen commando's in je uitvoerlijst." #: perform.cpp:73 msgid "perform commands sent" -msgstr "" +msgstr "Uitvoer commando's gestuurd" #: perform.cpp:86 msgid "Commands Swapped." -msgstr "" +msgstr "Commando's omgewisseld." #: perform.cpp:95 msgid "" -msgstr "" +msgstr "" #: perform.cpp:96 msgid "Adds perform command to be sent to the server on connect" msgstr "" +"Voegt commando's toe om uit te voeren wanneer er verbinding gemaakt is met " +"de server" #: perform.cpp:98 msgid "" -msgstr "" +msgstr "" #: perform.cpp:98 msgid "Delete a perform command" -msgstr "" +msgstr "Verwijder een uitvoercommando" #: perform.cpp:100 msgid "List the perform commands" -msgstr "" +msgstr "Laat de uitvoercommando's zien" #: perform.cpp:103 msgid "Send the perform commands to the server now" -msgstr "" +msgstr "Stuur de uitvoercommando's nu naar de server" #: perform.cpp:105 msgid " " -msgstr "" +msgstr " " #: perform.cpp:106 msgid "Swap two perform commands" -msgstr "" +msgstr "Wissel twee uitvoercommando's" #: perform.cpp:192 msgid "Keeps a list of commands to be executed when ZNC connects to IRC." msgstr "" +"Houd een lijst bij van commando's die naar de IRC server verstuurd worden " +"zodra ZNC hier naar verbind." diff --git a/modules/po/perleval.nl_NL.po b/modules/po/perleval.nl_NL.po index a575f497..99fa2d05 100644 --- a/modules/po/perleval.nl_NL.po +++ b/modules/po/perleval.nl_NL.po @@ -14,18 +14,18 @@ msgstr "" #: perleval.pm:23 msgid "Evaluates perl code" -msgstr "" +msgstr "Evalueert perl code" #: perleval.pm:33 msgid "Only admin can load this module" -msgstr "" +msgstr "Alleen beheerders kunnen deze module laden" #: perleval.pm:44 #, perl-format msgid "Error: %s" -msgstr "" +msgstr "Fout: %s" #: perleval.pm:46 #, perl-format msgid "Result: %s" -msgstr "" +msgstr "Resultaat: %s" diff --git a/modules/po/pyeval.nl_NL.po b/modules/po/pyeval.nl_NL.po index f4db01b0..9a737d8b 100644 --- a/modules/po/pyeval.nl_NL.po +++ b/modules/po/pyeval.nl_NL.po @@ -14,8 +14,8 @@ msgstr "" #: pyeval.py:49 msgid "You must have admin privileges to load this module." -msgstr "" +msgstr "Alleen beheerders kunnen deze module laden." #: pyeval.py:82 msgid "Evaluates python code" -msgstr "" +msgstr "Evalueert python code" diff --git a/modules/po/q.nl_NL.po b/modules/po/q.nl_NL.po index 3a3841cc..47241478 100644 --- a/modules/po/q.nl_NL.po +++ b/modules/po/q.nl_NL.po @@ -14,27 +14,27 @@ msgstr "" #: modules/po/../data/q/tmpl/index.tmpl:11 msgid "Username:" -msgstr "" +msgstr "Gebruikersnaam:" #: modules/po/../data/q/tmpl/index.tmpl:13 msgid "Please enter a username." -msgstr "" +msgstr "Voer alsjeblieft een gebruikersnaam in." #: modules/po/../data/q/tmpl/index.tmpl:16 msgid "Password:" -msgstr "" +msgstr "Wachtwoord:" #: modules/po/../data/q/tmpl/index.tmpl:18 msgid "Please enter a password." -msgstr "" +msgstr "Voer alsjeblieft een wachtwoord in." #: modules/po/../data/q/tmpl/index.tmpl:26 msgid "Options" -msgstr "" +msgstr "Opties" #: modules/po/../data/q/tmpl/index.tmpl:42 msgid "Save" -msgstr "" +msgstr "Opslaan" #: q.cpp:74 msgid "" @@ -42,255 +42,272 @@ msgid "" "want to cloak your host now, /msg *q Cloak. You can set your preference " "with /msg *q Set UseCloakedHost true/false." msgstr "" +"Melding: Je host zal omhuld worden de volgende keer dat je met IRC verbind. " +"Als je dit nu wilt doen, doe dan: /msg *q Cloak. Je kan je voorkeur " +"instellen met /msg *q Set UseCloakedHost true/false." #: q.cpp:111 msgid "The following commands are available:" -msgstr "" +msgstr "De volgende commando's zijn beschikbaar:" #: q.cpp:113 q.cpp:116 q.cpp:121 q.cpp:126 q.cpp:130 q.cpp:135 q.cpp:140 msgid "Command" -msgstr "" +msgstr "Commando" #: q.cpp:114 q.cpp:117 q.cpp:123 q.cpp:127 q.cpp:132 q.cpp:136 q.cpp:141 #: q.cpp:150 q.cpp:154 q.cpp:158 q.cpp:162 q.cpp:168 q.cpp:174 q.cpp:180 #: q.cpp:186 msgid "Description" -msgstr "" +msgstr "Beschrijving" #: q.cpp:116 msgid "Auth [ ]" -msgstr "" +msgstr "Auth [ ]" #: q.cpp:118 msgid "Tries to authenticate you with Q. Both parameters are optional." -msgstr "" +msgstr "Probeert je te authenticeren met Q, beide parameters zijn optioneel." #: q.cpp:124 msgid "Tries to set usermode +x to hide your real hostname." msgstr "" +"Probeert gebruikersmodus +x in te stellen om je echte hostname te verbergen." #: q.cpp:128 msgid "Prints the current status of the module." -msgstr "" +msgstr "Toont de huidige status van de module." #: q.cpp:133 msgid "Re-requests the current user information from Q." -msgstr "" +msgstr "Vraagt de huidige gebruikersinformatie opnieuw aan bij Q." #: q.cpp:135 msgid "Set " -msgstr "" +msgstr "Set " #: q.cpp:137 msgid "Changes the value of the given setting. See the list of settings below." msgstr "" +"Past de waarde aan van de gegeven instelling. Zie de lijst van instellingen " +"hier onder." #: q.cpp:142 msgid "Prints out the current configuration. See the list of settings below." msgstr "" +"Toont de huidige configuratie. Zie de onderstaande lijst van instellingen." #: q.cpp:146 msgid "The following settings are available:" -msgstr "" +msgstr "De volgende instellingen zijn beschikbaar:" #: q.cpp:148 q.cpp:152 q.cpp:156 q.cpp:160 q.cpp:166 q.cpp:172 q.cpp:178 #: q.cpp:183 q.cpp:227 q.cpp:230 q.cpp:233 q.cpp:236 q.cpp:239 q.cpp:242 #: q.cpp:245 q.cpp:248 msgid "Setting" -msgstr "" +msgstr "Instelling" #: q.cpp:149 q.cpp:153 q.cpp:157 q.cpp:161 q.cpp:167 q.cpp:173 q.cpp:179 #: q.cpp:184 msgid "Type" -msgstr "" +msgstr "Type" #: q.cpp:153 q.cpp:157 msgid "String" -msgstr "" +msgstr "Tekenreeks" #: q.cpp:154 msgid "Your Q username." -msgstr "" +msgstr "Jouw Q gebruikersnaam." #: q.cpp:158 msgid "Your Q password." -msgstr "" +msgstr "Jouw Q wachtwoord." #: q.cpp:161 q.cpp:167 q.cpp:173 q.cpp:179 q.cpp:184 msgid "Boolean" -msgstr "" +msgstr "Boolen (waar/onwaar)" #: q.cpp:163 q.cpp:373 msgid "Whether to cloak your hostname (+x) automatically on connect." -msgstr "" +msgstr "Je hostname automatisch omhullen (+x) wanneer er verbonden is." #: q.cpp:169 q.cpp:381 msgid "" "Whether to use the CHALLENGEAUTH mechanism to avoid sending passwords in " "cleartext." msgstr "" +"Of CHALLENGEAUTH mechanisme gebruikt moet worden om te voorkomen dat je " +"wachtwoord onversleuteld verstuurd word." #: q.cpp:175 q.cpp:389 msgid "Whether to request voice/op from Q on join/devoice/deop." msgstr "" +"Of je automatisch stem/beheerdersrechten van Q wilt aanvragen als je " +"toetreed/stem kwijt raakt/beheerdersrechten kwijt raakt." #: q.cpp:181 q.cpp:395 msgid "Whether to join channels when Q invites you." -msgstr "" +msgstr "Automatisch kanalen toetreden waar Q je voor uitnodigd." #: q.cpp:187 q.cpp:402 msgid "Whether to delay joining channels until after you are cloaked." -msgstr "" +msgstr "Wachten met het toetreden van kanalen totdat je host omhuld is." #: q.cpp:192 msgid "This module takes 2 optional parameters: " msgstr "" +"Deze module accepteerd twee optionele parameters: " +"" #: q.cpp:194 msgid "Module settings are stored between restarts." -msgstr "" +msgstr "Module instellingen worden opgeslagen tussen herstarts." #: q.cpp:200 msgid "Syntax: Set " -msgstr "" +msgstr "Syntax: Set " #: q.cpp:203 msgid "Username set" -msgstr "" +msgstr "Gebruikersnaam ingesteld" #: q.cpp:206 msgid "Password set" -msgstr "" +msgstr "Wachtwoord ingesteld" #: q.cpp:209 msgid "UseCloakedHost set" -msgstr "" +msgstr "UseCloakedHost ingesteld" #: q.cpp:212 msgid "UseChallenge set" -msgstr "" +msgstr "UseChallenge ingesteld" #: q.cpp:215 msgid "RequestPerms set" -msgstr "" +msgstr "RequestPerms ingesteld" #: q.cpp:218 msgid "JoinOnInvite set" -msgstr "" +msgstr "JoinOnInvite ingesteld" #: q.cpp:221 msgid "JoinAfterCloaked set" -msgstr "" +msgstr "JoinAfterCloaked ingesteld" #: q.cpp:223 msgid "Unknown setting: {1}" -msgstr "" +msgstr "Onbekende instelling: {1}" #: q.cpp:228 q.cpp:231 q.cpp:234 q.cpp:237 q.cpp:240 q.cpp:243 q.cpp:246 #: q.cpp:249 msgid "Value" -msgstr "" +msgstr "Waarde" #: q.cpp:253 msgid "Connected: yes" -msgstr "" +msgstr "Verbonden: ja" #: q.cpp:254 msgid "Connected: no" -msgstr "" +msgstr "Verbonden: nee" #: q.cpp:255 msgid "Cloacked: yes" -msgstr "" +msgstr "Host omhuld: ja" #: q.cpp:255 msgid "Cloacked: no" -msgstr "" +msgstr "Host omhuld: nee" #: q.cpp:256 msgid "Authenticated: yes" -msgstr "" +msgstr "Geauthenticeerd: ja" #: q.cpp:257 msgid "Authenticated: no" -msgstr "" +msgstr "Geauthenticeerd: nee" #: q.cpp:262 msgid "Error: You are not connected to IRC." -msgstr "" +msgstr "Fout: Je bent niet verbonden met IRC." #: q.cpp:270 msgid "Error: You are already cloaked!" -msgstr "" +msgstr "Fout: Je bent al omhuld!" #: q.cpp:276 msgid "Error: You are already authed!" -msgstr "" +msgstr "Fout: Je bent al geauthenticeerd!" #: q.cpp:280 msgid "Update requested." -msgstr "" +msgstr "Update aangevraagd." #: q.cpp:283 msgid "Unknown command. Try 'help'." -msgstr "" +msgstr "Onbekend commando. Probeer 'help'." #: q.cpp:293 msgid "Cloak successful: Your hostname is now cloaked." -msgstr "" +msgstr "Omhulling succesvol: Je host is nu omhuld." #: q.cpp:408 msgid "Changes have been saved!" -msgstr "" +msgstr "Wijzigingen zijn opgeslagen!" #: q.cpp:435 msgid "Cloak: Trying to cloak your hostname, setting +x..." -msgstr "" +msgstr "Omhulling: Proberen je host te omhullen, +x aan het instellen..." #: q.cpp:452 msgid "" "You have to set a username and password to use this module! See 'help' for " "details." msgstr "" +"Je moet een gebruikersnaam en wachtwoord instellen om deze module te " +"gebruiken! Zie 'help' voor details." #: q.cpp:458 msgid "Auth: Requesting CHALLENGE..." -msgstr "" +msgstr "Auth: CHALLENGE aanvragen..." #: q.cpp:462 msgid "Auth: Sending AUTH request..." -msgstr "" +msgstr "Auth: AUTH aanvraag aan het versturen..." #: q.cpp:479 msgid "Auth: Received challenge, sending CHALLENGEAUTH request..." -msgstr "" +msgstr "Auth: Uitdaging ontvangen, nu CHALLENGEAUTH aanvraag sturen..." #: q.cpp:521 msgid "Authentication failed: {1}" -msgstr "" +msgstr "Authenticatie mislukt: {1}" #: q.cpp:525 msgid "Authentication successful: {1}" -msgstr "" +msgstr "Authenticatie gelukt: {1}" #: q.cpp:539 msgid "" "Auth failed: Q does not support HMAC-SHA-256 for CHALLENGEAUTH, falling back " "to standard AUTH." msgstr "" +"Auth mislukt: Q ondersteund geen HMAC-SHA-256 voor CHALLENGEAUTH, " +"terugvallen naar standaard AUTH." #: q.cpp:566 msgid "RequestPerms: Requesting op on {1}" -msgstr "" +msgstr "RequestPerms: Beheerdersrechten aanvragen in {1}" #: q.cpp:579 msgid "RequestPerms: Requesting voice on {1}" -msgstr "" +msgstr "RequestPerms: Stem aanvragen in {1}" #: q.cpp:686 msgid "Please provide your username and password for Q." -msgstr "" +msgstr "Voer alsjeblieft je gebruikersnaam en wachtwoord in voor Q." #: q.cpp:689 msgid "Auths you with QuakeNet's Q bot." -msgstr "" +msgstr "Authenticeert je met QuakeNet's Q bot." diff --git a/modules/po/raw.nl_NL.po b/modules/po/raw.nl_NL.po index 1c4e10be..feb2807a 100644 --- a/modules/po/raw.nl_NL.po +++ b/modules/po/raw.nl_NL.po @@ -14,4 +14,4 @@ msgstr "" #: raw.cpp:43 msgid "View all of the raw traffic" -msgstr "" +msgstr "Laat al het onbewerkte verkeer zien" diff --git a/modules/po/route_replies.nl_NL.po b/modules/po/route_replies.nl_NL.po index 4b036ca9..423b15ff 100644 --- a/modules/po/route_replies.nl_NL.po +++ b/modules/po/route_replies.nl_NL.po @@ -14,46 +14,50 @@ msgstr "" #: route_replies.cpp:209 msgid "[yes|no]" -msgstr "" +msgstr "[yes|no]" #: route_replies.cpp:210 msgid "Decides whether to show the timeout messages or not" -msgstr "" +msgstr "Beslist of time-out berichten laten zien worden of niet" #: route_replies.cpp:350 msgid "This module hit a timeout which is probably a connectivity issue." msgstr "" +"Deze module heeft een time-out geraakt, dit is waarschijnlijk een " +"connectiviteitsprobleem." #: route_replies.cpp:353 msgid "" "However, if you can provide steps to reproduce this issue, please do report " "a bug." msgstr "" +"Maar, als je de stappen kan herproduceren, stuur alsjeblieft een bugrapport " +"hier mee." #: route_replies.cpp:356 msgid "To disable this message, do \"/msg {1} silent yes\"" -msgstr "" +msgstr "Om dit bericht uit te zetten, doe \"/msg {1} silent yes\"" #: route_replies.cpp:358 msgid "Last request: {1}" -msgstr "" +msgstr "Laatste aanvraag: {1}" #: route_replies.cpp:359 msgid "Expected replies:" -msgstr "" +msgstr "Verwachte antwoorden:" #: route_replies.cpp:363 msgid "{1} (last)" -msgstr "" +msgstr "{1} (laatste)" #: route_replies.cpp:435 msgid "Timeout messages are disabled." -msgstr "" +msgstr "Time-out berichten uitgeschakeld." #: route_replies.cpp:436 msgid "Timeout messages are enabled." -msgstr "" +msgstr "Time-out berichten ingeschakeld." #: route_replies.cpp:457 msgid "Send replies (e.g. to /who) to the right client only" -msgstr "" +msgstr "Stuur antwoorden (zoals /who) alleen naar de juiste clients" diff --git a/modules/po/sample.nl_NL.po b/modules/po/sample.nl_NL.po index 5c0d9ec9..b2a49c08 100644 --- a/modules/po/sample.nl_NL.po +++ b/modules/po/sample.nl_NL.po @@ -14,106 +14,106 @@ msgstr "" #: sample.cpp:31 msgid "Sample job cancelled" -msgstr "" +msgstr "Voorbeeld taak geannuleerd" #: sample.cpp:33 msgid "Sample job destroyed" -msgstr "" +msgstr "Voorbeeld taak vernietigd" #: sample.cpp:50 msgid "Sample job done" -msgstr "" +msgstr "Voorbeeld taak gereed" #: sample.cpp:65 msgid "TEST!!!!" -msgstr "" +msgstr "KOEKJES!!!!" #: sample.cpp:74 msgid "I'm being loaded with the arguments: {1}" -msgstr "" +msgstr "Ik wordt geladen met de volgende argumenten: {1}" #: sample.cpp:85 msgid "I'm being unloaded!" -msgstr "" +msgstr "Ik wordt gestopt!" #: sample.cpp:94 msgid "You got connected BoyOh." -msgstr "" +msgstr "Je bent verbonden BoyOh." #: sample.cpp:98 msgid "You got disconnected BoyOh." -msgstr "" +msgstr "Je bent losgekoppeld BoyOh." #: sample.cpp:116 msgid "{1} {2} set mode on {3} {4}{5} {6}" -msgstr "" +msgstr "{1} {2} stelt modus in {3} {4}{5} {6}" #: sample.cpp:123 msgid "{1} {2} opped {3} on {4}" -msgstr "" +msgstr "{1} {2} geeft beheerdersrechten aan {3} op {4}" #: sample.cpp:129 msgid "{1} {2} deopped {3} on {4}" -msgstr "" +msgstr "{1} {2} neemt beheerdersrechten van {3} op {4}" #: sample.cpp:135 msgid "{1} {2} voiced {3} on {4}" -msgstr "" +msgstr "{1} {2} geeft stem aan {3} op {4}" #: sample.cpp:141 msgid "{1} {2} devoiced {3} on {4}" -msgstr "" +msgstr "{1} {2} neemt stem van {3} op {4}" #: sample.cpp:147 msgid "* {1} sets mode: {2} {3} on {4}" -msgstr "" +msgstr "* {1} stelt modus in: {2} {3} op {4}" #: sample.cpp:163 msgid "{1} kicked {2} from {3} with the msg {4}" -msgstr "" +msgstr "{1} geschopt {2} van {3} met het bericht {4}" #: sample.cpp:169 msgid "* {1} ({2}@{3}) quits ({4}) from channel: {6}" msgid_plural "* {1} ({2}@{3}) quits ({4}) from {5} channels: {6}" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "* {1} ({2}@{3}) verlaat ({4}) van kanaal: {6}" +msgstr[1] "* {1} ({2}@{3}) verlaat ({4}) van {5} kanalen: {6}" #: sample.cpp:177 msgid "Attempting to join {1}" -msgstr "" +msgstr "Proberen toe te treden tot {1}" #: sample.cpp:182 msgid "* {1} ({2}@{3}) joins {4}" -msgstr "" +msgstr "* {1} ({2}@{3}) treed toe in {4}" #: sample.cpp:189 msgid "* {1} ({2}@{3}) parts {4}" -msgstr "" +msgstr "* {1} ({2}@{3}) verlaat {4}" #: sample.cpp:196 msgid "{1} invited us to {2}, ignoring invites to {2}" -msgstr "" +msgstr "{1} nodigt ons uit in {2}, negeer uitnodigingen naar {2}" #: sample.cpp:201 msgid "{1} invited us to {2}" -msgstr "" +msgstr "{1} nodigt ons uit in {2}" #: sample.cpp:207 msgid "{1} is now known as {2}" -msgstr "" +msgstr "{1} staat nu bekend als {2}" #: sample.cpp:269 sample.cpp:276 msgid "{1} changes topic on {2} to {3}" -msgstr "" +msgstr "{1} veranderd onderwerp in {2} naar {3}" #: sample.cpp:317 msgid "Hi, I'm your friendly sample module." -msgstr "" +msgstr "Hey, ik ben je vriendelijke voorbeeldmodule." #: sample.cpp:330 msgid "Description of module arguments goes here." -msgstr "" +msgstr "Beschrijving van module argumenten komen hier." #: sample.cpp:333 msgid "To be used as a sample for writing modules" -msgstr "" +msgstr "Om gebruikt te worden als voorbeeld voor het schrijven van modulen" diff --git a/modules/po/samplewebapi.nl_NL.po b/modules/po/samplewebapi.nl_NL.po index e0ee730f..93ca7339 100644 --- a/modules/po/samplewebapi.nl_NL.po +++ b/modules/po/samplewebapi.nl_NL.po @@ -14,4 +14,4 @@ msgstr "" #: samplewebapi.cpp:59 msgid "Sample Web API module." -msgstr "" +msgstr "Voorbeeld van Web API module." diff --git a/modules/po/sasl.nl_NL.po b/modules/po/sasl.nl_NL.po index 0db1c655..a245e718 100644 --- a/modules/po/sasl.nl_NL.po +++ b/modules/po/sasl.nl_NL.po @@ -14,161 +14,168 @@ msgstr "" #: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:290 msgid "SASL" -msgstr "" +msgstr "SASL" #: modules/po/../data/sasl/tmpl/index.tmpl:11 msgid "Username:" -msgstr "" +msgstr "Gebruikersnaam:" #: modules/po/../data/sasl/tmpl/index.tmpl:13 msgid "Please enter a username." -msgstr "" +msgstr "Voer alsjeblieft een gebruikersnaam in." #: modules/po/../data/sasl/tmpl/index.tmpl:16 msgid "Password:" -msgstr "" +msgstr "Wachtwoord:" #: modules/po/../data/sasl/tmpl/index.tmpl:18 msgid "Please enter a password." -msgstr "" +msgstr "Voer alsjeblieft een wachtwoord in." #: modules/po/../data/sasl/tmpl/index.tmpl:22 msgid "Options" -msgstr "" +msgstr "Opties" #: modules/po/../data/sasl/tmpl/index.tmpl:25 msgid "Connect only if SASL authentication succeeds." -msgstr "" +msgstr "Verbind alleen als SASL authenticatie lukt." #: modules/po/../data/sasl/tmpl/index.tmpl:27 msgid "Require authentication" -msgstr "" +msgstr "Vereis authenticatie" #: modules/po/../data/sasl/tmpl/index.tmpl:35 msgid "Mechanisms" -msgstr "" +msgstr "Mechanismen" #: modules/po/../data/sasl/tmpl/index.tmpl:42 msgid "Name" -msgstr "" +msgstr "Naam" #: modules/po/../data/sasl/tmpl/index.tmpl:43 sasl.cpp:89 sasl.cpp:94 msgid "Description" -msgstr "" +msgstr "Beschrijving" #: modules/po/../data/sasl/tmpl/index.tmpl:57 msgid "Selected mechanisms and their order:" -msgstr "" +msgstr "Geselecteerde mechanismen en hun volgorde:" #: modules/po/../data/sasl/tmpl/index.tmpl:74 msgid "Save" -msgstr "" +msgstr "Opslaan" #: sasl.cpp:54 msgid "TLS certificate, for use with the *cert module" -msgstr "" +msgstr "TLS certificaat, te gebruiken met de *cert module" #: sasl.cpp:56 msgid "" "Plain text negotiation, this should work always if the network supports SASL" msgstr "" +"Open text onderhandeling, dit zou altijd moeten werken als het netwerk SASL " +"ondersteund" #: sasl.cpp:62 msgid "search" -msgstr "" +msgstr "Zoek" #: sasl.cpp:62 msgid "Generate this output" -msgstr "" +msgstr "Genereer deze uitvoer" #: sasl.cpp:64 msgid "[ []]" -msgstr "" +msgstr "[ []]" #: sasl.cpp:65 msgid "" "Set username and password for the mechanisms that need them. Password is " "optional. Without parameters, returns information about current settings." msgstr "" +"Stel gebruikersnaam en wachtwoord in voor de mechanismen die deze nodig " +"hebben. Wachtwoord is optioneel. Zonder parameters zal deze de huidige " +"informatie tonen." #: sasl.cpp:69 msgid "[mechanism[ ...]]" -msgstr "" +msgstr "[mechanisme[ ...]]" #: sasl.cpp:70 msgid "Set the mechanisms to be attempted (in order)" -msgstr "" +msgstr "Stelt de mechanismen om te gebruiken in (op volgorde)" #: sasl.cpp:72 msgid "[yes|no]" -msgstr "" +msgstr "[yes|no]" #: sasl.cpp:73 msgid "Don't connect unless SASL authentication succeeds" -msgstr "" +msgstr "Verbind alleen als SASL authenticatie lukt" #: sasl.cpp:88 sasl.cpp:93 msgid "Mechanism" -msgstr "" +msgstr "Mechanism" #: sasl.cpp:97 msgid "The following mechanisms are available:" -msgstr "" +msgstr "De volgende mechanismen zijn beschikbaar:" #: sasl.cpp:107 msgid "Username is currently not set" -msgstr "" +msgstr "Gebruikersnaam is niet ingesteld" #: sasl.cpp:109 msgid "Username is currently set to '{1}'" -msgstr "" +msgstr "Gebruikersnaam is ingesteld op '{1}'" #: sasl.cpp:112 msgid "Password was not supplied" -msgstr "" +msgstr "Wachtwoord was niet ingevoerd" #: sasl.cpp:114 msgid "Password was supplied" -msgstr "" +msgstr "Wachtwoord was ingevoerd" #: sasl.cpp:122 msgid "Username has been set to [{1}]" -msgstr "" +msgstr "Gebruikersnaam is ingesteld op [{1}]" #: sasl.cpp:123 msgid "Password has been set to [{1}]" -msgstr "" +msgstr "Wachtwoord is ingesteld op [{1}]" #: sasl.cpp:143 msgid "Current mechanisms set: {1}" -msgstr "" +msgstr "Huidige mechanismen ingesteld: {1}" #: sasl.cpp:152 msgid "We require SASL negotiation to connect" -msgstr "" +msgstr "We vereisen SASL onderhandeling om te mogen verbinden" #: sasl.cpp:154 msgid "We will connect even if SASL fails" -msgstr "" +msgstr "We zullen verbinden ook als SASL faalt" #: sasl.cpp:191 msgid "Disabling network, we require authentication." -msgstr "" +msgstr "Netwerk uitgeschakeld, we eisen authenticatie." #: sasl.cpp:192 msgid "Use 'RequireAuth no' to disable." -msgstr "" +msgstr "Gebruik 'RequireAuth no' om uit te schakelen." #: sasl.cpp:245 msgid "{1} mechanism succeeded." -msgstr "" +msgstr "{1} mechanisme gelukt." #: sasl.cpp:257 msgid "{1} mechanism failed." -msgstr "" +msgstr "{1} mechanisme gefaalt." #: sasl.cpp:335 msgid "" "Adds support for sasl authentication capability to authenticate to an IRC " "server" msgstr "" +"Voegt ondertsteuning voor SASL authenticatie mogelijkheden toe om te kunnen " +"authenticeren naar een IRC server" diff --git a/modules/po/savebuff.nl_NL.po b/modules/po/savebuff.nl_NL.po index 5850e34a..8f405634 100644 --- a/modules/po/savebuff.nl_NL.po +++ b/modules/po/savebuff.nl_NL.po @@ -14,23 +14,23 @@ msgstr "" #: savebuff.cpp:65 msgid "" -msgstr "" +msgstr "" #: savebuff.cpp:65 msgid "Sets the password" -msgstr "" +msgstr "Stelt het wachtwoord in" #: savebuff.cpp:67 msgid "" -msgstr "" +msgstr "" #: savebuff.cpp:67 msgid "Replays the buffer" -msgstr "" +msgstr "Speelt de buffer opnieuw af" #: savebuff.cpp:69 msgid "Saves all buffers" -msgstr "" +msgstr "Slaat alle buffers op" #: savebuff.cpp:221 msgid "" @@ -38,25 +38,32 @@ msgid "" "the appropriate pass and things should start working, or setpass to a new " "pass and save to reinstantiate" msgstr "" +"Wachtwoord die geleegd is betekent meestal dat de ontsleuteling gefaalt " +"heeft. Je kan setpass gebruiken om het juiste wachtwoord in te stellen en " +"dan zou het moeten werken. Of setpass naar een nieuw wachtwoord en opslaan " +"om opnieuw te starten" #: savebuff.cpp:232 msgid "Password set to [{1}]" -msgstr "" +msgstr "Wachtwoord ingesteld naar [{1}]" #: savebuff.cpp:262 msgid "Replayed {1}" -msgstr "" +msgstr "{1} afgespeeld" #: savebuff.cpp:341 msgid "Unable to decode Encrypted file {1}" -msgstr "" +msgstr "Niet mogelijk om versleuteld bestand te ontsleutelen: {1}" #: savebuff.cpp:358 msgid "" "This user module takes up to one arguments. Either --ask-pass or the " "password itself (which may contain spaces) or nothing" msgstr "" +"Deze gebruikersmodule accepteert maximaal één argument. --ask-pass of het " +"wachtwoord zelf (welke spaties mag bevatten) of niks" #: savebuff.cpp:363 msgid "Stores channel and query buffers to disk, encrypted" msgstr "" +"Slaat kanaal en privé berichten buffers op de harde schijf op, versleuteld" diff --git a/modules/po/send_raw.nl_NL.po b/modules/po/send_raw.nl_NL.po index 3558604b..c3d95e89 100644 --- a/modules/po/send_raw.nl_NL.po +++ b/modules/po/send_raw.nl_NL.po @@ -14,96 +14,98 @@ msgstr "" #: modules/po/../data/send_raw/tmpl/index.tmpl:9 msgid "Send a raw IRC line" -msgstr "" +msgstr "Stuur een onbewerkte IRC regel" #: modules/po/../data/send_raw/tmpl/index.tmpl:14 msgid "User:" -msgstr "" +msgstr "Gebruiker:" #: modules/po/../data/send_raw/tmpl/index.tmpl:15 msgid "To change user, click to Network selector" -msgstr "" +msgstr "Om gebruiker te veranderen, klik de Netwerk schakelaar" #: modules/po/../data/send_raw/tmpl/index.tmpl:19 msgid "User/Network:" -msgstr "" +msgstr "Gebruiker/Netwerk:" #: modules/po/../data/send_raw/tmpl/index.tmpl:32 msgid "Send to:" -msgstr "" +msgstr "Stuur naar:" #: modules/po/../data/send_raw/tmpl/index.tmpl:34 msgid "Client" -msgstr "" +msgstr "Client" #: modules/po/../data/send_raw/tmpl/index.tmpl:35 msgid "Server" -msgstr "" +msgstr "Server" #: modules/po/../data/send_raw/tmpl/index.tmpl:40 msgid "Line:" -msgstr "" +msgstr "Regel:" #: modules/po/../data/send_raw/tmpl/index.tmpl:45 msgid "Send" -msgstr "" +msgstr "Stuur" #: send_raw.cpp:32 msgid "Sent [{1}] to {2}/{3}" -msgstr "" +msgstr "[{1}] gestuurd naard {2}/{3}" #: send_raw.cpp:36 send_raw.cpp:56 msgid "Network {1} not found for user {2}" -msgstr "" +msgstr "Netwerk {1} niet gevonden voor gebruiker {2}" #: send_raw.cpp:40 send_raw.cpp:60 msgid "User {1} not found" -msgstr "" +msgstr "Gebruiker {1} niet gevonden" #: send_raw.cpp:52 msgid "Sent [{1}] to IRC server of {2}/{3}" -msgstr "" +msgstr "[{1}] gestuurd naard IRC server van {2}/{3}" #: send_raw.cpp:75 msgid "You must have admin privileges to load this module" -msgstr "" +msgstr "Alleen beheerders kunnen deze module laden" #: send_raw.cpp:82 msgid "Send Raw" -msgstr "" +msgstr "Stuur onbewerkt" #: send_raw.cpp:92 msgid "User not found" -msgstr "" +msgstr "Gebruiker niet gevonden" #: send_raw.cpp:99 msgid "Network not found" -msgstr "" +msgstr "Netwerk niet gevonden" #: send_raw.cpp:116 msgid "Line sent" -msgstr "" +msgstr "Regel gestuurd" #: send_raw.cpp:140 send_raw.cpp:143 msgid "[user] [network] [data to send]" -msgstr "" +msgstr "[gebruiker] [netwerk] [data om te sturen]" #: send_raw.cpp:141 msgid "The data will be sent to the user's IRC client(s)" -msgstr "" +msgstr "De data zal gestuurd naar de gebruiker's IRC client(s)" #: send_raw.cpp:144 msgid "The data will be sent to the IRC server the user is connected to" msgstr "" +"De data zal gestuurd worden naar de IRC server waar de gebruiker mee " +"verbonden is" #: send_raw.cpp:147 msgid "[data to send]" -msgstr "" +msgstr "[data om te sturen]" #: send_raw.cpp:148 msgid "The data will be sent to your current client" -msgstr "" +msgstr "De data zal gestuurd worden naar je huidige client" #: send_raw.cpp:159 msgid "Lets you send some raw IRC lines as/to someone else" -msgstr "" +msgstr "Laat je onbewerkte IRC regels als/naar iemand anders sturen" diff --git a/modules/po/shell.nl_NL.po b/modules/po/shell.nl_NL.po index 7706db46..6f6ed8f0 100644 --- a/modules/po/shell.nl_NL.po +++ b/modules/po/shell.nl_NL.po @@ -14,16 +14,16 @@ msgstr "" #: shell.cpp:37 msgid "Failed to execute: {1}" -msgstr "" +msgstr "Mislukt om uit te voeren: {1}" #: shell.cpp:75 msgid "You must be admin to use the shell module" -msgstr "" +msgstr "Je moet een beheerder zijn om de shell module te gebruiken" #: shell.cpp:169 msgid "Gives shell access" -msgstr "" +msgstr "Geeft toegang tot de shell" #: shell.cpp:172 msgid "Gives shell access. Only ZNC admins can use it." -msgstr "" +msgstr "Geeft toegang tot de shell. Alleen ZNC beheerder kunnen het gebruiken." diff --git a/modules/po/simple_away.nl_NL.po b/modules/po/simple_away.nl_NL.po index 6b441f15..19a45e3b 100644 --- a/modules/po/simple_away.nl_NL.po +++ b/modules/po/simple_away.nl_NL.po @@ -14,7 +14,7 @@ msgstr "" #: simple_away.cpp:56 msgid "[]" -msgstr "" +msgstr "[]" #: simple_away.cpp:57 #, c-format @@ -22,71 +22,81 @@ msgid "" "Prints or sets the away reason (%awaytime% is replaced with the time you " "were set away, supports substitutions using ExpandString)" msgstr "" +"Toont of stelt de afwezigheids reden in (%awaytime% wordt vervangen door de " +"tijd dat je afwezig gezet werd, ExpandString is ondersteund voor " +"vervangingen)" #: simple_away.cpp:63 msgid "Prints the current time to wait before setting you away" msgstr "" +"Toont de huidige tijd die je moet wachten tot je op afwezig gezet zal worden" #: simple_away.cpp:65 msgid "" -msgstr "" +msgstr "" #: simple_away.cpp:66 msgid "Sets the time to wait before setting you away" -msgstr "" +msgstr "Stelt de tijd in die je moet wachten voor je afwezig gezet zal worden" #: simple_away.cpp:69 msgid "Disables the wait time before setting you away" -msgstr "" +msgstr "Schakelt de wachttijd uit voordat je op afwezig gesteld zal worden" #: simple_away.cpp:73 msgid "Get or set the minimum number of clients before going away" msgstr "" +"Toon of stel in het minimum aantal clients voordat je op afwezig gezet zal " +"worden" #: simple_away.cpp:136 msgid "Away reason set" -msgstr "" +msgstr "Afwezigheidsreden ingesteld" #: simple_away.cpp:138 msgid "Away reason: {1}" -msgstr "" +msgstr "Afwezigheidsreden: {1}" #: simple_away.cpp:139 msgid "Current away reason would be: {1}" -msgstr "" +msgstr "Huidige afwezigheidsreden zou zijn: {1}" #: simple_away.cpp:144 msgid "Current timer setting: 1 second" msgid_plural "Current timer setting: {1} seconds" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "Huidige timer instelling: 1 seconde" +msgstr[1] "Huidige timer instelling: {1} seconden" #: simple_away.cpp:153 simple_away.cpp:161 msgid "Timer disabled" -msgstr "" +msgstr "Timer uitgeschakeld" #: simple_away.cpp:155 msgid "Timer set to 1 second" msgid_plural "Timer set to: {1} seconds" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "Timer ingesteld op 1 seconde" +msgstr[1] "Timer ingesteld op {1} seconden" #: simple_away.cpp:166 msgid "Current MinClients setting: {1}" -msgstr "" +msgstr "Huidige MinClients instelling: {1}" #: simple_away.cpp:169 msgid "MinClients set to {1}" -msgstr "" +msgstr "MinClients ingesteld op {1}" #: simple_away.cpp:248 msgid "" "You might enter up to 3 arguments, like -notimer awaymessage or -timer 5 " "awaymessage." msgstr "" +"Accepteert 3 argumenten, zoals -notimer afwezigheidsbericht of -timer 6 " +"afwezigheidsbericht." #: simple_away.cpp:253 msgid "" "This module will automatically set you away on IRC while you are " "disconnected from the bouncer." msgstr "" +"Deze module zal je automatisch op afwezig zetten op IRC als je loskoppelt " +"van ZNC." diff --git a/modules/po/stickychan.nl_NL.po b/modules/po/stickychan.nl_NL.po index c307560e..01dab81e 100644 --- a/modules/po/stickychan.nl_NL.po +++ b/modules/po/stickychan.nl_NL.po @@ -14,89 +14,92 @@ msgstr "" #: modules/po/../data/stickychan/tmpl/index.tmpl:9 msgid "Name" -msgstr "" +msgstr "Naam" #: modules/po/../data/stickychan/tmpl/index.tmpl:10 msgid "Sticky" -msgstr "" +msgstr "Vasthoudend" #: modules/po/../data/stickychan/tmpl/index.tmpl:25 msgid "Save" -msgstr "" +msgstr "Opslaan" #: modules/po/../data/stickychan/tmpl/stickychan_WebadminChan.tmpl:8 msgid "Channel is sticky" -msgstr "" +msgstr "Kanaal is vasthoudend" #: stickychan.cpp:28 msgid "<#channel> [key]" -msgstr "" +msgstr "<#kanaal> [sleutel]" #: stickychan.cpp:28 msgid "Sticks a channel" -msgstr "" +msgstr "Houd een kanaal vast" #: stickychan.cpp:30 msgid "<#channel>" -msgstr "" +msgstr "<#kanaal>" #: stickychan.cpp:30 msgid "Unsticks a channel" -msgstr "" +msgstr "Houd een kanaal niet meer vast" #: stickychan.cpp:32 msgid "Lists sticky channels" -msgstr "" +msgstr "Laat vastgehouden kanalen zien" #: stickychan.cpp:75 msgid "Usage: Stick <#channel> [key]" -msgstr "" +msgstr "Gebruik: Stick <#kanaal> [sleutel]" #: stickychan.cpp:79 msgid "Stuck {1}" -msgstr "" +msgstr "Vastgezet {1}" #: stickychan.cpp:85 msgid "Usage: Unstick <#channel>" -msgstr "" +msgstr "Gebruik: Unstick <#kanaal>" #: stickychan.cpp:89 msgid "Unstuck {1}" -msgstr "" +msgstr "Losgemaakt {1}" #: stickychan.cpp:101 msgid " -- End of List" -msgstr "" +msgstr " -- Einde van lijst" #: stickychan.cpp:115 msgid "Could not join {1} (# prefix missing?)" -msgstr "" +msgstr "Kon {1} niet toetreden (Mist de # voor het kanaal?)" #: stickychan.cpp:128 msgid "Sticky Channels" -msgstr "" +msgstr "Vastgehouden kanalen" #: stickychan.cpp:160 msgid "Changes have been saved!" -msgstr "" +msgstr "Wijzigingen zijn opgeslagen!" #: stickychan.cpp:185 msgid "Channel became sticky!" -msgstr "" +msgstr "Kanalen zijn vastgehouden!" #: stickychan.cpp:189 msgid "Channel stopped being sticky!" -msgstr "" +msgstr "Kanalen zijn losgelaten!" #: stickychan.cpp:209 msgid "" "Channel {1} cannot be joined, it is an illegal channel name. Unsticking." msgstr "" +"Kanaal {1} kon niet toegetreden worden, het is een onjuiste naam voor een " +"kanaal. Laat deze los." #: stickychan.cpp:246 msgid "List of channels, separated by comma." -msgstr "" +msgstr "Lijst van kanalen, gescheiden met comma." #: stickychan.cpp:251 msgid "configless sticky chans, keeps you there very stickily even" msgstr "" +"Vastgehouden kanalen zonder configuratie, houd je daar heel stevig vast" diff --git a/modules/po/stripcontrols.nl_NL.po b/modules/po/stripcontrols.nl_NL.po index c48db224..4f412a5e 100644 --- a/modules/po/stripcontrols.nl_NL.po +++ b/modules/po/stripcontrols.nl_NL.po @@ -15,4 +15,4 @@ msgstr "" #: stripcontrols.cpp:63 msgid "" "Strips control codes (Colors, Bold, ..) from channel and private messages." -msgstr "" +msgstr "Haalt control codes uit de berichten (Kleuren, dikgedrukt, ..)." diff --git a/modules/po/watch.nl_NL.po b/modules/po/watch.nl_NL.po index ef29e4bf..c5bc745e 100644 --- a/modules/po/watch.nl_NL.po +++ b/modules/po/watch.nl_NL.po @@ -14,236 +14,236 @@ msgstr "" #: watch.cpp:334 msgid "All entries cleared." -msgstr "" +msgstr "Alle gebruikers gewist." #: watch.cpp:344 msgid "Buffer count is set to {1}" -msgstr "" +msgstr "Buffer aantal is ingesteld op {1}" #: watch.cpp:348 msgid "Unknown command: {1}" -msgstr "" +msgstr "Onbekend commando: {1}" #: watch.cpp:397 msgid "Disabled all entries." -msgstr "" +msgstr "Alle gebruikers uitgeschakeld." #: watch.cpp:398 msgid "Enabled all entries." -msgstr "" +msgstr "Alle gebruikers ingeschakeld." #: watch.cpp:405 watch.cpp:437 watch.cpp:470 watch.cpp:570 watch.cpp:585 msgid "Invalid Id" -msgstr "" +msgstr "Ongeldige ID" #: watch.cpp:414 msgid "Id {1} disabled" -msgstr "" +msgstr "Id {1} uitgeschakeld" #: watch.cpp:416 msgid "Id {1} enabled" -msgstr "" +msgstr "Id {1} ingeschakeld" #: watch.cpp:428 msgid "Set DetachedClientOnly for all entries to Yes" -msgstr "" +msgstr "Stel DetachedClientOnly voor alle gebruikers in op Ja" #: watch.cpp:430 msgid "Set DetachedClientOnly for all entries to No" -msgstr "" +msgstr "Stel DetachedClientOnly voor alle gebruikers in op Nee" #: watch.cpp:446 watch.cpp:479 msgid "Id {1} set to Yes" -msgstr "" +msgstr "Id {1} ingesteld op Ja" #: watch.cpp:448 watch.cpp:481 msgid "Id {1} set to No" -msgstr "" +msgstr "Id {1} ingesteld op Nee" #: watch.cpp:461 msgid "Set DetachedChannelOnly for all entries to Yes" -msgstr "" +msgstr "DetachedChannelOnly voor alle gebruikers insteld op Ja" #: watch.cpp:463 msgid "Set DetachedChannelOnly for all entries to No" -msgstr "" +msgstr "DetachedChannelOnly voor alle gebruikers insteld op Nee" #: watch.cpp:487 watch.cpp:503 msgid "Id" -msgstr "" +msgstr "Id" #: watch.cpp:488 watch.cpp:504 msgid "HostMask" -msgstr "" +msgstr "Hostmasker" #: watch.cpp:489 watch.cpp:505 msgid "Target" -msgstr "" +msgstr "Doel" #: watch.cpp:490 watch.cpp:506 msgid "Pattern" -msgstr "" +msgstr "Patroon" #: watch.cpp:491 watch.cpp:507 msgid "Sources" -msgstr "" +msgstr "Bronnen" #: watch.cpp:492 watch.cpp:508 watch.cpp:509 msgid "Off" -msgstr "" +msgstr "Uit" #: watch.cpp:493 watch.cpp:511 msgid "DetachedClientOnly" -msgstr "" +msgstr "DetachedClientOnly" #: watch.cpp:494 watch.cpp:514 msgid "DetachedChannelOnly" -msgstr "" +msgstr "DetachedChannelOnly" #: watch.cpp:512 watch.cpp:515 msgid "Yes" -msgstr "" +msgstr "Ja" #: watch.cpp:512 watch.cpp:515 msgid "No" -msgstr "" +msgstr "Nee" #: watch.cpp:521 watch.cpp:527 msgid "You have no entries." -msgstr "" +msgstr "Je hebt geen gebruikers." #: watch.cpp:578 msgid "Sources set for Id {1}." -msgstr "" +msgstr "Bronnen ingesteld voor Id {1}." #: watch.cpp:593 msgid "Id {1} removed." -msgstr "" +msgstr "Id {1} verwijderd." #: watch.cpp:600 watch.cpp:604 watch.cpp:609 watch.cpp:614 watch.cpp:620 #: watch.cpp:625 watch.cpp:629 watch.cpp:633 watch.cpp:638 watch.cpp:645 #: watch.cpp:652 watch.cpp:658 watch.cpp:664 msgid "Command" -msgstr "" +msgstr "Commando" #: watch.cpp:601 watch.cpp:605 watch.cpp:610 watch.cpp:616 watch.cpp:621 #: watch.cpp:626 watch.cpp:630 watch.cpp:634 watch.cpp:641 watch.cpp:648 #: watch.cpp:654 watch.cpp:660 watch.cpp:665 msgid "Description" -msgstr "" +msgstr "Beschrijving" #: watch.cpp:604 msgid "Add [Target] [Pattern]" -msgstr "" +msgstr "Add [doel] [patroon}" #: watch.cpp:606 msgid "Used to add an entry to watch for." -msgstr "" +msgstr "Gebruikt om een gebruiker toe te voegen om naar uit te kijken." #: watch.cpp:609 msgid "List" -msgstr "" +msgstr "Lijst" #: watch.cpp:611 msgid "List all entries being watched." -msgstr "" +msgstr "Toon alle gebruikers waar naar uitgekeken wordt." #: watch.cpp:614 msgid "Dump" -msgstr "" +msgstr "Storten" #: watch.cpp:617 msgid "Dump a list of all current entries to be used later." -msgstr "" +msgstr "Stort een lijst met alle huidige gebruikers om later te gebruiken." #: watch.cpp:620 msgid "Del " -msgstr "" +msgstr "Del " #: watch.cpp:622 msgid "Deletes Id from the list of watched entries." -msgstr "" +msgstr "Verwijdert Id van de lijst van de naar uit te kijken gebruikers." #: watch.cpp:625 msgid "Clear" -msgstr "" +msgstr "Wissen" #: watch.cpp:626 msgid "Delete all entries." -msgstr "" +msgstr "Verwijder alle gebruikers." #: watch.cpp:629 msgid "Enable " -msgstr "" +msgstr "Enable " #: watch.cpp:630 msgid "Enable a disabled entry." -msgstr "" +msgstr "Schakel een uitgeschakelde gebruiker in." #: watch.cpp:633 msgid "Disable " -msgstr "" +msgstr "Disable " #: watch.cpp:635 msgid "Disable (but don't delete) an entry." -msgstr "" +msgstr "Schakel een ingeschakelde gebruiker uit (maar verwijder deze niet)." #: watch.cpp:639 msgid "SetDetachedClientOnly " -msgstr "" +msgstr "SetDetachedClientOnly " #: watch.cpp:642 msgid "Enable or disable detached client only for an entry." -msgstr "" +msgstr "Schakel een losgekoppelde client in of uit voor een gebruiker." #: watch.cpp:646 msgid "SetDetachedChannelOnly " -msgstr "" +msgstr "SetDetachedChannelOnly " #: watch.cpp:649 msgid "Enable or disable detached channel only for an entry." -msgstr "" +msgstr "Schakel een losgekoppeld kanaal in of uit voor een gebruiker." #: watch.cpp:652 msgid "Buffer [Count]" -msgstr "" +msgstr "Buffer [aantal]" #: watch.cpp:655 msgid "Show/Set the amount of buffered lines while detached." -msgstr "" +msgstr "Toon/Stel in de aantal gebufferde regels wanneer losgekoppeld." #: watch.cpp:659 msgid "SetSources [#chan priv #foo* !#bar]" -msgstr "" +msgstr "SetSources [#kanaal priv #foo* !#bar]" #: watch.cpp:661 msgid "Set the source channels that you care about." -msgstr "" +msgstr "Stel the bronkanalen in waar je om geeft." #: watch.cpp:664 msgid "Help" -msgstr "" +msgstr "Help" #: watch.cpp:665 msgid "This help." -msgstr "" +msgstr "Deze hulp." #: watch.cpp:681 msgid "Entry for {1} already exists." -msgstr "" +msgstr "Gebruiker {1} bestaat al." #: watch.cpp:689 msgid "Adding entry: {1} watching for [{2}] -> {3}" -msgstr "" +msgstr "Voeg gebruiker toe: {1}, kijk uit naar [{2}] -> {3}" #: watch.cpp:695 msgid "Watch: Not enough arguments. Try Help" -msgstr "" +msgstr "Watch: Niet genoeg argumenten. Probeer Help" #: watch.cpp:764 msgid "WARNING: malformed entry found while loading" -msgstr "" +msgstr "WAARSCHUWING: ongeldige gebruiker gevonden terwijl deze geladen werd" #: watch.cpp:778 msgid "Copy activity from a specific user into a separate window" -msgstr "" +msgstr "Kopiëer activiteit van een specifieke gebruiker naar een apart venster" diff --git a/modules/po/webadmin.nl_NL.po b/modules/po/webadmin.nl_NL.po index f574f111..4bd0f607 100644 --- a/modules/po/webadmin.nl_NL.po +++ b/modules/po/webadmin.nl_NL.po @@ -14,233 +14,243 @@ msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:12 msgid "Channel Info" -msgstr "" +msgstr "Kanaal informatie" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:17 msgid "Channel Name:" -msgstr "" +msgstr "Kanaal naam:" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:19 msgid "The channel name." -msgstr "" +msgstr "De naam van het kanaal." #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:24 msgid "Key:" -msgstr "" +msgstr "Sleutel:" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:26 msgid "The password of the channel, if there is one." -msgstr "" +msgstr "Het wachtwoord van het kanaal, als er een is." #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:30 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:241 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:260 msgid "Buffer Size:" -msgstr "" +msgstr "Buffer grootte:" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:32 msgid "The buffer count." -msgstr "" +msgstr "Buffer aantal." #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:36 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:235 msgid "Default Modes:" -msgstr "" +msgstr "Standaard modes:" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:38 msgid "The default modes of the channel." -msgstr "" +msgstr "De standaard modes van het kanaal." #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:46 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:270 msgid "Flags" -msgstr "" +msgstr "Vlaggen" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:51 msgid "Save to config" -msgstr "" +msgstr "Opslaan naar configuratie" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:67 #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:282 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:410 msgid "Module {1}" -msgstr "" +msgstr "Module {1}" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:75 #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:290 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:419 msgid "Save and return" -msgstr "" +msgstr "Opslaan en terugkeren" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:76 #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:291 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:420 msgid "Save and continue" -msgstr "" +msgstr "Opslaan en doorgaan" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:78 msgid "Add Channel and return" -msgstr "" +msgstr "Voeg kanaal toe en keer terug" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:79 msgid "Add Channel and continue" -msgstr "" +msgstr "Voeg kanaal toe en ga door" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:8 #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:11 msgid "<password>" -msgstr "" +msgstr "<wachtwoord>" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:11 #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:12 msgid "<network>" -msgstr "" +msgstr "<netwerk>" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:14 msgid "" "To connect to this network from your IRC client, you can set the server " "password field as {1} or username field as {2}" msgstr "" +"Om verbinding te maken met dit netwerk vanaf je IRC client, kan je het " +"server wachtwoord instellen {1} of gebruikersnaam veld als " +"{2}" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:24 msgid "Network Info" -msgstr "" +msgstr "Netwerk informatie" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:25 msgid "" "Nick, AltNick, Ident, RealName, BindHost can be left empty to use the value " "from the user." msgstr "" +"Naam, AltNaam, identiteit, EchteNaam, BindHost kunnen leeg gelaten worden om " +"de standaard instellingen van de gebruiker te gebruiken." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:29 msgid "Network Name:" -msgstr "" +msgstr "Netwerk naam:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:31 msgid "The name of the IRC network." -msgstr "" +msgstr "De naam van het IRC netwerk." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:35 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:69 msgid "Nickname:" -msgstr "" +msgstr "Bijnaam:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:37 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:71 msgid "Your nickname on IRC." -msgstr "" +msgstr "Jouw bijnaam op IRC." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:40 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:74 msgid "Alt. Nickname:" -msgstr "" +msgstr "Alternatieve Bijnaam:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:42 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:76 msgid "Your secondary nickname, if the first is not available on IRC." -msgstr "" +msgstr "Je tweede bijnaam, als de eerste niet beschikbaar is op IRC." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:46 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:80 msgid "Ident:" -msgstr "" +msgstr "Identiteit:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:48 msgid "Your ident." -msgstr "" +msgstr "Jouw identiteit." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:51 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:91 msgid "Realname:" -msgstr "" +msgstr "Echte naam:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:53 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:93 msgid "Your real name." -msgstr "" +msgstr "Je echte naam." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:58 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:99 msgid "BindHost:" -msgstr "" +msgstr "Bindhost:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:65 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:112 msgid "Quit Message:" -msgstr "" +msgstr "Verlaatbericht:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:67 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:114 msgid "You may define a Message shown, when you quit IRC." -msgstr "" +msgstr "Je kan een bericht ingeven die weergeven wordt als je IRC verlaat." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:71 msgid "Active:" -msgstr "" +msgstr "Actief:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:73 msgid "Connect to IRC & automatically re-connect" -msgstr "" +msgstr "Verbind met IRC & verbind automatisch opnieuw" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:77 msgid "Trust all certs:" -msgstr "" +msgstr "Vertrouw alle certificaten:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:79 msgid "" "Disable certificate validation (takes precedence over TrustPKI). INSECURE!" -msgstr "" +msgstr "Schakel certificaatvalidatie uit (komt vóór TrustPKI). NIET VEILIG!" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:83 msgid "Trust the PKI:" -msgstr "" +msgstr "Vertrouw de PKI:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:85 msgid "" "Setting this to false will trust only certificates you added fingerprints " "for." msgstr "" +"Als je deze uitschakelt zal ZNC alleen certificaten vertrouwen waar je de " +"vingerafdrukken er voor toe hebt gevoegd." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:89 #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:96 msgid "Servers of this IRC network:" -msgstr "" +msgstr "Servers van dit IRC netwerk:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:93 msgid "One server per line, “host [[+]port] [password]”, + means SSL" -msgstr "" +msgstr "Één server per regel, \"host [[+]poort] [wachtwoord]\", + betekent SSL" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:101 msgid "Hostname" -msgstr "" +msgstr "Hostnaam" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:102 #: modules/po/../data/webadmin/tmpl/settings.tmpl:13 msgid "Port" -msgstr "" +msgstr "Poort" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:103 #: modules/po/../data/webadmin/tmpl/settings.tmpl:15 msgid "SSL" -msgstr "" +msgstr "SSL" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:104 msgid "Password" -msgstr "" +msgstr "Wachtwoord" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:116 msgid "SHA-256 fingerprints of trusted SSL certificates of this IRC network:" msgstr "" +"SHA-256 vingerafdruk van vertrouwde SSL certificaten van dit IRC netwerk:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:120 msgid "" "When these certificates are encountered, checks for hostname, expiration " "date, CA are skipped" msgstr "" +"Wanneer deze certificaten gezien worden, controles voor hostname, " +"vervaldatum en CA worden overgeslagen" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:124 msgid "Flood protection:" -msgstr "" +msgstr "Overstroom beveiliging:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:127 msgid "" @@ -248,70 +258,82 @@ msgid "" "which occur, when your IRC bot is command flooded or spammed. After changing " "this, reconnect ZNC to server." msgstr "" +"Je kan overstroom-beveiliging inschakelen. Dit stop \"excess flood\" " +"foutmeldingen die verscheinen als je IRC bot overstroomd of gespammed wordt " +"met commando's. Na het aanpassen van deze instelling moet je ZNC opnieuw " +"verbinden." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:130 msgctxt "Flood Protection" msgid "Enabled" -msgstr "" +msgstr "Ingeschakeld" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:134 msgid "Flood protection rate:" -msgstr "" +msgstr "Overstroming bescherming verhouding:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:137 msgid "" "The number of seconds per line. After changing this, reconnect ZNC to server." msgstr "" +"Het aantal seconden per regel. Na het aanpassen moet ZNC opnieuw verbinden " +"met IRC." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:140 msgid "{1} seconds per line" -msgstr "" +msgstr "{1} seconden per regel" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:144 msgid "Flood protection burst:" -msgstr "" +msgstr "Overstroming bescherming uitbarsting:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:147 msgid "" "Defines the number of lines, which can be sent immediately. After changing " "this, reconnect ZNC to server." msgstr "" +"Definieert het aantal regels die tegelijkertijd gestuurd kunnen worden. Na " +"het aanpassen moet ZNC opnieuw verbinden met IRC." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:150 msgid "{1} lines can be sent immediately" -msgstr "" +msgstr "{1} regels kunnen tegelijkertijd verstuurd worden" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:154 msgid "Channel join delay:" -msgstr "" +msgstr "Kanaal toetreedvertraging:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:157 msgid "" "Defines the delay in seconds, until channels are joined after getting " "connected." msgstr "" +"Definieert de vertraging in seconden totdat tot kanalen toegetreden wordt na " +"verbonden te zijn." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:160 msgid "{1} seconds" -msgstr "" +msgstr "{1} seconden" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:165 msgid "Character encoding used between ZNC and IRC server." -msgstr "" +msgstr "Karakter codering gebruikt tussen ZNC en de IRC server." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:166 msgid "Server encoding:" -msgstr "" +msgstr "Server codering:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:176 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:231 msgid "Channels" -msgstr "" +msgstr "Kanalen" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:178 msgid "" "You will be able to add + modify channels here after you created the network." msgstr "" +"Hier kan je kanalen toevoegen en aanpassen nadat je een netwerk aangemaakt " +"hebt." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:185 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:129 @@ -319,13 +341,13 @@ msgstr "" #: modules/po/../data/webadmin/tmpl/listusers.tmpl:15 #: modules/po/../data/webadmin/tmpl/settings.tmpl:72 msgid "Add" -msgstr "" +msgstr "Toevoegen" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:187 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:430 #: modules/po/../data/webadmin/tmpl/settings.tmpl:237 msgid "Save" -msgstr "" +msgstr "Opslaan" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:188 #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:228 @@ -333,201 +355,213 @@ msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:174 #: modules/po/../data/webadmin/tmpl/settings.tmpl:176 msgid "Name" -msgstr "" +msgstr "Naam" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:189 msgid "CurModes" -msgstr "" +msgstr "CurModes" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:190 msgid "DefModes" -msgstr "" +msgstr "DefModes" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:191 msgid "BufferSize" -msgstr "" +msgstr "BufferSize" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:192 msgid "Options" -msgstr "" +msgstr "Opties" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:194 msgid "← Add a channel (opens in same page)" -msgstr "" +msgstr "← Voeg een kanaal toe (opent op dezelfde pagina)" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:204 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:146 #: modules/po/../data/webadmin/tmpl/listusers.tmpl:27 msgid "Edit" -msgstr "" +msgstr "Bewerk" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:204 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:146 #: modules/po/../data/webadmin/tmpl/settings.tmpl:53 msgid "Del" -msgstr "" +msgstr "Verwijder" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:222 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:168 msgid "Modules" -msgstr "" +msgstr "Modulen" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:229 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:175 #: modules/po/../data/webadmin/tmpl/settings.tmpl:177 msgid "Arguments" -msgstr "" +msgstr "Argumenten" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:230 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:176 #: modules/po/../data/webadmin/tmpl/settings.tmpl:178 msgid "Description" -msgstr "" +msgstr "Beschrijving" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:231 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:177 msgid "Loaded globally" -msgstr "" +msgstr "Algemeen geladen" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:232 msgid "Loaded by user" -msgstr "" +msgstr "Geladen door gebruiker" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:293 msgid "Add Network and return" -msgstr "" +msgstr "Voeg netwerk toe en keer terug" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:294 msgid "Add Network and continue" -msgstr "" +msgstr "Voeg netwerk toe en ga verder" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:15 msgid "Authentication" -msgstr "" +msgstr "Authenticatie" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:19 msgid "Username:" -msgstr "" +msgstr "Gebruikersnaam:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:29 msgid "Please enter a username." -msgstr "" +msgstr "Voer alsjeblieft een gebruikersnaam in." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:34 msgid "Password:" -msgstr "" +msgstr "Wachtwoord:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:36 msgid "Please enter a password." -msgstr "" +msgstr "Voer alsjeblieft een wachtwoord in." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:39 msgid "Confirm password:" -msgstr "" +msgstr "Bevestig wachtwoord:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:41 msgid "Please re-type the above password." -msgstr "" +msgstr "Voer hetzelfde wachtwoord opnieuw in." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:44 #: modules/po/../data/webadmin/tmpl/settings.tmpl:151 msgid "Auth Only Via Module:" -msgstr "" +msgstr "Authenticatie alleen via module:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:46 msgid "" "Allow user authentication by external modules only, disabling built-in " "password authentication." msgstr "" +"Stelt een gebruiker in staat the authenticeren alleen met behulp van externe " +"modulen, hierdoor zal wachtwoordauthenticatie uitgescakeld worden." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:50 msgid "Allowed IPs:" -msgstr "" +msgstr "Toegestane IP-adressen:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:54 msgid "" "Leave empty to allow connections from all IPs.
Otherwise, one entry per " "line, wildcards * and ? are available." msgstr "" +"Laat leeg om verbinding van alle IP-adressen toe te staan.
Anders, één " +"adres per regel, jokers * en ? zijn beschikbaar." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:62 msgid "IRC Information" -msgstr "" +msgstr "IRC Informatie" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:64 msgid "" "Nick, AltNick, Ident, RealName and QuitMsg can be left empty to use default " "values." msgstr "" +"Naam, AltNaam, identiteit, EchteNaam en VerlaatBericht kunnen leeg gelaten " +"worden om de standaard instellingen te gebruiken." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:82 msgid "The Ident is sent to server as username." -msgstr "" +msgstr "De identiteit wordt verstuurd naar de server als gebruikersnaam." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:85 #: modules/po/../data/webadmin/tmpl/settings.tmpl:102 msgid "Status Prefix:" -msgstr "" +msgstr "Status voorvoegsel:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:87 #: modules/po/../data/webadmin/tmpl/settings.tmpl:104 msgid "The prefix for the status and module queries." -msgstr "" +msgstr "Het voorvoegsel voor de status en module berichten." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:105 msgid "DCCBindHost:" -msgstr "" +msgstr "DCCBindHost:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:122 #: modules/po/../data/webadmin/tmpl/listusers.tmpl:17 #: modules/po/../data/webadmin/tmpl/traffic.tmpl:39 msgid "Networks" -msgstr "" +msgstr "Netwerken" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:132 #: modules/po/../data/webadmin/tmpl/listusers.tmpl:18 msgid "Clients" -msgstr "" +msgstr "Clients" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:133 msgid "Current Server" -msgstr "" +msgstr "Huidige server" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:134 msgid "Nick" -msgstr "" +msgstr "Bijnaam" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:136 msgid "← Add a network (opens in same page)" -msgstr "" +msgstr "← Voeg een netwerk toe (opent op dezelfde pagina)" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:160 msgid "" "You will be able to add + modify networks here after you have cloned the " "user." msgstr "" +"Hier kan je netwerken toevoegen en aanpassen nadat je een gebruiker gekloont " +"hebt." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:162 msgid "" "You will be able to add + modify networks here after you have created the " "user." msgstr "" +"Hier kan je netwerken toevoegen en aanpassen nadat je een gebruiker " +"aangemaakt hebt." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:178 #: modules/po/../data/webadmin/tmpl/settings.tmpl:179 msgid "Loaded by networks" -msgstr "" +msgstr "Geladen door netwerken" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:237 msgid "" "These are the default modes ZNC will set when you join an empty channel." msgstr "" +"Dit zijn de standaard modes die ZNC in zal stellen wanneer je een leeg " +"kanaal toetreed." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:238 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:244 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:263 msgid "Empty = use standard value" -msgstr "" +msgstr "Leeg = gebruik standaard waarde" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:243 msgid "" @@ -535,18 +569,21 @@ msgid "" "before dropping off the oldest line. The buffers are stored in the memory by " "default." msgstr "" +"Dit is het aantal regels dat de terugspeel buffer op zal slaan voor kanalen " +"voordat deze de oudste regels laat vallen. Deze buffers worden standaard in " +"het werkgeheugen opgeslagen." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:251 msgid "Queries" -msgstr "" +msgstr "Privé berichten" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:255 msgid "Max Buffers:" -msgstr "" +msgstr "Maximale buffers:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:257 msgid "Maximum number of query buffers. 0 is unlimited." -msgstr "" +msgstr "Maximale aantal privé bericht buffers, 0 is onbeperkt." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:262 msgid "" @@ -554,19 +591,24 @@ msgid "" "before dropping off the oldest line. The buffers are stored in the memory by " "default." msgstr "" +"Dit is het aantal regels dat de terugspeel buffer op zal slaan voor privé " +"berichten voordat deze de oudste regels laat vallen. Deze buffers worden " +"standaard in het werkgeheugen opgeslagen." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:285 msgid "ZNC Behavior" -msgstr "" +msgstr "ZNC gedrag" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:286 msgid "" "Any of the following text boxes can be left empty to use their default value." msgstr "" +"De volgende textboxen kunnen leeg gelaten worden om de standaard waarden te " +"gebruiken." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:290 msgid "Timestamp Format:" -msgstr "" +msgstr "Tijdstempel formaat:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:292 msgid "" @@ -574,46 +616,56 @@ msgid "" "setting is ignored in new IRC clients, which use server-time. If your client " "supports server-time, change timestamp format in client settings instead." msgstr "" +"Het formaat voor de tijdstempels die gebruikt worden in buffers, " +"bijvoorbeeld [%H:%M:%S]. Deze instelling wordt genegeerd in nieuwe IRC " +"clients, welke server-time gebruiken. Als je client server-time ondersteund " +"kan je deze stempel veranderen in je client." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:295 msgid "Timezone:" -msgstr "" +msgstr "Tijdzone:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:298 msgid "E.g. Europe/Berlin, or GMT-6" -msgstr "" +msgstr "Bijvoorbeeld Europe/Amsterdam, of GMT+1" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:306 msgid "Character encoding used between IRC client and ZNC." -msgstr "" +msgstr "Karakter codering die gebruikt wordt tussen de IRC client en ZNC." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:307 msgid "Client encoding:" -msgstr "" +msgstr "Client codering:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:312 msgid "Join Tries:" -msgstr "" +msgstr "Aantal x proberen toe te treden:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:314 msgid "" "This defines how many times ZNC tries to join a channel, if the first join " "failed, e.g. due to channel mode +i/+k or if you are banned." msgstr "" +"Dit definieërt hoe vaak ZNC probeert tot een kanaal toe te treden mocht de " +"eerste keer falen, bijvoorbeeld door channel modes +i/+k of als je verbannen " +"bent." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:317 msgid "Join speed:" -msgstr "" +msgstr "Toetreed snelheid:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:319 msgid "" "How many channels are joined in one JOIN command. 0 is unlimited (default). " "Set to small positive value if you get disconnected with “Max SendQ Exceeded”" msgstr "" +"Hoeveel channels toegetreden worden met één JOIN commando. 0 is onbeperkt " +"(standaard). Stel dit in naar een klein getal als je de verbinding kwijt " +"raakt met “Max SendQ Exceeded”" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:322 msgid "Timeout before reconnect:" -msgstr "" +msgstr "Time-out voor opnieuw verbinden:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:324 msgid "" @@ -621,221 +673,231 @@ msgid "" "network or declares the connection timeout. This happens after attempts to " "ping the peer." msgstr "" +"Hoeveel tijd ZNC wacht (in seconden) tot deze iets ontvangt van het netwerk " +"of anders de verbinding time-out verklaren. Dit gebeurt na pogingen de " +"server te pingen." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:327 msgid "Max IRC Networks Number:" -msgstr "" +msgstr "Maximaal aantal IRC netwerken:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:329 msgid "Maximum number of IRC networks allowed for this user." -msgstr "" +msgstr "Maximaal aantal IRC netwerken toegestaan voor deze gebruiker." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:332 msgid "Substitutions" -msgstr "" +msgstr "Vervangingen" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:334 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:342 msgid "CTCP Replies:" -msgstr "" +msgstr "CTCP Antwoorden:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:338 msgid "One reply per line. Example: TIME Buy a watch!" -msgstr "" +msgstr "Één antwoord per regel. Voorbeeld: TIME Buy a watch!" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:339 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:355 msgid "{1} are available" -msgstr "" +msgstr "{1} zijn beschikbaar" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:341 msgid "Empty value means this CTCP request will be ignored" -msgstr "" +msgstr "Lege waarde betekend dat de CTCP aanvraag genegeerd zal worden" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:347 msgid "Request" -msgstr "" +msgstr "Aanvraag" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:348 msgid "Response" -msgstr "" +msgstr "Antwoord" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:373 #: modules/po/../data/webadmin/tmpl/settings.tmpl:90 msgid "Skin:" -msgstr "" +msgstr "Thema:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:377 msgid "- Global -" -msgstr "" +msgstr "- Globaal -" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:379 #: modules/po/../data/webadmin/tmpl/settings.tmpl:94 msgid "Default" -msgstr "" +msgstr "Standaard" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:383 msgid "No other skins found" -msgstr "" +msgstr "Geen andere thema's gevonden" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:389 msgid "Language:" -msgstr "" +msgstr "Taal:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:422 msgid "Clone and return" -msgstr "" +msgstr "Kloon en keer terug" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:423 msgid "Clone and continue" -msgstr "" +msgstr "Kloon en ga verder" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:425 msgid "Create and return" -msgstr "" +msgstr "Maken en keer terug" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:426 msgid "Create and continue" -msgstr "" +msgstr "Maken en ga door" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:432 #: modules/po/../data/webadmin/tmpl/listusers.tmpl:28 msgid "Clone" -msgstr "" +msgstr "Kloon" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:434 msgid "Create" -msgstr "" +msgstr "Maak" #: modules/po/../data/webadmin/tmpl/del_network.tmpl:5 msgid "Confirm Network Deletion" -msgstr "" +msgstr "Bevestig verwijderen van netwerk" #: modules/po/../data/webadmin/tmpl/del_network.tmpl:9 msgid "Are you sure you want to delete network “{2}” of user “{1}”?" msgstr "" +"Weet je zeker dat je net \"{2}\" van gebruiker \"{1}\" wilt verwijderen?" #: modules/po/../data/webadmin/tmpl/del_network.tmpl:14 #: modules/po/../data/webadmin/tmpl/del_user.tmpl:14 msgid "Yes" -msgstr "" +msgstr "Ja" #: modules/po/../data/webadmin/tmpl/del_network.tmpl:17 #: modules/po/../data/webadmin/tmpl/del_user.tmpl:17 msgid "No" -msgstr "" +msgstr "Nee" #: modules/po/../data/webadmin/tmpl/del_user.tmpl:5 msgid "Confirm User Deletion" -msgstr "" +msgstr "Bevestig verwijderen van gebruiker" #: modules/po/../data/webadmin/tmpl/del_user.tmpl:9 msgid "Are you sure you want to delete user “{1}”?" -msgstr "" +msgstr "Weet je zeker dat je gebruiker \"{1}\" wilt verwijderen?" #: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:6 msgid "ZNC is compiled without encodings support. {1} is required for it." msgstr "" +"ZNC is gecompileerd zonder coderings ondersteuning. {1} is benodigd hiervoor." #: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:11 msgid "Legacy mode is disabled by modpython." -msgstr "" +msgstr "Legacy modus is uitgeschakeld door modpython." #: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:18 msgid "Don't ensure any encoding at all (legacy mode, not recommended)" -msgstr "" +msgstr "Verzeker geen codering (legacy modus, niet aangeraden)" #: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:22 msgid "Try to parse as UTF-8 and as {1}, send as UTF-8 (recommended)" -msgstr "" +msgstr "Probeer te ontleden als UTF-* en als {1}, stuur als UTF-8 (aangeraden)" #: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:26 msgid "Try to parse as UTF-8 and as {1}, send as {1}" -msgstr "" +msgstr "Probeer te ontleden als UTF-* en als {1}, stuur als {1}" #: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:30 msgid "Parse and send as {1} only" -msgstr "" +msgstr "Ontleed en stuur alleen als {1}" #: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:36 msgid "E.g. UTF-8, or ISO-8859-15" -msgstr "" +msgstr "Bijvoorbeeld UTF-8, of ISO-8859-15" #: modules/po/../data/webadmin/tmpl/index.tmpl:5 msgid "Welcome to the ZNC webadmin module." -msgstr "" +msgstr "Welkom bij de ZNC webadministratie module." #: modules/po/../data/webadmin/tmpl/index.tmpl:6 msgid "" "All changes you make will be in effect immediately after you submitted them." msgstr "" +"Alle wijzigingen die je maakt zullen meteen toegepast worden nadat ze " +"doorgestuurd zijn." #: modules/po/../data/webadmin/tmpl/listusers.tmpl:16 msgid "Username" -msgstr "" +msgstr "Gebruikersnaam" #: modules/po/../data/webadmin/tmpl/listusers.tmpl:29 #: modules/po/../data/webadmin/tmpl/settings.tmpl:21 msgid "Delete" -msgstr "" +msgstr "Verwijderen" #: modules/po/../data/webadmin/tmpl/settings.tmpl:6 msgid "Listen Port(s)" -msgstr "" +msgstr "Luister op po(o)rt(en)" #: modules/po/../data/webadmin/tmpl/settings.tmpl:14 msgid "BindHost" -msgstr "" +msgstr "BindHost" #: modules/po/../data/webadmin/tmpl/settings.tmpl:16 msgid "IPv4" -msgstr "" +msgstr "IPv4" #: modules/po/../data/webadmin/tmpl/settings.tmpl:17 msgid "IPv6" -msgstr "" +msgstr "IPv6" #: modules/po/../data/webadmin/tmpl/settings.tmpl:18 msgid "IRC" -msgstr "" +msgstr "IRC" #: modules/po/../data/webadmin/tmpl/settings.tmpl:19 msgid "HTTP" -msgstr "" +msgstr "HTTP" #: modules/po/../data/webadmin/tmpl/settings.tmpl:20 msgid "URIPrefix" -msgstr "" +msgstr "URIVoorvoegsel" #: modules/po/../data/webadmin/tmpl/settings.tmpl:56 msgid "" "To delete port which you use to access webadmin itself, either connect to " "webadmin via another port, or do it in IRC (/znc DelPort)" msgstr "" +"Om de poort te verwijderen die in gebruik is voor de webadmin op dit moment " +"moet je via een andere poort verbinden, of doen via IRC (/znc DelPort)" #: modules/po/../data/webadmin/tmpl/settings.tmpl:56 msgid "Current" -msgstr "" +msgstr "Huidige" #: modules/po/../data/webadmin/tmpl/settings.tmpl:86 msgid "Settings" -msgstr "" +msgstr "Instellingen" #: modules/po/../data/webadmin/tmpl/settings.tmpl:105 msgid "Default for new users only." -msgstr "" +msgstr "Standaard voor nieuwe gebruikers alleen." #: modules/po/../data/webadmin/tmpl/settings.tmpl:110 msgid "Maximum Buffer Size:" -msgstr "" +msgstr "Maximale buffergrootte:" #: modules/po/../data/webadmin/tmpl/settings.tmpl:112 msgid "Sets the global Max Buffer Size a user can have." msgstr "" +"Stelt de algemene maximale buffergrootte in die een gebruiker kan hebben." #: modules/po/../data/webadmin/tmpl/settings.tmpl:117 msgid "Connect Delay:" -msgstr "" +msgstr "Verbind vertraging:" #: modules/po/../data/webadmin/tmpl/settings.tmpl:119 msgid "" @@ -843,367 +905,377 @@ msgid "" "affects the connection between ZNC and the IRC server; not the connection " "between your IRC client and ZNC." msgstr "" +"De tijd tussen verbindingen die gemaakt worden naar IRC servers, in " +"seconden. Dit beinvloed de verbinding tussen ZNC en de IRC server; niet de " +"verbinding van je IRC client naar ZNC." #: modules/po/../data/webadmin/tmpl/settings.tmpl:124 msgid "Server Throttle:" -msgstr "" +msgstr "Server wurging:" #: modules/po/../data/webadmin/tmpl/settings.tmpl:126 msgid "" "The minimal time between two connect attempts to the same hostname, in " "seconds. Some servers refuse your connection if you reconnect too fast." msgstr "" +"De minimale tijd tussen twee verbindingspogingen naar de zelfde hostname, in " +"seconden. Sommige servers weigeren de verbinding als je te snel verbind." #: modules/po/../data/webadmin/tmpl/settings.tmpl:131 msgid "Anonymous Connection Limit per IP:" -msgstr "" +msgstr "Anonieme verbindingslimiet per IP-adres:" #: modules/po/../data/webadmin/tmpl/settings.tmpl:133 msgid "Limits the number of unidentified connections per IP." -msgstr "" +msgstr "Limiteert het aantal niet geïdentificeerde verbinding per IP." #: modules/po/../data/webadmin/tmpl/settings.tmpl:138 msgid "Protect Web Sessions:" -msgstr "" +msgstr "Bescherm web sessies:" #: modules/po/../data/webadmin/tmpl/settings.tmpl:140 msgid "Disallow IP changing during each web session" -msgstr "" +msgstr "Sta IP-adres wijzigingen niet toe tijdens een websessie" #: modules/po/../data/webadmin/tmpl/settings.tmpl:145 msgid "Hide ZNC Version:" -msgstr "" +msgstr "Verberg ZNC versie:" #: modules/po/../data/webadmin/tmpl/settings.tmpl:147 msgid "Hide version number from non-ZNC users" -msgstr "" +msgstr "Verbergt het versie nummer voor non-ZNC gebruikers" #: modules/po/../data/webadmin/tmpl/settings.tmpl:153 msgid "Allow user authentication by external modules only" -msgstr "" +msgstr "Sta gebruikers toe alleen te authenticeren via externe modules" #: modules/po/../data/webadmin/tmpl/settings.tmpl:158 msgid "MOTD:" -msgstr "" +msgstr "MOTD:" #: modules/po/../data/webadmin/tmpl/settings.tmpl:162 msgid "“Message of the Day”, sent to all ZNC users on connect." msgstr "" +"Bericht van de dag, wordt gestuurd naar alle gebruikers als ze verbinden." #: modules/po/../data/webadmin/tmpl/settings.tmpl:170 msgid "Global Modules" -msgstr "" +msgstr "Algemene modulen" #: modules/po/../data/webadmin/tmpl/settings.tmpl:180 msgid "Loaded by users" -msgstr "" +msgstr "Geladen door gebruikers" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:7 msgid "Information" -msgstr "" +msgstr "Informatie" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:13 msgid "Uptime" -msgstr "" +msgstr "Uptime" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:18 msgid "Total Users" -msgstr "" +msgstr "Total aantal gebruikers" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:22 msgid "Total Networks" -msgstr "" +msgstr "Totaal aantal netwerken" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:26 #: modules/po/../data/webadmin/tmpl/traffic.tmpl:43 msgid "Attached Networks" -msgstr "" +msgstr "Aangekoppelde netwerken" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:30 msgid "Total Client Connections" -msgstr "" +msgstr "Totaal aantal client verbindingen" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:34 msgid "Total IRC Connections" -msgstr "" +msgstr "Totaal aantal IRC verbindingen" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:47 msgid "Client Connections" -msgstr "" +msgstr "Client verbindingen" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:51 msgid "IRC Connections" -msgstr "" +msgstr "IRC Verbindingen" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:63 #: modules/po/../data/webadmin/tmpl/traffic.tmpl:72 #: modules/po/../data/webadmin/tmpl/traffic.tmpl:89 #: modules/po/../data/webadmin/tmpl/traffic.tmpl:117 msgid "Total" -msgstr "" +msgstr "Totaal" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:70 #: modules/po/../data/webadmin/tmpl/traffic.tmpl:115 msgctxt "Traffic" msgid "In" -msgstr "" +msgstr "In" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:71 #: modules/po/../data/webadmin/tmpl/traffic.tmpl:116 msgctxt "Traffic" msgid "Out" -msgstr "" +msgstr "Uit" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:77 #: modules/po/../data/webadmin/tmpl/traffic.tmpl:104 msgid "Users" -msgstr "" +msgstr "Gebruikers" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:106 msgid "Traffic" -msgstr "" +msgstr "Verkeer" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:113 msgid "User" -msgstr "" +msgstr "Gebruiker" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:114 msgid "Network" -msgstr "" +msgstr "Netwerk" #: webadmin.cpp:91 webadmin.cpp:1879 msgid "Global Settings" -msgstr "" +msgstr "Algemene instellingen" #: webadmin.cpp:93 msgid "Your Settings" -msgstr "" +msgstr "Jouw instellingen" #: webadmin.cpp:94 webadmin.cpp:1691 msgid "Traffic Info" -msgstr "" +msgstr "Verkeer informatie" #: webadmin.cpp:97 webadmin.cpp:1670 msgid "Manage Users" -msgstr "" +msgstr "Beheer gebruikers" #: webadmin.cpp:188 msgid "Invalid Submission [Username is required]" -msgstr "" +msgstr "Ongeldige inzending [Gebruikersnaam is verplicht]" #: webadmin.cpp:201 msgid "Invalid Submission [Passwords do not match]" -msgstr "" +msgstr "Ongeldige inzending [Wachtwoord komt niet overeen]" #: webadmin.cpp:323 msgid "Timeout can't be less than 30 seconds!" -msgstr "" +msgstr "Time-out mag niet minder zijn dan 30 seconden!" #: webadmin.cpp:407 webadmin.cpp:435 webadmin.cpp:1189 webadmin.cpp:2064 msgid "Unable to load module [{1}]: {2}" -msgstr "" +msgstr "Niet mogelijk module te laden [{1}]: {2}" #: webadmin.cpp:412 webadmin.cpp:440 msgid "Unable to load module [{1}] with arguments [{2}]" -msgstr "" +msgstr "Niet mogelijk module te laden [{1}] met argumenten [{2}]" #: webadmin.cpp:521 webadmin.cpp:625 webadmin.cpp:650 webadmin.cpp:672 #: webadmin.cpp:706 webadmin.cpp:1256 msgid "No such user" -msgstr "" +msgstr "Gebruiker onbekend" #: webadmin.cpp:534 webadmin.cpp:566 webadmin.cpp:595 webadmin.cpp:611 msgid "No such user or network" -msgstr "" +msgstr "Gebruiker of netwerk onbekend" #: webadmin.cpp:576 msgid "No such channel" -msgstr "" +msgstr "Kanaal onbekend" #: webadmin.cpp:642 msgid "Please don't delete yourself, suicide is not the answer!" -msgstr "" +msgstr "Verwijder jezelf alsjeblieft niet, zelfmoord is niet het antwoord!" #: webadmin.cpp:715 webadmin.cpp:971 webadmin.cpp:1321 msgid "Edit User [{1}]" -msgstr "" +msgstr "Bewerk gebruiker [{1}]" #: webadmin.cpp:719 webadmin.cpp:897 msgid "Edit Network [{1}]" -msgstr "" +msgstr "Bewerk netwerk [{1}]" #: webadmin.cpp:729 msgid "Edit Channel [{1}] of Network [{2}] of User [{3}]" -msgstr "" +msgstr "Bewerk kanaal [{1}] van netwerk [{2}] van gebruiker [{3}]" #: webadmin.cpp:736 msgid "Edit Channel [{1}]" -msgstr "" +msgstr "Bewerk kanaal [{1}]" #: webadmin.cpp:744 msgid "Add Channel to Network [{1}] of User [{2}]" -msgstr "" +msgstr "Voeg kanaal aan netwerk [{1}] van gebruiker [{2}]" #: webadmin.cpp:749 msgid "Add Channel" -msgstr "" +msgstr "Voeg kanaal toe" #: webadmin.cpp:756 webadmin.cpp:1517 msgid "Auto Clear Chan Buffer" -msgstr "" +msgstr "Automatisch kanaalbuffer legen" #: webadmin.cpp:758 msgid "Automatically Clear Channel Buffer After Playback" -msgstr "" +msgstr "Leegt automatisch de kanaalbuffer na het afspelen" #: webadmin.cpp:766 msgid "Detached" -msgstr "" +msgstr "Losgekoppeld" #: webadmin.cpp:773 msgid "Enabled" -msgstr "" +msgstr "Ingeschakeld" #: webadmin.cpp:797 msgid "Channel name is a required argument" -msgstr "" +msgstr "Kanaalnaam is een vereist argument" #: webadmin.cpp:806 msgid "Channel [{1}] already exists" -msgstr "" +msgstr "Kanaal [{1}] bestaat al" #: webadmin.cpp:813 msgid "Could not add channel [{1}]" -msgstr "" +msgstr "Kon kanaal [{1}] niet toevoegen" #: webadmin.cpp:861 msgid "Channel was added/modified, but config file was not written" -msgstr "" +msgstr "Kanaal was toegevoegd/aangepast maar configuratie was niet opgeslagen" #: webadmin.cpp:894 msgid "Edit Network [{1}] of User [{2}]" -msgstr "" +msgstr "Pas netwerk [{1}] van gebruiker [{2}] aan" #: webadmin.cpp:901 webadmin.cpp:1078 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks from Your Settings." msgstr "" +"Limiet van aantal netwerken bereikt. Vraag een beheerder om deze limit aan " +"te passen voor je, of verwijder onnodige netwerken van Jouw instellingen." #: webadmin.cpp:909 msgid "Add Network for User [{1}]" -msgstr "" +msgstr "Voeg netwerk toe voor gebruiker [{1}]" #: webadmin.cpp:910 msgid "Add Network" -msgstr "" +msgstr "Voeg netwerk toe" #: webadmin.cpp:1072 msgid "Network name is a required argument" -msgstr "" +msgstr "Netwerknaam is een vereist argument" #: webadmin.cpp:1196 webadmin.cpp:2071 msgid "Unable to reload module [{1}]: {2}" -msgstr "" +msgstr "Niet mogelijk module te herladen [{1}]: {2}" #: webadmin.cpp:1233 msgid "Network was added/modified, but config file was not written" -msgstr "" +msgstr "Netwerk was toegevoegd/aangepast maar configuratie was niet opgeslagen" #: webadmin.cpp:1262 msgid "That network doesn't exist for this user" -msgstr "" +msgstr "Dat netwerk bestaat niet voor deze gebruiker" #: webadmin.cpp:1279 msgid "Network was deleted, but config file was not written" -msgstr "" +msgstr "Netwerk was verwijderd maar configuratie was niet opgeslagen" #: webadmin.cpp:1293 msgid "That channel doesn't exist for this network" -msgstr "" +msgstr "Dat kanaal bestaat niet voor dit netwerk" #: webadmin.cpp:1302 msgid "Channel was deleted, but config file was not written" -msgstr "" +msgstr "Kanaal was verwijderd maar configuratie was niet opgeslagen" #: webadmin.cpp:1330 msgid "Clone User [{1}]" -msgstr "" +msgstr "Kloon gebruiker [{1}]" #: webadmin.cpp:1519 msgid "" "Automatically Clear Channel Buffer After Playback (the default value for new " "channels)" msgstr "" +"Leeg kanaal buffer automatisch na afspelen (standaard waarde voor nieuwe " +"kanalen)" #: webadmin.cpp:1529 msgid "Multi Clients" -msgstr "" +msgstr "Meerdere clients" #: webadmin.cpp:1536 msgid "Append Timestamps" -msgstr "" +msgstr "Tijdstempel toevoegen" #: webadmin.cpp:1543 msgid "Prepend Timestamps" -msgstr "" +msgstr "Tijdstempel voorvoegen" #: webadmin.cpp:1551 msgid "Deny LoadMod" -msgstr "" +msgstr "Sta LoadMod niet toe" #: webadmin.cpp:1558 msgid "Admin" -msgstr "" +msgstr "Beheerder" #: webadmin.cpp:1568 msgid "Deny SetBindHost" -msgstr "" +msgstr "Sta SetBindHost niet toe" #: webadmin.cpp:1576 msgid "Auto Clear Query Buffer" -msgstr "" +msgstr "Automatisch privéberichtbuffer legen" #: webadmin.cpp:1578 msgid "Automatically Clear Query Buffer After Playback" -msgstr "" +msgstr "Leegt automatisch de privéberichtbuffer na het afspelen" #: webadmin.cpp:1602 msgid "Invalid Submission: User {1} already exists" -msgstr "" +msgstr "Ongeldige inzending: Gebruiker {1} bestaat al" #: webadmin.cpp:1624 webadmin.cpp:1635 msgid "Invalid submission: {1}" -msgstr "" +msgstr "Ongeldige inzending: {1}" #: webadmin.cpp:1630 msgid "User was added, but config file was not written" -msgstr "" +msgstr "Gebruiker was toegevoegd maar configuratie was niet opgeslagen" #: webadmin.cpp:1641 msgid "User was edited, but config file was not written" -msgstr "" +msgstr "Gebruiker was aangepast maar configuratie was niet opgeslagen" #: webadmin.cpp:1799 msgid "Choose either IPv4 or IPv6 or both." -msgstr "" +msgstr "Kies IPv4 of IPv6 of beide." #: webadmin.cpp:1816 msgid "Choose either IRC or HTTP or both." -msgstr "" +msgstr "Kies IRC of HTTP of beide." #: webadmin.cpp:1829 webadmin.cpp:1865 msgid "Port was changed, but config file was not written" -msgstr "" +msgstr "Poort was aangepast maar configuratie was niet opgeslagen" #: webadmin.cpp:1855 msgid "Invalid request." -msgstr "" +msgstr "Ongeldig verzoek." #: webadmin.cpp:1869 msgid "The specified listener was not found." -msgstr "" +msgstr "De opgegeven luisteraar was niet gevonden." #: webadmin.cpp:2100 msgid "Settings were changed, but config file was not written" -msgstr "" +msgstr "Instellingen waren aangepast maar configuratie was niet opgeslagen" diff --git a/src/po/znc.nl_NL.po b/src/po/znc.nl_NL.po index 9583442d..f4456319 100644 --- a/src/po/znc.nl_NL.po +++ b/src/po/znc.nl_NL.po @@ -14,35 +14,35 @@ msgstr "" #: webskins/_default_/tmpl/InfoBar.tmpl:6 msgid "Logged in as: {1}" -msgstr "" +msgstr "Ingelogd als: {1}" #: webskins/_default_/tmpl/InfoBar.tmpl:8 msgid "Not logged in" -msgstr "" +msgstr "Niet ingelogd" #: webskins/_default_/tmpl/LoginBar.tmpl:3 msgid "Logout" -msgstr "" +msgstr "Afmelden" #: webskins/_default_/tmpl/Menu.tmpl:4 msgid "Home" -msgstr "" +msgstr "Home" #: webskins/_default_/tmpl/Menu.tmpl:7 msgid "Global Modules" -msgstr "" +msgstr "Algemene modulen" #: webskins/_default_/tmpl/Menu.tmpl:20 msgid "User Modules" -msgstr "" +msgstr "Gebruikers modulen" #: webskins/_default_/tmpl/Menu.tmpl:35 msgid "Network Modules ({1})" -msgstr "" +msgstr "Netwerk modulen ({1})" #: webskins/_default_/tmpl/index.tmpl:6 msgid "Welcome to ZNC's web interface!" -msgstr "" +msgstr "Welkom bij ZNC's webinterface!" #: webskins/_default_/tmpl/index.tmpl:11 msgid "" @@ -50,348 +50,387 @@ msgid "" "*status help
” and “/msg *status loadmod <module>”). Once you have loaded some Web-enabled modules, the menu will expand." msgstr "" +"Geen web-ingeschakelde modulen zijn geladen. Laad modulen van IRC (“/" +"msg *status help” en “/msg *status loadmod <module>”). Zodra je deze geladen hebt zal dit menu zich uitbreiden." #: znc.cpp:1563 msgid "User already exists" -msgstr "" +msgstr "Gebruiker bestaat al" #: znc.cpp:1671 msgid "IPv6 is not enabled" -msgstr "" +msgstr "IPv6 is niet ingeschakeld" #: znc.cpp:1679 msgid "SSL is not enabled" -msgstr "" +msgstr "SSL is niet ingeschakeld" #: znc.cpp:1687 msgid "Unable to locate pem file: {1}" -msgstr "" +msgstr "Kan PEM bestand niet vinden: {1}" #: znc.cpp:1706 msgid "Invalid port" -msgstr "" +msgstr "Ongeldige poort" #: znc.cpp:1822 ClientCommand.cpp:1629 msgid "Unable to bind: {1}" -msgstr "" +msgstr "Kan niet binden: {1}" #: IRCNetwork.cpp:236 msgid "Jumping servers because this server is no longer in the list" msgstr "" +"We schakelen over naar een andere server omdat deze server niet langer in de " +"lijst staat" #: IRCNetwork.cpp:641 User.cpp:678 msgid "Welcome to ZNC" -msgstr "" +msgstr "Welkom bij ZNC" #: IRCNetwork.cpp:729 msgid "You are currently disconnected from IRC. Use 'connect' to reconnect." msgstr "" +"Op dit moment ben je niet verbonden met IRC. Gebruik 'connect' om opnieuw " +"verbinding te maken." #: IRCNetwork.cpp:734 msgid "" "ZNC is presently running in DEBUG mode. Sensitive data during your current " "session may be exposed to the host." msgstr "" +"ZNC draait op dit moment in DEBUG modus. Sensitieve data kan tijdens deze " +"sessie blootgesteld worden aan de host." #: IRCNetwork.cpp:765 msgid "This network is being deleted or moved to another user." msgstr "" +"Dit netwerk wordt op dit moment verwijderd of verplaatst door een andere " +"gebruiker." #: IRCNetwork.cpp:994 msgid "The channel {1} could not be joined, disabling it." -msgstr "" +msgstr "Het kanaal {1} kan niet toegetreden worden, deze wordt uitgeschakeld." #: IRCNetwork.cpp:1123 msgid "Your current server was removed, jumping..." msgstr "" +"Je huidige server was verwijderd, we schakelen over naar een andere server..." #: IRCNetwork.cpp:1286 msgid "Cannot connect to {1}, because ZNC is not compiled with SSL support." msgstr "" +"Kan niet verbinden naar {1} omdat ZNC niet gecompileerd is met SSL " +"ondersteuning." #: IRCNetwork.cpp:1307 msgid "Some module aborted the connection attempt" -msgstr "" +msgstr "Een module heeft de verbindingspoging afgebroken" #: IRCSock.cpp:484 msgid "Error from server: {1}" -msgstr "" +msgstr "Fout van server: {1}" #: IRCSock.cpp:686 msgid "ZNC seems to be connected to itself, disconnecting..." msgstr "" +"ZNC blijkt verbonden te zijn met zichzelf... De verbinding zal verbroken " +"worden..." #: IRCSock.cpp:733 msgid "Server {1} redirects us to {2}:{3} with reason: {4}" -msgstr "" +msgstr "Server {1} stuurt ons door naar {2}:{3} met reden: {4}" #: IRCSock.cpp:737 msgid "Perhaps you want to add it as a new server." -msgstr "" +msgstr "Misschien wil je het toevoegen als nieuwe server." #: IRCSock.cpp:967 msgid "Channel {1} is linked to another channel and was thus disabled." msgstr "" +"Kanaal {1} is verbonden naar een andere kanaal en is daarom uitgeschakeld." #: IRCSock.cpp:979 msgid "Switched to SSL (STARTTLS)" -msgstr "" +msgstr "Omgeschakeld naar een veilige verbinding (STARTTLS)" #: IRCSock.cpp:1032 msgid "You quit: {1}" -msgstr "" +msgstr "Je hebt het netwerk verlaten: {1}" #: IRCSock.cpp:1238 msgid "Disconnected from IRC. Reconnecting..." -msgstr "" +msgstr "Verbinding met IRC verbroken. We proberen opnieuw te verbinden..." #: IRCSock.cpp:1269 msgid "Cannot connect to IRC ({1}). Retrying..." -msgstr "" +msgstr "Kan niet verbinden met IRC ({1}). We proberen opnieuw te verbinden..." #: IRCSock.cpp:1272 msgid "Disconnected from IRC ({1}). Reconnecting..." msgstr "" +"Verbinding met IRC verbroken ({1}). We proberen opnieuw te verbinden..." #: IRCSock.cpp:1302 msgid "If you trust this certificate, do /znc AddTrustedServerFingerprint {1}" msgstr "" +"Als je dit certificaat vertrouwt, doe: /znc AddTrustedServerFingerprint {1}" #: IRCSock.cpp:1319 msgid "IRC connection timed out. Reconnecting..." -msgstr "" +msgstr "IRC verbinding time-out. We proberen opnieuw te verbinden..." #: IRCSock.cpp:1331 msgid "Connection Refused. Reconnecting..." -msgstr "" +msgstr "Verbinding geweigerd. We proberen opnieuw te verbinden..." #: IRCSock.cpp:1339 msgid "Received a too long line from the IRC server!" -msgstr "" +msgstr "Een te lange regel ontvangen van de IRC server!" #: IRCSock.cpp:1443 msgid "No free nick available" -msgstr "" +msgstr "Geen beschikbare bijnaam" #: IRCSock.cpp:1451 msgid "No free nick found" -msgstr "" +msgstr "Geen beschikbare bijnaam gevonden" #: Client.cpp:75 msgid "No such module {1}" -msgstr "" +msgstr "Geen dergelijke module {1}" #: Client.cpp:365 msgid "A client from {1} attempted to login as you, but was rejected: {2}" msgstr "" +"Een client van {1} heeft geprobeerd als jou in te loggen maar werd " +"geweigerd: {2}" #: Client.cpp:400 msgid "Network {1} doesn't exist." -msgstr "" +msgstr "Netwerk {1} bestaat niet." #: Client.cpp:414 msgid "" "You have several networks configured, but no network was specified for the " "connection." msgstr "" +"Je hebt meerdere netwerken geconfigureerd maar je hebt er geen gekozen om " +"verbinding mee te maken." #: Client.cpp:417 msgid "" "Selecting network {1}. To see list of all configured networks, use /znc " "ListNetworks" msgstr "" +"Netwerk {1} geselecteerd. Om een lijst te tonen van alle geconfigureerde " +"netwerken, gebruik /znc ListNetworks" #: Client.cpp:420 msgid "" "If you want to choose another network, use /znc JumpNetwork , or " "connect to ZNC with username {1}/ (instead of just {1})" msgstr "" +"Als je een ander netwerk wilt kiezen, gebruik /znc JumpNetwork , of " +"verbind naar ZNC met gebruikersnaam {1}/ (in plaats van alleen {1})" #: Client.cpp:426 msgid "" "You have no networks configured. Use /znc AddNetwork to add one." msgstr "" +"Je hebt geen netwerken geconfigureerd. Gebruiker /znc AddNetwork " +"om er een toe te voegen." #: Client.cpp:437 msgid "Closing link: Timeout" -msgstr "" +msgstr "Verbinding verbroken: Time-out" #: Client.cpp:459 msgid "Closing link: Too long raw line" -msgstr "" +msgstr "Verbinding verbroken: Te lange onbewerkte regel" #: Client.cpp:466 msgid "" "You are being disconnected because another user just authenticated as you." msgstr "" +"Je verbinding wordt verbroken omdat een andere gebruiker zich net aangemeld " +"heeft als jou." #: Client.cpp:1021 msgid "Your CTCP to {1} got lost, you are not connected to IRC!" -msgstr "" +msgstr "Je CTCP naar {1} is verloren geraakt, je bent niet verbonden met IRC!" #: Client.cpp:1148 msgid "Your notice to {1} got lost, you are not connected to IRC!" msgstr "" +"Je notice naar {1} is verloren geraakt, je bent niet verbonden met IRC!" #: Client.cpp:1187 msgid "Removing channel {1}" -msgstr "" +msgstr "Kanaal verwijderen: {1}" #: Client.cpp:1263 msgid "Your message to {1} got lost, you are not connected to IRC!" msgstr "" +"Je bericht naar {1} is verloren geraakt, je bent niet verbonden met IRC!" #: Client.cpp:1316 Client.cpp:1322 msgid "Hello. How may I help you?" -msgstr "" +msgstr "Hallo. Hoe kan ik je helpen?" #: Client.cpp:1336 msgid "Usage: /attach <#chans>" -msgstr "" +msgstr "Gebruik: /attach <#kanalen>" #: Client.cpp:1343 Client.cpp:1365 ClientCommand.cpp:129 ClientCommand.cpp:151 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "Er was {1} kanaal overeenkomend met [{2}]" +msgstr[1] "Er waren {1} kanalen overeenkomend met [{2}]" #: Client.cpp:1346 ClientCommand.cpp:132 msgid "Attached {1} channel" msgid_plural "Attached {1} channels" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "Gekoppeld aan {1} kanaal" +msgstr[1] "Gekoppeld aan {1} kanalen" #: Client.cpp:1358 msgid "Usage: /detach <#chans>" -msgstr "" +msgstr "Gebruik: /detach <#kanalen>" #: Client.cpp:1368 ClientCommand.cpp:154 msgid "Detached {1} channel" msgid_plural "Detached {1} channels" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "Losgekoppeld van {1} kanaal" +msgstr[1] "Losgekoppeld van {1} kanalen" #: Chan.cpp:638 msgid "Buffer Playback..." -msgstr "" +msgstr "Buffer afspelen..." #: Chan.cpp:676 msgid "Playback Complete." -msgstr "" +msgstr "Afspelen compleet." #: Modules.cpp:528 msgctxt "modhelpcmd" msgid "" -msgstr "" +msgstr "" #: Modules.cpp:529 msgctxt "modhelpcmd" msgid "Generate this output" -msgstr "" +msgstr "Genereer deze output" #: Modules.cpp:573 ClientCommand.cpp:1894 msgid "No matches for '{1}'" -msgstr "" +msgstr "Geen overeenkomsten voor '{1}'" #: Modules.cpp:691 msgid "This module doesn't implement any commands." -msgstr "" +msgstr "Deze module heeft geen commando's geimplementeerd." #: Modules.cpp:693 msgid "Unknown command!" -msgstr "" +msgstr "Onbekend commando!" #: Modules.cpp:1633 msgid "Module {1} already loaded." -msgstr "" +msgstr "Module {1} is al geladen." #: Modules.cpp:1647 msgid "Unable to find module {1}" -msgstr "" +msgstr "Kon module {1} niet vinden" #: Modules.cpp:1659 msgid "Module {1} does not support module type {2}." -msgstr "" +msgstr "Module {1} ondersteund het type {2} niet." #: Modules.cpp:1666 msgid "Module {1} requires a user." -msgstr "" +msgstr "Module {1} vereist een gebruiker." #: Modules.cpp:1672 msgid "Module {1} requires a network." -msgstr "" +msgstr "Module {1} vereist een netwerk." #: Modules.cpp:1688 msgid "Caught an exception" -msgstr "" +msgstr "Uitzondering geconstateerd" #: Modules.cpp:1694 msgid "Module {1} aborted: {2}" -msgstr "" +msgstr "Module {1} afgebroken: {2}" #: Modules.cpp:1696 msgid "Module {1} aborted." -msgstr "" +msgstr "Module {1} afgebroken." #: Modules.cpp:1720 Modules.cpp:1762 msgid "Module [{1}] not loaded." -msgstr "" +msgstr "Module [{1}] niet geladen." #: Modules.cpp:1744 msgid "Module {1} unloaded." -msgstr "" +msgstr "Module {1} gestopt." #: Modules.cpp:1749 msgid "Unable to unload module {1}." -msgstr "" +msgstr "Niet mogelijk om module {1} te stoppen." #: Modules.cpp:1778 msgid "Reloaded module {1}." -msgstr "" +msgstr "Module {1} hergeladen." #: Modules.cpp:1793 msgid "Unable to find module {1}." -msgstr "" +msgstr "Module {1} niet gevonden." #: Modules.cpp:1919 msgid "" "Module names can only contain letters, numbers and underscores, [{1}] is " "invalid" msgstr "" +"Module namen kunnen alleen letters, nummers en lage streepts bevatten, [{1}] " +"is ongeldig" #: Modules.cpp:1943 msgid "Unknown error" -msgstr "" +msgstr "Onbekende fout" #: Modules.cpp:1944 msgid "Unable to open module {1}: {2}" -msgstr "" +msgstr "Niet mogelijk om module te openen, {1}: {2}" #: Modules.cpp:1953 msgid "Could not find ZNCModuleEntry in module {1}" -msgstr "" +msgstr "Kon ZNCModuleEntry niet vinden in module {1}" #: Modules.cpp:1961 msgid "" "Version mismatch for module {1}: core is {2}, module is built for {3}. " "Recompile this module." msgstr "" +"Verkeerde versie voor module {1}, kern is {2}, module is gecompileerd voor " +"{3}. Hercompileer deze module." #: Modules.cpp:1972 msgid "" "Module {1} is built incompatibly: core is '{2}', module is '{3}'. Recompile " "this module." msgstr "" +"Module {1} is niet compatible gecompileerd: kern is '{2}', module is '{3}'. " +"Hercompileer deze module." #: Modules.cpp:2002 Modules.cpp:2008 msgctxt "modhelpcmd" msgid "Command" -msgstr "" +msgstr "Commando" #: Modules.cpp:2003 Modules.cpp:2009 msgctxt "modhelpcmd" msgid "Description" -msgstr "" +msgstr "Beschrijving" #: ClientCommand.cpp:51 ClientCommand.cpp:115 ClientCommand.cpp:137 #: ClientCommand.cpp:749 ClientCommand.cpp:768 ClientCommand.cpp:794 @@ -400,893 +439,919 @@ msgstr "" #: ClientCommand.cpp:1401 ClientCommand.cpp:1412 ClientCommand.cpp:1421 #: ClientCommand.cpp:1433 msgid "You must be connected with a network to use this command" -msgstr "" +msgstr "Je moet verbonden zijn met een netwerk om dit commando te gebruiken" #: ClientCommand.cpp:58 msgid "Usage: ListNicks <#chan>" -msgstr "" +msgstr "Gebruik: ListNicks <#kanaal>" #: ClientCommand.cpp:65 msgid "You are not on [{1}]" -msgstr "" +msgstr "Je bent niet in [{1}]" #: ClientCommand.cpp:70 msgid "You are not on [{1}] (trying)" -msgstr "" +msgstr "Je bent niet in {1} (probeer toe te treden)" #: ClientCommand.cpp:79 msgid "No nicks on [{1}]" -msgstr "" +msgstr "Geen bijnamen in [{1}]" #: ClientCommand.cpp:91 ClientCommand.cpp:106 msgid "Nick" -msgstr "" +msgstr "Bijnaam" #: ClientCommand.cpp:92 ClientCommand.cpp:107 msgid "Ident" -msgstr "" +msgstr "Identiteit" #: ClientCommand.cpp:93 ClientCommand.cpp:108 msgid "Host" -msgstr "" +msgstr "Host" #: ClientCommand.cpp:122 msgid "Usage: Attach <#chans>" -msgstr "" +msgstr "Gebruik: Attach <#kanalen>" #: ClientCommand.cpp:144 msgid "Usage: Detach <#chans>" -msgstr "" +msgstr "Gebruik: Detach <#kanalen>" #: ClientCommand.cpp:161 msgid "There is no MOTD set." -msgstr "" +msgstr "Er is geen bericht van de dag ingesteld." #: ClientCommand.cpp:167 msgid "Rehashing succeeded!" -msgstr "" +msgstr "Opnieuw laden van configuratie geslaagd!" #: ClientCommand.cpp:169 msgid "Rehashing failed: {1}" -msgstr "" +msgstr "Opnieuw laden van configuratie mislukt: {1}" #: ClientCommand.cpp:173 msgid "Wrote config to {1}" -msgstr "" +msgstr "Configuratie geschreven naar {1}" #: ClientCommand.cpp:175 msgid "Error while trying to write config." -msgstr "" +msgstr "Fout tijdens het proberen te schrijven naar het configuratiebestand." #: ClientCommand.cpp:455 msgid "Usage: ListChans" -msgstr "" +msgstr "Gebruik: ListChans" #: ClientCommand.cpp:462 msgid "No such user [{1}]" -msgstr "" +msgstr "Gebruiker onbekend [{1}]" #: ClientCommand.cpp:468 msgid "User [{1}] doesn't have network [{2}]" -msgstr "" +msgstr "Gebruiker [{1}] heeft geen netwerk genaamd [{2}]" #: ClientCommand.cpp:479 msgid "There are no channels defined." -msgstr "" +msgstr "Er zijn geen kanalen geconfigureerd." #: ClientCommand.cpp:484 ClientCommand.cpp:500 msgctxt "listchans" msgid "Name" -msgstr "" +msgstr "Naam" #: ClientCommand.cpp:485 ClientCommand.cpp:503 msgctxt "listchans" msgid "Status" -msgstr "" +msgstr "Status" #: ClientCommand.cpp:486 ClientCommand.cpp:510 msgctxt "listchans" msgid "In config" -msgstr "" +msgstr "In configuratie" #: ClientCommand.cpp:487 ClientCommand.cpp:512 msgctxt "listchans" msgid "Buffer" -msgstr "" +msgstr "Buffer" #: ClientCommand.cpp:488 ClientCommand.cpp:516 msgctxt "listchans" msgid "Clear" -msgstr "" +msgstr "Wissen" #: ClientCommand.cpp:489 ClientCommand.cpp:521 msgctxt "listchans" msgid "Modes" -msgstr "" +msgstr "Modes" #: ClientCommand.cpp:490 ClientCommand.cpp:522 msgctxt "listchans" msgid "Users" -msgstr "" +msgstr "Gebruikers" #: ClientCommand.cpp:505 msgctxt "listchans" msgid "Detached" -msgstr "" +msgstr "Losgekoppeld" #: ClientCommand.cpp:506 msgctxt "listchans" msgid "Joined" -msgstr "" +msgstr "Toegetreden" #: ClientCommand.cpp:507 msgctxt "listchans" msgid "Disabled" -msgstr "" +msgstr "Uitgeschakeld" #: ClientCommand.cpp:508 msgctxt "listchans" msgid "Trying" -msgstr "" +msgstr "Proberen" #: ClientCommand.cpp:511 ClientCommand.cpp:519 msgctxt "listchans" msgid "yes" -msgstr "" +msgstr "ja" #: ClientCommand.cpp:536 msgid "Total: {1}, Joined: {2}, Detached: {3}, Disabled: {4}" -msgstr "" +msgstr "Totaal: {1}, toegetreden: {2}, losgekoppeld: {3}, uitgeschakeld: {4}" #: ClientCommand.cpp:541 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks using /znc DelNetwork " msgstr "" +"Limiet van aantal netwerken bereikt. Vraag een beheerder om deze limit aan " +"te passen voor je, of verwijder onnodige netwerken door middel van /znc " +"DelNetwork " #: ClientCommand.cpp:550 msgid "Usage: AddNetwork " -msgstr "" +msgstr "Gebruik: AddNetwork " #: ClientCommand.cpp:554 msgid "Network name should be alphanumeric" -msgstr "" +msgstr "Netwerk naam moet alfanumeriek zijn" #: ClientCommand.cpp:561 msgid "" "Network added. Use /znc JumpNetwork {1}, or connect to ZNC with username {2} " "(instead of just {3}) to connect to it." msgstr "" +"Netwerk toegevoegd. Gebruik /znc JumpNetwork {1} of verbind naar ZNC met " +"gebruikersnaam {2} (in plaats van alleen {3}) om hier verbinding mee te " +"maken." #: ClientCommand.cpp:566 msgid "Unable to add that network" -msgstr "" +msgstr "Kan dat netwerk niet toevoegen" #: ClientCommand.cpp:573 msgid "Usage: DelNetwork " -msgstr "" +msgstr "Gebruik: DelNetwork " #: ClientCommand.cpp:582 msgid "Network deleted" -msgstr "" +msgstr "Netwerk verwijderd" #: ClientCommand.cpp:585 msgid "Failed to delete network, perhaps this network doesn't exist" -msgstr "" +msgstr "Mislukt om netwerk te verwijderen, misschien bestaat dit netwerk niet" #: ClientCommand.cpp:595 msgid "User {1} not found" -msgstr "" +msgstr "Gebruiker {1} niet gevonden" #: ClientCommand.cpp:603 ClientCommand.cpp:611 msgctxt "listnetworks" msgid "Network" -msgstr "" +msgstr "Netwerk" #: ClientCommand.cpp:604 ClientCommand.cpp:613 ClientCommand.cpp:622 msgctxt "listnetworks" msgid "On IRC" -msgstr "" +msgstr "Op IRC" #: ClientCommand.cpp:605 ClientCommand.cpp:615 msgctxt "listnetworks" msgid "IRC Server" -msgstr "" +msgstr "IRC Server" #: ClientCommand.cpp:606 ClientCommand.cpp:617 msgctxt "listnetworks" msgid "IRC User" -msgstr "" +msgstr "IRC Gebruiker" #: ClientCommand.cpp:607 ClientCommand.cpp:619 msgctxt "listnetworks" msgid "Channels" -msgstr "" +msgstr "Kanalen" #: ClientCommand.cpp:614 msgctxt "listnetworks" msgid "Yes" -msgstr "" +msgstr "Ja" #: ClientCommand.cpp:623 msgctxt "listnetworks" msgid "No" -msgstr "" +msgstr "Nee" #: ClientCommand.cpp:628 msgctxt "listnetworks" msgid "No networks" -msgstr "" +msgstr "Geen netwerken" #: ClientCommand.cpp:632 ClientCommand.cpp:932 msgid "Access denied." -msgstr "" +msgstr "Toegang geweigerd." #: ClientCommand.cpp:643 msgid "Usage: MoveNetwork [new network]" msgstr "" +"Gebruik: MoveNetwerk " +"[nieuw netwerk]" #: ClientCommand.cpp:653 msgid "Old user {1} not found." -msgstr "" +msgstr "Oude gebruiker {1} niet gevonden." #: ClientCommand.cpp:659 msgid "Old network {1} not found." -msgstr "" +msgstr "Oud netwerk {1} niet gevonden." #: ClientCommand.cpp:665 msgid "New user {1} not found." -msgstr "" +msgstr "Nieuwe gebruiker {1} niet gevonden." #: ClientCommand.cpp:670 msgid "User {1} already has network {2}." -msgstr "" +msgstr "Gebruiker {1} heeft al een netwerk genaamd {2}." #: ClientCommand.cpp:676 msgid "Invalid network name [{1}]" -msgstr "" +msgstr "Ongeldige netwerknaam [{1}]" #: ClientCommand.cpp:692 msgid "Some files seem to be in {1}. You might want to move them to {2}" msgstr "" +"Sommige bestanden lijken in {1} te zijn. Misschien wil je ze verplaatsen " +"naar {2}" #: ClientCommand.cpp:706 msgid "Error adding network: {1}" -msgstr "" +msgstr "Fout bij het toevoegen van netwerk: {1}" #: ClientCommand.cpp:718 msgid "Success." -msgstr "" +msgstr "Geslaagd." #: ClientCommand.cpp:721 msgid "Copied the network to new user, but failed to delete old network" msgstr "" +"Netwerk gekopieërd naar nieuwe gebruiker maar mislukt om het oude netwerk te " +"verwijderen" #: ClientCommand.cpp:728 msgid "No network supplied." -msgstr "" +msgstr "Geen netwerk ingevoerd." #: ClientCommand.cpp:733 msgid "You are already connected with this network." -msgstr "" +msgstr "Je bent al verbonden met dit netwerk." #: ClientCommand.cpp:739 msgid "Switched to {1}" -msgstr "" +msgstr "Geschakeld naar {1}" #: ClientCommand.cpp:742 msgid "You don't have a network named {1}" -msgstr "" +msgstr "Je hebt geen netwerk genaamd {1}" #: ClientCommand.cpp:754 msgid "Usage: AddServer [[+]port] [pass]" -msgstr "" +msgstr "Gebruik: AddServer [[+]poort] [wachtwoord]" #: ClientCommand.cpp:759 msgid "Server added" -msgstr "" +msgstr "Server toegevoegd" #: ClientCommand.cpp:762 msgid "" "Unable to add that server. Perhaps the server is already added or openssl is " "disabled?" msgstr "" +"Niet mogelijk die server toe te voegen. Misschien is de server al toegevoegd " +"of is OpenSSL uitgeschakeld?" #: ClientCommand.cpp:777 msgid "Usage: DelServer [port] [pass]" -msgstr "" +msgstr "Gebruik: DelServer [poort] [wachtwoord]" #: ClientCommand.cpp:782 ClientCommand.cpp:822 msgid "You don't have any servers added." -msgstr "" +msgstr "Je hebt geen servers toegevoegd." #: ClientCommand.cpp:787 msgid "Server removed" -msgstr "" +msgstr "Server verwijderd" #: ClientCommand.cpp:789 msgid "No such server" -msgstr "" +msgstr "Server niet gevonden" #: ClientCommand.cpp:802 ClientCommand.cpp:809 msgctxt "listservers" msgid "Host" -msgstr "" +msgstr "Host" #: ClientCommand.cpp:803 ClientCommand.cpp:811 msgctxt "listservers" msgid "Port" -msgstr "" +msgstr "Poort" #: ClientCommand.cpp:804 ClientCommand.cpp:814 msgctxt "listservers" msgid "SSL" -msgstr "" +msgstr "SSL" #: ClientCommand.cpp:805 ClientCommand.cpp:816 msgctxt "listservers" msgid "Password" -msgstr "" +msgstr "Wachtwoord" #: ClientCommand.cpp:815 msgctxt "listservers|cell" msgid "SSL" -msgstr "" +msgstr "SSL" #: ClientCommand.cpp:832 msgid "Usage: AddTrustedServerFingerprint " -msgstr "" +msgstr "Gebruik: AddTrustedServerFingerprint " #: ClientCommand.cpp:836 ClientCommand.cpp:849 msgid "Done." -msgstr "" +msgstr "Klaar." #: ClientCommand.cpp:845 msgid "Usage: DelTrustedServerFingerprint " -msgstr "" +msgstr "Gebruik: DelTrustedServerFingerprint " #: ClientCommand.cpp:858 msgid "No fingerprints added." -msgstr "" +msgstr "Geen vingerafdrukken toegevoegd." #: ClientCommand.cpp:874 ClientCommand.cpp:880 msgctxt "topicscmd" msgid "Channel" -msgstr "" +msgstr "Kanaal" #: ClientCommand.cpp:875 ClientCommand.cpp:881 msgctxt "topicscmd" msgid "Set By" -msgstr "" +msgstr "Ingesteld door" #: ClientCommand.cpp:876 ClientCommand.cpp:882 msgctxt "topicscmd" msgid "Topic" -msgstr "" +msgstr "Onderwerp" #: ClientCommand.cpp:889 ClientCommand.cpp:893 msgctxt "listmods" msgid "Name" -msgstr "" +msgstr "Naam" #: ClientCommand.cpp:890 ClientCommand.cpp:894 msgctxt "listmods" msgid "Arguments" -msgstr "" +msgstr "Argumenten" #: ClientCommand.cpp:902 msgid "No global modules loaded." -msgstr "" +msgstr "Geen algemene modules geladen." #: ClientCommand.cpp:904 ClientCommand.cpp:964 msgid "Global modules:" -msgstr "" +msgstr "Algemene modules:" #: ClientCommand.cpp:912 msgid "Your user has no modules loaded." -msgstr "" +msgstr "Je gebruiker heeft geen modules geladen." #: ClientCommand.cpp:914 ClientCommand.cpp:975 msgid "User modules:" -msgstr "" +msgstr "Gebruiker modules:" #: ClientCommand.cpp:921 msgid "This network has no modules loaded." -msgstr "" +msgstr "Dit netwerk heeft geen modules geladen." #: ClientCommand.cpp:923 ClientCommand.cpp:986 msgid "Network modules:" -msgstr "" +msgstr "Netwerk modules:" #: ClientCommand.cpp:938 ClientCommand.cpp:944 msgctxt "listavailmods" msgid "Name" -msgstr "" +msgstr "Naam" #: ClientCommand.cpp:939 ClientCommand.cpp:949 msgctxt "listavailmods" msgid "Description" -msgstr "" +msgstr "Beschrijving" #: ClientCommand.cpp:962 msgid "No global modules available." -msgstr "" +msgstr "Geen algemene modules beschikbaar." #: ClientCommand.cpp:973 msgid "No user modules available." -msgstr "" +msgstr "Geen gebruikermodules beschikbaar." #: ClientCommand.cpp:984 msgid "No network modules available." -msgstr "" +msgstr "Geen netwerkmodules beschikbaar." #: ClientCommand.cpp:1012 msgid "Unable to load {1}: Access denied." -msgstr "" +msgstr "Niet mogelijk om {1} te laden: Toegang geweigerd." #: ClientCommand.cpp:1018 msgid "Usage: LoadMod [--type=global|user|network] [args]" -msgstr "" +msgstr "Gebruik: LoadMod [--type=global|user|network] [argumenten]" #: ClientCommand.cpp:1025 msgid "Unable to load {1}: {2}" -msgstr "" +msgstr "Niet mogelijk module te laden {1}: {2}" #: ClientCommand.cpp:1035 msgid "Unable to load global module {1}: Access denied." -msgstr "" +msgstr "Niet mogelijk algemene module te laden {1}: Toegang geweigerd." #: ClientCommand.cpp:1041 msgid "Unable to load network module {1}: Not connected with a network." msgstr "" +"Niet mogelijk netwerk module te laden {1}: Niet verbonden met een netwerk." #: ClientCommand.cpp:1063 msgid "Unknown module type" -msgstr "" +msgstr "Onbekend type module" #: ClientCommand.cpp:1068 msgid "Loaded module {1}" -msgstr "" +msgstr "Module {1} geladen" #: ClientCommand.cpp:1070 msgid "Loaded module {1}: {2}" -msgstr "" +msgstr "Module {1} geladen: {2}" #: ClientCommand.cpp:1073 msgid "Unable to load module {1}: {2}" -msgstr "" +msgstr "Niet mogelijk module te laden {1}: {2}" #: ClientCommand.cpp:1096 msgid "Unable to unload {1}: Access denied." -msgstr "" +msgstr "Niet mogelijk om {1} te stoppen: Toegang geweigerd." #: ClientCommand.cpp:1102 msgid "Usage: UnloadMod [--type=global|user|network] " -msgstr "" +msgstr "Gebruik: UnloadMod [--type=global|user|network] " #: ClientCommand.cpp:1111 msgid "Unable to determine type of {1}: {2}" -msgstr "" +msgstr "Niet mogelijk om het type te bepalen van {1}: {2}" #: ClientCommand.cpp:1119 msgid "Unable to unload global module {1}: Access denied." -msgstr "" +msgstr "Niet mogelijk algemene module te stoppen {1}: Toegang geweigerd." #: ClientCommand.cpp:1126 msgid "Unable to unload network module {1}: Not connected with a network." msgstr "" +"Niet mogelijk netwerk module te stoppen {1}: Niet verbonden met een netwerk." #: ClientCommand.cpp:1145 msgid "Unable to unload module {1}: Unknown module type" -msgstr "" +msgstr "Niet mogelijk module te stopped {1}: Onbekend type module" #: ClientCommand.cpp:1158 msgid "Unable to reload modules. Access denied." -msgstr "" +msgstr "Niet mogelijk modules te herladen. Toegang geweigerd." #: ClientCommand.cpp:1179 msgid "Usage: ReloadMod [--type=global|user|network] [args]" -msgstr "" +msgstr "Gebruik: ReloadMod [--type=global|user|network] [argumenten]" #: ClientCommand.cpp:1188 msgid "Unable to reload {1}: {2}" -msgstr "" +msgstr "Niet mogelijk module te herladen {1}: {2}" #: ClientCommand.cpp:1196 msgid "Unable to reload global module {1}: Access denied." -msgstr "" +msgstr "Niet mogelijk algemene module te herladen {1}: Toegang geweigerd." #: ClientCommand.cpp:1203 msgid "Unable to reload network module {1}: Not connected with a network." msgstr "" +"Niet mogelijk netwerk module te herladen {1}: Niet verbonden met een netwerk." #: ClientCommand.cpp:1225 msgid "Unable to reload module {1}: Unknown module type" -msgstr "" +msgstr "Niet mogelijk module te herladen {1}: Onbekend type module" #: ClientCommand.cpp:1236 msgid "Usage: UpdateMod " -msgstr "" +msgstr "Gebruik: UpdateMod " #: ClientCommand.cpp:1240 msgid "Reloading {1} everywhere" -msgstr "" +msgstr "Overal {1} herladen" #: ClientCommand.cpp:1242 msgid "Done" -msgstr "" +msgstr "Klaar" #: ClientCommand.cpp:1245 msgid "" "Done, but there were errors, module {1} could not be reloaded everywhere." msgstr "" +"Klaar, maar er waren fouten, module {1} kon niet overal herladen worden." #: ClientCommand.cpp:1253 msgid "" "You must be connected with a network to use this command. Try " "SetUserBindHost instead" msgstr "" +"Je moet verbonden zijn met een netwerk om dit commando te gebruiken. Probeer " +"in plaats hiervan SetUserBindHost" #: ClientCommand.cpp:1260 msgid "Usage: SetBindHost " -msgstr "" +msgstr "Gebruik: SetBindHost " #: ClientCommand.cpp:1265 ClientCommand.cpp:1282 msgid "You already have this bind host!" -msgstr "" +msgstr "Je hebt deze bindhost al!" #: ClientCommand.cpp:1270 msgid "Set bind host for network {1} to {2}" -msgstr "" +msgstr "Stel bindhost voor netwerk {1} in naar {2}" #: ClientCommand.cpp:1277 msgid "Usage: SetUserBindHost " -msgstr "" +msgstr "Gebruik: SetUserBindHost " #: ClientCommand.cpp:1287 msgid "Set default bind host to {1}" -msgstr "" +msgstr "Standaard bindhost ingesteld naar {1}" #: ClientCommand.cpp:1293 msgid "" "You must be connected with a network to use this command. Try " "ClearUserBindHost instead" msgstr "" +"Je moet verbonden zijn met een netwerk om dit commando te gebruiken. Probeer " +"in plaats hiervan ClearUserBindHost" #: ClientCommand.cpp:1298 msgid "Bind host cleared for this network." -msgstr "" +msgstr "Bindhost gewist voor dit netwerk." #: ClientCommand.cpp:1302 msgid "Default bind host cleared for your user." -msgstr "" +msgstr "Standaard bindhost gewist voor jouw gebruiker." #: ClientCommand.cpp:1305 msgid "This user's default bind host not set" -msgstr "" +msgstr "Er is geen standaard bindhost voor deze gebruiker ingesteld" #: ClientCommand.cpp:1307 msgid "This user's default bind host is {1}" -msgstr "" +msgstr "De standaard bindhost voor deze gebruiker is {1}" #: ClientCommand.cpp:1312 msgid "This network's bind host not set" -msgstr "" +msgstr "Er is geen bindhost ingesteld voor dit netwerk" #: ClientCommand.cpp:1314 msgid "This network's default bind host is {1}" -msgstr "" +msgstr "De standaard bindhost voor dit netwerk is {1}" #: ClientCommand.cpp:1328 msgid "Usage: PlayBuffer <#chan|query>" -msgstr "" +msgstr "Gebruik: PlayBuffer <#kanaal|privé bericht>" #: ClientCommand.cpp:1336 msgid "You are not on {1}" -msgstr "" +msgstr "Je bent niet in {1}" #: ClientCommand.cpp:1341 msgid "You are not on {1} (trying to join)" -msgstr "" +msgstr "Je bent niet in {1} (probeer toe te treden)" #: ClientCommand.cpp:1346 msgid "The buffer for channel {1} is empty" -msgstr "" +msgstr "De buffer voor kanaal {1} is leeg" #: ClientCommand.cpp:1355 msgid "No active query with {1}" -msgstr "" +msgstr "Geen actieve privé berichten met {1}" #: ClientCommand.cpp:1360 msgid "The buffer for {1} is empty" -msgstr "" +msgstr "De buffer voor {1} is leeg" #: ClientCommand.cpp:1376 msgid "Usage: ClearBuffer <#chan|query>" -msgstr "" +msgstr "Gebruik: ClearBuffer <#kanaal|privé bericht>" #: ClientCommand.cpp:1395 msgid "{1} buffer matching {2} has been cleared" msgid_plural "{1} buffers matching {2} have been cleared" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "{1} buffer overeenkomend met {2} is gewist" +msgstr[1] "{1} buffers overeenkomend met {2} zijn gewist" #: ClientCommand.cpp:1408 msgid "All channel buffers have been cleared" -msgstr "" +msgstr "Alle kanaalbuffers zijn gewist" #: ClientCommand.cpp:1417 msgid "All query buffers have been cleared" -msgstr "" +msgstr "Alle privéberichtenbuffers zijn gewist" #: ClientCommand.cpp:1429 msgid "All buffers have been cleared" -msgstr "" +msgstr "Alle buffers zijn gewist" #: ClientCommand.cpp:1440 msgid "Usage: SetBuffer <#chan|query> [linecount]" -msgstr "" +msgstr "Gebruik: SetBuffer <#kanaal|privé bericht> [regelaantal]" #: ClientCommand.cpp:1461 msgid "Setting buffer size failed for {1} buffer" msgid_plural "Setting buffer size failed for {1} buffers" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "Instellen van buffergrootte mislukt voor {1} buffer" +msgstr[1] "Instellen van buffergrootte mislukt voor {1} buffers" #: ClientCommand.cpp:1464 msgid "Maximum buffer size is {1} line" msgid_plural "Maximum buffer size is {1} lines" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "Maximale buffergrootte is {1} regel" +msgstr[1] "Maximale buffergrootte is {1} regels" #: ClientCommand.cpp:1469 msgid "Size of every buffer was set to {1} line" msgid_plural "Size of every buffer was set to {1} lines" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "Grootte van alle buffers is ingesteld op {1} regel" +msgstr[1] "Grootte van alle buffers is ingesteld op {1} regels" #: ClientCommand.cpp:1479 ClientCommand.cpp:1486 ClientCommand.cpp:1497 #: ClientCommand.cpp:1506 ClientCommand.cpp:1514 msgctxt "trafficcmd" msgid "Username" -msgstr "" +msgstr "Gebruikersnaam" #: ClientCommand.cpp:1480 ClientCommand.cpp:1487 ClientCommand.cpp:1499 #: ClientCommand.cpp:1508 ClientCommand.cpp:1516 msgctxt "trafficcmd" msgid "In" -msgstr "" +msgstr "In" #: ClientCommand.cpp:1481 ClientCommand.cpp:1489 ClientCommand.cpp:1500 #: ClientCommand.cpp:1509 ClientCommand.cpp:1517 msgctxt "trafficcmd" msgid "Out" -msgstr "" +msgstr "Uit" #: ClientCommand.cpp:1482 ClientCommand.cpp:1492 ClientCommand.cpp:1502 #: ClientCommand.cpp:1510 ClientCommand.cpp:1519 msgctxt "trafficcmd" msgid "Total" -msgstr "" +msgstr "Totaal" #: ClientCommand.cpp:1498 msgctxt "trafficcmd" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1507 msgctxt "trafficcmd" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1515 msgctxt "trafficcmd" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1524 msgid "Running for {1}" -msgstr "" +msgstr "Draaiend voor {1}" #: ClientCommand.cpp:1530 msgid "Unknown command, try 'Help'" -msgstr "" +msgstr "Onbekend commando, probeer 'Help'" #: ClientCommand.cpp:1539 ClientCommand.cpp:1550 msgctxt "listports" msgid "Port" -msgstr "" +msgstr "Poort" #: ClientCommand.cpp:1540 ClientCommand.cpp:1551 msgctxt "listports" msgid "BindHost" -msgstr "" +msgstr "BindHost" #: ClientCommand.cpp:1541 ClientCommand.cpp:1554 msgctxt "listports" msgid "SSL" -msgstr "" +msgstr "SSL" #: ClientCommand.cpp:1542 ClientCommand.cpp:1559 msgctxt "listports" msgid "Protocol" -msgstr "" +msgstr "Protocol" #: ClientCommand.cpp:1543 ClientCommand.cpp:1566 msgctxt "listports" msgid "IRC" -msgstr "" +msgstr "IRC" #: ClientCommand.cpp:1544 ClientCommand.cpp:1571 msgctxt "listports" msgid "Web" -msgstr "" +msgstr "Web" #: ClientCommand.cpp:1555 msgctxt "listports|ssl" msgid "yes" -msgstr "" +msgstr "ja" #: ClientCommand.cpp:1556 msgctxt "listports|ssl" msgid "no" -msgstr "" +msgstr "nee" #: ClientCommand.cpp:1560 msgctxt "listports" msgid "IPv4 and IPv6" -msgstr "" +msgstr "IPv4 en IPv6" #: ClientCommand.cpp:1562 msgctxt "listports" msgid "IPv4" -msgstr "" +msgstr "IPv4" #: ClientCommand.cpp:1563 msgctxt "listports" msgid "IPv6" -msgstr "" +msgstr "IPv6" #: ClientCommand.cpp:1569 msgctxt "listports|irc" msgid "yes" -msgstr "" +msgstr "ja" #: ClientCommand.cpp:1570 msgctxt "listports|irc" msgid "no" -msgstr "" +msgstr "nee" #: ClientCommand.cpp:1574 msgctxt "listports|irc" msgid "yes, on {1}" -msgstr "" +msgstr "ja, in {1}" #: ClientCommand.cpp:1576 msgctxt "listports|web" msgid "no" -msgstr "" +msgstr "nee" #: ClientCommand.cpp:1616 msgid "" "Usage: AddPort <[+]port> [bindhost [uriprefix]]" msgstr "" +"Gebruik: AddPort <[+]poort> [bindhost " +"[urivoorvoegsel]]" #: ClientCommand.cpp:1632 msgid "Port added" -msgstr "" +msgstr "Poort toegevoegd" #: ClientCommand.cpp:1634 msgid "Couldn't add port" -msgstr "" +msgstr "Kon poort niet toevoegen" #: ClientCommand.cpp:1640 msgid "Usage: DelPort [bindhost]" -msgstr "" +msgstr "Gebruik: DelPort [bindhost]" #: ClientCommand.cpp:1649 msgid "Deleted Port" -msgstr "" +msgstr "Poort verwijderd" #: ClientCommand.cpp:1651 msgid "Unable to find a matching port" -msgstr "" +msgstr "Niet mogelijk om een overeenkomende poort te vinden" #: ClientCommand.cpp:1659 ClientCommand.cpp:1673 msgctxt "helpcmd" msgid "Command" -msgstr "" +msgstr "Commando" #: ClientCommand.cpp:1660 ClientCommand.cpp:1674 msgctxt "helpcmd" msgid "Description" -msgstr "" +msgstr "Beschrijving" #: ClientCommand.cpp:1664 msgid "" "In the following list all occurrences of <#chan> support wildcards (* and ?) " "except ListNicks" msgstr "" +"In de volgende lijst ondersteunen alle voorvallen van <#kanaal> jokers (* " +"en ?) behalve ListNicks" #: ClientCommand.cpp:1680 msgctxt "helpcmd|Version|desc" msgid "Print which version of ZNC this is" -msgstr "" +msgstr "Toon welke versie van ZNC dit is" #: ClientCommand.cpp:1683 msgctxt "helpcmd|ListMods|desc" msgid "List all loaded modules" -msgstr "" +msgstr "Toon een lijst van alle geladen modules" #: ClientCommand.cpp:1686 msgctxt "helpcmd|ListAvailMods|desc" msgid "List all available modules" -msgstr "" +msgstr "Toon alle beschikbare modules" #: ClientCommand.cpp:1690 ClientCommand.cpp:1876 msgctxt "helpcmd|ListChans|desc" msgid "List all channels" -msgstr "" +msgstr "Toon alle kanalen" #: ClientCommand.cpp:1693 msgctxt "helpcmd|ListNicks|args" msgid "<#chan>" -msgstr "" +msgstr "<#kanaal>" #: ClientCommand.cpp:1694 msgctxt "helpcmd|ListNicks|desc" msgid "List all nicks on a channel" -msgstr "" +msgstr "Toon alle bijnamen op een kanaal" #: ClientCommand.cpp:1697 msgctxt "helpcmd|ListClients|desc" msgid "List all clients connected to your ZNC user" -msgstr "" +msgstr "Toon alle clients verbonden met jouw ZNC gebruiker" #: ClientCommand.cpp:1701 msgctxt "helpcmd|ListServers|desc" msgid "List all servers of current IRC network" -msgstr "" +msgstr "Toon alle servers van het huidige IRC netwerk" #: ClientCommand.cpp:1705 msgctxt "helpcmd|AddNetwork|args" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1706 msgctxt "helpcmd|AddNetwork|desc" msgid "Add a network to your user" -msgstr "" +msgstr "Voeg een netwerk toe aan jouw gebruiker" #: ClientCommand.cpp:1708 msgctxt "helpcmd|DelNetwork|args" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1709 msgctxt "helpcmd|DelNetwork|desc" msgid "Delete a network from your user" -msgstr "" +msgstr "Verwijder een netwerk van jouw gebruiker" #: ClientCommand.cpp:1711 msgctxt "helpcmd|ListNetworks|desc" msgid "List all networks" -msgstr "" +msgstr "Toon alle netwerken" #: ClientCommand.cpp:1714 msgctxt "helpcmd|MoveNetwork|args" msgid " [new network]" -msgstr "" +msgstr " [nieuw netwerk]" #: ClientCommand.cpp:1716 msgctxt "helpcmd|MoveNetwork|desc" msgid "Move an IRC network from one user to another" -msgstr "" +msgstr "Verplaats een IRC netwerk van een gebruiker naar een andere gebruiker" #: ClientCommand.cpp:1720 msgctxt "helpcmd|JumpNetwork|args" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1721 msgctxt "helpcmd|JumpNetwork|desc" @@ -1294,22 +1359,26 @@ msgid "" "Jump to another network (Alternatively, you can connect to ZNC several " "times, using `user/network` as username)" msgstr "" +"Spring naar een ander netwerk (Je kan ook meerdere malen naar ZNC verbinden " +"door `gebruiker/netwerk` als gebruikersnaam te gebruiken)" #: ClientCommand.cpp:1726 msgctxt "helpcmd|AddServer|args" msgid " [[+]port] [pass]" -msgstr "" +msgstr " [[+]poort] [wachtwoord]" #: ClientCommand.cpp:1727 msgctxt "helpcmd|AddServer|desc" msgid "" "Add a server to the list of alternate/backup servers of current IRC network." msgstr "" +"Voeg een server toe aan de lijst van alternatieve/backup servers van het " +"huidige IRC netwerk." #: ClientCommand.cpp:1731 msgctxt "helpcmd|DelServer|args" msgid " [port] [pass]" -msgstr "" +msgstr " [poort] [wachtwoord]" #: ClientCommand.cpp:1732 msgctxt "helpcmd|DelServer|desc" @@ -1317,11 +1386,13 @@ msgid "" "Remove a server from the list of alternate/backup servers of current IRC " "network" msgstr "" +"Verwijder een server van de lijst van alternatieve/backup servers van het " +"huidige IRC netwerk" #: ClientCommand.cpp:1738 msgctxt "helpcmd|AddTrustedServerFingerprint|args" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1739 msgctxt "helpcmd|AddTrustedServerFingerprint|desc" @@ -1329,404 +1400,414 @@ msgid "" "Add a trusted server SSL certificate fingerprint (SHA-256) to current IRC " "network." msgstr "" +"Voeg een vertrouwd SSL certificaat vingerafdruk (SHA-256) toe aan het " +"huidige netwerk." #: ClientCommand.cpp:1744 msgctxt "helpcmd|DelTrustedServerFingerprint|args" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1745 msgctxt "helpcmd|DelTrustedServerFingerprint|desc" msgid "Delete a trusted server SSL certificate from current IRC network." -msgstr "" +msgstr "Verwijder een vertrouwd SSL certificaat van het huidige netwerk." #: ClientCommand.cpp:1749 msgctxt "helpcmd|ListTrustedServerFingerprints|desc" msgid "List all trusted server SSL certificates of current IRC network." -msgstr "" +msgstr "Toon alle vertrouwde SSL certificaten van het huidige netwerk." #: ClientCommand.cpp:1752 msgctxt "helpcmd|EnableChan|args" msgid "<#chans>" -msgstr "" +msgstr "<#kanalen>" #: ClientCommand.cpp:1753 msgctxt "helpcmd|EnableChan|desc" msgid "Enable channels" -msgstr "" +msgstr "Kanalen inschakelen" #: ClientCommand.cpp:1754 msgctxt "helpcmd|DisableChan|args" msgid "<#chans>" -msgstr "" +msgstr "<#kanalen>" #: ClientCommand.cpp:1755 msgctxt "helpcmd|DisableChan|desc" msgid "Disable channels" -msgstr "" +msgstr "Kanalen uitschakelen" #: ClientCommand.cpp:1756 msgctxt "helpcmd|Attach|args" msgid "<#chans>" -msgstr "" +msgstr "<#kanalen>" #: ClientCommand.cpp:1757 msgctxt "helpcmd|Attach|desc" msgid "Attach to channels" -msgstr "" +msgstr "Koppel aan kanalen" #: ClientCommand.cpp:1758 msgctxt "helpcmd|Detach|args" msgid "<#chans>" -msgstr "" +msgstr "<#kanalen>" #: ClientCommand.cpp:1759 msgctxt "helpcmd|Detach|desc" msgid "Detach from channels" -msgstr "" +msgstr "Loskoppelen van kanalen" #: ClientCommand.cpp:1762 msgctxt "helpcmd|Topics|desc" msgid "Show topics in all your channels" -msgstr "" +msgstr "Laat topics in al je kanalen zien" #: ClientCommand.cpp:1765 msgctxt "helpcmd|PlayBuffer|args" msgid "<#chan|query>" -msgstr "" +msgstr "<#kanaal|privé bericht>" #: ClientCommand.cpp:1766 msgctxt "helpcmd|PlayBuffer|desc" msgid "Play back the specified buffer" -msgstr "" +msgstr "Speel the gekozen buffer terug" #: ClientCommand.cpp:1768 msgctxt "helpcmd|ClearBuffer|args" msgid "<#chan|query>" -msgstr "" +msgstr "<#kanaal|privé bericht>" #: ClientCommand.cpp:1769 msgctxt "helpcmd|ClearBuffer|desc" msgid "Clear the specified buffer" -msgstr "" +msgstr "Wis de gekozen buffer" #: ClientCommand.cpp:1771 msgctxt "helpcmd|ClearAllBuffers|desc" msgid "Clear all channel and query buffers" -msgstr "" +msgstr "Wis alle kanaal en privé berichtenbuffers" #: ClientCommand.cpp:1774 msgctxt "helpcmd|ClearAllChannelBuffers|desc" msgid "Clear the channel buffers" -msgstr "" +msgstr "Wis de kanaal buffers" #: ClientCommand.cpp:1778 msgctxt "helpcmd|ClearAllQueryBuffers|desc" msgid "Clear the query buffers" -msgstr "" +msgstr "Wis de privéberichtenbuffers" #: ClientCommand.cpp:1780 msgctxt "helpcmd|SetBuffer|args" msgid "<#chan|query> [linecount]" -msgstr "" +msgstr "<#kanaal|privé bericht> [regelaantal]" #: ClientCommand.cpp:1781 msgctxt "helpcmd|SetBuffer|desc" msgid "Set the buffer count" -msgstr "" +msgstr "Stel het buffer aantal in" #: ClientCommand.cpp:1785 msgctxt "helpcmd|SetBindHost|args" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1786 msgctxt "helpcmd|SetBindHost|desc" msgid "Set the bind host for this network" -msgstr "" +msgstr "Stel de bindhost in voor dit netwerk" #: ClientCommand.cpp:1790 msgctxt "helpcmd|SetUserBindHost|args" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1791 msgctxt "helpcmd|SetUserBindHost|desc" msgid "Set the default bind host for this user" -msgstr "" +msgstr "Stel de bindhost in voor deze gebruiker" #: ClientCommand.cpp:1794 msgctxt "helpcmd|ClearBindHost|desc" msgid "Clear the bind host for this network" -msgstr "" +msgstr "Wis de bindhost voor dit netwerk" #: ClientCommand.cpp:1797 msgctxt "helpcmd|ClearUserBindHost|desc" msgid "Clear the default bind host for this user" -msgstr "" +msgstr "Wis de standaard bindhost voor deze gebruiker" #: ClientCommand.cpp:1803 msgctxt "helpcmd|ShowBindHost|desc" msgid "Show currently selected bind host" -msgstr "" +msgstr "Toon huidig geselecteerde bindhost" #: ClientCommand.cpp:1805 msgctxt "helpcmd|Jump|args" msgid "[server]" -msgstr "" +msgstr "[server]" #: ClientCommand.cpp:1806 msgctxt "helpcmd|Jump|desc" msgid "Jump to the next or the specified server" -msgstr "" +msgstr "Spring naar de volgende of de gekozen server" #: ClientCommand.cpp:1807 msgctxt "helpcmd|Disconnect|args" msgid "[message]" -msgstr "" +msgstr "[bericht]" #: ClientCommand.cpp:1808 msgctxt "helpcmd|Disconnect|desc" msgid "Disconnect from IRC" -msgstr "" +msgstr "Verbreek verbinding met IRC" #: ClientCommand.cpp:1810 msgctxt "helpcmd|Connect|desc" msgid "Reconnect to IRC" -msgstr "" +msgstr "Verbind opnieuw met IRC" #: ClientCommand.cpp:1813 msgctxt "helpcmd|Uptime|desc" msgid "Show for how long ZNC has been running" -msgstr "" +msgstr "Laat zien hoe lang ZNC al draait" #: ClientCommand.cpp:1817 msgctxt "helpcmd|LoadMod|args" msgid "[--type=global|user|network] " -msgstr "" +msgstr "[--type=global|user|network] " #: ClientCommand.cpp:1819 msgctxt "helpcmd|LoadMod|desc" msgid "Load a module" -msgstr "" +msgstr "Laad een module" #: ClientCommand.cpp:1821 msgctxt "helpcmd|UnloadMod|args" msgid "[--type=global|user|network] " -msgstr "" +msgstr "[--type=global|user|network] " #: ClientCommand.cpp:1823 msgctxt "helpcmd|UnloadMod|desc" msgid "Unload a module" -msgstr "" +msgstr "Stop een module" #: ClientCommand.cpp:1825 msgctxt "helpcmd|ReloadMod|args" msgid "[--type=global|user|network] " -msgstr "" +msgstr "[--type=global|user|network] " #: ClientCommand.cpp:1827 msgctxt "helpcmd|ReloadMod|desc" msgid "Reload a module" -msgstr "" +msgstr "Herlaad een module" #: ClientCommand.cpp:1830 msgctxt "helpcmd|UpdateMod|args" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1831 msgctxt "helpcmd|UpdateMod|desc" msgid "Reload a module everywhere" -msgstr "" +msgstr "Herlaad een module overal" #: ClientCommand.cpp:1837 msgctxt "helpcmd|ShowMOTD|desc" msgid "Show ZNC's message of the day" -msgstr "" +msgstr "Laat ZNC's bericht van de dag zien" #: ClientCommand.cpp:1841 msgctxt "helpcmd|SetMOTD|args" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1842 msgctxt "helpcmd|SetMOTD|desc" msgid "Set ZNC's message of the day" -msgstr "" +msgstr "Stel ZNC's bericht van de dag in" #: ClientCommand.cpp:1844 msgctxt "helpcmd|AddMOTD|args" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1845 msgctxt "helpcmd|AddMOTD|desc" msgid "Append to ZNC's MOTD" -msgstr "" +msgstr "Voeg toe aan ZNC's bericht van de dag" #: ClientCommand.cpp:1847 msgctxt "helpcmd|ClearMOTD|desc" msgid "Clear ZNC's MOTD" -msgstr "" +msgstr "Wis ZNC's bericht van de dag" #: ClientCommand.cpp:1850 msgctxt "helpcmd|ListPorts|desc" msgid "Show all active listeners" -msgstr "" +msgstr "Laat alle actieve luisteraars zien" #: ClientCommand.cpp:1852 msgctxt "helpcmd|AddPort|args" msgid "<[+]port> [bindhost [uriprefix]]" -msgstr "" +msgstr "<[+]poort> [bindhost [urivoorvoegsel]]" #: ClientCommand.cpp:1855 msgctxt "helpcmd|AddPort|desc" msgid "Add another port for ZNC to listen on" -msgstr "" +msgstr "Voeg nog een poort toe voor ZNC om te luisteren" #: ClientCommand.cpp:1859 msgctxt "helpcmd|DelPort|args" msgid " [bindhost]" -msgstr "" +msgstr " [bindhost]" #: ClientCommand.cpp:1860 msgctxt "helpcmd|DelPort|desc" msgid "Remove a port from ZNC" -msgstr "" +msgstr "Haal een poort weg van ZNC" #: ClientCommand.cpp:1863 msgctxt "helpcmd|Rehash|desc" msgid "Reload global settings, modules, and listeners from znc.conf" -msgstr "" +msgstr "Herlaad algemene instelling, modules en luisteraars van znc.conf" #: ClientCommand.cpp:1866 msgctxt "helpcmd|SaveConfig|desc" msgid "Save the current settings to disk" -msgstr "" +msgstr "Huidige instellingen opslaan in bestand" #: ClientCommand.cpp:1869 msgctxt "helpcmd|ListUsers|desc" msgid "List all ZNC users and their connection status" -msgstr "" +msgstr "Toon alle ZNC gebruikers en hun verbinding status" #: ClientCommand.cpp:1872 msgctxt "helpcmd|ListAllUserNetworks|desc" msgid "List all ZNC users and their networks" -msgstr "" +msgstr "Toon alle ZNC gebruikers en hun netwerken" #: ClientCommand.cpp:1875 msgctxt "helpcmd|ListChans|args" msgid "[user ]" -msgstr "" +msgstr "[gebruiker ]" #: ClientCommand.cpp:1878 msgctxt "helpcmd|ListClients|args" msgid "[user]" -msgstr "" +msgstr "[gebruiker]" #: ClientCommand.cpp:1879 msgctxt "helpcmd|ListClients|desc" msgid "List all connected clients" -msgstr "" +msgstr "Toon alle verbonden clients" #: ClientCommand.cpp:1881 msgctxt "helpcmd|Traffic|desc" msgid "Show basic traffic stats for all ZNC users" -msgstr "" +msgstr "Toon basis verkeer statistieken voor alle ZNC gebruikers" #: ClientCommand.cpp:1883 msgctxt "helpcmd|Broadcast|args" msgid "[message]" -msgstr "" +msgstr "[bericht]" #: ClientCommand.cpp:1884 msgctxt "helpcmd|Broadcast|desc" msgid "Broadcast a message to all ZNC users" -msgstr "" +msgstr "Zend een bericht naar alle ZNC gebruikers" #: ClientCommand.cpp:1887 msgctxt "helpcmd|Shutdown|args" msgid "[message]" -msgstr "" +msgstr "[bericht]" #: ClientCommand.cpp:1888 msgctxt "helpcmd|Shutdown|desc" msgid "Shut down ZNC completely" -msgstr "" +msgstr "Sluit ZNC in zijn geheel af" #: ClientCommand.cpp:1889 msgctxt "helpcmd|Restart|args" msgid "[message]" -msgstr "" +msgstr "[bericht]" #: ClientCommand.cpp:1890 msgctxt "helpcmd|Restart|desc" msgid "Restart ZNC" -msgstr "" +msgstr "Herstart ZNC" #: Socket.cpp:336 msgid "Can't resolve server hostname" -msgstr "" +msgstr "Kan server hostnaam niet oplossen" #: Socket.cpp:343 msgid "" "Can't resolve bind hostname. Try /znc ClearBindHost and /znc " "ClearUserBindHost" msgstr "" +"Kan bindhostnaam niet oplossen. Probeer /znc ClearBindHost en /znc " +"ClearUserBindHost" #: Socket.cpp:348 msgid "Server address is IPv4-only, but bindhost is IPv6-only" -msgstr "" +msgstr "Server adres is alleen IPv4, maar de bindhost is alleen IPv6" #: Socket.cpp:357 msgid "Server address is IPv6-only, but bindhost is IPv4-only" -msgstr "" +msgstr "Server adres is alleen IPv6, maar de bindhost is alleen IPv4" #: Socket.cpp:515 msgid "Some socket reached its max buffer limit and was closed!" msgstr "" +"Een of andere socket heeft de maximale buffer limiet bereikt en was " +"afgesloten!" #: SSLVerifyHost.cpp:448 msgid "hostname doesn't match" -msgstr "" +msgstr "Hostnaam komt niet overeen" #: SSLVerifyHost.cpp:452 msgid "malformed hostname in certificate" -msgstr "" +msgstr "misvormde hostnaam in certificaat" #: SSLVerifyHost.cpp:456 msgid "hostname verification error" -msgstr "" +msgstr "hostnaam verificatiefout" #: User.cpp:507 msgid "" "Invalid network name. It should be alphanumeric. Not to be confused with " "server name" msgstr "" +"Ongeldige netwerknaam. Deze moet alfanumeriek zijn. Niet te verwarren met " +"server naam" #: User.cpp:511 msgid "Network {1} already exists" -msgstr "" +msgstr "Netwerk {1} bestaat al" #: User.cpp:777 msgid "" "You are being disconnected because your IP is no longer allowed to connect " "to this user" msgstr "" +"Je verbinding wordt verbroken omdat het niet meer toegestaan is om met jouw " +"IP-adres naar deze gebruiker te verbinden" #: User.cpp:907 msgid "Password is empty" -msgstr "" +msgstr "Wachtwoord is leeg" #: User.cpp:912 msgid "Username is empty" -msgstr "" +msgstr "Gebruikersnaam is leeg" #: User.cpp:917 msgid "Username is invalid" -msgstr "" +msgstr "Gebruikersnaam is ongeldig" #: User.cpp:1188 msgid "Unable to find modinfo {1}: {2}" -msgstr "" +msgstr "Kan modinfo niet vinden {1}: {2}" diff --git a/src/po/znc.ru_RU.po b/src/po/znc.ru_RU.po index 99f7f71f..acaa2e0f 100644 --- a/src/po/znc.ru_RU.po +++ b/src/po/znc.ru_RU.po @@ -1006,23 +1006,23 @@ msgstr "Исходящий хост для вашего пользователя #: ClientCommand.cpp:1305 msgid "This user's default bind host not set" -msgstr "Для вашего пользователя исходящий хост по умолчанию не установлен" +msgstr "Исходящий хост по умолчанию для вашего пользователя не установлен" #: ClientCommand.cpp:1307 msgid "This user's default bind host is {1}" -msgstr "Для вашего пользователя исходящий хост по умолчанию: {1}" +msgstr "Исходящий хост по умолчанию для вашего пользователя: {1}" #: ClientCommand.cpp:1312 msgid "This network's bind host not set" -msgstr "" +msgstr "Исходящий хост для этой сети не установлен" #: ClientCommand.cpp:1314 msgid "This network's default bind host is {1}" -msgstr "" +msgstr "Исходящий хост по умолчанию для этой сети: {1}" #: ClientCommand.cpp:1328 msgid "Usage: PlayBuffer <#chan|query>" -msgstr "" +msgstr "Использование: PlayBuffer <#канал|собеседник>" #: ClientCommand.cpp:1336 msgid "You are not on {1}" @@ -1034,91 +1034,91 @@ msgstr "Вы не на {1} (пытаюсь войти)" #: ClientCommand.cpp:1346 msgid "The buffer for channel {1} is empty" -msgstr "" +msgstr "Буфер канала {1} пуст" #: ClientCommand.cpp:1355 msgid "No active query with {1}" -msgstr "" +msgstr "Нет активной беседы с {1}" #: ClientCommand.cpp:1360 msgid "The buffer for {1} is empty" -msgstr "" +msgstr "Буфер для {1} пуст" #: ClientCommand.cpp:1376 msgid "Usage: ClearBuffer <#chan|query>" -msgstr "" +msgstr "Использование: ClearBuffer <#канал|собеседник>" #: ClientCommand.cpp:1395 msgid "{1} buffer matching {2} has been cleared" msgid_plural "{1} buffers matching {2} have been cleared" -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" -msgstr[3] "" +msgstr[0] "{1} буфер, подходящий под {2}, очищен" +msgstr[1] "{1} буфера, подходящий под {2}, очищены" +msgstr[2] "{1} буферов, подходящий под {2}, очищены" +msgstr[3] "{1} буферов, подходящий под {2}, очищены" #: ClientCommand.cpp:1408 msgid "All channel buffers have been cleared" -msgstr "" +msgstr "Буферы всех каналов очищены" #: ClientCommand.cpp:1417 msgid "All query buffers have been cleared" -msgstr "" +msgstr "Буферы всех бесед очищены" #: ClientCommand.cpp:1429 msgid "All buffers have been cleared" -msgstr "" +msgstr "Все буферы очищены" #: ClientCommand.cpp:1440 msgid "Usage: SetBuffer <#chan|query> [linecount]" -msgstr "" +msgstr "Использование: SetBuffer <#канал|собеседник> [число_строк]" #: ClientCommand.cpp:1461 msgid "Setting buffer size failed for {1} buffer" msgid_plural "Setting buffer size failed for {1} buffers" -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" -msgstr[3] "" +msgstr[0] "Не удалось установить размер буфера для {1} канала" +msgstr[1] "Не удалось установить размер буфера для {1} каналов" +msgstr[2] "Не удалось установить размер буфера для {1} каналов" +msgstr[3] "Не удалось установить размер буфера для {1} каналов" #: ClientCommand.cpp:1464 msgid "Maximum buffer size is {1} line" msgid_plural "Maximum buffer size is {1} lines" -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" -msgstr[3] "" +msgstr[0] "Размер буфера не должен превышать {1} строку" +msgstr[1] "Размер буфера не должен превышать {1} строки" +msgstr[2] "Размер буфера не должен превышать {1} строк" +msgstr[3] "Размер буфера не должен превышать {1} строк" #: ClientCommand.cpp:1469 msgid "Size of every buffer was set to {1} line" msgid_plural "Size of every buffer was set to {1} lines" -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" -msgstr[3] "" +msgstr[0] "Размер каждого буфера установлен в {1} строку" +msgstr[1] "Размер каждого буфера установлен в {1} строки" +msgstr[2] "Размер каждого буфера установлен в {1} строк" +msgstr[3] "Размер каждого буфера установлен в {1} строк" #: ClientCommand.cpp:1479 ClientCommand.cpp:1486 ClientCommand.cpp:1497 #: ClientCommand.cpp:1506 ClientCommand.cpp:1514 msgctxt "trafficcmd" msgid "Username" -msgstr "" +msgstr "Имя пользователя" #: ClientCommand.cpp:1480 ClientCommand.cpp:1487 ClientCommand.cpp:1499 #: ClientCommand.cpp:1508 ClientCommand.cpp:1516 msgctxt "trafficcmd" msgid "In" -msgstr "" +msgstr "Пришло" #: ClientCommand.cpp:1481 ClientCommand.cpp:1489 ClientCommand.cpp:1500 #: ClientCommand.cpp:1509 ClientCommand.cpp:1517 msgctxt "trafficcmd" msgid "Out" -msgstr "" +msgstr "Ушло" #: ClientCommand.cpp:1482 ClientCommand.cpp:1492 ClientCommand.cpp:1502 #: ClientCommand.cpp:1510 ClientCommand.cpp:1519 msgctxt "trafficcmd" msgid "Total" -msgstr "" +msgstr "Всего" #: ClientCommand.cpp:1498 msgctxt "trafficcmd" From 27540a8d408d3e4b1af6d49d49279a1597a282dd Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins bot Date: Sat, 16 Jun 2018 10:15:05 +0100 Subject: [PATCH 153/798] Update translations from Crowdin (#1552) --- modules/po/adminlog.nl_NL.po | 30 +- modules/po/alias.nl_NL.po | 56 +- modules/po/autoattach.nl_NL.po | 38 +- modules/po/autocycle.nl_NL.po | 30 +- modules/po/autoop.nl_NL.po | 77 +-- modules/po/autoreply.nl_NL.po | 16 +- modules/po/autovoice.nl_NL.po | 51 +- modules/po/awaystore.nl_NL.po | 47 +- modules/po/block_motd.nl_NL.po | 11 +- modules/po/blockuser.nl_NL.po | 44 +- modules/po/bouncedcc.nl_NL.po | 53 +- modules/po/buffextras.nl_NL.po | 20 +- modules/po/cert.nl_NL.po | 30 +- modules/po/certauth.nl_NL.po | 47 +- modules/po/chansaver.nl_NL.po | 4 +- modules/po/clearbufferonmsg.nl_NL.po | 3 +- modules/po/clientnotify.nl_NL.po | 28 +- modules/po/controlpanel.nl_NL.po | 330 +++++++----- modules/po/crypt.nl_NL.po | 65 ++- modules/po/ctcpflood.nl_NL.po | 32 +- modules/po/cyrusauth.nl_NL.po | 29 +- modules/po/dcc.nl_NL.po | 104 ++-- modules/po/disconkick.nl_NL.po | 5 +- modules/po/fail2ban.nl_NL.po | 50 +- modules/po/flooddetach.nl_NL.po | 42 +- modules/po/identfile.nl_NL.po | 36 +- modules/po/imapauth.nl_NL.po | 6 +- modules/po/keepnick.nl_NL.po | 22 +- modules/po/kickrejoin.nl_NL.po | 28 +- modules/po/lastseen.nl_NL.po | 27 +- modules/po/listsockets.nl_NL.po | 48 +- modules/po/log.nl_NL.po | 68 +-- modules/po/missingmotd.nl_NL.po | 4 +- modules/po/modperl.nl_NL.po | 4 +- modules/po/modpython.nl_NL.po | 4 +- modules/po/modules_online.nl_NL.po | 4 +- modules/po/nickserv.nl_NL.po | 32 +- modules/po/notes.nl_NL.po | 53 +- modules/po/notify_connect.nl_NL.po | 9 +- modules/po/partyline.nl_NL.po | 13 +- modules/po/perform.nl_NL.po | 47 +- modules/po/perleval.nl_NL.po | 10 +- modules/po/pyeval.nl_NL.po | 6 +- modules/po/q.nl_NL.po | 135 ++--- modules/po/raw.nl_NL.po | 4 +- modules/po/route_replies.nl_NL.po | 48 +- modules/po/sample.nl_NL.po | 56 +- modules/po/samplewebapi.nl_NL.po | 4 +- modules/po/sasl.nl_NL.po | 81 +-- modules/po/savebuff.nl_NL.po | 25 +- modules/po/send_raw.nl_NL.po | 50 +- modules/po/shell.nl_NL.po | 10 +- modules/po/simple_away.nl_NL.po | 40 +- modules/po/stickychan.nl_NL.po | 45 +- modules/po/stripcontrols.nl_NL.po | 4 +- modules/po/watch.nl_NL.po | 118 ++--- modules/po/webadmin.nl_NL.po | 540 +++++++++++-------- src/po/znc.nl_NL.po | 765 +++++++++++++++------------ src/po/znc.ru_RU.po | 66 +-- 59 files changed, 2008 insertions(+), 1646 deletions(-) diff --git a/modules/po/adminlog.nl_NL.po b/modules/po/adminlog.nl_NL.po index ba1716e0..40d237d0 100644 --- a/modules/po/adminlog.nl_NL.po +++ b/modules/po/adminlog.nl_NL.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.7.x/modules/po/adminlog.pot\n" +"X-Crowdin-File: /master/modules/po/adminlog.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Dutch\n" @@ -14,56 +14,56 @@ msgstr "" #: adminlog.cpp:29 msgid "Show the logging target" -msgstr "" +msgstr "Laat de bestemming voor het logboek zien" #: adminlog.cpp:31 msgid " [path]" -msgstr "" +msgstr " [pad]" #: adminlog.cpp:32 msgid "Set the logging target" -msgstr "" +msgstr "Stel de bestemming voor het logboek in" #: adminlog.cpp:142 msgid "Access denied" -msgstr "" +msgstr "Toegang geweigerd" #: adminlog.cpp:156 msgid "Now logging to file" -msgstr "" +msgstr "Logboek zal vanaf nu geschreven worden naar bestand" #: adminlog.cpp:160 msgid "Now only logging to syslog" -msgstr "" +msgstr "Logboek zal vanaf nu alleen geschreven worden naar syslog" #: adminlog.cpp:164 msgid "Now logging to syslog and file" -msgstr "" +msgstr "Logboek zal vanaf nu geschreven worden naar bestand en syslog" #: adminlog.cpp:168 msgid "Usage: Target [path]" -msgstr "" +msgstr "Gebruik: Bestemming [pad]" #: adminlog.cpp:170 msgid "Unknown target" -msgstr "" +msgstr "Onbekende bestemming" #: adminlog.cpp:192 msgid "Logging is enabled for file" -msgstr "" +msgstr "Logboek is ingesteld voor schrijven naar bestand" #: adminlog.cpp:195 msgid "Logging is enabled for syslog" -msgstr "" +msgstr "Logboek is ingesteld voor schrijven naar syslog" #: adminlog.cpp:198 msgid "Logging is enabled for both, file and syslog" -msgstr "" +msgstr "Logboek is ingesteld voor schrijven naar bestand en syslog" #: adminlog.cpp:204 msgid "Log file will be written to {1}" -msgstr "" +msgstr "Logboek zal geschreven worden naar {1}" #: adminlog.cpp:222 msgid "Log ZNC events to file and/or syslog." -msgstr "" +msgstr "Schrijf ZNC gebeurtenissen naar bestand en/of syslog." diff --git a/modules/po/alias.nl_NL.po b/modules/po/alias.nl_NL.po index 76384db2..8c9fd552 100644 --- a/modules/po/alias.nl_NL.po +++ b/modules/po/alias.nl_NL.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.7.x/modules/po/alias.pot\n" +"X-Crowdin-File: /master/modules/po/alias.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Dutch\n" @@ -14,110 +14,112 @@ msgstr "" #: alias.cpp:141 msgid "missing required parameter: {1}" -msgstr "" +msgstr "verplichte parameter ontbreekt: {1}" #: alias.cpp:201 msgid "Created alias: {1}" -msgstr "" +msgstr "Alias aangemaakt: {1}" #: alias.cpp:203 msgid "Alias already exists." -msgstr "" +msgstr "Alias bestaat al." #: alias.cpp:210 msgid "Deleted alias: {1}" -msgstr "" +msgstr "Alias verwijderd: {1}" #: alias.cpp:213 alias.cpp:224 alias.cpp:246 alias.cpp:265 alias.cpp:276 #: alias.cpp:333 msgid "Alias does not exist." -msgstr "" +msgstr "Alias bestaat niet." #: alias.cpp:222 alias.cpp:244 alias.cpp:263 alias.cpp:274 msgid "Modified alias." -msgstr "" +msgstr "Alias aangepast." #: alias.cpp:236 alias.cpp:256 msgid "Invalid index." -msgstr "" +msgstr "Ongeldige index." #: alias.cpp:282 alias.cpp:298 msgid "There are no aliases." -msgstr "" +msgstr "Er zijn geen aliassen." #: alias.cpp:289 msgid "The following aliases exist: {1}" -msgstr "" +msgstr "De volgende aliassen bestaan: {1}" #: alias.cpp:290 msgctxt "list|separator" msgid ", " -msgstr "" +msgstr ", " #: alias.cpp:324 msgid "Actions for alias {1}:" -msgstr "" +msgstr "Acties voor alias {1}:" #: alias.cpp:331 msgid "End of actions for alias {1}." -msgstr "" +msgstr "Einde van acties voor alias {1}." #: alias.cpp:338 alias.cpp:341 alias.cpp:352 alias.cpp:357 msgid "" -msgstr "" +msgstr "" #: alias.cpp:339 msgid "Creates a new, blank alias called name." -msgstr "" +msgstr "Maakt een nieuwe, lege alias aan genaamd naam." #: alias.cpp:341 msgid "Deletes an existing alias." -msgstr "" +msgstr "Verwijdert een bestaande alias." #: alias.cpp:343 msgid " " -msgstr "" +msgstr " " #: alias.cpp:344 msgid "Adds a line to an existing alias." -msgstr "" +msgstr "Voegt een regel toe aan een bestaande alias." #: alias.cpp:346 msgid " " -msgstr "" +msgstr " " #: alias.cpp:347 msgid "Inserts a line into an existing alias." -msgstr "" +msgstr "Voegt een regel in bij een bestaande alias." #: alias.cpp:349 msgid " " -msgstr "" +msgstr " " #: alias.cpp:350 msgid "Removes a line from an existing alias." -msgstr "" +msgstr "Verwijdert een regel van een bestaande alias." #: alias.cpp:353 msgid "Removes all lines from an existing alias." -msgstr "" +msgstr "Verwijdert alle regels van een bestaande alias." #: alias.cpp:355 msgid "Lists all aliases by name." -msgstr "" +msgstr "Somt alle aliassen op bij naam." #: alias.cpp:358 msgid "Reports the actions performed by an alias." -msgstr "" +msgstr "Laat de acties zien die uitgevoerd worden door een alias." #: alias.cpp:362 msgid "Generate a list of commands to copy your alias config." msgstr "" +"Genereert een lijst van commando's die je naar je alias configuratie kan " +"kopieëren." #: alias.cpp:374 msgid "Clearing all of them!" -msgstr "" +msgstr "Alle verwijderen!" #: alias.cpp:409 msgid "Provides bouncer-side command alias support." -msgstr "" +msgstr "Voorziet alias ondersteuning aan de kant van de bouncer." diff --git a/modules/po/autoattach.nl_NL.po b/modules/po/autoattach.nl_NL.po index 4b21daa8..a2362753 100644 --- a/modules/po/autoattach.nl_NL.po +++ b/modules/po/autoattach.nl_NL.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.7.x/modules/po/autoattach.pot\n" +"X-Crowdin-File: /master/modules/po/autoattach.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Dutch\n" @@ -14,72 +14,74 @@ msgstr "" #: autoattach.cpp:94 msgid "Added to list" -msgstr "" +msgstr "Toegevoegd aan lijst" #: autoattach.cpp:96 msgid "{1} is already added" -msgstr "" +msgstr "{1} is al toegevoegd" #: autoattach.cpp:100 msgid "Usage: Add [!]<#chan> " -msgstr "" +msgstr "Gebruik: Add [!]<#kanaal> " #: autoattach.cpp:101 msgid "Wildcards are allowed" -msgstr "" +msgstr "Jokers zijn toegestaan" #: autoattach.cpp:113 msgid "Removed {1} from list" -msgstr "" +msgstr "{1} van lijst verwijderd" #: autoattach.cpp:115 msgid "Usage: Del [!]<#chan> " -msgstr "" +msgstr "Gebruik: Del [!]<#kanaal> " #: autoattach.cpp:121 autoattach.cpp:129 msgid "Neg" -msgstr "" +msgstr "Verwijderd" #: autoattach.cpp:122 autoattach.cpp:130 msgid "Chan" -msgstr "" +msgstr "Kanaal" #: autoattach.cpp:123 autoattach.cpp:131 msgid "Search" -msgstr "" +msgstr "Zoek" #: autoattach.cpp:124 autoattach.cpp:132 msgid "Host" -msgstr "" +msgstr "Host" #: autoattach.cpp:138 msgid "You have no entries." -msgstr "" +msgstr "Je hebt geen kanalen toegevoegd." #: autoattach.cpp:146 autoattach.cpp:149 msgid "[!]<#chan> " -msgstr "" +msgstr "[!]<#kanaal> " #: autoattach.cpp:147 msgid "Add an entry, use !#chan to negate and * for wildcards" msgstr "" +"Voeg een kanaal toe, gebruik !#kanaal om te verwijderen en gebruik * voor " +"jokers" #: autoattach.cpp:150 msgid "Remove an entry, needs to be an exact match" -msgstr "" +msgstr "Verwijder een kanaal, moet een exacte overeenkomst zijn" #: autoattach.cpp:152 msgid "List all entries" -msgstr "" +msgstr "Laat alle kanalen zien" #: autoattach.cpp:171 msgid "Unable to add [{1}]" -msgstr "" +msgstr "Kan [{1}] niet toevoegen" #: autoattach.cpp:283 msgid "List of channel masks and channel masks with ! before them." -msgstr "" +msgstr "Lijst van kanaal maskers en kanaal maskers met ! er voor." #: autoattach.cpp:286 msgid "Reattaches you to channels on activity." -msgstr "" +msgstr "Verbind je met kanalen als er activiteit is." diff --git a/modules/po/autocycle.nl_NL.po b/modules/po/autocycle.nl_NL.po index 4b32c608..9b49cdaa 100644 --- a/modules/po/autocycle.nl_NL.po +++ b/modules/po/autocycle.nl_NL.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.7.x/modules/po/autocycle.pot\n" +"X-Crowdin-File: /master/modules/po/autocycle.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Dutch\n" @@ -14,56 +14,60 @@ msgstr "" #: autocycle.cpp:27 autocycle.cpp:30 msgid "[!]<#chan>" -msgstr "" +msgstr "[!]<#kanaal>" #: autocycle.cpp:28 msgid "Add an entry, use !#chan to negate and * for wildcards" msgstr "" +"Voeg een kanaal toe, gebruik !#kanaal om te verwijderen en gebruik * voor " +"jokers" #: autocycle.cpp:31 msgid "Remove an entry, needs to be an exact match" -msgstr "" +msgstr "Verwijder een kanaal, moet een exacte overeenkomst zijn" #: autocycle.cpp:33 msgid "List all entries" -msgstr "" +msgstr "Laat alle kanalen zien" #: autocycle.cpp:46 msgid "Unable to add {1}" -msgstr "" +msgstr "Kan {1} niet toevoegen" #: autocycle.cpp:66 msgid "{1} is already added" -msgstr "" +msgstr "{1} bestaat al" #: autocycle.cpp:68 msgid "Added {1} to list" -msgstr "" +msgstr "{1} toegevoegd aan lijst" #: autocycle.cpp:70 msgid "Usage: Add [!]<#chan>" -msgstr "" +msgstr "Gebruik: Add [!]<#kanaal>" #: autocycle.cpp:78 msgid "Removed {1} from list" -msgstr "" +msgstr "{1} verwijderd van lijst" #: autocycle.cpp:80 msgid "Usage: Del [!]<#chan>" -msgstr "" +msgstr "Gebruik: Del [!]<#kanaal>" #: autocycle.cpp:85 autocycle.cpp:89 autocycle.cpp:94 msgid "Channel" -msgstr "" +msgstr "Kanaal" #: autocycle.cpp:100 msgid "You have no entries." -msgstr "" +msgstr "Je hebt geen kanalen toegvoegd." #: autocycle.cpp:229 msgid "List of channel masks and channel masks with ! before them." -msgstr "" +msgstr "Lijst van kanaal maskers en kanaal maskers met ! er voor." #: autocycle.cpp:234 msgid "Rejoins channels to gain Op if you're the only user left" msgstr "" +"Verbind opnieuw met een kanaal om beheer te krijgen als je de enige " +"gebruiker nog bent" diff --git a/modules/po/autoop.nl_NL.po b/modules/po/autoop.nl_NL.po index a30a4118..52726c8a 100644 --- a/modules/po/autoop.nl_NL.po +++ b/modules/po/autoop.nl_NL.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.7.x/modules/po/autoop.pot\n" +"X-Crowdin-File: /master/modules/po/autoop.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Dutch\n" @@ -14,155 +14,166 @@ msgstr "" #: autoop.cpp:154 msgid "List all users" -msgstr "" +msgstr "Laat alle gebruikers zien" #: autoop.cpp:156 autoop.cpp:159 msgid " [channel] ..." -msgstr "" +msgstr " [kanaal] ..." #: autoop.cpp:157 msgid "Adds channels to a user" -msgstr "" +msgstr "Voegt kanaal toe aan een gebruiker" #: autoop.cpp:160 msgid "Removes channels from a user" -msgstr "" +msgstr "Verwijdert kanaal van een gebruiker" #: autoop.cpp:162 autoop.cpp:165 msgid " ,[mask] ..." -msgstr "" +msgstr " ,[masker] ..." #: autoop.cpp:163 msgid "Adds masks to a user" -msgstr "" +msgstr "Voegt masker toe aan gebruiker" #: autoop.cpp:166 msgid "Removes masks from a user" -msgstr "" +msgstr "Verwijdert masker van gebruiker" #: autoop.cpp:169 msgid " [,...] [channels]" -msgstr "" +msgstr " [,...] [kanalen]" #: autoop.cpp:170 msgid "Adds a user" -msgstr "" +msgstr "Voegt een gebruiker toe" #: autoop.cpp:172 msgid "" -msgstr "" +msgstr "" #: autoop.cpp:172 msgid "Removes a user" -msgstr "" +msgstr "Verwijdert een gebruiker" #: autoop.cpp:275 msgid "Usage: AddUser [,...] [channels]" msgstr "" +"Gebruik: AddUser [,...] " +"[kanalen]" #: autoop.cpp:291 msgid "Usage: DelUser " -msgstr "" +msgstr "Gebruik: DelUser " #: autoop.cpp:300 msgid "There are no users defined" -msgstr "" +msgstr "Er zijn geen gebruikers gedefinieerd" #: autoop.cpp:306 autoop.cpp:317 autoop.cpp:321 autoop.cpp:323 msgid "User" -msgstr "" +msgstr "Gebruiker" #: autoop.cpp:307 autoop.cpp:325 msgid "Hostmasks" -msgstr "" +msgstr "Hostmaskers" #: autoop.cpp:308 autoop.cpp:318 msgid "Key" -msgstr "" +msgstr "Sleutel" #: autoop.cpp:309 autoop.cpp:319 msgid "Channels" -msgstr "" +msgstr "Kanalen" #: autoop.cpp:337 msgid "Usage: AddChans [channel] ..." -msgstr "" +msgstr "Gebruik: AddChans [kanaal] ..." #: autoop.cpp:344 autoop.cpp:365 autoop.cpp:387 autoop.cpp:408 autoop.cpp:472 msgid "No such user" -msgstr "" +msgstr "Gebruiker onbekend" #: autoop.cpp:349 msgid "Channel(s) added to user {1}" -msgstr "" +msgstr "Kana(a)l(en) toegevoegd aan gebruiker {1}" #: autoop.cpp:358 msgid "Usage: DelChans [channel] ..." -msgstr "" +msgstr "Gebruik: DelChans [kanaal] ..." #: autoop.cpp:371 msgid "Channel(s) Removed from user {1}" -msgstr "" +msgstr "Kana(a)l(en) verwijderd van gebruiker {1}" #: autoop.cpp:380 msgid "Usage: AddMasks ,[mask] ..." -msgstr "" +msgstr "Gebruik: AddMasks ,[masker] ..." #: autoop.cpp:392 msgid "Hostmasks(s) added to user {1}" -msgstr "" +msgstr "Hostmasker(s) toegevoegd aan gebruiker {1}" #: autoop.cpp:401 msgid "Usage: DelMasks ,[mask] ..." -msgstr "" +msgstr "Gebruik: DelMasks ,[masker] ..." #: autoop.cpp:413 msgid "Removed user {1} with key {2} and channels {3}" -msgstr "" +msgstr "Gebruiker {1} met sleutel {2} en kanalen {3} verwijderd" #: autoop.cpp:419 msgid "Hostmasks(s) Removed from user {1}" -msgstr "" +msgstr "Hostmasker(s) verwijderd van gebruiker {1}" #: autoop.cpp:478 msgid "User {1} removed" -msgstr "" +msgstr "Gebruiker {1} verwijderd" #: autoop.cpp:484 msgid "That user already exists" -msgstr "" +msgstr "Die gebruiker bestaat al" #: autoop.cpp:490 msgid "User {1} added with hostmask(s) {2}" -msgstr "" +msgstr "Gebruiker {1} toegevoegd met hostmasker(s) {2}" #: autoop.cpp:532 msgid "" "[{1}] sent us a challenge but they are not opped in any defined channels." msgstr "" +"[{1}] heeft ons een uitdaging gestuurd maar zijn geen beheerder in enige " +"gedefinieerde kanalen." #: autoop.cpp:536 msgid "[{1}] sent us a challenge but they do not match a defined user." msgstr "" +"[{1}] heeft ons een uitdaging gestuurd maar past niet bij een gedefinieerde " +"gebruiker." #: autoop.cpp:544 msgid "WARNING! [{1}] sent an invalid challenge." -msgstr "" +msgstr "WAARSCHUWING! [{1}] heeft een ongeldige uitdaging gestuurd." #: autoop.cpp:560 msgid "[{1}] sent an unchallenged response. This could be due to lag." msgstr "" +"[{1}] heeft een ongeldige uitdaging gestuurd. Dit kan door vertraging komen." #: autoop.cpp:577 msgid "" "WARNING! [{1}] sent a bad response. Please verify that you have their " "correct password." msgstr "" +"WAARSCHUWING! [{1}] heeft een verkeerd antwoord gestuurd. Controleer of je " +"hun juiste wachtwoord hebt." #: autoop.cpp:586 msgid "WARNING! [{1}] sent a response but did not match any defined users." msgstr "" +"WAARSCHUWING! [{1}] heeft een antwoord verstuurd maar past niet bij een " +"gedefinieerde gebruiker." #: autoop.cpp:644 msgid "Auto op the good people" -msgstr "" +msgstr "Geeft goede gebruikers automatisch beheerderrechten" diff --git a/modules/po/autoreply.nl_NL.po b/modules/po/autoreply.nl_NL.po index dbbb922e..5ab7f684 100644 --- a/modules/po/autoreply.nl_NL.po +++ b/modules/po/autoreply.nl_NL.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.7.x/modules/po/autoreply.pot\n" +"X-Crowdin-File: /master/modules/po/autoreply.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Dutch\n" @@ -14,30 +14,32 @@ msgstr "" #: autoreply.cpp:25 msgid "" -msgstr "" +msgstr "" #: autoreply.cpp:25 msgid "Sets a new reply" -msgstr "" +msgstr "Stelt een nieuw antwoord in" #: autoreply.cpp:27 msgid "Displays the current query reply" -msgstr "" +msgstr "Laat het huidige antwoord zien" #: autoreply.cpp:75 msgid "Current reply is: {1} ({2})" -msgstr "" +msgstr "Huidige antwoord is: {1} ({2})" #: autoreply.cpp:81 msgid "New reply set to: {1} ({2})" -msgstr "" +msgstr "Nieuw antwoord is ingesteld op: {1} ({2})" #: autoreply.cpp:94 msgid "" "You might specify a reply text. It is used when automatically answering " "queries, if you are not connected to ZNC." msgstr "" +"Je kan een automatisch antwoord instellen die gebruikt wordt als je niet " +"verbonden bent met ZNC." #: autoreply.cpp:98 msgid "Reply to queries when you are away" -msgstr "" +msgstr "Antwoord op privé berichten wanneer je afwezig bent" diff --git a/modules/po/autovoice.nl_NL.po b/modules/po/autovoice.nl_NL.po index 1680b8cb..30778607 100644 --- a/modules/po/autovoice.nl_NL.po +++ b/modules/po/autovoice.nl_NL.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.7.x/modules/po/autovoice.pot\n" +"X-Crowdin-File: /master/modules/po/autovoice.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Dutch\n" @@ -14,98 +14,101 @@ msgstr "" #: autovoice.cpp:120 msgid "List all users" -msgstr "" +msgstr "Laat alle gebruikers zien" #: autovoice.cpp:122 autovoice.cpp:125 msgid " [channel] ..." -msgstr "" +msgstr " [kanaal] ..." #: autovoice.cpp:123 msgid "Adds channels to a user" -msgstr "" +msgstr "Voegt kanalen toe aan een gebruiker" #: autovoice.cpp:126 msgid "Removes channels from a user" -msgstr "" +msgstr "Verwijdert kanalen van een gebruiker" #: autovoice.cpp:128 msgid " [channels]" -msgstr "" +msgstr " [kanalen]" #: autovoice.cpp:129 msgid "Adds a user" -msgstr "" +msgstr "Voegt een gebruiker toe" #: autovoice.cpp:131 msgid "" -msgstr "" +msgstr "" #: autovoice.cpp:131 msgid "Removes a user" -msgstr "" +msgstr "Verwijdert een gebruiker" #: autovoice.cpp:215 msgid "Usage: AddUser [channels]" -msgstr "" +msgstr "Gebruik: AddUser [kanalen]" #: autovoice.cpp:229 msgid "Usage: DelUser " -msgstr "" +msgstr "Gebruik: DelUser " #: autovoice.cpp:238 msgid "There are no users defined" -msgstr "" +msgstr "Er zijn geen gebruikers gedefinieerd" #: autovoice.cpp:244 autovoice.cpp:250 msgid "User" -msgstr "" +msgstr "Gebruiker" #: autovoice.cpp:245 autovoice.cpp:251 msgid "Hostmask" -msgstr "" +msgstr "Hostmasker" #: autovoice.cpp:246 autovoice.cpp:252 msgid "Channels" -msgstr "" +msgstr "Kanalen" #: autovoice.cpp:263 msgid "Usage: AddChans [channel] ..." -msgstr "" +msgstr "Gebruik: AddChans [kanaal] ..." #: autovoice.cpp:270 autovoice.cpp:292 autovoice.cpp:329 msgid "No such user" -msgstr "" +msgstr "Deze gebruiker bestaat niet" #: autovoice.cpp:275 msgid "Channel(s) added to user {1}" -msgstr "" +msgstr "Kana(a)l(en) toegevoegd aan gebruiker {1}" #: autovoice.cpp:285 msgid "Usage: DelChans [channel] ..." -msgstr "" +msgstr "Gebruik: DelChans [kanaal] ..." #: autovoice.cpp:298 msgid "Channel(s) Removed from user {1}" -msgstr "" +msgstr "Kana(a)l(en) verwijderd van gebruiker {1}" #: autovoice.cpp:335 msgid "User {1} removed" -msgstr "" +msgstr "Gebruiker {1} verwijderd" #: autovoice.cpp:341 msgid "That user already exists" -msgstr "" +msgstr "Die gebruiker bestaat al" #: autovoice.cpp:347 msgid "User {1} added with hostmask {2}" -msgstr "" +msgstr "Gebruiker {1} toegevoegd met hostmasker {2}" #: autovoice.cpp:360 msgid "" "Each argument is either a channel you want autovoice for (which can include " "wildcards) or, if it starts with !, it is an exception for autovoice." msgstr "" +"Elk argument is een kanaal waar je autovoice in wilt stellen (jokers mogen " +"gebruikt worden), of, als het begint met !, dan is het een uitzondering voor " +"autovoice." #: autovoice.cpp:365 msgid "Auto voice the good people" -msgstr "" +msgstr "Geeft goede gebruikers automatisch een stem" diff --git a/modules/po/awaystore.nl_NL.po b/modules/po/awaystore.nl_NL.po index 52f8c9b3..6361c864 100644 --- a/modules/po/awaystore.nl_NL.po +++ b/modules/po/awaystore.nl_NL.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.7.x/modules/po/awaystore.pot\n" +"X-Crowdin-File: /master/modules/po/awaystore.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Dutch\n" @@ -14,97 +14,104 @@ msgstr "" #: awaystore.cpp:67 msgid "You have been marked as away" -msgstr "" +msgstr "Je bent gemarkeerd als afwezig" #: awaystore.cpp:78 awaystore.cpp:385 awaystore.cpp:388 msgid "Welcome back!" -msgstr "" +msgstr "Welkom terug!" #: awaystore.cpp:100 msgid "Deleted {1} messages" -msgstr "" +msgstr "{1} bericht(en) verwijderd" #: awaystore.cpp:104 msgid "USAGE: delete " -msgstr "" +msgstr "Gebruik: delete " #: awaystore.cpp:109 msgid "Illegal message # requested" -msgstr "" +msgstr "Onjuist berichtnummer aangevraagd" #: awaystore.cpp:113 msgid "Message erased" -msgstr "" +msgstr "Bericht verwijderd" #: awaystore.cpp:122 msgid "Messages saved to disk" -msgstr "" +msgstr "Bericht opgeslagen naar schijf" #: awaystore.cpp:124 msgid "There are no messages to save" -msgstr "" +msgstr "Er zijn geen berichten om op te slaan" #: awaystore.cpp:135 msgid "Password updated to [{1}]" -msgstr "" +msgstr "Wachtwoord bijgewerkt naar [{1}]" #: awaystore.cpp:147 msgid "Corrupt message! [{1}]" -msgstr "" +msgstr "Corrupt bericht! [{1}]" #: awaystore.cpp:159 msgid "Corrupt time stamp! [{1}]" -msgstr "" +msgstr "Corrupte tijdstempel! [{1}]" #: awaystore.cpp:178 msgid "#--- End of messages" -msgstr "" +msgstr "#--- Eind van berichten" #: awaystore.cpp:183 msgid "Timer set to 300 seconds" -msgstr "" +msgstr "Timer ingesteld op 300 seconden" #: awaystore.cpp:188 awaystore.cpp:197 msgid "Timer disabled" -msgstr "" +msgstr "Timer uitgeschakeld" #: awaystore.cpp:199 msgid "Timer set to {1} seconds" -msgstr "" +msgstr "Timer ingesteld op {1} second(en)" #: awaystore.cpp:203 msgid "Current timer setting: {1} seconds" -msgstr "" +msgstr "Huidige timer instelling: {1} second(en)" #: awaystore.cpp:278 msgid "This module needs as an argument a keyphrase used for encryption" msgstr "" +"These module heeft een wachtwoord als argument nodig voor versleuteling" #: awaystore.cpp:285 msgid "" "Failed to decrypt your saved messages - Did you give the right encryption " "key as an argument to this module?" msgstr "" +"Ontsleutelen van opgeslagen berichten mislukt - Heb je wel het juiste " +"wachtwoord als argument voor deze module ingevoerd?" #: awaystore.cpp:386 awaystore.cpp:389 msgid "You have {1} messages!" -msgstr "" +msgstr "Je hebt {1} bericht(en)!" #: awaystore.cpp:456 msgid "Unable to find buffer" -msgstr "" +msgstr "Buffer niet gevonden" #: awaystore.cpp:469 msgid "Unable to decode encrypted messages" -msgstr "" +msgstr "Niet mogelijk om versleutelde bericht(en) te ontsleutelen" #: awaystore.cpp:516 msgid "" "[ -notimer | -timer N ] [-chans] passw0rd . N is number of seconds, 600 by " "default." msgstr "" +"[ -notimer | -timer N ] [-kanalen] wachtw00rd . N is het aantal seconden, " +"standaard is dit 600." #: awaystore.cpp:521 msgid "" "Adds auto-away with logging, useful when you use ZNC from different locations" msgstr "" +"Voegt automatisch afwezig met bijhouden van logboek, Handig wanneer je ZNC " +"van meerdere locaties gebruikt" diff --git a/modules/po/block_motd.nl_NL.po b/modules/po/block_motd.nl_NL.po index ec935961..76b43ac4 100644 --- a/modules/po/block_motd.nl_NL.po +++ b/modules/po/block_motd.nl_NL.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.7.x/modules/po/block_motd.pot\n" +"X-Crowdin-File: /master/modules/po/block_motd.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Dutch\n" @@ -14,22 +14,25 @@ msgstr "" #: block_motd.cpp:26 msgid "[]" -msgstr "" +msgstr "[]" #: block_motd.cpp:27 msgid "" "Override the block with this command. Can optionally specify which server to " "query." msgstr "" +"Forceer dit blok met dit commando. Kan optioneel ingeven welke server te " +"vragen." #: block_motd.cpp:36 msgid "You are not connected to an IRC Server." -msgstr "" +msgstr "Je bent niet verbonden met een IRC server." #: block_motd.cpp:58 msgid "MOTD blocked by ZNC" -msgstr "" +msgstr "MOTD geblokkeerd door ZNC" #: block_motd.cpp:104 msgid "Block the MOTD from IRC so it's not sent to your client(s)." msgstr "" +"Blokkeert de MOTD van IRC zodat deze niet naar je client(s) verstuurd wordt." diff --git a/modules/po/blockuser.nl_NL.po b/modules/po/blockuser.nl_NL.po index 88999c9e..f0e190a2 100644 --- a/modules/po/blockuser.nl_NL.po +++ b/modules/po/blockuser.nl_NL.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.7.x/modules/po/blockuser.pot\n" +"X-Crowdin-File: /master/modules/po/blockuser.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Dutch\n" @@ -14,84 +14,84 @@ msgstr "" #: modules/po/../data/blockuser/tmpl/blockuser_WebadminUser.tmpl:9 msgid "Account is blocked" -msgstr "" +msgstr "Account is geblokkeerd" #: blockuser.cpp:23 msgid "Your account has been disabled. Contact your administrator." -msgstr "" +msgstr "Je account is uitgeschakeld. Neem contact op met de beheerder." #: blockuser.cpp:29 msgid "List blocked users" -msgstr "" +msgstr "Laat geblokkeerde gebruikers zien" #: blockuser.cpp:31 blockuser.cpp:33 msgid "" -msgstr "" +msgstr "" #: blockuser.cpp:31 msgid "Block a user" -msgstr "" +msgstr "Gebruiker blokkeren" #: blockuser.cpp:33 msgid "Unblock a user" -msgstr "" +msgstr "Gebruiker deblokkeren" #: blockuser.cpp:55 msgid "Could not block {1}" -msgstr "" +msgstr "Kon {1} niet blokkeren" #: blockuser.cpp:76 msgid "Access denied" -msgstr "" +msgstr "Toegang geweigerd" #: blockuser.cpp:85 msgid "No users are blocked" -msgstr "" +msgstr "Geen gebruikers zijn geblokkeerd" #: blockuser.cpp:88 msgid "Blocked users:" -msgstr "" +msgstr "Geblokkeerde gebruikers:" #: blockuser.cpp:100 msgid "Usage: Block " -msgstr "" +msgstr "Gebruik: Block " #: blockuser.cpp:105 blockuser.cpp:147 msgid "You can't block yourself" -msgstr "" +msgstr "Je kan jezelf niet blokkeren" #: blockuser.cpp:110 blockuser.cpp:152 msgid "Blocked {1}" -msgstr "" +msgstr "{1} geblokkeerd" #: blockuser.cpp:112 msgid "Could not block {1} (misspelled?)" -msgstr "" +msgstr "Kon {1} niet blokkeren (onjuist gespeld?)" #: blockuser.cpp:120 msgid "Usage: Unblock " -msgstr "" +msgstr "Gebruik: Unblock " #: blockuser.cpp:125 blockuser.cpp:161 msgid "Unblocked {1}" -msgstr "" +msgstr "{1} gedeblokkeerd" #: blockuser.cpp:127 msgid "This user is not blocked" -msgstr "" +msgstr "Deze gebruiker is niet geblokkeerd" #: blockuser.cpp:155 msgid "Couldn't block {1}" -msgstr "" +msgstr "Kon {1} niet blokkeren" #: blockuser.cpp:164 msgid "User {1} is not blocked" -msgstr "" +msgstr "Gebruiker {1} is niet geblokkeerd" #: blockuser.cpp:216 msgid "Enter one or more user names. Separate them by spaces." -msgstr "" +msgstr "Voer één of meer namen in. Scheid deze met spaties." #: blockuser.cpp:219 msgid "Block certain users from logging in." -msgstr "" +msgstr "Blokkeer inloggen door bepaalde gebruikers." diff --git a/modules/po/bouncedcc.nl_NL.po b/modules/po/bouncedcc.nl_NL.po index 88e36f8e..729782ec 100644 --- a/modules/po/bouncedcc.nl_NL.po +++ b/modules/po/bouncedcc.nl_NL.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.7.x/modules/po/bouncedcc.pot\n" +"X-Crowdin-File: /master/modules/po/bouncedcc.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Dutch\n" @@ -15,117 +15,122 @@ msgstr "" #: bouncedcc.cpp:101 bouncedcc.cpp:119 bouncedcc.cpp:121 msgctxt "list" msgid "Type" -msgstr "" +msgstr "Type" #: bouncedcc.cpp:102 bouncedcc.cpp:132 msgctxt "list" msgid "State" -msgstr "" +msgstr "Status" #: bouncedcc.cpp:103 msgctxt "list" msgid "Speed" -msgstr "" +msgstr "Snelheid" #: bouncedcc.cpp:104 bouncedcc.cpp:115 msgctxt "list" msgid "Nick" -msgstr "" +msgstr "Naam" #: bouncedcc.cpp:105 bouncedcc.cpp:116 msgctxt "list" msgid "IP" -msgstr "" +msgstr "IP-adres" #: bouncedcc.cpp:106 bouncedcc.cpp:122 msgctxt "list" msgid "File" -msgstr "" +msgstr "Bestand" #: bouncedcc.cpp:119 msgctxt "list" msgid "Chat" -msgstr "" +msgstr "Chat" #: bouncedcc.cpp:121 msgctxt "list" msgid "Xfer" -msgstr "" +msgstr "Overdracht" #: bouncedcc.cpp:125 msgid "Waiting" -msgstr "" +msgstr "Wachten" #: bouncedcc.cpp:127 msgid "Halfway" -msgstr "" +msgstr "Halverwege" #: bouncedcc.cpp:129 msgid "Connected" -msgstr "" +msgstr "Verbonden" #: bouncedcc.cpp:137 msgid "You have no active DCCs." -msgstr "" +msgstr "Je hebt geen actieve DCCs." #: bouncedcc.cpp:148 msgid "Use client IP: {1}" -msgstr "" +msgstr "Gebruik client IP: {1}" #: bouncedcc.cpp:153 msgid "List all active DCCs" -msgstr "" +msgstr "Laat alle actieve DCCs zien" #: bouncedcc.cpp:156 msgid "Change the option to use IP of client" -msgstr "" +msgstr "Verander de optie om het IP van de client te gebruiken" #: bouncedcc.cpp:383 bouncedcc.cpp:412 bouncedcc.cpp:436 bouncedcc.cpp:451 msgctxt "type" msgid "Chat" -msgstr "" +msgstr "Chat" #: bouncedcc.cpp:383 bouncedcc.cpp:412 bouncedcc.cpp:436 bouncedcc.cpp:451 msgctxt "type" msgid "Xfer" -msgstr "" +msgstr "Overdracht" #: bouncedcc.cpp:385 msgid "DCC {1} Bounce ({2}): Too long line received" -msgstr "" +msgstr "DCC {1} Bounce ({2}): Te lange regel ontvangen" #: bouncedcc.cpp:418 msgid "DCC {1} Bounce ({2}): Timeout while connecting to {3} {4}" -msgstr "" +msgstr "DCC {1} Bounce ({2}): Time-out tijdens verbinden naar {3} {4}" #: bouncedcc.cpp:422 msgid "DCC {1} Bounce ({2}): Timeout while connecting." -msgstr "" +msgstr "DCC {1} Bounce ({2}): Time-out tijdens verbinden." #: bouncedcc.cpp:427 msgid "" "DCC {1} Bounce ({2}): Timeout while waiting for incoming connection on {3} " "{4}" msgstr "" +"DCC {1} Bounce ({2}): Time-out tijdens wachten op inkomende verbinding op " +"{3} {4}" #: bouncedcc.cpp:440 msgid "DCC {1} Bounce ({2}): Connection refused while connecting to {3} {4}" msgstr "" +"DCC {1} Bounce ({2}): Verbinding geweigerd tijdens verbinden naar {3} {4}" #: bouncedcc.cpp:444 msgid "DCC {1} Bounce ({2}): Connection refused while connecting." -msgstr "" +msgstr "DCC {1} Bounce ({2}): Verbinding gewijgerd tijdens verbinden." #: bouncedcc.cpp:457 bouncedcc.cpp:465 msgid "DCC {1} Bounce ({2}): Socket error on {3} {4}: {5}" -msgstr "" +msgstr "DCC {1} Bounce ({2}): Socket foutmelding op {3} {4}: {5}" #: bouncedcc.cpp:460 msgid "DCC {1} Bounce ({2}): Socket error: {3}" -msgstr "" +msgstr "DCC {1} Bounce ({2}): Socket foutmelding: {3}" #: bouncedcc.cpp:547 msgid "" "Bounces DCC transfers through ZNC instead of sending them directly to the " "user. " msgstr "" +"Bounced DCC overdrachten door ZNC in plaats van direct naar de gebruiker te " +"versturen." diff --git a/modules/po/buffextras.nl_NL.po b/modules/po/buffextras.nl_NL.po index 27f3956d..919967c7 100644 --- a/modules/po/buffextras.nl_NL.po +++ b/modules/po/buffextras.nl_NL.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.7.x/modules/po/buffextras.pot\n" +"X-Crowdin-File: /master/modules/po/buffextras.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Dutch\n" @@ -14,36 +14,36 @@ msgstr "" #: buffextras.cpp:45 msgid "Server" -msgstr "" +msgstr "Server" #: buffextras.cpp:47 msgid "{1} set mode: {2} {3}" -msgstr "" +msgstr "{1} steld modus in: {2} {3}" #: buffextras.cpp:55 msgid "{1} kicked {2} with reason: {3}" -msgstr "" +msgstr "{1} schopt {2} met reden: {3}" #: buffextras.cpp:64 msgid "{1} quit: {2}" -msgstr "" +msgstr "{1} stopt: {2}" #: buffextras.cpp:73 msgid "{1} joined" -msgstr "" +msgstr "{1} komt binnen" #: buffextras.cpp:81 msgid "{1} parted: {2}" -msgstr "" +msgstr "{1} verlaat: {2}" #: buffextras.cpp:90 msgid "{1} is now known as {2}" -msgstr "" +msgstr "{1} staat nu bekend als {2}" #: buffextras.cpp:100 msgid "{1} changed the topic to: {2}" -msgstr "" +msgstr "{1} veranderd het onderwerp naar: {2}" #: buffextras.cpp:115 msgid "Adds joins, parts etc. to the playback buffer" -msgstr "" +msgstr "Voegt binnenkomers, verlaters enz. toe aan de terugspeel buffer" diff --git a/modules/po/cert.nl_NL.po b/modules/po/cert.nl_NL.po index d64bf801..471cd7c7 100644 --- a/modules/po/cert.nl_NL.po +++ b/modules/po/cert.nl_NL.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.7.x/modules/po/cert.pot\n" +"X-Crowdin-File: /master/modules/po/cert.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Dutch\n" @@ -15,7 +15,7 @@ msgstr "" # this text is inserted into `click here` in the other string #: modules/po/../data/cert/tmpl/index.tmpl:5 msgid "here" -msgstr "" +msgstr "hier" # {1} is `here`, translateable in the other string #: modules/po/../data/cert/tmpl/index.tmpl:6 @@ -23,53 +23,59 @@ msgid "" "You already have a certificate set, use the form below to overwrite the " "current certificate. Alternatively click {1} to delete your certificate." msgstr "" +"Je hebt al een certificaat ingesteld, gebruik het onderstaande formulier om " +"deze te overschrijven. Of klik op {1} om je certificaat te verwijderen." #: modules/po/../data/cert/tmpl/index.tmpl:8 msgid "You do not have a certificate yet." -msgstr "" +msgstr "Je hebt nog geen certificaat." #: modules/po/../data/cert/tmpl/index.tmpl:14 cert.cpp:72 msgid "Certificate" -msgstr "" +msgstr "Certificaat" #: modules/po/../data/cert/tmpl/index.tmpl:18 msgid "PEM File:" -msgstr "" +msgstr "PEM Bestand:" #: modules/po/../data/cert/tmpl/index.tmpl:22 msgid "Update" -msgstr "" +msgstr "Bijwerken" #: cert.cpp:28 msgid "Pem file deleted" -msgstr "" +msgstr "PEM bestand verwijderd" #: cert.cpp:31 msgid "The pem file doesn't exist or there was a error deleting the pem file." msgstr "" +"Het PEM bestand bestsaat niet of er was een foutmelding tijdens het " +"verwijderen van het PEM bestand." #: cert.cpp:38 msgid "You have a certificate in {1}" -msgstr "" +msgstr "Je hebt een certificaat in {1}" #: cert.cpp:41 msgid "" "You do not have a certificate. Please use the web interface to add a " "certificate" msgstr "" +"Je hebt geen certificaat. Gebruik de webomgeving om een certificaat toe te " +"voegen" #: cert.cpp:44 msgid "Alternatively you can either place one at {1}" -msgstr "" +msgstr "In plaats daarvan kan je deze ook plaatsen in {1}" #: cert.cpp:52 msgid "Delete the current certificate" -msgstr "" +msgstr "Verwijder het huidige certificaat" #: cert.cpp:54 msgid "Show the current certificate" -msgstr "" +msgstr "Laat het huidige certificaat zien" #: cert.cpp:105 msgid "Use a ssl certificate to connect to a server" -msgstr "" +msgstr "Gebruik een SSL certificaat om te verbinden naar de server" diff --git a/modules/po/certauth.nl_NL.po b/modules/po/certauth.nl_NL.po index bcb1223e..adbd8618 100644 --- a/modules/po/certauth.nl_NL.po +++ b/modules/po/certauth.nl_NL.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.7.x/modules/po/certauth.pot\n" +"X-Crowdin-File: /master/modules/po/certauth.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Dutch\n" @@ -14,95 +14,98 @@ msgstr "" #: modules/po/../data/certauth/tmpl/index.tmpl:7 msgid "Add a key" -msgstr "" +msgstr "Voeg een sleutel toe" #: modules/po/../data/certauth/tmpl/index.tmpl:11 msgid "Key:" -msgstr "" +msgstr "Sleutel:" #: modules/po/../data/certauth/tmpl/index.tmpl:15 msgid "Add Key" -msgstr "" +msgstr "Voeg sleutel toe" #: modules/po/../data/certauth/tmpl/index.tmpl:23 msgid "You have no keys." -msgstr "" +msgstr "Je hebt geen sleutels." #: modules/po/../data/certauth/tmpl/index.tmpl:30 msgctxt "web" msgid "Key" -msgstr "" +msgstr "Sleutel" #: modules/po/../data/certauth/tmpl/index.tmpl:36 msgid "del" -msgstr "" +msgstr "Verwijder" #: certauth.cpp:31 msgid "[pubkey]" -msgstr "" +msgstr "[publieke sleutel]" #: certauth.cpp:32 msgid "Add a public key. If key is not provided will use the current key" msgstr "" +"Voeg een publieke sleutel toe. Als deze niet ingevoerd word zal de huidige " +"sleutel gebruikt worden" #: certauth.cpp:35 msgid "id" -msgstr "" +msgstr "id" #: certauth.cpp:35 msgid "Delete a key by its number in List" -msgstr "" +msgstr "Verwijder een sleutel naar aanleiding van het nummer in de lijst" #: certauth.cpp:37 msgid "List your public keys" -msgstr "" +msgstr "Laat je publieke sleutels zien" #: certauth.cpp:39 msgid "Print your current key" -msgstr "" +msgstr "Laat je huidige sleutel zien" #: certauth.cpp:142 msgid "You are not connected with any valid public key" -msgstr "" +msgstr "Je bent niet verbonden met een geldige publieke sleutel" #: certauth.cpp:144 msgid "Your current public key is: {1}" -msgstr "" +msgstr "Je huidige publieke slutel is: {1}" #: certauth.cpp:157 msgid "You did not supply a public key or connect with one." -msgstr "" +msgstr "Je hebt geen publieke sleutel ingevoerd of verbonden hiermee." #: certauth.cpp:160 msgid "Key '{1}' added." -msgstr "" +msgstr "Sleutel '{1}' toegevoegd." #: certauth.cpp:162 msgid "The key '{1}' is already added." -msgstr "" +msgstr "De sleutel '{1}' is al toegevoegd." #: certauth.cpp:170 certauth.cpp:182 msgctxt "list" msgid "Id" -msgstr "" +msgstr "Id" #: certauth.cpp:171 certauth.cpp:183 msgctxt "list" msgid "Key" -msgstr "" +msgstr "Sleutel" #: certauth.cpp:175 certauth.cpp:189 certauth.cpp:198 msgid "No keys set for your user" -msgstr "" +msgstr "Geen sleutels ingesteld voor gebruiker" #: certauth.cpp:203 msgid "Invalid #, check \"list\"" -msgstr "" +msgstr "Ongeldig #, controleer \"list\"" #: certauth.cpp:215 msgid "Removed" -msgstr "" +msgstr "Verwijderd" #: certauth.cpp:290 msgid "Allows users to authenticate via SSL client certificates." msgstr "" +"Staat gebruikers toe zich te identificeren via SSL client certificaten." diff --git a/modules/po/chansaver.nl_NL.po b/modules/po/chansaver.nl_NL.po index b71687ab..54fb629f 100644 --- a/modules/po/chansaver.nl_NL.po +++ b/modules/po/chansaver.nl_NL.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.7.x/modules/po/chansaver.pot\n" +"X-Crowdin-File: /master/modules/po/chansaver.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Dutch\n" @@ -14,4 +14,4 @@ msgstr "" #: chansaver.cpp:91 msgid "Keeps config up-to-date when user joins/parts." -msgstr "" +msgstr "Houd de configuratie up-to-date wanneer gebruiks binnenkomen/verlaten." diff --git a/modules/po/clearbufferonmsg.nl_NL.po b/modules/po/clearbufferonmsg.nl_NL.po index 05ab6b35..7662cf56 100644 --- a/modules/po/clearbufferonmsg.nl_NL.po +++ b/modules/po/clearbufferonmsg.nl_NL.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.7.x/modules/po/clearbufferonmsg.pot\n" +"X-Crowdin-File: /master/modules/po/clearbufferonmsg.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Dutch\n" @@ -15,3 +15,4 @@ msgstr "" #: clearbufferonmsg.cpp:160 msgid "Clears all channel and query buffers whenever the user does something" msgstr "" +"Schoont alle kanaal en privébericht buffers op wanneer de gebruiker iets doet" diff --git a/modules/po/clientnotify.nl_NL.po b/modules/po/clientnotify.nl_NL.po index 782c8638..485a21ee 100644 --- a/modules/po/clientnotify.nl_NL.po +++ b/modules/po/clientnotify.nl_NL.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.7.x/modules/po/clientnotify.pot\n" +"X-Crowdin-File: /master/modules/po/clientnotify.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Dutch\n" @@ -14,27 +14,27 @@ msgstr "" #: clientnotify.cpp:47 msgid "" -msgstr "" +msgstr "" #: clientnotify.cpp:48 msgid "Sets the notify method" -msgstr "" +msgstr "Stelt de notificatiemethode in" #: clientnotify.cpp:50 clientnotify.cpp:54 msgid "" -msgstr "" +msgstr "" #: clientnotify.cpp:51 msgid "Turns notifications for unseen IP addresses on or off" -msgstr "" +msgstr "Schakelt notificaties voor ongeziene IP-adressen in of uit" #: clientnotify.cpp:55 msgid "Turns notifications for clients disconnecting on or off" -msgstr "" +msgstr "Schakelt notificaties voor clients die loskoppelen aan of uit" #: clientnotify.cpp:57 msgid "Shows the current settings" -msgstr "" +msgstr "Laat de huidige instellingen zien" #: clientnotify.cpp:81 clientnotify.cpp:95 msgid "" @@ -43,31 +43,37 @@ msgid_plural "" "see all {1} clients." msgstr[0] "" msgstr[1] "" +"Een andere client heeft zich als jouw gebruiker geïdentificeerd. Gebruik het " +"'ListClients' commando om alle {1} clients te zien." #: clientnotify.cpp:108 msgid "Usage: Method " -msgstr "" +msgstr "Gebruik: Method " #: clientnotify.cpp:114 clientnotify.cpp:127 clientnotify.cpp:140 msgid "Saved." -msgstr "" +msgstr "Opgeslagen." #: clientnotify.cpp:121 msgid "Usage: NewOnly " -msgstr "" +msgstr "Gebruik: NewOnly " #: clientnotify.cpp:134 msgid "Usage: OnDisconnect " -msgstr "" +msgstr "Gebruik: OnDisconnect " #: clientnotify.cpp:145 msgid "" "Current settings: Method: {1}, for unseen IP addresses only: {2}, notify on " "disconnecting clients: {3}" msgstr "" +"Huidige instellingen: Method: {1}, alleen voor ongeziene IP-addressen: {2}, " +"notificatie wanneer clients loskoppelen: {3}" #: clientnotify.cpp:157 msgid "" "Notifies you when another IRC client logs into or out of your account. " "Configurable." msgstr "" +"Laat je weten wanneer een andere IRC client in of uitlogd op jouw account. " +"Configureerbaar." diff --git a/modules/po/controlpanel.nl_NL.po b/modules/po/controlpanel.nl_NL.po index 90cb78f0..1d5891f6 100644 --- a/modules/po/controlpanel.nl_NL.po +++ b/modules/po/controlpanel.nl_NL.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.7.x/modules/po/controlpanel.pot\n" +"X-Crowdin-File: /master/modules/po/controlpanel.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Dutch\n" @@ -15,704 +15,742 @@ msgstr "" #: controlpanel.cpp:51 controlpanel.cpp:63 msgctxt "helptable" msgid "Type" -msgstr "" +msgstr "Type" #: controlpanel.cpp:52 controlpanel.cpp:65 msgctxt "helptable" msgid "Variables" -msgstr "" +msgstr "Variabelen" #: controlpanel.cpp:77 msgid "String" -msgstr "" +msgstr "Tekenreeks" #: controlpanel.cpp:78 msgid "Boolean (true/false)" -msgstr "" +msgstr "Boolean (waar/onwaar)" #: controlpanel.cpp:79 msgid "Integer" -msgstr "" +msgstr "Heel getal" #: controlpanel.cpp:80 msgid "Number" -msgstr "" +msgstr "Nummer" #: controlpanel.cpp:123 msgid "The following variables are available when using the Set/Get commands:" msgstr "" +"De volgende variabelen zijn beschikbaar bij het gebruik van de Set/Get " +"commando's:" #: controlpanel.cpp:146 msgid "" "The following variables are available when using the SetNetwork/GetNetwork " "commands:" msgstr "" +"De volgende variabelen zijn beschikbaar bij het gebruik van de SetNetwork/" +"GetNetwork commando's:" #: controlpanel.cpp:159 msgid "" "The following variables are available when using the SetChan/GetChan " "commands:" msgstr "" +"De volgende variabelen zijn beschikbaar bij het gebruik van de SetChan/" +"GetChan commando's:" #: controlpanel.cpp:165 msgid "" "You can use $user as the user name and $network as the network name for " "modifying your own user and network." msgstr "" +"Je kan $user als gebruiker en $network als netwerknaam gebruiken bij het " +"aanpassen van je eigen gebruiker en network." #: controlpanel.cpp:174 controlpanel.cpp:961 controlpanel.cpp:998 msgid "Error: User [{1}] does not exist!" -msgstr "" +msgstr "Fout: Gebruiker [{1}] bestaat niet!" #: controlpanel.cpp:179 msgid "Error: You need to have admin rights to modify other users!" msgstr "" +"Fout: Je moet beheerdersrechten hebben om andere gebruikers aan te passen!" #: controlpanel.cpp:189 msgid "Error: You cannot use $network to modify other users!" -msgstr "" +msgstr "Fout: Je kan $network niet gebruiken om andere gebruiks aan te passen!" #: controlpanel.cpp:197 msgid "Error: User {1} does not have a network named [{2}]." -msgstr "" +msgstr "Fout: Gebruiker {1} heeft geen netwerk genaamd [{2}]." #: controlpanel.cpp:209 msgid "Usage: Get [username]" -msgstr "" +msgstr "Gebruik: Get [gebruikersnaam]" #: controlpanel.cpp:299 controlpanel.cpp:502 controlpanel.cpp:577 #: controlpanel.cpp:653 controlpanel.cpp:788 controlpanel.cpp:873 msgid "Error: Unknown variable" -msgstr "" +msgstr "Fout: Onbekende variabele" #: controlpanel.cpp:308 msgid "Usage: Set " -msgstr "" +msgstr "Gebruik: Get " #: controlpanel.cpp:330 controlpanel.cpp:618 msgid "This bind host is already set!" -msgstr "" +msgstr "Deze bindhost is al ingesteld!" #: controlpanel.cpp:337 controlpanel.cpp:349 controlpanel.cpp:357 #: controlpanel.cpp:420 controlpanel.cpp:439 controlpanel.cpp:455 #: controlpanel.cpp:465 controlpanel.cpp:625 msgid "Access denied!" -msgstr "" +msgstr "Toegang geweigerd!" #: controlpanel.cpp:371 controlpanel.cpp:380 controlpanel.cpp:837 msgid "Setting failed, limit for buffer size is {1}" -msgstr "" +msgstr "Configuratie gefaald, limiet van buffer grootte is {1}" #: controlpanel.cpp:400 msgid "Password has been changed!" -msgstr "" +msgstr "Wachtwoord is aangepast!" #: controlpanel.cpp:408 msgid "Timeout can't be less than 30 seconds!" -msgstr "" +msgstr "Time-out kan niet minder dan 30 seconden zijn!" #: controlpanel.cpp:472 msgid "That would be a bad idea!" -msgstr "" +msgstr "Dat zou een slecht idee zijn!" #: controlpanel.cpp:490 msgid "Supported languages: {1}" -msgstr "" +msgstr "Ondersteunde talen: {1}" #: controlpanel.cpp:514 msgid "Usage: GetNetwork [username] [network]" -msgstr "" +msgstr "Gebruik: GetNetwork [gebruikersnaam] [netwerk]" #: controlpanel.cpp:533 msgid "Error: A network must be specified to get another users settings." msgstr "" +"Fout: Een netwerk moet ingevoerd worden om de instellingen van een andere " +"gebruiker op te halen." #: controlpanel.cpp:539 msgid "You are not currently attached to a network." -msgstr "" +msgstr "Je bent op het moment niet verbonden met een netwerk." #: controlpanel.cpp:545 msgid "Error: Invalid network." -msgstr "" +msgstr "Fout: Onjuist netwerk." #: controlpanel.cpp:589 msgid "Usage: SetNetwork " -msgstr "" +msgstr "Gebruik: SetNetwork " #: controlpanel.cpp:663 msgid "Usage: AddChan " -msgstr "" +msgstr "Gebruik: AddChan " #: controlpanel.cpp:676 msgid "Error: User {1} already has a channel named {2}." -msgstr "" +msgstr "Fout: Gebruiker {1} heeft al een kanaal genaamd {2}." #: controlpanel.cpp:683 msgid "Channel {1} for user {2} added to network {3}." -msgstr "" +msgstr "Kanaal {1} voor gebruiker {2} toegevoegd aan netwerk {3}." #: controlpanel.cpp:687 msgid "" "Could not add channel {1} for user {2} to network {3}, does it already exist?" msgstr "" +"Kon kanaal {1} voor gebruiker {2} op netwerk {3} niet toevoegen, bestaat " +"deze al?" #: controlpanel.cpp:697 msgid "Usage: DelChan " -msgstr "" +msgstr "Gebruik: DelChan " #: controlpanel.cpp:712 msgid "Error: User {1} does not have any channel matching [{2}] in network {3}" msgstr "" +"Fout: Gebruiker {1} heeft geen kanaal die overeen komt met [{2}] in netwerk " +"{3}" #: controlpanel.cpp:725 msgid "Channel {1} is deleted from network {2} of user {3}" msgid_plural "Channels {1} are deleted from network {2} of user {3}" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "Kanaal {1} is verwijderd van netwerk {2} van gebruiker {3}" +msgstr[1] "Kanalen {1} zijn verwijderd van netwerk {2} van gebruiker {3}" #: controlpanel.cpp:740 msgid "Usage: GetChan " -msgstr "" +msgstr "Gebruik: GetChan " #: controlpanel.cpp:754 controlpanel.cpp:818 msgid "Error: No channels matching [{1}] found." -msgstr "" +msgstr "Fout: Geen overeenkomst met kanalen gevonden: [{1}]." #: controlpanel.cpp:803 msgid "Usage: SetChan " msgstr "" +"Gebruik: SetChan " #: controlpanel.cpp:884 controlpanel.cpp:894 msgctxt "listusers" msgid "Username" -msgstr "" +msgstr "Gebruikersnaam" #: controlpanel.cpp:885 controlpanel.cpp:895 msgctxt "listusers" msgid "Realname" -msgstr "" +msgstr "Echte naam" #: controlpanel.cpp:886 controlpanel.cpp:898 controlpanel.cpp:900 msgctxt "listusers" msgid "IsAdmin" -msgstr "" +msgstr "IsBeheerder" #: controlpanel.cpp:887 controlpanel.cpp:901 msgctxt "listusers" msgid "Nick" -msgstr "" +msgstr "Naam" #: controlpanel.cpp:888 controlpanel.cpp:902 msgctxt "listusers" msgid "AltNick" -msgstr "" +msgstr "AlternatieveNaam" #: controlpanel.cpp:889 controlpanel.cpp:903 msgctxt "listusers" msgid "Ident" -msgstr "" +msgstr "Identiteit" #: controlpanel.cpp:890 controlpanel.cpp:904 msgctxt "listusers" msgid "BindHost" -msgstr "" +msgstr "BindHost" #: controlpanel.cpp:898 controlpanel.cpp:1138 msgid "No" -msgstr "" +msgstr "Nee" #: controlpanel.cpp:900 controlpanel.cpp:1130 msgid "Yes" -msgstr "" +msgstr "Ja" #: controlpanel.cpp:914 controlpanel.cpp:983 msgid "Error: You need to have admin rights to add new users!" -msgstr "" +msgstr "Fout: Je moet beheerdersrechten hebben om gebruikers toe te voegen!" #: controlpanel.cpp:920 msgid "Usage: AddUser " -msgstr "" +msgstr "Gebruik: AddUser " #: controlpanel.cpp:925 msgid "Error: User {1} already exists!" -msgstr "" +msgstr "Fout: Gebruiker {1} bestaat al!" #: controlpanel.cpp:937 controlpanel.cpp:1012 msgid "Error: User not added: {1}" -msgstr "" +msgstr "Fout: Gebruiker niet toegevoegd: {1}" #: controlpanel.cpp:941 controlpanel.cpp:1016 msgid "User {1} added!" -msgstr "" +msgstr "Gebruiker {1} toegevoegd!" #: controlpanel.cpp:948 msgid "Error: You need to have admin rights to delete users!" -msgstr "" +msgstr "Fout: Je moet beheerdersrechten hebben om gebruikers te verwijderen!" #: controlpanel.cpp:954 msgid "Usage: DelUser " -msgstr "" +msgstr "Gebruik: DelUser " #: controlpanel.cpp:966 msgid "Error: You can't delete yourself!" -msgstr "" +msgstr "Fout: Je kan jezelf niet verwijderen!" #: controlpanel.cpp:972 msgid "Error: Internal error!" -msgstr "" +msgstr "Fout: Interne fout!" #: controlpanel.cpp:976 msgid "User {1} deleted!" -msgstr "" +msgstr "Gebruiker {1} verwijderd!" #: controlpanel.cpp:991 msgid "Usage: CloneUser " -msgstr "" +msgstr "Gebruik: CloneUser " #: controlpanel.cpp:1006 msgid "Error: Cloning failed: {1}" -msgstr "" +msgstr "Fout: Kloon mislukt: {1}" #: controlpanel.cpp:1035 msgid "Usage: AddNetwork [user] network" -msgstr "" +msgstr "Gebruik: AddNetwork [gebruiker] netwerk" #: controlpanel.cpp:1041 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks using /znc DelNetwork " msgstr "" +"Limiet van aantal netwerken bereikt. Vraag een beheerder om deze limit aan " +"te passen voor je, of verwijder onnodige netwerken door middel van /znc " +"DelNetwork " #: controlpanel.cpp:1049 msgid "Error: User {1} already has a network with the name {2}" -msgstr "" +msgstr "Fout: Gebruiker {1} heeft al een netwerk met de naam {2}" #: controlpanel.cpp:1056 msgid "Network {1} added to user {2}." -msgstr "" +msgstr "Netwerk {1} aan gebruiker {2} toegevoegd." #: controlpanel.cpp:1060 msgid "Error: Network [{1}] could not be added for user {2}: {3}" -msgstr "" +msgstr "Fout: Netwerk [{1}] kon niet toegevoegd worden voor gebruiker {2}: {3}" #: controlpanel.cpp:1080 msgid "Usage: DelNetwork [user] network" -msgstr "" +msgstr "Gebruik: DelNetwork [gebruiker] netwerk" #: controlpanel.cpp:1091 msgid "The currently active network can be deleted via {1}status" -msgstr "" +msgstr "Het huidige actieve netwerk kan worden verwijderd via {1}status" #: controlpanel.cpp:1097 msgid "Network {1} deleted for user {2}." -msgstr "" +msgstr "Netwerk {1} verwijderd voor gebruiker {2}." #: controlpanel.cpp:1101 msgid "Error: Network {1} could not be deleted for user {2}." -msgstr "" +msgstr "Fout: Netwerk [{1}] kon niet verwijderd worden voor gebruiker {2}." #: controlpanel.cpp:1120 controlpanel.cpp:1128 msgctxt "listnetworks" msgid "Network" -msgstr "" +msgstr "Netwerk" #: controlpanel.cpp:1121 controlpanel.cpp:1130 controlpanel.cpp:1138 msgctxt "listnetworks" msgid "OnIRC" -msgstr "" +msgstr "OpIRC" #: controlpanel.cpp:1122 controlpanel.cpp:1131 msgctxt "listnetworks" msgid "IRC Server" -msgstr "" +msgstr "IRC Server" #: controlpanel.cpp:1123 controlpanel.cpp:1133 msgctxt "listnetworks" msgid "IRC User" -msgstr "" +msgstr "IRC Gebruiker" #: controlpanel.cpp:1124 controlpanel.cpp:1135 msgctxt "listnetworks" msgid "Channels" -msgstr "" +msgstr "Kanalen" #: controlpanel.cpp:1143 msgid "No networks" -msgstr "" +msgstr "Geen netwerken" #: controlpanel.cpp:1154 msgid "Usage: AddServer [[+]port] [password]" msgstr "" +"Gebruik: AddServer [[+]poort] " +"[wachtwoord]" #: controlpanel.cpp:1168 msgid "Added IRC Server {1} to network {2} for user {3}." -msgstr "" +msgstr "IRC Server {1} toegevegd aan netwerk {2} van gebruiker {3}." #: controlpanel.cpp:1172 msgid "Error: Could not add IRC server {1} to network {2} for user {3}." msgstr "" +"Fout: kon IRC server {1} niet aan netwerk {2} van gebruiker {3} toevoegen." #: controlpanel.cpp:1185 msgid "Usage: DelServer [[+]port] [password]" msgstr "" +"Gebruik: DelServer [[+]poort] " +"[wachtwoord]" #: controlpanel.cpp:1200 msgid "Deleted IRC Server {1} from network {2} for user {3}." -msgstr "" +msgstr "IRC Server {1} verwijderd van netwerk {2} van gebruiker {3}." #: controlpanel.cpp:1204 msgid "Error: Could not delete IRC server {1} from network {2} for user {3}." msgstr "" +"Fout: kon IRC server {1} niet van netwerk {2} van gebruiker {3} verwijderen." #: controlpanel.cpp:1214 msgid "Usage: Reconnect " -msgstr "" +msgstr "Gebruik: Reconnect " #: controlpanel.cpp:1241 msgid "Queued network {1} of user {2} for a reconnect." -msgstr "" +msgstr "Netwerk {1} van gebruiker {2} toegevoegd om opnieuw te verbinden." #: controlpanel.cpp:1250 msgid "Usage: Disconnect " -msgstr "" +msgstr "Gebruik: Disconnect " #: controlpanel.cpp:1265 msgid "Closed IRC connection for network {1} of user {2}." -msgstr "" +msgstr "IRC verbinding afgesloten voor netwerk {1} van gebruiker {2}." #: controlpanel.cpp:1280 controlpanel.cpp:1284 msgctxt "listctcp" msgid "Request" -msgstr "" +msgstr "Aanvraag" #: controlpanel.cpp:1281 controlpanel.cpp:1285 msgctxt "listctcp" msgid "Reply" -msgstr "" +msgstr "Antwoord" #: controlpanel.cpp:1289 msgid "No CTCP replies for user {1} are configured" -msgstr "" +msgstr "Geen CTCP antwoorden voor gebruiker {1} zijn ingesteld" #: controlpanel.cpp:1292 msgid "CTCP replies for user {1}:" -msgstr "" +msgstr "CTCP antwoorden voor gebruiker {1}:" #: controlpanel.cpp:1308 msgid "Usage: AddCTCP [user] [request] [reply]" -msgstr "" +msgstr "Gebruik: AddCTCP [gebruikersnaam] [aanvraag] [antwoord]" #: controlpanel.cpp:1310 msgid "" "This will cause ZNC to reply to the CTCP instead of forwarding it to clients." msgstr "" +"Dit zorgt er voor dat ZNC antwoord op de CTCP aanvragen in plaats van deze " +"door te sturen naar clients." #: controlpanel.cpp:1313 msgid "An empty reply will cause the CTCP request to be blocked." msgstr "" +"Een leeg antwoord zorgt er voor dat deze CTCP aanvraag geblokkeerd zal " +"worden." #: controlpanel.cpp:1322 msgid "CTCP requests {1} to user {2} will now be blocked." -msgstr "" +msgstr "CTCP aanvraag {1} naar gebruiker {2} zal nu worden geblokkeerd." #: controlpanel.cpp:1326 msgid "CTCP requests {1} to user {2} will now get reply: {3}" -msgstr "" +msgstr "CTCP aanvraag {1} naar gebruiker {2} zal nu als antwoord krijgen: {3}" #: controlpanel.cpp:1343 msgid "Usage: DelCTCP [user] [request]" -msgstr "" +msgstr "Gebruik: DelCTCP [gebruikersnaam] [aanvraag]" #: controlpanel.cpp:1349 msgid "CTCP requests {1} to user {2} will now be sent to IRC clients" -msgstr "" +msgstr "CTCP aanvraag {1} naar gebruiker {2} zal nu doorgestuurd worden" #: controlpanel.cpp:1353 msgid "" "CTCP requests {1} to user {2} will be sent to IRC clients (nothing has " "changed)" msgstr "" +"CTCP aanvraag {1} naar gebruiker {2} zal nu doorgestuurd worden (niets " +"veranderd)" #: controlpanel.cpp:1363 controlpanel.cpp:1437 msgid "Loading modules has been disabled." -msgstr "" +msgstr "Het laden van modulen is uit gezet." #: controlpanel.cpp:1372 msgid "Error: Unable to load module {1}: {2}" -msgstr "" +msgstr "Fout: Niet mogelijk om module te laden, {1}: {2}" #: controlpanel.cpp:1375 msgid "Loaded module {1}" -msgstr "" +msgstr "Module {1} geladen" #: controlpanel.cpp:1380 msgid "Error: Unable to reload module {1}: {2}" -msgstr "" +msgstr "Fout: Niet mogelijk om module te herladen, {1}: {2}" #: controlpanel.cpp:1383 msgid "Reloaded module {1}" -msgstr "" +msgstr "Module {1} opnieuw geladen" #: controlpanel.cpp:1387 msgid "Error: Unable to load module {1} because it is already loaded" -msgstr "" +msgstr "Fout: Niet mogelijk om module {1} te laden, deze is al geladen" #: controlpanel.cpp:1398 msgid "Usage: LoadModule [args]" -msgstr "" +msgstr "Gebruik: LoadModule [argumenten]" #: controlpanel.cpp:1417 msgid "Usage: LoadNetModule [args]" msgstr "" +"Gebruik: LoadNetModule [argumenten]" #: controlpanel.cpp:1442 msgid "Please use /znc unloadmod {1}" -msgstr "" +msgstr "Gebruik a.u.b. /znc unloadmod {1}" #: controlpanel.cpp:1448 msgid "Error: Unable to unload module {1}: {2}" -msgstr "" +msgstr "Fout: Niet mogelijk om module to stoppen, {1}: {2}" #: controlpanel.cpp:1451 msgid "Unloaded module {1}" -msgstr "" +msgstr "Module {1} gestopt" #: controlpanel.cpp:1460 msgid "Usage: UnloadModule " -msgstr "" +msgstr "Gebruik: UnloadModule " #: controlpanel.cpp:1477 msgid "Usage: UnloadNetModule " -msgstr "" +msgstr "Gebruik: UnloadNetModule " #: controlpanel.cpp:1494 controlpanel.cpp:1499 msgctxt "listmodules" msgid "Name" -msgstr "" +msgstr "Naam" #: controlpanel.cpp:1495 controlpanel.cpp:1500 msgctxt "listmodules" msgid "Arguments" -msgstr "" +msgstr "Argumenten" #: controlpanel.cpp:1519 msgid "User {1} has no modules loaded." -msgstr "" +msgstr "Gebruiker {1} heeft geen modulen geladen." #: controlpanel.cpp:1523 msgid "Modules loaded for user {1}:" -msgstr "" +msgstr "Modulen geladen voor gebruiker {1}:" #: controlpanel.cpp:1543 msgid "Network {1} of user {2} has no modules loaded." -msgstr "" +msgstr "Netwerk {1} van gebruiker {2} heeft geen modulen geladen." #: controlpanel.cpp:1547 msgid "Modules loaded for network {1} of user {2}:" -msgstr "" +msgstr "Modulen geladen voor netwerk {1} van gebruiker {2}:" #: controlpanel.cpp:1554 msgid "[command] [variable]" -msgstr "" +msgstr "[commando] [variabele]" #: controlpanel.cpp:1555 msgid "Prints help for matching commands and variables" -msgstr "" +msgstr "Laat help zien voor de overeenkomende commando's en variabelen" #: controlpanel.cpp:1558 msgid " [username]" -msgstr "" +msgstr " [gebruikersnaam]" #: controlpanel.cpp:1559 msgid "Prints the variable's value for the given or current user" msgstr "" +"Laat de waarde van de variabele voor de ingevoerde of huidige gebruiker zien" #: controlpanel.cpp:1561 msgid " " -msgstr "" +msgstr " " #: controlpanel.cpp:1562 msgid "Sets the variable's value for the given user" -msgstr "" +msgstr "Stelt de waarde voor de variabele voor de ingevoerde gebruiker in" #: controlpanel.cpp:1564 msgid " [username] [network]" -msgstr "" +msgstr " [gebruikersnaam] [netwerk]" #: controlpanel.cpp:1565 msgid "Prints the variable's value for the given network" msgstr "" +"Laat de huidige waarde voor de variabele van het ingevoerde netwerk zien" #: controlpanel.cpp:1567 msgid " " -msgstr "" +msgstr " " #: controlpanel.cpp:1568 msgid "Sets the variable's value for the given network" -msgstr "" +msgstr "Stelt de waarde voor de variabele voor het ingevoerde netwerk in" #: controlpanel.cpp:1570 msgid " [username] " -msgstr "" +msgstr " [gebruikersnaam] " #: controlpanel.cpp:1571 msgid "Prints the variable's value for the given channel" msgstr "" +"Laat de huidige waarde voor de variabele van het ingevoerde kanaal zien" #: controlpanel.cpp:1574 msgid " " -msgstr "" +msgstr " " #: controlpanel.cpp:1575 msgid "Sets the variable's value for the given channel" -msgstr "" +msgstr "Stelt de waarde voor de variabele voor het ingevoerde kanaal in" #: controlpanel.cpp:1577 controlpanel.cpp:1580 msgid " " -msgstr "" +msgstr " " #: controlpanel.cpp:1578 msgid "Adds a new channel" -msgstr "" +msgstr "Voegt een nieuw kanaal toe" #: controlpanel.cpp:1581 msgid "Deletes a channel" -msgstr "" +msgstr "Verwijdert een kanaal" #: controlpanel.cpp:1583 msgid "Lists users" -msgstr "" +msgstr "Weergeeft gebruikers" #: controlpanel.cpp:1585 msgid " " -msgstr "" +msgstr " " #: controlpanel.cpp:1586 msgid "Adds a new user" -msgstr "" +msgstr "Voegt een nieuwe gebruiker toe" #: controlpanel.cpp:1588 controlpanel.cpp:1611 controlpanel.cpp:1625 msgid "" -msgstr "" +msgstr "" #: controlpanel.cpp:1588 msgid "Deletes a user" -msgstr "" +msgstr "Verwijdert een gebruiker" #: controlpanel.cpp:1590 msgid " " -msgstr "" +msgstr " " #: controlpanel.cpp:1591 msgid "Clones a user" -msgstr "" +msgstr "Kloont een gebruiker" #: controlpanel.cpp:1593 controlpanel.cpp:1596 msgid " " -msgstr "" +msgstr " " #: controlpanel.cpp:1594 msgid "Adds a new IRC server for the given or current user" msgstr "" +"Voegt een nieuwe IRC server toe voor de ingevoerde of huidige gebruiker" #: controlpanel.cpp:1597 msgid "Deletes an IRC server from the given or current user" -msgstr "" +msgstr "Verwijdert een IRC server voor de ingevoerde of huidige gebruiker" #: controlpanel.cpp:1599 controlpanel.cpp:1602 controlpanel.cpp:1622 msgid " " -msgstr "" +msgstr " " #: controlpanel.cpp:1600 msgid "Cycles the user's IRC server connection" -msgstr "" +msgstr "Verbind opnieuw met de IRC server" #: controlpanel.cpp:1603 msgid "Disconnects the user from their IRC server" -msgstr "" +msgstr "Stopt de verbinding van de gebruiker naar de IRC server" #: controlpanel.cpp:1605 msgid " [args]" -msgstr "" +msgstr " [argumenten]" #: controlpanel.cpp:1606 msgid "Loads a Module for a user" -msgstr "" +msgstr "Laad een module voor een gebruiker" #: controlpanel.cpp:1608 msgid " " -msgstr "" +msgstr " " #: controlpanel.cpp:1609 msgid "Removes a Module of a user" -msgstr "" +msgstr "Stopt een module van een gebruiker" #: controlpanel.cpp:1612 msgid "Get the list of modules for a user" -msgstr "" +msgstr "Laat de lijst van modulen voor een gebruiker zien" #: controlpanel.cpp:1615 msgid " [args]" -msgstr "" +msgstr " [argumenten]" #: controlpanel.cpp:1616 msgid "Loads a Module for a network" -msgstr "" +msgstr "Laad een module voor een netwerk" #: controlpanel.cpp:1619 msgid " " -msgstr "" +msgstr " " #: controlpanel.cpp:1620 msgid "Removes a Module of a network" -msgstr "" +msgstr "Stopt een module van een netwerk" #: controlpanel.cpp:1623 msgid "Get the list of modules for a network" -msgstr "" +msgstr "Laat de lijst van modulen voor een netwerk zien" #: controlpanel.cpp:1626 msgid "List the configured CTCP replies" -msgstr "" +msgstr "Laat de ingestelde CTCP antwoorden zien" #: controlpanel.cpp:1628 msgid " [reply]" -msgstr "" +msgstr " [antwoord]" #: controlpanel.cpp:1629 msgid "Configure a new CTCP reply" -msgstr "" +msgstr "Stel een nieuw CTCP antwoord in" #: controlpanel.cpp:1631 msgid " " -msgstr "" +msgstr " " #: controlpanel.cpp:1632 msgid "Remove a CTCP reply" -msgstr "" +msgstr "Verwijder een CTCP antwoord" #: controlpanel.cpp:1636 controlpanel.cpp:1639 msgid "[username] " -msgstr "" +msgstr "[gebruikersnaam] " #: controlpanel.cpp:1637 msgid "Add a network for a user" -msgstr "" +msgstr "Voeg een netwerk toe voor een gebruiker" #: controlpanel.cpp:1640 msgid "Delete a network for a user" -msgstr "" +msgstr "Verwijder een netwerk van een gebruiker" #: controlpanel.cpp:1642 msgid "[username]" -msgstr "" +msgstr "[gebruikersnaam]" #: controlpanel.cpp:1643 msgid "List all networks for a user" -msgstr "" +msgstr "Laat alle netwerken van een gebruiker zien" #: controlpanel.cpp:1656 msgid "" "Dynamic configuration through IRC. Allows editing only yourself if you're " "not ZNC admin." msgstr "" +"Dynamische configuratie door IRC. Staat alleen toe voor je eigen gebruiker " +"als je geen ZNC beheerder bent." diff --git a/modules/po/crypt.nl_NL.po b/modules/po/crypt.nl_NL.po index b8b3f250..4946c42d 100644 --- a/modules/po/crypt.nl_NL.po +++ b/modules/po/crypt.nl_NL.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.7.x/modules/po/crypt.pot\n" +"X-Crowdin-File: /master/modules/po/crypt.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Dutch\n" @@ -14,130 +14,137 @@ msgstr "" #: crypt.cpp:198 msgid "<#chan|Nick>" -msgstr "" +msgstr "<#kanaal|Naam>" #: crypt.cpp:199 msgid "Remove a key for nick or channel" -msgstr "" +msgstr "Verwijder een sleutel voor een naam of kanaal" #: crypt.cpp:201 msgid "<#chan|Nick> " -msgstr "" +msgstr "<#kanaal|Naam> " #: crypt.cpp:202 msgid "Set a key for nick or channel" -msgstr "" +msgstr "Stel een sleutel in voor naam of kanaal" #: crypt.cpp:204 msgid "List all keys" -msgstr "" +msgstr "Laat alle sleutels zien" #: crypt.cpp:206 msgid "" -msgstr "" +msgstr "" #: crypt.cpp:207 msgid "Start a DH1080 key exchange with nick" -msgstr "" +msgstr "Begint een DH1080 sleutel uitwisseling met naam" #: crypt.cpp:210 msgid "Get the nick prefix" -msgstr "" +msgstr "Laat het voorvoegsel van de naam zien" #: crypt.cpp:213 msgid "[Prefix]" -msgstr "" +msgstr "[Voorvoegsel]" #: crypt.cpp:214 msgid "Set the nick prefix, with no argument it's disabled." msgstr "" +"Stel het voorvoegsel voor de naam in, zonder argumenten zal deze " +"uitgeschakeld worden." #: crypt.cpp:270 msgid "Received DH1080 public key from {1}, sending mine..." -msgstr "" +msgstr "DH1080 publieke sleutel ontvangen van {1}, nu mijne sturen..." #: crypt.cpp:275 crypt.cpp:296 msgid "Key for {1} successfully set." -msgstr "" +msgstr "Sleutel voor {1} ingesteld." #: crypt.cpp:278 crypt.cpp:299 msgid "Error in {1} with {2}: {3}" -msgstr "" +msgstr "Fout in {1} met {2}: {3}" #: crypt.cpp:280 crypt.cpp:301 msgid "no secret key computed" -msgstr "" +msgstr "Geen geheime sleutel berekend" #: crypt.cpp:395 msgid "Target [{1}] deleted" -msgstr "" +msgstr "Doel [{1}] verwijderd" #: crypt.cpp:397 msgid "Target [{1}] not found" -msgstr "" +msgstr "Doel [{1}] niet gevonden" #: crypt.cpp:400 msgid "Usage DelKey <#chan|Nick>" -msgstr "" +msgstr "Gebruik: DelKey <#kanaal|Naam>" #: crypt.cpp:415 msgid "Set encryption key for [{1}] to [{2}]" -msgstr "" +msgstr "Sleutel voor versleuteling ingesteld voor [{1}] op [{2}]" #: crypt.cpp:417 msgid "Usage: SetKey <#chan|Nick> " -msgstr "" +msgstr "Gebruik: SetKey <#kanaal|Naam> " #: crypt.cpp:428 msgid "Sent my DH1080 public key to {1}, waiting for reply ..." msgstr "" +"Mijn DH1080 publieke sleutel verzonden naar {1}, wachten op antwoord ..." #: crypt.cpp:430 msgid "Error generating our keys, nothing sent." -msgstr "" +msgstr "Fout tijdens genereren van onze sleutels, niets verstuurd." #: crypt.cpp:433 msgid "Usage: KeyX " -msgstr "" +msgstr "Gebruik: KeyX " #: crypt.cpp:440 msgid "Nick Prefix disabled." -msgstr "" +msgstr "Naam voorvoegsel uit gezet." #: crypt.cpp:442 msgid "Nick Prefix: {1}" -msgstr "" +msgstr "Naam voorvoegsel: {1}" #: crypt.cpp:451 msgid "You cannot use :, even followed by other symbols, as Nick Prefix." msgstr "" +"Je kan : niet gebruiken, ook niet als hierna nog extra symbolen komen, als " +"Naam voorvoegsel." #: crypt.cpp:460 msgid "Overlap with Status Prefix ({1}), this Nick Prefix will not be used!" msgstr "" +"Overlap met Status voorvoegsel ({1}), deze Naam voorvoegsel zal niet worden " +"gebruikt!" #: crypt.cpp:465 msgid "Disabling Nick Prefix." -msgstr "" +msgstr "Naam voorvoegsel aan het uitzetten." #: crypt.cpp:467 msgid "Setting Nick Prefix to {1}" -msgstr "" +msgstr "Naam voorvoegsel naar {1} aan het zetten" #: crypt.cpp:474 crypt.cpp:480 msgctxt "listkeys" msgid "Target" -msgstr "" +msgstr "Doel" #: crypt.cpp:475 crypt.cpp:481 msgctxt "listkeys" msgid "Key" -msgstr "" +msgstr "Sleutel" #: crypt.cpp:485 msgid "You have no encryption keys set." -msgstr "" +msgstr "Je hebt geen versleutel sleutels ingesteld." #: crypt.cpp:507 msgid "Encryption for channel/private messages" -msgstr "" +msgstr "Versleuteling voor kanaal/privé berichten" diff --git a/modules/po/ctcpflood.nl_NL.po b/modules/po/ctcpflood.nl_NL.po index fb7b7aa7..dda61837 100644 --- a/modules/po/ctcpflood.nl_NL.po +++ b/modules/po/ctcpflood.nl_NL.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.7.x/modules/po/ctcpflood.pot\n" +"X-Crowdin-File: /master/modules/po/ctcpflood.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Dutch\n" @@ -14,47 +14,47 @@ msgstr "" #: ctcpflood.cpp:25 ctcpflood.cpp:27 msgid "" -msgstr "" +msgstr "" #: ctcpflood.cpp:25 msgid "Set seconds limit" -msgstr "" +msgstr "Stel seconden limiet in" #: ctcpflood.cpp:27 msgid "Set lines limit" -msgstr "" +msgstr "Stel regel limiet in" #: ctcpflood.cpp:29 msgid "Show the current limits" -msgstr "" +msgstr "Laat de huidige limieten zien" #: ctcpflood.cpp:76 msgid "Limit reached by {1}, blocking all CTCP" -msgstr "" +msgstr "Limiet bereikt met {1}, alle CTCPs zullen worden geblokkeerd" #: ctcpflood.cpp:98 msgid "Usage: Secs " -msgstr "" +msgstr "Gebruik: Secs " #: ctcpflood.cpp:113 msgid "Usage: Lines " -msgstr "" +msgstr "Gebruik: Lines " #: ctcpflood.cpp:125 msgid "1 CTCP message" msgid_plural "{1} CTCP messages" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "1 CTCP bericht" +msgstr[1] "{1} CTCP berichten" #: ctcpflood.cpp:127 msgid "every second" msgid_plural "every {1} seconds" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "Elke seconde" +msgstr[1] "Elke {2} seconden" #: ctcpflood.cpp:129 msgid "Current limit is {1} {2}" -msgstr "" +msgstr "Huidige limit is {1} {2}" #: ctcpflood.cpp:145 msgid "" @@ -63,7 +63,11 @@ msgid "" "argument is the time (sec) to in which the number of lines is reached. The " "default setting is 4 CTCPs in 2 seconds" msgstr "" +"Deze gebruikersmodule accepteert geen tot twee argumenten. Het eerste " +"argument is het aantal regels waarna de overstroom-bescherming in gang gezet " +"zal worden. Het tweede argument is de tijd (seconden) in welke dit aantal " +"bereikt wordt. De standaard instelling is 4 CTCP berichten in 2 seconden" #: ctcpflood.cpp:151 msgid "Don't forward CTCP floods to clients" -msgstr "" +msgstr "Stuur CTCP overstromingen niet door naar clients" diff --git a/modules/po/cyrusauth.nl_NL.po b/modules/po/cyrusauth.nl_NL.po index 89236a9b..abfc4d46 100644 --- a/modules/po/cyrusauth.nl_NL.po +++ b/modules/po/cyrusauth.nl_NL.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.7.x/modules/po/cyrusauth.pot\n" +"X-Crowdin-File: /master/modules/po/cyrusauth.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Dutch\n" @@ -14,60 +14,69 @@ msgstr "" #: cyrusauth.cpp:42 msgid "Shows current settings" -msgstr "" +msgstr "Laat huidige instellingen zien" #: cyrusauth.cpp:44 msgid "yes|clone |no" -msgstr "" +msgstr "yes|clone |no" #: cyrusauth.cpp:45 msgid "" "Create ZNC users upon first successful login, optionally from a template" msgstr "" +"Maak ZNC gebruikers wanneer deze voor het eerst succesvol inloggen, " +"optioneel van een sjabloon" #: cyrusauth.cpp:56 msgid "Access denied" -msgstr "" +msgstr "Toegang geweigerd" #: cyrusauth.cpp:70 msgid "Ignoring invalid SASL pwcheck method: {1}" -msgstr "" +msgstr "Negeer ongeldige SASL wwcheck methode: {1}" #: cyrusauth.cpp:71 msgid "Ignored invalid SASL pwcheck method" -msgstr "" +msgstr "Ongeldige SASL wwcheck methode genegeerd" #: cyrusauth.cpp:79 msgid "Need a pwcheck method as argument (saslauthd, auxprop)" -msgstr "" +msgstr "Benodigd een wwcheck methode als argument (saslauthd, auxprop)" #: cyrusauth.cpp:84 msgid "SASL Could Not Be Initialized - Halting Startup" -msgstr "" +msgstr "SASL kon niet worden geïnitalizeerd - Stoppen met opstarten" #: cyrusauth.cpp:171 cyrusauth.cpp:186 msgid "We will not create users on their first login" -msgstr "" +msgstr "We zullen geen gebruikers aanmaken wanner zij voor het eerst inloggen" #: cyrusauth.cpp:174 cyrusauth.cpp:195 msgid "" "We will create users on their first login, using user [{1}] as a template" msgstr "" +"We zullen gebruikers aanmaken wanneer zij voor het eerst inloggen, hiervoor " +"gebruiken we sjabloon [{1}]" #: cyrusauth.cpp:177 cyrusauth.cpp:190 msgid "We will create users on their first login" -msgstr "" +msgstr "We zullen gebruikers aanmaken wanneer zij voor het eerst inloggen" #: cyrusauth.cpp:199 msgid "Usage: CreateUsers yes, CreateUsers no, or CreateUsers clone " msgstr "" +"Gebruik: CreateUsers yes, CreateUsers no, of CreateUsers clone " +"" #: cyrusauth.cpp:232 msgid "" "This global module takes up to two arguments - the methods of authentication " "- auxprop and saslauthd" msgstr "" +"Deze globale module accepteert tot en met twee argumenten - de methoden van " +"identificatie - auxprop en saslauthd" #: cyrusauth.cpp:238 msgid "Allow users to authenticate via SASL password verification method" msgstr "" +"Sta gebruikers toe te identificeren via SASL wachtwoord verificatie methode" diff --git a/modules/po/dcc.nl_NL.po b/modules/po/dcc.nl_NL.po index d1fcdb8d..4f66a85c 100644 --- a/modules/po/dcc.nl_NL.po +++ b/modules/po/dcc.nl_NL.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.7.x/modules/po/dcc.pot\n" +"X-Crowdin-File: /master/modules/po/dcc.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Dutch\n" @@ -14,214 +14,214 @@ msgstr "" #: dcc.cpp:88 msgid " " -msgstr "" +msgstr " " #: dcc.cpp:89 msgid "Send a file from ZNC to someone" -msgstr "" +msgstr "Stuur een bestand van ZNC naar iemand" #: dcc.cpp:91 msgid "" -msgstr "" +msgstr "" #: dcc.cpp:92 msgid "Send a file from ZNC to your client" -msgstr "" +msgstr "Stuur een bestand van ZNC naar je client" #: dcc.cpp:94 msgid "List current transfers" -msgstr "" +msgstr "Laat huidige overdrachten zien" #: dcc.cpp:103 msgid "You must be admin to use the DCC module" -msgstr "" +msgstr "Je moet een beheerder zijn om de DCC module te mogen gebruiken" #: dcc.cpp:140 msgid "Attempting to send [{1}] to [{2}]." -msgstr "" +msgstr "Proberen [{1}] naar [{2}] te sturen." #: dcc.cpp:149 dcc.cpp:554 msgid "Receiving [{1}] from [{2}]: File already exists." -msgstr "" +msgstr "Ontvangst [{1}] van [{2}]: Bestand bestaat al." #: dcc.cpp:167 msgid "" "Attempting to connect to [{1} {2}] in order to download [{3}] from [{4}]." -msgstr "" +msgstr "Proberen te verbinden naar [{1} {2}] om [{3}] te downloaden van [{4}]." #: dcc.cpp:179 msgid "Usage: Send " -msgstr "" +msgstr "Gebruik: Send " #: dcc.cpp:186 dcc.cpp:206 msgid "Illegal path." -msgstr "" +msgstr "Ongeldig pad." #: dcc.cpp:199 msgid "Usage: Get " -msgstr "" +msgstr "Gebruik: Get " #: dcc.cpp:215 dcc.cpp:232 dcc.cpp:234 msgctxt "list" msgid "Type" -msgstr "" +msgstr "Type" #: dcc.cpp:216 dcc.cpp:238 dcc.cpp:241 msgctxt "list" msgid "State" -msgstr "" +msgstr "Status" #: dcc.cpp:217 dcc.cpp:243 msgctxt "list" msgid "Speed" -msgstr "" +msgstr "Snelheid" #: dcc.cpp:218 dcc.cpp:227 msgctxt "list" msgid "Nick" -msgstr "" +msgstr "Naam" #: dcc.cpp:219 dcc.cpp:228 msgctxt "list" msgid "IP" -msgstr "" +msgstr "IP-adres" #: dcc.cpp:220 dcc.cpp:229 msgctxt "list" msgid "File" -msgstr "" +msgstr "Bestand" #: dcc.cpp:232 msgctxt "list-type" msgid "Sending" -msgstr "" +msgstr "Versturen" #: dcc.cpp:234 msgctxt "list-type" msgid "Getting" -msgstr "" +msgstr "Ontvangen" #: dcc.cpp:239 msgctxt "list-state" msgid "Waiting" -msgstr "" +msgstr "Wachten" #: dcc.cpp:244 msgid "{1} KiB/s" -msgstr "" +msgstr "{1} KiB/s" #: dcc.cpp:250 msgid "You have no active DCC transfers." -msgstr "" +msgstr "Je hebt geen actieve DCC overdrachten." #: dcc.cpp:267 msgid "Attempting to resume send from position {1} of file [{2}] for [{3}]" -msgstr "" +msgstr "Proberen te hervatten van positie {1} van bestand [{2}] voor [{3}]" #: dcc.cpp:277 msgid "Couldn't resume file [{1}] for [{2}]: not sending anything." -msgstr "" +msgstr "Kon bestand [{1}] voor [{2}] niet hervatten: verstuurd niks." #: dcc.cpp:286 msgid "Bad DCC file: {1}" -msgstr "" +msgstr "Slecht DCC bestand: {1}" #: dcc.cpp:341 msgid "Sending [{1}] to [{2}]: File not open!" -msgstr "" +msgstr "Versturen [{1}] naar [{2}]: Bestand niet open!" #: dcc.cpp:345 msgid "Receiving [{1}] from [{2}]: File not open!" -msgstr "" +msgstr "Ontvangen [{1}] van [{2}]: Bestand niet open!" #: dcc.cpp:385 msgid "Sending [{1}] to [{2}]: Connection refused." -msgstr "" +msgstr "Versturen [{1}] naar [{2}]: verbinding geweigerd." #: dcc.cpp:389 msgid "Receiving [{1}] from [{2}]: Connection refused." -msgstr "" +msgstr "Ontvangen [{1}] van [{2}]: verbinding geweigerd." #: dcc.cpp:397 msgid "Sending [{1}] to [{2}]: Timeout." -msgstr "" +msgstr "Versturen [{1}] naar [{2}]: Time-out." #: dcc.cpp:401 msgid "Receiving [{1}] from [{2}]: Timeout." -msgstr "" +msgstr "Ontvangen [{1}] van [{2}]: Time-out." #: dcc.cpp:411 msgid "Sending [{1}] to [{2}]: Socket error {3}: {4}" -msgstr "" +msgstr "Versturen [{1}] naar [{2}]: Socket fout {3}: {4}" #: dcc.cpp:415 msgid "Receiving [{1}] from [{2}]: Socket error {3}: {4}" -msgstr "" +msgstr "Ontvangen [{1}] van [{2}]: Socket fout {3}: {4}" #: dcc.cpp:423 msgid "Sending [{1}] to [{2}]: Transfer started." -msgstr "" +msgstr "Versturen [{1}] naar [{2}]: Overdracht gestart." #: dcc.cpp:427 msgid "Receiving [{1}] from [{2}]: Transfer started." -msgstr "" +msgstr "Ontvangen [{1}] van [{2}]: Overdracht gestart." #: dcc.cpp:446 msgid "Sending [{1}] to [{2}]: Too much data!" -msgstr "" +msgstr "Versturen [{1}] naar [{2}]: Te veel data!" #: dcc.cpp:450 msgid "Receiving [{1}] from [{2}]: Too much data!" -msgstr "" +msgstr "Ontvangen [{1}] van [{2}]: Te veel data!" #: dcc.cpp:456 msgid "Sending [{1}] to [{2}] completed at {3} KiB/s" -msgstr "" +msgstr "Versturen [{1}] naar [{2}] afgerond met {3} KiB/s" #: dcc.cpp:461 msgid "Receiving [{1}] from [{2}] completed at {3} KiB/s" -msgstr "" +msgstr "Ontvangen [{1}] van [{2}] afgerond met {3} KiB/s" #: dcc.cpp:474 msgid "Sending [{1}] to [{2}]: File closed prematurely." -msgstr "" +msgstr "Versturen [{1}] naar [{2}]: Bestand te vroeg afgesloten." #: dcc.cpp:478 msgid "Receiving [{1}] from [{2}]: File closed prematurely." -msgstr "" +msgstr "Ontvangst [{1}] van [{2}]: Bestand te vroeg afgesloten." #: dcc.cpp:501 msgid "Sending [{1}] to [{2}]: Error reading from file." -msgstr "" +msgstr "Versturen [{1}] naar [{2}]: Fout bij lezen van bestand." #: dcc.cpp:505 msgid "Receiving [{1}] from [{2}]: Error reading from file." -msgstr "" +msgstr "Ontvangen [{1}] van [{2}]: Fout bij lezen van bestand." #: dcc.cpp:537 msgid "Sending [{1}] to [{2}]: Unable to open file." -msgstr "" +msgstr "Versturen [{1}] naar [{2}]: Kan bestand niet openen." #: dcc.cpp:541 msgid "Receiving [{1}] from [{2}]: Unable to open file." -msgstr "" +msgstr "Ontvangen [{1}] van [{2}]: Kan bestand niet openen." #: dcc.cpp:563 msgid "Receiving [{1}] from [{2}]: Could not open file." -msgstr "" +msgstr "Ontvangen [{1}] van [{2}]: Kan bestand niet openen." #: dcc.cpp:572 msgid "Sending [{1}] to [{2}]: Not a file." -msgstr "" +msgstr "Versturen [{1}] naar [{2}]: Geen bestand." #: dcc.cpp:581 msgid "Sending [{1}] to [{2}]: Could not open file." -msgstr "" +msgstr "Versturen [{1}] naar [{2}]: Kan bestand niet openen." #: dcc.cpp:593 msgid "Sending [{1}] to [{2}]: File too large (>4 GiB)." -msgstr "" +msgstr "Versturen [{1}] naar [{2}]: Bestand te groot (>4 GiB)." #: dcc.cpp:623 msgid "This module allows you to transfer files to and from ZNC" -msgstr "" +msgstr "Deze module stelt je in staat bestanden van en naar ZNC te sturen" diff --git a/modules/po/disconkick.nl_NL.po b/modules/po/disconkick.nl_NL.po index 020b16d3..2730f0b0 100644 --- a/modules/po/disconkick.nl_NL.po +++ b/modules/po/disconkick.nl_NL.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.7.x/modules/po/disconkick.pot\n" +"X-Crowdin-File: /master/modules/po/disconkick.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Dutch\n" @@ -14,10 +14,11 @@ msgstr "" #: disconkick.cpp:32 msgid "You have been disconnected from the IRC server" -msgstr "" +msgstr "Je bent losgekoppeld van de server" #: disconkick.cpp:45 msgid "" "Kicks the client from all channels when the connection to the IRC server is " "lost" msgstr "" +"Verlaat alle kanalen wanneer de verbinding met de IRC server verloren is" diff --git a/modules/po/fail2ban.nl_NL.po b/modules/po/fail2ban.nl_NL.po index 137589ce..6e14b2a5 100644 --- a/modules/po/fail2ban.nl_NL.po +++ b/modules/po/fail2ban.nl_NL.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.7.x/modules/po/fail2ban.pot\n" +"X-Crowdin-File: /master/modules/po/fail2ban.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Dutch\n" @@ -14,104 +14,112 @@ msgstr "" #: fail2ban.cpp:25 msgid "[minutes]" -msgstr "" +msgstr "[minuten]" #: fail2ban.cpp:26 msgid "The number of minutes IPs are blocked after a failed login." msgstr "" +"Het aantal minuten dat IP-adressen geblokkeerd worden na een mislukte " +"inlogpoging." #: fail2ban.cpp:28 msgid "[count]" -msgstr "" +msgstr "[aantal]" #: fail2ban.cpp:29 msgid "The number of allowed failed login attempts." -msgstr "" +msgstr "Het aantal toegestane mislukte inlogpogingen." #: fail2ban.cpp:31 fail2ban.cpp:33 msgid "" -msgstr "" +msgstr "" #: fail2ban.cpp:31 msgid "Ban the specified hosts." -msgstr "" +msgstr "Verban de ingevoerde hosts." #: fail2ban.cpp:33 msgid "Unban the specified hosts." -msgstr "" +msgstr "Verbanning van ingevoerde hosts weghalen." #: fail2ban.cpp:35 msgid "List banned hosts." -msgstr "" +msgstr "Lijst van verbannen hosts." #: fail2ban.cpp:55 msgid "" "Invalid argument, must be the number of minutes IPs are blocked after a " "failed login and can be followed by number of allowed failed login attempts" msgstr "" +"Ongeldig argument, dit moet het aantal minuten zijn dat de IP-adressen " +"geblokkeerd worden na een mislukte inlogpoging, gevolgd door het nummer van " +"toegestane mislukte inlogpogingen" #: fail2ban.cpp:77 fail2ban.cpp:100 fail2ban.cpp:123 fail2ban.cpp:146 #: fail2ban.cpp:172 msgid "Access denied" -msgstr "" +msgstr "Toegang geweigerd" #: fail2ban.cpp:86 msgid "Usage: Timeout [minutes]" -msgstr "" +msgstr "Gebruik: Timeout [minuten]" #: fail2ban.cpp:91 fail2ban.cpp:94 msgid "Timeout: {1} min" -msgstr "" +msgstr "Time-out: {1} minuten" #: fail2ban.cpp:109 msgid "Usage: Attempts [count]" -msgstr "" +msgstr "Gebruik: Attempts [aantal]" #: fail2ban.cpp:114 fail2ban.cpp:117 msgid "Attempts: {1}" -msgstr "" +msgstr "Pogingen: {1}" #: fail2ban.cpp:130 msgid "Usage: Ban " -msgstr "" +msgstr "Gebruik: Ban " #: fail2ban.cpp:140 msgid "Banned: {1}" -msgstr "" +msgstr "Verbannen: {1}" #: fail2ban.cpp:153 msgid "Usage: Unban " -msgstr "" +msgstr "Gebruik: Unban " #: fail2ban.cpp:163 msgid "Unbanned: {1}" -msgstr "" +msgstr "Verbanning verwijderd: {1}" #: fail2ban.cpp:165 msgid "Ignored: {1}" -msgstr "" +msgstr "Genegeerd: {1}" #: fail2ban.cpp:177 fail2ban.cpp:182 msgctxt "list" msgid "Host" -msgstr "" +msgstr "Host" #: fail2ban.cpp:178 fail2ban.cpp:183 msgctxt "list" msgid "Attempts" -msgstr "" +msgstr "Pogingen" #: fail2ban.cpp:187 msgctxt "list" msgid "No bans" -msgstr "" +msgstr "Geen verbanningen" #: fail2ban.cpp:244 msgid "" "You might enter the time in minutes for the IP banning and the number of " "failed logins before any action is taken." msgstr "" +"Je mag de tijd in minuten invoeren voor de IP verbannen en het nummer van " +"mislukte inlogpoging voordat actie ondernomen wordt." #: fail2ban.cpp:249 msgid "Block IPs for some time after a failed login." msgstr "" +"Blokkeer IP-addressen voor een bepaalde tijd na een mislukte inlogpoging." diff --git a/modules/po/flooddetach.nl_NL.po b/modules/po/flooddetach.nl_NL.po index 926dfd37..0394dd8e 100644 --- a/modules/po/flooddetach.nl_NL.po +++ b/modules/po/flooddetach.nl_NL.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.7.x/modules/po/flooddetach.pot\n" +"X-Crowdin-File: /master/modules/po/flooddetach.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Dutch\n" @@ -14,78 +14,82 @@ msgstr "" #: flooddetach.cpp:30 msgid "Show current limits" -msgstr "" +msgstr "Laat huidige limieten zien" #: flooddetach.cpp:32 flooddetach.cpp:35 msgid "[]" -msgstr "" +msgstr "[]" #: flooddetach.cpp:33 msgid "Show or set number of seconds in the time interval" -msgstr "" +msgstr "Laat zien of pas aan het aantal seconden in de tijdsinterval" #: flooddetach.cpp:36 msgid "Show or set number of lines in the time interval" -msgstr "" +msgstr "Laat zien of pas aan het aantal regels in de tijdsinterval" #: flooddetach.cpp:39 msgid "Show or set whether to notify you about detaching and attaching back" msgstr "" +"Laat zien of pas aan of je een melding wil krijgen van het los en terug " +"aankoppelen" #: flooddetach.cpp:93 msgid "Flood in {1} is over, reattaching..." -msgstr "" +msgstr "Overstroming in {1} is voorbij, opnieuw aan het aankoppelen..." #: flooddetach.cpp:150 msgid "Channel {1} was flooded, you've been detached" -msgstr "" +msgstr "Kanaal {1} was overstroomd, je bent losgekoppeld" #: flooddetach.cpp:187 msgid "1 line" msgid_plural "{1} lines" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "1 regel" +msgstr[1] "{1} regels" #: flooddetach.cpp:188 msgid "every second" msgid_plural "every {1} seconds" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "elke seconde" +msgstr[1] "elke {1} seconden" #: flooddetach.cpp:190 msgid "Current limit is {1} {2}" -msgstr "" +msgstr "Huidige limiet is {1} {2}" #: flooddetach.cpp:197 msgid "Seconds limit is {1}" -msgstr "" +msgstr "Seconden limiet is {1}" #: flooddetach.cpp:202 msgid "Set seconds limit to {1}" -msgstr "" +msgstr "Seconden limiet ingesteld op {1}" #: flooddetach.cpp:211 msgid "Lines limit is {1}" -msgstr "" +msgstr "Regellimiet is {1}" #: flooddetach.cpp:216 msgid "Set lines limit to {1}" -msgstr "" +msgstr "Regellimiet ingesteld op {1}" #: flooddetach.cpp:229 msgid "Module messages are disabled" -msgstr "" +msgstr "Module berichten zijn uitgeschakeld" #: flooddetach.cpp:231 msgid "Module messages are enabled" -msgstr "" +msgstr "Module berichten zijn ingeschakeld" #: flooddetach.cpp:247 msgid "" "This user module takes up to two arguments. Arguments are numbers of " "messages and seconds." msgstr "" +"Deze gebruikersmodule accepteert tot en met twee argumenten. Argumenten zijn " +"het aantal berichten en seconden." #: flooddetach.cpp:251 msgid "Detach channels when flooded" -msgstr "" +msgstr "Loskoppelen van kanalen wanneer overstroomd" diff --git a/modules/po/identfile.nl_NL.po b/modules/po/identfile.nl_NL.po index 7c07dca1..9238a199 100644 --- a/modules/po/identfile.nl_NL.po +++ b/modules/po/identfile.nl_NL.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.7.x/modules/po/identfile.pot\n" +"X-Crowdin-File: /master/modules/po/identfile.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Dutch\n" @@ -14,70 +14,74 @@ msgstr "" #: identfile.cpp:30 msgid "Show file name" -msgstr "" +msgstr "Laat bestandsnaam zien" #: identfile.cpp:32 msgid "" -msgstr "" +msgstr "" #: identfile.cpp:32 msgid "Set file name" -msgstr "" +msgstr "Stel bestandsnaam in" #: identfile.cpp:34 msgid "Show file format" -msgstr "" +msgstr "Laat bestandsindeling zien" #: identfile.cpp:36 msgid "" -msgstr "" +msgstr "" #: identfile.cpp:36 msgid "Set file format" -msgstr "" +msgstr "Stel bestandsindeling in" #: identfile.cpp:38 msgid "Show current state" -msgstr "" +msgstr "Laat huidige status zien" #: identfile.cpp:48 msgid "File is set to: {1}" -msgstr "" +msgstr "Bestand is ingesteld naar: {1}" #: identfile.cpp:53 msgid "File has been set to: {1}" -msgstr "" +msgstr "Bestand is ingesteld naar: {1}" #: identfile.cpp:58 msgid "Format has been set to: {1}" -msgstr "" +msgstr "Bestandsindeling is ingesteld op: {1}" #: identfile.cpp:59 identfile.cpp:65 msgid "Format would be expanded to: {1}" -msgstr "" +msgstr "Bestandsindeling zou uitgebreid worden naar: {1}" #: identfile.cpp:64 msgid "Format is set to: {1}" -msgstr "" +msgstr "Bestandsindeling is ingesteld op: {1}" #: identfile.cpp:78 msgid "identfile is free" -msgstr "" +msgstr "identiteitbestand is vrij" #: identfile.cpp:86 msgid "Access denied" -msgstr "" +msgstr "Toegang geweigerd" #: identfile.cpp:181 msgid "" "Aborting connection, another user or network is currently connecting and " "using the ident spoof file" msgstr "" +"Verbinding afbreken, een andere gebruiker of netwerk is momenteel aan het " +"verbinden en gebruikt het identiteitsbestand" #: identfile.cpp:189 msgid "[{1}] could not be written, retrying..." -msgstr "" +msgstr "Kon niet schrijven naar [{1}], opnieuw aan het proberen..." #: identfile.cpp:223 msgid "Write the ident of a user to a file when they are trying to connect." msgstr "" +"Schrijf de identiteit van een gebruiker naar een bestand wanneer zij " +"proberen te verbinden." diff --git a/modules/po/imapauth.nl_NL.po b/modules/po/imapauth.nl_NL.po index dd5ba696..fe4d2265 100644 --- a/modules/po/imapauth.nl_NL.po +++ b/modules/po/imapauth.nl_NL.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.7.x/modules/po/imapauth.pot\n" +"X-Crowdin-File: /master/modules/po/imapauth.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Dutch\n" @@ -14,8 +14,8 @@ msgstr "" #: imapauth.cpp:168 msgid "[ server [+]port [ UserFormatString ] ]" -msgstr "" +msgstr "[ server [+]poort [ UserFormatString ] ]" #: imapauth.cpp:171 msgid "Allow users to authenticate via IMAP." -msgstr "" +msgstr "Stelt gebruikers in staat om te identificeren via IMAP." diff --git a/modules/po/keepnick.nl_NL.po b/modules/po/keepnick.nl_NL.po index 9084aaee..55f7431e 100644 --- a/modules/po/keepnick.nl_NL.po +++ b/modules/po/keepnick.nl_NL.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.7.x/modules/po/keepnick.pot\n" +"X-Crowdin-File: /master/modules/po/keepnick.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Dutch\n" @@ -14,40 +14,40 @@ msgstr "" #: keepnick.cpp:39 msgid "Try to get your primary nick" -msgstr "" +msgstr "Probeer je primaire naam te krijgen" #: keepnick.cpp:42 keepnick.cpp:196 msgid "No longer trying to get your primary nick" -msgstr "" +msgstr "Probeer niet langer je primaire naam te krijgen" #: keepnick.cpp:44 msgid "Show the current state" -msgstr "" +msgstr "Laat huidige status zien" #: keepnick.cpp:158 msgid "ZNC is already trying to get this nickname" -msgstr "" +msgstr "ZNC probeert deze naam al ge krijgen" #: keepnick.cpp:173 msgid "Unable to obtain nick {1}: {2}, {3}" -msgstr "" +msgstr "Niet mogelijk om naam {1} te krijgen: {2}, {3}" #: keepnick.cpp:181 msgid "Unable to obtain nick {1}" -msgstr "" +msgstr "Niet mogelijk om naam {1} te krijgen" #: keepnick.cpp:191 msgid "Trying to get your primary nick" -msgstr "" +msgstr "Proberen je primaire naam te krijgen" #: keepnick.cpp:201 msgid "Currently trying to get your primary nick" -msgstr "" +msgstr "Momenteel proberen je primaire naam te krijgen" #: keepnick.cpp:203 msgid "Currently disabled, try 'enable'" -msgstr "" +msgstr "Op dit moment uitgeschakeld, probeer 'enable'" #: keepnick.cpp:224 msgid "Keeps trying for your primary nick" -msgstr "" +msgstr "Blijft proberen je primaire naam te krijgen" diff --git a/modules/po/kickrejoin.nl_NL.po b/modules/po/kickrejoin.nl_NL.po index 563b27c5..9e67a8f6 100644 --- a/modules/po/kickrejoin.nl_NL.po +++ b/modules/po/kickrejoin.nl_NL.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.7.x/modules/po/kickrejoin.pot\n" +"X-Crowdin-File: /master/modules/po/kickrejoin.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Dutch\n" @@ -14,48 +14,50 @@ msgstr "" #: kickrejoin.cpp:56 msgid "" -msgstr "" +msgstr "" #: kickrejoin.cpp:56 msgid "Set the rejoin delay" -msgstr "" +msgstr "Stel de vertraging voor het opnieuw toetreden in" #: kickrejoin.cpp:58 msgid "Show the rejoin delay" -msgstr "" +msgstr "Laat de vertraging voor het opnieuw toetreden zien" #: kickrejoin.cpp:77 msgid "Illegal argument, must be a positive number or 0" -msgstr "" +msgstr "Ongeldig argument, moet 0 of een getal boven de 0 zijn" #: kickrejoin.cpp:90 msgid "Negative delays don't make any sense!" -msgstr "" +msgstr "Vertragingen van minder dan 0 seconden slaan nergens op!" #: kickrejoin.cpp:98 msgid "Rejoin delay set to 1 second" msgid_plural "Rejoin delay set to {1} seconds" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "Vertraging voor het opnieuw toetreden ingesteld op 1 seconde" +msgstr[1] "Vertraging voor het opnieuw toetreden ingesteld op {1} seconden" #: kickrejoin.cpp:101 msgid "Rejoin delay disabled" -msgstr "" +msgstr "Vertraging voor het opnieuw toetreden uitgeschakeld" #: kickrejoin.cpp:106 msgid "Rejoin delay is set to 1 second" msgid_plural "Rejoin delay is set to {1} seconds" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "Vertraging voor het opnieuw toetreden ingesteld op 1 seconde" +msgstr[1] "Vertraging voor het opnieuw toetreden ingesteld op {1} seconden" #: kickrejoin.cpp:109 msgid "Rejoin delay is disabled" -msgstr "" +msgstr "Vertraging voor het opnieuw toetreden is uitgeschakeld" #: kickrejoin.cpp:131 msgid "You might enter the number of seconds to wait before rejoining." msgstr "" +"Je kan het aantal seconden voor het wachten voor het opnieuw toetreden " +"invoeren." #: kickrejoin.cpp:134 msgid "Autorejoins on kick" -msgstr "" +msgstr "Automatisch opnieuw toetreden wanneer geschopt" diff --git a/modules/po/lastseen.nl_NL.po b/modules/po/lastseen.nl_NL.po index 85ad9381..138de030 100644 --- a/modules/po/lastseen.nl_NL.po +++ b/modules/po/lastseen.nl_NL.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.7.x/modules/po/lastseen.pot\n" +"X-Crowdin-File: /master/modules/po/lastseen.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Dutch\n" @@ -14,54 +14,55 @@ msgstr "" #: modules/po/../data/lastseen/tmpl/index.tmpl:8 msgid "User" -msgstr "" +msgstr "Gebruiker" #: modules/po/../data/lastseen/tmpl/index.tmpl:9 lastseen.cpp:98 msgid "Last Seen" -msgstr "" +msgstr "Laatst gezien" #: modules/po/../data/lastseen/tmpl/index.tmpl:10 msgid "Info" -msgstr "" +msgstr "Info" #: modules/po/../data/lastseen/tmpl/index.tmpl:11 msgid "Action" -msgstr "" +msgstr "Actie" #: modules/po/../data/lastseen/tmpl/index.tmpl:21 msgid "Edit" -msgstr "" +msgstr "Bewerk" #: modules/po/../data/lastseen/tmpl/index.tmpl:22 msgid "Delete" -msgstr "" +msgstr "Verwijderen" #: modules/po/../data/lastseen/tmpl/lastseen_WebadminUser.tmpl:6 msgid "Last login time:" -msgstr "" +msgstr "Laatst ingelogd:" #: lastseen.cpp:53 msgid "Access denied" -msgstr "" +msgstr "Toegang geweigerd" #: lastseen.cpp:61 lastseen.cpp:66 msgctxt "show" msgid "User" -msgstr "" +msgstr "Gebruiker" #: lastseen.cpp:62 lastseen.cpp:67 msgctxt "show" msgid "Last Seen" -msgstr "" +msgstr "Laatst gezien" #: lastseen.cpp:68 lastseen.cpp:124 msgid "never" -msgstr "" +msgstr "nooit" #: lastseen.cpp:78 msgid "Shows list of users and when they last logged in" msgstr "" +"Laat lijst van gebruikers zien en wanneer deze voor het laatst ingelogd zijn" #: lastseen.cpp:153 msgid "Collects data about when a user last logged in." -msgstr "" +msgstr "Houd bij wanneer gebruikers voor het laatst ingelogd zijn." diff --git a/modules/po/listsockets.nl_NL.po b/modules/po/listsockets.nl_NL.po index 0ef1df05..e39ee913 100644 --- a/modules/po/listsockets.nl_NL.po +++ b/modules/po/listsockets.nl_NL.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.7.x/modules/po/listsockets.pot\n" +"X-Crowdin-File: /master/modules/po/listsockets.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Dutch\n" @@ -15,99 +15,101 @@ msgstr "" #: modules/po/../data/listsockets/tmpl/index.tmpl:7 listsockets.cpp:214 #: listsockets.cpp:230 msgid "Name" -msgstr "" +msgstr "Naam" #: modules/po/../data/listsockets/tmpl/index.tmpl:8 listsockets.cpp:215 #: listsockets.cpp:231 msgid "Created" -msgstr "" +msgstr "Gemaakt" #: modules/po/../data/listsockets/tmpl/index.tmpl:9 listsockets.cpp:216 #: listsockets.cpp:232 msgid "State" -msgstr "" +msgstr "Status" #: modules/po/../data/listsockets/tmpl/index.tmpl:10 listsockets.cpp:218 #: listsockets.cpp:235 msgid "SSL" -msgstr "" +msgstr "SSL" #: modules/po/../data/listsockets/tmpl/index.tmpl:11 listsockets.cpp:220 #: listsockets.cpp:240 msgid "Local" -msgstr "" +msgstr "Lokaal" #: modules/po/../data/listsockets/tmpl/index.tmpl:12 listsockets.cpp:221 #: listsockets.cpp:242 msgid "Remote" -msgstr "" +msgstr "Extern" #: modules/po/../data/listsockets/tmpl/index.tmpl:13 msgid "Data In" -msgstr "" +msgstr "Data In" #: modules/po/../data/listsockets/tmpl/index.tmpl:14 msgid "Data Out" -msgstr "" +msgstr "Data Uit" #: listsockets.cpp:62 msgid "[-n]" -msgstr "" +msgstr "[-n]" #: listsockets.cpp:62 msgid "Shows the list of active sockets. Pass -n to show IP addresses" msgstr "" +"Weergeeft een lijst van actieve sockets. Geef -n om IP addressen te laten " +"zien" #: listsockets.cpp:70 msgid "You must be admin to use this module" -msgstr "" +msgstr "Je moet een beheerder zijn om deze module te mogen gebruiken" #: listsockets.cpp:96 msgid "List sockets" -msgstr "" +msgstr "Laat sockets zien" #: listsockets.cpp:116 listsockets.cpp:236 msgctxt "ssl" msgid "Yes" -msgstr "" +msgstr "Ja" #: listsockets.cpp:116 listsockets.cpp:237 msgctxt "ssl" msgid "No" -msgstr "" +msgstr "Nee" #: listsockets.cpp:142 msgid "Listener" -msgstr "" +msgstr "Luisteraar" #: listsockets.cpp:144 msgid "Inbound" -msgstr "" +msgstr "Inkomend" #: listsockets.cpp:147 msgid "Outbound" -msgstr "" +msgstr "Uitgaand" #: listsockets.cpp:149 msgid "Connecting" -msgstr "" +msgstr "Verbinden" #: listsockets.cpp:152 msgid "UNKNOWN" -msgstr "" +msgstr "ONBEKEND" #: listsockets.cpp:207 msgid "You have no open sockets." -msgstr "" +msgstr "Je hebt geen openstaande sockets." #: listsockets.cpp:222 listsockets.cpp:244 msgid "In" -msgstr "" +msgstr "In" #: listsockets.cpp:223 listsockets.cpp:246 msgid "Out" -msgstr "" +msgstr "Uit" #: listsockets.cpp:262 msgid "Lists active sockets" -msgstr "" +msgstr "Laat actieve sockets zien" diff --git a/modules/po/log.nl_NL.po b/modules/po/log.nl_NL.po index b8b30452..85671abe 100644 --- a/modules/po/log.nl_NL.po +++ b/modules/po/log.nl_NL.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.7.x/modules/po/log.pot\n" +"X-Crowdin-File: /master/modules/po/log.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Dutch\n" @@ -14,135 +14,143 @@ msgstr "" #: log.cpp:59 msgid "" -msgstr "" +msgstr "" #: log.cpp:60 msgid "Set logging rules, use !#chan or !query to negate and * " msgstr "" +"Stel logboek regels in, gebruik !#kanaal of !query om te verwijderen, * is " +"toegestaan" #: log.cpp:62 msgid "Clear all logging rules" -msgstr "" +msgstr "Verwijder alle logboek regels" #: log.cpp:64 msgid "List all logging rules" -msgstr "" +msgstr "Laat alle logboek regels zien" #: log.cpp:67 msgid " true|false" -msgstr "" +msgstr " true|false" #: log.cpp:68 msgid "Set one of the following options: joins, quits, nickchanges" msgstr "" +"Stelt een van de volgende opties in: toetredingen, verlatingen, naam " +"aanpassingen" #: log.cpp:71 msgid "Show current settings set by Set command" -msgstr "" +msgstr "Laat huidige instellingen zie die ingesteld zijn door het Set commando" #: log.cpp:143 msgid "Usage: SetRules " -msgstr "" +msgstr "Gebruik: SetRules " #: log.cpp:144 msgid "Wildcards are allowed" -msgstr "" +msgstr "Jokers zijn toegestaan" #: log.cpp:156 log.cpp:178 msgid "No logging rules. Everything is logged." -msgstr "" +msgstr "Geen logboek regels. Alles wordt bijgehouden." #: log.cpp:161 msgid "1 rule removed: {2}" msgid_plural "{1} rules removed: {2}" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "1 regel verwijderd: {2}" +msgstr[1] "{1} regels verwijderd: {2}" #: log.cpp:168 log.cpp:173 msgctxt "listrules" msgid "Rule" -msgstr "" +msgstr "Regel" #: log.cpp:169 log.cpp:174 msgctxt "listrules" msgid "Logging enabled" -msgstr "" +msgstr "Logboek ingeschakeld" #: log.cpp:189 msgid "" "Usage: Set true|false, where is one of: joins, quits, nickchanges" msgstr "" +"Gebruik: Set true|false, waar is een van de " +"volgende: joins, quits, nickchanges" #: log.cpp:196 msgid "Will log joins" -msgstr "" +msgstr "Zal toetredingen vastleggen" #: log.cpp:196 msgid "Will not log joins" -msgstr "" +msgstr "Zal toetredingen niet vastleggen" #: log.cpp:197 msgid "Will log quits" -msgstr "" +msgstr "Zal verlatingen vastleggen" #: log.cpp:197 msgid "Will not log quits" -msgstr "" +msgstr "Zal verlatingen niet vastleggen" #: log.cpp:199 msgid "Will log nick changes" -msgstr "" +msgstr "Zal naamaanpassingen vastleggen" #: log.cpp:199 msgid "Will not log nick changes" -msgstr "" +msgstr "Zal naamaanpassingen niet vastleggen" #: log.cpp:203 msgid "Unknown variable. Known variables: joins, quits, nickchanges" -msgstr "" +msgstr "Onbekende variabele. Bekende variabelen: joins, quits, nickchanges" #: log.cpp:211 msgid "Logging joins" -msgstr "" +msgstr "Toetredingen worden vastgelegd" #: log.cpp:211 msgid "Not logging joins" -msgstr "" +msgstr "Toetredingen worden niet vastgelegd" #: log.cpp:212 msgid "Logging quits" -msgstr "" +msgstr "Verlatingen worden vastgelegd" #: log.cpp:212 msgid "Not logging quits" -msgstr "" +msgstr "Verlatingen worden niet vastgelegd" #: log.cpp:213 msgid "Logging nick changes" -msgstr "" +msgstr "Naamaanpassingen worden vastgelegd" #: log.cpp:214 msgid "Not logging nick changes" -msgstr "" +msgstr "Naamaanpassingen worden niet vastgelegd" #: log.cpp:351 msgid "" "Invalid args [{1}]. Only one log path allowed. Check that there are no " "spaces in the path." msgstr "" +"Ongeldige argumenten [{1}]. Maar één logboekpad is toegestaan. Controleer of " +"er geen spaties in het pad voorkomen." #: log.cpp:401 msgid "Invalid log path [{1}]" -msgstr "" +msgstr "Ongeldig logboekpad [{1}]" #: log.cpp:404 msgid "Logging to [{1}]. Using timestamp format '{2}'" -msgstr "" +msgstr "Logboek schrijven naar [{1}]. Gebruik tijdstempel: '{2}'" #: log.cpp:559 msgid "[-sanitize] Optional path where to store logs." -msgstr "" +msgstr "[-sanitize] Optioneel pad waar het logboek opgeslagen moet worden." #: log.cpp:563 msgid "Writes IRC logs." -msgstr "" +msgstr "Schrijft IRC logboeken." diff --git a/modules/po/missingmotd.nl_NL.po b/modules/po/missingmotd.nl_NL.po index e4dfdf1f..fb9e9eec 100644 --- a/modules/po/missingmotd.nl_NL.po +++ b/modules/po/missingmotd.nl_NL.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.7.x/modules/po/missingmotd.pot\n" +"X-Crowdin-File: /master/modules/po/missingmotd.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Dutch\n" @@ -14,4 +14,4 @@ msgstr "" #: missingmotd.cpp:36 msgid "Sends 422 to clients when they login" -msgstr "" +msgstr "Stuurt 422 naar clients wanneer zij inloggen" diff --git a/modules/po/modperl.nl_NL.po b/modules/po/modperl.nl_NL.po index 260392d8..b6eccffb 100644 --- a/modules/po/modperl.nl_NL.po +++ b/modules/po/modperl.nl_NL.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.7.x/modules/po/modperl.pot\n" +"X-Crowdin-File: /master/modules/po/modperl.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Dutch\n" @@ -14,4 +14,4 @@ msgstr "" #: modperl.cpp:382 msgid "Loads perl scripts as ZNC modules" -msgstr "" +msgstr "Laad perl scripts als ZNC modulen" diff --git a/modules/po/modpython.nl_NL.po b/modules/po/modpython.nl_NL.po index 34f7001f..4a971fee 100644 --- a/modules/po/modpython.nl_NL.po +++ b/modules/po/modpython.nl_NL.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.7.x/modules/po/modpython.pot\n" +"X-Crowdin-File: /master/modules/po/modpython.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Dutch\n" @@ -14,4 +14,4 @@ msgstr "" #: modpython.cpp:512 msgid "Loads python scripts as ZNC modules" -msgstr "" +msgstr "Laad python scripts als ZNC modulen" diff --git a/modules/po/modules_online.nl_NL.po b/modules/po/modules_online.nl_NL.po index 1459e87b..a8c69857 100644 --- a/modules/po/modules_online.nl_NL.po +++ b/modules/po/modules_online.nl_NL.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.7.x/modules/po/modules_online.pot\n" +"X-Crowdin-File: /master/modules/po/modules_online.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Dutch\n" @@ -14,4 +14,4 @@ msgstr "" #: modules_online.cpp:117 msgid "Makes ZNC's *modules to be \"online\"." -msgstr "" +msgstr "Maakt ZNC's *modulen \"online\"." diff --git a/modules/po/nickserv.nl_NL.po b/modules/po/nickserv.nl_NL.po index 15963e36..76ce657f 100644 --- a/modules/po/nickserv.nl_NL.po +++ b/modules/po/nickserv.nl_NL.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.7.x/modules/po/nickserv.pot\n" +"X-Crowdin-File: /master/modules/po/nickserv.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Dutch\n" @@ -14,62 +14,64 @@ msgstr "" #: nickserv.cpp:31 msgid "Password set" -msgstr "" +msgstr "Wachtwoord ingesteld" #: nickserv.cpp:38 msgid "NickServ name set" -msgstr "" +msgstr "NickServ naam ingesteld" #: nickserv.cpp:54 msgid "No such editable command. See ViewCommands for list." -msgstr "" +msgstr "Geen aanpasbaar commando. Zie ViewCommands voor een lijst." #: nickserv.cpp:57 msgid "Ok" -msgstr "" +msgstr "Oké" #: nickserv.cpp:62 msgid "password" -msgstr "" +msgstr "wachtwoord" #: nickserv.cpp:62 msgid "Set your nickserv password" -msgstr "" +msgstr "Stel je nickserv wachtwoord in" #: nickserv.cpp:64 msgid "Clear your nickserv password" -msgstr "" +msgstr "Leegt je nickserv wachtwoord" #: nickserv.cpp:66 msgid "nickname" -msgstr "" +msgstr "naam" #: nickserv.cpp:67 msgid "" "Set NickServ name (Useful on networks like EpiKnet, where NickServ is named " "Themis" msgstr "" +"Stel NickServ naam in (nuttig op netwerken zoals EpiKnet waar NickServ " +"Themis heet)" #: nickserv.cpp:71 msgid "Reset NickServ name to default (NickServ)" -msgstr "" +msgstr "Reset de naam van NickServ naar de standaard (NickServ)" #: nickserv.cpp:75 msgid "Show patterns for lines, which are being sent to NickServ" -msgstr "" +msgstr "Laat patroon voor de regels zien die gestuurd worden naar NickServ" #: nickserv.cpp:77 msgid "cmd new-pattern" -msgstr "" +msgstr "cmd nieuw-patroon" #: nickserv.cpp:78 msgid "Set pattern for commands" -msgstr "" +msgstr "Stel patroon in voor commando's" #: nickserv.cpp:140 msgid "Please enter your nickserv password." -msgstr "" +msgstr "Voer alsjeblieft je nickserv wachtwoord in." #: nickserv.cpp:144 msgid "Auths you with NickServ (prefer SASL module instead)" -msgstr "" +msgstr "Authenticeert je met NickServ (SASL module heeft de voorkeur)" diff --git a/modules/po/notes.nl_NL.po b/modules/po/notes.nl_NL.po index 9796def6..54426501 100644 --- a/modules/po/notes.nl_NL.po +++ b/modules/po/notes.nl_NL.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.7.x/modules/po/notes.pot\n" +"X-Crowdin-File: /master/modules/po/notes.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Dutch\n" @@ -14,106 +14,111 @@ msgstr "" #: modules/po/../data/notes/tmpl/index.tmpl:7 msgid "Add A Note" -msgstr "" +msgstr "Voeg een notitie toe" #: modules/po/../data/notes/tmpl/index.tmpl:11 msgid "Key:" -msgstr "" +msgstr "Sleutel:" #: modules/po/../data/notes/tmpl/index.tmpl:15 msgid "Note:" -msgstr "" +msgstr "Notitie:" #: modules/po/../data/notes/tmpl/index.tmpl:19 msgid "Add Note" -msgstr "" +msgstr "Voeg notitie toe" #: modules/po/../data/notes/tmpl/index.tmpl:27 msgid "You have no notes to display." -msgstr "" +msgstr "Je hebt geen notities om weer te geven." #: modules/po/../data/notes/tmpl/index.tmpl:34 notes.cpp:164 notes.cpp:169 msgid "Key" -msgstr "" +msgstr "Sleutel" #: modules/po/../data/notes/tmpl/index.tmpl:35 notes.cpp:165 notes.cpp:170 msgid "Note" -msgstr "" +msgstr "Notitie" #: modules/po/../data/notes/tmpl/index.tmpl:41 msgid "[del]" -msgstr "" +msgstr "[delete]" #: notes.cpp:32 msgid "That note already exists. Use MOD to overwrite." msgstr "" +"Die notitie bestaat al. Gebruik MOD om te overschrijven." #: notes.cpp:35 notes.cpp:137 msgid "Added note {1}" -msgstr "" +msgstr "Notitie toegevoegd: {1}" #: notes.cpp:37 notes.cpp:48 notes.cpp:142 msgid "Unable to add note {1}" -msgstr "" +msgstr "Niet mogelijk om notitie toe te voegen: {1}" #: notes.cpp:46 notes.cpp:139 msgid "Set note for {1}" -msgstr "" +msgstr "Notitie ingesteld voor {1}" #: notes.cpp:56 msgid "This note doesn't exist." -msgstr "" +msgstr "Deze notitie bestaat niet." #: notes.cpp:66 notes.cpp:116 msgid "Deleted note {1}" -msgstr "" +msgstr "Notitie verwijderd: {1}" #: notes.cpp:68 notes.cpp:118 msgid "Unable to delete note {1}" -msgstr "" +msgstr "Kon notitie niet verwijderen: {1}" #: notes.cpp:75 msgid "List notes" -msgstr "" +msgstr "Lijst van notities" #: notes.cpp:77 notes.cpp:81 msgid " " -msgstr "" +msgstr " " #: notes.cpp:77 msgid "Add a note" -msgstr "" +msgstr "Voeg een notitie toe" #: notes.cpp:79 notes.cpp:83 msgid "" -msgstr "" +msgstr "" #: notes.cpp:79 msgid "Delete a note" -msgstr "" +msgstr "Verwijder een notitie" #: notes.cpp:81 msgid "Modify a note" -msgstr "" +msgstr "Pas een notitie aan" #: notes.cpp:94 msgid "Notes" -msgstr "" +msgstr "Notities" #: notes.cpp:133 msgid "That note already exists. Use /#+ to overwrite." msgstr "" +"Die notitie bestaat al. Gebruik /#+ om te overschrijven." #: notes.cpp:185 notes.cpp:187 msgid "You have no entries." -msgstr "" +msgstr "Je hebt geen notities." #: notes.cpp:223 msgid "" "This user module takes up to one arguments. It can be -disableNotesOnLogin " "not to show notes upon client login" msgstr "" +"Deze gebruikersmodule accepteert maximaal 1 argument. Dit kan -" +"disableNotesOnLogin zodat notities niet worden laten zien wanneer een " +"gebruiker inlogd" #: notes.cpp:227 msgid "Keep and replay notes" -msgstr "" +msgstr "Hou en speel notities opnieuw af" diff --git a/modules/po/notify_connect.nl_NL.po b/modules/po/notify_connect.nl_NL.po index c2d768b7..b9ac8970 100644 --- a/modules/po/notify_connect.nl_NL.po +++ b/modules/po/notify_connect.nl_NL.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.7.x/modules/po/notify_connect.pot\n" +"X-Crowdin-File: /master/modules/po/notify_connect.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Dutch\n" @@ -14,16 +14,17 @@ msgstr "" #: notify_connect.cpp:24 msgid "attached" -msgstr "" +msgstr "aangekoppeld" #: notify_connect.cpp:26 msgid "detached" -msgstr "" +msgstr "losgekoppeld" #: notify_connect.cpp:41 msgid "{1} {2} from {3}" -msgstr "" +msgstr "{1} {2} van {3}" #: notify_connect.cpp:52 msgid "Notifies all admin users when a client connects or disconnects." msgstr "" +"Stuurt een melding naar alle beheerders wanneer een client los of aankoppeld." diff --git a/modules/po/partyline.nl_NL.po b/modules/po/partyline.nl_NL.po index a2b867e2..a5011e22 100644 --- a/modules/po/partyline.nl_NL.po +++ b/modules/po/partyline.nl_NL.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.7.x/modules/po/partyline.pot\n" +"X-Crowdin-File: /master/modules/po/partyline.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Dutch\n" @@ -14,26 +14,29 @@ msgstr "" #: partyline.cpp:60 msgid "There are no open channels." -msgstr "" +msgstr "Er zijn geen open kanalen." #: partyline.cpp:66 partyline.cpp:73 msgid "Channel" -msgstr "" +msgstr "Kanaal" #: partyline.cpp:67 partyline.cpp:74 msgid "Users" -msgstr "" +msgstr "Gebruikers" #: partyline.cpp:82 msgid "List all open channels" -msgstr "" +msgstr "Laat alle open kanalen zien" #: partyline.cpp:733 msgid "" "You may enter a list of channels the user joins, when entering the internal " "partyline." msgstr "" +"Je mag een lijst van kanalen toevoegen wanneer een gebruiker toetreed tot de " +"interne partijlijn." #: partyline.cpp:739 msgid "Internal channels and queries for users connected to ZNC" msgstr "" +"Interne kanalen en privé berichten voor gebruikers die verbonden zijn met ZNC" diff --git a/modules/po/perform.nl_NL.po b/modules/po/perform.nl_NL.po index 170af654..a50de6c7 100644 --- a/modules/po/perform.nl_NL.po +++ b/modules/po/perform.nl_NL.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.7.x/modules/po/perform.pot\n" +"X-Crowdin-File: /master/modules/po/perform.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Dutch\n" @@ -14,95 +14,100 @@ msgstr "" #: modules/po/../data/perform/tmpl/index.tmpl:7 perform.cpp:143 msgid "Perform" -msgstr "" +msgstr "Uitvoeren" #: modules/po/../data/perform/tmpl/index.tmpl:11 msgid "Perform commands:" -msgstr "" +msgstr "Voer commando's uit:" #: modules/po/../data/perform/tmpl/index.tmpl:15 msgid "Commands sent to the IRC server on connect, one per line." msgstr "" +"Commando's verstuurd naar de IRC server bij het verbinden, één per regel." #: modules/po/../data/perform/tmpl/index.tmpl:18 msgid "Save" -msgstr "" +msgstr "Opslaan" #: perform.cpp:24 msgid "Usage: add " -msgstr "" +msgstr "Gebruik: add " #: perform.cpp:29 msgid "Added!" -msgstr "" +msgstr "Toegevoegd!" #: perform.cpp:37 perform.cpp:82 msgid "Illegal # Requested" -msgstr "" +msgstr "Ongeldig # aangevraagd" #: perform.cpp:41 msgid "Command Erased." -msgstr "" +msgstr "Commando verwijderd." #: perform.cpp:50 perform.cpp:56 msgctxt "list" msgid "Id" -msgstr "" +msgstr "Id" #: perform.cpp:51 perform.cpp:57 msgctxt "list" msgid "Perform" -msgstr "" +msgstr "Uitvoeren" #: perform.cpp:52 perform.cpp:62 msgctxt "list" msgid "Expanded" -msgstr "" +msgstr "Uitgebreid" #: perform.cpp:67 msgid "No commands in your perform list." -msgstr "" +msgstr "Geen commando's in je uitvoerlijst." #: perform.cpp:73 msgid "perform commands sent" -msgstr "" +msgstr "Uitvoer commando's gestuurd" #: perform.cpp:86 msgid "Commands Swapped." -msgstr "" +msgstr "Commando's omgewisseld." #: perform.cpp:95 msgid "" -msgstr "" +msgstr "" #: perform.cpp:96 msgid "Adds perform command to be sent to the server on connect" msgstr "" +"Voegt commando's toe om uit te voeren wanneer er verbinding gemaakt is met " +"de server" #: perform.cpp:98 msgid "" -msgstr "" +msgstr "" #: perform.cpp:98 msgid "Delete a perform command" -msgstr "" +msgstr "Verwijder een uitvoercommando" #: perform.cpp:100 msgid "List the perform commands" -msgstr "" +msgstr "Laat de uitvoercommando's zien" #: perform.cpp:103 msgid "Send the perform commands to the server now" -msgstr "" +msgstr "Stuur de uitvoercommando's nu naar de server" #: perform.cpp:105 msgid " " -msgstr "" +msgstr " " #: perform.cpp:106 msgid "Swap two perform commands" -msgstr "" +msgstr "Wissel twee uitvoercommando's" #: perform.cpp:192 msgid "Keeps a list of commands to be executed when ZNC connects to IRC." msgstr "" +"Houd een lijst bij van commando's die naar de IRC server verstuurd worden " +"zodra ZNC hier naar verbind." diff --git a/modules/po/perleval.nl_NL.po b/modules/po/perleval.nl_NL.po index a575f497..aaf58728 100644 --- a/modules/po/perleval.nl_NL.po +++ b/modules/po/perleval.nl_NL.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.7.x/modules/po/perleval.pot\n" +"X-Crowdin-File: /master/modules/po/perleval.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Dutch\n" @@ -14,18 +14,18 @@ msgstr "" #: perleval.pm:23 msgid "Evaluates perl code" -msgstr "" +msgstr "Evalueert perl code" #: perleval.pm:33 msgid "Only admin can load this module" -msgstr "" +msgstr "Alleen beheerders kunnen deze module laden" #: perleval.pm:44 #, perl-format msgid "Error: %s" -msgstr "" +msgstr "Fout: %s" #: perleval.pm:46 #, perl-format msgid "Result: %s" -msgstr "" +msgstr "Resultaat: %s" diff --git a/modules/po/pyeval.nl_NL.po b/modules/po/pyeval.nl_NL.po index f4db01b0..e64f0334 100644 --- a/modules/po/pyeval.nl_NL.po +++ b/modules/po/pyeval.nl_NL.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.7.x/modules/po/pyeval.pot\n" +"X-Crowdin-File: /master/modules/po/pyeval.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Dutch\n" @@ -14,8 +14,8 @@ msgstr "" #: pyeval.py:49 msgid "You must have admin privileges to load this module." -msgstr "" +msgstr "Alleen beheerders kunnen deze module laden." #: pyeval.py:82 msgid "Evaluates python code" -msgstr "" +msgstr "Evalueert python code" diff --git a/modules/po/q.nl_NL.po b/modules/po/q.nl_NL.po index 3a3841cc..2158a61c 100644 --- a/modules/po/q.nl_NL.po +++ b/modules/po/q.nl_NL.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.7.x/modules/po/q.pot\n" +"X-Crowdin-File: /master/modules/po/q.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Dutch\n" @@ -14,27 +14,27 @@ msgstr "" #: modules/po/../data/q/tmpl/index.tmpl:11 msgid "Username:" -msgstr "" +msgstr "Gebruikersnaam:" #: modules/po/../data/q/tmpl/index.tmpl:13 msgid "Please enter a username." -msgstr "" +msgstr "Voer alsjeblieft een gebruikersnaam in." #: modules/po/../data/q/tmpl/index.tmpl:16 msgid "Password:" -msgstr "" +msgstr "Wachtwoord:" #: modules/po/../data/q/tmpl/index.tmpl:18 msgid "Please enter a password." -msgstr "" +msgstr "Voer alsjeblieft een wachtwoord in." #: modules/po/../data/q/tmpl/index.tmpl:26 msgid "Options" -msgstr "" +msgstr "Opties" #: modules/po/../data/q/tmpl/index.tmpl:42 msgid "Save" -msgstr "" +msgstr "Opslaan" #: q.cpp:74 msgid "" @@ -42,255 +42,272 @@ msgid "" "want to cloak your host now, /msg *q Cloak. You can set your preference " "with /msg *q Set UseCloakedHost true/false." msgstr "" +"Melding: Je host zal omhuld worden de volgende keer dat je met IRC verbind. " +"Als je dit nu wilt doen, doe dan: /msg *q Cloak. Je kan je voorkeur " +"instellen met /msg *q Set UseCloakedHost true/false." #: q.cpp:111 msgid "The following commands are available:" -msgstr "" +msgstr "De volgende commando's zijn beschikbaar:" #: q.cpp:113 q.cpp:116 q.cpp:121 q.cpp:126 q.cpp:130 q.cpp:135 q.cpp:140 msgid "Command" -msgstr "" +msgstr "Commando" #: q.cpp:114 q.cpp:117 q.cpp:123 q.cpp:127 q.cpp:132 q.cpp:136 q.cpp:141 #: q.cpp:150 q.cpp:154 q.cpp:158 q.cpp:162 q.cpp:168 q.cpp:174 q.cpp:180 #: q.cpp:186 msgid "Description" -msgstr "" +msgstr "Beschrijving" #: q.cpp:116 msgid "Auth [ ]" -msgstr "" +msgstr "Auth [ ]" #: q.cpp:118 msgid "Tries to authenticate you with Q. Both parameters are optional." -msgstr "" +msgstr "Probeert je te authenticeren met Q, beide parameters zijn optioneel." #: q.cpp:124 msgid "Tries to set usermode +x to hide your real hostname." msgstr "" +"Probeert gebruikersmodus +x in te stellen om je echte hostname te verbergen." #: q.cpp:128 msgid "Prints the current status of the module." -msgstr "" +msgstr "Toont de huidige status van de module." #: q.cpp:133 msgid "Re-requests the current user information from Q." -msgstr "" +msgstr "Vraagt de huidige gebruikersinformatie opnieuw aan bij Q." #: q.cpp:135 msgid "Set " -msgstr "" +msgstr "Set " #: q.cpp:137 msgid "Changes the value of the given setting. See the list of settings below." msgstr "" +"Past de waarde aan van de gegeven instelling. Zie de lijst van instellingen " +"hier onder." #: q.cpp:142 msgid "Prints out the current configuration. See the list of settings below." msgstr "" +"Toont de huidige configuratie. Zie de onderstaande lijst van instellingen." #: q.cpp:146 msgid "The following settings are available:" -msgstr "" +msgstr "De volgende instellingen zijn beschikbaar:" #: q.cpp:148 q.cpp:152 q.cpp:156 q.cpp:160 q.cpp:166 q.cpp:172 q.cpp:178 #: q.cpp:183 q.cpp:227 q.cpp:230 q.cpp:233 q.cpp:236 q.cpp:239 q.cpp:242 #: q.cpp:245 q.cpp:248 msgid "Setting" -msgstr "" +msgstr "Instelling" #: q.cpp:149 q.cpp:153 q.cpp:157 q.cpp:161 q.cpp:167 q.cpp:173 q.cpp:179 #: q.cpp:184 msgid "Type" -msgstr "" +msgstr "Type" #: q.cpp:153 q.cpp:157 msgid "String" -msgstr "" +msgstr "Tekenreeks" #: q.cpp:154 msgid "Your Q username." -msgstr "" +msgstr "Jouw Q gebruikersnaam." #: q.cpp:158 msgid "Your Q password." -msgstr "" +msgstr "Jouw Q wachtwoord." #: q.cpp:161 q.cpp:167 q.cpp:173 q.cpp:179 q.cpp:184 msgid "Boolean" -msgstr "" +msgstr "Boolen (waar/onwaar)" #: q.cpp:163 q.cpp:373 msgid "Whether to cloak your hostname (+x) automatically on connect." -msgstr "" +msgstr "Je hostname automatisch omhullen (+x) wanneer er verbonden is." #: q.cpp:169 q.cpp:381 msgid "" "Whether to use the CHALLENGEAUTH mechanism to avoid sending passwords in " "cleartext." msgstr "" +"Of CHALLENGEAUTH mechanisme gebruikt moet worden om te voorkomen dat je " +"wachtwoord onversleuteld verstuurd word." #: q.cpp:175 q.cpp:389 msgid "Whether to request voice/op from Q on join/devoice/deop." msgstr "" +"Of je automatisch stem/beheerdersrechten van Q wilt aanvragen als je " +"toetreed/stem kwijt raakt/beheerdersrechten kwijt raakt." #: q.cpp:181 q.cpp:395 msgid "Whether to join channels when Q invites you." -msgstr "" +msgstr "Automatisch kanalen toetreden waar Q je voor uitnodigd." #: q.cpp:187 q.cpp:402 msgid "Whether to delay joining channels until after you are cloaked." -msgstr "" +msgstr "Wachten met het toetreden van kanalen totdat je host omhuld is." #: q.cpp:192 msgid "This module takes 2 optional parameters: " msgstr "" +"Deze module accepteerd twee optionele parameters: " +"" #: q.cpp:194 msgid "Module settings are stored between restarts." -msgstr "" +msgstr "Module instellingen worden opgeslagen tussen herstarts." #: q.cpp:200 msgid "Syntax: Set " -msgstr "" +msgstr "Syntax: Set " #: q.cpp:203 msgid "Username set" -msgstr "" +msgstr "Gebruikersnaam ingesteld" #: q.cpp:206 msgid "Password set" -msgstr "" +msgstr "Wachtwoord ingesteld" #: q.cpp:209 msgid "UseCloakedHost set" -msgstr "" +msgstr "UseCloakedHost ingesteld" #: q.cpp:212 msgid "UseChallenge set" -msgstr "" +msgstr "UseChallenge ingesteld" #: q.cpp:215 msgid "RequestPerms set" -msgstr "" +msgstr "RequestPerms ingesteld" #: q.cpp:218 msgid "JoinOnInvite set" -msgstr "" +msgstr "JoinOnInvite ingesteld" #: q.cpp:221 msgid "JoinAfterCloaked set" -msgstr "" +msgstr "JoinAfterCloaked ingesteld" #: q.cpp:223 msgid "Unknown setting: {1}" -msgstr "" +msgstr "Onbekende instelling: {1}" #: q.cpp:228 q.cpp:231 q.cpp:234 q.cpp:237 q.cpp:240 q.cpp:243 q.cpp:246 #: q.cpp:249 msgid "Value" -msgstr "" +msgstr "Waarde" #: q.cpp:253 msgid "Connected: yes" -msgstr "" +msgstr "Verbonden: ja" #: q.cpp:254 msgid "Connected: no" -msgstr "" +msgstr "Verbonden: nee" #: q.cpp:255 msgid "Cloacked: yes" -msgstr "" +msgstr "Host omhuld: ja" #: q.cpp:255 msgid "Cloacked: no" -msgstr "" +msgstr "Host omhuld: nee" #: q.cpp:256 msgid "Authenticated: yes" -msgstr "" +msgstr "Geauthenticeerd: ja" #: q.cpp:257 msgid "Authenticated: no" -msgstr "" +msgstr "Geauthenticeerd: nee" #: q.cpp:262 msgid "Error: You are not connected to IRC." -msgstr "" +msgstr "Fout: Je bent niet verbonden met IRC." #: q.cpp:270 msgid "Error: You are already cloaked!" -msgstr "" +msgstr "Fout: Je bent al omhuld!" #: q.cpp:276 msgid "Error: You are already authed!" -msgstr "" +msgstr "Fout: Je bent al geauthenticeerd!" #: q.cpp:280 msgid "Update requested." -msgstr "" +msgstr "Update aangevraagd." #: q.cpp:283 msgid "Unknown command. Try 'help'." -msgstr "" +msgstr "Onbekend commando. Probeer 'help'." #: q.cpp:293 msgid "Cloak successful: Your hostname is now cloaked." -msgstr "" +msgstr "Omhulling succesvol: Je host is nu omhuld." #: q.cpp:408 msgid "Changes have been saved!" -msgstr "" +msgstr "Wijzigingen zijn opgeslagen!" #: q.cpp:435 msgid "Cloak: Trying to cloak your hostname, setting +x..." -msgstr "" +msgstr "Omhulling: Proberen je host te omhullen, +x aan het instellen..." #: q.cpp:452 msgid "" "You have to set a username and password to use this module! See 'help' for " "details." msgstr "" +"Je moet een gebruikersnaam en wachtwoord instellen om deze module te " +"gebruiken! Zie 'help' voor details." #: q.cpp:458 msgid "Auth: Requesting CHALLENGE..." -msgstr "" +msgstr "Auth: CHALLENGE aanvragen..." #: q.cpp:462 msgid "Auth: Sending AUTH request..." -msgstr "" +msgstr "Auth: AUTH aanvraag aan het versturen..." #: q.cpp:479 msgid "Auth: Received challenge, sending CHALLENGEAUTH request..." -msgstr "" +msgstr "Auth: Uitdaging ontvangen, nu CHALLENGEAUTH aanvraag sturen..." #: q.cpp:521 msgid "Authentication failed: {1}" -msgstr "" +msgstr "Authenticatie mislukt: {1}" #: q.cpp:525 msgid "Authentication successful: {1}" -msgstr "" +msgstr "Authenticatie gelukt: {1}" #: q.cpp:539 msgid "" "Auth failed: Q does not support HMAC-SHA-256 for CHALLENGEAUTH, falling back " "to standard AUTH." msgstr "" +"Auth mislukt: Q ondersteund geen HMAC-SHA-256 voor CHALLENGEAUTH, " +"terugvallen naar standaard AUTH." #: q.cpp:566 msgid "RequestPerms: Requesting op on {1}" -msgstr "" +msgstr "RequestPerms: Beheerdersrechten aanvragen in {1}" #: q.cpp:579 msgid "RequestPerms: Requesting voice on {1}" -msgstr "" +msgstr "RequestPerms: Stem aanvragen in {1}" #: q.cpp:686 msgid "Please provide your username and password for Q." -msgstr "" +msgstr "Voer alsjeblieft je gebruikersnaam en wachtwoord in voor Q." #: q.cpp:689 msgid "Auths you with QuakeNet's Q bot." -msgstr "" +msgstr "Authenticeert je met QuakeNet's Q bot." diff --git a/modules/po/raw.nl_NL.po b/modules/po/raw.nl_NL.po index 1c4e10be..eed298f8 100644 --- a/modules/po/raw.nl_NL.po +++ b/modules/po/raw.nl_NL.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.7.x/modules/po/raw.pot\n" +"X-Crowdin-File: /master/modules/po/raw.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Dutch\n" @@ -14,4 +14,4 @@ msgstr "" #: raw.cpp:43 msgid "View all of the raw traffic" -msgstr "" +msgstr "Laat al het onbewerkte verkeer zien" diff --git a/modules/po/route_replies.nl_NL.po b/modules/po/route_replies.nl_NL.po index 4b036ca9..3e17edcd 100644 --- a/modules/po/route_replies.nl_NL.po +++ b/modules/po/route_replies.nl_NL.po @@ -6,54 +6,58 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.7.x/modules/po/route_replies.pot\n" +"X-Crowdin-File: /master/modules/po/route_replies.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Dutch\n" "Language: nl_NL\n" -#: route_replies.cpp:209 +#: route_replies.cpp:211 msgid "[yes|no]" -msgstr "" +msgstr "[yes|no]" -#: route_replies.cpp:210 +#: route_replies.cpp:212 msgid "Decides whether to show the timeout messages or not" -msgstr "" +msgstr "Beslist of time-out berichten laten zien worden of niet" -#: route_replies.cpp:350 +#: route_replies.cpp:352 msgid "This module hit a timeout which is probably a connectivity issue." msgstr "" +"Deze module heeft een time-out geraakt, dit is waarschijnlijk een " +"connectiviteitsprobleem." -#: route_replies.cpp:353 +#: route_replies.cpp:355 msgid "" "However, if you can provide steps to reproduce this issue, please do report " "a bug." msgstr "" - -#: route_replies.cpp:356 -msgid "To disable this message, do \"/msg {1} silent yes\"" -msgstr "" +"Maar, als je de stappen kan herproduceren, stuur alsjeblieft een bugrapport " +"hier mee." #: route_replies.cpp:358 +msgid "To disable this message, do \"/msg {1} silent yes\"" +msgstr "Om dit bericht uit te zetten, doe \"/msg {1} silent yes\"" + +#: route_replies.cpp:360 msgid "Last request: {1}" -msgstr "" +msgstr "Laatste aanvraag: {1}" -#: route_replies.cpp:359 +#: route_replies.cpp:361 msgid "Expected replies:" -msgstr "" +msgstr "Verwachte antwoorden:" -#: route_replies.cpp:363 +#: route_replies.cpp:365 msgid "{1} (last)" -msgstr "" +msgstr "{1} (laatste)" -#: route_replies.cpp:435 +#: route_replies.cpp:437 msgid "Timeout messages are disabled." -msgstr "" +msgstr "Time-out berichten uitgeschakeld." -#: route_replies.cpp:436 +#: route_replies.cpp:438 msgid "Timeout messages are enabled." -msgstr "" +msgstr "Time-out berichten ingeschakeld." -#: route_replies.cpp:457 +#: route_replies.cpp:459 msgid "Send replies (e.g. to /who) to the right client only" -msgstr "" +msgstr "Stuur antwoorden (zoals /who) alleen naar de juiste clients" diff --git a/modules/po/sample.nl_NL.po b/modules/po/sample.nl_NL.po index 5c0d9ec9..c023ed34 100644 --- a/modules/po/sample.nl_NL.po +++ b/modules/po/sample.nl_NL.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.7.x/modules/po/sample.pot\n" +"X-Crowdin-File: /master/modules/po/sample.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Dutch\n" @@ -14,106 +14,106 @@ msgstr "" #: sample.cpp:31 msgid "Sample job cancelled" -msgstr "" +msgstr "Voorbeeld taak geannuleerd" #: sample.cpp:33 msgid "Sample job destroyed" -msgstr "" +msgstr "Voorbeeld taak vernietigd" #: sample.cpp:50 msgid "Sample job done" -msgstr "" +msgstr "Voorbeeld taak gereed" #: sample.cpp:65 msgid "TEST!!!!" -msgstr "" +msgstr "KOEKJES!!!!" #: sample.cpp:74 msgid "I'm being loaded with the arguments: {1}" -msgstr "" +msgstr "Ik wordt geladen met de volgende argumenten: {1}" #: sample.cpp:85 msgid "I'm being unloaded!" -msgstr "" +msgstr "Ik wordt gestopt!" #: sample.cpp:94 msgid "You got connected BoyOh." -msgstr "" +msgstr "Je bent verbonden BoyOh." #: sample.cpp:98 msgid "You got disconnected BoyOh." -msgstr "" +msgstr "Je bent losgekoppeld BoyOh." #: sample.cpp:116 msgid "{1} {2} set mode on {3} {4}{5} {6}" -msgstr "" +msgstr "{1} {2} stelt modus in {3} {4}{5} {6}" #: sample.cpp:123 msgid "{1} {2} opped {3} on {4}" -msgstr "" +msgstr "{1} {2} geeft beheerdersrechten aan {3} op {4}" #: sample.cpp:129 msgid "{1} {2} deopped {3} on {4}" -msgstr "" +msgstr "{1} {2} neemt beheerdersrechten van {3} op {4}" #: sample.cpp:135 msgid "{1} {2} voiced {3} on {4}" -msgstr "" +msgstr "{1} {2} geeft stem aan {3} op {4}" #: sample.cpp:141 msgid "{1} {2} devoiced {3} on {4}" -msgstr "" +msgstr "{1} {2} neemt stem van {3} op {4}" #: sample.cpp:147 msgid "* {1} sets mode: {2} {3} on {4}" -msgstr "" +msgstr "* {1} stelt modus in: {2} {3} op {4}" #: sample.cpp:163 msgid "{1} kicked {2} from {3} with the msg {4}" -msgstr "" +msgstr "{1} geschopt {2} van {3} met het bericht {4}" #: sample.cpp:169 msgid "* {1} ({2}@{3}) quits ({4}) from channel: {6}" msgid_plural "* {1} ({2}@{3}) quits ({4}) from {5} channels: {6}" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "* {1} ({2}@{3}) verlaat ({4}) van kanaal: {6}" +msgstr[1] "* {1} ({2}@{3}) verlaat ({4}) van {5} kanalen: {6}" #: sample.cpp:177 msgid "Attempting to join {1}" -msgstr "" +msgstr "Proberen toe te treden tot {1}" #: sample.cpp:182 msgid "* {1} ({2}@{3}) joins {4}" -msgstr "" +msgstr "* {1} ({2}@{3}) treed toe in {4}" #: sample.cpp:189 msgid "* {1} ({2}@{3}) parts {4}" -msgstr "" +msgstr "* {1} ({2}@{3}) verlaat {4}" #: sample.cpp:196 msgid "{1} invited us to {2}, ignoring invites to {2}" -msgstr "" +msgstr "{1} nodigt ons uit in {2}, negeer uitnodigingen naar {2}" #: sample.cpp:201 msgid "{1} invited us to {2}" -msgstr "" +msgstr "{1} nodigt ons uit in {2}" #: sample.cpp:207 msgid "{1} is now known as {2}" -msgstr "" +msgstr "{1} staat nu bekend als {2}" #: sample.cpp:269 sample.cpp:276 msgid "{1} changes topic on {2} to {3}" -msgstr "" +msgstr "{1} veranderd onderwerp in {2} naar {3}" #: sample.cpp:317 msgid "Hi, I'm your friendly sample module." -msgstr "" +msgstr "Hey, ik ben je vriendelijke voorbeeldmodule." #: sample.cpp:330 msgid "Description of module arguments goes here." -msgstr "" +msgstr "Beschrijving van module argumenten komen hier." #: sample.cpp:333 msgid "To be used as a sample for writing modules" -msgstr "" +msgstr "Om gebruikt te worden als voorbeeld voor het schrijven van modulen" diff --git a/modules/po/samplewebapi.nl_NL.po b/modules/po/samplewebapi.nl_NL.po index e0ee730f..51abc2c7 100644 --- a/modules/po/samplewebapi.nl_NL.po +++ b/modules/po/samplewebapi.nl_NL.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.7.x/modules/po/samplewebapi.pot\n" +"X-Crowdin-File: /master/modules/po/samplewebapi.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Dutch\n" @@ -14,4 +14,4 @@ msgstr "" #: samplewebapi.cpp:59 msgid "Sample Web API module." -msgstr "" +msgstr "Voorbeeld van Web API module." diff --git a/modules/po/sasl.nl_NL.po b/modules/po/sasl.nl_NL.po index 0db1c655..67b5c53c 100644 --- a/modules/po/sasl.nl_NL.po +++ b/modules/po/sasl.nl_NL.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.7.x/modules/po/sasl.pot\n" +"X-Crowdin-File: /master/modules/po/sasl.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Dutch\n" @@ -14,161 +14,168 @@ msgstr "" #: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:290 msgid "SASL" -msgstr "" +msgstr "SASL" #: modules/po/../data/sasl/tmpl/index.tmpl:11 msgid "Username:" -msgstr "" +msgstr "Gebruikersnaam:" #: modules/po/../data/sasl/tmpl/index.tmpl:13 msgid "Please enter a username." -msgstr "" +msgstr "Voer alsjeblieft een gebruikersnaam in." #: modules/po/../data/sasl/tmpl/index.tmpl:16 msgid "Password:" -msgstr "" +msgstr "Wachtwoord:" #: modules/po/../data/sasl/tmpl/index.tmpl:18 msgid "Please enter a password." -msgstr "" +msgstr "Voer alsjeblieft een wachtwoord in." #: modules/po/../data/sasl/tmpl/index.tmpl:22 msgid "Options" -msgstr "" +msgstr "Opties" #: modules/po/../data/sasl/tmpl/index.tmpl:25 msgid "Connect only if SASL authentication succeeds." -msgstr "" +msgstr "Verbind alleen als SASL authenticatie lukt." #: modules/po/../data/sasl/tmpl/index.tmpl:27 msgid "Require authentication" -msgstr "" +msgstr "Vereis authenticatie" #: modules/po/../data/sasl/tmpl/index.tmpl:35 msgid "Mechanisms" -msgstr "" +msgstr "Mechanismen" #: modules/po/../data/sasl/tmpl/index.tmpl:42 msgid "Name" -msgstr "" +msgstr "Naam" #: modules/po/../data/sasl/tmpl/index.tmpl:43 sasl.cpp:89 sasl.cpp:94 msgid "Description" -msgstr "" +msgstr "Beschrijving" #: modules/po/../data/sasl/tmpl/index.tmpl:57 msgid "Selected mechanisms and their order:" -msgstr "" +msgstr "Geselecteerde mechanismen en hun volgorde:" #: modules/po/../data/sasl/tmpl/index.tmpl:74 msgid "Save" -msgstr "" +msgstr "Opslaan" #: sasl.cpp:54 msgid "TLS certificate, for use with the *cert module" -msgstr "" +msgstr "TLS certificaat, te gebruiken met de *cert module" #: sasl.cpp:56 msgid "" "Plain text negotiation, this should work always if the network supports SASL" msgstr "" +"Open text onderhandeling, dit zou altijd moeten werken als het netwerk SASL " +"ondersteund" #: sasl.cpp:62 msgid "search" -msgstr "" +msgstr "Zoek" #: sasl.cpp:62 msgid "Generate this output" -msgstr "" +msgstr "Genereer deze uitvoer" #: sasl.cpp:64 msgid "[ []]" -msgstr "" +msgstr "[ []]" #: sasl.cpp:65 msgid "" "Set username and password for the mechanisms that need them. Password is " "optional. Without parameters, returns information about current settings." msgstr "" +"Stel gebruikersnaam en wachtwoord in voor de mechanismen die deze nodig " +"hebben. Wachtwoord is optioneel. Zonder parameters zal deze de huidige " +"informatie tonen." #: sasl.cpp:69 msgid "[mechanism[ ...]]" -msgstr "" +msgstr "[mechanisme[ ...]]" #: sasl.cpp:70 msgid "Set the mechanisms to be attempted (in order)" -msgstr "" +msgstr "Stelt de mechanismen om te gebruiken in (op volgorde)" #: sasl.cpp:72 msgid "[yes|no]" -msgstr "" +msgstr "[yes|no]" #: sasl.cpp:73 msgid "Don't connect unless SASL authentication succeeds" -msgstr "" +msgstr "Verbind alleen als SASL authenticatie lukt" #: sasl.cpp:88 sasl.cpp:93 msgid "Mechanism" -msgstr "" +msgstr "Mechanism" #: sasl.cpp:97 msgid "The following mechanisms are available:" -msgstr "" +msgstr "De volgende mechanismen zijn beschikbaar:" #: sasl.cpp:107 msgid "Username is currently not set" -msgstr "" +msgstr "Gebruikersnaam is niet ingesteld" #: sasl.cpp:109 msgid "Username is currently set to '{1}'" -msgstr "" +msgstr "Gebruikersnaam is ingesteld op '{1}'" #: sasl.cpp:112 msgid "Password was not supplied" -msgstr "" +msgstr "Wachtwoord was niet ingevoerd" #: sasl.cpp:114 msgid "Password was supplied" -msgstr "" +msgstr "Wachtwoord was ingevoerd" #: sasl.cpp:122 msgid "Username has been set to [{1}]" -msgstr "" +msgstr "Gebruikersnaam is ingesteld op [{1}]" #: sasl.cpp:123 msgid "Password has been set to [{1}]" -msgstr "" +msgstr "Wachtwoord is ingesteld op [{1}]" #: sasl.cpp:143 msgid "Current mechanisms set: {1}" -msgstr "" +msgstr "Huidige mechanismen ingesteld: {1}" #: sasl.cpp:152 msgid "We require SASL negotiation to connect" -msgstr "" +msgstr "We vereisen SASL onderhandeling om te mogen verbinden" #: sasl.cpp:154 msgid "We will connect even if SASL fails" -msgstr "" +msgstr "We zullen verbinden ook als SASL faalt" #: sasl.cpp:191 msgid "Disabling network, we require authentication." -msgstr "" +msgstr "Netwerk uitgeschakeld, we eisen authenticatie." #: sasl.cpp:192 msgid "Use 'RequireAuth no' to disable." -msgstr "" +msgstr "Gebruik 'RequireAuth no' om uit te schakelen." #: sasl.cpp:245 msgid "{1} mechanism succeeded." -msgstr "" +msgstr "{1} mechanisme gelukt." #: sasl.cpp:257 msgid "{1} mechanism failed." -msgstr "" +msgstr "{1} mechanisme gefaalt." #: sasl.cpp:335 msgid "" "Adds support for sasl authentication capability to authenticate to an IRC " "server" msgstr "" +"Voegt ondertsteuning voor SASL authenticatie mogelijkheden toe om te kunnen " +"authenticeren naar een IRC server" diff --git a/modules/po/savebuff.nl_NL.po b/modules/po/savebuff.nl_NL.po index 5850e34a..b3377281 100644 --- a/modules/po/savebuff.nl_NL.po +++ b/modules/po/savebuff.nl_NL.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.7.x/modules/po/savebuff.pot\n" +"X-Crowdin-File: /master/modules/po/savebuff.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Dutch\n" @@ -14,23 +14,23 @@ msgstr "" #: savebuff.cpp:65 msgid "" -msgstr "" +msgstr "" #: savebuff.cpp:65 msgid "Sets the password" -msgstr "" +msgstr "Stelt het wachtwoord in" #: savebuff.cpp:67 msgid "" -msgstr "" +msgstr "" #: savebuff.cpp:67 msgid "Replays the buffer" -msgstr "" +msgstr "Speelt de buffer opnieuw af" #: savebuff.cpp:69 msgid "Saves all buffers" -msgstr "" +msgstr "Slaat alle buffers op" #: savebuff.cpp:221 msgid "" @@ -38,25 +38,32 @@ msgid "" "the appropriate pass and things should start working, or setpass to a new " "pass and save to reinstantiate" msgstr "" +"Wachtwoord die geleegd is betekent meestal dat de ontsleuteling gefaalt " +"heeft. Je kan setpass gebruiken om het juiste wachtwoord in te stellen en " +"dan zou het moeten werken. Of setpass naar een nieuw wachtwoord en opslaan " +"om opnieuw te starten" #: savebuff.cpp:232 msgid "Password set to [{1}]" -msgstr "" +msgstr "Wachtwoord ingesteld naar [{1}]" #: savebuff.cpp:262 msgid "Replayed {1}" -msgstr "" +msgstr "{1} afgespeeld" #: savebuff.cpp:341 msgid "Unable to decode Encrypted file {1}" -msgstr "" +msgstr "Niet mogelijk om versleuteld bestand te ontsleutelen: {1}" #: savebuff.cpp:358 msgid "" "This user module takes up to one arguments. Either --ask-pass or the " "password itself (which may contain spaces) or nothing" msgstr "" +"Deze gebruikersmodule accepteert maximaal één argument. --ask-pass of het " +"wachtwoord zelf (welke spaties mag bevatten) of niks" #: savebuff.cpp:363 msgid "Stores channel and query buffers to disk, encrypted" msgstr "" +"Slaat kanaal en privé berichten buffers op de harde schijf op, versleuteld" diff --git a/modules/po/send_raw.nl_NL.po b/modules/po/send_raw.nl_NL.po index 3558604b..0dc2639c 100644 --- a/modules/po/send_raw.nl_NL.po +++ b/modules/po/send_raw.nl_NL.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.7.x/modules/po/send_raw.pot\n" +"X-Crowdin-File: /master/modules/po/send_raw.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Dutch\n" @@ -14,96 +14,98 @@ msgstr "" #: modules/po/../data/send_raw/tmpl/index.tmpl:9 msgid "Send a raw IRC line" -msgstr "" +msgstr "Stuur een onbewerkte IRC regel" #: modules/po/../data/send_raw/tmpl/index.tmpl:14 msgid "User:" -msgstr "" +msgstr "Gebruiker:" #: modules/po/../data/send_raw/tmpl/index.tmpl:15 msgid "To change user, click to Network selector" -msgstr "" +msgstr "Om gebruiker te veranderen, klik de Netwerk schakelaar" #: modules/po/../data/send_raw/tmpl/index.tmpl:19 msgid "User/Network:" -msgstr "" +msgstr "Gebruiker/Netwerk:" #: modules/po/../data/send_raw/tmpl/index.tmpl:32 msgid "Send to:" -msgstr "" +msgstr "Stuur naar:" #: modules/po/../data/send_raw/tmpl/index.tmpl:34 msgid "Client" -msgstr "" +msgstr "Client" #: modules/po/../data/send_raw/tmpl/index.tmpl:35 msgid "Server" -msgstr "" +msgstr "Server" #: modules/po/../data/send_raw/tmpl/index.tmpl:40 msgid "Line:" -msgstr "" +msgstr "Regel:" #: modules/po/../data/send_raw/tmpl/index.tmpl:45 msgid "Send" -msgstr "" +msgstr "Stuur" #: send_raw.cpp:32 msgid "Sent [{1}] to {2}/{3}" -msgstr "" +msgstr "[{1}] gestuurd naard {2}/{3}" #: send_raw.cpp:36 send_raw.cpp:56 msgid "Network {1} not found for user {2}" -msgstr "" +msgstr "Netwerk {1} niet gevonden voor gebruiker {2}" #: send_raw.cpp:40 send_raw.cpp:60 msgid "User {1} not found" -msgstr "" +msgstr "Gebruiker {1} niet gevonden" #: send_raw.cpp:52 msgid "Sent [{1}] to IRC server of {2}/{3}" -msgstr "" +msgstr "[{1}] gestuurd naard IRC server van {2}/{3}" #: send_raw.cpp:75 msgid "You must have admin privileges to load this module" -msgstr "" +msgstr "Alleen beheerders kunnen deze module laden" #: send_raw.cpp:82 msgid "Send Raw" -msgstr "" +msgstr "Stuur onbewerkt" #: send_raw.cpp:92 msgid "User not found" -msgstr "" +msgstr "Gebruiker niet gevonden" #: send_raw.cpp:99 msgid "Network not found" -msgstr "" +msgstr "Netwerk niet gevonden" #: send_raw.cpp:116 msgid "Line sent" -msgstr "" +msgstr "Regel gestuurd" #: send_raw.cpp:140 send_raw.cpp:143 msgid "[user] [network] [data to send]" -msgstr "" +msgstr "[gebruiker] [netwerk] [data om te sturen]" #: send_raw.cpp:141 msgid "The data will be sent to the user's IRC client(s)" -msgstr "" +msgstr "De data zal gestuurd naar de gebruiker's IRC client(s)" #: send_raw.cpp:144 msgid "The data will be sent to the IRC server the user is connected to" msgstr "" +"De data zal gestuurd worden naar de IRC server waar de gebruiker mee " +"verbonden is" #: send_raw.cpp:147 msgid "[data to send]" -msgstr "" +msgstr "[data om te sturen]" #: send_raw.cpp:148 msgid "The data will be sent to your current client" -msgstr "" +msgstr "De data zal gestuurd worden naar je huidige client" #: send_raw.cpp:159 msgid "Lets you send some raw IRC lines as/to someone else" -msgstr "" +msgstr "Laat je onbewerkte IRC regels als/naar iemand anders sturen" diff --git a/modules/po/shell.nl_NL.po b/modules/po/shell.nl_NL.po index 7706db46..ccd3cedb 100644 --- a/modules/po/shell.nl_NL.po +++ b/modules/po/shell.nl_NL.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.7.x/modules/po/shell.pot\n" +"X-Crowdin-File: /master/modules/po/shell.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Dutch\n" @@ -14,16 +14,16 @@ msgstr "" #: shell.cpp:37 msgid "Failed to execute: {1}" -msgstr "" +msgstr "Mislukt om uit te voeren: {1}" #: shell.cpp:75 msgid "You must be admin to use the shell module" -msgstr "" +msgstr "Je moet een beheerder zijn om de shell module te gebruiken" #: shell.cpp:169 msgid "Gives shell access" -msgstr "" +msgstr "Geeft toegang tot de shell" #: shell.cpp:172 msgid "Gives shell access. Only ZNC admins can use it." -msgstr "" +msgstr "Geeft toegang tot de shell. Alleen ZNC beheerder kunnen het gebruiken." diff --git a/modules/po/simple_away.nl_NL.po b/modules/po/simple_away.nl_NL.po index 6b441f15..16518f93 100644 --- a/modules/po/simple_away.nl_NL.po +++ b/modules/po/simple_away.nl_NL.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.7.x/modules/po/simple_away.pot\n" +"X-Crowdin-File: /master/modules/po/simple_away.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Dutch\n" @@ -14,7 +14,7 @@ msgstr "" #: simple_away.cpp:56 msgid "[]" -msgstr "" +msgstr "[]" #: simple_away.cpp:57 #, c-format @@ -22,71 +22,81 @@ msgid "" "Prints or sets the away reason (%awaytime% is replaced with the time you " "were set away, supports substitutions using ExpandString)" msgstr "" +"Toont of stelt de afwezigheids reden in (%awaytime% wordt vervangen door de " +"tijd dat je afwezig gezet werd, ExpandString is ondersteund voor " +"vervangingen)" #: simple_away.cpp:63 msgid "Prints the current time to wait before setting you away" msgstr "" +"Toont de huidige tijd die je moet wachten tot je op afwezig gezet zal worden" #: simple_away.cpp:65 msgid "" -msgstr "" +msgstr "" #: simple_away.cpp:66 msgid "Sets the time to wait before setting you away" -msgstr "" +msgstr "Stelt de tijd in die je moet wachten voor je afwezig gezet zal worden" #: simple_away.cpp:69 msgid "Disables the wait time before setting you away" -msgstr "" +msgstr "Schakelt de wachttijd uit voordat je op afwezig gesteld zal worden" #: simple_away.cpp:73 msgid "Get or set the minimum number of clients before going away" msgstr "" +"Toon of stel in het minimum aantal clients voordat je op afwezig gezet zal " +"worden" #: simple_away.cpp:136 msgid "Away reason set" -msgstr "" +msgstr "Afwezigheidsreden ingesteld" #: simple_away.cpp:138 msgid "Away reason: {1}" -msgstr "" +msgstr "Afwezigheidsreden: {1}" #: simple_away.cpp:139 msgid "Current away reason would be: {1}" -msgstr "" +msgstr "Huidige afwezigheidsreden zou zijn: {1}" #: simple_away.cpp:144 msgid "Current timer setting: 1 second" msgid_plural "Current timer setting: {1} seconds" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "Huidige timer instelling: 1 seconde" +msgstr[1] "Huidige timer instelling: {1} seconden" #: simple_away.cpp:153 simple_away.cpp:161 msgid "Timer disabled" -msgstr "" +msgstr "Timer uitgeschakeld" #: simple_away.cpp:155 msgid "Timer set to 1 second" msgid_plural "Timer set to: {1} seconds" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "Timer ingesteld op 1 seconde" +msgstr[1] "Timer ingesteld op {1} seconden" #: simple_away.cpp:166 msgid "Current MinClients setting: {1}" -msgstr "" +msgstr "Huidige MinClients instelling: {1}" #: simple_away.cpp:169 msgid "MinClients set to {1}" -msgstr "" +msgstr "MinClients ingesteld op {1}" #: simple_away.cpp:248 msgid "" "You might enter up to 3 arguments, like -notimer awaymessage or -timer 5 " "awaymessage." msgstr "" +"Accepteert 3 argumenten, zoals -notimer afwezigheidsbericht of -timer 6 " +"afwezigheidsbericht." #: simple_away.cpp:253 msgid "" "This module will automatically set you away on IRC while you are " "disconnected from the bouncer." msgstr "" +"Deze module zal je automatisch op afwezig zetten op IRC als je loskoppelt " +"van ZNC." diff --git a/modules/po/stickychan.nl_NL.po b/modules/po/stickychan.nl_NL.po index c307560e..b9fe6dab 100644 --- a/modules/po/stickychan.nl_NL.po +++ b/modules/po/stickychan.nl_NL.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.7.x/modules/po/stickychan.pot\n" +"X-Crowdin-File: /master/modules/po/stickychan.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Dutch\n" @@ -14,89 +14,92 @@ msgstr "" #: modules/po/../data/stickychan/tmpl/index.tmpl:9 msgid "Name" -msgstr "" +msgstr "Naam" #: modules/po/../data/stickychan/tmpl/index.tmpl:10 msgid "Sticky" -msgstr "" +msgstr "Vasthoudend" #: modules/po/../data/stickychan/tmpl/index.tmpl:25 msgid "Save" -msgstr "" +msgstr "Opslaan" #: modules/po/../data/stickychan/tmpl/stickychan_WebadminChan.tmpl:8 msgid "Channel is sticky" -msgstr "" +msgstr "Kanaal is vasthoudend" #: stickychan.cpp:28 msgid "<#channel> [key]" -msgstr "" +msgstr "<#kanaal> [sleutel]" #: stickychan.cpp:28 msgid "Sticks a channel" -msgstr "" +msgstr "Houd een kanaal vast" #: stickychan.cpp:30 msgid "<#channel>" -msgstr "" +msgstr "<#kanaal>" #: stickychan.cpp:30 msgid "Unsticks a channel" -msgstr "" +msgstr "Houd een kanaal niet meer vast" #: stickychan.cpp:32 msgid "Lists sticky channels" -msgstr "" +msgstr "Laat vastgehouden kanalen zien" #: stickychan.cpp:75 msgid "Usage: Stick <#channel> [key]" -msgstr "" +msgstr "Gebruik: Stick <#kanaal> [sleutel]" #: stickychan.cpp:79 msgid "Stuck {1}" -msgstr "" +msgstr "Vastgezet {1}" #: stickychan.cpp:85 msgid "Usage: Unstick <#channel>" -msgstr "" +msgstr "Gebruik: Unstick <#kanaal>" #: stickychan.cpp:89 msgid "Unstuck {1}" -msgstr "" +msgstr "Losgemaakt {1}" #: stickychan.cpp:101 msgid " -- End of List" -msgstr "" +msgstr " -- Einde van lijst" #: stickychan.cpp:115 msgid "Could not join {1} (# prefix missing?)" -msgstr "" +msgstr "Kon {1} niet toetreden (Mist de # voor het kanaal?)" #: stickychan.cpp:128 msgid "Sticky Channels" -msgstr "" +msgstr "Vastgehouden kanalen" #: stickychan.cpp:160 msgid "Changes have been saved!" -msgstr "" +msgstr "Wijzigingen zijn opgeslagen!" #: stickychan.cpp:185 msgid "Channel became sticky!" -msgstr "" +msgstr "Kanalen zijn vastgehouden!" #: stickychan.cpp:189 msgid "Channel stopped being sticky!" -msgstr "" +msgstr "Kanalen zijn losgelaten!" #: stickychan.cpp:209 msgid "" "Channel {1} cannot be joined, it is an illegal channel name. Unsticking." msgstr "" +"Kanaal {1} kon niet toegetreden worden, het is een onjuiste naam voor een " +"kanaal. Laat deze los." #: stickychan.cpp:246 msgid "List of channels, separated by comma." -msgstr "" +msgstr "Lijst van kanalen, gescheiden met comma." #: stickychan.cpp:251 msgid "configless sticky chans, keeps you there very stickily even" msgstr "" +"Vastgehouden kanalen zonder configuratie, houd je daar heel stevig vast" diff --git a/modules/po/stripcontrols.nl_NL.po b/modules/po/stripcontrols.nl_NL.po index c48db224..bd9a9d63 100644 --- a/modules/po/stripcontrols.nl_NL.po +++ b/modules/po/stripcontrols.nl_NL.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.7.x/modules/po/stripcontrols.pot\n" +"X-Crowdin-File: /master/modules/po/stripcontrols.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Dutch\n" @@ -15,4 +15,4 @@ msgstr "" #: stripcontrols.cpp:63 msgid "" "Strips control codes (Colors, Bold, ..) from channel and private messages." -msgstr "" +msgstr "Haalt control codes uit de berichten (Kleuren, dikgedrukt, ..)." diff --git a/modules/po/watch.nl_NL.po b/modules/po/watch.nl_NL.po index ef29e4bf..9fac86fe 100644 --- a/modules/po/watch.nl_NL.po +++ b/modules/po/watch.nl_NL.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.7.x/modules/po/watch.pot\n" +"X-Crowdin-File: /master/modules/po/watch.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Dutch\n" @@ -14,236 +14,236 @@ msgstr "" #: watch.cpp:334 msgid "All entries cleared." -msgstr "" +msgstr "Alle gebruikers gewist." #: watch.cpp:344 msgid "Buffer count is set to {1}" -msgstr "" +msgstr "Buffer aantal is ingesteld op {1}" #: watch.cpp:348 msgid "Unknown command: {1}" -msgstr "" +msgstr "Onbekend commando: {1}" #: watch.cpp:397 msgid "Disabled all entries." -msgstr "" +msgstr "Alle gebruikers uitgeschakeld." #: watch.cpp:398 msgid "Enabled all entries." -msgstr "" +msgstr "Alle gebruikers ingeschakeld." #: watch.cpp:405 watch.cpp:437 watch.cpp:470 watch.cpp:570 watch.cpp:585 msgid "Invalid Id" -msgstr "" +msgstr "Ongeldige ID" #: watch.cpp:414 msgid "Id {1} disabled" -msgstr "" +msgstr "Id {1} uitgeschakeld" #: watch.cpp:416 msgid "Id {1} enabled" -msgstr "" +msgstr "Id {1} ingeschakeld" #: watch.cpp:428 msgid "Set DetachedClientOnly for all entries to Yes" -msgstr "" +msgstr "Stel DetachedClientOnly voor alle gebruikers in op Ja" #: watch.cpp:430 msgid "Set DetachedClientOnly for all entries to No" -msgstr "" +msgstr "Stel DetachedClientOnly voor alle gebruikers in op Nee" #: watch.cpp:446 watch.cpp:479 msgid "Id {1} set to Yes" -msgstr "" +msgstr "Id {1} ingesteld op Ja" #: watch.cpp:448 watch.cpp:481 msgid "Id {1} set to No" -msgstr "" +msgstr "Id {1} ingesteld op Nee" #: watch.cpp:461 msgid "Set DetachedChannelOnly for all entries to Yes" -msgstr "" +msgstr "DetachedChannelOnly voor alle gebruikers insteld op Ja" #: watch.cpp:463 msgid "Set DetachedChannelOnly for all entries to No" -msgstr "" +msgstr "DetachedChannelOnly voor alle gebruikers insteld op Nee" #: watch.cpp:487 watch.cpp:503 msgid "Id" -msgstr "" +msgstr "Id" #: watch.cpp:488 watch.cpp:504 msgid "HostMask" -msgstr "" +msgstr "Hostmasker" #: watch.cpp:489 watch.cpp:505 msgid "Target" -msgstr "" +msgstr "Doel" #: watch.cpp:490 watch.cpp:506 msgid "Pattern" -msgstr "" +msgstr "Patroon" #: watch.cpp:491 watch.cpp:507 msgid "Sources" -msgstr "" +msgstr "Bronnen" #: watch.cpp:492 watch.cpp:508 watch.cpp:509 msgid "Off" -msgstr "" +msgstr "Uit" #: watch.cpp:493 watch.cpp:511 msgid "DetachedClientOnly" -msgstr "" +msgstr "DetachedClientOnly" #: watch.cpp:494 watch.cpp:514 msgid "DetachedChannelOnly" -msgstr "" +msgstr "DetachedChannelOnly" #: watch.cpp:512 watch.cpp:515 msgid "Yes" -msgstr "" +msgstr "Ja" #: watch.cpp:512 watch.cpp:515 msgid "No" -msgstr "" +msgstr "Nee" #: watch.cpp:521 watch.cpp:527 msgid "You have no entries." -msgstr "" +msgstr "Je hebt geen gebruikers." #: watch.cpp:578 msgid "Sources set for Id {1}." -msgstr "" +msgstr "Bronnen ingesteld voor Id {1}." #: watch.cpp:593 msgid "Id {1} removed." -msgstr "" +msgstr "Id {1} verwijderd." #: watch.cpp:600 watch.cpp:604 watch.cpp:609 watch.cpp:614 watch.cpp:620 #: watch.cpp:625 watch.cpp:629 watch.cpp:633 watch.cpp:638 watch.cpp:645 #: watch.cpp:652 watch.cpp:658 watch.cpp:664 msgid "Command" -msgstr "" +msgstr "Commando" #: watch.cpp:601 watch.cpp:605 watch.cpp:610 watch.cpp:616 watch.cpp:621 #: watch.cpp:626 watch.cpp:630 watch.cpp:634 watch.cpp:641 watch.cpp:648 #: watch.cpp:654 watch.cpp:660 watch.cpp:665 msgid "Description" -msgstr "" +msgstr "Beschrijving" #: watch.cpp:604 msgid "Add [Target] [Pattern]" -msgstr "" +msgstr "Add [doel] [patroon}" #: watch.cpp:606 msgid "Used to add an entry to watch for." -msgstr "" +msgstr "Gebruikt om een gebruiker toe te voegen om naar uit te kijken." #: watch.cpp:609 msgid "List" -msgstr "" +msgstr "Lijst" #: watch.cpp:611 msgid "List all entries being watched." -msgstr "" +msgstr "Toon alle gebruikers waar naar uitgekeken wordt." #: watch.cpp:614 msgid "Dump" -msgstr "" +msgstr "Storten" #: watch.cpp:617 msgid "Dump a list of all current entries to be used later." -msgstr "" +msgstr "Stort een lijst met alle huidige gebruikers om later te gebruiken." #: watch.cpp:620 msgid "Del " -msgstr "" +msgstr "Del " #: watch.cpp:622 msgid "Deletes Id from the list of watched entries." -msgstr "" +msgstr "Verwijdert Id van de lijst van de naar uit te kijken gebruikers." #: watch.cpp:625 msgid "Clear" -msgstr "" +msgstr "Wissen" #: watch.cpp:626 msgid "Delete all entries." -msgstr "" +msgstr "Verwijder alle gebruikers." #: watch.cpp:629 msgid "Enable " -msgstr "" +msgstr "Enable " #: watch.cpp:630 msgid "Enable a disabled entry." -msgstr "" +msgstr "Schakel een uitgeschakelde gebruiker in." #: watch.cpp:633 msgid "Disable " -msgstr "" +msgstr "Disable " #: watch.cpp:635 msgid "Disable (but don't delete) an entry." -msgstr "" +msgstr "Schakel een ingeschakelde gebruiker uit (maar verwijder deze niet)." #: watch.cpp:639 msgid "SetDetachedClientOnly " -msgstr "" +msgstr "SetDetachedClientOnly " #: watch.cpp:642 msgid "Enable or disable detached client only for an entry." -msgstr "" +msgstr "Schakel een losgekoppelde client in of uit voor een gebruiker." #: watch.cpp:646 msgid "SetDetachedChannelOnly " -msgstr "" +msgstr "SetDetachedChannelOnly " #: watch.cpp:649 msgid "Enable or disable detached channel only for an entry." -msgstr "" +msgstr "Schakel een losgekoppeld kanaal in of uit voor een gebruiker." #: watch.cpp:652 msgid "Buffer [Count]" -msgstr "" +msgstr "Buffer [aantal]" #: watch.cpp:655 msgid "Show/Set the amount of buffered lines while detached." -msgstr "" +msgstr "Toon/Stel in de aantal gebufferde regels wanneer losgekoppeld." #: watch.cpp:659 msgid "SetSources [#chan priv #foo* !#bar]" -msgstr "" +msgstr "SetSources [#kanaal priv #foo* !#bar]" #: watch.cpp:661 msgid "Set the source channels that you care about." -msgstr "" +msgstr "Stel the bronkanalen in waar je om geeft." #: watch.cpp:664 msgid "Help" -msgstr "" +msgstr "Help" #: watch.cpp:665 msgid "This help." -msgstr "" +msgstr "Deze hulp." #: watch.cpp:681 msgid "Entry for {1} already exists." -msgstr "" +msgstr "Gebruiker {1} bestaat al." #: watch.cpp:689 msgid "Adding entry: {1} watching for [{2}] -> {3}" -msgstr "" +msgstr "Voeg gebruiker toe: {1}, kijk uit naar [{2}] -> {3}" #: watch.cpp:695 msgid "Watch: Not enough arguments. Try Help" -msgstr "" +msgstr "Watch: Niet genoeg argumenten. Probeer Help" #: watch.cpp:764 msgid "WARNING: malformed entry found while loading" -msgstr "" +msgstr "WAARSCHUWING: ongeldige gebruiker gevonden terwijl deze geladen werd" #: watch.cpp:778 msgid "Copy activity from a specific user into a separate window" -msgstr "" +msgstr "Kopiëer activiteit van een specifieke gebruiker naar een apart venster" diff --git a/modules/po/webadmin.nl_NL.po b/modules/po/webadmin.nl_NL.po index f574f111..2c902f9c 100644 --- a/modules/po/webadmin.nl_NL.po +++ b/modules/po/webadmin.nl_NL.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.7.x/modules/po/webadmin.pot\n" +"X-Crowdin-File: /master/modules/po/webadmin.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Dutch\n" @@ -14,233 +14,243 @@ msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:12 msgid "Channel Info" -msgstr "" +msgstr "Kanaal informatie" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:17 msgid "Channel Name:" -msgstr "" +msgstr "Kanaal naam:" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:19 msgid "The channel name." -msgstr "" +msgstr "De naam van het kanaal." #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:24 msgid "Key:" -msgstr "" +msgstr "Sleutel:" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:26 msgid "The password of the channel, if there is one." -msgstr "" +msgstr "Het wachtwoord van het kanaal, als er een is." #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:30 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:241 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:260 msgid "Buffer Size:" -msgstr "" +msgstr "Buffer grootte:" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:32 msgid "The buffer count." -msgstr "" +msgstr "Buffer aantal." #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:36 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:235 msgid "Default Modes:" -msgstr "" +msgstr "Standaard modes:" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:38 msgid "The default modes of the channel." -msgstr "" +msgstr "De standaard modes van het kanaal." #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:46 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:270 msgid "Flags" -msgstr "" +msgstr "Vlaggen" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:51 msgid "Save to config" -msgstr "" +msgstr "Opslaan naar configuratie" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:67 #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:282 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:410 msgid "Module {1}" -msgstr "" +msgstr "Module {1}" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:75 #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:290 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:419 msgid "Save and return" -msgstr "" +msgstr "Opslaan en terugkeren" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:76 #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:291 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:420 msgid "Save and continue" -msgstr "" +msgstr "Opslaan en doorgaan" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:78 msgid "Add Channel and return" -msgstr "" +msgstr "Voeg kanaal toe en keer terug" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:79 msgid "Add Channel and continue" -msgstr "" +msgstr "Voeg kanaal toe en ga door" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:8 #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:11 msgid "<password>" -msgstr "" +msgstr "<wachtwoord>" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:11 #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:12 msgid "<network>" -msgstr "" +msgstr "<netwerk>" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:14 msgid "" "To connect to this network from your IRC client, you can set the server " "password field as {1} or username field as {2}" msgstr "" +"Om verbinding te maken met dit netwerk vanaf je IRC client, kan je het " +"server wachtwoord instellen {1} of gebruikersnaam veld als " +"{2}" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:24 msgid "Network Info" -msgstr "" +msgstr "Netwerk informatie" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:25 msgid "" "Nick, AltNick, Ident, RealName, BindHost can be left empty to use the value " "from the user." msgstr "" +"Naam, AltNaam, identiteit, EchteNaam, BindHost kunnen leeg gelaten worden om " +"de standaard instellingen van de gebruiker te gebruiken." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:29 msgid "Network Name:" -msgstr "" +msgstr "Netwerk naam:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:31 msgid "The name of the IRC network." -msgstr "" +msgstr "De naam van het IRC netwerk." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:35 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:69 msgid "Nickname:" -msgstr "" +msgstr "Bijnaam:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:37 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:71 msgid "Your nickname on IRC." -msgstr "" +msgstr "Jouw bijnaam op IRC." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:40 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:74 msgid "Alt. Nickname:" -msgstr "" +msgstr "Alternatieve Bijnaam:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:42 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:76 msgid "Your secondary nickname, if the first is not available on IRC." -msgstr "" +msgstr "Je tweede bijnaam, als de eerste niet beschikbaar is op IRC." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:46 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:80 msgid "Ident:" -msgstr "" +msgstr "Identiteit:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:48 msgid "Your ident." -msgstr "" +msgstr "Jouw identiteit." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:51 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:91 msgid "Realname:" -msgstr "" +msgstr "Echte naam:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:53 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:93 msgid "Your real name." -msgstr "" +msgstr "Je echte naam." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:58 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:99 msgid "BindHost:" -msgstr "" +msgstr "Bindhost:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:65 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:112 msgid "Quit Message:" -msgstr "" +msgstr "Verlaatbericht:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:67 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:114 msgid "You may define a Message shown, when you quit IRC." -msgstr "" +msgstr "Je kan een bericht ingeven die weergeven wordt als je IRC verlaat." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:71 msgid "Active:" -msgstr "" +msgstr "Actief:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:73 msgid "Connect to IRC & automatically re-connect" -msgstr "" +msgstr "Verbind met IRC & verbind automatisch opnieuw" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:77 msgid "Trust all certs:" -msgstr "" +msgstr "Vertrouw alle certificaten:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:79 msgid "" "Disable certificate validation (takes precedence over TrustPKI). INSECURE!" -msgstr "" +msgstr "Schakel certificaatvalidatie uit (komt vóór TrustPKI). NIET VEILIG!" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:83 msgid "Trust the PKI:" -msgstr "" +msgstr "Vertrouw de PKI:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:85 msgid "" "Setting this to false will trust only certificates you added fingerprints " "for." msgstr "" +"Als je deze uitschakelt zal ZNC alleen certificaten vertrouwen waar je de " +"vingerafdrukken er voor toe hebt gevoegd." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:89 #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:96 msgid "Servers of this IRC network:" -msgstr "" +msgstr "Servers van dit IRC netwerk:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:93 msgid "One server per line, “host [[+]port] [password]”, + means SSL" -msgstr "" +msgstr "Één server per regel, \"host [[+]poort] [wachtwoord]\", + betekent SSL" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:101 msgid "Hostname" -msgstr "" +msgstr "Hostnaam" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:102 #: modules/po/../data/webadmin/tmpl/settings.tmpl:13 msgid "Port" -msgstr "" +msgstr "Poort" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:103 #: modules/po/../data/webadmin/tmpl/settings.tmpl:15 msgid "SSL" -msgstr "" +msgstr "SSL" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:104 msgid "Password" -msgstr "" +msgstr "Wachtwoord" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:116 msgid "SHA-256 fingerprints of trusted SSL certificates of this IRC network:" msgstr "" +"SHA-256 vingerafdruk van vertrouwde SSL certificaten van dit IRC netwerk:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:120 msgid "" "When these certificates are encountered, checks for hostname, expiration " "date, CA are skipped" msgstr "" +"Wanneer deze certificaten gezien worden, controles voor hostname, " +"vervaldatum en CA worden overgeslagen" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:124 msgid "Flood protection:" -msgstr "" +msgstr "Overstroom beveiliging:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:127 msgid "" @@ -248,70 +258,82 @@ msgid "" "which occur, when your IRC bot is command flooded or spammed. After changing " "this, reconnect ZNC to server." msgstr "" +"Je kan overstroom-beveiliging inschakelen. Dit stop \"excess flood\" " +"foutmeldingen die verscheinen als je IRC bot overstroomd of gespammed wordt " +"met commando's. Na het aanpassen van deze instelling moet je ZNC opnieuw " +"verbinden." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:130 msgctxt "Flood Protection" msgid "Enabled" -msgstr "" +msgstr "Ingeschakeld" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:134 msgid "Flood protection rate:" -msgstr "" +msgstr "Overstroming bescherming verhouding:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:137 msgid "" "The number of seconds per line. After changing this, reconnect ZNC to server." msgstr "" +"Het aantal seconden per regel. Na het aanpassen moet ZNC opnieuw verbinden " +"met IRC." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:140 msgid "{1} seconds per line" -msgstr "" +msgstr "{1} seconden per regel" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:144 msgid "Flood protection burst:" -msgstr "" +msgstr "Overstroming bescherming uitbarsting:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:147 msgid "" "Defines the number of lines, which can be sent immediately. After changing " "this, reconnect ZNC to server." msgstr "" +"Definieert het aantal regels die tegelijkertijd gestuurd kunnen worden. Na " +"het aanpassen moet ZNC opnieuw verbinden met IRC." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:150 msgid "{1} lines can be sent immediately" -msgstr "" +msgstr "{1} regels kunnen tegelijkertijd verstuurd worden" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:154 msgid "Channel join delay:" -msgstr "" +msgstr "Kanaal toetreedvertraging:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:157 msgid "" "Defines the delay in seconds, until channels are joined after getting " "connected." msgstr "" +"Definieert de vertraging in seconden totdat tot kanalen toegetreden wordt na " +"verbonden te zijn." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:160 msgid "{1} seconds" -msgstr "" +msgstr "{1} seconden" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:165 msgid "Character encoding used between ZNC and IRC server." -msgstr "" +msgstr "Karakter codering gebruikt tussen ZNC en de IRC server." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:166 msgid "Server encoding:" -msgstr "" +msgstr "Server codering:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:176 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:231 msgid "Channels" -msgstr "" +msgstr "Kanalen" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:178 msgid "" "You will be able to add + modify channels here after you created the network." msgstr "" +"Hier kan je kanalen toevoegen en aanpassen nadat je een netwerk aangemaakt " +"hebt." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:185 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:129 @@ -319,13 +341,13 @@ msgstr "" #: modules/po/../data/webadmin/tmpl/listusers.tmpl:15 #: modules/po/../data/webadmin/tmpl/settings.tmpl:72 msgid "Add" -msgstr "" +msgstr "Toevoegen" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:187 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:430 #: modules/po/../data/webadmin/tmpl/settings.tmpl:237 msgid "Save" -msgstr "" +msgstr "Opslaan" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:188 #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:228 @@ -333,201 +355,213 @@ msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:174 #: modules/po/../data/webadmin/tmpl/settings.tmpl:176 msgid "Name" -msgstr "" +msgstr "Naam" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:189 msgid "CurModes" -msgstr "" +msgstr "CurModes" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:190 msgid "DefModes" -msgstr "" +msgstr "DefModes" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:191 msgid "BufferSize" -msgstr "" +msgstr "BufferSize" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:192 msgid "Options" -msgstr "" +msgstr "Opties" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:194 msgid "← Add a channel (opens in same page)" -msgstr "" +msgstr "← Voeg een kanaal toe (opent op dezelfde pagina)" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:204 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:146 #: modules/po/../data/webadmin/tmpl/listusers.tmpl:27 msgid "Edit" -msgstr "" +msgstr "Bewerk" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:204 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:146 #: modules/po/../data/webadmin/tmpl/settings.tmpl:53 msgid "Del" -msgstr "" +msgstr "Verwijder" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:222 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:168 msgid "Modules" -msgstr "" +msgstr "Modulen" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:229 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:175 #: modules/po/../data/webadmin/tmpl/settings.tmpl:177 msgid "Arguments" -msgstr "" +msgstr "Argumenten" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:230 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:176 #: modules/po/../data/webadmin/tmpl/settings.tmpl:178 msgid "Description" -msgstr "" +msgstr "Beschrijving" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:231 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:177 msgid "Loaded globally" -msgstr "" +msgstr "Algemeen geladen" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:232 msgid "Loaded by user" -msgstr "" +msgstr "Geladen door gebruiker" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:293 msgid "Add Network and return" -msgstr "" +msgstr "Voeg netwerk toe en keer terug" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:294 msgid "Add Network and continue" -msgstr "" +msgstr "Voeg netwerk toe en ga verder" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:15 msgid "Authentication" -msgstr "" +msgstr "Authenticatie" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:19 msgid "Username:" -msgstr "" +msgstr "Gebruikersnaam:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:29 msgid "Please enter a username." -msgstr "" +msgstr "Voer alsjeblieft een gebruikersnaam in." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:34 msgid "Password:" -msgstr "" +msgstr "Wachtwoord:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:36 msgid "Please enter a password." -msgstr "" +msgstr "Voer alsjeblieft een wachtwoord in." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:39 msgid "Confirm password:" -msgstr "" +msgstr "Bevestig wachtwoord:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:41 msgid "Please re-type the above password." -msgstr "" +msgstr "Voer hetzelfde wachtwoord opnieuw in." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:44 #: modules/po/../data/webadmin/tmpl/settings.tmpl:151 msgid "Auth Only Via Module:" -msgstr "" +msgstr "Authenticatie alleen via module:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:46 msgid "" "Allow user authentication by external modules only, disabling built-in " "password authentication." msgstr "" +"Stelt een gebruiker in staat the authenticeren alleen met behulp van externe " +"modulen, hierdoor zal wachtwoordauthenticatie uitgescakeld worden." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:50 msgid "Allowed IPs:" -msgstr "" +msgstr "Toegestane IP-adressen:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:54 msgid "" "Leave empty to allow connections from all IPs.
Otherwise, one entry per " "line, wildcards * and ? are available." msgstr "" +"Laat leeg om verbinding van alle IP-adressen toe te staan.
Anders, één " +"adres per regel, jokers * en ? zijn beschikbaar." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:62 msgid "IRC Information" -msgstr "" +msgstr "IRC Informatie" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:64 msgid "" "Nick, AltNick, Ident, RealName and QuitMsg can be left empty to use default " "values." msgstr "" +"Naam, AltNaam, identiteit, EchteNaam en VerlaatBericht kunnen leeg gelaten " +"worden om de standaard instellingen te gebruiken." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:82 msgid "The Ident is sent to server as username." -msgstr "" +msgstr "De identiteit wordt verstuurd naar de server als gebruikersnaam." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:85 #: modules/po/../data/webadmin/tmpl/settings.tmpl:102 msgid "Status Prefix:" -msgstr "" +msgstr "Status voorvoegsel:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:87 #: modules/po/../data/webadmin/tmpl/settings.tmpl:104 msgid "The prefix for the status and module queries." -msgstr "" +msgstr "Het voorvoegsel voor de status en module berichten." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:105 msgid "DCCBindHost:" -msgstr "" +msgstr "DCCBindHost:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:122 #: modules/po/../data/webadmin/tmpl/listusers.tmpl:17 #: modules/po/../data/webadmin/tmpl/traffic.tmpl:39 msgid "Networks" -msgstr "" +msgstr "Netwerken" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:132 #: modules/po/../data/webadmin/tmpl/listusers.tmpl:18 msgid "Clients" -msgstr "" +msgstr "Clients" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:133 msgid "Current Server" -msgstr "" +msgstr "Huidige server" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:134 msgid "Nick" -msgstr "" +msgstr "Bijnaam" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:136 msgid "← Add a network (opens in same page)" -msgstr "" +msgstr "← Voeg een netwerk toe (opent op dezelfde pagina)" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:160 msgid "" "You will be able to add + modify networks here after you have cloned the " "user." msgstr "" +"Hier kan je netwerken toevoegen en aanpassen nadat je een gebruiker gekloont " +"hebt." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:162 msgid "" "You will be able to add + modify networks here after you have created the " "user." msgstr "" +"Hier kan je netwerken toevoegen en aanpassen nadat je een gebruiker " +"aangemaakt hebt." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:178 #: modules/po/../data/webadmin/tmpl/settings.tmpl:179 msgid "Loaded by networks" -msgstr "" +msgstr "Geladen door netwerken" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:237 msgid "" "These are the default modes ZNC will set when you join an empty channel." msgstr "" +"Dit zijn de standaard modes die ZNC in zal stellen wanneer je een leeg " +"kanaal toetreed." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:238 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:244 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:263 msgid "Empty = use standard value" -msgstr "" +msgstr "Leeg = gebruik standaard waarde" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:243 msgid "" @@ -535,18 +569,21 @@ msgid "" "before dropping off the oldest line. The buffers are stored in the memory by " "default." msgstr "" +"Dit is het aantal regels dat de terugspeel buffer op zal slaan voor kanalen " +"voordat deze de oudste regels laat vallen. Deze buffers worden standaard in " +"het werkgeheugen opgeslagen." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:251 msgid "Queries" -msgstr "" +msgstr "Privé berichten" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:255 msgid "Max Buffers:" -msgstr "" +msgstr "Maximale buffers:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:257 msgid "Maximum number of query buffers. 0 is unlimited." -msgstr "" +msgstr "Maximale aantal privé bericht buffers, 0 is onbeperkt." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:262 msgid "" @@ -554,19 +591,24 @@ msgid "" "before dropping off the oldest line. The buffers are stored in the memory by " "default." msgstr "" +"Dit is het aantal regels dat de terugspeel buffer op zal slaan voor privé " +"berichten voordat deze de oudste regels laat vallen. Deze buffers worden " +"standaard in het werkgeheugen opgeslagen." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:285 msgid "ZNC Behavior" -msgstr "" +msgstr "ZNC gedrag" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:286 msgid "" "Any of the following text boxes can be left empty to use their default value." msgstr "" +"De volgende textboxen kunnen leeg gelaten worden om de standaard waarden te " +"gebruiken." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:290 msgid "Timestamp Format:" -msgstr "" +msgstr "Tijdstempel formaat:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:292 msgid "" @@ -574,46 +616,56 @@ msgid "" "setting is ignored in new IRC clients, which use server-time. If your client " "supports server-time, change timestamp format in client settings instead." msgstr "" +"Het formaat voor de tijdstempels die gebruikt worden in buffers, " +"bijvoorbeeld [%H:%M:%S]. Deze instelling wordt genegeerd in nieuwe IRC " +"clients, welke server-time gebruiken. Als je client server-time ondersteund " +"kan je deze stempel veranderen in je client." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:295 msgid "Timezone:" -msgstr "" +msgstr "Tijdzone:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:298 msgid "E.g. Europe/Berlin, or GMT-6" -msgstr "" +msgstr "Bijvoorbeeld Europe/Amsterdam, of GMT+1" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:306 msgid "Character encoding used between IRC client and ZNC." -msgstr "" +msgstr "Karakter codering die gebruikt wordt tussen de IRC client en ZNC." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:307 msgid "Client encoding:" -msgstr "" +msgstr "Client codering:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:312 msgid "Join Tries:" -msgstr "" +msgstr "Aantal x proberen toe te treden:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:314 msgid "" "This defines how many times ZNC tries to join a channel, if the first join " "failed, e.g. due to channel mode +i/+k or if you are banned." msgstr "" +"Dit definieërt hoe vaak ZNC probeert tot een kanaal toe te treden mocht de " +"eerste keer falen, bijvoorbeeld door channel modes +i/+k of als je verbannen " +"bent." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:317 msgid "Join speed:" -msgstr "" +msgstr "Toetreed snelheid:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:319 msgid "" "How many channels are joined in one JOIN command. 0 is unlimited (default). " "Set to small positive value if you get disconnected with “Max SendQ Exceeded”" msgstr "" +"Hoeveel channels toegetreden worden met één JOIN commando. 0 is onbeperkt " +"(standaard). Stel dit in naar een klein getal als je de verbinding kwijt " +"raakt met “Max SendQ Exceeded”" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:322 msgid "Timeout before reconnect:" -msgstr "" +msgstr "Time-out voor opnieuw verbinden:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:324 msgid "" @@ -621,221 +673,231 @@ msgid "" "network or declares the connection timeout. This happens after attempts to " "ping the peer." msgstr "" +"Hoeveel tijd ZNC wacht (in seconden) tot deze iets ontvangt van het netwerk " +"of anders de verbinding time-out verklaren. Dit gebeurt na pogingen de " +"server te pingen." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:327 msgid "Max IRC Networks Number:" -msgstr "" +msgstr "Maximaal aantal IRC netwerken:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:329 msgid "Maximum number of IRC networks allowed for this user." -msgstr "" +msgstr "Maximaal aantal IRC netwerken toegestaan voor deze gebruiker." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:332 msgid "Substitutions" -msgstr "" +msgstr "Vervangingen" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:334 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:342 msgid "CTCP Replies:" -msgstr "" +msgstr "CTCP Antwoorden:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:338 msgid "One reply per line. Example: TIME Buy a watch!" -msgstr "" +msgstr "Één antwoord per regel. Voorbeeld: TIME Buy a watch!" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:339 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:355 msgid "{1} are available" -msgstr "" +msgstr "{1} zijn beschikbaar" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:341 msgid "Empty value means this CTCP request will be ignored" -msgstr "" +msgstr "Lege waarde betekend dat de CTCP aanvraag genegeerd zal worden" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:347 msgid "Request" -msgstr "" +msgstr "Aanvraag" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:348 msgid "Response" -msgstr "" +msgstr "Antwoord" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:373 #: modules/po/../data/webadmin/tmpl/settings.tmpl:90 msgid "Skin:" -msgstr "" +msgstr "Thema:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:377 msgid "- Global -" -msgstr "" +msgstr "- Globaal -" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:379 #: modules/po/../data/webadmin/tmpl/settings.tmpl:94 msgid "Default" -msgstr "" +msgstr "Standaard" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:383 msgid "No other skins found" -msgstr "" +msgstr "Geen andere thema's gevonden" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:389 msgid "Language:" -msgstr "" +msgstr "Taal:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:422 msgid "Clone and return" -msgstr "" +msgstr "Kloon en keer terug" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:423 msgid "Clone and continue" -msgstr "" +msgstr "Kloon en ga verder" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:425 msgid "Create and return" -msgstr "" +msgstr "Maken en keer terug" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:426 msgid "Create and continue" -msgstr "" +msgstr "Maken en ga door" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:432 #: modules/po/../data/webadmin/tmpl/listusers.tmpl:28 msgid "Clone" -msgstr "" +msgstr "Kloon" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:434 msgid "Create" -msgstr "" +msgstr "Maak" #: modules/po/../data/webadmin/tmpl/del_network.tmpl:5 msgid "Confirm Network Deletion" -msgstr "" +msgstr "Bevestig verwijderen van netwerk" #: modules/po/../data/webadmin/tmpl/del_network.tmpl:9 msgid "Are you sure you want to delete network “{2}” of user “{1}”?" msgstr "" +"Weet je zeker dat je net \"{2}\" van gebruiker \"{1}\" wilt verwijderen?" #: modules/po/../data/webadmin/tmpl/del_network.tmpl:14 #: modules/po/../data/webadmin/tmpl/del_user.tmpl:14 msgid "Yes" -msgstr "" +msgstr "Ja" #: modules/po/../data/webadmin/tmpl/del_network.tmpl:17 #: modules/po/../data/webadmin/tmpl/del_user.tmpl:17 msgid "No" -msgstr "" +msgstr "Nee" #: modules/po/../data/webadmin/tmpl/del_user.tmpl:5 msgid "Confirm User Deletion" -msgstr "" +msgstr "Bevestig verwijderen van gebruiker" #: modules/po/../data/webadmin/tmpl/del_user.tmpl:9 msgid "Are you sure you want to delete user “{1}”?" -msgstr "" +msgstr "Weet je zeker dat je gebruiker \"{1}\" wilt verwijderen?" #: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:6 msgid "ZNC is compiled without encodings support. {1} is required for it." msgstr "" +"ZNC is gecompileerd zonder coderings ondersteuning. {1} is benodigd hiervoor." #: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:11 msgid "Legacy mode is disabled by modpython." -msgstr "" +msgstr "Legacy modus is uitgeschakeld door modpython." #: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:18 msgid "Don't ensure any encoding at all (legacy mode, not recommended)" -msgstr "" +msgstr "Verzeker geen codering (legacy modus, niet aangeraden)" #: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:22 msgid "Try to parse as UTF-8 and as {1}, send as UTF-8 (recommended)" -msgstr "" +msgstr "Probeer te ontleden als UTF-* en als {1}, stuur als UTF-8 (aangeraden)" #: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:26 msgid "Try to parse as UTF-8 and as {1}, send as {1}" -msgstr "" +msgstr "Probeer te ontleden als UTF-* en als {1}, stuur als {1}" #: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:30 msgid "Parse and send as {1} only" -msgstr "" +msgstr "Ontleed en stuur alleen als {1}" #: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:36 msgid "E.g. UTF-8, or ISO-8859-15" -msgstr "" +msgstr "Bijvoorbeeld UTF-8, of ISO-8859-15" #: modules/po/../data/webadmin/tmpl/index.tmpl:5 msgid "Welcome to the ZNC webadmin module." -msgstr "" +msgstr "Welkom bij de ZNC webadministratie module." #: modules/po/../data/webadmin/tmpl/index.tmpl:6 msgid "" "All changes you make will be in effect immediately after you submitted them." msgstr "" +"Alle wijzigingen die je maakt zullen meteen toegepast worden nadat ze " +"doorgestuurd zijn." #: modules/po/../data/webadmin/tmpl/listusers.tmpl:16 msgid "Username" -msgstr "" +msgstr "Gebruikersnaam" #: modules/po/../data/webadmin/tmpl/listusers.tmpl:29 #: modules/po/../data/webadmin/tmpl/settings.tmpl:21 msgid "Delete" -msgstr "" +msgstr "Verwijderen" #: modules/po/../data/webadmin/tmpl/settings.tmpl:6 msgid "Listen Port(s)" -msgstr "" +msgstr "Luister op po(o)rt(en)" #: modules/po/../data/webadmin/tmpl/settings.tmpl:14 msgid "BindHost" -msgstr "" +msgstr "BindHost" #: modules/po/../data/webadmin/tmpl/settings.tmpl:16 msgid "IPv4" -msgstr "" +msgstr "IPv4" #: modules/po/../data/webadmin/tmpl/settings.tmpl:17 msgid "IPv6" -msgstr "" +msgstr "IPv6" #: modules/po/../data/webadmin/tmpl/settings.tmpl:18 msgid "IRC" -msgstr "" +msgstr "IRC" #: modules/po/../data/webadmin/tmpl/settings.tmpl:19 msgid "HTTP" -msgstr "" +msgstr "HTTP" #: modules/po/../data/webadmin/tmpl/settings.tmpl:20 msgid "URIPrefix" -msgstr "" +msgstr "URIVoorvoegsel" #: modules/po/../data/webadmin/tmpl/settings.tmpl:56 msgid "" "To delete port which you use to access webadmin itself, either connect to " "webadmin via another port, or do it in IRC (/znc DelPort)" msgstr "" +"Om de poort te verwijderen die in gebruik is voor de webadmin op dit moment " +"moet je via een andere poort verbinden, of doen via IRC (/znc DelPort)" #: modules/po/../data/webadmin/tmpl/settings.tmpl:56 msgid "Current" -msgstr "" +msgstr "Huidige" #: modules/po/../data/webadmin/tmpl/settings.tmpl:86 msgid "Settings" -msgstr "" +msgstr "Instellingen" #: modules/po/../data/webadmin/tmpl/settings.tmpl:105 msgid "Default for new users only." -msgstr "" +msgstr "Standaard voor nieuwe gebruikers alleen." #: modules/po/../data/webadmin/tmpl/settings.tmpl:110 msgid "Maximum Buffer Size:" -msgstr "" +msgstr "Maximale buffergrootte:" #: modules/po/../data/webadmin/tmpl/settings.tmpl:112 msgid "Sets the global Max Buffer Size a user can have." msgstr "" +"Stelt de algemene maximale buffergrootte in die een gebruiker kan hebben." #: modules/po/../data/webadmin/tmpl/settings.tmpl:117 msgid "Connect Delay:" -msgstr "" +msgstr "Verbind vertraging:" #: modules/po/../data/webadmin/tmpl/settings.tmpl:119 msgid "" @@ -843,367 +905,377 @@ msgid "" "affects the connection between ZNC and the IRC server; not the connection " "between your IRC client and ZNC." msgstr "" +"De tijd tussen verbindingen die gemaakt worden naar IRC servers, in " +"seconden. Dit beinvloed de verbinding tussen ZNC en de IRC server; niet de " +"verbinding van je IRC client naar ZNC." #: modules/po/../data/webadmin/tmpl/settings.tmpl:124 msgid "Server Throttle:" -msgstr "" +msgstr "Server wurging:" #: modules/po/../data/webadmin/tmpl/settings.tmpl:126 msgid "" "The minimal time between two connect attempts to the same hostname, in " "seconds. Some servers refuse your connection if you reconnect too fast." msgstr "" +"De minimale tijd tussen twee verbindingspogingen naar de zelfde hostname, in " +"seconden. Sommige servers weigeren de verbinding als je te snel verbind." #: modules/po/../data/webadmin/tmpl/settings.tmpl:131 msgid "Anonymous Connection Limit per IP:" -msgstr "" +msgstr "Anonieme verbindingslimiet per IP-adres:" #: modules/po/../data/webadmin/tmpl/settings.tmpl:133 msgid "Limits the number of unidentified connections per IP." -msgstr "" +msgstr "Limiteert het aantal niet geïdentificeerde verbinding per IP." #: modules/po/../data/webadmin/tmpl/settings.tmpl:138 msgid "Protect Web Sessions:" -msgstr "" +msgstr "Bescherm web sessies:" #: modules/po/../data/webadmin/tmpl/settings.tmpl:140 msgid "Disallow IP changing during each web session" -msgstr "" +msgstr "Sta IP-adres wijzigingen niet toe tijdens een websessie" #: modules/po/../data/webadmin/tmpl/settings.tmpl:145 msgid "Hide ZNC Version:" -msgstr "" +msgstr "Verberg ZNC versie:" #: modules/po/../data/webadmin/tmpl/settings.tmpl:147 msgid "Hide version number from non-ZNC users" -msgstr "" +msgstr "Verbergt het versie nummer voor non-ZNC gebruikers" #: modules/po/../data/webadmin/tmpl/settings.tmpl:153 msgid "Allow user authentication by external modules only" -msgstr "" +msgstr "Sta gebruikers toe alleen te authenticeren via externe modules" #: modules/po/../data/webadmin/tmpl/settings.tmpl:158 msgid "MOTD:" -msgstr "" +msgstr "MOTD:" #: modules/po/../data/webadmin/tmpl/settings.tmpl:162 msgid "“Message of the Day”, sent to all ZNC users on connect." msgstr "" +"Bericht van de dag, wordt gestuurd naar alle gebruikers als ze verbinden." #: modules/po/../data/webadmin/tmpl/settings.tmpl:170 msgid "Global Modules" -msgstr "" +msgstr "Algemene modulen" #: modules/po/../data/webadmin/tmpl/settings.tmpl:180 msgid "Loaded by users" -msgstr "" +msgstr "Geladen door gebruikers" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:7 msgid "Information" -msgstr "" +msgstr "Informatie" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:13 msgid "Uptime" -msgstr "" +msgstr "Uptime" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:18 msgid "Total Users" -msgstr "" +msgstr "Total aantal gebruikers" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:22 msgid "Total Networks" -msgstr "" +msgstr "Totaal aantal netwerken" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:26 #: modules/po/../data/webadmin/tmpl/traffic.tmpl:43 msgid "Attached Networks" -msgstr "" +msgstr "Aangekoppelde netwerken" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:30 msgid "Total Client Connections" -msgstr "" +msgstr "Totaal aantal client verbindingen" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:34 msgid "Total IRC Connections" -msgstr "" +msgstr "Totaal aantal IRC verbindingen" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:47 msgid "Client Connections" -msgstr "" +msgstr "Client verbindingen" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:51 msgid "IRC Connections" -msgstr "" +msgstr "IRC Verbindingen" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:63 #: modules/po/../data/webadmin/tmpl/traffic.tmpl:72 #: modules/po/../data/webadmin/tmpl/traffic.tmpl:89 #: modules/po/../data/webadmin/tmpl/traffic.tmpl:117 msgid "Total" -msgstr "" +msgstr "Totaal" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:70 #: modules/po/../data/webadmin/tmpl/traffic.tmpl:115 msgctxt "Traffic" msgid "In" -msgstr "" +msgstr "In" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:71 #: modules/po/../data/webadmin/tmpl/traffic.tmpl:116 msgctxt "Traffic" msgid "Out" -msgstr "" +msgstr "Uit" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:77 #: modules/po/../data/webadmin/tmpl/traffic.tmpl:104 msgid "Users" -msgstr "" +msgstr "Gebruikers" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:106 msgid "Traffic" -msgstr "" +msgstr "Verkeer" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:113 msgid "User" -msgstr "" +msgstr "Gebruiker" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:114 msgid "Network" -msgstr "" +msgstr "Netwerk" #: webadmin.cpp:91 webadmin.cpp:1879 msgid "Global Settings" -msgstr "" +msgstr "Algemene instellingen" #: webadmin.cpp:93 msgid "Your Settings" -msgstr "" +msgstr "Jouw instellingen" #: webadmin.cpp:94 webadmin.cpp:1691 msgid "Traffic Info" -msgstr "" +msgstr "Verkeer informatie" #: webadmin.cpp:97 webadmin.cpp:1670 msgid "Manage Users" -msgstr "" +msgstr "Beheer gebruikers" #: webadmin.cpp:188 msgid "Invalid Submission [Username is required]" -msgstr "" +msgstr "Ongeldige inzending [Gebruikersnaam is verplicht]" #: webadmin.cpp:201 msgid "Invalid Submission [Passwords do not match]" -msgstr "" +msgstr "Ongeldige inzending [Wachtwoord komt niet overeen]" #: webadmin.cpp:323 msgid "Timeout can't be less than 30 seconds!" -msgstr "" +msgstr "Time-out mag niet minder zijn dan 30 seconden!" #: webadmin.cpp:407 webadmin.cpp:435 webadmin.cpp:1189 webadmin.cpp:2064 msgid "Unable to load module [{1}]: {2}" -msgstr "" +msgstr "Niet mogelijk module te laden [{1}]: {2}" #: webadmin.cpp:412 webadmin.cpp:440 msgid "Unable to load module [{1}] with arguments [{2}]" -msgstr "" +msgstr "Niet mogelijk module te laden [{1}] met argumenten [{2}]" #: webadmin.cpp:521 webadmin.cpp:625 webadmin.cpp:650 webadmin.cpp:672 #: webadmin.cpp:706 webadmin.cpp:1256 msgid "No such user" -msgstr "" +msgstr "Gebruiker onbekend" #: webadmin.cpp:534 webadmin.cpp:566 webadmin.cpp:595 webadmin.cpp:611 msgid "No such user or network" -msgstr "" +msgstr "Gebruiker of netwerk onbekend" #: webadmin.cpp:576 msgid "No such channel" -msgstr "" +msgstr "Kanaal onbekend" #: webadmin.cpp:642 msgid "Please don't delete yourself, suicide is not the answer!" -msgstr "" +msgstr "Verwijder jezelf alsjeblieft niet, zelfmoord is niet het antwoord!" #: webadmin.cpp:715 webadmin.cpp:971 webadmin.cpp:1321 msgid "Edit User [{1}]" -msgstr "" +msgstr "Bewerk gebruiker [{1}]" #: webadmin.cpp:719 webadmin.cpp:897 msgid "Edit Network [{1}]" -msgstr "" +msgstr "Bewerk netwerk [{1}]" #: webadmin.cpp:729 msgid "Edit Channel [{1}] of Network [{2}] of User [{3}]" -msgstr "" +msgstr "Bewerk kanaal [{1}] van netwerk [{2}] van gebruiker [{3}]" #: webadmin.cpp:736 msgid "Edit Channel [{1}]" -msgstr "" +msgstr "Bewerk kanaal [{1}]" #: webadmin.cpp:744 msgid "Add Channel to Network [{1}] of User [{2}]" -msgstr "" +msgstr "Voeg kanaal aan netwerk [{1}] van gebruiker [{2}]" #: webadmin.cpp:749 msgid "Add Channel" -msgstr "" +msgstr "Voeg kanaal toe" #: webadmin.cpp:756 webadmin.cpp:1517 msgid "Auto Clear Chan Buffer" -msgstr "" +msgstr "Automatisch kanaalbuffer legen" #: webadmin.cpp:758 msgid "Automatically Clear Channel Buffer After Playback" -msgstr "" +msgstr "Leegt automatisch de kanaalbuffer na het afspelen" #: webadmin.cpp:766 msgid "Detached" -msgstr "" +msgstr "Losgekoppeld" #: webadmin.cpp:773 msgid "Enabled" -msgstr "" +msgstr "Ingeschakeld" #: webadmin.cpp:797 msgid "Channel name is a required argument" -msgstr "" +msgstr "Kanaalnaam is een vereist argument" #: webadmin.cpp:806 msgid "Channel [{1}] already exists" -msgstr "" +msgstr "Kanaal [{1}] bestaat al" #: webadmin.cpp:813 msgid "Could not add channel [{1}]" -msgstr "" +msgstr "Kon kanaal [{1}] niet toevoegen" #: webadmin.cpp:861 msgid "Channel was added/modified, but config file was not written" -msgstr "" +msgstr "Kanaal was toegevoegd/aangepast maar configuratie was niet opgeslagen" #: webadmin.cpp:894 msgid "Edit Network [{1}] of User [{2}]" -msgstr "" +msgstr "Pas netwerk [{1}] van gebruiker [{2}] aan" #: webadmin.cpp:901 webadmin.cpp:1078 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks from Your Settings." msgstr "" +"Limiet van aantal netwerken bereikt. Vraag een beheerder om deze limit aan " +"te passen voor je, of verwijder onnodige netwerken van Jouw instellingen." #: webadmin.cpp:909 msgid "Add Network for User [{1}]" -msgstr "" +msgstr "Voeg netwerk toe voor gebruiker [{1}]" #: webadmin.cpp:910 msgid "Add Network" -msgstr "" +msgstr "Voeg netwerk toe" #: webadmin.cpp:1072 msgid "Network name is a required argument" -msgstr "" +msgstr "Netwerknaam is een vereist argument" #: webadmin.cpp:1196 webadmin.cpp:2071 msgid "Unable to reload module [{1}]: {2}" -msgstr "" +msgstr "Niet mogelijk module te herladen [{1}]: {2}" #: webadmin.cpp:1233 msgid "Network was added/modified, but config file was not written" -msgstr "" +msgstr "Netwerk was toegevoegd/aangepast maar configuratie was niet opgeslagen" #: webadmin.cpp:1262 msgid "That network doesn't exist for this user" -msgstr "" +msgstr "Dat netwerk bestaat niet voor deze gebruiker" #: webadmin.cpp:1279 msgid "Network was deleted, but config file was not written" -msgstr "" +msgstr "Netwerk was verwijderd maar configuratie was niet opgeslagen" #: webadmin.cpp:1293 msgid "That channel doesn't exist for this network" -msgstr "" +msgstr "Dat kanaal bestaat niet voor dit netwerk" #: webadmin.cpp:1302 msgid "Channel was deleted, but config file was not written" -msgstr "" +msgstr "Kanaal was verwijderd maar configuratie was niet opgeslagen" #: webadmin.cpp:1330 msgid "Clone User [{1}]" -msgstr "" +msgstr "Kloon gebruiker [{1}]" #: webadmin.cpp:1519 msgid "" "Automatically Clear Channel Buffer After Playback (the default value for new " "channels)" msgstr "" +"Leeg kanaal buffer automatisch na afspelen (standaard waarde voor nieuwe " +"kanalen)" #: webadmin.cpp:1529 msgid "Multi Clients" -msgstr "" +msgstr "Meerdere clients" #: webadmin.cpp:1536 msgid "Append Timestamps" -msgstr "" +msgstr "Tijdstempel toevoegen" #: webadmin.cpp:1543 msgid "Prepend Timestamps" -msgstr "" +msgstr "Tijdstempel voorvoegen" #: webadmin.cpp:1551 msgid "Deny LoadMod" -msgstr "" +msgstr "Sta LoadMod niet toe" #: webadmin.cpp:1558 msgid "Admin" -msgstr "" +msgstr "Beheerder" #: webadmin.cpp:1568 msgid "Deny SetBindHost" -msgstr "" +msgstr "Sta SetBindHost niet toe" #: webadmin.cpp:1576 msgid "Auto Clear Query Buffer" -msgstr "" +msgstr "Automatisch privéberichtbuffer legen" #: webadmin.cpp:1578 msgid "Automatically Clear Query Buffer After Playback" -msgstr "" +msgstr "Leegt automatisch de privéberichtbuffer na het afspelen" #: webadmin.cpp:1602 msgid "Invalid Submission: User {1} already exists" -msgstr "" +msgstr "Ongeldige inzending: Gebruiker {1} bestaat al" #: webadmin.cpp:1624 webadmin.cpp:1635 msgid "Invalid submission: {1}" -msgstr "" +msgstr "Ongeldige inzending: {1}" #: webadmin.cpp:1630 msgid "User was added, but config file was not written" -msgstr "" +msgstr "Gebruiker was toegevoegd maar configuratie was niet opgeslagen" #: webadmin.cpp:1641 msgid "User was edited, but config file was not written" -msgstr "" +msgstr "Gebruiker was aangepast maar configuratie was niet opgeslagen" #: webadmin.cpp:1799 msgid "Choose either IPv4 or IPv6 or both." -msgstr "" +msgstr "Kies IPv4 of IPv6 of beide." #: webadmin.cpp:1816 msgid "Choose either IRC or HTTP or both." -msgstr "" +msgstr "Kies IRC of HTTP of beide." #: webadmin.cpp:1829 webadmin.cpp:1865 msgid "Port was changed, but config file was not written" -msgstr "" +msgstr "Poort was aangepast maar configuratie was niet opgeslagen" #: webadmin.cpp:1855 msgid "Invalid request." -msgstr "" +msgstr "Ongeldig verzoek." #: webadmin.cpp:1869 msgid "The specified listener was not found." -msgstr "" +msgstr "De opgegeven luisteraar was niet gevonden." #: webadmin.cpp:2100 msgid "Settings were changed, but config file was not written" -msgstr "" +msgstr "Instellingen waren aangepast maar configuratie was niet opgeslagen" diff --git a/src/po/znc.nl_NL.po b/src/po/znc.nl_NL.po index 9583442d..7a18cc8b 100644 --- a/src/po/znc.nl_NL.po +++ b/src/po/znc.nl_NL.po @@ -6,7 +6,7 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.7.x/src/po/znc.pot\n" +"X-Crowdin-File: /master/src/po/znc.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: DarthGandalf \n" "Language-Team: Dutch\n" @@ -14,35 +14,35 @@ msgstr "" #: webskins/_default_/tmpl/InfoBar.tmpl:6 msgid "Logged in as: {1}" -msgstr "" +msgstr "Ingelogd als: {1}" #: webskins/_default_/tmpl/InfoBar.tmpl:8 msgid "Not logged in" -msgstr "" +msgstr "Niet ingelogd" #: webskins/_default_/tmpl/LoginBar.tmpl:3 msgid "Logout" -msgstr "" +msgstr "Afmelden" #: webskins/_default_/tmpl/Menu.tmpl:4 msgid "Home" -msgstr "" +msgstr "Home" #: webskins/_default_/tmpl/Menu.tmpl:7 msgid "Global Modules" -msgstr "" +msgstr "Algemene modulen" #: webskins/_default_/tmpl/Menu.tmpl:20 msgid "User Modules" -msgstr "" +msgstr "Gebruikers modulen" #: webskins/_default_/tmpl/Menu.tmpl:35 msgid "Network Modules ({1})" -msgstr "" +msgstr "Netwerk modulen ({1})" #: webskins/_default_/tmpl/index.tmpl:6 msgid "Welcome to ZNC's web interface!" -msgstr "" +msgstr "Welkom bij ZNC's webinterface!" #: webskins/_default_/tmpl/index.tmpl:11 msgid "" @@ -50,348 +50,387 @@ msgid "" "*status help
” and “/msg *status loadmod <module>”). Once you have loaded some Web-enabled modules, the menu will expand." msgstr "" +"Geen web-ingeschakelde modulen zijn geladen. Laad modulen van IRC (“/" +"msg *status help” en “/msg *status loadmod <module>”). Zodra je deze geladen hebt zal dit menu zich uitbreiden." #: znc.cpp:1563 msgid "User already exists" -msgstr "" +msgstr "Gebruiker bestaat al" #: znc.cpp:1671 msgid "IPv6 is not enabled" -msgstr "" +msgstr "IPv6 is niet ingeschakeld" #: znc.cpp:1679 msgid "SSL is not enabled" -msgstr "" +msgstr "SSL is niet ingeschakeld" #: znc.cpp:1687 msgid "Unable to locate pem file: {1}" -msgstr "" +msgstr "Kan PEM bestand niet vinden: {1}" #: znc.cpp:1706 msgid "Invalid port" -msgstr "" +msgstr "Ongeldige poort" #: znc.cpp:1822 ClientCommand.cpp:1629 msgid "Unable to bind: {1}" -msgstr "" +msgstr "Kan niet binden: {1}" #: IRCNetwork.cpp:236 msgid "Jumping servers because this server is no longer in the list" msgstr "" +"We schakelen over naar een andere server omdat deze server niet langer in de " +"lijst staat" #: IRCNetwork.cpp:641 User.cpp:678 msgid "Welcome to ZNC" -msgstr "" +msgstr "Welkom bij ZNC" #: IRCNetwork.cpp:729 msgid "You are currently disconnected from IRC. Use 'connect' to reconnect." msgstr "" +"Op dit moment ben je niet verbonden met IRC. Gebruik 'connect' om opnieuw " +"verbinding te maken." #: IRCNetwork.cpp:734 msgid "" "ZNC is presently running in DEBUG mode. Sensitive data during your current " "session may be exposed to the host." msgstr "" +"ZNC draait op dit moment in DEBUG modus. Sensitieve data kan tijdens deze " +"sessie blootgesteld worden aan de host." #: IRCNetwork.cpp:765 msgid "This network is being deleted or moved to another user." msgstr "" +"Dit netwerk wordt op dit moment verwijderd of verplaatst door een andere " +"gebruiker." #: IRCNetwork.cpp:994 msgid "The channel {1} could not be joined, disabling it." -msgstr "" +msgstr "Het kanaal {1} kan niet toegetreden worden, deze wordt uitgeschakeld." #: IRCNetwork.cpp:1123 msgid "Your current server was removed, jumping..." msgstr "" +"Je huidige server was verwijderd, we schakelen over naar een andere server..." #: IRCNetwork.cpp:1286 msgid "Cannot connect to {1}, because ZNC is not compiled with SSL support." msgstr "" +"Kan niet verbinden naar {1} omdat ZNC niet gecompileerd is met SSL " +"ondersteuning." #: IRCNetwork.cpp:1307 msgid "Some module aborted the connection attempt" -msgstr "" +msgstr "Een module heeft de verbindingspoging afgebroken" #: IRCSock.cpp:484 msgid "Error from server: {1}" -msgstr "" +msgstr "Fout van server: {1}" #: IRCSock.cpp:686 msgid "ZNC seems to be connected to itself, disconnecting..." msgstr "" +"ZNC blijkt verbonden te zijn met zichzelf... De verbinding zal verbroken " +"worden..." #: IRCSock.cpp:733 msgid "Server {1} redirects us to {2}:{3} with reason: {4}" -msgstr "" +msgstr "Server {1} stuurt ons door naar {2}:{3} met reden: {4}" #: IRCSock.cpp:737 msgid "Perhaps you want to add it as a new server." -msgstr "" +msgstr "Misschien wil je het toevoegen als nieuwe server." #: IRCSock.cpp:967 msgid "Channel {1} is linked to another channel and was thus disabled." msgstr "" +"Kanaal {1} is verbonden naar een andere kanaal en is daarom uitgeschakeld." #: IRCSock.cpp:979 msgid "Switched to SSL (STARTTLS)" -msgstr "" +msgstr "Omgeschakeld naar een veilige verbinding (STARTTLS)" #: IRCSock.cpp:1032 msgid "You quit: {1}" -msgstr "" +msgstr "Je hebt het netwerk verlaten: {1}" #: IRCSock.cpp:1238 msgid "Disconnected from IRC. Reconnecting..." -msgstr "" +msgstr "Verbinding met IRC verbroken. We proberen opnieuw te verbinden..." #: IRCSock.cpp:1269 msgid "Cannot connect to IRC ({1}). Retrying..." -msgstr "" +msgstr "Kan niet verbinden met IRC ({1}). We proberen opnieuw te verbinden..." #: IRCSock.cpp:1272 msgid "Disconnected from IRC ({1}). Reconnecting..." msgstr "" +"Verbinding met IRC verbroken ({1}). We proberen opnieuw te verbinden..." #: IRCSock.cpp:1302 msgid "If you trust this certificate, do /znc AddTrustedServerFingerprint {1}" msgstr "" +"Als je dit certificaat vertrouwt, doe: /znc AddTrustedServerFingerprint {1}" #: IRCSock.cpp:1319 msgid "IRC connection timed out. Reconnecting..." -msgstr "" +msgstr "IRC verbinding time-out. We proberen opnieuw te verbinden..." #: IRCSock.cpp:1331 msgid "Connection Refused. Reconnecting..." -msgstr "" +msgstr "Verbinding geweigerd. We proberen opnieuw te verbinden..." #: IRCSock.cpp:1339 msgid "Received a too long line from the IRC server!" -msgstr "" +msgstr "Een te lange regel ontvangen van de IRC server!" #: IRCSock.cpp:1443 msgid "No free nick available" -msgstr "" +msgstr "Geen beschikbare bijnaam" #: IRCSock.cpp:1451 msgid "No free nick found" -msgstr "" +msgstr "Geen beschikbare bijnaam gevonden" #: Client.cpp:75 msgid "No such module {1}" -msgstr "" +msgstr "Geen dergelijke module {1}" #: Client.cpp:365 msgid "A client from {1} attempted to login as you, but was rejected: {2}" msgstr "" +"Een client van {1} heeft geprobeerd als jou in te loggen maar werd " +"geweigerd: {2}" #: Client.cpp:400 msgid "Network {1} doesn't exist." -msgstr "" +msgstr "Netwerk {1} bestaat niet." #: Client.cpp:414 msgid "" "You have several networks configured, but no network was specified for the " "connection." msgstr "" +"Je hebt meerdere netwerken geconfigureerd maar je hebt er geen gekozen om " +"verbinding mee te maken." #: Client.cpp:417 msgid "" "Selecting network {1}. To see list of all configured networks, use /znc " "ListNetworks" msgstr "" +"Netwerk {1} geselecteerd. Om een lijst te tonen van alle geconfigureerde " +"netwerken, gebruik /znc ListNetworks" #: Client.cpp:420 msgid "" "If you want to choose another network, use /znc JumpNetwork , or " "connect to ZNC with username {1}/ (instead of just {1})" msgstr "" +"Als je een ander netwerk wilt kiezen, gebruik /znc JumpNetwork , of " +"verbind naar ZNC met gebruikersnaam {1}/ (in plaats van alleen {1})" #: Client.cpp:426 msgid "" "You have no networks configured. Use /znc AddNetwork to add one." msgstr "" +"Je hebt geen netwerken geconfigureerd. Gebruiker /znc AddNetwork " +"om er een toe te voegen." #: Client.cpp:437 msgid "Closing link: Timeout" -msgstr "" +msgstr "Verbinding verbroken: Time-out" #: Client.cpp:459 msgid "Closing link: Too long raw line" -msgstr "" +msgstr "Verbinding verbroken: Te lange onbewerkte regel" #: Client.cpp:466 msgid "" "You are being disconnected because another user just authenticated as you." msgstr "" +"Je verbinding wordt verbroken omdat een andere gebruiker zich net aangemeld " +"heeft als jou." #: Client.cpp:1021 msgid "Your CTCP to {1} got lost, you are not connected to IRC!" -msgstr "" +msgstr "Je CTCP naar {1} is verloren geraakt, je bent niet verbonden met IRC!" #: Client.cpp:1148 msgid "Your notice to {1} got lost, you are not connected to IRC!" msgstr "" +"Je notice naar {1} is verloren geraakt, je bent niet verbonden met IRC!" #: Client.cpp:1187 msgid "Removing channel {1}" -msgstr "" +msgstr "Kanaal verwijderen: {1}" #: Client.cpp:1263 msgid "Your message to {1} got lost, you are not connected to IRC!" msgstr "" +"Je bericht naar {1} is verloren geraakt, je bent niet verbonden met IRC!" #: Client.cpp:1316 Client.cpp:1322 msgid "Hello. How may I help you?" -msgstr "" +msgstr "Hallo. Hoe kan ik je helpen?" #: Client.cpp:1336 msgid "Usage: /attach <#chans>" -msgstr "" +msgstr "Gebruik: /attach <#kanalen>" #: Client.cpp:1343 Client.cpp:1365 ClientCommand.cpp:129 ClientCommand.cpp:151 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "Er was {1} kanaal overeenkomend met [{2}]" +msgstr[1] "Er waren {1} kanalen overeenkomend met [{2}]" #: Client.cpp:1346 ClientCommand.cpp:132 msgid "Attached {1} channel" msgid_plural "Attached {1} channels" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "Gekoppeld aan {1} kanaal" +msgstr[1] "Gekoppeld aan {1} kanalen" #: Client.cpp:1358 msgid "Usage: /detach <#chans>" -msgstr "" +msgstr "Gebruik: /detach <#kanalen>" #: Client.cpp:1368 ClientCommand.cpp:154 msgid "Detached {1} channel" msgid_plural "Detached {1} channels" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "Losgekoppeld van {1} kanaal" +msgstr[1] "Losgekoppeld van {1} kanalen" #: Chan.cpp:638 msgid "Buffer Playback..." -msgstr "" +msgstr "Buffer afspelen..." #: Chan.cpp:676 msgid "Playback Complete." -msgstr "" +msgstr "Afspelen compleet." #: Modules.cpp:528 msgctxt "modhelpcmd" msgid "" -msgstr "" +msgstr "" #: Modules.cpp:529 msgctxt "modhelpcmd" msgid "Generate this output" -msgstr "" +msgstr "Genereer deze output" #: Modules.cpp:573 ClientCommand.cpp:1894 msgid "No matches for '{1}'" -msgstr "" +msgstr "Geen overeenkomsten voor '{1}'" #: Modules.cpp:691 msgid "This module doesn't implement any commands." -msgstr "" +msgstr "Deze module heeft geen commando's geimplementeerd." #: Modules.cpp:693 msgid "Unknown command!" -msgstr "" +msgstr "Onbekend commando!" #: Modules.cpp:1633 msgid "Module {1} already loaded." -msgstr "" +msgstr "Module {1} is al geladen." #: Modules.cpp:1647 msgid "Unable to find module {1}" -msgstr "" +msgstr "Kon module {1} niet vinden" #: Modules.cpp:1659 msgid "Module {1} does not support module type {2}." -msgstr "" +msgstr "Module {1} ondersteund het type {2} niet." #: Modules.cpp:1666 msgid "Module {1} requires a user." -msgstr "" +msgstr "Module {1} vereist een gebruiker." #: Modules.cpp:1672 msgid "Module {1} requires a network." -msgstr "" +msgstr "Module {1} vereist een netwerk." #: Modules.cpp:1688 msgid "Caught an exception" -msgstr "" +msgstr "Uitzondering geconstateerd" #: Modules.cpp:1694 msgid "Module {1} aborted: {2}" -msgstr "" +msgstr "Module {1} afgebroken: {2}" #: Modules.cpp:1696 msgid "Module {1} aborted." -msgstr "" +msgstr "Module {1} afgebroken." #: Modules.cpp:1720 Modules.cpp:1762 msgid "Module [{1}] not loaded." -msgstr "" +msgstr "Module [{1}] niet geladen." #: Modules.cpp:1744 msgid "Module {1} unloaded." -msgstr "" +msgstr "Module {1} gestopt." #: Modules.cpp:1749 msgid "Unable to unload module {1}." -msgstr "" +msgstr "Niet mogelijk om module {1} te stoppen." #: Modules.cpp:1778 msgid "Reloaded module {1}." -msgstr "" +msgstr "Module {1} hergeladen." #: Modules.cpp:1793 msgid "Unable to find module {1}." -msgstr "" +msgstr "Module {1} niet gevonden." #: Modules.cpp:1919 msgid "" "Module names can only contain letters, numbers and underscores, [{1}] is " "invalid" msgstr "" +"Module namen kunnen alleen letters, nummers en lage streepts bevatten, [{1}] " +"is ongeldig" #: Modules.cpp:1943 msgid "Unknown error" -msgstr "" +msgstr "Onbekende fout" #: Modules.cpp:1944 msgid "Unable to open module {1}: {2}" -msgstr "" +msgstr "Niet mogelijk om module te openen, {1}: {2}" #: Modules.cpp:1953 msgid "Could not find ZNCModuleEntry in module {1}" -msgstr "" +msgstr "Kon ZNCModuleEntry niet vinden in module {1}" #: Modules.cpp:1961 msgid "" "Version mismatch for module {1}: core is {2}, module is built for {3}. " "Recompile this module." msgstr "" +"Verkeerde versie voor module {1}, kern is {2}, module is gecompileerd voor " +"{3}. Hercompileer deze module." #: Modules.cpp:1972 msgid "" "Module {1} is built incompatibly: core is '{2}', module is '{3}'. Recompile " "this module." msgstr "" +"Module {1} is niet compatible gecompileerd: kern is '{2}', module is '{3}'. " +"Hercompileer deze module." #: Modules.cpp:2002 Modules.cpp:2008 msgctxt "modhelpcmd" msgid "Command" -msgstr "" +msgstr "Commando" #: Modules.cpp:2003 Modules.cpp:2009 msgctxt "modhelpcmd" msgid "Description" -msgstr "" +msgstr "Beschrijving" #: ClientCommand.cpp:51 ClientCommand.cpp:115 ClientCommand.cpp:137 #: ClientCommand.cpp:749 ClientCommand.cpp:768 ClientCommand.cpp:794 @@ -400,893 +439,919 @@ msgstr "" #: ClientCommand.cpp:1401 ClientCommand.cpp:1412 ClientCommand.cpp:1421 #: ClientCommand.cpp:1433 msgid "You must be connected with a network to use this command" -msgstr "" +msgstr "Je moet verbonden zijn met een netwerk om dit commando te gebruiken" #: ClientCommand.cpp:58 msgid "Usage: ListNicks <#chan>" -msgstr "" +msgstr "Gebruik: ListNicks <#kanaal>" #: ClientCommand.cpp:65 msgid "You are not on [{1}]" -msgstr "" +msgstr "Je bent niet in [{1}]" #: ClientCommand.cpp:70 msgid "You are not on [{1}] (trying)" -msgstr "" +msgstr "Je bent niet in {1} (probeer toe te treden)" #: ClientCommand.cpp:79 msgid "No nicks on [{1}]" -msgstr "" +msgstr "Geen bijnamen in [{1}]" #: ClientCommand.cpp:91 ClientCommand.cpp:106 msgid "Nick" -msgstr "" +msgstr "Bijnaam" #: ClientCommand.cpp:92 ClientCommand.cpp:107 msgid "Ident" -msgstr "" +msgstr "Identiteit" #: ClientCommand.cpp:93 ClientCommand.cpp:108 msgid "Host" -msgstr "" +msgstr "Host" #: ClientCommand.cpp:122 msgid "Usage: Attach <#chans>" -msgstr "" +msgstr "Gebruik: Attach <#kanalen>" #: ClientCommand.cpp:144 msgid "Usage: Detach <#chans>" -msgstr "" +msgstr "Gebruik: Detach <#kanalen>" #: ClientCommand.cpp:161 msgid "There is no MOTD set." -msgstr "" +msgstr "Er is geen bericht van de dag ingesteld." #: ClientCommand.cpp:167 msgid "Rehashing succeeded!" -msgstr "" +msgstr "Opnieuw laden van configuratie geslaagd!" #: ClientCommand.cpp:169 msgid "Rehashing failed: {1}" -msgstr "" +msgstr "Opnieuw laden van configuratie mislukt: {1}" #: ClientCommand.cpp:173 msgid "Wrote config to {1}" -msgstr "" +msgstr "Configuratie geschreven naar {1}" #: ClientCommand.cpp:175 msgid "Error while trying to write config." -msgstr "" +msgstr "Fout tijdens het proberen te schrijven naar het configuratiebestand." #: ClientCommand.cpp:455 msgid "Usage: ListChans" -msgstr "" +msgstr "Gebruik: ListChans" #: ClientCommand.cpp:462 msgid "No such user [{1}]" -msgstr "" +msgstr "Gebruiker onbekend [{1}]" #: ClientCommand.cpp:468 msgid "User [{1}] doesn't have network [{2}]" -msgstr "" +msgstr "Gebruiker [{1}] heeft geen netwerk genaamd [{2}]" #: ClientCommand.cpp:479 msgid "There are no channels defined." -msgstr "" +msgstr "Er zijn geen kanalen geconfigureerd." #: ClientCommand.cpp:484 ClientCommand.cpp:500 msgctxt "listchans" msgid "Name" -msgstr "" +msgstr "Naam" #: ClientCommand.cpp:485 ClientCommand.cpp:503 msgctxt "listchans" msgid "Status" -msgstr "" +msgstr "Status" #: ClientCommand.cpp:486 ClientCommand.cpp:510 msgctxt "listchans" msgid "In config" -msgstr "" +msgstr "In configuratie" #: ClientCommand.cpp:487 ClientCommand.cpp:512 msgctxt "listchans" msgid "Buffer" -msgstr "" +msgstr "Buffer" #: ClientCommand.cpp:488 ClientCommand.cpp:516 msgctxt "listchans" msgid "Clear" -msgstr "" +msgstr "Wissen" #: ClientCommand.cpp:489 ClientCommand.cpp:521 msgctxt "listchans" msgid "Modes" -msgstr "" +msgstr "Modes" #: ClientCommand.cpp:490 ClientCommand.cpp:522 msgctxt "listchans" msgid "Users" -msgstr "" +msgstr "Gebruikers" #: ClientCommand.cpp:505 msgctxt "listchans" msgid "Detached" -msgstr "" +msgstr "Losgekoppeld" #: ClientCommand.cpp:506 msgctxt "listchans" msgid "Joined" -msgstr "" +msgstr "Toegetreden" #: ClientCommand.cpp:507 msgctxt "listchans" msgid "Disabled" -msgstr "" +msgstr "Uitgeschakeld" #: ClientCommand.cpp:508 msgctxt "listchans" msgid "Trying" -msgstr "" +msgstr "Proberen" #: ClientCommand.cpp:511 ClientCommand.cpp:519 msgctxt "listchans" msgid "yes" -msgstr "" +msgstr "ja" #: ClientCommand.cpp:536 msgid "Total: {1}, Joined: {2}, Detached: {3}, Disabled: {4}" -msgstr "" +msgstr "Totaal: {1}, toegetreden: {2}, losgekoppeld: {3}, uitgeschakeld: {4}" #: ClientCommand.cpp:541 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks using /znc DelNetwork " msgstr "" +"Limiet van aantal netwerken bereikt. Vraag een beheerder om deze limit aan " +"te passen voor je, of verwijder onnodige netwerken door middel van /znc " +"DelNetwork " #: ClientCommand.cpp:550 msgid "Usage: AddNetwork " -msgstr "" +msgstr "Gebruik: AddNetwork " #: ClientCommand.cpp:554 msgid "Network name should be alphanumeric" -msgstr "" +msgstr "Netwerk naam moet alfanumeriek zijn" #: ClientCommand.cpp:561 msgid "" "Network added. Use /znc JumpNetwork {1}, or connect to ZNC with username {2} " "(instead of just {3}) to connect to it." msgstr "" +"Netwerk toegevoegd. Gebruik /znc JumpNetwork {1} of verbind naar ZNC met " +"gebruikersnaam {2} (in plaats van alleen {3}) om hier verbinding mee te " +"maken." #: ClientCommand.cpp:566 msgid "Unable to add that network" -msgstr "" +msgstr "Kan dat netwerk niet toevoegen" #: ClientCommand.cpp:573 msgid "Usage: DelNetwork " -msgstr "" +msgstr "Gebruik: DelNetwork " #: ClientCommand.cpp:582 msgid "Network deleted" -msgstr "" +msgstr "Netwerk verwijderd" #: ClientCommand.cpp:585 msgid "Failed to delete network, perhaps this network doesn't exist" -msgstr "" +msgstr "Mislukt om netwerk te verwijderen, misschien bestaat dit netwerk niet" #: ClientCommand.cpp:595 msgid "User {1} not found" -msgstr "" +msgstr "Gebruiker {1} niet gevonden" #: ClientCommand.cpp:603 ClientCommand.cpp:611 msgctxt "listnetworks" msgid "Network" -msgstr "" +msgstr "Netwerk" #: ClientCommand.cpp:604 ClientCommand.cpp:613 ClientCommand.cpp:622 msgctxt "listnetworks" msgid "On IRC" -msgstr "" +msgstr "Op IRC" #: ClientCommand.cpp:605 ClientCommand.cpp:615 msgctxt "listnetworks" msgid "IRC Server" -msgstr "" +msgstr "IRC Server" #: ClientCommand.cpp:606 ClientCommand.cpp:617 msgctxt "listnetworks" msgid "IRC User" -msgstr "" +msgstr "IRC Gebruiker" #: ClientCommand.cpp:607 ClientCommand.cpp:619 msgctxt "listnetworks" msgid "Channels" -msgstr "" +msgstr "Kanalen" #: ClientCommand.cpp:614 msgctxt "listnetworks" msgid "Yes" -msgstr "" +msgstr "Ja" #: ClientCommand.cpp:623 msgctxt "listnetworks" msgid "No" -msgstr "" +msgstr "Nee" #: ClientCommand.cpp:628 msgctxt "listnetworks" msgid "No networks" -msgstr "" +msgstr "Geen netwerken" #: ClientCommand.cpp:632 ClientCommand.cpp:932 msgid "Access denied." -msgstr "" +msgstr "Toegang geweigerd." #: ClientCommand.cpp:643 msgid "Usage: MoveNetwork [new network]" msgstr "" +"Gebruik: MoveNetwerk " +"[nieuw netwerk]" #: ClientCommand.cpp:653 msgid "Old user {1} not found." -msgstr "" +msgstr "Oude gebruiker {1} niet gevonden." #: ClientCommand.cpp:659 msgid "Old network {1} not found." -msgstr "" +msgstr "Oud netwerk {1} niet gevonden." #: ClientCommand.cpp:665 msgid "New user {1} not found." -msgstr "" +msgstr "Nieuwe gebruiker {1} niet gevonden." #: ClientCommand.cpp:670 msgid "User {1} already has network {2}." -msgstr "" +msgstr "Gebruiker {1} heeft al een netwerk genaamd {2}." #: ClientCommand.cpp:676 msgid "Invalid network name [{1}]" -msgstr "" +msgstr "Ongeldige netwerknaam [{1}]" #: ClientCommand.cpp:692 msgid "Some files seem to be in {1}. You might want to move them to {2}" msgstr "" +"Sommige bestanden lijken in {1} te zijn. Misschien wil je ze verplaatsen " +"naar {2}" #: ClientCommand.cpp:706 msgid "Error adding network: {1}" -msgstr "" +msgstr "Fout bij het toevoegen van netwerk: {1}" #: ClientCommand.cpp:718 msgid "Success." -msgstr "" +msgstr "Geslaagd." #: ClientCommand.cpp:721 msgid "Copied the network to new user, but failed to delete old network" msgstr "" +"Netwerk gekopieërd naar nieuwe gebruiker maar mislukt om het oude netwerk te " +"verwijderen" #: ClientCommand.cpp:728 msgid "No network supplied." -msgstr "" +msgstr "Geen netwerk ingevoerd." #: ClientCommand.cpp:733 msgid "You are already connected with this network." -msgstr "" +msgstr "Je bent al verbonden met dit netwerk." #: ClientCommand.cpp:739 msgid "Switched to {1}" -msgstr "" +msgstr "Geschakeld naar {1}" #: ClientCommand.cpp:742 msgid "You don't have a network named {1}" -msgstr "" +msgstr "Je hebt geen netwerk genaamd {1}" #: ClientCommand.cpp:754 msgid "Usage: AddServer [[+]port] [pass]" -msgstr "" +msgstr "Gebruik: AddServer [[+]poort] [wachtwoord]" #: ClientCommand.cpp:759 msgid "Server added" -msgstr "" +msgstr "Server toegevoegd" #: ClientCommand.cpp:762 msgid "" "Unable to add that server. Perhaps the server is already added or openssl is " "disabled?" msgstr "" +"Niet mogelijk die server toe te voegen. Misschien is de server al toegevoegd " +"of is OpenSSL uitgeschakeld?" #: ClientCommand.cpp:777 msgid "Usage: DelServer [port] [pass]" -msgstr "" +msgstr "Gebruik: DelServer [poort] [wachtwoord]" #: ClientCommand.cpp:782 ClientCommand.cpp:822 msgid "You don't have any servers added." -msgstr "" +msgstr "Je hebt geen servers toegevoegd." #: ClientCommand.cpp:787 msgid "Server removed" -msgstr "" +msgstr "Server verwijderd" #: ClientCommand.cpp:789 msgid "No such server" -msgstr "" +msgstr "Server niet gevonden" #: ClientCommand.cpp:802 ClientCommand.cpp:809 msgctxt "listservers" msgid "Host" -msgstr "" +msgstr "Host" #: ClientCommand.cpp:803 ClientCommand.cpp:811 msgctxt "listservers" msgid "Port" -msgstr "" +msgstr "Poort" #: ClientCommand.cpp:804 ClientCommand.cpp:814 msgctxt "listservers" msgid "SSL" -msgstr "" +msgstr "SSL" #: ClientCommand.cpp:805 ClientCommand.cpp:816 msgctxt "listservers" msgid "Password" -msgstr "" +msgstr "Wachtwoord" #: ClientCommand.cpp:815 msgctxt "listservers|cell" msgid "SSL" -msgstr "" +msgstr "SSL" #: ClientCommand.cpp:832 msgid "Usage: AddTrustedServerFingerprint " -msgstr "" +msgstr "Gebruik: AddTrustedServerFingerprint " #: ClientCommand.cpp:836 ClientCommand.cpp:849 msgid "Done." -msgstr "" +msgstr "Klaar." #: ClientCommand.cpp:845 msgid "Usage: DelTrustedServerFingerprint " -msgstr "" +msgstr "Gebruik: DelTrustedServerFingerprint " #: ClientCommand.cpp:858 msgid "No fingerprints added." -msgstr "" +msgstr "Geen vingerafdrukken toegevoegd." #: ClientCommand.cpp:874 ClientCommand.cpp:880 msgctxt "topicscmd" msgid "Channel" -msgstr "" +msgstr "Kanaal" #: ClientCommand.cpp:875 ClientCommand.cpp:881 msgctxt "topicscmd" msgid "Set By" -msgstr "" +msgstr "Ingesteld door" #: ClientCommand.cpp:876 ClientCommand.cpp:882 msgctxt "topicscmd" msgid "Topic" -msgstr "" +msgstr "Onderwerp" #: ClientCommand.cpp:889 ClientCommand.cpp:893 msgctxt "listmods" msgid "Name" -msgstr "" +msgstr "Naam" #: ClientCommand.cpp:890 ClientCommand.cpp:894 msgctxt "listmods" msgid "Arguments" -msgstr "" +msgstr "Argumenten" #: ClientCommand.cpp:902 msgid "No global modules loaded." -msgstr "" +msgstr "Geen algemene modules geladen." #: ClientCommand.cpp:904 ClientCommand.cpp:964 msgid "Global modules:" -msgstr "" +msgstr "Algemene modules:" #: ClientCommand.cpp:912 msgid "Your user has no modules loaded." -msgstr "" +msgstr "Je gebruiker heeft geen modules geladen." #: ClientCommand.cpp:914 ClientCommand.cpp:975 msgid "User modules:" -msgstr "" +msgstr "Gebruiker modules:" #: ClientCommand.cpp:921 msgid "This network has no modules loaded." -msgstr "" +msgstr "Dit netwerk heeft geen modules geladen." #: ClientCommand.cpp:923 ClientCommand.cpp:986 msgid "Network modules:" -msgstr "" +msgstr "Netwerk modules:" #: ClientCommand.cpp:938 ClientCommand.cpp:944 msgctxt "listavailmods" msgid "Name" -msgstr "" +msgstr "Naam" #: ClientCommand.cpp:939 ClientCommand.cpp:949 msgctxt "listavailmods" msgid "Description" -msgstr "" +msgstr "Beschrijving" #: ClientCommand.cpp:962 msgid "No global modules available." -msgstr "" +msgstr "Geen algemene modules beschikbaar." #: ClientCommand.cpp:973 msgid "No user modules available." -msgstr "" +msgstr "Geen gebruikermodules beschikbaar." #: ClientCommand.cpp:984 msgid "No network modules available." -msgstr "" +msgstr "Geen netwerkmodules beschikbaar." #: ClientCommand.cpp:1012 msgid "Unable to load {1}: Access denied." -msgstr "" +msgstr "Niet mogelijk om {1} te laden: Toegang geweigerd." #: ClientCommand.cpp:1018 msgid "Usage: LoadMod [--type=global|user|network] [args]" -msgstr "" +msgstr "Gebruik: LoadMod [--type=global|user|network] [argumenten]" #: ClientCommand.cpp:1025 msgid "Unable to load {1}: {2}" -msgstr "" +msgstr "Niet mogelijk module te laden {1}: {2}" #: ClientCommand.cpp:1035 msgid "Unable to load global module {1}: Access denied." -msgstr "" +msgstr "Niet mogelijk algemene module te laden {1}: Toegang geweigerd." #: ClientCommand.cpp:1041 msgid "Unable to load network module {1}: Not connected with a network." msgstr "" +"Niet mogelijk netwerk module te laden {1}: Niet verbonden met een netwerk." #: ClientCommand.cpp:1063 msgid "Unknown module type" -msgstr "" +msgstr "Onbekend type module" #: ClientCommand.cpp:1068 msgid "Loaded module {1}" -msgstr "" +msgstr "Module {1} geladen" #: ClientCommand.cpp:1070 msgid "Loaded module {1}: {2}" -msgstr "" +msgstr "Module {1} geladen: {2}" #: ClientCommand.cpp:1073 msgid "Unable to load module {1}: {2}" -msgstr "" +msgstr "Niet mogelijk module te laden {1}: {2}" #: ClientCommand.cpp:1096 msgid "Unable to unload {1}: Access denied." -msgstr "" +msgstr "Niet mogelijk om {1} te stoppen: Toegang geweigerd." #: ClientCommand.cpp:1102 msgid "Usage: UnloadMod [--type=global|user|network] " -msgstr "" +msgstr "Gebruik: UnloadMod [--type=global|user|network] " #: ClientCommand.cpp:1111 msgid "Unable to determine type of {1}: {2}" -msgstr "" +msgstr "Niet mogelijk om het type te bepalen van {1}: {2}" #: ClientCommand.cpp:1119 msgid "Unable to unload global module {1}: Access denied." -msgstr "" +msgstr "Niet mogelijk algemene module te stoppen {1}: Toegang geweigerd." #: ClientCommand.cpp:1126 msgid "Unable to unload network module {1}: Not connected with a network." msgstr "" +"Niet mogelijk netwerk module te stoppen {1}: Niet verbonden met een netwerk." #: ClientCommand.cpp:1145 msgid "Unable to unload module {1}: Unknown module type" -msgstr "" +msgstr "Niet mogelijk module te stopped {1}: Onbekend type module" #: ClientCommand.cpp:1158 msgid "Unable to reload modules. Access denied." -msgstr "" +msgstr "Niet mogelijk modules te herladen. Toegang geweigerd." #: ClientCommand.cpp:1179 msgid "Usage: ReloadMod [--type=global|user|network] [args]" -msgstr "" +msgstr "Gebruik: ReloadMod [--type=global|user|network] [argumenten]" #: ClientCommand.cpp:1188 msgid "Unable to reload {1}: {2}" -msgstr "" +msgstr "Niet mogelijk module te herladen {1}: {2}" #: ClientCommand.cpp:1196 msgid "Unable to reload global module {1}: Access denied." -msgstr "" +msgstr "Niet mogelijk algemene module te herladen {1}: Toegang geweigerd." #: ClientCommand.cpp:1203 msgid "Unable to reload network module {1}: Not connected with a network." msgstr "" +"Niet mogelijk netwerk module te herladen {1}: Niet verbonden met een netwerk." #: ClientCommand.cpp:1225 msgid "Unable to reload module {1}: Unknown module type" -msgstr "" +msgstr "Niet mogelijk module te herladen {1}: Onbekend type module" #: ClientCommand.cpp:1236 msgid "Usage: UpdateMod " -msgstr "" +msgstr "Gebruik: UpdateMod " #: ClientCommand.cpp:1240 msgid "Reloading {1} everywhere" -msgstr "" +msgstr "Overal {1} herladen" #: ClientCommand.cpp:1242 msgid "Done" -msgstr "" +msgstr "Klaar" #: ClientCommand.cpp:1245 msgid "" "Done, but there were errors, module {1} could not be reloaded everywhere." msgstr "" +"Klaar, maar er waren fouten, module {1} kon niet overal herladen worden." #: ClientCommand.cpp:1253 msgid "" "You must be connected with a network to use this command. Try " "SetUserBindHost instead" msgstr "" +"Je moet verbonden zijn met een netwerk om dit commando te gebruiken. Probeer " +"in plaats hiervan SetUserBindHost" #: ClientCommand.cpp:1260 msgid "Usage: SetBindHost " -msgstr "" +msgstr "Gebruik: SetBindHost " #: ClientCommand.cpp:1265 ClientCommand.cpp:1282 msgid "You already have this bind host!" -msgstr "" +msgstr "Je hebt deze bindhost al!" #: ClientCommand.cpp:1270 msgid "Set bind host for network {1} to {2}" -msgstr "" +msgstr "Stel bindhost voor netwerk {1} in naar {2}" #: ClientCommand.cpp:1277 msgid "Usage: SetUserBindHost " -msgstr "" +msgstr "Gebruik: SetUserBindHost " #: ClientCommand.cpp:1287 msgid "Set default bind host to {1}" -msgstr "" +msgstr "Standaard bindhost ingesteld naar {1}" #: ClientCommand.cpp:1293 msgid "" "You must be connected with a network to use this command. Try " "ClearUserBindHost instead" msgstr "" +"Je moet verbonden zijn met een netwerk om dit commando te gebruiken. Probeer " +"in plaats hiervan ClearUserBindHost" #: ClientCommand.cpp:1298 msgid "Bind host cleared for this network." -msgstr "" +msgstr "Bindhost gewist voor dit netwerk." #: ClientCommand.cpp:1302 msgid "Default bind host cleared for your user." -msgstr "" +msgstr "Standaard bindhost gewist voor jouw gebruiker." #: ClientCommand.cpp:1305 msgid "This user's default bind host not set" -msgstr "" +msgstr "Er is geen standaard bindhost voor deze gebruiker ingesteld" #: ClientCommand.cpp:1307 msgid "This user's default bind host is {1}" -msgstr "" +msgstr "De standaard bindhost voor deze gebruiker is {1}" #: ClientCommand.cpp:1312 msgid "This network's bind host not set" -msgstr "" +msgstr "Er is geen bindhost ingesteld voor dit netwerk" #: ClientCommand.cpp:1314 msgid "This network's default bind host is {1}" -msgstr "" +msgstr "De standaard bindhost voor dit netwerk is {1}" #: ClientCommand.cpp:1328 msgid "Usage: PlayBuffer <#chan|query>" -msgstr "" +msgstr "Gebruik: PlayBuffer <#kanaal|privé bericht>" #: ClientCommand.cpp:1336 msgid "You are not on {1}" -msgstr "" +msgstr "Je bent niet in {1}" #: ClientCommand.cpp:1341 msgid "You are not on {1} (trying to join)" -msgstr "" +msgstr "Je bent niet in {1} (probeer toe te treden)" #: ClientCommand.cpp:1346 msgid "The buffer for channel {1} is empty" -msgstr "" +msgstr "De buffer voor kanaal {1} is leeg" #: ClientCommand.cpp:1355 msgid "No active query with {1}" -msgstr "" +msgstr "Geen actieve privé berichten met {1}" #: ClientCommand.cpp:1360 msgid "The buffer for {1} is empty" -msgstr "" +msgstr "De buffer voor {1} is leeg" #: ClientCommand.cpp:1376 msgid "Usage: ClearBuffer <#chan|query>" -msgstr "" +msgstr "Gebruik: ClearBuffer <#kanaal|privé bericht>" #: ClientCommand.cpp:1395 msgid "{1} buffer matching {2} has been cleared" msgid_plural "{1} buffers matching {2} have been cleared" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "{1} buffer overeenkomend met {2} is gewist" +msgstr[1] "{1} buffers overeenkomend met {2} zijn gewist" #: ClientCommand.cpp:1408 msgid "All channel buffers have been cleared" -msgstr "" +msgstr "Alle kanaalbuffers zijn gewist" #: ClientCommand.cpp:1417 msgid "All query buffers have been cleared" -msgstr "" +msgstr "Alle privéberichtenbuffers zijn gewist" #: ClientCommand.cpp:1429 msgid "All buffers have been cleared" -msgstr "" +msgstr "Alle buffers zijn gewist" #: ClientCommand.cpp:1440 msgid "Usage: SetBuffer <#chan|query> [linecount]" -msgstr "" +msgstr "Gebruik: SetBuffer <#kanaal|privé bericht> [regelaantal]" #: ClientCommand.cpp:1461 msgid "Setting buffer size failed for {1} buffer" msgid_plural "Setting buffer size failed for {1} buffers" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "Instellen van buffergrootte mislukt voor {1} buffer" +msgstr[1] "Instellen van buffergrootte mislukt voor {1} buffers" #: ClientCommand.cpp:1464 msgid "Maximum buffer size is {1} line" msgid_plural "Maximum buffer size is {1} lines" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "Maximale buffergrootte is {1} regel" +msgstr[1] "Maximale buffergrootte is {1} regels" #: ClientCommand.cpp:1469 msgid "Size of every buffer was set to {1} line" msgid_plural "Size of every buffer was set to {1} lines" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "Grootte van alle buffers is ingesteld op {1} regel" +msgstr[1] "Grootte van alle buffers is ingesteld op {1} regels" #: ClientCommand.cpp:1479 ClientCommand.cpp:1486 ClientCommand.cpp:1497 #: ClientCommand.cpp:1506 ClientCommand.cpp:1514 msgctxt "trafficcmd" msgid "Username" -msgstr "" +msgstr "Gebruikersnaam" #: ClientCommand.cpp:1480 ClientCommand.cpp:1487 ClientCommand.cpp:1499 #: ClientCommand.cpp:1508 ClientCommand.cpp:1516 msgctxt "trafficcmd" msgid "In" -msgstr "" +msgstr "In" #: ClientCommand.cpp:1481 ClientCommand.cpp:1489 ClientCommand.cpp:1500 #: ClientCommand.cpp:1509 ClientCommand.cpp:1517 msgctxt "trafficcmd" msgid "Out" -msgstr "" +msgstr "Uit" #: ClientCommand.cpp:1482 ClientCommand.cpp:1492 ClientCommand.cpp:1502 #: ClientCommand.cpp:1510 ClientCommand.cpp:1519 msgctxt "trafficcmd" msgid "Total" -msgstr "" +msgstr "Totaal" #: ClientCommand.cpp:1498 msgctxt "trafficcmd" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1507 msgctxt "trafficcmd" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1515 msgctxt "trafficcmd" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1524 msgid "Running for {1}" -msgstr "" +msgstr "Draaiend voor {1}" #: ClientCommand.cpp:1530 msgid "Unknown command, try 'Help'" -msgstr "" +msgstr "Onbekend commando, probeer 'Help'" #: ClientCommand.cpp:1539 ClientCommand.cpp:1550 msgctxt "listports" msgid "Port" -msgstr "" +msgstr "Poort" #: ClientCommand.cpp:1540 ClientCommand.cpp:1551 msgctxt "listports" msgid "BindHost" -msgstr "" +msgstr "BindHost" #: ClientCommand.cpp:1541 ClientCommand.cpp:1554 msgctxt "listports" msgid "SSL" -msgstr "" +msgstr "SSL" #: ClientCommand.cpp:1542 ClientCommand.cpp:1559 msgctxt "listports" msgid "Protocol" -msgstr "" +msgstr "Protocol" #: ClientCommand.cpp:1543 ClientCommand.cpp:1566 msgctxt "listports" msgid "IRC" -msgstr "" +msgstr "IRC" #: ClientCommand.cpp:1544 ClientCommand.cpp:1571 msgctxt "listports" msgid "Web" -msgstr "" +msgstr "Web" #: ClientCommand.cpp:1555 msgctxt "listports|ssl" msgid "yes" -msgstr "" +msgstr "ja" #: ClientCommand.cpp:1556 msgctxt "listports|ssl" msgid "no" -msgstr "" +msgstr "nee" #: ClientCommand.cpp:1560 msgctxt "listports" msgid "IPv4 and IPv6" -msgstr "" +msgstr "IPv4 en IPv6" #: ClientCommand.cpp:1562 msgctxt "listports" msgid "IPv4" -msgstr "" +msgstr "IPv4" #: ClientCommand.cpp:1563 msgctxt "listports" msgid "IPv6" -msgstr "" +msgstr "IPv6" #: ClientCommand.cpp:1569 msgctxt "listports|irc" msgid "yes" -msgstr "" +msgstr "ja" #: ClientCommand.cpp:1570 msgctxt "listports|irc" msgid "no" -msgstr "" +msgstr "nee" #: ClientCommand.cpp:1574 msgctxt "listports|irc" msgid "yes, on {1}" -msgstr "" +msgstr "ja, in {1}" #: ClientCommand.cpp:1576 msgctxt "listports|web" msgid "no" -msgstr "" +msgstr "nee" #: ClientCommand.cpp:1616 msgid "" "Usage: AddPort <[+]port> [bindhost [uriprefix]]" msgstr "" +"Gebruik: AddPort <[+]poort> [bindhost " +"[urivoorvoegsel]]" #: ClientCommand.cpp:1632 msgid "Port added" -msgstr "" +msgstr "Poort toegevoegd" #: ClientCommand.cpp:1634 msgid "Couldn't add port" -msgstr "" +msgstr "Kon poort niet toevoegen" #: ClientCommand.cpp:1640 msgid "Usage: DelPort [bindhost]" -msgstr "" +msgstr "Gebruik: DelPort [bindhost]" #: ClientCommand.cpp:1649 msgid "Deleted Port" -msgstr "" +msgstr "Poort verwijderd" #: ClientCommand.cpp:1651 msgid "Unable to find a matching port" -msgstr "" +msgstr "Niet mogelijk om een overeenkomende poort te vinden" #: ClientCommand.cpp:1659 ClientCommand.cpp:1673 msgctxt "helpcmd" msgid "Command" -msgstr "" +msgstr "Commando" #: ClientCommand.cpp:1660 ClientCommand.cpp:1674 msgctxt "helpcmd" msgid "Description" -msgstr "" +msgstr "Beschrijving" #: ClientCommand.cpp:1664 msgid "" "In the following list all occurrences of <#chan> support wildcards (* and ?) " "except ListNicks" msgstr "" +"In de volgende lijst ondersteunen alle voorvallen van <#kanaal> jokers (* " +"en ?) behalve ListNicks" #: ClientCommand.cpp:1680 msgctxt "helpcmd|Version|desc" msgid "Print which version of ZNC this is" -msgstr "" +msgstr "Toon welke versie van ZNC dit is" #: ClientCommand.cpp:1683 msgctxt "helpcmd|ListMods|desc" msgid "List all loaded modules" -msgstr "" +msgstr "Toon een lijst van alle geladen modules" #: ClientCommand.cpp:1686 msgctxt "helpcmd|ListAvailMods|desc" msgid "List all available modules" -msgstr "" +msgstr "Toon alle beschikbare modules" #: ClientCommand.cpp:1690 ClientCommand.cpp:1876 msgctxt "helpcmd|ListChans|desc" msgid "List all channels" -msgstr "" +msgstr "Toon alle kanalen" #: ClientCommand.cpp:1693 msgctxt "helpcmd|ListNicks|args" msgid "<#chan>" -msgstr "" +msgstr "<#kanaal>" #: ClientCommand.cpp:1694 msgctxt "helpcmd|ListNicks|desc" msgid "List all nicks on a channel" -msgstr "" +msgstr "Toon alle bijnamen op een kanaal" #: ClientCommand.cpp:1697 msgctxt "helpcmd|ListClients|desc" msgid "List all clients connected to your ZNC user" -msgstr "" +msgstr "Toon alle clients verbonden met jouw ZNC gebruiker" #: ClientCommand.cpp:1701 msgctxt "helpcmd|ListServers|desc" msgid "List all servers of current IRC network" -msgstr "" +msgstr "Toon alle servers van het huidige IRC netwerk" #: ClientCommand.cpp:1705 msgctxt "helpcmd|AddNetwork|args" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1706 msgctxt "helpcmd|AddNetwork|desc" msgid "Add a network to your user" -msgstr "" +msgstr "Voeg een netwerk toe aan jouw gebruiker" #: ClientCommand.cpp:1708 msgctxt "helpcmd|DelNetwork|args" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1709 msgctxt "helpcmd|DelNetwork|desc" msgid "Delete a network from your user" -msgstr "" +msgstr "Verwijder een netwerk van jouw gebruiker" #: ClientCommand.cpp:1711 msgctxt "helpcmd|ListNetworks|desc" msgid "List all networks" -msgstr "" +msgstr "Toon alle netwerken" #: ClientCommand.cpp:1714 msgctxt "helpcmd|MoveNetwork|args" msgid " [new network]" -msgstr "" +msgstr " [nieuw netwerk]" #: ClientCommand.cpp:1716 msgctxt "helpcmd|MoveNetwork|desc" msgid "Move an IRC network from one user to another" -msgstr "" +msgstr "Verplaats een IRC netwerk van een gebruiker naar een andere gebruiker" #: ClientCommand.cpp:1720 msgctxt "helpcmd|JumpNetwork|args" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1721 msgctxt "helpcmd|JumpNetwork|desc" @@ -1294,22 +1359,26 @@ msgid "" "Jump to another network (Alternatively, you can connect to ZNC several " "times, using `user/network` as username)" msgstr "" +"Spring naar een ander netwerk (Je kan ook meerdere malen naar ZNC verbinden " +"door `gebruiker/netwerk` als gebruikersnaam te gebruiken)" #: ClientCommand.cpp:1726 msgctxt "helpcmd|AddServer|args" msgid " [[+]port] [pass]" -msgstr "" +msgstr " [[+]poort] [wachtwoord]" #: ClientCommand.cpp:1727 msgctxt "helpcmd|AddServer|desc" msgid "" "Add a server to the list of alternate/backup servers of current IRC network." msgstr "" +"Voeg een server toe aan de lijst van alternatieve/backup servers van het " +"huidige IRC netwerk." #: ClientCommand.cpp:1731 msgctxt "helpcmd|DelServer|args" msgid " [port] [pass]" -msgstr "" +msgstr " [poort] [wachtwoord]" #: ClientCommand.cpp:1732 msgctxt "helpcmd|DelServer|desc" @@ -1317,11 +1386,13 @@ msgid "" "Remove a server from the list of alternate/backup servers of current IRC " "network" msgstr "" +"Verwijder een server van de lijst van alternatieve/backup servers van het " +"huidige IRC netwerk" #: ClientCommand.cpp:1738 msgctxt "helpcmd|AddTrustedServerFingerprint|args" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1739 msgctxt "helpcmd|AddTrustedServerFingerprint|desc" @@ -1329,404 +1400,414 @@ msgid "" "Add a trusted server SSL certificate fingerprint (SHA-256) to current IRC " "network." msgstr "" +"Voeg een vertrouwd SSL certificaat vingerafdruk (SHA-256) toe aan het " +"huidige netwerk." #: ClientCommand.cpp:1744 msgctxt "helpcmd|DelTrustedServerFingerprint|args" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1745 msgctxt "helpcmd|DelTrustedServerFingerprint|desc" msgid "Delete a trusted server SSL certificate from current IRC network." -msgstr "" +msgstr "Verwijder een vertrouwd SSL certificaat van het huidige netwerk." #: ClientCommand.cpp:1749 msgctxt "helpcmd|ListTrustedServerFingerprints|desc" msgid "List all trusted server SSL certificates of current IRC network." -msgstr "" +msgstr "Toon alle vertrouwde SSL certificaten van het huidige netwerk." #: ClientCommand.cpp:1752 msgctxt "helpcmd|EnableChan|args" msgid "<#chans>" -msgstr "" +msgstr "<#kanalen>" #: ClientCommand.cpp:1753 msgctxt "helpcmd|EnableChan|desc" msgid "Enable channels" -msgstr "" +msgstr "Kanalen inschakelen" #: ClientCommand.cpp:1754 msgctxt "helpcmd|DisableChan|args" msgid "<#chans>" -msgstr "" +msgstr "<#kanalen>" #: ClientCommand.cpp:1755 msgctxt "helpcmd|DisableChan|desc" msgid "Disable channels" -msgstr "" +msgstr "Kanalen uitschakelen" #: ClientCommand.cpp:1756 msgctxt "helpcmd|Attach|args" msgid "<#chans>" -msgstr "" +msgstr "<#kanalen>" #: ClientCommand.cpp:1757 msgctxt "helpcmd|Attach|desc" msgid "Attach to channels" -msgstr "" +msgstr "Koppel aan kanalen" #: ClientCommand.cpp:1758 msgctxt "helpcmd|Detach|args" msgid "<#chans>" -msgstr "" +msgstr "<#kanalen>" #: ClientCommand.cpp:1759 msgctxt "helpcmd|Detach|desc" msgid "Detach from channels" -msgstr "" +msgstr "Loskoppelen van kanalen" #: ClientCommand.cpp:1762 msgctxt "helpcmd|Topics|desc" msgid "Show topics in all your channels" -msgstr "" +msgstr "Laat topics in al je kanalen zien" #: ClientCommand.cpp:1765 msgctxt "helpcmd|PlayBuffer|args" msgid "<#chan|query>" -msgstr "" +msgstr "<#kanaal|privé bericht>" #: ClientCommand.cpp:1766 msgctxt "helpcmd|PlayBuffer|desc" msgid "Play back the specified buffer" -msgstr "" +msgstr "Speel the gekozen buffer terug" #: ClientCommand.cpp:1768 msgctxt "helpcmd|ClearBuffer|args" msgid "<#chan|query>" -msgstr "" +msgstr "<#kanaal|privé bericht>" #: ClientCommand.cpp:1769 msgctxt "helpcmd|ClearBuffer|desc" msgid "Clear the specified buffer" -msgstr "" +msgstr "Wis de gekozen buffer" #: ClientCommand.cpp:1771 msgctxt "helpcmd|ClearAllBuffers|desc" msgid "Clear all channel and query buffers" -msgstr "" +msgstr "Wis alle kanaal en privé berichtenbuffers" #: ClientCommand.cpp:1774 msgctxt "helpcmd|ClearAllChannelBuffers|desc" msgid "Clear the channel buffers" -msgstr "" +msgstr "Wis de kanaal buffers" #: ClientCommand.cpp:1778 msgctxt "helpcmd|ClearAllQueryBuffers|desc" msgid "Clear the query buffers" -msgstr "" +msgstr "Wis de privéberichtenbuffers" #: ClientCommand.cpp:1780 msgctxt "helpcmd|SetBuffer|args" msgid "<#chan|query> [linecount]" -msgstr "" +msgstr "<#kanaal|privé bericht> [regelaantal]" #: ClientCommand.cpp:1781 msgctxt "helpcmd|SetBuffer|desc" msgid "Set the buffer count" -msgstr "" +msgstr "Stel het buffer aantal in" #: ClientCommand.cpp:1785 msgctxt "helpcmd|SetBindHost|args" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1786 msgctxt "helpcmd|SetBindHost|desc" msgid "Set the bind host for this network" -msgstr "" +msgstr "Stel de bindhost in voor dit netwerk" #: ClientCommand.cpp:1790 msgctxt "helpcmd|SetUserBindHost|args" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1791 msgctxt "helpcmd|SetUserBindHost|desc" msgid "Set the default bind host for this user" -msgstr "" +msgstr "Stel de bindhost in voor deze gebruiker" #: ClientCommand.cpp:1794 msgctxt "helpcmd|ClearBindHost|desc" msgid "Clear the bind host for this network" -msgstr "" +msgstr "Wis de bindhost voor dit netwerk" #: ClientCommand.cpp:1797 msgctxt "helpcmd|ClearUserBindHost|desc" msgid "Clear the default bind host for this user" -msgstr "" +msgstr "Wis de standaard bindhost voor deze gebruiker" #: ClientCommand.cpp:1803 msgctxt "helpcmd|ShowBindHost|desc" msgid "Show currently selected bind host" -msgstr "" +msgstr "Toon huidig geselecteerde bindhost" #: ClientCommand.cpp:1805 msgctxt "helpcmd|Jump|args" msgid "[server]" -msgstr "" +msgstr "[server]" #: ClientCommand.cpp:1806 msgctxt "helpcmd|Jump|desc" msgid "Jump to the next or the specified server" -msgstr "" +msgstr "Spring naar de volgende of de gekozen server" #: ClientCommand.cpp:1807 msgctxt "helpcmd|Disconnect|args" msgid "[message]" -msgstr "" +msgstr "[bericht]" #: ClientCommand.cpp:1808 msgctxt "helpcmd|Disconnect|desc" msgid "Disconnect from IRC" -msgstr "" +msgstr "Verbreek verbinding met IRC" #: ClientCommand.cpp:1810 msgctxt "helpcmd|Connect|desc" msgid "Reconnect to IRC" -msgstr "" +msgstr "Verbind opnieuw met IRC" #: ClientCommand.cpp:1813 msgctxt "helpcmd|Uptime|desc" msgid "Show for how long ZNC has been running" -msgstr "" +msgstr "Laat zien hoe lang ZNC al draait" #: ClientCommand.cpp:1817 msgctxt "helpcmd|LoadMod|args" msgid "[--type=global|user|network] " -msgstr "" +msgstr "[--type=global|user|network] " #: ClientCommand.cpp:1819 msgctxt "helpcmd|LoadMod|desc" msgid "Load a module" -msgstr "" +msgstr "Laad een module" #: ClientCommand.cpp:1821 msgctxt "helpcmd|UnloadMod|args" msgid "[--type=global|user|network] " -msgstr "" +msgstr "[--type=global|user|network] " #: ClientCommand.cpp:1823 msgctxt "helpcmd|UnloadMod|desc" msgid "Unload a module" -msgstr "" +msgstr "Stop een module" #: ClientCommand.cpp:1825 msgctxt "helpcmd|ReloadMod|args" msgid "[--type=global|user|network] " -msgstr "" +msgstr "[--type=global|user|network] " #: ClientCommand.cpp:1827 msgctxt "helpcmd|ReloadMod|desc" msgid "Reload a module" -msgstr "" +msgstr "Herlaad een module" #: ClientCommand.cpp:1830 msgctxt "helpcmd|UpdateMod|args" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1831 msgctxt "helpcmd|UpdateMod|desc" msgid "Reload a module everywhere" -msgstr "" +msgstr "Herlaad een module overal" #: ClientCommand.cpp:1837 msgctxt "helpcmd|ShowMOTD|desc" msgid "Show ZNC's message of the day" -msgstr "" +msgstr "Laat ZNC's bericht van de dag zien" #: ClientCommand.cpp:1841 msgctxt "helpcmd|SetMOTD|args" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1842 msgctxt "helpcmd|SetMOTD|desc" msgid "Set ZNC's message of the day" -msgstr "" +msgstr "Stel ZNC's bericht van de dag in" #: ClientCommand.cpp:1844 msgctxt "helpcmd|AddMOTD|args" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1845 msgctxt "helpcmd|AddMOTD|desc" msgid "Append to ZNC's MOTD" -msgstr "" +msgstr "Voeg toe aan ZNC's bericht van de dag" #: ClientCommand.cpp:1847 msgctxt "helpcmd|ClearMOTD|desc" msgid "Clear ZNC's MOTD" -msgstr "" +msgstr "Wis ZNC's bericht van de dag" #: ClientCommand.cpp:1850 msgctxt "helpcmd|ListPorts|desc" msgid "Show all active listeners" -msgstr "" +msgstr "Laat alle actieve luisteraars zien" #: ClientCommand.cpp:1852 msgctxt "helpcmd|AddPort|args" msgid "<[+]port> [bindhost [uriprefix]]" -msgstr "" +msgstr "<[+]poort> [bindhost [urivoorvoegsel]]" #: ClientCommand.cpp:1855 msgctxt "helpcmd|AddPort|desc" msgid "Add another port for ZNC to listen on" -msgstr "" +msgstr "Voeg nog een poort toe voor ZNC om te luisteren" #: ClientCommand.cpp:1859 msgctxt "helpcmd|DelPort|args" msgid " [bindhost]" -msgstr "" +msgstr " [bindhost]" #: ClientCommand.cpp:1860 msgctxt "helpcmd|DelPort|desc" msgid "Remove a port from ZNC" -msgstr "" +msgstr "Haal een poort weg van ZNC" #: ClientCommand.cpp:1863 msgctxt "helpcmd|Rehash|desc" msgid "Reload global settings, modules, and listeners from znc.conf" -msgstr "" +msgstr "Herlaad algemene instelling, modules en luisteraars van znc.conf" #: ClientCommand.cpp:1866 msgctxt "helpcmd|SaveConfig|desc" msgid "Save the current settings to disk" -msgstr "" +msgstr "Huidige instellingen opslaan in bestand" #: ClientCommand.cpp:1869 msgctxt "helpcmd|ListUsers|desc" msgid "List all ZNC users and their connection status" -msgstr "" +msgstr "Toon alle ZNC gebruikers en hun verbinding status" #: ClientCommand.cpp:1872 msgctxt "helpcmd|ListAllUserNetworks|desc" msgid "List all ZNC users and their networks" -msgstr "" +msgstr "Toon alle ZNC gebruikers en hun netwerken" #: ClientCommand.cpp:1875 msgctxt "helpcmd|ListChans|args" msgid "[user ]" -msgstr "" +msgstr "[gebruiker ]" #: ClientCommand.cpp:1878 msgctxt "helpcmd|ListClients|args" msgid "[user]" -msgstr "" +msgstr "[gebruiker]" #: ClientCommand.cpp:1879 msgctxt "helpcmd|ListClients|desc" msgid "List all connected clients" -msgstr "" +msgstr "Toon alle verbonden clients" #: ClientCommand.cpp:1881 msgctxt "helpcmd|Traffic|desc" msgid "Show basic traffic stats for all ZNC users" -msgstr "" +msgstr "Toon basis verkeer statistieken voor alle ZNC gebruikers" #: ClientCommand.cpp:1883 msgctxt "helpcmd|Broadcast|args" msgid "[message]" -msgstr "" +msgstr "[bericht]" #: ClientCommand.cpp:1884 msgctxt "helpcmd|Broadcast|desc" msgid "Broadcast a message to all ZNC users" -msgstr "" +msgstr "Zend een bericht naar alle ZNC gebruikers" #: ClientCommand.cpp:1887 msgctxt "helpcmd|Shutdown|args" msgid "[message]" -msgstr "" +msgstr "[bericht]" #: ClientCommand.cpp:1888 msgctxt "helpcmd|Shutdown|desc" msgid "Shut down ZNC completely" -msgstr "" +msgstr "Sluit ZNC in zijn geheel af" #: ClientCommand.cpp:1889 msgctxt "helpcmd|Restart|args" msgid "[message]" -msgstr "" +msgstr "[bericht]" #: ClientCommand.cpp:1890 msgctxt "helpcmd|Restart|desc" msgid "Restart ZNC" -msgstr "" +msgstr "Herstart ZNC" #: Socket.cpp:336 msgid "Can't resolve server hostname" -msgstr "" +msgstr "Kan server hostnaam niet oplossen" #: Socket.cpp:343 msgid "" "Can't resolve bind hostname. Try /znc ClearBindHost and /znc " "ClearUserBindHost" msgstr "" +"Kan bindhostnaam niet oplossen. Probeer /znc ClearBindHost en /znc " +"ClearUserBindHost" #: Socket.cpp:348 msgid "Server address is IPv4-only, but bindhost is IPv6-only" -msgstr "" +msgstr "Server adres is alleen IPv4, maar de bindhost is alleen IPv6" #: Socket.cpp:357 msgid "Server address is IPv6-only, but bindhost is IPv4-only" -msgstr "" +msgstr "Server adres is alleen IPv6, maar de bindhost is alleen IPv4" #: Socket.cpp:515 msgid "Some socket reached its max buffer limit and was closed!" msgstr "" +"Een of andere socket heeft de maximale buffer limiet bereikt en was " +"afgesloten!" -#: SSLVerifyHost.cpp:448 +#: SSLVerifyHost.cpp:481 msgid "hostname doesn't match" -msgstr "" +msgstr "Hostnaam komt niet overeen" -#: SSLVerifyHost.cpp:452 +#: SSLVerifyHost.cpp:485 msgid "malformed hostname in certificate" -msgstr "" +msgstr "misvormde hostnaam in certificaat" -#: SSLVerifyHost.cpp:456 +#: SSLVerifyHost.cpp:489 msgid "hostname verification error" -msgstr "" +msgstr "hostnaam verificatiefout" #: User.cpp:507 msgid "" "Invalid network name. It should be alphanumeric. Not to be confused with " "server name" msgstr "" +"Ongeldige netwerknaam. Deze moet alfanumeriek zijn. Niet te verwarren met " +"server naam" #: User.cpp:511 msgid "Network {1} already exists" -msgstr "" +msgstr "Netwerk {1} bestaat al" #: User.cpp:777 msgid "" "You are being disconnected because your IP is no longer allowed to connect " "to this user" msgstr "" +"Je verbinding wordt verbroken omdat het niet meer toegestaan is om met jouw " +"IP-adres naar deze gebruiker te verbinden" #: User.cpp:907 msgid "Password is empty" -msgstr "" +msgstr "Wachtwoord is leeg" #: User.cpp:912 msgid "Username is empty" -msgstr "" +msgstr "Gebruikersnaam is leeg" #: User.cpp:917 msgid "Username is invalid" -msgstr "" +msgstr "Gebruikersnaam is ongeldig" #: User.cpp:1188 msgid "Unable to find modinfo {1}: {2}" -msgstr "" +msgstr "Kan modinfo niet vinden {1}: {2}" diff --git a/src/po/znc.ru_RU.po b/src/po/znc.ru_RU.po index 3fa1c8cc..68410a35 100644 --- a/src/po/znc.ru_RU.po +++ b/src/po/znc.ru_RU.po @@ -1006,23 +1006,23 @@ msgstr "Исходящий хост для вашего пользователя #: ClientCommand.cpp:1305 msgid "This user's default bind host not set" -msgstr "Для вашего пользователя исходящий хост по умолчанию не установлен" +msgstr "Исходящий хост по умолчанию для вашего пользователя не установлен" #: ClientCommand.cpp:1307 msgid "This user's default bind host is {1}" -msgstr "Для вашего пользователя исходящий хост по умолчанию: {1}" +msgstr "Исходящий хост по умолчанию для вашего пользователя: {1}" #: ClientCommand.cpp:1312 msgid "This network's bind host not set" -msgstr "" +msgstr "Исходящий хост для этой сети не установлен" #: ClientCommand.cpp:1314 msgid "This network's default bind host is {1}" -msgstr "" +msgstr "Исходящий хост по умолчанию для этой сети: {1}" #: ClientCommand.cpp:1328 msgid "Usage: PlayBuffer <#chan|query>" -msgstr "" +msgstr "Использование: PlayBuffer <#канал|собеседник>" #: ClientCommand.cpp:1336 msgid "You are not on {1}" @@ -1034,91 +1034,91 @@ msgstr "Вы не на {1} (пытаюсь войти)" #: ClientCommand.cpp:1346 msgid "The buffer for channel {1} is empty" -msgstr "" +msgstr "Буфер канала {1} пуст" #: ClientCommand.cpp:1355 msgid "No active query with {1}" -msgstr "" +msgstr "Нет активной беседы с {1}" #: ClientCommand.cpp:1360 msgid "The buffer for {1} is empty" -msgstr "" +msgstr "Буфер для {1} пуст" #: ClientCommand.cpp:1376 msgid "Usage: ClearBuffer <#chan|query>" -msgstr "" +msgstr "Использование: ClearBuffer <#канал|собеседник>" #: ClientCommand.cpp:1395 msgid "{1} buffer matching {2} has been cleared" msgid_plural "{1} buffers matching {2} have been cleared" -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" -msgstr[3] "" +msgstr[0] "{1} буфер, подходящий под {2}, очищен" +msgstr[1] "{1} буфера, подходящий под {2}, очищены" +msgstr[2] "{1} буферов, подходящий под {2}, очищены" +msgstr[3] "{1} буферов, подходящий под {2}, очищены" #: ClientCommand.cpp:1408 msgid "All channel buffers have been cleared" -msgstr "" +msgstr "Буферы всех каналов очищены" #: ClientCommand.cpp:1417 msgid "All query buffers have been cleared" -msgstr "" +msgstr "Буферы всех бесед очищены" #: ClientCommand.cpp:1429 msgid "All buffers have been cleared" -msgstr "" +msgstr "Все буферы очищены" #: ClientCommand.cpp:1440 msgid "Usage: SetBuffer <#chan|query> [linecount]" -msgstr "" +msgstr "Использование: SetBuffer <#канал|собеседник> [число_строк]" #: ClientCommand.cpp:1461 msgid "Setting buffer size failed for {1} buffer" msgid_plural "Setting buffer size failed for {1} buffers" -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" -msgstr[3] "" +msgstr[0] "Не удалось установить размер буфера для {1} канала" +msgstr[1] "Не удалось установить размер буфера для {1} каналов" +msgstr[2] "Не удалось установить размер буфера для {1} каналов" +msgstr[3] "Не удалось установить размер буфера для {1} каналов" #: ClientCommand.cpp:1464 msgid "Maximum buffer size is {1} line" msgid_plural "Maximum buffer size is {1} lines" -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" -msgstr[3] "" +msgstr[0] "Размер буфера не должен превышать {1} строку" +msgstr[1] "Размер буфера не должен превышать {1} строки" +msgstr[2] "Размер буфера не должен превышать {1} строк" +msgstr[3] "Размер буфера не должен превышать {1} строк" #: ClientCommand.cpp:1469 msgid "Size of every buffer was set to {1} line" msgid_plural "Size of every buffer was set to {1} lines" -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" -msgstr[3] "" +msgstr[0] "Размер каждого буфера установлен в {1} строку" +msgstr[1] "Размер каждого буфера установлен в {1} строки" +msgstr[2] "Размер каждого буфера установлен в {1} строк" +msgstr[3] "Размер каждого буфера установлен в {1} строк" #: ClientCommand.cpp:1479 ClientCommand.cpp:1486 ClientCommand.cpp:1497 #: ClientCommand.cpp:1506 ClientCommand.cpp:1514 msgctxt "trafficcmd" msgid "Username" -msgstr "" +msgstr "Имя пользователя" #: ClientCommand.cpp:1480 ClientCommand.cpp:1487 ClientCommand.cpp:1499 #: ClientCommand.cpp:1508 ClientCommand.cpp:1516 msgctxt "trafficcmd" msgid "In" -msgstr "" +msgstr "Пришло" #: ClientCommand.cpp:1481 ClientCommand.cpp:1489 ClientCommand.cpp:1500 #: ClientCommand.cpp:1509 ClientCommand.cpp:1517 msgctxt "trafficcmd" msgid "Out" -msgstr "" +msgstr "Ушло" #: ClientCommand.cpp:1482 ClientCommand.cpp:1492 ClientCommand.cpp:1502 #: ClientCommand.cpp:1510 ClientCommand.cpp:1519 msgctxt "trafficcmd" msgid "Total" -msgstr "" +msgstr "Всего" #: ClientCommand.cpp:1498 msgctxt "trafficcmd" From 04dc7ca3e6b71ea166bf12ed103d751fa5a1387b Mon Sep 17 00:00:00 2001 From: Jos Ahrens Date: Sat, 16 Jun 2018 12:25:09 +0200 Subject: [PATCH 154/798] ci: Modify crowdin CI to make better PR descriptions Closes #1562 --- .ci/Jenkinsfile.crowdin | 20 +++++++++++++++++++- 1 file changed, 19 insertions(+), 1 deletion(-) diff --git a/.ci/Jenkinsfile.crowdin b/.ci/Jenkinsfile.crowdin index cbb6d01d..a1b30e0b 100644 --- a/.ci/Jenkinsfile.crowdin +++ b/.ci/Jenkinsfile.crowdin @@ -5,6 +5,7 @@ // * create a pull request with results to ZNC repo import groovy.json.JsonSlurper; +import groovy.json.JsonOutput; def upstream_user = 'znc' def upstream_repo = 'znc' @@ -52,6 +53,8 @@ timestamps { sh 'git config user.name "ZNC-Jenkins"' sh 'git config user.email jenkins@znc.in' sh 'git status' + def gitStatusShort = sh 'git status --short' + def modifiedLocales = sh 'git status --short | grep -o -E "[^ ]+\.po$" | sed "s/.po//g" | grep -o -E "[a-z]{2}_[A-Z]{2}$" | sort -u | tr "\n" " " | sed -E "s/ $//"' sh 'git add .' try { sh 'git commit -m "Update translations from Crowdin"' @@ -74,7 +77,22 @@ timestamps { def pulls = httpRequest consoleLogResponseBody: true, customHeaders: headers, url: "https://api.github.com/repos/${upstream_user}/${upstream_repo}/pulls?head=${my_user}:${my_branch}&base=${upstream_branch}" pulls = new JsonSlurper().parseText(pulls.content) if (!pulls) { - httpRequest consoleLogResponseBody: true, customHeaders: headers, url: "https://api.github.com/repos/${upstream_user}/${upstream_repo}/pulls", httpMode: 'POST', requestBody: '{"head":"'+my_user+':'+my_branch+'","base":"'+upstream_branch+'","title":"Update translations in '+upstream_branch+'","body":"From https://crowdin.com/project/znc-bouncer"}' + def bodyContents = 'Crowdin: https://crowdin.com/project/znc-bouncer\nJenkins Build: ' + build.environment.get('BUILD_URL') + bodyContents += "\n\nModified locales:\n" + modifiedLocales + bodyContents += "\n\n
Modified files" + gitStatusShort + '
' + + httpRequest consoleLogResponseBody: true, + customHeaders: headers, + url: "https://api.github.com/repos/${upstream_user}/${upstream_repo}/pulls", + httpMode: 'POST', + requestBody: JsonOutput.toJson( + [ + head: my_user + ':' + my_branch, + base: upstream_branch, + title: 'Update translations in ' + upstream_branch + ' (' + modifiedLocales + ')', + body: bodyContents + ] + ) } } } From d07674b089e2fef5bfbffc351cf0ee341c738aa0 Mon Sep 17 00:00:00 2001 From: Jos Ahrens Date: Sat, 16 Jun 2018 12:51:41 +0200 Subject: [PATCH 155/798] ci: fix broken shell syntax (#1565) Ref #1562 --- .ci/Jenkinsfile.crowdin | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/.ci/Jenkinsfile.crowdin b/.ci/Jenkinsfile.crowdin index a1b30e0b..e3bc1aa9 100644 --- a/.ci/Jenkinsfile.crowdin +++ b/.ci/Jenkinsfile.crowdin @@ -54,7 +54,7 @@ timestamps { sh 'git config user.email jenkins@znc.in' sh 'git status' def gitStatusShort = sh 'git status --short' - def modifiedLocales = sh 'git status --short | grep -o -E "[^ ]+\.po$" | sed "s/.po//g" | grep -o -E "[a-z]{2}_[A-Z]{2}$" | sort -u | tr "\n" " " | sed -E "s/ $//"' + def modifiedLocales = sh 'git status --short | grep -o -E "[^ ]+\\.po$" | sed "s/.po//g" | grep -o -E "[a-z]{2}_[A-Z]{2}$" | sort -u | tr "\\n" " " | sed -E "s/ $//"' sh 'git add .' try { sh 'git commit -m "Update translations from Crowdin"' From 6f109ec6d7396f8157907b76933c64ba12e502bd Mon Sep 17 00:00:00 2001 From: Jos Ahrens Date: Sat, 16 Jun 2018 13:20:18 +0200 Subject: [PATCH 156/798] ci: fix Groovy lang.Binding exception (#1566) Ref #1562 --- .ci/Jenkinsfile.crowdin | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/.ci/Jenkinsfile.crowdin b/.ci/Jenkinsfile.crowdin index e3bc1aa9..d0fdbb2d 100644 --- a/.ci/Jenkinsfile.crowdin +++ b/.ci/Jenkinsfile.crowdin @@ -77,7 +77,7 @@ timestamps { def pulls = httpRequest consoleLogResponseBody: true, customHeaders: headers, url: "https://api.github.com/repos/${upstream_user}/${upstream_repo}/pulls?head=${my_user}:${my_branch}&base=${upstream_branch}" pulls = new JsonSlurper().parseText(pulls.content) if (!pulls) { - def bodyContents = 'Crowdin: https://crowdin.com/project/znc-bouncer\nJenkins Build: ' + build.environment.get('BUILD_URL') + def bodyContents = 'Crowdin: https://crowdin.com/project/znc-bouncer\nJenkins Build: ' + env.BUILD_URL bodyContents += "\n\nModified locales:\n" + modifiedLocales bodyContents += "\n\n
Modified files" + gitStatusShort + '
' From 488e8773e3d12d935e50058ff8b59b1a89be7592 Mon Sep 17 00:00:00 2001 From: Jos Ahrens Date: Sat, 16 Jun 2018 13:42:17 +0200 Subject: [PATCH 157/798] ci: return output of shell commands to stdout Ref #1562 --- .ci/Jenkinsfile.crowdin | 7 +++++-- 1 file changed, 5 insertions(+), 2 deletions(-) diff --git a/.ci/Jenkinsfile.crowdin b/.ci/Jenkinsfile.crowdin index d0fdbb2d..6dbbc0a8 100644 --- a/.ci/Jenkinsfile.crowdin +++ b/.ci/Jenkinsfile.crowdin @@ -53,8 +53,11 @@ timestamps { sh 'git config user.name "ZNC-Jenkins"' sh 'git config user.email jenkins@znc.in' sh 'git status' - def gitStatusShort = sh 'git status --short' - def modifiedLocales = sh 'git status --short | grep -o -E "[^ ]+\\.po$" | sed "s/.po//g" | grep -o -E "[a-z]{2}_[A-Z]{2}$" | sort -u | tr "\\n" " " | sed -E "s/ $//"' + def gitStatusShort = sh (script: 'git status --short', returnStdout: true) + def modifiedLocales = sh ( + script: 'git status --short | grep -o -E "[^ ]+\\.po$" | sed "s/.po//g" | grep -o -E "[a-z]{2}_[A-Z]{2}$" | sort -u | tr "\\n" " " | sed -E "s/ $//"', + returnStdout: true + ) sh 'git add .' try { sh 'git commit -m "Update translations from Crowdin"' From 1bc77e4cb64ac298a5c01e163a216af9a03b542a Mon Sep 17 00:00:00 2001 From: Jos Ahrens Date: Sat, 16 Jun 2018 13:49:00 +0200 Subject: [PATCH 158/798] ci: Add modifiedLocales to git-commit message --- .ci/Jenkinsfile.crowdin | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/.ci/Jenkinsfile.crowdin b/.ci/Jenkinsfile.crowdin index 6dbbc0a8..458081d4 100644 --- a/.ci/Jenkinsfile.crowdin +++ b/.ci/Jenkinsfile.crowdin @@ -60,7 +60,7 @@ timestamps { ) sh 'git add .' try { - sh 'git commit -m "Update translations from Crowdin"' + sh 'git commit -m "Update translations from Crowdin for ' + modifiedLocales + '"' } catch(e) { echo 'No changes found' return From 664faa7d90429c634b653e3d805ba08c759813cd Mon Sep 17 00:00:00 2001 From: Jos Ahrens Date: Sat, 16 Jun 2018 22:01:04 +0200 Subject: [PATCH 159/798] ci: Normalize variable names and string interpolation Ref #1562 --- .ci/Jenkinsfile.crowdin | 14 +++++++------- 1 file changed, 7 insertions(+), 7 deletions(-) diff --git a/.ci/Jenkinsfile.crowdin b/.ci/Jenkinsfile.crowdin index 458081d4..cf9ab2fb 100644 --- a/.ci/Jenkinsfile.crowdin +++ b/.ci/Jenkinsfile.crowdin @@ -53,14 +53,14 @@ timestamps { sh 'git config user.name "ZNC-Jenkins"' sh 'git config user.email jenkins@znc.in' sh 'git status' - def gitStatusShort = sh (script: 'git status --short', returnStdout: true) - def modifiedLocales = sh ( + def git_status_short = sh (script: 'git status --short', returnStdout: true) + def modified_locales = sh ( script: 'git status --short | grep -o -E "[^ ]+\\.po$" | sed "s/.po//g" | grep -o -E "[a-z]{2}_[A-Z]{2}$" | sort -u | tr "\\n" " " | sed -E "s/ $//"', returnStdout: true ) sh 'git add .' try { - sh 'git commit -m "Update translations from Crowdin for ' + modifiedLocales + '"' + sh "git commit -m Update translations from Crowdin for ${modified_locales}" } catch(e) { echo 'No changes found' return @@ -80,9 +80,9 @@ timestamps { def pulls = httpRequest consoleLogResponseBody: true, customHeaders: headers, url: "https://api.github.com/repos/${upstream_user}/${upstream_repo}/pulls?head=${my_user}:${my_branch}&base=${upstream_branch}" pulls = new JsonSlurper().parseText(pulls.content) if (!pulls) { - def bodyContents = 'Crowdin: https://crowdin.com/project/znc-bouncer\nJenkins Build: ' + env.BUILD_URL - bodyContents += "\n\nModified locales:\n" + modifiedLocales - bodyContents += "\n\n
Modified files" + gitStatusShort + '
' + def bodyContents = "Crowdin: https://crowdin.com/project/znc-bouncer\nJenkins Build: ${env.BUILD_URL}" + bodyContents += "\n\nModified locales:\n${modified_locales}" + bodyContents += "\n\n
Modified files${git_status_short}
" httpRequest consoleLogResponseBody: true, customHeaders: headers, @@ -92,7 +92,7 @@ timestamps { [ head: my_user + ':' + my_branch, base: upstream_branch, - title: 'Update translations in ' + upstream_branch + ' (' + modifiedLocales + ')', + title: "Update translations in ${upstream_branch} (${modified_locales})", body: bodyContents ] ) From e64b3313424630b3b81a0d8ff3f4e9a770fdbcf4 Mon Sep 17 00:00:00 2001 From: Jos Ahrens Date: Wed, 6 Jun 2018 19:01:07 +0200 Subject: [PATCH 160/798] Add module that dynamically enables/disables debug mode Close #1547 Close #1556 References #1370 References #1446 --- modules/admindebug.cpp | 101 +++++++++++++++++++++++++++++++++++++++++ 1 file changed, 101 insertions(+) create mode 100644 modules/admindebug.cpp diff --git a/modules/admindebug.cpp b/modules/admindebug.cpp new file mode 100644 index 00000000..9cf32f16 --- /dev/null +++ b/modules/admindebug.cpp @@ -0,0 +1,101 @@ +/* + * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * + * Licensed under the Apache License, Version 2.0 (the "License"); + * you may not use this file except in compliance with the License. + * You may obtain a copy of the License at + * + * http://www.apache.org/licenses/LICENSE-2.0 + * + * Unless required by applicable law or agreed to in writing, software + * distributed under the License is distributed on an "AS IS" BASIS, + * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. + * See the License for the specific language governing permissions and + * limitations under the License. + */ + +#include +#include +#include +#include +#include + +class CAdminDebugMod : public CModule { + private: + CString m_sEnabledBy; + + public: + MODCONSTRUCTOR(CAdminDebugMod) { + AddHelpCommand(); + AddCommand("Enable", "", t_d("Enable Debug Mode"), + [=](const CString& sLine) { CommandEnable(sLine); }); + AddCommand("Disable", "", t_d("Disable Debug Mode"), + [=](const CString& sLine) { CommandDisable(sLine); }); + AddCommand("Status", "", t_d("Show the Debug Mode status"), + [=](const CString& sLine) { CommandStatus(sLine); }); + } + + void CommandEnable(const CString& sCommand) { + if (GetUser()->IsAdmin() == false) { + PutModule(t_s("Access denied!")); + return; + } + + ToggleDebug(true, GetUser()->GetNick()); + } + + void CommandDisable(const CString& sCommand) { + if (GetUser()->IsAdmin() == false) { + PutModule(t_s("Access denied!")); + return; + } + + ToggleDebug(false, m_sEnabledBy); + } + + bool ToggleDebug(bool bEnable, CString sEnabledBy) { + bool bValue = CDebug::Debug(); + + if (bEnable == bValue) { + if (bEnable) { + PutModule(t_s("Already enabled.")); + } else { + PutModule(t_s("Already disabled.")); + } + return false; + } + + CDebug::SetDebug(bEnable); + CString sEnabled = CString(bEnable ? "on" : "off"); + CZNC::Get().Broadcast(CString( + "An administrator has just turned Debug Mode \02" + sEnabled + "\02. It was enabled by \02" + sEnabledBy + "\02." + )); + if (bEnable) { + CZNC::Get().Broadcast( + CString("Messages, credentials, and other sensitive data may" + " become exposed to the host during this period.") + ); + m_sEnabledBy = sEnabledBy; + } else { + m_sEnabledBy = nullptr; + } + + return true; + } + + void CommandStatus(const CString& sCommand) { + if (CDebug::Debug()) { + PutModule(t_s("Debugging mode is \02on\02.")); + } else { + PutModule(t_s("Debugging mode is \02off\02.")); + } + PutModule(t_s("Logging to: \02stdout\02.")); + } +}; + +template <> +void TModInfo(CModInfo& Info) { + Info.SetWikiPage("admindebug"); +} + +GLOBALMODULEDEFS(CAdminDebugMod, t_s("Enable Debug mode dynamically.")) From 6d1e77bb524c90b8ed6286ada83339dd5160a2a3 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Mon, 18 Jun 2018 00:41:18 +0100 Subject: [PATCH 161/798] Revert "transperancy: Make the user aware that DEBUG mode is enabled." This reverts commit ab501767a18eece2b3c553868d0c7cfbe496d658. Superceded by admindebug module --- src/Client.cpp | 7 ------- src/IRCNetwork.cpp | 7 ------- 2 files changed, 14 deletions(-) diff --git a/src/Client.cpp b/src/Client.cpp index 82164986..cec976c5 100644 --- a/src/Client.cpp +++ b/src/Client.cpp @@ -20,7 +20,6 @@ #include #include #include -#include using std::set; using std::map; @@ -89,12 +88,6 @@ CClient::~CClient() { void CClient::SendRequiredPasswordNotice() { PutClient(":irc.znc.in 464 " + GetNick() + " :Password required"); - if (CDebug::Debug()) { - PutClient( - ":irc.znc.in NOTICE " + GetNick() + " :*** " - "ZNC is presently running in DEBUG mode. Sensitive data during " - "your current session may be exposed to the host."); - } PutClient( ":irc.znc.in NOTICE " + GetNick() + " :*** " "You need to send your password. " diff --git a/src/IRCNetwork.cpp b/src/IRCNetwork.cpp index 217096f2..0284dc53 100644 --- a/src/IRCNetwork.cpp +++ b/src/IRCNetwork.cpp @@ -23,7 +23,6 @@ #include #include #include -#include #include #include @@ -728,12 +727,6 @@ void CIRCNetwork::ClientConnected(CClient* pClient) { pClient->PutStatus( t_s("You are currently disconnected from IRC. Use 'connect' to " "reconnect.")); - - if (CDebug::Debug()) { - pClient->PutStatus( - t_s("ZNC is presently running in DEBUG mode. Sensitive data during " - "your current session may be exposed to the host.")); - } } void CIRCNetwork::ClientDisconnected(CClient* pClient) { From e85157a56c28ec1158c457beaf170f8bae7b5357 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Tue, 19 Jun 2018 20:36:42 +0100 Subject: [PATCH 162/798] crowdin: push directly to github Leave ability to open PRs, as a way to test changes if needed. --- .ci/Jenkinsfile.crowdin | 6 ++++++ 1 file changed, 6 insertions(+) diff --git a/.ci/Jenkinsfile.crowdin b/.ci/Jenkinsfile.crowdin index cf9ab2fb..b0412438 100644 --- a/.ci/Jenkinsfile.crowdin +++ b/.ci/Jenkinsfile.crowdin @@ -13,6 +13,8 @@ def my_user = 'znc-jenkins' def my_repo = 'znc' def branches = ['master', '1.7.x'] +def pr_mode = false + timestamps { node { timeout(time: 30, unit: 'MINUTES') { @@ -71,6 +73,10 @@ timestamps { sh 'echo ssh -i $GITHUB_KEY -l git -o StrictHostKeyChecking=no \\"\\$@\\" > run_ssh.sh' sh 'chmod +x run_ssh.sh' withEnv(['GIT_SSH=run_ssh.sh']) { + if (!pr_mode) { + sh "git push upstream HEAD:refs/heads/${upstream_branch}" + return + } sh "git push my HEAD:refs/heads/${my_branch} -f" } } From 5e6b50bce48886570bbff40b6f2584c5d0d9ff43 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Tue, 19 Jun 2018 20:54:04 +0100 Subject: [PATCH 163/798] crowdin: fix "git commit" command after #1570 --- .ci/Jenkinsfile.crowdin | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/.ci/Jenkinsfile.crowdin b/.ci/Jenkinsfile.crowdin index b0412438..4c89a5f6 100644 --- a/.ci/Jenkinsfile.crowdin +++ b/.ci/Jenkinsfile.crowdin @@ -62,7 +62,7 @@ timestamps { ) sh 'git add .' try { - sh "git commit -m Update translations from Crowdin for ${modified_locales}" + sh "git commit -m 'Update translations from Crowdin for ${modified_locales}'" } catch(e) { echo 'No changes found' return From 05f00630c7c1c0bc832800199ff6f2a65b6b8444 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Tue, 19 Jun 2018 21:49:12 +0100 Subject: [PATCH 164/798] crowdin: Use separate keys for pushing to znc and znc-jenkins --- .ci/Jenkinsfile.crowdin | 14 ++++++++++---- 1 file changed, 10 insertions(+), 4 deletions(-) diff --git a/.ci/Jenkinsfile.crowdin b/.ci/Jenkinsfile.crowdin index 4c89a5f6..2cd50058 100644 --- a/.ci/Jenkinsfile.crowdin +++ b/.ci/Jenkinsfile.crowdin @@ -69,14 +69,20 @@ timestamps { } sh "git remote add my github.com:${my_user}/${my_repo}.git" // TODO simplify when https://issues.jenkins-ci.org/browse/JENKINS-28335 is fixed + if (!pr_mode) { + withCredentials([sshUserPrivateKey(credentialsId: 'baf2df74-935d-40e5-b20f-076e92fa3e9f', keyFileVariable: 'GITHUB_KEY')]) { + sh 'echo ssh -i $GITHUB_KEY -l git -o StrictHostKeyChecking=no \\"\\$@\\" > run_ssh.sh' + sh 'chmod +x run_ssh.sh' + withEnv(['GIT_SSH=run_ssh.sh']) { + sh "git push upstream HEAD:refs/heads/${upstream_branch}" + } + } + return + } withCredentials([sshUserPrivateKey(credentialsId: '6ef10f80-20dc-4661-af45-52a6e1e15749', keyFileVariable: 'GITHUB_KEY')]) { sh 'echo ssh -i $GITHUB_KEY -l git -o StrictHostKeyChecking=no \\"\\$@\\" > run_ssh.sh' sh 'chmod +x run_ssh.sh' withEnv(['GIT_SSH=run_ssh.sh']) { - if (!pr_mode) { - sh "git push upstream HEAD:refs/heads/${upstream_branch}" - return - } sh "git push my HEAD:refs/heads/${my_branch} -f" } } From b483ba8a8d6378ee930fc7e26e6d917e234a3f56 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Tue, 19 Jun 2018 21:04:31 +0000 Subject: [PATCH 165/798] Update translations from Crowdin for de_DE es_ES id_ID nl_NL pt_BR ru_RU --- modules/po/admindebug.de_DE.po | 53 ++++++++++++++++++++ modules/po/admindebug.es_ES.po | 53 ++++++++++++++++++++ modules/po/admindebug.id_ID.po | 53 ++++++++++++++++++++ modules/po/admindebug.nl_NL.po | 53 ++++++++++++++++++++ modules/po/admindebug.pot | 44 +++++++++++++++++ modules/po/admindebug.pt_BR.po | 53 ++++++++++++++++++++ modules/po/admindebug.ru_RU.po | 55 +++++++++++++++++++++ modules/po/adminlog.pt_BR.po | 4 +- modules/po/bouncedcc.es_ES.po | 15 +++--- modules/po/clientnotify.nl_NL.po | 2 +- modules/po/dcc.es_ES.po | 2 +- modules/po/identfile.es_ES.po | 34 +++++++------ modules/po/imapauth.es_ES.po | 4 +- modules/po/keepnick.es_ES.po | 20 ++++---- modules/po/kickrejoin.es_ES.po | 22 ++++----- modules/po/lastseen.es_ES.po | 26 +++++----- modules/po/listsockets.es_ES.po | 46 +++++++++--------- modules/po/log.es_ES.po | 64 ++++++++++++------------ modules/po/missingmotd.es_ES.po | 2 +- modules/po/modperl.es_ES.po | 2 +- modules/po/modpython.es_ES.po | 2 +- modules/po/modules_online.es_ES.po | 2 +- modules/po/nickserv.es_ES.po | 30 ++++++------ modules/po/notes.es_ES.po | 52 ++++++++++---------- modules/po/notify_connect.es_ES.po | 8 +-- modules/po/partyline.es_ES.po | 12 +++-- modules/po/perform.es_ES.po | 46 +++++++++--------- modules/po/perleval.es_ES.po | 8 +-- modules/po/pyeval.es_ES.po | 4 +- modules/po/sample.es_ES.po | 16 +++--- modules/po/samplewebapi.es_ES.po | 2 +- modules/po/sasl.es_ES.po | 78 ++++++++++++++++-------------- modules/po/savebuff.es_ES.po | 24 +++++---- modules/po/send_raw.es_ES.po | 47 +++++++++--------- modules/po/shell.es_ES.po | 8 +-- modules/po/simple_away.es_ES.po | 33 +++++++------ modules/po/stickychan.es_ES.po | 43 ++++++++-------- src/po/znc.de_DE.po | 64 +++++++++++------------- src/po/znc.es_ES.po | 64 +++++++++++------------- src/po/znc.id_ID.po | 64 +++++++++++------------- src/po/znc.nl_NL.po | 64 +++++++++++------------- src/po/znc.pot | 62 +++++++++++------------- src/po/znc.pt_BR.po | 62 +++++++++++------------- src/po/znc.ru_RU.po | 72 ++++++++++++--------------- 44 files changed, 908 insertions(+), 566 deletions(-) create mode 100644 modules/po/admindebug.de_DE.po create mode 100644 modules/po/admindebug.es_ES.po create mode 100644 modules/po/admindebug.id_ID.po create mode 100644 modules/po/admindebug.nl_NL.po create mode 100644 modules/po/admindebug.pot create mode 100644 modules/po/admindebug.pt_BR.po create mode 100644 modules/po/admindebug.ru_RU.po diff --git a/modules/po/admindebug.de_DE.po b/modules/po/admindebug.de_DE.po new file mode 100644 index 00000000..17af3acd --- /dev/null +++ b/modules/po/admindebug.de_DE.po @@ -0,0 +1,53 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: de\n" +"X-Crowdin-File: /master/modules/po/admindebug.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: German\n" +"Language: de_DE\n" + +#: admindebug.cpp:30 +msgid "Enable Debug Mode" +msgstr "" + +#: admindebug.cpp:32 +msgid "Disable Debug Mode" +msgstr "" + +#: admindebug.cpp:34 +msgid "Show the Debug Mode status" +msgstr "" + +#: admindebug.cpp:40 admindebug.cpp:49 +msgid "Access denied!" +msgstr "" + +#: admindebug.cpp:61 +msgid "Already enabled." +msgstr "" + +#: admindebug.cpp:63 +msgid "Already disabled." +msgstr "" + +#: admindebug.cpp:88 +msgid "Debugging mode is on." +msgstr "" + +#: admindebug.cpp:90 +msgid "Debugging mode is off." +msgstr "" + +#: admindebug.cpp:92 +msgid "Logging to: stdout." +msgstr "" + +#: admindebug.cpp:101 +msgid "Enable Debug mode dynamically." +msgstr "" diff --git a/modules/po/admindebug.es_ES.po b/modules/po/admindebug.es_ES.po new file mode 100644 index 00000000..57619c29 --- /dev/null +++ b/modules/po/admindebug.es_ES.po @@ -0,0 +1,53 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: es-ES\n" +"X-Crowdin-File: /master/modules/po/admindebug.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Spanish\n" +"Language: es_ES\n" + +#: admindebug.cpp:30 +msgid "Enable Debug Mode" +msgstr "" + +#: admindebug.cpp:32 +msgid "Disable Debug Mode" +msgstr "" + +#: admindebug.cpp:34 +msgid "Show the Debug Mode status" +msgstr "" + +#: admindebug.cpp:40 admindebug.cpp:49 +msgid "Access denied!" +msgstr "" + +#: admindebug.cpp:61 +msgid "Already enabled." +msgstr "" + +#: admindebug.cpp:63 +msgid "Already disabled." +msgstr "" + +#: admindebug.cpp:88 +msgid "Debugging mode is on." +msgstr "" + +#: admindebug.cpp:90 +msgid "Debugging mode is off." +msgstr "" + +#: admindebug.cpp:92 +msgid "Logging to: stdout." +msgstr "" + +#: admindebug.cpp:101 +msgid "Enable Debug mode dynamically." +msgstr "" diff --git a/modules/po/admindebug.id_ID.po b/modules/po/admindebug.id_ID.po new file mode 100644 index 00000000..4e52645c --- /dev/null +++ b/modules/po/admindebug.id_ID.po @@ -0,0 +1,53 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=1; plural=0;\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: id\n" +"X-Crowdin-File: /master/modules/po/admindebug.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Indonesian\n" +"Language: id_ID\n" + +#: admindebug.cpp:30 +msgid "Enable Debug Mode" +msgstr "" + +#: admindebug.cpp:32 +msgid "Disable Debug Mode" +msgstr "" + +#: admindebug.cpp:34 +msgid "Show the Debug Mode status" +msgstr "" + +#: admindebug.cpp:40 admindebug.cpp:49 +msgid "Access denied!" +msgstr "" + +#: admindebug.cpp:61 +msgid "Already enabled." +msgstr "" + +#: admindebug.cpp:63 +msgid "Already disabled." +msgstr "" + +#: admindebug.cpp:88 +msgid "Debugging mode is on." +msgstr "" + +#: admindebug.cpp:90 +msgid "Debugging mode is off." +msgstr "" + +#: admindebug.cpp:92 +msgid "Logging to: stdout." +msgstr "" + +#: admindebug.cpp:101 +msgid "Enable Debug mode dynamically." +msgstr "" diff --git a/modules/po/admindebug.nl_NL.po b/modules/po/admindebug.nl_NL.po new file mode 100644 index 00000000..25116778 --- /dev/null +++ b/modules/po/admindebug.nl_NL.po @@ -0,0 +1,53 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: nl\n" +"X-Crowdin-File: /master/modules/po/admindebug.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Dutch\n" +"Language: nl_NL\n" + +#: admindebug.cpp:30 +msgid "Enable Debug Mode" +msgstr "Debug-modus inschakelen" + +#: admindebug.cpp:32 +msgid "Disable Debug Mode" +msgstr "Debug-modus uitschakelen" + +#: admindebug.cpp:34 +msgid "Show the Debug Mode status" +msgstr "Laat de status van de debug-modus zien" + +#: admindebug.cpp:40 admindebug.cpp:49 +msgid "Access denied!" +msgstr "Toegang geweigerd!" + +#: admindebug.cpp:61 +msgid "Already enabled." +msgstr "Al ingeschakeld." + +#: admindebug.cpp:63 +msgid "Already disabled." +msgstr "Al uitgeschakeld." + +#: admindebug.cpp:88 +msgid "Debugging mode is on." +msgstr "Debugging modus is aan." + +#: admindebug.cpp:90 +msgid "Debugging mode is off." +msgstr "Debugging modus is uit." + +#: admindebug.cpp:92 +msgid "Logging to: stdout." +msgstr "Logboek bijhouden naar: stdout." + +#: admindebug.cpp:101 +msgid "Enable Debug mode dynamically." +msgstr "Debug-modus dynamisch inschakelen." diff --git a/modules/po/admindebug.pot b/modules/po/admindebug.pot new file mode 100644 index 00000000..f0bbfefd --- /dev/null +++ b/modules/po/admindebug.pot @@ -0,0 +1,44 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + +#: admindebug.cpp:30 +msgid "Enable Debug Mode" +msgstr "" + +#: admindebug.cpp:32 +msgid "Disable Debug Mode" +msgstr "" + +#: admindebug.cpp:34 +msgid "Show the Debug Mode status" +msgstr "" + +#: admindebug.cpp:40 admindebug.cpp:49 +msgid "Access denied!" +msgstr "" + +#: admindebug.cpp:61 +msgid "Already enabled." +msgstr "" + +#: admindebug.cpp:63 +msgid "Already disabled." +msgstr "" + +#: admindebug.cpp:88 +msgid "Debugging mode is on." +msgstr "" + +#: admindebug.cpp:90 +msgid "Debugging mode is off." +msgstr "" + +#: admindebug.cpp:92 +msgid "Logging to: stdout." +msgstr "" + +#: admindebug.cpp:101 +msgid "Enable Debug mode dynamically." +msgstr "" diff --git a/modules/po/admindebug.pt_BR.po b/modules/po/admindebug.pt_BR.po new file mode 100644 index 00000000..ece8a8f0 --- /dev/null +++ b/modules/po/admindebug.pt_BR.po @@ -0,0 +1,53 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: pt-BR\n" +"X-Crowdin-File: /master/modules/po/admindebug.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Portuguese, Brazilian\n" +"Language: pt_BR\n" + +#: admindebug.cpp:30 +msgid "Enable Debug Mode" +msgstr "" + +#: admindebug.cpp:32 +msgid "Disable Debug Mode" +msgstr "" + +#: admindebug.cpp:34 +msgid "Show the Debug Mode status" +msgstr "" + +#: admindebug.cpp:40 admindebug.cpp:49 +msgid "Access denied!" +msgstr "" + +#: admindebug.cpp:61 +msgid "Already enabled." +msgstr "" + +#: admindebug.cpp:63 +msgid "Already disabled." +msgstr "" + +#: admindebug.cpp:88 +msgid "Debugging mode is on." +msgstr "" + +#: admindebug.cpp:90 +msgid "Debugging mode is off." +msgstr "" + +#: admindebug.cpp:92 +msgid "Logging to: stdout." +msgstr "" + +#: admindebug.cpp:101 +msgid "Enable Debug mode dynamically." +msgstr "" diff --git a/modules/po/admindebug.ru_RU.po b/modules/po/admindebug.ru_RU.po new file mode 100644 index 00000000..7397efe5 --- /dev/null +++ b/modules/po/admindebug.ru_RU.po @@ -0,0 +1,55 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=((n%10==1 && n%100!=11) ? 0 : ((n%10 >= 2 " +"&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " +"&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: ru\n" +"X-Crowdin-File: /master/modules/po/admindebug.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Russian\n" +"Language: ru_RU\n" + +#: admindebug.cpp:30 +msgid "Enable Debug Mode" +msgstr "" + +#: admindebug.cpp:32 +msgid "Disable Debug Mode" +msgstr "" + +#: admindebug.cpp:34 +msgid "Show the Debug Mode status" +msgstr "" + +#: admindebug.cpp:40 admindebug.cpp:49 +msgid "Access denied!" +msgstr "" + +#: admindebug.cpp:61 +msgid "Already enabled." +msgstr "" + +#: admindebug.cpp:63 +msgid "Already disabled." +msgstr "" + +#: admindebug.cpp:88 +msgid "Debugging mode is on." +msgstr "" + +#: admindebug.cpp:90 +msgid "Debugging mode is off." +msgstr "" + +#: admindebug.cpp:92 +msgid "Logging to: stdout." +msgstr "" + +#: admindebug.cpp:101 +msgid "Enable Debug mode dynamically." +msgstr "" diff --git a/modules/po/adminlog.pt_BR.po b/modules/po/adminlog.pt_BR.po index 491d4daa..159c4f82 100644 --- a/modules/po/adminlog.pt_BR.po +++ b/modules/po/adminlog.pt_BR.po @@ -26,7 +26,7 @@ msgstr "" #: adminlog.cpp:142 msgid "Access denied" -msgstr "" +msgstr "Acesso negado" #: adminlog.cpp:156 msgid "Now logging to file" @@ -46,7 +46,7 @@ msgstr "" #: adminlog.cpp:170 msgid "Unknown target" -msgstr "" +msgstr "Alvo desconhecido" #: adminlog.cpp:192 msgid "Logging is enabled for file" diff --git a/modules/po/bouncedcc.es_ES.po b/modules/po/bouncedcc.es_ES.po index 4a37f73c..996d9638 100644 --- a/modules/po/bouncedcc.es_ES.po +++ b/modules/po/bouncedcc.es_ES.po @@ -92,37 +92,40 @@ msgstr "Xfer" #: bouncedcc.cpp:385 msgid "DCC {1} Bounce ({2}): Too long line received" -msgstr "" +msgstr "DCC {1} Bounce ({2}): línea demasiado larga recibida" #: bouncedcc.cpp:418 msgid "DCC {1} Bounce ({2}): Timeout while connecting to {3} {4}" -msgstr "" +msgstr "DCC {1} Bounce ({2}): tiempo de espera agotado al conectar a {3} {4}" #: bouncedcc.cpp:422 msgid "DCC {1} Bounce ({2}): Timeout while connecting." -msgstr "" +msgstr "DCC {1} Bounce ({2}): tiempo de espera agotado conectando." #: bouncedcc.cpp:427 msgid "" "DCC {1} Bounce ({2}): Timeout while waiting for incoming connection on {3} " "{4}" msgstr "" +"DCC {1} Bounce ({2}): tiempo de espera agotado esperando una conexión en {3} " +"{4}" #: bouncedcc.cpp:440 msgid "DCC {1} Bounce ({2}): Connection refused while connecting to {3} {4}" msgstr "" +"DCC {1} Bounce ({2}): conexión rechazada mientras se conectaba a {3} {4}" #: bouncedcc.cpp:444 msgid "DCC {1} Bounce ({2}): Connection refused while connecting." -msgstr "" +msgstr "DCC {1} Bounce ({2}): conexión rechazada mientras se conectaba." #: bouncedcc.cpp:457 bouncedcc.cpp:465 msgid "DCC {1} Bounce ({2}): Socket error on {3} {4}: {5}" -msgstr "" +msgstr "DCC {1} Bounce ({2}): error de socket en {3} {4}: {5}" #: bouncedcc.cpp:460 msgid "DCC {1} Bounce ({2}): Socket error: {3}" -msgstr "" +msgstr "DCC {1} Bounce ({2}): error de socket: {3}" #: bouncedcc.cpp:547 msgid "" diff --git a/modules/po/clientnotify.nl_NL.po b/modules/po/clientnotify.nl_NL.po index 485a21ee..6a647bf7 100644 --- a/modules/po/clientnotify.nl_NL.po +++ b/modules/po/clientnotify.nl_NL.po @@ -41,7 +41,7 @@ msgid "" msgid_plural "" "Another client authenticated as your user. Use the 'ListClients' command to " "see all {1} clients." -msgstr[0] "" +msgstr[0] "" msgstr[1] "" "Een andere client heeft zich als jouw gebruiker geïdentificeerd. Gebruik het " "'ListClients' commando om alle {1} clients te zien." diff --git a/modules/po/dcc.es_ES.po b/modules/po/dcc.es_ES.po index 3875e283..62de2234 100644 --- a/modules/po/dcc.es_ES.po +++ b/modules/po/dcc.es_ES.po @@ -228,4 +228,4 @@ msgstr "Enviando [{1}] a [{2}]: archivo demasiado grande (>4 GiB)." #: dcc.cpp:623 msgid "This module allows you to transfer files to and from ZNC" -msgstr "" +msgstr "Este módulo permite transferir archivos a y desde ZNC" diff --git a/modules/po/identfile.es_ES.po b/modules/po/identfile.es_ES.po index f7b9d450..70be6866 100644 --- a/modules/po/identfile.es_ES.po +++ b/modules/po/identfile.es_ES.po @@ -14,70 +14,72 @@ msgstr "" #: identfile.cpp:30 msgid "Show file name" -msgstr "" +msgstr "Mostrar nombre de archivo" #: identfile.cpp:32 msgid "" -msgstr "" +msgstr "" #: identfile.cpp:32 msgid "Set file name" -msgstr "" +msgstr "Definir nombre de archivo" #: identfile.cpp:34 msgid "Show file format" -msgstr "" +msgstr "Mostrar formato de archivo" #: identfile.cpp:36 msgid "" -msgstr "" +msgstr "" #: identfile.cpp:36 msgid "Set file format" -msgstr "" +msgstr "Definir formato de archivo" #: identfile.cpp:38 msgid "Show current state" -msgstr "" +msgstr "Mostrar estado actual" #: identfile.cpp:48 msgid "File is set to: {1}" -msgstr "" +msgstr "Archivo definido a: {1}" #: identfile.cpp:53 msgid "File has been set to: {1}" -msgstr "" +msgstr "El archivo se ha establecido a: {1}" #: identfile.cpp:58 msgid "Format has been set to: {1}" -msgstr "" +msgstr "El formato se ha establecido a: {1}" #: identfile.cpp:59 identfile.cpp:65 msgid "Format would be expanded to: {1}" -msgstr "" +msgstr "El formato será expandido a: {1}" #: identfile.cpp:64 msgid "Format is set to: {1}" -msgstr "" +msgstr "Formato establecido a: {1}" #: identfile.cpp:78 msgid "identfile is free" -msgstr "" +msgstr "identfile vacío" #: identfile.cpp:86 msgid "Access denied" -msgstr "" +msgstr "Acceso denegado" #: identfile.cpp:181 msgid "" "Aborting connection, another user or network is currently connecting and " "using the ident spoof file" msgstr "" +"Conexión cancelada, otro usuario o red ya se está conectando usando el " +"archivo de ident" #: identfile.cpp:189 msgid "[{1}] could not be written, retrying..." -msgstr "" +msgstr "[{1}] no se ha podido escribir, reintentando..." #: identfile.cpp:223 msgid "Write the ident of a user to a file when they are trying to connect." -msgstr "" +msgstr "Escribe el ident de un usuario a un archivo cuando intentan conectar." diff --git a/modules/po/imapauth.es_ES.po b/modules/po/imapauth.es_ES.po index 08b0a22c..d820b3a3 100644 --- a/modules/po/imapauth.es_ES.po +++ b/modules/po/imapauth.es_ES.po @@ -14,8 +14,8 @@ msgstr "" #: imapauth.cpp:168 msgid "[ server [+]port [ UserFormatString ] ]" -msgstr "" +msgstr "[ servidor [+]puerto [ FormatoCadenaUsuario ] ]" #: imapauth.cpp:171 msgid "Allow users to authenticate via IMAP." -msgstr "" +msgstr "Permite autenticar usuarios mediante IMAP." diff --git a/modules/po/keepnick.es_ES.po b/modules/po/keepnick.es_ES.po index abb1644b..8ce73dbf 100644 --- a/modules/po/keepnick.es_ES.po +++ b/modules/po/keepnick.es_ES.po @@ -14,40 +14,40 @@ msgstr "" #: keepnick.cpp:39 msgid "Try to get your primary nick" -msgstr "" +msgstr "Intenta conseguir tu nick primario" #: keepnick.cpp:42 keepnick.cpp:196 msgid "No longer trying to get your primary nick" -msgstr "" +msgstr "Dejando de intentar conseguir tu nick primario" #: keepnick.cpp:44 msgid "Show the current state" -msgstr "" +msgstr "Mostrar estado actual" #: keepnick.cpp:158 msgid "ZNC is already trying to get this nickname" -msgstr "" +msgstr "ZNC ya está intentando conseguir este nick" #: keepnick.cpp:173 msgid "Unable to obtain nick {1}: {2}, {3}" -msgstr "" +msgstr "No se ha podido obtener el nick {1}: {2}, {3}" #: keepnick.cpp:181 msgid "Unable to obtain nick {1}" -msgstr "" +msgstr "No se ha podido obtener el nick {1}" #: keepnick.cpp:191 msgid "Trying to get your primary nick" -msgstr "" +msgstr "Intentando obtener tu nick primario" #: keepnick.cpp:201 msgid "Currently trying to get your primary nick" -msgstr "" +msgstr "Intentando obtener tu nick primario" #: keepnick.cpp:203 msgid "Currently disabled, try 'enable'" -msgstr "" +msgstr "Actualmente deshabilitado, escribe 'enable'" #: keepnick.cpp:224 msgid "Keeps trying for your primary nick" -msgstr "" +msgstr "Intenta conseguir tu nick primario" diff --git a/modules/po/kickrejoin.es_ES.po b/modules/po/kickrejoin.es_ES.po index 3f8a81f6..a21cfed9 100644 --- a/modules/po/kickrejoin.es_ES.po +++ b/modules/po/kickrejoin.es_ES.po @@ -14,48 +14,48 @@ msgstr "" #: kickrejoin.cpp:56 msgid "" -msgstr "" +msgstr "" #: kickrejoin.cpp:56 msgid "Set the rejoin delay" -msgstr "" +msgstr "Establece el tiempo de espera de rejoin" #: kickrejoin.cpp:58 msgid "Show the rejoin delay" -msgstr "" +msgstr "Muestra el tiempo de espera de rejoin" #: kickrejoin.cpp:77 msgid "Illegal argument, must be a positive number or 0" -msgstr "" +msgstr "Argumento no válido, debe ser un número positivo o cero" #: kickrejoin.cpp:90 msgid "Negative delays don't make any sense!" -msgstr "" +msgstr "Tiempos de espera en negativo no tienen sentido!" #: kickrejoin.cpp:98 msgid "Rejoin delay set to 1 second" msgid_plural "Rejoin delay set to {1} seconds" msgstr[0] "" -msgstr[1] "" +msgstr[1] "Tiempo de espera de rejoin establecido a {1} segundos" #: kickrejoin.cpp:101 msgid "Rejoin delay disabled" -msgstr "" +msgstr "Tiempo de espera de rejoin desactivado" #: kickrejoin.cpp:106 msgid "Rejoin delay is set to 1 second" msgid_plural "Rejoin delay is set to {1} seconds" msgstr[0] "" -msgstr[1] "" +msgstr[1] "Tiempo de espera de rejoin establecido a {1} segundos" #: kickrejoin.cpp:109 msgid "Rejoin delay is disabled" -msgstr "" +msgstr "Tiempo de espera de rejoin desactivado" #: kickrejoin.cpp:131 msgid "You might enter the number of seconds to wait before rejoining." -msgstr "" +msgstr "Introduce el número de segundos a esperar antes de reentrar." #: kickrejoin.cpp:134 msgid "Autorejoins on kick" -msgstr "" +msgstr "Reentra a un canal tras un kick" diff --git a/modules/po/lastseen.es_ES.po b/modules/po/lastseen.es_ES.po index 36d8938a..332ac38d 100644 --- a/modules/po/lastseen.es_ES.po +++ b/modules/po/lastseen.es_ES.po @@ -14,54 +14,54 @@ msgstr "" #: modules/po/../data/lastseen/tmpl/index.tmpl:8 msgid "User" -msgstr "" +msgstr "Usuario" #: modules/po/../data/lastseen/tmpl/index.tmpl:9 lastseen.cpp:98 msgid "Last Seen" -msgstr "" +msgstr "Última conexión" #: modules/po/../data/lastseen/tmpl/index.tmpl:10 msgid "Info" -msgstr "" +msgstr "Info" #: modules/po/../data/lastseen/tmpl/index.tmpl:11 msgid "Action" -msgstr "" +msgstr "Acción" #: modules/po/../data/lastseen/tmpl/index.tmpl:21 msgid "Edit" -msgstr "" +msgstr "Editar" #: modules/po/../data/lastseen/tmpl/index.tmpl:22 msgid "Delete" -msgstr "" +msgstr "Borrar" #: modules/po/../data/lastseen/tmpl/lastseen_WebadminUser.tmpl:6 msgid "Last login time:" -msgstr "" +msgstr "Última conexión:" #: lastseen.cpp:53 msgid "Access denied" -msgstr "" +msgstr "Acceso denegado" #: lastseen.cpp:61 lastseen.cpp:66 msgctxt "show" msgid "User" -msgstr "" +msgstr "Usuario" #: lastseen.cpp:62 lastseen.cpp:67 msgctxt "show" msgid "Last Seen" -msgstr "" +msgstr "Última conexión" #: lastseen.cpp:68 lastseen.cpp:124 msgid "never" -msgstr "" +msgstr "nunca" #: lastseen.cpp:78 msgid "Shows list of users and when they last logged in" -msgstr "" +msgstr "Muestra una lista de usuarios y cuando conectaron por última vez" #: lastseen.cpp:153 msgid "Collects data about when a user last logged in." -msgstr "" +msgstr "Recopila datos sobre la última conexión de un usuario." diff --git a/modules/po/listsockets.es_ES.po b/modules/po/listsockets.es_ES.po index d674bbda..aa58ded4 100644 --- a/modules/po/listsockets.es_ES.po +++ b/modules/po/listsockets.es_ES.po @@ -15,99 +15,99 @@ msgstr "" #: modules/po/../data/listsockets/tmpl/index.tmpl:7 listsockets.cpp:214 #: listsockets.cpp:230 msgid "Name" -msgstr "" +msgstr "Nombre" #: modules/po/../data/listsockets/tmpl/index.tmpl:8 listsockets.cpp:215 #: listsockets.cpp:231 msgid "Created" -msgstr "" +msgstr "Creado" #: modules/po/../data/listsockets/tmpl/index.tmpl:9 listsockets.cpp:216 #: listsockets.cpp:232 msgid "State" -msgstr "" +msgstr "Estado" #: modules/po/../data/listsockets/tmpl/index.tmpl:10 listsockets.cpp:218 #: listsockets.cpp:235 msgid "SSL" -msgstr "" +msgstr "SSL" #: modules/po/../data/listsockets/tmpl/index.tmpl:11 listsockets.cpp:220 #: listsockets.cpp:240 msgid "Local" -msgstr "" +msgstr "Local" #: modules/po/../data/listsockets/tmpl/index.tmpl:12 listsockets.cpp:221 #: listsockets.cpp:242 msgid "Remote" -msgstr "" +msgstr "Remoto" #: modules/po/../data/listsockets/tmpl/index.tmpl:13 msgid "Data In" -msgstr "" +msgstr "Data In" #: modules/po/../data/listsockets/tmpl/index.tmpl:14 msgid "Data Out" -msgstr "" +msgstr "Data Out" #: listsockets.cpp:62 msgid "[-n]" -msgstr "" +msgstr "[-n]" #: listsockets.cpp:62 msgid "Shows the list of active sockets. Pass -n to show IP addresses" -msgstr "" +msgstr "Muestra una lista de sockets activos. Añade -n para mostrar IPs" #: listsockets.cpp:70 msgid "You must be admin to use this module" -msgstr "" +msgstr "Debes ser admin para usar este módulo" #: listsockets.cpp:96 msgid "List sockets" -msgstr "" +msgstr "Mostrar sockets" #: listsockets.cpp:116 listsockets.cpp:236 msgctxt "ssl" msgid "Yes" -msgstr "" +msgstr "Sí" #: listsockets.cpp:116 listsockets.cpp:237 msgctxt "ssl" msgid "No" -msgstr "" +msgstr "No" #: listsockets.cpp:142 msgid "Listener" -msgstr "" +msgstr "En escucha" #: listsockets.cpp:144 msgid "Inbound" -msgstr "" +msgstr "Entrantes" #: listsockets.cpp:147 msgid "Outbound" -msgstr "" +msgstr "Salientes" #: listsockets.cpp:149 msgid "Connecting" -msgstr "" +msgstr "Conectando" #: listsockets.cpp:152 msgid "UNKNOWN" -msgstr "" +msgstr "Desconocido" #: listsockets.cpp:207 msgid "You have no open sockets." -msgstr "" +msgstr "No tienes sockets abiertos." #: listsockets.cpp:222 listsockets.cpp:244 msgid "In" -msgstr "" +msgstr "Entrada" #: listsockets.cpp:223 listsockets.cpp:246 msgid "Out" -msgstr "" +msgstr "Salida" #: listsockets.cpp:262 msgid "Lists active sockets" -msgstr "" +msgstr "Mostrar sockets activos" diff --git a/modules/po/log.es_ES.po b/modules/po/log.es_ES.po index a7a2ab65..a8cbef2b 100644 --- a/modules/po/log.es_ES.po +++ b/modules/po/log.es_ES.po @@ -14,135 +14,137 @@ msgstr "" #: log.cpp:59 msgid "" -msgstr "" +msgstr "" #: log.cpp:60 msgid "Set logging rules, use !#chan or !query to negate and * " -msgstr "" +msgstr "Establece reglas de log, utiliza !#canal o !privado para negar y * " #: log.cpp:62 msgid "Clear all logging rules" -msgstr "" +msgstr "Borrar todas las reglas de logueo" #: log.cpp:64 msgid "List all logging rules" -msgstr "" +msgstr "Mostrar todas las reglas de logueo" #: log.cpp:67 msgid " true|false" -msgstr "" +msgstr " true|false" #: log.cpp:68 msgid "Set one of the following options: joins, quits, nickchanges" -msgstr "" +msgstr "Establece una de las siguientes opciones: joins, quits, nickchanges" #: log.cpp:71 msgid "Show current settings set by Set command" -msgstr "" +msgstr "Muestra ajustes puestos con el comando Set" #: log.cpp:143 msgid "Usage: SetRules " -msgstr "" +msgstr "Uso: SetRules " #: log.cpp:144 msgid "Wildcards are allowed" -msgstr "" +msgstr "Se permiten comodines" #: log.cpp:156 log.cpp:178 msgid "No logging rules. Everything is logged." -msgstr "" +msgstr "No hay reglas de logueo. Se registra todo." #: log.cpp:161 msgid "1 rule removed: {2}" msgid_plural "{1} rules removed: {2}" msgstr[0] "" -msgstr[1] "" +msgstr[1] "Borradas {1} reglas: {2}" #: log.cpp:168 log.cpp:173 msgctxt "listrules" msgid "Rule" -msgstr "" +msgstr "Regla" #: log.cpp:169 log.cpp:174 msgctxt "listrules" msgid "Logging enabled" -msgstr "" +msgstr "Registro habilitado" #: log.cpp:189 msgid "" "Usage: Set true|false, where is one of: joins, quits, nickchanges" -msgstr "" +msgstr "Uso: Set true|false, donde es: joins, quits, nickchanges" #: log.cpp:196 msgid "Will log joins" -msgstr "" +msgstr "Registrar entradas" #: log.cpp:196 msgid "Will not log joins" -msgstr "" +msgstr "No registrar entradas" #: log.cpp:197 msgid "Will log quits" -msgstr "" +msgstr "Registrar desconexiones (quits)" #: log.cpp:197 msgid "Will not log quits" -msgstr "" +msgstr "No registrar desconexiones (quits)" #: log.cpp:199 msgid "Will log nick changes" -msgstr "" +msgstr "Registrar cambios de nick" #: log.cpp:199 msgid "Will not log nick changes" -msgstr "" +msgstr "No registrar cambios de nick" #: log.cpp:203 msgid "Unknown variable. Known variables: joins, quits, nickchanges" -msgstr "" +msgstr "Variable desconocida. Variables conocidas: joins, quits, nickchanges" #: log.cpp:211 msgid "Logging joins" -msgstr "" +msgstr "Registrando entradas" #: log.cpp:211 msgid "Not logging joins" -msgstr "" +msgstr "Sin registrar entradas" #: log.cpp:212 msgid "Logging quits" -msgstr "" +msgstr "Registrando desconexiones (quits)" #: log.cpp:212 msgid "Not logging quits" -msgstr "" +msgstr "Sin registrar desconexiones (quits)" #: log.cpp:213 msgid "Logging nick changes" -msgstr "" +msgstr "Registrando cambios de nick" #: log.cpp:214 msgid "Not logging nick changes" -msgstr "" +msgstr "Sin registrar cambios de nick" #: log.cpp:351 msgid "" "Invalid args [{1}]. Only one log path allowed. Check that there are no " "spaces in the path." msgstr "" +"Argumentos inválidos [{1}]. Solo se permite una ruta de logueo. Comprueba " +"que no tiene espacios." #: log.cpp:401 msgid "Invalid log path [{1}]" -msgstr "" +msgstr "Ruta de log no válida [{1}]" #: log.cpp:404 msgid "Logging to [{1}]. Using timestamp format '{2}'" -msgstr "" +msgstr "Registrando a [{1}]. Usando marca de tiempo '{2}'" #: log.cpp:559 msgid "[-sanitize] Optional path where to store logs." -msgstr "" +msgstr "[-sanitize] ruta opcional donde almacenar registros." #: log.cpp:563 msgid "Writes IRC logs." -msgstr "" +msgstr "Guarda registros de IRC." diff --git a/modules/po/missingmotd.es_ES.po b/modules/po/missingmotd.es_ES.po index f7440b3b..cdb39d0f 100644 --- a/modules/po/missingmotd.es_ES.po +++ b/modules/po/missingmotd.es_ES.po @@ -14,4 +14,4 @@ msgstr "" #: missingmotd.cpp:36 msgid "Sends 422 to clients when they login" -msgstr "" +msgstr "Envía un raw 422 a los clientes cuando conectan" diff --git a/modules/po/modperl.es_ES.po b/modules/po/modperl.es_ES.po index 6b5c6001..c7a6c11f 100644 --- a/modules/po/modperl.es_ES.po +++ b/modules/po/modperl.es_ES.po @@ -14,4 +14,4 @@ msgstr "" #: modperl.cpp:382 msgid "Loads perl scripts as ZNC modules" -msgstr "" +msgstr "Carga scripts perl como módulos de ZNC" diff --git a/modules/po/modpython.es_ES.po b/modules/po/modpython.es_ES.po index 5fe9d751..a06ba527 100644 --- a/modules/po/modpython.es_ES.po +++ b/modules/po/modpython.es_ES.po @@ -14,4 +14,4 @@ msgstr "" #: modpython.cpp:512 msgid "Loads python scripts as ZNC modules" -msgstr "" +msgstr "Carga scripts de python como módulos de ZNC" diff --git a/modules/po/modules_online.es_ES.po b/modules/po/modules_online.es_ES.po index a841027b..a29a45d5 100644 --- a/modules/po/modules_online.es_ES.po +++ b/modules/po/modules_online.es_ES.po @@ -14,4 +14,4 @@ msgstr "" #: modules_online.cpp:117 msgid "Makes ZNC's *modules to be \"online\"." -msgstr "" +msgstr "Hace que los *módulos de ZNC aparezcan 'conectados'." diff --git a/modules/po/nickserv.es_ES.po b/modules/po/nickserv.es_ES.po index 4f14b7f8..4000157d 100644 --- a/modules/po/nickserv.es_ES.po +++ b/modules/po/nickserv.es_ES.po @@ -14,62 +14,64 @@ msgstr "" #: nickserv.cpp:31 msgid "Password set" -msgstr "" +msgstr "Contraseña establecida" #: nickserv.cpp:38 msgid "NickServ name set" -msgstr "" +msgstr "Nombre de NickServ establecido" #: nickserv.cpp:54 msgid "No such editable command. See ViewCommands for list." -msgstr "" +msgstr "Comando no encontrado. Utiliza ViewCommands para ver una lista." #: nickserv.cpp:57 msgid "Ok" -msgstr "" +msgstr "OK" #: nickserv.cpp:62 msgid "password" -msgstr "" +msgstr "Contraseña" #: nickserv.cpp:62 msgid "Set your nickserv password" -msgstr "" +msgstr "Establece tu contraseña de NickServ" #: nickserv.cpp:64 msgid "Clear your nickserv password" -msgstr "" +msgstr "Borra tu contraseña de NickServ" #: nickserv.cpp:66 msgid "nickname" -msgstr "" +msgstr "Nick" #: nickserv.cpp:67 msgid "" "Set NickServ name (Useful on networks like EpiKnet, where NickServ is named " "Themis" msgstr "" +"Establece el nombre de NickServ (util en redes donde NickServ se llama de " +"otra manera)" #: nickserv.cpp:71 msgid "Reset NickServ name to default (NickServ)" -msgstr "" +msgstr "Restablece el nombre de NickServ al predeterminado" #: nickserv.cpp:75 msgid "Show patterns for lines, which are being sent to NickServ" -msgstr "" +msgstr "Mostrar patrones de líneas que son enviados a NickServ" #: nickserv.cpp:77 msgid "cmd new-pattern" -msgstr "" +msgstr "cmd nuevo-patrón" #: nickserv.cpp:78 msgid "Set pattern for commands" -msgstr "" +msgstr "Establece patrones para comandos" #: nickserv.cpp:140 msgid "Please enter your nickserv password." -msgstr "" +msgstr "Por favor, introduce tu contraseña de NickServ." #: nickserv.cpp:144 msgid "Auths you with NickServ (prefer SASL module instead)" -msgstr "" +msgstr "Te autentica con NickServ (es preferible usar el módulo de SASL)" diff --git a/modules/po/notes.es_ES.po b/modules/po/notes.es_ES.po index 65a43219..3b12875d 100644 --- a/modules/po/notes.es_ES.po +++ b/modules/po/notes.es_ES.po @@ -14,106 +14,108 @@ msgstr "" #: modules/po/../data/notes/tmpl/index.tmpl:7 msgid "Add A Note" -msgstr "" +msgstr "Añadir nota" #: modules/po/../data/notes/tmpl/index.tmpl:11 msgid "Key:" -msgstr "" +msgstr "Clave:" #: modules/po/../data/notes/tmpl/index.tmpl:15 msgid "Note:" -msgstr "" +msgstr "Nota:" #: modules/po/../data/notes/tmpl/index.tmpl:19 msgid "Add Note" -msgstr "" +msgstr "Añadir nota" #: modules/po/../data/notes/tmpl/index.tmpl:27 msgid "You have no notes to display." -msgstr "" +msgstr "No tienes notas para mostrar." #: modules/po/../data/notes/tmpl/index.tmpl:34 notes.cpp:164 notes.cpp:169 msgid "Key" -msgstr "" +msgstr "Clave" #: modules/po/../data/notes/tmpl/index.tmpl:35 notes.cpp:165 notes.cpp:170 msgid "Note" -msgstr "" +msgstr "Nota" #: modules/po/../data/notes/tmpl/index.tmpl:41 msgid "[del]" -msgstr "" +msgstr "[del]" #: notes.cpp:32 msgid "That note already exists. Use MOD to overwrite." -msgstr "" +msgstr "Esta nota ya existe. Utiliza MOD para sobreescribirla." #: notes.cpp:35 notes.cpp:137 msgid "Added note {1}" -msgstr "" +msgstr "Añadida nota {1}" #: notes.cpp:37 notes.cpp:48 notes.cpp:142 msgid "Unable to add note {1}" -msgstr "" +msgstr "No se ha podido añadir la nota {1}" #: notes.cpp:46 notes.cpp:139 msgid "Set note for {1}" -msgstr "" +msgstr "Establecida nota {1}" #: notes.cpp:56 msgid "This note doesn't exist." -msgstr "" +msgstr "Esta nota no existe." #: notes.cpp:66 notes.cpp:116 msgid "Deleted note {1}" -msgstr "" +msgstr "Borrada nota {1}" #: notes.cpp:68 notes.cpp:118 msgid "Unable to delete note {1}" -msgstr "" +msgstr "No se ha podido eliminar la nota {1}" #: notes.cpp:75 msgid "List notes" -msgstr "" +msgstr "Mostrar notas" #: notes.cpp:77 notes.cpp:81 msgid " " -msgstr "" +msgstr " " #: notes.cpp:77 msgid "Add a note" -msgstr "" +msgstr "Añadir nota" #: notes.cpp:79 notes.cpp:83 msgid "" -msgstr "" +msgstr "" #: notes.cpp:79 msgid "Delete a note" -msgstr "" +msgstr "Eliminar nota" #: notes.cpp:81 msgid "Modify a note" -msgstr "" +msgstr "Modificar nota" #: notes.cpp:94 msgid "Notes" -msgstr "" +msgstr "Notas" #: notes.cpp:133 msgid "That note already exists. Use /#+ to overwrite." -msgstr "" +msgstr "Esta nota ya existe. Utiliza /#+ para sobreescribirla." #: notes.cpp:185 notes.cpp:187 msgid "You have no entries." -msgstr "" +msgstr "No tienes entradas." #: notes.cpp:223 msgid "" "This user module takes up to one arguments. It can be -disableNotesOnLogin " "not to show notes upon client login" msgstr "" +"Este módulo de usuario puede tener un argumento. Puede ser -" +"disableNotesOnLogin para no mostrar las notas hasta que el cliente conecta" #: notes.cpp:227 msgid "Keep and replay notes" -msgstr "" +msgstr "Guardar y reproducir notas" diff --git a/modules/po/notify_connect.es_ES.po b/modules/po/notify_connect.es_ES.po index fae8e8e3..17d63663 100644 --- a/modules/po/notify_connect.es_ES.po +++ b/modules/po/notify_connect.es_ES.po @@ -14,16 +14,16 @@ msgstr "" #: notify_connect.cpp:24 msgid "attached" -msgstr "" +msgstr "adjuntado" #: notify_connect.cpp:26 msgid "detached" -msgstr "" +msgstr "separado" #: notify_connect.cpp:41 msgid "{1} {2} from {3}" -msgstr "" +msgstr "{1} {2} desde {3}" #: notify_connect.cpp:52 msgid "Notifies all admin users when a client connects or disconnects." -msgstr "" +msgstr "Notifica todos los admins cuando un usuario conecta o desconecta." diff --git a/modules/po/partyline.es_ES.po b/modules/po/partyline.es_ES.po index 22e2ffcc..e008a9ca 100644 --- a/modules/po/partyline.es_ES.po +++ b/modules/po/partyline.es_ES.po @@ -14,26 +14,28 @@ msgstr "" #: partyline.cpp:60 msgid "There are no open channels." -msgstr "" +msgstr "No hay canales abiertos." #: partyline.cpp:66 partyline.cpp:73 msgid "Channel" -msgstr "" +msgstr "Canal" #: partyline.cpp:67 partyline.cpp:74 msgid "Users" -msgstr "" +msgstr "Usuarios" #: partyline.cpp:82 msgid "List all open channels" -msgstr "" +msgstr "Mostrar canales abiertos" #: partyline.cpp:733 msgid "" "You may enter a list of channels the user joins, when entering the internal " "partyline." msgstr "" +"Puedes añadir una lista de canales a los que el usuario se meterá cuando se " +"conecte a la partyline." #: partyline.cpp:739 msgid "Internal channels and queries for users connected to ZNC" -msgstr "" +msgstr "Privados y canales internos para usuarios conectados a ZNC" diff --git a/modules/po/perform.es_ES.po b/modules/po/perform.es_ES.po index e360e14c..7d97b2df 100644 --- a/modules/po/perform.es_ES.po +++ b/modules/po/perform.es_ES.po @@ -14,95 +14,95 @@ msgstr "" #: modules/po/../data/perform/tmpl/index.tmpl:7 perform.cpp:143 msgid "Perform" -msgstr "" +msgstr "Ejecutar" #: modules/po/../data/perform/tmpl/index.tmpl:11 msgid "Perform commands:" -msgstr "" +msgstr "Comandos a ejecutar:" #: modules/po/../data/perform/tmpl/index.tmpl:15 msgid "Commands sent to the IRC server on connect, one per line." -msgstr "" +msgstr "Comandos enviados al IRC al conectar, uno por línea." #: modules/po/../data/perform/tmpl/index.tmpl:18 msgid "Save" -msgstr "" +msgstr "Guardar" #: perform.cpp:24 msgid "Usage: add " -msgstr "" +msgstr "Uso: add " #: perform.cpp:29 msgid "Added!" -msgstr "" +msgstr "¡Añadido!" #: perform.cpp:37 perform.cpp:82 msgid "Illegal # Requested" -msgstr "" +msgstr "Número # no encontrado" #: perform.cpp:41 msgid "Command Erased." -msgstr "" +msgstr "Comando eliminado." #: perform.cpp:50 perform.cpp:56 msgctxt "list" msgid "Id" -msgstr "" +msgstr "Id" #: perform.cpp:51 perform.cpp:57 msgctxt "list" msgid "Perform" -msgstr "" +msgstr "Ejecutar" #: perform.cpp:52 perform.cpp:62 msgctxt "list" msgid "Expanded" -msgstr "" +msgstr "Expandido" #: perform.cpp:67 msgid "No commands in your perform list." -msgstr "" +msgstr "No hay comandos en tu lista." #: perform.cpp:73 msgid "perform commands sent" -msgstr "" +msgstr "Comandos a ejecutar enviados" #: perform.cpp:86 msgid "Commands Swapped." -msgstr "" +msgstr "Comandos intercambiados." #: perform.cpp:95 msgid "" -msgstr "" +msgstr "" #: perform.cpp:96 msgid "Adds perform command to be sent to the server on connect" -msgstr "" +msgstr "Añade comandos a ejecutar cuando se conecta a un servidor" #: perform.cpp:98 msgid "" -msgstr "" +msgstr "" #: perform.cpp:98 msgid "Delete a perform command" -msgstr "" +msgstr "Elimina un comando a ejecutar" #: perform.cpp:100 msgid "List the perform commands" -msgstr "" +msgstr "Muestra los comandos a ejecutar" #: perform.cpp:103 msgid "Send the perform commands to the server now" -msgstr "" +msgstr "Enviar ahora los comandos a ejecutar en el servidor" #: perform.cpp:105 msgid " " -msgstr "" +msgstr " " #: perform.cpp:106 msgid "Swap two perform commands" -msgstr "" +msgstr "Intercambiar dos comandos a ejecutar" #: perform.cpp:192 msgid "Keeps a list of commands to be executed when ZNC connects to IRC." -msgstr "" +msgstr "Guarda una lista de comandos a ejecutar cuando ZNC se conecta al IRC." diff --git a/modules/po/perleval.es_ES.po b/modules/po/perleval.es_ES.po index 1276d9aa..62dd9a8d 100644 --- a/modules/po/perleval.es_ES.po +++ b/modules/po/perleval.es_ES.po @@ -14,18 +14,18 @@ msgstr "" #: perleval.pm:23 msgid "Evaluates perl code" -msgstr "" +msgstr "Evalua código perl" #: perleval.pm:33 msgid "Only admin can load this module" -msgstr "" +msgstr "Solo los administradores pueden cargar este módulo" #: perleval.pm:44 #, perl-format msgid "Error: %s" -msgstr "" +msgstr "Error: %s" #: perleval.pm:46 #, perl-format msgid "Result: %s" -msgstr "" +msgstr "Resultados: %s" diff --git a/modules/po/pyeval.es_ES.po b/modules/po/pyeval.es_ES.po index bc642c9d..bcbef08b 100644 --- a/modules/po/pyeval.es_ES.po +++ b/modules/po/pyeval.es_ES.po @@ -14,8 +14,8 @@ msgstr "" #: pyeval.py:49 msgid "You must have admin privileges to load this module." -msgstr "" +msgstr "Debes tener permisos de administrador para cargar este módulo." #: pyeval.py:82 msgid "Evaluates python code" -msgstr "" +msgstr "Evalua código python" diff --git a/modules/po/sample.es_ES.po b/modules/po/sample.es_ES.po index 5ee6e66e..2749d997 100644 --- a/modules/po/sample.es_ES.po +++ b/modules/po/sample.es_ES.po @@ -14,35 +14,35 @@ msgstr "" #: sample.cpp:31 msgid "Sample job cancelled" -msgstr "" +msgstr "Tarea cancelada" #: sample.cpp:33 msgid "Sample job destroyed" -msgstr "" +msgstr "Tarea destruída" #: sample.cpp:50 msgid "Sample job done" -msgstr "" +msgstr "Tarea hecha" #: sample.cpp:65 msgid "TEST!!!!" -msgstr "" +msgstr "PRUEBA!!!!" #: sample.cpp:74 msgid "I'm being loaded with the arguments: {1}" -msgstr "" +msgstr "Voy a ser cargado con los argumentos: {1}" #: sample.cpp:85 msgid "I'm being unloaded!" -msgstr "" +msgstr "Estoy siendo descargado!" #: sample.cpp:94 msgid "You got connected BoyOh." -msgstr "" +msgstr "Has sido conectado." #: sample.cpp:98 msgid "You got disconnected BoyOh." -msgstr "" +msgstr "Has sido desconectado." #: sample.cpp:116 msgid "{1} {2} set mode on {3} {4}{5} {6}" diff --git a/modules/po/samplewebapi.es_ES.po b/modules/po/samplewebapi.es_ES.po index be990958..825e6759 100644 --- a/modules/po/samplewebapi.es_ES.po +++ b/modules/po/samplewebapi.es_ES.po @@ -14,4 +14,4 @@ msgstr "" #: samplewebapi.cpp:59 msgid "Sample Web API module." -msgstr "" +msgstr "Muestra de módulo web API." diff --git a/modules/po/sasl.es_ES.po b/modules/po/sasl.es_ES.po index ceadb69c..0fa06f52 100644 --- a/modules/po/sasl.es_ES.po +++ b/modules/po/sasl.es_ES.po @@ -14,161 +14,165 @@ msgstr "" #: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:290 msgid "SASL" -msgstr "" +msgstr "SASL" #: modules/po/../data/sasl/tmpl/index.tmpl:11 msgid "Username:" -msgstr "" +msgstr "Usuario:" #: modules/po/../data/sasl/tmpl/index.tmpl:13 msgid "Please enter a username." -msgstr "" +msgstr "Introduce un nombre de usuario." #: modules/po/../data/sasl/tmpl/index.tmpl:16 msgid "Password:" -msgstr "" +msgstr "Contraseña:" #: modules/po/../data/sasl/tmpl/index.tmpl:18 msgid "Please enter a password." -msgstr "" +msgstr "Introduce una contraseña." #: modules/po/../data/sasl/tmpl/index.tmpl:22 msgid "Options" -msgstr "" +msgstr "Opciones" #: modules/po/../data/sasl/tmpl/index.tmpl:25 msgid "Connect only if SASL authentication succeeds." -msgstr "" +msgstr "Conectar solo si la autenticación SASL es correcta." #: modules/po/../data/sasl/tmpl/index.tmpl:27 msgid "Require authentication" -msgstr "" +msgstr "Requerir autenticación" #: modules/po/../data/sasl/tmpl/index.tmpl:35 msgid "Mechanisms" -msgstr "" +msgstr "Mecanismos" #: modules/po/../data/sasl/tmpl/index.tmpl:42 msgid "Name" -msgstr "" +msgstr "Nombre" #: modules/po/../data/sasl/tmpl/index.tmpl:43 sasl.cpp:89 sasl.cpp:94 msgid "Description" -msgstr "" +msgstr "Descripción" #: modules/po/../data/sasl/tmpl/index.tmpl:57 msgid "Selected mechanisms and their order:" -msgstr "" +msgstr "Mecanismos seleccionados y su orden:" #: modules/po/../data/sasl/tmpl/index.tmpl:74 msgid "Save" -msgstr "" +msgstr "Guardar" #: sasl.cpp:54 msgid "TLS certificate, for use with the *cert module" -msgstr "" +msgstr "Certificado TLS, para usar con el módulo *cert" #: sasl.cpp:56 msgid "" "Plain text negotiation, this should work always if the network supports SASL" msgstr "" +"Negociación en texto plano, debería funcionar siempre si la red soporta SASL" #: sasl.cpp:62 msgid "search" -msgstr "" +msgstr "búsqueda" #: sasl.cpp:62 msgid "Generate this output" -msgstr "" +msgstr "Generar esta salida" #: sasl.cpp:64 msgid "[ []]" -msgstr "" +msgstr "[] []" #: sasl.cpp:65 msgid "" "Set username and password for the mechanisms that need them. Password is " "optional. Without parameters, returns information about current settings." msgstr "" +"Establecer usuario y contraseña para los mecanismos que lo necesiten. La " +"contraseña es opcional. Sin parámetros, devuelve información sobre los " +"ajustes actuales." #: sasl.cpp:69 msgid "[mechanism[ ...]]" -msgstr "" +msgstr "[mecanismo[...]]" #: sasl.cpp:70 msgid "Set the mechanisms to be attempted (in order)" -msgstr "" +msgstr "Establecer los mecanismos para ser probados (en orden)" #: sasl.cpp:72 msgid "[yes|no]" -msgstr "" +msgstr "[yes|no]" #: sasl.cpp:73 msgid "Don't connect unless SASL authentication succeeds" -msgstr "" +msgstr "Conectar solo si la autenticación SASL es correcta" #: sasl.cpp:88 sasl.cpp:93 msgid "Mechanism" -msgstr "" +msgstr "Mecanismo" #: sasl.cpp:97 msgid "The following mechanisms are available:" -msgstr "" +msgstr "Están disponibles los siguientes mecanismos:" #: sasl.cpp:107 msgid "Username is currently not set" -msgstr "" +msgstr "El usuario no está establecido" #: sasl.cpp:109 msgid "Username is currently set to '{1}'" -msgstr "" +msgstr "El usuario está establecido a '{1}'" #: sasl.cpp:112 msgid "Password was not supplied" -msgstr "" +msgstr "La contraseña no está establecida" #: sasl.cpp:114 msgid "Password was supplied" -msgstr "" +msgstr "Se ha establecido una contraseña" #: sasl.cpp:122 msgid "Username has been set to [{1}]" -msgstr "" +msgstr "El usuario se ha establecido a [{1}]" #: sasl.cpp:123 msgid "Password has been set to [{1}]" -msgstr "" +msgstr "La contraseña se ha establecido a [{1}]" #: sasl.cpp:143 msgid "Current mechanisms set: {1}" -msgstr "" +msgstr "Mecanismo establecido: {1}" #: sasl.cpp:152 msgid "We require SASL negotiation to connect" -msgstr "" +msgstr "Necesitamos negociación SASL para conectar" #: sasl.cpp:154 msgid "We will connect even if SASL fails" -msgstr "" +msgstr "Conectaremos incluso si falla la autenticación SASL" #: sasl.cpp:191 msgid "Disabling network, we require authentication." -msgstr "" +msgstr "Deshabilitando red, necesitamos autenticación." #: sasl.cpp:192 msgid "Use 'RequireAuth no' to disable." -msgstr "" +msgstr "Ejecuta 'RequireAuth no' para desactivarlo." #: sasl.cpp:245 msgid "{1} mechanism succeeded." -msgstr "" +msgstr "Mecanismo {1} conseguido." #: sasl.cpp:257 msgid "{1} mechanism failed." -msgstr "" +msgstr "Mecanismo {1} fallido." #: sasl.cpp:335 msgid "" "Adds support for sasl authentication capability to authenticate to an IRC " "server" -msgstr "" +msgstr "Añade soporte SASL para la autenticación a un servidor de IRC" diff --git a/modules/po/savebuff.es_ES.po b/modules/po/savebuff.es_ES.po index 4426ab30..b7fdd6ce 100644 --- a/modules/po/savebuff.es_ES.po +++ b/modules/po/savebuff.es_ES.po @@ -14,23 +14,23 @@ msgstr "" #: savebuff.cpp:65 msgid "" -msgstr "" +msgstr "" #: savebuff.cpp:65 msgid "Sets the password" -msgstr "" +msgstr "Establecer contraseña" #: savebuff.cpp:67 msgid "" -msgstr "" +msgstr "" #: savebuff.cpp:67 msgid "Replays the buffer" -msgstr "" +msgstr "Reproduce el búfer" #: savebuff.cpp:69 msgid "Saves all buffers" -msgstr "" +msgstr "Guardar todos los búfers" #: savebuff.cpp:221 msgid "" @@ -38,25 +38,31 @@ msgid "" "the appropriate pass and things should start working, or setpass to a new " "pass and save to reinstantiate" msgstr "" +"Tener la contraseña sin establecer suele significar que el descifrado a " +"fallado. Puedes establecer la contraseña apropiada para que las cosas " +"comiencen a funcionar, o establecer una nueva contraseña y guardar para " +"reinicializarlo" #: savebuff.cpp:232 msgid "Password set to [{1}]" -msgstr "" +msgstr "Contraseña establecida a [{1}]" #: savebuff.cpp:262 msgid "Replayed {1}" -msgstr "" +msgstr "Reproducido {1}" #: savebuff.cpp:341 msgid "Unable to decode Encrypted file {1}" -msgstr "" +msgstr "No se ha podido descifrar el archivo {1}" #: savebuff.cpp:358 msgid "" "This user module takes up to one arguments. Either --ask-pass or the " "password itself (which may contain spaces) or nothing" msgstr "" +"Este módulo de usuario tiene hasta un argumento. Introduce --ask-pass o la " +"contraseña misma (la cual puede contener espacios) o nada" #: savebuff.cpp:363 msgid "Stores channel and query buffers to disk, encrypted" -msgstr "" +msgstr "Almacena búfers de privados y canales en el disco, cifrados" diff --git a/modules/po/send_raw.es_ES.po b/modules/po/send_raw.es_ES.po index 5ac29d69..d34d3068 100644 --- a/modules/po/send_raw.es_ES.po +++ b/modules/po/send_raw.es_ES.po @@ -14,96 +14,97 @@ msgstr "" #: modules/po/../data/send_raw/tmpl/index.tmpl:9 msgid "Send a raw IRC line" -msgstr "" +msgstr "Envía una línea raw al IRC" #: modules/po/../data/send_raw/tmpl/index.tmpl:14 msgid "User:" -msgstr "" +msgstr "Usuario:" #: modules/po/../data/send_raw/tmpl/index.tmpl:15 msgid "To change user, click to Network selector" -msgstr "" +msgstr "Para cambiar de usuario, pulsa sobre el selector de red" #: modules/po/../data/send_raw/tmpl/index.tmpl:19 msgid "User/Network:" -msgstr "" +msgstr "Usuario/Red:" #: modules/po/../data/send_raw/tmpl/index.tmpl:32 msgid "Send to:" -msgstr "" +msgstr "Enviar a:" #: modules/po/../data/send_raw/tmpl/index.tmpl:34 msgid "Client" -msgstr "" +msgstr "Cliente" #: modules/po/../data/send_raw/tmpl/index.tmpl:35 msgid "Server" -msgstr "" +msgstr "Servidor" #: modules/po/../data/send_raw/tmpl/index.tmpl:40 msgid "Line:" -msgstr "" +msgstr "Línea:" #: modules/po/../data/send_raw/tmpl/index.tmpl:45 msgid "Send" -msgstr "" +msgstr "Enviar" #: send_raw.cpp:32 msgid "Sent [{1}] to {2}/{3}" -msgstr "" +msgstr "Enviado [{1}] a {2}/{3}" #: send_raw.cpp:36 send_raw.cpp:56 msgid "Network {1} not found for user {2}" -msgstr "" +msgstr "Red {1} no encontrada para el usuario {2}" #: send_raw.cpp:40 send_raw.cpp:60 msgid "User {1} not found" -msgstr "" +msgstr "Usuario {1} no encontrado" #: send_raw.cpp:52 msgid "Sent [{1}] to IRC server of {2}/{3}" -msgstr "" +msgstr "Enviado [{1}] al servidor IRC de {2}/{3}" #: send_raw.cpp:75 msgid "You must have admin privileges to load this module" -msgstr "" +msgstr "Debes tener permisos de administrador para cargar este módulo" #: send_raw.cpp:82 msgid "Send Raw" -msgstr "" +msgstr "Enviar Raw" #: send_raw.cpp:92 msgid "User not found" -msgstr "" +msgstr "Usuario no encontrado" #: send_raw.cpp:99 msgid "Network not found" -msgstr "" +msgstr "Red no encontrada" #: send_raw.cpp:116 msgid "Line sent" -msgstr "" +msgstr "Línea enviada" #: send_raw.cpp:140 send_raw.cpp:143 msgid "[user] [network] [data to send]" -msgstr "" +msgstr "[usuario] [red] [datos a enviar]" #: send_raw.cpp:141 msgid "The data will be sent to the user's IRC client(s)" -msgstr "" +msgstr "La información será enviada al cliente IRC del usuario" #: send_raw.cpp:144 msgid "The data will be sent to the IRC server the user is connected to" msgstr "" +"La información será enviada al servidor IRC donde está el usuario conectado" #: send_raw.cpp:147 msgid "[data to send]" -msgstr "" +msgstr "[datos a enviar]" #: send_raw.cpp:148 msgid "The data will be sent to your current client" -msgstr "" +msgstr "La información será enviada a tu cliente actual" #: send_raw.cpp:159 msgid "Lets you send some raw IRC lines as/to someone else" -msgstr "" +msgstr "Permite enviar lineas Raw a/como otro usuario" diff --git a/modules/po/shell.es_ES.po b/modules/po/shell.es_ES.po index 10e2841b..a93e996a 100644 --- a/modules/po/shell.es_ES.po +++ b/modules/po/shell.es_ES.po @@ -14,16 +14,16 @@ msgstr "" #: shell.cpp:37 msgid "Failed to execute: {1}" -msgstr "" +msgstr "Error al ejecutar: {1}" #: shell.cpp:75 msgid "You must be admin to use the shell module" -msgstr "" +msgstr "Debes ser admin para usar el módulo Shell" #: shell.cpp:169 msgid "Gives shell access" -msgstr "" +msgstr "Proporciona acceso a la shell" #: shell.cpp:172 msgid "Gives shell access. Only ZNC admins can use it." -msgstr "" +msgstr "Proporciona acceso a la Shell. Solo lo pueden usar admins de ZNC." diff --git a/modules/po/simple_away.es_ES.po b/modules/po/simple_away.es_ES.po index 9c0ef382..3078f283 100644 --- a/modules/po/simple_away.es_ES.po +++ b/modules/po/simple_away.es_ES.po @@ -14,7 +14,7 @@ msgstr "" #: simple_away.cpp:56 msgid "[]" -msgstr "" +msgstr "[]" #: simple_away.cpp:57 #, c-format @@ -22,71 +22,76 @@ msgid "" "Prints or sets the away reason (%awaytime% is replaced with the time you " "were set away, supports substitutions using ExpandString)" msgstr "" +"Muestra o establece el motivo de ausencia (%awaytime% se reemplaza por el " +"tiempo que estás ausente, soporta sustituciones ExpandString)" #: simple_away.cpp:63 msgid "Prints the current time to wait before setting you away" -msgstr "" +msgstr "Muestra el tiempo a esperar antes de marcarte como ausente" #: simple_away.cpp:65 msgid "" -msgstr "" +msgstr "" #: simple_away.cpp:66 msgid "Sets the time to wait before setting you away" -msgstr "" +msgstr "Establece el tiempo a esperar antes de marcarte como ausente" #: simple_away.cpp:69 msgid "Disables the wait time before setting you away" -msgstr "" +msgstr "Deshabilita el tiempo a esperar antes de marcarte como ausente" #: simple_away.cpp:73 msgid "Get or set the minimum number of clients before going away" -msgstr "" +msgstr "Obtiene o define el mínimo de clientes antes de marcarte como ausente" #: simple_away.cpp:136 msgid "Away reason set" -msgstr "" +msgstr "Motivo de ausencia establecido" #: simple_away.cpp:138 msgid "Away reason: {1}" -msgstr "" +msgstr "Motivo de ausencia: {1}" #: simple_away.cpp:139 msgid "Current away reason would be: {1}" -msgstr "" +msgstr "El motivo de ausencia quedaría como: {1}" #: simple_away.cpp:144 msgid "Current timer setting: 1 second" msgid_plural "Current timer setting: {1} seconds" msgstr[0] "" -msgstr[1] "" +msgstr[1] "Tiempo establecido: {1} segundos" #: simple_away.cpp:153 simple_away.cpp:161 msgid "Timer disabled" -msgstr "" +msgstr "Temporizador deshabilitado" #: simple_away.cpp:155 msgid "Timer set to 1 second" msgid_plural "Timer set to: {1} seconds" msgstr[0] "" -msgstr[1] "" +msgstr[1] "Temporizador establecido a {1} segundos" #: simple_away.cpp:166 msgid "Current MinClients setting: {1}" -msgstr "" +msgstr "MinClients establecido a: {1}" #: simple_away.cpp:169 msgid "MinClients set to {1}" -msgstr "" +msgstr "MinClients establecido a: {1}" #: simple_away.cpp:248 msgid "" "You might enter up to 3 arguments, like -notimer awaymessage or -timer 5 " "awaymessage." msgstr "" +"Puedes poner hasta 3 argumentos, como -notimer mensajeausencia o -timer 5 " +"mensajeausencia." #: simple_away.cpp:253 msgid "" "This module will automatically set you away on IRC while you are " "disconnected from the bouncer." msgstr "" +"Este módulo te pondrá ausente en el IRC mientras estás desconectado de ZNC." diff --git a/modules/po/stickychan.es_ES.po b/modules/po/stickychan.es_ES.po index 5d8f1c6f..3ddcae5a 100644 --- a/modules/po/stickychan.es_ES.po +++ b/modules/po/stickychan.es_ES.po @@ -14,89 +14,90 @@ msgstr "" #: modules/po/../data/stickychan/tmpl/index.tmpl:9 msgid "Name" -msgstr "" +msgstr "Nombre" #: modules/po/../data/stickychan/tmpl/index.tmpl:10 msgid "Sticky" -msgstr "" +msgstr "Fijo" #: modules/po/../data/stickychan/tmpl/index.tmpl:25 msgid "Save" -msgstr "" +msgstr "Guardar" #: modules/po/../data/stickychan/tmpl/stickychan_WebadminChan.tmpl:8 msgid "Channel is sticky" -msgstr "" +msgstr "El canal está fijado" #: stickychan.cpp:28 msgid "<#channel> [key]" -msgstr "" +msgstr "<#canal> [clave]" #: stickychan.cpp:28 msgid "Sticks a channel" -msgstr "" +msgstr "Fija un canal" #: stickychan.cpp:30 msgid "<#channel>" -msgstr "" +msgstr "<#canal>" #: stickychan.cpp:30 msgid "Unsticks a channel" -msgstr "" +msgstr "Desfija un canal" #: stickychan.cpp:32 msgid "Lists sticky channels" -msgstr "" +msgstr "Muestra los canales fijos" #: stickychan.cpp:75 msgid "Usage: Stick <#channel> [key]" -msgstr "" +msgstr "Uso: Stick <#canal> [clave]" #: stickychan.cpp:79 msgid "Stuck {1}" -msgstr "" +msgstr "Fijado {1}" #: stickychan.cpp:85 msgid "Usage: Unstick <#channel>" -msgstr "" +msgstr "Uso: Unstick <#canal>" #: stickychan.cpp:89 msgid "Unstuck {1}" -msgstr "" +msgstr "Desfijado {1}" #: stickychan.cpp:101 msgid " -- End of List" -msgstr "" +msgstr " -- Fin de la lista" #: stickychan.cpp:115 msgid "Could not join {1} (# prefix missing?)" -msgstr "" +msgstr "No se ha podido entrar a {1} (¿Falta el prefijo #?)" #: stickychan.cpp:128 msgid "Sticky Channels" -msgstr "" +msgstr "Canales fijados" #: stickychan.cpp:160 msgid "Changes have been saved!" -msgstr "" +msgstr "Los cambios han sido guardados" #: stickychan.cpp:185 msgid "Channel became sticky!" -msgstr "" +msgstr "Se ha fijado el canal" #: stickychan.cpp:189 msgid "Channel stopped being sticky!" -msgstr "" +msgstr "El canal ya no está fijado" #: stickychan.cpp:209 msgid "" "Channel {1} cannot be joined, it is an illegal channel name. Unsticking." -msgstr "" +msgstr "No se puede entrar al canal {1}, es un nombre no válido. Desfijado." #: stickychan.cpp:246 msgid "List of channels, separated by comma." -msgstr "" +msgstr "Lista de canales, separados por comas." #: stickychan.cpp:251 msgid "configless sticky chans, keeps you there very stickily even" msgstr "" +"Fijación de canales sin configuración, te mantienen dentro todo lo posible" diff --git a/src/po/znc.de_DE.po b/src/po/znc.de_DE.po index cf415624..23d91273 100644 --- a/src/po/znc.de_DE.po +++ b/src/po/znc.de_DE.po @@ -79,48 +79,40 @@ msgstr "Ungültiger Port" msgid "Unable to bind: {1}" msgstr "Kann nicht horchen: {1}" -#: IRCNetwork.cpp:236 +#: IRCNetwork.cpp:235 msgid "Jumping servers because this server is no longer in the list" msgstr "" "Springe zu einem Server, da dieser Server nicht länger in der Liste ist" -#: IRCNetwork.cpp:641 User.cpp:678 +#: IRCNetwork.cpp:640 User.cpp:678 msgid "Welcome to ZNC" msgstr "Willkommen bei ZNC" -#: IRCNetwork.cpp:729 +#: IRCNetwork.cpp:728 msgid "You are currently disconnected from IRC. Use 'connect' to reconnect." msgstr "" "Du bist zur Zeit nicht mit dem IRC verbunden. Verwende 'connect' zum " "Verbinden." -#: IRCNetwork.cpp:734 -msgid "" -"ZNC is presently running in DEBUG mode. Sensitive data during your current " -"session may be exposed to the host." -msgstr "" -"ZNC läuft aktuell im DEBUG-Modus. Heikle Daten können während deiner " -"aktuellen Session auf dem Host aufgedeckt werden." - -#: IRCNetwork.cpp:765 +#: IRCNetwork.cpp:758 msgid "This network is being deleted or moved to another user." msgstr "" "Dieses Netzwerk wird gelöscht oder zu einem anderen Benutzer verschoben." -#: IRCNetwork.cpp:994 +#: IRCNetwork.cpp:987 msgid "The channel {1} could not be joined, disabling it." msgstr "Der Kanal {1} konnte nicht betreten werden und wird deaktiviert." -#: IRCNetwork.cpp:1123 +#: IRCNetwork.cpp:1116 msgid "Your current server was removed, jumping..." msgstr "Dein aktueller Server wurde entfernt, springe..." -#: IRCNetwork.cpp:1286 +#: IRCNetwork.cpp:1279 msgid "Cannot connect to {1}, because ZNC is not compiled with SSL support." msgstr "" "Kann nicht zu {1} verbinden, da ZNC ohne SSL-Unterstützung gebaut wurde." -#: IRCNetwork.cpp:1307 +#: IRCNetwork.cpp:1300 msgid "Some module aborted the connection attempt" msgstr "Ein Modul hat den Verbindungsversuch abgebrochen" @@ -191,21 +183,21 @@ msgstr "Kein freier Nick verfügbar" msgid "No free nick found" msgstr "Kein freier Nick gefunden" -#: Client.cpp:75 +#: Client.cpp:74 msgid "No such module {1}" msgstr "Kein solches Modul {1}" -#: Client.cpp:365 +#: Client.cpp:358 msgid "A client from {1} attempted to login as you, but was rejected: {2}" msgstr "" "Ein Client hat versucht sich von {1} aus als dich anzumelden, aber wurde " "abgelehnt: {2}" -#: Client.cpp:400 +#: Client.cpp:393 msgid "Network {1} doesn't exist." msgstr "Netzwerk {1} existiert nicht." -#: Client.cpp:414 +#: Client.cpp:407 msgid "" "You have several networks configured, but no network was specified for the " "connection." @@ -213,7 +205,7 @@ msgstr "" "Du hast mehrere Netzwerke, aber kein Netzwerk wurde für die Verbindung " "ausgewählt." -#: Client.cpp:417 +#: Client.cpp:410 msgid "" "Selecting network {1}. To see list of all configured networks, use /znc " "ListNetworks" @@ -221,7 +213,7 @@ msgstr "" "Wähle Netzwerk {1}. Um eine Liste aller konfigurierten Netzwerke zu sehen, " "verwende /znc ListNetworks" -#: Client.cpp:420 +#: Client.cpp:413 msgid "" "If you want to choose another network, use /znc JumpNetwork , or " "connect to ZNC with username {1}/ (instead of just {1})" @@ -230,72 +222,72 @@ msgstr "" ", oder verbinde dich zu ZNC mit dem Benutzernamen {1}/ " "(statt einfach nur {1})" -#: Client.cpp:426 +#: Client.cpp:419 msgid "" "You have no networks configured. Use /znc AddNetwork to add one." msgstr "" "Du hast keine Netzwerke konfiguriert. Verwende /znc AddNetwork um " "eines hinzuzufügen." -#: Client.cpp:437 +#: Client.cpp:430 msgid "Closing link: Timeout" msgstr "Schließe Verbindung: Zeitüberschreitung" -#: Client.cpp:459 +#: Client.cpp:452 msgid "Closing link: Too long raw line" msgstr "Schließe Verbindung: Überlange Rohzeile" -#: Client.cpp:466 +#: Client.cpp:459 msgid "" "You are being disconnected because another user just authenticated as you." msgstr "" "Deine Verbindung wird getrennt, da ein anderen Benutzer sich als dich " "angemeldet hat." -#: Client.cpp:1021 +#: Client.cpp:1014 msgid "Your CTCP to {1} got lost, you are not connected to IRC!" msgstr "Dein CTCP an {1} wurde verloren, du bist nicht mit dem IRC verbunden!" -#: Client.cpp:1148 +#: Client.cpp:1141 msgid "Your notice to {1} got lost, you are not connected to IRC!" msgstr "" "Deine Benachrichtigung an {1} wurde verloren, du bist nicht mit dem IRC " "verbunden!" -#: Client.cpp:1187 +#: Client.cpp:1180 msgid "Removing channel {1}" msgstr "Entferne Kanal {1}" -#: Client.cpp:1263 +#: Client.cpp:1256 msgid "Your message to {1} got lost, you are not connected to IRC!" msgstr "" "Deine Nachricht an {1} wurde verloren, du bist nicht mit dem IRC verbunden!" -#: Client.cpp:1316 Client.cpp:1322 +#: Client.cpp:1309 Client.cpp:1315 msgid "Hello. How may I help you?" msgstr "Hallo. Wie kann ich dir helfen?" -#: Client.cpp:1336 +#: Client.cpp:1329 msgid "Usage: /attach <#chans>" msgstr "Verwendung: /attach <#Kanal>" -#: Client.cpp:1343 Client.cpp:1365 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: Client.cpp:1336 Client.cpp:1358 ClientCommand.cpp:129 ClientCommand.cpp:151 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" msgstr[0] "Es gibt einen Kanal, der auf [{2}] passt" msgstr[1] "Es gibt {1} Kanäle, die auf [{2}] passen" -#: Client.cpp:1346 ClientCommand.cpp:132 +#: Client.cpp:1339 ClientCommand.cpp:132 msgid "Attached {1} channel" msgid_plural "Attached {1} channels" msgstr[0] "Zu {1} Kanal verbunden" msgstr[1] "Zu {1} Kanälen verbunden" -#: Client.cpp:1358 +#: Client.cpp:1351 msgid "Usage: /detach <#chans>" msgstr "Verwendung: /detach <#Kanäle>" -#: Client.cpp:1368 ClientCommand.cpp:154 +#: Client.cpp:1361 ClientCommand.cpp:154 msgid "Detached {1} channel" msgid_plural "Detached {1} channels" msgstr[0] "Von {1} Kanal getrennt" diff --git a/src/po/znc.es_ES.po b/src/po/znc.es_ES.po index 986d0213..8ca0f565 100644 --- a/src/po/znc.es_ES.po +++ b/src/po/znc.es_ES.po @@ -78,44 +78,36 @@ msgstr "Puerto no válido" msgid "Unable to bind: {1}" msgstr "Imposible enlazar: {1}" -#: IRCNetwork.cpp:236 +#: IRCNetwork.cpp:235 msgid "Jumping servers because this server is no longer in the list" msgstr "Cambiando de servidor porque este servidor ya no está en la lista" -#: IRCNetwork.cpp:641 User.cpp:678 +#: IRCNetwork.cpp:640 User.cpp:678 msgid "Welcome to ZNC" msgstr "Bienvenido a ZNC" -#: IRCNetwork.cpp:729 +#: IRCNetwork.cpp:728 msgid "You are currently disconnected from IRC. Use 'connect' to reconnect." msgstr "Estás desconectado del IRC. Usa 'connect' para reconectar." -#: IRCNetwork.cpp:734 -msgid "" -"ZNC is presently running in DEBUG mode. Sensitive data during your current " -"session may be exposed to the host." -msgstr "" -"ZNC se está ejecutando en modo DEBUG. Durante esta sesión puede haber datos " -"sensibles expuestos al host." - -#: IRCNetwork.cpp:765 +#: IRCNetwork.cpp:758 msgid "This network is being deleted or moved to another user." msgstr "Esta red está siendo eliminada o movida a otro usuario." -#: IRCNetwork.cpp:994 +#: IRCNetwork.cpp:987 msgid "The channel {1} could not be joined, disabling it." msgstr "El canal {1} no es accesible, deshabilitado." -#: IRCNetwork.cpp:1123 +#: IRCNetwork.cpp:1116 msgid "Your current server was removed, jumping..." msgstr "Tu servidor actual ha sido eliminado. Cambiando de servidor..." -#: IRCNetwork.cpp:1286 +#: IRCNetwork.cpp:1279 msgid "Cannot connect to {1}, because ZNC is not compiled with SSL support." msgstr "" "No se puede conectar a {1} porque ZNC no se ha compilado con soporte SSL." -#: IRCNetwork.cpp:1307 +#: IRCNetwork.cpp:1300 msgid "Some module aborted the connection attempt" msgstr "Algún módulo ha abortado el intento de conexión" @@ -184,21 +176,21 @@ msgstr "No hay ningún nick disponible" msgid "No free nick found" msgstr "No se ha encontrado ningún nick disponible" -#: Client.cpp:75 +#: Client.cpp:74 msgid "No such module {1}" msgstr "No existe el módulo {1}" -#: Client.cpp:365 +#: Client.cpp:358 msgid "A client from {1} attempted to login as you, but was rejected: {2}" msgstr "" "Un cliente desde {1} ha intentado conectarse por ti, pero ha sido rechazado " "{2}" -#: Client.cpp:400 +#: Client.cpp:393 msgid "Network {1} doesn't exist." msgstr "La red {1} no existe." -#: Client.cpp:414 +#: Client.cpp:407 msgid "" "You have several networks configured, but no network was specified for the " "connection." @@ -206,7 +198,7 @@ msgstr "" "Tienes varias redes configuradas, pero ninguna ha sido especificada para la " "conexión." -#: Client.cpp:417 +#: Client.cpp:410 msgid "" "Selecting network {1}. To see list of all configured networks, use /znc " "ListNetworks" @@ -214,7 +206,7 @@ msgstr "" "Seleccionando la red {1}. Para ver una lista de todas las redes " "configuradas, ejecuta /znc ListNetworks" -#: Client.cpp:420 +#: Client.cpp:413 msgid "" "If you want to choose another network, use /znc JumpNetwork , or " "connect to ZNC with username {1}/ (instead of just {1})" @@ -222,68 +214,68 @@ msgstr "" "Si quieres escoger otra red, utiliza /znc JumpNetwork , o conecta a " "ZNC mediante usuario {1}/ (en vez de solo {1})" -#: Client.cpp:426 +#: Client.cpp:419 msgid "" "You have no networks configured. Use /znc AddNetwork to add one." msgstr "" "No tienes redes configuradas. Ejecuta /znc AddNetwork para añadir " "una." -#: Client.cpp:437 +#: Client.cpp:430 msgid "Closing link: Timeout" msgstr "Cerrando conexión: tiempo de espera agotado" -#: Client.cpp:459 +#: Client.cpp:452 msgid "Closing link: Too long raw line" msgstr "Cerrando conexión: linea raw demasiado larga" -#: Client.cpp:466 +#: Client.cpp:459 msgid "" "You are being disconnected because another user just authenticated as you." msgstr "" "Estás siendo desconectado porque otro usuario se ha autenticado por ti." -#: Client.cpp:1021 +#: Client.cpp:1014 msgid "Your CTCP to {1} got lost, you are not connected to IRC!" msgstr "Tu CTCP a {1} se ha perdido, ¡no estás conectado al IRC!" -#: Client.cpp:1148 +#: Client.cpp:1141 msgid "Your notice to {1} got lost, you are not connected to IRC!" msgstr "Tu notice a {1} se ha perdido, ¡no estás conectado al IRC!" -#: Client.cpp:1187 +#: Client.cpp:1180 msgid "Removing channel {1}" msgstr "Eliminando canal {1}" -#: Client.cpp:1263 +#: Client.cpp:1256 msgid "Your message to {1} got lost, you are not connected to IRC!" msgstr "Tu mensaje a {1} se ha perdido, ¡no estás conectado al IRC!" -#: Client.cpp:1316 Client.cpp:1322 +#: Client.cpp:1309 Client.cpp:1315 msgid "Hello. How may I help you?" msgstr "Hola. ¿En qué te puedo ayudar?" -#: Client.cpp:1336 +#: Client.cpp:1329 msgid "Usage: /attach <#chans>" msgstr "Uso: /attach <#canales>" -#: Client.cpp:1343 Client.cpp:1365 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: Client.cpp:1336 Client.cpp:1358 ClientCommand.cpp:129 ClientCommand.cpp:151 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" msgstr[0] "" msgstr[1] "Hay {1} canales que coinciden con [{2}]" -#: Client.cpp:1346 ClientCommand.cpp:132 +#: Client.cpp:1339 ClientCommand.cpp:132 msgid "Attached {1} channel" msgid_plural "Attached {1} channels" msgstr[0] "" msgstr[1] "Unido a {1} canales" -#: Client.cpp:1358 +#: Client.cpp:1351 msgid "Usage: /detach <#chans>" msgstr "Uso: /detach <#canales>" -#: Client.cpp:1368 ClientCommand.cpp:154 +#: Client.cpp:1361 ClientCommand.cpp:154 msgid "Detached {1} channel" msgid_plural "Detached {1} channels" msgstr[0] "" diff --git a/src/po/znc.id_ID.po b/src/po/znc.id_ID.po index 690dd027..5f718591 100644 --- a/src/po/znc.id_ID.po +++ b/src/po/znc.id_ID.po @@ -78,46 +78,38 @@ msgstr "Port tidak valid" msgid "Unable to bind: {1}" msgstr "Tidak dapat mengikat: {1}" -#: IRCNetwork.cpp:236 +#: IRCNetwork.cpp:235 msgid "Jumping servers because this server is no longer in the list" msgstr "Melompati server karena server ini tidak lagi dalam daftar" -#: IRCNetwork.cpp:641 User.cpp:678 +#: IRCNetwork.cpp:640 User.cpp:678 msgid "Welcome to ZNC" msgstr "Selamat datang di ZNC" -#: IRCNetwork.cpp:729 +#: IRCNetwork.cpp:728 msgid "You are currently disconnected from IRC. Use 'connect' to reconnect." msgstr "" "Anda saat ini terputus dari IRC. Gunakan 'connect' untuk terhubung kembali." -#: IRCNetwork.cpp:734 -msgid "" -"ZNC is presently running in DEBUG mode. Sensitive data during your current " -"session may be exposed to the host." -msgstr "" -"ZNC saat ini berjalan dalam mode DEBUG. Data sensitif selama sesi anda saat " -"ini mungkin tidak tersembunyi dari host." - -#: IRCNetwork.cpp:765 +#: IRCNetwork.cpp:758 msgid "This network is being deleted or moved to another user." msgstr "Jaringan ini sedang dihapus atau dipindahkan ke pengguna lain." -#: IRCNetwork.cpp:994 +#: IRCNetwork.cpp:987 msgid "The channel {1} could not be joined, disabling it." msgstr "Tidak dapat join ke channel {1}. menonaktifkan." -#: IRCNetwork.cpp:1123 +#: IRCNetwork.cpp:1116 msgid "Your current server was removed, jumping..." msgstr "Server anda saat ini dihapus, melompati..." -#: IRCNetwork.cpp:1286 +#: IRCNetwork.cpp:1279 msgid "Cannot connect to {1}, because ZNC is not compiled with SSL support." msgstr "" "Tidak dapat terhubung ke {1}, karena ZNC tidak dikompilasi dengan dukungan " "SSL." -#: IRCNetwork.cpp:1307 +#: IRCNetwork.cpp:1300 msgid "Some module aborted the connection attempt" msgstr "Beberapa modul membatalkan upaya koneksi" @@ -187,19 +179,19 @@ msgstr "Tidak ada nick tersedia" msgid "No free nick found" msgstr "Tidak ada nick ditemukan" -#: Client.cpp:75 +#: Client.cpp:74 msgid "No such module {1}" msgstr "Modul tidak ada {1}" -#: Client.cpp:365 +#: Client.cpp:358 msgid "A client from {1} attempted to login as you, but was rejected: {2}" msgstr "Klien dari {1} berusaha masuk seperti anda, namun ditolak: {2}" -#: Client.cpp:400 +#: Client.cpp:393 msgid "Network {1} doesn't exist." msgstr "Jaringan {1} tidak ada." -#: Client.cpp:414 +#: Client.cpp:407 msgid "" "You have several networks configured, but no network was specified for the " "connection." @@ -207,7 +199,7 @@ msgstr "" "Anda memiliki beberapa jaringan terkonfigurasi, tetapi tidak ada jaringan " "ditentukan untuk sambungan." -#: Client.cpp:417 +#: Client.cpp:410 msgid "" "Selecting network {1}. To see list of all configured networks, use /znc " "ListNetworks" @@ -215,7 +207,7 @@ msgstr "" "Memilih jaringan {1}. Untuk melihat daftar semua jaringan terkonfigurasi, " "gunakan /znc ListNetworks" -#: Client.cpp:420 +#: Client.cpp:413 msgid "" "If you want to choose another network, use /znc JumpNetwork , or " "connect to ZNC with username {1}/ (instead of just {1})" @@ -223,65 +215,65 @@ msgstr "" "Jika anda ingin memilih jaringan lain, gunakan /znc JumpNetwork , " "atau hubungkan ke ZNC dengan nama pengguna {1}/ (bukan hanya {1})" -#: Client.cpp:426 +#: Client.cpp:419 msgid "" "You have no networks configured. Use /znc AddNetwork to add one." msgstr "" "Anda tidak memiliki jaringan terkonfigurasi. Gunakan /znc AddNetwork " " untuk menambahkannya." -#: Client.cpp:437 +#: Client.cpp:430 msgid "Closing link: Timeout" msgstr "Menutup link: Waktu habis" -#: Client.cpp:459 +#: Client.cpp:452 msgid "Closing link: Too long raw line" msgstr "Menutup link: Baris raw terlalu panjang" -#: Client.cpp:466 +#: Client.cpp:459 msgid "" "You are being disconnected because another user just authenticated as you." msgstr "Anda terputus karena pengguna lain hanya diautentikasi sebagai anda." -#: Client.cpp:1021 +#: Client.cpp:1014 msgid "Your CTCP to {1} got lost, you are not connected to IRC!" msgstr "CTCP anda untuk {1} tersesat, anda tidak terhubung ke IRC!" -#: Client.cpp:1148 +#: Client.cpp:1141 msgid "Your notice to {1} got lost, you are not connected to IRC!" msgstr "Notice anda untuk {1} tersesat, anda tidak terhubung ke IRC!" -#: Client.cpp:1187 +#: Client.cpp:1180 msgid "Removing channel {1}" msgstr "Menghapus channel {1}" -#: Client.cpp:1263 +#: Client.cpp:1256 msgid "Your message to {1} got lost, you are not connected to IRC!" msgstr "Pesan anda untuk {1} tersesat, anda tidak terhubung ke IRC!" -#: Client.cpp:1316 Client.cpp:1322 +#: Client.cpp:1309 Client.cpp:1315 msgid "Hello. How may I help you?" msgstr "Halo. Bagaimana saya bisa membantu anda?" -#: Client.cpp:1336 +#: Client.cpp:1329 msgid "Usage: /attach <#chans>" msgstr "Gunakan: /attach <#chan>" -#: Client.cpp:1343 Client.cpp:1365 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: Client.cpp:1336 Client.cpp:1358 ClientCommand.cpp:129 ClientCommand.cpp:151 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" msgstr[0] "Ada {1} pencocokan saluran [{2}]" -#: Client.cpp:1346 ClientCommand.cpp:132 +#: Client.cpp:1339 ClientCommand.cpp:132 msgid "Attached {1} channel" msgid_plural "Attached {1} channels" msgstr[0] "" -#: Client.cpp:1358 +#: Client.cpp:1351 msgid "Usage: /detach <#chans>" msgstr "" -#: Client.cpp:1368 ClientCommand.cpp:154 +#: Client.cpp:1361 ClientCommand.cpp:154 msgid "Detached {1} channel" msgid_plural "Detached {1} channels" msgstr[0] "" diff --git a/src/po/znc.nl_NL.po b/src/po/znc.nl_NL.po index 7a18cc8b..bc82660f 100644 --- a/src/po/znc.nl_NL.po +++ b/src/po/znc.nl_NL.po @@ -78,52 +78,44 @@ msgstr "Ongeldige poort" msgid "Unable to bind: {1}" msgstr "Kan niet binden: {1}" -#: IRCNetwork.cpp:236 +#: IRCNetwork.cpp:235 msgid "Jumping servers because this server is no longer in the list" msgstr "" "We schakelen over naar een andere server omdat deze server niet langer in de " "lijst staat" -#: IRCNetwork.cpp:641 User.cpp:678 +#: IRCNetwork.cpp:640 User.cpp:678 msgid "Welcome to ZNC" msgstr "Welkom bij ZNC" -#: IRCNetwork.cpp:729 +#: IRCNetwork.cpp:728 msgid "You are currently disconnected from IRC. Use 'connect' to reconnect." msgstr "" "Op dit moment ben je niet verbonden met IRC. Gebruik 'connect' om opnieuw " "verbinding te maken." -#: IRCNetwork.cpp:734 -msgid "" -"ZNC is presently running in DEBUG mode. Sensitive data during your current " -"session may be exposed to the host." -msgstr "" -"ZNC draait op dit moment in DEBUG modus. Sensitieve data kan tijdens deze " -"sessie blootgesteld worden aan de host." - -#: IRCNetwork.cpp:765 +#: IRCNetwork.cpp:758 msgid "This network is being deleted or moved to another user." msgstr "" "Dit netwerk wordt op dit moment verwijderd of verplaatst door een andere " "gebruiker." -#: IRCNetwork.cpp:994 +#: IRCNetwork.cpp:987 msgid "The channel {1} could not be joined, disabling it." msgstr "Het kanaal {1} kan niet toegetreden worden, deze wordt uitgeschakeld." -#: IRCNetwork.cpp:1123 +#: IRCNetwork.cpp:1116 msgid "Your current server was removed, jumping..." msgstr "" "Je huidige server was verwijderd, we schakelen over naar een andere server..." -#: IRCNetwork.cpp:1286 +#: IRCNetwork.cpp:1279 msgid "Cannot connect to {1}, because ZNC is not compiled with SSL support." msgstr "" "Kan niet verbinden naar {1} omdat ZNC niet gecompileerd is met SSL " "ondersteuning." -#: IRCNetwork.cpp:1307 +#: IRCNetwork.cpp:1300 msgid "Some module aborted the connection attempt" msgstr "Een module heeft de verbindingspoging afgebroken" @@ -196,21 +188,21 @@ msgstr "Geen beschikbare bijnaam" msgid "No free nick found" msgstr "Geen beschikbare bijnaam gevonden" -#: Client.cpp:75 +#: Client.cpp:74 msgid "No such module {1}" msgstr "Geen dergelijke module {1}" -#: Client.cpp:365 +#: Client.cpp:358 msgid "A client from {1} attempted to login as you, but was rejected: {2}" msgstr "" "Een client van {1} heeft geprobeerd als jou in te loggen maar werd " "geweigerd: {2}" -#: Client.cpp:400 +#: Client.cpp:393 msgid "Network {1} doesn't exist." msgstr "Netwerk {1} bestaat niet." -#: Client.cpp:414 +#: Client.cpp:407 msgid "" "You have several networks configured, but no network was specified for the " "connection." @@ -218,7 +210,7 @@ msgstr "" "Je hebt meerdere netwerken geconfigureerd maar je hebt er geen gekozen om " "verbinding mee te maken." -#: Client.cpp:417 +#: Client.cpp:410 msgid "" "Selecting network {1}. To see list of all configured networks, use /znc " "ListNetworks" @@ -226,7 +218,7 @@ msgstr "" "Netwerk {1} geselecteerd. Om een lijst te tonen van alle geconfigureerde " "netwerken, gebruik /znc ListNetworks" -#: Client.cpp:420 +#: Client.cpp:413 msgid "" "If you want to choose another network, use /znc JumpNetwork , or " "connect to ZNC with username {1}/ (instead of just {1})" @@ -234,71 +226,71 @@ msgstr "" "Als je een ander netwerk wilt kiezen, gebruik /znc JumpNetwork , of " "verbind naar ZNC met gebruikersnaam {1}/ (in plaats van alleen {1})" -#: Client.cpp:426 +#: Client.cpp:419 msgid "" "You have no networks configured. Use /znc AddNetwork to add one." msgstr "" "Je hebt geen netwerken geconfigureerd. Gebruiker /znc AddNetwork " "om er een toe te voegen." -#: Client.cpp:437 +#: Client.cpp:430 msgid "Closing link: Timeout" msgstr "Verbinding verbroken: Time-out" -#: Client.cpp:459 +#: Client.cpp:452 msgid "Closing link: Too long raw line" msgstr "Verbinding verbroken: Te lange onbewerkte regel" -#: Client.cpp:466 +#: Client.cpp:459 msgid "" "You are being disconnected because another user just authenticated as you." msgstr "" "Je verbinding wordt verbroken omdat een andere gebruiker zich net aangemeld " "heeft als jou." -#: Client.cpp:1021 +#: Client.cpp:1014 msgid "Your CTCP to {1} got lost, you are not connected to IRC!" msgstr "Je CTCP naar {1} is verloren geraakt, je bent niet verbonden met IRC!" -#: Client.cpp:1148 +#: Client.cpp:1141 msgid "Your notice to {1} got lost, you are not connected to IRC!" msgstr "" "Je notice naar {1} is verloren geraakt, je bent niet verbonden met IRC!" -#: Client.cpp:1187 +#: Client.cpp:1180 msgid "Removing channel {1}" msgstr "Kanaal verwijderen: {1}" -#: Client.cpp:1263 +#: Client.cpp:1256 msgid "Your message to {1} got lost, you are not connected to IRC!" msgstr "" "Je bericht naar {1} is verloren geraakt, je bent niet verbonden met IRC!" -#: Client.cpp:1316 Client.cpp:1322 +#: Client.cpp:1309 Client.cpp:1315 msgid "Hello. How may I help you?" msgstr "Hallo. Hoe kan ik je helpen?" -#: Client.cpp:1336 +#: Client.cpp:1329 msgid "Usage: /attach <#chans>" msgstr "Gebruik: /attach <#kanalen>" -#: Client.cpp:1343 Client.cpp:1365 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: Client.cpp:1336 Client.cpp:1358 ClientCommand.cpp:129 ClientCommand.cpp:151 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" msgstr[0] "Er was {1} kanaal overeenkomend met [{2}]" msgstr[1] "Er waren {1} kanalen overeenkomend met [{2}]" -#: Client.cpp:1346 ClientCommand.cpp:132 +#: Client.cpp:1339 ClientCommand.cpp:132 msgid "Attached {1} channel" msgid_plural "Attached {1} channels" msgstr[0] "Gekoppeld aan {1} kanaal" msgstr[1] "Gekoppeld aan {1} kanalen" -#: Client.cpp:1358 +#: Client.cpp:1351 msgid "Usage: /detach <#chans>" msgstr "Gebruik: /detach <#kanalen>" -#: Client.cpp:1368 ClientCommand.cpp:154 +#: Client.cpp:1361 ClientCommand.cpp:154 msgid "Detached {1} channel" msgid_plural "Detached {1} channels" msgstr[0] "Losgekoppeld van {1} kanaal" diff --git a/src/po/znc.pot b/src/po/znc.pot index 35b86385..f9d4b203 100644 --- a/src/po/znc.pot +++ b/src/po/znc.pot @@ -66,41 +66,35 @@ msgstr "" msgid "Unable to bind: {1}" msgstr "" -#: IRCNetwork.cpp:236 +#: IRCNetwork.cpp:235 msgid "Jumping servers because this server is no longer in the list" msgstr "" -#: IRCNetwork.cpp:641 User.cpp:678 +#: IRCNetwork.cpp:640 User.cpp:678 msgid "Welcome to ZNC" msgstr "" -#: IRCNetwork.cpp:729 +#: IRCNetwork.cpp:728 msgid "You are currently disconnected from IRC. Use 'connect' to reconnect." msgstr "" -#: IRCNetwork.cpp:734 -msgid "" -"ZNC is presently running in DEBUG mode. Sensitive data during your current " -"session may be exposed to the host." -msgstr "" - -#: IRCNetwork.cpp:765 +#: IRCNetwork.cpp:758 msgid "This network is being deleted or moved to another user." msgstr "" -#: IRCNetwork.cpp:994 +#: IRCNetwork.cpp:987 msgid "The channel {1} could not be joined, disabling it." msgstr "" -#: IRCNetwork.cpp:1123 +#: IRCNetwork.cpp:1116 msgid "Your current server was removed, jumping..." msgstr "" -#: IRCNetwork.cpp:1286 +#: IRCNetwork.cpp:1279 msgid "Cannot connect to {1}, because ZNC is not compiled with SSL support." msgstr "" -#: IRCNetwork.cpp:1307 +#: IRCNetwork.cpp:1300 msgid "Some module aborted the connection attempt" msgstr "" @@ -168,95 +162,95 @@ msgstr "" msgid "No free nick found" msgstr "" -#: Client.cpp:75 +#: Client.cpp:74 msgid "No such module {1}" msgstr "" -#: Client.cpp:365 +#: Client.cpp:358 msgid "A client from {1} attempted to login as you, but was rejected: {2}" msgstr "" -#: Client.cpp:400 +#: Client.cpp:393 msgid "Network {1} doesn't exist." msgstr "" -#: Client.cpp:414 +#: Client.cpp:407 msgid "" "You have several networks configured, but no network was specified for the " "connection." msgstr "" -#: Client.cpp:417 +#: Client.cpp:410 msgid "" "Selecting network {1}. To see list of all configured networks, use /znc " "ListNetworks" msgstr "" -#: Client.cpp:420 +#: Client.cpp:413 msgid "" "If you want to choose another network, use /znc JumpNetwork , or " "connect to ZNC with username {1}/ (instead of just {1})" msgstr "" -#: Client.cpp:426 +#: Client.cpp:419 msgid "" "You have no networks configured. Use /znc AddNetwork to add one." msgstr "" -#: Client.cpp:437 +#: Client.cpp:430 msgid "Closing link: Timeout" msgstr "" -#: Client.cpp:459 +#: Client.cpp:452 msgid "Closing link: Too long raw line" msgstr "" -#: Client.cpp:466 +#: Client.cpp:459 msgid "" "You are being disconnected because another user just authenticated as you." msgstr "" -#: Client.cpp:1021 +#: Client.cpp:1014 msgid "Your CTCP to {1} got lost, you are not connected to IRC!" msgstr "" -#: Client.cpp:1148 +#: Client.cpp:1141 msgid "Your notice to {1} got lost, you are not connected to IRC!" msgstr "" -#: Client.cpp:1187 +#: Client.cpp:1180 msgid "Removing channel {1}" msgstr "" -#: Client.cpp:1263 +#: Client.cpp:1256 msgid "Your message to {1} got lost, you are not connected to IRC!" msgstr "" -#: Client.cpp:1316 Client.cpp:1322 +#: Client.cpp:1309 Client.cpp:1315 msgid "Hello. How may I help you?" msgstr "" -#: Client.cpp:1336 +#: Client.cpp:1329 msgid "Usage: /attach <#chans>" msgstr "" -#: Client.cpp:1343 Client.cpp:1365 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: Client.cpp:1336 Client.cpp:1358 ClientCommand.cpp:129 ClientCommand.cpp:151 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" msgstr[0] "" msgstr[1] "" -#: Client.cpp:1346 ClientCommand.cpp:132 +#: Client.cpp:1339 ClientCommand.cpp:132 msgid "Attached {1} channel" msgid_plural "Attached {1} channels" msgstr[0] "" msgstr[1] "" -#: Client.cpp:1358 +#: Client.cpp:1351 msgid "Usage: /detach <#chans>" msgstr "" -#: Client.cpp:1368 ClientCommand.cpp:154 +#: Client.cpp:1361 ClientCommand.cpp:154 msgid "Detached {1} channel" msgid_plural "Detached {1} channels" msgstr[0] "" diff --git a/src/po/znc.pt_BR.po b/src/po/znc.pt_BR.po index 63d1bc1a..6c8f2bd1 100644 --- a/src/po/znc.pt_BR.po +++ b/src/po/znc.pt_BR.po @@ -75,41 +75,35 @@ msgstr "Porta inválida" msgid "Unable to bind: {1}" msgstr "" -#: IRCNetwork.cpp:236 +#: IRCNetwork.cpp:235 msgid "Jumping servers because this server is no longer in the list" msgstr "" -#: IRCNetwork.cpp:641 User.cpp:678 +#: IRCNetwork.cpp:640 User.cpp:678 msgid "Welcome to ZNC" msgstr "Bem-vindo(a) ao ZNC" -#: IRCNetwork.cpp:729 +#: IRCNetwork.cpp:728 msgid "You are currently disconnected from IRC. Use 'connect' to reconnect." msgstr "" -#: IRCNetwork.cpp:734 -msgid "" -"ZNC is presently running in DEBUG mode. Sensitive data during your current " -"session may be exposed to the host." -msgstr "" - -#: IRCNetwork.cpp:765 +#: IRCNetwork.cpp:758 msgid "This network is being deleted or moved to another user." msgstr "" -#: IRCNetwork.cpp:994 +#: IRCNetwork.cpp:987 msgid "The channel {1} could not be joined, disabling it." msgstr "Não foi possível entrar no canal {1}. Desabilitando-o." -#: IRCNetwork.cpp:1123 +#: IRCNetwork.cpp:1116 msgid "Your current server was removed, jumping..." msgstr "" -#: IRCNetwork.cpp:1286 +#: IRCNetwork.cpp:1279 msgid "Cannot connect to {1}, because ZNC is not compiled with SSL support." msgstr "" -#: IRCNetwork.cpp:1307 +#: IRCNetwork.cpp:1300 msgid "Some module aborted the connection attempt" msgstr "Algum módulo cancelou a tentativa de conexão" @@ -177,19 +171,19 @@ msgstr "" msgid "No free nick found" msgstr "" -#: Client.cpp:75 +#: Client.cpp:74 msgid "No such module {1}" msgstr "O módulo {1} não existe" -#: Client.cpp:365 +#: Client.cpp:358 msgid "A client from {1} attempted to login as you, but was rejected: {2}" msgstr "" -#: Client.cpp:400 +#: Client.cpp:393 msgid "Network {1} doesn't exist." msgstr "A rede {1} não existe." -#: Client.cpp:414 +#: Client.cpp:407 msgid "" "You have several networks configured, but no network was specified for the " "connection." @@ -197,7 +191,7 @@ msgstr "" "Você possui várias redes configuradas mas nenhuma delas foi especificada " "para conectar." -#: Client.cpp:417 +#: Client.cpp:410 msgid "" "Selecting network {1}. To see list of all configured networks, use /znc " "ListNetworks" @@ -205,73 +199,73 @@ msgstr "" "Selecionando a rede {1}. Para ver a lista das redes configuradas, digite /" "znc ListNetworks" -#: Client.cpp:420 +#: Client.cpp:413 msgid "" "If you want to choose another network, use /znc JumpNetwork , or " "connect to ZNC with username {1}/ (instead of just {1})" msgstr "" -#: Client.cpp:426 +#: Client.cpp:419 msgid "" "You have no networks configured. Use /znc AddNetwork to add one." msgstr "" "Você não possui redes configuradas. Digite /znc AddNetwork para " "adicionar uma rede." -#: Client.cpp:437 +#: Client.cpp:430 msgid "Closing link: Timeout" msgstr "" -#: Client.cpp:459 +#: Client.cpp:452 msgid "Closing link: Too long raw line" msgstr "" -#: Client.cpp:466 +#: Client.cpp:459 msgid "" "You are being disconnected because another user just authenticated as you." msgstr "" -#: Client.cpp:1021 +#: Client.cpp:1014 msgid "Your CTCP to {1} got lost, you are not connected to IRC!" msgstr "" -#: Client.cpp:1148 +#: Client.cpp:1141 msgid "Your notice to {1} got lost, you are not connected to IRC!" msgstr "" -#: Client.cpp:1187 +#: Client.cpp:1180 msgid "Removing channel {1}" msgstr "" -#: Client.cpp:1263 +#: Client.cpp:1256 msgid "Your message to {1} got lost, you are not connected to IRC!" msgstr "" -#: Client.cpp:1316 Client.cpp:1322 +#: Client.cpp:1309 Client.cpp:1315 msgid "Hello. How may I help you?" msgstr "" -#: Client.cpp:1336 +#: Client.cpp:1329 msgid "Usage: /attach <#chans>" msgstr "" -#: Client.cpp:1343 Client.cpp:1365 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: Client.cpp:1336 Client.cpp:1358 ClientCommand.cpp:129 ClientCommand.cpp:151 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" msgstr[0] "" msgstr[1] "" -#: Client.cpp:1346 ClientCommand.cpp:132 +#: Client.cpp:1339 ClientCommand.cpp:132 msgid "Attached {1} channel" msgid_plural "Attached {1} channels" msgstr[0] "" msgstr[1] "" -#: Client.cpp:1358 +#: Client.cpp:1351 msgid "Usage: /detach <#chans>" msgstr "" -#: Client.cpp:1368 ClientCommand.cpp:154 +#: Client.cpp:1361 ClientCommand.cpp:154 msgid "Detached {1} channel" msgid_plural "Detached {1} channels" msgstr[0] "" diff --git a/src/po/znc.ru_RU.po b/src/po/znc.ru_RU.po index 68410a35..00a46eb3 100644 --- a/src/po/znc.ru_RU.po +++ b/src/po/znc.ru_RU.po @@ -81,43 +81,35 @@ msgstr "Некорректный порт" msgid "Unable to bind: {1}" msgstr "Не получилось слушать: {1}" -#: IRCNetwork.cpp:236 +#: IRCNetwork.cpp:235 msgid "Jumping servers because this server is no longer in the list" msgstr "Текущий сервер больше не в списке, переподключаюсь" -#: IRCNetwork.cpp:641 User.cpp:678 +#: IRCNetwork.cpp:640 User.cpp:678 msgid "Welcome to ZNC" msgstr "Добро пожаловать в ZNC" -#: IRCNetwork.cpp:729 +#: IRCNetwork.cpp:728 msgid "You are currently disconnected from IRC. Use 'connect' to reconnect." msgstr "Вы отключены от IRC. Введите «connect» для подключения." -#: IRCNetwork.cpp:734 -msgid "" -"ZNC is presently running in DEBUG mode. Sensitive data during your current " -"session may be exposed to the host." -msgstr "" -"ZNC запущен в отладочном режиме. Деликатная информация, проходящая через " -"ZNC, может быть видна администратору." - -#: IRCNetwork.cpp:765 +#: IRCNetwork.cpp:758 msgid "This network is being deleted or moved to another user." msgstr "Эта сеть будет удалена или перемещена к другому пользователю." -#: IRCNetwork.cpp:994 +#: IRCNetwork.cpp:987 msgid "The channel {1} could not be joined, disabling it." msgstr "Не могу зайти на канал {1}, выключаю его." -#: IRCNetwork.cpp:1123 +#: IRCNetwork.cpp:1116 msgid "Your current server was removed, jumping..." msgstr "Текущий сервер был удалён, переподключаюсь..." -#: IRCNetwork.cpp:1286 +#: IRCNetwork.cpp:1279 msgid "Cannot connect to {1}, because ZNC is not compiled with SSL support." msgstr "Не могу подключиться к {1}, т. к. ZNC собран без поддержки SSL." -#: IRCNetwork.cpp:1307 +#: IRCNetwork.cpp:1300 msgid "Some module aborted the connection attempt" msgstr "Какой-то модуль оборвал попытку соединения" @@ -187,26 +179,26 @@ msgstr "Не могу найти свободный ник" msgid "No free nick found" msgstr "Не могу найти свободный ник" -#: Client.cpp:75 +#: Client.cpp:74 msgid "No such module {1}" msgstr "Нет модуля {1}" -#: Client.cpp:365 +#: Client.cpp:358 msgid "A client from {1} attempted to login as you, but was rejected: {2}" msgstr "Клиент с {1} попытался зайти под вашим именем, но был отвергнут: {2}" -#: Client.cpp:400 +#: Client.cpp:393 msgid "Network {1} doesn't exist." msgstr "Сеть {1} не существует." -#: Client.cpp:414 +#: Client.cpp:407 msgid "" "You have several networks configured, but no network was specified for the " "connection." msgstr "" "У вас настроены несколько сетей, но для этого соединения ни одна не указана." -#: Client.cpp:417 +#: Client.cpp:410 msgid "" "Selecting network {1}. To see list of all configured networks, use /znc " "ListNetworks" @@ -214,7 +206,7 @@ msgstr "" "Выбираю сеть {1}. Чтобы увидеть весь список, введите команду /znc " "ListNetworks" -#: Client.cpp:420 +#: Client.cpp:413 msgid "" "If you want to choose another network, use /znc JumpNetwork , or " "connect to ZNC with username {1}/ (instead of just {1})" @@ -222,51 +214,51 @@ msgstr "" "Чтобы выбрать другую сеть, введите /znc JumpNetwork <сеть> либо " "подключайтесь к ZNC с именем пользователя {1}/<сеть> вместо {1}" -#: Client.cpp:426 +#: Client.cpp:419 msgid "" "You have no networks configured. Use /znc AddNetwork to add one." msgstr "" "Вы не настроили ни одну сеть. Введите команду /znc AddNetwork <сеть> чтобы " "добавить сеть." -#: Client.cpp:437 +#: Client.cpp:430 msgid "Closing link: Timeout" msgstr "Завершаю связь по тайм-ауту" -#: Client.cpp:459 +#: Client.cpp:452 msgid "Closing link: Too long raw line" msgstr "Завершаю связь: получена слишком длинная строка" -#: Client.cpp:466 +#: Client.cpp:459 msgid "" "You are being disconnected because another user just authenticated as you." msgstr "Другой пользователь зашёл под вашим именем, отключаем." -#: Client.cpp:1021 +#: Client.cpp:1014 msgid "Your CTCP to {1} got lost, you are not connected to IRC!" msgstr "Вы не подключены к IRC, ваш CTCP-запрос к {1} утерян!" -#: Client.cpp:1148 +#: Client.cpp:1141 msgid "Your notice to {1} got lost, you are not connected to IRC!" msgstr "Вы не подключены к IRC, ваше сообщение к {1} утеряно!" -#: Client.cpp:1187 +#: Client.cpp:1180 msgid "Removing channel {1}" msgstr "Убираю канал {1}" -#: Client.cpp:1263 +#: Client.cpp:1256 msgid "Your message to {1} got lost, you are not connected to IRC!" msgstr "Вы не подключены к IRC, ваше сообщение к {1} утеряно!" -#: Client.cpp:1316 Client.cpp:1322 +#: Client.cpp:1309 Client.cpp:1315 msgid "Hello. How may I help you?" msgstr "Привет, чем могу быть вам полезен?" -#: Client.cpp:1336 +#: Client.cpp:1329 msgid "Usage: /attach <#chans>" msgstr "Использование: /attach <#каналы>" -#: Client.cpp:1343 Client.cpp:1365 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: Client.cpp:1336 Client.cpp:1358 ClientCommand.cpp:129 ClientCommand.cpp:151 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" msgstr[0] "{1} канал подходит под маску [{2}]" @@ -274,7 +266,7 @@ msgstr[1] "{1} канала подходят под маску [{2}]" msgstr[2] "{1} каналов подходят под маску [{2}]" msgstr[3] "{1} каналов подходят под маску [{2}]" -#: Client.cpp:1346 ClientCommand.cpp:132 +#: Client.cpp:1339 ClientCommand.cpp:132 msgid "Attached {1} channel" msgid_plural "Attached {1} channels" msgstr[0] "Прицепляю {1} канал" @@ -282,11 +274,11 @@ msgstr[1] "Прицепляю {1} канала" msgstr[2] "Прицепляю {1} каналов" msgstr[3] "Прицепляю {1} каналов" -#: Client.cpp:1358 +#: Client.cpp:1351 msgid "Usage: /detach <#chans>" msgstr "Использование: /detach <#каналы>" -#: Client.cpp:1368 ClientCommand.cpp:154 +#: Client.cpp:1361 ClientCommand.cpp:154 msgid "Detached {1} channel" msgid_plural "Detached {1} channels" msgstr[0] "Отцепляю {1} канал" @@ -1123,21 +1115,21 @@ msgstr "Всего" #: ClientCommand.cpp:1498 msgctxt "trafficcmd" msgid "" -msgstr "" +msgstr "<Пользователи>" #: ClientCommand.cpp:1507 msgctxt "trafficcmd" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1515 msgctxt "trafficcmd" msgid "" -msgstr "" +msgstr "<Всего>" #: ClientCommand.cpp:1524 msgid "Running for {1}" -msgstr "" +msgstr "Запущен {1}" #: ClientCommand.cpp:1530 msgid "Unknown command, try 'Help'" From 3b6980cb85b776b426d24c4be7b7dc4980d8abd1 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Tue, 19 Jun 2018 21:04:33 +0000 Subject: [PATCH 166/798] Update translations from Crowdin for de_DE es_ES id_ID nl_NL pt_BR ru_RU --- modules/po/admindebug.de_DE.po | 53 ++++++++++++++++++++ modules/po/admindebug.es_ES.po | 53 ++++++++++++++++++++ modules/po/admindebug.id_ID.po | 53 ++++++++++++++++++++ modules/po/admindebug.nl_NL.po | 53 ++++++++++++++++++++ modules/po/admindebug.pot | 44 +++++++++++++++++ modules/po/admindebug.pt_BR.po | 53 ++++++++++++++++++++ modules/po/admindebug.ru_RU.po | 55 +++++++++++++++++++++ modules/po/adminlog.pt_BR.po | 4 +- modules/po/bouncedcc.es_ES.po | 15 +++--- modules/po/clientnotify.nl_NL.po | 2 +- modules/po/dcc.es_ES.po | 2 +- modules/po/identfile.es_ES.po | 34 +++++++------ modules/po/imapauth.es_ES.po | 4 +- modules/po/keepnick.es_ES.po | 20 ++++---- modules/po/kickrejoin.es_ES.po | 22 ++++----- modules/po/lastseen.es_ES.po | 26 +++++----- modules/po/listsockets.es_ES.po | 46 +++++++++--------- modules/po/log.es_ES.po | 64 ++++++++++++------------ modules/po/missingmotd.es_ES.po | 2 +- modules/po/modperl.es_ES.po | 2 +- modules/po/modpython.es_ES.po | 2 +- modules/po/modules_online.es_ES.po | 2 +- modules/po/nickserv.es_ES.po | 30 ++++++------ modules/po/notes.es_ES.po | 52 ++++++++++---------- modules/po/notify_connect.es_ES.po | 8 +-- modules/po/partyline.es_ES.po | 12 +++-- modules/po/perform.es_ES.po | 46 +++++++++--------- modules/po/perleval.es_ES.po | 8 +-- modules/po/pyeval.es_ES.po | 4 +- modules/po/sample.es_ES.po | 16 +++--- modules/po/samplewebapi.es_ES.po | 2 +- modules/po/sasl.es_ES.po | 78 ++++++++++++++++-------------- modules/po/savebuff.es_ES.po | 24 +++++---- modules/po/send_raw.es_ES.po | 47 +++++++++--------- modules/po/shell.es_ES.po | 8 +-- modules/po/simple_away.es_ES.po | 33 +++++++------ modules/po/stickychan.es_ES.po | 43 ++++++++-------- src/po/znc.de_DE.po | 64 +++++++++++------------- src/po/znc.es_ES.po | 64 +++++++++++------------- src/po/znc.id_ID.po | 64 +++++++++++------------- src/po/znc.nl_NL.po | 64 +++++++++++------------- src/po/znc.pot | 62 +++++++++++------------- src/po/znc.pt_BR.po | 62 +++++++++++------------- src/po/znc.ru_RU.po | 72 ++++++++++++--------------- 44 files changed, 908 insertions(+), 566 deletions(-) create mode 100644 modules/po/admindebug.de_DE.po create mode 100644 modules/po/admindebug.es_ES.po create mode 100644 modules/po/admindebug.id_ID.po create mode 100644 modules/po/admindebug.nl_NL.po create mode 100644 modules/po/admindebug.pot create mode 100644 modules/po/admindebug.pt_BR.po create mode 100644 modules/po/admindebug.ru_RU.po diff --git a/modules/po/admindebug.de_DE.po b/modules/po/admindebug.de_DE.po new file mode 100644 index 00000000..b35e5c06 --- /dev/null +++ b/modules/po/admindebug.de_DE.po @@ -0,0 +1,53 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: de\n" +"X-Crowdin-File: /1.7.x/modules/po/admindebug.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: German\n" +"Language: de_DE\n" + +#: admindebug.cpp:30 +msgid "Enable Debug Mode" +msgstr "" + +#: admindebug.cpp:32 +msgid "Disable Debug Mode" +msgstr "" + +#: admindebug.cpp:34 +msgid "Show the Debug Mode status" +msgstr "" + +#: admindebug.cpp:40 admindebug.cpp:49 +msgid "Access denied!" +msgstr "" + +#: admindebug.cpp:61 +msgid "Already enabled." +msgstr "" + +#: admindebug.cpp:63 +msgid "Already disabled." +msgstr "" + +#: admindebug.cpp:88 +msgid "Debugging mode is on." +msgstr "" + +#: admindebug.cpp:90 +msgid "Debugging mode is off." +msgstr "" + +#: admindebug.cpp:92 +msgid "Logging to: stdout." +msgstr "" + +#: admindebug.cpp:101 +msgid "Enable Debug mode dynamically." +msgstr "" diff --git a/modules/po/admindebug.es_ES.po b/modules/po/admindebug.es_ES.po new file mode 100644 index 00000000..7bb4c33c --- /dev/null +++ b/modules/po/admindebug.es_ES.po @@ -0,0 +1,53 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: es-ES\n" +"X-Crowdin-File: /1.7.x/modules/po/admindebug.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Spanish\n" +"Language: es_ES\n" + +#: admindebug.cpp:30 +msgid "Enable Debug Mode" +msgstr "" + +#: admindebug.cpp:32 +msgid "Disable Debug Mode" +msgstr "" + +#: admindebug.cpp:34 +msgid "Show the Debug Mode status" +msgstr "" + +#: admindebug.cpp:40 admindebug.cpp:49 +msgid "Access denied!" +msgstr "" + +#: admindebug.cpp:61 +msgid "Already enabled." +msgstr "" + +#: admindebug.cpp:63 +msgid "Already disabled." +msgstr "" + +#: admindebug.cpp:88 +msgid "Debugging mode is on." +msgstr "" + +#: admindebug.cpp:90 +msgid "Debugging mode is off." +msgstr "" + +#: admindebug.cpp:92 +msgid "Logging to: stdout." +msgstr "" + +#: admindebug.cpp:101 +msgid "Enable Debug mode dynamically." +msgstr "" diff --git a/modules/po/admindebug.id_ID.po b/modules/po/admindebug.id_ID.po new file mode 100644 index 00000000..123ae08a --- /dev/null +++ b/modules/po/admindebug.id_ID.po @@ -0,0 +1,53 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=1; plural=0;\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: id\n" +"X-Crowdin-File: /1.7.x/modules/po/admindebug.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Indonesian\n" +"Language: id_ID\n" + +#: admindebug.cpp:30 +msgid "Enable Debug Mode" +msgstr "" + +#: admindebug.cpp:32 +msgid "Disable Debug Mode" +msgstr "" + +#: admindebug.cpp:34 +msgid "Show the Debug Mode status" +msgstr "" + +#: admindebug.cpp:40 admindebug.cpp:49 +msgid "Access denied!" +msgstr "" + +#: admindebug.cpp:61 +msgid "Already enabled." +msgstr "" + +#: admindebug.cpp:63 +msgid "Already disabled." +msgstr "" + +#: admindebug.cpp:88 +msgid "Debugging mode is on." +msgstr "" + +#: admindebug.cpp:90 +msgid "Debugging mode is off." +msgstr "" + +#: admindebug.cpp:92 +msgid "Logging to: stdout." +msgstr "" + +#: admindebug.cpp:101 +msgid "Enable Debug mode dynamically." +msgstr "" diff --git a/modules/po/admindebug.nl_NL.po b/modules/po/admindebug.nl_NL.po new file mode 100644 index 00000000..03aa94bd --- /dev/null +++ b/modules/po/admindebug.nl_NL.po @@ -0,0 +1,53 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: nl\n" +"X-Crowdin-File: /1.7.x/modules/po/admindebug.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Dutch\n" +"Language: nl_NL\n" + +#: admindebug.cpp:30 +msgid "Enable Debug Mode" +msgstr "Debug-modus inschakelen" + +#: admindebug.cpp:32 +msgid "Disable Debug Mode" +msgstr "Debug-modus uitschakelen" + +#: admindebug.cpp:34 +msgid "Show the Debug Mode status" +msgstr "Laat de status van de debug-modus zien" + +#: admindebug.cpp:40 admindebug.cpp:49 +msgid "Access denied!" +msgstr "Toegang geweigerd!" + +#: admindebug.cpp:61 +msgid "Already enabled." +msgstr "Al ingeschakeld." + +#: admindebug.cpp:63 +msgid "Already disabled." +msgstr "Al uitgeschakeld." + +#: admindebug.cpp:88 +msgid "Debugging mode is on." +msgstr "Debugging modus is aan." + +#: admindebug.cpp:90 +msgid "Debugging mode is off." +msgstr "Debugging modus is uit." + +#: admindebug.cpp:92 +msgid "Logging to: stdout." +msgstr "Logboek bijhouden naar: stdout." + +#: admindebug.cpp:101 +msgid "Enable Debug mode dynamically." +msgstr "Debug-modus dynamisch inschakelen." diff --git a/modules/po/admindebug.pot b/modules/po/admindebug.pot new file mode 100644 index 00000000..f0bbfefd --- /dev/null +++ b/modules/po/admindebug.pot @@ -0,0 +1,44 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + +#: admindebug.cpp:30 +msgid "Enable Debug Mode" +msgstr "" + +#: admindebug.cpp:32 +msgid "Disable Debug Mode" +msgstr "" + +#: admindebug.cpp:34 +msgid "Show the Debug Mode status" +msgstr "" + +#: admindebug.cpp:40 admindebug.cpp:49 +msgid "Access denied!" +msgstr "" + +#: admindebug.cpp:61 +msgid "Already enabled." +msgstr "" + +#: admindebug.cpp:63 +msgid "Already disabled." +msgstr "" + +#: admindebug.cpp:88 +msgid "Debugging mode is on." +msgstr "" + +#: admindebug.cpp:90 +msgid "Debugging mode is off." +msgstr "" + +#: admindebug.cpp:92 +msgid "Logging to: stdout." +msgstr "" + +#: admindebug.cpp:101 +msgid "Enable Debug mode dynamically." +msgstr "" diff --git a/modules/po/admindebug.pt_BR.po b/modules/po/admindebug.pt_BR.po new file mode 100644 index 00000000..c8ec7cbb --- /dev/null +++ b/modules/po/admindebug.pt_BR.po @@ -0,0 +1,53 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: pt-BR\n" +"X-Crowdin-File: /1.7.x/modules/po/admindebug.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Portuguese, Brazilian\n" +"Language: pt_BR\n" + +#: admindebug.cpp:30 +msgid "Enable Debug Mode" +msgstr "" + +#: admindebug.cpp:32 +msgid "Disable Debug Mode" +msgstr "" + +#: admindebug.cpp:34 +msgid "Show the Debug Mode status" +msgstr "" + +#: admindebug.cpp:40 admindebug.cpp:49 +msgid "Access denied!" +msgstr "" + +#: admindebug.cpp:61 +msgid "Already enabled." +msgstr "" + +#: admindebug.cpp:63 +msgid "Already disabled." +msgstr "" + +#: admindebug.cpp:88 +msgid "Debugging mode is on." +msgstr "" + +#: admindebug.cpp:90 +msgid "Debugging mode is off." +msgstr "" + +#: admindebug.cpp:92 +msgid "Logging to: stdout." +msgstr "" + +#: admindebug.cpp:101 +msgid "Enable Debug mode dynamically." +msgstr "" diff --git a/modules/po/admindebug.ru_RU.po b/modules/po/admindebug.ru_RU.po new file mode 100644 index 00000000..447de700 --- /dev/null +++ b/modules/po/admindebug.ru_RU.po @@ -0,0 +1,55 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=((n%10==1 && n%100!=11) ? 0 : ((n%10 >= 2 " +"&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " +"&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: ru\n" +"X-Crowdin-File: /1.7.x/modules/po/admindebug.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: Russian\n" +"Language: ru_RU\n" + +#: admindebug.cpp:30 +msgid "Enable Debug Mode" +msgstr "" + +#: admindebug.cpp:32 +msgid "Disable Debug Mode" +msgstr "" + +#: admindebug.cpp:34 +msgid "Show the Debug Mode status" +msgstr "" + +#: admindebug.cpp:40 admindebug.cpp:49 +msgid "Access denied!" +msgstr "" + +#: admindebug.cpp:61 +msgid "Already enabled." +msgstr "" + +#: admindebug.cpp:63 +msgid "Already disabled." +msgstr "" + +#: admindebug.cpp:88 +msgid "Debugging mode is on." +msgstr "" + +#: admindebug.cpp:90 +msgid "Debugging mode is off." +msgstr "" + +#: admindebug.cpp:92 +msgid "Logging to: stdout." +msgstr "" + +#: admindebug.cpp:101 +msgid "Enable Debug mode dynamically." +msgstr "" diff --git a/modules/po/adminlog.pt_BR.po b/modules/po/adminlog.pt_BR.po index d04e56bd..e52b013f 100644 --- a/modules/po/adminlog.pt_BR.po +++ b/modules/po/adminlog.pt_BR.po @@ -26,7 +26,7 @@ msgstr "" #: adminlog.cpp:142 msgid "Access denied" -msgstr "" +msgstr "Acesso negado" #: adminlog.cpp:156 msgid "Now logging to file" @@ -46,7 +46,7 @@ msgstr "" #: adminlog.cpp:170 msgid "Unknown target" -msgstr "" +msgstr "Alvo desconhecido" #: adminlog.cpp:192 msgid "Logging is enabled for file" diff --git a/modules/po/bouncedcc.es_ES.po b/modules/po/bouncedcc.es_ES.po index c7262719..66611f0c 100644 --- a/modules/po/bouncedcc.es_ES.po +++ b/modules/po/bouncedcc.es_ES.po @@ -92,37 +92,40 @@ msgstr "Xfer" #: bouncedcc.cpp:385 msgid "DCC {1} Bounce ({2}): Too long line received" -msgstr "" +msgstr "DCC {1} Bounce ({2}): línea demasiado larga recibida" #: bouncedcc.cpp:418 msgid "DCC {1} Bounce ({2}): Timeout while connecting to {3} {4}" -msgstr "" +msgstr "DCC {1} Bounce ({2}): tiempo de espera agotado al conectar a {3} {4}" #: bouncedcc.cpp:422 msgid "DCC {1} Bounce ({2}): Timeout while connecting." -msgstr "" +msgstr "DCC {1} Bounce ({2}): tiempo de espera agotado conectando." #: bouncedcc.cpp:427 msgid "" "DCC {1} Bounce ({2}): Timeout while waiting for incoming connection on {3} " "{4}" msgstr "" +"DCC {1} Bounce ({2}): tiempo de espera agotado esperando una conexión en {3} " +"{4}" #: bouncedcc.cpp:440 msgid "DCC {1} Bounce ({2}): Connection refused while connecting to {3} {4}" msgstr "" +"DCC {1} Bounce ({2}): conexión rechazada mientras se conectaba a {3} {4}" #: bouncedcc.cpp:444 msgid "DCC {1} Bounce ({2}): Connection refused while connecting." -msgstr "" +msgstr "DCC {1} Bounce ({2}): conexión rechazada mientras se conectaba." #: bouncedcc.cpp:457 bouncedcc.cpp:465 msgid "DCC {1} Bounce ({2}): Socket error on {3} {4}: {5}" -msgstr "" +msgstr "DCC {1} Bounce ({2}): error de socket en {3} {4}: {5}" #: bouncedcc.cpp:460 msgid "DCC {1} Bounce ({2}): Socket error: {3}" -msgstr "" +msgstr "DCC {1} Bounce ({2}): error de socket: {3}" #: bouncedcc.cpp:547 msgid "" diff --git a/modules/po/clientnotify.nl_NL.po b/modules/po/clientnotify.nl_NL.po index f58cae0b..a38b7824 100644 --- a/modules/po/clientnotify.nl_NL.po +++ b/modules/po/clientnotify.nl_NL.po @@ -41,7 +41,7 @@ msgid "" msgid_plural "" "Another client authenticated as your user. Use the 'ListClients' command to " "see all {1} clients." -msgstr[0] "" +msgstr[0] "" msgstr[1] "" "Een andere client heeft zich als jouw gebruiker geïdentificeerd. Gebruik het " "'ListClients' commando om alle {1} clients te zien." diff --git a/modules/po/dcc.es_ES.po b/modules/po/dcc.es_ES.po index 0ee89441..bfa4446c 100644 --- a/modules/po/dcc.es_ES.po +++ b/modules/po/dcc.es_ES.po @@ -228,4 +228,4 @@ msgstr "Enviando [{1}] a [{2}]: archivo demasiado grande (>4 GiB)." #: dcc.cpp:623 msgid "This module allows you to transfer files to and from ZNC" -msgstr "" +msgstr "Este módulo permite transferir archivos a y desde ZNC" diff --git a/modules/po/identfile.es_ES.po b/modules/po/identfile.es_ES.po index 9f249241..4202c879 100644 --- a/modules/po/identfile.es_ES.po +++ b/modules/po/identfile.es_ES.po @@ -14,70 +14,72 @@ msgstr "" #: identfile.cpp:30 msgid "Show file name" -msgstr "" +msgstr "Mostrar nombre de archivo" #: identfile.cpp:32 msgid "" -msgstr "" +msgstr "" #: identfile.cpp:32 msgid "Set file name" -msgstr "" +msgstr "Definir nombre de archivo" #: identfile.cpp:34 msgid "Show file format" -msgstr "" +msgstr "Mostrar formato de archivo" #: identfile.cpp:36 msgid "" -msgstr "" +msgstr "" #: identfile.cpp:36 msgid "Set file format" -msgstr "" +msgstr "Definir formato de archivo" #: identfile.cpp:38 msgid "Show current state" -msgstr "" +msgstr "Mostrar estado actual" #: identfile.cpp:48 msgid "File is set to: {1}" -msgstr "" +msgstr "Archivo definido a: {1}" #: identfile.cpp:53 msgid "File has been set to: {1}" -msgstr "" +msgstr "El archivo se ha establecido a: {1}" #: identfile.cpp:58 msgid "Format has been set to: {1}" -msgstr "" +msgstr "El formato se ha establecido a: {1}" #: identfile.cpp:59 identfile.cpp:65 msgid "Format would be expanded to: {1}" -msgstr "" +msgstr "El formato será expandido a: {1}" #: identfile.cpp:64 msgid "Format is set to: {1}" -msgstr "" +msgstr "Formato establecido a: {1}" #: identfile.cpp:78 msgid "identfile is free" -msgstr "" +msgstr "identfile vacío" #: identfile.cpp:86 msgid "Access denied" -msgstr "" +msgstr "Acceso denegado" #: identfile.cpp:181 msgid "" "Aborting connection, another user or network is currently connecting and " "using the ident spoof file" msgstr "" +"Conexión cancelada, otro usuario o red ya se está conectando usando el " +"archivo de ident" #: identfile.cpp:189 msgid "[{1}] could not be written, retrying..." -msgstr "" +msgstr "[{1}] no se ha podido escribir, reintentando..." #: identfile.cpp:223 msgid "Write the ident of a user to a file when they are trying to connect." -msgstr "" +msgstr "Escribe el ident de un usuario a un archivo cuando intentan conectar." diff --git a/modules/po/imapauth.es_ES.po b/modules/po/imapauth.es_ES.po index 227bd5a5..254f6626 100644 --- a/modules/po/imapauth.es_ES.po +++ b/modules/po/imapauth.es_ES.po @@ -14,8 +14,8 @@ msgstr "" #: imapauth.cpp:168 msgid "[ server [+]port [ UserFormatString ] ]" -msgstr "" +msgstr "[ servidor [+]puerto [ FormatoCadenaUsuario ] ]" #: imapauth.cpp:171 msgid "Allow users to authenticate via IMAP." -msgstr "" +msgstr "Permite autenticar usuarios mediante IMAP." diff --git a/modules/po/keepnick.es_ES.po b/modules/po/keepnick.es_ES.po index 6f3097ff..f1450d3b 100644 --- a/modules/po/keepnick.es_ES.po +++ b/modules/po/keepnick.es_ES.po @@ -14,40 +14,40 @@ msgstr "" #: keepnick.cpp:39 msgid "Try to get your primary nick" -msgstr "" +msgstr "Intenta conseguir tu nick primario" #: keepnick.cpp:42 keepnick.cpp:196 msgid "No longer trying to get your primary nick" -msgstr "" +msgstr "Dejando de intentar conseguir tu nick primario" #: keepnick.cpp:44 msgid "Show the current state" -msgstr "" +msgstr "Mostrar estado actual" #: keepnick.cpp:158 msgid "ZNC is already trying to get this nickname" -msgstr "" +msgstr "ZNC ya está intentando conseguir este nick" #: keepnick.cpp:173 msgid "Unable to obtain nick {1}: {2}, {3}" -msgstr "" +msgstr "No se ha podido obtener el nick {1}: {2}, {3}" #: keepnick.cpp:181 msgid "Unable to obtain nick {1}" -msgstr "" +msgstr "No se ha podido obtener el nick {1}" #: keepnick.cpp:191 msgid "Trying to get your primary nick" -msgstr "" +msgstr "Intentando obtener tu nick primario" #: keepnick.cpp:201 msgid "Currently trying to get your primary nick" -msgstr "" +msgstr "Intentando obtener tu nick primario" #: keepnick.cpp:203 msgid "Currently disabled, try 'enable'" -msgstr "" +msgstr "Actualmente deshabilitado, escribe 'enable'" #: keepnick.cpp:224 msgid "Keeps trying for your primary nick" -msgstr "" +msgstr "Intenta conseguir tu nick primario" diff --git a/modules/po/kickrejoin.es_ES.po b/modules/po/kickrejoin.es_ES.po index 8a3d022e..ce1e9ea2 100644 --- a/modules/po/kickrejoin.es_ES.po +++ b/modules/po/kickrejoin.es_ES.po @@ -14,48 +14,48 @@ msgstr "" #: kickrejoin.cpp:56 msgid "" -msgstr "" +msgstr "" #: kickrejoin.cpp:56 msgid "Set the rejoin delay" -msgstr "" +msgstr "Establece el tiempo de espera de rejoin" #: kickrejoin.cpp:58 msgid "Show the rejoin delay" -msgstr "" +msgstr "Muestra el tiempo de espera de rejoin" #: kickrejoin.cpp:77 msgid "Illegal argument, must be a positive number or 0" -msgstr "" +msgstr "Argumento no válido, debe ser un número positivo o cero" #: kickrejoin.cpp:90 msgid "Negative delays don't make any sense!" -msgstr "" +msgstr "Tiempos de espera en negativo no tienen sentido!" #: kickrejoin.cpp:98 msgid "Rejoin delay set to 1 second" msgid_plural "Rejoin delay set to {1} seconds" msgstr[0] "" -msgstr[1] "" +msgstr[1] "Tiempo de espera de rejoin establecido a {1} segundos" #: kickrejoin.cpp:101 msgid "Rejoin delay disabled" -msgstr "" +msgstr "Tiempo de espera de rejoin desactivado" #: kickrejoin.cpp:106 msgid "Rejoin delay is set to 1 second" msgid_plural "Rejoin delay is set to {1} seconds" msgstr[0] "" -msgstr[1] "" +msgstr[1] "Tiempo de espera de rejoin establecido a {1} segundos" #: kickrejoin.cpp:109 msgid "Rejoin delay is disabled" -msgstr "" +msgstr "Tiempo de espera de rejoin desactivado" #: kickrejoin.cpp:131 msgid "You might enter the number of seconds to wait before rejoining." -msgstr "" +msgstr "Introduce el número de segundos a esperar antes de reentrar." #: kickrejoin.cpp:134 msgid "Autorejoins on kick" -msgstr "" +msgstr "Reentra a un canal tras un kick" diff --git a/modules/po/lastseen.es_ES.po b/modules/po/lastseen.es_ES.po index 5eeffd10..3a168556 100644 --- a/modules/po/lastseen.es_ES.po +++ b/modules/po/lastseen.es_ES.po @@ -14,54 +14,54 @@ msgstr "" #: modules/po/../data/lastseen/tmpl/index.tmpl:8 msgid "User" -msgstr "" +msgstr "Usuario" #: modules/po/../data/lastseen/tmpl/index.tmpl:9 lastseen.cpp:98 msgid "Last Seen" -msgstr "" +msgstr "Última conexión" #: modules/po/../data/lastseen/tmpl/index.tmpl:10 msgid "Info" -msgstr "" +msgstr "Info" #: modules/po/../data/lastseen/tmpl/index.tmpl:11 msgid "Action" -msgstr "" +msgstr "Acción" #: modules/po/../data/lastseen/tmpl/index.tmpl:21 msgid "Edit" -msgstr "" +msgstr "Editar" #: modules/po/../data/lastseen/tmpl/index.tmpl:22 msgid "Delete" -msgstr "" +msgstr "Borrar" #: modules/po/../data/lastseen/tmpl/lastseen_WebadminUser.tmpl:6 msgid "Last login time:" -msgstr "" +msgstr "Última conexión:" #: lastseen.cpp:53 msgid "Access denied" -msgstr "" +msgstr "Acceso denegado" #: lastseen.cpp:61 lastseen.cpp:66 msgctxt "show" msgid "User" -msgstr "" +msgstr "Usuario" #: lastseen.cpp:62 lastseen.cpp:67 msgctxt "show" msgid "Last Seen" -msgstr "" +msgstr "Última conexión" #: lastseen.cpp:68 lastseen.cpp:124 msgid "never" -msgstr "" +msgstr "nunca" #: lastseen.cpp:78 msgid "Shows list of users and when they last logged in" -msgstr "" +msgstr "Muestra una lista de usuarios y cuando conectaron por última vez" #: lastseen.cpp:153 msgid "Collects data about when a user last logged in." -msgstr "" +msgstr "Recopila datos sobre la última conexión de un usuario." diff --git a/modules/po/listsockets.es_ES.po b/modules/po/listsockets.es_ES.po index 19d9fb53..303cb41d 100644 --- a/modules/po/listsockets.es_ES.po +++ b/modules/po/listsockets.es_ES.po @@ -15,99 +15,99 @@ msgstr "" #: modules/po/../data/listsockets/tmpl/index.tmpl:7 listsockets.cpp:214 #: listsockets.cpp:230 msgid "Name" -msgstr "" +msgstr "Nombre" #: modules/po/../data/listsockets/tmpl/index.tmpl:8 listsockets.cpp:215 #: listsockets.cpp:231 msgid "Created" -msgstr "" +msgstr "Creado" #: modules/po/../data/listsockets/tmpl/index.tmpl:9 listsockets.cpp:216 #: listsockets.cpp:232 msgid "State" -msgstr "" +msgstr "Estado" #: modules/po/../data/listsockets/tmpl/index.tmpl:10 listsockets.cpp:218 #: listsockets.cpp:235 msgid "SSL" -msgstr "" +msgstr "SSL" #: modules/po/../data/listsockets/tmpl/index.tmpl:11 listsockets.cpp:220 #: listsockets.cpp:240 msgid "Local" -msgstr "" +msgstr "Local" #: modules/po/../data/listsockets/tmpl/index.tmpl:12 listsockets.cpp:221 #: listsockets.cpp:242 msgid "Remote" -msgstr "" +msgstr "Remoto" #: modules/po/../data/listsockets/tmpl/index.tmpl:13 msgid "Data In" -msgstr "" +msgstr "Data In" #: modules/po/../data/listsockets/tmpl/index.tmpl:14 msgid "Data Out" -msgstr "" +msgstr "Data Out" #: listsockets.cpp:62 msgid "[-n]" -msgstr "" +msgstr "[-n]" #: listsockets.cpp:62 msgid "Shows the list of active sockets. Pass -n to show IP addresses" -msgstr "" +msgstr "Muestra una lista de sockets activos. Añade -n para mostrar IPs" #: listsockets.cpp:70 msgid "You must be admin to use this module" -msgstr "" +msgstr "Debes ser admin para usar este módulo" #: listsockets.cpp:96 msgid "List sockets" -msgstr "" +msgstr "Mostrar sockets" #: listsockets.cpp:116 listsockets.cpp:236 msgctxt "ssl" msgid "Yes" -msgstr "" +msgstr "Sí" #: listsockets.cpp:116 listsockets.cpp:237 msgctxt "ssl" msgid "No" -msgstr "" +msgstr "No" #: listsockets.cpp:142 msgid "Listener" -msgstr "" +msgstr "En escucha" #: listsockets.cpp:144 msgid "Inbound" -msgstr "" +msgstr "Entrantes" #: listsockets.cpp:147 msgid "Outbound" -msgstr "" +msgstr "Salientes" #: listsockets.cpp:149 msgid "Connecting" -msgstr "" +msgstr "Conectando" #: listsockets.cpp:152 msgid "UNKNOWN" -msgstr "" +msgstr "Desconocido" #: listsockets.cpp:207 msgid "You have no open sockets." -msgstr "" +msgstr "No tienes sockets abiertos." #: listsockets.cpp:222 listsockets.cpp:244 msgid "In" -msgstr "" +msgstr "Entrada" #: listsockets.cpp:223 listsockets.cpp:246 msgid "Out" -msgstr "" +msgstr "Salida" #: listsockets.cpp:262 msgid "Lists active sockets" -msgstr "" +msgstr "Mostrar sockets activos" diff --git a/modules/po/log.es_ES.po b/modules/po/log.es_ES.po index 2f17643d..338e29f4 100644 --- a/modules/po/log.es_ES.po +++ b/modules/po/log.es_ES.po @@ -14,135 +14,137 @@ msgstr "" #: log.cpp:59 msgid "" -msgstr "" +msgstr "" #: log.cpp:60 msgid "Set logging rules, use !#chan or !query to negate and * " -msgstr "" +msgstr "Establece reglas de log, utiliza !#canal o !privado para negar y * " #: log.cpp:62 msgid "Clear all logging rules" -msgstr "" +msgstr "Borrar todas las reglas de logueo" #: log.cpp:64 msgid "List all logging rules" -msgstr "" +msgstr "Mostrar todas las reglas de logueo" #: log.cpp:67 msgid " true|false" -msgstr "" +msgstr " true|false" #: log.cpp:68 msgid "Set one of the following options: joins, quits, nickchanges" -msgstr "" +msgstr "Establece una de las siguientes opciones: joins, quits, nickchanges" #: log.cpp:71 msgid "Show current settings set by Set command" -msgstr "" +msgstr "Muestra ajustes puestos con el comando Set" #: log.cpp:143 msgid "Usage: SetRules " -msgstr "" +msgstr "Uso: SetRules " #: log.cpp:144 msgid "Wildcards are allowed" -msgstr "" +msgstr "Se permiten comodines" #: log.cpp:156 log.cpp:178 msgid "No logging rules. Everything is logged." -msgstr "" +msgstr "No hay reglas de logueo. Se registra todo." #: log.cpp:161 msgid "1 rule removed: {2}" msgid_plural "{1} rules removed: {2}" msgstr[0] "" -msgstr[1] "" +msgstr[1] "Borradas {1} reglas: {2}" #: log.cpp:168 log.cpp:173 msgctxt "listrules" msgid "Rule" -msgstr "" +msgstr "Regla" #: log.cpp:169 log.cpp:174 msgctxt "listrules" msgid "Logging enabled" -msgstr "" +msgstr "Registro habilitado" #: log.cpp:189 msgid "" "Usage: Set true|false, where is one of: joins, quits, nickchanges" -msgstr "" +msgstr "Uso: Set true|false, donde es: joins, quits, nickchanges" #: log.cpp:196 msgid "Will log joins" -msgstr "" +msgstr "Registrar entradas" #: log.cpp:196 msgid "Will not log joins" -msgstr "" +msgstr "No registrar entradas" #: log.cpp:197 msgid "Will log quits" -msgstr "" +msgstr "Registrar desconexiones (quits)" #: log.cpp:197 msgid "Will not log quits" -msgstr "" +msgstr "No registrar desconexiones (quits)" #: log.cpp:199 msgid "Will log nick changes" -msgstr "" +msgstr "Registrar cambios de nick" #: log.cpp:199 msgid "Will not log nick changes" -msgstr "" +msgstr "No registrar cambios de nick" #: log.cpp:203 msgid "Unknown variable. Known variables: joins, quits, nickchanges" -msgstr "" +msgstr "Variable desconocida. Variables conocidas: joins, quits, nickchanges" #: log.cpp:211 msgid "Logging joins" -msgstr "" +msgstr "Registrando entradas" #: log.cpp:211 msgid "Not logging joins" -msgstr "" +msgstr "Sin registrar entradas" #: log.cpp:212 msgid "Logging quits" -msgstr "" +msgstr "Registrando desconexiones (quits)" #: log.cpp:212 msgid "Not logging quits" -msgstr "" +msgstr "Sin registrar desconexiones (quits)" #: log.cpp:213 msgid "Logging nick changes" -msgstr "" +msgstr "Registrando cambios de nick" #: log.cpp:214 msgid "Not logging nick changes" -msgstr "" +msgstr "Sin registrar cambios de nick" #: log.cpp:351 msgid "" "Invalid args [{1}]. Only one log path allowed. Check that there are no " "spaces in the path." msgstr "" +"Argumentos inválidos [{1}]. Solo se permite una ruta de logueo. Comprueba " +"que no tiene espacios." #: log.cpp:401 msgid "Invalid log path [{1}]" -msgstr "" +msgstr "Ruta de log no válida [{1}]" #: log.cpp:404 msgid "Logging to [{1}]. Using timestamp format '{2}'" -msgstr "" +msgstr "Registrando a [{1}]. Usando marca de tiempo '{2}'" #: log.cpp:559 msgid "[-sanitize] Optional path where to store logs." -msgstr "" +msgstr "[-sanitize] ruta opcional donde almacenar registros." #: log.cpp:563 msgid "Writes IRC logs." -msgstr "" +msgstr "Guarda registros de IRC." diff --git a/modules/po/missingmotd.es_ES.po b/modules/po/missingmotd.es_ES.po index 2faf72c2..16ceb0b0 100644 --- a/modules/po/missingmotd.es_ES.po +++ b/modules/po/missingmotd.es_ES.po @@ -14,4 +14,4 @@ msgstr "" #: missingmotd.cpp:36 msgid "Sends 422 to clients when they login" -msgstr "" +msgstr "Envía un raw 422 a los clientes cuando conectan" diff --git a/modules/po/modperl.es_ES.po b/modules/po/modperl.es_ES.po index 23f63cba..38481911 100644 --- a/modules/po/modperl.es_ES.po +++ b/modules/po/modperl.es_ES.po @@ -14,4 +14,4 @@ msgstr "" #: modperl.cpp:382 msgid "Loads perl scripts as ZNC modules" -msgstr "" +msgstr "Carga scripts perl como módulos de ZNC" diff --git a/modules/po/modpython.es_ES.po b/modules/po/modpython.es_ES.po index 971d55cd..4c870ccd 100644 --- a/modules/po/modpython.es_ES.po +++ b/modules/po/modpython.es_ES.po @@ -14,4 +14,4 @@ msgstr "" #: modpython.cpp:512 msgid "Loads python scripts as ZNC modules" -msgstr "" +msgstr "Carga scripts de python como módulos de ZNC" diff --git a/modules/po/modules_online.es_ES.po b/modules/po/modules_online.es_ES.po index 01210044..547a3af3 100644 --- a/modules/po/modules_online.es_ES.po +++ b/modules/po/modules_online.es_ES.po @@ -14,4 +14,4 @@ msgstr "" #: modules_online.cpp:117 msgid "Makes ZNC's *modules to be \"online\"." -msgstr "" +msgstr "Hace que los *módulos de ZNC aparezcan 'conectados'." diff --git a/modules/po/nickserv.es_ES.po b/modules/po/nickserv.es_ES.po index 3589369f..c252612b 100644 --- a/modules/po/nickserv.es_ES.po +++ b/modules/po/nickserv.es_ES.po @@ -14,62 +14,64 @@ msgstr "" #: nickserv.cpp:31 msgid "Password set" -msgstr "" +msgstr "Contraseña establecida" #: nickserv.cpp:38 msgid "NickServ name set" -msgstr "" +msgstr "Nombre de NickServ establecido" #: nickserv.cpp:54 msgid "No such editable command. See ViewCommands for list." -msgstr "" +msgstr "Comando no encontrado. Utiliza ViewCommands para ver una lista." #: nickserv.cpp:57 msgid "Ok" -msgstr "" +msgstr "OK" #: nickserv.cpp:62 msgid "password" -msgstr "" +msgstr "Contraseña" #: nickserv.cpp:62 msgid "Set your nickserv password" -msgstr "" +msgstr "Establece tu contraseña de NickServ" #: nickserv.cpp:64 msgid "Clear your nickserv password" -msgstr "" +msgstr "Borra tu contraseña de NickServ" #: nickserv.cpp:66 msgid "nickname" -msgstr "" +msgstr "Nick" #: nickserv.cpp:67 msgid "" "Set NickServ name (Useful on networks like EpiKnet, where NickServ is named " "Themis" msgstr "" +"Establece el nombre de NickServ (util en redes donde NickServ se llama de " +"otra manera)" #: nickserv.cpp:71 msgid "Reset NickServ name to default (NickServ)" -msgstr "" +msgstr "Restablece el nombre de NickServ al predeterminado" #: nickserv.cpp:75 msgid "Show patterns for lines, which are being sent to NickServ" -msgstr "" +msgstr "Mostrar patrones de líneas que son enviados a NickServ" #: nickserv.cpp:77 msgid "cmd new-pattern" -msgstr "" +msgstr "cmd nuevo-patrón" #: nickserv.cpp:78 msgid "Set pattern for commands" -msgstr "" +msgstr "Establece patrones para comandos" #: nickserv.cpp:140 msgid "Please enter your nickserv password." -msgstr "" +msgstr "Por favor, introduce tu contraseña de NickServ." #: nickserv.cpp:144 msgid "Auths you with NickServ (prefer SASL module instead)" -msgstr "" +msgstr "Te autentica con NickServ (es preferible usar el módulo de SASL)" diff --git a/modules/po/notes.es_ES.po b/modules/po/notes.es_ES.po index 4b0ef77d..9fee4969 100644 --- a/modules/po/notes.es_ES.po +++ b/modules/po/notes.es_ES.po @@ -14,106 +14,108 @@ msgstr "" #: modules/po/../data/notes/tmpl/index.tmpl:7 msgid "Add A Note" -msgstr "" +msgstr "Añadir nota" #: modules/po/../data/notes/tmpl/index.tmpl:11 msgid "Key:" -msgstr "" +msgstr "Clave:" #: modules/po/../data/notes/tmpl/index.tmpl:15 msgid "Note:" -msgstr "" +msgstr "Nota:" #: modules/po/../data/notes/tmpl/index.tmpl:19 msgid "Add Note" -msgstr "" +msgstr "Añadir nota" #: modules/po/../data/notes/tmpl/index.tmpl:27 msgid "You have no notes to display." -msgstr "" +msgstr "No tienes notas para mostrar." #: modules/po/../data/notes/tmpl/index.tmpl:34 notes.cpp:164 notes.cpp:169 msgid "Key" -msgstr "" +msgstr "Clave" #: modules/po/../data/notes/tmpl/index.tmpl:35 notes.cpp:165 notes.cpp:170 msgid "Note" -msgstr "" +msgstr "Nota" #: modules/po/../data/notes/tmpl/index.tmpl:41 msgid "[del]" -msgstr "" +msgstr "[del]" #: notes.cpp:32 msgid "That note already exists. Use MOD to overwrite." -msgstr "" +msgstr "Esta nota ya existe. Utiliza MOD para sobreescribirla." #: notes.cpp:35 notes.cpp:137 msgid "Added note {1}" -msgstr "" +msgstr "Añadida nota {1}" #: notes.cpp:37 notes.cpp:48 notes.cpp:142 msgid "Unable to add note {1}" -msgstr "" +msgstr "No se ha podido añadir la nota {1}" #: notes.cpp:46 notes.cpp:139 msgid "Set note for {1}" -msgstr "" +msgstr "Establecida nota {1}" #: notes.cpp:56 msgid "This note doesn't exist." -msgstr "" +msgstr "Esta nota no existe." #: notes.cpp:66 notes.cpp:116 msgid "Deleted note {1}" -msgstr "" +msgstr "Borrada nota {1}" #: notes.cpp:68 notes.cpp:118 msgid "Unable to delete note {1}" -msgstr "" +msgstr "No se ha podido eliminar la nota {1}" #: notes.cpp:75 msgid "List notes" -msgstr "" +msgstr "Mostrar notas" #: notes.cpp:77 notes.cpp:81 msgid " " -msgstr "" +msgstr " " #: notes.cpp:77 msgid "Add a note" -msgstr "" +msgstr "Añadir nota" #: notes.cpp:79 notes.cpp:83 msgid "" -msgstr "" +msgstr "" #: notes.cpp:79 msgid "Delete a note" -msgstr "" +msgstr "Eliminar nota" #: notes.cpp:81 msgid "Modify a note" -msgstr "" +msgstr "Modificar nota" #: notes.cpp:94 msgid "Notes" -msgstr "" +msgstr "Notas" #: notes.cpp:133 msgid "That note already exists. Use /#+ to overwrite." -msgstr "" +msgstr "Esta nota ya existe. Utiliza /#+ para sobreescribirla." #: notes.cpp:185 notes.cpp:187 msgid "You have no entries." -msgstr "" +msgstr "No tienes entradas." #: notes.cpp:223 msgid "" "This user module takes up to one arguments. It can be -disableNotesOnLogin " "not to show notes upon client login" msgstr "" +"Este módulo de usuario puede tener un argumento. Puede ser -" +"disableNotesOnLogin para no mostrar las notas hasta que el cliente conecta" #: notes.cpp:227 msgid "Keep and replay notes" -msgstr "" +msgstr "Guardar y reproducir notas" diff --git a/modules/po/notify_connect.es_ES.po b/modules/po/notify_connect.es_ES.po index 34552e01..2a2097bb 100644 --- a/modules/po/notify_connect.es_ES.po +++ b/modules/po/notify_connect.es_ES.po @@ -14,16 +14,16 @@ msgstr "" #: notify_connect.cpp:24 msgid "attached" -msgstr "" +msgstr "adjuntado" #: notify_connect.cpp:26 msgid "detached" -msgstr "" +msgstr "separado" #: notify_connect.cpp:41 msgid "{1} {2} from {3}" -msgstr "" +msgstr "{1} {2} desde {3}" #: notify_connect.cpp:52 msgid "Notifies all admin users when a client connects or disconnects." -msgstr "" +msgstr "Notifica todos los admins cuando un usuario conecta o desconecta." diff --git a/modules/po/partyline.es_ES.po b/modules/po/partyline.es_ES.po index 602da61e..19ec5512 100644 --- a/modules/po/partyline.es_ES.po +++ b/modules/po/partyline.es_ES.po @@ -14,26 +14,28 @@ msgstr "" #: partyline.cpp:60 msgid "There are no open channels." -msgstr "" +msgstr "No hay canales abiertos." #: partyline.cpp:66 partyline.cpp:73 msgid "Channel" -msgstr "" +msgstr "Canal" #: partyline.cpp:67 partyline.cpp:74 msgid "Users" -msgstr "" +msgstr "Usuarios" #: partyline.cpp:82 msgid "List all open channels" -msgstr "" +msgstr "Mostrar canales abiertos" #: partyline.cpp:733 msgid "" "You may enter a list of channels the user joins, when entering the internal " "partyline." msgstr "" +"Puedes añadir una lista de canales a los que el usuario se meterá cuando se " +"conecte a la partyline." #: partyline.cpp:739 msgid "Internal channels and queries for users connected to ZNC" -msgstr "" +msgstr "Privados y canales internos para usuarios conectados a ZNC" diff --git a/modules/po/perform.es_ES.po b/modules/po/perform.es_ES.po index 75479fca..8c8a43bf 100644 --- a/modules/po/perform.es_ES.po +++ b/modules/po/perform.es_ES.po @@ -14,95 +14,95 @@ msgstr "" #: modules/po/../data/perform/tmpl/index.tmpl:7 perform.cpp:143 msgid "Perform" -msgstr "" +msgstr "Ejecutar" #: modules/po/../data/perform/tmpl/index.tmpl:11 msgid "Perform commands:" -msgstr "" +msgstr "Comandos a ejecutar:" #: modules/po/../data/perform/tmpl/index.tmpl:15 msgid "Commands sent to the IRC server on connect, one per line." -msgstr "" +msgstr "Comandos enviados al IRC al conectar, uno por línea." #: modules/po/../data/perform/tmpl/index.tmpl:18 msgid "Save" -msgstr "" +msgstr "Guardar" #: perform.cpp:24 msgid "Usage: add " -msgstr "" +msgstr "Uso: add " #: perform.cpp:29 msgid "Added!" -msgstr "" +msgstr "¡Añadido!" #: perform.cpp:37 perform.cpp:82 msgid "Illegal # Requested" -msgstr "" +msgstr "Número # no encontrado" #: perform.cpp:41 msgid "Command Erased." -msgstr "" +msgstr "Comando eliminado." #: perform.cpp:50 perform.cpp:56 msgctxt "list" msgid "Id" -msgstr "" +msgstr "Id" #: perform.cpp:51 perform.cpp:57 msgctxt "list" msgid "Perform" -msgstr "" +msgstr "Ejecutar" #: perform.cpp:52 perform.cpp:62 msgctxt "list" msgid "Expanded" -msgstr "" +msgstr "Expandido" #: perform.cpp:67 msgid "No commands in your perform list." -msgstr "" +msgstr "No hay comandos en tu lista." #: perform.cpp:73 msgid "perform commands sent" -msgstr "" +msgstr "Comandos a ejecutar enviados" #: perform.cpp:86 msgid "Commands Swapped." -msgstr "" +msgstr "Comandos intercambiados." #: perform.cpp:95 msgid "" -msgstr "" +msgstr "" #: perform.cpp:96 msgid "Adds perform command to be sent to the server on connect" -msgstr "" +msgstr "Añade comandos a ejecutar cuando se conecta a un servidor" #: perform.cpp:98 msgid "" -msgstr "" +msgstr "" #: perform.cpp:98 msgid "Delete a perform command" -msgstr "" +msgstr "Elimina un comando a ejecutar" #: perform.cpp:100 msgid "List the perform commands" -msgstr "" +msgstr "Muestra los comandos a ejecutar" #: perform.cpp:103 msgid "Send the perform commands to the server now" -msgstr "" +msgstr "Enviar ahora los comandos a ejecutar en el servidor" #: perform.cpp:105 msgid " " -msgstr "" +msgstr " " #: perform.cpp:106 msgid "Swap two perform commands" -msgstr "" +msgstr "Intercambiar dos comandos a ejecutar" #: perform.cpp:192 msgid "Keeps a list of commands to be executed when ZNC connects to IRC." -msgstr "" +msgstr "Guarda una lista de comandos a ejecutar cuando ZNC se conecta al IRC." diff --git a/modules/po/perleval.es_ES.po b/modules/po/perleval.es_ES.po index 96093186..f8493027 100644 --- a/modules/po/perleval.es_ES.po +++ b/modules/po/perleval.es_ES.po @@ -14,18 +14,18 @@ msgstr "" #: perleval.pm:23 msgid "Evaluates perl code" -msgstr "" +msgstr "Evalua código perl" #: perleval.pm:33 msgid "Only admin can load this module" -msgstr "" +msgstr "Solo los administradores pueden cargar este módulo" #: perleval.pm:44 #, perl-format msgid "Error: %s" -msgstr "" +msgstr "Error: %s" #: perleval.pm:46 #, perl-format msgid "Result: %s" -msgstr "" +msgstr "Resultados: %s" diff --git a/modules/po/pyeval.es_ES.po b/modules/po/pyeval.es_ES.po index 7c7cccbf..9fe2971f 100644 --- a/modules/po/pyeval.es_ES.po +++ b/modules/po/pyeval.es_ES.po @@ -14,8 +14,8 @@ msgstr "" #: pyeval.py:49 msgid "You must have admin privileges to load this module." -msgstr "" +msgstr "Debes tener permisos de administrador para cargar este módulo." #: pyeval.py:82 msgid "Evaluates python code" -msgstr "" +msgstr "Evalua código python" diff --git a/modules/po/sample.es_ES.po b/modules/po/sample.es_ES.po index fffca951..2b724014 100644 --- a/modules/po/sample.es_ES.po +++ b/modules/po/sample.es_ES.po @@ -14,35 +14,35 @@ msgstr "" #: sample.cpp:31 msgid "Sample job cancelled" -msgstr "" +msgstr "Tarea cancelada" #: sample.cpp:33 msgid "Sample job destroyed" -msgstr "" +msgstr "Tarea destruída" #: sample.cpp:50 msgid "Sample job done" -msgstr "" +msgstr "Tarea hecha" #: sample.cpp:65 msgid "TEST!!!!" -msgstr "" +msgstr "PRUEBA!!!!" #: sample.cpp:74 msgid "I'm being loaded with the arguments: {1}" -msgstr "" +msgstr "Voy a ser cargado con los argumentos: {1}" #: sample.cpp:85 msgid "I'm being unloaded!" -msgstr "" +msgstr "Estoy siendo descargado!" #: sample.cpp:94 msgid "You got connected BoyOh." -msgstr "" +msgstr "Has sido conectado." #: sample.cpp:98 msgid "You got disconnected BoyOh." -msgstr "" +msgstr "Has sido desconectado." #: sample.cpp:116 msgid "{1} {2} set mode on {3} {4}{5} {6}" diff --git a/modules/po/samplewebapi.es_ES.po b/modules/po/samplewebapi.es_ES.po index d8909e1a..05295478 100644 --- a/modules/po/samplewebapi.es_ES.po +++ b/modules/po/samplewebapi.es_ES.po @@ -14,4 +14,4 @@ msgstr "" #: samplewebapi.cpp:59 msgid "Sample Web API module." -msgstr "" +msgstr "Muestra de módulo web API." diff --git a/modules/po/sasl.es_ES.po b/modules/po/sasl.es_ES.po index f1c27782..1ec13831 100644 --- a/modules/po/sasl.es_ES.po +++ b/modules/po/sasl.es_ES.po @@ -14,161 +14,165 @@ msgstr "" #: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:290 msgid "SASL" -msgstr "" +msgstr "SASL" #: modules/po/../data/sasl/tmpl/index.tmpl:11 msgid "Username:" -msgstr "" +msgstr "Usuario:" #: modules/po/../data/sasl/tmpl/index.tmpl:13 msgid "Please enter a username." -msgstr "" +msgstr "Introduce un nombre de usuario." #: modules/po/../data/sasl/tmpl/index.tmpl:16 msgid "Password:" -msgstr "" +msgstr "Contraseña:" #: modules/po/../data/sasl/tmpl/index.tmpl:18 msgid "Please enter a password." -msgstr "" +msgstr "Introduce una contraseña." #: modules/po/../data/sasl/tmpl/index.tmpl:22 msgid "Options" -msgstr "" +msgstr "Opciones" #: modules/po/../data/sasl/tmpl/index.tmpl:25 msgid "Connect only if SASL authentication succeeds." -msgstr "" +msgstr "Conectar solo si la autenticación SASL es correcta." #: modules/po/../data/sasl/tmpl/index.tmpl:27 msgid "Require authentication" -msgstr "" +msgstr "Requerir autenticación" #: modules/po/../data/sasl/tmpl/index.tmpl:35 msgid "Mechanisms" -msgstr "" +msgstr "Mecanismos" #: modules/po/../data/sasl/tmpl/index.tmpl:42 msgid "Name" -msgstr "" +msgstr "Nombre" #: modules/po/../data/sasl/tmpl/index.tmpl:43 sasl.cpp:89 sasl.cpp:94 msgid "Description" -msgstr "" +msgstr "Descripción" #: modules/po/../data/sasl/tmpl/index.tmpl:57 msgid "Selected mechanisms and their order:" -msgstr "" +msgstr "Mecanismos seleccionados y su orden:" #: modules/po/../data/sasl/tmpl/index.tmpl:74 msgid "Save" -msgstr "" +msgstr "Guardar" #: sasl.cpp:54 msgid "TLS certificate, for use with the *cert module" -msgstr "" +msgstr "Certificado TLS, para usar con el módulo *cert" #: sasl.cpp:56 msgid "" "Plain text negotiation, this should work always if the network supports SASL" msgstr "" +"Negociación en texto plano, debería funcionar siempre si la red soporta SASL" #: sasl.cpp:62 msgid "search" -msgstr "" +msgstr "búsqueda" #: sasl.cpp:62 msgid "Generate this output" -msgstr "" +msgstr "Generar esta salida" #: sasl.cpp:64 msgid "[ []]" -msgstr "" +msgstr "[] []" #: sasl.cpp:65 msgid "" "Set username and password for the mechanisms that need them. Password is " "optional. Without parameters, returns information about current settings." msgstr "" +"Establecer usuario y contraseña para los mecanismos que lo necesiten. La " +"contraseña es opcional. Sin parámetros, devuelve información sobre los " +"ajustes actuales." #: sasl.cpp:69 msgid "[mechanism[ ...]]" -msgstr "" +msgstr "[mecanismo[...]]" #: sasl.cpp:70 msgid "Set the mechanisms to be attempted (in order)" -msgstr "" +msgstr "Establecer los mecanismos para ser probados (en orden)" #: sasl.cpp:72 msgid "[yes|no]" -msgstr "" +msgstr "[yes|no]" #: sasl.cpp:73 msgid "Don't connect unless SASL authentication succeeds" -msgstr "" +msgstr "Conectar solo si la autenticación SASL es correcta" #: sasl.cpp:88 sasl.cpp:93 msgid "Mechanism" -msgstr "" +msgstr "Mecanismo" #: sasl.cpp:97 msgid "The following mechanisms are available:" -msgstr "" +msgstr "Están disponibles los siguientes mecanismos:" #: sasl.cpp:107 msgid "Username is currently not set" -msgstr "" +msgstr "El usuario no está establecido" #: sasl.cpp:109 msgid "Username is currently set to '{1}'" -msgstr "" +msgstr "El usuario está establecido a '{1}'" #: sasl.cpp:112 msgid "Password was not supplied" -msgstr "" +msgstr "La contraseña no está establecida" #: sasl.cpp:114 msgid "Password was supplied" -msgstr "" +msgstr "Se ha establecido una contraseña" #: sasl.cpp:122 msgid "Username has been set to [{1}]" -msgstr "" +msgstr "El usuario se ha establecido a [{1}]" #: sasl.cpp:123 msgid "Password has been set to [{1}]" -msgstr "" +msgstr "La contraseña se ha establecido a [{1}]" #: sasl.cpp:143 msgid "Current mechanisms set: {1}" -msgstr "" +msgstr "Mecanismo establecido: {1}" #: sasl.cpp:152 msgid "We require SASL negotiation to connect" -msgstr "" +msgstr "Necesitamos negociación SASL para conectar" #: sasl.cpp:154 msgid "We will connect even if SASL fails" -msgstr "" +msgstr "Conectaremos incluso si falla la autenticación SASL" #: sasl.cpp:191 msgid "Disabling network, we require authentication." -msgstr "" +msgstr "Deshabilitando red, necesitamos autenticación." #: sasl.cpp:192 msgid "Use 'RequireAuth no' to disable." -msgstr "" +msgstr "Ejecuta 'RequireAuth no' para desactivarlo." #: sasl.cpp:245 msgid "{1} mechanism succeeded." -msgstr "" +msgstr "Mecanismo {1} conseguido." #: sasl.cpp:257 msgid "{1} mechanism failed." -msgstr "" +msgstr "Mecanismo {1} fallido." #: sasl.cpp:335 msgid "" "Adds support for sasl authentication capability to authenticate to an IRC " "server" -msgstr "" +msgstr "Añade soporte SASL para la autenticación a un servidor de IRC" diff --git a/modules/po/savebuff.es_ES.po b/modules/po/savebuff.es_ES.po index 3d624e22..a4300666 100644 --- a/modules/po/savebuff.es_ES.po +++ b/modules/po/savebuff.es_ES.po @@ -14,23 +14,23 @@ msgstr "" #: savebuff.cpp:65 msgid "" -msgstr "" +msgstr "" #: savebuff.cpp:65 msgid "Sets the password" -msgstr "" +msgstr "Establecer contraseña" #: savebuff.cpp:67 msgid "" -msgstr "" +msgstr "" #: savebuff.cpp:67 msgid "Replays the buffer" -msgstr "" +msgstr "Reproduce el búfer" #: savebuff.cpp:69 msgid "Saves all buffers" -msgstr "" +msgstr "Guardar todos los búfers" #: savebuff.cpp:221 msgid "" @@ -38,25 +38,31 @@ msgid "" "the appropriate pass and things should start working, or setpass to a new " "pass and save to reinstantiate" msgstr "" +"Tener la contraseña sin establecer suele significar que el descifrado a " +"fallado. Puedes establecer la contraseña apropiada para que las cosas " +"comiencen a funcionar, o establecer una nueva contraseña y guardar para " +"reinicializarlo" #: savebuff.cpp:232 msgid "Password set to [{1}]" -msgstr "" +msgstr "Contraseña establecida a [{1}]" #: savebuff.cpp:262 msgid "Replayed {1}" -msgstr "" +msgstr "Reproducido {1}" #: savebuff.cpp:341 msgid "Unable to decode Encrypted file {1}" -msgstr "" +msgstr "No se ha podido descifrar el archivo {1}" #: savebuff.cpp:358 msgid "" "This user module takes up to one arguments. Either --ask-pass or the " "password itself (which may contain spaces) or nothing" msgstr "" +"Este módulo de usuario tiene hasta un argumento. Introduce --ask-pass o la " +"contraseña misma (la cual puede contener espacios) o nada" #: savebuff.cpp:363 msgid "Stores channel and query buffers to disk, encrypted" -msgstr "" +msgstr "Almacena búfers de privados y canales en el disco, cifrados" diff --git a/modules/po/send_raw.es_ES.po b/modules/po/send_raw.es_ES.po index 6b44dbe5..1d926958 100644 --- a/modules/po/send_raw.es_ES.po +++ b/modules/po/send_raw.es_ES.po @@ -14,96 +14,97 @@ msgstr "" #: modules/po/../data/send_raw/tmpl/index.tmpl:9 msgid "Send a raw IRC line" -msgstr "" +msgstr "Envía una línea raw al IRC" #: modules/po/../data/send_raw/tmpl/index.tmpl:14 msgid "User:" -msgstr "" +msgstr "Usuario:" #: modules/po/../data/send_raw/tmpl/index.tmpl:15 msgid "To change user, click to Network selector" -msgstr "" +msgstr "Para cambiar de usuario, pulsa sobre el selector de red" #: modules/po/../data/send_raw/tmpl/index.tmpl:19 msgid "User/Network:" -msgstr "" +msgstr "Usuario/Red:" #: modules/po/../data/send_raw/tmpl/index.tmpl:32 msgid "Send to:" -msgstr "" +msgstr "Enviar a:" #: modules/po/../data/send_raw/tmpl/index.tmpl:34 msgid "Client" -msgstr "" +msgstr "Cliente" #: modules/po/../data/send_raw/tmpl/index.tmpl:35 msgid "Server" -msgstr "" +msgstr "Servidor" #: modules/po/../data/send_raw/tmpl/index.tmpl:40 msgid "Line:" -msgstr "" +msgstr "Línea:" #: modules/po/../data/send_raw/tmpl/index.tmpl:45 msgid "Send" -msgstr "" +msgstr "Enviar" #: send_raw.cpp:32 msgid "Sent [{1}] to {2}/{3}" -msgstr "" +msgstr "Enviado [{1}] a {2}/{3}" #: send_raw.cpp:36 send_raw.cpp:56 msgid "Network {1} not found for user {2}" -msgstr "" +msgstr "Red {1} no encontrada para el usuario {2}" #: send_raw.cpp:40 send_raw.cpp:60 msgid "User {1} not found" -msgstr "" +msgstr "Usuario {1} no encontrado" #: send_raw.cpp:52 msgid "Sent [{1}] to IRC server of {2}/{3}" -msgstr "" +msgstr "Enviado [{1}] al servidor IRC de {2}/{3}" #: send_raw.cpp:75 msgid "You must have admin privileges to load this module" -msgstr "" +msgstr "Debes tener permisos de administrador para cargar este módulo" #: send_raw.cpp:82 msgid "Send Raw" -msgstr "" +msgstr "Enviar Raw" #: send_raw.cpp:92 msgid "User not found" -msgstr "" +msgstr "Usuario no encontrado" #: send_raw.cpp:99 msgid "Network not found" -msgstr "" +msgstr "Red no encontrada" #: send_raw.cpp:116 msgid "Line sent" -msgstr "" +msgstr "Línea enviada" #: send_raw.cpp:140 send_raw.cpp:143 msgid "[user] [network] [data to send]" -msgstr "" +msgstr "[usuario] [red] [datos a enviar]" #: send_raw.cpp:141 msgid "The data will be sent to the user's IRC client(s)" -msgstr "" +msgstr "La información será enviada al cliente IRC del usuario" #: send_raw.cpp:144 msgid "The data will be sent to the IRC server the user is connected to" msgstr "" +"La información será enviada al servidor IRC donde está el usuario conectado" #: send_raw.cpp:147 msgid "[data to send]" -msgstr "" +msgstr "[datos a enviar]" #: send_raw.cpp:148 msgid "The data will be sent to your current client" -msgstr "" +msgstr "La información será enviada a tu cliente actual" #: send_raw.cpp:159 msgid "Lets you send some raw IRC lines as/to someone else" -msgstr "" +msgstr "Permite enviar lineas Raw a/como otro usuario" diff --git a/modules/po/shell.es_ES.po b/modules/po/shell.es_ES.po index 21690f0b..d7c30b30 100644 --- a/modules/po/shell.es_ES.po +++ b/modules/po/shell.es_ES.po @@ -14,16 +14,16 @@ msgstr "" #: shell.cpp:37 msgid "Failed to execute: {1}" -msgstr "" +msgstr "Error al ejecutar: {1}" #: shell.cpp:75 msgid "You must be admin to use the shell module" -msgstr "" +msgstr "Debes ser admin para usar el módulo Shell" #: shell.cpp:169 msgid "Gives shell access" -msgstr "" +msgstr "Proporciona acceso a la shell" #: shell.cpp:172 msgid "Gives shell access. Only ZNC admins can use it." -msgstr "" +msgstr "Proporciona acceso a la Shell. Solo lo pueden usar admins de ZNC." diff --git a/modules/po/simple_away.es_ES.po b/modules/po/simple_away.es_ES.po index ea8bb0f8..c91f969e 100644 --- a/modules/po/simple_away.es_ES.po +++ b/modules/po/simple_away.es_ES.po @@ -14,7 +14,7 @@ msgstr "" #: simple_away.cpp:56 msgid "[]" -msgstr "" +msgstr "[]" #: simple_away.cpp:57 #, c-format @@ -22,71 +22,76 @@ msgid "" "Prints or sets the away reason (%awaytime% is replaced with the time you " "were set away, supports substitutions using ExpandString)" msgstr "" +"Muestra o establece el motivo de ausencia (%awaytime% se reemplaza por el " +"tiempo que estás ausente, soporta sustituciones ExpandString)" #: simple_away.cpp:63 msgid "Prints the current time to wait before setting you away" -msgstr "" +msgstr "Muestra el tiempo a esperar antes de marcarte como ausente" #: simple_away.cpp:65 msgid "" -msgstr "" +msgstr "" #: simple_away.cpp:66 msgid "Sets the time to wait before setting you away" -msgstr "" +msgstr "Establece el tiempo a esperar antes de marcarte como ausente" #: simple_away.cpp:69 msgid "Disables the wait time before setting you away" -msgstr "" +msgstr "Deshabilita el tiempo a esperar antes de marcarte como ausente" #: simple_away.cpp:73 msgid "Get or set the minimum number of clients before going away" -msgstr "" +msgstr "Obtiene o define el mínimo de clientes antes de marcarte como ausente" #: simple_away.cpp:136 msgid "Away reason set" -msgstr "" +msgstr "Motivo de ausencia establecido" #: simple_away.cpp:138 msgid "Away reason: {1}" -msgstr "" +msgstr "Motivo de ausencia: {1}" #: simple_away.cpp:139 msgid "Current away reason would be: {1}" -msgstr "" +msgstr "El motivo de ausencia quedaría como: {1}" #: simple_away.cpp:144 msgid "Current timer setting: 1 second" msgid_plural "Current timer setting: {1} seconds" msgstr[0] "" -msgstr[1] "" +msgstr[1] "Tiempo establecido: {1} segundos" #: simple_away.cpp:153 simple_away.cpp:161 msgid "Timer disabled" -msgstr "" +msgstr "Temporizador deshabilitado" #: simple_away.cpp:155 msgid "Timer set to 1 second" msgid_plural "Timer set to: {1} seconds" msgstr[0] "" -msgstr[1] "" +msgstr[1] "Temporizador establecido a {1} segundos" #: simple_away.cpp:166 msgid "Current MinClients setting: {1}" -msgstr "" +msgstr "MinClients establecido a: {1}" #: simple_away.cpp:169 msgid "MinClients set to {1}" -msgstr "" +msgstr "MinClients establecido a: {1}" #: simple_away.cpp:248 msgid "" "You might enter up to 3 arguments, like -notimer awaymessage or -timer 5 " "awaymessage." msgstr "" +"Puedes poner hasta 3 argumentos, como -notimer mensajeausencia o -timer 5 " +"mensajeausencia." #: simple_away.cpp:253 msgid "" "This module will automatically set you away on IRC while you are " "disconnected from the bouncer." msgstr "" +"Este módulo te pondrá ausente en el IRC mientras estás desconectado de ZNC." diff --git a/modules/po/stickychan.es_ES.po b/modules/po/stickychan.es_ES.po index 35c33cd1..5d2f1a03 100644 --- a/modules/po/stickychan.es_ES.po +++ b/modules/po/stickychan.es_ES.po @@ -14,89 +14,90 @@ msgstr "" #: modules/po/../data/stickychan/tmpl/index.tmpl:9 msgid "Name" -msgstr "" +msgstr "Nombre" #: modules/po/../data/stickychan/tmpl/index.tmpl:10 msgid "Sticky" -msgstr "" +msgstr "Fijo" #: modules/po/../data/stickychan/tmpl/index.tmpl:25 msgid "Save" -msgstr "" +msgstr "Guardar" #: modules/po/../data/stickychan/tmpl/stickychan_WebadminChan.tmpl:8 msgid "Channel is sticky" -msgstr "" +msgstr "El canal está fijado" #: stickychan.cpp:28 msgid "<#channel> [key]" -msgstr "" +msgstr "<#canal> [clave]" #: stickychan.cpp:28 msgid "Sticks a channel" -msgstr "" +msgstr "Fija un canal" #: stickychan.cpp:30 msgid "<#channel>" -msgstr "" +msgstr "<#canal>" #: stickychan.cpp:30 msgid "Unsticks a channel" -msgstr "" +msgstr "Desfija un canal" #: stickychan.cpp:32 msgid "Lists sticky channels" -msgstr "" +msgstr "Muestra los canales fijos" #: stickychan.cpp:75 msgid "Usage: Stick <#channel> [key]" -msgstr "" +msgstr "Uso: Stick <#canal> [clave]" #: stickychan.cpp:79 msgid "Stuck {1}" -msgstr "" +msgstr "Fijado {1}" #: stickychan.cpp:85 msgid "Usage: Unstick <#channel>" -msgstr "" +msgstr "Uso: Unstick <#canal>" #: stickychan.cpp:89 msgid "Unstuck {1}" -msgstr "" +msgstr "Desfijado {1}" #: stickychan.cpp:101 msgid " -- End of List" -msgstr "" +msgstr " -- Fin de la lista" #: stickychan.cpp:115 msgid "Could not join {1} (# prefix missing?)" -msgstr "" +msgstr "No se ha podido entrar a {1} (¿Falta el prefijo #?)" #: stickychan.cpp:128 msgid "Sticky Channels" -msgstr "" +msgstr "Canales fijados" #: stickychan.cpp:160 msgid "Changes have been saved!" -msgstr "" +msgstr "Los cambios han sido guardados" #: stickychan.cpp:185 msgid "Channel became sticky!" -msgstr "" +msgstr "Se ha fijado el canal" #: stickychan.cpp:189 msgid "Channel stopped being sticky!" -msgstr "" +msgstr "El canal ya no está fijado" #: stickychan.cpp:209 msgid "" "Channel {1} cannot be joined, it is an illegal channel name. Unsticking." -msgstr "" +msgstr "No se puede entrar al canal {1}, es un nombre no válido. Desfijado." #: stickychan.cpp:246 msgid "List of channels, separated by comma." -msgstr "" +msgstr "Lista de canales, separados por comas." #: stickychan.cpp:251 msgid "configless sticky chans, keeps you there very stickily even" msgstr "" +"Fijación de canales sin configuración, te mantienen dentro todo lo posible" diff --git a/src/po/znc.de_DE.po b/src/po/znc.de_DE.po index b4e0b56a..53dce9ea 100644 --- a/src/po/znc.de_DE.po +++ b/src/po/znc.de_DE.po @@ -79,48 +79,40 @@ msgstr "Ungültiger Port" msgid "Unable to bind: {1}" msgstr "Kann nicht horchen: {1}" -#: IRCNetwork.cpp:236 +#: IRCNetwork.cpp:235 msgid "Jumping servers because this server is no longer in the list" msgstr "" "Springe zu einem Server, da dieser Server nicht länger in der Liste ist" -#: IRCNetwork.cpp:641 User.cpp:678 +#: IRCNetwork.cpp:640 User.cpp:678 msgid "Welcome to ZNC" msgstr "Willkommen bei ZNC" -#: IRCNetwork.cpp:729 +#: IRCNetwork.cpp:728 msgid "You are currently disconnected from IRC. Use 'connect' to reconnect." msgstr "" "Du bist zur Zeit nicht mit dem IRC verbunden. Verwende 'connect' zum " "Verbinden." -#: IRCNetwork.cpp:734 -msgid "" -"ZNC is presently running in DEBUG mode. Sensitive data during your current " -"session may be exposed to the host." -msgstr "" -"ZNC läuft aktuell im DEBUG-Modus. Heikle Daten können während deiner " -"aktuellen Session auf dem Host aufgedeckt werden." - -#: IRCNetwork.cpp:765 +#: IRCNetwork.cpp:758 msgid "This network is being deleted or moved to another user." msgstr "" "Dieses Netzwerk wird gelöscht oder zu einem anderen Benutzer verschoben." -#: IRCNetwork.cpp:994 +#: IRCNetwork.cpp:987 msgid "The channel {1} could not be joined, disabling it." msgstr "Der Kanal {1} konnte nicht betreten werden und wird deaktiviert." -#: IRCNetwork.cpp:1123 +#: IRCNetwork.cpp:1116 msgid "Your current server was removed, jumping..." msgstr "Dein aktueller Server wurde entfernt, springe..." -#: IRCNetwork.cpp:1286 +#: IRCNetwork.cpp:1279 msgid "Cannot connect to {1}, because ZNC is not compiled with SSL support." msgstr "" "Kann nicht zu {1} verbinden, da ZNC ohne SSL-Unterstützung gebaut wurde." -#: IRCNetwork.cpp:1307 +#: IRCNetwork.cpp:1300 msgid "Some module aborted the connection attempt" msgstr "Ein Modul hat den Verbindungsversuch abgebrochen" @@ -191,21 +183,21 @@ msgstr "Kein freier Nick verfügbar" msgid "No free nick found" msgstr "Kein freier Nick gefunden" -#: Client.cpp:75 +#: Client.cpp:74 msgid "No such module {1}" msgstr "Kein solches Modul {1}" -#: Client.cpp:365 +#: Client.cpp:358 msgid "A client from {1} attempted to login as you, but was rejected: {2}" msgstr "" "Ein Client hat versucht sich von {1} aus als dich anzumelden, aber wurde " "abgelehnt: {2}" -#: Client.cpp:400 +#: Client.cpp:393 msgid "Network {1} doesn't exist." msgstr "Netzwerk {1} existiert nicht." -#: Client.cpp:414 +#: Client.cpp:407 msgid "" "You have several networks configured, but no network was specified for the " "connection." @@ -213,7 +205,7 @@ msgstr "" "Du hast mehrere Netzwerke, aber kein Netzwerk wurde für die Verbindung " "ausgewählt." -#: Client.cpp:417 +#: Client.cpp:410 msgid "" "Selecting network {1}. To see list of all configured networks, use /znc " "ListNetworks" @@ -221,7 +213,7 @@ msgstr "" "Wähle Netzwerk {1}. Um eine Liste aller konfigurierten Netzwerke zu sehen, " "verwende /znc ListNetworks" -#: Client.cpp:420 +#: Client.cpp:413 msgid "" "If you want to choose another network, use /znc JumpNetwork , or " "connect to ZNC with username {1}/ (instead of just {1})" @@ -230,72 +222,72 @@ msgstr "" ", oder verbinde dich zu ZNC mit dem Benutzernamen {1}/ " "(statt einfach nur {1})" -#: Client.cpp:426 +#: Client.cpp:419 msgid "" "You have no networks configured. Use /znc AddNetwork to add one." msgstr "" "Du hast keine Netzwerke konfiguriert. Verwende /znc AddNetwork um " "eines hinzuzufügen." -#: Client.cpp:437 +#: Client.cpp:430 msgid "Closing link: Timeout" msgstr "Schließe Verbindung: Zeitüberschreitung" -#: Client.cpp:459 +#: Client.cpp:452 msgid "Closing link: Too long raw line" msgstr "Schließe Verbindung: Überlange Rohzeile" -#: Client.cpp:466 +#: Client.cpp:459 msgid "" "You are being disconnected because another user just authenticated as you." msgstr "" "Deine Verbindung wird getrennt, da ein anderen Benutzer sich als dich " "angemeldet hat." -#: Client.cpp:1021 +#: Client.cpp:1014 msgid "Your CTCP to {1} got lost, you are not connected to IRC!" msgstr "Dein CTCP an {1} wurde verloren, du bist nicht mit dem IRC verbunden!" -#: Client.cpp:1148 +#: Client.cpp:1141 msgid "Your notice to {1} got lost, you are not connected to IRC!" msgstr "" "Deine Benachrichtigung an {1} wurde verloren, du bist nicht mit dem IRC " "verbunden!" -#: Client.cpp:1187 +#: Client.cpp:1180 msgid "Removing channel {1}" msgstr "Entferne Kanal {1}" -#: Client.cpp:1263 +#: Client.cpp:1256 msgid "Your message to {1} got lost, you are not connected to IRC!" msgstr "" "Deine Nachricht an {1} wurde verloren, du bist nicht mit dem IRC verbunden!" -#: Client.cpp:1316 Client.cpp:1322 +#: Client.cpp:1309 Client.cpp:1315 msgid "Hello. How may I help you?" msgstr "Hallo. Wie kann ich dir helfen?" -#: Client.cpp:1336 +#: Client.cpp:1329 msgid "Usage: /attach <#chans>" msgstr "Verwendung: /attach <#Kanal>" -#: Client.cpp:1343 Client.cpp:1365 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: Client.cpp:1336 Client.cpp:1358 ClientCommand.cpp:129 ClientCommand.cpp:151 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" msgstr[0] "Es gibt einen Kanal, der auf [{2}] passt" msgstr[1] "Es gibt {1} Kanäle, die auf [{2}] passen" -#: Client.cpp:1346 ClientCommand.cpp:132 +#: Client.cpp:1339 ClientCommand.cpp:132 msgid "Attached {1} channel" msgid_plural "Attached {1} channels" msgstr[0] "Zu {1} Kanal verbunden" msgstr[1] "Zu {1} Kanälen verbunden" -#: Client.cpp:1358 +#: Client.cpp:1351 msgid "Usage: /detach <#chans>" msgstr "Verwendung: /detach <#Kanäle>" -#: Client.cpp:1368 ClientCommand.cpp:154 +#: Client.cpp:1361 ClientCommand.cpp:154 msgid "Detached {1} channel" msgid_plural "Detached {1} channels" msgstr[0] "Von {1} Kanal getrennt" diff --git a/src/po/znc.es_ES.po b/src/po/znc.es_ES.po index bec071f7..7a71651b 100644 --- a/src/po/znc.es_ES.po +++ b/src/po/znc.es_ES.po @@ -78,44 +78,36 @@ msgstr "Puerto no válido" msgid "Unable to bind: {1}" msgstr "Imposible enlazar: {1}" -#: IRCNetwork.cpp:236 +#: IRCNetwork.cpp:235 msgid "Jumping servers because this server is no longer in the list" msgstr "Cambiando de servidor porque este servidor ya no está en la lista" -#: IRCNetwork.cpp:641 User.cpp:678 +#: IRCNetwork.cpp:640 User.cpp:678 msgid "Welcome to ZNC" msgstr "Bienvenido a ZNC" -#: IRCNetwork.cpp:729 +#: IRCNetwork.cpp:728 msgid "You are currently disconnected from IRC. Use 'connect' to reconnect." msgstr "Estás desconectado del IRC. Usa 'connect' para reconectar." -#: IRCNetwork.cpp:734 -msgid "" -"ZNC is presently running in DEBUG mode. Sensitive data during your current " -"session may be exposed to the host." -msgstr "" -"ZNC se está ejecutando en modo DEBUG. Durante esta sesión puede haber datos " -"sensibles expuestos al host." - -#: IRCNetwork.cpp:765 +#: IRCNetwork.cpp:758 msgid "This network is being deleted or moved to another user." msgstr "Esta red está siendo eliminada o movida a otro usuario." -#: IRCNetwork.cpp:994 +#: IRCNetwork.cpp:987 msgid "The channel {1} could not be joined, disabling it." msgstr "El canal {1} no es accesible, deshabilitado." -#: IRCNetwork.cpp:1123 +#: IRCNetwork.cpp:1116 msgid "Your current server was removed, jumping..." msgstr "Tu servidor actual ha sido eliminado. Cambiando de servidor..." -#: IRCNetwork.cpp:1286 +#: IRCNetwork.cpp:1279 msgid "Cannot connect to {1}, because ZNC is not compiled with SSL support." msgstr "" "No se puede conectar a {1} porque ZNC no se ha compilado con soporte SSL." -#: IRCNetwork.cpp:1307 +#: IRCNetwork.cpp:1300 msgid "Some module aborted the connection attempt" msgstr "Algún módulo ha abortado el intento de conexión" @@ -184,21 +176,21 @@ msgstr "No hay ningún nick disponible" msgid "No free nick found" msgstr "No se ha encontrado ningún nick disponible" -#: Client.cpp:75 +#: Client.cpp:74 msgid "No such module {1}" msgstr "No existe el módulo {1}" -#: Client.cpp:365 +#: Client.cpp:358 msgid "A client from {1} attempted to login as you, but was rejected: {2}" msgstr "" "Un cliente desde {1} ha intentado conectarse por ti, pero ha sido rechazado " "{2}" -#: Client.cpp:400 +#: Client.cpp:393 msgid "Network {1} doesn't exist." msgstr "La red {1} no existe." -#: Client.cpp:414 +#: Client.cpp:407 msgid "" "You have several networks configured, but no network was specified for the " "connection." @@ -206,7 +198,7 @@ msgstr "" "Tienes varias redes configuradas, pero ninguna ha sido especificada para la " "conexión." -#: Client.cpp:417 +#: Client.cpp:410 msgid "" "Selecting network {1}. To see list of all configured networks, use /znc " "ListNetworks" @@ -214,7 +206,7 @@ msgstr "" "Seleccionando la red {1}. Para ver una lista de todas las redes " "configuradas, ejecuta /znc ListNetworks" -#: Client.cpp:420 +#: Client.cpp:413 msgid "" "If you want to choose another network, use /znc JumpNetwork , or " "connect to ZNC with username {1}/ (instead of just {1})" @@ -222,68 +214,68 @@ msgstr "" "Si quieres escoger otra red, utiliza /znc JumpNetwork , o conecta a " "ZNC mediante usuario {1}/ (en vez de solo {1})" -#: Client.cpp:426 +#: Client.cpp:419 msgid "" "You have no networks configured. Use /znc AddNetwork to add one." msgstr "" "No tienes redes configuradas. Ejecuta /znc AddNetwork para añadir " "una." -#: Client.cpp:437 +#: Client.cpp:430 msgid "Closing link: Timeout" msgstr "Cerrando conexión: tiempo de espera agotado" -#: Client.cpp:459 +#: Client.cpp:452 msgid "Closing link: Too long raw line" msgstr "Cerrando conexión: linea raw demasiado larga" -#: Client.cpp:466 +#: Client.cpp:459 msgid "" "You are being disconnected because another user just authenticated as you." msgstr "" "Estás siendo desconectado porque otro usuario se ha autenticado por ti." -#: Client.cpp:1021 +#: Client.cpp:1014 msgid "Your CTCP to {1} got lost, you are not connected to IRC!" msgstr "Tu CTCP a {1} se ha perdido, ¡no estás conectado al IRC!" -#: Client.cpp:1148 +#: Client.cpp:1141 msgid "Your notice to {1} got lost, you are not connected to IRC!" msgstr "Tu notice a {1} se ha perdido, ¡no estás conectado al IRC!" -#: Client.cpp:1187 +#: Client.cpp:1180 msgid "Removing channel {1}" msgstr "Eliminando canal {1}" -#: Client.cpp:1263 +#: Client.cpp:1256 msgid "Your message to {1} got lost, you are not connected to IRC!" msgstr "Tu mensaje a {1} se ha perdido, ¡no estás conectado al IRC!" -#: Client.cpp:1316 Client.cpp:1322 +#: Client.cpp:1309 Client.cpp:1315 msgid "Hello. How may I help you?" msgstr "Hola. ¿En qué te puedo ayudar?" -#: Client.cpp:1336 +#: Client.cpp:1329 msgid "Usage: /attach <#chans>" msgstr "Uso: /attach <#canales>" -#: Client.cpp:1343 Client.cpp:1365 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: Client.cpp:1336 Client.cpp:1358 ClientCommand.cpp:129 ClientCommand.cpp:151 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" msgstr[0] "" msgstr[1] "Hay {1} canales que coinciden con [{2}]" -#: Client.cpp:1346 ClientCommand.cpp:132 +#: Client.cpp:1339 ClientCommand.cpp:132 msgid "Attached {1} channel" msgid_plural "Attached {1} channels" msgstr[0] "" msgstr[1] "Unido a {1} canales" -#: Client.cpp:1358 +#: Client.cpp:1351 msgid "Usage: /detach <#chans>" msgstr "Uso: /detach <#canales>" -#: Client.cpp:1368 ClientCommand.cpp:154 +#: Client.cpp:1361 ClientCommand.cpp:154 msgid "Detached {1} channel" msgid_plural "Detached {1} channels" msgstr[0] "" diff --git a/src/po/znc.id_ID.po b/src/po/znc.id_ID.po index c1c4de94..accdb84e 100644 --- a/src/po/znc.id_ID.po +++ b/src/po/znc.id_ID.po @@ -78,46 +78,38 @@ msgstr "Port tidak valid" msgid "Unable to bind: {1}" msgstr "Tidak dapat mengikat: {1}" -#: IRCNetwork.cpp:236 +#: IRCNetwork.cpp:235 msgid "Jumping servers because this server is no longer in the list" msgstr "Melompati server karena server ini tidak lagi dalam daftar" -#: IRCNetwork.cpp:641 User.cpp:678 +#: IRCNetwork.cpp:640 User.cpp:678 msgid "Welcome to ZNC" msgstr "Selamat datang di ZNC" -#: IRCNetwork.cpp:729 +#: IRCNetwork.cpp:728 msgid "You are currently disconnected from IRC. Use 'connect' to reconnect." msgstr "" "Anda saat ini terputus dari IRC. Gunakan 'connect' untuk terhubung kembali." -#: IRCNetwork.cpp:734 -msgid "" -"ZNC is presently running in DEBUG mode. Sensitive data during your current " -"session may be exposed to the host." -msgstr "" -"ZNC saat ini berjalan dalam mode DEBUG. Data sensitif selama sesi anda saat " -"ini mungkin tidak tersembunyi dari host." - -#: IRCNetwork.cpp:765 +#: IRCNetwork.cpp:758 msgid "This network is being deleted or moved to another user." msgstr "Jaringan ini sedang dihapus atau dipindahkan ke pengguna lain." -#: IRCNetwork.cpp:994 +#: IRCNetwork.cpp:987 msgid "The channel {1} could not be joined, disabling it." msgstr "Tidak dapat join ke channel {1}. menonaktifkan." -#: IRCNetwork.cpp:1123 +#: IRCNetwork.cpp:1116 msgid "Your current server was removed, jumping..." msgstr "Server anda saat ini dihapus, melompati..." -#: IRCNetwork.cpp:1286 +#: IRCNetwork.cpp:1279 msgid "Cannot connect to {1}, because ZNC is not compiled with SSL support." msgstr "" "Tidak dapat terhubung ke {1}, karena ZNC tidak dikompilasi dengan dukungan " "SSL." -#: IRCNetwork.cpp:1307 +#: IRCNetwork.cpp:1300 msgid "Some module aborted the connection attempt" msgstr "Beberapa modul membatalkan upaya koneksi" @@ -187,19 +179,19 @@ msgstr "Tidak ada nick tersedia" msgid "No free nick found" msgstr "Tidak ada nick ditemukan" -#: Client.cpp:75 +#: Client.cpp:74 msgid "No such module {1}" msgstr "Modul tidak ada {1}" -#: Client.cpp:365 +#: Client.cpp:358 msgid "A client from {1} attempted to login as you, but was rejected: {2}" msgstr "Klien dari {1} berusaha masuk seperti anda, namun ditolak: {2}" -#: Client.cpp:400 +#: Client.cpp:393 msgid "Network {1} doesn't exist." msgstr "Jaringan {1} tidak ada." -#: Client.cpp:414 +#: Client.cpp:407 msgid "" "You have several networks configured, but no network was specified for the " "connection." @@ -207,7 +199,7 @@ msgstr "" "Anda memiliki beberapa jaringan terkonfigurasi, tetapi tidak ada jaringan " "ditentukan untuk sambungan." -#: Client.cpp:417 +#: Client.cpp:410 msgid "" "Selecting network {1}. To see list of all configured networks, use /znc " "ListNetworks" @@ -215,7 +207,7 @@ msgstr "" "Memilih jaringan {1}. Untuk melihat daftar semua jaringan terkonfigurasi, " "gunakan /znc ListNetworks" -#: Client.cpp:420 +#: Client.cpp:413 msgid "" "If you want to choose another network, use /znc JumpNetwork , or " "connect to ZNC with username {1}/ (instead of just {1})" @@ -223,65 +215,65 @@ msgstr "" "Jika anda ingin memilih jaringan lain, gunakan /znc JumpNetwork , " "atau hubungkan ke ZNC dengan nama pengguna {1}/ (bukan hanya {1})" -#: Client.cpp:426 +#: Client.cpp:419 msgid "" "You have no networks configured. Use /znc AddNetwork to add one." msgstr "" "Anda tidak memiliki jaringan terkonfigurasi. Gunakan /znc AddNetwork " " untuk menambahkannya." -#: Client.cpp:437 +#: Client.cpp:430 msgid "Closing link: Timeout" msgstr "Menutup link: Waktu habis" -#: Client.cpp:459 +#: Client.cpp:452 msgid "Closing link: Too long raw line" msgstr "Menutup link: Baris raw terlalu panjang" -#: Client.cpp:466 +#: Client.cpp:459 msgid "" "You are being disconnected because another user just authenticated as you." msgstr "Anda terputus karena pengguna lain hanya diautentikasi sebagai anda." -#: Client.cpp:1021 +#: Client.cpp:1014 msgid "Your CTCP to {1} got lost, you are not connected to IRC!" msgstr "CTCP anda untuk {1} tersesat, anda tidak terhubung ke IRC!" -#: Client.cpp:1148 +#: Client.cpp:1141 msgid "Your notice to {1} got lost, you are not connected to IRC!" msgstr "Notice anda untuk {1} tersesat, anda tidak terhubung ke IRC!" -#: Client.cpp:1187 +#: Client.cpp:1180 msgid "Removing channel {1}" msgstr "Menghapus channel {1}" -#: Client.cpp:1263 +#: Client.cpp:1256 msgid "Your message to {1} got lost, you are not connected to IRC!" msgstr "Pesan anda untuk {1} tersesat, anda tidak terhubung ke IRC!" -#: Client.cpp:1316 Client.cpp:1322 +#: Client.cpp:1309 Client.cpp:1315 msgid "Hello. How may I help you?" msgstr "Halo. Bagaimana saya bisa membantu anda?" -#: Client.cpp:1336 +#: Client.cpp:1329 msgid "Usage: /attach <#chans>" msgstr "Gunakan: /attach <#chan>" -#: Client.cpp:1343 Client.cpp:1365 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: Client.cpp:1336 Client.cpp:1358 ClientCommand.cpp:129 ClientCommand.cpp:151 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" msgstr[0] "Ada {1} pencocokan saluran [{2}]" -#: Client.cpp:1346 ClientCommand.cpp:132 +#: Client.cpp:1339 ClientCommand.cpp:132 msgid "Attached {1} channel" msgid_plural "Attached {1} channels" msgstr[0] "" -#: Client.cpp:1358 +#: Client.cpp:1351 msgid "Usage: /detach <#chans>" msgstr "" -#: Client.cpp:1368 ClientCommand.cpp:154 +#: Client.cpp:1361 ClientCommand.cpp:154 msgid "Detached {1} channel" msgid_plural "Detached {1} channels" msgstr[0] "" diff --git a/src/po/znc.nl_NL.po b/src/po/znc.nl_NL.po index f4456319..c6c1d029 100644 --- a/src/po/znc.nl_NL.po +++ b/src/po/znc.nl_NL.po @@ -78,52 +78,44 @@ msgstr "Ongeldige poort" msgid "Unable to bind: {1}" msgstr "Kan niet binden: {1}" -#: IRCNetwork.cpp:236 +#: IRCNetwork.cpp:235 msgid "Jumping servers because this server is no longer in the list" msgstr "" "We schakelen over naar een andere server omdat deze server niet langer in de " "lijst staat" -#: IRCNetwork.cpp:641 User.cpp:678 +#: IRCNetwork.cpp:640 User.cpp:678 msgid "Welcome to ZNC" msgstr "Welkom bij ZNC" -#: IRCNetwork.cpp:729 +#: IRCNetwork.cpp:728 msgid "You are currently disconnected from IRC. Use 'connect' to reconnect." msgstr "" "Op dit moment ben je niet verbonden met IRC. Gebruik 'connect' om opnieuw " "verbinding te maken." -#: IRCNetwork.cpp:734 -msgid "" -"ZNC is presently running in DEBUG mode. Sensitive data during your current " -"session may be exposed to the host." -msgstr "" -"ZNC draait op dit moment in DEBUG modus. Sensitieve data kan tijdens deze " -"sessie blootgesteld worden aan de host." - -#: IRCNetwork.cpp:765 +#: IRCNetwork.cpp:758 msgid "This network is being deleted or moved to another user." msgstr "" "Dit netwerk wordt op dit moment verwijderd of verplaatst door een andere " "gebruiker." -#: IRCNetwork.cpp:994 +#: IRCNetwork.cpp:987 msgid "The channel {1} could not be joined, disabling it." msgstr "Het kanaal {1} kan niet toegetreden worden, deze wordt uitgeschakeld." -#: IRCNetwork.cpp:1123 +#: IRCNetwork.cpp:1116 msgid "Your current server was removed, jumping..." msgstr "" "Je huidige server was verwijderd, we schakelen over naar een andere server..." -#: IRCNetwork.cpp:1286 +#: IRCNetwork.cpp:1279 msgid "Cannot connect to {1}, because ZNC is not compiled with SSL support." msgstr "" "Kan niet verbinden naar {1} omdat ZNC niet gecompileerd is met SSL " "ondersteuning." -#: IRCNetwork.cpp:1307 +#: IRCNetwork.cpp:1300 msgid "Some module aborted the connection attempt" msgstr "Een module heeft de verbindingspoging afgebroken" @@ -196,21 +188,21 @@ msgstr "Geen beschikbare bijnaam" msgid "No free nick found" msgstr "Geen beschikbare bijnaam gevonden" -#: Client.cpp:75 +#: Client.cpp:74 msgid "No such module {1}" msgstr "Geen dergelijke module {1}" -#: Client.cpp:365 +#: Client.cpp:358 msgid "A client from {1} attempted to login as you, but was rejected: {2}" msgstr "" "Een client van {1} heeft geprobeerd als jou in te loggen maar werd " "geweigerd: {2}" -#: Client.cpp:400 +#: Client.cpp:393 msgid "Network {1} doesn't exist." msgstr "Netwerk {1} bestaat niet." -#: Client.cpp:414 +#: Client.cpp:407 msgid "" "You have several networks configured, but no network was specified for the " "connection." @@ -218,7 +210,7 @@ msgstr "" "Je hebt meerdere netwerken geconfigureerd maar je hebt er geen gekozen om " "verbinding mee te maken." -#: Client.cpp:417 +#: Client.cpp:410 msgid "" "Selecting network {1}. To see list of all configured networks, use /znc " "ListNetworks" @@ -226,7 +218,7 @@ msgstr "" "Netwerk {1} geselecteerd. Om een lijst te tonen van alle geconfigureerde " "netwerken, gebruik /znc ListNetworks" -#: Client.cpp:420 +#: Client.cpp:413 msgid "" "If you want to choose another network, use /znc JumpNetwork , or " "connect to ZNC with username {1}/ (instead of just {1})" @@ -234,71 +226,71 @@ msgstr "" "Als je een ander netwerk wilt kiezen, gebruik /znc JumpNetwork , of " "verbind naar ZNC met gebruikersnaam {1}/ (in plaats van alleen {1})" -#: Client.cpp:426 +#: Client.cpp:419 msgid "" "You have no networks configured. Use /znc AddNetwork to add one." msgstr "" "Je hebt geen netwerken geconfigureerd. Gebruiker /znc AddNetwork " "om er een toe te voegen." -#: Client.cpp:437 +#: Client.cpp:430 msgid "Closing link: Timeout" msgstr "Verbinding verbroken: Time-out" -#: Client.cpp:459 +#: Client.cpp:452 msgid "Closing link: Too long raw line" msgstr "Verbinding verbroken: Te lange onbewerkte regel" -#: Client.cpp:466 +#: Client.cpp:459 msgid "" "You are being disconnected because another user just authenticated as you." msgstr "" "Je verbinding wordt verbroken omdat een andere gebruiker zich net aangemeld " "heeft als jou." -#: Client.cpp:1021 +#: Client.cpp:1014 msgid "Your CTCP to {1} got lost, you are not connected to IRC!" msgstr "Je CTCP naar {1} is verloren geraakt, je bent niet verbonden met IRC!" -#: Client.cpp:1148 +#: Client.cpp:1141 msgid "Your notice to {1} got lost, you are not connected to IRC!" msgstr "" "Je notice naar {1} is verloren geraakt, je bent niet verbonden met IRC!" -#: Client.cpp:1187 +#: Client.cpp:1180 msgid "Removing channel {1}" msgstr "Kanaal verwijderen: {1}" -#: Client.cpp:1263 +#: Client.cpp:1256 msgid "Your message to {1} got lost, you are not connected to IRC!" msgstr "" "Je bericht naar {1} is verloren geraakt, je bent niet verbonden met IRC!" -#: Client.cpp:1316 Client.cpp:1322 +#: Client.cpp:1309 Client.cpp:1315 msgid "Hello. How may I help you?" msgstr "Hallo. Hoe kan ik je helpen?" -#: Client.cpp:1336 +#: Client.cpp:1329 msgid "Usage: /attach <#chans>" msgstr "Gebruik: /attach <#kanalen>" -#: Client.cpp:1343 Client.cpp:1365 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: Client.cpp:1336 Client.cpp:1358 ClientCommand.cpp:129 ClientCommand.cpp:151 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" msgstr[0] "Er was {1} kanaal overeenkomend met [{2}]" msgstr[1] "Er waren {1} kanalen overeenkomend met [{2}]" -#: Client.cpp:1346 ClientCommand.cpp:132 +#: Client.cpp:1339 ClientCommand.cpp:132 msgid "Attached {1} channel" msgid_plural "Attached {1} channels" msgstr[0] "Gekoppeld aan {1} kanaal" msgstr[1] "Gekoppeld aan {1} kanalen" -#: Client.cpp:1358 +#: Client.cpp:1351 msgid "Usage: /detach <#chans>" msgstr "Gebruik: /detach <#kanalen>" -#: Client.cpp:1368 ClientCommand.cpp:154 +#: Client.cpp:1361 ClientCommand.cpp:154 msgid "Detached {1} channel" msgid_plural "Detached {1} channels" msgstr[0] "Losgekoppeld van {1} kanaal" diff --git a/src/po/znc.pot b/src/po/znc.pot index 0af9a9dd..2d6bd30b 100644 --- a/src/po/znc.pot +++ b/src/po/znc.pot @@ -66,41 +66,35 @@ msgstr "" msgid "Unable to bind: {1}" msgstr "" -#: IRCNetwork.cpp:236 +#: IRCNetwork.cpp:235 msgid "Jumping servers because this server is no longer in the list" msgstr "" -#: IRCNetwork.cpp:641 User.cpp:678 +#: IRCNetwork.cpp:640 User.cpp:678 msgid "Welcome to ZNC" msgstr "" -#: IRCNetwork.cpp:729 +#: IRCNetwork.cpp:728 msgid "You are currently disconnected from IRC. Use 'connect' to reconnect." msgstr "" -#: IRCNetwork.cpp:734 -msgid "" -"ZNC is presently running in DEBUG mode. Sensitive data during your current " -"session may be exposed to the host." -msgstr "" - -#: IRCNetwork.cpp:765 +#: IRCNetwork.cpp:758 msgid "This network is being deleted or moved to another user." msgstr "" -#: IRCNetwork.cpp:994 +#: IRCNetwork.cpp:987 msgid "The channel {1} could not be joined, disabling it." msgstr "" -#: IRCNetwork.cpp:1123 +#: IRCNetwork.cpp:1116 msgid "Your current server was removed, jumping..." msgstr "" -#: IRCNetwork.cpp:1286 +#: IRCNetwork.cpp:1279 msgid "Cannot connect to {1}, because ZNC is not compiled with SSL support." msgstr "" -#: IRCNetwork.cpp:1307 +#: IRCNetwork.cpp:1300 msgid "Some module aborted the connection attempt" msgstr "" @@ -168,95 +162,95 @@ msgstr "" msgid "No free nick found" msgstr "" -#: Client.cpp:75 +#: Client.cpp:74 msgid "No such module {1}" msgstr "" -#: Client.cpp:365 +#: Client.cpp:358 msgid "A client from {1} attempted to login as you, but was rejected: {2}" msgstr "" -#: Client.cpp:400 +#: Client.cpp:393 msgid "Network {1} doesn't exist." msgstr "" -#: Client.cpp:414 +#: Client.cpp:407 msgid "" "You have several networks configured, but no network was specified for the " "connection." msgstr "" -#: Client.cpp:417 +#: Client.cpp:410 msgid "" "Selecting network {1}. To see list of all configured networks, use /znc " "ListNetworks" msgstr "" -#: Client.cpp:420 +#: Client.cpp:413 msgid "" "If you want to choose another network, use /znc JumpNetwork , or " "connect to ZNC with username {1}/ (instead of just {1})" msgstr "" -#: Client.cpp:426 +#: Client.cpp:419 msgid "" "You have no networks configured. Use /znc AddNetwork to add one." msgstr "" -#: Client.cpp:437 +#: Client.cpp:430 msgid "Closing link: Timeout" msgstr "" -#: Client.cpp:459 +#: Client.cpp:452 msgid "Closing link: Too long raw line" msgstr "" -#: Client.cpp:466 +#: Client.cpp:459 msgid "" "You are being disconnected because another user just authenticated as you." msgstr "" -#: Client.cpp:1021 +#: Client.cpp:1014 msgid "Your CTCP to {1} got lost, you are not connected to IRC!" msgstr "" -#: Client.cpp:1148 +#: Client.cpp:1141 msgid "Your notice to {1} got lost, you are not connected to IRC!" msgstr "" -#: Client.cpp:1187 +#: Client.cpp:1180 msgid "Removing channel {1}" msgstr "" -#: Client.cpp:1263 +#: Client.cpp:1256 msgid "Your message to {1} got lost, you are not connected to IRC!" msgstr "" -#: Client.cpp:1316 Client.cpp:1322 +#: Client.cpp:1309 Client.cpp:1315 msgid "Hello. How may I help you?" msgstr "" -#: Client.cpp:1336 +#: Client.cpp:1329 msgid "Usage: /attach <#chans>" msgstr "" -#: Client.cpp:1343 Client.cpp:1365 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: Client.cpp:1336 Client.cpp:1358 ClientCommand.cpp:129 ClientCommand.cpp:151 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" msgstr[0] "" msgstr[1] "" -#: Client.cpp:1346 ClientCommand.cpp:132 +#: Client.cpp:1339 ClientCommand.cpp:132 msgid "Attached {1} channel" msgid_plural "Attached {1} channels" msgstr[0] "" msgstr[1] "" -#: Client.cpp:1358 +#: Client.cpp:1351 msgid "Usage: /detach <#chans>" msgstr "" -#: Client.cpp:1368 ClientCommand.cpp:154 +#: Client.cpp:1361 ClientCommand.cpp:154 msgid "Detached {1} channel" msgid_plural "Detached {1} channels" msgstr[0] "" diff --git a/src/po/znc.pt_BR.po b/src/po/znc.pt_BR.po index ce647e1f..6a5616a9 100644 --- a/src/po/znc.pt_BR.po +++ b/src/po/znc.pt_BR.po @@ -75,41 +75,35 @@ msgstr "Porta inválida" msgid "Unable to bind: {1}" msgstr "" -#: IRCNetwork.cpp:236 +#: IRCNetwork.cpp:235 msgid "Jumping servers because this server is no longer in the list" msgstr "" -#: IRCNetwork.cpp:641 User.cpp:678 +#: IRCNetwork.cpp:640 User.cpp:678 msgid "Welcome to ZNC" msgstr "Bem-vindo(a) ao ZNC" -#: IRCNetwork.cpp:729 +#: IRCNetwork.cpp:728 msgid "You are currently disconnected from IRC. Use 'connect' to reconnect." msgstr "" -#: IRCNetwork.cpp:734 -msgid "" -"ZNC is presently running in DEBUG mode. Sensitive data during your current " -"session may be exposed to the host." -msgstr "" - -#: IRCNetwork.cpp:765 +#: IRCNetwork.cpp:758 msgid "This network is being deleted or moved to another user." msgstr "" -#: IRCNetwork.cpp:994 +#: IRCNetwork.cpp:987 msgid "The channel {1} could not be joined, disabling it." msgstr "Não foi possível entrar no canal {1}. Desabilitando-o." -#: IRCNetwork.cpp:1123 +#: IRCNetwork.cpp:1116 msgid "Your current server was removed, jumping..." msgstr "" -#: IRCNetwork.cpp:1286 +#: IRCNetwork.cpp:1279 msgid "Cannot connect to {1}, because ZNC is not compiled with SSL support." msgstr "" -#: IRCNetwork.cpp:1307 +#: IRCNetwork.cpp:1300 msgid "Some module aborted the connection attempt" msgstr "Algum módulo cancelou a tentativa de conexão" @@ -177,19 +171,19 @@ msgstr "" msgid "No free nick found" msgstr "" -#: Client.cpp:75 +#: Client.cpp:74 msgid "No such module {1}" msgstr "O módulo {1} não existe" -#: Client.cpp:365 +#: Client.cpp:358 msgid "A client from {1} attempted to login as you, but was rejected: {2}" msgstr "" -#: Client.cpp:400 +#: Client.cpp:393 msgid "Network {1} doesn't exist." msgstr "A rede {1} não existe." -#: Client.cpp:414 +#: Client.cpp:407 msgid "" "You have several networks configured, but no network was specified for the " "connection." @@ -197,7 +191,7 @@ msgstr "" "Você possui várias redes configuradas mas nenhuma delas foi especificada " "para conectar." -#: Client.cpp:417 +#: Client.cpp:410 msgid "" "Selecting network {1}. To see list of all configured networks, use /znc " "ListNetworks" @@ -205,73 +199,73 @@ msgstr "" "Selecionando a rede {1}. Para ver a lista das redes configuradas, digite /" "znc ListNetworks" -#: Client.cpp:420 +#: Client.cpp:413 msgid "" "If you want to choose another network, use /znc JumpNetwork , or " "connect to ZNC with username {1}/ (instead of just {1})" msgstr "" -#: Client.cpp:426 +#: Client.cpp:419 msgid "" "You have no networks configured. Use /znc AddNetwork to add one." msgstr "" "Você não possui redes configuradas. Digite /znc AddNetwork para " "adicionar uma rede." -#: Client.cpp:437 +#: Client.cpp:430 msgid "Closing link: Timeout" msgstr "" -#: Client.cpp:459 +#: Client.cpp:452 msgid "Closing link: Too long raw line" msgstr "" -#: Client.cpp:466 +#: Client.cpp:459 msgid "" "You are being disconnected because another user just authenticated as you." msgstr "" -#: Client.cpp:1021 +#: Client.cpp:1014 msgid "Your CTCP to {1} got lost, you are not connected to IRC!" msgstr "" -#: Client.cpp:1148 +#: Client.cpp:1141 msgid "Your notice to {1} got lost, you are not connected to IRC!" msgstr "" -#: Client.cpp:1187 +#: Client.cpp:1180 msgid "Removing channel {1}" msgstr "" -#: Client.cpp:1263 +#: Client.cpp:1256 msgid "Your message to {1} got lost, you are not connected to IRC!" msgstr "" -#: Client.cpp:1316 Client.cpp:1322 +#: Client.cpp:1309 Client.cpp:1315 msgid "Hello. How may I help you?" msgstr "" -#: Client.cpp:1336 +#: Client.cpp:1329 msgid "Usage: /attach <#chans>" msgstr "" -#: Client.cpp:1343 Client.cpp:1365 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: Client.cpp:1336 Client.cpp:1358 ClientCommand.cpp:129 ClientCommand.cpp:151 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" msgstr[0] "" msgstr[1] "" -#: Client.cpp:1346 ClientCommand.cpp:132 +#: Client.cpp:1339 ClientCommand.cpp:132 msgid "Attached {1} channel" msgid_plural "Attached {1} channels" msgstr[0] "" msgstr[1] "" -#: Client.cpp:1358 +#: Client.cpp:1351 msgid "Usage: /detach <#chans>" msgstr "" -#: Client.cpp:1368 ClientCommand.cpp:154 +#: Client.cpp:1361 ClientCommand.cpp:154 msgid "Detached {1} channel" msgid_plural "Detached {1} channels" msgstr[0] "" diff --git a/src/po/znc.ru_RU.po b/src/po/znc.ru_RU.po index acaa2e0f..42c97bce 100644 --- a/src/po/znc.ru_RU.po +++ b/src/po/znc.ru_RU.po @@ -81,43 +81,35 @@ msgstr "Некорректный порт" msgid "Unable to bind: {1}" msgstr "Не получилось слушать: {1}" -#: IRCNetwork.cpp:236 +#: IRCNetwork.cpp:235 msgid "Jumping servers because this server is no longer in the list" msgstr "Текущий сервер больше не в списке, переподключаюсь" -#: IRCNetwork.cpp:641 User.cpp:678 +#: IRCNetwork.cpp:640 User.cpp:678 msgid "Welcome to ZNC" msgstr "Добро пожаловать в ZNC" -#: IRCNetwork.cpp:729 +#: IRCNetwork.cpp:728 msgid "You are currently disconnected from IRC. Use 'connect' to reconnect." msgstr "Вы отключены от IRC. Введите «connect» для подключения." -#: IRCNetwork.cpp:734 -msgid "" -"ZNC is presently running in DEBUG mode. Sensitive data during your current " -"session may be exposed to the host." -msgstr "" -"ZNC запущен в отладочном режиме. Деликатная информация, проходящая через " -"ZNC, может быть видна администратору." - -#: IRCNetwork.cpp:765 +#: IRCNetwork.cpp:758 msgid "This network is being deleted or moved to another user." msgstr "Эта сеть будет удалена или перемещена к другому пользователю." -#: IRCNetwork.cpp:994 +#: IRCNetwork.cpp:987 msgid "The channel {1} could not be joined, disabling it." msgstr "Не могу зайти на канал {1}, выключаю его." -#: IRCNetwork.cpp:1123 +#: IRCNetwork.cpp:1116 msgid "Your current server was removed, jumping..." msgstr "Текущий сервер был удалён, переподключаюсь..." -#: IRCNetwork.cpp:1286 +#: IRCNetwork.cpp:1279 msgid "Cannot connect to {1}, because ZNC is not compiled with SSL support." msgstr "Не могу подключиться к {1}, т. к. ZNC собран без поддержки SSL." -#: IRCNetwork.cpp:1307 +#: IRCNetwork.cpp:1300 msgid "Some module aborted the connection attempt" msgstr "Какой-то модуль оборвал попытку соединения" @@ -187,26 +179,26 @@ msgstr "Не могу найти свободный ник" msgid "No free nick found" msgstr "Не могу найти свободный ник" -#: Client.cpp:75 +#: Client.cpp:74 msgid "No such module {1}" msgstr "Нет модуля {1}" -#: Client.cpp:365 +#: Client.cpp:358 msgid "A client from {1} attempted to login as you, but was rejected: {2}" msgstr "Клиент с {1} попытался зайти под вашим именем, но был отвергнут: {2}" -#: Client.cpp:400 +#: Client.cpp:393 msgid "Network {1} doesn't exist." msgstr "Сеть {1} не существует." -#: Client.cpp:414 +#: Client.cpp:407 msgid "" "You have several networks configured, but no network was specified for the " "connection." msgstr "" "У вас настроены несколько сетей, но для этого соединения ни одна не указана." -#: Client.cpp:417 +#: Client.cpp:410 msgid "" "Selecting network {1}. To see list of all configured networks, use /znc " "ListNetworks" @@ -214,7 +206,7 @@ msgstr "" "Выбираю сеть {1}. Чтобы увидеть весь список, введите команду /znc " "ListNetworks" -#: Client.cpp:420 +#: Client.cpp:413 msgid "" "If you want to choose another network, use /znc JumpNetwork , or " "connect to ZNC with username {1}/ (instead of just {1})" @@ -222,51 +214,51 @@ msgstr "" "Чтобы выбрать другую сеть, введите /znc JumpNetwork <сеть> либо " "подключайтесь к ZNC с именем пользователя {1}/<сеть> вместо {1}" -#: Client.cpp:426 +#: Client.cpp:419 msgid "" "You have no networks configured. Use /znc AddNetwork to add one." msgstr "" "Вы не настроили ни одну сеть. Введите команду /znc AddNetwork <сеть> чтобы " "добавить сеть." -#: Client.cpp:437 +#: Client.cpp:430 msgid "Closing link: Timeout" msgstr "Завершаю связь по тайм-ауту" -#: Client.cpp:459 +#: Client.cpp:452 msgid "Closing link: Too long raw line" msgstr "Завершаю связь: получена слишком длинная строка" -#: Client.cpp:466 +#: Client.cpp:459 msgid "" "You are being disconnected because another user just authenticated as you." msgstr "Другой пользователь зашёл под вашим именем, отключаем." -#: Client.cpp:1021 +#: Client.cpp:1014 msgid "Your CTCP to {1} got lost, you are not connected to IRC!" msgstr "Вы не подключены к IRC, ваш CTCP-запрос к {1} утерян!" -#: Client.cpp:1148 +#: Client.cpp:1141 msgid "Your notice to {1} got lost, you are not connected to IRC!" msgstr "Вы не подключены к IRC, ваше сообщение к {1} утеряно!" -#: Client.cpp:1187 +#: Client.cpp:1180 msgid "Removing channel {1}" msgstr "Убираю канал {1}" -#: Client.cpp:1263 +#: Client.cpp:1256 msgid "Your message to {1} got lost, you are not connected to IRC!" msgstr "Вы не подключены к IRC, ваше сообщение к {1} утеряно!" -#: Client.cpp:1316 Client.cpp:1322 +#: Client.cpp:1309 Client.cpp:1315 msgid "Hello. How may I help you?" msgstr "Привет, чем могу быть вам полезен?" -#: Client.cpp:1336 +#: Client.cpp:1329 msgid "Usage: /attach <#chans>" msgstr "Использование: /attach <#каналы>" -#: Client.cpp:1343 Client.cpp:1365 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: Client.cpp:1336 Client.cpp:1358 ClientCommand.cpp:129 ClientCommand.cpp:151 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" msgstr[0] "{1} канал подходит под маску [{2}]" @@ -274,7 +266,7 @@ msgstr[1] "{1} канала подходят под маску [{2}]" msgstr[2] "{1} каналов подходят под маску [{2}]" msgstr[3] "{1} каналов подходят под маску [{2}]" -#: Client.cpp:1346 ClientCommand.cpp:132 +#: Client.cpp:1339 ClientCommand.cpp:132 msgid "Attached {1} channel" msgid_plural "Attached {1} channels" msgstr[0] "Прицепляю {1} канал" @@ -282,11 +274,11 @@ msgstr[1] "Прицепляю {1} канала" msgstr[2] "Прицепляю {1} каналов" msgstr[3] "Прицепляю {1} каналов" -#: Client.cpp:1358 +#: Client.cpp:1351 msgid "Usage: /detach <#chans>" msgstr "Использование: /detach <#каналы>" -#: Client.cpp:1368 ClientCommand.cpp:154 +#: Client.cpp:1361 ClientCommand.cpp:154 msgid "Detached {1} channel" msgid_plural "Detached {1} channels" msgstr[0] "Отцепляю {1} канал" @@ -1123,21 +1115,21 @@ msgstr "Всего" #: ClientCommand.cpp:1498 msgctxt "trafficcmd" msgid "" -msgstr "" +msgstr "<Пользователи>" #: ClientCommand.cpp:1507 msgctxt "trafficcmd" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1515 msgctxt "trafficcmd" msgid "" -msgstr "" +msgstr "<Всего>" #: ClientCommand.cpp:1524 msgid "Running for {1}" -msgstr "" +msgstr "Запущен {1}" #: ClientCommand.cpp:1530 msgid "Unknown command, try 'Help'" From 71ebbf4d143867a78f3e5d3e142163ff987e3eaf Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Tue, 19 Jun 2018 21:24:46 +0000 Subject: [PATCH 167/798] Update translations from Crowdin for ru_RU --- src/po/znc.ru_RU.po | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/src/po/znc.ru_RU.po b/src/po/znc.ru_RU.po index 00a46eb3..8fcb7e04 100644 --- a/src/po/znc.ru_RU.po +++ b/src/po/znc.ru_RU.po @@ -1235,7 +1235,7 @@ msgstr "Удалён порт" #: ClientCommand.cpp:1651 msgid "Unable to find a matching port" -msgstr "" +msgstr "Не могу найти такой порт" #: ClientCommand.cpp:1659 ClientCommand.cpp:1673 msgctxt "helpcmd" @@ -1252,6 +1252,7 @@ msgid "" "In the following list all occurrences of <#chan> support wildcards (* and ?) " "except ListNicks" msgstr "" +"В этом списке <#каналы> везде, кроме ListNicks, поддерживают шаблоны (* и ?)" #: ClientCommand.cpp:1680 msgctxt "helpcmd|Version|desc" From 87fe01d3aa2ac46b1c871fae2af605a6b702413f Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Tue, 19 Jun 2018 21:24:58 +0000 Subject: [PATCH 168/798] Update translations from Crowdin for ru_RU --- src/po/znc.ru_RU.po | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/src/po/znc.ru_RU.po b/src/po/znc.ru_RU.po index 42c97bce..c5e09b05 100644 --- a/src/po/znc.ru_RU.po +++ b/src/po/znc.ru_RU.po @@ -1235,7 +1235,7 @@ msgstr "Удалён порт" #: ClientCommand.cpp:1651 msgid "Unable to find a matching port" -msgstr "" +msgstr "Не могу найти такой порт" #: ClientCommand.cpp:1659 ClientCommand.cpp:1673 msgctxt "helpcmd" @@ -1252,6 +1252,7 @@ msgid "" "In the following list all occurrences of <#chan> support wildcards (* and ?) " "except ListNicks" msgstr "" +"В этом списке <#каналы> везде, кроме ListNicks, поддерживают шаблоны (* и ?)" #: ClientCommand.cpp:1680 msgctxt "helpcmd|Version|desc" From ff8b6298846acb9043b4a6253c33148652fefdae Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Wed, 20 Jun 2018 01:28:46 +0100 Subject: [PATCH 169/798] Don't throw from destructor in the integration test --- test/integration/framework/base.cpp | 20 ++++++++++---------- 1 file changed, 10 insertions(+), 10 deletions(-) diff --git a/test/integration/framework/base.cpp b/test/integration/framework/base.cpp index ffa16fd8..6d5c66ab 100644 --- a/test/integration/framework/base.cpp +++ b/test/integration/framework/base.cpp @@ -45,17 +45,17 @@ Process::Process(QString cmd, QStringList args, Process::~Process() { if (m_kill) m_proc.terminate(); - [this]() { - ASSERT_TRUE(m_proc.waitForFinished()); - if (!m_allowDie) { - ASSERT_EQ(QProcess::NormalExit, m_proc.exitStatus()); - if (m_allowLeak) { - ASSERT_THAT(m_proc.exitStatus(), AnyOf(Eq(23), Eq(m_exit))); - } else { - ASSERT_EQ(m_exit, m_proc.exitCode()); - } + bool bFinished = m_proc.waitForFinished(); + EXPECT_TRUE(bFinished); + if (!bFinished) return; + if (!m_allowDie) { + EXPECT_EQ(m_proc.exitStatus(), QProcess::NormalExit); + if (m_allowLeak) { + EXPECT_THAT(m_proc.exitStatus(), AnyOf(Eq(23), Eq(m_exit))); + } else { + EXPECT_EQ(m_proc.exitCode(), m_exit); } - }(); + } } } // namespace znc_inttest From eec5c5a036e84d90967bbe74db1cdb8b4020de17 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Sun, 24 Jun 2018 00:26:33 +0000 Subject: [PATCH 170/798] Update translations from Crowdin for de_DE --- modules/po/admindebug.de_DE.po | 18 +++++++++--------- 1 file changed, 9 insertions(+), 9 deletions(-) diff --git a/modules/po/admindebug.de_DE.po b/modules/po/admindebug.de_DE.po index 17af3acd..f63402df 100644 --- a/modules/po/admindebug.de_DE.po +++ b/modules/po/admindebug.de_DE.po @@ -14,35 +14,35 @@ msgstr "" #: admindebug.cpp:30 msgid "Enable Debug Mode" -msgstr "" +msgstr "Debugmodus aktivieren" #: admindebug.cpp:32 msgid "Disable Debug Mode" -msgstr "" +msgstr "Debugmodus deaktivieren" #: admindebug.cpp:34 msgid "Show the Debug Mode status" -msgstr "" +msgstr "Zeige den Debugstatus an" #: admindebug.cpp:40 admindebug.cpp:49 msgid "Access denied!" -msgstr "" +msgstr "Zugriff verweigert!" #: admindebug.cpp:61 msgid "Already enabled." -msgstr "" +msgstr "Bereits aktiviert." #: admindebug.cpp:63 msgid "Already disabled." -msgstr "" +msgstr "Bereits deaktiviert." #: admindebug.cpp:88 msgid "Debugging mode is on." -msgstr "" +msgstr "Debuggingmodus ist an." #: admindebug.cpp:90 msgid "Debugging mode is off." -msgstr "" +msgstr "Debuggingmodus ist aus." #: admindebug.cpp:92 msgid "Logging to: stdout." @@ -50,4 +50,4 @@ msgstr "" #: admindebug.cpp:101 msgid "Enable Debug mode dynamically." -msgstr "" +msgstr "Aktiviere den Debugmodus dynamisch." From 08fe2ae2f73355f2930ae0958ce274ee3dad56bd Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Sun, 24 Jun 2018 00:26:41 +0000 Subject: [PATCH 171/798] Update translations from Crowdin for de_DE --- modules/po/admindebug.de_DE.po | 18 +++++++++--------- 1 file changed, 9 insertions(+), 9 deletions(-) diff --git a/modules/po/admindebug.de_DE.po b/modules/po/admindebug.de_DE.po index b35e5c06..8b8912fe 100644 --- a/modules/po/admindebug.de_DE.po +++ b/modules/po/admindebug.de_DE.po @@ -14,35 +14,35 @@ msgstr "" #: admindebug.cpp:30 msgid "Enable Debug Mode" -msgstr "" +msgstr "Debugmodus aktivieren" #: admindebug.cpp:32 msgid "Disable Debug Mode" -msgstr "" +msgstr "Debugmodus deaktivieren" #: admindebug.cpp:34 msgid "Show the Debug Mode status" -msgstr "" +msgstr "Zeige den Debugstatus an" #: admindebug.cpp:40 admindebug.cpp:49 msgid "Access denied!" -msgstr "" +msgstr "Zugriff verweigert!" #: admindebug.cpp:61 msgid "Already enabled." -msgstr "" +msgstr "Bereits aktiviert." #: admindebug.cpp:63 msgid "Already disabled." -msgstr "" +msgstr "Bereits deaktiviert." #: admindebug.cpp:88 msgid "Debugging mode is on." -msgstr "" +msgstr "Debuggingmodus ist an." #: admindebug.cpp:90 msgid "Debugging mode is off." -msgstr "" +msgstr "Debuggingmodus ist aus." #: admindebug.cpp:92 msgid "Logging to: stdout." @@ -50,4 +50,4 @@ msgstr "" #: admindebug.cpp:101 msgid "Enable Debug mode dynamically." -msgstr "" +msgstr "Aktiviere den Debugmodus dynamisch." From abee9f9bfc8c9ca9d4616238fdd812c4200b17d5 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Thu, 28 Jun 2018 23:57:29 +0100 Subject: [PATCH 172/798] Fix a warning in integration test / gmake / znc-buildmod interaction. It was requested on https://github.com/gentoo/gentoo/pull/8901 --- test/CMakeLists.txt | 5 +++++ 1 file changed, 5 insertions(+) diff --git a/test/CMakeLists.txt b/test/CMakeLists.txt index b19c22fa..296cb0de 100644 --- a/test/CMakeLists.txt +++ b/test/CMakeLists.txt @@ -85,5 +85,10 @@ externalproject_add(inttest_bin "-DZNC_BIN_DIR:path=${CMAKE_INSTALL_FULL_BINDIR}" "-DQt5_HINTS:path=${brew_qt5}") add_custom_target(inttest COMMAND + # Prevent a warning from test of znc-buildmod, when inner make + # discovers that there is an outer make and tries to use it: + # gmake[4]: warning: jobserver unavailable: using -j1. Add '+' to parent make rule. + # This option doesn't affect ninja, which doesn't show that warning anyway. + ${CMAKE_COMMAND} -E env MAKEFLAGS= "${CMAKE_CURRENT_BINARY_DIR}/integration/inttest") add_dependencies(inttest inttest_bin) From 4d82211816a6d7bf2ea44ebcec6b9ff607cce2ac Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Sun, 1 Jul 2018 00:26:28 +0000 Subject: [PATCH 173/798] Update translations from Crowdin for es_ES --- modules/po/admindebug.es_ES.po | 20 ++--- modules/po/certauth.es_ES.po | 45 ++++++----- modules/po/controlpanel.es_ES.po | 134 +++++++++++++++++-------------- modules/po/ctcpflood.es_ES.po | 4 +- modules/po/flooddetach.es_ES.po | 4 +- modules/po/kickrejoin.es_ES.po | 6 +- modules/po/log.es_ES.po | 2 +- modules/po/sample.es_ES.po | 38 ++++----- modules/po/simple_away.es_ES.po | 4 +- modules/po/watch.es_ES.po | 116 +++++++++++++------------- src/po/znc.es_ES.po | 10 +-- 11 files changed, 199 insertions(+), 184 deletions(-) diff --git a/modules/po/admindebug.es_ES.po b/modules/po/admindebug.es_ES.po index 57619c29..9ba9aac0 100644 --- a/modules/po/admindebug.es_ES.po +++ b/modules/po/admindebug.es_ES.po @@ -14,40 +14,40 @@ msgstr "" #: admindebug.cpp:30 msgid "Enable Debug Mode" -msgstr "" +msgstr "Habilitar modo de depuración" #: admindebug.cpp:32 msgid "Disable Debug Mode" -msgstr "" +msgstr "Desactivar modo de depuración" #: admindebug.cpp:34 msgid "Show the Debug Mode status" -msgstr "" +msgstr "Muestra el estado del modo de depuración" #: admindebug.cpp:40 admindebug.cpp:49 msgid "Access denied!" -msgstr "" +msgstr "¡Acceso denegado!" #: admindebug.cpp:61 msgid "Already enabled." -msgstr "" +msgstr "Ya está habilitado." #: admindebug.cpp:63 msgid "Already disabled." -msgstr "" +msgstr "Ya está deshabilitado." #: admindebug.cpp:88 msgid "Debugging mode is on." -msgstr "" +msgstr "Modo depuración activado." #: admindebug.cpp:90 msgid "Debugging mode is off." -msgstr "" +msgstr "Modo depuración desactivado." #: admindebug.cpp:92 msgid "Logging to: stdout." -msgstr "" +msgstr "Registrando a: stdout." #: admindebug.cpp:101 msgid "Enable Debug mode dynamically." -msgstr "" +msgstr "Habilita el modo de depuración dinámicamente." diff --git a/modules/po/certauth.es_ES.po b/modules/po/certauth.es_ES.po index 0adda4e4..df82efae 100644 --- a/modules/po/certauth.es_ES.po +++ b/modules/po/certauth.es_ES.po @@ -14,95 +14,96 @@ msgstr "" #: modules/po/../data/certauth/tmpl/index.tmpl:7 msgid "Add a key" -msgstr "" +msgstr "Añadir una clave" #: modules/po/../data/certauth/tmpl/index.tmpl:11 msgid "Key:" -msgstr "" +msgstr "Clave:" #: modules/po/../data/certauth/tmpl/index.tmpl:15 msgid "Add Key" -msgstr "" +msgstr "Añadir clave" #: modules/po/../data/certauth/tmpl/index.tmpl:23 msgid "You have no keys." -msgstr "" +msgstr "No tienes claves." #: modules/po/../data/certauth/tmpl/index.tmpl:30 msgctxt "web" msgid "Key" -msgstr "" +msgstr "Clave" #: modules/po/../data/certauth/tmpl/index.tmpl:36 msgid "del" -msgstr "" +msgstr "borrar" #: certauth.cpp:31 msgid "[pubkey]" -msgstr "" +msgstr "[pubkey]" #: certauth.cpp:32 msgid "Add a public key. If key is not provided will use the current key" msgstr "" +"Añadir una clave pública. Si no se proporciona una clave se usará la actual" #: certauth.cpp:35 msgid "id" -msgstr "" +msgstr "id" #: certauth.cpp:35 msgid "Delete a key by its number in List" -msgstr "" +msgstr "Borrar una clave por su número en la lista" #: certauth.cpp:37 msgid "List your public keys" -msgstr "" +msgstr "Muestra tus claves públicas" #: certauth.cpp:39 msgid "Print your current key" -msgstr "" +msgstr "Muestra tu claves actual" #: certauth.cpp:142 msgid "You are not connected with any valid public key" -msgstr "" +msgstr "No estás conectado con ninguna clave pública válida" #: certauth.cpp:144 msgid "Your current public key is: {1}" -msgstr "" +msgstr "Tu clave pública actual es: {1}" #: certauth.cpp:157 msgid "You did not supply a public key or connect with one." -msgstr "" +msgstr "No has proporcionado una clave pública." #: certauth.cpp:160 msgid "Key '{1}' added." -msgstr "" +msgstr "Clave '{1}' añadida." #: certauth.cpp:162 msgid "The key '{1}' is already added." -msgstr "" +msgstr "La clave '{1}' ya está añadida." #: certauth.cpp:170 certauth.cpp:182 msgctxt "list" msgid "Id" -msgstr "" +msgstr "Id" #: certauth.cpp:171 certauth.cpp:183 msgctxt "list" msgid "Key" -msgstr "" +msgstr "Clave" #: certauth.cpp:175 certauth.cpp:189 certauth.cpp:198 msgid "No keys set for your user" -msgstr "" +msgstr "No hay claves configuradas para tu usuario" #: certauth.cpp:203 msgid "Invalid #, check \"list\"" -msgstr "" +msgstr "Código # inválido, comprueba la lista con \"list\"" #: certauth.cpp:215 msgid "Removed" -msgstr "" +msgstr "Eliminado" #: certauth.cpp:290 msgid "Allows users to authenticate via SSL client certificates." -msgstr "" +msgstr "Permite a los usuarios autenticarse vía certificados SSL." diff --git a/modules/po/controlpanel.es_ES.po b/modules/po/controlpanel.es_ES.po index 7b23875c..1c2a2355 100644 --- a/modules/po/controlpanel.es_ES.po +++ b/modules/po/controlpanel.es_ES.po @@ -182,7 +182,7 @@ msgstr "" #: controlpanel.cpp:725 msgid "Channel {1} is deleted from network {2} of user {3}" msgid_plural "Channels {1} are deleted from network {2} of user {3}" -msgstr[0] "" +msgstr[0] "Borrado canal {1} de la red {2} del usuario {3}" msgstr[1] "Borrados canales {1} de la red {2} del usuario {3}" #: controlpanel.cpp:740 @@ -251,215 +251,225 @@ msgstr "Uso: AddUser " #: controlpanel.cpp:925 msgid "Error: User {1} already exists!" -msgstr "" +msgstr "Error: el usuario {1} ya existe" #: controlpanel.cpp:937 controlpanel.cpp:1012 msgid "Error: User not added: {1}" -msgstr "" +msgstr "Error: usuario no añadido: {1}" #: controlpanel.cpp:941 controlpanel.cpp:1016 msgid "User {1} added!" -msgstr "" +msgstr "¡Usuario {1} añadido!" #: controlpanel.cpp:948 msgid "Error: You need to have admin rights to delete users!" msgstr "" +"Error: tienes que tener permisos administrativos para eliminar usuarios" #: controlpanel.cpp:954 msgid "Usage: DelUser " -msgstr "" +msgstr "Uso: DelUser " #: controlpanel.cpp:966 msgid "Error: You can't delete yourself!" -msgstr "" +msgstr "Error: no puedes borrarte a ti mismo" #: controlpanel.cpp:972 msgid "Error: Internal error!" -msgstr "" +msgstr "Error: error interno" #: controlpanel.cpp:976 msgid "User {1} deleted!" -msgstr "" +msgstr "Usuario {1} eliminado" #: controlpanel.cpp:991 msgid "Usage: CloneUser " -msgstr "" +msgstr "Uso: CloneUser " #: controlpanel.cpp:1006 msgid "Error: Cloning failed: {1}" -msgstr "" +msgstr "Error: clonación fallida: {1}" #: controlpanel.cpp:1035 msgid "Usage: AddNetwork [user] network" -msgstr "" +msgstr "Uso: AddNetwork [usuario] red" #: controlpanel.cpp:1041 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks using /znc DelNetwork " msgstr "" +"Limite de redes alcanzado. Píde a un administrador que te incremente el " +"límite, o elimina redes innecesarias usando /znc DelNetwork " #: controlpanel.cpp:1049 msgid "Error: User {1} already has a network with the name {2}" -msgstr "" +msgstr "Error: el usuario {1} ya tiene una red llamada {2}" #: controlpanel.cpp:1056 msgid "Network {1} added to user {2}." -msgstr "" +msgstr "Red {1} añadida al usuario {2}." #: controlpanel.cpp:1060 msgid "Error: Network [{1}] could not be added for user {2}: {3}" -msgstr "" +msgstr "Error: la red [{1}] no se ha podido añadir al usuario {2}: {3}" #: controlpanel.cpp:1080 msgid "Usage: DelNetwork [user] network" -msgstr "" +msgstr "Uso: DelNetwork [usuario] red" #: controlpanel.cpp:1091 msgid "The currently active network can be deleted via {1}status" -msgstr "" +msgstr "La red activa actual puede ser eliminada vía {1}status" #: controlpanel.cpp:1097 msgid "Network {1} deleted for user {2}." -msgstr "" +msgstr "Red {1} eliminada al usuario {2}." #: controlpanel.cpp:1101 msgid "Error: Network {1} could not be deleted for user {2}." -msgstr "" +msgstr "Error: la red {1} no se ha podido eliminar al usuario {2}." #: controlpanel.cpp:1120 controlpanel.cpp:1128 msgctxt "listnetworks" msgid "Network" -msgstr "" +msgstr "Red" #: controlpanel.cpp:1121 controlpanel.cpp:1130 controlpanel.cpp:1138 msgctxt "listnetworks" msgid "OnIRC" -msgstr "" +msgstr "EnIRC" #: controlpanel.cpp:1122 controlpanel.cpp:1131 msgctxt "listnetworks" msgid "IRC Server" -msgstr "" +msgstr "Servidor IRC" #: controlpanel.cpp:1123 controlpanel.cpp:1133 msgctxt "listnetworks" msgid "IRC User" -msgstr "" +msgstr "Usuario IRC" #: controlpanel.cpp:1124 controlpanel.cpp:1135 msgctxt "listnetworks" msgid "Channels" -msgstr "" +msgstr "Canales" #: controlpanel.cpp:1143 msgid "No networks" -msgstr "" +msgstr "No hay redes" #: controlpanel.cpp:1154 msgid "Usage: AddServer [[+]port] [password]" -msgstr "" +msgstr "Uso: AddServer [[+]puerto] [contraseña]" #: controlpanel.cpp:1168 msgid "Added IRC Server {1} to network {2} for user {3}." -msgstr "" +msgstr "Añadido servidor IRC {1} a la red {2} al usuario {3}." #: controlpanel.cpp:1172 msgid "Error: Could not add IRC server {1} to network {2} for user {3}." msgstr "" +"Error: no se ha podido añadir el servidor IRC {1} a la red {2} del usuario " +"{3}." #: controlpanel.cpp:1185 msgid "Usage: DelServer [[+]port] [password]" -msgstr "" +msgstr "Uso: DelServer [[+]puerto] [contraseña]" #: controlpanel.cpp:1200 msgid "Deleted IRC Server {1} from network {2} for user {3}." -msgstr "" +msgstr "Eliminado servidor IRC {1} de la red {2} al usuario {3}." #: controlpanel.cpp:1204 msgid "Error: Could not delete IRC server {1} from network {2} for user {3}." msgstr "" +"Error: no se ha podido eliminar el servidor IRC {1} de la red {2} al usuario " +"{3}." #: controlpanel.cpp:1214 msgid "Usage: Reconnect " -msgstr "" +msgstr "Uso: Reconnect " #: controlpanel.cpp:1241 msgid "Queued network {1} of user {2} for a reconnect." -msgstr "" +msgstr "Red {1} del usuario {2} puesta en cola para reconectar." #: controlpanel.cpp:1250 msgid "Usage: Disconnect " -msgstr "" +msgstr "Uso: Disconnect " #: controlpanel.cpp:1265 msgid "Closed IRC connection for network {1} of user {2}." -msgstr "" +msgstr "Cerrada la conexión IRC de la red {1} al usuario {2}." #: controlpanel.cpp:1280 controlpanel.cpp:1284 msgctxt "listctcp" msgid "Request" -msgstr "" +msgstr "Solicitud" #: controlpanel.cpp:1281 controlpanel.cpp:1285 msgctxt "listctcp" msgid "Reply" -msgstr "" +msgstr "Respuesta" #: controlpanel.cpp:1289 msgid "No CTCP replies for user {1} are configured" -msgstr "" +msgstr "No hay respuestas CTCP configuradas para el usuario {1}" #: controlpanel.cpp:1292 msgid "CTCP replies for user {1}:" -msgstr "" +msgstr "Respuestas CTCP del usuario {1}:" #: controlpanel.cpp:1308 msgid "Usage: AddCTCP [user] [request] [reply]" -msgstr "" +msgstr "Uso: AddCTCP [usuario] [solicitud] [respuesta]" #: controlpanel.cpp:1310 msgid "" "This will cause ZNC to reply to the CTCP instead of forwarding it to clients." msgstr "" +"Esto hará que ZNC responda a los CTCP en vez de reenviarselos a los clientes." #: controlpanel.cpp:1313 msgid "An empty reply will cause the CTCP request to be blocked." -msgstr "" +msgstr "Una respuesta vacía hará que la solicitud CTCP sea bloqueada." #: controlpanel.cpp:1322 msgid "CTCP requests {1} to user {2} will now be blocked." -msgstr "" +msgstr "Las solicitudes CTCP {1} del usuario {2} serán bloqueadas." #: controlpanel.cpp:1326 msgid "CTCP requests {1} to user {2} will now get reply: {3}" -msgstr "" +msgstr "Las solicitudes CTCP {1} del usuario {2} se responderán con: {3}" #: controlpanel.cpp:1343 msgid "Usage: DelCTCP [user] [request]" -msgstr "" +msgstr "Uso: DelCTCP [usuario] [solicitud]" #: controlpanel.cpp:1349 msgid "CTCP requests {1} to user {2} will now be sent to IRC clients" -msgstr "" +msgstr "Las solicitudes CTCP {1} del usuario {2} serán enviadas a los clientes" #: controlpanel.cpp:1353 msgid "" "CTCP requests {1} to user {2} will be sent to IRC clients (nothing has " "changed)" msgstr "" +"Las solicitudes CTCP {1} del usuario {2} serán enviadas a los clientes (no " +"se ha cambiado nada)" #: controlpanel.cpp:1363 controlpanel.cpp:1437 msgid "Loading modules has been disabled." -msgstr "" +msgstr "La carga de módulos ha sido deshabilitada." #: controlpanel.cpp:1372 msgid "Error: Unable to load module {1}: {2}" -msgstr "" +msgstr "Error: no se ha podido cargar el módulo {1}: {2}" #: controlpanel.cpp:1375 msgid "Loaded module {1}" -msgstr "" +msgstr "Cargado módulo {1}" #: controlpanel.cpp:1380 msgid "Error: Unable to reload module {1}: {2}" @@ -666,70 +676,72 @@ msgstr "Quita un módulo de un usuario" #: controlpanel.cpp:1612 msgid "Get the list of modules for a user" -msgstr "" +msgstr "Obtiene la lista de módulos de un usuario" #: controlpanel.cpp:1615 msgid " [args]" -msgstr "" +msgstr " [args]" #: controlpanel.cpp:1616 msgid "Loads a Module for a network" -msgstr "" +msgstr "Carga un módulo para una red" #: controlpanel.cpp:1619 msgid " " -msgstr "" +msgstr " " #: controlpanel.cpp:1620 msgid "Removes a Module of a network" -msgstr "" +msgstr "Elimina el módulo de una red" #: controlpanel.cpp:1623 msgid "Get the list of modules for a network" -msgstr "" +msgstr "Obtiene la lista de módulos de una red" #: controlpanel.cpp:1626 msgid "List the configured CTCP replies" -msgstr "" +msgstr "Muestra las respuestas CTCP configuradas" #: controlpanel.cpp:1628 msgid " [reply]" -msgstr "" +msgstr " [respuesta]" #: controlpanel.cpp:1629 msgid "Configure a new CTCP reply" -msgstr "" +msgstr "Configura una nueva respuesta CTCP" #: controlpanel.cpp:1631 msgid " " -msgstr "" +msgstr " " #: controlpanel.cpp:1632 msgid "Remove a CTCP reply" -msgstr "" +msgstr "Elimina una respuesta CTCP" #: controlpanel.cpp:1636 controlpanel.cpp:1639 msgid "[username] " -msgstr "" +msgstr "[usuario] " #: controlpanel.cpp:1637 msgid "Add a network for a user" -msgstr "" +msgstr "Añade una red a un usuario" #: controlpanel.cpp:1640 msgid "Delete a network for a user" -msgstr "" +msgstr "Borra la red de un usuario" #: controlpanel.cpp:1642 msgid "[username]" -msgstr "" +msgstr "[usuario]" #: controlpanel.cpp:1643 msgid "List all networks for a user" -msgstr "" +msgstr "Muestra las redes de un usuario" #: controlpanel.cpp:1656 msgid "" "Dynamic configuration through IRC. Allows editing only yourself if you're " "not ZNC admin." msgstr "" +"Configuración dinámica a través de IRC. Permite la edición solo sobre ti si " +"no eres un admin de ZNC." diff --git a/modules/po/ctcpflood.es_ES.po b/modules/po/ctcpflood.es_ES.po index 37659fe8..091315bb 100644 --- a/modules/po/ctcpflood.es_ES.po +++ b/modules/po/ctcpflood.es_ES.po @@ -43,13 +43,13 @@ msgstr "Uso: Lines " #: ctcpflood.cpp:125 msgid "1 CTCP message" msgid_plural "{1} CTCP messages" -msgstr[0] "" +msgstr[0] "1 mensaje CTCP" msgstr[1] "{1} mensajes CTCP" #: ctcpflood.cpp:127 msgid "every second" msgid_plural "every {1} seconds" -msgstr[0] "" +msgstr[0] "cada segundo" msgstr[1] "cada {1} segundos" #: ctcpflood.cpp:129 diff --git a/modules/po/flooddetach.es_ES.po b/modules/po/flooddetach.es_ES.po index 459918f5..b9f22249 100644 --- a/modules/po/flooddetach.es_ES.po +++ b/modules/po/flooddetach.es_ES.po @@ -43,13 +43,13 @@ msgstr "El canal {1} ha sido inundado, has sido separado" #: flooddetach.cpp:187 msgid "1 line" msgid_plural "{1} lines" -msgstr[0] "" +msgstr[0] "1 línea" msgstr[1] "{1} líneas" #: flooddetach.cpp:188 msgid "every second" msgid_plural "every {1} seconds" -msgstr[0] "" +msgstr[0] "cada segundo" msgstr[1] "cada {1} segundos" #: flooddetach.cpp:190 diff --git a/modules/po/kickrejoin.es_ES.po b/modules/po/kickrejoin.es_ES.po index a21cfed9..f87b385c 100644 --- a/modules/po/kickrejoin.es_ES.po +++ b/modules/po/kickrejoin.es_ES.po @@ -35,8 +35,8 @@ msgstr "Tiempos de espera en negativo no tienen sentido!" #: kickrejoin.cpp:98 msgid "Rejoin delay set to 1 second" msgid_plural "Rejoin delay set to {1} seconds" -msgstr[0] "" -msgstr[1] "Tiempo de espera de rejoin establecido a {1} segundos" +msgstr[0] "Tiempo de espera de reentrada establecido a 1 segundo" +msgstr[1] "Tiempo de espera de reentrada establecido a {1} segundos" #: kickrejoin.cpp:101 msgid "Rejoin delay disabled" @@ -45,7 +45,7 @@ msgstr "Tiempo de espera de rejoin desactivado" #: kickrejoin.cpp:106 msgid "Rejoin delay is set to 1 second" msgid_plural "Rejoin delay is set to {1} seconds" -msgstr[0] "" +msgstr[0] "Tiempo de espera de reentrada establecido a 1 segundo" msgstr[1] "Tiempo de espera de rejoin establecido a {1} segundos" #: kickrejoin.cpp:109 diff --git a/modules/po/log.es_ES.po b/modules/po/log.es_ES.po index a8cbef2b..29548df5 100644 --- a/modules/po/log.es_ES.po +++ b/modules/po/log.es_ES.po @@ -55,7 +55,7 @@ msgstr "No hay reglas de logueo. Se registra todo." #: log.cpp:161 msgid "1 rule removed: {2}" msgid_plural "{1} rules removed: {2}" -msgstr[0] "" +msgstr[0] "Borrada regla: {2}" msgstr[1] "Borradas {1} reglas: {2}" #: log.cpp:168 log.cpp:173 diff --git a/modules/po/sample.es_ES.po b/modules/po/sample.es_ES.po index 2749d997..c5e6480c 100644 --- a/modules/po/sample.es_ES.po +++ b/modules/po/sample.es_ES.po @@ -46,74 +46,74 @@ msgstr "Has sido desconectado." #: sample.cpp:116 msgid "{1} {2} set mode on {3} {4}{5} {6}" -msgstr "" +msgstr "{1} {2} cambia modo en {3} {4}{5} {6}" #: sample.cpp:123 msgid "{1} {2} opped {3} on {4}" -msgstr "" +msgstr "{1} {2} da op a {3} en {4}" #: sample.cpp:129 msgid "{1} {2} deopped {3} on {4}" -msgstr "" +msgstr "{1} {2} quita op a {3} en {4}" #: sample.cpp:135 msgid "{1} {2} voiced {3} on {4}" -msgstr "" +msgstr "{1} {2} da voz a {3} en {4}" #: sample.cpp:141 msgid "{1} {2} devoiced {3} on {4}" -msgstr "" +msgstr "{1} {2} quita voz a {3} en {4}" #: sample.cpp:147 msgid "* {1} sets mode: {2} {3} on {4}" -msgstr "" +msgstr "* {1} cambia modo: {2} {3} en {4}" #: sample.cpp:163 msgid "{1} kicked {2} from {3} with the msg {4}" -msgstr "" +msgstr "{1} ha expulsado a {2} de {3} por {4}" #: sample.cpp:169 msgid "* {1} ({2}@{3}) quits ({4}) from channel: {6}" msgid_plural "* {1} ({2}@{3}) quits ({4}) from {5} channels: {6}" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "* {1} ({2}@{3}) se desconecta ({4}) del canal: {6}" +msgstr[1] "* {1} ({2}@{3}) se desconecta ({4}) de {5} canales: {6}" #: sample.cpp:177 msgid "Attempting to join {1}" -msgstr "" +msgstr "Intentando entrar {1}" #: sample.cpp:182 msgid "* {1} ({2}@{3}) joins {4}" -msgstr "" +msgstr "* {1} ({2}@{3}) entra {4}" #: sample.cpp:189 msgid "* {1} ({2}@{3}) parts {4}" -msgstr "" +msgstr "* {1} ({2}@{3}) sale {4}" #: sample.cpp:196 msgid "{1} invited us to {2}, ignoring invites to {2}" -msgstr "" +msgstr "{1} te invita a {2}, ignorando invites a {2}" #: sample.cpp:201 msgid "{1} invited us to {2}" -msgstr "" +msgstr "{1} te invita a {2}" #: sample.cpp:207 msgid "{1} is now known as {2}" -msgstr "" +msgstr "{1} es ahora {2}" #: sample.cpp:269 sample.cpp:276 msgid "{1} changes topic on {2} to {3}" -msgstr "" +msgstr "{1} cambia el topic de {2} a {3}" #: sample.cpp:317 msgid "Hi, I'm your friendly sample module." -msgstr "" +msgstr "Hola, soy tu módulo amigable de muestra." #: sample.cpp:330 msgid "Description of module arguments goes here." -msgstr "" +msgstr "La descripción de los argumentos del módulo va aquí." #: sample.cpp:333 msgid "To be used as a sample for writing modules" -msgstr "" +msgstr "Para ser usado como muestra para escribir módulos" diff --git a/modules/po/simple_away.es_ES.po b/modules/po/simple_away.es_ES.po index 3078f283..cdbee958 100644 --- a/modules/po/simple_away.es_ES.po +++ b/modules/po/simple_away.es_ES.po @@ -60,7 +60,7 @@ msgstr "El motivo de ausencia quedaría como: {1}" #: simple_away.cpp:144 msgid "Current timer setting: 1 second" msgid_plural "Current timer setting: {1} seconds" -msgstr[0] "" +msgstr[0] "Tiempo establecido: 1 segundo" msgstr[1] "Tiempo establecido: {1} segundos" #: simple_away.cpp:153 simple_away.cpp:161 @@ -70,7 +70,7 @@ msgstr "Temporizador deshabilitado" #: simple_away.cpp:155 msgid "Timer set to 1 second" msgid_plural "Timer set to: {1} seconds" -msgstr[0] "" +msgstr[0] "Temporizador establecido a 1 segundo" msgstr[1] "Temporizador establecido a {1} segundos" #: simple_away.cpp:166 diff --git a/modules/po/watch.es_ES.po b/modules/po/watch.es_ES.po index 3ad172a0..813745de 100644 --- a/modules/po/watch.es_ES.po +++ b/modules/po/watch.es_ES.po @@ -14,236 +14,238 @@ msgstr "" #: watch.cpp:334 msgid "All entries cleared." -msgstr "" +msgstr "Todas las entradas eliminadas." #: watch.cpp:344 msgid "Buffer count is set to {1}" -msgstr "" +msgstr "Límite de búfer configurada a {1}" #: watch.cpp:348 msgid "Unknown command: {1}" -msgstr "" +msgstr "Comando desconocido: {1}" #: watch.cpp:397 msgid "Disabled all entries." -msgstr "" +msgstr "Deshabilitadas todas las entradas." #: watch.cpp:398 msgid "Enabled all entries." -msgstr "" +msgstr "Habilitadas todas las entradas." #: watch.cpp:405 watch.cpp:437 watch.cpp:470 watch.cpp:570 watch.cpp:585 msgid "Invalid Id" -msgstr "" +msgstr "Id no válido" #: watch.cpp:414 msgid "Id {1} disabled" -msgstr "" +msgstr "Id {1} deshabilitado" #: watch.cpp:416 msgid "Id {1} enabled" -msgstr "" +msgstr "Id {1} habilitado" #: watch.cpp:428 msgid "Set DetachedClientOnly for all entries to Yes" -msgstr "" +msgstr "Define DetachedClientOnly para todas las entradas a Yes" #: watch.cpp:430 msgid "Set DetachedClientOnly for all entries to No" -msgstr "" +msgstr "Define DetachedClientOnly para todas las entradas a No" #: watch.cpp:446 watch.cpp:479 msgid "Id {1} set to Yes" -msgstr "" +msgstr "Id {1} ajustado a Sí" #: watch.cpp:448 watch.cpp:481 msgid "Id {1} set to No" -msgstr "" +msgstr "Id {1} ajustado a No" #: watch.cpp:461 msgid "Set DetachedChannelOnly for all entries to Yes" -msgstr "" +msgstr "Define DetachedChannelOnly para todas las entradas a Yes" #: watch.cpp:463 msgid "Set DetachedChannelOnly for all entries to No" -msgstr "" +msgstr "Define DetachedChannelOnly para todas las entradas a No" #: watch.cpp:487 watch.cpp:503 msgid "Id" -msgstr "" +msgstr "Id" #: watch.cpp:488 watch.cpp:504 msgid "HostMask" -msgstr "" +msgstr "Máscara" #: watch.cpp:489 watch.cpp:505 msgid "Target" -msgstr "" +msgstr "Objetivo" #: watch.cpp:490 watch.cpp:506 msgid "Pattern" -msgstr "" +msgstr "Patrón" #: watch.cpp:491 watch.cpp:507 msgid "Sources" -msgstr "" +msgstr "Fuentes" #: watch.cpp:492 watch.cpp:508 watch.cpp:509 msgid "Off" -msgstr "" +msgstr "Desactivado" #: watch.cpp:493 watch.cpp:511 msgid "DetachedClientOnly" -msgstr "" +msgstr "DetachedClientOnly" #: watch.cpp:494 watch.cpp:514 msgid "DetachedChannelOnly" -msgstr "" +msgstr "DetachedChannelOnly" #: watch.cpp:512 watch.cpp:515 msgid "Yes" -msgstr "" +msgstr "Sí" #: watch.cpp:512 watch.cpp:515 msgid "No" -msgstr "" +msgstr "No" #: watch.cpp:521 watch.cpp:527 msgid "You have no entries." -msgstr "" +msgstr "No tienes entradas." #: watch.cpp:578 msgid "Sources set for Id {1}." -msgstr "" +msgstr "Fuentes definidas para el id {1}." #: watch.cpp:593 msgid "Id {1} removed." -msgstr "" +msgstr "Id {1} eliminado." #: watch.cpp:600 watch.cpp:604 watch.cpp:609 watch.cpp:614 watch.cpp:620 #: watch.cpp:625 watch.cpp:629 watch.cpp:633 watch.cpp:638 watch.cpp:645 #: watch.cpp:652 watch.cpp:658 watch.cpp:664 msgid "Command" -msgstr "" +msgstr "Comando" #: watch.cpp:601 watch.cpp:605 watch.cpp:610 watch.cpp:616 watch.cpp:621 #: watch.cpp:626 watch.cpp:630 watch.cpp:634 watch.cpp:641 watch.cpp:648 #: watch.cpp:654 watch.cpp:660 watch.cpp:665 msgid "Description" -msgstr "" +msgstr "Descripción" #: watch.cpp:604 msgid "Add [Target] [Pattern]" -msgstr "" +msgstr "Add [objetivo] [patrón]" #: watch.cpp:606 msgid "Used to add an entry to watch for." -msgstr "" +msgstr "Se usa para añadir una entrada a la lista de watch." #: watch.cpp:609 msgid "List" -msgstr "" +msgstr "Lista" #: watch.cpp:611 msgid "List all entries being watched." -msgstr "" +msgstr "Listar todas las entradas vigiladas." #: watch.cpp:614 msgid "Dump" -msgstr "" +msgstr "Volcado" #: watch.cpp:617 msgid "Dump a list of all current entries to be used later." -msgstr "" +msgstr "Volcar una lista de todas las entradas para usar luego." #: watch.cpp:620 msgid "Del " -msgstr "" +msgstr "Del " #: watch.cpp:622 msgid "Deletes Id from the list of watched entries." -msgstr "" +msgstr "Elimina un id de la lista de entradas a vigilar." #: watch.cpp:625 msgid "Clear" -msgstr "" +msgstr "Borrar" #: watch.cpp:626 msgid "Delete all entries." -msgstr "" +msgstr "Borrar todas las entradas." #: watch.cpp:629 msgid "Enable " -msgstr "" +msgstr "Enable " #: watch.cpp:630 msgid "Enable a disabled entry." -msgstr "" +msgstr "Habilita un entrada deshabilitada." #: watch.cpp:633 msgid "Disable " -msgstr "" +msgstr "Disable " #: watch.cpp:635 msgid "Disable (but don't delete) an entry." -msgstr "" +msgstr "Deshabilita (pero no elimina) una entrada." #: watch.cpp:639 msgid "SetDetachedClientOnly " -msgstr "" +msgstr "SetDetachedClientOnly " #: watch.cpp:642 msgid "Enable or disable detached client only for an entry." -msgstr "" +msgstr "Habilita o deshabilita clientes desvinculados solo para una entrada." #: watch.cpp:646 msgid "SetDetachedChannelOnly " -msgstr "" +msgstr "SetDetachedChannelOnly " #: watch.cpp:649 msgid "Enable or disable detached channel only for an entry." -msgstr "" +msgstr "Habilita o deshabilita canales desvinculados solo para una entrada." #: watch.cpp:652 msgid "Buffer [Count]" -msgstr "" +msgstr "Búfer [Count]" #: watch.cpp:655 msgid "Show/Set the amount of buffered lines while detached." msgstr "" +"Muestra/define la cantidad de líneas almacenadas en búfer mientras se está " +"desvinculado." #: watch.cpp:659 msgid "SetSources [#chan priv #foo* !#bar]" -msgstr "" +msgstr "SetSources [#canal privado #canal* !#canal]" #: watch.cpp:661 msgid "Set the source channels that you care about." -msgstr "" +msgstr "Establece los canales fuente a controlar." #: watch.cpp:664 msgid "Help" -msgstr "" +msgstr "Ayuda" #: watch.cpp:665 msgid "This help." -msgstr "" +msgstr "Esta ayuda." #: watch.cpp:681 msgid "Entry for {1} already exists." -msgstr "" +msgstr "La entrada para {1} ya existe." #: watch.cpp:689 msgid "Adding entry: {1} watching for [{2}] -> {3}" -msgstr "" +msgstr "Añadiendo entrada: {1} controlando {2} -> {3}" #: watch.cpp:695 msgid "Watch: Not enough arguments. Try Help" -msgstr "" +msgstr "Watch: no hay suficientes argumentos, Prueba Help" #: watch.cpp:764 msgid "WARNING: malformed entry found while loading" -msgstr "" +msgstr "ATENCIÓN: entrada no válida encontrada durante la carga" #: watch.cpp:778 msgid "Copy activity from a specific user into a separate window" -msgstr "" +msgstr "Copia la actividad de un usuario específico en una ventana separada" diff --git a/src/po/znc.es_ES.po b/src/po/znc.es_ES.po index 8ca0f565..101ffb55 100644 --- a/src/po/znc.es_ES.po +++ b/src/po/znc.es_ES.po @@ -262,13 +262,13 @@ msgstr "Uso: /attach <#canales>" #: Client.cpp:1336 Client.cpp:1358 ClientCommand.cpp:129 ClientCommand.cpp:151 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" -msgstr[0] "" +msgstr[0] "Hay {1} canal que coincide con [{2}]" msgstr[1] "Hay {1} canales que coinciden con [{2}]" #: Client.cpp:1339 ClientCommand.cpp:132 msgid "Attached {1} channel" msgid_plural "Attached {1} channels" -msgstr[0] "" +msgstr[0] "Vinculado a {1} canal" msgstr[1] "Unido a {1} canales" #: Client.cpp:1351 @@ -278,7 +278,7 @@ msgstr "Uso: /detach <#canales>" #: Client.cpp:1361 ClientCommand.cpp:154 msgid "Detached {1} channel" msgid_plural "Detached {1} channels" -msgstr[0] "" +msgstr[0] "Desvinculado {1} canal" msgstr[1] "Separados {1} canales" #: Chan.cpp:638 @@ -321,7 +321,7 @@ msgstr "No se ha encontrado el módulo {1}" #: Modules.cpp:1659 msgid "Module {1} does not support module type {2}." -msgstr "" +msgstr "El módulo {1} no soporta el tipo de módulo {2}." #: Modules.cpp:1666 msgid "Module {1} requires a user." @@ -1045,7 +1045,7 @@ msgstr "Uso: ClearBuffer <#canal|privado>" #: ClientCommand.cpp:1395 msgid "{1} buffer matching {2} has been cleared" msgid_plural "{1} buffers matching {2} have been cleared" -msgstr[0] "" +msgstr[0] "{1} búfer coincidente con {2} ha sido borrado" msgstr[1] "{1} búfers coincidentes con {2} han sido borrados" #: ClientCommand.cpp:1408 From 2058aa0fa61ecd8a872fa87436d0ed251c50bee2 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Mon, 2 Jul 2018 00:25:44 +0000 Subject: [PATCH 174/798] Update translations from Crowdin for es_ES --- modules/po/admindebug.es_ES.po | 20 ++--- modules/po/certauth.es_ES.po | 45 ++++++----- modules/po/controlpanel.es_ES.po | 134 +++++++++++++++++-------------- modules/po/ctcpflood.es_ES.po | 4 +- modules/po/flooddetach.es_ES.po | 4 +- modules/po/kickrejoin.es_ES.po | 6 +- modules/po/log.es_ES.po | 2 +- modules/po/sample.es_ES.po | 38 ++++----- modules/po/simple_away.es_ES.po | 4 +- modules/po/watch.es_ES.po | 116 +++++++++++++------------- src/po/znc.es_ES.po | 10 +-- 11 files changed, 199 insertions(+), 184 deletions(-) diff --git a/modules/po/admindebug.es_ES.po b/modules/po/admindebug.es_ES.po index 7bb4c33c..fe802272 100644 --- a/modules/po/admindebug.es_ES.po +++ b/modules/po/admindebug.es_ES.po @@ -14,40 +14,40 @@ msgstr "" #: admindebug.cpp:30 msgid "Enable Debug Mode" -msgstr "" +msgstr "Habilitar modo de depuración" #: admindebug.cpp:32 msgid "Disable Debug Mode" -msgstr "" +msgstr "Desactivar modo de depuración" #: admindebug.cpp:34 msgid "Show the Debug Mode status" -msgstr "" +msgstr "Muestra el estado del modo de depuración" #: admindebug.cpp:40 admindebug.cpp:49 msgid "Access denied!" -msgstr "" +msgstr "¡Acceso denegado!" #: admindebug.cpp:61 msgid "Already enabled." -msgstr "" +msgstr "Ya está habilitado." #: admindebug.cpp:63 msgid "Already disabled." -msgstr "" +msgstr "Ya está deshabilitado." #: admindebug.cpp:88 msgid "Debugging mode is on." -msgstr "" +msgstr "Modo depuración activado." #: admindebug.cpp:90 msgid "Debugging mode is off." -msgstr "" +msgstr "Modo depuración desactivado." #: admindebug.cpp:92 msgid "Logging to: stdout." -msgstr "" +msgstr "Registrando a: stdout." #: admindebug.cpp:101 msgid "Enable Debug mode dynamically." -msgstr "" +msgstr "Habilita el modo de depuración dinámicamente." diff --git a/modules/po/certauth.es_ES.po b/modules/po/certauth.es_ES.po index 1ab45005..2da1f920 100644 --- a/modules/po/certauth.es_ES.po +++ b/modules/po/certauth.es_ES.po @@ -14,95 +14,96 @@ msgstr "" #: modules/po/../data/certauth/tmpl/index.tmpl:7 msgid "Add a key" -msgstr "" +msgstr "Añadir una clave" #: modules/po/../data/certauth/tmpl/index.tmpl:11 msgid "Key:" -msgstr "" +msgstr "Clave:" #: modules/po/../data/certauth/tmpl/index.tmpl:15 msgid "Add Key" -msgstr "" +msgstr "Añadir clave" #: modules/po/../data/certauth/tmpl/index.tmpl:23 msgid "You have no keys." -msgstr "" +msgstr "No tienes claves." #: modules/po/../data/certauth/tmpl/index.tmpl:30 msgctxt "web" msgid "Key" -msgstr "" +msgstr "Clave" #: modules/po/../data/certauth/tmpl/index.tmpl:36 msgid "del" -msgstr "" +msgstr "borrar" #: certauth.cpp:31 msgid "[pubkey]" -msgstr "" +msgstr "[pubkey]" #: certauth.cpp:32 msgid "Add a public key. If key is not provided will use the current key" msgstr "" +"Añadir una clave pública. Si no se proporciona una clave se usará la actual" #: certauth.cpp:35 msgid "id" -msgstr "" +msgstr "id" #: certauth.cpp:35 msgid "Delete a key by its number in List" -msgstr "" +msgstr "Borrar una clave por su número en la lista" #: certauth.cpp:37 msgid "List your public keys" -msgstr "" +msgstr "Muestra tus claves públicas" #: certauth.cpp:39 msgid "Print your current key" -msgstr "" +msgstr "Muestra tu claves actual" #: certauth.cpp:142 msgid "You are not connected with any valid public key" -msgstr "" +msgstr "No estás conectado con ninguna clave pública válida" #: certauth.cpp:144 msgid "Your current public key is: {1}" -msgstr "" +msgstr "Tu clave pública actual es: {1}" #: certauth.cpp:157 msgid "You did not supply a public key or connect with one." -msgstr "" +msgstr "No has proporcionado una clave pública." #: certauth.cpp:160 msgid "Key '{1}' added." -msgstr "" +msgstr "Clave '{1}' añadida." #: certauth.cpp:162 msgid "The key '{1}' is already added." -msgstr "" +msgstr "La clave '{1}' ya está añadida." #: certauth.cpp:170 certauth.cpp:182 msgctxt "list" msgid "Id" -msgstr "" +msgstr "Id" #: certauth.cpp:171 certauth.cpp:183 msgctxt "list" msgid "Key" -msgstr "" +msgstr "Clave" #: certauth.cpp:175 certauth.cpp:189 certauth.cpp:198 msgid "No keys set for your user" -msgstr "" +msgstr "No hay claves configuradas para tu usuario" #: certauth.cpp:203 msgid "Invalid #, check \"list\"" -msgstr "" +msgstr "Código # inválido, comprueba la lista con \"list\"" #: certauth.cpp:215 msgid "Removed" -msgstr "" +msgstr "Eliminado" #: certauth.cpp:290 msgid "Allows users to authenticate via SSL client certificates." -msgstr "" +msgstr "Permite a los usuarios autenticarse vía certificados SSL." diff --git a/modules/po/controlpanel.es_ES.po b/modules/po/controlpanel.es_ES.po index 8e10b471..ea2cb7e3 100644 --- a/modules/po/controlpanel.es_ES.po +++ b/modules/po/controlpanel.es_ES.po @@ -182,7 +182,7 @@ msgstr "" #: controlpanel.cpp:725 msgid "Channel {1} is deleted from network {2} of user {3}" msgid_plural "Channels {1} are deleted from network {2} of user {3}" -msgstr[0] "" +msgstr[0] "Borrado canal {1} de la red {2} del usuario {3}" msgstr[1] "Borrados canales {1} de la red {2} del usuario {3}" #: controlpanel.cpp:740 @@ -251,215 +251,225 @@ msgstr "Uso: AddUser " #: controlpanel.cpp:925 msgid "Error: User {1} already exists!" -msgstr "" +msgstr "Error: el usuario {1} ya existe" #: controlpanel.cpp:937 controlpanel.cpp:1012 msgid "Error: User not added: {1}" -msgstr "" +msgstr "Error: usuario no añadido: {1}" #: controlpanel.cpp:941 controlpanel.cpp:1016 msgid "User {1} added!" -msgstr "" +msgstr "¡Usuario {1} añadido!" #: controlpanel.cpp:948 msgid "Error: You need to have admin rights to delete users!" msgstr "" +"Error: tienes que tener permisos administrativos para eliminar usuarios" #: controlpanel.cpp:954 msgid "Usage: DelUser " -msgstr "" +msgstr "Uso: DelUser " #: controlpanel.cpp:966 msgid "Error: You can't delete yourself!" -msgstr "" +msgstr "Error: no puedes borrarte a ti mismo" #: controlpanel.cpp:972 msgid "Error: Internal error!" -msgstr "" +msgstr "Error: error interno" #: controlpanel.cpp:976 msgid "User {1} deleted!" -msgstr "" +msgstr "Usuario {1} eliminado" #: controlpanel.cpp:991 msgid "Usage: CloneUser " -msgstr "" +msgstr "Uso: CloneUser " #: controlpanel.cpp:1006 msgid "Error: Cloning failed: {1}" -msgstr "" +msgstr "Error: clonación fallida: {1}" #: controlpanel.cpp:1035 msgid "Usage: AddNetwork [user] network" -msgstr "" +msgstr "Uso: AddNetwork [usuario] red" #: controlpanel.cpp:1041 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks using /znc DelNetwork " msgstr "" +"Limite de redes alcanzado. Píde a un administrador que te incremente el " +"límite, o elimina redes innecesarias usando /znc DelNetwork " #: controlpanel.cpp:1049 msgid "Error: User {1} already has a network with the name {2}" -msgstr "" +msgstr "Error: el usuario {1} ya tiene una red llamada {2}" #: controlpanel.cpp:1056 msgid "Network {1} added to user {2}." -msgstr "" +msgstr "Red {1} añadida al usuario {2}." #: controlpanel.cpp:1060 msgid "Error: Network [{1}] could not be added for user {2}: {3}" -msgstr "" +msgstr "Error: la red [{1}] no se ha podido añadir al usuario {2}: {3}" #: controlpanel.cpp:1080 msgid "Usage: DelNetwork [user] network" -msgstr "" +msgstr "Uso: DelNetwork [usuario] red" #: controlpanel.cpp:1091 msgid "The currently active network can be deleted via {1}status" -msgstr "" +msgstr "La red activa actual puede ser eliminada vía {1}status" #: controlpanel.cpp:1097 msgid "Network {1} deleted for user {2}." -msgstr "" +msgstr "Red {1} eliminada al usuario {2}." #: controlpanel.cpp:1101 msgid "Error: Network {1} could not be deleted for user {2}." -msgstr "" +msgstr "Error: la red {1} no se ha podido eliminar al usuario {2}." #: controlpanel.cpp:1120 controlpanel.cpp:1128 msgctxt "listnetworks" msgid "Network" -msgstr "" +msgstr "Red" #: controlpanel.cpp:1121 controlpanel.cpp:1130 controlpanel.cpp:1138 msgctxt "listnetworks" msgid "OnIRC" -msgstr "" +msgstr "EnIRC" #: controlpanel.cpp:1122 controlpanel.cpp:1131 msgctxt "listnetworks" msgid "IRC Server" -msgstr "" +msgstr "Servidor IRC" #: controlpanel.cpp:1123 controlpanel.cpp:1133 msgctxt "listnetworks" msgid "IRC User" -msgstr "" +msgstr "Usuario IRC" #: controlpanel.cpp:1124 controlpanel.cpp:1135 msgctxt "listnetworks" msgid "Channels" -msgstr "" +msgstr "Canales" #: controlpanel.cpp:1143 msgid "No networks" -msgstr "" +msgstr "No hay redes" #: controlpanel.cpp:1154 msgid "Usage: AddServer [[+]port] [password]" -msgstr "" +msgstr "Uso: AddServer [[+]puerto] [contraseña]" #: controlpanel.cpp:1168 msgid "Added IRC Server {1} to network {2} for user {3}." -msgstr "" +msgstr "Añadido servidor IRC {1} a la red {2} al usuario {3}." #: controlpanel.cpp:1172 msgid "Error: Could not add IRC server {1} to network {2} for user {3}." msgstr "" +"Error: no se ha podido añadir el servidor IRC {1} a la red {2} del usuario " +"{3}." #: controlpanel.cpp:1185 msgid "Usage: DelServer [[+]port] [password]" -msgstr "" +msgstr "Uso: DelServer [[+]puerto] [contraseña]" #: controlpanel.cpp:1200 msgid "Deleted IRC Server {1} from network {2} for user {3}." -msgstr "" +msgstr "Eliminado servidor IRC {1} de la red {2} al usuario {3}." #: controlpanel.cpp:1204 msgid "Error: Could not delete IRC server {1} from network {2} for user {3}." msgstr "" +"Error: no se ha podido eliminar el servidor IRC {1} de la red {2} al usuario " +"{3}." #: controlpanel.cpp:1214 msgid "Usage: Reconnect " -msgstr "" +msgstr "Uso: Reconnect " #: controlpanel.cpp:1241 msgid "Queued network {1} of user {2} for a reconnect." -msgstr "" +msgstr "Red {1} del usuario {2} puesta en cola para reconectar." #: controlpanel.cpp:1250 msgid "Usage: Disconnect " -msgstr "" +msgstr "Uso: Disconnect " #: controlpanel.cpp:1265 msgid "Closed IRC connection for network {1} of user {2}." -msgstr "" +msgstr "Cerrada la conexión IRC de la red {1} al usuario {2}." #: controlpanel.cpp:1280 controlpanel.cpp:1284 msgctxt "listctcp" msgid "Request" -msgstr "" +msgstr "Solicitud" #: controlpanel.cpp:1281 controlpanel.cpp:1285 msgctxt "listctcp" msgid "Reply" -msgstr "" +msgstr "Respuesta" #: controlpanel.cpp:1289 msgid "No CTCP replies for user {1} are configured" -msgstr "" +msgstr "No hay respuestas CTCP configuradas para el usuario {1}" #: controlpanel.cpp:1292 msgid "CTCP replies for user {1}:" -msgstr "" +msgstr "Respuestas CTCP del usuario {1}:" #: controlpanel.cpp:1308 msgid "Usage: AddCTCP [user] [request] [reply]" -msgstr "" +msgstr "Uso: AddCTCP [usuario] [solicitud] [respuesta]" #: controlpanel.cpp:1310 msgid "" "This will cause ZNC to reply to the CTCP instead of forwarding it to clients." msgstr "" +"Esto hará que ZNC responda a los CTCP en vez de reenviarselos a los clientes." #: controlpanel.cpp:1313 msgid "An empty reply will cause the CTCP request to be blocked." -msgstr "" +msgstr "Una respuesta vacía hará que la solicitud CTCP sea bloqueada." #: controlpanel.cpp:1322 msgid "CTCP requests {1} to user {2} will now be blocked." -msgstr "" +msgstr "Las solicitudes CTCP {1} del usuario {2} serán bloqueadas." #: controlpanel.cpp:1326 msgid "CTCP requests {1} to user {2} will now get reply: {3}" -msgstr "" +msgstr "Las solicitudes CTCP {1} del usuario {2} se responderán con: {3}" #: controlpanel.cpp:1343 msgid "Usage: DelCTCP [user] [request]" -msgstr "" +msgstr "Uso: DelCTCP [usuario] [solicitud]" #: controlpanel.cpp:1349 msgid "CTCP requests {1} to user {2} will now be sent to IRC clients" -msgstr "" +msgstr "Las solicitudes CTCP {1} del usuario {2} serán enviadas a los clientes" #: controlpanel.cpp:1353 msgid "" "CTCP requests {1} to user {2} will be sent to IRC clients (nothing has " "changed)" msgstr "" +"Las solicitudes CTCP {1} del usuario {2} serán enviadas a los clientes (no " +"se ha cambiado nada)" #: controlpanel.cpp:1363 controlpanel.cpp:1437 msgid "Loading modules has been disabled." -msgstr "" +msgstr "La carga de módulos ha sido deshabilitada." #: controlpanel.cpp:1372 msgid "Error: Unable to load module {1}: {2}" -msgstr "" +msgstr "Error: no se ha podido cargar el módulo {1}: {2}" #: controlpanel.cpp:1375 msgid "Loaded module {1}" -msgstr "" +msgstr "Cargado módulo {1}" #: controlpanel.cpp:1380 msgid "Error: Unable to reload module {1}: {2}" @@ -666,70 +676,72 @@ msgstr "Quita un módulo de un usuario" #: controlpanel.cpp:1612 msgid "Get the list of modules for a user" -msgstr "" +msgstr "Obtiene la lista de módulos de un usuario" #: controlpanel.cpp:1615 msgid " [args]" -msgstr "" +msgstr " [args]" #: controlpanel.cpp:1616 msgid "Loads a Module for a network" -msgstr "" +msgstr "Carga un módulo para una red" #: controlpanel.cpp:1619 msgid " " -msgstr "" +msgstr " " #: controlpanel.cpp:1620 msgid "Removes a Module of a network" -msgstr "" +msgstr "Elimina el módulo de una red" #: controlpanel.cpp:1623 msgid "Get the list of modules for a network" -msgstr "" +msgstr "Obtiene la lista de módulos de una red" #: controlpanel.cpp:1626 msgid "List the configured CTCP replies" -msgstr "" +msgstr "Muestra las respuestas CTCP configuradas" #: controlpanel.cpp:1628 msgid " [reply]" -msgstr "" +msgstr " [respuesta]" #: controlpanel.cpp:1629 msgid "Configure a new CTCP reply" -msgstr "" +msgstr "Configura una nueva respuesta CTCP" #: controlpanel.cpp:1631 msgid " " -msgstr "" +msgstr " " #: controlpanel.cpp:1632 msgid "Remove a CTCP reply" -msgstr "" +msgstr "Elimina una respuesta CTCP" #: controlpanel.cpp:1636 controlpanel.cpp:1639 msgid "[username] " -msgstr "" +msgstr "[usuario] " #: controlpanel.cpp:1637 msgid "Add a network for a user" -msgstr "" +msgstr "Añade una red a un usuario" #: controlpanel.cpp:1640 msgid "Delete a network for a user" -msgstr "" +msgstr "Borra la red de un usuario" #: controlpanel.cpp:1642 msgid "[username]" -msgstr "" +msgstr "[usuario]" #: controlpanel.cpp:1643 msgid "List all networks for a user" -msgstr "" +msgstr "Muestra las redes de un usuario" #: controlpanel.cpp:1656 msgid "" "Dynamic configuration through IRC. Allows editing only yourself if you're " "not ZNC admin." msgstr "" +"Configuración dinámica a través de IRC. Permite la edición solo sobre ti si " +"no eres un admin de ZNC." diff --git a/modules/po/ctcpflood.es_ES.po b/modules/po/ctcpflood.es_ES.po index 1cc36d07..e6fb3709 100644 --- a/modules/po/ctcpflood.es_ES.po +++ b/modules/po/ctcpflood.es_ES.po @@ -43,13 +43,13 @@ msgstr "Uso: Lines " #: ctcpflood.cpp:125 msgid "1 CTCP message" msgid_plural "{1} CTCP messages" -msgstr[0] "" +msgstr[0] "1 mensaje CTCP" msgstr[1] "{1} mensajes CTCP" #: ctcpflood.cpp:127 msgid "every second" msgid_plural "every {1} seconds" -msgstr[0] "" +msgstr[0] "cada segundo" msgstr[1] "cada {1} segundos" #: ctcpflood.cpp:129 diff --git a/modules/po/flooddetach.es_ES.po b/modules/po/flooddetach.es_ES.po index 7450d5df..c50ed2eb 100644 --- a/modules/po/flooddetach.es_ES.po +++ b/modules/po/flooddetach.es_ES.po @@ -43,13 +43,13 @@ msgstr "El canal {1} ha sido inundado, has sido separado" #: flooddetach.cpp:187 msgid "1 line" msgid_plural "{1} lines" -msgstr[0] "" +msgstr[0] "1 línea" msgstr[1] "{1} líneas" #: flooddetach.cpp:188 msgid "every second" msgid_plural "every {1} seconds" -msgstr[0] "" +msgstr[0] "cada segundo" msgstr[1] "cada {1} segundos" #: flooddetach.cpp:190 diff --git a/modules/po/kickrejoin.es_ES.po b/modules/po/kickrejoin.es_ES.po index ce1e9ea2..70906e31 100644 --- a/modules/po/kickrejoin.es_ES.po +++ b/modules/po/kickrejoin.es_ES.po @@ -35,8 +35,8 @@ msgstr "Tiempos de espera en negativo no tienen sentido!" #: kickrejoin.cpp:98 msgid "Rejoin delay set to 1 second" msgid_plural "Rejoin delay set to {1} seconds" -msgstr[0] "" -msgstr[1] "Tiempo de espera de rejoin establecido a {1} segundos" +msgstr[0] "Tiempo de espera de reentrada establecido a 1 segundo" +msgstr[1] "Tiempo de espera de reentrada establecido a {1} segundos" #: kickrejoin.cpp:101 msgid "Rejoin delay disabled" @@ -45,7 +45,7 @@ msgstr "Tiempo de espera de rejoin desactivado" #: kickrejoin.cpp:106 msgid "Rejoin delay is set to 1 second" msgid_plural "Rejoin delay is set to {1} seconds" -msgstr[0] "" +msgstr[0] "Tiempo de espera de reentrada establecido a 1 segundo" msgstr[1] "Tiempo de espera de rejoin establecido a {1} segundos" #: kickrejoin.cpp:109 diff --git a/modules/po/log.es_ES.po b/modules/po/log.es_ES.po index 338e29f4..750e9672 100644 --- a/modules/po/log.es_ES.po +++ b/modules/po/log.es_ES.po @@ -55,7 +55,7 @@ msgstr "No hay reglas de logueo. Se registra todo." #: log.cpp:161 msgid "1 rule removed: {2}" msgid_plural "{1} rules removed: {2}" -msgstr[0] "" +msgstr[0] "Borrada regla: {2}" msgstr[1] "Borradas {1} reglas: {2}" #: log.cpp:168 log.cpp:173 diff --git a/modules/po/sample.es_ES.po b/modules/po/sample.es_ES.po index 2b724014..7bc7e88b 100644 --- a/modules/po/sample.es_ES.po +++ b/modules/po/sample.es_ES.po @@ -46,74 +46,74 @@ msgstr "Has sido desconectado." #: sample.cpp:116 msgid "{1} {2} set mode on {3} {4}{5} {6}" -msgstr "" +msgstr "{1} {2} cambia modo en {3} {4}{5} {6}" #: sample.cpp:123 msgid "{1} {2} opped {3} on {4}" -msgstr "" +msgstr "{1} {2} da op a {3} en {4}" #: sample.cpp:129 msgid "{1} {2} deopped {3} on {4}" -msgstr "" +msgstr "{1} {2} quita op a {3} en {4}" #: sample.cpp:135 msgid "{1} {2} voiced {3} on {4}" -msgstr "" +msgstr "{1} {2} da voz a {3} en {4}" #: sample.cpp:141 msgid "{1} {2} devoiced {3} on {4}" -msgstr "" +msgstr "{1} {2} quita voz a {3} en {4}" #: sample.cpp:147 msgid "* {1} sets mode: {2} {3} on {4}" -msgstr "" +msgstr "* {1} cambia modo: {2} {3} en {4}" #: sample.cpp:163 msgid "{1} kicked {2} from {3} with the msg {4}" -msgstr "" +msgstr "{1} ha expulsado a {2} de {3} por {4}" #: sample.cpp:169 msgid "* {1} ({2}@{3}) quits ({4}) from channel: {6}" msgid_plural "* {1} ({2}@{3}) quits ({4}) from {5} channels: {6}" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "* {1} ({2}@{3}) se desconecta ({4}) del canal: {6}" +msgstr[1] "* {1} ({2}@{3}) se desconecta ({4}) de {5} canales: {6}" #: sample.cpp:177 msgid "Attempting to join {1}" -msgstr "" +msgstr "Intentando entrar {1}" #: sample.cpp:182 msgid "* {1} ({2}@{3}) joins {4}" -msgstr "" +msgstr "* {1} ({2}@{3}) entra {4}" #: sample.cpp:189 msgid "* {1} ({2}@{3}) parts {4}" -msgstr "" +msgstr "* {1} ({2}@{3}) sale {4}" #: sample.cpp:196 msgid "{1} invited us to {2}, ignoring invites to {2}" -msgstr "" +msgstr "{1} te invita a {2}, ignorando invites a {2}" #: sample.cpp:201 msgid "{1} invited us to {2}" -msgstr "" +msgstr "{1} te invita a {2}" #: sample.cpp:207 msgid "{1} is now known as {2}" -msgstr "" +msgstr "{1} es ahora {2}" #: sample.cpp:269 sample.cpp:276 msgid "{1} changes topic on {2} to {3}" -msgstr "" +msgstr "{1} cambia el topic de {2} a {3}" #: sample.cpp:317 msgid "Hi, I'm your friendly sample module." -msgstr "" +msgstr "Hola, soy tu módulo amigable de muestra." #: sample.cpp:330 msgid "Description of module arguments goes here." -msgstr "" +msgstr "La descripción de los argumentos del módulo va aquí." #: sample.cpp:333 msgid "To be used as a sample for writing modules" -msgstr "" +msgstr "Para ser usado como muestra para escribir módulos" diff --git a/modules/po/simple_away.es_ES.po b/modules/po/simple_away.es_ES.po index c91f969e..fafae433 100644 --- a/modules/po/simple_away.es_ES.po +++ b/modules/po/simple_away.es_ES.po @@ -60,7 +60,7 @@ msgstr "El motivo de ausencia quedaría como: {1}" #: simple_away.cpp:144 msgid "Current timer setting: 1 second" msgid_plural "Current timer setting: {1} seconds" -msgstr[0] "" +msgstr[0] "Tiempo establecido: 1 segundo" msgstr[1] "Tiempo establecido: {1} segundos" #: simple_away.cpp:153 simple_away.cpp:161 @@ -70,7 +70,7 @@ msgstr "Temporizador deshabilitado" #: simple_away.cpp:155 msgid "Timer set to 1 second" msgid_plural "Timer set to: {1} seconds" -msgstr[0] "" +msgstr[0] "Temporizador establecido a 1 segundo" msgstr[1] "Temporizador establecido a {1} segundos" #: simple_away.cpp:166 diff --git a/modules/po/watch.es_ES.po b/modules/po/watch.es_ES.po index aa33b9f4..27c6ffba 100644 --- a/modules/po/watch.es_ES.po +++ b/modules/po/watch.es_ES.po @@ -14,236 +14,238 @@ msgstr "" #: watch.cpp:334 msgid "All entries cleared." -msgstr "" +msgstr "Todas las entradas eliminadas." #: watch.cpp:344 msgid "Buffer count is set to {1}" -msgstr "" +msgstr "Límite de búfer configurada a {1}" #: watch.cpp:348 msgid "Unknown command: {1}" -msgstr "" +msgstr "Comando desconocido: {1}" #: watch.cpp:397 msgid "Disabled all entries." -msgstr "" +msgstr "Deshabilitadas todas las entradas." #: watch.cpp:398 msgid "Enabled all entries." -msgstr "" +msgstr "Habilitadas todas las entradas." #: watch.cpp:405 watch.cpp:437 watch.cpp:470 watch.cpp:570 watch.cpp:585 msgid "Invalid Id" -msgstr "" +msgstr "Id no válido" #: watch.cpp:414 msgid "Id {1} disabled" -msgstr "" +msgstr "Id {1} deshabilitado" #: watch.cpp:416 msgid "Id {1} enabled" -msgstr "" +msgstr "Id {1} habilitado" #: watch.cpp:428 msgid "Set DetachedClientOnly for all entries to Yes" -msgstr "" +msgstr "Define DetachedClientOnly para todas las entradas a Yes" #: watch.cpp:430 msgid "Set DetachedClientOnly for all entries to No" -msgstr "" +msgstr "Define DetachedClientOnly para todas las entradas a No" #: watch.cpp:446 watch.cpp:479 msgid "Id {1} set to Yes" -msgstr "" +msgstr "Id {1} ajustado a Sí" #: watch.cpp:448 watch.cpp:481 msgid "Id {1} set to No" -msgstr "" +msgstr "Id {1} ajustado a No" #: watch.cpp:461 msgid "Set DetachedChannelOnly for all entries to Yes" -msgstr "" +msgstr "Define DetachedChannelOnly para todas las entradas a Yes" #: watch.cpp:463 msgid "Set DetachedChannelOnly for all entries to No" -msgstr "" +msgstr "Define DetachedChannelOnly para todas las entradas a No" #: watch.cpp:487 watch.cpp:503 msgid "Id" -msgstr "" +msgstr "Id" #: watch.cpp:488 watch.cpp:504 msgid "HostMask" -msgstr "" +msgstr "Máscara" #: watch.cpp:489 watch.cpp:505 msgid "Target" -msgstr "" +msgstr "Objetivo" #: watch.cpp:490 watch.cpp:506 msgid "Pattern" -msgstr "" +msgstr "Patrón" #: watch.cpp:491 watch.cpp:507 msgid "Sources" -msgstr "" +msgstr "Fuentes" #: watch.cpp:492 watch.cpp:508 watch.cpp:509 msgid "Off" -msgstr "" +msgstr "Desactivado" #: watch.cpp:493 watch.cpp:511 msgid "DetachedClientOnly" -msgstr "" +msgstr "DetachedClientOnly" #: watch.cpp:494 watch.cpp:514 msgid "DetachedChannelOnly" -msgstr "" +msgstr "DetachedChannelOnly" #: watch.cpp:512 watch.cpp:515 msgid "Yes" -msgstr "" +msgstr "Sí" #: watch.cpp:512 watch.cpp:515 msgid "No" -msgstr "" +msgstr "No" #: watch.cpp:521 watch.cpp:527 msgid "You have no entries." -msgstr "" +msgstr "No tienes entradas." #: watch.cpp:578 msgid "Sources set for Id {1}." -msgstr "" +msgstr "Fuentes definidas para el id {1}." #: watch.cpp:593 msgid "Id {1} removed." -msgstr "" +msgstr "Id {1} eliminado." #: watch.cpp:600 watch.cpp:604 watch.cpp:609 watch.cpp:614 watch.cpp:620 #: watch.cpp:625 watch.cpp:629 watch.cpp:633 watch.cpp:638 watch.cpp:645 #: watch.cpp:652 watch.cpp:658 watch.cpp:664 msgid "Command" -msgstr "" +msgstr "Comando" #: watch.cpp:601 watch.cpp:605 watch.cpp:610 watch.cpp:616 watch.cpp:621 #: watch.cpp:626 watch.cpp:630 watch.cpp:634 watch.cpp:641 watch.cpp:648 #: watch.cpp:654 watch.cpp:660 watch.cpp:665 msgid "Description" -msgstr "" +msgstr "Descripción" #: watch.cpp:604 msgid "Add [Target] [Pattern]" -msgstr "" +msgstr "Add [objetivo] [patrón]" #: watch.cpp:606 msgid "Used to add an entry to watch for." -msgstr "" +msgstr "Se usa para añadir una entrada a la lista de watch." #: watch.cpp:609 msgid "List" -msgstr "" +msgstr "Lista" #: watch.cpp:611 msgid "List all entries being watched." -msgstr "" +msgstr "Listar todas las entradas vigiladas." #: watch.cpp:614 msgid "Dump" -msgstr "" +msgstr "Volcado" #: watch.cpp:617 msgid "Dump a list of all current entries to be used later." -msgstr "" +msgstr "Volcar una lista de todas las entradas para usar luego." #: watch.cpp:620 msgid "Del " -msgstr "" +msgstr "Del " #: watch.cpp:622 msgid "Deletes Id from the list of watched entries." -msgstr "" +msgstr "Elimina un id de la lista de entradas a vigilar." #: watch.cpp:625 msgid "Clear" -msgstr "" +msgstr "Borrar" #: watch.cpp:626 msgid "Delete all entries." -msgstr "" +msgstr "Borrar todas las entradas." #: watch.cpp:629 msgid "Enable " -msgstr "" +msgstr "Enable " #: watch.cpp:630 msgid "Enable a disabled entry." -msgstr "" +msgstr "Habilita un entrada deshabilitada." #: watch.cpp:633 msgid "Disable " -msgstr "" +msgstr "Disable " #: watch.cpp:635 msgid "Disable (but don't delete) an entry." -msgstr "" +msgstr "Deshabilita (pero no elimina) una entrada." #: watch.cpp:639 msgid "SetDetachedClientOnly " -msgstr "" +msgstr "SetDetachedClientOnly " #: watch.cpp:642 msgid "Enable or disable detached client only for an entry." -msgstr "" +msgstr "Habilita o deshabilita clientes desvinculados solo para una entrada." #: watch.cpp:646 msgid "SetDetachedChannelOnly " -msgstr "" +msgstr "SetDetachedChannelOnly " #: watch.cpp:649 msgid "Enable or disable detached channel only for an entry." -msgstr "" +msgstr "Habilita o deshabilita canales desvinculados solo para una entrada." #: watch.cpp:652 msgid "Buffer [Count]" -msgstr "" +msgstr "Búfer [Count]" #: watch.cpp:655 msgid "Show/Set the amount of buffered lines while detached." msgstr "" +"Muestra/define la cantidad de líneas almacenadas en búfer mientras se está " +"desvinculado." #: watch.cpp:659 msgid "SetSources [#chan priv #foo* !#bar]" -msgstr "" +msgstr "SetSources [#canal privado #canal* !#canal]" #: watch.cpp:661 msgid "Set the source channels that you care about." -msgstr "" +msgstr "Establece los canales fuente a controlar." #: watch.cpp:664 msgid "Help" -msgstr "" +msgstr "Ayuda" #: watch.cpp:665 msgid "This help." -msgstr "" +msgstr "Esta ayuda." #: watch.cpp:681 msgid "Entry for {1} already exists." -msgstr "" +msgstr "La entrada para {1} ya existe." #: watch.cpp:689 msgid "Adding entry: {1} watching for [{2}] -> {3}" -msgstr "" +msgstr "Añadiendo entrada: {1} controlando {2} -> {3}" #: watch.cpp:695 msgid "Watch: Not enough arguments. Try Help" -msgstr "" +msgstr "Watch: no hay suficientes argumentos, Prueba Help" #: watch.cpp:764 msgid "WARNING: malformed entry found while loading" -msgstr "" +msgstr "ATENCIÓN: entrada no válida encontrada durante la carga" #: watch.cpp:778 msgid "Copy activity from a specific user into a separate window" -msgstr "" +msgstr "Copia la actividad de un usuario específico en una ventana separada" diff --git a/src/po/znc.es_ES.po b/src/po/znc.es_ES.po index 7a71651b..9bcebc61 100644 --- a/src/po/znc.es_ES.po +++ b/src/po/znc.es_ES.po @@ -262,13 +262,13 @@ msgstr "Uso: /attach <#canales>" #: Client.cpp:1336 Client.cpp:1358 ClientCommand.cpp:129 ClientCommand.cpp:151 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" -msgstr[0] "" +msgstr[0] "Hay {1} canal que coincide con [{2}]" msgstr[1] "Hay {1} canales que coinciden con [{2}]" #: Client.cpp:1339 ClientCommand.cpp:132 msgid "Attached {1} channel" msgid_plural "Attached {1} channels" -msgstr[0] "" +msgstr[0] "Vinculado a {1} canal" msgstr[1] "Unido a {1} canales" #: Client.cpp:1351 @@ -278,7 +278,7 @@ msgstr "Uso: /detach <#canales>" #: Client.cpp:1361 ClientCommand.cpp:154 msgid "Detached {1} channel" msgid_plural "Detached {1} channels" -msgstr[0] "" +msgstr[0] "Desvinculado {1} canal" msgstr[1] "Separados {1} canales" #: Chan.cpp:638 @@ -321,7 +321,7 @@ msgstr "No se ha encontrado el módulo {1}" #: Modules.cpp:1659 msgid "Module {1} does not support module type {2}." -msgstr "" +msgstr "El módulo {1} no soporta el tipo de módulo {2}." #: Modules.cpp:1666 msgid "Module {1} requires a user." @@ -1045,7 +1045,7 @@ msgstr "Uso: ClearBuffer <#canal|privado>" #: ClientCommand.cpp:1395 msgid "{1} buffer matching {2} has been cleared" msgid_plural "{1} buffers matching {2} have been cleared" -msgstr[0] "" +msgstr[0] "{1} búfer coincidente con {2} ha sido borrado" msgstr[1] "{1} búfers coincidentes con {2} han sido borrados" #: ClientCommand.cpp:1408 From a7bfbd93812950b7444841431e8e297e62cb524e Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Fri, 13 Jul 2018 23:26:44 +0100 Subject: [PATCH 175/798] Don't let attackers inject rogue values into znc.conf Because of this vulnerability, existing ZNC users could get Admin permissions. Thanks for Jeriko One for finding and reporting this. --- src/Config.cpp | 13 ++++++++++--- 1 file changed, 10 insertions(+), 3 deletions(-) diff --git a/src/Config.cpp b/src/Config.cpp index 2543d6ee..0730b894 100644 --- a/src/Config.cpp +++ b/src/Config.cpp @@ -174,9 +174,14 @@ bool CConfig::Parse(CFile& file, CString& sErrorMsg) { void CConfig::Write(CFile& File, unsigned int iIndentation) { CString sIndentation = CString(iIndentation, '\t'); + auto SingleLine = [](const CString& s) { + return s.Replace_n("\r", "").Replace_n("\n", ""); + }; + for (const auto& it : m_ConfigEntries) { for (const CString& sValue : it.second) { - File.Write(sIndentation + it.first + " = " + sValue + "\n"); + File.Write(SingleLine(sIndentation + it.first + " = " + sValue) + + "\n"); } } @@ -184,9 +189,11 @@ void CConfig::Write(CFile& File, unsigned int iIndentation) { for (const auto& it2 : it.second) { File.Write("\n"); - File.Write(sIndentation + "<" + it.first + " " + it2.first + ">\n"); + File.Write(SingleLine(sIndentation + "<" + it.first + " " + + it2.first + ">") + + "\n"); it2.second.m_pSubConfig->Write(File, iIndentation + 1); - File.Write(sIndentation + "\n"); + File.Write(SingleLine(sIndentation + "") + "\n"); } } } From d22fef8620cdd87490754f607e7153979731c69d Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Fri, 13 Jul 2018 22:50:47 +0100 Subject: [PATCH 176/798] Better cleanup lines coming from network. Thanks for Jeriko One for finding and reporting this. --- src/Client.cpp | 3 ++- src/IRCSock.cpp | 3 ++- 2 files changed, 4 insertions(+), 2 deletions(-) diff --git a/src/Client.cpp b/src/Client.cpp index cec976c5..c0efd628 100644 --- a/src/Client.cpp +++ b/src/Client.cpp @@ -103,7 +103,8 @@ void CClient::ReadLine(const CString& sData) { CLanguageScope user_lang(GetUser() ? GetUser()->GetLanguage() : ""); CString sLine = sData; - sLine.TrimRight("\n\r"); + sLine.Replace("\n", ""); + sLine.Replace("\r", ""); DEBUG("(" << GetFullName() << ") CLI -> ZNC [" << CDebug::Filter(sLine) << "]"); diff --git a/src/IRCSock.cpp b/src/IRCSock.cpp index e9db5447..259881dc 100644 --- a/src/IRCSock.cpp +++ b/src/IRCSock.cpp @@ -156,7 +156,8 @@ void CIRCSock::Quit(const CString& sQuitMsg) { void CIRCSock::ReadLine(const CString& sData) { CString sLine = sData; - sLine.TrimRight("\n\r"); + sLine.Replace("\n", ""); + sLine.Replace("\r", ""); DEBUG("(" << m_pNetwork->GetUser()->GetUserName() << "/" << m_pNetwork->GetName() << ") IRC -> ZNC [" << sLine << "]"); From a4a5aeeb17d32937d8c7d743dae9a4cc755ce773 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Sat, 14 Jul 2018 00:12:28 +0100 Subject: [PATCH 177/798] Don't let web skin name ../../../../ access files outside of usual skins directories. Thanks for Jeriko One for finding and reporting this. --- src/WebModules.cpp | 8 +++++--- 1 file changed, 5 insertions(+), 3 deletions(-) diff --git a/src/WebModules.cpp b/src/WebModules.cpp index 19ece50a..a5841987 100644 --- a/src/WebModules.cpp +++ b/src/WebModules.cpp @@ -557,13 +557,15 @@ CWebSock::EPageReqResult CWebSock::PrintTemplate(const CString& sPageName, } CString CWebSock::GetSkinPath(const CString& sSkinName) { - CString sRet = CZNC::Get().GetZNCPath() + "/webskins/" + sSkinName; + const CString sSkin = sSkinName.Replace_n("/", "_").Replace_n(".", "_"); + + CString sRet = CZNC::Get().GetZNCPath() + "/webskins/" + sSkin; if (!CFile::IsDir(sRet)) { - sRet = CZNC::Get().GetCurPath() + "/webskins/" + sSkinName; + sRet = CZNC::Get().GetCurPath() + "/webskins/" + sSkin; if (!CFile::IsDir(sRet)) { - sRet = CString(_SKINDIR_) + "/" + sSkinName; + sRet = CString(_SKINDIR_) + "/" + sSkin; } } From 9e4d89aaa4e2b6e5c79600b93665c1c0e0bb5255 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Sat, 14 Jul 2018 07:14:07 +0100 Subject: [PATCH 178/798] ZNC 1.7.1-rc1 --- CMakeLists.txt | 8 ++++---- configure.ac | 4 ++-- include/znc/version.h | 4 ++-- 3 files changed, 8 insertions(+), 8 deletions(-) diff --git a/CMakeLists.txt b/CMakeLists.txt index c3398665..ca3a48e7 100644 --- a/CMakeLists.txt +++ b/CMakeLists.txt @@ -15,10 +15,10 @@ # cmake_minimum_required(VERSION 3.1) -project(ZNC VERSION 1.7.0) -set(ZNC_VERSION 1.7.x) -set(append_git_version true) -set(alpha_version "") # e.g. "-rc1" +project(ZNC VERSION 1.7.1) +set(ZNC_VERSION 1.7.1) +set(append_git_version false) +set(alpha_version "-rc1") # e.g. "-rc1" set(VERSION_EXTRA "" CACHE STRING "Additional string appended to version, e.g. to mark distribution") diff --git a/configure.ac b/configure.ac index 1c64e432..c3bfebd0 100644 --- a/configure.ac +++ b/configure.ac @@ -7,8 +7,8 @@ AC_DEFUN([AC_PROG_CC], [m4_errprint(__file__:__line__[: Something is trying to u dnl Needed for AC_PATH_PROGS_FEATURE_CHECK which was added in 2.62 AC_PREREQ([2.62]) dnl Keep the version number in sync with version.h! -AC_INIT([znc], [1.7.x]) -LIBZNC_VERSION=1.7.x +AC_INIT([znc], [1.7.1-rc1]) +LIBZNC_VERSION=1.7.1 AC_CONFIG_MACRO_DIR([m4]) AC_CONFIG_SRCDIR([src/znc.cpp]) AC_LANG([C++]) diff --git a/include/znc/version.h b/include/znc/version.h index 3f3fbab8..cff038e9 100644 --- a/include/znc/version.h +++ b/include/znc/version.h @@ -20,9 +20,9 @@ limitations under the License. // The following defines are for #if comparison (preprocessor only likes ints) #define VERSION_MAJOR 1 #define VERSION_MINOR 7 -#define VERSION_PATCH -1 +#define VERSION_PATCH 1 // This one is for display purpose and to check ABI compatibility of modules -#define VERSION_STR "1.7.x" +#define VERSION_STR "1.7.1" #endif // Don't use this one From c426898b3a1b899dfe8a8b2a3eeb4b18d8be1bf2 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Tue, 17 Jul 2018 22:48:03 +0100 Subject: [PATCH 179/798] Increase the version number to 1.7.1 --- CMakeLists.txt | 2 +- ChangeLog.md | 32 ++++++++++++++++++++++++++++++++ configure.ac | 2 +- 3 files changed, 34 insertions(+), 2 deletions(-) diff --git a/CMakeLists.txt b/CMakeLists.txt index ca3a48e7..ed6a55d2 100644 --- a/CMakeLists.txt +++ b/CMakeLists.txt @@ -18,7 +18,7 @@ cmake_minimum_required(VERSION 3.1) project(ZNC VERSION 1.7.1) set(ZNC_VERSION 1.7.1) set(append_git_version false) -set(alpha_version "-rc1") # e.g. "-rc1" +set(alpha_version "") # e.g. "-rc1" set(VERSION_EXTRA "" CACHE STRING "Additional string appended to version, e.g. to mark distribution") diff --git a/ChangeLog.md b/ChangeLog.md index 85c47df5..27e8cfdd 100644 --- a/ChangeLog.md +++ b/ChangeLog.md @@ -1,3 +1,35 @@ +# ZNC 1.7.1 (2018-07-17) + +## Security critical fixes +* CVE-2018-14055: non-admin user could gain admin privileges and shell access by injecting values into znc.conf. +* CVE-2018-14056: path traversal in HTTP handler via ../ in a web skin name. + +## Core +* Fix znc-buildmod to not hardcode the compiler used to build ZNC anymore in CMake build +* Fix language selector. Russian and German were both not selectable. +* Fix build without SSL support +* Fix several broken strings +* Stop spamming users about debug mode. This feature was added in 1.7.0, now reverted. + +## New +* Add partial Spanish, Indonesian, and Dutch translations + +## Modules +* adminlog: Log the error message again (regression of 1.7.0) +* admindebug: New module, which allows admins to turn on/off --debug in runtime +* flooddetach: Fix description of commands +* modperl: Fix memory leak in NV handling +* modperl: Fix functions which return VCString +* modpython: Fix functions which return VCString +* webadmin: Fix fancy CTCP replies editor for Firefox. It was showing the plain version even when JS is enabled + +## Internal +* Deprecate one of the overloads of CMessage::GetParams(), rename it to CMessage::GetParamsColon() +* Don't throw from destructor in the integration test +* Fix a warning with integration test / gmake / znc-buildmod interaction. + + + # ZNC 1.7.0 (2018-05-01) ## New diff --git a/configure.ac b/configure.ac index c3bfebd0..c94833ec 100644 --- a/configure.ac +++ b/configure.ac @@ -7,7 +7,7 @@ AC_DEFUN([AC_PROG_CC], [m4_errprint(__file__:__line__[: Something is trying to u dnl Needed for AC_PATH_PROGS_FEATURE_CHECK which was added in 2.62 AC_PREREQ([2.62]) dnl Keep the version number in sync with version.h! -AC_INIT([znc], [1.7.1-rc1]) +AC_INIT([znc], [1.7.1]) LIBZNC_VERSION=1.7.1 AC_CONFIG_MACRO_DIR([m4]) AC_CONFIG_SRCDIR([src/znc.cpp]) From bae80fd383fa9d75bcc4e891d79248363a6d1d24 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Tue, 17 Jul 2018 22:58:48 +0100 Subject: [PATCH 180/798] Return version number to 1.7.x --- CMakeLists.txt | 4 ++-- configure.ac | 4 ++-- include/znc/version.h | 4 ++-- 3 files changed, 6 insertions(+), 6 deletions(-) diff --git a/CMakeLists.txt b/CMakeLists.txt index ed6a55d2..3c1b3352 100644 --- a/CMakeLists.txt +++ b/CMakeLists.txt @@ -16,8 +16,8 @@ cmake_minimum_required(VERSION 3.1) project(ZNC VERSION 1.7.1) -set(ZNC_VERSION 1.7.1) -set(append_git_version false) +set(ZNC_VERSION 1.7.x) +set(append_git_version true) set(alpha_version "") # e.g. "-rc1" set(VERSION_EXTRA "" CACHE STRING "Additional string appended to version, e.g. to mark distribution") diff --git a/configure.ac b/configure.ac index c94833ec..1c64e432 100644 --- a/configure.ac +++ b/configure.ac @@ -7,8 +7,8 @@ AC_DEFUN([AC_PROG_CC], [m4_errprint(__file__:__line__[: Something is trying to u dnl Needed for AC_PATH_PROGS_FEATURE_CHECK which was added in 2.62 AC_PREREQ([2.62]) dnl Keep the version number in sync with version.h! -AC_INIT([znc], [1.7.1]) -LIBZNC_VERSION=1.7.1 +AC_INIT([znc], [1.7.x]) +LIBZNC_VERSION=1.7.x AC_CONFIG_MACRO_DIR([m4]) AC_CONFIG_SRCDIR([src/znc.cpp]) AC_LANG([C++]) diff --git a/include/znc/version.h b/include/znc/version.h index cff038e9..3f3fbab8 100644 --- a/include/znc/version.h +++ b/include/znc/version.h @@ -20,9 +20,9 @@ limitations under the License. // The following defines are for #if comparison (preprocessor only likes ints) #define VERSION_MAJOR 1 #define VERSION_MINOR 7 -#define VERSION_PATCH 1 +#define VERSION_PATCH -1 // This one is for display purpose and to check ABI compatibility of modules -#define VERSION_STR "1.7.1" +#define VERSION_STR "1.7.x" #endif // Don't use this one From a021784ebf16be96263458799b0f067c6cf7e201 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Wed, 18 Jul 2018 14:31:23 +0000 Subject: [PATCH 181/798] Update translations from Crowdin for de_DE es_ES id_ID pt_BR ru_RU --- src/po/znc.de_DE.po | 70 ++++++++++++++++++++++----------------------- src/po/znc.es_ES.po | 70 ++++++++++++++++++++++----------------------- src/po/znc.id_ID.po | 70 ++++++++++++++++++++++----------------------- src/po/znc.pot | 70 ++++++++++++++++++++++----------------------- src/po/znc.pt_BR.po | 70 ++++++++++++++++++++++----------------------- src/po/znc.ru_RU.po | 70 ++++++++++++++++++++++----------------------- 6 files changed, 210 insertions(+), 210 deletions(-) diff --git a/src/po/znc.de_DE.po b/src/po/znc.de_DE.po index 23d91273..1933aca9 100644 --- a/src/po/znc.de_DE.po +++ b/src/po/znc.de_DE.po @@ -116,70 +116,70 @@ msgstr "" msgid "Some module aborted the connection attempt" msgstr "Ein Modul hat den Verbindungsversuch abgebrochen" -#: IRCSock.cpp:484 +#: IRCSock.cpp:485 msgid "Error from server: {1}" msgstr "Fehler vom Server: {1}" -#: IRCSock.cpp:686 +#: IRCSock.cpp:687 msgid "ZNC seems to be connected to itself, disconnecting..." msgstr "ZNC scheint zu sich selbst verbunden zu sein, trenne die Verbindung..." -#: IRCSock.cpp:733 +#: IRCSock.cpp:734 msgid "Server {1} redirects us to {2}:{3} with reason: {4}" msgstr "Der Server {1} hat uns zu {2}:{3} umgeleitet mit der Begründung: {4}" -#: IRCSock.cpp:737 +#: IRCSock.cpp:738 msgid "Perhaps you want to add it as a new server." msgstr "Vielleicht möchtest du dies als einen neuen Server hinzufügen." -#: IRCSock.cpp:967 +#: IRCSock.cpp:968 msgid "Channel {1} is linked to another channel and was thus disabled." msgstr "" "Kanal {1} ist mit einem anderen Kanal verbunden und wurde daher deaktiviert." -#: IRCSock.cpp:979 +#: IRCSock.cpp:980 msgid "Switched to SSL (STARTTLS)" msgstr "Zu SSL gewechselt (STARTTLS)" -#: IRCSock.cpp:1032 +#: IRCSock.cpp:1033 msgid "You quit: {1}" msgstr "Du hast die Verbindung getrennt: {1}" -#: IRCSock.cpp:1238 +#: IRCSock.cpp:1239 msgid "Disconnected from IRC. Reconnecting..." msgstr "IRC-Verbindung getrennt. Verbinde erneut..." -#: IRCSock.cpp:1269 +#: IRCSock.cpp:1270 msgid "Cannot connect to IRC ({1}). Retrying..." msgstr "Kann nicht mit IRC verbinden ({1}). Versuche es erneut..." -#: IRCSock.cpp:1272 +#: IRCSock.cpp:1273 msgid "Disconnected from IRC ({1}). Reconnecting..." msgstr "IRC-Verbindung getrennt ({1}). Verbinde erneut..." -#: IRCSock.cpp:1302 +#: IRCSock.cpp:1303 msgid "If you trust this certificate, do /znc AddTrustedServerFingerprint {1}" msgstr "" "Falls du diesem Zertifikat vertraust, mache /znc AddTrustedServerFingerprint " "{1}" -#: IRCSock.cpp:1319 +#: IRCSock.cpp:1320 msgid "IRC connection timed out. Reconnecting..." msgstr "Zeitüberschreitung der IRC-Verbindung. Verbinde erneut..." -#: IRCSock.cpp:1331 +#: IRCSock.cpp:1332 msgid "Connection Refused. Reconnecting..." msgstr "Verbindung abgelehnt. Verbinde erneut..." -#: IRCSock.cpp:1339 +#: IRCSock.cpp:1340 msgid "Received a too long line from the IRC server!" msgstr "Eine zu lange Zeile wurde vom IRC-Server empfangen!" -#: IRCSock.cpp:1443 +#: IRCSock.cpp:1444 msgid "No free nick available" msgstr "Kein freier Nick verfügbar" -#: IRCSock.cpp:1451 +#: IRCSock.cpp:1452 msgid "No free nick found" msgstr "Kein freier Nick gefunden" @@ -187,17 +187,17 @@ msgstr "Kein freier Nick gefunden" msgid "No such module {1}" msgstr "Kein solches Modul {1}" -#: Client.cpp:358 +#: Client.cpp:359 msgid "A client from {1} attempted to login as you, but was rejected: {2}" msgstr "" "Ein Client hat versucht sich von {1} aus als dich anzumelden, aber wurde " "abgelehnt: {2}" -#: Client.cpp:393 +#: Client.cpp:394 msgid "Network {1} doesn't exist." msgstr "Netzwerk {1} existiert nicht." -#: Client.cpp:407 +#: Client.cpp:408 msgid "" "You have several networks configured, but no network was specified for the " "connection." @@ -205,7 +205,7 @@ msgstr "" "Du hast mehrere Netzwerke, aber kein Netzwerk wurde für die Verbindung " "ausgewählt." -#: Client.cpp:410 +#: Client.cpp:411 msgid "" "Selecting network {1}. To see list of all configured networks, use /znc " "ListNetworks" @@ -213,7 +213,7 @@ msgstr "" "Wähle Netzwerk {1}. Um eine Liste aller konfigurierten Netzwerke zu sehen, " "verwende /znc ListNetworks" -#: Client.cpp:413 +#: Client.cpp:414 msgid "" "If you want to choose another network, use /znc JumpNetwork , or " "connect to ZNC with username {1}/ (instead of just {1})" @@ -222,72 +222,72 @@ msgstr "" ", oder verbinde dich zu ZNC mit dem Benutzernamen {1}/ " "(statt einfach nur {1})" -#: Client.cpp:419 +#: Client.cpp:420 msgid "" "You have no networks configured. Use /znc AddNetwork to add one." msgstr "" "Du hast keine Netzwerke konfiguriert. Verwende /znc AddNetwork um " "eines hinzuzufügen." -#: Client.cpp:430 +#: Client.cpp:431 msgid "Closing link: Timeout" msgstr "Schließe Verbindung: Zeitüberschreitung" -#: Client.cpp:452 +#: Client.cpp:453 msgid "Closing link: Too long raw line" msgstr "Schließe Verbindung: Überlange Rohzeile" -#: Client.cpp:459 +#: Client.cpp:460 msgid "" "You are being disconnected because another user just authenticated as you." msgstr "" "Deine Verbindung wird getrennt, da ein anderen Benutzer sich als dich " "angemeldet hat." -#: Client.cpp:1014 +#: Client.cpp:1015 msgid "Your CTCP to {1} got lost, you are not connected to IRC!" msgstr "Dein CTCP an {1} wurde verloren, du bist nicht mit dem IRC verbunden!" -#: Client.cpp:1141 +#: Client.cpp:1142 msgid "Your notice to {1} got lost, you are not connected to IRC!" msgstr "" "Deine Benachrichtigung an {1} wurde verloren, du bist nicht mit dem IRC " "verbunden!" -#: Client.cpp:1180 +#: Client.cpp:1181 msgid "Removing channel {1}" msgstr "Entferne Kanal {1}" -#: Client.cpp:1256 +#: Client.cpp:1257 msgid "Your message to {1} got lost, you are not connected to IRC!" msgstr "" "Deine Nachricht an {1} wurde verloren, du bist nicht mit dem IRC verbunden!" -#: Client.cpp:1309 Client.cpp:1315 +#: Client.cpp:1310 Client.cpp:1316 msgid "Hello. How may I help you?" msgstr "Hallo. Wie kann ich dir helfen?" -#: Client.cpp:1329 +#: Client.cpp:1330 msgid "Usage: /attach <#chans>" msgstr "Verwendung: /attach <#Kanal>" -#: Client.cpp:1336 Client.cpp:1358 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: Client.cpp:1337 Client.cpp:1359 ClientCommand.cpp:129 ClientCommand.cpp:151 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" msgstr[0] "Es gibt einen Kanal, der auf [{2}] passt" msgstr[1] "Es gibt {1} Kanäle, die auf [{2}] passen" -#: Client.cpp:1339 ClientCommand.cpp:132 +#: Client.cpp:1340 ClientCommand.cpp:132 msgid "Attached {1} channel" msgid_plural "Attached {1} channels" msgstr[0] "Zu {1} Kanal verbunden" msgstr[1] "Zu {1} Kanälen verbunden" -#: Client.cpp:1351 +#: Client.cpp:1352 msgid "Usage: /detach <#chans>" msgstr "Verwendung: /detach <#Kanäle>" -#: Client.cpp:1361 ClientCommand.cpp:154 +#: Client.cpp:1362 ClientCommand.cpp:154 msgid "Detached {1} channel" msgid_plural "Detached {1} channels" msgstr[0] "Von {1} Kanal getrennt" diff --git a/src/po/znc.es_ES.po b/src/po/znc.es_ES.po index 101ffb55..4f0b37ee 100644 --- a/src/po/znc.es_ES.po +++ b/src/po/znc.es_ES.po @@ -111,68 +111,68 @@ msgstr "" msgid "Some module aborted the connection attempt" msgstr "Algún módulo ha abortado el intento de conexión" -#: IRCSock.cpp:484 +#: IRCSock.cpp:485 msgid "Error from server: {1}" msgstr "Error del servidor: {1}" -#: IRCSock.cpp:686 +#: IRCSock.cpp:687 msgid "ZNC seems to be connected to itself, disconnecting..." msgstr "ZNC parece que se ha conectado a si mismo, desconectando..." -#: IRCSock.cpp:733 +#: IRCSock.cpp:734 msgid "Server {1} redirects us to {2}:{3} with reason: {4}" msgstr "Servidor {1} nos redirige a {2}:{3} por: {4}" -#: IRCSock.cpp:737 +#: IRCSock.cpp:738 msgid "Perhaps you want to add it as a new server." msgstr "Puede que quieras añadirlo como nuevo servidor." -#: IRCSock.cpp:967 +#: IRCSock.cpp:968 msgid "Channel {1} is linked to another channel and was thus disabled." msgstr "El canal {1} está enlazado a otro canal y por eso está deshabilitado." -#: IRCSock.cpp:979 +#: IRCSock.cpp:980 msgid "Switched to SSL (STARTTLS)" msgstr "Cambiado a SSL (STARTTLS)" -#: IRCSock.cpp:1032 +#: IRCSock.cpp:1033 msgid "You quit: {1}" msgstr "Has salido: {1}" -#: IRCSock.cpp:1238 +#: IRCSock.cpp:1239 msgid "Disconnected from IRC. Reconnecting..." msgstr "Desconectado del IRC. Volviendo a conectar..." -#: IRCSock.cpp:1269 +#: IRCSock.cpp:1270 msgid "Cannot connect to IRC ({1}). Retrying..." msgstr "No se puede conectar al IRC ({1}). Reintentándolo..." -#: IRCSock.cpp:1272 +#: IRCSock.cpp:1273 msgid "Disconnected from IRC ({1}). Reconnecting..." msgstr "Desconectado del IRC ({1}). Volviendo a conectar..." -#: IRCSock.cpp:1302 +#: IRCSock.cpp:1303 msgid "If you trust this certificate, do /znc AddTrustedServerFingerprint {1}" msgstr "" "Si confías en este certificado, ejecuta /znc AddTrustedServerFingerprint {1}" -#: IRCSock.cpp:1319 +#: IRCSock.cpp:1320 msgid "IRC connection timed out. Reconnecting..." msgstr "Tiempo de espera agotado en la conexión al IRC. Reconectando..." -#: IRCSock.cpp:1331 +#: IRCSock.cpp:1332 msgid "Connection Refused. Reconnecting..." msgstr "Conexión rechazada. Reconectando..." -#: IRCSock.cpp:1339 +#: IRCSock.cpp:1340 msgid "Received a too long line from the IRC server!" msgstr "¡Recibida línea demasiado larga desde el servidor de IRC!" -#: IRCSock.cpp:1443 +#: IRCSock.cpp:1444 msgid "No free nick available" msgstr "No hay ningún nick disponible" -#: IRCSock.cpp:1451 +#: IRCSock.cpp:1452 msgid "No free nick found" msgstr "No se ha encontrado ningún nick disponible" @@ -180,17 +180,17 @@ msgstr "No se ha encontrado ningún nick disponible" msgid "No such module {1}" msgstr "No existe el módulo {1}" -#: Client.cpp:358 +#: Client.cpp:359 msgid "A client from {1} attempted to login as you, but was rejected: {2}" msgstr "" "Un cliente desde {1} ha intentado conectarse por ti, pero ha sido rechazado " "{2}" -#: Client.cpp:393 +#: Client.cpp:394 msgid "Network {1} doesn't exist." msgstr "La red {1} no existe." -#: Client.cpp:407 +#: Client.cpp:408 msgid "" "You have several networks configured, but no network was specified for the " "connection." @@ -198,7 +198,7 @@ msgstr "" "Tienes varias redes configuradas, pero ninguna ha sido especificada para la " "conexión." -#: Client.cpp:410 +#: Client.cpp:411 msgid "" "Selecting network {1}. To see list of all configured networks, use /znc " "ListNetworks" @@ -206,7 +206,7 @@ msgstr "" "Seleccionando la red {1}. Para ver una lista de todas las redes " "configuradas, ejecuta /znc ListNetworks" -#: Client.cpp:413 +#: Client.cpp:414 msgid "" "If you want to choose another network, use /znc JumpNetwork , or " "connect to ZNC with username {1}/ (instead of just {1})" @@ -214,68 +214,68 @@ msgstr "" "Si quieres escoger otra red, utiliza /znc JumpNetwork , o conecta a " "ZNC mediante usuario {1}/ (en vez de solo {1})" -#: Client.cpp:419 +#: Client.cpp:420 msgid "" "You have no networks configured. Use /znc AddNetwork to add one." msgstr "" "No tienes redes configuradas. Ejecuta /znc AddNetwork para añadir " "una." -#: Client.cpp:430 +#: Client.cpp:431 msgid "Closing link: Timeout" msgstr "Cerrando conexión: tiempo de espera agotado" -#: Client.cpp:452 +#: Client.cpp:453 msgid "Closing link: Too long raw line" msgstr "Cerrando conexión: linea raw demasiado larga" -#: Client.cpp:459 +#: Client.cpp:460 msgid "" "You are being disconnected because another user just authenticated as you." msgstr "" "Estás siendo desconectado porque otro usuario se ha autenticado por ti." -#: Client.cpp:1014 +#: Client.cpp:1015 msgid "Your CTCP to {1} got lost, you are not connected to IRC!" msgstr "Tu CTCP a {1} se ha perdido, ¡no estás conectado al IRC!" -#: Client.cpp:1141 +#: Client.cpp:1142 msgid "Your notice to {1} got lost, you are not connected to IRC!" msgstr "Tu notice a {1} se ha perdido, ¡no estás conectado al IRC!" -#: Client.cpp:1180 +#: Client.cpp:1181 msgid "Removing channel {1}" msgstr "Eliminando canal {1}" -#: Client.cpp:1256 +#: Client.cpp:1257 msgid "Your message to {1} got lost, you are not connected to IRC!" msgstr "Tu mensaje a {1} se ha perdido, ¡no estás conectado al IRC!" -#: Client.cpp:1309 Client.cpp:1315 +#: Client.cpp:1310 Client.cpp:1316 msgid "Hello. How may I help you?" msgstr "Hola. ¿En qué te puedo ayudar?" -#: Client.cpp:1329 +#: Client.cpp:1330 msgid "Usage: /attach <#chans>" msgstr "Uso: /attach <#canales>" -#: Client.cpp:1336 Client.cpp:1358 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: Client.cpp:1337 Client.cpp:1359 ClientCommand.cpp:129 ClientCommand.cpp:151 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" msgstr[0] "Hay {1} canal que coincide con [{2}]" msgstr[1] "Hay {1} canales que coinciden con [{2}]" -#: Client.cpp:1339 ClientCommand.cpp:132 +#: Client.cpp:1340 ClientCommand.cpp:132 msgid "Attached {1} channel" msgid_plural "Attached {1} channels" msgstr[0] "Vinculado a {1} canal" msgstr[1] "Unido a {1} canales" -#: Client.cpp:1351 +#: Client.cpp:1352 msgid "Usage: /detach <#chans>" msgstr "Uso: /detach <#canales>" -#: Client.cpp:1361 ClientCommand.cpp:154 +#: Client.cpp:1362 ClientCommand.cpp:154 msgid "Detached {1} channel" msgid_plural "Detached {1} channels" msgstr[0] "Desvinculado {1} canal" diff --git a/src/po/znc.id_ID.po b/src/po/znc.id_ID.po index 5f718591..6afa7cf4 100644 --- a/src/po/znc.id_ID.po +++ b/src/po/znc.id_ID.po @@ -113,69 +113,69 @@ msgstr "" msgid "Some module aborted the connection attempt" msgstr "Beberapa modul membatalkan upaya koneksi" -#: IRCSock.cpp:484 +#: IRCSock.cpp:485 msgid "Error from server: {1}" msgstr "Kesalahan dari server: {1}" -#: IRCSock.cpp:686 +#: IRCSock.cpp:687 msgid "ZNC seems to be connected to itself, disconnecting..." msgstr "ZNC tampaknya terhubung dengan sendiri, memutuskan..." -#: IRCSock.cpp:733 +#: IRCSock.cpp:734 msgid "Server {1} redirects us to {2}:{3} with reason: {4}" msgstr "Server {1} mengalihkan ke {2}: {3} dengan alasan: {4}" -#: IRCSock.cpp:737 +#: IRCSock.cpp:738 msgid "Perhaps you want to add it as a new server." msgstr "Mungkin anda ingin menambahkannya sebagai server baru." -#: IRCSock.cpp:967 +#: IRCSock.cpp:968 msgid "Channel {1} is linked to another channel and was thus disabled." msgstr "Channel {1} terhubung ke channel lain dan karenanya dinonaktifkan." -#: IRCSock.cpp:979 +#: IRCSock.cpp:980 msgid "Switched to SSL (STARTTLS)" msgstr "Beralih ke SSL (STARTTLS)" -#: IRCSock.cpp:1032 +#: IRCSock.cpp:1033 msgid "You quit: {1}" msgstr "Anda keluar: {1}" -#: IRCSock.cpp:1238 +#: IRCSock.cpp:1239 msgid "Disconnected from IRC. Reconnecting..." msgstr "Terputus dari IRC. Menghubungkan..." -#: IRCSock.cpp:1269 +#: IRCSock.cpp:1270 msgid "Cannot connect to IRC ({1}). Retrying..." msgstr "Tidak dapat terhubung ke IRC ({1}). Mencoba lagi..." -#: IRCSock.cpp:1272 +#: IRCSock.cpp:1273 msgid "Disconnected from IRC ({1}). Reconnecting..." msgstr "Terputus dari IRC ({1}). Menghubungkan..." -#: IRCSock.cpp:1302 +#: IRCSock.cpp:1303 msgid "If you trust this certificate, do /znc AddTrustedServerFingerprint {1}" msgstr "" "Jika anda mempercayai sertifikat ini, lakukan /znc " "AddTrustedServerFingerprint {1}" -#: IRCSock.cpp:1319 +#: IRCSock.cpp:1320 msgid "IRC connection timed out. Reconnecting..." msgstr "Koneksi IRC kehabisan waktu. Menghubungkan..." -#: IRCSock.cpp:1331 +#: IRCSock.cpp:1332 msgid "Connection Refused. Reconnecting..." msgstr "Koneksi tertolak. Menguhungkan..." -#: IRCSock.cpp:1339 +#: IRCSock.cpp:1340 msgid "Received a too long line from the IRC server!" msgstr "Menerima baris terlalu panjang dari server IRC!" -#: IRCSock.cpp:1443 +#: IRCSock.cpp:1444 msgid "No free nick available" msgstr "Tidak ada nick tersedia" -#: IRCSock.cpp:1451 +#: IRCSock.cpp:1452 msgid "No free nick found" msgstr "Tidak ada nick ditemukan" @@ -183,15 +183,15 @@ msgstr "Tidak ada nick ditemukan" msgid "No such module {1}" msgstr "Modul tidak ada {1}" -#: Client.cpp:358 +#: Client.cpp:359 msgid "A client from {1} attempted to login as you, but was rejected: {2}" msgstr "Klien dari {1} berusaha masuk seperti anda, namun ditolak: {2}" -#: Client.cpp:393 +#: Client.cpp:394 msgid "Network {1} doesn't exist." msgstr "Jaringan {1} tidak ada." -#: Client.cpp:407 +#: Client.cpp:408 msgid "" "You have several networks configured, but no network was specified for the " "connection." @@ -199,7 +199,7 @@ msgstr "" "Anda memiliki beberapa jaringan terkonfigurasi, tetapi tidak ada jaringan " "ditentukan untuk sambungan." -#: Client.cpp:410 +#: Client.cpp:411 msgid "" "Selecting network {1}. To see list of all configured networks, use /znc " "ListNetworks" @@ -207,7 +207,7 @@ msgstr "" "Memilih jaringan {1}. Untuk melihat daftar semua jaringan terkonfigurasi, " "gunakan /znc ListNetworks" -#: Client.cpp:413 +#: Client.cpp:414 msgid "" "If you want to choose another network, use /znc JumpNetwork , or " "connect to ZNC with username {1}/ (instead of just {1})" @@ -215,65 +215,65 @@ msgstr "" "Jika anda ingin memilih jaringan lain, gunakan /znc JumpNetwork , " "atau hubungkan ke ZNC dengan nama pengguna {1}/ (bukan hanya {1})" -#: Client.cpp:419 +#: Client.cpp:420 msgid "" "You have no networks configured. Use /znc AddNetwork to add one." msgstr "" "Anda tidak memiliki jaringan terkonfigurasi. Gunakan /znc AddNetwork " " untuk menambahkannya." -#: Client.cpp:430 +#: Client.cpp:431 msgid "Closing link: Timeout" msgstr "Menutup link: Waktu habis" -#: Client.cpp:452 +#: Client.cpp:453 msgid "Closing link: Too long raw line" msgstr "Menutup link: Baris raw terlalu panjang" -#: Client.cpp:459 +#: Client.cpp:460 msgid "" "You are being disconnected because another user just authenticated as you." msgstr "Anda terputus karena pengguna lain hanya diautentikasi sebagai anda." -#: Client.cpp:1014 +#: Client.cpp:1015 msgid "Your CTCP to {1} got lost, you are not connected to IRC!" msgstr "CTCP anda untuk {1} tersesat, anda tidak terhubung ke IRC!" -#: Client.cpp:1141 +#: Client.cpp:1142 msgid "Your notice to {1} got lost, you are not connected to IRC!" msgstr "Notice anda untuk {1} tersesat, anda tidak terhubung ke IRC!" -#: Client.cpp:1180 +#: Client.cpp:1181 msgid "Removing channel {1}" msgstr "Menghapus channel {1}" -#: Client.cpp:1256 +#: Client.cpp:1257 msgid "Your message to {1} got lost, you are not connected to IRC!" msgstr "Pesan anda untuk {1} tersesat, anda tidak terhubung ke IRC!" -#: Client.cpp:1309 Client.cpp:1315 +#: Client.cpp:1310 Client.cpp:1316 msgid "Hello. How may I help you?" msgstr "Halo. Bagaimana saya bisa membantu anda?" -#: Client.cpp:1329 +#: Client.cpp:1330 msgid "Usage: /attach <#chans>" msgstr "Gunakan: /attach <#chan>" -#: Client.cpp:1336 Client.cpp:1358 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: Client.cpp:1337 Client.cpp:1359 ClientCommand.cpp:129 ClientCommand.cpp:151 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" msgstr[0] "Ada {1} pencocokan saluran [{2}]" -#: Client.cpp:1339 ClientCommand.cpp:132 +#: Client.cpp:1340 ClientCommand.cpp:132 msgid "Attached {1} channel" msgid_plural "Attached {1} channels" msgstr[0] "" -#: Client.cpp:1351 +#: Client.cpp:1352 msgid "Usage: /detach <#chans>" msgstr "" -#: Client.cpp:1361 ClientCommand.cpp:154 +#: Client.cpp:1362 ClientCommand.cpp:154 msgid "Detached {1} channel" msgid_plural "Detached {1} channels" msgstr[0] "" diff --git a/src/po/znc.pot b/src/po/znc.pot index f9d4b203..1dc292be 100644 --- a/src/po/znc.pot +++ b/src/po/znc.pot @@ -98,67 +98,67 @@ msgstr "" msgid "Some module aborted the connection attempt" msgstr "" -#: IRCSock.cpp:484 +#: IRCSock.cpp:485 msgid "Error from server: {1}" msgstr "" -#: IRCSock.cpp:686 +#: IRCSock.cpp:687 msgid "ZNC seems to be connected to itself, disconnecting..." msgstr "" -#: IRCSock.cpp:733 +#: IRCSock.cpp:734 msgid "Server {1} redirects us to {2}:{3} with reason: {4}" msgstr "" -#: IRCSock.cpp:737 +#: IRCSock.cpp:738 msgid "Perhaps you want to add it as a new server." msgstr "" -#: IRCSock.cpp:967 +#: IRCSock.cpp:968 msgid "Channel {1} is linked to another channel and was thus disabled." msgstr "" -#: IRCSock.cpp:979 +#: IRCSock.cpp:980 msgid "Switched to SSL (STARTTLS)" msgstr "" -#: IRCSock.cpp:1032 +#: IRCSock.cpp:1033 msgid "You quit: {1}" msgstr "" -#: IRCSock.cpp:1238 +#: IRCSock.cpp:1239 msgid "Disconnected from IRC. Reconnecting..." msgstr "" -#: IRCSock.cpp:1269 +#: IRCSock.cpp:1270 msgid "Cannot connect to IRC ({1}). Retrying..." msgstr "" -#: IRCSock.cpp:1272 +#: IRCSock.cpp:1273 msgid "Disconnected from IRC ({1}). Reconnecting..." msgstr "" -#: IRCSock.cpp:1302 +#: IRCSock.cpp:1303 msgid "If you trust this certificate, do /znc AddTrustedServerFingerprint {1}" msgstr "" -#: IRCSock.cpp:1319 +#: IRCSock.cpp:1320 msgid "IRC connection timed out. Reconnecting..." msgstr "" -#: IRCSock.cpp:1331 +#: IRCSock.cpp:1332 msgid "Connection Refused. Reconnecting..." msgstr "" -#: IRCSock.cpp:1339 +#: IRCSock.cpp:1340 msgid "Received a too long line from the IRC server!" msgstr "" -#: IRCSock.cpp:1443 +#: IRCSock.cpp:1444 msgid "No free nick available" msgstr "" -#: IRCSock.cpp:1451 +#: IRCSock.cpp:1452 msgid "No free nick found" msgstr "" @@ -166,91 +166,91 @@ msgstr "" msgid "No such module {1}" msgstr "" -#: Client.cpp:358 +#: Client.cpp:359 msgid "A client from {1} attempted to login as you, but was rejected: {2}" msgstr "" -#: Client.cpp:393 +#: Client.cpp:394 msgid "Network {1} doesn't exist." msgstr "" -#: Client.cpp:407 +#: Client.cpp:408 msgid "" "You have several networks configured, but no network was specified for the " "connection." msgstr "" -#: Client.cpp:410 +#: Client.cpp:411 msgid "" "Selecting network {1}. To see list of all configured networks, use /znc " "ListNetworks" msgstr "" -#: Client.cpp:413 +#: Client.cpp:414 msgid "" "If you want to choose another network, use /znc JumpNetwork , or " "connect to ZNC with username {1}/ (instead of just {1})" msgstr "" -#: Client.cpp:419 +#: Client.cpp:420 msgid "" "You have no networks configured. Use /znc AddNetwork to add one." msgstr "" -#: Client.cpp:430 +#: Client.cpp:431 msgid "Closing link: Timeout" msgstr "" -#: Client.cpp:452 +#: Client.cpp:453 msgid "Closing link: Too long raw line" msgstr "" -#: Client.cpp:459 +#: Client.cpp:460 msgid "" "You are being disconnected because another user just authenticated as you." msgstr "" -#: Client.cpp:1014 +#: Client.cpp:1015 msgid "Your CTCP to {1} got lost, you are not connected to IRC!" msgstr "" -#: Client.cpp:1141 +#: Client.cpp:1142 msgid "Your notice to {1} got lost, you are not connected to IRC!" msgstr "" -#: Client.cpp:1180 +#: Client.cpp:1181 msgid "Removing channel {1}" msgstr "" -#: Client.cpp:1256 +#: Client.cpp:1257 msgid "Your message to {1} got lost, you are not connected to IRC!" msgstr "" -#: Client.cpp:1309 Client.cpp:1315 +#: Client.cpp:1310 Client.cpp:1316 msgid "Hello. How may I help you?" msgstr "" -#: Client.cpp:1329 +#: Client.cpp:1330 msgid "Usage: /attach <#chans>" msgstr "" -#: Client.cpp:1336 Client.cpp:1358 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: Client.cpp:1337 Client.cpp:1359 ClientCommand.cpp:129 ClientCommand.cpp:151 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" msgstr[0] "" msgstr[1] "" -#: Client.cpp:1339 ClientCommand.cpp:132 +#: Client.cpp:1340 ClientCommand.cpp:132 msgid "Attached {1} channel" msgid_plural "Attached {1} channels" msgstr[0] "" msgstr[1] "" -#: Client.cpp:1351 +#: Client.cpp:1352 msgid "Usage: /detach <#chans>" msgstr "" -#: Client.cpp:1361 ClientCommand.cpp:154 +#: Client.cpp:1362 ClientCommand.cpp:154 msgid "Detached {1} channel" msgid_plural "Detached {1} channels" msgstr[0] "" diff --git a/src/po/znc.pt_BR.po b/src/po/znc.pt_BR.po index 6c8f2bd1..6645c3a2 100644 --- a/src/po/znc.pt_BR.po +++ b/src/po/znc.pt_BR.po @@ -107,67 +107,67 @@ msgstr "" msgid "Some module aborted the connection attempt" msgstr "Algum módulo cancelou a tentativa de conexão" -#: IRCSock.cpp:484 +#: IRCSock.cpp:485 msgid "Error from server: {1}" msgstr "Erro do servidor: {1}" -#: IRCSock.cpp:686 +#: IRCSock.cpp:687 msgid "ZNC seems to be connected to itself, disconnecting..." msgstr "" -#: IRCSock.cpp:733 +#: IRCSock.cpp:734 msgid "Server {1} redirects us to {2}:{3} with reason: {4}" msgstr "" -#: IRCSock.cpp:737 +#: IRCSock.cpp:738 msgid "Perhaps you want to add it as a new server." msgstr "" -#: IRCSock.cpp:967 +#: IRCSock.cpp:968 msgid "Channel {1} is linked to another channel and was thus disabled." msgstr "" -#: IRCSock.cpp:979 +#: IRCSock.cpp:980 msgid "Switched to SSL (STARTTLS)" msgstr "" -#: IRCSock.cpp:1032 +#: IRCSock.cpp:1033 msgid "You quit: {1}" msgstr "Você saiu: {1}" -#: IRCSock.cpp:1238 +#: IRCSock.cpp:1239 msgid "Disconnected from IRC. Reconnecting..." msgstr "Desconectado. Reconectando..." -#: IRCSock.cpp:1269 +#: IRCSock.cpp:1270 msgid "Cannot connect to IRC ({1}). Retrying..." msgstr "Não foi possível conectar-se ao IRC ({1}). Tentando novamente..." -#: IRCSock.cpp:1272 +#: IRCSock.cpp:1273 msgid "Disconnected from IRC ({1}). Reconnecting..." msgstr "Desconectado do IRC ({1}). Reconectando..." -#: IRCSock.cpp:1302 +#: IRCSock.cpp:1303 msgid "If you trust this certificate, do /znc AddTrustedServerFingerprint {1}" msgstr "" -#: IRCSock.cpp:1319 +#: IRCSock.cpp:1320 msgid "IRC connection timed out. Reconnecting..." msgstr "" -#: IRCSock.cpp:1331 +#: IRCSock.cpp:1332 msgid "Connection Refused. Reconnecting..." msgstr "Conexão rejeitada. Reconectando..." -#: IRCSock.cpp:1339 +#: IRCSock.cpp:1340 msgid "Received a too long line from the IRC server!" msgstr "" -#: IRCSock.cpp:1443 +#: IRCSock.cpp:1444 msgid "No free nick available" msgstr "" -#: IRCSock.cpp:1451 +#: IRCSock.cpp:1452 msgid "No free nick found" msgstr "" @@ -175,15 +175,15 @@ msgstr "" msgid "No such module {1}" msgstr "O módulo {1} não existe" -#: Client.cpp:358 +#: Client.cpp:359 msgid "A client from {1} attempted to login as you, but was rejected: {2}" msgstr "" -#: Client.cpp:393 +#: Client.cpp:394 msgid "Network {1} doesn't exist." msgstr "A rede {1} não existe." -#: Client.cpp:407 +#: Client.cpp:408 msgid "" "You have several networks configured, but no network was specified for the " "connection." @@ -191,7 +191,7 @@ msgstr "" "Você possui várias redes configuradas mas nenhuma delas foi especificada " "para conectar." -#: Client.cpp:410 +#: Client.cpp:411 msgid "" "Selecting network {1}. To see list of all configured networks, use /znc " "ListNetworks" @@ -199,73 +199,73 @@ msgstr "" "Selecionando a rede {1}. Para ver a lista das redes configuradas, digite /" "znc ListNetworks" -#: Client.cpp:413 +#: Client.cpp:414 msgid "" "If you want to choose another network, use /znc JumpNetwork , or " "connect to ZNC with username {1}/ (instead of just {1})" msgstr "" -#: Client.cpp:419 +#: Client.cpp:420 msgid "" "You have no networks configured. Use /znc AddNetwork to add one." msgstr "" "Você não possui redes configuradas. Digite /znc AddNetwork para " "adicionar uma rede." -#: Client.cpp:430 +#: Client.cpp:431 msgid "Closing link: Timeout" msgstr "" -#: Client.cpp:452 +#: Client.cpp:453 msgid "Closing link: Too long raw line" msgstr "" -#: Client.cpp:459 +#: Client.cpp:460 msgid "" "You are being disconnected because another user just authenticated as you." msgstr "" -#: Client.cpp:1014 +#: Client.cpp:1015 msgid "Your CTCP to {1} got lost, you are not connected to IRC!" msgstr "" -#: Client.cpp:1141 +#: Client.cpp:1142 msgid "Your notice to {1} got lost, you are not connected to IRC!" msgstr "" -#: Client.cpp:1180 +#: Client.cpp:1181 msgid "Removing channel {1}" msgstr "" -#: Client.cpp:1256 +#: Client.cpp:1257 msgid "Your message to {1} got lost, you are not connected to IRC!" msgstr "" -#: Client.cpp:1309 Client.cpp:1315 +#: Client.cpp:1310 Client.cpp:1316 msgid "Hello. How may I help you?" msgstr "" -#: Client.cpp:1329 +#: Client.cpp:1330 msgid "Usage: /attach <#chans>" msgstr "" -#: Client.cpp:1336 Client.cpp:1358 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: Client.cpp:1337 Client.cpp:1359 ClientCommand.cpp:129 ClientCommand.cpp:151 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" msgstr[0] "" msgstr[1] "" -#: Client.cpp:1339 ClientCommand.cpp:132 +#: Client.cpp:1340 ClientCommand.cpp:132 msgid "Attached {1} channel" msgid_plural "Attached {1} channels" msgstr[0] "" msgstr[1] "" -#: Client.cpp:1351 +#: Client.cpp:1352 msgid "Usage: /detach <#chans>" msgstr "" -#: Client.cpp:1361 ClientCommand.cpp:154 +#: Client.cpp:1362 ClientCommand.cpp:154 msgid "Detached {1} channel" msgid_plural "Detached {1} channels" msgstr[0] "" diff --git a/src/po/znc.ru_RU.po b/src/po/znc.ru_RU.po index 8fcb7e04..5762a7f4 100644 --- a/src/po/znc.ru_RU.po +++ b/src/po/znc.ru_RU.po @@ -113,69 +113,69 @@ msgstr "Не могу подключиться к {1}, т. к. ZNC собран msgid "Some module aborted the connection attempt" msgstr "Какой-то модуль оборвал попытку соединения" -#: IRCSock.cpp:484 +#: IRCSock.cpp:485 msgid "Error from server: {1}" msgstr "Ошибка от сервера: {1}" -#: IRCSock.cpp:686 +#: IRCSock.cpp:687 msgid "ZNC seems to be connected to itself, disconnecting..." msgstr "Похоже, ZNC подключён к самому себе, отключаюсь..." -#: IRCSock.cpp:733 +#: IRCSock.cpp:734 msgid "Server {1} redirects us to {2}:{3} with reason: {4}" msgstr "" -#: IRCSock.cpp:737 +#: IRCSock.cpp:738 msgid "Perhaps you want to add it as a new server." msgstr "Возможно, вам стоит добавить его в качестве нового сервера." -#: IRCSock.cpp:967 +#: IRCSock.cpp:968 msgid "Channel {1} is linked to another channel and was thus disabled." msgstr "Канал {1} отсылает к другому каналу и потому будет выключен." -#: IRCSock.cpp:979 +#: IRCSock.cpp:980 msgid "Switched to SSL (STARTTLS)" msgstr "Перешёл на SSL (STARTTLS)" -#: IRCSock.cpp:1032 +#: IRCSock.cpp:1033 msgid "You quit: {1}" msgstr "Вы вышли: {1}" -#: IRCSock.cpp:1238 +#: IRCSock.cpp:1239 msgid "Disconnected from IRC. Reconnecting..." msgstr "Отключён от IRC. Переподключаюсь..." -#: IRCSock.cpp:1269 +#: IRCSock.cpp:1270 msgid "Cannot connect to IRC ({1}). Retrying..." msgstr "Не могу подключиться к IRC ({1}). Пытаюсь ещё раз..." -#: IRCSock.cpp:1272 +#: IRCSock.cpp:1273 msgid "Disconnected from IRC ({1}). Reconnecting..." msgstr "Отключён от IRC ({1}). Переподключаюсь..." -#: IRCSock.cpp:1302 +#: IRCSock.cpp:1303 msgid "If you trust this certificate, do /znc AddTrustedServerFingerprint {1}" msgstr "" "Если вы доверяете этому сертификату, введите /znc " "AddTrustedServerFingerprint {1}" -#: IRCSock.cpp:1319 +#: IRCSock.cpp:1320 msgid "IRC connection timed out. Reconnecting..." msgstr "Подключение IRC завершилось по тайм-ауту. Переподключаюсь..." -#: IRCSock.cpp:1331 +#: IRCSock.cpp:1332 msgid "Connection Refused. Reconnecting..." msgstr "В соединении отказано. Переподключаюсь..." -#: IRCSock.cpp:1339 +#: IRCSock.cpp:1340 msgid "Received a too long line from the IRC server!" msgstr "От IRC-сервера получена слишком длинная строка!" -#: IRCSock.cpp:1443 +#: IRCSock.cpp:1444 msgid "No free nick available" msgstr "Не могу найти свободный ник" -#: IRCSock.cpp:1451 +#: IRCSock.cpp:1452 msgid "No free nick found" msgstr "Не могу найти свободный ник" @@ -183,22 +183,22 @@ msgstr "Не могу найти свободный ник" msgid "No such module {1}" msgstr "Нет модуля {1}" -#: Client.cpp:358 +#: Client.cpp:359 msgid "A client from {1} attempted to login as you, but was rejected: {2}" msgstr "Клиент с {1} попытался зайти под вашим именем, но был отвергнут: {2}" -#: Client.cpp:393 +#: Client.cpp:394 msgid "Network {1} doesn't exist." msgstr "Сеть {1} не существует." -#: Client.cpp:407 +#: Client.cpp:408 msgid "" "You have several networks configured, but no network was specified for the " "connection." msgstr "" "У вас настроены несколько сетей, но для этого соединения ни одна не указана." -#: Client.cpp:410 +#: Client.cpp:411 msgid "" "Selecting network {1}. To see list of all configured networks, use /znc " "ListNetworks" @@ -206,7 +206,7 @@ msgstr "" "Выбираю сеть {1}. Чтобы увидеть весь список, введите команду /znc " "ListNetworks" -#: Client.cpp:413 +#: Client.cpp:414 msgid "" "If you want to choose another network, use /znc JumpNetwork , or " "connect to ZNC with username {1}/ (instead of just {1})" @@ -214,51 +214,51 @@ msgstr "" "Чтобы выбрать другую сеть, введите /znc JumpNetwork <сеть> либо " "подключайтесь к ZNC с именем пользователя {1}/<сеть> вместо {1}" -#: Client.cpp:419 +#: Client.cpp:420 msgid "" "You have no networks configured. Use /znc AddNetwork to add one." msgstr "" "Вы не настроили ни одну сеть. Введите команду /znc AddNetwork <сеть> чтобы " "добавить сеть." -#: Client.cpp:430 +#: Client.cpp:431 msgid "Closing link: Timeout" msgstr "Завершаю связь по тайм-ауту" -#: Client.cpp:452 +#: Client.cpp:453 msgid "Closing link: Too long raw line" msgstr "Завершаю связь: получена слишком длинная строка" -#: Client.cpp:459 +#: Client.cpp:460 msgid "" "You are being disconnected because another user just authenticated as you." msgstr "Другой пользователь зашёл под вашим именем, отключаем." -#: Client.cpp:1014 +#: Client.cpp:1015 msgid "Your CTCP to {1} got lost, you are not connected to IRC!" msgstr "Вы не подключены к IRC, ваш CTCP-запрос к {1} утерян!" -#: Client.cpp:1141 +#: Client.cpp:1142 msgid "Your notice to {1} got lost, you are not connected to IRC!" msgstr "Вы не подключены к IRC, ваше сообщение к {1} утеряно!" -#: Client.cpp:1180 +#: Client.cpp:1181 msgid "Removing channel {1}" msgstr "Убираю канал {1}" -#: Client.cpp:1256 +#: Client.cpp:1257 msgid "Your message to {1} got lost, you are not connected to IRC!" msgstr "Вы не подключены к IRC, ваше сообщение к {1} утеряно!" -#: Client.cpp:1309 Client.cpp:1315 +#: Client.cpp:1310 Client.cpp:1316 msgid "Hello. How may I help you?" msgstr "Привет, чем могу быть вам полезен?" -#: Client.cpp:1329 +#: Client.cpp:1330 msgid "Usage: /attach <#chans>" msgstr "Использование: /attach <#каналы>" -#: Client.cpp:1336 Client.cpp:1358 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: Client.cpp:1337 Client.cpp:1359 ClientCommand.cpp:129 ClientCommand.cpp:151 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" msgstr[0] "{1} канал подходит под маску [{2}]" @@ -266,7 +266,7 @@ msgstr[1] "{1} канала подходят под маску [{2}]" msgstr[2] "{1} каналов подходят под маску [{2}]" msgstr[3] "{1} каналов подходят под маску [{2}]" -#: Client.cpp:1339 ClientCommand.cpp:132 +#: Client.cpp:1340 ClientCommand.cpp:132 msgid "Attached {1} channel" msgid_plural "Attached {1} channels" msgstr[0] "Прицепляю {1} канал" @@ -274,11 +274,11 @@ msgstr[1] "Прицепляю {1} канала" msgstr[2] "Прицепляю {1} каналов" msgstr[3] "Прицепляю {1} каналов" -#: Client.cpp:1351 +#: Client.cpp:1352 msgid "Usage: /detach <#chans>" msgstr "Использование: /detach <#каналы>" -#: Client.cpp:1361 ClientCommand.cpp:154 +#: Client.cpp:1362 ClientCommand.cpp:154 msgid "Detached {1} channel" msgid_plural "Detached {1} channels" msgstr[0] "Отцепляю {1} канал" From cb867d6b71c585f5c05d848b6ae1a14c4004064b Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Wed, 18 Jul 2018 14:31:35 +0000 Subject: [PATCH 182/798] Update translations from Crowdin for de_DE id_ID nl_NL pt_BR ru_RU --- src/po/znc.de_DE.po | 70 ++++++++++++++++++++++----------------------- src/po/znc.id_ID.po | 70 ++++++++++++++++++++++----------------------- src/po/znc.nl_NL.po | 70 ++++++++++++++++++++++----------------------- src/po/znc.pot | 70 ++++++++++++++++++++++----------------------- src/po/znc.pt_BR.po | 70 ++++++++++++++++++++++----------------------- src/po/znc.ru_RU.po | 70 ++++++++++++++++++++++----------------------- 6 files changed, 210 insertions(+), 210 deletions(-) diff --git a/src/po/znc.de_DE.po b/src/po/znc.de_DE.po index 53dce9ea..3a7974b3 100644 --- a/src/po/znc.de_DE.po +++ b/src/po/znc.de_DE.po @@ -116,70 +116,70 @@ msgstr "" msgid "Some module aborted the connection attempt" msgstr "Ein Modul hat den Verbindungsversuch abgebrochen" -#: IRCSock.cpp:484 +#: IRCSock.cpp:485 msgid "Error from server: {1}" msgstr "Fehler vom Server: {1}" -#: IRCSock.cpp:686 +#: IRCSock.cpp:687 msgid "ZNC seems to be connected to itself, disconnecting..." msgstr "ZNC scheint zu sich selbst verbunden zu sein, trenne die Verbindung..." -#: IRCSock.cpp:733 +#: IRCSock.cpp:734 msgid "Server {1} redirects us to {2}:{3} with reason: {4}" msgstr "Der Server {1} hat uns zu {2}:{3} umgeleitet mit der Begründung: {4}" -#: IRCSock.cpp:737 +#: IRCSock.cpp:738 msgid "Perhaps you want to add it as a new server." msgstr "Vielleicht möchtest du dies als einen neuen Server hinzufügen." -#: IRCSock.cpp:967 +#: IRCSock.cpp:968 msgid "Channel {1} is linked to another channel and was thus disabled." msgstr "" "Kanal {1} ist mit einem anderen Kanal verbunden und wurde daher deaktiviert." -#: IRCSock.cpp:979 +#: IRCSock.cpp:980 msgid "Switched to SSL (STARTTLS)" msgstr "Zu SSL gewechselt (STARTTLS)" -#: IRCSock.cpp:1032 +#: IRCSock.cpp:1033 msgid "You quit: {1}" msgstr "Du hast die Verbindung getrennt: {1}" -#: IRCSock.cpp:1238 +#: IRCSock.cpp:1239 msgid "Disconnected from IRC. Reconnecting..." msgstr "IRC-Verbindung getrennt. Verbinde erneut..." -#: IRCSock.cpp:1269 +#: IRCSock.cpp:1270 msgid "Cannot connect to IRC ({1}). Retrying..." msgstr "Kann nicht mit IRC verbinden ({1}). Versuche es erneut..." -#: IRCSock.cpp:1272 +#: IRCSock.cpp:1273 msgid "Disconnected from IRC ({1}). Reconnecting..." msgstr "IRC-Verbindung getrennt ({1}). Verbinde erneut..." -#: IRCSock.cpp:1302 +#: IRCSock.cpp:1303 msgid "If you trust this certificate, do /znc AddTrustedServerFingerprint {1}" msgstr "" "Falls du diesem Zertifikat vertraust, mache /znc AddTrustedServerFingerprint " "{1}" -#: IRCSock.cpp:1319 +#: IRCSock.cpp:1320 msgid "IRC connection timed out. Reconnecting..." msgstr "Zeitüberschreitung der IRC-Verbindung. Verbinde erneut..." -#: IRCSock.cpp:1331 +#: IRCSock.cpp:1332 msgid "Connection Refused. Reconnecting..." msgstr "Verbindung abgelehnt. Verbinde erneut..." -#: IRCSock.cpp:1339 +#: IRCSock.cpp:1340 msgid "Received a too long line from the IRC server!" msgstr "Eine zu lange Zeile wurde vom IRC-Server empfangen!" -#: IRCSock.cpp:1443 +#: IRCSock.cpp:1444 msgid "No free nick available" msgstr "Kein freier Nick verfügbar" -#: IRCSock.cpp:1451 +#: IRCSock.cpp:1452 msgid "No free nick found" msgstr "Kein freier Nick gefunden" @@ -187,17 +187,17 @@ msgstr "Kein freier Nick gefunden" msgid "No such module {1}" msgstr "Kein solches Modul {1}" -#: Client.cpp:358 +#: Client.cpp:359 msgid "A client from {1} attempted to login as you, but was rejected: {2}" msgstr "" "Ein Client hat versucht sich von {1} aus als dich anzumelden, aber wurde " "abgelehnt: {2}" -#: Client.cpp:393 +#: Client.cpp:394 msgid "Network {1} doesn't exist." msgstr "Netzwerk {1} existiert nicht." -#: Client.cpp:407 +#: Client.cpp:408 msgid "" "You have several networks configured, but no network was specified for the " "connection." @@ -205,7 +205,7 @@ msgstr "" "Du hast mehrere Netzwerke, aber kein Netzwerk wurde für die Verbindung " "ausgewählt." -#: Client.cpp:410 +#: Client.cpp:411 msgid "" "Selecting network {1}. To see list of all configured networks, use /znc " "ListNetworks" @@ -213,7 +213,7 @@ msgstr "" "Wähle Netzwerk {1}. Um eine Liste aller konfigurierten Netzwerke zu sehen, " "verwende /znc ListNetworks" -#: Client.cpp:413 +#: Client.cpp:414 msgid "" "If you want to choose another network, use /znc JumpNetwork , or " "connect to ZNC with username {1}/ (instead of just {1})" @@ -222,72 +222,72 @@ msgstr "" ", oder verbinde dich zu ZNC mit dem Benutzernamen {1}/ " "(statt einfach nur {1})" -#: Client.cpp:419 +#: Client.cpp:420 msgid "" "You have no networks configured. Use /znc AddNetwork to add one." msgstr "" "Du hast keine Netzwerke konfiguriert. Verwende /znc AddNetwork um " "eines hinzuzufügen." -#: Client.cpp:430 +#: Client.cpp:431 msgid "Closing link: Timeout" msgstr "Schließe Verbindung: Zeitüberschreitung" -#: Client.cpp:452 +#: Client.cpp:453 msgid "Closing link: Too long raw line" msgstr "Schließe Verbindung: Überlange Rohzeile" -#: Client.cpp:459 +#: Client.cpp:460 msgid "" "You are being disconnected because another user just authenticated as you." msgstr "" "Deine Verbindung wird getrennt, da ein anderen Benutzer sich als dich " "angemeldet hat." -#: Client.cpp:1014 +#: Client.cpp:1015 msgid "Your CTCP to {1} got lost, you are not connected to IRC!" msgstr "Dein CTCP an {1} wurde verloren, du bist nicht mit dem IRC verbunden!" -#: Client.cpp:1141 +#: Client.cpp:1142 msgid "Your notice to {1} got lost, you are not connected to IRC!" msgstr "" "Deine Benachrichtigung an {1} wurde verloren, du bist nicht mit dem IRC " "verbunden!" -#: Client.cpp:1180 +#: Client.cpp:1181 msgid "Removing channel {1}" msgstr "Entferne Kanal {1}" -#: Client.cpp:1256 +#: Client.cpp:1257 msgid "Your message to {1} got lost, you are not connected to IRC!" msgstr "" "Deine Nachricht an {1} wurde verloren, du bist nicht mit dem IRC verbunden!" -#: Client.cpp:1309 Client.cpp:1315 +#: Client.cpp:1310 Client.cpp:1316 msgid "Hello. How may I help you?" msgstr "Hallo. Wie kann ich dir helfen?" -#: Client.cpp:1329 +#: Client.cpp:1330 msgid "Usage: /attach <#chans>" msgstr "Verwendung: /attach <#Kanal>" -#: Client.cpp:1336 Client.cpp:1358 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: Client.cpp:1337 Client.cpp:1359 ClientCommand.cpp:129 ClientCommand.cpp:151 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" msgstr[0] "Es gibt einen Kanal, der auf [{2}] passt" msgstr[1] "Es gibt {1} Kanäle, die auf [{2}] passen" -#: Client.cpp:1339 ClientCommand.cpp:132 +#: Client.cpp:1340 ClientCommand.cpp:132 msgid "Attached {1} channel" msgid_plural "Attached {1} channels" msgstr[0] "Zu {1} Kanal verbunden" msgstr[1] "Zu {1} Kanälen verbunden" -#: Client.cpp:1351 +#: Client.cpp:1352 msgid "Usage: /detach <#chans>" msgstr "Verwendung: /detach <#Kanäle>" -#: Client.cpp:1361 ClientCommand.cpp:154 +#: Client.cpp:1362 ClientCommand.cpp:154 msgid "Detached {1} channel" msgid_plural "Detached {1} channels" msgstr[0] "Von {1} Kanal getrennt" diff --git a/src/po/znc.id_ID.po b/src/po/znc.id_ID.po index accdb84e..d89f2a3b 100644 --- a/src/po/znc.id_ID.po +++ b/src/po/znc.id_ID.po @@ -113,69 +113,69 @@ msgstr "" msgid "Some module aborted the connection attempt" msgstr "Beberapa modul membatalkan upaya koneksi" -#: IRCSock.cpp:484 +#: IRCSock.cpp:485 msgid "Error from server: {1}" msgstr "Kesalahan dari server: {1}" -#: IRCSock.cpp:686 +#: IRCSock.cpp:687 msgid "ZNC seems to be connected to itself, disconnecting..." msgstr "ZNC tampaknya terhubung dengan sendiri, memutuskan..." -#: IRCSock.cpp:733 +#: IRCSock.cpp:734 msgid "Server {1} redirects us to {2}:{3} with reason: {4}" msgstr "Server {1} mengalihkan ke {2}: {3} dengan alasan: {4}" -#: IRCSock.cpp:737 +#: IRCSock.cpp:738 msgid "Perhaps you want to add it as a new server." msgstr "Mungkin anda ingin menambahkannya sebagai server baru." -#: IRCSock.cpp:967 +#: IRCSock.cpp:968 msgid "Channel {1} is linked to another channel and was thus disabled." msgstr "Channel {1} terhubung ke channel lain dan karenanya dinonaktifkan." -#: IRCSock.cpp:979 +#: IRCSock.cpp:980 msgid "Switched to SSL (STARTTLS)" msgstr "Beralih ke SSL (STARTTLS)" -#: IRCSock.cpp:1032 +#: IRCSock.cpp:1033 msgid "You quit: {1}" msgstr "Anda keluar: {1}" -#: IRCSock.cpp:1238 +#: IRCSock.cpp:1239 msgid "Disconnected from IRC. Reconnecting..." msgstr "Terputus dari IRC. Menghubungkan..." -#: IRCSock.cpp:1269 +#: IRCSock.cpp:1270 msgid "Cannot connect to IRC ({1}). Retrying..." msgstr "Tidak dapat terhubung ke IRC ({1}). Mencoba lagi..." -#: IRCSock.cpp:1272 +#: IRCSock.cpp:1273 msgid "Disconnected from IRC ({1}). Reconnecting..." msgstr "Terputus dari IRC ({1}). Menghubungkan..." -#: IRCSock.cpp:1302 +#: IRCSock.cpp:1303 msgid "If you trust this certificate, do /znc AddTrustedServerFingerprint {1}" msgstr "" "Jika anda mempercayai sertifikat ini, lakukan /znc " "AddTrustedServerFingerprint {1}" -#: IRCSock.cpp:1319 +#: IRCSock.cpp:1320 msgid "IRC connection timed out. Reconnecting..." msgstr "Koneksi IRC kehabisan waktu. Menghubungkan..." -#: IRCSock.cpp:1331 +#: IRCSock.cpp:1332 msgid "Connection Refused. Reconnecting..." msgstr "Koneksi tertolak. Menguhungkan..." -#: IRCSock.cpp:1339 +#: IRCSock.cpp:1340 msgid "Received a too long line from the IRC server!" msgstr "Menerima baris terlalu panjang dari server IRC!" -#: IRCSock.cpp:1443 +#: IRCSock.cpp:1444 msgid "No free nick available" msgstr "Tidak ada nick tersedia" -#: IRCSock.cpp:1451 +#: IRCSock.cpp:1452 msgid "No free nick found" msgstr "Tidak ada nick ditemukan" @@ -183,15 +183,15 @@ msgstr "Tidak ada nick ditemukan" msgid "No such module {1}" msgstr "Modul tidak ada {1}" -#: Client.cpp:358 +#: Client.cpp:359 msgid "A client from {1} attempted to login as you, but was rejected: {2}" msgstr "Klien dari {1} berusaha masuk seperti anda, namun ditolak: {2}" -#: Client.cpp:393 +#: Client.cpp:394 msgid "Network {1} doesn't exist." msgstr "Jaringan {1} tidak ada." -#: Client.cpp:407 +#: Client.cpp:408 msgid "" "You have several networks configured, but no network was specified for the " "connection." @@ -199,7 +199,7 @@ msgstr "" "Anda memiliki beberapa jaringan terkonfigurasi, tetapi tidak ada jaringan " "ditentukan untuk sambungan." -#: Client.cpp:410 +#: Client.cpp:411 msgid "" "Selecting network {1}. To see list of all configured networks, use /znc " "ListNetworks" @@ -207,7 +207,7 @@ msgstr "" "Memilih jaringan {1}. Untuk melihat daftar semua jaringan terkonfigurasi, " "gunakan /znc ListNetworks" -#: Client.cpp:413 +#: Client.cpp:414 msgid "" "If you want to choose another network, use /znc JumpNetwork , or " "connect to ZNC with username {1}/ (instead of just {1})" @@ -215,65 +215,65 @@ msgstr "" "Jika anda ingin memilih jaringan lain, gunakan /znc JumpNetwork , " "atau hubungkan ke ZNC dengan nama pengguna {1}/ (bukan hanya {1})" -#: Client.cpp:419 +#: Client.cpp:420 msgid "" "You have no networks configured. Use /znc AddNetwork to add one." msgstr "" "Anda tidak memiliki jaringan terkonfigurasi. Gunakan /znc AddNetwork " " untuk menambahkannya." -#: Client.cpp:430 +#: Client.cpp:431 msgid "Closing link: Timeout" msgstr "Menutup link: Waktu habis" -#: Client.cpp:452 +#: Client.cpp:453 msgid "Closing link: Too long raw line" msgstr "Menutup link: Baris raw terlalu panjang" -#: Client.cpp:459 +#: Client.cpp:460 msgid "" "You are being disconnected because another user just authenticated as you." msgstr "Anda terputus karena pengguna lain hanya diautentikasi sebagai anda." -#: Client.cpp:1014 +#: Client.cpp:1015 msgid "Your CTCP to {1} got lost, you are not connected to IRC!" msgstr "CTCP anda untuk {1} tersesat, anda tidak terhubung ke IRC!" -#: Client.cpp:1141 +#: Client.cpp:1142 msgid "Your notice to {1} got lost, you are not connected to IRC!" msgstr "Notice anda untuk {1} tersesat, anda tidak terhubung ke IRC!" -#: Client.cpp:1180 +#: Client.cpp:1181 msgid "Removing channel {1}" msgstr "Menghapus channel {1}" -#: Client.cpp:1256 +#: Client.cpp:1257 msgid "Your message to {1} got lost, you are not connected to IRC!" msgstr "Pesan anda untuk {1} tersesat, anda tidak terhubung ke IRC!" -#: Client.cpp:1309 Client.cpp:1315 +#: Client.cpp:1310 Client.cpp:1316 msgid "Hello. How may I help you?" msgstr "Halo. Bagaimana saya bisa membantu anda?" -#: Client.cpp:1329 +#: Client.cpp:1330 msgid "Usage: /attach <#chans>" msgstr "Gunakan: /attach <#chan>" -#: Client.cpp:1336 Client.cpp:1358 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: Client.cpp:1337 Client.cpp:1359 ClientCommand.cpp:129 ClientCommand.cpp:151 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" msgstr[0] "Ada {1} pencocokan saluran [{2}]" -#: Client.cpp:1339 ClientCommand.cpp:132 +#: Client.cpp:1340 ClientCommand.cpp:132 msgid "Attached {1} channel" msgid_plural "Attached {1} channels" msgstr[0] "" -#: Client.cpp:1351 +#: Client.cpp:1352 msgid "Usage: /detach <#chans>" msgstr "" -#: Client.cpp:1361 ClientCommand.cpp:154 +#: Client.cpp:1362 ClientCommand.cpp:154 msgid "Detached {1} channel" msgid_plural "Detached {1} channels" msgstr[0] "" diff --git a/src/po/znc.nl_NL.po b/src/po/znc.nl_NL.po index c6c1d029..efdabdcd 100644 --- a/src/po/znc.nl_NL.po +++ b/src/po/znc.nl_NL.po @@ -119,72 +119,72 @@ msgstr "" msgid "Some module aborted the connection attempt" msgstr "Een module heeft de verbindingspoging afgebroken" -#: IRCSock.cpp:484 +#: IRCSock.cpp:485 msgid "Error from server: {1}" msgstr "Fout van server: {1}" -#: IRCSock.cpp:686 +#: IRCSock.cpp:687 msgid "ZNC seems to be connected to itself, disconnecting..." msgstr "" "ZNC blijkt verbonden te zijn met zichzelf... De verbinding zal verbroken " "worden..." -#: IRCSock.cpp:733 +#: IRCSock.cpp:734 msgid "Server {1} redirects us to {2}:{3} with reason: {4}" msgstr "Server {1} stuurt ons door naar {2}:{3} met reden: {4}" -#: IRCSock.cpp:737 +#: IRCSock.cpp:738 msgid "Perhaps you want to add it as a new server." msgstr "Misschien wil je het toevoegen als nieuwe server." -#: IRCSock.cpp:967 +#: IRCSock.cpp:968 msgid "Channel {1} is linked to another channel and was thus disabled." msgstr "" "Kanaal {1} is verbonden naar een andere kanaal en is daarom uitgeschakeld." -#: IRCSock.cpp:979 +#: IRCSock.cpp:980 msgid "Switched to SSL (STARTTLS)" msgstr "Omgeschakeld naar een veilige verbinding (STARTTLS)" -#: IRCSock.cpp:1032 +#: IRCSock.cpp:1033 msgid "You quit: {1}" msgstr "Je hebt het netwerk verlaten: {1}" -#: IRCSock.cpp:1238 +#: IRCSock.cpp:1239 msgid "Disconnected from IRC. Reconnecting..." msgstr "Verbinding met IRC verbroken. We proberen opnieuw te verbinden..." -#: IRCSock.cpp:1269 +#: IRCSock.cpp:1270 msgid "Cannot connect to IRC ({1}). Retrying..." msgstr "Kan niet verbinden met IRC ({1}). We proberen opnieuw te verbinden..." -#: IRCSock.cpp:1272 +#: IRCSock.cpp:1273 msgid "Disconnected from IRC ({1}). Reconnecting..." msgstr "" "Verbinding met IRC verbroken ({1}). We proberen opnieuw te verbinden..." -#: IRCSock.cpp:1302 +#: IRCSock.cpp:1303 msgid "If you trust this certificate, do /znc AddTrustedServerFingerprint {1}" msgstr "" "Als je dit certificaat vertrouwt, doe: /znc AddTrustedServerFingerprint {1}" -#: IRCSock.cpp:1319 +#: IRCSock.cpp:1320 msgid "IRC connection timed out. Reconnecting..." msgstr "IRC verbinding time-out. We proberen opnieuw te verbinden..." -#: IRCSock.cpp:1331 +#: IRCSock.cpp:1332 msgid "Connection Refused. Reconnecting..." msgstr "Verbinding geweigerd. We proberen opnieuw te verbinden..." -#: IRCSock.cpp:1339 +#: IRCSock.cpp:1340 msgid "Received a too long line from the IRC server!" msgstr "Een te lange regel ontvangen van de IRC server!" -#: IRCSock.cpp:1443 +#: IRCSock.cpp:1444 msgid "No free nick available" msgstr "Geen beschikbare bijnaam" -#: IRCSock.cpp:1451 +#: IRCSock.cpp:1452 msgid "No free nick found" msgstr "Geen beschikbare bijnaam gevonden" @@ -192,17 +192,17 @@ msgstr "Geen beschikbare bijnaam gevonden" msgid "No such module {1}" msgstr "Geen dergelijke module {1}" -#: Client.cpp:358 +#: Client.cpp:359 msgid "A client from {1} attempted to login as you, but was rejected: {2}" msgstr "" "Een client van {1} heeft geprobeerd als jou in te loggen maar werd " "geweigerd: {2}" -#: Client.cpp:393 +#: Client.cpp:394 msgid "Network {1} doesn't exist." msgstr "Netwerk {1} bestaat niet." -#: Client.cpp:407 +#: Client.cpp:408 msgid "" "You have several networks configured, but no network was specified for the " "connection." @@ -210,7 +210,7 @@ msgstr "" "Je hebt meerdere netwerken geconfigureerd maar je hebt er geen gekozen om " "verbinding mee te maken." -#: Client.cpp:410 +#: Client.cpp:411 msgid "" "Selecting network {1}. To see list of all configured networks, use /znc " "ListNetworks" @@ -218,7 +218,7 @@ msgstr "" "Netwerk {1} geselecteerd. Om een lijst te tonen van alle geconfigureerde " "netwerken, gebruik /znc ListNetworks" -#: Client.cpp:413 +#: Client.cpp:414 msgid "" "If you want to choose another network, use /znc JumpNetwork , or " "connect to ZNC with username {1}/ (instead of just {1})" @@ -226,71 +226,71 @@ msgstr "" "Als je een ander netwerk wilt kiezen, gebruik /znc JumpNetwork , of " "verbind naar ZNC met gebruikersnaam {1}/ (in plaats van alleen {1})" -#: Client.cpp:419 +#: Client.cpp:420 msgid "" "You have no networks configured. Use /znc AddNetwork to add one." msgstr "" "Je hebt geen netwerken geconfigureerd. Gebruiker /znc AddNetwork " "om er een toe te voegen." -#: Client.cpp:430 +#: Client.cpp:431 msgid "Closing link: Timeout" msgstr "Verbinding verbroken: Time-out" -#: Client.cpp:452 +#: Client.cpp:453 msgid "Closing link: Too long raw line" msgstr "Verbinding verbroken: Te lange onbewerkte regel" -#: Client.cpp:459 +#: Client.cpp:460 msgid "" "You are being disconnected because another user just authenticated as you." msgstr "" "Je verbinding wordt verbroken omdat een andere gebruiker zich net aangemeld " "heeft als jou." -#: Client.cpp:1014 +#: Client.cpp:1015 msgid "Your CTCP to {1} got lost, you are not connected to IRC!" msgstr "Je CTCP naar {1} is verloren geraakt, je bent niet verbonden met IRC!" -#: Client.cpp:1141 +#: Client.cpp:1142 msgid "Your notice to {1} got lost, you are not connected to IRC!" msgstr "" "Je notice naar {1} is verloren geraakt, je bent niet verbonden met IRC!" -#: Client.cpp:1180 +#: Client.cpp:1181 msgid "Removing channel {1}" msgstr "Kanaal verwijderen: {1}" -#: Client.cpp:1256 +#: Client.cpp:1257 msgid "Your message to {1} got lost, you are not connected to IRC!" msgstr "" "Je bericht naar {1} is verloren geraakt, je bent niet verbonden met IRC!" -#: Client.cpp:1309 Client.cpp:1315 +#: Client.cpp:1310 Client.cpp:1316 msgid "Hello. How may I help you?" msgstr "Hallo. Hoe kan ik je helpen?" -#: Client.cpp:1329 +#: Client.cpp:1330 msgid "Usage: /attach <#chans>" msgstr "Gebruik: /attach <#kanalen>" -#: Client.cpp:1336 Client.cpp:1358 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: Client.cpp:1337 Client.cpp:1359 ClientCommand.cpp:129 ClientCommand.cpp:151 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" msgstr[0] "Er was {1} kanaal overeenkomend met [{2}]" msgstr[1] "Er waren {1} kanalen overeenkomend met [{2}]" -#: Client.cpp:1339 ClientCommand.cpp:132 +#: Client.cpp:1340 ClientCommand.cpp:132 msgid "Attached {1} channel" msgid_plural "Attached {1} channels" msgstr[0] "Gekoppeld aan {1} kanaal" msgstr[1] "Gekoppeld aan {1} kanalen" -#: Client.cpp:1351 +#: Client.cpp:1352 msgid "Usage: /detach <#chans>" msgstr "Gebruik: /detach <#kanalen>" -#: Client.cpp:1361 ClientCommand.cpp:154 +#: Client.cpp:1362 ClientCommand.cpp:154 msgid "Detached {1} channel" msgid_plural "Detached {1} channels" msgstr[0] "Losgekoppeld van {1} kanaal" diff --git a/src/po/znc.pot b/src/po/znc.pot index 2d6bd30b..8daa3b2c 100644 --- a/src/po/znc.pot +++ b/src/po/znc.pot @@ -98,67 +98,67 @@ msgstr "" msgid "Some module aborted the connection attempt" msgstr "" -#: IRCSock.cpp:484 +#: IRCSock.cpp:485 msgid "Error from server: {1}" msgstr "" -#: IRCSock.cpp:686 +#: IRCSock.cpp:687 msgid "ZNC seems to be connected to itself, disconnecting..." msgstr "" -#: IRCSock.cpp:733 +#: IRCSock.cpp:734 msgid "Server {1} redirects us to {2}:{3} with reason: {4}" msgstr "" -#: IRCSock.cpp:737 +#: IRCSock.cpp:738 msgid "Perhaps you want to add it as a new server." msgstr "" -#: IRCSock.cpp:967 +#: IRCSock.cpp:968 msgid "Channel {1} is linked to another channel and was thus disabled." msgstr "" -#: IRCSock.cpp:979 +#: IRCSock.cpp:980 msgid "Switched to SSL (STARTTLS)" msgstr "" -#: IRCSock.cpp:1032 +#: IRCSock.cpp:1033 msgid "You quit: {1}" msgstr "" -#: IRCSock.cpp:1238 +#: IRCSock.cpp:1239 msgid "Disconnected from IRC. Reconnecting..." msgstr "" -#: IRCSock.cpp:1269 +#: IRCSock.cpp:1270 msgid "Cannot connect to IRC ({1}). Retrying..." msgstr "" -#: IRCSock.cpp:1272 +#: IRCSock.cpp:1273 msgid "Disconnected from IRC ({1}). Reconnecting..." msgstr "" -#: IRCSock.cpp:1302 +#: IRCSock.cpp:1303 msgid "If you trust this certificate, do /znc AddTrustedServerFingerprint {1}" msgstr "" -#: IRCSock.cpp:1319 +#: IRCSock.cpp:1320 msgid "IRC connection timed out. Reconnecting..." msgstr "" -#: IRCSock.cpp:1331 +#: IRCSock.cpp:1332 msgid "Connection Refused. Reconnecting..." msgstr "" -#: IRCSock.cpp:1339 +#: IRCSock.cpp:1340 msgid "Received a too long line from the IRC server!" msgstr "" -#: IRCSock.cpp:1443 +#: IRCSock.cpp:1444 msgid "No free nick available" msgstr "" -#: IRCSock.cpp:1451 +#: IRCSock.cpp:1452 msgid "No free nick found" msgstr "" @@ -166,91 +166,91 @@ msgstr "" msgid "No such module {1}" msgstr "" -#: Client.cpp:358 +#: Client.cpp:359 msgid "A client from {1} attempted to login as you, but was rejected: {2}" msgstr "" -#: Client.cpp:393 +#: Client.cpp:394 msgid "Network {1} doesn't exist." msgstr "" -#: Client.cpp:407 +#: Client.cpp:408 msgid "" "You have several networks configured, but no network was specified for the " "connection." msgstr "" -#: Client.cpp:410 +#: Client.cpp:411 msgid "" "Selecting network {1}. To see list of all configured networks, use /znc " "ListNetworks" msgstr "" -#: Client.cpp:413 +#: Client.cpp:414 msgid "" "If you want to choose another network, use /znc JumpNetwork , or " "connect to ZNC with username {1}/ (instead of just {1})" msgstr "" -#: Client.cpp:419 +#: Client.cpp:420 msgid "" "You have no networks configured. Use /znc AddNetwork to add one." msgstr "" -#: Client.cpp:430 +#: Client.cpp:431 msgid "Closing link: Timeout" msgstr "" -#: Client.cpp:452 +#: Client.cpp:453 msgid "Closing link: Too long raw line" msgstr "" -#: Client.cpp:459 +#: Client.cpp:460 msgid "" "You are being disconnected because another user just authenticated as you." msgstr "" -#: Client.cpp:1014 +#: Client.cpp:1015 msgid "Your CTCP to {1} got lost, you are not connected to IRC!" msgstr "" -#: Client.cpp:1141 +#: Client.cpp:1142 msgid "Your notice to {1} got lost, you are not connected to IRC!" msgstr "" -#: Client.cpp:1180 +#: Client.cpp:1181 msgid "Removing channel {1}" msgstr "" -#: Client.cpp:1256 +#: Client.cpp:1257 msgid "Your message to {1} got lost, you are not connected to IRC!" msgstr "" -#: Client.cpp:1309 Client.cpp:1315 +#: Client.cpp:1310 Client.cpp:1316 msgid "Hello. How may I help you?" msgstr "" -#: Client.cpp:1329 +#: Client.cpp:1330 msgid "Usage: /attach <#chans>" msgstr "" -#: Client.cpp:1336 Client.cpp:1358 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: Client.cpp:1337 Client.cpp:1359 ClientCommand.cpp:129 ClientCommand.cpp:151 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" msgstr[0] "" msgstr[1] "" -#: Client.cpp:1339 ClientCommand.cpp:132 +#: Client.cpp:1340 ClientCommand.cpp:132 msgid "Attached {1} channel" msgid_plural "Attached {1} channels" msgstr[0] "" msgstr[1] "" -#: Client.cpp:1351 +#: Client.cpp:1352 msgid "Usage: /detach <#chans>" msgstr "" -#: Client.cpp:1361 ClientCommand.cpp:154 +#: Client.cpp:1362 ClientCommand.cpp:154 msgid "Detached {1} channel" msgid_plural "Detached {1} channels" msgstr[0] "" diff --git a/src/po/znc.pt_BR.po b/src/po/znc.pt_BR.po index 6a5616a9..6d5b68d0 100644 --- a/src/po/znc.pt_BR.po +++ b/src/po/znc.pt_BR.po @@ -107,67 +107,67 @@ msgstr "" msgid "Some module aborted the connection attempt" msgstr "Algum módulo cancelou a tentativa de conexão" -#: IRCSock.cpp:484 +#: IRCSock.cpp:485 msgid "Error from server: {1}" msgstr "Erro do servidor: {1}" -#: IRCSock.cpp:686 +#: IRCSock.cpp:687 msgid "ZNC seems to be connected to itself, disconnecting..." msgstr "" -#: IRCSock.cpp:733 +#: IRCSock.cpp:734 msgid "Server {1} redirects us to {2}:{3} with reason: {4}" msgstr "" -#: IRCSock.cpp:737 +#: IRCSock.cpp:738 msgid "Perhaps you want to add it as a new server." msgstr "" -#: IRCSock.cpp:967 +#: IRCSock.cpp:968 msgid "Channel {1} is linked to another channel and was thus disabled." msgstr "" -#: IRCSock.cpp:979 +#: IRCSock.cpp:980 msgid "Switched to SSL (STARTTLS)" msgstr "" -#: IRCSock.cpp:1032 +#: IRCSock.cpp:1033 msgid "You quit: {1}" msgstr "Você saiu: {1}" -#: IRCSock.cpp:1238 +#: IRCSock.cpp:1239 msgid "Disconnected from IRC. Reconnecting..." msgstr "Desconectado. Reconectando..." -#: IRCSock.cpp:1269 +#: IRCSock.cpp:1270 msgid "Cannot connect to IRC ({1}). Retrying..." msgstr "Não foi possível conectar-se ao IRC ({1}). Tentando novamente..." -#: IRCSock.cpp:1272 +#: IRCSock.cpp:1273 msgid "Disconnected from IRC ({1}). Reconnecting..." msgstr "Desconectado do IRC ({1}). Reconectando..." -#: IRCSock.cpp:1302 +#: IRCSock.cpp:1303 msgid "If you trust this certificate, do /znc AddTrustedServerFingerprint {1}" msgstr "" -#: IRCSock.cpp:1319 +#: IRCSock.cpp:1320 msgid "IRC connection timed out. Reconnecting..." msgstr "" -#: IRCSock.cpp:1331 +#: IRCSock.cpp:1332 msgid "Connection Refused. Reconnecting..." msgstr "Conexão rejeitada. Reconectando..." -#: IRCSock.cpp:1339 +#: IRCSock.cpp:1340 msgid "Received a too long line from the IRC server!" msgstr "" -#: IRCSock.cpp:1443 +#: IRCSock.cpp:1444 msgid "No free nick available" msgstr "" -#: IRCSock.cpp:1451 +#: IRCSock.cpp:1452 msgid "No free nick found" msgstr "" @@ -175,15 +175,15 @@ msgstr "" msgid "No such module {1}" msgstr "O módulo {1} não existe" -#: Client.cpp:358 +#: Client.cpp:359 msgid "A client from {1} attempted to login as you, but was rejected: {2}" msgstr "" -#: Client.cpp:393 +#: Client.cpp:394 msgid "Network {1} doesn't exist." msgstr "A rede {1} não existe." -#: Client.cpp:407 +#: Client.cpp:408 msgid "" "You have several networks configured, but no network was specified for the " "connection." @@ -191,7 +191,7 @@ msgstr "" "Você possui várias redes configuradas mas nenhuma delas foi especificada " "para conectar." -#: Client.cpp:410 +#: Client.cpp:411 msgid "" "Selecting network {1}. To see list of all configured networks, use /znc " "ListNetworks" @@ -199,73 +199,73 @@ msgstr "" "Selecionando a rede {1}. Para ver a lista das redes configuradas, digite /" "znc ListNetworks" -#: Client.cpp:413 +#: Client.cpp:414 msgid "" "If you want to choose another network, use /znc JumpNetwork , or " "connect to ZNC with username {1}/ (instead of just {1})" msgstr "" -#: Client.cpp:419 +#: Client.cpp:420 msgid "" "You have no networks configured. Use /znc AddNetwork to add one." msgstr "" "Você não possui redes configuradas. Digite /znc AddNetwork para " "adicionar uma rede." -#: Client.cpp:430 +#: Client.cpp:431 msgid "Closing link: Timeout" msgstr "" -#: Client.cpp:452 +#: Client.cpp:453 msgid "Closing link: Too long raw line" msgstr "" -#: Client.cpp:459 +#: Client.cpp:460 msgid "" "You are being disconnected because another user just authenticated as you." msgstr "" -#: Client.cpp:1014 +#: Client.cpp:1015 msgid "Your CTCP to {1} got lost, you are not connected to IRC!" msgstr "" -#: Client.cpp:1141 +#: Client.cpp:1142 msgid "Your notice to {1} got lost, you are not connected to IRC!" msgstr "" -#: Client.cpp:1180 +#: Client.cpp:1181 msgid "Removing channel {1}" msgstr "" -#: Client.cpp:1256 +#: Client.cpp:1257 msgid "Your message to {1} got lost, you are not connected to IRC!" msgstr "" -#: Client.cpp:1309 Client.cpp:1315 +#: Client.cpp:1310 Client.cpp:1316 msgid "Hello. How may I help you?" msgstr "" -#: Client.cpp:1329 +#: Client.cpp:1330 msgid "Usage: /attach <#chans>" msgstr "" -#: Client.cpp:1336 Client.cpp:1358 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: Client.cpp:1337 Client.cpp:1359 ClientCommand.cpp:129 ClientCommand.cpp:151 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" msgstr[0] "" msgstr[1] "" -#: Client.cpp:1339 ClientCommand.cpp:132 +#: Client.cpp:1340 ClientCommand.cpp:132 msgid "Attached {1} channel" msgid_plural "Attached {1} channels" msgstr[0] "" msgstr[1] "" -#: Client.cpp:1351 +#: Client.cpp:1352 msgid "Usage: /detach <#chans>" msgstr "" -#: Client.cpp:1361 ClientCommand.cpp:154 +#: Client.cpp:1362 ClientCommand.cpp:154 msgid "Detached {1} channel" msgid_plural "Detached {1} channels" msgstr[0] "" diff --git a/src/po/znc.ru_RU.po b/src/po/znc.ru_RU.po index c5e09b05..3e4bfa5b 100644 --- a/src/po/znc.ru_RU.po +++ b/src/po/znc.ru_RU.po @@ -113,69 +113,69 @@ msgstr "Не могу подключиться к {1}, т. к. ZNC собран msgid "Some module aborted the connection attempt" msgstr "Какой-то модуль оборвал попытку соединения" -#: IRCSock.cpp:484 +#: IRCSock.cpp:485 msgid "Error from server: {1}" msgstr "Ошибка от сервера: {1}" -#: IRCSock.cpp:686 +#: IRCSock.cpp:687 msgid "ZNC seems to be connected to itself, disconnecting..." msgstr "Похоже, ZNC подключён к самому себе, отключаюсь..." -#: IRCSock.cpp:733 +#: IRCSock.cpp:734 msgid "Server {1} redirects us to {2}:{3} with reason: {4}" msgstr "" -#: IRCSock.cpp:737 +#: IRCSock.cpp:738 msgid "Perhaps you want to add it as a new server." msgstr "Возможно, вам стоит добавить его в качестве нового сервера." -#: IRCSock.cpp:967 +#: IRCSock.cpp:968 msgid "Channel {1} is linked to another channel and was thus disabled." msgstr "Канал {1} отсылает к другому каналу и потому будет выключен." -#: IRCSock.cpp:979 +#: IRCSock.cpp:980 msgid "Switched to SSL (STARTTLS)" msgstr "Перешёл на SSL (STARTTLS)" -#: IRCSock.cpp:1032 +#: IRCSock.cpp:1033 msgid "You quit: {1}" msgstr "Вы вышли: {1}" -#: IRCSock.cpp:1238 +#: IRCSock.cpp:1239 msgid "Disconnected from IRC. Reconnecting..." msgstr "Отключён от IRC. Переподключаюсь..." -#: IRCSock.cpp:1269 +#: IRCSock.cpp:1270 msgid "Cannot connect to IRC ({1}). Retrying..." msgstr "Не могу подключиться к IRC ({1}). Пытаюсь ещё раз..." -#: IRCSock.cpp:1272 +#: IRCSock.cpp:1273 msgid "Disconnected from IRC ({1}). Reconnecting..." msgstr "Отключён от IRC ({1}). Переподключаюсь..." -#: IRCSock.cpp:1302 +#: IRCSock.cpp:1303 msgid "If you trust this certificate, do /znc AddTrustedServerFingerprint {1}" msgstr "" "Если вы доверяете этому сертификату, введите /znc " "AddTrustedServerFingerprint {1}" -#: IRCSock.cpp:1319 +#: IRCSock.cpp:1320 msgid "IRC connection timed out. Reconnecting..." msgstr "Подключение IRC завершилось по тайм-ауту. Переподключаюсь..." -#: IRCSock.cpp:1331 +#: IRCSock.cpp:1332 msgid "Connection Refused. Reconnecting..." msgstr "В соединении отказано. Переподключаюсь..." -#: IRCSock.cpp:1339 +#: IRCSock.cpp:1340 msgid "Received a too long line from the IRC server!" msgstr "От IRC-сервера получена слишком длинная строка!" -#: IRCSock.cpp:1443 +#: IRCSock.cpp:1444 msgid "No free nick available" msgstr "Не могу найти свободный ник" -#: IRCSock.cpp:1451 +#: IRCSock.cpp:1452 msgid "No free nick found" msgstr "Не могу найти свободный ник" @@ -183,22 +183,22 @@ msgstr "Не могу найти свободный ник" msgid "No such module {1}" msgstr "Нет модуля {1}" -#: Client.cpp:358 +#: Client.cpp:359 msgid "A client from {1} attempted to login as you, but was rejected: {2}" msgstr "Клиент с {1} попытался зайти под вашим именем, но был отвергнут: {2}" -#: Client.cpp:393 +#: Client.cpp:394 msgid "Network {1} doesn't exist." msgstr "Сеть {1} не существует." -#: Client.cpp:407 +#: Client.cpp:408 msgid "" "You have several networks configured, but no network was specified for the " "connection." msgstr "" "У вас настроены несколько сетей, но для этого соединения ни одна не указана." -#: Client.cpp:410 +#: Client.cpp:411 msgid "" "Selecting network {1}. To see list of all configured networks, use /znc " "ListNetworks" @@ -206,7 +206,7 @@ msgstr "" "Выбираю сеть {1}. Чтобы увидеть весь список, введите команду /znc " "ListNetworks" -#: Client.cpp:413 +#: Client.cpp:414 msgid "" "If you want to choose another network, use /znc JumpNetwork , or " "connect to ZNC with username {1}/ (instead of just {1})" @@ -214,51 +214,51 @@ msgstr "" "Чтобы выбрать другую сеть, введите /znc JumpNetwork <сеть> либо " "подключайтесь к ZNC с именем пользователя {1}/<сеть> вместо {1}" -#: Client.cpp:419 +#: Client.cpp:420 msgid "" "You have no networks configured. Use /znc AddNetwork to add one." msgstr "" "Вы не настроили ни одну сеть. Введите команду /znc AddNetwork <сеть> чтобы " "добавить сеть." -#: Client.cpp:430 +#: Client.cpp:431 msgid "Closing link: Timeout" msgstr "Завершаю связь по тайм-ауту" -#: Client.cpp:452 +#: Client.cpp:453 msgid "Closing link: Too long raw line" msgstr "Завершаю связь: получена слишком длинная строка" -#: Client.cpp:459 +#: Client.cpp:460 msgid "" "You are being disconnected because another user just authenticated as you." msgstr "Другой пользователь зашёл под вашим именем, отключаем." -#: Client.cpp:1014 +#: Client.cpp:1015 msgid "Your CTCP to {1} got lost, you are not connected to IRC!" msgstr "Вы не подключены к IRC, ваш CTCP-запрос к {1} утерян!" -#: Client.cpp:1141 +#: Client.cpp:1142 msgid "Your notice to {1} got lost, you are not connected to IRC!" msgstr "Вы не подключены к IRC, ваше сообщение к {1} утеряно!" -#: Client.cpp:1180 +#: Client.cpp:1181 msgid "Removing channel {1}" msgstr "Убираю канал {1}" -#: Client.cpp:1256 +#: Client.cpp:1257 msgid "Your message to {1} got lost, you are not connected to IRC!" msgstr "Вы не подключены к IRC, ваше сообщение к {1} утеряно!" -#: Client.cpp:1309 Client.cpp:1315 +#: Client.cpp:1310 Client.cpp:1316 msgid "Hello. How may I help you?" msgstr "Привет, чем могу быть вам полезен?" -#: Client.cpp:1329 +#: Client.cpp:1330 msgid "Usage: /attach <#chans>" msgstr "Использование: /attach <#каналы>" -#: Client.cpp:1336 Client.cpp:1358 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: Client.cpp:1337 Client.cpp:1359 ClientCommand.cpp:129 ClientCommand.cpp:151 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" msgstr[0] "{1} канал подходит под маску [{2}]" @@ -266,7 +266,7 @@ msgstr[1] "{1} канала подходят под маску [{2}]" msgstr[2] "{1} каналов подходят под маску [{2}]" msgstr[3] "{1} каналов подходят под маску [{2}]" -#: Client.cpp:1339 ClientCommand.cpp:132 +#: Client.cpp:1340 ClientCommand.cpp:132 msgid "Attached {1} channel" msgid_plural "Attached {1} channels" msgstr[0] "Прицепляю {1} канал" @@ -274,11 +274,11 @@ msgstr[1] "Прицепляю {1} канала" msgstr[2] "Прицепляю {1} каналов" msgstr[3] "Прицепляю {1} каналов" -#: Client.cpp:1351 +#: Client.cpp:1352 msgid "Usage: /detach <#chans>" msgstr "Использование: /detach <#каналы>" -#: Client.cpp:1361 ClientCommand.cpp:154 +#: Client.cpp:1362 ClientCommand.cpp:154 msgid "Detached {1} channel" msgid_plural "Detached {1} channels" msgstr[0] "Отцепляю {1} канал" From 8f2269083a02a3526219200699f46c6adbe00a79 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Wed, 18 Jul 2018 14:36:34 +0000 Subject: [PATCH 183/798] Update translations from Crowdin for es_ES --- src/po/znc.es_ES.po | 70 ++++++++++++++++++++++----------------------- 1 file changed, 35 insertions(+), 35 deletions(-) diff --git a/src/po/znc.es_ES.po b/src/po/znc.es_ES.po index 9bcebc61..a8c2285e 100644 --- a/src/po/znc.es_ES.po +++ b/src/po/znc.es_ES.po @@ -111,68 +111,68 @@ msgstr "" msgid "Some module aborted the connection attempt" msgstr "Algún módulo ha abortado el intento de conexión" -#: IRCSock.cpp:484 +#: IRCSock.cpp:485 msgid "Error from server: {1}" msgstr "Error del servidor: {1}" -#: IRCSock.cpp:686 +#: IRCSock.cpp:687 msgid "ZNC seems to be connected to itself, disconnecting..." msgstr "ZNC parece que se ha conectado a si mismo, desconectando..." -#: IRCSock.cpp:733 +#: IRCSock.cpp:734 msgid "Server {1} redirects us to {2}:{3} with reason: {4}" msgstr "Servidor {1} nos redirige a {2}:{3} por: {4}" -#: IRCSock.cpp:737 +#: IRCSock.cpp:738 msgid "Perhaps you want to add it as a new server." msgstr "Puede que quieras añadirlo como nuevo servidor." -#: IRCSock.cpp:967 +#: IRCSock.cpp:968 msgid "Channel {1} is linked to another channel and was thus disabled." msgstr "El canal {1} está enlazado a otro canal y por eso está deshabilitado." -#: IRCSock.cpp:979 +#: IRCSock.cpp:980 msgid "Switched to SSL (STARTTLS)" msgstr "Cambiado a SSL (STARTTLS)" -#: IRCSock.cpp:1032 +#: IRCSock.cpp:1033 msgid "You quit: {1}" msgstr "Has salido: {1}" -#: IRCSock.cpp:1238 +#: IRCSock.cpp:1239 msgid "Disconnected from IRC. Reconnecting..." msgstr "Desconectado del IRC. Volviendo a conectar..." -#: IRCSock.cpp:1269 +#: IRCSock.cpp:1270 msgid "Cannot connect to IRC ({1}). Retrying..." msgstr "No se puede conectar al IRC ({1}). Reintentándolo..." -#: IRCSock.cpp:1272 +#: IRCSock.cpp:1273 msgid "Disconnected from IRC ({1}). Reconnecting..." msgstr "Desconectado del IRC ({1}). Volviendo a conectar..." -#: IRCSock.cpp:1302 +#: IRCSock.cpp:1303 msgid "If you trust this certificate, do /znc AddTrustedServerFingerprint {1}" msgstr "" "Si confías en este certificado, ejecuta /znc AddTrustedServerFingerprint {1}" -#: IRCSock.cpp:1319 +#: IRCSock.cpp:1320 msgid "IRC connection timed out. Reconnecting..." msgstr "Tiempo de espera agotado en la conexión al IRC. Reconectando..." -#: IRCSock.cpp:1331 +#: IRCSock.cpp:1332 msgid "Connection Refused. Reconnecting..." msgstr "Conexión rechazada. Reconectando..." -#: IRCSock.cpp:1339 +#: IRCSock.cpp:1340 msgid "Received a too long line from the IRC server!" msgstr "¡Recibida línea demasiado larga desde el servidor de IRC!" -#: IRCSock.cpp:1443 +#: IRCSock.cpp:1444 msgid "No free nick available" msgstr "No hay ningún nick disponible" -#: IRCSock.cpp:1451 +#: IRCSock.cpp:1452 msgid "No free nick found" msgstr "No se ha encontrado ningún nick disponible" @@ -180,17 +180,17 @@ msgstr "No se ha encontrado ningún nick disponible" msgid "No such module {1}" msgstr "No existe el módulo {1}" -#: Client.cpp:358 +#: Client.cpp:359 msgid "A client from {1} attempted to login as you, but was rejected: {2}" msgstr "" "Un cliente desde {1} ha intentado conectarse por ti, pero ha sido rechazado " "{2}" -#: Client.cpp:393 +#: Client.cpp:394 msgid "Network {1} doesn't exist." msgstr "La red {1} no existe." -#: Client.cpp:407 +#: Client.cpp:408 msgid "" "You have several networks configured, but no network was specified for the " "connection." @@ -198,7 +198,7 @@ msgstr "" "Tienes varias redes configuradas, pero ninguna ha sido especificada para la " "conexión." -#: Client.cpp:410 +#: Client.cpp:411 msgid "" "Selecting network {1}. To see list of all configured networks, use /znc " "ListNetworks" @@ -206,7 +206,7 @@ msgstr "" "Seleccionando la red {1}. Para ver una lista de todas las redes " "configuradas, ejecuta /znc ListNetworks" -#: Client.cpp:413 +#: Client.cpp:414 msgid "" "If you want to choose another network, use /znc JumpNetwork , or " "connect to ZNC with username {1}/ (instead of just {1})" @@ -214,68 +214,68 @@ msgstr "" "Si quieres escoger otra red, utiliza /znc JumpNetwork , o conecta a " "ZNC mediante usuario {1}/ (en vez de solo {1})" -#: Client.cpp:419 +#: Client.cpp:420 msgid "" "You have no networks configured. Use /znc AddNetwork to add one." msgstr "" "No tienes redes configuradas. Ejecuta /znc AddNetwork para añadir " "una." -#: Client.cpp:430 +#: Client.cpp:431 msgid "Closing link: Timeout" msgstr "Cerrando conexión: tiempo de espera agotado" -#: Client.cpp:452 +#: Client.cpp:453 msgid "Closing link: Too long raw line" msgstr "Cerrando conexión: linea raw demasiado larga" -#: Client.cpp:459 +#: Client.cpp:460 msgid "" "You are being disconnected because another user just authenticated as you." msgstr "" "Estás siendo desconectado porque otro usuario se ha autenticado por ti." -#: Client.cpp:1014 +#: Client.cpp:1015 msgid "Your CTCP to {1} got lost, you are not connected to IRC!" msgstr "Tu CTCP a {1} se ha perdido, ¡no estás conectado al IRC!" -#: Client.cpp:1141 +#: Client.cpp:1142 msgid "Your notice to {1} got lost, you are not connected to IRC!" msgstr "Tu notice a {1} se ha perdido, ¡no estás conectado al IRC!" -#: Client.cpp:1180 +#: Client.cpp:1181 msgid "Removing channel {1}" msgstr "Eliminando canal {1}" -#: Client.cpp:1256 +#: Client.cpp:1257 msgid "Your message to {1} got lost, you are not connected to IRC!" msgstr "Tu mensaje a {1} se ha perdido, ¡no estás conectado al IRC!" -#: Client.cpp:1309 Client.cpp:1315 +#: Client.cpp:1310 Client.cpp:1316 msgid "Hello. How may I help you?" msgstr "Hola. ¿En qué te puedo ayudar?" -#: Client.cpp:1329 +#: Client.cpp:1330 msgid "Usage: /attach <#chans>" msgstr "Uso: /attach <#canales>" -#: Client.cpp:1336 Client.cpp:1358 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: Client.cpp:1337 Client.cpp:1359 ClientCommand.cpp:129 ClientCommand.cpp:151 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" msgstr[0] "Hay {1} canal que coincide con [{2}]" msgstr[1] "Hay {1} canales que coinciden con [{2}]" -#: Client.cpp:1339 ClientCommand.cpp:132 +#: Client.cpp:1340 ClientCommand.cpp:132 msgid "Attached {1} channel" msgid_plural "Attached {1} channels" msgstr[0] "Vinculado a {1} canal" msgstr[1] "Unido a {1} canales" -#: Client.cpp:1351 +#: Client.cpp:1352 msgid "Usage: /detach <#chans>" msgstr "Uso: /detach <#canales>" -#: Client.cpp:1361 ClientCommand.cpp:154 +#: Client.cpp:1362 ClientCommand.cpp:154 msgid "Detached {1} channel" msgid_plural "Detached {1} channels" msgstr[0] "Desvinculado {1} canal" From 1e697580155d5a38f8b5a377f3b1d94aaa979539 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Wed, 18 Jul 2018 14:36:36 +0000 Subject: [PATCH 184/798] Update translations from Crowdin for nl_NL --- src/po/znc.nl_NL.po | 70 ++++++++++++++++++++++----------------------- 1 file changed, 35 insertions(+), 35 deletions(-) diff --git a/src/po/znc.nl_NL.po b/src/po/znc.nl_NL.po index bc82660f..72726506 100644 --- a/src/po/znc.nl_NL.po +++ b/src/po/znc.nl_NL.po @@ -119,72 +119,72 @@ msgstr "" msgid "Some module aborted the connection attempt" msgstr "Een module heeft de verbindingspoging afgebroken" -#: IRCSock.cpp:484 +#: IRCSock.cpp:485 msgid "Error from server: {1}" msgstr "Fout van server: {1}" -#: IRCSock.cpp:686 +#: IRCSock.cpp:687 msgid "ZNC seems to be connected to itself, disconnecting..." msgstr "" "ZNC blijkt verbonden te zijn met zichzelf... De verbinding zal verbroken " "worden..." -#: IRCSock.cpp:733 +#: IRCSock.cpp:734 msgid "Server {1} redirects us to {2}:{3} with reason: {4}" msgstr "Server {1} stuurt ons door naar {2}:{3} met reden: {4}" -#: IRCSock.cpp:737 +#: IRCSock.cpp:738 msgid "Perhaps you want to add it as a new server." msgstr "Misschien wil je het toevoegen als nieuwe server." -#: IRCSock.cpp:967 +#: IRCSock.cpp:968 msgid "Channel {1} is linked to another channel and was thus disabled." msgstr "" "Kanaal {1} is verbonden naar een andere kanaal en is daarom uitgeschakeld." -#: IRCSock.cpp:979 +#: IRCSock.cpp:980 msgid "Switched to SSL (STARTTLS)" msgstr "Omgeschakeld naar een veilige verbinding (STARTTLS)" -#: IRCSock.cpp:1032 +#: IRCSock.cpp:1033 msgid "You quit: {1}" msgstr "Je hebt het netwerk verlaten: {1}" -#: IRCSock.cpp:1238 +#: IRCSock.cpp:1239 msgid "Disconnected from IRC. Reconnecting..." msgstr "Verbinding met IRC verbroken. We proberen opnieuw te verbinden..." -#: IRCSock.cpp:1269 +#: IRCSock.cpp:1270 msgid "Cannot connect to IRC ({1}). Retrying..." msgstr "Kan niet verbinden met IRC ({1}). We proberen opnieuw te verbinden..." -#: IRCSock.cpp:1272 +#: IRCSock.cpp:1273 msgid "Disconnected from IRC ({1}). Reconnecting..." msgstr "" "Verbinding met IRC verbroken ({1}). We proberen opnieuw te verbinden..." -#: IRCSock.cpp:1302 +#: IRCSock.cpp:1303 msgid "If you trust this certificate, do /znc AddTrustedServerFingerprint {1}" msgstr "" "Als je dit certificaat vertrouwt, doe: /znc AddTrustedServerFingerprint {1}" -#: IRCSock.cpp:1319 +#: IRCSock.cpp:1320 msgid "IRC connection timed out. Reconnecting..." msgstr "IRC verbinding time-out. We proberen opnieuw te verbinden..." -#: IRCSock.cpp:1331 +#: IRCSock.cpp:1332 msgid "Connection Refused. Reconnecting..." msgstr "Verbinding geweigerd. We proberen opnieuw te verbinden..." -#: IRCSock.cpp:1339 +#: IRCSock.cpp:1340 msgid "Received a too long line from the IRC server!" msgstr "Een te lange regel ontvangen van de IRC server!" -#: IRCSock.cpp:1443 +#: IRCSock.cpp:1444 msgid "No free nick available" msgstr "Geen beschikbare bijnaam" -#: IRCSock.cpp:1451 +#: IRCSock.cpp:1452 msgid "No free nick found" msgstr "Geen beschikbare bijnaam gevonden" @@ -192,17 +192,17 @@ msgstr "Geen beschikbare bijnaam gevonden" msgid "No such module {1}" msgstr "Geen dergelijke module {1}" -#: Client.cpp:358 +#: Client.cpp:359 msgid "A client from {1} attempted to login as you, but was rejected: {2}" msgstr "" "Een client van {1} heeft geprobeerd als jou in te loggen maar werd " "geweigerd: {2}" -#: Client.cpp:393 +#: Client.cpp:394 msgid "Network {1} doesn't exist." msgstr "Netwerk {1} bestaat niet." -#: Client.cpp:407 +#: Client.cpp:408 msgid "" "You have several networks configured, but no network was specified for the " "connection." @@ -210,7 +210,7 @@ msgstr "" "Je hebt meerdere netwerken geconfigureerd maar je hebt er geen gekozen om " "verbinding mee te maken." -#: Client.cpp:410 +#: Client.cpp:411 msgid "" "Selecting network {1}. To see list of all configured networks, use /znc " "ListNetworks" @@ -218,7 +218,7 @@ msgstr "" "Netwerk {1} geselecteerd. Om een lijst te tonen van alle geconfigureerde " "netwerken, gebruik /znc ListNetworks" -#: Client.cpp:413 +#: Client.cpp:414 msgid "" "If you want to choose another network, use /znc JumpNetwork , or " "connect to ZNC with username {1}/ (instead of just {1})" @@ -226,71 +226,71 @@ msgstr "" "Als je een ander netwerk wilt kiezen, gebruik /znc JumpNetwork , of " "verbind naar ZNC met gebruikersnaam {1}/ (in plaats van alleen {1})" -#: Client.cpp:419 +#: Client.cpp:420 msgid "" "You have no networks configured. Use /znc AddNetwork to add one." msgstr "" "Je hebt geen netwerken geconfigureerd. Gebruiker /znc AddNetwork " "om er een toe te voegen." -#: Client.cpp:430 +#: Client.cpp:431 msgid "Closing link: Timeout" msgstr "Verbinding verbroken: Time-out" -#: Client.cpp:452 +#: Client.cpp:453 msgid "Closing link: Too long raw line" msgstr "Verbinding verbroken: Te lange onbewerkte regel" -#: Client.cpp:459 +#: Client.cpp:460 msgid "" "You are being disconnected because another user just authenticated as you." msgstr "" "Je verbinding wordt verbroken omdat een andere gebruiker zich net aangemeld " "heeft als jou." -#: Client.cpp:1014 +#: Client.cpp:1015 msgid "Your CTCP to {1} got lost, you are not connected to IRC!" msgstr "Je CTCP naar {1} is verloren geraakt, je bent niet verbonden met IRC!" -#: Client.cpp:1141 +#: Client.cpp:1142 msgid "Your notice to {1} got lost, you are not connected to IRC!" msgstr "" "Je notice naar {1} is verloren geraakt, je bent niet verbonden met IRC!" -#: Client.cpp:1180 +#: Client.cpp:1181 msgid "Removing channel {1}" msgstr "Kanaal verwijderen: {1}" -#: Client.cpp:1256 +#: Client.cpp:1257 msgid "Your message to {1} got lost, you are not connected to IRC!" msgstr "" "Je bericht naar {1} is verloren geraakt, je bent niet verbonden met IRC!" -#: Client.cpp:1309 Client.cpp:1315 +#: Client.cpp:1310 Client.cpp:1316 msgid "Hello. How may I help you?" msgstr "Hallo. Hoe kan ik je helpen?" -#: Client.cpp:1329 +#: Client.cpp:1330 msgid "Usage: /attach <#chans>" msgstr "Gebruik: /attach <#kanalen>" -#: Client.cpp:1336 Client.cpp:1358 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: Client.cpp:1337 Client.cpp:1359 ClientCommand.cpp:129 ClientCommand.cpp:151 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" msgstr[0] "Er was {1} kanaal overeenkomend met [{2}]" msgstr[1] "Er waren {1} kanalen overeenkomend met [{2}]" -#: Client.cpp:1339 ClientCommand.cpp:132 +#: Client.cpp:1340 ClientCommand.cpp:132 msgid "Attached {1} channel" msgid_plural "Attached {1} channels" msgstr[0] "Gekoppeld aan {1} kanaal" msgstr[1] "Gekoppeld aan {1} kanalen" -#: Client.cpp:1351 +#: Client.cpp:1352 msgid "Usage: /detach <#chans>" msgstr "Gebruik: /detach <#kanalen>" -#: Client.cpp:1361 ClientCommand.cpp:154 +#: Client.cpp:1362 ClientCommand.cpp:154 msgid "Detached {1} channel" msgid_plural "Detached {1} channels" msgstr[0] "Losgekoppeld van {1} kanaal" From 80f9baf0a61b691b3f272d90455e0deb02f9612f Mon Sep 17 00:00:00 2001 From: Wolf480pl Date: Wed, 25 Jul 2018 12:08:15 +0200 Subject: [PATCH 185/798] Fix memory leak and null dereference in CZNC::LoadUsers Before this commit, when pUser->SetBeingDeleted(true) is executed, pUser is an empty unique_ptr, because release() was already called on it. Therefore, pUser->SetBeingDeleted is unidefined behaviour. Also, AddUser only takes ownership of the passed user pointer if it succeeds. In case of a failure, it's the caller's responsibility to delete the user. Fix this by keeping a raw pointer to the user, and handling it accordingly when AddUser fails. I have no idea whether SetBeingDeleted is necessary there, leaving it just in case. Maybe it would be better if we could change the semantics of AddUser to always take ownership of the pointer, or even take unique_ptr, but I have no idea how to adapt Python bindings in modpython to such change. --- src/znc.cpp | 9 ++++----- 1 file changed, 4 insertions(+), 5 deletions(-) diff --git a/src/znc.cpp b/src/znc.cpp index 4e7216ee..b33491d5 100644 --- a/src/znc.cpp +++ b/src/znc.cpp @@ -1275,13 +1275,12 @@ bool CZNC::LoadUsers(CConfig& config, CString& sError) { } CString sErr; - if (!AddUser(pUser.release(), sErr, true)) { + CUser* pRawUser = pUser.release(); + if (!AddUser(pRawUser, sErr, true)) { sError = "Invalid user [" + sUserName + "] " + sErr; - } - - if (!sError.empty()) { CUtils::PrintError(sError); - pUser->SetBeingDeleted(true); + pRawUser->SetBeingDeleted(true); + delete pRawUser; return false; } } From d7e94d7ac5fa19090f929df24cd358c2bd262552 Mon Sep 17 00:00:00 2001 From: Jos Ahrens Date: Sat, 21 Jul 2018 11:20:57 +0000 Subject: [PATCH 186/798] admindebug: Enforce need of TTY to turn on debug mode Fix #1580 Close #1581 --- modules/admindebug.cpp | 7 ++++++- 1 file changed, 6 insertions(+), 1 deletion(-) diff --git a/modules/admindebug.cpp b/modules/admindebug.cpp index 9cf32f16..2f68f5e2 100644 --- a/modules/admindebug.cpp +++ b/modules/admindebug.cpp @@ -54,6 +54,11 @@ class CAdminDebugMod : public CModule { } bool ToggleDebug(bool bEnable, CString sEnabledBy) { + if (!CDebug::StdoutIsTTY()) { + PutModule(t_s("Failure. We need to be running with a TTY. (is ZNC running with --foreground?)")); + return false; + } + bool bValue = CDebug::Debug(); if (bEnable == bValue) { @@ -77,7 +82,7 @@ class CAdminDebugMod : public CModule { ); m_sEnabledBy = sEnabledBy; } else { - m_sEnabledBy = nullptr; + m_sEnabledBy = ""; } return true; From 8a1f8c358e552a8d7b393f998e545d6ff73563a6 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Thu, 26 Jul 2018 01:08:35 +0100 Subject: [PATCH 187/798] admindebug: language/style fixes --- modules/admindebug.cpp | 19 +++++++++---------- 1 file changed, 9 insertions(+), 10 deletions(-) diff --git a/modules/admindebug.cpp b/modules/admindebug.cpp index 2f68f5e2..61327295 100644 --- a/modules/admindebug.cpp +++ b/modules/admindebug.cpp @@ -36,7 +36,7 @@ class CAdminDebugMod : public CModule { } void CommandEnable(const CString& sCommand) { - if (GetUser()->IsAdmin() == false) { + if (!GetUser()->IsAdmin()) { PutModule(t_s("Access denied!")); return; } @@ -45,7 +45,7 @@ class CAdminDebugMod : public CModule { } void CommandDisable(const CString& sCommand) { - if (GetUser()->IsAdmin() == false) { + if (!GetUser()->IsAdmin()) { PutModule(t_s("Access denied!")); return; } @@ -53,7 +53,7 @@ class CAdminDebugMod : public CModule { ToggleDebug(false, m_sEnabledBy); } - bool ToggleDebug(bool bEnable, CString sEnabledBy) { + bool ToggleDebug(bool bEnable, const CString& sEnabledBy) { if (!CDebug::StdoutIsTTY()) { PutModule(t_s("Failure. We need to be running with a TTY. (is ZNC running with --foreground?)")); return false; @@ -71,15 +71,14 @@ class CAdminDebugMod : public CModule { } CDebug::SetDebug(bEnable); - CString sEnabled = CString(bEnable ? "on" : "off"); - CZNC::Get().Broadcast(CString( - "An administrator has just turned Debug Mode \02" + sEnabled + "\02. It was enabled by \02" + sEnabledBy + "\02." - )); + CString sEnabled = bEnable ? "on" : "off"; + CZNC::Get().Broadcast( + "An administrator has just turned Debug Mode \02" + sEnabled + + "\02. It was enabled by \02" + sEnabledBy + "\02."); if (bEnable) { CZNC::Get().Broadcast( - CString("Messages, credentials, and other sensitive data may" - " become exposed to the host during this period.") - ); + "Messages, credentials, and other sensitive data may become " + "exposed to the host during this period."); m_sEnabledBy = sEnabledBy; } else { m_sEnabledBy = ""; From 18871dab8d94bb25f922a1c0363d2961a0a4a570 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Thu, 26 Jul 2018 01:09:01 +0100 Subject: [PATCH 188/798] admindebug: use \n instead of \r\n --- modules/admindebug.cpp | 210 ++++++++++++++++++++--------------------- 1 file changed, 105 insertions(+), 105 deletions(-) diff --git a/modules/admindebug.cpp b/modules/admindebug.cpp index 61327295..5581c1ba 100644 --- a/modules/admindebug.cpp +++ b/modules/admindebug.cpp @@ -1,105 +1,105 @@ -/* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - -#include -#include -#include -#include -#include - -class CAdminDebugMod : public CModule { - private: - CString m_sEnabledBy; - - public: - MODCONSTRUCTOR(CAdminDebugMod) { - AddHelpCommand(); - AddCommand("Enable", "", t_d("Enable Debug Mode"), - [=](const CString& sLine) { CommandEnable(sLine); }); - AddCommand("Disable", "", t_d("Disable Debug Mode"), - [=](const CString& sLine) { CommandDisable(sLine); }); - AddCommand("Status", "", t_d("Show the Debug Mode status"), - [=](const CString& sLine) { CommandStatus(sLine); }); - } - - void CommandEnable(const CString& sCommand) { - if (!GetUser()->IsAdmin()) { - PutModule(t_s("Access denied!")); - return; - } - - ToggleDebug(true, GetUser()->GetNick()); - } - - void CommandDisable(const CString& sCommand) { - if (!GetUser()->IsAdmin()) { - PutModule(t_s("Access denied!")); - return; - } - - ToggleDebug(false, m_sEnabledBy); - } - - bool ToggleDebug(bool bEnable, const CString& sEnabledBy) { - if (!CDebug::StdoutIsTTY()) { - PutModule(t_s("Failure. We need to be running with a TTY. (is ZNC running with --foreground?)")); - return false; - } - - bool bValue = CDebug::Debug(); - - if (bEnable == bValue) { - if (bEnable) { - PutModule(t_s("Already enabled.")); - } else { - PutModule(t_s("Already disabled.")); - } - return false; - } - - CDebug::SetDebug(bEnable); - CString sEnabled = bEnable ? "on" : "off"; - CZNC::Get().Broadcast( - "An administrator has just turned Debug Mode \02" + sEnabled + - "\02. It was enabled by \02" + sEnabledBy + "\02."); - if (bEnable) { - CZNC::Get().Broadcast( - "Messages, credentials, and other sensitive data may become " - "exposed to the host during this period."); - m_sEnabledBy = sEnabledBy; - } else { - m_sEnabledBy = ""; - } - - return true; - } - - void CommandStatus(const CString& sCommand) { - if (CDebug::Debug()) { - PutModule(t_s("Debugging mode is \02on\02.")); - } else { - PutModule(t_s("Debugging mode is \02off\02.")); - } - PutModule(t_s("Logging to: \02stdout\02.")); - } -}; - -template <> -void TModInfo(CModInfo& Info) { - Info.SetWikiPage("admindebug"); -} - -GLOBALMODULEDEFS(CAdminDebugMod, t_s("Enable Debug mode dynamically.")) +/* + * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * + * Licensed under the Apache License, Version 2.0 (the "License"); + * you may not use this file except in compliance with the License. + * You may obtain a copy of the License at + * + * http://www.apache.org/licenses/LICENSE-2.0 + * + * Unless required by applicable law or agreed to in writing, software + * distributed under the License is distributed on an "AS IS" BASIS, + * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. + * See the License for the specific language governing permissions and + * limitations under the License. + */ + +#include +#include +#include +#include +#include + +class CAdminDebugMod : public CModule { + private: + CString m_sEnabledBy; + + public: + MODCONSTRUCTOR(CAdminDebugMod) { + AddHelpCommand(); + AddCommand("Enable", "", t_d("Enable Debug Mode"), + [=](const CString& sLine) { CommandEnable(sLine); }); + AddCommand("Disable", "", t_d("Disable Debug Mode"), + [=](const CString& sLine) { CommandDisable(sLine); }); + AddCommand("Status", "", t_d("Show the Debug Mode status"), + [=](const CString& sLine) { CommandStatus(sLine); }); + } + + void CommandEnable(const CString& sCommand) { + if (!GetUser()->IsAdmin()) { + PutModule(t_s("Access denied!")); + return; + } + + ToggleDebug(true, GetUser()->GetNick()); + } + + void CommandDisable(const CString& sCommand) { + if (!GetUser()->IsAdmin()) { + PutModule(t_s("Access denied!")); + return; + } + + ToggleDebug(false, m_sEnabledBy); + } + + bool ToggleDebug(bool bEnable, const CString& sEnabledBy) { + if (!CDebug::StdoutIsTTY()) { + PutModule(t_s("Failure. We need to be running with a TTY. (is ZNC running with --foreground?)")); + return false; + } + + bool bValue = CDebug::Debug(); + + if (bEnable == bValue) { + if (bEnable) { + PutModule(t_s("Already enabled.")); + } else { + PutModule(t_s("Already disabled.")); + } + return false; + } + + CDebug::SetDebug(bEnable); + CString sEnabled = bEnable ? "on" : "off"; + CZNC::Get().Broadcast( + "An administrator has just turned Debug Mode \02" + sEnabled + + "\02. It was enabled by \02" + sEnabledBy + "\02."); + if (bEnable) { + CZNC::Get().Broadcast( + "Messages, credentials, and other sensitive data may become " + "exposed to the host during this period."); + m_sEnabledBy = sEnabledBy; + } else { + m_sEnabledBy = ""; + } + + return true; + } + + void CommandStatus(const CString& sCommand) { + if (CDebug::Debug()) { + PutModule(t_s("Debugging mode is \02on\02.")); + } else { + PutModule(t_s("Debugging mode is \02off\02.")); + } + PutModule(t_s("Logging to: \02stdout\02.")); + } +}; + +template <> +void TModInfo(CModInfo& Info) { + Info.SetWikiPage("admindebug"); +} + +GLOBALMODULEDEFS(CAdminDebugMod, t_s("Enable Debug mode dynamically.")) From e8093e06e49d509dcabd3bcf0cbb224f4818cca8 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Thu, 26 Jul 2018 00:26:33 +0000 Subject: [PATCH 189/798] Update translations from Crowdin for de_DE id_ID nl_NL pt_BR ru_RU --- modules/po/admindebug.de_DE.po | 18 ++++++++++++------ modules/po/admindebug.id_ID.po | 18 ++++++++++++------ modules/po/admindebug.nl_NL.po | 18 ++++++++++++------ modules/po/admindebug.pot | 18 ++++++++++++------ modules/po/admindebug.pt_BR.po | 18 ++++++++++++------ modules/po/admindebug.ru_RU.po | 18 ++++++++++++------ 6 files changed, 72 insertions(+), 36 deletions(-) diff --git a/modules/po/admindebug.de_DE.po b/modules/po/admindebug.de_DE.po index 8b8912fe..6882cc63 100644 --- a/modules/po/admindebug.de_DE.po +++ b/modules/po/admindebug.de_DE.po @@ -28,26 +28,32 @@ msgstr "Zeige den Debugstatus an" msgid "Access denied!" msgstr "Zugriff verweigert!" -#: admindebug.cpp:61 +#: admindebug.cpp:58 +msgid "" +"Failure. We need to be running with a TTY. (is ZNC running with --" +"foreground?)" +msgstr "" + +#: admindebug.cpp:66 msgid "Already enabled." msgstr "Bereits aktiviert." -#: admindebug.cpp:63 +#: admindebug.cpp:68 msgid "Already disabled." msgstr "Bereits deaktiviert." -#: admindebug.cpp:88 +#: admindebug.cpp:92 msgid "Debugging mode is on." msgstr "Debuggingmodus ist an." -#: admindebug.cpp:90 +#: admindebug.cpp:94 msgid "Debugging mode is off." msgstr "Debuggingmodus ist aus." -#: admindebug.cpp:92 +#: admindebug.cpp:96 msgid "Logging to: stdout." msgstr "" -#: admindebug.cpp:101 +#: admindebug.cpp:105 msgid "Enable Debug mode dynamically." msgstr "Aktiviere den Debugmodus dynamisch." diff --git a/modules/po/admindebug.id_ID.po b/modules/po/admindebug.id_ID.po index 123ae08a..2dc0ce7d 100644 --- a/modules/po/admindebug.id_ID.po +++ b/modules/po/admindebug.id_ID.po @@ -28,26 +28,32 @@ msgstr "" msgid "Access denied!" msgstr "" -#: admindebug.cpp:61 +#: admindebug.cpp:58 +msgid "" +"Failure. We need to be running with a TTY. (is ZNC running with --" +"foreground?)" +msgstr "" + +#: admindebug.cpp:66 msgid "Already enabled." msgstr "" -#: admindebug.cpp:63 +#: admindebug.cpp:68 msgid "Already disabled." msgstr "" -#: admindebug.cpp:88 +#: admindebug.cpp:92 msgid "Debugging mode is on." msgstr "" -#: admindebug.cpp:90 +#: admindebug.cpp:94 msgid "Debugging mode is off." msgstr "" -#: admindebug.cpp:92 +#: admindebug.cpp:96 msgid "Logging to: stdout." msgstr "" -#: admindebug.cpp:101 +#: admindebug.cpp:105 msgid "Enable Debug mode dynamically." msgstr "" diff --git a/modules/po/admindebug.nl_NL.po b/modules/po/admindebug.nl_NL.po index 03aa94bd..fc0cfb7d 100644 --- a/modules/po/admindebug.nl_NL.po +++ b/modules/po/admindebug.nl_NL.po @@ -28,26 +28,32 @@ msgstr "Laat de status van de debug-modus zien" msgid "Access denied!" msgstr "Toegang geweigerd!" -#: admindebug.cpp:61 +#: admindebug.cpp:58 +msgid "" +"Failure. We need to be running with a TTY. (is ZNC running with --" +"foreground?)" +msgstr "" + +#: admindebug.cpp:66 msgid "Already enabled." msgstr "Al ingeschakeld." -#: admindebug.cpp:63 +#: admindebug.cpp:68 msgid "Already disabled." msgstr "Al uitgeschakeld." -#: admindebug.cpp:88 +#: admindebug.cpp:92 msgid "Debugging mode is on." msgstr "Debugging modus is aan." -#: admindebug.cpp:90 +#: admindebug.cpp:94 msgid "Debugging mode is off." msgstr "Debugging modus is uit." -#: admindebug.cpp:92 +#: admindebug.cpp:96 msgid "Logging to: stdout." msgstr "Logboek bijhouden naar: stdout." -#: admindebug.cpp:101 +#: admindebug.cpp:105 msgid "Enable Debug mode dynamically." msgstr "Debug-modus dynamisch inschakelen." diff --git a/modules/po/admindebug.pot b/modules/po/admindebug.pot index f0bbfefd..418a41bb 100644 --- a/modules/po/admindebug.pot +++ b/modules/po/admindebug.pot @@ -19,26 +19,32 @@ msgstr "" msgid "Access denied!" msgstr "" -#: admindebug.cpp:61 +#: admindebug.cpp:58 +msgid "" +"Failure. We need to be running with a TTY. (is ZNC running with --" +"foreground?)" +msgstr "" + +#: admindebug.cpp:66 msgid "Already enabled." msgstr "" -#: admindebug.cpp:63 +#: admindebug.cpp:68 msgid "Already disabled." msgstr "" -#: admindebug.cpp:88 +#: admindebug.cpp:92 msgid "Debugging mode is on." msgstr "" -#: admindebug.cpp:90 +#: admindebug.cpp:94 msgid "Debugging mode is off." msgstr "" -#: admindebug.cpp:92 +#: admindebug.cpp:96 msgid "Logging to: stdout." msgstr "" -#: admindebug.cpp:101 +#: admindebug.cpp:105 msgid "Enable Debug mode dynamically." msgstr "" diff --git a/modules/po/admindebug.pt_BR.po b/modules/po/admindebug.pt_BR.po index c8ec7cbb..332da6f1 100644 --- a/modules/po/admindebug.pt_BR.po +++ b/modules/po/admindebug.pt_BR.po @@ -28,26 +28,32 @@ msgstr "" msgid "Access denied!" msgstr "" -#: admindebug.cpp:61 +#: admindebug.cpp:58 +msgid "" +"Failure. We need to be running with a TTY. (is ZNC running with --" +"foreground?)" +msgstr "" + +#: admindebug.cpp:66 msgid "Already enabled." msgstr "" -#: admindebug.cpp:63 +#: admindebug.cpp:68 msgid "Already disabled." msgstr "" -#: admindebug.cpp:88 +#: admindebug.cpp:92 msgid "Debugging mode is on." msgstr "" -#: admindebug.cpp:90 +#: admindebug.cpp:94 msgid "Debugging mode is off." msgstr "" -#: admindebug.cpp:92 +#: admindebug.cpp:96 msgid "Logging to: stdout." msgstr "" -#: admindebug.cpp:101 +#: admindebug.cpp:105 msgid "Enable Debug mode dynamically." msgstr "" diff --git a/modules/po/admindebug.ru_RU.po b/modules/po/admindebug.ru_RU.po index 447de700..6370d169 100644 --- a/modules/po/admindebug.ru_RU.po +++ b/modules/po/admindebug.ru_RU.po @@ -30,26 +30,32 @@ msgstr "" msgid "Access denied!" msgstr "" -#: admindebug.cpp:61 +#: admindebug.cpp:58 +msgid "" +"Failure. We need to be running with a TTY. (is ZNC running with --" +"foreground?)" +msgstr "" + +#: admindebug.cpp:66 msgid "Already enabled." msgstr "" -#: admindebug.cpp:63 +#: admindebug.cpp:68 msgid "Already disabled." msgstr "" -#: admindebug.cpp:88 +#: admindebug.cpp:92 msgid "Debugging mode is on." msgstr "" -#: admindebug.cpp:90 +#: admindebug.cpp:94 msgid "Debugging mode is off." msgstr "" -#: admindebug.cpp:92 +#: admindebug.cpp:96 msgid "Logging to: stdout." msgstr "" -#: admindebug.cpp:101 +#: admindebug.cpp:105 msgid "Enable Debug mode dynamically." msgstr "" From d58563a88014610b0fd1112e74f7e127d55774b4 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Fri, 27 Jul 2018 00:26:09 +0000 Subject: [PATCH 190/798] Update translations from Crowdin for es_ES --- modules/po/admindebug.es_ES.po | 18 ++++++++++++------ 1 file changed, 12 insertions(+), 6 deletions(-) diff --git a/modules/po/admindebug.es_ES.po b/modules/po/admindebug.es_ES.po index fe802272..fb82f3d8 100644 --- a/modules/po/admindebug.es_ES.po +++ b/modules/po/admindebug.es_ES.po @@ -28,26 +28,32 @@ msgstr "Muestra el estado del modo de depuración" msgid "Access denied!" msgstr "¡Acceso denegado!" -#: admindebug.cpp:61 +#: admindebug.cpp:58 +msgid "" +"Failure. We need to be running with a TTY. (is ZNC running with --" +"foreground?)" +msgstr "" + +#: admindebug.cpp:66 msgid "Already enabled." msgstr "Ya está habilitado." -#: admindebug.cpp:63 +#: admindebug.cpp:68 msgid "Already disabled." msgstr "Ya está deshabilitado." -#: admindebug.cpp:88 +#: admindebug.cpp:92 msgid "Debugging mode is on." msgstr "Modo depuración activado." -#: admindebug.cpp:90 +#: admindebug.cpp:94 msgid "Debugging mode is off." msgstr "Modo depuración desactivado." -#: admindebug.cpp:92 +#: admindebug.cpp:96 msgid "Logging to: stdout." msgstr "Registrando a: stdout." -#: admindebug.cpp:101 +#: admindebug.cpp:105 msgid "Enable Debug mode dynamically." msgstr "Habilita el modo de depuración dinámicamente." From e2a96470a062f2964c933357c79ffa114b7b13cf Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Wed, 1 Aug 2018 00:25:56 +0000 Subject: [PATCH 191/798] Update translations from Crowdin for --- fr.zip | 5 +++++ 1 file changed, 5 insertions(+) create mode 100644 fr.zip diff --git a/fr.zip b/fr.zip new file mode 100644 index 00000000..431318af --- /dev/null +++ b/fr.zip @@ -0,0 +1,5 @@ + + + 8 + File was not found + From 33cc6a2a2ccf2c74169f14d6026d3ba7bfbdfb97 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Wed, 1 Aug 2018 00:26:26 +0000 Subject: [PATCH 192/798] Update translations from Crowdin for fr_FR --- modules/po/admindebug.fr_FR.po | 59 + modules/po/adminlog.fr_FR.po | 69 + modules/po/alias.fr_FR.po | 123 ++ modules/po/autoattach.fr_FR.po | 85 ++ modules/po/autocycle.fr_FR.po | 69 + modules/po/autoop.fr_FR.po | 168 +++ modules/po/autoreply.fr_FR.po | 43 + modules/po/autovoice.fr_FR.po | 111 ++ modules/po/awaystore.fr_FR.po | 110 ++ modules/po/block_motd.fr_FR.po | 35 + modules/po/blockuser.fr_FR.po | 97 ++ modules/po/bouncedcc.fr_FR.po | 131 ++ modules/po/buffextras.fr_FR.po | 49 + modules/po/cert.fr_FR.po | 75 ++ modules/po/certauth.fr_FR.po | 108 ++ modules/po/chansaver.fr_FR.po | 17 + modules/po/clearbufferonmsg.fr_FR.po | 17 + modules/po/clientnotify.fr_FR.po | 73 ++ modules/po/controlpanel.fr_FR.po | 718 +++++++++++ modules/po/crypt.fr_FR.po | 143 +++ modules/po/ctcpflood.fr_FR.po | 69 + modules/po/cyrusauth.fr_FR.po | 73 ++ modules/po/dcc.fr_FR.po | 227 ++++ modules/po/disconkick.fr_FR.po | 23 + modules/po/fail2ban.fr_FR.po | 117 ++ modules/po/flooddetach.fr_FR.po | 91 ++ modules/po/identfile.fr_FR.po | 83 ++ modules/po/imapauth.fr_FR.po | 21 + modules/po/keepnick.fr_FR.po | 53 + modules/po/kickrejoin.fr_FR.po | 61 + modules/po/lastseen.fr_FR.po | 67 + modules/po/listsockets.fr_FR.po | 113 ++ modules/po/log.fr_FR.po | 148 +++ modules/po/missingmotd.fr_FR.po | 17 + modules/po/modperl.fr_FR.po | 17 + modules/po/modpython.fr_FR.po | 17 + modules/po/modules_online.fr_FR.po | 17 + modules/po/nickserv.fr_FR.po | 75 ++ modules/po/notes.fr_FR.po | 119 ++ modules/po/notify_connect.fr_FR.po | 29 + modules/po/partyline.fr_FR.po | 39 + modules/po/perform.fr_FR.po | 108 ++ modules/po/perleval.fr_FR.po | 31 + modules/po/pyeval.fr_FR.po | 21 + modules/po/q.fr_FR.po | 296 +++++ modules/po/raw.fr_FR.po | 17 + modules/po/route_replies.fr_FR.po | 59 + modules/po/sample.fr_FR.po | 119 ++ modules/po/samplewebapi.fr_FR.po | 17 + modules/po/sasl.fr_FR.po | 174 +++ modules/po/savebuff.fr_FR.po | 62 + modules/po/send_raw.fr_FR.po | 109 ++ modules/po/shell.fr_FR.po | 29 + modules/po/simple_away.fr_FR.po | 92 ++ modules/po/stickychan.fr_FR.po | 102 ++ modules/po/stripcontrols.fr_FR.po | 18 + modules/po/watch.fr_FR.po | 249 ++++ modules/po/webadmin.fr_FR.po | 1209 ++++++++++++++++++ src/po/znc.fr_FR.po | 1726 ++++++++++++++++++++++++++ 59 files changed, 8214 insertions(+) create mode 100644 modules/po/admindebug.fr_FR.po create mode 100644 modules/po/adminlog.fr_FR.po create mode 100644 modules/po/alias.fr_FR.po create mode 100644 modules/po/autoattach.fr_FR.po create mode 100644 modules/po/autocycle.fr_FR.po create mode 100644 modules/po/autoop.fr_FR.po create mode 100644 modules/po/autoreply.fr_FR.po create mode 100644 modules/po/autovoice.fr_FR.po create mode 100644 modules/po/awaystore.fr_FR.po create mode 100644 modules/po/block_motd.fr_FR.po create mode 100644 modules/po/blockuser.fr_FR.po create mode 100644 modules/po/bouncedcc.fr_FR.po create mode 100644 modules/po/buffextras.fr_FR.po create mode 100644 modules/po/cert.fr_FR.po create mode 100644 modules/po/certauth.fr_FR.po create mode 100644 modules/po/chansaver.fr_FR.po create mode 100644 modules/po/clearbufferonmsg.fr_FR.po create mode 100644 modules/po/clientnotify.fr_FR.po create mode 100644 modules/po/controlpanel.fr_FR.po create mode 100644 modules/po/crypt.fr_FR.po create mode 100644 modules/po/ctcpflood.fr_FR.po create mode 100644 modules/po/cyrusauth.fr_FR.po create mode 100644 modules/po/dcc.fr_FR.po create mode 100644 modules/po/disconkick.fr_FR.po create mode 100644 modules/po/fail2ban.fr_FR.po create mode 100644 modules/po/flooddetach.fr_FR.po create mode 100644 modules/po/identfile.fr_FR.po create mode 100644 modules/po/imapauth.fr_FR.po create mode 100644 modules/po/keepnick.fr_FR.po create mode 100644 modules/po/kickrejoin.fr_FR.po create mode 100644 modules/po/lastseen.fr_FR.po create mode 100644 modules/po/listsockets.fr_FR.po create mode 100644 modules/po/log.fr_FR.po create mode 100644 modules/po/missingmotd.fr_FR.po create mode 100644 modules/po/modperl.fr_FR.po create mode 100644 modules/po/modpython.fr_FR.po create mode 100644 modules/po/modules_online.fr_FR.po create mode 100644 modules/po/nickserv.fr_FR.po create mode 100644 modules/po/notes.fr_FR.po create mode 100644 modules/po/notify_connect.fr_FR.po create mode 100644 modules/po/partyline.fr_FR.po create mode 100644 modules/po/perform.fr_FR.po create mode 100644 modules/po/perleval.fr_FR.po create mode 100644 modules/po/pyeval.fr_FR.po create mode 100644 modules/po/q.fr_FR.po create mode 100644 modules/po/raw.fr_FR.po create mode 100644 modules/po/route_replies.fr_FR.po create mode 100644 modules/po/sample.fr_FR.po create mode 100644 modules/po/samplewebapi.fr_FR.po create mode 100644 modules/po/sasl.fr_FR.po create mode 100644 modules/po/savebuff.fr_FR.po create mode 100644 modules/po/send_raw.fr_FR.po create mode 100644 modules/po/shell.fr_FR.po create mode 100644 modules/po/simple_away.fr_FR.po create mode 100644 modules/po/stickychan.fr_FR.po create mode 100644 modules/po/stripcontrols.fr_FR.po create mode 100644 modules/po/watch.fr_FR.po create mode 100644 modules/po/webadmin.fr_FR.po create mode 100644 src/po/znc.fr_FR.po diff --git a/modules/po/admindebug.fr_FR.po b/modules/po/admindebug.fr_FR.po new file mode 100644 index 00000000..f1ee0f29 --- /dev/null +++ b/modules/po/admindebug.fr_FR.po @@ -0,0 +1,59 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n > 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: fr\n" +"X-Crowdin-File: /1.7.x/modules/po/admindebug.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" + +#: admindebug.cpp:30 +msgid "Enable Debug Mode" +msgstr "" + +#: admindebug.cpp:32 +msgid "Disable Debug Mode" +msgstr "" + +#: admindebug.cpp:34 +msgid "Show the Debug Mode status" +msgstr "" + +#: admindebug.cpp:40 admindebug.cpp:49 +msgid "Access denied!" +msgstr "" + +#: admindebug.cpp:58 +msgid "" +"Failure. We need to be running with a TTY. (is ZNC running with --" +"foreground?)" +msgstr "" + +#: admindebug.cpp:66 +msgid "Already enabled." +msgstr "" + +#: admindebug.cpp:68 +msgid "Already disabled." +msgstr "" + +#: admindebug.cpp:92 +msgid "Debugging mode is on." +msgstr "" + +#: admindebug.cpp:94 +msgid "Debugging mode is off." +msgstr "" + +#: admindebug.cpp:96 +msgid "Logging to: stdout." +msgstr "" + +#: admindebug.cpp:105 +msgid "Enable Debug mode dynamically." +msgstr "" diff --git a/modules/po/adminlog.fr_FR.po b/modules/po/adminlog.fr_FR.po new file mode 100644 index 00000000..3d903cbf --- /dev/null +++ b/modules/po/adminlog.fr_FR.po @@ -0,0 +1,69 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n > 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: fr\n" +"X-Crowdin-File: /1.7.x/modules/po/adminlog.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" + +#: adminlog.cpp:29 +msgid "Show the logging target" +msgstr "" + +#: adminlog.cpp:31 +msgid " [path]" +msgstr "" + +#: adminlog.cpp:32 +msgid "Set the logging target" +msgstr "" + +#: adminlog.cpp:142 +msgid "Access denied" +msgstr "" + +#: adminlog.cpp:156 +msgid "Now logging to file" +msgstr "" + +#: adminlog.cpp:160 +msgid "Now only logging to syslog" +msgstr "" + +#: adminlog.cpp:164 +msgid "Now logging to syslog and file" +msgstr "" + +#: adminlog.cpp:168 +msgid "Usage: Target [path]" +msgstr "" + +#: adminlog.cpp:170 +msgid "Unknown target" +msgstr "" + +#: adminlog.cpp:192 +msgid "Logging is enabled for file" +msgstr "" + +#: adminlog.cpp:195 +msgid "Logging is enabled for syslog" +msgstr "" + +#: adminlog.cpp:198 +msgid "Logging is enabled for both, file and syslog" +msgstr "" + +#: adminlog.cpp:204 +msgid "Log file will be written to {1}" +msgstr "" + +#: adminlog.cpp:222 +msgid "Log ZNC events to file and/or syslog." +msgstr "" diff --git a/modules/po/alias.fr_FR.po b/modules/po/alias.fr_FR.po new file mode 100644 index 00000000..8bd57c42 --- /dev/null +++ b/modules/po/alias.fr_FR.po @@ -0,0 +1,123 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n > 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: fr\n" +"X-Crowdin-File: /1.7.x/modules/po/alias.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" + +#: alias.cpp:141 +msgid "missing required parameter: {1}" +msgstr "" + +#: alias.cpp:201 +msgid "Created alias: {1}" +msgstr "" + +#: alias.cpp:203 +msgid "Alias already exists." +msgstr "" + +#: alias.cpp:210 +msgid "Deleted alias: {1}" +msgstr "" + +#: alias.cpp:213 alias.cpp:224 alias.cpp:246 alias.cpp:265 alias.cpp:276 +#: alias.cpp:333 +msgid "Alias does not exist." +msgstr "" + +#: alias.cpp:222 alias.cpp:244 alias.cpp:263 alias.cpp:274 +msgid "Modified alias." +msgstr "" + +#: alias.cpp:236 alias.cpp:256 +msgid "Invalid index." +msgstr "" + +#: alias.cpp:282 alias.cpp:298 +msgid "There are no aliases." +msgstr "" + +#: alias.cpp:289 +msgid "The following aliases exist: {1}" +msgstr "" + +#: alias.cpp:290 +msgctxt "list|separator" +msgid ", " +msgstr "" + +#: alias.cpp:324 +msgid "Actions for alias {1}:" +msgstr "" + +#: alias.cpp:331 +msgid "End of actions for alias {1}." +msgstr "" + +#: alias.cpp:338 alias.cpp:341 alias.cpp:352 alias.cpp:357 +msgid "" +msgstr "" + +#: alias.cpp:339 +msgid "Creates a new, blank alias called name." +msgstr "" + +#: alias.cpp:341 +msgid "Deletes an existing alias." +msgstr "" + +#: alias.cpp:343 +msgid " " +msgstr "" + +#: alias.cpp:344 +msgid "Adds a line to an existing alias." +msgstr "" + +#: alias.cpp:346 +msgid " " +msgstr "" + +#: alias.cpp:347 +msgid "Inserts a line into an existing alias." +msgstr "" + +#: alias.cpp:349 +msgid " " +msgstr "" + +#: alias.cpp:350 +msgid "Removes a line from an existing alias." +msgstr "" + +#: alias.cpp:353 +msgid "Removes all lines from an existing alias." +msgstr "" + +#: alias.cpp:355 +msgid "Lists all aliases by name." +msgstr "" + +#: alias.cpp:358 +msgid "Reports the actions performed by an alias." +msgstr "" + +#: alias.cpp:362 +msgid "Generate a list of commands to copy your alias config." +msgstr "" + +#: alias.cpp:374 +msgid "Clearing all of them!" +msgstr "" + +#: alias.cpp:409 +msgid "Provides bouncer-side command alias support." +msgstr "" diff --git a/modules/po/autoattach.fr_FR.po b/modules/po/autoattach.fr_FR.po new file mode 100644 index 00000000..1b2ba737 --- /dev/null +++ b/modules/po/autoattach.fr_FR.po @@ -0,0 +1,85 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n > 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: fr\n" +"X-Crowdin-File: /1.7.x/modules/po/autoattach.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" + +#: autoattach.cpp:94 +msgid "Added to list" +msgstr "" + +#: autoattach.cpp:96 +msgid "{1} is already added" +msgstr "" + +#: autoattach.cpp:100 +msgid "Usage: Add [!]<#chan> " +msgstr "" + +#: autoattach.cpp:101 +msgid "Wildcards are allowed" +msgstr "" + +#: autoattach.cpp:113 +msgid "Removed {1} from list" +msgstr "" + +#: autoattach.cpp:115 +msgid "Usage: Del [!]<#chan> " +msgstr "" + +#: autoattach.cpp:121 autoattach.cpp:129 +msgid "Neg" +msgstr "" + +#: autoattach.cpp:122 autoattach.cpp:130 +msgid "Chan" +msgstr "" + +#: autoattach.cpp:123 autoattach.cpp:131 +msgid "Search" +msgstr "" + +#: autoattach.cpp:124 autoattach.cpp:132 +msgid "Host" +msgstr "" + +#: autoattach.cpp:138 +msgid "You have no entries." +msgstr "" + +#: autoattach.cpp:146 autoattach.cpp:149 +msgid "[!]<#chan> " +msgstr "" + +#: autoattach.cpp:147 +msgid "Add an entry, use !#chan to negate and * for wildcards" +msgstr "" + +#: autoattach.cpp:150 +msgid "Remove an entry, needs to be an exact match" +msgstr "" + +#: autoattach.cpp:152 +msgid "List all entries" +msgstr "" + +#: autoattach.cpp:171 +msgid "Unable to add [{1}]" +msgstr "" + +#: autoattach.cpp:283 +msgid "List of channel masks and channel masks with ! before them." +msgstr "" + +#: autoattach.cpp:286 +msgid "Reattaches you to channels on activity." +msgstr "" diff --git a/modules/po/autocycle.fr_FR.po b/modules/po/autocycle.fr_FR.po new file mode 100644 index 00000000..558e35e6 --- /dev/null +++ b/modules/po/autocycle.fr_FR.po @@ -0,0 +1,69 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n > 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: fr\n" +"X-Crowdin-File: /1.7.x/modules/po/autocycle.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" + +#: autocycle.cpp:27 autocycle.cpp:30 +msgid "[!]<#chan>" +msgstr "" + +#: autocycle.cpp:28 +msgid "Add an entry, use !#chan to negate and * for wildcards" +msgstr "" + +#: autocycle.cpp:31 +msgid "Remove an entry, needs to be an exact match" +msgstr "" + +#: autocycle.cpp:33 +msgid "List all entries" +msgstr "" + +#: autocycle.cpp:46 +msgid "Unable to add {1}" +msgstr "" + +#: autocycle.cpp:66 +msgid "{1} is already added" +msgstr "" + +#: autocycle.cpp:68 +msgid "Added {1} to list" +msgstr "" + +#: autocycle.cpp:70 +msgid "Usage: Add [!]<#chan>" +msgstr "" + +#: autocycle.cpp:78 +msgid "Removed {1} from list" +msgstr "" + +#: autocycle.cpp:80 +msgid "Usage: Del [!]<#chan>" +msgstr "" + +#: autocycle.cpp:85 autocycle.cpp:89 autocycle.cpp:94 +msgid "Channel" +msgstr "" + +#: autocycle.cpp:100 +msgid "You have no entries." +msgstr "" + +#: autocycle.cpp:229 +msgid "List of channel masks and channel masks with ! before them." +msgstr "" + +#: autocycle.cpp:234 +msgid "Rejoins channels to gain Op if you're the only user left" +msgstr "" diff --git a/modules/po/autoop.fr_FR.po b/modules/po/autoop.fr_FR.po new file mode 100644 index 00000000..fcd0c95d --- /dev/null +++ b/modules/po/autoop.fr_FR.po @@ -0,0 +1,168 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n > 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: fr\n" +"X-Crowdin-File: /1.7.x/modules/po/autoop.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" + +#: autoop.cpp:154 +msgid "List all users" +msgstr "" + +#: autoop.cpp:156 autoop.cpp:159 +msgid " [channel] ..." +msgstr "" + +#: autoop.cpp:157 +msgid "Adds channels to a user" +msgstr "" + +#: autoop.cpp:160 +msgid "Removes channels from a user" +msgstr "" + +#: autoop.cpp:162 autoop.cpp:165 +msgid " ,[mask] ..." +msgstr "" + +#: autoop.cpp:163 +msgid "Adds masks to a user" +msgstr "" + +#: autoop.cpp:166 +msgid "Removes masks from a user" +msgstr "" + +#: autoop.cpp:169 +msgid " [,...] [channels]" +msgstr "" + +#: autoop.cpp:170 +msgid "Adds a user" +msgstr "" + +#: autoop.cpp:172 +msgid "" +msgstr "" + +#: autoop.cpp:172 +msgid "Removes a user" +msgstr "" + +#: autoop.cpp:275 +msgid "Usage: AddUser [,...] [channels]" +msgstr "" + +#: autoop.cpp:291 +msgid "Usage: DelUser " +msgstr "" + +#: autoop.cpp:300 +msgid "There are no users defined" +msgstr "" + +#: autoop.cpp:306 autoop.cpp:317 autoop.cpp:321 autoop.cpp:323 +msgid "User" +msgstr "" + +#: autoop.cpp:307 autoop.cpp:325 +msgid "Hostmasks" +msgstr "" + +#: autoop.cpp:308 autoop.cpp:318 +msgid "Key" +msgstr "" + +#: autoop.cpp:309 autoop.cpp:319 +msgid "Channels" +msgstr "" + +#: autoop.cpp:337 +msgid "Usage: AddChans [channel] ..." +msgstr "" + +#: autoop.cpp:344 autoop.cpp:365 autoop.cpp:387 autoop.cpp:408 autoop.cpp:472 +msgid "No such user" +msgstr "" + +#: autoop.cpp:349 +msgid "Channel(s) added to user {1}" +msgstr "" + +#: autoop.cpp:358 +msgid "Usage: DelChans [channel] ..." +msgstr "" + +#: autoop.cpp:371 +msgid "Channel(s) Removed from user {1}" +msgstr "" + +#: autoop.cpp:380 +msgid "Usage: AddMasks ,[mask] ..." +msgstr "" + +#: autoop.cpp:392 +msgid "Hostmasks(s) added to user {1}" +msgstr "" + +#: autoop.cpp:401 +msgid "Usage: DelMasks ,[mask] ..." +msgstr "" + +#: autoop.cpp:413 +msgid "Removed user {1} with key {2} and channels {3}" +msgstr "" + +#: autoop.cpp:419 +msgid "Hostmasks(s) Removed from user {1}" +msgstr "" + +#: autoop.cpp:478 +msgid "User {1} removed" +msgstr "" + +#: autoop.cpp:484 +msgid "That user already exists" +msgstr "" + +#: autoop.cpp:490 +msgid "User {1} added with hostmask(s) {2}" +msgstr "" + +#: autoop.cpp:532 +msgid "" +"[{1}] sent us a challenge but they are not opped in any defined channels." +msgstr "" + +#: autoop.cpp:536 +msgid "[{1}] sent us a challenge but they do not match a defined user." +msgstr "" + +#: autoop.cpp:544 +msgid "WARNING! [{1}] sent an invalid challenge." +msgstr "" + +#: autoop.cpp:560 +msgid "[{1}] sent an unchallenged response. This could be due to lag." +msgstr "" + +#: autoop.cpp:577 +msgid "" +"WARNING! [{1}] sent a bad response. Please verify that you have their " +"correct password." +msgstr "" + +#: autoop.cpp:586 +msgid "WARNING! [{1}] sent a response but did not match any defined users." +msgstr "" + +#: autoop.cpp:644 +msgid "Auto op the good people" +msgstr "" diff --git a/modules/po/autoreply.fr_FR.po b/modules/po/autoreply.fr_FR.po new file mode 100644 index 00000000..355e96a7 --- /dev/null +++ b/modules/po/autoreply.fr_FR.po @@ -0,0 +1,43 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n > 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: fr\n" +"X-Crowdin-File: /1.7.x/modules/po/autoreply.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" + +#: autoreply.cpp:25 +msgid "" +msgstr "" + +#: autoreply.cpp:25 +msgid "Sets a new reply" +msgstr "" + +#: autoreply.cpp:27 +msgid "Displays the current query reply" +msgstr "" + +#: autoreply.cpp:75 +msgid "Current reply is: {1} ({2})" +msgstr "" + +#: autoreply.cpp:81 +msgid "New reply set to: {1} ({2})" +msgstr "" + +#: autoreply.cpp:94 +msgid "" +"You might specify a reply text. It is used when automatically answering " +"queries, if you are not connected to ZNC." +msgstr "" + +#: autoreply.cpp:98 +msgid "Reply to queries when you are away" +msgstr "" diff --git a/modules/po/autovoice.fr_FR.po b/modules/po/autovoice.fr_FR.po new file mode 100644 index 00000000..5e6b4d4a --- /dev/null +++ b/modules/po/autovoice.fr_FR.po @@ -0,0 +1,111 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n > 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: fr\n" +"X-Crowdin-File: /1.7.x/modules/po/autovoice.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" + +#: autovoice.cpp:120 +msgid "List all users" +msgstr "" + +#: autovoice.cpp:122 autovoice.cpp:125 +msgid " [channel] ..." +msgstr "" + +#: autovoice.cpp:123 +msgid "Adds channels to a user" +msgstr "" + +#: autovoice.cpp:126 +msgid "Removes channels from a user" +msgstr "" + +#: autovoice.cpp:128 +msgid " [channels]" +msgstr "" + +#: autovoice.cpp:129 +msgid "Adds a user" +msgstr "" + +#: autovoice.cpp:131 +msgid "" +msgstr "" + +#: autovoice.cpp:131 +msgid "Removes a user" +msgstr "" + +#: autovoice.cpp:215 +msgid "Usage: AddUser [channels]" +msgstr "" + +#: autovoice.cpp:229 +msgid "Usage: DelUser " +msgstr "" + +#: autovoice.cpp:238 +msgid "There are no users defined" +msgstr "" + +#: autovoice.cpp:244 autovoice.cpp:250 +msgid "User" +msgstr "" + +#: autovoice.cpp:245 autovoice.cpp:251 +msgid "Hostmask" +msgstr "" + +#: autovoice.cpp:246 autovoice.cpp:252 +msgid "Channels" +msgstr "" + +#: autovoice.cpp:263 +msgid "Usage: AddChans [channel] ..." +msgstr "" + +#: autovoice.cpp:270 autovoice.cpp:292 autovoice.cpp:329 +msgid "No such user" +msgstr "" + +#: autovoice.cpp:275 +msgid "Channel(s) added to user {1}" +msgstr "" + +#: autovoice.cpp:285 +msgid "Usage: DelChans [channel] ..." +msgstr "" + +#: autovoice.cpp:298 +msgid "Channel(s) Removed from user {1}" +msgstr "" + +#: autovoice.cpp:335 +msgid "User {1} removed" +msgstr "" + +#: autovoice.cpp:341 +msgid "That user already exists" +msgstr "" + +#: autovoice.cpp:347 +msgid "User {1} added with hostmask {2}" +msgstr "" + +#: autovoice.cpp:360 +msgid "" +"Each argument is either a channel you want autovoice for (which can include " +"wildcards) or, if it starts with !, it is an exception for autovoice." +msgstr "" + +#: autovoice.cpp:365 +msgid "Auto voice the good people" +msgstr "" diff --git a/modules/po/awaystore.fr_FR.po b/modules/po/awaystore.fr_FR.po new file mode 100644 index 00000000..3661b498 --- /dev/null +++ b/modules/po/awaystore.fr_FR.po @@ -0,0 +1,110 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n > 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: fr\n" +"X-Crowdin-File: /1.7.x/modules/po/awaystore.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" + +#: awaystore.cpp:67 +msgid "You have been marked as away" +msgstr "" + +#: awaystore.cpp:78 awaystore.cpp:385 awaystore.cpp:388 +msgid "Welcome back!" +msgstr "" + +#: awaystore.cpp:100 +msgid "Deleted {1} messages" +msgstr "" + +#: awaystore.cpp:104 +msgid "USAGE: delete " +msgstr "" + +#: awaystore.cpp:109 +msgid "Illegal message # requested" +msgstr "" + +#: awaystore.cpp:113 +msgid "Message erased" +msgstr "" + +#: awaystore.cpp:122 +msgid "Messages saved to disk" +msgstr "" + +#: awaystore.cpp:124 +msgid "There are no messages to save" +msgstr "" + +#: awaystore.cpp:135 +msgid "Password updated to [{1}]" +msgstr "" + +#: awaystore.cpp:147 +msgid "Corrupt message! [{1}]" +msgstr "" + +#: awaystore.cpp:159 +msgid "Corrupt time stamp! [{1}]" +msgstr "" + +#: awaystore.cpp:178 +msgid "#--- End of messages" +msgstr "" + +#: awaystore.cpp:183 +msgid "Timer set to 300 seconds" +msgstr "" + +#: awaystore.cpp:188 awaystore.cpp:197 +msgid "Timer disabled" +msgstr "" + +#: awaystore.cpp:199 +msgid "Timer set to {1} seconds" +msgstr "" + +#: awaystore.cpp:203 +msgid "Current timer setting: {1} seconds" +msgstr "" + +#: awaystore.cpp:278 +msgid "This module needs as an argument a keyphrase used for encryption" +msgstr "" + +#: awaystore.cpp:285 +msgid "" +"Failed to decrypt your saved messages - Did you give the right encryption " +"key as an argument to this module?" +msgstr "" + +#: awaystore.cpp:386 awaystore.cpp:389 +msgid "You have {1} messages!" +msgstr "" + +#: awaystore.cpp:456 +msgid "Unable to find buffer" +msgstr "" + +#: awaystore.cpp:469 +msgid "Unable to decode encrypted messages" +msgstr "" + +#: awaystore.cpp:516 +msgid "" +"[ -notimer | -timer N ] [-chans] passw0rd . N is number of seconds, 600 by " +"default." +msgstr "" + +#: awaystore.cpp:521 +msgid "" +"Adds auto-away with logging, useful when you use ZNC from different locations" +msgstr "" diff --git a/modules/po/block_motd.fr_FR.po b/modules/po/block_motd.fr_FR.po new file mode 100644 index 00000000..2d1570ee --- /dev/null +++ b/modules/po/block_motd.fr_FR.po @@ -0,0 +1,35 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n > 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: fr\n" +"X-Crowdin-File: /1.7.x/modules/po/block_motd.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" + +#: block_motd.cpp:26 +msgid "[]" +msgstr "" + +#: block_motd.cpp:27 +msgid "" +"Override the block with this command. Can optionally specify which server to " +"query." +msgstr "" + +#: block_motd.cpp:36 +msgid "You are not connected to an IRC Server." +msgstr "" + +#: block_motd.cpp:58 +msgid "MOTD blocked by ZNC" +msgstr "" + +#: block_motd.cpp:104 +msgid "Block the MOTD from IRC so it's not sent to your client(s)." +msgstr "" diff --git a/modules/po/blockuser.fr_FR.po b/modules/po/blockuser.fr_FR.po new file mode 100644 index 00000000..f2fbd4e0 --- /dev/null +++ b/modules/po/blockuser.fr_FR.po @@ -0,0 +1,97 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n > 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: fr\n" +"X-Crowdin-File: /1.7.x/modules/po/blockuser.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" + +#: modules/po/../data/blockuser/tmpl/blockuser_WebadminUser.tmpl:9 +msgid "Account is blocked" +msgstr "" + +#: blockuser.cpp:23 +msgid "Your account has been disabled. Contact your administrator." +msgstr "" + +#: blockuser.cpp:29 +msgid "List blocked users" +msgstr "" + +#: blockuser.cpp:31 blockuser.cpp:33 +msgid "" +msgstr "" + +#: blockuser.cpp:31 +msgid "Block a user" +msgstr "" + +#: blockuser.cpp:33 +msgid "Unblock a user" +msgstr "" + +#: blockuser.cpp:55 +msgid "Could not block {1}" +msgstr "" + +#: blockuser.cpp:76 +msgid "Access denied" +msgstr "" + +#: blockuser.cpp:85 +msgid "No users are blocked" +msgstr "" + +#: blockuser.cpp:88 +msgid "Blocked users:" +msgstr "" + +#: blockuser.cpp:100 +msgid "Usage: Block " +msgstr "" + +#: blockuser.cpp:105 blockuser.cpp:147 +msgid "You can't block yourself" +msgstr "" + +#: blockuser.cpp:110 blockuser.cpp:152 +msgid "Blocked {1}" +msgstr "" + +#: blockuser.cpp:112 +msgid "Could not block {1} (misspelled?)" +msgstr "" + +#: blockuser.cpp:120 +msgid "Usage: Unblock " +msgstr "" + +#: blockuser.cpp:125 blockuser.cpp:161 +msgid "Unblocked {1}" +msgstr "" + +#: blockuser.cpp:127 +msgid "This user is not blocked" +msgstr "" + +#: blockuser.cpp:155 +msgid "Couldn't block {1}" +msgstr "" + +#: blockuser.cpp:164 +msgid "User {1} is not blocked" +msgstr "" + +#: blockuser.cpp:216 +msgid "Enter one or more user names. Separate them by spaces." +msgstr "" + +#: blockuser.cpp:219 +msgid "Block certain users from logging in." +msgstr "" diff --git a/modules/po/bouncedcc.fr_FR.po b/modules/po/bouncedcc.fr_FR.po new file mode 100644 index 00000000..6fcabbaf --- /dev/null +++ b/modules/po/bouncedcc.fr_FR.po @@ -0,0 +1,131 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n > 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: fr\n" +"X-Crowdin-File: /1.7.x/modules/po/bouncedcc.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" + +#: bouncedcc.cpp:101 bouncedcc.cpp:119 bouncedcc.cpp:121 +msgctxt "list" +msgid "Type" +msgstr "" + +#: bouncedcc.cpp:102 bouncedcc.cpp:132 +msgctxt "list" +msgid "State" +msgstr "" + +#: bouncedcc.cpp:103 +msgctxt "list" +msgid "Speed" +msgstr "" + +#: bouncedcc.cpp:104 bouncedcc.cpp:115 +msgctxt "list" +msgid "Nick" +msgstr "" + +#: bouncedcc.cpp:105 bouncedcc.cpp:116 +msgctxt "list" +msgid "IP" +msgstr "" + +#: bouncedcc.cpp:106 bouncedcc.cpp:122 +msgctxt "list" +msgid "File" +msgstr "" + +#: bouncedcc.cpp:119 +msgctxt "list" +msgid "Chat" +msgstr "" + +#: bouncedcc.cpp:121 +msgctxt "list" +msgid "Xfer" +msgstr "" + +#: bouncedcc.cpp:125 +msgid "Waiting" +msgstr "" + +#: bouncedcc.cpp:127 +msgid "Halfway" +msgstr "" + +#: bouncedcc.cpp:129 +msgid "Connected" +msgstr "" + +#: bouncedcc.cpp:137 +msgid "You have no active DCCs." +msgstr "" + +#: bouncedcc.cpp:148 +msgid "Use client IP: {1}" +msgstr "" + +#: bouncedcc.cpp:153 +msgid "List all active DCCs" +msgstr "" + +#: bouncedcc.cpp:156 +msgid "Change the option to use IP of client" +msgstr "" + +#: bouncedcc.cpp:383 bouncedcc.cpp:412 bouncedcc.cpp:436 bouncedcc.cpp:451 +msgctxt "type" +msgid "Chat" +msgstr "" + +#: bouncedcc.cpp:383 bouncedcc.cpp:412 bouncedcc.cpp:436 bouncedcc.cpp:451 +msgctxt "type" +msgid "Xfer" +msgstr "" + +#: bouncedcc.cpp:385 +msgid "DCC {1} Bounce ({2}): Too long line received" +msgstr "" + +#: bouncedcc.cpp:418 +msgid "DCC {1} Bounce ({2}): Timeout while connecting to {3} {4}" +msgstr "" + +#: bouncedcc.cpp:422 +msgid "DCC {1} Bounce ({2}): Timeout while connecting." +msgstr "" + +#: bouncedcc.cpp:427 +msgid "" +"DCC {1} Bounce ({2}): Timeout while waiting for incoming connection on {3} " +"{4}" +msgstr "" + +#: bouncedcc.cpp:440 +msgid "DCC {1} Bounce ({2}): Connection refused while connecting to {3} {4}" +msgstr "" + +#: bouncedcc.cpp:444 +msgid "DCC {1} Bounce ({2}): Connection refused while connecting." +msgstr "" + +#: bouncedcc.cpp:457 bouncedcc.cpp:465 +msgid "DCC {1} Bounce ({2}): Socket error on {3} {4}: {5}" +msgstr "" + +#: bouncedcc.cpp:460 +msgid "DCC {1} Bounce ({2}): Socket error: {3}" +msgstr "" + +#: bouncedcc.cpp:547 +msgid "" +"Bounces DCC transfers through ZNC instead of sending them directly to the " +"user. " +msgstr "" diff --git a/modules/po/buffextras.fr_FR.po b/modules/po/buffextras.fr_FR.po new file mode 100644 index 00000000..ddf53bc5 --- /dev/null +++ b/modules/po/buffextras.fr_FR.po @@ -0,0 +1,49 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n > 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: fr\n" +"X-Crowdin-File: /1.7.x/modules/po/buffextras.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" + +#: buffextras.cpp:45 +msgid "Server" +msgstr "" + +#: buffextras.cpp:47 +msgid "{1} set mode: {2} {3}" +msgstr "" + +#: buffextras.cpp:55 +msgid "{1} kicked {2} with reason: {3}" +msgstr "" + +#: buffextras.cpp:64 +msgid "{1} quit: {2}" +msgstr "" + +#: buffextras.cpp:73 +msgid "{1} joined" +msgstr "" + +#: buffextras.cpp:81 +msgid "{1} parted: {2}" +msgstr "" + +#: buffextras.cpp:90 +msgid "{1} is now known as {2}" +msgstr "" + +#: buffextras.cpp:100 +msgid "{1} changed the topic to: {2}" +msgstr "" + +#: buffextras.cpp:115 +msgid "Adds joins, parts etc. to the playback buffer" +msgstr "" diff --git a/modules/po/cert.fr_FR.po b/modules/po/cert.fr_FR.po new file mode 100644 index 00000000..41a963e7 --- /dev/null +++ b/modules/po/cert.fr_FR.po @@ -0,0 +1,75 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n > 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: fr\n" +"X-Crowdin-File: /1.7.x/modules/po/cert.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" + +# this text is inserted into `click here` in the other string +#: modules/po/../data/cert/tmpl/index.tmpl:5 +msgid "here" +msgstr "" + +# {1} is `here`, translateable in the other string +#: modules/po/../data/cert/tmpl/index.tmpl:6 +msgid "" +"You already have a certificate set, use the form below to overwrite the " +"current certificate. Alternatively click {1} to delete your certificate." +msgstr "" + +#: modules/po/../data/cert/tmpl/index.tmpl:8 +msgid "You do not have a certificate yet." +msgstr "" + +#: modules/po/../data/cert/tmpl/index.tmpl:14 cert.cpp:72 +msgid "Certificate" +msgstr "" + +#: modules/po/../data/cert/tmpl/index.tmpl:18 +msgid "PEM File:" +msgstr "" + +#: modules/po/../data/cert/tmpl/index.tmpl:22 +msgid "Update" +msgstr "" + +#: cert.cpp:28 +msgid "Pem file deleted" +msgstr "" + +#: cert.cpp:31 +msgid "The pem file doesn't exist or there was a error deleting the pem file." +msgstr "" + +#: cert.cpp:38 +msgid "You have a certificate in {1}" +msgstr "" + +#: cert.cpp:41 +msgid "" +"You do not have a certificate. Please use the web interface to add a " +"certificate" +msgstr "" + +#: cert.cpp:44 +msgid "Alternatively you can either place one at {1}" +msgstr "" + +#: cert.cpp:52 +msgid "Delete the current certificate" +msgstr "" + +#: cert.cpp:54 +msgid "Show the current certificate" +msgstr "" + +#: cert.cpp:105 +msgid "Use a ssl certificate to connect to a server" +msgstr "" diff --git a/modules/po/certauth.fr_FR.po b/modules/po/certauth.fr_FR.po new file mode 100644 index 00000000..04d58123 --- /dev/null +++ b/modules/po/certauth.fr_FR.po @@ -0,0 +1,108 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n > 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: fr\n" +"X-Crowdin-File: /1.7.x/modules/po/certauth.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" + +#: modules/po/../data/certauth/tmpl/index.tmpl:7 +msgid "Add a key" +msgstr "" + +#: modules/po/../data/certauth/tmpl/index.tmpl:11 +msgid "Key:" +msgstr "" + +#: modules/po/../data/certauth/tmpl/index.tmpl:15 +msgid "Add Key" +msgstr "" + +#: modules/po/../data/certauth/tmpl/index.tmpl:23 +msgid "You have no keys." +msgstr "" + +#: modules/po/../data/certauth/tmpl/index.tmpl:30 +msgctxt "web" +msgid "Key" +msgstr "" + +#: modules/po/../data/certauth/tmpl/index.tmpl:36 +msgid "del" +msgstr "" + +#: certauth.cpp:31 +msgid "[pubkey]" +msgstr "" + +#: certauth.cpp:32 +msgid "Add a public key. If key is not provided will use the current key" +msgstr "" + +#: certauth.cpp:35 +msgid "id" +msgstr "" + +#: certauth.cpp:35 +msgid "Delete a key by its number in List" +msgstr "" + +#: certauth.cpp:37 +msgid "List your public keys" +msgstr "" + +#: certauth.cpp:39 +msgid "Print your current key" +msgstr "" + +#: certauth.cpp:142 +msgid "You are not connected with any valid public key" +msgstr "" + +#: certauth.cpp:144 +msgid "Your current public key is: {1}" +msgstr "" + +#: certauth.cpp:157 +msgid "You did not supply a public key or connect with one." +msgstr "" + +#: certauth.cpp:160 +msgid "Key '{1}' added." +msgstr "" + +#: certauth.cpp:162 +msgid "The key '{1}' is already added." +msgstr "" + +#: certauth.cpp:170 certauth.cpp:182 +msgctxt "list" +msgid "Id" +msgstr "" + +#: certauth.cpp:171 certauth.cpp:183 +msgctxt "list" +msgid "Key" +msgstr "" + +#: certauth.cpp:175 certauth.cpp:189 certauth.cpp:198 +msgid "No keys set for your user" +msgstr "" + +#: certauth.cpp:203 +msgid "Invalid #, check \"list\"" +msgstr "" + +#: certauth.cpp:215 +msgid "Removed" +msgstr "" + +#: certauth.cpp:290 +msgid "Allows users to authenticate via SSL client certificates." +msgstr "" diff --git a/modules/po/chansaver.fr_FR.po b/modules/po/chansaver.fr_FR.po new file mode 100644 index 00000000..a069a8b3 --- /dev/null +++ b/modules/po/chansaver.fr_FR.po @@ -0,0 +1,17 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n > 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: fr\n" +"X-Crowdin-File: /1.7.x/modules/po/chansaver.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" + +#: chansaver.cpp:91 +msgid "Keeps config up-to-date when user joins/parts." +msgstr "" diff --git a/modules/po/clearbufferonmsg.fr_FR.po b/modules/po/clearbufferonmsg.fr_FR.po new file mode 100644 index 00000000..9700351c --- /dev/null +++ b/modules/po/clearbufferonmsg.fr_FR.po @@ -0,0 +1,17 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n > 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: fr\n" +"X-Crowdin-File: /1.7.x/modules/po/clearbufferonmsg.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" + +#: clearbufferonmsg.cpp:160 +msgid "Clears all channel and query buffers whenever the user does something" +msgstr "" diff --git a/modules/po/clientnotify.fr_FR.po b/modules/po/clientnotify.fr_FR.po new file mode 100644 index 00000000..c30df329 --- /dev/null +++ b/modules/po/clientnotify.fr_FR.po @@ -0,0 +1,73 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n > 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: fr\n" +"X-Crowdin-File: /1.7.x/modules/po/clientnotify.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" + +#: clientnotify.cpp:47 +msgid "" +msgstr "" + +#: clientnotify.cpp:48 +msgid "Sets the notify method" +msgstr "" + +#: clientnotify.cpp:50 clientnotify.cpp:54 +msgid "" +msgstr "" + +#: clientnotify.cpp:51 +msgid "Turns notifications for unseen IP addresses on or off" +msgstr "" + +#: clientnotify.cpp:55 +msgid "Turns notifications for clients disconnecting on or off" +msgstr "" + +#: clientnotify.cpp:57 +msgid "Shows the current settings" +msgstr "" + +#: clientnotify.cpp:81 clientnotify.cpp:95 +msgid "" +msgid_plural "" +"Another client authenticated as your user. Use the 'ListClients' command to " +"see all {1} clients." +msgstr[0] "" +msgstr[1] "" + +#: clientnotify.cpp:108 +msgid "Usage: Method " +msgstr "" + +#: clientnotify.cpp:114 clientnotify.cpp:127 clientnotify.cpp:140 +msgid "Saved." +msgstr "" + +#: clientnotify.cpp:121 +msgid "Usage: NewOnly " +msgstr "" + +#: clientnotify.cpp:134 +msgid "Usage: OnDisconnect " +msgstr "" + +#: clientnotify.cpp:145 +msgid "" +"Current settings: Method: {1}, for unseen IP addresses only: {2}, notify on " +"disconnecting clients: {3}" +msgstr "" + +#: clientnotify.cpp:157 +msgid "" +"Notifies you when another IRC client logs into or out of your account. " +"Configurable." +msgstr "" diff --git a/modules/po/controlpanel.fr_FR.po b/modules/po/controlpanel.fr_FR.po new file mode 100644 index 00000000..2a3a82cb --- /dev/null +++ b/modules/po/controlpanel.fr_FR.po @@ -0,0 +1,718 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n > 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: fr\n" +"X-Crowdin-File: /1.7.x/modules/po/controlpanel.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" + +#: controlpanel.cpp:51 controlpanel.cpp:63 +msgctxt "helptable" +msgid "Type" +msgstr "" + +#: controlpanel.cpp:52 controlpanel.cpp:65 +msgctxt "helptable" +msgid "Variables" +msgstr "" + +#: controlpanel.cpp:77 +msgid "String" +msgstr "" + +#: controlpanel.cpp:78 +msgid "Boolean (true/false)" +msgstr "" + +#: controlpanel.cpp:79 +msgid "Integer" +msgstr "" + +#: controlpanel.cpp:80 +msgid "Number" +msgstr "" + +#: controlpanel.cpp:123 +msgid "The following variables are available when using the Set/Get commands:" +msgstr "" + +#: controlpanel.cpp:146 +msgid "" +"The following variables are available when using the SetNetwork/GetNetwork " +"commands:" +msgstr "" + +#: controlpanel.cpp:159 +msgid "" +"The following variables are available when using the SetChan/GetChan " +"commands:" +msgstr "" + +#: controlpanel.cpp:165 +msgid "" +"You can use $user as the user name and $network as the network name for " +"modifying your own user and network." +msgstr "" + +#: controlpanel.cpp:174 controlpanel.cpp:961 controlpanel.cpp:998 +msgid "Error: User [{1}] does not exist!" +msgstr "" + +#: controlpanel.cpp:179 +msgid "Error: You need to have admin rights to modify other users!" +msgstr "" + +#: controlpanel.cpp:189 +msgid "Error: You cannot use $network to modify other users!" +msgstr "" + +#: controlpanel.cpp:197 +msgid "Error: User {1} does not have a network named [{2}]." +msgstr "" + +#: controlpanel.cpp:209 +msgid "Usage: Get [username]" +msgstr "" + +#: controlpanel.cpp:299 controlpanel.cpp:502 controlpanel.cpp:577 +#: controlpanel.cpp:653 controlpanel.cpp:788 controlpanel.cpp:873 +msgid "Error: Unknown variable" +msgstr "" + +#: controlpanel.cpp:308 +msgid "Usage: Set " +msgstr "" + +#: controlpanel.cpp:330 controlpanel.cpp:618 +msgid "This bind host is already set!" +msgstr "" + +#: controlpanel.cpp:337 controlpanel.cpp:349 controlpanel.cpp:357 +#: controlpanel.cpp:420 controlpanel.cpp:439 controlpanel.cpp:455 +#: controlpanel.cpp:465 controlpanel.cpp:625 +msgid "Access denied!" +msgstr "" + +#: controlpanel.cpp:371 controlpanel.cpp:380 controlpanel.cpp:837 +msgid "Setting failed, limit for buffer size is {1}" +msgstr "" + +#: controlpanel.cpp:400 +msgid "Password has been changed!" +msgstr "" + +#: controlpanel.cpp:408 +msgid "Timeout can't be less than 30 seconds!" +msgstr "" + +#: controlpanel.cpp:472 +msgid "That would be a bad idea!" +msgstr "" + +#: controlpanel.cpp:490 +msgid "Supported languages: {1}" +msgstr "" + +#: controlpanel.cpp:514 +msgid "Usage: GetNetwork [username] [network]" +msgstr "" + +#: controlpanel.cpp:533 +msgid "Error: A network must be specified to get another users settings." +msgstr "" + +#: controlpanel.cpp:539 +msgid "You are not currently attached to a network." +msgstr "" + +#: controlpanel.cpp:545 +msgid "Error: Invalid network." +msgstr "" + +#: controlpanel.cpp:589 +msgid "Usage: SetNetwork " +msgstr "" + +#: controlpanel.cpp:663 +msgid "Usage: AddChan " +msgstr "" + +#: controlpanel.cpp:676 +msgid "Error: User {1} already has a channel named {2}." +msgstr "" + +#: controlpanel.cpp:683 +msgid "Channel {1} for user {2} added to network {3}." +msgstr "" + +#: controlpanel.cpp:687 +msgid "" +"Could not add channel {1} for user {2} to network {3}, does it already exist?" +msgstr "" + +#: controlpanel.cpp:697 +msgid "Usage: DelChan " +msgstr "" + +#: controlpanel.cpp:712 +msgid "Error: User {1} does not have any channel matching [{2}] in network {3}" +msgstr "" + +#: controlpanel.cpp:725 +msgid "Channel {1} is deleted from network {2} of user {3}" +msgid_plural "Channels {1} are deleted from network {2} of user {3}" +msgstr[0] "" +msgstr[1] "" + +#: controlpanel.cpp:740 +msgid "Usage: GetChan " +msgstr "" + +#: controlpanel.cpp:754 controlpanel.cpp:818 +msgid "Error: No channels matching [{1}] found." +msgstr "" + +#: controlpanel.cpp:803 +msgid "Usage: SetChan " +msgstr "" + +#: controlpanel.cpp:884 controlpanel.cpp:894 +msgctxt "listusers" +msgid "Username" +msgstr "" + +#: controlpanel.cpp:885 controlpanel.cpp:895 +msgctxt "listusers" +msgid "Realname" +msgstr "" + +#: controlpanel.cpp:886 controlpanel.cpp:898 controlpanel.cpp:900 +msgctxt "listusers" +msgid "IsAdmin" +msgstr "" + +#: controlpanel.cpp:887 controlpanel.cpp:901 +msgctxt "listusers" +msgid "Nick" +msgstr "" + +#: controlpanel.cpp:888 controlpanel.cpp:902 +msgctxt "listusers" +msgid "AltNick" +msgstr "" + +#: controlpanel.cpp:889 controlpanel.cpp:903 +msgctxt "listusers" +msgid "Ident" +msgstr "" + +#: controlpanel.cpp:890 controlpanel.cpp:904 +msgctxt "listusers" +msgid "BindHost" +msgstr "" + +#: controlpanel.cpp:898 controlpanel.cpp:1138 +msgid "No" +msgstr "" + +#: controlpanel.cpp:900 controlpanel.cpp:1130 +msgid "Yes" +msgstr "" + +#: controlpanel.cpp:914 controlpanel.cpp:983 +msgid "Error: You need to have admin rights to add new users!" +msgstr "" + +#: controlpanel.cpp:920 +msgid "Usage: AddUser " +msgstr "" + +#: controlpanel.cpp:925 +msgid "Error: User {1} already exists!" +msgstr "" + +#: controlpanel.cpp:937 controlpanel.cpp:1012 +msgid "Error: User not added: {1}" +msgstr "" + +#: controlpanel.cpp:941 controlpanel.cpp:1016 +msgid "User {1} added!" +msgstr "" + +#: controlpanel.cpp:948 +msgid "Error: You need to have admin rights to delete users!" +msgstr "" + +#: controlpanel.cpp:954 +msgid "Usage: DelUser " +msgstr "" + +#: controlpanel.cpp:966 +msgid "Error: You can't delete yourself!" +msgstr "" + +#: controlpanel.cpp:972 +msgid "Error: Internal error!" +msgstr "" + +#: controlpanel.cpp:976 +msgid "User {1} deleted!" +msgstr "" + +#: controlpanel.cpp:991 +msgid "Usage: CloneUser " +msgstr "" + +#: controlpanel.cpp:1006 +msgid "Error: Cloning failed: {1}" +msgstr "" + +#: controlpanel.cpp:1035 +msgid "Usage: AddNetwork [user] network" +msgstr "" + +#: controlpanel.cpp:1041 +msgid "" +"Network number limit reached. Ask an admin to increase the limit for you, or " +"delete unneeded networks using /znc DelNetwork " +msgstr "" + +#: controlpanel.cpp:1049 +msgid "Error: User {1} already has a network with the name {2}" +msgstr "" + +#: controlpanel.cpp:1056 +msgid "Network {1} added to user {2}." +msgstr "" + +#: controlpanel.cpp:1060 +msgid "Error: Network [{1}] could not be added for user {2}: {3}" +msgstr "" + +#: controlpanel.cpp:1080 +msgid "Usage: DelNetwork [user] network" +msgstr "" + +#: controlpanel.cpp:1091 +msgid "The currently active network can be deleted via {1}status" +msgstr "" + +#: controlpanel.cpp:1097 +msgid "Network {1} deleted for user {2}." +msgstr "" + +#: controlpanel.cpp:1101 +msgid "Error: Network {1} could not be deleted for user {2}." +msgstr "" + +#: controlpanel.cpp:1120 controlpanel.cpp:1128 +msgctxt "listnetworks" +msgid "Network" +msgstr "" + +#: controlpanel.cpp:1121 controlpanel.cpp:1130 controlpanel.cpp:1138 +msgctxt "listnetworks" +msgid "OnIRC" +msgstr "" + +#: controlpanel.cpp:1122 controlpanel.cpp:1131 +msgctxt "listnetworks" +msgid "IRC Server" +msgstr "" + +#: controlpanel.cpp:1123 controlpanel.cpp:1133 +msgctxt "listnetworks" +msgid "IRC User" +msgstr "" + +#: controlpanel.cpp:1124 controlpanel.cpp:1135 +msgctxt "listnetworks" +msgid "Channels" +msgstr "" + +#: controlpanel.cpp:1143 +msgid "No networks" +msgstr "" + +#: controlpanel.cpp:1154 +msgid "Usage: AddServer [[+]port] [password]" +msgstr "" + +#: controlpanel.cpp:1168 +msgid "Added IRC Server {1} to network {2} for user {3}." +msgstr "" + +#: controlpanel.cpp:1172 +msgid "Error: Could not add IRC server {1} to network {2} for user {3}." +msgstr "" + +#: controlpanel.cpp:1185 +msgid "Usage: DelServer [[+]port] [password]" +msgstr "" + +#: controlpanel.cpp:1200 +msgid "Deleted IRC Server {1} from network {2} for user {3}." +msgstr "" + +#: controlpanel.cpp:1204 +msgid "Error: Could not delete IRC server {1} from network {2} for user {3}." +msgstr "" + +#: controlpanel.cpp:1214 +msgid "Usage: Reconnect " +msgstr "" + +#: controlpanel.cpp:1241 +msgid "Queued network {1} of user {2} for a reconnect." +msgstr "" + +#: controlpanel.cpp:1250 +msgid "Usage: Disconnect " +msgstr "" + +#: controlpanel.cpp:1265 +msgid "Closed IRC connection for network {1} of user {2}." +msgstr "" + +#: controlpanel.cpp:1280 controlpanel.cpp:1284 +msgctxt "listctcp" +msgid "Request" +msgstr "" + +#: controlpanel.cpp:1281 controlpanel.cpp:1285 +msgctxt "listctcp" +msgid "Reply" +msgstr "" + +#: controlpanel.cpp:1289 +msgid "No CTCP replies for user {1} are configured" +msgstr "" + +#: controlpanel.cpp:1292 +msgid "CTCP replies for user {1}:" +msgstr "" + +#: controlpanel.cpp:1308 +msgid "Usage: AddCTCP [user] [request] [reply]" +msgstr "" + +#: controlpanel.cpp:1310 +msgid "" +"This will cause ZNC to reply to the CTCP instead of forwarding it to clients." +msgstr "" + +#: controlpanel.cpp:1313 +msgid "An empty reply will cause the CTCP request to be blocked." +msgstr "" + +#: controlpanel.cpp:1322 +msgid "CTCP requests {1} to user {2} will now be blocked." +msgstr "" + +#: controlpanel.cpp:1326 +msgid "CTCP requests {1} to user {2} will now get reply: {3}" +msgstr "" + +#: controlpanel.cpp:1343 +msgid "Usage: DelCTCP [user] [request]" +msgstr "" + +#: controlpanel.cpp:1349 +msgid "CTCP requests {1} to user {2} will now be sent to IRC clients" +msgstr "" + +#: controlpanel.cpp:1353 +msgid "" +"CTCP requests {1} to user {2} will be sent to IRC clients (nothing has " +"changed)" +msgstr "" + +#: controlpanel.cpp:1363 controlpanel.cpp:1437 +msgid "Loading modules has been disabled." +msgstr "" + +#: controlpanel.cpp:1372 +msgid "Error: Unable to load module {1}: {2}" +msgstr "" + +#: controlpanel.cpp:1375 +msgid "Loaded module {1}" +msgstr "" + +#: controlpanel.cpp:1380 +msgid "Error: Unable to reload module {1}: {2}" +msgstr "" + +#: controlpanel.cpp:1383 +msgid "Reloaded module {1}" +msgstr "" + +#: controlpanel.cpp:1387 +msgid "Error: Unable to load module {1} because it is already loaded" +msgstr "" + +#: controlpanel.cpp:1398 +msgid "Usage: LoadModule [args]" +msgstr "" + +#: controlpanel.cpp:1417 +msgid "Usage: LoadNetModule [args]" +msgstr "" + +#: controlpanel.cpp:1442 +msgid "Please use /znc unloadmod {1}" +msgstr "" + +#: controlpanel.cpp:1448 +msgid "Error: Unable to unload module {1}: {2}" +msgstr "" + +#: controlpanel.cpp:1451 +msgid "Unloaded module {1}" +msgstr "" + +#: controlpanel.cpp:1460 +msgid "Usage: UnloadModule " +msgstr "" + +#: controlpanel.cpp:1477 +msgid "Usage: UnloadNetModule " +msgstr "" + +#: controlpanel.cpp:1494 controlpanel.cpp:1499 +msgctxt "listmodules" +msgid "Name" +msgstr "" + +#: controlpanel.cpp:1495 controlpanel.cpp:1500 +msgctxt "listmodules" +msgid "Arguments" +msgstr "" + +#: controlpanel.cpp:1519 +msgid "User {1} has no modules loaded." +msgstr "" + +#: controlpanel.cpp:1523 +msgid "Modules loaded for user {1}:" +msgstr "" + +#: controlpanel.cpp:1543 +msgid "Network {1} of user {2} has no modules loaded." +msgstr "" + +#: controlpanel.cpp:1547 +msgid "Modules loaded for network {1} of user {2}:" +msgstr "" + +#: controlpanel.cpp:1554 +msgid "[command] [variable]" +msgstr "" + +#: controlpanel.cpp:1555 +msgid "Prints help for matching commands and variables" +msgstr "" + +#: controlpanel.cpp:1558 +msgid " [username]" +msgstr "" + +#: controlpanel.cpp:1559 +msgid "Prints the variable's value for the given or current user" +msgstr "" + +#: controlpanel.cpp:1561 +msgid " " +msgstr "" + +#: controlpanel.cpp:1562 +msgid "Sets the variable's value for the given user" +msgstr "" + +#: controlpanel.cpp:1564 +msgid " [username] [network]" +msgstr "" + +#: controlpanel.cpp:1565 +msgid "Prints the variable's value for the given network" +msgstr "" + +#: controlpanel.cpp:1567 +msgid " " +msgstr "" + +#: controlpanel.cpp:1568 +msgid "Sets the variable's value for the given network" +msgstr "" + +#: controlpanel.cpp:1570 +msgid " [username] " +msgstr "" + +#: controlpanel.cpp:1571 +msgid "Prints the variable's value for the given channel" +msgstr "" + +#: controlpanel.cpp:1574 +msgid " " +msgstr "" + +#: controlpanel.cpp:1575 +msgid "Sets the variable's value for the given channel" +msgstr "" + +#: controlpanel.cpp:1577 controlpanel.cpp:1580 +msgid " " +msgstr "" + +#: controlpanel.cpp:1578 +msgid "Adds a new channel" +msgstr "" + +#: controlpanel.cpp:1581 +msgid "Deletes a channel" +msgstr "" + +#: controlpanel.cpp:1583 +msgid "Lists users" +msgstr "" + +#: controlpanel.cpp:1585 +msgid " " +msgstr "" + +#: controlpanel.cpp:1586 +msgid "Adds a new user" +msgstr "" + +#: controlpanel.cpp:1588 controlpanel.cpp:1611 controlpanel.cpp:1625 +msgid "" +msgstr "" + +#: controlpanel.cpp:1588 +msgid "Deletes a user" +msgstr "" + +#: controlpanel.cpp:1590 +msgid " " +msgstr "" + +#: controlpanel.cpp:1591 +msgid "Clones a user" +msgstr "" + +#: controlpanel.cpp:1593 controlpanel.cpp:1596 +msgid " " +msgstr "" + +#: controlpanel.cpp:1594 +msgid "Adds a new IRC server for the given or current user" +msgstr "" + +#: controlpanel.cpp:1597 +msgid "Deletes an IRC server from the given or current user" +msgstr "" + +#: controlpanel.cpp:1599 controlpanel.cpp:1602 controlpanel.cpp:1622 +msgid " " +msgstr "" + +#: controlpanel.cpp:1600 +msgid "Cycles the user's IRC server connection" +msgstr "" + +#: controlpanel.cpp:1603 +msgid "Disconnects the user from their IRC server" +msgstr "" + +#: controlpanel.cpp:1605 +msgid " [args]" +msgstr "" + +#: controlpanel.cpp:1606 +msgid "Loads a Module for a user" +msgstr "" + +#: controlpanel.cpp:1608 +msgid " " +msgstr "" + +#: controlpanel.cpp:1609 +msgid "Removes a Module of a user" +msgstr "" + +#: controlpanel.cpp:1612 +msgid "Get the list of modules for a user" +msgstr "" + +#: controlpanel.cpp:1615 +msgid " [args]" +msgstr "" + +#: controlpanel.cpp:1616 +msgid "Loads a Module for a network" +msgstr "" + +#: controlpanel.cpp:1619 +msgid " " +msgstr "" + +#: controlpanel.cpp:1620 +msgid "Removes a Module of a network" +msgstr "" + +#: controlpanel.cpp:1623 +msgid "Get the list of modules for a network" +msgstr "" + +#: controlpanel.cpp:1626 +msgid "List the configured CTCP replies" +msgstr "" + +#: controlpanel.cpp:1628 +msgid " [reply]" +msgstr "" + +#: controlpanel.cpp:1629 +msgid "Configure a new CTCP reply" +msgstr "" + +#: controlpanel.cpp:1631 +msgid " " +msgstr "" + +#: controlpanel.cpp:1632 +msgid "Remove a CTCP reply" +msgstr "" + +#: controlpanel.cpp:1636 controlpanel.cpp:1639 +msgid "[username] " +msgstr "" + +#: controlpanel.cpp:1637 +msgid "Add a network for a user" +msgstr "" + +#: controlpanel.cpp:1640 +msgid "Delete a network for a user" +msgstr "" + +#: controlpanel.cpp:1642 +msgid "[username]" +msgstr "" + +#: controlpanel.cpp:1643 +msgid "List all networks for a user" +msgstr "" + +#: controlpanel.cpp:1656 +msgid "" +"Dynamic configuration through IRC. Allows editing only yourself if you're " +"not ZNC admin." +msgstr "" diff --git a/modules/po/crypt.fr_FR.po b/modules/po/crypt.fr_FR.po new file mode 100644 index 00000000..687008e2 --- /dev/null +++ b/modules/po/crypt.fr_FR.po @@ -0,0 +1,143 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n > 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: fr\n" +"X-Crowdin-File: /1.7.x/modules/po/crypt.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" + +#: crypt.cpp:198 +msgid "<#chan|Nick>" +msgstr "" + +#: crypt.cpp:199 +msgid "Remove a key for nick or channel" +msgstr "" + +#: crypt.cpp:201 +msgid "<#chan|Nick> " +msgstr "" + +#: crypt.cpp:202 +msgid "Set a key for nick or channel" +msgstr "" + +#: crypt.cpp:204 +msgid "List all keys" +msgstr "" + +#: crypt.cpp:206 +msgid "" +msgstr "" + +#: crypt.cpp:207 +msgid "Start a DH1080 key exchange with nick" +msgstr "" + +#: crypt.cpp:210 +msgid "Get the nick prefix" +msgstr "" + +#: crypt.cpp:213 +msgid "[Prefix]" +msgstr "" + +#: crypt.cpp:214 +msgid "Set the nick prefix, with no argument it's disabled." +msgstr "" + +#: crypt.cpp:270 +msgid "Received DH1080 public key from {1}, sending mine..." +msgstr "" + +#: crypt.cpp:275 crypt.cpp:296 +msgid "Key for {1} successfully set." +msgstr "" + +#: crypt.cpp:278 crypt.cpp:299 +msgid "Error in {1} with {2}: {3}" +msgstr "" + +#: crypt.cpp:280 crypt.cpp:301 +msgid "no secret key computed" +msgstr "" + +#: crypt.cpp:395 +msgid "Target [{1}] deleted" +msgstr "" + +#: crypt.cpp:397 +msgid "Target [{1}] not found" +msgstr "" + +#: crypt.cpp:400 +msgid "Usage DelKey <#chan|Nick>" +msgstr "" + +#: crypt.cpp:415 +msgid "Set encryption key for [{1}] to [{2}]" +msgstr "" + +#: crypt.cpp:417 +msgid "Usage: SetKey <#chan|Nick> " +msgstr "" + +#: crypt.cpp:428 +msgid "Sent my DH1080 public key to {1}, waiting for reply ..." +msgstr "" + +#: crypt.cpp:430 +msgid "Error generating our keys, nothing sent." +msgstr "" + +#: crypt.cpp:433 +msgid "Usage: KeyX " +msgstr "" + +#: crypt.cpp:440 +msgid "Nick Prefix disabled." +msgstr "" + +#: crypt.cpp:442 +msgid "Nick Prefix: {1}" +msgstr "" + +#: crypt.cpp:451 +msgid "You cannot use :, even followed by other symbols, as Nick Prefix." +msgstr "" + +#: crypt.cpp:460 +msgid "Overlap with Status Prefix ({1}), this Nick Prefix will not be used!" +msgstr "" + +#: crypt.cpp:465 +msgid "Disabling Nick Prefix." +msgstr "" + +#: crypt.cpp:467 +msgid "Setting Nick Prefix to {1}" +msgstr "" + +#: crypt.cpp:474 crypt.cpp:480 +msgctxt "listkeys" +msgid "Target" +msgstr "" + +#: crypt.cpp:475 crypt.cpp:481 +msgctxt "listkeys" +msgid "Key" +msgstr "" + +#: crypt.cpp:485 +msgid "You have no encryption keys set." +msgstr "" + +#: crypt.cpp:507 +msgid "Encryption for channel/private messages" +msgstr "" diff --git a/modules/po/ctcpflood.fr_FR.po b/modules/po/ctcpflood.fr_FR.po new file mode 100644 index 00000000..a9046195 --- /dev/null +++ b/modules/po/ctcpflood.fr_FR.po @@ -0,0 +1,69 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n > 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: fr\n" +"X-Crowdin-File: /1.7.x/modules/po/ctcpflood.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" + +#: ctcpflood.cpp:25 ctcpflood.cpp:27 +msgid "" +msgstr "" + +#: ctcpflood.cpp:25 +msgid "Set seconds limit" +msgstr "" + +#: ctcpflood.cpp:27 +msgid "Set lines limit" +msgstr "" + +#: ctcpflood.cpp:29 +msgid "Show the current limits" +msgstr "" + +#: ctcpflood.cpp:76 +msgid "Limit reached by {1}, blocking all CTCP" +msgstr "" + +#: ctcpflood.cpp:98 +msgid "Usage: Secs " +msgstr "" + +#: ctcpflood.cpp:113 +msgid "Usage: Lines " +msgstr "" + +#: ctcpflood.cpp:125 +msgid "1 CTCP message" +msgid_plural "{1} CTCP messages" +msgstr[0] "" +msgstr[1] "" + +#: ctcpflood.cpp:127 +msgid "every second" +msgid_plural "every {1} seconds" +msgstr[0] "" +msgstr[1] "" + +#: ctcpflood.cpp:129 +msgid "Current limit is {1} {2}" +msgstr "" + +#: ctcpflood.cpp:145 +msgid "" +"This user module takes none to two arguments. The first argument is the " +"number of lines after which the flood-protection is triggered. The second " +"argument is the time (sec) to in which the number of lines is reached. The " +"default setting is 4 CTCPs in 2 seconds" +msgstr "" + +#: ctcpflood.cpp:151 +msgid "Don't forward CTCP floods to clients" +msgstr "" diff --git a/modules/po/cyrusauth.fr_FR.po b/modules/po/cyrusauth.fr_FR.po new file mode 100644 index 00000000..b7a465ba --- /dev/null +++ b/modules/po/cyrusauth.fr_FR.po @@ -0,0 +1,73 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n > 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: fr\n" +"X-Crowdin-File: /1.7.x/modules/po/cyrusauth.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" + +#: cyrusauth.cpp:42 +msgid "Shows current settings" +msgstr "" + +#: cyrusauth.cpp:44 +msgid "yes|clone |no" +msgstr "" + +#: cyrusauth.cpp:45 +msgid "" +"Create ZNC users upon first successful login, optionally from a template" +msgstr "" + +#: cyrusauth.cpp:56 +msgid "Access denied" +msgstr "" + +#: cyrusauth.cpp:70 +msgid "Ignoring invalid SASL pwcheck method: {1}" +msgstr "" + +#: cyrusauth.cpp:71 +msgid "Ignored invalid SASL pwcheck method" +msgstr "" + +#: cyrusauth.cpp:79 +msgid "Need a pwcheck method as argument (saslauthd, auxprop)" +msgstr "" + +#: cyrusauth.cpp:84 +msgid "SASL Could Not Be Initialized - Halting Startup" +msgstr "" + +#: cyrusauth.cpp:171 cyrusauth.cpp:186 +msgid "We will not create users on their first login" +msgstr "" + +#: cyrusauth.cpp:174 cyrusauth.cpp:195 +msgid "" +"We will create users on their first login, using user [{1}] as a template" +msgstr "" + +#: cyrusauth.cpp:177 cyrusauth.cpp:190 +msgid "We will create users on their first login" +msgstr "" + +#: cyrusauth.cpp:199 +msgid "Usage: CreateUsers yes, CreateUsers no, or CreateUsers clone " +msgstr "" + +#: cyrusauth.cpp:232 +msgid "" +"This global module takes up to two arguments - the methods of authentication " +"- auxprop and saslauthd" +msgstr "" + +#: cyrusauth.cpp:238 +msgid "Allow users to authenticate via SASL password verification method" +msgstr "" diff --git a/modules/po/dcc.fr_FR.po b/modules/po/dcc.fr_FR.po new file mode 100644 index 00000000..4a7ee1ac --- /dev/null +++ b/modules/po/dcc.fr_FR.po @@ -0,0 +1,227 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n > 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: fr\n" +"X-Crowdin-File: /1.7.x/modules/po/dcc.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" + +#: dcc.cpp:88 +msgid " " +msgstr "" + +#: dcc.cpp:89 +msgid "Send a file from ZNC to someone" +msgstr "" + +#: dcc.cpp:91 +msgid "" +msgstr "" + +#: dcc.cpp:92 +msgid "Send a file from ZNC to your client" +msgstr "" + +#: dcc.cpp:94 +msgid "List current transfers" +msgstr "" + +#: dcc.cpp:103 +msgid "You must be admin to use the DCC module" +msgstr "" + +#: dcc.cpp:140 +msgid "Attempting to send [{1}] to [{2}]." +msgstr "" + +#: dcc.cpp:149 dcc.cpp:554 +msgid "Receiving [{1}] from [{2}]: File already exists." +msgstr "" + +#: dcc.cpp:167 +msgid "" +"Attempting to connect to [{1} {2}] in order to download [{3}] from [{4}]." +msgstr "" + +#: dcc.cpp:179 +msgid "Usage: Send " +msgstr "" + +#: dcc.cpp:186 dcc.cpp:206 +msgid "Illegal path." +msgstr "" + +#: dcc.cpp:199 +msgid "Usage: Get " +msgstr "" + +#: dcc.cpp:215 dcc.cpp:232 dcc.cpp:234 +msgctxt "list" +msgid "Type" +msgstr "" + +#: dcc.cpp:216 dcc.cpp:238 dcc.cpp:241 +msgctxt "list" +msgid "State" +msgstr "" + +#: dcc.cpp:217 dcc.cpp:243 +msgctxt "list" +msgid "Speed" +msgstr "" + +#: dcc.cpp:218 dcc.cpp:227 +msgctxt "list" +msgid "Nick" +msgstr "" + +#: dcc.cpp:219 dcc.cpp:228 +msgctxt "list" +msgid "IP" +msgstr "" + +#: dcc.cpp:220 dcc.cpp:229 +msgctxt "list" +msgid "File" +msgstr "" + +#: dcc.cpp:232 +msgctxt "list-type" +msgid "Sending" +msgstr "" + +#: dcc.cpp:234 +msgctxt "list-type" +msgid "Getting" +msgstr "" + +#: dcc.cpp:239 +msgctxt "list-state" +msgid "Waiting" +msgstr "" + +#: dcc.cpp:244 +msgid "{1} KiB/s" +msgstr "" + +#: dcc.cpp:250 +msgid "You have no active DCC transfers." +msgstr "" + +#: dcc.cpp:267 +msgid "Attempting to resume send from position {1} of file [{2}] for [{3}]" +msgstr "" + +#: dcc.cpp:277 +msgid "Couldn't resume file [{1}] for [{2}]: not sending anything." +msgstr "" + +#: dcc.cpp:286 +msgid "Bad DCC file: {1}" +msgstr "" + +#: dcc.cpp:341 +msgid "Sending [{1}] to [{2}]: File not open!" +msgstr "" + +#: dcc.cpp:345 +msgid "Receiving [{1}] from [{2}]: File not open!" +msgstr "" + +#: dcc.cpp:385 +msgid "Sending [{1}] to [{2}]: Connection refused." +msgstr "" + +#: dcc.cpp:389 +msgid "Receiving [{1}] from [{2}]: Connection refused." +msgstr "" + +#: dcc.cpp:397 +msgid "Sending [{1}] to [{2}]: Timeout." +msgstr "" + +#: dcc.cpp:401 +msgid "Receiving [{1}] from [{2}]: Timeout." +msgstr "" + +#: dcc.cpp:411 +msgid "Sending [{1}] to [{2}]: Socket error {3}: {4}" +msgstr "" + +#: dcc.cpp:415 +msgid "Receiving [{1}] from [{2}]: Socket error {3}: {4}" +msgstr "" + +#: dcc.cpp:423 +msgid "Sending [{1}] to [{2}]: Transfer started." +msgstr "" + +#: dcc.cpp:427 +msgid "Receiving [{1}] from [{2}]: Transfer started." +msgstr "" + +#: dcc.cpp:446 +msgid "Sending [{1}] to [{2}]: Too much data!" +msgstr "" + +#: dcc.cpp:450 +msgid "Receiving [{1}] from [{2}]: Too much data!" +msgstr "" + +#: dcc.cpp:456 +msgid "Sending [{1}] to [{2}] completed at {3} KiB/s" +msgstr "" + +#: dcc.cpp:461 +msgid "Receiving [{1}] from [{2}] completed at {3} KiB/s" +msgstr "" + +#: dcc.cpp:474 +msgid "Sending [{1}] to [{2}]: File closed prematurely." +msgstr "" + +#: dcc.cpp:478 +msgid "Receiving [{1}] from [{2}]: File closed prematurely." +msgstr "" + +#: dcc.cpp:501 +msgid "Sending [{1}] to [{2}]: Error reading from file." +msgstr "" + +#: dcc.cpp:505 +msgid "Receiving [{1}] from [{2}]: Error reading from file." +msgstr "" + +#: dcc.cpp:537 +msgid "Sending [{1}] to [{2}]: Unable to open file." +msgstr "" + +#: dcc.cpp:541 +msgid "Receiving [{1}] from [{2}]: Unable to open file." +msgstr "" + +#: dcc.cpp:563 +msgid "Receiving [{1}] from [{2}]: Could not open file." +msgstr "" + +#: dcc.cpp:572 +msgid "Sending [{1}] to [{2}]: Not a file." +msgstr "" + +#: dcc.cpp:581 +msgid "Sending [{1}] to [{2}]: Could not open file." +msgstr "" + +#: dcc.cpp:593 +msgid "Sending [{1}] to [{2}]: File too large (>4 GiB)." +msgstr "" + +#: dcc.cpp:623 +msgid "This module allows you to transfer files to and from ZNC" +msgstr "" diff --git a/modules/po/disconkick.fr_FR.po b/modules/po/disconkick.fr_FR.po new file mode 100644 index 00000000..066ed367 --- /dev/null +++ b/modules/po/disconkick.fr_FR.po @@ -0,0 +1,23 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n > 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: fr\n" +"X-Crowdin-File: /1.7.x/modules/po/disconkick.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" + +#: disconkick.cpp:32 +msgid "You have been disconnected from the IRC server" +msgstr "" + +#: disconkick.cpp:45 +msgid "" +"Kicks the client from all channels when the connection to the IRC server is " +"lost" +msgstr "" diff --git a/modules/po/fail2ban.fr_FR.po b/modules/po/fail2ban.fr_FR.po new file mode 100644 index 00000000..77ff608f --- /dev/null +++ b/modules/po/fail2ban.fr_FR.po @@ -0,0 +1,117 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n > 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: fr\n" +"X-Crowdin-File: /1.7.x/modules/po/fail2ban.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" + +#: fail2ban.cpp:25 +msgid "[minutes]" +msgstr "" + +#: fail2ban.cpp:26 +msgid "The number of minutes IPs are blocked after a failed login." +msgstr "" + +#: fail2ban.cpp:28 +msgid "[count]" +msgstr "" + +#: fail2ban.cpp:29 +msgid "The number of allowed failed login attempts." +msgstr "" + +#: fail2ban.cpp:31 fail2ban.cpp:33 +msgid "" +msgstr "" + +#: fail2ban.cpp:31 +msgid "Ban the specified hosts." +msgstr "" + +#: fail2ban.cpp:33 +msgid "Unban the specified hosts." +msgstr "" + +#: fail2ban.cpp:35 +msgid "List banned hosts." +msgstr "" + +#: fail2ban.cpp:55 +msgid "" +"Invalid argument, must be the number of minutes IPs are blocked after a " +"failed login and can be followed by number of allowed failed login attempts" +msgstr "" + +#: fail2ban.cpp:77 fail2ban.cpp:100 fail2ban.cpp:123 fail2ban.cpp:146 +#: fail2ban.cpp:172 +msgid "Access denied" +msgstr "" + +#: fail2ban.cpp:86 +msgid "Usage: Timeout [minutes]" +msgstr "" + +#: fail2ban.cpp:91 fail2ban.cpp:94 +msgid "Timeout: {1} min" +msgstr "" + +#: fail2ban.cpp:109 +msgid "Usage: Attempts [count]" +msgstr "" + +#: fail2ban.cpp:114 fail2ban.cpp:117 +msgid "Attempts: {1}" +msgstr "" + +#: fail2ban.cpp:130 +msgid "Usage: Ban " +msgstr "" + +#: fail2ban.cpp:140 +msgid "Banned: {1}" +msgstr "" + +#: fail2ban.cpp:153 +msgid "Usage: Unban " +msgstr "" + +#: fail2ban.cpp:163 +msgid "Unbanned: {1}" +msgstr "" + +#: fail2ban.cpp:165 +msgid "Ignored: {1}" +msgstr "" + +#: fail2ban.cpp:177 fail2ban.cpp:182 +msgctxt "list" +msgid "Host" +msgstr "" + +#: fail2ban.cpp:178 fail2ban.cpp:183 +msgctxt "list" +msgid "Attempts" +msgstr "" + +#: fail2ban.cpp:187 +msgctxt "list" +msgid "No bans" +msgstr "" + +#: fail2ban.cpp:244 +msgid "" +"You might enter the time in minutes for the IP banning and the number of " +"failed logins before any action is taken." +msgstr "" + +#: fail2ban.cpp:249 +msgid "Block IPs for some time after a failed login." +msgstr "" diff --git a/modules/po/flooddetach.fr_FR.po b/modules/po/flooddetach.fr_FR.po new file mode 100644 index 00000000..37098c90 --- /dev/null +++ b/modules/po/flooddetach.fr_FR.po @@ -0,0 +1,91 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n > 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: fr\n" +"X-Crowdin-File: /1.7.x/modules/po/flooddetach.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" + +#: flooddetach.cpp:30 +msgid "Show current limits" +msgstr "" + +#: flooddetach.cpp:32 flooddetach.cpp:35 +msgid "[]" +msgstr "" + +#: flooddetach.cpp:33 +msgid "Show or set number of seconds in the time interval" +msgstr "" + +#: flooddetach.cpp:36 +msgid "Show or set number of lines in the time interval" +msgstr "" + +#: flooddetach.cpp:39 +msgid "Show or set whether to notify you about detaching and attaching back" +msgstr "" + +#: flooddetach.cpp:93 +msgid "Flood in {1} is over, reattaching..." +msgstr "" + +#: flooddetach.cpp:150 +msgid "Channel {1} was flooded, you've been detached" +msgstr "" + +#: flooddetach.cpp:187 +msgid "1 line" +msgid_plural "{1} lines" +msgstr[0] "" +msgstr[1] "" + +#: flooddetach.cpp:188 +msgid "every second" +msgid_plural "every {1} seconds" +msgstr[0] "" +msgstr[1] "" + +#: flooddetach.cpp:190 +msgid "Current limit is {1} {2}" +msgstr "" + +#: flooddetach.cpp:197 +msgid "Seconds limit is {1}" +msgstr "" + +#: flooddetach.cpp:202 +msgid "Set seconds limit to {1}" +msgstr "" + +#: flooddetach.cpp:211 +msgid "Lines limit is {1}" +msgstr "" + +#: flooddetach.cpp:216 +msgid "Set lines limit to {1}" +msgstr "" + +#: flooddetach.cpp:229 +msgid "Module messages are disabled" +msgstr "" + +#: flooddetach.cpp:231 +msgid "Module messages are enabled" +msgstr "" + +#: flooddetach.cpp:247 +msgid "" +"This user module takes up to two arguments. Arguments are numbers of " +"messages and seconds." +msgstr "" + +#: flooddetach.cpp:251 +msgid "Detach channels when flooded" +msgstr "" diff --git a/modules/po/identfile.fr_FR.po b/modules/po/identfile.fr_FR.po new file mode 100644 index 00000000..48e74ef6 --- /dev/null +++ b/modules/po/identfile.fr_FR.po @@ -0,0 +1,83 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n > 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: fr\n" +"X-Crowdin-File: /1.7.x/modules/po/identfile.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" + +#: identfile.cpp:30 +msgid "Show file name" +msgstr "" + +#: identfile.cpp:32 +msgid "" +msgstr "" + +#: identfile.cpp:32 +msgid "Set file name" +msgstr "" + +#: identfile.cpp:34 +msgid "Show file format" +msgstr "" + +#: identfile.cpp:36 +msgid "" +msgstr "" + +#: identfile.cpp:36 +msgid "Set file format" +msgstr "" + +#: identfile.cpp:38 +msgid "Show current state" +msgstr "" + +#: identfile.cpp:48 +msgid "File is set to: {1}" +msgstr "" + +#: identfile.cpp:53 +msgid "File has been set to: {1}" +msgstr "" + +#: identfile.cpp:58 +msgid "Format has been set to: {1}" +msgstr "" + +#: identfile.cpp:59 identfile.cpp:65 +msgid "Format would be expanded to: {1}" +msgstr "" + +#: identfile.cpp:64 +msgid "Format is set to: {1}" +msgstr "" + +#: identfile.cpp:78 +msgid "identfile is free" +msgstr "" + +#: identfile.cpp:86 +msgid "Access denied" +msgstr "" + +#: identfile.cpp:181 +msgid "" +"Aborting connection, another user or network is currently connecting and " +"using the ident spoof file" +msgstr "" + +#: identfile.cpp:189 +msgid "[{1}] could not be written, retrying..." +msgstr "" + +#: identfile.cpp:223 +msgid "Write the ident of a user to a file when they are trying to connect." +msgstr "" diff --git a/modules/po/imapauth.fr_FR.po b/modules/po/imapauth.fr_FR.po new file mode 100644 index 00000000..ee68d452 --- /dev/null +++ b/modules/po/imapauth.fr_FR.po @@ -0,0 +1,21 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n > 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: fr\n" +"X-Crowdin-File: /1.7.x/modules/po/imapauth.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" + +#: imapauth.cpp:168 +msgid "[ server [+]port [ UserFormatString ] ]" +msgstr "" + +#: imapauth.cpp:171 +msgid "Allow users to authenticate via IMAP." +msgstr "" diff --git a/modules/po/keepnick.fr_FR.po b/modules/po/keepnick.fr_FR.po new file mode 100644 index 00000000..b0b19631 --- /dev/null +++ b/modules/po/keepnick.fr_FR.po @@ -0,0 +1,53 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n > 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: fr\n" +"X-Crowdin-File: /1.7.x/modules/po/keepnick.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" + +#: keepnick.cpp:39 +msgid "Try to get your primary nick" +msgstr "" + +#: keepnick.cpp:42 keepnick.cpp:196 +msgid "No longer trying to get your primary nick" +msgstr "" + +#: keepnick.cpp:44 +msgid "Show the current state" +msgstr "" + +#: keepnick.cpp:158 +msgid "ZNC is already trying to get this nickname" +msgstr "" + +#: keepnick.cpp:173 +msgid "Unable to obtain nick {1}: {2}, {3}" +msgstr "" + +#: keepnick.cpp:181 +msgid "Unable to obtain nick {1}" +msgstr "" + +#: keepnick.cpp:191 +msgid "Trying to get your primary nick" +msgstr "" + +#: keepnick.cpp:201 +msgid "Currently trying to get your primary nick" +msgstr "" + +#: keepnick.cpp:203 +msgid "Currently disabled, try 'enable'" +msgstr "" + +#: keepnick.cpp:224 +msgid "Keeps trying for your primary nick" +msgstr "" diff --git a/modules/po/kickrejoin.fr_FR.po b/modules/po/kickrejoin.fr_FR.po new file mode 100644 index 00000000..f31b00e2 --- /dev/null +++ b/modules/po/kickrejoin.fr_FR.po @@ -0,0 +1,61 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n > 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: fr\n" +"X-Crowdin-File: /1.7.x/modules/po/kickrejoin.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" + +#: kickrejoin.cpp:56 +msgid "" +msgstr "" + +#: kickrejoin.cpp:56 +msgid "Set the rejoin delay" +msgstr "" + +#: kickrejoin.cpp:58 +msgid "Show the rejoin delay" +msgstr "" + +#: kickrejoin.cpp:77 +msgid "Illegal argument, must be a positive number or 0" +msgstr "" + +#: kickrejoin.cpp:90 +msgid "Negative delays don't make any sense!" +msgstr "" + +#: kickrejoin.cpp:98 +msgid "Rejoin delay set to 1 second" +msgid_plural "Rejoin delay set to {1} seconds" +msgstr[0] "" +msgstr[1] "" + +#: kickrejoin.cpp:101 +msgid "Rejoin delay disabled" +msgstr "" + +#: kickrejoin.cpp:106 +msgid "Rejoin delay is set to 1 second" +msgid_plural "Rejoin delay is set to {1} seconds" +msgstr[0] "" +msgstr[1] "" + +#: kickrejoin.cpp:109 +msgid "Rejoin delay is disabled" +msgstr "" + +#: kickrejoin.cpp:131 +msgid "You might enter the number of seconds to wait before rejoining." +msgstr "" + +#: kickrejoin.cpp:134 +msgid "Autorejoins on kick" +msgstr "" diff --git a/modules/po/lastseen.fr_FR.po b/modules/po/lastseen.fr_FR.po new file mode 100644 index 00000000..e475d6d1 --- /dev/null +++ b/modules/po/lastseen.fr_FR.po @@ -0,0 +1,67 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n > 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: fr\n" +"X-Crowdin-File: /1.7.x/modules/po/lastseen.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" + +#: modules/po/../data/lastseen/tmpl/index.tmpl:8 +msgid "User" +msgstr "" + +#: modules/po/../data/lastseen/tmpl/index.tmpl:9 lastseen.cpp:98 +msgid "Last Seen" +msgstr "" + +#: modules/po/../data/lastseen/tmpl/index.tmpl:10 +msgid "Info" +msgstr "" + +#: modules/po/../data/lastseen/tmpl/index.tmpl:11 +msgid "Action" +msgstr "" + +#: modules/po/../data/lastseen/tmpl/index.tmpl:21 +msgid "Edit" +msgstr "" + +#: modules/po/../data/lastseen/tmpl/index.tmpl:22 +msgid "Delete" +msgstr "" + +#: modules/po/../data/lastseen/tmpl/lastseen_WebadminUser.tmpl:6 +msgid "Last login time:" +msgstr "" + +#: lastseen.cpp:53 +msgid "Access denied" +msgstr "" + +#: lastseen.cpp:61 lastseen.cpp:66 +msgctxt "show" +msgid "User" +msgstr "" + +#: lastseen.cpp:62 lastseen.cpp:67 +msgctxt "show" +msgid "Last Seen" +msgstr "" + +#: lastseen.cpp:68 lastseen.cpp:124 +msgid "never" +msgstr "" + +#: lastseen.cpp:78 +msgid "Shows list of users and when they last logged in" +msgstr "" + +#: lastseen.cpp:153 +msgid "Collects data about when a user last logged in." +msgstr "" diff --git a/modules/po/listsockets.fr_FR.po b/modules/po/listsockets.fr_FR.po new file mode 100644 index 00000000..c71305c6 --- /dev/null +++ b/modules/po/listsockets.fr_FR.po @@ -0,0 +1,113 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n > 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: fr\n" +"X-Crowdin-File: /1.7.x/modules/po/listsockets.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:7 listsockets.cpp:214 +#: listsockets.cpp:230 +msgid "Name" +msgstr "" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:8 listsockets.cpp:215 +#: listsockets.cpp:231 +msgid "Created" +msgstr "" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:9 listsockets.cpp:216 +#: listsockets.cpp:232 +msgid "State" +msgstr "" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:10 listsockets.cpp:218 +#: listsockets.cpp:235 +msgid "SSL" +msgstr "" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:11 listsockets.cpp:220 +#: listsockets.cpp:240 +msgid "Local" +msgstr "" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:12 listsockets.cpp:221 +#: listsockets.cpp:242 +msgid "Remote" +msgstr "" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:13 +msgid "Data In" +msgstr "" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:14 +msgid "Data Out" +msgstr "" + +#: listsockets.cpp:62 +msgid "[-n]" +msgstr "" + +#: listsockets.cpp:62 +msgid "Shows the list of active sockets. Pass -n to show IP addresses" +msgstr "" + +#: listsockets.cpp:70 +msgid "You must be admin to use this module" +msgstr "" + +#: listsockets.cpp:96 +msgid "List sockets" +msgstr "" + +#: listsockets.cpp:116 listsockets.cpp:236 +msgctxt "ssl" +msgid "Yes" +msgstr "" + +#: listsockets.cpp:116 listsockets.cpp:237 +msgctxt "ssl" +msgid "No" +msgstr "" + +#: listsockets.cpp:142 +msgid "Listener" +msgstr "" + +#: listsockets.cpp:144 +msgid "Inbound" +msgstr "" + +#: listsockets.cpp:147 +msgid "Outbound" +msgstr "" + +#: listsockets.cpp:149 +msgid "Connecting" +msgstr "" + +#: listsockets.cpp:152 +msgid "UNKNOWN" +msgstr "" + +#: listsockets.cpp:207 +msgid "You have no open sockets." +msgstr "" + +#: listsockets.cpp:222 listsockets.cpp:244 +msgid "In" +msgstr "" + +#: listsockets.cpp:223 listsockets.cpp:246 +msgid "Out" +msgstr "" + +#: listsockets.cpp:262 +msgid "Lists active sockets" +msgstr "" diff --git a/modules/po/log.fr_FR.po b/modules/po/log.fr_FR.po new file mode 100644 index 00000000..7640c56a --- /dev/null +++ b/modules/po/log.fr_FR.po @@ -0,0 +1,148 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n > 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: fr\n" +"X-Crowdin-File: /1.7.x/modules/po/log.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" + +#: log.cpp:59 +msgid "" +msgstr "" + +#: log.cpp:60 +msgid "Set logging rules, use !#chan or !query to negate and * " +msgstr "" + +#: log.cpp:62 +msgid "Clear all logging rules" +msgstr "" + +#: log.cpp:64 +msgid "List all logging rules" +msgstr "" + +#: log.cpp:67 +msgid " true|false" +msgstr "" + +#: log.cpp:68 +msgid "Set one of the following options: joins, quits, nickchanges" +msgstr "" + +#: log.cpp:71 +msgid "Show current settings set by Set command" +msgstr "" + +#: log.cpp:143 +msgid "Usage: SetRules " +msgstr "" + +#: log.cpp:144 +msgid "Wildcards are allowed" +msgstr "" + +#: log.cpp:156 log.cpp:178 +msgid "No logging rules. Everything is logged." +msgstr "" + +#: log.cpp:161 +msgid "1 rule removed: {2}" +msgid_plural "{1} rules removed: {2}" +msgstr[0] "" +msgstr[1] "" + +#: log.cpp:168 log.cpp:173 +msgctxt "listrules" +msgid "Rule" +msgstr "" + +#: log.cpp:169 log.cpp:174 +msgctxt "listrules" +msgid "Logging enabled" +msgstr "" + +#: log.cpp:189 +msgid "" +"Usage: Set true|false, where is one of: joins, quits, nickchanges" +msgstr "" + +#: log.cpp:196 +msgid "Will log joins" +msgstr "" + +#: log.cpp:196 +msgid "Will not log joins" +msgstr "" + +#: log.cpp:197 +msgid "Will log quits" +msgstr "" + +#: log.cpp:197 +msgid "Will not log quits" +msgstr "" + +#: log.cpp:199 +msgid "Will log nick changes" +msgstr "" + +#: log.cpp:199 +msgid "Will not log nick changes" +msgstr "" + +#: log.cpp:203 +msgid "Unknown variable. Known variables: joins, quits, nickchanges" +msgstr "" + +#: log.cpp:211 +msgid "Logging joins" +msgstr "" + +#: log.cpp:211 +msgid "Not logging joins" +msgstr "" + +#: log.cpp:212 +msgid "Logging quits" +msgstr "" + +#: log.cpp:212 +msgid "Not logging quits" +msgstr "" + +#: log.cpp:213 +msgid "Logging nick changes" +msgstr "" + +#: log.cpp:214 +msgid "Not logging nick changes" +msgstr "" + +#: log.cpp:351 +msgid "" +"Invalid args [{1}]. Only one log path allowed. Check that there are no " +"spaces in the path." +msgstr "" + +#: log.cpp:401 +msgid "Invalid log path [{1}]" +msgstr "" + +#: log.cpp:404 +msgid "Logging to [{1}]. Using timestamp format '{2}'" +msgstr "" + +#: log.cpp:559 +msgid "[-sanitize] Optional path where to store logs." +msgstr "" + +#: log.cpp:563 +msgid "Writes IRC logs." +msgstr "" diff --git a/modules/po/missingmotd.fr_FR.po b/modules/po/missingmotd.fr_FR.po new file mode 100644 index 00000000..c548ed5b --- /dev/null +++ b/modules/po/missingmotd.fr_FR.po @@ -0,0 +1,17 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n > 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: fr\n" +"X-Crowdin-File: /1.7.x/modules/po/missingmotd.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" + +#: missingmotd.cpp:36 +msgid "Sends 422 to clients when they login" +msgstr "" diff --git a/modules/po/modperl.fr_FR.po b/modules/po/modperl.fr_FR.po new file mode 100644 index 00000000..f072263d --- /dev/null +++ b/modules/po/modperl.fr_FR.po @@ -0,0 +1,17 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n > 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: fr\n" +"X-Crowdin-File: /1.7.x/modules/po/modperl.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" + +#: modperl.cpp:382 +msgid "Loads perl scripts as ZNC modules" +msgstr "" diff --git a/modules/po/modpython.fr_FR.po b/modules/po/modpython.fr_FR.po new file mode 100644 index 00000000..bdfb3a6c --- /dev/null +++ b/modules/po/modpython.fr_FR.po @@ -0,0 +1,17 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n > 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: fr\n" +"X-Crowdin-File: /1.7.x/modules/po/modpython.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" + +#: modpython.cpp:512 +msgid "Loads python scripts as ZNC modules" +msgstr "" diff --git a/modules/po/modules_online.fr_FR.po b/modules/po/modules_online.fr_FR.po new file mode 100644 index 00000000..eb0ff135 --- /dev/null +++ b/modules/po/modules_online.fr_FR.po @@ -0,0 +1,17 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n > 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: fr\n" +"X-Crowdin-File: /1.7.x/modules/po/modules_online.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" + +#: modules_online.cpp:117 +msgid "Makes ZNC's *modules to be \"online\"." +msgstr "" diff --git a/modules/po/nickserv.fr_FR.po b/modules/po/nickserv.fr_FR.po new file mode 100644 index 00000000..c67c0a34 --- /dev/null +++ b/modules/po/nickserv.fr_FR.po @@ -0,0 +1,75 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n > 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: fr\n" +"X-Crowdin-File: /1.7.x/modules/po/nickserv.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" + +#: nickserv.cpp:31 +msgid "Password set" +msgstr "" + +#: nickserv.cpp:38 +msgid "NickServ name set" +msgstr "" + +#: nickserv.cpp:54 +msgid "No such editable command. See ViewCommands for list." +msgstr "" + +#: nickserv.cpp:57 +msgid "Ok" +msgstr "" + +#: nickserv.cpp:62 +msgid "password" +msgstr "" + +#: nickserv.cpp:62 +msgid "Set your nickserv password" +msgstr "" + +#: nickserv.cpp:64 +msgid "Clear your nickserv password" +msgstr "" + +#: nickserv.cpp:66 +msgid "nickname" +msgstr "" + +#: nickserv.cpp:67 +msgid "" +"Set NickServ name (Useful on networks like EpiKnet, where NickServ is named " +"Themis" +msgstr "" + +#: nickserv.cpp:71 +msgid "Reset NickServ name to default (NickServ)" +msgstr "" + +#: nickserv.cpp:75 +msgid "Show patterns for lines, which are being sent to NickServ" +msgstr "" + +#: nickserv.cpp:77 +msgid "cmd new-pattern" +msgstr "" + +#: nickserv.cpp:78 +msgid "Set pattern for commands" +msgstr "" + +#: nickserv.cpp:140 +msgid "Please enter your nickserv password." +msgstr "" + +#: nickserv.cpp:144 +msgid "Auths you with NickServ (prefer SASL module instead)" +msgstr "" diff --git a/modules/po/notes.fr_FR.po b/modules/po/notes.fr_FR.po new file mode 100644 index 00000000..073db42f --- /dev/null +++ b/modules/po/notes.fr_FR.po @@ -0,0 +1,119 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n > 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: fr\n" +"X-Crowdin-File: /1.7.x/modules/po/notes.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" + +#: modules/po/../data/notes/tmpl/index.tmpl:7 +msgid "Add A Note" +msgstr "" + +#: modules/po/../data/notes/tmpl/index.tmpl:11 +msgid "Key:" +msgstr "" + +#: modules/po/../data/notes/tmpl/index.tmpl:15 +msgid "Note:" +msgstr "" + +#: modules/po/../data/notes/tmpl/index.tmpl:19 +msgid "Add Note" +msgstr "" + +#: modules/po/../data/notes/tmpl/index.tmpl:27 +msgid "You have no notes to display." +msgstr "" + +#: modules/po/../data/notes/tmpl/index.tmpl:34 notes.cpp:164 notes.cpp:169 +msgid "Key" +msgstr "" + +#: modules/po/../data/notes/tmpl/index.tmpl:35 notes.cpp:165 notes.cpp:170 +msgid "Note" +msgstr "" + +#: modules/po/../data/notes/tmpl/index.tmpl:41 +msgid "[del]" +msgstr "" + +#: notes.cpp:32 +msgid "That note already exists. Use MOD to overwrite." +msgstr "" + +#: notes.cpp:35 notes.cpp:137 +msgid "Added note {1}" +msgstr "" + +#: notes.cpp:37 notes.cpp:48 notes.cpp:142 +msgid "Unable to add note {1}" +msgstr "" + +#: notes.cpp:46 notes.cpp:139 +msgid "Set note for {1}" +msgstr "" + +#: notes.cpp:56 +msgid "This note doesn't exist." +msgstr "" + +#: notes.cpp:66 notes.cpp:116 +msgid "Deleted note {1}" +msgstr "" + +#: notes.cpp:68 notes.cpp:118 +msgid "Unable to delete note {1}" +msgstr "" + +#: notes.cpp:75 +msgid "List notes" +msgstr "" + +#: notes.cpp:77 notes.cpp:81 +msgid " " +msgstr "" + +#: notes.cpp:77 +msgid "Add a note" +msgstr "" + +#: notes.cpp:79 notes.cpp:83 +msgid "" +msgstr "" + +#: notes.cpp:79 +msgid "Delete a note" +msgstr "" + +#: notes.cpp:81 +msgid "Modify a note" +msgstr "" + +#: notes.cpp:94 +msgid "Notes" +msgstr "" + +#: notes.cpp:133 +msgid "That note already exists. Use /#+ to overwrite." +msgstr "" + +#: notes.cpp:185 notes.cpp:187 +msgid "You have no entries." +msgstr "" + +#: notes.cpp:223 +msgid "" +"This user module takes up to one arguments. It can be -disableNotesOnLogin " +"not to show notes upon client login" +msgstr "" + +#: notes.cpp:227 +msgid "Keep and replay notes" +msgstr "" diff --git a/modules/po/notify_connect.fr_FR.po b/modules/po/notify_connect.fr_FR.po new file mode 100644 index 00000000..bb150a9b --- /dev/null +++ b/modules/po/notify_connect.fr_FR.po @@ -0,0 +1,29 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n > 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: fr\n" +"X-Crowdin-File: /1.7.x/modules/po/notify_connect.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" + +#: notify_connect.cpp:24 +msgid "attached" +msgstr "" + +#: notify_connect.cpp:26 +msgid "detached" +msgstr "" + +#: notify_connect.cpp:41 +msgid "{1} {2} from {3}" +msgstr "" + +#: notify_connect.cpp:52 +msgid "Notifies all admin users when a client connects or disconnects." +msgstr "" diff --git a/modules/po/partyline.fr_FR.po b/modules/po/partyline.fr_FR.po new file mode 100644 index 00000000..99f362f7 --- /dev/null +++ b/modules/po/partyline.fr_FR.po @@ -0,0 +1,39 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n > 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: fr\n" +"X-Crowdin-File: /1.7.x/modules/po/partyline.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" + +#: partyline.cpp:60 +msgid "There are no open channels." +msgstr "" + +#: partyline.cpp:66 partyline.cpp:73 +msgid "Channel" +msgstr "" + +#: partyline.cpp:67 partyline.cpp:74 +msgid "Users" +msgstr "" + +#: partyline.cpp:82 +msgid "List all open channels" +msgstr "" + +#: partyline.cpp:733 +msgid "" +"You may enter a list of channels the user joins, when entering the internal " +"partyline." +msgstr "" + +#: partyline.cpp:739 +msgid "Internal channels and queries for users connected to ZNC" +msgstr "" diff --git a/modules/po/perform.fr_FR.po b/modules/po/perform.fr_FR.po new file mode 100644 index 00000000..6da61e4f --- /dev/null +++ b/modules/po/perform.fr_FR.po @@ -0,0 +1,108 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n > 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: fr\n" +"X-Crowdin-File: /1.7.x/modules/po/perform.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" + +#: modules/po/../data/perform/tmpl/index.tmpl:7 perform.cpp:143 +msgid "Perform" +msgstr "" + +#: modules/po/../data/perform/tmpl/index.tmpl:11 +msgid "Perform commands:" +msgstr "" + +#: modules/po/../data/perform/tmpl/index.tmpl:15 +msgid "Commands sent to the IRC server on connect, one per line." +msgstr "" + +#: modules/po/../data/perform/tmpl/index.tmpl:18 +msgid "Save" +msgstr "" + +#: perform.cpp:24 +msgid "Usage: add " +msgstr "" + +#: perform.cpp:29 +msgid "Added!" +msgstr "" + +#: perform.cpp:37 perform.cpp:82 +msgid "Illegal # Requested" +msgstr "" + +#: perform.cpp:41 +msgid "Command Erased." +msgstr "" + +#: perform.cpp:50 perform.cpp:56 +msgctxt "list" +msgid "Id" +msgstr "" + +#: perform.cpp:51 perform.cpp:57 +msgctxt "list" +msgid "Perform" +msgstr "" + +#: perform.cpp:52 perform.cpp:62 +msgctxt "list" +msgid "Expanded" +msgstr "" + +#: perform.cpp:67 +msgid "No commands in your perform list." +msgstr "" + +#: perform.cpp:73 +msgid "perform commands sent" +msgstr "" + +#: perform.cpp:86 +msgid "Commands Swapped." +msgstr "" + +#: perform.cpp:95 +msgid "" +msgstr "" + +#: perform.cpp:96 +msgid "Adds perform command to be sent to the server on connect" +msgstr "" + +#: perform.cpp:98 +msgid "" +msgstr "" + +#: perform.cpp:98 +msgid "Delete a perform command" +msgstr "" + +#: perform.cpp:100 +msgid "List the perform commands" +msgstr "" + +#: perform.cpp:103 +msgid "Send the perform commands to the server now" +msgstr "" + +#: perform.cpp:105 +msgid " " +msgstr "" + +#: perform.cpp:106 +msgid "Swap two perform commands" +msgstr "" + +#: perform.cpp:192 +msgid "Keeps a list of commands to be executed when ZNC connects to IRC." +msgstr "" diff --git a/modules/po/perleval.fr_FR.po b/modules/po/perleval.fr_FR.po new file mode 100644 index 00000000..8862cc74 --- /dev/null +++ b/modules/po/perleval.fr_FR.po @@ -0,0 +1,31 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n > 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: fr\n" +"X-Crowdin-File: /1.7.x/modules/po/perleval.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" + +#: perleval.pm:23 +msgid "Evaluates perl code" +msgstr "" + +#: perleval.pm:33 +msgid "Only admin can load this module" +msgstr "" + +#: perleval.pm:44 +#, perl-format +msgid "Error: %s" +msgstr "" + +#: perleval.pm:46 +#, perl-format +msgid "Result: %s" +msgstr "" diff --git a/modules/po/pyeval.fr_FR.po b/modules/po/pyeval.fr_FR.po new file mode 100644 index 00000000..e95f422d --- /dev/null +++ b/modules/po/pyeval.fr_FR.po @@ -0,0 +1,21 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n > 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: fr\n" +"X-Crowdin-File: /1.7.x/modules/po/pyeval.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" + +#: pyeval.py:49 +msgid "You must have admin privileges to load this module." +msgstr "" + +#: pyeval.py:82 +msgid "Evaluates python code" +msgstr "" diff --git a/modules/po/q.fr_FR.po b/modules/po/q.fr_FR.po new file mode 100644 index 00000000..e765b62e --- /dev/null +++ b/modules/po/q.fr_FR.po @@ -0,0 +1,296 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n > 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: fr\n" +"X-Crowdin-File: /1.7.x/modules/po/q.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" + +#: modules/po/../data/q/tmpl/index.tmpl:11 +msgid "Username:" +msgstr "" + +#: modules/po/../data/q/tmpl/index.tmpl:13 +msgid "Please enter a username." +msgstr "" + +#: modules/po/../data/q/tmpl/index.tmpl:16 +msgid "Password:" +msgstr "" + +#: modules/po/../data/q/tmpl/index.tmpl:18 +msgid "Please enter a password." +msgstr "" + +#: modules/po/../data/q/tmpl/index.tmpl:26 +msgid "Options" +msgstr "" + +#: modules/po/../data/q/tmpl/index.tmpl:42 +msgid "Save" +msgstr "" + +#: q.cpp:74 +msgid "" +"Notice: Your host will be cloaked the next time you reconnect to IRC. If you " +"want to cloak your host now, /msg *q Cloak. You can set your preference " +"with /msg *q Set UseCloakedHost true/false." +msgstr "" + +#: q.cpp:111 +msgid "The following commands are available:" +msgstr "" + +#: q.cpp:113 q.cpp:116 q.cpp:121 q.cpp:126 q.cpp:130 q.cpp:135 q.cpp:140 +msgid "Command" +msgstr "" + +#: q.cpp:114 q.cpp:117 q.cpp:123 q.cpp:127 q.cpp:132 q.cpp:136 q.cpp:141 +#: q.cpp:150 q.cpp:154 q.cpp:158 q.cpp:162 q.cpp:168 q.cpp:174 q.cpp:180 +#: q.cpp:186 +msgid "Description" +msgstr "" + +#: q.cpp:116 +msgid "Auth [ ]" +msgstr "" + +#: q.cpp:118 +msgid "Tries to authenticate you with Q. Both parameters are optional." +msgstr "" + +#: q.cpp:124 +msgid "Tries to set usermode +x to hide your real hostname." +msgstr "" + +#: q.cpp:128 +msgid "Prints the current status of the module." +msgstr "" + +#: q.cpp:133 +msgid "Re-requests the current user information from Q." +msgstr "" + +#: q.cpp:135 +msgid "Set " +msgstr "" + +#: q.cpp:137 +msgid "Changes the value of the given setting. See the list of settings below." +msgstr "" + +#: q.cpp:142 +msgid "Prints out the current configuration. See the list of settings below." +msgstr "" + +#: q.cpp:146 +msgid "The following settings are available:" +msgstr "" + +#: q.cpp:148 q.cpp:152 q.cpp:156 q.cpp:160 q.cpp:166 q.cpp:172 q.cpp:178 +#: q.cpp:183 q.cpp:227 q.cpp:230 q.cpp:233 q.cpp:236 q.cpp:239 q.cpp:242 +#: q.cpp:245 q.cpp:248 +msgid "Setting" +msgstr "" + +#: q.cpp:149 q.cpp:153 q.cpp:157 q.cpp:161 q.cpp:167 q.cpp:173 q.cpp:179 +#: q.cpp:184 +msgid "Type" +msgstr "" + +#: q.cpp:153 q.cpp:157 +msgid "String" +msgstr "" + +#: q.cpp:154 +msgid "Your Q username." +msgstr "" + +#: q.cpp:158 +msgid "Your Q password." +msgstr "" + +#: q.cpp:161 q.cpp:167 q.cpp:173 q.cpp:179 q.cpp:184 +msgid "Boolean" +msgstr "" + +#: q.cpp:163 q.cpp:373 +msgid "Whether to cloak your hostname (+x) automatically on connect." +msgstr "" + +#: q.cpp:169 q.cpp:381 +msgid "" +"Whether to use the CHALLENGEAUTH mechanism to avoid sending passwords in " +"cleartext." +msgstr "" + +#: q.cpp:175 q.cpp:389 +msgid "Whether to request voice/op from Q on join/devoice/deop." +msgstr "" + +#: q.cpp:181 q.cpp:395 +msgid "Whether to join channels when Q invites you." +msgstr "" + +#: q.cpp:187 q.cpp:402 +msgid "Whether to delay joining channels until after you are cloaked." +msgstr "" + +#: q.cpp:192 +msgid "This module takes 2 optional parameters: " +msgstr "" + +#: q.cpp:194 +msgid "Module settings are stored between restarts." +msgstr "" + +#: q.cpp:200 +msgid "Syntax: Set " +msgstr "" + +#: q.cpp:203 +msgid "Username set" +msgstr "" + +#: q.cpp:206 +msgid "Password set" +msgstr "" + +#: q.cpp:209 +msgid "UseCloakedHost set" +msgstr "" + +#: q.cpp:212 +msgid "UseChallenge set" +msgstr "" + +#: q.cpp:215 +msgid "RequestPerms set" +msgstr "" + +#: q.cpp:218 +msgid "JoinOnInvite set" +msgstr "" + +#: q.cpp:221 +msgid "JoinAfterCloaked set" +msgstr "" + +#: q.cpp:223 +msgid "Unknown setting: {1}" +msgstr "" + +#: q.cpp:228 q.cpp:231 q.cpp:234 q.cpp:237 q.cpp:240 q.cpp:243 q.cpp:246 +#: q.cpp:249 +msgid "Value" +msgstr "" + +#: q.cpp:253 +msgid "Connected: yes" +msgstr "" + +#: q.cpp:254 +msgid "Connected: no" +msgstr "" + +#: q.cpp:255 +msgid "Cloacked: yes" +msgstr "" + +#: q.cpp:255 +msgid "Cloacked: no" +msgstr "" + +#: q.cpp:256 +msgid "Authenticated: yes" +msgstr "" + +#: q.cpp:257 +msgid "Authenticated: no" +msgstr "" + +#: q.cpp:262 +msgid "Error: You are not connected to IRC." +msgstr "" + +#: q.cpp:270 +msgid "Error: You are already cloaked!" +msgstr "" + +#: q.cpp:276 +msgid "Error: You are already authed!" +msgstr "" + +#: q.cpp:280 +msgid "Update requested." +msgstr "" + +#: q.cpp:283 +msgid "Unknown command. Try 'help'." +msgstr "" + +#: q.cpp:293 +msgid "Cloak successful: Your hostname is now cloaked." +msgstr "" + +#: q.cpp:408 +msgid "Changes have been saved!" +msgstr "" + +#: q.cpp:435 +msgid "Cloak: Trying to cloak your hostname, setting +x..." +msgstr "" + +#: q.cpp:452 +msgid "" +"You have to set a username and password to use this module! See 'help' for " +"details." +msgstr "" + +#: q.cpp:458 +msgid "Auth: Requesting CHALLENGE..." +msgstr "" + +#: q.cpp:462 +msgid "Auth: Sending AUTH request..." +msgstr "" + +#: q.cpp:479 +msgid "Auth: Received challenge, sending CHALLENGEAUTH request..." +msgstr "" + +#: q.cpp:521 +msgid "Authentication failed: {1}" +msgstr "" + +#: q.cpp:525 +msgid "Authentication successful: {1}" +msgstr "" + +#: q.cpp:539 +msgid "" +"Auth failed: Q does not support HMAC-SHA-256 for CHALLENGEAUTH, falling back " +"to standard AUTH." +msgstr "" + +#: q.cpp:566 +msgid "RequestPerms: Requesting op on {1}" +msgstr "" + +#: q.cpp:579 +msgid "RequestPerms: Requesting voice on {1}" +msgstr "" + +#: q.cpp:686 +msgid "Please provide your username and password for Q." +msgstr "" + +#: q.cpp:689 +msgid "Auths you with QuakeNet's Q bot." +msgstr "" diff --git a/modules/po/raw.fr_FR.po b/modules/po/raw.fr_FR.po new file mode 100644 index 00000000..7ca436d1 --- /dev/null +++ b/modules/po/raw.fr_FR.po @@ -0,0 +1,17 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n > 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: fr\n" +"X-Crowdin-File: /1.7.x/modules/po/raw.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" + +#: raw.cpp:43 +msgid "View all of the raw traffic" +msgstr "" diff --git a/modules/po/route_replies.fr_FR.po b/modules/po/route_replies.fr_FR.po new file mode 100644 index 00000000..c21d508c --- /dev/null +++ b/modules/po/route_replies.fr_FR.po @@ -0,0 +1,59 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n > 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: fr\n" +"X-Crowdin-File: /1.7.x/modules/po/route_replies.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" + +#: route_replies.cpp:209 +msgid "[yes|no]" +msgstr "" + +#: route_replies.cpp:210 +msgid "Decides whether to show the timeout messages or not" +msgstr "" + +#: route_replies.cpp:350 +msgid "This module hit a timeout which is probably a connectivity issue." +msgstr "" + +#: route_replies.cpp:353 +msgid "" +"However, if you can provide steps to reproduce this issue, please do report " +"a bug." +msgstr "" + +#: route_replies.cpp:356 +msgid "To disable this message, do \"/msg {1} silent yes\"" +msgstr "" + +#: route_replies.cpp:358 +msgid "Last request: {1}" +msgstr "" + +#: route_replies.cpp:359 +msgid "Expected replies:" +msgstr "" + +#: route_replies.cpp:363 +msgid "{1} (last)" +msgstr "" + +#: route_replies.cpp:435 +msgid "Timeout messages are disabled." +msgstr "" + +#: route_replies.cpp:436 +msgid "Timeout messages are enabled." +msgstr "" + +#: route_replies.cpp:457 +msgid "Send replies (e.g. to /who) to the right client only" +msgstr "" diff --git a/modules/po/sample.fr_FR.po b/modules/po/sample.fr_FR.po new file mode 100644 index 00000000..c7e0c607 --- /dev/null +++ b/modules/po/sample.fr_FR.po @@ -0,0 +1,119 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n > 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: fr\n" +"X-Crowdin-File: /1.7.x/modules/po/sample.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" + +#: sample.cpp:31 +msgid "Sample job cancelled" +msgstr "" + +#: sample.cpp:33 +msgid "Sample job destroyed" +msgstr "" + +#: sample.cpp:50 +msgid "Sample job done" +msgstr "" + +#: sample.cpp:65 +msgid "TEST!!!!" +msgstr "" + +#: sample.cpp:74 +msgid "I'm being loaded with the arguments: {1}" +msgstr "" + +#: sample.cpp:85 +msgid "I'm being unloaded!" +msgstr "" + +#: sample.cpp:94 +msgid "You got connected BoyOh." +msgstr "" + +#: sample.cpp:98 +msgid "You got disconnected BoyOh." +msgstr "" + +#: sample.cpp:116 +msgid "{1} {2} set mode on {3} {4}{5} {6}" +msgstr "" + +#: sample.cpp:123 +msgid "{1} {2} opped {3} on {4}" +msgstr "" + +#: sample.cpp:129 +msgid "{1} {2} deopped {3} on {4}" +msgstr "" + +#: sample.cpp:135 +msgid "{1} {2} voiced {3} on {4}" +msgstr "" + +#: sample.cpp:141 +msgid "{1} {2} devoiced {3} on {4}" +msgstr "" + +#: sample.cpp:147 +msgid "* {1} sets mode: {2} {3} on {4}" +msgstr "" + +#: sample.cpp:163 +msgid "{1} kicked {2} from {3} with the msg {4}" +msgstr "" + +#: sample.cpp:169 +msgid "* {1} ({2}@{3}) quits ({4}) from channel: {6}" +msgid_plural "* {1} ({2}@{3}) quits ({4}) from {5} channels: {6}" +msgstr[0] "" +msgstr[1] "" + +#: sample.cpp:177 +msgid "Attempting to join {1}" +msgstr "" + +#: sample.cpp:182 +msgid "* {1} ({2}@{3}) joins {4}" +msgstr "" + +#: sample.cpp:189 +msgid "* {1} ({2}@{3}) parts {4}" +msgstr "" + +#: sample.cpp:196 +msgid "{1} invited us to {2}, ignoring invites to {2}" +msgstr "" + +#: sample.cpp:201 +msgid "{1} invited us to {2}" +msgstr "" + +#: sample.cpp:207 +msgid "{1} is now known as {2}" +msgstr "" + +#: sample.cpp:269 sample.cpp:276 +msgid "{1} changes topic on {2} to {3}" +msgstr "" + +#: sample.cpp:317 +msgid "Hi, I'm your friendly sample module." +msgstr "" + +#: sample.cpp:330 +msgid "Description of module arguments goes here." +msgstr "" + +#: sample.cpp:333 +msgid "To be used as a sample for writing modules" +msgstr "" diff --git a/modules/po/samplewebapi.fr_FR.po b/modules/po/samplewebapi.fr_FR.po new file mode 100644 index 00000000..27687dd3 --- /dev/null +++ b/modules/po/samplewebapi.fr_FR.po @@ -0,0 +1,17 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n > 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: fr\n" +"X-Crowdin-File: /1.7.x/modules/po/samplewebapi.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" + +#: samplewebapi.cpp:59 +msgid "Sample Web API module." +msgstr "" diff --git a/modules/po/sasl.fr_FR.po b/modules/po/sasl.fr_FR.po new file mode 100644 index 00000000..ff91693c --- /dev/null +++ b/modules/po/sasl.fr_FR.po @@ -0,0 +1,174 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n > 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: fr\n" +"X-Crowdin-File: /1.7.x/modules/po/sasl.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" + +#: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:290 +msgid "SASL" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:11 +msgid "Username:" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:13 +msgid "Please enter a username." +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:16 +msgid "Password:" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:18 +msgid "Please enter a password." +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:22 +msgid "Options" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:25 +msgid "Connect only if SASL authentication succeeds." +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:27 +msgid "Require authentication" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:35 +msgid "Mechanisms" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:42 +msgid "Name" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:43 sasl.cpp:89 sasl.cpp:94 +msgid "Description" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:57 +msgid "Selected mechanisms and their order:" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:74 +msgid "Save" +msgstr "" + +#: sasl.cpp:54 +msgid "TLS certificate, for use with the *cert module" +msgstr "" + +#: sasl.cpp:56 +msgid "" +"Plain text negotiation, this should work always if the network supports SASL" +msgstr "" + +#: sasl.cpp:62 +msgid "search" +msgstr "" + +#: sasl.cpp:62 +msgid "Generate this output" +msgstr "" + +#: sasl.cpp:64 +msgid "[ []]" +msgstr "" + +#: sasl.cpp:65 +msgid "" +"Set username and password for the mechanisms that need them. Password is " +"optional. Without parameters, returns information about current settings." +msgstr "" + +#: sasl.cpp:69 +msgid "[mechanism[ ...]]" +msgstr "" + +#: sasl.cpp:70 +msgid "Set the mechanisms to be attempted (in order)" +msgstr "" + +#: sasl.cpp:72 +msgid "[yes|no]" +msgstr "" + +#: sasl.cpp:73 +msgid "Don't connect unless SASL authentication succeeds" +msgstr "" + +#: sasl.cpp:88 sasl.cpp:93 +msgid "Mechanism" +msgstr "" + +#: sasl.cpp:97 +msgid "The following mechanisms are available:" +msgstr "" + +#: sasl.cpp:107 +msgid "Username is currently not set" +msgstr "" + +#: sasl.cpp:109 +msgid "Username is currently set to '{1}'" +msgstr "" + +#: sasl.cpp:112 +msgid "Password was not supplied" +msgstr "" + +#: sasl.cpp:114 +msgid "Password was supplied" +msgstr "" + +#: sasl.cpp:122 +msgid "Username has been set to [{1}]" +msgstr "" + +#: sasl.cpp:123 +msgid "Password has been set to [{1}]" +msgstr "" + +#: sasl.cpp:143 +msgid "Current mechanisms set: {1}" +msgstr "" + +#: sasl.cpp:152 +msgid "We require SASL negotiation to connect" +msgstr "" + +#: sasl.cpp:154 +msgid "We will connect even if SASL fails" +msgstr "" + +#: sasl.cpp:191 +msgid "Disabling network, we require authentication." +msgstr "" + +#: sasl.cpp:192 +msgid "Use 'RequireAuth no' to disable." +msgstr "" + +#: sasl.cpp:245 +msgid "{1} mechanism succeeded." +msgstr "" + +#: sasl.cpp:257 +msgid "{1} mechanism failed." +msgstr "" + +#: sasl.cpp:335 +msgid "" +"Adds support for sasl authentication capability to authenticate to an IRC " +"server" +msgstr "" diff --git a/modules/po/savebuff.fr_FR.po b/modules/po/savebuff.fr_FR.po new file mode 100644 index 00000000..2a6b43a6 --- /dev/null +++ b/modules/po/savebuff.fr_FR.po @@ -0,0 +1,62 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n > 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: fr\n" +"X-Crowdin-File: /1.7.x/modules/po/savebuff.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" + +#: savebuff.cpp:65 +msgid "" +msgstr "" + +#: savebuff.cpp:65 +msgid "Sets the password" +msgstr "" + +#: savebuff.cpp:67 +msgid "" +msgstr "" + +#: savebuff.cpp:67 +msgid "Replays the buffer" +msgstr "" + +#: savebuff.cpp:69 +msgid "Saves all buffers" +msgstr "" + +#: savebuff.cpp:221 +msgid "" +"Password is unset usually meaning the decryption failed. You can setpass to " +"the appropriate pass and things should start working, or setpass to a new " +"pass and save to reinstantiate" +msgstr "" + +#: savebuff.cpp:232 +msgid "Password set to [{1}]" +msgstr "" + +#: savebuff.cpp:262 +msgid "Replayed {1}" +msgstr "" + +#: savebuff.cpp:341 +msgid "Unable to decode Encrypted file {1}" +msgstr "" + +#: savebuff.cpp:358 +msgid "" +"This user module takes up to one arguments. Either --ask-pass or the " +"password itself (which may contain spaces) or nothing" +msgstr "" + +#: savebuff.cpp:363 +msgid "Stores channel and query buffers to disk, encrypted" +msgstr "" diff --git a/modules/po/send_raw.fr_FR.po b/modules/po/send_raw.fr_FR.po new file mode 100644 index 00000000..95725a76 --- /dev/null +++ b/modules/po/send_raw.fr_FR.po @@ -0,0 +1,109 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n > 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: fr\n" +"X-Crowdin-File: /1.7.x/modules/po/send_raw.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:9 +msgid "Send a raw IRC line" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:14 +msgid "User:" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:15 +msgid "To change user, click to Network selector" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:19 +msgid "User/Network:" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:32 +msgid "Send to:" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:34 +msgid "Client" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:35 +msgid "Server" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:40 +msgid "Line:" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:45 +msgid "Send" +msgstr "" + +#: send_raw.cpp:32 +msgid "Sent [{1}] to {2}/{3}" +msgstr "" + +#: send_raw.cpp:36 send_raw.cpp:56 +msgid "Network {1} not found for user {2}" +msgstr "" + +#: send_raw.cpp:40 send_raw.cpp:60 +msgid "User {1} not found" +msgstr "" + +#: send_raw.cpp:52 +msgid "Sent [{1}] to IRC server of {2}/{3}" +msgstr "" + +#: send_raw.cpp:75 +msgid "You must have admin privileges to load this module" +msgstr "" + +#: send_raw.cpp:82 +msgid "Send Raw" +msgstr "" + +#: send_raw.cpp:92 +msgid "User not found" +msgstr "" + +#: send_raw.cpp:99 +msgid "Network not found" +msgstr "" + +#: send_raw.cpp:116 +msgid "Line sent" +msgstr "" + +#: send_raw.cpp:140 send_raw.cpp:143 +msgid "[user] [network] [data to send]" +msgstr "" + +#: send_raw.cpp:141 +msgid "The data will be sent to the user's IRC client(s)" +msgstr "" + +#: send_raw.cpp:144 +msgid "The data will be sent to the IRC server the user is connected to" +msgstr "" + +#: send_raw.cpp:147 +msgid "[data to send]" +msgstr "" + +#: send_raw.cpp:148 +msgid "The data will be sent to your current client" +msgstr "" + +#: send_raw.cpp:159 +msgid "Lets you send some raw IRC lines as/to someone else" +msgstr "" diff --git a/modules/po/shell.fr_FR.po b/modules/po/shell.fr_FR.po new file mode 100644 index 00000000..57a23b6c --- /dev/null +++ b/modules/po/shell.fr_FR.po @@ -0,0 +1,29 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n > 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: fr\n" +"X-Crowdin-File: /1.7.x/modules/po/shell.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" + +#: shell.cpp:37 +msgid "Failed to execute: {1}" +msgstr "" + +#: shell.cpp:75 +msgid "You must be admin to use the shell module" +msgstr "" + +#: shell.cpp:169 +msgid "Gives shell access" +msgstr "" + +#: shell.cpp:172 +msgid "Gives shell access. Only ZNC admins can use it." +msgstr "" diff --git a/modules/po/simple_away.fr_FR.po b/modules/po/simple_away.fr_FR.po new file mode 100644 index 00000000..4bc3c446 --- /dev/null +++ b/modules/po/simple_away.fr_FR.po @@ -0,0 +1,92 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n > 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: fr\n" +"X-Crowdin-File: /1.7.x/modules/po/simple_away.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" + +#: simple_away.cpp:56 +msgid "[]" +msgstr "" + +#: simple_away.cpp:57 +#, c-format +msgid "" +"Prints or sets the away reason (%awaytime% is replaced with the time you " +"were set away, supports substitutions using ExpandString)" +msgstr "" + +#: simple_away.cpp:63 +msgid "Prints the current time to wait before setting you away" +msgstr "" + +#: simple_away.cpp:65 +msgid "" +msgstr "" + +#: simple_away.cpp:66 +msgid "Sets the time to wait before setting you away" +msgstr "" + +#: simple_away.cpp:69 +msgid "Disables the wait time before setting you away" +msgstr "" + +#: simple_away.cpp:73 +msgid "Get or set the minimum number of clients before going away" +msgstr "" + +#: simple_away.cpp:136 +msgid "Away reason set" +msgstr "" + +#: simple_away.cpp:138 +msgid "Away reason: {1}" +msgstr "" + +#: simple_away.cpp:139 +msgid "Current away reason would be: {1}" +msgstr "" + +#: simple_away.cpp:144 +msgid "Current timer setting: 1 second" +msgid_plural "Current timer setting: {1} seconds" +msgstr[0] "" +msgstr[1] "" + +#: simple_away.cpp:153 simple_away.cpp:161 +msgid "Timer disabled" +msgstr "" + +#: simple_away.cpp:155 +msgid "Timer set to 1 second" +msgid_plural "Timer set to: {1} seconds" +msgstr[0] "" +msgstr[1] "" + +#: simple_away.cpp:166 +msgid "Current MinClients setting: {1}" +msgstr "" + +#: simple_away.cpp:169 +msgid "MinClients set to {1}" +msgstr "" + +#: simple_away.cpp:248 +msgid "" +"You might enter up to 3 arguments, like -notimer awaymessage or -timer 5 " +"awaymessage." +msgstr "" + +#: simple_away.cpp:253 +msgid "" +"This module will automatically set you away on IRC while you are " +"disconnected from the bouncer." +msgstr "" diff --git a/modules/po/stickychan.fr_FR.po b/modules/po/stickychan.fr_FR.po new file mode 100644 index 00000000..f1c30b47 --- /dev/null +++ b/modules/po/stickychan.fr_FR.po @@ -0,0 +1,102 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n > 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: fr\n" +"X-Crowdin-File: /1.7.x/modules/po/stickychan.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" + +#: modules/po/../data/stickychan/tmpl/index.tmpl:9 +msgid "Name" +msgstr "" + +#: modules/po/../data/stickychan/tmpl/index.tmpl:10 +msgid "Sticky" +msgstr "" + +#: modules/po/../data/stickychan/tmpl/index.tmpl:25 +msgid "Save" +msgstr "" + +#: modules/po/../data/stickychan/tmpl/stickychan_WebadminChan.tmpl:8 +msgid "Channel is sticky" +msgstr "" + +#: stickychan.cpp:28 +msgid "<#channel> [key]" +msgstr "" + +#: stickychan.cpp:28 +msgid "Sticks a channel" +msgstr "" + +#: stickychan.cpp:30 +msgid "<#channel>" +msgstr "" + +#: stickychan.cpp:30 +msgid "Unsticks a channel" +msgstr "" + +#: stickychan.cpp:32 +msgid "Lists sticky channels" +msgstr "" + +#: stickychan.cpp:75 +msgid "Usage: Stick <#channel> [key]" +msgstr "" + +#: stickychan.cpp:79 +msgid "Stuck {1}" +msgstr "" + +#: stickychan.cpp:85 +msgid "Usage: Unstick <#channel>" +msgstr "" + +#: stickychan.cpp:89 +msgid "Unstuck {1}" +msgstr "" + +#: stickychan.cpp:101 +msgid " -- End of List" +msgstr "" + +#: stickychan.cpp:115 +msgid "Could not join {1} (# prefix missing?)" +msgstr "" + +#: stickychan.cpp:128 +msgid "Sticky Channels" +msgstr "" + +#: stickychan.cpp:160 +msgid "Changes have been saved!" +msgstr "" + +#: stickychan.cpp:185 +msgid "Channel became sticky!" +msgstr "" + +#: stickychan.cpp:189 +msgid "Channel stopped being sticky!" +msgstr "" + +#: stickychan.cpp:209 +msgid "" +"Channel {1} cannot be joined, it is an illegal channel name. Unsticking." +msgstr "" + +#: stickychan.cpp:246 +msgid "List of channels, separated by comma." +msgstr "" + +#: stickychan.cpp:251 +msgid "configless sticky chans, keeps you there very stickily even" +msgstr "" diff --git a/modules/po/stripcontrols.fr_FR.po b/modules/po/stripcontrols.fr_FR.po new file mode 100644 index 00000000..37febbf1 --- /dev/null +++ b/modules/po/stripcontrols.fr_FR.po @@ -0,0 +1,18 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n > 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: fr\n" +"X-Crowdin-File: /1.7.x/modules/po/stripcontrols.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" + +#: stripcontrols.cpp:63 +msgid "" +"Strips control codes (Colors, Bold, ..) from channel and private messages." +msgstr "" diff --git a/modules/po/watch.fr_FR.po b/modules/po/watch.fr_FR.po new file mode 100644 index 00000000..8344e7b1 --- /dev/null +++ b/modules/po/watch.fr_FR.po @@ -0,0 +1,249 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n > 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: fr\n" +"X-Crowdin-File: /1.7.x/modules/po/watch.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" + +#: watch.cpp:334 +msgid "All entries cleared." +msgstr "" + +#: watch.cpp:344 +msgid "Buffer count is set to {1}" +msgstr "" + +#: watch.cpp:348 +msgid "Unknown command: {1}" +msgstr "" + +#: watch.cpp:397 +msgid "Disabled all entries." +msgstr "" + +#: watch.cpp:398 +msgid "Enabled all entries." +msgstr "" + +#: watch.cpp:405 watch.cpp:437 watch.cpp:470 watch.cpp:570 watch.cpp:585 +msgid "Invalid Id" +msgstr "" + +#: watch.cpp:414 +msgid "Id {1} disabled" +msgstr "" + +#: watch.cpp:416 +msgid "Id {1} enabled" +msgstr "" + +#: watch.cpp:428 +msgid "Set DetachedClientOnly for all entries to Yes" +msgstr "" + +#: watch.cpp:430 +msgid "Set DetachedClientOnly for all entries to No" +msgstr "" + +#: watch.cpp:446 watch.cpp:479 +msgid "Id {1} set to Yes" +msgstr "" + +#: watch.cpp:448 watch.cpp:481 +msgid "Id {1} set to No" +msgstr "" + +#: watch.cpp:461 +msgid "Set DetachedChannelOnly for all entries to Yes" +msgstr "" + +#: watch.cpp:463 +msgid "Set DetachedChannelOnly for all entries to No" +msgstr "" + +#: watch.cpp:487 watch.cpp:503 +msgid "Id" +msgstr "" + +#: watch.cpp:488 watch.cpp:504 +msgid "HostMask" +msgstr "" + +#: watch.cpp:489 watch.cpp:505 +msgid "Target" +msgstr "" + +#: watch.cpp:490 watch.cpp:506 +msgid "Pattern" +msgstr "" + +#: watch.cpp:491 watch.cpp:507 +msgid "Sources" +msgstr "" + +#: watch.cpp:492 watch.cpp:508 watch.cpp:509 +msgid "Off" +msgstr "" + +#: watch.cpp:493 watch.cpp:511 +msgid "DetachedClientOnly" +msgstr "" + +#: watch.cpp:494 watch.cpp:514 +msgid "DetachedChannelOnly" +msgstr "" + +#: watch.cpp:512 watch.cpp:515 +msgid "Yes" +msgstr "" + +#: watch.cpp:512 watch.cpp:515 +msgid "No" +msgstr "" + +#: watch.cpp:521 watch.cpp:527 +msgid "You have no entries." +msgstr "" + +#: watch.cpp:578 +msgid "Sources set for Id {1}." +msgstr "" + +#: watch.cpp:593 +msgid "Id {1} removed." +msgstr "" + +#: watch.cpp:600 watch.cpp:604 watch.cpp:609 watch.cpp:614 watch.cpp:620 +#: watch.cpp:625 watch.cpp:629 watch.cpp:633 watch.cpp:638 watch.cpp:645 +#: watch.cpp:652 watch.cpp:658 watch.cpp:664 +msgid "Command" +msgstr "" + +#: watch.cpp:601 watch.cpp:605 watch.cpp:610 watch.cpp:616 watch.cpp:621 +#: watch.cpp:626 watch.cpp:630 watch.cpp:634 watch.cpp:641 watch.cpp:648 +#: watch.cpp:654 watch.cpp:660 watch.cpp:665 +msgid "Description" +msgstr "" + +#: watch.cpp:604 +msgid "Add [Target] [Pattern]" +msgstr "" + +#: watch.cpp:606 +msgid "Used to add an entry to watch for." +msgstr "" + +#: watch.cpp:609 +msgid "List" +msgstr "" + +#: watch.cpp:611 +msgid "List all entries being watched." +msgstr "" + +#: watch.cpp:614 +msgid "Dump" +msgstr "" + +#: watch.cpp:617 +msgid "Dump a list of all current entries to be used later." +msgstr "" + +#: watch.cpp:620 +msgid "Del " +msgstr "" + +#: watch.cpp:622 +msgid "Deletes Id from the list of watched entries." +msgstr "" + +#: watch.cpp:625 +msgid "Clear" +msgstr "" + +#: watch.cpp:626 +msgid "Delete all entries." +msgstr "" + +#: watch.cpp:629 +msgid "Enable " +msgstr "" + +#: watch.cpp:630 +msgid "Enable a disabled entry." +msgstr "" + +#: watch.cpp:633 +msgid "Disable " +msgstr "" + +#: watch.cpp:635 +msgid "Disable (but don't delete) an entry." +msgstr "" + +#: watch.cpp:639 +msgid "SetDetachedClientOnly " +msgstr "" + +#: watch.cpp:642 +msgid "Enable or disable detached client only for an entry." +msgstr "" + +#: watch.cpp:646 +msgid "SetDetachedChannelOnly " +msgstr "" + +#: watch.cpp:649 +msgid "Enable or disable detached channel only for an entry." +msgstr "" + +#: watch.cpp:652 +msgid "Buffer [Count]" +msgstr "" + +#: watch.cpp:655 +msgid "Show/Set the amount of buffered lines while detached." +msgstr "" + +#: watch.cpp:659 +msgid "SetSources [#chan priv #foo* !#bar]" +msgstr "" + +#: watch.cpp:661 +msgid "Set the source channels that you care about." +msgstr "" + +#: watch.cpp:664 +msgid "Help" +msgstr "" + +#: watch.cpp:665 +msgid "This help." +msgstr "" + +#: watch.cpp:681 +msgid "Entry for {1} already exists." +msgstr "" + +#: watch.cpp:689 +msgid "Adding entry: {1} watching for [{2}] -> {3}" +msgstr "" + +#: watch.cpp:695 +msgid "Watch: Not enough arguments. Try Help" +msgstr "" + +#: watch.cpp:764 +msgid "WARNING: malformed entry found while loading" +msgstr "" + +#: watch.cpp:778 +msgid "Copy activity from a specific user into a separate window" +msgstr "" diff --git a/modules/po/webadmin.fr_FR.po b/modules/po/webadmin.fr_FR.po new file mode 100644 index 00000000..90e956ae --- /dev/null +++ b/modules/po/webadmin.fr_FR.po @@ -0,0 +1,1209 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n > 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: fr\n" +"X-Crowdin-File: /1.7.x/modules/po/webadmin.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:12 +msgid "Channel Info" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:17 +msgid "Channel Name:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:19 +msgid "The channel name." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:24 +msgid "Key:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:26 +msgid "The password of the channel, if there is one." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:30 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:241 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:260 +msgid "Buffer Size:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:32 +msgid "The buffer count." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:36 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:235 +msgid "Default Modes:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:38 +msgid "The default modes of the channel." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:46 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:270 +msgid "Flags" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:51 +msgid "Save to config" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:67 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:282 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:410 +msgid "Module {1}" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:75 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:290 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:419 +msgid "Save and return" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:76 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:291 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:420 +msgid "Save and continue" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:78 +msgid "Add Channel and return" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:79 +msgid "Add Channel and continue" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:8 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:11 +msgid "<password>" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:11 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:12 +msgid "<network>" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:14 +msgid "" +"To connect to this network from your IRC client, you can set the server " +"password field as {1} or username field as {2}" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:24 +msgid "Network Info" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:25 +msgid "" +"Nick, AltNick, Ident, RealName, BindHost can be left empty to use the value " +"from the user." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:29 +msgid "Network Name:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:31 +msgid "The name of the IRC network." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:35 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:69 +msgid "Nickname:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:37 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:71 +msgid "Your nickname on IRC." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:40 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:74 +msgid "Alt. Nickname:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:42 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:76 +msgid "Your secondary nickname, if the first is not available on IRC." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:46 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:80 +msgid "Ident:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:48 +msgid "Your ident." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:51 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:91 +msgid "Realname:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:53 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:93 +msgid "Your real name." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:58 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:99 +msgid "BindHost:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:65 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:112 +msgid "Quit Message:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:67 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:114 +msgid "You may define a Message shown, when you quit IRC." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:71 +msgid "Active:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:73 +msgid "Connect to IRC & automatically re-connect" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:77 +msgid "Trust all certs:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:79 +msgid "" +"Disable certificate validation (takes precedence over TrustPKI). INSECURE!" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:83 +msgid "Trust the PKI:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:85 +msgid "" +"Setting this to false will trust only certificates you added fingerprints " +"for." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:89 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:96 +msgid "Servers of this IRC network:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:93 +msgid "One server per line, “host [[+]port] [password]”, + means SSL" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:101 +msgid "Hostname" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:102 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:13 +msgid "Port" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:103 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:15 +msgid "SSL" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:104 +msgid "Password" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:116 +msgid "SHA-256 fingerprints of trusted SSL certificates of this IRC network:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:120 +msgid "" +"When these certificates are encountered, checks for hostname, expiration " +"date, CA are skipped" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:124 +msgid "Flood protection:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:127 +msgid "" +"You might enable the flood protection. This prevents “excess flood” errors, " +"which occur, when your IRC bot is command flooded or spammed. After changing " +"this, reconnect ZNC to server." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:130 +msgctxt "Flood Protection" +msgid "Enabled" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:134 +msgid "Flood protection rate:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:137 +msgid "" +"The number of seconds per line. After changing this, reconnect ZNC to server." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:140 +msgid "{1} seconds per line" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:144 +msgid "Flood protection burst:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:147 +msgid "" +"Defines the number of lines, which can be sent immediately. After changing " +"this, reconnect ZNC to server." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:150 +msgid "{1} lines can be sent immediately" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:154 +msgid "Channel join delay:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:157 +msgid "" +"Defines the delay in seconds, until channels are joined after getting " +"connected." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:160 +msgid "{1} seconds" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:165 +msgid "Character encoding used between ZNC and IRC server." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:166 +msgid "Server encoding:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:176 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:231 +msgid "Channels" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:178 +msgid "" +"You will be able to add + modify channels here after you created the network." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:185 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:129 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:354 +#: modules/po/../data/webadmin/tmpl/listusers.tmpl:15 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:72 +msgid "Add" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:187 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:430 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:237 +msgid "Save" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:188 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:228 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:131 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:174 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:176 +msgid "Name" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:189 +msgid "CurModes" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:190 +msgid "DefModes" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:191 +msgid "BufferSize" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:192 +msgid "Options" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:194 +msgid "← Add a channel (opens in same page)" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:204 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:146 +#: modules/po/../data/webadmin/tmpl/listusers.tmpl:27 +msgid "Edit" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:204 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:146 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:53 +msgid "Del" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:222 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:168 +msgid "Modules" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:229 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:175 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:177 +msgid "Arguments" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:230 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:176 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:178 +msgid "Description" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:231 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:177 +msgid "Loaded globally" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:232 +msgid "Loaded by user" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:293 +msgid "Add Network and return" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:294 +msgid "Add Network and continue" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:15 +msgid "Authentication" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:19 +msgid "Username:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:29 +msgid "Please enter a username." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:34 +msgid "Password:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:36 +msgid "Please enter a password." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:39 +msgid "Confirm password:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:41 +msgid "Please re-type the above password." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:44 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:151 +msgid "Auth Only Via Module:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:46 +msgid "" +"Allow user authentication by external modules only, disabling built-in " +"password authentication." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:50 +msgid "Allowed IPs:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:54 +msgid "" +"Leave empty to allow connections from all IPs.
Otherwise, one entry per " +"line, wildcards * and ? are available." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:62 +msgid "IRC Information" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:64 +msgid "" +"Nick, AltNick, Ident, RealName and QuitMsg can be left empty to use default " +"values." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:82 +msgid "The Ident is sent to server as username." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:85 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:102 +msgid "Status Prefix:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:87 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:104 +msgid "The prefix for the status and module queries." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:105 +msgid "DCCBindHost:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:122 +#: modules/po/../data/webadmin/tmpl/listusers.tmpl:17 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:39 +msgid "Networks" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:132 +#: modules/po/../data/webadmin/tmpl/listusers.tmpl:18 +msgid "Clients" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:133 +msgid "Current Server" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:134 +msgid "Nick" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:136 +msgid "← Add a network (opens in same page)" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:160 +msgid "" +"You will be able to add + modify networks here after you have cloned the " +"user." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:162 +msgid "" +"You will be able to add + modify networks here after you have created the " +"user." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:178 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:179 +msgid "Loaded by networks" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:237 +msgid "" +"These are the default modes ZNC will set when you join an empty channel." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:238 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:244 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:263 +msgid "Empty = use standard value" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:243 +msgid "" +"This is the amount of lines that the playback buffer will store for channels " +"before dropping off the oldest line. The buffers are stored in the memory by " +"default." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:251 +msgid "Queries" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:255 +msgid "Max Buffers:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:257 +msgid "Maximum number of query buffers. 0 is unlimited." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:262 +msgid "" +"This is the amount of lines that the playback buffer will store for queries " +"before dropping off the oldest line. The buffers are stored in the memory by " +"default." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:285 +msgid "ZNC Behavior" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:286 +msgid "" +"Any of the following text boxes can be left empty to use their default value." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:290 +msgid "Timestamp Format:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:292 +msgid "" +"The format for the timestamps used in buffers, for example [%H:%M:%S]. This " +"setting is ignored in new IRC clients, which use server-time. If your client " +"supports server-time, change timestamp format in client settings instead." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:295 +msgid "Timezone:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:298 +msgid "E.g. Europe/Berlin, or GMT-6" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:306 +msgid "Character encoding used between IRC client and ZNC." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:307 +msgid "Client encoding:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:312 +msgid "Join Tries:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:314 +msgid "" +"This defines how many times ZNC tries to join a channel, if the first join " +"failed, e.g. due to channel mode +i/+k or if you are banned." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:317 +msgid "Join speed:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:319 +msgid "" +"How many channels are joined in one JOIN command. 0 is unlimited (default). " +"Set to small positive value if you get disconnected with “Max SendQ Exceeded”" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:322 +msgid "Timeout before reconnect:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:324 +msgid "" +"How much time ZNC waits (in seconds) until it receives something from " +"network or declares the connection timeout. This happens after attempts to " +"ping the peer." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:327 +msgid "Max IRC Networks Number:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:329 +msgid "Maximum number of IRC networks allowed for this user." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:332 +msgid "Substitutions" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:334 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:342 +msgid "CTCP Replies:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:338 +msgid "One reply per line. Example: TIME Buy a watch!" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:339 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:355 +msgid "{1} are available" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:341 +msgid "Empty value means this CTCP request will be ignored" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:347 +msgid "Request" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:348 +msgid "Response" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:373 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:90 +msgid "Skin:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:377 +msgid "- Global -" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:379 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:94 +msgid "Default" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:383 +msgid "No other skins found" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:389 +msgid "Language:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:422 +msgid "Clone and return" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:423 +msgid "Clone and continue" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:425 +msgid "Create and return" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:426 +msgid "Create and continue" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:432 +#: modules/po/../data/webadmin/tmpl/listusers.tmpl:28 +msgid "Clone" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:434 +msgid "Create" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/del_network.tmpl:5 +msgid "Confirm Network Deletion" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/del_network.tmpl:9 +msgid "Are you sure you want to delete network “{2}” of user “{1}”?" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/del_network.tmpl:14 +#: modules/po/../data/webadmin/tmpl/del_user.tmpl:14 +msgid "Yes" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/del_network.tmpl:17 +#: modules/po/../data/webadmin/tmpl/del_user.tmpl:17 +msgid "No" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/del_user.tmpl:5 +msgid "Confirm User Deletion" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/del_user.tmpl:9 +msgid "Are you sure you want to delete user “{1}”?" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:6 +msgid "ZNC is compiled without encodings support. {1} is required for it." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:11 +msgid "Legacy mode is disabled by modpython." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:18 +msgid "Don't ensure any encoding at all (legacy mode, not recommended)" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:22 +msgid "Try to parse as UTF-8 and as {1}, send as UTF-8 (recommended)" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:26 +msgid "Try to parse as UTF-8 and as {1}, send as {1}" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:30 +msgid "Parse and send as {1} only" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:36 +msgid "E.g. UTF-8, or ISO-8859-15" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/index.tmpl:5 +msgid "Welcome to the ZNC webadmin module." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/index.tmpl:6 +msgid "" +"All changes you make will be in effect immediately after you submitted them." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/listusers.tmpl:16 +msgid "Username" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/listusers.tmpl:29 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:21 +msgid "Delete" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:6 +msgid "Listen Port(s)" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:14 +msgid "BindHost" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:16 +msgid "IPv4" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:17 +msgid "IPv6" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:18 +msgid "IRC" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:19 +msgid "HTTP" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:20 +msgid "URIPrefix" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:56 +msgid "" +"To delete port which you use to access webadmin itself, either connect to " +"webadmin via another port, or do it in IRC (/znc DelPort)" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:56 +msgid "Current" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:86 +msgid "Settings" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:105 +msgid "Default for new users only." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:110 +msgid "Maximum Buffer Size:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:112 +msgid "Sets the global Max Buffer Size a user can have." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:117 +msgid "Connect Delay:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:119 +msgid "" +"The time between connection attempts to IRC servers, in seconds. This " +"affects the connection between ZNC and the IRC server; not the connection " +"between your IRC client and ZNC." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:124 +msgid "Server Throttle:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:126 +msgid "" +"The minimal time between two connect attempts to the same hostname, in " +"seconds. Some servers refuse your connection if you reconnect too fast." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:131 +msgid "Anonymous Connection Limit per IP:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:133 +msgid "Limits the number of unidentified connections per IP." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:138 +msgid "Protect Web Sessions:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:140 +msgid "Disallow IP changing during each web session" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:145 +msgid "Hide ZNC Version:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:147 +msgid "Hide version number from non-ZNC users" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:153 +msgid "Allow user authentication by external modules only" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:158 +msgid "MOTD:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:162 +msgid "“Message of the Day”, sent to all ZNC users on connect." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:170 +msgid "Global Modules" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:180 +msgid "Loaded by users" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:7 +msgid "Information" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:13 +msgid "Uptime" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:18 +msgid "Total Users" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:22 +msgid "Total Networks" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:26 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:43 +msgid "Attached Networks" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:30 +msgid "Total Client Connections" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:34 +msgid "Total IRC Connections" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:47 +msgid "Client Connections" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:51 +msgid "IRC Connections" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:63 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:72 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:89 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:117 +msgid "Total" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:70 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:115 +msgctxt "Traffic" +msgid "In" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:71 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:116 +msgctxt "Traffic" +msgid "Out" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:77 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:104 +msgid "Users" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:106 +msgid "Traffic" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:113 +msgid "User" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:114 +msgid "Network" +msgstr "" + +#: webadmin.cpp:91 webadmin.cpp:1879 +msgid "Global Settings" +msgstr "" + +#: webadmin.cpp:93 +msgid "Your Settings" +msgstr "" + +#: webadmin.cpp:94 webadmin.cpp:1691 +msgid "Traffic Info" +msgstr "" + +#: webadmin.cpp:97 webadmin.cpp:1670 +msgid "Manage Users" +msgstr "" + +#: webadmin.cpp:188 +msgid "Invalid Submission [Username is required]" +msgstr "" + +#: webadmin.cpp:201 +msgid "Invalid Submission [Passwords do not match]" +msgstr "" + +#: webadmin.cpp:323 +msgid "Timeout can't be less than 30 seconds!" +msgstr "" + +#: webadmin.cpp:407 webadmin.cpp:435 webadmin.cpp:1189 webadmin.cpp:2064 +msgid "Unable to load module [{1}]: {2}" +msgstr "" + +#: webadmin.cpp:412 webadmin.cpp:440 +msgid "Unable to load module [{1}] with arguments [{2}]" +msgstr "" + +#: webadmin.cpp:521 webadmin.cpp:625 webadmin.cpp:650 webadmin.cpp:672 +#: webadmin.cpp:706 webadmin.cpp:1256 +msgid "No such user" +msgstr "" + +#: webadmin.cpp:534 webadmin.cpp:566 webadmin.cpp:595 webadmin.cpp:611 +msgid "No such user or network" +msgstr "" + +#: webadmin.cpp:576 +msgid "No such channel" +msgstr "" + +#: webadmin.cpp:642 +msgid "Please don't delete yourself, suicide is not the answer!" +msgstr "" + +#: webadmin.cpp:715 webadmin.cpp:971 webadmin.cpp:1321 +msgid "Edit User [{1}]" +msgstr "" + +#: webadmin.cpp:719 webadmin.cpp:897 +msgid "Edit Network [{1}]" +msgstr "" + +#: webadmin.cpp:729 +msgid "Edit Channel [{1}] of Network [{2}] of User [{3}]" +msgstr "" + +#: webadmin.cpp:736 +msgid "Edit Channel [{1}]" +msgstr "" + +#: webadmin.cpp:744 +msgid "Add Channel to Network [{1}] of User [{2}]" +msgstr "" + +#: webadmin.cpp:749 +msgid "Add Channel" +msgstr "" + +#: webadmin.cpp:756 webadmin.cpp:1517 +msgid "Auto Clear Chan Buffer" +msgstr "" + +#: webadmin.cpp:758 +msgid "Automatically Clear Channel Buffer After Playback" +msgstr "" + +#: webadmin.cpp:766 +msgid "Detached" +msgstr "" + +#: webadmin.cpp:773 +msgid "Enabled" +msgstr "" + +#: webadmin.cpp:797 +msgid "Channel name is a required argument" +msgstr "" + +#: webadmin.cpp:806 +msgid "Channel [{1}] already exists" +msgstr "" + +#: webadmin.cpp:813 +msgid "Could not add channel [{1}]" +msgstr "" + +#: webadmin.cpp:861 +msgid "Channel was added/modified, but config file was not written" +msgstr "" + +#: webadmin.cpp:894 +msgid "Edit Network [{1}] of User [{2}]" +msgstr "" + +#: webadmin.cpp:901 webadmin.cpp:1078 +msgid "" +"Network number limit reached. Ask an admin to increase the limit for you, or " +"delete unneeded networks from Your Settings." +msgstr "" + +#: webadmin.cpp:909 +msgid "Add Network for User [{1}]" +msgstr "" + +#: webadmin.cpp:910 +msgid "Add Network" +msgstr "" + +#: webadmin.cpp:1072 +msgid "Network name is a required argument" +msgstr "" + +#: webadmin.cpp:1196 webadmin.cpp:2071 +msgid "Unable to reload module [{1}]: {2}" +msgstr "" + +#: webadmin.cpp:1233 +msgid "Network was added/modified, but config file was not written" +msgstr "" + +#: webadmin.cpp:1262 +msgid "That network doesn't exist for this user" +msgstr "" + +#: webadmin.cpp:1279 +msgid "Network was deleted, but config file was not written" +msgstr "" + +#: webadmin.cpp:1293 +msgid "That channel doesn't exist for this network" +msgstr "" + +#: webadmin.cpp:1302 +msgid "Channel was deleted, but config file was not written" +msgstr "" + +#: webadmin.cpp:1330 +msgid "Clone User [{1}]" +msgstr "" + +#: webadmin.cpp:1519 +msgid "" +"Automatically Clear Channel Buffer After Playback (the default value for new " +"channels)" +msgstr "" + +#: webadmin.cpp:1529 +msgid "Multi Clients" +msgstr "" + +#: webadmin.cpp:1536 +msgid "Append Timestamps" +msgstr "" + +#: webadmin.cpp:1543 +msgid "Prepend Timestamps" +msgstr "" + +#: webadmin.cpp:1551 +msgid "Deny LoadMod" +msgstr "" + +#: webadmin.cpp:1558 +msgid "Admin" +msgstr "" + +#: webadmin.cpp:1568 +msgid "Deny SetBindHost" +msgstr "" + +#: webadmin.cpp:1576 +msgid "Auto Clear Query Buffer" +msgstr "" + +#: webadmin.cpp:1578 +msgid "Automatically Clear Query Buffer After Playback" +msgstr "" + +#: webadmin.cpp:1602 +msgid "Invalid Submission: User {1} already exists" +msgstr "" + +#: webadmin.cpp:1624 webadmin.cpp:1635 +msgid "Invalid submission: {1}" +msgstr "" + +#: webadmin.cpp:1630 +msgid "User was added, but config file was not written" +msgstr "" + +#: webadmin.cpp:1641 +msgid "User was edited, but config file was not written" +msgstr "" + +#: webadmin.cpp:1799 +msgid "Choose either IPv4 or IPv6 or both." +msgstr "" + +#: webadmin.cpp:1816 +msgid "Choose either IRC or HTTP or both." +msgstr "" + +#: webadmin.cpp:1829 webadmin.cpp:1865 +msgid "Port was changed, but config file was not written" +msgstr "" + +#: webadmin.cpp:1855 +msgid "Invalid request." +msgstr "" + +#: webadmin.cpp:1869 +msgid "The specified listener was not found." +msgstr "" + +#: webadmin.cpp:2100 +msgid "Settings were changed, but config file was not written" +msgstr "" diff --git a/src/po/znc.fr_FR.po b/src/po/znc.fr_FR.po new file mode 100644 index 00000000..9641b48f --- /dev/null +++ b/src/po/znc.fr_FR.po @@ -0,0 +1,1726 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n > 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: fr\n" +"X-Crowdin-File: /1.7.x/src/po/znc.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" + +#: webskins/_default_/tmpl/InfoBar.tmpl:6 +msgid "Logged in as: {1}" +msgstr "" + +#: webskins/_default_/tmpl/InfoBar.tmpl:8 +msgid "Not logged in" +msgstr "" + +#: webskins/_default_/tmpl/LoginBar.tmpl:3 +msgid "Logout" +msgstr "" + +#: webskins/_default_/tmpl/Menu.tmpl:4 +msgid "Home" +msgstr "" + +#: webskins/_default_/tmpl/Menu.tmpl:7 +msgid "Global Modules" +msgstr "" + +#: webskins/_default_/tmpl/Menu.tmpl:20 +msgid "User Modules" +msgstr "" + +#: webskins/_default_/tmpl/Menu.tmpl:35 +msgid "Network Modules ({1})" +msgstr "" + +#: webskins/_default_/tmpl/index.tmpl:6 +msgid "Welcome to ZNC's web interface!" +msgstr "" + +#: webskins/_default_/tmpl/index.tmpl:11 +msgid "" +"No Web-enabled modules have been loaded. Load modules from IRC (“/msg " +"*status help” and “/msg *status loadmod <module>”). Once you have loaded some Web-enabled modules, the menu will expand." +msgstr "" + +#: znc.cpp:1563 +msgid "User already exists" +msgstr "" + +#: znc.cpp:1671 +msgid "IPv6 is not enabled" +msgstr "" + +#: znc.cpp:1679 +msgid "SSL is not enabled" +msgstr "" + +#: znc.cpp:1687 +msgid "Unable to locate pem file: {1}" +msgstr "" + +#: znc.cpp:1706 +msgid "Invalid port" +msgstr "" + +#: znc.cpp:1822 ClientCommand.cpp:1629 +msgid "Unable to bind: {1}" +msgstr "" + +#: IRCNetwork.cpp:235 +msgid "Jumping servers because this server is no longer in the list" +msgstr "" + +#: IRCNetwork.cpp:640 User.cpp:678 +msgid "Welcome to ZNC" +msgstr "" + +#: IRCNetwork.cpp:728 +msgid "You are currently disconnected from IRC. Use 'connect' to reconnect." +msgstr "" + +#: IRCNetwork.cpp:758 +msgid "This network is being deleted or moved to another user." +msgstr "" + +#: IRCNetwork.cpp:987 +msgid "The channel {1} could not be joined, disabling it." +msgstr "" + +#: IRCNetwork.cpp:1116 +msgid "Your current server was removed, jumping..." +msgstr "" + +#: IRCNetwork.cpp:1279 +msgid "Cannot connect to {1}, because ZNC is not compiled with SSL support." +msgstr "" + +#: IRCNetwork.cpp:1300 +msgid "Some module aborted the connection attempt" +msgstr "" + +#: IRCSock.cpp:485 +msgid "Error from server: {1}" +msgstr "" + +#: IRCSock.cpp:687 +msgid "ZNC seems to be connected to itself, disconnecting..." +msgstr "" + +#: IRCSock.cpp:734 +msgid "Server {1} redirects us to {2}:{3} with reason: {4}" +msgstr "" + +#: IRCSock.cpp:738 +msgid "Perhaps you want to add it as a new server." +msgstr "" + +#: IRCSock.cpp:968 +msgid "Channel {1} is linked to another channel and was thus disabled." +msgstr "" + +#: IRCSock.cpp:980 +msgid "Switched to SSL (STARTTLS)" +msgstr "" + +#: IRCSock.cpp:1033 +msgid "You quit: {1}" +msgstr "" + +#: IRCSock.cpp:1239 +msgid "Disconnected from IRC. Reconnecting..." +msgstr "" + +#: IRCSock.cpp:1270 +msgid "Cannot connect to IRC ({1}). Retrying..." +msgstr "" + +#: IRCSock.cpp:1273 +msgid "Disconnected from IRC ({1}). Reconnecting..." +msgstr "" + +#: IRCSock.cpp:1303 +msgid "If you trust this certificate, do /znc AddTrustedServerFingerprint {1}" +msgstr "" + +#: IRCSock.cpp:1320 +msgid "IRC connection timed out. Reconnecting..." +msgstr "" + +#: IRCSock.cpp:1332 +msgid "Connection Refused. Reconnecting..." +msgstr "" + +#: IRCSock.cpp:1340 +msgid "Received a too long line from the IRC server!" +msgstr "" + +#: IRCSock.cpp:1444 +msgid "No free nick available" +msgstr "" + +#: IRCSock.cpp:1452 +msgid "No free nick found" +msgstr "" + +#: Client.cpp:74 +msgid "No such module {1}" +msgstr "" + +#: Client.cpp:359 +msgid "A client from {1} attempted to login as you, but was rejected: {2}" +msgstr "" + +#: Client.cpp:394 +msgid "Network {1} doesn't exist." +msgstr "" + +#: Client.cpp:408 +msgid "" +"You have several networks configured, but no network was specified for the " +"connection." +msgstr "" + +#: Client.cpp:411 +msgid "" +"Selecting network {1}. To see list of all configured networks, use /znc " +"ListNetworks" +msgstr "" + +#: Client.cpp:414 +msgid "" +"If you want to choose another network, use /znc JumpNetwork , or " +"connect to ZNC with username {1}/ (instead of just {1})" +msgstr "" + +#: Client.cpp:420 +msgid "" +"You have no networks configured. Use /znc AddNetwork to add one." +msgstr "" + +#: Client.cpp:431 +msgid "Closing link: Timeout" +msgstr "" + +#: Client.cpp:453 +msgid "Closing link: Too long raw line" +msgstr "" + +#: Client.cpp:460 +msgid "" +"You are being disconnected because another user just authenticated as you." +msgstr "" + +#: Client.cpp:1015 +msgid "Your CTCP to {1} got lost, you are not connected to IRC!" +msgstr "" + +#: Client.cpp:1142 +msgid "Your notice to {1} got lost, you are not connected to IRC!" +msgstr "" + +#: Client.cpp:1181 +msgid "Removing channel {1}" +msgstr "" + +#: Client.cpp:1257 +msgid "Your message to {1} got lost, you are not connected to IRC!" +msgstr "" + +#: Client.cpp:1310 Client.cpp:1316 +msgid "Hello. How may I help you?" +msgstr "" + +#: Client.cpp:1330 +msgid "Usage: /attach <#chans>" +msgstr "" + +#: Client.cpp:1337 Client.cpp:1359 ClientCommand.cpp:129 ClientCommand.cpp:151 +msgid "There was {1} channel matching [{2}]" +msgid_plural "There were {1} channels matching [{2}]" +msgstr[0] "" +msgstr[1] "" + +#: Client.cpp:1340 ClientCommand.cpp:132 +msgid "Attached {1} channel" +msgid_plural "Attached {1} channels" +msgstr[0] "" +msgstr[1] "" + +#: Client.cpp:1352 +msgid "Usage: /detach <#chans>" +msgstr "" + +#: Client.cpp:1362 ClientCommand.cpp:154 +msgid "Detached {1} channel" +msgid_plural "Detached {1} channels" +msgstr[0] "" +msgstr[1] "" + +#: Chan.cpp:638 +msgid "Buffer Playback..." +msgstr "" + +#: Chan.cpp:676 +msgid "Playback Complete." +msgstr "" + +#: Modules.cpp:528 +msgctxt "modhelpcmd" +msgid "" +msgstr "" + +#: Modules.cpp:529 +msgctxt "modhelpcmd" +msgid "Generate this output" +msgstr "" + +#: Modules.cpp:573 ClientCommand.cpp:1894 +msgid "No matches for '{1}'" +msgstr "" + +#: Modules.cpp:691 +msgid "This module doesn't implement any commands." +msgstr "" + +#: Modules.cpp:693 +msgid "Unknown command!" +msgstr "" + +#: Modules.cpp:1633 +msgid "Module {1} already loaded." +msgstr "" + +#: Modules.cpp:1647 +msgid "Unable to find module {1}" +msgstr "" + +#: Modules.cpp:1659 +msgid "Module {1} does not support module type {2}." +msgstr "" + +#: Modules.cpp:1666 +msgid "Module {1} requires a user." +msgstr "" + +#: Modules.cpp:1672 +msgid "Module {1} requires a network." +msgstr "" + +#: Modules.cpp:1688 +msgid "Caught an exception" +msgstr "" + +#: Modules.cpp:1694 +msgid "Module {1} aborted: {2}" +msgstr "" + +#: Modules.cpp:1696 +msgid "Module {1} aborted." +msgstr "" + +#: Modules.cpp:1720 Modules.cpp:1762 +msgid "Module [{1}] not loaded." +msgstr "" + +#: Modules.cpp:1744 +msgid "Module {1} unloaded." +msgstr "" + +#: Modules.cpp:1749 +msgid "Unable to unload module {1}." +msgstr "" + +#: Modules.cpp:1778 +msgid "Reloaded module {1}." +msgstr "" + +#: Modules.cpp:1793 +msgid "Unable to find module {1}." +msgstr "" + +#: Modules.cpp:1919 +msgid "" +"Module names can only contain letters, numbers and underscores, [{1}] is " +"invalid" +msgstr "" + +#: Modules.cpp:1943 +msgid "Unknown error" +msgstr "" + +#: Modules.cpp:1944 +msgid "Unable to open module {1}: {2}" +msgstr "" + +#: Modules.cpp:1953 +msgid "Could not find ZNCModuleEntry in module {1}" +msgstr "" + +#: Modules.cpp:1961 +msgid "" +"Version mismatch for module {1}: core is {2}, module is built for {3}. " +"Recompile this module." +msgstr "" + +#: Modules.cpp:1972 +msgid "" +"Module {1} is built incompatibly: core is '{2}', module is '{3}'. Recompile " +"this module." +msgstr "" + +#: Modules.cpp:2002 Modules.cpp:2008 +msgctxt "modhelpcmd" +msgid "Command" +msgstr "" + +#: Modules.cpp:2003 Modules.cpp:2009 +msgctxt "modhelpcmd" +msgid "Description" +msgstr "" + +#: ClientCommand.cpp:51 ClientCommand.cpp:115 ClientCommand.cpp:137 +#: ClientCommand.cpp:749 ClientCommand.cpp:768 ClientCommand.cpp:794 +#: ClientCommand.cpp:827 ClientCommand.cpp:840 ClientCommand.cpp:853 +#: ClientCommand.cpp:868 ClientCommand.cpp:1321 ClientCommand.cpp:1369 +#: ClientCommand.cpp:1401 ClientCommand.cpp:1412 ClientCommand.cpp:1421 +#: ClientCommand.cpp:1433 +msgid "You must be connected with a network to use this command" +msgstr "" + +#: ClientCommand.cpp:58 +msgid "Usage: ListNicks <#chan>" +msgstr "" + +#: ClientCommand.cpp:65 +msgid "You are not on [{1}]" +msgstr "" + +#: ClientCommand.cpp:70 +msgid "You are not on [{1}] (trying)" +msgstr "" + +#: ClientCommand.cpp:79 +msgid "No nicks on [{1}]" +msgstr "" + +#: ClientCommand.cpp:91 ClientCommand.cpp:106 +msgid "Nick" +msgstr "" + +#: ClientCommand.cpp:92 ClientCommand.cpp:107 +msgid "Ident" +msgstr "" + +#: ClientCommand.cpp:93 ClientCommand.cpp:108 +msgid "Host" +msgstr "" + +#: ClientCommand.cpp:122 +msgid "Usage: Attach <#chans>" +msgstr "" + +#: ClientCommand.cpp:144 +msgid "Usage: Detach <#chans>" +msgstr "" + +#: ClientCommand.cpp:161 +msgid "There is no MOTD set." +msgstr "" + +#: ClientCommand.cpp:167 +msgid "Rehashing succeeded!" +msgstr "" + +#: ClientCommand.cpp:169 +msgid "Rehashing failed: {1}" +msgstr "" + +#: ClientCommand.cpp:173 +msgid "Wrote config to {1}" +msgstr "" + +#: ClientCommand.cpp:175 +msgid "Error while trying to write config." +msgstr "" + +#: ClientCommand.cpp:455 +msgid "Usage: ListChans" +msgstr "" + +#: ClientCommand.cpp:462 +msgid "No such user [{1}]" +msgstr "" + +#: ClientCommand.cpp:468 +msgid "User [{1}] doesn't have network [{2}]" +msgstr "" + +#: ClientCommand.cpp:479 +msgid "There are no channels defined." +msgstr "" + +#: ClientCommand.cpp:484 ClientCommand.cpp:500 +msgctxt "listchans" +msgid "Name" +msgstr "" + +#: ClientCommand.cpp:485 ClientCommand.cpp:503 +msgctxt "listchans" +msgid "Status" +msgstr "" + +#: ClientCommand.cpp:486 ClientCommand.cpp:510 +msgctxt "listchans" +msgid "In config" +msgstr "" + +#: ClientCommand.cpp:487 ClientCommand.cpp:512 +msgctxt "listchans" +msgid "Buffer" +msgstr "" + +#: ClientCommand.cpp:488 ClientCommand.cpp:516 +msgctxt "listchans" +msgid "Clear" +msgstr "" + +#: ClientCommand.cpp:489 ClientCommand.cpp:521 +msgctxt "listchans" +msgid "Modes" +msgstr "" + +#: ClientCommand.cpp:490 ClientCommand.cpp:522 +msgctxt "listchans" +msgid "Users" +msgstr "" + +#: ClientCommand.cpp:505 +msgctxt "listchans" +msgid "Detached" +msgstr "" + +#: ClientCommand.cpp:506 +msgctxt "listchans" +msgid "Joined" +msgstr "" + +#: ClientCommand.cpp:507 +msgctxt "listchans" +msgid "Disabled" +msgstr "" + +#: ClientCommand.cpp:508 +msgctxt "listchans" +msgid "Trying" +msgstr "" + +#: ClientCommand.cpp:511 ClientCommand.cpp:519 +msgctxt "listchans" +msgid "yes" +msgstr "" + +#: ClientCommand.cpp:536 +msgid "Total: {1}, Joined: {2}, Detached: {3}, Disabled: {4}" +msgstr "" + +#: ClientCommand.cpp:541 +msgid "" +"Network number limit reached. Ask an admin to increase the limit for you, or " +"delete unneeded networks using /znc DelNetwork " +msgstr "" + +#: ClientCommand.cpp:550 +msgid "Usage: AddNetwork " +msgstr "" + +#: ClientCommand.cpp:554 +msgid "Network name should be alphanumeric" +msgstr "" + +#: ClientCommand.cpp:561 +msgid "" +"Network added. Use /znc JumpNetwork {1}, or connect to ZNC with username {2} " +"(instead of just {3}) to connect to it." +msgstr "" + +#: ClientCommand.cpp:566 +msgid "Unable to add that network" +msgstr "" + +#: ClientCommand.cpp:573 +msgid "Usage: DelNetwork " +msgstr "" + +#: ClientCommand.cpp:582 +msgid "Network deleted" +msgstr "" + +#: ClientCommand.cpp:585 +msgid "Failed to delete network, perhaps this network doesn't exist" +msgstr "" + +#: ClientCommand.cpp:595 +msgid "User {1} not found" +msgstr "" + +#: ClientCommand.cpp:603 ClientCommand.cpp:611 +msgctxt "listnetworks" +msgid "Network" +msgstr "" + +#: ClientCommand.cpp:604 ClientCommand.cpp:613 ClientCommand.cpp:622 +msgctxt "listnetworks" +msgid "On IRC" +msgstr "" + +#: ClientCommand.cpp:605 ClientCommand.cpp:615 +msgctxt "listnetworks" +msgid "IRC Server" +msgstr "" + +#: ClientCommand.cpp:606 ClientCommand.cpp:617 +msgctxt "listnetworks" +msgid "IRC User" +msgstr "" + +#: ClientCommand.cpp:607 ClientCommand.cpp:619 +msgctxt "listnetworks" +msgid "Channels" +msgstr "" + +#: ClientCommand.cpp:614 +msgctxt "listnetworks" +msgid "Yes" +msgstr "" + +#: ClientCommand.cpp:623 +msgctxt "listnetworks" +msgid "No" +msgstr "" + +#: ClientCommand.cpp:628 +msgctxt "listnetworks" +msgid "No networks" +msgstr "" + +#: ClientCommand.cpp:632 ClientCommand.cpp:932 +msgid "Access denied." +msgstr "" + +#: ClientCommand.cpp:643 +msgid "Usage: MoveNetwork [new network]" +msgstr "" + +#: ClientCommand.cpp:653 +msgid "Old user {1} not found." +msgstr "" + +#: ClientCommand.cpp:659 +msgid "Old network {1} not found." +msgstr "" + +#: ClientCommand.cpp:665 +msgid "New user {1} not found." +msgstr "" + +#: ClientCommand.cpp:670 +msgid "User {1} already has network {2}." +msgstr "" + +#: ClientCommand.cpp:676 +msgid "Invalid network name [{1}]" +msgstr "" + +#: ClientCommand.cpp:692 +msgid "Some files seem to be in {1}. You might want to move them to {2}" +msgstr "" + +#: ClientCommand.cpp:706 +msgid "Error adding network: {1}" +msgstr "" + +#: ClientCommand.cpp:718 +msgid "Success." +msgstr "" + +#: ClientCommand.cpp:721 +msgid "Copied the network to new user, but failed to delete old network" +msgstr "" + +#: ClientCommand.cpp:728 +msgid "No network supplied." +msgstr "" + +#: ClientCommand.cpp:733 +msgid "You are already connected with this network." +msgstr "" + +#: ClientCommand.cpp:739 +msgid "Switched to {1}" +msgstr "" + +#: ClientCommand.cpp:742 +msgid "You don't have a network named {1}" +msgstr "" + +#: ClientCommand.cpp:754 +msgid "Usage: AddServer [[+]port] [pass]" +msgstr "" + +#: ClientCommand.cpp:759 +msgid "Server added" +msgstr "" + +#: ClientCommand.cpp:762 +msgid "" +"Unable to add that server. Perhaps the server is already added or openssl is " +"disabled?" +msgstr "" + +#: ClientCommand.cpp:777 +msgid "Usage: DelServer [port] [pass]" +msgstr "" + +#: ClientCommand.cpp:782 ClientCommand.cpp:822 +msgid "You don't have any servers added." +msgstr "" + +#: ClientCommand.cpp:787 +msgid "Server removed" +msgstr "" + +#: ClientCommand.cpp:789 +msgid "No such server" +msgstr "" + +#: ClientCommand.cpp:802 ClientCommand.cpp:809 +msgctxt "listservers" +msgid "Host" +msgstr "" + +#: ClientCommand.cpp:803 ClientCommand.cpp:811 +msgctxt "listservers" +msgid "Port" +msgstr "" + +#: ClientCommand.cpp:804 ClientCommand.cpp:814 +msgctxt "listservers" +msgid "SSL" +msgstr "" + +#: ClientCommand.cpp:805 ClientCommand.cpp:816 +msgctxt "listservers" +msgid "Password" +msgstr "" + +#: ClientCommand.cpp:815 +msgctxt "listservers|cell" +msgid "SSL" +msgstr "" + +#: ClientCommand.cpp:832 +msgid "Usage: AddTrustedServerFingerprint " +msgstr "" + +#: ClientCommand.cpp:836 ClientCommand.cpp:849 +msgid "Done." +msgstr "" + +#: ClientCommand.cpp:845 +msgid "Usage: DelTrustedServerFingerprint " +msgstr "" + +#: ClientCommand.cpp:858 +msgid "No fingerprints added." +msgstr "" + +#: ClientCommand.cpp:874 ClientCommand.cpp:880 +msgctxt "topicscmd" +msgid "Channel" +msgstr "" + +#: ClientCommand.cpp:875 ClientCommand.cpp:881 +msgctxt "topicscmd" +msgid "Set By" +msgstr "" + +#: ClientCommand.cpp:876 ClientCommand.cpp:882 +msgctxt "topicscmd" +msgid "Topic" +msgstr "" + +#: ClientCommand.cpp:889 ClientCommand.cpp:893 +msgctxt "listmods" +msgid "Name" +msgstr "" + +#: ClientCommand.cpp:890 ClientCommand.cpp:894 +msgctxt "listmods" +msgid "Arguments" +msgstr "" + +#: ClientCommand.cpp:902 +msgid "No global modules loaded." +msgstr "" + +#: ClientCommand.cpp:904 ClientCommand.cpp:964 +msgid "Global modules:" +msgstr "" + +#: ClientCommand.cpp:912 +msgid "Your user has no modules loaded." +msgstr "" + +#: ClientCommand.cpp:914 ClientCommand.cpp:975 +msgid "User modules:" +msgstr "" + +#: ClientCommand.cpp:921 +msgid "This network has no modules loaded." +msgstr "" + +#: ClientCommand.cpp:923 ClientCommand.cpp:986 +msgid "Network modules:" +msgstr "" + +#: ClientCommand.cpp:938 ClientCommand.cpp:944 +msgctxt "listavailmods" +msgid "Name" +msgstr "" + +#: ClientCommand.cpp:939 ClientCommand.cpp:949 +msgctxt "listavailmods" +msgid "Description" +msgstr "" + +#: ClientCommand.cpp:962 +msgid "No global modules available." +msgstr "" + +#: ClientCommand.cpp:973 +msgid "No user modules available." +msgstr "" + +#: ClientCommand.cpp:984 +msgid "No network modules available." +msgstr "" + +#: ClientCommand.cpp:1012 +msgid "Unable to load {1}: Access denied." +msgstr "" + +#: ClientCommand.cpp:1018 +msgid "Usage: LoadMod [--type=global|user|network] [args]" +msgstr "" + +#: ClientCommand.cpp:1025 +msgid "Unable to load {1}: {2}" +msgstr "" + +#: ClientCommand.cpp:1035 +msgid "Unable to load global module {1}: Access denied." +msgstr "" + +#: ClientCommand.cpp:1041 +msgid "Unable to load network module {1}: Not connected with a network." +msgstr "" + +#: ClientCommand.cpp:1063 +msgid "Unknown module type" +msgstr "" + +#: ClientCommand.cpp:1068 +msgid "Loaded module {1}" +msgstr "" + +#: ClientCommand.cpp:1070 +msgid "Loaded module {1}: {2}" +msgstr "" + +#: ClientCommand.cpp:1073 +msgid "Unable to load module {1}: {2}" +msgstr "" + +#: ClientCommand.cpp:1096 +msgid "Unable to unload {1}: Access denied." +msgstr "" + +#: ClientCommand.cpp:1102 +msgid "Usage: UnloadMod [--type=global|user|network] " +msgstr "" + +#: ClientCommand.cpp:1111 +msgid "Unable to determine type of {1}: {2}" +msgstr "" + +#: ClientCommand.cpp:1119 +msgid "Unable to unload global module {1}: Access denied." +msgstr "" + +#: ClientCommand.cpp:1126 +msgid "Unable to unload network module {1}: Not connected with a network." +msgstr "" + +#: ClientCommand.cpp:1145 +msgid "Unable to unload module {1}: Unknown module type" +msgstr "" + +#: ClientCommand.cpp:1158 +msgid "Unable to reload modules. Access denied." +msgstr "" + +#: ClientCommand.cpp:1179 +msgid "Usage: ReloadMod [--type=global|user|network] [args]" +msgstr "" + +#: ClientCommand.cpp:1188 +msgid "Unable to reload {1}: {2}" +msgstr "" + +#: ClientCommand.cpp:1196 +msgid "Unable to reload global module {1}: Access denied." +msgstr "" + +#: ClientCommand.cpp:1203 +msgid "Unable to reload network module {1}: Not connected with a network." +msgstr "" + +#: ClientCommand.cpp:1225 +msgid "Unable to reload module {1}: Unknown module type" +msgstr "" + +#: ClientCommand.cpp:1236 +msgid "Usage: UpdateMod " +msgstr "" + +#: ClientCommand.cpp:1240 +msgid "Reloading {1} everywhere" +msgstr "" + +#: ClientCommand.cpp:1242 +msgid "Done" +msgstr "" + +#: ClientCommand.cpp:1245 +msgid "" +"Done, but there were errors, module {1} could not be reloaded everywhere." +msgstr "" + +#: ClientCommand.cpp:1253 +msgid "" +"You must be connected with a network to use this command. Try " +"SetUserBindHost instead" +msgstr "" + +#: ClientCommand.cpp:1260 +msgid "Usage: SetBindHost " +msgstr "" + +#: ClientCommand.cpp:1265 ClientCommand.cpp:1282 +msgid "You already have this bind host!" +msgstr "" + +#: ClientCommand.cpp:1270 +msgid "Set bind host for network {1} to {2}" +msgstr "" + +#: ClientCommand.cpp:1277 +msgid "Usage: SetUserBindHost " +msgstr "" + +#: ClientCommand.cpp:1287 +msgid "Set default bind host to {1}" +msgstr "" + +#: ClientCommand.cpp:1293 +msgid "" +"You must be connected with a network to use this command. Try " +"ClearUserBindHost instead" +msgstr "" + +#: ClientCommand.cpp:1298 +msgid "Bind host cleared for this network." +msgstr "" + +#: ClientCommand.cpp:1302 +msgid "Default bind host cleared for your user." +msgstr "" + +#: ClientCommand.cpp:1305 +msgid "This user's default bind host not set" +msgstr "" + +#: ClientCommand.cpp:1307 +msgid "This user's default bind host is {1}" +msgstr "" + +#: ClientCommand.cpp:1312 +msgid "This network's bind host not set" +msgstr "" + +#: ClientCommand.cpp:1314 +msgid "This network's default bind host is {1}" +msgstr "" + +#: ClientCommand.cpp:1328 +msgid "Usage: PlayBuffer <#chan|query>" +msgstr "" + +#: ClientCommand.cpp:1336 +msgid "You are not on {1}" +msgstr "" + +#: ClientCommand.cpp:1341 +msgid "You are not on {1} (trying to join)" +msgstr "" + +#: ClientCommand.cpp:1346 +msgid "The buffer for channel {1} is empty" +msgstr "" + +#: ClientCommand.cpp:1355 +msgid "No active query with {1}" +msgstr "" + +#: ClientCommand.cpp:1360 +msgid "The buffer for {1} is empty" +msgstr "" + +#: ClientCommand.cpp:1376 +msgid "Usage: ClearBuffer <#chan|query>" +msgstr "" + +#: ClientCommand.cpp:1395 +msgid "{1} buffer matching {2} has been cleared" +msgid_plural "{1} buffers matching {2} have been cleared" +msgstr[0] "" +msgstr[1] "" + +#: ClientCommand.cpp:1408 +msgid "All channel buffers have been cleared" +msgstr "" + +#: ClientCommand.cpp:1417 +msgid "All query buffers have been cleared" +msgstr "" + +#: ClientCommand.cpp:1429 +msgid "All buffers have been cleared" +msgstr "" + +#: ClientCommand.cpp:1440 +msgid "Usage: SetBuffer <#chan|query> [linecount]" +msgstr "" + +#: ClientCommand.cpp:1461 +msgid "Setting buffer size failed for {1} buffer" +msgid_plural "Setting buffer size failed for {1} buffers" +msgstr[0] "" +msgstr[1] "" + +#: ClientCommand.cpp:1464 +msgid "Maximum buffer size is {1} line" +msgid_plural "Maximum buffer size is {1} lines" +msgstr[0] "" +msgstr[1] "" + +#: ClientCommand.cpp:1469 +msgid "Size of every buffer was set to {1} line" +msgid_plural "Size of every buffer was set to {1} lines" +msgstr[0] "" +msgstr[1] "" + +#: ClientCommand.cpp:1479 ClientCommand.cpp:1486 ClientCommand.cpp:1497 +#: ClientCommand.cpp:1506 ClientCommand.cpp:1514 +msgctxt "trafficcmd" +msgid "Username" +msgstr "" + +#: ClientCommand.cpp:1480 ClientCommand.cpp:1487 ClientCommand.cpp:1499 +#: ClientCommand.cpp:1508 ClientCommand.cpp:1516 +msgctxt "trafficcmd" +msgid "In" +msgstr "" + +#: ClientCommand.cpp:1481 ClientCommand.cpp:1489 ClientCommand.cpp:1500 +#: ClientCommand.cpp:1509 ClientCommand.cpp:1517 +msgctxt "trafficcmd" +msgid "Out" +msgstr "" + +#: ClientCommand.cpp:1482 ClientCommand.cpp:1492 ClientCommand.cpp:1502 +#: ClientCommand.cpp:1510 ClientCommand.cpp:1519 +msgctxt "trafficcmd" +msgid "Total" +msgstr "" + +#: ClientCommand.cpp:1498 +msgctxt "trafficcmd" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1507 +msgctxt "trafficcmd" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1515 +msgctxt "trafficcmd" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1524 +msgid "Running for {1}" +msgstr "" + +#: ClientCommand.cpp:1530 +msgid "Unknown command, try 'Help'" +msgstr "" + +#: ClientCommand.cpp:1539 ClientCommand.cpp:1550 +msgctxt "listports" +msgid "Port" +msgstr "" + +#: ClientCommand.cpp:1540 ClientCommand.cpp:1551 +msgctxt "listports" +msgid "BindHost" +msgstr "" + +#: ClientCommand.cpp:1541 ClientCommand.cpp:1554 +msgctxt "listports" +msgid "SSL" +msgstr "" + +#: ClientCommand.cpp:1542 ClientCommand.cpp:1559 +msgctxt "listports" +msgid "Protocol" +msgstr "" + +#: ClientCommand.cpp:1543 ClientCommand.cpp:1566 +msgctxt "listports" +msgid "IRC" +msgstr "" + +#: ClientCommand.cpp:1544 ClientCommand.cpp:1571 +msgctxt "listports" +msgid "Web" +msgstr "" + +#: ClientCommand.cpp:1555 +msgctxt "listports|ssl" +msgid "yes" +msgstr "" + +#: ClientCommand.cpp:1556 +msgctxt "listports|ssl" +msgid "no" +msgstr "" + +#: ClientCommand.cpp:1560 +msgctxt "listports" +msgid "IPv4 and IPv6" +msgstr "" + +#: ClientCommand.cpp:1562 +msgctxt "listports" +msgid "IPv4" +msgstr "" + +#: ClientCommand.cpp:1563 +msgctxt "listports" +msgid "IPv6" +msgstr "" + +#: ClientCommand.cpp:1569 +msgctxt "listports|irc" +msgid "yes" +msgstr "" + +#: ClientCommand.cpp:1570 +msgctxt "listports|irc" +msgid "no" +msgstr "" + +#: ClientCommand.cpp:1574 +msgctxt "listports|irc" +msgid "yes, on {1}" +msgstr "" + +#: ClientCommand.cpp:1576 +msgctxt "listports|web" +msgid "no" +msgstr "" + +#: ClientCommand.cpp:1616 +msgid "" +"Usage: AddPort <[+]port> [bindhost [uriprefix]]" +msgstr "" + +#: ClientCommand.cpp:1632 +msgid "Port added" +msgstr "" + +#: ClientCommand.cpp:1634 +msgid "Couldn't add port" +msgstr "" + +#: ClientCommand.cpp:1640 +msgid "Usage: DelPort [bindhost]" +msgstr "" + +#: ClientCommand.cpp:1649 +msgid "Deleted Port" +msgstr "" + +#: ClientCommand.cpp:1651 +msgid "Unable to find a matching port" +msgstr "" + +#: ClientCommand.cpp:1659 ClientCommand.cpp:1673 +msgctxt "helpcmd" +msgid "Command" +msgstr "" + +#: ClientCommand.cpp:1660 ClientCommand.cpp:1674 +msgctxt "helpcmd" +msgid "Description" +msgstr "" + +#: ClientCommand.cpp:1664 +msgid "" +"In the following list all occurrences of <#chan> support wildcards (* and ?) " +"except ListNicks" +msgstr "" + +#: ClientCommand.cpp:1680 +msgctxt "helpcmd|Version|desc" +msgid "Print which version of ZNC this is" +msgstr "" + +#: ClientCommand.cpp:1683 +msgctxt "helpcmd|ListMods|desc" +msgid "List all loaded modules" +msgstr "" + +#: ClientCommand.cpp:1686 +msgctxt "helpcmd|ListAvailMods|desc" +msgid "List all available modules" +msgstr "" + +#: ClientCommand.cpp:1690 ClientCommand.cpp:1876 +msgctxt "helpcmd|ListChans|desc" +msgid "List all channels" +msgstr "" + +#: ClientCommand.cpp:1693 +msgctxt "helpcmd|ListNicks|args" +msgid "<#chan>" +msgstr "" + +#: ClientCommand.cpp:1694 +msgctxt "helpcmd|ListNicks|desc" +msgid "List all nicks on a channel" +msgstr "" + +#: ClientCommand.cpp:1697 +msgctxt "helpcmd|ListClients|desc" +msgid "List all clients connected to your ZNC user" +msgstr "" + +#: ClientCommand.cpp:1701 +msgctxt "helpcmd|ListServers|desc" +msgid "List all servers of current IRC network" +msgstr "" + +#: ClientCommand.cpp:1705 +msgctxt "helpcmd|AddNetwork|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1706 +msgctxt "helpcmd|AddNetwork|desc" +msgid "Add a network to your user" +msgstr "" + +#: ClientCommand.cpp:1708 +msgctxt "helpcmd|DelNetwork|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1709 +msgctxt "helpcmd|DelNetwork|desc" +msgid "Delete a network from your user" +msgstr "" + +#: ClientCommand.cpp:1711 +msgctxt "helpcmd|ListNetworks|desc" +msgid "List all networks" +msgstr "" + +#: ClientCommand.cpp:1714 +msgctxt "helpcmd|MoveNetwork|args" +msgid " [new network]" +msgstr "" + +#: ClientCommand.cpp:1716 +msgctxt "helpcmd|MoveNetwork|desc" +msgid "Move an IRC network from one user to another" +msgstr "" + +#: ClientCommand.cpp:1720 +msgctxt "helpcmd|JumpNetwork|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1721 +msgctxt "helpcmd|JumpNetwork|desc" +msgid "" +"Jump to another network (Alternatively, you can connect to ZNC several " +"times, using `user/network` as username)" +msgstr "" + +#: ClientCommand.cpp:1726 +msgctxt "helpcmd|AddServer|args" +msgid " [[+]port] [pass]" +msgstr "" + +#: ClientCommand.cpp:1727 +msgctxt "helpcmd|AddServer|desc" +msgid "" +"Add a server to the list of alternate/backup servers of current IRC network." +msgstr "" + +#: ClientCommand.cpp:1731 +msgctxt "helpcmd|DelServer|args" +msgid " [port] [pass]" +msgstr "" + +#: ClientCommand.cpp:1732 +msgctxt "helpcmd|DelServer|desc" +msgid "" +"Remove a server from the list of alternate/backup servers of current IRC " +"network" +msgstr "" + +#: ClientCommand.cpp:1738 +msgctxt "helpcmd|AddTrustedServerFingerprint|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1739 +msgctxt "helpcmd|AddTrustedServerFingerprint|desc" +msgid "" +"Add a trusted server SSL certificate fingerprint (SHA-256) to current IRC " +"network." +msgstr "" + +#: ClientCommand.cpp:1744 +msgctxt "helpcmd|DelTrustedServerFingerprint|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1745 +msgctxt "helpcmd|DelTrustedServerFingerprint|desc" +msgid "Delete a trusted server SSL certificate from current IRC network." +msgstr "" + +#: ClientCommand.cpp:1749 +msgctxt "helpcmd|ListTrustedServerFingerprints|desc" +msgid "List all trusted server SSL certificates of current IRC network." +msgstr "" + +#: ClientCommand.cpp:1752 +msgctxt "helpcmd|EnableChan|args" +msgid "<#chans>" +msgstr "" + +#: ClientCommand.cpp:1753 +msgctxt "helpcmd|EnableChan|desc" +msgid "Enable channels" +msgstr "" + +#: ClientCommand.cpp:1754 +msgctxt "helpcmd|DisableChan|args" +msgid "<#chans>" +msgstr "" + +#: ClientCommand.cpp:1755 +msgctxt "helpcmd|DisableChan|desc" +msgid "Disable channels" +msgstr "" + +#: ClientCommand.cpp:1756 +msgctxt "helpcmd|Attach|args" +msgid "<#chans>" +msgstr "" + +#: ClientCommand.cpp:1757 +msgctxt "helpcmd|Attach|desc" +msgid "Attach to channels" +msgstr "" + +#: ClientCommand.cpp:1758 +msgctxt "helpcmd|Detach|args" +msgid "<#chans>" +msgstr "" + +#: ClientCommand.cpp:1759 +msgctxt "helpcmd|Detach|desc" +msgid "Detach from channels" +msgstr "" + +#: ClientCommand.cpp:1762 +msgctxt "helpcmd|Topics|desc" +msgid "Show topics in all your channels" +msgstr "" + +#: ClientCommand.cpp:1765 +msgctxt "helpcmd|PlayBuffer|args" +msgid "<#chan|query>" +msgstr "" + +#: ClientCommand.cpp:1766 +msgctxt "helpcmd|PlayBuffer|desc" +msgid "Play back the specified buffer" +msgstr "" + +#: ClientCommand.cpp:1768 +msgctxt "helpcmd|ClearBuffer|args" +msgid "<#chan|query>" +msgstr "" + +#: ClientCommand.cpp:1769 +msgctxt "helpcmd|ClearBuffer|desc" +msgid "Clear the specified buffer" +msgstr "" + +#: ClientCommand.cpp:1771 +msgctxt "helpcmd|ClearAllBuffers|desc" +msgid "Clear all channel and query buffers" +msgstr "" + +#: ClientCommand.cpp:1774 +msgctxt "helpcmd|ClearAllChannelBuffers|desc" +msgid "Clear the channel buffers" +msgstr "" + +#: ClientCommand.cpp:1778 +msgctxt "helpcmd|ClearAllQueryBuffers|desc" +msgid "Clear the query buffers" +msgstr "" + +#: ClientCommand.cpp:1780 +msgctxt "helpcmd|SetBuffer|args" +msgid "<#chan|query> [linecount]" +msgstr "" + +#: ClientCommand.cpp:1781 +msgctxt "helpcmd|SetBuffer|desc" +msgid "Set the buffer count" +msgstr "" + +#: ClientCommand.cpp:1785 +msgctxt "helpcmd|SetBindHost|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1786 +msgctxt "helpcmd|SetBindHost|desc" +msgid "Set the bind host for this network" +msgstr "" + +#: ClientCommand.cpp:1790 +msgctxt "helpcmd|SetUserBindHost|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1791 +msgctxt "helpcmd|SetUserBindHost|desc" +msgid "Set the default bind host for this user" +msgstr "" + +#: ClientCommand.cpp:1794 +msgctxt "helpcmd|ClearBindHost|desc" +msgid "Clear the bind host for this network" +msgstr "" + +#: ClientCommand.cpp:1797 +msgctxt "helpcmd|ClearUserBindHost|desc" +msgid "Clear the default bind host for this user" +msgstr "" + +#: ClientCommand.cpp:1803 +msgctxt "helpcmd|ShowBindHost|desc" +msgid "Show currently selected bind host" +msgstr "" + +#: ClientCommand.cpp:1805 +msgctxt "helpcmd|Jump|args" +msgid "[server]" +msgstr "" + +#: ClientCommand.cpp:1806 +msgctxt "helpcmd|Jump|desc" +msgid "Jump to the next or the specified server" +msgstr "" + +#: ClientCommand.cpp:1807 +msgctxt "helpcmd|Disconnect|args" +msgid "[message]" +msgstr "" + +#: ClientCommand.cpp:1808 +msgctxt "helpcmd|Disconnect|desc" +msgid "Disconnect from IRC" +msgstr "" + +#: ClientCommand.cpp:1810 +msgctxt "helpcmd|Connect|desc" +msgid "Reconnect to IRC" +msgstr "" + +#: ClientCommand.cpp:1813 +msgctxt "helpcmd|Uptime|desc" +msgid "Show for how long ZNC has been running" +msgstr "" + +#: ClientCommand.cpp:1817 +msgctxt "helpcmd|LoadMod|args" +msgid "[--type=global|user|network] " +msgstr "" + +#: ClientCommand.cpp:1819 +msgctxt "helpcmd|LoadMod|desc" +msgid "Load a module" +msgstr "" + +#: ClientCommand.cpp:1821 +msgctxt "helpcmd|UnloadMod|args" +msgid "[--type=global|user|network] " +msgstr "" + +#: ClientCommand.cpp:1823 +msgctxt "helpcmd|UnloadMod|desc" +msgid "Unload a module" +msgstr "" + +#: ClientCommand.cpp:1825 +msgctxt "helpcmd|ReloadMod|args" +msgid "[--type=global|user|network] " +msgstr "" + +#: ClientCommand.cpp:1827 +msgctxt "helpcmd|ReloadMod|desc" +msgid "Reload a module" +msgstr "" + +#: ClientCommand.cpp:1830 +msgctxt "helpcmd|UpdateMod|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1831 +msgctxt "helpcmd|UpdateMod|desc" +msgid "Reload a module everywhere" +msgstr "" + +#: ClientCommand.cpp:1837 +msgctxt "helpcmd|ShowMOTD|desc" +msgid "Show ZNC's message of the day" +msgstr "" + +#: ClientCommand.cpp:1841 +msgctxt "helpcmd|SetMOTD|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1842 +msgctxt "helpcmd|SetMOTD|desc" +msgid "Set ZNC's message of the day" +msgstr "" + +#: ClientCommand.cpp:1844 +msgctxt "helpcmd|AddMOTD|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1845 +msgctxt "helpcmd|AddMOTD|desc" +msgid "Append to ZNC's MOTD" +msgstr "" + +#: ClientCommand.cpp:1847 +msgctxt "helpcmd|ClearMOTD|desc" +msgid "Clear ZNC's MOTD" +msgstr "" + +#: ClientCommand.cpp:1850 +msgctxt "helpcmd|ListPorts|desc" +msgid "Show all active listeners" +msgstr "" + +#: ClientCommand.cpp:1852 +msgctxt "helpcmd|AddPort|args" +msgid "<[+]port> [bindhost [uriprefix]]" +msgstr "" + +#: ClientCommand.cpp:1855 +msgctxt "helpcmd|AddPort|desc" +msgid "Add another port for ZNC to listen on" +msgstr "" + +#: ClientCommand.cpp:1859 +msgctxt "helpcmd|DelPort|args" +msgid " [bindhost]" +msgstr "" + +#: ClientCommand.cpp:1860 +msgctxt "helpcmd|DelPort|desc" +msgid "Remove a port from ZNC" +msgstr "" + +#: ClientCommand.cpp:1863 +msgctxt "helpcmd|Rehash|desc" +msgid "Reload global settings, modules, and listeners from znc.conf" +msgstr "" + +#: ClientCommand.cpp:1866 +msgctxt "helpcmd|SaveConfig|desc" +msgid "Save the current settings to disk" +msgstr "" + +#: ClientCommand.cpp:1869 +msgctxt "helpcmd|ListUsers|desc" +msgid "List all ZNC users and their connection status" +msgstr "" + +#: ClientCommand.cpp:1872 +msgctxt "helpcmd|ListAllUserNetworks|desc" +msgid "List all ZNC users and their networks" +msgstr "" + +#: ClientCommand.cpp:1875 +msgctxt "helpcmd|ListChans|args" +msgid "[user ]" +msgstr "" + +#: ClientCommand.cpp:1878 +msgctxt "helpcmd|ListClients|args" +msgid "[user]" +msgstr "" + +#: ClientCommand.cpp:1879 +msgctxt "helpcmd|ListClients|desc" +msgid "List all connected clients" +msgstr "" + +#: ClientCommand.cpp:1881 +msgctxt "helpcmd|Traffic|desc" +msgid "Show basic traffic stats for all ZNC users" +msgstr "" + +#: ClientCommand.cpp:1883 +msgctxt "helpcmd|Broadcast|args" +msgid "[message]" +msgstr "" + +#: ClientCommand.cpp:1884 +msgctxt "helpcmd|Broadcast|desc" +msgid "Broadcast a message to all ZNC users" +msgstr "" + +#: ClientCommand.cpp:1887 +msgctxt "helpcmd|Shutdown|args" +msgid "[message]" +msgstr "" + +#: ClientCommand.cpp:1888 +msgctxt "helpcmd|Shutdown|desc" +msgid "Shut down ZNC completely" +msgstr "" + +#: ClientCommand.cpp:1889 +msgctxt "helpcmd|Restart|args" +msgid "[message]" +msgstr "" + +#: ClientCommand.cpp:1890 +msgctxt "helpcmd|Restart|desc" +msgid "Restart ZNC" +msgstr "" + +#: Socket.cpp:336 +msgid "Can't resolve server hostname" +msgstr "" + +#: Socket.cpp:343 +msgid "" +"Can't resolve bind hostname. Try /znc ClearBindHost and /znc " +"ClearUserBindHost" +msgstr "" + +#: Socket.cpp:348 +msgid "Server address is IPv4-only, but bindhost is IPv6-only" +msgstr "" + +#: Socket.cpp:357 +msgid "Server address is IPv6-only, but bindhost is IPv4-only" +msgstr "" + +#: Socket.cpp:515 +msgid "Some socket reached its max buffer limit and was closed!" +msgstr "" + +#: SSLVerifyHost.cpp:448 +msgid "hostname doesn't match" +msgstr "" + +#: SSLVerifyHost.cpp:452 +msgid "malformed hostname in certificate" +msgstr "" + +#: SSLVerifyHost.cpp:456 +msgid "hostname verification error" +msgstr "" + +#: User.cpp:507 +msgid "" +"Invalid network name. It should be alphanumeric. Not to be confused with " +"server name" +msgstr "" + +#: User.cpp:511 +msgid "Network {1} already exists" +msgstr "" + +#: User.cpp:777 +msgid "" +"You are being disconnected because your IP is no longer allowed to connect " +"to this user" +msgstr "" + +#: User.cpp:907 +msgid "Password is empty" +msgstr "" + +#: User.cpp:912 +msgid "Username is empty" +msgstr "" + +#: User.cpp:917 +msgid "Username is invalid" +msgstr "" + +#: User.cpp:1188 +msgid "Unable to find modinfo {1}: {2}" +msgstr "" From e73060ad593975f4477f07cd44e4c26601e4bfe5 Mon Sep 17 00:00:00 2001 From: Ryan S <3932619+TheWug@users.noreply.github.com> Date: Fri, 3 Aug 2018 08:51:07 -0700 Subject: [PATCH 193/798] Unblock signals when spawning child processes. The signal mask is inherited by children, so if we don't remove it the shell module spawns processes which are accidentally resistant to most signals. see: man sigprocmask (znc uses pthread_sigmask, but they act the same) --- src/FileUtils.cpp | 3 +++ 1 file changed, 3 insertions(+) diff --git a/src/FileUtils.cpp b/src/FileUtils.cpp index 1ac172ba..784d81ae 100644 --- a/src/FileUtils.cpp +++ b/src/FileUtils.cpp @@ -645,6 +645,9 @@ int CExecSock::popen2(int& iReadFD, int& iWriteFD, const CString& sCommand) { } if (iPid == 0) { + sigset_t signals; + sigemptyset(&signals); + sigprocmask(SIG_SETMASK, &signals, nullptr); close(wpipes[1]); close(rpipes[0]); dup2(wpipes[0], 0); From 327969cc55e8fff14556e5fc2c1193aeebbbd13d Mon Sep 17 00:00:00 2001 From: Chris Tyrrel Date: Mon, 30 Jul 2018 17:55:15 -0600 Subject: [PATCH 194/798] controlpanel: Add missing return to ListNetMods Close #1589 --- modules/controlpanel.cpp | 1 + 1 file changed, 1 insertion(+) diff --git a/modules/controlpanel.cpp b/modules/controlpanel.cpp index 0b7796aa..139c2aef 100644 --- a/modules/controlpanel.cpp +++ b/modules/controlpanel.cpp @@ -1542,6 +1542,7 @@ class CAdminMod : public CModule { if (pNetwork->GetModules().empty()) { PutModule(t_f("Network {1} of user {2} has no modules loaded.")( pNetwork->GetName(), pUser->GetUserName())); + return; } PutModule(t_f("Modules loaded for network {1} of user {2}:")( From 0714a9ec23d57d2edfba9edb5dc3413b86c60fc7 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Wed, 8 Aug 2018 00:26:26 +0000 Subject: [PATCH 195/798] Update translations from Crowdin for de_DE es_ES fr_FR id_ID nl_NL pt_BR ru_RU --- modules/po/admindebug.fr_FR.po | 8 +- modules/po/admindebug.ru_RU.po | 18 ++--- modules/po/adminlog.fr_FR.po | 8 +- modules/po/alias.fr_FR.po | 8 +- modules/po/autoattach.fr_FR.po | 8 +- modules/po/autocycle.fr_FR.po | 8 +- modules/po/autoop.fr_FR.po | 8 +- modules/po/autoreply.fr_FR.po | 8 +- modules/po/autovoice.fr_FR.po | 8 +- modules/po/awaystore.fr_FR.po | 8 +- modules/po/block_motd.fr_FR.po | 8 +- modules/po/blockuser.fr_FR.po | 8 +- modules/po/bouncedcc.fr_FR.po | 8 +- modules/po/buffextras.fr_FR.po | 8 +- modules/po/cert.fr_FR.po | 8 +- modules/po/certauth.fr_FR.po | 8 +- modules/po/chansaver.fr_FR.po | 8 +- modules/po/clearbufferonmsg.fr_FR.po | 8 +- modules/po/clientnotify.fr_FR.po | 8 +- modules/po/controlpanel.de_DE.po | 104 ++++++++++++------------- modules/po/controlpanel.es_ES.po | 104 ++++++++++++------------- modules/po/controlpanel.fr_FR.po | 112 +++++++++++++-------------- modules/po/controlpanel.id_ID.po | 104 ++++++++++++------------- modules/po/controlpanel.nl_NL.po | 104 ++++++++++++------------- modules/po/controlpanel.pot | 104 ++++++++++++------------- modules/po/controlpanel.pt_BR.po | 104 ++++++++++++------------- modules/po/crypt.fr_FR.po | 8 +- modules/po/ctcpflood.fr_FR.po | 8 +- modules/po/cyrusauth.fr_FR.po | 8 +- modules/po/dcc.fr_FR.po | 8 +- modules/po/disconkick.fr_FR.po | 8 +- modules/po/fail2ban.fr_FR.po | 8 +- modules/po/flooddetach.fr_FR.po | 8 +- modules/po/identfile.fr_FR.po | 8 +- modules/po/imapauth.fr_FR.po | 8 +- modules/po/keepnick.fr_FR.po | 8 +- modules/po/kickrejoin.fr_FR.po | 8 +- modules/po/lastseen.fr_FR.po | 8 +- modules/po/listsockets.fr_FR.po | 8 +- modules/po/log.fr_FR.po | 8 +- modules/po/missingmotd.fr_FR.po | 8 +- modules/po/modperl.fr_FR.po | 8 +- modules/po/modpython.fr_FR.po | 8 +- modules/po/modules_online.fr_FR.po | 8 +- modules/po/nickserv.fr_FR.po | 8 +- modules/po/notes.fr_FR.po | 8 +- modules/po/notify_connect.fr_FR.po | 8 +- modules/po/partyline.fr_FR.po | 8 +- modules/po/perform.fr_FR.po | 8 +- modules/po/perleval.fr_FR.po | 8 +- modules/po/pyeval.fr_FR.po | 8 +- modules/po/q.fr_FR.po | 8 +- modules/po/raw.fr_FR.po | 8 +- modules/po/route_replies.fr_FR.po | 30 +++---- modules/po/sample.fr_FR.po | 8 +- modules/po/samplewebapi.fr_FR.po | 8 +- modules/po/sasl.fr_FR.po | 8 +- modules/po/savebuff.fr_FR.po | 8 +- modules/po/send_raw.fr_FR.po | 8 +- modules/po/shell.fr_FR.po | 8 +- modules/po/simple_away.fr_FR.po | 8 +- modules/po/stickychan.fr_FR.po | 8 +- modules/po/stripcontrols.fr_FR.po | 8 +- modules/po/watch.fr_FR.po | 8 +- modules/po/webadmin.fr_FR.po | 8 +- src/po/znc.de_DE.po | 12 +-- src/po/znc.es_ES.po | 12 +-- src/po/znc.fr_FR.po | 26 +++---- src/po/znc.id_ID.po | 12 +-- src/po/znc.nl_NL.po | 12 +-- src/po/znc.pot | 12 +-- src/po/znc.pt_BR.po | 12 +-- 72 files changed, 662 insertions(+), 668 deletions(-) diff --git a/modules/po/admindebug.fr_FR.po b/modules/po/admindebug.fr_FR.po index f1ee0f29..32b72777 100644 --- a/modules/po/admindebug.fr_FR.po +++ b/modules/po/admindebug.fr_FR.po @@ -1,5 +1,9 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" @@ -7,10 +11,6 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/admindebug.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" #: admindebug.cpp:30 msgid "Enable Debug Mode" diff --git a/modules/po/admindebug.ru_RU.po b/modules/po/admindebug.ru_RU.po index 696f5ad0..7397efe5 100644 --- a/modules/po/admindebug.ru_RU.po +++ b/modules/po/admindebug.ru_RU.po @@ -30,32 +30,26 @@ msgstr "" msgid "Access denied!" msgstr "" -#: admindebug.cpp:58 -msgid "" -"Failure. We need to be running with a TTY. (is ZNC running with --" -"foreground?)" -msgstr "" - -#: admindebug.cpp:66 +#: admindebug.cpp:61 msgid "Already enabled." msgstr "" -#: admindebug.cpp:68 +#: admindebug.cpp:63 msgid "Already disabled." msgstr "" -#: admindebug.cpp:92 +#: admindebug.cpp:88 msgid "Debugging mode is on." msgstr "" -#: admindebug.cpp:94 +#: admindebug.cpp:90 msgid "Debugging mode is off." msgstr "" -#: admindebug.cpp:96 +#: admindebug.cpp:92 msgid "Logging to: stdout." msgstr "" -#: admindebug.cpp:105 +#: admindebug.cpp:101 msgid "Enable Debug mode dynamically." msgstr "" diff --git a/modules/po/adminlog.fr_FR.po b/modules/po/adminlog.fr_FR.po index 3d903cbf..262e99b5 100644 --- a/modules/po/adminlog.fr_FR.po +++ b/modules/po/adminlog.fr_FR.po @@ -1,5 +1,9 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" @@ -7,10 +11,6 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/adminlog.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" #: adminlog.cpp:29 msgid "Show the logging target" diff --git a/modules/po/alias.fr_FR.po b/modules/po/alias.fr_FR.po index 8bd57c42..dff4c6a4 100644 --- a/modules/po/alias.fr_FR.po +++ b/modules/po/alias.fr_FR.po @@ -1,5 +1,9 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" @@ -7,10 +11,6 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/alias.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" #: alias.cpp:141 msgid "missing required parameter: {1}" diff --git a/modules/po/autoattach.fr_FR.po b/modules/po/autoattach.fr_FR.po index 1b2ba737..fef2207f 100644 --- a/modules/po/autoattach.fr_FR.po +++ b/modules/po/autoattach.fr_FR.po @@ -1,5 +1,9 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" @@ -7,10 +11,6 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/autoattach.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" #: autoattach.cpp:94 msgid "Added to list" diff --git a/modules/po/autocycle.fr_FR.po b/modules/po/autocycle.fr_FR.po index 558e35e6..785f4e64 100644 --- a/modules/po/autocycle.fr_FR.po +++ b/modules/po/autocycle.fr_FR.po @@ -1,5 +1,9 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" @@ -7,10 +11,6 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/autocycle.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" #: autocycle.cpp:27 autocycle.cpp:30 msgid "[!]<#chan>" diff --git a/modules/po/autoop.fr_FR.po b/modules/po/autoop.fr_FR.po index fcd0c95d..8b86af2e 100644 --- a/modules/po/autoop.fr_FR.po +++ b/modules/po/autoop.fr_FR.po @@ -1,5 +1,9 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" @@ -7,10 +11,6 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/autoop.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" #: autoop.cpp:154 msgid "List all users" diff --git a/modules/po/autoreply.fr_FR.po b/modules/po/autoreply.fr_FR.po index 355e96a7..7a3f4e96 100644 --- a/modules/po/autoreply.fr_FR.po +++ b/modules/po/autoreply.fr_FR.po @@ -1,5 +1,9 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" @@ -7,10 +11,6 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/autoreply.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" #: autoreply.cpp:25 msgid "" diff --git a/modules/po/autovoice.fr_FR.po b/modules/po/autovoice.fr_FR.po index 5e6b4d4a..cae330b9 100644 --- a/modules/po/autovoice.fr_FR.po +++ b/modules/po/autovoice.fr_FR.po @@ -1,5 +1,9 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" @@ -7,10 +11,6 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/autovoice.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" #: autovoice.cpp:120 msgid "List all users" diff --git a/modules/po/awaystore.fr_FR.po b/modules/po/awaystore.fr_FR.po index 3661b498..f55af37a 100644 --- a/modules/po/awaystore.fr_FR.po +++ b/modules/po/awaystore.fr_FR.po @@ -1,5 +1,9 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" @@ -7,10 +11,6 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/awaystore.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" #: awaystore.cpp:67 msgid "You have been marked as away" diff --git a/modules/po/block_motd.fr_FR.po b/modules/po/block_motd.fr_FR.po index 2d1570ee..d00c5723 100644 --- a/modules/po/block_motd.fr_FR.po +++ b/modules/po/block_motd.fr_FR.po @@ -1,5 +1,9 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" @@ -7,10 +11,6 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/block_motd.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" #: block_motd.cpp:26 msgid "[]" diff --git a/modules/po/blockuser.fr_FR.po b/modules/po/blockuser.fr_FR.po index f2fbd4e0..1a83a4b0 100644 --- a/modules/po/blockuser.fr_FR.po +++ b/modules/po/blockuser.fr_FR.po @@ -1,5 +1,9 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" @@ -7,10 +11,6 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/blockuser.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" #: modules/po/../data/blockuser/tmpl/blockuser_WebadminUser.tmpl:9 msgid "Account is blocked" diff --git a/modules/po/bouncedcc.fr_FR.po b/modules/po/bouncedcc.fr_FR.po index 6fcabbaf..c18a5668 100644 --- a/modules/po/bouncedcc.fr_FR.po +++ b/modules/po/bouncedcc.fr_FR.po @@ -1,5 +1,9 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" @@ -7,10 +11,6 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/bouncedcc.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" #: bouncedcc.cpp:101 bouncedcc.cpp:119 bouncedcc.cpp:121 msgctxt "list" diff --git a/modules/po/buffextras.fr_FR.po b/modules/po/buffextras.fr_FR.po index ddf53bc5..092b1330 100644 --- a/modules/po/buffextras.fr_FR.po +++ b/modules/po/buffextras.fr_FR.po @@ -1,5 +1,9 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" @@ -7,10 +11,6 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/buffextras.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" #: buffextras.cpp:45 msgid "Server" diff --git a/modules/po/cert.fr_FR.po b/modules/po/cert.fr_FR.po index 41a963e7..fb5be6d8 100644 --- a/modules/po/cert.fr_FR.po +++ b/modules/po/cert.fr_FR.po @@ -1,5 +1,9 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" @@ -7,10 +11,6 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/cert.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" # this text is inserted into `click here` in the other string #: modules/po/../data/cert/tmpl/index.tmpl:5 diff --git a/modules/po/certauth.fr_FR.po b/modules/po/certauth.fr_FR.po index 04d58123..e362b491 100644 --- a/modules/po/certauth.fr_FR.po +++ b/modules/po/certauth.fr_FR.po @@ -1,5 +1,9 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" @@ -7,10 +11,6 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/certauth.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" #: modules/po/../data/certauth/tmpl/index.tmpl:7 msgid "Add a key" diff --git a/modules/po/chansaver.fr_FR.po b/modules/po/chansaver.fr_FR.po index a069a8b3..5bcc2fd7 100644 --- a/modules/po/chansaver.fr_FR.po +++ b/modules/po/chansaver.fr_FR.po @@ -1,5 +1,9 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" @@ -7,10 +11,6 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/chansaver.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" #: chansaver.cpp:91 msgid "Keeps config up-to-date when user joins/parts." diff --git a/modules/po/clearbufferonmsg.fr_FR.po b/modules/po/clearbufferonmsg.fr_FR.po index 9700351c..57d951cb 100644 --- a/modules/po/clearbufferonmsg.fr_FR.po +++ b/modules/po/clearbufferonmsg.fr_FR.po @@ -1,5 +1,9 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" @@ -7,10 +11,6 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/clearbufferonmsg.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" #: clearbufferonmsg.cpp:160 msgid "Clears all channel and query buffers whenever the user does something" diff --git a/modules/po/clientnotify.fr_FR.po b/modules/po/clientnotify.fr_FR.po index c30df329..94cf6da2 100644 --- a/modules/po/clientnotify.fr_FR.po +++ b/modules/po/clientnotify.fr_FR.po @@ -1,5 +1,9 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" @@ -7,10 +11,6 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/clientnotify.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" #: clientnotify.cpp:47 msgid "" diff --git a/modules/po/controlpanel.de_DE.po b/modules/po/controlpanel.de_DE.po index ecac20e5..63776000 100644 --- a/modules/po/controlpanel.de_DE.po +++ b/modules/po/controlpanel.de_DE.po @@ -534,213 +534,213 @@ msgstr "Für Benutzer {1} geladene Module:" msgid "Network {1} of user {2} has no modules loaded." msgstr "Netzwerk {1} des Benutzers {2} hat keine Module geladen." -#: controlpanel.cpp:1547 +#: controlpanel.cpp:1548 msgid "Modules loaded for network {1} of user {2}:" msgstr "Für Netzwerk {1} von Benutzer {2} geladene Module:" -#: controlpanel.cpp:1554 +#: controlpanel.cpp:1555 msgid "[command] [variable]" msgstr "[Kommando] [Variable]" -#: controlpanel.cpp:1555 +#: controlpanel.cpp:1556 msgid "Prints help for matching commands and variables" msgstr "Gibt die Hilfe für passende Kommandos und Variablen aus" -#: controlpanel.cpp:1558 +#: controlpanel.cpp:1559 msgid " [username]" msgstr " [Benutzername]" -#: controlpanel.cpp:1559 +#: controlpanel.cpp:1560 msgid "Prints the variable's value for the given or current user" msgstr "" "Gibt den Wert der Variable für den gegebenen oder aktuellen Benutzer aus" -#: controlpanel.cpp:1561 +#: controlpanel.cpp:1562 msgid " " msgstr " " -#: controlpanel.cpp:1562 +#: controlpanel.cpp:1563 msgid "Sets the variable's value for the given user" msgstr "Setzt den Wert der Variable für den gegebenen oder aktuellen Benutzer" -#: controlpanel.cpp:1564 +#: controlpanel.cpp:1565 msgid " [username] [network]" msgstr " [Benutzername] [Netzwerk]" -#: controlpanel.cpp:1565 +#: controlpanel.cpp:1566 msgid "Prints the variable's value for the given network" msgstr "Gibt den Wert der Variable für das gegebene Netzwerk aus" -#: controlpanel.cpp:1567 +#: controlpanel.cpp:1568 msgid " " msgstr " " -#: controlpanel.cpp:1568 +#: controlpanel.cpp:1569 msgid "Sets the variable's value for the given network" msgstr "Setzt den Wert der Variable für das gegebene Netzwerk" -#: controlpanel.cpp:1570 +#: controlpanel.cpp:1571 msgid " [username] " msgstr " [Benutzername] " -#: controlpanel.cpp:1571 +#: controlpanel.cpp:1572 msgid "Prints the variable's value for the given channel" msgstr "Gibt den Wert der Variable für den gegebenen Kanal aus" -#: controlpanel.cpp:1574 +#: controlpanel.cpp:1575 msgid " " msgstr " " -#: controlpanel.cpp:1575 +#: controlpanel.cpp:1576 msgid "Sets the variable's value for the given channel" msgstr "Setzt den Wert der Variable für den gegebenen Kanal" -#: controlpanel.cpp:1577 controlpanel.cpp:1580 +#: controlpanel.cpp:1578 controlpanel.cpp:1581 msgid " " msgstr " " -#: controlpanel.cpp:1578 +#: controlpanel.cpp:1579 msgid "Adds a new channel" msgstr "Fügt einen neuen Kanal hinzu" -#: controlpanel.cpp:1581 +#: controlpanel.cpp:1582 msgid "Deletes a channel" msgstr "Löscht einen Kanal" -#: controlpanel.cpp:1583 +#: controlpanel.cpp:1584 msgid "Lists users" msgstr "Listet Benutzer auf" -#: controlpanel.cpp:1585 +#: controlpanel.cpp:1586 msgid " " msgstr " " -#: controlpanel.cpp:1586 +#: controlpanel.cpp:1587 msgid "Adds a new user" msgstr "Fügt einen neuen Benutzer hinzu" -#: controlpanel.cpp:1588 controlpanel.cpp:1611 controlpanel.cpp:1625 +#: controlpanel.cpp:1589 controlpanel.cpp:1612 controlpanel.cpp:1626 msgid "" msgstr "" -#: controlpanel.cpp:1588 +#: controlpanel.cpp:1589 msgid "Deletes a user" msgstr "Löscht einen Benutzer" -#: controlpanel.cpp:1590 +#: controlpanel.cpp:1591 msgid " " msgstr " " -#: controlpanel.cpp:1591 +#: controlpanel.cpp:1592 msgid "Clones a user" msgstr "Klont einen Benutzer" -#: controlpanel.cpp:1593 controlpanel.cpp:1596 +#: controlpanel.cpp:1594 controlpanel.cpp:1597 msgid " " msgstr " " -#: controlpanel.cpp:1594 +#: controlpanel.cpp:1595 msgid "Adds a new IRC server for the given or current user" msgstr "" "Fügt einen neuen IRC-Server zum gegebenen oder aktuellen Benutzer hinzu" -#: controlpanel.cpp:1597 +#: controlpanel.cpp:1598 msgid "Deletes an IRC server from the given or current user" msgstr "Löscht einen IRC-Server vom gegebenen oder aktuellen Benutzer" -#: controlpanel.cpp:1599 controlpanel.cpp:1602 controlpanel.cpp:1622 +#: controlpanel.cpp:1600 controlpanel.cpp:1603 controlpanel.cpp:1623 msgid " " msgstr " " -#: controlpanel.cpp:1600 +#: controlpanel.cpp:1601 msgid "Cycles the user's IRC server connection" msgstr "Erneuert die IRC-Verbindung des Benutzers" -#: controlpanel.cpp:1603 +#: controlpanel.cpp:1604 msgid "Disconnects the user from their IRC server" msgstr "Trennt den Benutzer von ihrem IRC-Server" -#: controlpanel.cpp:1605 +#: controlpanel.cpp:1606 msgid " [args]" msgstr " [Argumente]" -#: controlpanel.cpp:1606 +#: controlpanel.cpp:1607 msgid "Loads a Module for a user" msgstr "Lädt ein Modul für einen Benutzer" -#: controlpanel.cpp:1608 +#: controlpanel.cpp:1609 msgid " " msgstr " " -#: controlpanel.cpp:1609 +#: controlpanel.cpp:1610 msgid "Removes a Module of a user" msgstr "Entfernt ein Modul von einem Benutzer" -#: controlpanel.cpp:1612 +#: controlpanel.cpp:1613 msgid "Get the list of modules for a user" msgstr "Zeigt eine Liste der Module eines Benutzers" -#: controlpanel.cpp:1615 +#: controlpanel.cpp:1616 msgid " [args]" msgstr " [args]" -#: controlpanel.cpp:1616 +#: controlpanel.cpp:1617 msgid "Loads a Module for a network" msgstr "Lädt ein Modul für ein Netzwerk" -#: controlpanel.cpp:1619 +#: controlpanel.cpp:1620 msgid " " msgstr " " -#: controlpanel.cpp:1620 +#: controlpanel.cpp:1621 msgid "Removes a Module of a network" msgstr "Entfernt ein Modul von einem Netzwerk" -#: controlpanel.cpp:1623 +#: controlpanel.cpp:1624 msgid "Get the list of modules for a network" msgstr "Zeigt eine Liste der Module eines Netzwerks" -#: controlpanel.cpp:1626 +#: controlpanel.cpp:1627 msgid "List the configured CTCP replies" msgstr "Liste die konfigurierten CTCP-Antworten auf" -#: controlpanel.cpp:1628 +#: controlpanel.cpp:1629 msgid " [reply]" msgstr " [Antwort]" -#: controlpanel.cpp:1629 +#: controlpanel.cpp:1630 msgid "Configure a new CTCP reply" msgstr "Konfiguriere eine neue CTCP-Antwort" -#: controlpanel.cpp:1631 +#: controlpanel.cpp:1632 msgid " " msgstr " " -#: controlpanel.cpp:1632 +#: controlpanel.cpp:1633 msgid "Remove a CTCP reply" msgstr "Entfernt eine CTCP-Antwort" -#: controlpanel.cpp:1636 controlpanel.cpp:1639 +#: controlpanel.cpp:1637 controlpanel.cpp:1640 msgid "[username] " msgstr "[Benutzername] " -#: controlpanel.cpp:1637 +#: controlpanel.cpp:1638 msgid "Add a network for a user" msgstr "Füge ein Netzwerk für einen Benutzer hinzu" -#: controlpanel.cpp:1640 +#: controlpanel.cpp:1641 msgid "Delete a network for a user" msgstr "Lösche ein Netzwerk für einen Benutzer" -#: controlpanel.cpp:1642 +#: controlpanel.cpp:1643 msgid "[username]" msgstr "[Benutzername]" -#: controlpanel.cpp:1643 +#: controlpanel.cpp:1644 msgid "List all networks for a user" msgstr "Listet alle Netzwerke für einen Benutzer auf" -#: controlpanel.cpp:1656 +#: controlpanel.cpp:1657 msgid "" "Dynamic configuration through IRC. Allows editing only yourself if you're " "not ZNC admin." diff --git a/modules/po/controlpanel.es_ES.po b/modules/po/controlpanel.es_ES.po index 1c2a2355..41415092 100644 --- a/modules/po/controlpanel.es_ES.po +++ b/modules/po/controlpanel.es_ES.po @@ -533,212 +533,212 @@ msgstr "Módulos cargados para el usuario {1}:" msgid "Network {1} of user {2} has no modules loaded." msgstr "La red {1} del usuario {2} no tiene módulos cargados." -#: controlpanel.cpp:1547 +#: controlpanel.cpp:1548 msgid "Modules loaded for network {1} of user {2}:" msgstr "Módulos cargados para la red {1} del usuario {2}:" -#: controlpanel.cpp:1554 +#: controlpanel.cpp:1555 msgid "[command] [variable]" msgstr "[comando] [variable]" -#: controlpanel.cpp:1555 +#: controlpanel.cpp:1556 msgid "Prints help for matching commands and variables" msgstr "Muestra la ayuda de los comandos y variables" -#: controlpanel.cpp:1558 +#: controlpanel.cpp:1559 msgid " [username]" msgstr " [usuario]" -#: controlpanel.cpp:1559 +#: controlpanel.cpp:1560 msgid "Prints the variable's value for the given or current user" msgstr "" "Muestra los valores de las variables del usuario actual o el proporcionado" -#: controlpanel.cpp:1561 +#: controlpanel.cpp:1562 msgid " " msgstr " " -#: controlpanel.cpp:1562 +#: controlpanel.cpp:1563 msgid "Sets the variable's value for the given user" msgstr "Ajusta los valores de variables para el usuario proporcionado" -#: controlpanel.cpp:1564 +#: controlpanel.cpp:1565 msgid " [username] [network]" msgstr " [usuario] [red]" -#: controlpanel.cpp:1565 +#: controlpanel.cpp:1566 msgid "Prints the variable's value for the given network" msgstr "Muestra los valores de las variables de la red proporcionada" -#: controlpanel.cpp:1567 +#: controlpanel.cpp:1568 msgid " " msgstr " " -#: controlpanel.cpp:1568 +#: controlpanel.cpp:1569 msgid "Sets the variable's value for the given network" msgstr "Ajusta los valores de variables para la red proporcionada" -#: controlpanel.cpp:1570 +#: controlpanel.cpp:1571 msgid " [username] " msgstr " " -#: controlpanel.cpp:1571 +#: controlpanel.cpp:1572 msgid "Prints the variable's value for the given channel" msgstr "Muestra los valores de las variables del canal proporcionado" -#: controlpanel.cpp:1574 +#: controlpanel.cpp:1575 msgid " " msgstr " " -#: controlpanel.cpp:1575 +#: controlpanel.cpp:1576 msgid "Sets the variable's value for the given channel" msgstr "Ajusta los valores de variables para el canal proporcionado" -#: controlpanel.cpp:1577 controlpanel.cpp:1580 +#: controlpanel.cpp:1578 controlpanel.cpp:1581 msgid " " msgstr " " -#: controlpanel.cpp:1578 +#: controlpanel.cpp:1579 msgid "Adds a new channel" msgstr "Añadir un nuevo canal" -#: controlpanel.cpp:1581 +#: controlpanel.cpp:1582 msgid "Deletes a channel" msgstr "Eliminar canal" -#: controlpanel.cpp:1583 +#: controlpanel.cpp:1584 msgid "Lists users" msgstr "Mostrar usuarios" -#: controlpanel.cpp:1585 +#: controlpanel.cpp:1586 msgid " " msgstr " " -#: controlpanel.cpp:1586 +#: controlpanel.cpp:1587 msgid "Adds a new user" msgstr "Añadir un usuario nuevo" -#: controlpanel.cpp:1588 controlpanel.cpp:1611 controlpanel.cpp:1625 +#: controlpanel.cpp:1589 controlpanel.cpp:1612 controlpanel.cpp:1626 msgid "" msgstr "" -#: controlpanel.cpp:1588 +#: controlpanel.cpp:1589 msgid "Deletes a user" msgstr "Eliminar usuario" -#: controlpanel.cpp:1590 +#: controlpanel.cpp:1591 msgid " " msgstr " " -#: controlpanel.cpp:1591 +#: controlpanel.cpp:1592 msgid "Clones a user" msgstr "Duplica un usuario" -#: controlpanel.cpp:1593 controlpanel.cpp:1596 +#: controlpanel.cpp:1594 controlpanel.cpp:1597 msgid " " msgstr " " -#: controlpanel.cpp:1594 +#: controlpanel.cpp:1595 msgid "Adds a new IRC server for the given or current user" msgstr "Añade un nuevo servidor de IRC para el usuario actual o proporcionado" -#: controlpanel.cpp:1597 +#: controlpanel.cpp:1598 msgid "Deletes an IRC server from the given or current user" msgstr "Borra un servidor de IRC para el usuario actual o proporcionado" -#: controlpanel.cpp:1599 controlpanel.cpp:1602 controlpanel.cpp:1622 +#: controlpanel.cpp:1600 controlpanel.cpp:1603 controlpanel.cpp:1623 msgid " " msgstr " " -#: controlpanel.cpp:1600 +#: controlpanel.cpp:1601 msgid "Cycles the user's IRC server connection" msgstr "Reconecta la conexión de un usario al IRC" -#: controlpanel.cpp:1603 +#: controlpanel.cpp:1604 msgid "Disconnects the user from their IRC server" msgstr "Desconecta un usuario de su servidor de IRC" -#: controlpanel.cpp:1605 +#: controlpanel.cpp:1606 msgid " [args]" msgstr " [args]" -#: controlpanel.cpp:1606 +#: controlpanel.cpp:1607 msgid "Loads a Module for a user" msgstr "Carga un módulo a un usuario" -#: controlpanel.cpp:1608 +#: controlpanel.cpp:1609 msgid " " msgstr " " -#: controlpanel.cpp:1609 +#: controlpanel.cpp:1610 msgid "Removes a Module of a user" msgstr "Quita un módulo de un usuario" -#: controlpanel.cpp:1612 +#: controlpanel.cpp:1613 msgid "Get the list of modules for a user" msgstr "Obtiene la lista de módulos de un usuario" -#: controlpanel.cpp:1615 +#: controlpanel.cpp:1616 msgid " [args]" msgstr " [args]" -#: controlpanel.cpp:1616 +#: controlpanel.cpp:1617 msgid "Loads a Module for a network" msgstr "Carga un módulo para una red" -#: controlpanel.cpp:1619 +#: controlpanel.cpp:1620 msgid " " msgstr " " -#: controlpanel.cpp:1620 +#: controlpanel.cpp:1621 msgid "Removes a Module of a network" msgstr "Elimina el módulo de una red" -#: controlpanel.cpp:1623 +#: controlpanel.cpp:1624 msgid "Get the list of modules for a network" msgstr "Obtiene la lista de módulos de una red" -#: controlpanel.cpp:1626 +#: controlpanel.cpp:1627 msgid "List the configured CTCP replies" msgstr "Muestra las respuestas CTCP configuradas" -#: controlpanel.cpp:1628 +#: controlpanel.cpp:1629 msgid " [reply]" msgstr " [respuesta]" -#: controlpanel.cpp:1629 +#: controlpanel.cpp:1630 msgid "Configure a new CTCP reply" msgstr "Configura una nueva respuesta CTCP" -#: controlpanel.cpp:1631 +#: controlpanel.cpp:1632 msgid " " msgstr " " -#: controlpanel.cpp:1632 +#: controlpanel.cpp:1633 msgid "Remove a CTCP reply" msgstr "Elimina una respuesta CTCP" -#: controlpanel.cpp:1636 controlpanel.cpp:1639 +#: controlpanel.cpp:1637 controlpanel.cpp:1640 msgid "[username] " msgstr "[usuario] " -#: controlpanel.cpp:1637 +#: controlpanel.cpp:1638 msgid "Add a network for a user" msgstr "Añade una red a un usuario" -#: controlpanel.cpp:1640 +#: controlpanel.cpp:1641 msgid "Delete a network for a user" msgstr "Borra la red de un usuario" -#: controlpanel.cpp:1642 +#: controlpanel.cpp:1643 msgid "[username]" msgstr "[usuario]" -#: controlpanel.cpp:1643 +#: controlpanel.cpp:1644 msgid "List all networks for a user" msgstr "Muestra las redes de un usuario" -#: controlpanel.cpp:1656 +#: controlpanel.cpp:1657 msgid "" "Dynamic configuration through IRC. Allows editing only yourself if you're " "not ZNC admin." diff --git a/modules/po/controlpanel.fr_FR.po b/modules/po/controlpanel.fr_FR.po index 2a3a82cb..0da4caea 100644 --- a/modules/po/controlpanel.fr_FR.po +++ b/modules/po/controlpanel.fr_FR.po @@ -1,5 +1,9 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" @@ -7,10 +11,6 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/controlpanel.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" #: controlpanel.cpp:51 controlpanel.cpp:63 msgctxt "helptable" @@ -507,211 +507,211 @@ msgstr "" msgid "Network {1} of user {2} has no modules loaded." msgstr "" -#: controlpanel.cpp:1547 +#: controlpanel.cpp:1548 msgid "Modules loaded for network {1} of user {2}:" msgstr "" -#: controlpanel.cpp:1554 +#: controlpanel.cpp:1555 msgid "[command] [variable]" msgstr "" -#: controlpanel.cpp:1555 +#: controlpanel.cpp:1556 msgid "Prints help for matching commands and variables" msgstr "" -#: controlpanel.cpp:1558 +#: controlpanel.cpp:1559 msgid " [username]" msgstr "" -#: controlpanel.cpp:1559 +#: controlpanel.cpp:1560 msgid "Prints the variable's value for the given or current user" msgstr "" -#: controlpanel.cpp:1561 +#: controlpanel.cpp:1562 msgid " " msgstr "" -#: controlpanel.cpp:1562 +#: controlpanel.cpp:1563 msgid "Sets the variable's value for the given user" msgstr "" -#: controlpanel.cpp:1564 +#: controlpanel.cpp:1565 msgid " [username] [network]" msgstr "" -#: controlpanel.cpp:1565 +#: controlpanel.cpp:1566 msgid "Prints the variable's value for the given network" msgstr "" -#: controlpanel.cpp:1567 +#: controlpanel.cpp:1568 msgid " " msgstr "" -#: controlpanel.cpp:1568 +#: controlpanel.cpp:1569 msgid "Sets the variable's value for the given network" msgstr "" -#: controlpanel.cpp:1570 +#: controlpanel.cpp:1571 msgid " [username] " msgstr "" -#: controlpanel.cpp:1571 +#: controlpanel.cpp:1572 msgid "Prints the variable's value for the given channel" msgstr "" -#: controlpanel.cpp:1574 +#: controlpanel.cpp:1575 msgid " " msgstr "" -#: controlpanel.cpp:1575 +#: controlpanel.cpp:1576 msgid "Sets the variable's value for the given channel" msgstr "" -#: controlpanel.cpp:1577 controlpanel.cpp:1580 +#: controlpanel.cpp:1578 controlpanel.cpp:1581 msgid " " msgstr "" -#: controlpanel.cpp:1578 +#: controlpanel.cpp:1579 msgid "Adds a new channel" msgstr "" -#: controlpanel.cpp:1581 +#: controlpanel.cpp:1582 msgid "Deletes a channel" msgstr "" -#: controlpanel.cpp:1583 +#: controlpanel.cpp:1584 msgid "Lists users" msgstr "" -#: controlpanel.cpp:1585 +#: controlpanel.cpp:1586 msgid " " msgstr "" -#: controlpanel.cpp:1586 +#: controlpanel.cpp:1587 msgid "Adds a new user" msgstr "" -#: controlpanel.cpp:1588 controlpanel.cpp:1611 controlpanel.cpp:1625 +#: controlpanel.cpp:1589 controlpanel.cpp:1612 controlpanel.cpp:1626 msgid "" msgstr "" -#: controlpanel.cpp:1588 +#: controlpanel.cpp:1589 msgid "Deletes a user" msgstr "" -#: controlpanel.cpp:1590 +#: controlpanel.cpp:1591 msgid " " msgstr "" -#: controlpanel.cpp:1591 +#: controlpanel.cpp:1592 msgid "Clones a user" msgstr "" -#: controlpanel.cpp:1593 controlpanel.cpp:1596 +#: controlpanel.cpp:1594 controlpanel.cpp:1597 msgid " " msgstr "" -#: controlpanel.cpp:1594 +#: controlpanel.cpp:1595 msgid "Adds a new IRC server for the given or current user" msgstr "" -#: controlpanel.cpp:1597 +#: controlpanel.cpp:1598 msgid "Deletes an IRC server from the given or current user" msgstr "" -#: controlpanel.cpp:1599 controlpanel.cpp:1602 controlpanel.cpp:1622 +#: controlpanel.cpp:1600 controlpanel.cpp:1603 controlpanel.cpp:1623 msgid " " msgstr "" -#: controlpanel.cpp:1600 +#: controlpanel.cpp:1601 msgid "Cycles the user's IRC server connection" msgstr "" -#: controlpanel.cpp:1603 +#: controlpanel.cpp:1604 msgid "Disconnects the user from their IRC server" msgstr "" -#: controlpanel.cpp:1605 +#: controlpanel.cpp:1606 msgid " [args]" msgstr "" -#: controlpanel.cpp:1606 +#: controlpanel.cpp:1607 msgid "Loads a Module for a user" msgstr "" -#: controlpanel.cpp:1608 +#: controlpanel.cpp:1609 msgid " " msgstr "" -#: controlpanel.cpp:1609 +#: controlpanel.cpp:1610 msgid "Removes a Module of a user" msgstr "" -#: controlpanel.cpp:1612 +#: controlpanel.cpp:1613 msgid "Get the list of modules for a user" msgstr "" -#: controlpanel.cpp:1615 +#: controlpanel.cpp:1616 msgid " [args]" msgstr "" -#: controlpanel.cpp:1616 +#: controlpanel.cpp:1617 msgid "Loads a Module for a network" msgstr "" -#: controlpanel.cpp:1619 +#: controlpanel.cpp:1620 msgid " " msgstr "" -#: controlpanel.cpp:1620 +#: controlpanel.cpp:1621 msgid "Removes a Module of a network" msgstr "" -#: controlpanel.cpp:1623 +#: controlpanel.cpp:1624 msgid "Get the list of modules for a network" msgstr "" -#: controlpanel.cpp:1626 +#: controlpanel.cpp:1627 msgid "List the configured CTCP replies" msgstr "" -#: controlpanel.cpp:1628 +#: controlpanel.cpp:1629 msgid " [reply]" msgstr "" -#: controlpanel.cpp:1629 +#: controlpanel.cpp:1630 msgid "Configure a new CTCP reply" msgstr "" -#: controlpanel.cpp:1631 +#: controlpanel.cpp:1632 msgid " " msgstr "" -#: controlpanel.cpp:1632 +#: controlpanel.cpp:1633 msgid "Remove a CTCP reply" msgstr "" -#: controlpanel.cpp:1636 controlpanel.cpp:1639 +#: controlpanel.cpp:1637 controlpanel.cpp:1640 msgid "[username] " msgstr "" -#: controlpanel.cpp:1637 +#: controlpanel.cpp:1638 msgid "Add a network for a user" msgstr "" -#: controlpanel.cpp:1640 +#: controlpanel.cpp:1641 msgid "Delete a network for a user" msgstr "" -#: controlpanel.cpp:1642 +#: controlpanel.cpp:1643 msgid "[username]" msgstr "" -#: controlpanel.cpp:1643 +#: controlpanel.cpp:1644 msgid "List all networks for a user" msgstr "" -#: controlpanel.cpp:1656 +#: controlpanel.cpp:1657 msgid "" "Dynamic configuration through IRC. Allows editing only yourself if you're " "not ZNC admin." diff --git a/modules/po/controlpanel.id_ID.po b/modules/po/controlpanel.id_ID.po index 7f6a346e..e206e8b9 100644 --- a/modules/po/controlpanel.id_ID.po +++ b/modules/po/controlpanel.id_ID.po @@ -506,211 +506,211 @@ msgstr "" msgid "Network {1} of user {2} has no modules loaded." msgstr "" -#: controlpanel.cpp:1547 +#: controlpanel.cpp:1548 msgid "Modules loaded for network {1} of user {2}:" msgstr "" -#: controlpanel.cpp:1554 +#: controlpanel.cpp:1555 msgid "[command] [variable]" msgstr "" -#: controlpanel.cpp:1555 +#: controlpanel.cpp:1556 msgid "Prints help for matching commands and variables" msgstr "" -#: controlpanel.cpp:1558 +#: controlpanel.cpp:1559 msgid " [username]" msgstr "" -#: controlpanel.cpp:1559 +#: controlpanel.cpp:1560 msgid "Prints the variable's value for the given or current user" msgstr "" -#: controlpanel.cpp:1561 +#: controlpanel.cpp:1562 msgid " " msgstr "" -#: controlpanel.cpp:1562 +#: controlpanel.cpp:1563 msgid "Sets the variable's value for the given user" msgstr "" -#: controlpanel.cpp:1564 +#: controlpanel.cpp:1565 msgid " [username] [network]" msgstr "" -#: controlpanel.cpp:1565 +#: controlpanel.cpp:1566 msgid "Prints the variable's value for the given network" msgstr "" -#: controlpanel.cpp:1567 +#: controlpanel.cpp:1568 msgid " " msgstr "" -#: controlpanel.cpp:1568 +#: controlpanel.cpp:1569 msgid "Sets the variable's value for the given network" msgstr "" -#: controlpanel.cpp:1570 +#: controlpanel.cpp:1571 msgid " [username] " msgstr "" -#: controlpanel.cpp:1571 +#: controlpanel.cpp:1572 msgid "Prints the variable's value for the given channel" msgstr "" -#: controlpanel.cpp:1574 +#: controlpanel.cpp:1575 msgid " " msgstr "" -#: controlpanel.cpp:1575 +#: controlpanel.cpp:1576 msgid "Sets the variable's value for the given channel" msgstr "" -#: controlpanel.cpp:1577 controlpanel.cpp:1580 +#: controlpanel.cpp:1578 controlpanel.cpp:1581 msgid " " msgstr "" -#: controlpanel.cpp:1578 +#: controlpanel.cpp:1579 msgid "Adds a new channel" msgstr "" -#: controlpanel.cpp:1581 +#: controlpanel.cpp:1582 msgid "Deletes a channel" msgstr "" -#: controlpanel.cpp:1583 +#: controlpanel.cpp:1584 msgid "Lists users" msgstr "" -#: controlpanel.cpp:1585 +#: controlpanel.cpp:1586 msgid " " msgstr "" -#: controlpanel.cpp:1586 +#: controlpanel.cpp:1587 msgid "Adds a new user" msgstr "" -#: controlpanel.cpp:1588 controlpanel.cpp:1611 controlpanel.cpp:1625 +#: controlpanel.cpp:1589 controlpanel.cpp:1612 controlpanel.cpp:1626 msgid "" msgstr "" -#: controlpanel.cpp:1588 +#: controlpanel.cpp:1589 msgid "Deletes a user" msgstr "" -#: controlpanel.cpp:1590 +#: controlpanel.cpp:1591 msgid " " msgstr "" -#: controlpanel.cpp:1591 +#: controlpanel.cpp:1592 msgid "Clones a user" msgstr "" -#: controlpanel.cpp:1593 controlpanel.cpp:1596 +#: controlpanel.cpp:1594 controlpanel.cpp:1597 msgid " " msgstr "" -#: controlpanel.cpp:1594 +#: controlpanel.cpp:1595 msgid "Adds a new IRC server for the given or current user" msgstr "" -#: controlpanel.cpp:1597 +#: controlpanel.cpp:1598 msgid "Deletes an IRC server from the given or current user" msgstr "" -#: controlpanel.cpp:1599 controlpanel.cpp:1602 controlpanel.cpp:1622 +#: controlpanel.cpp:1600 controlpanel.cpp:1603 controlpanel.cpp:1623 msgid " " msgstr "" -#: controlpanel.cpp:1600 +#: controlpanel.cpp:1601 msgid "Cycles the user's IRC server connection" msgstr "" -#: controlpanel.cpp:1603 +#: controlpanel.cpp:1604 msgid "Disconnects the user from their IRC server" msgstr "" -#: controlpanel.cpp:1605 +#: controlpanel.cpp:1606 msgid " [args]" msgstr "" -#: controlpanel.cpp:1606 +#: controlpanel.cpp:1607 msgid "Loads a Module for a user" msgstr "" -#: controlpanel.cpp:1608 +#: controlpanel.cpp:1609 msgid " " msgstr "" -#: controlpanel.cpp:1609 +#: controlpanel.cpp:1610 msgid "Removes a Module of a user" msgstr "" -#: controlpanel.cpp:1612 +#: controlpanel.cpp:1613 msgid "Get the list of modules for a user" msgstr "" -#: controlpanel.cpp:1615 +#: controlpanel.cpp:1616 msgid " [args]" msgstr "" -#: controlpanel.cpp:1616 +#: controlpanel.cpp:1617 msgid "Loads a Module for a network" msgstr "" -#: controlpanel.cpp:1619 +#: controlpanel.cpp:1620 msgid " " msgstr "" -#: controlpanel.cpp:1620 +#: controlpanel.cpp:1621 msgid "Removes a Module of a network" msgstr "" -#: controlpanel.cpp:1623 +#: controlpanel.cpp:1624 msgid "Get the list of modules for a network" msgstr "" -#: controlpanel.cpp:1626 +#: controlpanel.cpp:1627 msgid "List the configured CTCP replies" msgstr "" -#: controlpanel.cpp:1628 +#: controlpanel.cpp:1629 msgid " [reply]" msgstr "" -#: controlpanel.cpp:1629 +#: controlpanel.cpp:1630 msgid "Configure a new CTCP reply" msgstr "" -#: controlpanel.cpp:1631 +#: controlpanel.cpp:1632 msgid " " msgstr "" -#: controlpanel.cpp:1632 +#: controlpanel.cpp:1633 msgid "Remove a CTCP reply" msgstr "" -#: controlpanel.cpp:1636 controlpanel.cpp:1639 +#: controlpanel.cpp:1637 controlpanel.cpp:1640 msgid "[username] " msgstr "" -#: controlpanel.cpp:1637 +#: controlpanel.cpp:1638 msgid "Add a network for a user" msgstr "" -#: controlpanel.cpp:1640 +#: controlpanel.cpp:1641 msgid "Delete a network for a user" msgstr "" -#: controlpanel.cpp:1642 +#: controlpanel.cpp:1643 msgid "[username]" msgstr "" -#: controlpanel.cpp:1643 +#: controlpanel.cpp:1644 msgid "List all networks for a user" msgstr "" -#: controlpanel.cpp:1656 +#: controlpanel.cpp:1657 msgid "" "Dynamic configuration through IRC. Allows editing only yourself if you're " "not ZNC admin." diff --git a/modules/po/controlpanel.nl_NL.po b/modules/po/controlpanel.nl_NL.po index 1d5891f6..81a04363 100644 --- a/modules/po/controlpanel.nl_NL.po +++ b/modules/po/controlpanel.nl_NL.po @@ -539,215 +539,215 @@ msgstr "Modulen geladen voor gebruiker {1}:" msgid "Network {1} of user {2} has no modules loaded." msgstr "Netwerk {1} van gebruiker {2} heeft geen modulen geladen." -#: controlpanel.cpp:1547 +#: controlpanel.cpp:1548 msgid "Modules loaded for network {1} of user {2}:" msgstr "Modulen geladen voor netwerk {1} van gebruiker {2}:" -#: controlpanel.cpp:1554 +#: controlpanel.cpp:1555 msgid "[command] [variable]" msgstr "[commando] [variabele]" -#: controlpanel.cpp:1555 +#: controlpanel.cpp:1556 msgid "Prints help for matching commands and variables" msgstr "Laat help zien voor de overeenkomende commando's en variabelen" -#: controlpanel.cpp:1558 +#: controlpanel.cpp:1559 msgid " [username]" msgstr " [gebruikersnaam]" -#: controlpanel.cpp:1559 +#: controlpanel.cpp:1560 msgid "Prints the variable's value for the given or current user" msgstr "" "Laat de waarde van de variabele voor de ingevoerde of huidige gebruiker zien" -#: controlpanel.cpp:1561 +#: controlpanel.cpp:1562 msgid " " msgstr " " -#: controlpanel.cpp:1562 +#: controlpanel.cpp:1563 msgid "Sets the variable's value for the given user" msgstr "Stelt de waarde voor de variabele voor de ingevoerde gebruiker in" -#: controlpanel.cpp:1564 +#: controlpanel.cpp:1565 msgid " [username] [network]" msgstr " [gebruikersnaam] [netwerk]" -#: controlpanel.cpp:1565 +#: controlpanel.cpp:1566 msgid "Prints the variable's value for the given network" msgstr "" "Laat de huidige waarde voor de variabele van het ingevoerde netwerk zien" -#: controlpanel.cpp:1567 +#: controlpanel.cpp:1568 msgid " " msgstr " " -#: controlpanel.cpp:1568 +#: controlpanel.cpp:1569 msgid "Sets the variable's value for the given network" msgstr "Stelt de waarde voor de variabele voor het ingevoerde netwerk in" -#: controlpanel.cpp:1570 +#: controlpanel.cpp:1571 msgid " [username] " msgstr " [gebruikersnaam] " -#: controlpanel.cpp:1571 +#: controlpanel.cpp:1572 msgid "Prints the variable's value for the given channel" msgstr "" "Laat de huidige waarde voor de variabele van het ingevoerde kanaal zien" -#: controlpanel.cpp:1574 +#: controlpanel.cpp:1575 msgid " " msgstr " " -#: controlpanel.cpp:1575 +#: controlpanel.cpp:1576 msgid "Sets the variable's value for the given channel" msgstr "Stelt de waarde voor de variabele voor het ingevoerde kanaal in" -#: controlpanel.cpp:1577 controlpanel.cpp:1580 +#: controlpanel.cpp:1578 controlpanel.cpp:1581 msgid " " msgstr " " -#: controlpanel.cpp:1578 +#: controlpanel.cpp:1579 msgid "Adds a new channel" msgstr "Voegt een nieuw kanaal toe" -#: controlpanel.cpp:1581 +#: controlpanel.cpp:1582 msgid "Deletes a channel" msgstr "Verwijdert een kanaal" -#: controlpanel.cpp:1583 +#: controlpanel.cpp:1584 msgid "Lists users" msgstr "Weergeeft gebruikers" -#: controlpanel.cpp:1585 +#: controlpanel.cpp:1586 msgid " " msgstr " " -#: controlpanel.cpp:1586 +#: controlpanel.cpp:1587 msgid "Adds a new user" msgstr "Voegt een nieuwe gebruiker toe" -#: controlpanel.cpp:1588 controlpanel.cpp:1611 controlpanel.cpp:1625 +#: controlpanel.cpp:1589 controlpanel.cpp:1612 controlpanel.cpp:1626 msgid "" msgstr "" -#: controlpanel.cpp:1588 +#: controlpanel.cpp:1589 msgid "Deletes a user" msgstr "Verwijdert een gebruiker" -#: controlpanel.cpp:1590 +#: controlpanel.cpp:1591 msgid " " msgstr " " -#: controlpanel.cpp:1591 +#: controlpanel.cpp:1592 msgid "Clones a user" msgstr "Kloont een gebruiker" -#: controlpanel.cpp:1593 controlpanel.cpp:1596 +#: controlpanel.cpp:1594 controlpanel.cpp:1597 msgid " " msgstr " " -#: controlpanel.cpp:1594 +#: controlpanel.cpp:1595 msgid "Adds a new IRC server for the given or current user" msgstr "" "Voegt een nieuwe IRC server toe voor de ingevoerde of huidige gebruiker" -#: controlpanel.cpp:1597 +#: controlpanel.cpp:1598 msgid "Deletes an IRC server from the given or current user" msgstr "Verwijdert een IRC server voor de ingevoerde of huidige gebruiker" -#: controlpanel.cpp:1599 controlpanel.cpp:1602 controlpanel.cpp:1622 +#: controlpanel.cpp:1600 controlpanel.cpp:1603 controlpanel.cpp:1623 msgid " " msgstr " " -#: controlpanel.cpp:1600 +#: controlpanel.cpp:1601 msgid "Cycles the user's IRC server connection" msgstr "Verbind opnieuw met de IRC server" -#: controlpanel.cpp:1603 +#: controlpanel.cpp:1604 msgid "Disconnects the user from their IRC server" msgstr "Stopt de verbinding van de gebruiker naar de IRC server" -#: controlpanel.cpp:1605 +#: controlpanel.cpp:1606 msgid " [args]" msgstr " [argumenten]" -#: controlpanel.cpp:1606 +#: controlpanel.cpp:1607 msgid "Loads a Module for a user" msgstr "Laad een module voor een gebruiker" -#: controlpanel.cpp:1608 +#: controlpanel.cpp:1609 msgid " " msgstr " " -#: controlpanel.cpp:1609 +#: controlpanel.cpp:1610 msgid "Removes a Module of a user" msgstr "Stopt een module van een gebruiker" -#: controlpanel.cpp:1612 +#: controlpanel.cpp:1613 msgid "Get the list of modules for a user" msgstr "Laat de lijst van modulen voor een gebruiker zien" -#: controlpanel.cpp:1615 +#: controlpanel.cpp:1616 msgid " [args]" msgstr " [argumenten]" -#: controlpanel.cpp:1616 +#: controlpanel.cpp:1617 msgid "Loads a Module for a network" msgstr "Laad een module voor een netwerk" -#: controlpanel.cpp:1619 +#: controlpanel.cpp:1620 msgid " " msgstr " " -#: controlpanel.cpp:1620 +#: controlpanel.cpp:1621 msgid "Removes a Module of a network" msgstr "Stopt een module van een netwerk" -#: controlpanel.cpp:1623 +#: controlpanel.cpp:1624 msgid "Get the list of modules for a network" msgstr "Laat de lijst van modulen voor een netwerk zien" -#: controlpanel.cpp:1626 +#: controlpanel.cpp:1627 msgid "List the configured CTCP replies" msgstr "Laat de ingestelde CTCP antwoorden zien" -#: controlpanel.cpp:1628 +#: controlpanel.cpp:1629 msgid " [reply]" msgstr " [antwoord]" -#: controlpanel.cpp:1629 +#: controlpanel.cpp:1630 msgid "Configure a new CTCP reply" msgstr "Stel een nieuw CTCP antwoord in" -#: controlpanel.cpp:1631 +#: controlpanel.cpp:1632 msgid " " msgstr " " -#: controlpanel.cpp:1632 +#: controlpanel.cpp:1633 msgid "Remove a CTCP reply" msgstr "Verwijder een CTCP antwoord" -#: controlpanel.cpp:1636 controlpanel.cpp:1639 +#: controlpanel.cpp:1637 controlpanel.cpp:1640 msgid "[username] " msgstr "[gebruikersnaam] " -#: controlpanel.cpp:1637 +#: controlpanel.cpp:1638 msgid "Add a network for a user" msgstr "Voeg een netwerk toe voor een gebruiker" -#: controlpanel.cpp:1640 +#: controlpanel.cpp:1641 msgid "Delete a network for a user" msgstr "Verwijder een netwerk van een gebruiker" -#: controlpanel.cpp:1642 +#: controlpanel.cpp:1643 msgid "[username]" msgstr "[gebruikersnaam]" -#: controlpanel.cpp:1643 +#: controlpanel.cpp:1644 msgid "List all networks for a user" msgstr "Laat alle netwerken van een gebruiker zien" -#: controlpanel.cpp:1656 +#: controlpanel.cpp:1657 msgid "" "Dynamic configuration through IRC. Allows editing only yourself if you're " "not ZNC admin." diff --git a/modules/po/controlpanel.pot b/modules/po/controlpanel.pot index f79e9a37..d331d838 100644 --- a/modules/po/controlpanel.pot +++ b/modules/po/controlpanel.pot @@ -498,211 +498,211 @@ msgstr "" msgid "Network {1} of user {2} has no modules loaded." msgstr "" -#: controlpanel.cpp:1547 +#: controlpanel.cpp:1548 msgid "Modules loaded for network {1} of user {2}:" msgstr "" -#: controlpanel.cpp:1554 +#: controlpanel.cpp:1555 msgid "[command] [variable]" msgstr "" -#: controlpanel.cpp:1555 +#: controlpanel.cpp:1556 msgid "Prints help for matching commands and variables" msgstr "" -#: controlpanel.cpp:1558 +#: controlpanel.cpp:1559 msgid " [username]" msgstr "" -#: controlpanel.cpp:1559 +#: controlpanel.cpp:1560 msgid "Prints the variable's value for the given or current user" msgstr "" -#: controlpanel.cpp:1561 +#: controlpanel.cpp:1562 msgid " " msgstr "" -#: controlpanel.cpp:1562 +#: controlpanel.cpp:1563 msgid "Sets the variable's value for the given user" msgstr "" -#: controlpanel.cpp:1564 +#: controlpanel.cpp:1565 msgid " [username] [network]" msgstr "" -#: controlpanel.cpp:1565 +#: controlpanel.cpp:1566 msgid "Prints the variable's value for the given network" msgstr "" -#: controlpanel.cpp:1567 +#: controlpanel.cpp:1568 msgid " " msgstr "" -#: controlpanel.cpp:1568 +#: controlpanel.cpp:1569 msgid "Sets the variable's value for the given network" msgstr "" -#: controlpanel.cpp:1570 +#: controlpanel.cpp:1571 msgid " [username] " msgstr "" -#: controlpanel.cpp:1571 +#: controlpanel.cpp:1572 msgid "Prints the variable's value for the given channel" msgstr "" -#: controlpanel.cpp:1574 +#: controlpanel.cpp:1575 msgid " " msgstr "" -#: controlpanel.cpp:1575 +#: controlpanel.cpp:1576 msgid "Sets the variable's value for the given channel" msgstr "" -#: controlpanel.cpp:1577 controlpanel.cpp:1580 +#: controlpanel.cpp:1578 controlpanel.cpp:1581 msgid " " msgstr "" -#: controlpanel.cpp:1578 +#: controlpanel.cpp:1579 msgid "Adds a new channel" msgstr "" -#: controlpanel.cpp:1581 +#: controlpanel.cpp:1582 msgid "Deletes a channel" msgstr "" -#: controlpanel.cpp:1583 +#: controlpanel.cpp:1584 msgid "Lists users" msgstr "" -#: controlpanel.cpp:1585 +#: controlpanel.cpp:1586 msgid " " msgstr "" -#: controlpanel.cpp:1586 +#: controlpanel.cpp:1587 msgid "Adds a new user" msgstr "" -#: controlpanel.cpp:1588 controlpanel.cpp:1611 controlpanel.cpp:1625 +#: controlpanel.cpp:1589 controlpanel.cpp:1612 controlpanel.cpp:1626 msgid "" msgstr "" -#: controlpanel.cpp:1588 +#: controlpanel.cpp:1589 msgid "Deletes a user" msgstr "" -#: controlpanel.cpp:1590 +#: controlpanel.cpp:1591 msgid " " msgstr "" -#: controlpanel.cpp:1591 +#: controlpanel.cpp:1592 msgid "Clones a user" msgstr "" -#: controlpanel.cpp:1593 controlpanel.cpp:1596 +#: controlpanel.cpp:1594 controlpanel.cpp:1597 msgid " " msgstr "" -#: controlpanel.cpp:1594 +#: controlpanel.cpp:1595 msgid "Adds a new IRC server for the given or current user" msgstr "" -#: controlpanel.cpp:1597 +#: controlpanel.cpp:1598 msgid "Deletes an IRC server from the given or current user" msgstr "" -#: controlpanel.cpp:1599 controlpanel.cpp:1602 controlpanel.cpp:1622 +#: controlpanel.cpp:1600 controlpanel.cpp:1603 controlpanel.cpp:1623 msgid " " msgstr "" -#: controlpanel.cpp:1600 +#: controlpanel.cpp:1601 msgid "Cycles the user's IRC server connection" msgstr "" -#: controlpanel.cpp:1603 +#: controlpanel.cpp:1604 msgid "Disconnects the user from their IRC server" msgstr "" -#: controlpanel.cpp:1605 +#: controlpanel.cpp:1606 msgid " [args]" msgstr "" -#: controlpanel.cpp:1606 +#: controlpanel.cpp:1607 msgid "Loads a Module for a user" msgstr "" -#: controlpanel.cpp:1608 +#: controlpanel.cpp:1609 msgid " " msgstr "" -#: controlpanel.cpp:1609 +#: controlpanel.cpp:1610 msgid "Removes a Module of a user" msgstr "" -#: controlpanel.cpp:1612 +#: controlpanel.cpp:1613 msgid "Get the list of modules for a user" msgstr "" -#: controlpanel.cpp:1615 +#: controlpanel.cpp:1616 msgid " [args]" msgstr "" -#: controlpanel.cpp:1616 +#: controlpanel.cpp:1617 msgid "Loads a Module for a network" msgstr "" -#: controlpanel.cpp:1619 +#: controlpanel.cpp:1620 msgid " " msgstr "" -#: controlpanel.cpp:1620 +#: controlpanel.cpp:1621 msgid "Removes a Module of a network" msgstr "" -#: controlpanel.cpp:1623 +#: controlpanel.cpp:1624 msgid "Get the list of modules for a network" msgstr "" -#: controlpanel.cpp:1626 +#: controlpanel.cpp:1627 msgid "List the configured CTCP replies" msgstr "" -#: controlpanel.cpp:1628 +#: controlpanel.cpp:1629 msgid " [reply]" msgstr "" -#: controlpanel.cpp:1629 +#: controlpanel.cpp:1630 msgid "Configure a new CTCP reply" msgstr "" -#: controlpanel.cpp:1631 +#: controlpanel.cpp:1632 msgid " " msgstr "" -#: controlpanel.cpp:1632 +#: controlpanel.cpp:1633 msgid "Remove a CTCP reply" msgstr "" -#: controlpanel.cpp:1636 controlpanel.cpp:1639 +#: controlpanel.cpp:1637 controlpanel.cpp:1640 msgid "[username] " msgstr "" -#: controlpanel.cpp:1637 +#: controlpanel.cpp:1638 msgid "Add a network for a user" msgstr "" -#: controlpanel.cpp:1640 +#: controlpanel.cpp:1641 msgid "Delete a network for a user" msgstr "" -#: controlpanel.cpp:1642 +#: controlpanel.cpp:1643 msgid "[username]" msgstr "" -#: controlpanel.cpp:1643 +#: controlpanel.cpp:1644 msgid "List all networks for a user" msgstr "" -#: controlpanel.cpp:1656 +#: controlpanel.cpp:1657 msgid "" "Dynamic configuration through IRC. Allows editing only yourself if you're " "not ZNC admin." diff --git a/modules/po/controlpanel.pt_BR.po b/modules/po/controlpanel.pt_BR.po index 9bc6e78a..cd125c72 100644 --- a/modules/po/controlpanel.pt_BR.po +++ b/modules/po/controlpanel.pt_BR.po @@ -507,211 +507,211 @@ msgstr "" msgid "Network {1} of user {2} has no modules loaded." msgstr "" -#: controlpanel.cpp:1547 +#: controlpanel.cpp:1548 msgid "Modules loaded for network {1} of user {2}:" msgstr "" -#: controlpanel.cpp:1554 +#: controlpanel.cpp:1555 msgid "[command] [variable]" msgstr "" -#: controlpanel.cpp:1555 +#: controlpanel.cpp:1556 msgid "Prints help for matching commands and variables" msgstr "" -#: controlpanel.cpp:1558 +#: controlpanel.cpp:1559 msgid " [username]" msgstr "" -#: controlpanel.cpp:1559 +#: controlpanel.cpp:1560 msgid "Prints the variable's value for the given or current user" msgstr "" -#: controlpanel.cpp:1561 +#: controlpanel.cpp:1562 msgid " " msgstr "" -#: controlpanel.cpp:1562 +#: controlpanel.cpp:1563 msgid "Sets the variable's value for the given user" msgstr "" -#: controlpanel.cpp:1564 +#: controlpanel.cpp:1565 msgid " [username] [network]" msgstr "" -#: controlpanel.cpp:1565 +#: controlpanel.cpp:1566 msgid "Prints the variable's value for the given network" msgstr "" -#: controlpanel.cpp:1567 +#: controlpanel.cpp:1568 msgid " " msgstr "" -#: controlpanel.cpp:1568 +#: controlpanel.cpp:1569 msgid "Sets the variable's value for the given network" msgstr "" -#: controlpanel.cpp:1570 +#: controlpanel.cpp:1571 msgid " [username] " msgstr "" -#: controlpanel.cpp:1571 +#: controlpanel.cpp:1572 msgid "Prints the variable's value for the given channel" msgstr "" -#: controlpanel.cpp:1574 +#: controlpanel.cpp:1575 msgid " " msgstr "" -#: controlpanel.cpp:1575 +#: controlpanel.cpp:1576 msgid "Sets the variable's value for the given channel" msgstr "" -#: controlpanel.cpp:1577 controlpanel.cpp:1580 +#: controlpanel.cpp:1578 controlpanel.cpp:1581 msgid " " msgstr "" -#: controlpanel.cpp:1578 +#: controlpanel.cpp:1579 msgid "Adds a new channel" msgstr "" -#: controlpanel.cpp:1581 +#: controlpanel.cpp:1582 msgid "Deletes a channel" msgstr "" -#: controlpanel.cpp:1583 +#: controlpanel.cpp:1584 msgid "Lists users" msgstr "" -#: controlpanel.cpp:1585 +#: controlpanel.cpp:1586 msgid " " msgstr "" -#: controlpanel.cpp:1586 +#: controlpanel.cpp:1587 msgid "Adds a new user" msgstr "" -#: controlpanel.cpp:1588 controlpanel.cpp:1611 controlpanel.cpp:1625 +#: controlpanel.cpp:1589 controlpanel.cpp:1612 controlpanel.cpp:1626 msgid "" msgstr "" -#: controlpanel.cpp:1588 +#: controlpanel.cpp:1589 msgid "Deletes a user" msgstr "" -#: controlpanel.cpp:1590 +#: controlpanel.cpp:1591 msgid " " msgstr "" -#: controlpanel.cpp:1591 +#: controlpanel.cpp:1592 msgid "Clones a user" msgstr "" -#: controlpanel.cpp:1593 controlpanel.cpp:1596 +#: controlpanel.cpp:1594 controlpanel.cpp:1597 msgid " " msgstr "" -#: controlpanel.cpp:1594 +#: controlpanel.cpp:1595 msgid "Adds a new IRC server for the given or current user" msgstr "" -#: controlpanel.cpp:1597 +#: controlpanel.cpp:1598 msgid "Deletes an IRC server from the given or current user" msgstr "" -#: controlpanel.cpp:1599 controlpanel.cpp:1602 controlpanel.cpp:1622 +#: controlpanel.cpp:1600 controlpanel.cpp:1603 controlpanel.cpp:1623 msgid " " msgstr "" -#: controlpanel.cpp:1600 +#: controlpanel.cpp:1601 msgid "Cycles the user's IRC server connection" msgstr "" -#: controlpanel.cpp:1603 +#: controlpanel.cpp:1604 msgid "Disconnects the user from their IRC server" msgstr "" -#: controlpanel.cpp:1605 +#: controlpanel.cpp:1606 msgid " [args]" msgstr "" -#: controlpanel.cpp:1606 +#: controlpanel.cpp:1607 msgid "Loads a Module for a user" msgstr "" -#: controlpanel.cpp:1608 +#: controlpanel.cpp:1609 msgid " " msgstr "" -#: controlpanel.cpp:1609 +#: controlpanel.cpp:1610 msgid "Removes a Module of a user" msgstr "" -#: controlpanel.cpp:1612 +#: controlpanel.cpp:1613 msgid "Get the list of modules for a user" msgstr "" -#: controlpanel.cpp:1615 +#: controlpanel.cpp:1616 msgid " [args]" msgstr "" -#: controlpanel.cpp:1616 +#: controlpanel.cpp:1617 msgid "Loads a Module for a network" msgstr "" -#: controlpanel.cpp:1619 +#: controlpanel.cpp:1620 msgid " " msgstr "" -#: controlpanel.cpp:1620 +#: controlpanel.cpp:1621 msgid "Removes a Module of a network" msgstr "" -#: controlpanel.cpp:1623 +#: controlpanel.cpp:1624 msgid "Get the list of modules for a network" msgstr "" -#: controlpanel.cpp:1626 +#: controlpanel.cpp:1627 msgid "List the configured CTCP replies" msgstr "" -#: controlpanel.cpp:1628 +#: controlpanel.cpp:1629 msgid " [reply]" msgstr "" -#: controlpanel.cpp:1629 +#: controlpanel.cpp:1630 msgid "Configure a new CTCP reply" msgstr "" -#: controlpanel.cpp:1631 +#: controlpanel.cpp:1632 msgid " " msgstr "" -#: controlpanel.cpp:1632 +#: controlpanel.cpp:1633 msgid "Remove a CTCP reply" msgstr "" -#: controlpanel.cpp:1636 controlpanel.cpp:1639 +#: controlpanel.cpp:1637 controlpanel.cpp:1640 msgid "[username] " msgstr "" -#: controlpanel.cpp:1637 +#: controlpanel.cpp:1638 msgid "Add a network for a user" msgstr "" -#: controlpanel.cpp:1640 +#: controlpanel.cpp:1641 msgid "Delete a network for a user" msgstr "" -#: controlpanel.cpp:1642 +#: controlpanel.cpp:1643 msgid "[username]" msgstr "" -#: controlpanel.cpp:1643 +#: controlpanel.cpp:1644 msgid "List all networks for a user" msgstr "" -#: controlpanel.cpp:1656 +#: controlpanel.cpp:1657 msgid "" "Dynamic configuration through IRC. Allows editing only yourself if you're " "not ZNC admin." diff --git a/modules/po/crypt.fr_FR.po b/modules/po/crypt.fr_FR.po index 687008e2..eb863f02 100644 --- a/modules/po/crypt.fr_FR.po +++ b/modules/po/crypt.fr_FR.po @@ -1,5 +1,9 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" @@ -7,10 +11,6 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/crypt.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" #: crypt.cpp:198 msgid "<#chan|Nick>" diff --git a/modules/po/ctcpflood.fr_FR.po b/modules/po/ctcpflood.fr_FR.po index a9046195..f900e432 100644 --- a/modules/po/ctcpflood.fr_FR.po +++ b/modules/po/ctcpflood.fr_FR.po @@ -1,5 +1,9 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" @@ -7,10 +11,6 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/ctcpflood.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" #: ctcpflood.cpp:25 ctcpflood.cpp:27 msgid "" diff --git a/modules/po/cyrusauth.fr_FR.po b/modules/po/cyrusauth.fr_FR.po index b7a465ba..d5b74e68 100644 --- a/modules/po/cyrusauth.fr_FR.po +++ b/modules/po/cyrusauth.fr_FR.po @@ -1,5 +1,9 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" @@ -7,10 +11,6 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/cyrusauth.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" #: cyrusauth.cpp:42 msgid "Shows current settings" diff --git a/modules/po/dcc.fr_FR.po b/modules/po/dcc.fr_FR.po index 4a7ee1ac..8c82b6bd 100644 --- a/modules/po/dcc.fr_FR.po +++ b/modules/po/dcc.fr_FR.po @@ -1,5 +1,9 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" @@ -7,10 +11,6 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/dcc.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" #: dcc.cpp:88 msgid " " diff --git a/modules/po/disconkick.fr_FR.po b/modules/po/disconkick.fr_FR.po index 066ed367..dd1b7a88 100644 --- a/modules/po/disconkick.fr_FR.po +++ b/modules/po/disconkick.fr_FR.po @@ -1,5 +1,9 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" @@ -7,10 +11,6 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/disconkick.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" #: disconkick.cpp:32 msgid "You have been disconnected from the IRC server" diff --git a/modules/po/fail2ban.fr_FR.po b/modules/po/fail2ban.fr_FR.po index 77ff608f..ad2dd4b7 100644 --- a/modules/po/fail2ban.fr_FR.po +++ b/modules/po/fail2ban.fr_FR.po @@ -1,5 +1,9 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" @@ -7,10 +11,6 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/fail2ban.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" #: fail2ban.cpp:25 msgid "[minutes]" diff --git a/modules/po/flooddetach.fr_FR.po b/modules/po/flooddetach.fr_FR.po index 37098c90..e41a75a3 100644 --- a/modules/po/flooddetach.fr_FR.po +++ b/modules/po/flooddetach.fr_FR.po @@ -1,5 +1,9 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" @@ -7,10 +11,6 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/flooddetach.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" #: flooddetach.cpp:30 msgid "Show current limits" diff --git a/modules/po/identfile.fr_FR.po b/modules/po/identfile.fr_FR.po index 48e74ef6..5d88ead3 100644 --- a/modules/po/identfile.fr_FR.po +++ b/modules/po/identfile.fr_FR.po @@ -1,5 +1,9 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" @@ -7,10 +11,6 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/identfile.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" #: identfile.cpp:30 msgid "Show file name" diff --git a/modules/po/imapauth.fr_FR.po b/modules/po/imapauth.fr_FR.po index ee68d452..89ab539e 100644 --- a/modules/po/imapauth.fr_FR.po +++ b/modules/po/imapauth.fr_FR.po @@ -1,5 +1,9 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" @@ -7,10 +11,6 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/imapauth.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" #: imapauth.cpp:168 msgid "[ server [+]port [ UserFormatString ] ]" diff --git a/modules/po/keepnick.fr_FR.po b/modules/po/keepnick.fr_FR.po index b0b19631..d3b8c756 100644 --- a/modules/po/keepnick.fr_FR.po +++ b/modules/po/keepnick.fr_FR.po @@ -1,5 +1,9 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" @@ -7,10 +11,6 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/keepnick.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" #: keepnick.cpp:39 msgid "Try to get your primary nick" diff --git a/modules/po/kickrejoin.fr_FR.po b/modules/po/kickrejoin.fr_FR.po index f31b00e2..ef43f3a5 100644 --- a/modules/po/kickrejoin.fr_FR.po +++ b/modules/po/kickrejoin.fr_FR.po @@ -1,5 +1,9 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" @@ -7,10 +11,6 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/kickrejoin.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" #: kickrejoin.cpp:56 msgid "" diff --git a/modules/po/lastseen.fr_FR.po b/modules/po/lastseen.fr_FR.po index e475d6d1..a8ea9e72 100644 --- a/modules/po/lastseen.fr_FR.po +++ b/modules/po/lastseen.fr_FR.po @@ -1,5 +1,9 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" @@ -7,10 +11,6 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/lastseen.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" #: modules/po/../data/lastseen/tmpl/index.tmpl:8 msgid "User" diff --git a/modules/po/listsockets.fr_FR.po b/modules/po/listsockets.fr_FR.po index c71305c6..022315c7 100644 --- a/modules/po/listsockets.fr_FR.po +++ b/modules/po/listsockets.fr_FR.po @@ -1,5 +1,9 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" @@ -7,10 +11,6 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/listsockets.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" #: modules/po/../data/listsockets/tmpl/index.tmpl:7 listsockets.cpp:214 #: listsockets.cpp:230 diff --git a/modules/po/log.fr_FR.po b/modules/po/log.fr_FR.po index 7640c56a..4fa43493 100644 --- a/modules/po/log.fr_FR.po +++ b/modules/po/log.fr_FR.po @@ -1,5 +1,9 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" @@ -7,10 +11,6 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/log.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" #: log.cpp:59 msgid "" diff --git a/modules/po/missingmotd.fr_FR.po b/modules/po/missingmotd.fr_FR.po index c548ed5b..dd87778f 100644 --- a/modules/po/missingmotd.fr_FR.po +++ b/modules/po/missingmotd.fr_FR.po @@ -1,5 +1,9 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" @@ -7,10 +11,6 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/missingmotd.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" #: missingmotd.cpp:36 msgid "Sends 422 to clients when they login" diff --git a/modules/po/modperl.fr_FR.po b/modules/po/modperl.fr_FR.po index f072263d..bb73f600 100644 --- a/modules/po/modperl.fr_FR.po +++ b/modules/po/modperl.fr_FR.po @@ -1,5 +1,9 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" @@ -7,10 +11,6 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/modperl.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" #: modperl.cpp:382 msgid "Loads perl scripts as ZNC modules" diff --git a/modules/po/modpython.fr_FR.po b/modules/po/modpython.fr_FR.po index bdfb3a6c..e68e11a1 100644 --- a/modules/po/modpython.fr_FR.po +++ b/modules/po/modpython.fr_FR.po @@ -1,5 +1,9 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" @@ -7,10 +11,6 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/modpython.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" #: modpython.cpp:512 msgid "Loads python scripts as ZNC modules" diff --git a/modules/po/modules_online.fr_FR.po b/modules/po/modules_online.fr_FR.po index eb0ff135..5941913a 100644 --- a/modules/po/modules_online.fr_FR.po +++ b/modules/po/modules_online.fr_FR.po @@ -1,5 +1,9 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" @@ -7,10 +11,6 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/modules_online.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" #: modules_online.cpp:117 msgid "Makes ZNC's *modules to be \"online\"." diff --git a/modules/po/nickserv.fr_FR.po b/modules/po/nickserv.fr_FR.po index c67c0a34..ac941785 100644 --- a/modules/po/nickserv.fr_FR.po +++ b/modules/po/nickserv.fr_FR.po @@ -1,5 +1,9 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" @@ -7,10 +11,6 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/nickserv.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" #: nickserv.cpp:31 msgid "Password set" diff --git a/modules/po/notes.fr_FR.po b/modules/po/notes.fr_FR.po index 073db42f..5b27a760 100644 --- a/modules/po/notes.fr_FR.po +++ b/modules/po/notes.fr_FR.po @@ -1,5 +1,9 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" @@ -7,10 +11,6 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/notes.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" #: modules/po/../data/notes/tmpl/index.tmpl:7 msgid "Add A Note" diff --git a/modules/po/notify_connect.fr_FR.po b/modules/po/notify_connect.fr_FR.po index bb150a9b..8f3a1eb8 100644 --- a/modules/po/notify_connect.fr_FR.po +++ b/modules/po/notify_connect.fr_FR.po @@ -1,5 +1,9 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" @@ -7,10 +11,6 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/notify_connect.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" #: notify_connect.cpp:24 msgid "attached" diff --git a/modules/po/partyline.fr_FR.po b/modules/po/partyline.fr_FR.po index 99f362f7..c8494474 100644 --- a/modules/po/partyline.fr_FR.po +++ b/modules/po/partyline.fr_FR.po @@ -1,5 +1,9 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" @@ -7,10 +11,6 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/partyline.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" #: partyline.cpp:60 msgid "There are no open channels." diff --git a/modules/po/perform.fr_FR.po b/modules/po/perform.fr_FR.po index 6da61e4f..bcf1de6c 100644 --- a/modules/po/perform.fr_FR.po +++ b/modules/po/perform.fr_FR.po @@ -1,5 +1,9 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" @@ -7,10 +11,6 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/perform.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" #: modules/po/../data/perform/tmpl/index.tmpl:7 perform.cpp:143 msgid "Perform" diff --git a/modules/po/perleval.fr_FR.po b/modules/po/perleval.fr_FR.po index 8862cc74..35229dfb 100644 --- a/modules/po/perleval.fr_FR.po +++ b/modules/po/perleval.fr_FR.po @@ -1,5 +1,9 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" @@ -7,10 +11,6 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/perleval.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" #: perleval.pm:23 msgid "Evaluates perl code" diff --git a/modules/po/pyeval.fr_FR.po b/modules/po/pyeval.fr_FR.po index e95f422d..8ef426cf 100644 --- a/modules/po/pyeval.fr_FR.po +++ b/modules/po/pyeval.fr_FR.po @@ -1,5 +1,9 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" @@ -7,10 +11,6 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/pyeval.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" #: pyeval.py:49 msgid "You must have admin privileges to load this module." diff --git a/modules/po/q.fr_FR.po b/modules/po/q.fr_FR.po index e765b62e..827aa426 100644 --- a/modules/po/q.fr_FR.po +++ b/modules/po/q.fr_FR.po @@ -1,5 +1,9 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" @@ -7,10 +11,6 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/q.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" #: modules/po/../data/q/tmpl/index.tmpl:11 msgid "Username:" diff --git a/modules/po/raw.fr_FR.po b/modules/po/raw.fr_FR.po index 7ca436d1..4beadefe 100644 --- a/modules/po/raw.fr_FR.po +++ b/modules/po/raw.fr_FR.po @@ -1,5 +1,9 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" @@ -7,10 +11,6 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/raw.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" #: raw.cpp:43 msgid "View all of the raw traffic" diff --git a/modules/po/route_replies.fr_FR.po b/modules/po/route_replies.fr_FR.po index c21d508c..dd76714b 100644 --- a/modules/po/route_replies.fr_FR.po +++ b/modules/po/route_replies.fr_FR.po @@ -1,5 +1,9 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" @@ -7,53 +11,49 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/route_replies.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" -#: route_replies.cpp:209 +#: route_replies.cpp:211 msgid "[yes|no]" msgstr "" -#: route_replies.cpp:210 +#: route_replies.cpp:212 msgid "Decides whether to show the timeout messages or not" msgstr "" -#: route_replies.cpp:350 +#: route_replies.cpp:352 msgid "This module hit a timeout which is probably a connectivity issue." msgstr "" -#: route_replies.cpp:353 +#: route_replies.cpp:355 msgid "" "However, if you can provide steps to reproduce this issue, please do report " "a bug." msgstr "" -#: route_replies.cpp:356 +#: route_replies.cpp:358 msgid "To disable this message, do \"/msg {1} silent yes\"" msgstr "" -#: route_replies.cpp:358 +#: route_replies.cpp:360 msgid "Last request: {1}" msgstr "" -#: route_replies.cpp:359 +#: route_replies.cpp:361 msgid "Expected replies:" msgstr "" -#: route_replies.cpp:363 +#: route_replies.cpp:365 msgid "{1} (last)" msgstr "" -#: route_replies.cpp:435 +#: route_replies.cpp:437 msgid "Timeout messages are disabled." msgstr "" -#: route_replies.cpp:436 +#: route_replies.cpp:438 msgid "Timeout messages are enabled." msgstr "" -#: route_replies.cpp:457 +#: route_replies.cpp:459 msgid "Send replies (e.g. to /who) to the right client only" msgstr "" diff --git a/modules/po/sample.fr_FR.po b/modules/po/sample.fr_FR.po index c7e0c607..042bb0a9 100644 --- a/modules/po/sample.fr_FR.po +++ b/modules/po/sample.fr_FR.po @@ -1,5 +1,9 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" @@ -7,10 +11,6 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/sample.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" #: sample.cpp:31 msgid "Sample job cancelled" diff --git a/modules/po/samplewebapi.fr_FR.po b/modules/po/samplewebapi.fr_FR.po index 27687dd3..9ad8d995 100644 --- a/modules/po/samplewebapi.fr_FR.po +++ b/modules/po/samplewebapi.fr_FR.po @@ -1,5 +1,9 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" @@ -7,10 +11,6 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/samplewebapi.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" #: samplewebapi.cpp:59 msgid "Sample Web API module." diff --git a/modules/po/sasl.fr_FR.po b/modules/po/sasl.fr_FR.po index ff91693c..7afd86a7 100644 --- a/modules/po/sasl.fr_FR.po +++ b/modules/po/sasl.fr_FR.po @@ -1,5 +1,9 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" @@ -7,10 +11,6 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/sasl.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" #: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:290 msgid "SASL" diff --git a/modules/po/savebuff.fr_FR.po b/modules/po/savebuff.fr_FR.po index 2a6b43a6..8f3493d8 100644 --- a/modules/po/savebuff.fr_FR.po +++ b/modules/po/savebuff.fr_FR.po @@ -1,5 +1,9 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" @@ -7,10 +11,6 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/savebuff.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" #: savebuff.cpp:65 msgid "" diff --git a/modules/po/send_raw.fr_FR.po b/modules/po/send_raw.fr_FR.po index 95725a76..c606ae92 100644 --- a/modules/po/send_raw.fr_FR.po +++ b/modules/po/send_raw.fr_FR.po @@ -1,5 +1,9 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" @@ -7,10 +11,6 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/send_raw.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" #: modules/po/../data/send_raw/tmpl/index.tmpl:9 msgid "Send a raw IRC line" diff --git a/modules/po/shell.fr_FR.po b/modules/po/shell.fr_FR.po index 57a23b6c..7b51a109 100644 --- a/modules/po/shell.fr_FR.po +++ b/modules/po/shell.fr_FR.po @@ -1,5 +1,9 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" @@ -7,10 +11,6 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/shell.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" #: shell.cpp:37 msgid "Failed to execute: {1}" diff --git a/modules/po/simple_away.fr_FR.po b/modules/po/simple_away.fr_FR.po index 4bc3c446..a400c7ba 100644 --- a/modules/po/simple_away.fr_FR.po +++ b/modules/po/simple_away.fr_FR.po @@ -1,5 +1,9 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" @@ -7,10 +11,6 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/simple_away.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" #: simple_away.cpp:56 msgid "[]" diff --git a/modules/po/stickychan.fr_FR.po b/modules/po/stickychan.fr_FR.po index f1c30b47..c555c0d3 100644 --- a/modules/po/stickychan.fr_FR.po +++ b/modules/po/stickychan.fr_FR.po @@ -1,5 +1,9 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" @@ -7,10 +11,6 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/stickychan.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" #: modules/po/../data/stickychan/tmpl/index.tmpl:9 msgid "Name" diff --git a/modules/po/stripcontrols.fr_FR.po b/modules/po/stripcontrols.fr_FR.po index 37febbf1..4335baee 100644 --- a/modules/po/stripcontrols.fr_FR.po +++ b/modules/po/stripcontrols.fr_FR.po @@ -1,5 +1,9 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" @@ -7,10 +11,6 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/stripcontrols.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" #: stripcontrols.cpp:63 msgid "" diff --git a/modules/po/watch.fr_FR.po b/modules/po/watch.fr_FR.po index 8344e7b1..2d9e2077 100644 --- a/modules/po/watch.fr_FR.po +++ b/modules/po/watch.fr_FR.po @@ -1,5 +1,9 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" @@ -7,10 +11,6 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/watch.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" #: watch.cpp:334 msgid "All entries cleared." diff --git a/modules/po/webadmin.fr_FR.po b/modules/po/webadmin.fr_FR.po index 90e956ae..0e845db9 100644 --- a/modules/po/webadmin.fr_FR.po +++ b/modules/po/webadmin.fr_FR.po @@ -1,5 +1,9 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" @@ -7,10 +11,6 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/webadmin.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:12 msgid "Channel Info" diff --git a/src/po/znc.de_DE.po b/src/po/znc.de_DE.po index 1933aca9..fee780e3 100644 --- a/src/po/znc.de_DE.po +++ b/src/po/znc.de_DE.po @@ -55,27 +55,27 @@ msgstr "" "code>\"). Sobald einige Web-fähige Module geladen wurden, wird das Menü " "größer." -#: znc.cpp:1563 +#: znc.cpp:1562 msgid "User already exists" msgstr "Benutzer existiert bereits" -#: znc.cpp:1671 +#: znc.cpp:1670 msgid "IPv6 is not enabled" msgstr "IPv6 ist nicht aktiviert" -#: znc.cpp:1679 +#: znc.cpp:1678 msgid "SSL is not enabled" msgstr "SSL ist nicht aktiviert" -#: znc.cpp:1687 +#: znc.cpp:1686 msgid "Unable to locate pem file: {1}" msgstr "Kann PEM-Datei nicht finden: {1}" -#: znc.cpp:1706 +#: znc.cpp:1705 msgid "Invalid port" msgstr "Ungültiger Port" -#: znc.cpp:1822 ClientCommand.cpp:1629 +#: znc.cpp:1821 ClientCommand.cpp:1629 msgid "Unable to bind: {1}" msgstr "Kann nicht horchen: {1}" diff --git a/src/po/znc.es_ES.po b/src/po/znc.es_ES.po index 4f0b37ee..e641cb16 100644 --- a/src/po/znc.es_ES.po +++ b/src/po/znc.es_ES.po @@ -54,27 +54,27 @@ msgstr "" "*status help\" y \"/msg *status loadmod <módulo>" "\"). Una vez lo hayas hecho, el menú se expandirá." -#: znc.cpp:1563 +#: znc.cpp:1562 msgid "User already exists" msgstr "El usuario ya existe" -#: znc.cpp:1671 +#: znc.cpp:1670 msgid "IPv6 is not enabled" msgstr "IPv6 no está disponible" -#: znc.cpp:1679 +#: znc.cpp:1678 msgid "SSL is not enabled" msgstr "SSL no está habilitado" -#: znc.cpp:1687 +#: znc.cpp:1686 msgid "Unable to locate pem file: {1}" msgstr "No se ha localizado el fichero pem: {1}" -#: znc.cpp:1706 +#: znc.cpp:1705 msgid "Invalid port" msgstr "Puerto no válido" -#: znc.cpp:1822 ClientCommand.cpp:1629 +#: znc.cpp:1821 ClientCommand.cpp:1629 msgid "Unable to bind: {1}" msgstr "Imposible enlazar: {1}" diff --git a/src/po/znc.fr_FR.po b/src/po/znc.fr_FR.po index 9641b48f..5230db3c 100644 --- a/src/po/znc.fr_FR.po +++ b/src/po/znc.fr_FR.po @@ -1,5 +1,9 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" @@ -7,10 +11,6 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/src/po/znc.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" #: webskins/_default_/tmpl/InfoBar.tmpl:6 msgid "Logged in as: {1}" @@ -51,27 +51,27 @@ msgid "" "code>”). Once you have loaded some Web-enabled modules, the menu will expand." msgstr "" -#: znc.cpp:1563 +#: znc.cpp:1562 msgid "User already exists" msgstr "" -#: znc.cpp:1671 +#: znc.cpp:1670 msgid "IPv6 is not enabled" msgstr "" -#: znc.cpp:1679 +#: znc.cpp:1678 msgid "SSL is not enabled" msgstr "" -#: znc.cpp:1687 +#: znc.cpp:1686 msgid "Unable to locate pem file: {1}" msgstr "" -#: znc.cpp:1706 +#: znc.cpp:1705 msgid "Invalid port" msgstr "" -#: znc.cpp:1822 ClientCommand.cpp:1629 +#: znc.cpp:1821 ClientCommand.cpp:1629 msgid "Unable to bind: {1}" msgstr "" @@ -1681,15 +1681,15 @@ msgstr "" msgid "Some socket reached its max buffer limit and was closed!" msgstr "" -#: SSLVerifyHost.cpp:448 +#: SSLVerifyHost.cpp:481 msgid "hostname doesn't match" msgstr "" -#: SSLVerifyHost.cpp:452 +#: SSLVerifyHost.cpp:485 msgid "malformed hostname in certificate" msgstr "" -#: SSLVerifyHost.cpp:456 +#: SSLVerifyHost.cpp:489 msgid "hostname verification error" msgstr "" diff --git a/src/po/znc.id_ID.po b/src/po/znc.id_ID.po index 6afa7cf4..712373ca 100644 --- a/src/po/znc.id_ID.po +++ b/src/po/znc.id_ID.po @@ -54,27 +54,27 @@ msgstr "" "status help
\" dan \"/msg * status loadmod <module>" "\"). Setelah anda memuat beberapa modul Web-enabled, menu ini akan diperluas." -#: znc.cpp:1563 +#: znc.cpp:1562 msgid "User already exists" msgstr "Pengguna sudah ada" -#: znc.cpp:1671 +#: znc.cpp:1670 msgid "IPv6 is not enabled" msgstr "IPv6 tidak diaktifkan" -#: znc.cpp:1679 +#: znc.cpp:1678 msgid "SSL is not enabled" msgstr "SSL tidak diaktifkan" -#: znc.cpp:1687 +#: znc.cpp:1686 msgid "Unable to locate pem file: {1}" msgstr "Tidak dapat menemukan berkas pem: {1}" -#: znc.cpp:1706 +#: znc.cpp:1705 msgid "Invalid port" msgstr "Port tidak valid" -#: znc.cpp:1822 ClientCommand.cpp:1629 +#: znc.cpp:1821 ClientCommand.cpp:1629 msgid "Unable to bind: {1}" msgstr "Tidak dapat mengikat: {1}" diff --git a/src/po/znc.nl_NL.po b/src/po/znc.nl_NL.po index 72726506..dd7bcb81 100644 --- a/src/po/znc.nl_NL.po +++ b/src/po/znc.nl_NL.po @@ -54,27 +54,27 @@ msgstr "" "msg *status help
” en “/msg *status loadmod <module>”). Zodra je deze geladen hebt zal dit menu zich uitbreiden." -#: znc.cpp:1563 +#: znc.cpp:1562 msgid "User already exists" msgstr "Gebruiker bestaat al" -#: znc.cpp:1671 +#: znc.cpp:1670 msgid "IPv6 is not enabled" msgstr "IPv6 is niet ingeschakeld" -#: znc.cpp:1679 +#: znc.cpp:1678 msgid "SSL is not enabled" msgstr "SSL is niet ingeschakeld" -#: znc.cpp:1687 +#: znc.cpp:1686 msgid "Unable to locate pem file: {1}" msgstr "Kan PEM bestand niet vinden: {1}" -#: znc.cpp:1706 +#: znc.cpp:1705 msgid "Invalid port" msgstr "Ongeldige poort" -#: znc.cpp:1822 ClientCommand.cpp:1629 +#: znc.cpp:1821 ClientCommand.cpp:1629 msgid "Unable to bind: {1}" msgstr "Kan niet binden: {1}" diff --git a/src/po/znc.pot b/src/po/znc.pot index 1dc292be..b1b7749e 100644 --- a/src/po/znc.pot +++ b/src/po/znc.pot @@ -42,27 +42,27 @@ msgid "" "code>”). Once you have loaded some Web-enabled modules, the menu will expand." msgstr "" -#: znc.cpp:1563 +#: znc.cpp:1562 msgid "User already exists" msgstr "" -#: znc.cpp:1671 +#: znc.cpp:1670 msgid "IPv6 is not enabled" msgstr "" -#: znc.cpp:1679 +#: znc.cpp:1678 msgid "SSL is not enabled" msgstr "" -#: znc.cpp:1687 +#: znc.cpp:1686 msgid "Unable to locate pem file: {1}" msgstr "" -#: znc.cpp:1706 +#: znc.cpp:1705 msgid "Invalid port" msgstr "" -#: znc.cpp:1822 ClientCommand.cpp:1629 +#: znc.cpp:1821 ClientCommand.cpp:1629 msgid "Unable to bind: {1}" msgstr "" diff --git a/src/po/znc.pt_BR.po b/src/po/znc.pt_BR.po index 6645c3a2..7efd0f33 100644 --- a/src/po/znc.pt_BR.po +++ b/src/po/znc.pt_BR.po @@ -51,27 +51,27 @@ msgid "" "code>”). Once you have loaded some Web-enabled modules, the menu will expand." msgstr "" -#: znc.cpp:1563 +#: znc.cpp:1562 msgid "User already exists" msgstr "O usuário já existe" -#: znc.cpp:1671 +#: znc.cpp:1670 msgid "IPv6 is not enabled" msgstr "O IPv6 não está habilitado" -#: znc.cpp:1679 +#: znc.cpp:1678 msgid "SSL is not enabled" msgstr "O SSL não está habilitado" -#: znc.cpp:1687 +#: znc.cpp:1686 msgid "Unable to locate pem file: {1}" msgstr "Falha ao localizar o arquivo PEM: {1}" -#: znc.cpp:1706 +#: znc.cpp:1705 msgid "Invalid port" msgstr "Porta inválida" -#: znc.cpp:1822 ClientCommand.cpp:1629 +#: znc.cpp:1821 ClientCommand.cpp:1629 msgid "Unable to bind: {1}" msgstr "" From f16b2958a573c846277bb1c30bcc6b6517000b50 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Wed, 8 Aug 2018 00:26:34 +0000 Subject: [PATCH 196/798] Update translations from Crowdin for de_DE es_ES id_ID nl_NL pt_BR ru_RU --- modules/po/controlpanel.de_DE.po | 104 +++++++++++++++---------------- modules/po/controlpanel.es_ES.po | 104 +++++++++++++++---------------- modules/po/controlpanel.id_ID.po | 104 +++++++++++++++---------------- modules/po/controlpanel.nl_NL.po | 104 +++++++++++++++---------------- modules/po/controlpanel.pot | 104 +++++++++++++++---------------- modules/po/controlpanel.pt_BR.po | 104 +++++++++++++++---------------- modules/po/controlpanel.ru_RU.po | 104 +++++++++++++++---------------- 7 files changed, 364 insertions(+), 364 deletions(-) diff --git a/modules/po/controlpanel.de_DE.po b/modules/po/controlpanel.de_DE.po index 599822b2..a1fced64 100644 --- a/modules/po/controlpanel.de_DE.po +++ b/modules/po/controlpanel.de_DE.po @@ -534,213 +534,213 @@ msgstr "Für Benutzer {1} geladene Module:" msgid "Network {1} of user {2} has no modules loaded." msgstr "Netzwerk {1} des Benutzers {2} hat keine Module geladen." -#: controlpanel.cpp:1547 +#: controlpanel.cpp:1548 msgid "Modules loaded for network {1} of user {2}:" msgstr "Für Netzwerk {1} von Benutzer {2} geladene Module:" -#: controlpanel.cpp:1554 +#: controlpanel.cpp:1555 msgid "[command] [variable]" msgstr "[Kommando] [Variable]" -#: controlpanel.cpp:1555 +#: controlpanel.cpp:1556 msgid "Prints help for matching commands and variables" msgstr "Gibt die Hilfe für passende Kommandos und Variablen aus" -#: controlpanel.cpp:1558 +#: controlpanel.cpp:1559 msgid " [username]" msgstr " [Benutzername]" -#: controlpanel.cpp:1559 +#: controlpanel.cpp:1560 msgid "Prints the variable's value for the given or current user" msgstr "" "Gibt den Wert der Variable für den gegebenen oder aktuellen Benutzer aus" -#: controlpanel.cpp:1561 +#: controlpanel.cpp:1562 msgid " " msgstr " " -#: controlpanel.cpp:1562 +#: controlpanel.cpp:1563 msgid "Sets the variable's value for the given user" msgstr "Setzt den Wert der Variable für den gegebenen oder aktuellen Benutzer" -#: controlpanel.cpp:1564 +#: controlpanel.cpp:1565 msgid " [username] [network]" msgstr " [Benutzername] [Netzwerk]" -#: controlpanel.cpp:1565 +#: controlpanel.cpp:1566 msgid "Prints the variable's value for the given network" msgstr "Gibt den Wert der Variable für das gegebene Netzwerk aus" -#: controlpanel.cpp:1567 +#: controlpanel.cpp:1568 msgid " " msgstr " " -#: controlpanel.cpp:1568 +#: controlpanel.cpp:1569 msgid "Sets the variable's value for the given network" msgstr "Setzt den Wert der Variable für das gegebene Netzwerk" -#: controlpanel.cpp:1570 +#: controlpanel.cpp:1571 msgid " [username] " msgstr " [Benutzername] " -#: controlpanel.cpp:1571 +#: controlpanel.cpp:1572 msgid "Prints the variable's value for the given channel" msgstr "Gibt den Wert der Variable für den gegebenen Kanal aus" -#: controlpanel.cpp:1574 +#: controlpanel.cpp:1575 msgid " " msgstr " " -#: controlpanel.cpp:1575 +#: controlpanel.cpp:1576 msgid "Sets the variable's value for the given channel" msgstr "Setzt den Wert der Variable für den gegebenen Kanal" -#: controlpanel.cpp:1577 controlpanel.cpp:1580 +#: controlpanel.cpp:1578 controlpanel.cpp:1581 msgid " " msgstr " " -#: controlpanel.cpp:1578 +#: controlpanel.cpp:1579 msgid "Adds a new channel" msgstr "Fügt einen neuen Kanal hinzu" -#: controlpanel.cpp:1581 +#: controlpanel.cpp:1582 msgid "Deletes a channel" msgstr "Löscht einen Kanal" -#: controlpanel.cpp:1583 +#: controlpanel.cpp:1584 msgid "Lists users" msgstr "Listet Benutzer auf" -#: controlpanel.cpp:1585 +#: controlpanel.cpp:1586 msgid " " msgstr " " -#: controlpanel.cpp:1586 +#: controlpanel.cpp:1587 msgid "Adds a new user" msgstr "Fügt einen neuen Benutzer hinzu" -#: controlpanel.cpp:1588 controlpanel.cpp:1611 controlpanel.cpp:1625 +#: controlpanel.cpp:1589 controlpanel.cpp:1612 controlpanel.cpp:1626 msgid "" msgstr "" -#: controlpanel.cpp:1588 +#: controlpanel.cpp:1589 msgid "Deletes a user" msgstr "Löscht einen Benutzer" -#: controlpanel.cpp:1590 +#: controlpanel.cpp:1591 msgid " " msgstr " " -#: controlpanel.cpp:1591 +#: controlpanel.cpp:1592 msgid "Clones a user" msgstr "Klont einen Benutzer" -#: controlpanel.cpp:1593 controlpanel.cpp:1596 +#: controlpanel.cpp:1594 controlpanel.cpp:1597 msgid " " msgstr " " -#: controlpanel.cpp:1594 +#: controlpanel.cpp:1595 msgid "Adds a new IRC server for the given or current user" msgstr "" "Fügt einen neuen IRC-Server zum gegebenen oder aktuellen Benutzer hinzu" -#: controlpanel.cpp:1597 +#: controlpanel.cpp:1598 msgid "Deletes an IRC server from the given or current user" msgstr "Löscht einen IRC-Server vom gegebenen oder aktuellen Benutzer" -#: controlpanel.cpp:1599 controlpanel.cpp:1602 controlpanel.cpp:1622 +#: controlpanel.cpp:1600 controlpanel.cpp:1603 controlpanel.cpp:1623 msgid " " msgstr " " -#: controlpanel.cpp:1600 +#: controlpanel.cpp:1601 msgid "Cycles the user's IRC server connection" msgstr "Erneuert die IRC-Verbindung des Benutzers" -#: controlpanel.cpp:1603 +#: controlpanel.cpp:1604 msgid "Disconnects the user from their IRC server" msgstr "Trennt den Benutzer von ihrem IRC-Server" -#: controlpanel.cpp:1605 +#: controlpanel.cpp:1606 msgid " [args]" msgstr " [Argumente]" -#: controlpanel.cpp:1606 +#: controlpanel.cpp:1607 msgid "Loads a Module for a user" msgstr "Lädt ein Modul für einen Benutzer" -#: controlpanel.cpp:1608 +#: controlpanel.cpp:1609 msgid " " msgstr " " -#: controlpanel.cpp:1609 +#: controlpanel.cpp:1610 msgid "Removes a Module of a user" msgstr "Entfernt ein Modul von einem Benutzer" -#: controlpanel.cpp:1612 +#: controlpanel.cpp:1613 msgid "Get the list of modules for a user" msgstr "Zeigt eine Liste der Module eines Benutzers" -#: controlpanel.cpp:1615 +#: controlpanel.cpp:1616 msgid " [args]" msgstr " [args]" -#: controlpanel.cpp:1616 +#: controlpanel.cpp:1617 msgid "Loads a Module for a network" msgstr "Lädt ein Modul für ein Netzwerk" -#: controlpanel.cpp:1619 +#: controlpanel.cpp:1620 msgid " " msgstr " " -#: controlpanel.cpp:1620 +#: controlpanel.cpp:1621 msgid "Removes a Module of a network" msgstr "Entfernt ein Modul von einem Netzwerk" -#: controlpanel.cpp:1623 +#: controlpanel.cpp:1624 msgid "Get the list of modules for a network" msgstr "Zeigt eine Liste der Module eines Netzwerks" -#: controlpanel.cpp:1626 +#: controlpanel.cpp:1627 msgid "List the configured CTCP replies" msgstr "Liste die konfigurierten CTCP-Antworten auf" -#: controlpanel.cpp:1628 +#: controlpanel.cpp:1629 msgid " [reply]" msgstr " [Antwort]" -#: controlpanel.cpp:1629 +#: controlpanel.cpp:1630 msgid "Configure a new CTCP reply" msgstr "Konfiguriere eine neue CTCP-Antwort" -#: controlpanel.cpp:1631 +#: controlpanel.cpp:1632 msgid " " msgstr " " -#: controlpanel.cpp:1632 +#: controlpanel.cpp:1633 msgid "Remove a CTCP reply" msgstr "Entfernt eine CTCP-Antwort" -#: controlpanel.cpp:1636 controlpanel.cpp:1639 +#: controlpanel.cpp:1637 controlpanel.cpp:1640 msgid "[username] " msgstr "[Benutzername] " -#: controlpanel.cpp:1637 +#: controlpanel.cpp:1638 msgid "Add a network for a user" msgstr "Füge ein Netzwerk für einen Benutzer hinzu" -#: controlpanel.cpp:1640 +#: controlpanel.cpp:1641 msgid "Delete a network for a user" msgstr "Lösche ein Netzwerk für einen Benutzer" -#: controlpanel.cpp:1642 +#: controlpanel.cpp:1643 msgid "[username]" msgstr "[Benutzername]" -#: controlpanel.cpp:1643 +#: controlpanel.cpp:1644 msgid "List all networks for a user" msgstr "Listet alle Netzwerke für einen Benutzer auf" -#: controlpanel.cpp:1656 +#: controlpanel.cpp:1657 msgid "" "Dynamic configuration through IRC. Allows editing only yourself if you're " "not ZNC admin." diff --git a/modules/po/controlpanel.es_ES.po b/modules/po/controlpanel.es_ES.po index ea2cb7e3..8a7d58a1 100644 --- a/modules/po/controlpanel.es_ES.po +++ b/modules/po/controlpanel.es_ES.po @@ -533,212 +533,212 @@ msgstr "Módulos cargados para el usuario {1}:" msgid "Network {1} of user {2} has no modules loaded." msgstr "La red {1} del usuario {2} no tiene módulos cargados." -#: controlpanel.cpp:1547 +#: controlpanel.cpp:1548 msgid "Modules loaded for network {1} of user {2}:" msgstr "Módulos cargados para la red {1} del usuario {2}:" -#: controlpanel.cpp:1554 +#: controlpanel.cpp:1555 msgid "[command] [variable]" msgstr "[comando] [variable]" -#: controlpanel.cpp:1555 +#: controlpanel.cpp:1556 msgid "Prints help for matching commands and variables" msgstr "Muestra la ayuda de los comandos y variables" -#: controlpanel.cpp:1558 +#: controlpanel.cpp:1559 msgid " [username]" msgstr " [usuario]" -#: controlpanel.cpp:1559 +#: controlpanel.cpp:1560 msgid "Prints the variable's value for the given or current user" msgstr "" "Muestra los valores de las variables del usuario actual o el proporcionado" -#: controlpanel.cpp:1561 +#: controlpanel.cpp:1562 msgid " " msgstr " " -#: controlpanel.cpp:1562 +#: controlpanel.cpp:1563 msgid "Sets the variable's value for the given user" msgstr "Ajusta los valores de variables para el usuario proporcionado" -#: controlpanel.cpp:1564 +#: controlpanel.cpp:1565 msgid " [username] [network]" msgstr " [usuario] [red]" -#: controlpanel.cpp:1565 +#: controlpanel.cpp:1566 msgid "Prints the variable's value for the given network" msgstr "Muestra los valores de las variables de la red proporcionada" -#: controlpanel.cpp:1567 +#: controlpanel.cpp:1568 msgid " " msgstr " " -#: controlpanel.cpp:1568 +#: controlpanel.cpp:1569 msgid "Sets the variable's value for the given network" msgstr "Ajusta los valores de variables para la red proporcionada" -#: controlpanel.cpp:1570 +#: controlpanel.cpp:1571 msgid " [username] " msgstr " " -#: controlpanel.cpp:1571 +#: controlpanel.cpp:1572 msgid "Prints the variable's value for the given channel" msgstr "Muestra los valores de las variables del canal proporcionado" -#: controlpanel.cpp:1574 +#: controlpanel.cpp:1575 msgid " " msgstr " " -#: controlpanel.cpp:1575 +#: controlpanel.cpp:1576 msgid "Sets the variable's value for the given channel" msgstr "Ajusta los valores de variables para el canal proporcionado" -#: controlpanel.cpp:1577 controlpanel.cpp:1580 +#: controlpanel.cpp:1578 controlpanel.cpp:1581 msgid " " msgstr " " -#: controlpanel.cpp:1578 +#: controlpanel.cpp:1579 msgid "Adds a new channel" msgstr "Añadir un nuevo canal" -#: controlpanel.cpp:1581 +#: controlpanel.cpp:1582 msgid "Deletes a channel" msgstr "Eliminar canal" -#: controlpanel.cpp:1583 +#: controlpanel.cpp:1584 msgid "Lists users" msgstr "Mostrar usuarios" -#: controlpanel.cpp:1585 +#: controlpanel.cpp:1586 msgid " " msgstr " " -#: controlpanel.cpp:1586 +#: controlpanel.cpp:1587 msgid "Adds a new user" msgstr "Añadir un usuario nuevo" -#: controlpanel.cpp:1588 controlpanel.cpp:1611 controlpanel.cpp:1625 +#: controlpanel.cpp:1589 controlpanel.cpp:1612 controlpanel.cpp:1626 msgid "" msgstr "" -#: controlpanel.cpp:1588 +#: controlpanel.cpp:1589 msgid "Deletes a user" msgstr "Eliminar usuario" -#: controlpanel.cpp:1590 +#: controlpanel.cpp:1591 msgid " " msgstr " " -#: controlpanel.cpp:1591 +#: controlpanel.cpp:1592 msgid "Clones a user" msgstr "Duplica un usuario" -#: controlpanel.cpp:1593 controlpanel.cpp:1596 +#: controlpanel.cpp:1594 controlpanel.cpp:1597 msgid " " msgstr " " -#: controlpanel.cpp:1594 +#: controlpanel.cpp:1595 msgid "Adds a new IRC server for the given or current user" msgstr "Añade un nuevo servidor de IRC para el usuario actual o proporcionado" -#: controlpanel.cpp:1597 +#: controlpanel.cpp:1598 msgid "Deletes an IRC server from the given or current user" msgstr "Borra un servidor de IRC para el usuario actual o proporcionado" -#: controlpanel.cpp:1599 controlpanel.cpp:1602 controlpanel.cpp:1622 +#: controlpanel.cpp:1600 controlpanel.cpp:1603 controlpanel.cpp:1623 msgid " " msgstr " " -#: controlpanel.cpp:1600 +#: controlpanel.cpp:1601 msgid "Cycles the user's IRC server connection" msgstr "Reconecta la conexión de un usario al IRC" -#: controlpanel.cpp:1603 +#: controlpanel.cpp:1604 msgid "Disconnects the user from their IRC server" msgstr "Desconecta un usuario de su servidor de IRC" -#: controlpanel.cpp:1605 +#: controlpanel.cpp:1606 msgid " [args]" msgstr " [args]" -#: controlpanel.cpp:1606 +#: controlpanel.cpp:1607 msgid "Loads a Module for a user" msgstr "Carga un módulo a un usuario" -#: controlpanel.cpp:1608 +#: controlpanel.cpp:1609 msgid " " msgstr " " -#: controlpanel.cpp:1609 +#: controlpanel.cpp:1610 msgid "Removes a Module of a user" msgstr "Quita un módulo de un usuario" -#: controlpanel.cpp:1612 +#: controlpanel.cpp:1613 msgid "Get the list of modules for a user" msgstr "Obtiene la lista de módulos de un usuario" -#: controlpanel.cpp:1615 +#: controlpanel.cpp:1616 msgid " [args]" msgstr " [args]" -#: controlpanel.cpp:1616 +#: controlpanel.cpp:1617 msgid "Loads a Module for a network" msgstr "Carga un módulo para una red" -#: controlpanel.cpp:1619 +#: controlpanel.cpp:1620 msgid " " msgstr " " -#: controlpanel.cpp:1620 +#: controlpanel.cpp:1621 msgid "Removes a Module of a network" msgstr "Elimina el módulo de una red" -#: controlpanel.cpp:1623 +#: controlpanel.cpp:1624 msgid "Get the list of modules for a network" msgstr "Obtiene la lista de módulos de una red" -#: controlpanel.cpp:1626 +#: controlpanel.cpp:1627 msgid "List the configured CTCP replies" msgstr "Muestra las respuestas CTCP configuradas" -#: controlpanel.cpp:1628 +#: controlpanel.cpp:1629 msgid " [reply]" msgstr " [respuesta]" -#: controlpanel.cpp:1629 +#: controlpanel.cpp:1630 msgid "Configure a new CTCP reply" msgstr "Configura una nueva respuesta CTCP" -#: controlpanel.cpp:1631 +#: controlpanel.cpp:1632 msgid " " msgstr " " -#: controlpanel.cpp:1632 +#: controlpanel.cpp:1633 msgid "Remove a CTCP reply" msgstr "Elimina una respuesta CTCP" -#: controlpanel.cpp:1636 controlpanel.cpp:1639 +#: controlpanel.cpp:1637 controlpanel.cpp:1640 msgid "[username] " msgstr "[usuario] " -#: controlpanel.cpp:1637 +#: controlpanel.cpp:1638 msgid "Add a network for a user" msgstr "Añade una red a un usuario" -#: controlpanel.cpp:1640 +#: controlpanel.cpp:1641 msgid "Delete a network for a user" msgstr "Borra la red de un usuario" -#: controlpanel.cpp:1642 +#: controlpanel.cpp:1643 msgid "[username]" msgstr "[usuario]" -#: controlpanel.cpp:1643 +#: controlpanel.cpp:1644 msgid "List all networks for a user" msgstr "Muestra las redes de un usuario" -#: controlpanel.cpp:1656 +#: controlpanel.cpp:1657 msgid "" "Dynamic configuration through IRC. Allows editing only yourself if you're " "not ZNC admin." diff --git a/modules/po/controlpanel.id_ID.po b/modules/po/controlpanel.id_ID.po index d75abf82..69fdd5bf 100644 --- a/modules/po/controlpanel.id_ID.po +++ b/modules/po/controlpanel.id_ID.po @@ -506,211 +506,211 @@ msgstr "" msgid "Network {1} of user {2} has no modules loaded." msgstr "" -#: controlpanel.cpp:1547 +#: controlpanel.cpp:1548 msgid "Modules loaded for network {1} of user {2}:" msgstr "" -#: controlpanel.cpp:1554 +#: controlpanel.cpp:1555 msgid "[command] [variable]" msgstr "" -#: controlpanel.cpp:1555 +#: controlpanel.cpp:1556 msgid "Prints help for matching commands and variables" msgstr "" -#: controlpanel.cpp:1558 +#: controlpanel.cpp:1559 msgid " [username]" msgstr "" -#: controlpanel.cpp:1559 +#: controlpanel.cpp:1560 msgid "Prints the variable's value for the given or current user" msgstr "" -#: controlpanel.cpp:1561 +#: controlpanel.cpp:1562 msgid " " msgstr "" -#: controlpanel.cpp:1562 +#: controlpanel.cpp:1563 msgid "Sets the variable's value for the given user" msgstr "" -#: controlpanel.cpp:1564 +#: controlpanel.cpp:1565 msgid " [username] [network]" msgstr "" -#: controlpanel.cpp:1565 +#: controlpanel.cpp:1566 msgid "Prints the variable's value for the given network" msgstr "" -#: controlpanel.cpp:1567 +#: controlpanel.cpp:1568 msgid " " msgstr "" -#: controlpanel.cpp:1568 +#: controlpanel.cpp:1569 msgid "Sets the variable's value for the given network" msgstr "" -#: controlpanel.cpp:1570 +#: controlpanel.cpp:1571 msgid " [username] " msgstr "" -#: controlpanel.cpp:1571 +#: controlpanel.cpp:1572 msgid "Prints the variable's value for the given channel" msgstr "" -#: controlpanel.cpp:1574 +#: controlpanel.cpp:1575 msgid " " msgstr "" -#: controlpanel.cpp:1575 +#: controlpanel.cpp:1576 msgid "Sets the variable's value for the given channel" msgstr "" -#: controlpanel.cpp:1577 controlpanel.cpp:1580 +#: controlpanel.cpp:1578 controlpanel.cpp:1581 msgid " " msgstr "" -#: controlpanel.cpp:1578 +#: controlpanel.cpp:1579 msgid "Adds a new channel" msgstr "" -#: controlpanel.cpp:1581 +#: controlpanel.cpp:1582 msgid "Deletes a channel" msgstr "" -#: controlpanel.cpp:1583 +#: controlpanel.cpp:1584 msgid "Lists users" msgstr "" -#: controlpanel.cpp:1585 +#: controlpanel.cpp:1586 msgid " " msgstr "" -#: controlpanel.cpp:1586 +#: controlpanel.cpp:1587 msgid "Adds a new user" msgstr "" -#: controlpanel.cpp:1588 controlpanel.cpp:1611 controlpanel.cpp:1625 +#: controlpanel.cpp:1589 controlpanel.cpp:1612 controlpanel.cpp:1626 msgid "" msgstr "" -#: controlpanel.cpp:1588 +#: controlpanel.cpp:1589 msgid "Deletes a user" msgstr "" -#: controlpanel.cpp:1590 +#: controlpanel.cpp:1591 msgid " " msgstr "" -#: controlpanel.cpp:1591 +#: controlpanel.cpp:1592 msgid "Clones a user" msgstr "" -#: controlpanel.cpp:1593 controlpanel.cpp:1596 +#: controlpanel.cpp:1594 controlpanel.cpp:1597 msgid " " msgstr "" -#: controlpanel.cpp:1594 +#: controlpanel.cpp:1595 msgid "Adds a new IRC server for the given or current user" msgstr "" -#: controlpanel.cpp:1597 +#: controlpanel.cpp:1598 msgid "Deletes an IRC server from the given or current user" msgstr "" -#: controlpanel.cpp:1599 controlpanel.cpp:1602 controlpanel.cpp:1622 +#: controlpanel.cpp:1600 controlpanel.cpp:1603 controlpanel.cpp:1623 msgid " " msgstr "" -#: controlpanel.cpp:1600 +#: controlpanel.cpp:1601 msgid "Cycles the user's IRC server connection" msgstr "" -#: controlpanel.cpp:1603 +#: controlpanel.cpp:1604 msgid "Disconnects the user from their IRC server" msgstr "" -#: controlpanel.cpp:1605 +#: controlpanel.cpp:1606 msgid " [args]" msgstr "" -#: controlpanel.cpp:1606 +#: controlpanel.cpp:1607 msgid "Loads a Module for a user" msgstr "" -#: controlpanel.cpp:1608 +#: controlpanel.cpp:1609 msgid " " msgstr "" -#: controlpanel.cpp:1609 +#: controlpanel.cpp:1610 msgid "Removes a Module of a user" msgstr "" -#: controlpanel.cpp:1612 +#: controlpanel.cpp:1613 msgid "Get the list of modules for a user" msgstr "" -#: controlpanel.cpp:1615 +#: controlpanel.cpp:1616 msgid " [args]" msgstr "" -#: controlpanel.cpp:1616 +#: controlpanel.cpp:1617 msgid "Loads a Module for a network" msgstr "" -#: controlpanel.cpp:1619 +#: controlpanel.cpp:1620 msgid " " msgstr "" -#: controlpanel.cpp:1620 +#: controlpanel.cpp:1621 msgid "Removes a Module of a network" msgstr "" -#: controlpanel.cpp:1623 +#: controlpanel.cpp:1624 msgid "Get the list of modules for a network" msgstr "" -#: controlpanel.cpp:1626 +#: controlpanel.cpp:1627 msgid "List the configured CTCP replies" msgstr "" -#: controlpanel.cpp:1628 +#: controlpanel.cpp:1629 msgid " [reply]" msgstr "" -#: controlpanel.cpp:1629 +#: controlpanel.cpp:1630 msgid "Configure a new CTCP reply" msgstr "" -#: controlpanel.cpp:1631 +#: controlpanel.cpp:1632 msgid " " msgstr "" -#: controlpanel.cpp:1632 +#: controlpanel.cpp:1633 msgid "Remove a CTCP reply" msgstr "" -#: controlpanel.cpp:1636 controlpanel.cpp:1639 +#: controlpanel.cpp:1637 controlpanel.cpp:1640 msgid "[username] " msgstr "" -#: controlpanel.cpp:1637 +#: controlpanel.cpp:1638 msgid "Add a network for a user" msgstr "" -#: controlpanel.cpp:1640 +#: controlpanel.cpp:1641 msgid "Delete a network for a user" msgstr "" -#: controlpanel.cpp:1642 +#: controlpanel.cpp:1643 msgid "[username]" msgstr "" -#: controlpanel.cpp:1643 +#: controlpanel.cpp:1644 msgid "List all networks for a user" msgstr "" -#: controlpanel.cpp:1656 +#: controlpanel.cpp:1657 msgid "" "Dynamic configuration through IRC. Allows editing only yourself if you're " "not ZNC admin." diff --git a/modules/po/controlpanel.nl_NL.po b/modules/po/controlpanel.nl_NL.po index 0121ac0b..a22818c2 100644 --- a/modules/po/controlpanel.nl_NL.po +++ b/modules/po/controlpanel.nl_NL.po @@ -539,215 +539,215 @@ msgstr "Modulen geladen voor gebruiker {1}:" msgid "Network {1} of user {2} has no modules loaded." msgstr "Netwerk {1} van gebruiker {2} heeft geen modulen geladen." -#: controlpanel.cpp:1547 +#: controlpanel.cpp:1548 msgid "Modules loaded for network {1} of user {2}:" msgstr "Modulen geladen voor netwerk {1} van gebruiker {2}:" -#: controlpanel.cpp:1554 +#: controlpanel.cpp:1555 msgid "[command] [variable]" msgstr "[commando] [variabele]" -#: controlpanel.cpp:1555 +#: controlpanel.cpp:1556 msgid "Prints help for matching commands and variables" msgstr "Laat help zien voor de overeenkomende commando's en variabelen" -#: controlpanel.cpp:1558 +#: controlpanel.cpp:1559 msgid " [username]" msgstr " [gebruikersnaam]" -#: controlpanel.cpp:1559 +#: controlpanel.cpp:1560 msgid "Prints the variable's value for the given or current user" msgstr "" "Laat de waarde van de variabele voor de ingevoerde of huidige gebruiker zien" -#: controlpanel.cpp:1561 +#: controlpanel.cpp:1562 msgid " " msgstr " " -#: controlpanel.cpp:1562 +#: controlpanel.cpp:1563 msgid "Sets the variable's value for the given user" msgstr "Stelt de waarde voor de variabele voor de ingevoerde gebruiker in" -#: controlpanel.cpp:1564 +#: controlpanel.cpp:1565 msgid " [username] [network]" msgstr " [gebruikersnaam] [netwerk]" -#: controlpanel.cpp:1565 +#: controlpanel.cpp:1566 msgid "Prints the variable's value for the given network" msgstr "" "Laat de huidige waarde voor de variabele van het ingevoerde netwerk zien" -#: controlpanel.cpp:1567 +#: controlpanel.cpp:1568 msgid " " msgstr " " -#: controlpanel.cpp:1568 +#: controlpanel.cpp:1569 msgid "Sets the variable's value for the given network" msgstr "Stelt de waarde voor de variabele voor het ingevoerde netwerk in" -#: controlpanel.cpp:1570 +#: controlpanel.cpp:1571 msgid " [username] " msgstr " [gebruikersnaam] " -#: controlpanel.cpp:1571 +#: controlpanel.cpp:1572 msgid "Prints the variable's value for the given channel" msgstr "" "Laat de huidige waarde voor de variabele van het ingevoerde kanaal zien" -#: controlpanel.cpp:1574 +#: controlpanel.cpp:1575 msgid " " msgstr " " -#: controlpanel.cpp:1575 +#: controlpanel.cpp:1576 msgid "Sets the variable's value for the given channel" msgstr "Stelt de waarde voor de variabele voor het ingevoerde kanaal in" -#: controlpanel.cpp:1577 controlpanel.cpp:1580 +#: controlpanel.cpp:1578 controlpanel.cpp:1581 msgid " " msgstr " " -#: controlpanel.cpp:1578 +#: controlpanel.cpp:1579 msgid "Adds a new channel" msgstr "Voegt een nieuw kanaal toe" -#: controlpanel.cpp:1581 +#: controlpanel.cpp:1582 msgid "Deletes a channel" msgstr "Verwijdert een kanaal" -#: controlpanel.cpp:1583 +#: controlpanel.cpp:1584 msgid "Lists users" msgstr "Weergeeft gebruikers" -#: controlpanel.cpp:1585 +#: controlpanel.cpp:1586 msgid " " msgstr " " -#: controlpanel.cpp:1586 +#: controlpanel.cpp:1587 msgid "Adds a new user" msgstr "Voegt een nieuwe gebruiker toe" -#: controlpanel.cpp:1588 controlpanel.cpp:1611 controlpanel.cpp:1625 +#: controlpanel.cpp:1589 controlpanel.cpp:1612 controlpanel.cpp:1626 msgid "" msgstr "" -#: controlpanel.cpp:1588 +#: controlpanel.cpp:1589 msgid "Deletes a user" msgstr "Verwijdert een gebruiker" -#: controlpanel.cpp:1590 +#: controlpanel.cpp:1591 msgid " " msgstr " " -#: controlpanel.cpp:1591 +#: controlpanel.cpp:1592 msgid "Clones a user" msgstr "Kloont een gebruiker" -#: controlpanel.cpp:1593 controlpanel.cpp:1596 +#: controlpanel.cpp:1594 controlpanel.cpp:1597 msgid " " msgstr " " -#: controlpanel.cpp:1594 +#: controlpanel.cpp:1595 msgid "Adds a new IRC server for the given or current user" msgstr "" "Voegt een nieuwe IRC server toe voor de ingevoerde of huidige gebruiker" -#: controlpanel.cpp:1597 +#: controlpanel.cpp:1598 msgid "Deletes an IRC server from the given or current user" msgstr "Verwijdert een IRC server voor de ingevoerde of huidige gebruiker" -#: controlpanel.cpp:1599 controlpanel.cpp:1602 controlpanel.cpp:1622 +#: controlpanel.cpp:1600 controlpanel.cpp:1603 controlpanel.cpp:1623 msgid " " msgstr " " -#: controlpanel.cpp:1600 +#: controlpanel.cpp:1601 msgid "Cycles the user's IRC server connection" msgstr "Verbind opnieuw met de IRC server" -#: controlpanel.cpp:1603 +#: controlpanel.cpp:1604 msgid "Disconnects the user from their IRC server" msgstr "Stopt de verbinding van de gebruiker naar de IRC server" -#: controlpanel.cpp:1605 +#: controlpanel.cpp:1606 msgid " [args]" msgstr " [argumenten]" -#: controlpanel.cpp:1606 +#: controlpanel.cpp:1607 msgid "Loads a Module for a user" msgstr "Laad een module voor een gebruiker" -#: controlpanel.cpp:1608 +#: controlpanel.cpp:1609 msgid " " msgstr " " -#: controlpanel.cpp:1609 +#: controlpanel.cpp:1610 msgid "Removes a Module of a user" msgstr "Stopt een module van een gebruiker" -#: controlpanel.cpp:1612 +#: controlpanel.cpp:1613 msgid "Get the list of modules for a user" msgstr "Laat de lijst van modulen voor een gebruiker zien" -#: controlpanel.cpp:1615 +#: controlpanel.cpp:1616 msgid " [args]" msgstr " [argumenten]" -#: controlpanel.cpp:1616 +#: controlpanel.cpp:1617 msgid "Loads a Module for a network" msgstr "Laad een module voor een netwerk" -#: controlpanel.cpp:1619 +#: controlpanel.cpp:1620 msgid " " msgstr " " -#: controlpanel.cpp:1620 +#: controlpanel.cpp:1621 msgid "Removes a Module of a network" msgstr "Stopt een module van een netwerk" -#: controlpanel.cpp:1623 +#: controlpanel.cpp:1624 msgid "Get the list of modules for a network" msgstr "Laat de lijst van modulen voor een netwerk zien" -#: controlpanel.cpp:1626 +#: controlpanel.cpp:1627 msgid "List the configured CTCP replies" msgstr "Laat de ingestelde CTCP antwoorden zien" -#: controlpanel.cpp:1628 +#: controlpanel.cpp:1629 msgid " [reply]" msgstr " [antwoord]" -#: controlpanel.cpp:1629 +#: controlpanel.cpp:1630 msgid "Configure a new CTCP reply" msgstr "Stel een nieuw CTCP antwoord in" -#: controlpanel.cpp:1631 +#: controlpanel.cpp:1632 msgid " " msgstr " " -#: controlpanel.cpp:1632 +#: controlpanel.cpp:1633 msgid "Remove a CTCP reply" msgstr "Verwijder een CTCP antwoord" -#: controlpanel.cpp:1636 controlpanel.cpp:1639 +#: controlpanel.cpp:1637 controlpanel.cpp:1640 msgid "[username] " msgstr "[gebruikersnaam] " -#: controlpanel.cpp:1637 +#: controlpanel.cpp:1638 msgid "Add a network for a user" msgstr "Voeg een netwerk toe voor een gebruiker" -#: controlpanel.cpp:1640 +#: controlpanel.cpp:1641 msgid "Delete a network for a user" msgstr "Verwijder een netwerk van een gebruiker" -#: controlpanel.cpp:1642 +#: controlpanel.cpp:1643 msgid "[username]" msgstr "[gebruikersnaam]" -#: controlpanel.cpp:1643 +#: controlpanel.cpp:1644 msgid "List all networks for a user" msgstr "Laat alle netwerken van een gebruiker zien" -#: controlpanel.cpp:1656 +#: controlpanel.cpp:1657 msgid "" "Dynamic configuration through IRC. Allows editing only yourself if you're " "not ZNC admin." diff --git a/modules/po/controlpanel.pot b/modules/po/controlpanel.pot index f79e9a37..d331d838 100644 --- a/modules/po/controlpanel.pot +++ b/modules/po/controlpanel.pot @@ -498,211 +498,211 @@ msgstr "" msgid "Network {1} of user {2} has no modules loaded." msgstr "" -#: controlpanel.cpp:1547 +#: controlpanel.cpp:1548 msgid "Modules loaded for network {1} of user {2}:" msgstr "" -#: controlpanel.cpp:1554 +#: controlpanel.cpp:1555 msgid "[command] [variable]" msgstr "" -#: controlpanel.cpp:1555 +#: controlpanel.cpp:1556 msgid "Prints help for matching commands and variables" msgstr "" -#: controlpanel.cpp:1558 +#: controlpanel.cpp:1559 msgid " [username]" msgstr "" -#: controlpanel.cpp:1559 +#: controlpanel.cpp:1560 msgid "Prints the variable's value for the given or current user" msgstr "" -#: controlpanel.cpp:1561 +#: controlpanel.cpp:1562 msgid " " msgstr "" -#: controlpanel.cpp:1562 +#: controlpanel.cpp:1563 msgid "Sets the variable's value for the given user" msgstr "" -#: controlpanel.cpp:1564 +#: controlpanel.cpp:1565 msgid " [username] [network]" msgstr "" -#: controlpanel.cpp:1565 +#: controlpanel.cpp:1566 msgid "Prints the variable's value for the given network" msgstr "" -#: controlpanel.cpp:1567 +#: controlpanel.cpp:1568 msgid " " msgstr "" -#: controlpanel.cpp:1568 +#: controlpanel.cpp:1569 msgid "Sets the variable's value for the given network" msgstr "" -#: controlpanel.cpp:1570 +#: controlpanel.cpp:1571 msgid " [username] " msgstr "" -#: controlpanel.cpp:1571 +#: controlpanel.cpp:1572 msgid "Prints the variable's value for the given channel" msgstr "" -#: controlpanel.cpp:1574 +#: controlpanel.cpp:1575 msgid " " msgstr "" -#: controlpanel.cpp:1575 +#: controlpanel.cpp:1576 msgid "Sets the variable's value for the given channel" msgstr "" -#: controlpanel.cpp:1577 controlpanel.cpp:1580 +#: controlpanel.cpp:1578 controlpanel.cpp:1581 msgid " " msgstr "" -#: controlpanel.cpp:1578 +#: controlpanel.cpp:1579 msgid "Adds a new channel" msgstr "" -#: controlpanel.cpp:1581 +#: controlpanel.cpp:1582 msgid "Deletes a channel" msgstr "" -#: controlpanel.cpp:1583 +#: controlpanel.cpp:1584 msgid "Lists users" msgstr "" -#: controlpanel.cpp:1585 +#: controlpanel.cpp:1586 msgid " " msgstr "" -#: controlpanel.cpp:1586 +#: controlpanel.cpp:1587 msgid "Adds a new user" msgstr "" -#: controlpanel.cpp:1588 controlpanel.cpp:1611 controlpanel.cpp:1625 +#: controlpanel.cpp:1589 controlpanel.cpp:1612 controlpanel.cpp:1626 msgid "" msgstr "" -#: controlpanel.cpp:1588 +#: controlpanel.cpp:1589 msgid "Deletes a user" msgstr "" -#: controlpanel.cpp:1590 +#: controlpanel.cpp:1591 msgid " " msgstr "" -#: controlpanel.cpp:1591 +#: controlpanel.cpp:1592 msgid "Clones a user" msgstr "" -#: controlpanel.cpp:1593 controlpanel.cpp:1596 +#: controlpanel.cpp:1594 controlpanel.cpp:1597 msgid " " msgstr "" -#: controlpanel.cpp:1594 +#: controlpanel.cpp:1595 msgid "Adds a new IRC server for the given or current user" msgstr "" -#: controlpanel.cpp:1597 +#: controlpanel.cpp:1598 msgid "Deletes an IRC server from the given or current user" msgstr "" -#: controlpanel.cpp:1599 controlpanel.cpp:1602 controlpanel.cpp:1622 +#: controlpanel.cpp:1600 controlpanel.cpp:1603 controlpanel.cpp:1623 msgid " " msgstr "" -#: controlpanel.cpp:1600 +#: controlpanel.cpp:1601 msgid "Cycles the user's IRC server connection" msgstr "" -#: controlpanel.cpp:1603 +#: controlpanel.cpp:1604 msgid "Disconnects the user from their IRC server" msgstr "" -#: controlpanel.cpp:1605 +#: controlpanel.cpp:1606 msgid " [args]" msgstr "" -#: controlpanel.cpp:1606 +#: controlpanel.cpp:1607 msgid "Loads a Module for a user" msgstr "" -#: controlpanel.cpp:1608 +#: controlpanel.cpp:1609 msgid " " msgstr "" -#: controlpanel.cpp:1609 +#: controlpanel.cpp:1610 msgid "Removes a Module of a user" msgstr "" -#: controlpanel.cpp:1612 +#: controlpanel.cpp:1613 msgid "Get the list of modules for a user" msgstr "" -#: controlpanel.cpp:1615 +#: controlpanel.cpp:1616 msgid " [args]" msgstr "" -#: controlpanel.cpp:1616 +#: controlpanel.cpp:1617 msgid "Loads a Module for a network" msgstr "" -#: controlpanel.cpp:1619 +#: controlpanel.cpp:1620 msgid " " msgstr "" -#: controlpanel.cpp:1620 +#: controlpanel.cpp:1621 msgid "Removes a Module of a network" msgstr "" -#: controlpanel.cpp:1623 +#: controlpanel.cpp:1624 msgid "Get the list of modules for a network" msgstr "" -#: controlpanel.cpp:1626 +#: controlpanel.cpp:1627 msgid "List the configured CTCP replies" msgstr "" -#: controlpanel.cpp:1628 +#: controlpanel.cpp:1629 msgid " [reply]" msgstr "" -#: controlpanel.cpp:1629 +#: controlpanel.cpp:1630 msgid "Configure a new CTCP reply" msgstr "" -#: controlpanel.cpp:1631 +#: controlpanel.cpp:1632 msgid " " msgstr "" -#: controlpanel.cpp:1632 +#: controlpanel.cpp:1633 msgid "Remove a CTCP reply" msgstr "" -#: controlpanel.cpp:1636 controlpanel.cpp:1639 +#: controlpanel.cpp:1637 controlpanel.cpp:1640 msgid "[username] " msgstr "" -#: controlpanel.cpp:1637 +#: controlpanel.cpp:1638 msgid "Add a network for a user" msgstr "" -#: controlpanel.cpp:1640 +#: controlpanel.cpp:1641 msgid "Delete a network for a user" msgstr "" -#: controlpanel.cpp:1642 +#: controlpanel.cpp:1643 msgid "[username]" msgstr "" -#: controlpanel.cpp:1643 +#: controlpanel.cpp:1644 msgid "List all networks for a user" msgstr "" -#: controlpanel.cpp:1656 +#: controlpanel.cpp:1657 msgid "" "Dynamic configuration through IRC. Allows editing only yourself if you're " "not ZNC admin." diff --git a/modules/po/controlpanel.pt_BR.po b/modules/po/controlpanel.pt_BR.po index b0757afb..07587e86 100644 --- a/modules/po/controlpanel.pt_BR.po +++ b/modules/po/controlpanel.pt_BR.po @@ -507,211 +507,211 @@ msgstr "" msgid "Network {1} of user {2} has no modules loaded." msgstr "" -#: controlpanel.cpp:1547 +#: controlpanel.cpp:1548 msgid "Modules loaded for network {1} of user {2}:" msgstr "" -#: controlpanel.cpp:1554 +#: controlpanel.cpp:1555 msgid "[command] [variable]" msgstr "" -#: controlpanel.cpp:1555 +#: controlpanel.cpp:1556 msgid "Prints help for matching commands and variables" msgstr "" -#: controlpanel.cpp:1558 +#: controlpanel.cpp:1559 msgid " [username]" msgstr "" -#: controlpanel.cpp:1559 +#: controlpanel.cpp:1560 msgid "Prints the variable's value for the given or current user" msgstr "" -#: controlpanel.cpp:1561 +#: controlpanel.cpp:1562 msgid " " msgstr "" -#: controlpanel.cpp:1562 +#: controlpanel.cpp:1563 msgid "Sets the variable's value for the given user" msgstr "" -#: controlpanel.cpp:1564 +#: controlpanel.cpp:1565 msgid " [username] [network]" msgstr "" -#: controlpanel.cpp:1565 +#: controlpanel.cpp:1566 msgid "Prints the variable's value for the given network" msgstr "" -#: controlpanel.cpp:1567 +#: controlpanel.cpp:1568 msgid " " msgstr "" -#: controlpanel.cpp:1568 +#: controlpanel.cpp:1569 msgid "Sets the variable's value for the given network" msgstr "" -#: controlpanel.cpp:1570 +#: controlpanel.cpp:1571 msgid " [username] " msgstr "" -#: controlpanel.cpp:1571 +#: controlpanel.cpp:1572 msgid "Prints the variable's value for the given channel" msgstr "" -#: controlpanel.cpp:1574 +#: controlpanel.cpp:1575 msgid " " msgstr "" -#: controlpanel.cpp:1575 +#: controlpanel.cpp:1576 msgid "Sets the variable's value for the given channel" msgstr "" -#: controlpanel.cpp:1577 controlpanel.cpp:1580 +#: controlpanel.cpp:1578 controlpanel.cpp:1581 msgid " " msgstr "" -#: controlpanel.cpp:1578 +#: controlpanel.cpp:1579 msgid "Adds a new channel" msgstr "" -#: controlpanel.cpp:1581 +#: controlpanel.cpp:1582 msgid "Deletes a channel" msgstr "" -#: controlpanel.cpp:1583 +#: controlpanel.cpp:1584 msgid "Lists users" msgstr "" -#: controlpanel.cpp:1585 +#: controlpanel.cpp:1586 msgid " " msgstr "" -#: controlpanel.cpp:1586 +#: controlpanel.cpp:1587 msgid "Adds a new user" msgstr "" -#: controlpanel.cpp:1588 controlpanel.cpp:1611 controlpanel.cpp:1625 +#: controlpanel.cpp:1589 controlpanel.cpp:1612 controlpanel.cpp:1626 msgid "" msgstr "" -#: controlpanel.cpp:1588 +#: controlpanel.cpp:1589 msgid "Deletes a user" msgstr "" -#: controlpanel.cpp:1590 +#: controlpanel.cpp:1591 msgid " " msgstr "" -#: controlpanel.cpp:1591 +#: controlpanel.cpp:1592 msgid "Clones a user" msgstr "" -#: controlpanel.cpp:1593 controlpanel.cpp:1596 +#: controlpanel.cpp:1594 controlpanel.cpp:1597 msgid " " msgstr "" -#: controlpanel.cpp:1594 +#: controlpanel.cpp:1595 msgid "Adds a new IRC server for the given or current user" msgstr "" -#: controlpanel.cpp:1597 +#: controlpanel.cpp:1598 msgid "Deletes an IRC server from the given or current user" msgstr "" -#: controlpanel.cpp:1599 controlpanel.cpp:1602 controlpanel.cpp:1622 +#: controlpanel.cpp:1600 controlpanel.cpp:1603 controlpanel.cpp:1623 msgid " " msgstr "" -#: controlpanel.cpp:1600 +#: controlpanel.cpp:1601 msgid "Cycles the user's IRC server connection" msgstr "" -#: controlpanel.cpp:1603 +#: controlpanel.cpp:1604 msgid "Disconnects the user from their IRC server" msgstr "" -#: controlpanel.cpp:1605 +#: controlpanel.cpp:1606 msgid " [args]" msgstr "" -#: controlpanel.cpp:1606 +#: controlpanel.cpp:1607 msgid "Loads a Module for a user" msgstr "" -#: controlpanel.cpp:1608 +#: controlpanel.cpp:1609 msgid " " msgstr "" -#: controlpanel.cpp:1609 +#: controlpanel.cpp:1610 msgid "Removes a Module of a user" msgstr "" -#: controlpanel.cpp:1612 +#: controlpanel.cpp:1613 msgid "Get the list of modules for a user" msgstr "" -#: controlpanel.cpp:1615 +#: controlpanel.cpp:1616 msgid " [args]" msgstr "" -#: controlpanel.cpp:1616 +#: controlpanel.cpp:1617 msgid "Loads a Module for a network" msgstr "" -#: controlpanel.cpp:1619 +#: controlpanel.cpp:1620 msgid " " msgstr "" -#: controlpanel.cpp:1620 +#: controlpanel.cpp:1621 msgid "Removes a Module of a network" msgstr "" -#: controlpanel.cpp:1623 +#: controlpanel.cpp:1624 msgid "Get the list of modules for a network" msgstr "" -#: controlpanel.cpp:1626 +#: controlpanel.cpp:1627 msgid "List the configured CTCP replies" msgstr "" -#: controlpanel.cpp:1628 +#: controlpanel.cpp:1629 msgid " [reply]" msgstr "" -#: controlpanel.cpp:1629 +#: controlpanel.cpp:1630 msgid "Configure a new CTCP reply" msgstr "" -#: controlpanel.cpp:1631 +#: controlpanel.cpp:1632 msgid " " msgstr "" -#: controlpanel.cpp:1632 +#: controlpanel.cpp:1633 msgid "Remove a CTCP reply" msgstr "" -#: controlpanel.cpp:1636 controlpanel.cpp:1639 +#: controlpanel.cpp:1637 controlpanel.cpp:1640 msgid "[username] " msgstr "" -#: controlpanel.cpp:1637 +#: controlpanel.cpp:1638 msgid "Add a network for a user" msgstr "" -#: controlpanel.cpp:1640 +#: controlpanel.cpp:1641 msgid "Delete a network for a user" msgstr "" -#: controlpanel.cpp:1642 +#: controlpanel.cpp:1643 msgid "[username]" msgstr "" -#: controlpanel.cpp:1643 +#: controlpanel.cpp:1644 msgid "List all networks for a user" msgstr "" -#: controlpanel.cpp:1656 +#: controlpanel.cpp:1657 msgid "" "Dynamic configuration through IRC. Allows editing only yourself if you're " "not ZNC admin." diff --git a/modules/po/controlpanel.ru_RU.po b/modules/po/controlpanel.ru_RU.po index 8eaaf1a7..879fa7af 100644 --- a/modules/po/controlpanel.ru_RU.po +++ b/modules/po/controlpanel.ru_RU.po @@ -511,211 +511,211 @@ msgstr "" msgid "Network {1} of user {2} has no modules loaded." msgstr "" -#: controlpanel.cpp:1547 +#: controlpanel.cpp:1548 msgid "Modules loaded for network {1} of user {2}:" msgstr "" -#: controlpanel.cpp:1554 +#: controlpanel.cpp:1555 msgid "[command] [variable]" msgstr "" -#: controlpanel.cpp:1555 +#: controlpanel.cpp:1556 msgid "Prints help for matching commands and variables" msgstr "" -#: controlpanel.cpp:1558 +#: controlpanel.cpp:1559 msgid " [username]" msgstr "" -#: controlpanel.cpp:1559 +#: controlpanel.cpp:1560 msgid "Prints the variable's value for the given or current user" msgstr "" -#: controlpanel.cpp:1561 +#: controlpanel.cpp:1562 msgid " " msgstr "" -#: controlpanel.cpp:1562 +#: controlpanel.cpp:1563 msgid "Sets the variable's value for the given user" msgstr "" -#: controlpanel.cpp:1564 +#: controlpanel.cpp:1565 msgid " [username] [network]" msgstr "" -#: controlpanel.cpp:1565 +#: controlpanel.cpp:1566 msgid "Prints the variable's value for the given network" msgstr "" -#: controlpanel.cpp:1567 +#: controlpanel.cpp:1568 msgid " " msgstr "" -#: controlpanel.cpp:1568 +#: controlpanel.cpp:1569 msgid "Sets the variable's value for the given network" msgstr "" -#: controlpanel.cpp:1570 +#: controlpanel.cpp:1571 msgid " [username] " msgstr "" -#: controlpanel.cpp:1571 +#: controlpanel.cpp:1572 msgid "Prints the variable's value for the given channel" msgstr "" -#: controlpanel.cpp:1574 +#: controlpanel.cpp:1575 msgid " " msgstr "" -#: controlpanel.cpp:1575 +#: controlpanel.cpp:1576 msgid "Sets the variable's value for the given channel" msgstr "" -#: controlpanel.cpp:1577 controlpanel.cpp:1580 +#: controlpanel.cpp:1578 controlpanel.cpp:1581 msgid " " msgstr "" -#: controlpanel.cpp:1578 +#: controlpanel.cpp:1579 msgid "Adds a new channel" msgstr "" -#: controlpanel.cpp:1581 +#: controlpanel.cpp:1582 msgid "Deletes a channel" msgstr "" -#: controlpanel.cpp:1583 +#: controlpanel.cpp:1584 msgid "Lists users" msgstr "" -#: controlpanel.cpp:1585 +#: controlpanel.cpp:1586 msgid " " msgstr "" -#: controlpanel.cpp:1586 +#: controlpanel.cpp:1587 msgid "Adds a new user" msgstr "" -#: controlpanel.cpp:1588 controlpanel.cpp:1611 controlpanel.cpp:1625 +#: controlpanel.cpp:1589 controlpanel.cpp:1612 controlpanel.cpp:1626 msgid "" msgstr "" -#: controlpanel.cpp:1588 +#: controlpanel.cpp:1589 msgid "Deletes a user" msgstr "" -#: controlpanel.cpp:1590 +#: controlpanel.cpp:1591 msgid " " msgstr "" -#: controlpanel.cpp:1591 +#: controlpanel.cpp:1592 msgid "Clones a user" msgstr "" -#: controlpanel.cpp:1593 controlpanel.cpp:1596 +#: controlpanel.cpp:1594 controlpanel.cpp:1597 msgid " " msgstr "" -#: controlpanel.cpp:1594 +#: controlpanel.cpp:1595 msgid "Adds a new IRC server for the given or current user" msgstr "" -#: controlpanel.cpp:1597 +#: controlpanel.cpp:1598 msgid "Deletes an IRC server from the given or current user" msgstr "" -#: controlpanel.cpp:1599 controlpanel.cpp:1602 controlpanel.cpp:1622 +#: controlpanel.cpp:1600 controlpanel.cpp:1603 controlpanel.cpp:1623 msgid " " msgstr "" -#: controlpanel.cpp:1600 +#: controlpanel.cpp:1601 msgid "Cycles the user's IRC server connection" msgstr "" -#: controlpanel.cpp:1603 +#: controlpanel.cpp:1604 msgid "Disconnects the user from their IRC server" msgstr "" -#: controlpanel.cpp:1605 +#: controlpanel.cpp:1606 msgid " [args]" msgstr "" -#: controlpanel.cpp:1606 +#: controlpanel.cpp:1607 msgid "Loads a Module for a user" msgstr "" -#: controlpanel.cpp:1608 +#: controlpanel.cpp:1609 msgid " " msgstr "" -#: controlpanel.cpp:1609 +#: controlpanel.cpp:1610 msgid "Removes a Module of a user" msgstr "" -#: controlpanel.cpp:1612 +#: controlpanel.cpp:1613 msgid "Get the list of modules for a user" msgstr "" -#: controlpanel.cpp:1615 +#: controlpanel.cpp:1616 msgid " [args]" msgstr "" -#: controlpanel.cpp:1616 +#: controlpanel.cpp:1617 msgid "Loads a Module for a network" msgstr "" -#: controlpanel.cpp:1619 +#: controlpanel.cpp:1620 msgid " " msgstr "" -#: controlpanel.cpp:1620 +#: controlpanel.cpp:1621 msgid "Removes a Module of a network" msgstr "" -#: controlpanel.cpp:1623 +#: controlpanel.cpp:1624 msgid "Get the list of modules for a network" msgstr "" -#: controlpanel.cpp:1626 +#: controlpanel.cpp:1627 msgid "List the configured CTCP replies" msgstr "" -#: controlpanel.cpp:1628 +#: controlpanel.cpp:1629 msgid " [reply]" msgstr "" -#: controlpanel.cpp:1629 +#: controlpanel.cpp:1630 msgid "Configure a new CTCP reply" msgstr "" -#: controlpanel.cpp:1631 +#: controlpanel.cpp:1632 msgid " " msgstr "" -#: controlpanel.cpp:1632 +#: controlpanel.cpp:1633 msgid "Remove a CTCP reply" msgstr "" -#: controlpanel.cpp:1636 controlpanel.cpp:1639 +#: controlpanel.cpp:1637 controlpanel.cpp:1640 msgid "[username] " msgstr "" -#: controlpanel.cpp:1637 +#: controlpanel.cpp:1638 msgid "Add a network for a user" msgstr "" -#: controlpanel.cpp:1640 +#: controlpanel.cpp:1641 msgid "Delete a network for a user" msgstr "" -#: controlpanel.cpp:1642 +#: controlpanel.cpp:1643 msgid "[username]" msgstr "" -#: controlpanel.cpp:1643 +#: controlpanel.cpp:1644 msgid "List all networks for a user" msgstr "" -#: controlpanel.cpp:1656 +#: controlpanel.cpp:1657 msgid "" "Dynamic configuration through IRC. Allows editing only yourself if you're " "not ZNC admin." From 2f4b158fd1d1c03eee5f73777bcb55b0d6c535b5 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Thu, 9 Aug 2018 00:26:09 +0000 Subject: [PATCH 197/798] Update translations from Crowdin for ru_RU --- modules/po/admindebug.ru_RU.po | 18 ++++-- modules/po/controlpanel.ru_RU.po | 104 +++++++++++++++---------------- src/po/znc.ru_RU.po | 12 ++-- 3 files changed, 70 insertions(+), 64 deletions(-) diff --git a/modules/po/admindebug.ru_RU.po b/modules/po/admindebug.ru_RU.po index 7397efe5..696f5ad0 100644 --- a/modules/po/admindebug.ru_RU.po +++ b/modules/po/admindebug.ru_RU.po @@ -30,26 +30,32 @@ msgstr "" msgid "Access denied!" msgstr "" -#: admindebug.cpp:61 +#: admindebug.cpp:58 +msgid "" +"Failure. We need to be running with a TTY. (is ZNC running with --" +"foreground?)" +msgstr "" + +#: admindebug.cpp:66 msgid "Already enabled." msgstr "" -#: admindebug.cpp:63 +#: admindebug.cpp:68 msgid "Already disabled." msgstr "" -#: admindebug.cpp:88 +#: admindebug.cpp:92 msgid "Debugging mode is on." msgstr "" -#: admindebug.cpp:90 +#: admindebug.cpp:94 msgid "Debugging mode is off." msgstr "" -#: admindebug.cpp:92 +#: admindebug.cpp:96 msgid "Logging to: stdout." msgstr "" -#: admindebug.cpp:101 +#: admindebug.cpp:105 msgid "Enable Debug mode dynamically." msgstr "" diff --git a/modules/po/controlpanel.ru_RU.po b/modules/po/controlpanel.ru_RU.po index a1452974..26972ccc 100644 --- a/modules/po/controlpanel.ru_RU.po +++ b/modules/po/controlpanel.ru_RU.po @@ -511,211 +511,211 @@ msgstr "" msgid "Network {1} of user {2} has no modules loaded." msgstr "" -#: controlpanel.cpp:1547 +#: controlpanel.cpp:1548 msgid "Modules loaded for network {1} of user {2}:" msgstr "" -#: controlpanel.cpp:1554 +#: controlpanel.cpp:1555 msgid "[command] [variable]" msgstr "" -#: controlpanel.cpp:1555 +#: controlpanel.cpp:1556 msgid "Prints help for matching commands and variables" msgstr "" -#: controlpanel.cpp:1558 +#: controlpanel.cpp:1559 msgid " [username]" msgstr "" -#: controlpanel.cpp:1559 +#: controlpanel.cpp:1560 msgid "Prints the variable's value for the given or current user" msgstr "" -#: controlpanel.cpp:1561 +#: controlpanel.cpp:1562 msgid " " msgstr "" -#: controlpanel.cpp:1562 +#: controlpanel.cpp:1563 msgid "Sets the variable's value for the given user" msgstr "" -#: controlpanel.cpp:1564 +#: controlpanel.cpp:1565 msgid " [username] [network]" msgstr "" -#: controlpanel.cpp:1565 +#: controlpanel.cpp:1566 msgid "Prints the variable's value for the given network" msgstr "" -#: controlpanel.cpp:1567 +#: controlpanel.cpp:1568 msgid " " msgstr "" -#: controlpanel.cpp:1568 +#: controlpanel.cpp:1569 msgid "Sets the variable's value for the given network" msgstr "" -#: controlpanel.cpp:1570 +#: controlpanel.cpp:1571 msgid " [username] " msgstr "" -#: controlpanel.cpp:1571 +#: controlpanel.cpp:1572 msgid "Prints the variable's value for the given channel" msgstr "" -#: controlpanel.cpp:1574 +#: controlpanel.cpp:1575 msgid " " msgstr "" -#: controlpanel.cpp:1575 +#: controlpanel.cpp:1576 msgid "Sets the variable's value for the given channel" msgstr "" -#: controlpanel.cpp:1577 controlpanel.cpp:1580 +#: controlpanel.cpp:1578 controlpanel.cpp:1581 msgid " " msgstr "" -#: controlpanel.cpp:1578 +#: controlpanel.cpp:1579 msgid "Adds a new channel" msgstr "" -#: controlpanel.cpp:1581 +#: controlpanel.cpp:1582 msgid "Deletes a channel" msgstr "" -#: controlpanel.cpp:1583 +#: controlpanel.cpp:1584 msgid "Lists users" msgstr "" -#: controlpanel.cpp:1585 +#: controlpanel.cpp:1586 msgid " " msgstr "" -#: controlpanel.cpp:1586 +#: controlpanel.cpp:1587 msgid "Adds a new user" msgstr "" -#: controlpanel.cpp:1588 controlpanel.cpp:1611 controlpanel.cpp:1625 +#: controlpanel.cpp:1589 controlpanel.cpp:1612 controlpanel.cpp:1626 msgid "" msgstr "" -#: controlpanel.cpp:1588 +#: controlpanel.cpp:1589 msgid "Deletes a user" msgstr "" -#: controlpanel.cpp:1590 +#: controlpanel.cpp:1591 msgid " " msgstr "" -#: controlpanel.cpp:1591 +#: controlpanel.cpp:1592 msgid "Clones a user" msgstr "" -#: controlpanel.cpp:1593 controlpanel.cpp:1596 +#: controlpanel.cpp:1594 controlpanel.cpp:1597 msgid " " msgstr "" -#: controlpanel.cpp:1594 +#: controlpanel.cpp:1595 msgid "Adds a new IRC server for the given or current user" msgstr "" -#: controlpanel.cpp:1597 +#: controlpanel.cpp:1598 msgid "Deletes an IRC server from the given or current user" msgstr "" -#: controlpanel.cpp:1599 controlpanel.cpp:1602 controlpanel.cpp:1622 +#: controlpanel.cpp:1600 controlpanel.cpp:1603 controlpanel.cpp:1623 msgid " " msgstr "" -#: controlpanel.cpp:1600 +#: controlpanel.cpp:1601 msgid "Cycles the user's IRC server connection" msgstr "" -#: controlpanel.cpp:1603 +#: controlpanel.cpp:1604 msgid "Disconnects the user from their IRC server" msgstr "" -#: controlpanel.cpp:1605 +#: controlpanel.cpp:1606 msgid " [args]" msgstr "" -#: controlpanel.cpp:1606 +#: controlpanel.cpp:1607 msgid "Loads a Module for a user" msgstr "" -#: controlpanel.cpp:1608 +#: controlpanel.cpp:1609 msgid " " msgstr "" -#: controlpanel.cpp:1609 +#: controlpanel.cpp:1610 msgid "Removes a Module of a user" msgstr "" -#: controlpanel.cpp:1612 +#: controlpanel.cpp:1613 msgid "Get the list of modules for a user" msgstr "" -#: controlpanel.cpp:1615 +#: controlpanel.cpp:1616 msgid " [args]" msgstr "" -#: controlpanel.cpp:1616 +#: controlpanel.cpp:1617 msgid "Loads a Module for a network" msgstr "" -#: controlpanel.cpp:1619 +#: controlpanel.cpp:1620 msgid " " msgstr "" -#: controlpanel.cpp:1620 +#: controlpanel.cpp:1621 msgid "Removes a Module of a network" msgstr "" -#: controlpanel.cpp:1623 +#: controlpanel.cpp:1624 msgid "Get the list of modules for a network" msgstr "" -#: controlpanel.cpp:1626 +#: controlpanel.cpp:1627 msgid "List the configured CTCP replies" msgstr "" -#: controlpanel.cpp:1628 +#: controlpanel.cpp:1629 msgid " [reply]" msgstr "" -#: controlpanel.cpp:1629 +#: controlpanel.cpp:1630 msgid "Configure a new CTCP reply" msgstr "" -#: controlpanel.cpp:1631 +#: controlpanel.cpp:1632 msgid " " msgstr "" -#: controlpanel.cpp:1632 +#: controlpanel.cpp:1633 msgid "Remove a CTCP reply" msgstr "" -#: controlpanel.cpp:1636 controlpanel.cpp:1639 +#: controlpanel.cpp:1637 controlpanel.cpp:1640 msgid "[username] " msgstr "" -#: controlpanel.cpp:1637 +#: controlpanel.cpp:1638 msgid "Add a network for a user" msgstr "" -#: controlpanel.cpp:1640 +#: controlpanel.cpp:1641 msgid "Delete a network for a user" msgstr "" -#: controlpanel.cpp:1642 +#: controlpanel.cpp:1643 msgid "[username]" msgstr "" -#: controlpanel.cpp:1643 +#: controlpanel.cpp:1644 msgid "List all networks for a user" msgstr "" -#: controlpanel.cpp:1656 +#: controlpanel.cpp:1657 msgid "" "Dynamic configuration through IRC. Allows editing only yourself if you're " "not ZNC admin." diff --git a/src/po/znc.ru_RU.po b/src/po/znc.ru_RU.po index 5762a7f4..13f367ba 100644 --- a/src/po/znc.ru_RU.po +++ b/src/po/znc.ru_RU.po @@ -57,27 +57,27 @@ msgstr "" "модуль>»). Когда такие модули будут загружены, они будут доступны " "в меню сбоку." -#: znc.cpp:1563 +#: znc.cpp:1562 msgid "User already exists" msgstr "Такой пользователь уже есть" -#: znc.cpp:1671 +#: znc.cpp:1670 msgid "IPv6 is not enabled" msgstr "IPv6 не включён" -#: znc.cpp:1679 +#: znc.cpp:1678 msgid "SSL is not enabled" msgstr "SSL не включён" -#: znc.cpp:1687 +#: znc.cpp:1686 msgid "Unable to locate pem file: {1}" msgstr "Не могу найти файл pem: {1}" -#: znc.cpp:1706 +#: znc.cpp:1705 msgid "Invalid port" msgstr "Некорректный порт" -#: znc.cpp:1822 ClientCommand.cpp:1629 +#: znc.cpp:1821 ClientCommand.cpp:1629 msgid "Unable to bind: {1}" msgstr "Не получилось слушать: {1}" From 1d57ffeaa3644f5bcb65f7e1ceed0080c007d4f6 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Fri, 10 Aug 2018 00:26:43 +0000 Subject: [PATCH 198/798] Update translations from Crowdin for fr_FR --- modules/po/controlpanel.fr_FR.po | 104 +++++++++++++++---------------- 1 file changed, 52 insertions(+), 52 deletions(-) diff --git a/modules/po/controlpanel.fr_FR.po b/modules/po/controlpanel.fr_FR.po index 2a3a82cb..55ad1530 100644 --- a/modules/po/controlpanel.fr_FR.po +++ b/modules/po/controlpanel.fr_FR.po @@ -507,211 +507,211 @@ msgstr "" msgid "Network {1} of user {2} has no modules loaded." msgstr "" -#: controlpanel.cpp:1547 +#: controlpanel.cpp:1548 msgid "Modules loaded for network {1} of user {2}:" msgstr "" -#: controlpanel.cpp:1554 +#: controlpanel.cpp:1555 msgid "[command] [variable]" msgstr "" -#: controlpanel.cpp:1555 +#: controlpanel.cpp:1556 msgid "Prints help for matching commands and variables" msgstr "" -#: controlpanel.cpp:1558 +#: controlpanel.cpp:1559 msgid " [username]" msgstr "" -#: controlpanel.cpp:1559 +#: controlpanel.cpp:1560 msgid "Prints the variable's value for the given or current user" msgstr "" -#: controlpanel.cpp:1561 +#: controlpanel.cpp:1562 msgid " " msgstr "" -#: controlpanel.cpp:1562 +#: controlpanel.cpp:1563 msgid "Sets the variable's value for the given user" msgstr "" -#: controlpanel.cpp:1564 +#: controlpanel.cpp:1565 msgid " [username] [network]" msgstr "" -#: controlpanel.cpp:1565 +#: controlpanel.cpp:1566 msgid "Prints the variable's value for the given network" msgstr "" -#: controlpanel.cpp:1567 +#: controlpanel.cpp:1568 msgid " " msgstr "" -#: controlpanel.cpp:1568 +#: controlpanel.cpp:1569 msgid "Sets the variable's value for the given network" msgstr "" -#: controlpanel.cpp:1570 +#: controlpanel.cpp:1571 msgid " [username] " msgstr "" -#: controlpanel.cpp:1571 +#: controlpanel.cpp:1572 msgid "Prints the variable's value for the given channel" msgstr "" -#: controlpanel.cpp:1574 +#: controlpanel.cpp:1575 msgid " " msgstr "" -#: controlpanel.cpp:1575 +#: controlpanel.cpp:1576 msgid "Sets the variable's value for the given channel" msgstr "" -#: controlpanel.cpp:1577 controlpanel.cpp:1580 +#: controlpanel.cpp:1578 controlpanel.cpp:1581 msgid " " msgstr "" -#: controlpanel.cpp:1578 +#: controlpanel.cpp:1579 msgid "Adds a new channel" msgstr "" -#: controlpanel.cpp:1581 +#: controlpanel.cpp:1582 msgid "Deletes a channel" msgstr "" -#: controlpanel.cpp:1583 +#: controlpanel.cpp:1584 msgid "Lists users" msgstr "" -#: controlpanel.cpp:1585 +#: controlpanel.cpp:1586 msgid " " msgstr "" -#: controlpanel.cpp:1586 +#: controlpanel.cpp:1587 msgid "Adds a new user" msgstr "" -#: controlpanel.cpp:1588 controlpanel.cpp:1611 controlpanel.cpp:1625 +#: controlpanel.cpp:1589 controlpanel.cpp:1612 controlpanel.cpp:1626 msgid "" msgstr "" -#: controlpanel.cpp:1588 +#: controlpanel.cpp:1589 msgid "Deletes a user" msgstr "" -#: controlpanel.cpp:1590 +#: controlpanel.cpp:1591 msgid " " msgstr "" -#: controlpanel.cpp:1591 +#: controlpanel.cpp:1592 msgid "Clones a user" msgstr "" -#: controlpanel.cpp:1593 controlpanel.cpp:1596 +#: controlpanel.cpp:1594 controlpanel.cpp:1597 msgid " " msgstr "" -#: controlpanel.cpp:1594 +#: controlpanel.cpp:1595 msgid "Adds a new IRC server for the given or current user" msgstr "" -#: controlpanel.cpp:1597 +#: controlpanel.cpp:1598 msgid "Deletes an IRC server from the given or current user" msgstr "" -#: controlpanel.cpp:1599 controlpanel.cpp:1602 controlpanel.cpp:1622 +#: controlpanel.cpp:1600 controlpanel.cpp:1603 controlpanel.cpp:1623 msgid " " msgstr "" -#: controlpanel.cpp:1600 +#: controlpanel.cpp:1601 msgid "Cycles the user's IRC server connection" msgstr "" -#: controlpanel.cpp:1603 +#: controlpanel.cpp:1604 msgid "Disconnects the user from their IRC server" msgstr "" -#: controlpanel.cpp:1605 +#: controlpanel.cpp:1606 msgid " [args]" msgstr "" -#: controlpanel.cpp:1606 +#: controlpanel.cpp:1607 msgid "Loads a Module for a user" msgstr "" -#: controlpanel.cpp:1608 +#: controlpanel.cpp:1609 msgid " " msgstr "" -#: controlpanel.cpp:1609 +#: controlpanel.cpp:1610 msgid "Removes a Module of a user" msgstr "" -#: controlpanel.cpp:1612 +#: controlpanel.cpp:1613 msgid "Get the list of modules for a user" msgstr "" -#: controlpanel.cpp:1615 +#: controlpanel.cpp:1616 msgid " [args]" msgstr "" -#: controlpanel.cpp:1616 +#: controlpanel.cpp:1617 msgid "Loads a Module for a network" msgstr "" -#: controlpanel.cpp:1619 +#: controlpanel.cpp:1620 msgid " " msgstr "" -#: controlpanel.cpp:1620 +#: controlpanel.cpp:1621 msgid "Removes a Module of a network" msgstr "" -#: controlpanel.cpp:1623 +#: controlpanel.cpp:1624 msgid "Get the list of modules for a network" msgstr "" -#: controlpanel.cpp:1626 +#: controlpanel.cpp:1627 msgid "List the configured CTCP replies" msgstr "" -#: controlpanel.cpp:1628 +#: controlpanel.cpp:1629 msgid " [reply]" msgstr "" -#: controlpanel.cpp:1629 +#: controlpanel.cpp:1630 msgid "Configure a new CTCP reply" msgstr "" -#: controlpanel.cpp:1631 +#: controlpanel.cpp:1632 msgid " " msgstr "" -#: controlpanel.cpp:1632 +#: controlpanel.cpp:1633 msgid "Remove a CTCP reply" msgstr "" -#: controlpanel.cpp:1636 controlpanel.cpp:1639 +#: controlpanel.cpp:1637 controlpanel.cpp:1640 msgid "[username] " msgstr "" -#: controlpanel.cpp:1637 +#: controlpanel.cpp:1638 msgid "Add a network for a user" msgstr "" -#: controlpanel.cpp:1640 +#: controlpanel.cpp:1641 msgid "Delete a network for a user" msgstr "" -#: controlpanel.cpp:1642 +#: controlpanel.cpp:1643 msgid "[username]" msgstr "" -#: controlpanel.cpp:1643 +#: controlpanel.cpp:1644 msgid "List all networks for a user" msgstr "" -#: controlpanel.cpp:1656 +#: controlpanel.cpp:1657 msgid "" "Dynamic configuration through IRC. Allows editing only yourself if you're " "not ZNC admin." From 4cda4b5c45aa4ae92fe6c9baffe06621817bf83d Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Sun, 19 Aug 2018 00:26:52 +0000 Subject: [PATCH 199/798] Update translations from Crowdin for fr_FR --- modules/po/webadmin.fr_FR.po | 529 ++++++++++++++---------- src/po/znc.fr_FR.po | 755 +++++++++++++++++++---------------- 2 files changed, 727 insertions(+), 557 deletions(-) diff --git a/modules/po/webadmin.fr_FR.po b/modules/po/webadmin.fr_FR.po index 90e956ae..3e6e8b1c 100644 --- a/modules/po/webadmin.fr_FR.po +++ b/modules/po/webadmin.fr_FR.po @@ -14,182 +14,191 @@ msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:12 msgid "Channel Info" -msgstr "" +msgstr "Information du salon" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:17 msgid "Channel Name:" -msgstr "" +msgstr "Nom du salon :" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:19 msgid "The channel name." -msgstr "" +msgstr "Le nom du salon." #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:24 msgid "Key:" -msgstr "" +msgstr "Clé :" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:26 msgid "The password of the channel, if there is one." -msgstr "" +msgstr "Le mot de passe du salon, si nécessaire." #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:30 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:241 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:260 msgid "Buffer Size:" -msgstr "" +msgstr "Taille du tampon :" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:32 msgid "The buffer count." -msgstr "" +msgstr "La taille du tampon." #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:36 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:235 msgid "Default Modes:" -msgstr "" +msgstr "Modes par défaut :" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:38 msgid "The default modes of the channel." -msgstr "" +msgstr "Les modes par défaut du salon." #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:46 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:270 msgid "Flags" -msgstr "" +msgstr "Marqueurs" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:51 msgid "Save to config" -msgstr "" +msgstr "Sauvegarder la configuration" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:67 #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:282 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:410 msgid "Module {1}" -msgstr "" +msgstr "Module {1}" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:75 #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:290 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:419 msgid "Save and return" -msgstr "" +msgstr "Sauvegarder et revenir" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:76 #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:291 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:420 msgid "Save and continue" -msgstr "" +msgstr "Sauvegarder et continuer" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:78 msgid "Add Channel and return" -msgstr "" +msgstr "Ajouter le salon et revenir" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:79 msgid "Add Channel and continue" -msgstr "" +msgstr "Ajouter le salon et continuer" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:8 #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:11 msgid "<password>" -msgstr "" +msgstr "<mot de passe>" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:11 #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:12 msgid "<network>" -msgstr "" +msgstr "<réseau>" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:14 msgid "" "To connect to this network from your IRC client, you can set the server " "password field as {1} or username field as {2}" msgstr "" +"Pour vous connecter à ce réseau avec votre client IRC, vous pouvez définir " +"le mot de passe du serveur comme {1} ou l'identifiant comme " +"{2}" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:24 msgid "Network Info" -msgstr "" +msgstr "Information du réseau" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:25 msgid "" "Nick, AltNick, Ident, RealName, BindHost can be left empty to use the value " "from the user." msgstr "" +"Pseudonyme, Pseudonyme Alternatif, Identité, Vrai nom et Hôte lié peuvent " +"être laissés vide pour utiliser la valeur par défaut." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:29 msgid "Network Name:" -msgstr "" +msgstr "Nom du réseau :" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:31 msgid "The name of the IRC network." -msgstr "" +msgstr "Le nom du réseau IRC." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:35 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:69 msgid "Nickname:" -msgstr "" +msgstr "Pseudonyme :" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:37 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:71 msgid "Your nickname on IRC." -msgstr "" +msgstr "Votre pseudonyme sur IRC." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:40 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:74 msgid "Alt. Nickname:" -msgstr "" +msgstr "Pseudonyme alternatif :" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:42 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:76 msgid "Your secondary nickname, if the first is not available on IRC." msgstr "" +"Votre pseudonyme secondaire, si le premier n'est pas disponible sur IRC." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:46 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:80 msgid "Ident:" -msgstr "" +msgstr "Identité :" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:48 msgid "Your ident." -msgstr "" +msgstr "Votre identité." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:51 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:91 msgid "Realname:" -msgstr "" +msgstr "Nom réel :" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:53 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:93 msgid "Your real name." -msgstr "" +msgstr "Votre vrai nom." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:58 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:99 msgid "BindHost:" -msgstr "" +msgstr "Hôte :" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:65 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:112 msgid "Quit Message:" -msgstr "" +msgstr "Message de départ :" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:67 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:114 msgid "You may define a Message shown, when you quit IRC." msgstr "" +"Vous pouvez définir un message qui sera affiché lorsque vous quittez IRC." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:71 msgid "Active:" -msgstr "" +msgstr "Actif :" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:73 msgid "Connect to IRC & automatically re-connect" -msgstr "" +msgstr "Se connecter à IRC & se reconnecter automatiquement" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:77 msgid "Trust all certs:" -msgstr "" +msgstr "Avoir confiance en tous les certificats :" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:79 msgid "" "Disable certificate validation (takes precedence over TrustPKI). INSECURE!" msgstr "" +"Désactiver la validation des certificats (prioritaire devant TrustPKI). NON " +"SÉCURISÉ !" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:83 msgid "Trust the PKI:" @@ -200,47 +209,52 @@ msgid "" "Setting this to false will trust only certificates you added fingerprints " "for." msgstr "" +"Configurer ce paramètre à faux n'autorisera que les certificats dont vous " +"avez ajouté les empreintes." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:89 #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:96 msgid "Servers of this IRC network:" -msgstr "" +msgstr "Serveurs de ce réseau IRC :" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:93 msgid "One server per line, “host [[+]port] [password]”, + means SSL" msgstr "" +"Un serveur par ligne, \"hôte [[+]port] [mot de passe]\", + signifie SSL" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:101 msgid "Hostname" -msgstr "" +msgstr "Nom d'hôte" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:102 #: modules/po/../data/webadmin/tmpl/settings.tmpl:13 msgid "Port" -msgstr "" +msgstr "Port" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:103 #: modules/po/../data/webadmin/tmpl/settings.tmpl:15 msgid "SSL" -msgstr "" +msgstr "SSL" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:104 msgid "Password" -msgstr "" +msgstr "Mot de passe" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:116 msgid "SHA-256 fingerprints of trusted SSL certificates of this IRC network:" -msgstr "" +msgstr "Empreintes SHA-256 des certificats SSL de confiance pour ce réseau :" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:120 msgid "" "When these certificates are encountered, checks for hostname, expiration " "date, CA are skipped" msgstr "" +"Lorsque ces certificats sont reçus, les vérifications pour le nom d'hôte, la " +"date d'expiration et l'autorité de certification sont ignorées" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:124 msgid "Flood protection:" -msgstr "" +msgstr "Protection contre le spam :" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:127 msgid "" @@ -248,70 +262,81 @@ msgid "" "which occur, when your IRC bot is command flooded or spammed. After changing " "this, reconnect ZNC to server." msgstr "" +"Vous pouvez activer la protection contre le spam. Cela permet d'éviter les " +"erreurs d'excès de message, qui apparaissent lorsque votre bot IRC est " +"spammé ou reçoit trop de message. Reconnectez ZNC au serveur après avoir " +"modifié ce paramètre." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:130 msgctxt "Flood Protection" msgid "Enabled" -msgstr "" +msgstr "Activé" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:134 msgid "Flood protection rate:" -msgstr "" +msgstr "Protection contre le spam :" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:137 msgid "" "The number of seconds per line. After changing this, reconnect ZNC to server." msgstr "" +"Nombre de secondes par ligne. Reconnectez ZNC au serveur après avoir changé " +"ce paramètre." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:140 msgid "{1} seconds per line" -msgstr "" +msgstr "{1} secondes par ligne" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:144 msgid "Flood protection burst:" -msgstr "" +msgstr "Protection instantanée contre le spam :" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:147 msgid "" "Defines the number of lines, which can be sent immediately. After changing " "this, reconnect ZNC to server." msgstr "" +"Définit le nombre de lignes pouvant être envoyées immédiatement. Reconnectez " +"ZNC au serveur après avoir changé ce paramètre." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:150 msgid "{1} lines can be sent immediately" -msgstr "" +msgstr "{1} lignes peuvent être envoyées immédiatement" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:154 msgid "Channel join delay:" -msgstr "" +msgstr "Délai de connexion à un salon :" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:157 msgid "" "Defines the delay in seconds, until channels are joined after getting " "connected." msgstr "" +"Définit le délai (en secondes) entre la connexion à un serveur et la " +"connexion aux salons." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:160 msgid "{1} seconds" -msgstr "" +msgstr "{1} secondes" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:165 msgid "Character encoding used between ZNC and IRC server." -msgstr "" +msgstr "Encodage de caractères utilisé entre ZNC et le serveur IRC." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:166 msgid "Server encoding:" -msgstr "" +msgstr "Encodage du serveur :" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:176 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:231 msgid "Channels" -msgstr "" +msgstr "Salons" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:178 msgid "" "You will be able to add + modify channels here after you created the network." msgstr "" +"Vous pourrez ajouter ou modifier des salons ici après avoir créé le réseau." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:185 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:129 @@ -319,13 +344,13 @@ msgstr "" #: modules/po/../data/webadmin/tmpl/listusers.tmpl:15 #: modules/po/../data/webadmin/tmpl/settings.tmpl:72 msgid "Add" -msgstr "" +msgstr "Ajouter" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:187 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:430 #: modules/po/../data/webadmin/tmpl/settings.tmpl:237 msgid "Save" -msgstr "" +msgstr "Sauvegarder" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:188 #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:228 @@ -333,201 +358,213 @@ msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:174 #: modules/po/../data/webadmin/tmpl/settings.tmpl:176 msgid "Name" -msgstr "" +msgstr "Nom" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:189 msgid "CurModes" -msgstr "" +msgstr "CurModes" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:190 msgid "DefModes" -msgstr "" +msgstr "DefModes" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:191 msgid "BufferSize" -msgstr "" +msgstr "Taille du tampon" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:192 msgid "Options" -msgstr "" +msgstr "Paramètres" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:194 msgid "← Add a channel (opens in same page)" -msgstr "" +msgstr "← Ajouter un salon (s'ouvre dans la même page)" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:204 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:146 #: modules/po/../data/webadmin/tmpl/listusers.tmpl:27 msgid "Edit" -msgstr "" +msgstr "Modifier" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:204 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:146 #: modules/po/../data/webadmin/tmpl/settings.tmpl:53 msgid "Del" -msgstr "" +msgstr "Supprimer" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:222 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:168 msgid "Modules" -msgstr "" +msgstr "Modules" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:229 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:175 #: modules/po/../data/webadmin/tmpl/settings.tmpl:177 msgid "Arguments" -msgstr "" +msgstr "Arguments" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:230 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:176 #: modules/po/../data/webadmin/tmpl/settings.tmpl:178 msgid "Description" -msgstr "" +msgstr "Description" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:231 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:177 msgid "Loaded globally" -msgstr "" +msgstr "Chargé globalement" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:232 msgid "Loaded by user" -msgstr "" +msgstr "Chargé par l'utilisateur" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:293 msgid "Add Network and return" -msgstr "" +msgstr "Ajouter le réseau et revenir" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:294 msgid "Add Network and continue" -msgstr "" +msgstr "Ajouter le réseau et continuer" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:15 msgid "Authentication" -msgstr "" +msgstr "Autentification" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:19 msgid "Username:" -msgstr "" +msgstr "Identifiant :" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:29 msgid "Please enter a username." -msgstr "" +msgstr "Veuillez saisir un identifiant." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:34 msgid "Password:" -msgstr "" +msgstr "Mot de passe :" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:36 msgid "Please enter a password." -msgstr "" +msgstr "Veuillez saisir un mot de passe." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:39 msgid "Confirm password:" -msgstr "" +msgstr "Veuillez confirmer le mot de passe :" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:41 msgid "Please re-type the above password." -msgstr "" +msgstr "Veuillez saisir à nouveau le mot de passe." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:44 #: modules/po/../data/webadmin/tmpl/settings.tmpl:151 msgid "Auth Only Via Module:" -msgstr "" +msgstr "Authentification seulement par module :" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:46 msgid "" "Allow user authentication by external modules only, disabling built-in " "password authentication." msgstr "" +"N'autorise l'authentification des utilisateurs que par des modules externes, " +"en désactivant l'authentification par mot de passe intégrée." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:50 msgid "Allowed IPs:" -msgstr "" +msgstr "Adresses IP autorisées :" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:54 msgid "" "Leave empty to allow connections from all IPs.
Otherwise, one entry per " "line, wildcards * and ? are available." msgstr "" +"Laisser vide pour autoriser des connexions de n'importe quel IP.
Autremement, une IP par ligne, les jokers * et ? sont autorisés." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:62 msgid "IRC Information" -msgstr "" +msgstr "Information IRC" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:64 msgid "" "Nick, AltNick, Ident, RealName and QuitMsg can be left empty to use default " "values." msgstr "" +"Pseudonyme, Pseudonyme Alternatif, Vrai nom et Message de départ peuvent " +"être laissés vide pour utiliser la valeur par défaut." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:82 msgid "The Ident is sent to server as username." -msgstr "" +msgstr "L'Identité est envoyée au serveur comme identifiant." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:85 #: modules/po/../data/webadmin/tmpl/settings.tmpl:102 msgid "Status Prefix:" -msgstr "" +msgstr "Préfix du statut :" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:87 #: modules/po/../data/webadmin/tmpl/settings.tmpl:104 msgid "The prefix for the status and module queries." -msgstr "" +msgstr "Le préfixe pour les requêtes de statut et de modules." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:105 msgid "DCCBindHost:" -msgstr "" +msgstr "DCCBindHost:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:122 #: modules/po/../data/webadmin/tmpl/listusers.tmpl:17 #: modules/po/../data/webadmin/tmpl/traffic.tmpl:39 msgid "Networks" -msgstr "" +msgstr "Réseaux" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:132 #: modules/po/../data/webadmin/tmpl/listusers.tmpl:18 msgid "Clients" -msgstr "" +msgstr "Clients" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:133 msgid "Current Server" -msgstr "" +msgstr "Serveur actuel" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:134 msgid "Nick" -msgstr "" +msgstr "Pseudo" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:136 msgid "← Add a network (opens in same page)" -msgstr "" +msgstr "← Ajouter un réseau (s'ouvre dans la même page)" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:160 msgid "" "You will be able to add + modify networks here after you have cloned the " "user." msgstr "" +"Vous pourrez ajouter ou modifier des réseaux ici après avoir cloné " +"l'utilisateur." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:162 msgid "" "You will be able to add + modify networks here after you have created the " "user." msgstr "" +"Vous pourrez ajouter ou modifier des réseaux ici après avoir créé " +"l'utilisateur." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:178 #: modules/po/../data/webadmin/tmpl/settings.tmpl:179 msgid "Loaded by networks" -msgstr "" +msgstr "Chargé par les réseaux" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:237 msgid "" "These are the default modes ZNC will set when you join an empty channel." msgstr "" +"Ces paramètres sont les modes par défaut utilisés par ZNC lorsque vous " +"rejoignez un salon vide." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:238 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:244 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:263 msgid "Empty = use standard value" -msgstr "" +msgstr "Vide = utilise la valeur par défaut" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:243 msgid "" @@ -535,18 +572,22 @@ msgid "" "before dropping off the oldest line. The buffers are stored in the memory by " "default." msgstr "" +"Ce paramètre contrôle le nombre de lignes que le tampon stocke pour les " +"salons avant de supprimer les plus anciennes. Les tampons sont stockés en " +"mémoire par défaut." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:251 msgid "Queries" -msgstr "" +msgstr "Sessions privées" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:255 msgid "Max Buffers:" -msgstr "" +msgstr "Nombre max de tampons :" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:257 msgid "Maximum number of query buffers. 0 is unlimited." msgstr "" +"Nombre maximal de tampons de sessions privées. 0 correspond à aucune limite." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:262 msgid "" @@ -554,19 +595,24 @@ msgid "" "before dropping off the oldest line. The buffers are stored in the memory by " "default." msgstr "" +"Ce paramètre contrôle le nombre de lignes que le tampon stocke pour les " +"messages privés avant de supprimer les plus anciennes. Les tampons sont " +"stockés en mémoire par défaut." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:285 msgid "ZNC Behavior" -msgstr "" +msgstr "Comportement de ZNC" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:286 msgid "" "Any of the following text boxes can be left empty to use their default value." msgstr "" +"Tous les paramètres suivants peuvent être laissés vide pour utiliser la " +"valeur par défaut." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:290 msgid "Timestamp Format:" -msgstr "" +msgstr "Format d'horodatage :" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:292 msgid "" @@ -574,46 +620,55 @@ msgid "" "setting is ignored in new IRC clients, which use server-time. If your client " "supports server-time, change timestamp format in client settings instead." msgstr "" +"Le format d'horodatage utilisé dans les tampons, par exemple [%H:%M:%S]. Ce " +"paramètre est ignoré dans les clients IRC récents, qui utilisent l'heure du " +"serveur. Si votre client utilise l'heure du serveur, modifiez ce paramètre " +"sur votre client." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:295 msgid "Timezone:" -msgstr "" +msgstr "Fuseau horaire :" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:298 msgid "E.g. Europe/Berlin, or GMT-6" -msgstr "" +msgstr "Par exemple, Europe/Paris ou GMT-6" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:306 msgid "Character encoding used between IRC client and ZNC." -msgstr "" +msgstr "Encodage de caractères utilisé entre le client IRC et ZNC." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:307 msgid "Client encoding:" -msgstr "" +msgstr "Encodage du client :" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:312 msgid "Join Tries:" -msgstr "" +msgstr "Nombre d'essais pour rejoindre :" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:314 msgid "" "This defines how many times ZNC tries to join a channel, if the first join " "failed, e.g. due to channel mode +i/+k or if you are banned." msgstr "" +"Ce paramètre définit combien de fois ZNC tente de rejoindre un salon après " +"un échec, par exemple si vous êtes banni ou si le salon est en mode +i/+k." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:317 msgid "Join speed:" -msgstr "" +msgstr "Vitesse d'ajout :" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:319 msgid "" "How many channels are joined in one JOIN command. 0 is unlimited (default). " "Set to small positive value if you get disconnected with “Max SendQ Exceeded”" msgstr "" +"Combien de salons sont rejoints en une seule commande JOIN. 0 est illimité " +"(par défaut). Configurez ce paramètre sur une petite valeur si vous êtes " +"déconnecté avec le message \"Max SendQ Exceeded\"" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:322 msgid "Timeout before reconnect:" -msgstr "" +msgstr "Délai avant reconnexion :" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:324 msgid "" @@ -621,221 +676,234 @@ msgid "" "network or declares the connection timeout. This happens after attempts to " "ping the peer." msgstr "" +"Délai (en secondes) d'absence de communication avec le réseau avant que ZNC " +"ne déclare la connexion expirée. Ceci se déclenche après les tests de ping " +"des pairs." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:327 msgid "Max IRC Networks Number:" -msgstr "" +msgstr "Nombre maximal de réseaux IRC :" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:329 msgid "Maximum number of IRC networks allowed for this user." -msgstr "" +msgstr "Nombre maximal de réseaux IRC autorisés pour cet utilisateur." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:332 msgid "Substitutions" -msgstr "" +msgstr "Substitutions" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:334 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:342 msgid "CTCP Replies:" -msgstr "" +msgstr "Réponses CTCP :" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:338 msgid "One reply per line. Example: TIME Buy a watch!" msgstr "" +"Une réponse par ligne. Par exemple : TIME Achète une montre !" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:339 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:355 msgid "{1} are available" -msgstr "" +msgstr "{1} sont disponibles" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:341 msgid "Empty value means this CTCP request will be ignored" -msgstr "" +msgstr "Une valeur vide signifie que cette requête CTCP sera ignorée" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:347 msgid "Request" -msgstr "" +msgstr "Requête" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:348 msgid "Response" -msgstr "" +msgstr "Réponse" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:373 #: modules/po/../data/webadmin/tmpl/settings.tmpl:90 msgid "Skin:" -msgstr "" +msgstr "Thème :" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:377 msgid "- Global -" -msgstr "" +msgstr "- Global -" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:379 #: modules/po/../data/webadmin/tmpl/settings.tmpl:94 msgid "Default" -msgstr "" +msgstr "Défaut" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:383 msgid "No other skins found" -msgstr "" +msgstr "Pas d'autre thème trouvé" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:389 msgid "Language:" -msgstr "" +msgstr "Langue :" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:422 msgid "Clone and return" -msgstr "" +msgstr "Dupliquer et revenir" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:423 msgid "Clone and continue" -msgstr "" +msgstr "Dupliquer et continuer" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:425 msgid "Create and return" -msgstr "" +msgstr "Créer et revenir" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:426 msgid "Create and continue" -msgstr "" +msgstr "Créer et continuer" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:432 #: modules/po/../data/webadmin/tmpl/listusers.tmpl:28 msgid "Clone" -msgstr "" +msgstr "Dupliquer" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:434 msgid "Create" -msgstr "" +msgstr "Créer" #: modules/po/../data/webadmin/tmpl/del_network.tmpl:5 msgid "Confirm Network Deletion" -msgstr "" +msgstr "Confirmer la suppression du réseau" #: modules/po/../data/webadmin/tmpl/del_network.tmpl:9 msgid "Are you sure you want to delete network “{2}” of user “{1}”?" msgstr "" +"Êtes-vous sûr de vouloir supprimer le réseau \"{2}\" de l'utilisateur " +"\"{1}\" ?" #: modules/po/../data/webadmin/tmpl/del_network.tmpl:14 #: modules/po/../data/webadmin/tmpl/del_user.tmpl:14 msgid "Yes" -msgstr "" +msgstr "Oui" #: modules/po/../data/webadmin/tmpl/del_network.tmpl:17 #: modules/po/../data/webadmin/tmpl/del_user.tmpl:17 msgid "No" -msgstr "" +msgstr "Non" #: modules/po/../data/webadmin/tmpl/del_user.tmpl:5 msgid "Confirm User Deletion" -msgstr "" +msgstr "Confirmez la suppression de l'utilisateur" #: modules/po/../data/webadmin/tmpl/del_user.tmpl:9 msgid "Are you sure you want to delete user “{1}”?" -msgstr "" +msgstr "Êtes-vous sûr de vouloir supprimer l'utilisateur \"{1}\" ?" #: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:6 msgid "ZNC is compiled without encodings support. {1} is required for it." -msgstr "" +msgstr "ZNC est compilé sans le support des encodages. {1} est requis." #: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:11 msgid "Legacy mode is disabled by modpython." -msgstr "" +msgstr "Le mode \"obsolète\" est désactivé par modpython." #: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:18 msgid "Don't ensure any encoding at all (legacy mode, not recommended)" -msgstr "" +msgstr "Ne vérifier aucun encodage (mode obsolète, non recommandé)" #: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:22 msgid "Try to parse as UTF-8 and as {1}, send as UTF-8 (recommended)" msgstr "" +"Essayer de décoder comme UTF-8 et {1}, envoyer comme UTF-8 (recommandé)" #: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:26 msgid "Try to parse as UTF-8 and as {1}, send as {1}" -msgstr "" +msgstr "Essayer de décoder comme UTF-8 et {1}, envoyer comme {1}" #: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:30 msgid "Parse and send as {1} only" -msgstr "" +msgstr "Décoder et envoyer comme {1} seulement" #: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:36 msgid "E.g. UTF-8, or ISO-8859-15" -msgstr "" +msgstr "Par exemple, UTF-8 ou ISO-8859-15" #: modules/po/../data/webadmin/tmpl/index.tmpl:5 msgid "Welcome to the ZNC webadmin module." -msgstr "" +msgstr "Bienvenue sur le module d'administration web de ZNC." #: modules/po/../data/webadmin/tmpl/index.tmpl:6 msgid "" "All changes you make will be in effect immediately after you submitted them." msgstr "" +"Tous les changements que vous allez effectuer seront pris en compte " +"immédiatement après votre validation." #: modules/po/../data/webadmin/tmpl/listusers.tmpl:16 msgid "Username" -msgstr "" +msgstr "Identifiant" #: modules/po/../data/webadmin/tmpl/listusers.tmpl:29 #: modules/po/../data/webadmin/tmpl/settings.tmpl:21 msgid "Delete" -msgstr "" +msgstr "Supprimer" #: modules/po/../data/webadmin/tmpl/settings.tmpl:6 msgid "Listen Port(s)" -msgstr "" +msgstr "Port(s) d'écoute" #: modules/po/../data/webadmin/tmpl/settings.tmpl:14 msgid "BindHost" -msgstr "" +msgstr "Hôte" #: modules/po/../data/webadmin/tmpl/settings.tmpl:16 msgid "IPv4" -msgstr "" +msgstr "IPv4" #: modules/po/../data/webadmin/tmpl/settings.tmpl:17 msgid "IPv6" -msgstr "" +msgstr "IPv6" #: modules/po/../data/webadmin/tmpl/settings.tmpl:18 msgid "IRC" -msgstr "" +msgstr "IRC" #: modules/po/../data/webadmin/tmpl/settings.tmpl:19 msgid "HTTP" -msgstr "" +msgstr "HTTP" #: modules/po/../data/webadmin/tmpl/settings.tmpl:20 msgid "URIPrefix" -msgstr "" +msgstr "URIPrefix" #: modules/po/../data/webadmin/tmpl/settings.tmpl:56 msgid "" "To delete port which you use to access webadmin itself, either connect to " "webadmin via another port, or do it in IRC (/znc DelPort)" msgstr "" +"Pour supprimer le port via lequel vous accéder à l'administration web, " +"connectez-vous à l'interface via un autre port ou passez par IRC (/znc " +"DelPort)" #: modules/po/../data/webadmin/tmpl/settings.tmpl:56 msgid "Current" -msgstr "" +msgstr "Actuel" #: modules/po/../data/webadmin/tmpl/settings.tmpl:86 msgid "Settings" -msgstr "" +msgstr "Paramètres" #: modules/po/../data/webadmin/tmpl/settings.tmpl:105 msgid "Default for new users only." -msgstr "" +msgstr "Défaut pour les nouveaux utilisateurs." #: modules/po/../data/webadmin/tmpl/settings.tmpl:110 msgid "Maximum Buffer Size:" -msgstr "" +msgstr "Taille maximale du tampon :" #: modules/po/../data/webadmin/tmpl/settings.tmpl:112 msgid "Sets the global Max Buffer Size a user can have." msgstr "" +"Configure globalement la taille maximale du tampon pour les utilisateurs." #: modules/po/../data/webadmin/tmpl/settings.tmpl:117 msgid "Connect Delay:" -msgstr "" +msgstr "Délai avant connexion :" #: modules/po/../data/webadmin/tmpl/settings.tmpl:119 msgid "" @@ -843,367 +911,394 @@ msgid "" "affects the connection between ZNC and the IRC server; not the connection " "between your IRC client and ZNC." msgstr "" +"Le délai (en secondes) entre deux tentatives successives de connexion à un " +"serveur IRC. Cela affecte la connexion entre ZNC et le serveur, pas la " +"connexion entre votre client et ZNC." #: modules/po/../data/webadmin/tmpl/settings.tmpl:124 msgid "Server Throttle:" -msgstr "" +msgstr "Limite du serveur :" #: modules/po/../data/webadmin/tmpl/settings.tmpl:126 msgid "" "The minimal time between two connect attempts to the same hostname, in " "seconds. Some servers refuse your connection if you reconnect too fast." msgstr "" +"Le temps minimal (en secondes) entre deux tentatives de connexion avec le " +"même nom d'hôte. Certains serveurs refusent votre connexion si vous " +"réessayez trop rapidement." #: modules/po/../data/webadmin/tmpl/settings.tmpl:131 msgid "Anonymous Connection Limit per IP:" -msgstr "" +msgstr "Nombre limite de connexions anonymes par IP :" #: modules/po/../data/webadmin/tmpl/settings.tmpl:133 msgid "Limits the number of unidentified connections per IP." -msgstr "" +msgstr "Limite le nombre de connexions non-identifiées par IP." #: modules/po/../data/webadmin/tmpl/settings.tmpl:138 msgid "Protect Web Sessions:" -msgstr "" +msgstr "Protéger les sessions web :" #: modules/po/../data/webadmin/tmpl/settings.tmpl:140 msgid "Disallow IP changing during each web session" -msgstr "" +msgstr "Interdit le changement d'IP pendant une session web" #: modules/po/../data/webadmin/tmpl/settings.tmpl:145 msgid "Hide ZNC Version:" -msgstr "" +msgstr "Cacher la version de ZNC :" #: modules/po/../data/webadmin/tmpl/settings.tmpl:147 msgid "Hide version number from non-ZNC users" -msgstr "" +msgstr "Dissimule la version de ZNC aux anonymes" #: modules/po/../data/webadmin/tmpl/settings.tmpl:153 msgid "Allow user authentication by external modules only" msgstr "" +"Autorise l'authentification des utilisateurs par les modules externes " +"seulement" #: modules/po/../data/webadmin/tmpl/settings.tmpl:158 msgid "MOTD:" -msgstr "" +msgstr "Message du jour :" #: modules/po/../data/webadmin/tmpl/settings.tmpl:162 msgid "“Message of the Day”, sent to all ZNC users on connect." msgstr "" +"\"Message du jour\", envoyé à tous les utilisateurs de ZNC à la connexion." #: modules/po/../data/webadmin/tmpl/settings.tmpl:170 msgid "Global Modules" -msgstr "" +msgstr "Module globaux" #: modules/po/../data/webadmin/tmpl/settings.tmpl:180 msgid "Loaded by users" -msgstr "" +msgstr "Chargé par les utilisateurs" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:7 msgid "Information" -msgstr "" +msgstr "Information" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:13 msgid "Uptime" -msgstr "" +msgstr "En service" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:18 msgid "Total Users" -msgstr "" +msgstr "Nombre total d'utilisateurs" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:22 msgid "Total Networks" -msgstr "" +msgstr "Nombre total de réseaux" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:26 #: modules/po/../data/webadmin/tmpl/traffic.tmpl:43 msgid "Attached Networks" -msgstr "" +msgstr "Réseaux attachés" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:30 msgid "Total Client Connections" -msgstr "" +msgstr "Nombre total de connexions des clients" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:34 msgid "Total IRC Connections" -msgstr "" +msgstr "Nombre total de connexions IRC" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:47 msgid "Client Connections" -msgstr "" +msgstr "Connexions du client" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:51 msgid "IRC Connections" -msgstr "" +msgstr "Connexions IRC" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:63 #: modules/po/../data/webadmin/tmpl/traffic.tmpl:72 #: modules/po/../data/webadmin/tmpl/traffic.tmpl:89 #: modules/po/../data/webadmin/tmpl/traffic.tmpl:117 msgid "Total" -msgstr "" +msgstr "Total" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:70 #: modules/po/../data/webadmin/tmpl/traffic.tmpl:115 msgctxt "Traffic" msgid "In" -msgstr "" +msgstr "Entrée" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:71 #: modules/po/../data/webadmin/tmpl/traffic.tmpl:116 msgctxt "Traffic" msgid "Out" -msgstr "" +msgstr "Sortie" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:77 #: modules/po/../data/webadmin/tmpl/traffic.tmpl:104 msgid "Users" -msgstr "" +msgstr "Utilisateurs" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:106 msgid "Traffic" -msgstr "" +msgstr "Trafic" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:113 msgid "User" -msgstr "" +msgstr "Utilisateur" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:114 msgid "Network" -msgstr "" +msgstr "Réseau" #: webadmin.cpp:91 webadmin.cpp:1879 msgid "Global Settings" -msgstr "" +msgstr "Paramètres globaux" #: webadmin.cpp:93 msgid "Your Settings" -msgstr "" +msgstr "Vos paramètres" #: webadmin.cpp:94 webadmin.cpp:1691 msgid "Traffic Info" -msgstr "" +msgstr "Informations sur le trafic" #: webadmin.cpp:97 webadmin.cpp:1670 msgid "Manage Users" -msgstr "" +msgstr "Gérer les utilisateurs" #: webadmin.cpp:188 msgid "Invalid Submission [Username is required]" -msgstr "" +msgstr "Soumission invalide [l'identifiant est nécessaire]" #: webadmin.cpp:201 msgid "Invalid Submission [Passwords do not match]" -msgstr "" +msgstr "Soumission invalide [les mots de passe ne correspondent pas]" #: webadmin.cpp:323 msgid "Timeout can't be less than 30 seconds!" -msgstr "" +msgstr "Le délai d'expiration ne peut être inférieur à 30 secondes !" #: webadmin.cpp:407 webadmin.cpp:435 webadmin.cpp:1189 webadmin.cpp:2064 msgid "Unable to load module [{1}]: {2}" -msgstr "" +msgstr "Impossible de charger le module [{1}] : {2}" #: webadmin.cpp:412 webadmin.cpp:440 msgid "Unable to load module [{1}] with arguments [{2}]" -msgstr "" +msgstr "Impossible de charger le module [{1}] avec les arguments [{2}]" #: webadmin.cpp:521 webadmin.cpp:625 webadmin.cpp:650 webadmin.cpp:672 #: webadmin.cpp:706 webadmin.cpp:1256 msgid "No such user" -msgstr "" +msgstr "Utilisateur inconnu" #: webadmin.cpp:534 webadmin.cpp:566 webadmin.cpp:595 webadmin.cpp:611 msgid "No such user or network" -msgstr "" +msgstr "Utilisateur ou réseau inconnu" #: webadmin.cpp:576 msgid "No such channel" -msgstr "" +msgstr "Salon inconnu" #: webadmin.cpp:642 msgid "Please don't delete yourself, suicide is not the answer!" -msgstr "" +msgstr "Veuillez ne pas vous supprimer, le suicide n'est pas la solution !" #: webadmin.cpp:715 webadmin.cpp:971 webadmin.cpp:1321 msgid "Edit User [{1}]" -msgstr "" +msgstr "Modifier l'utilisateur [{1}]" #: webadmin.cpp:719 webadmin.cpp:897 msgid "Edit Network [{1}]" -msgstr "" +msgstr "Modifier le réseau [{1}]" #: webadmin.cpp:729 msgid "Edit Channel [{1}] of Network [{2}] of User [{3}]" -msgstr "" +msgstr "Modifier le salon [{1}] du réseau [{2}] de l'utilisateur [{3}]" #: webadmin.cpp:736 msgid "Edit Channel [{1}]" -msgstr "" +msgstr "Modifier le salon [{1}]" #: webadmin.cpp:744 msgid "Add Channel to Network [{1}] of User [{2}]" -msgstr "" +msgstr "Ajouter un salon au réseau [{1}] de l'utilisateur [{2}]" #: webadmin.cpp:749 msgid "Add Channel" -msgstr "" +msgstr "Ajouter un salon" #: webadmin.cpp:756 webadmin.cpp:1517 msgid "Auto Clear Chan Buffer" -msgstr "" +msgstr "Vider automatiquement le tampon des salons" #: webadmin.cpp:758 msgid "Automatically Clear Channel Buffer After Playback" -msgstr "" +msgstr "Vider automatiquement le tampon des salons après l'avoir rejoué" #: webadmin.cpp:766 msgid "Detached" -msgstr "" +msgstr "Détaché" #: webadmin.cpp:773 msgid "Enabled" -msgstr "" +msgstr "Activé" #: webadmin.cpp:797 msgid "Channel name is a required argument" -msgstr "" +msgstr "Le nom du salon est un argument requis" #: webadmin.cpp:806 msgid "Channel [{1}] already exists" -msgstr "" +msgstr "Le salon [{1}] existe déjà" #: webadmin.cpp:813 msgid "Could not add channel [{1}]" -msgstr "" +msgstr "Impossible d'ajouter le salon [{1}]" #: webadmin.cpp:861 msgid "Channel was added/modified, but config file was not written" msgstr "" +"Le salon a été ajouté ou modifié, mais la configuration n'a pas pu être " +"sauvegardée" #: webadmin.cpp:894 msgid "Edit Network [{1}] of User [{2}]" -msgstr "" +msgstr "Modifier le réseau [{1}] de l'utilisateur [{2}]" #: webadmin.cpp:901 webadmin.cpp:1078 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks from Your Settings." msgstr "" +"Le nombre maximal de réseaux a été atteint. Demandez à un administrateur " +"d'augmenter cette limite pour vous ou bien supprimez des réseaux obsolètes " +"de vos paramètres." #: webadmin.cpp:909 msgid "Add Network for User [{1}]" -msgstr "" +msgstr "Ajouter un réseau pour l'utilisateur [{1}]" #: webadmin.cpp:910 msgid "Add Network" -msgstr "" +msgstr "Ajouter un réseau" #: webadmin.cpp:1072 msgid "Network name is a required argument" -msgstr "" +msgstr "Le nom du réseau est un argument requis" #: webadmin.cpp:1196 webadmin.cpp:2071 msgid "Unable to reload module [{1}]: {2}" -msgstr "" +msgstr "Impossible de recharger le module [{1}] : {2}" #: webadmin.cpp:1233 msgid "Network was added/modified, but config file was not written" msgstr "" +"Le réseau a été ajouté ou modifié, mais la configuration n'a pas pu être " +"sauvegardée" #: webadmin.cpp:1262 msgid "That network doesn't exist for this user" -msgstr "" +msgstr "Le réseau n'existe pas pour cet utilisateur" #: webadmin.cpp:1279 msgid "Network was deleted, but config file was not written" msgstr "" +"Le réseau a été supprimé, mais la configuration n'a pas pu être sauvegardée" #: webadmin.cpp:1293 msgid "That channel doesn't exist for this network" -msgstr "" +msgstr "Le salon n'existe pas pour ce réseau" #: webadmin.cpp:1302 msgid "Channel was deleted, but config file was not written" msgstr "" +"Le salon a été supprimé, mais la configuration n'a pas pu être sauvegardée" #: webadmin.cpp:1330 msgid "Clone User [{1}]" -msgstr "" +msgstr "Dupliquer l'utilisateur [{1}]" #: webadmin.cpp:1519 msgid "" "Automatically Clear Channel Buffer After Playback (the default value for new " "channels)" msgstr "" +"Vider automatiquement le tampon des salons après l'avoir rejoué (valeur par " +"défaut pour les nouveaux salons)" #: webadmin.cpp:1529 msgid "Multi Clients" -msgstr "" +msgstr "Multi Clients" #: webadmin.cpp:1536 msgid "Append Timestamps" -msgstr "" +msgstr "Ajouter un horodatage après" #: webadmin.cpp:1543 msgid "Prepend Timestamps" -msgstr "" +msgstr "Ajouter un horodatage avant" #: webadmin.cpp:1551 msgid "Deny LoadMod" -msgstr "" +msgstr "Interdire LoadMod" #: webadmin.cpp:1558 msgid "Admin" -msgstr "" +msgstr "Admin" #: webadmin.cpp:1568 msgid "Deny SetBindHost" -msgstr "" +msgstr "Interdire SetBindHost" #: webadmin.cpp:1576 msgid "Auto Clear Query Buffer" -msgstr "" +msgstr "Vider automatiquement le tampon des messages privés" #: webadmin.cpp:1578 msgid "Automatically Clear Query Buffer After Playback" msgstr "" +"Vider automatiquement le tampon des messages privés après l'avoir rejoué" #: webadmin.cpp:1602 msgid "Invalid Submission: User {1} already exists" -msgstr "" +msgstr "Requête invalide : l'utilisateur {1} existe déjà" #: webadmin.cpp:1624 webadmin.cpp:1635 msgid "Invalid submission: {1}" -msgstr "" +msgstr "Requête invalide : {1}" #: webadmin.cpp:1630 msgid "User was added, but config file was not written" msgstr "" +"L'utilisateur a été ajouté, mais la configuration n'a pas pu être sauvegardée" #: webadmin.cpp:1641 msgid "User was edited, but config file was not written" msgstr "" +"L'utilisateur a été modifié, mais la configuration n'a pas pu être " +"sauvegardée" #: webadmin.cpp:1799 msgid "Choose either IPv4 or IPv6 or both." -msgstr "" +msgstr "Choisissez IPv4 ou IPv6 (ou les deux)." #: webadmin.cpp:1816 msgid "Choose either IRC or HTTP or both." -msgstr "" +msgstr "Choisissez IRC ou HTTP (ou les deux)." #: webadmin.cpp:1829 webadmin.cpp:1865 msgid "Port was changed, but config file was not written" msgstr "" +"Le port a été modifié, mais la configuration n'a pas pu être sauvegardée" #: webadmin.cpp:1855 msgid "Invalid request." -msgstr "" +msgstr "Requête non valide." #: webadmin.cpp:1869 msgid "The specified listener was not found." -msgstr "" +msgstr "Le canal d'écoute spécifié est introuvable." #: webadmin.cpp:2100 msgid "Settings were changed, but config file was not written" msgstr "" +"Les paramètres ont été changés, mais la configuration n'a pas pu être " +"sauvegardée" diff --git a/src/po/znc.fr_FR.po b/src/po/znc.fr_FR.po index 9641b48f..aacef981 100644 --- a/src/po/znc.fr_FR.po +++ b/src/po/znc.fr_FR.po @@ -14,35 +14,35 @@ msgstr "" #: webskins/_default_/tmpl/InfoBar.tmpl:6 msgid "Logged in as: {1}" -msgstr "" +msgstr "Connecté en tant que : {1}" #: webskins/_default_/tmpl/InfoBar.tmpl:8 msgid "Not logged in" -msgstr "" +msgstr "Déconnecté" #: webskins/_default_/tmpl/LoginBar.tmpl:3 msgid "Logout" -msgstr "" +msgstr "Déconnexion" #: webskins/_default_/tmpl/Menu.tmpl:4 msgid "Home" -msgstr "" +msgstr "Accueil" #: webskins/_default_/tmpl/Menu.tmpl:7 msgid "Global Modules" -msgstr "" +msgstr "Modules généraux" #: webskins/_default_/tmpl/Menu.tmpl:20 msgid "User Modules" -msgstr "" +msgstr "Modules utilisateur" #: webskins/_default_/tmpl/Menu.tmpl:35 msgid "Network Modules ({1})" -msgstr "" +msgstr "Modules du réseau ({1})" #: webskins/_default_/tmpl/index.tmpl:6 msgid "Welcome to ZNC's web interface!" -msgstr "" +msgstr "Bienvenue sur l'interface web de ZNC !" #: webskins/_default_/tmpl/index.tmpl:11 msgid "" @@ -50,342 +50,373 @@ msgid "" "*status help” and “/msg *status loadmod <module>”). Once you have loaded some Web-enabled modules, the menu will expand." msgstr "" +"Aucun module avec des capacités web n'a été chargé. Vous pouvez charger des " +"modules depuis IRC (“/msg *status help” et “/msg *status " +"loadmod <module>”). Les modules avec des capacités web " +"apparaîtront ci-dessous." #: znc.cpp:1563 msgid "User already exists" -msgstr "" +msgstr "Cet utilisateur existe déjà" #: znc.cpp:1671 msgid "IPv6 is not enabled" -msgstr "" +msgstr "IPv6 n'est pas activé" #: znc.cpp:1679 msgid "SSL is not enabled" -msgstr "" +msgstr "SSL n'est pas activé" #: znc.cpp:1687 msgid "Unable to locate pem file: {1}" -msgstr "" +msgstr "Impossible de trouver le fichier pem : {1}" #: znc.cpp:1706 msgid "Invalid port" -msgstr "" +msgstr "Port invalide" #: znc.cpp:1822 ClientCommand.cpp:1629 msgid "Unable to bind: {1}" -msgstr "" +msgstr "Impossible d'utiliser le port : {1}" #: IRCNetwork.cpp:235 msgid "Jumping servers because this server is no longer in the list" msgstr "" +"Connexion au serveur suivant, le serveur actuel n'est plus dans la liste" #: IRCNetwork.cpp:640 User.cpp:678 msgid "Welcome to ZNC" -msgstr "" +msgstr "Bienvenue sur ZNC" #: IRCNetwork.cpp:728 msgid "You are currently disconnected from IRC. Use 'connect' to reconnect." msgstr "" +"Vous êtes actuellement déconnecté d'IRC. Utilisez 'connect' pour vous " +"reconnecter." #: IRCNetwork.cpp:758 msgid "This network is being deleted or moved to another user." msgstr "" +"Ce réseau est en train d'être supprimé ou déplacé vers un autre utilisateur." #: IRCNetwork.cpp:987 msgid "The channel {1} could not be joined, disabling it." -msgstr "" +msgstr "Impossible de rejoindre le salon {1}, il est désormais désactivé." #: IRCNetwork.cpp:1116 msgid "Your current server was removed, jumping..." -msgstr "" +msgstr "Le serveur actuel a été supprimé. Changement en cours..." #: IRCNetwork.cpp:1279 msgid "Cannot connect to {1}, because ZNC is not compiled with SSL support." msgstr "" +"Impossible de se connecter à {1}, car ZNC n'a pas été compilé avec le " +"support SSL." #: IRCNetwork.cpp:1300 msgid "Some module aborted the connection attempt" -msgstr "" +msgstr "Un module a annulé la tentative de connexion" #: IRCSock.cpp:485 msgid "Error from server: {1}" -msgstr "" +msgstr "Erreur du serveur : {1}" #: IRCSock.cpp:687 msgid "ZNC seems to be connected to itself, disconnecting..." -msgstr "" +msgstr "ZNC semble s'être connecté à lui-même, déconnexion..." #: IRCSock.cpp:734 msgid "Server {1} redirects us to {2}:{3} with reason: {4}" -msgstr "" +msgstr "Le serveur {1} redirige vers {2}:{3} avec pour motif : {4}" #: IRCSock.cpp:738 msgid "Perhaps you want to add it as a new server." -msgstr "" +msgstr "Vous souhaitez peut-être l'ajouter comme un nouveau server." #: IRCSock.cpp:968 msgid "Channel {1} is linked to another channel and was thus disabled." -msgstr "" +msgstr "Le salon {1} est lié à un autre salon et est par conséquent désactivé." #: IRCSock.cpp:980 msgid "Switched to SSL (STARTTLS)" -msgstr "" +msgstr "Passage à SSL (STARTTLS)" #: IRCSock.cpp:1033 msgid "You quit: {1}" -msgstr "" +msgstr "Vous avez quitté : {1}" #: IRCSock.cpp:1239 msgid "Disconnected from IRC. Reconnecting..." -msgstr "" +msgstr "Déconnecté d'IRC. Reconnexion..." #: IRCSock.cpp:1270 msgid "Cannot connect to IRC ({1}). Retrying..." -msgstr "" +msgstr "Échec de la connexion à IRC ({1}). Nouvel essai..." #: IRCSock.cpp:1273 msgid "Disconnected from IRC ({1}). Reconnecting..." -msgstr "" +msgstr "Déconnecté de IRC ({1}). Reconnexion..." #: IRCSock.cpp:1303 msgid "If you trust this certificate, do /znc AddTrustedServerFingerprint {1}" msgstr "" +"Si vous avez confiance en ce certificat, tapez /znc " +"AddTrustedServerFingerprint {1}" #: IRCSock.cpp:1320 msgid "IRC connection timed out. Reconnecting..." -msgstr "" +msgstr "La connexion à IRC a expiré. Reconnexion..." #: IRCSock.cpp:1332 msgid "Connection Refused. Reconnecting..." -msgstr "" +msgstr "Connexion refusée. Reconnexion..." #: IRCSock.cpp:1340 msgid "Received a too long line from the IRC server!" -msgstr "" +msgstr "Le serveur IRC a envoyé une ligne trop longue !" #: IRCSock.cpp:1444 msgid "No free nick available" -msgstr "" +msgstr "Aucun pseudonyme n'est disponible" #: IRCSock.cpp:1452 msgid "No free nick found" -msgstr "" +msgstr "Aucun pseudonyme disponible n'a été trouvé" #: Client.cpp:74 msgid "No such module {1}" -msgstr "" +msgstr "Le module {1} n'existe pas" #: Client.cpp:359 msgid "A client from {1} attempted to login as you, but was rejected: {2}" msgstr "" +"Un client {1} a tenté de se connecter sous votre identifiant, mais a été " +"refusé : {2}" #: Client.cpp:394 msgid "Network {1} doesn't exist." -msgstr "" +msgstr "Le réseau {1} n'existe pas." #: Client.cpp:408 msgid "" "You have several networks configured, but no network was specified for the " "connection." msgstr "" +"Plusieurs réseaux sont configurés, mais aucun n'a spécifié pour la connexion." #: Client.cpp:411 msgid "" "Selecting network {1}. To see list of all configured networks, use /znc " "ListNetworks" msgstr "" +"Sélection du réseau {1}. Pour consulter la liste des réseaux configurés, " +"tapez /znc ListNetworks" #: Client.cpp:414 msgid "" "If you want to choose another network, use /znc JumpNetwork , or " "connect to ZNC with username {1}/ (instead of just {1})" msgstr "" +"Si vous souhaitez changer de réseau, tapez /znc JumpNetwork , ou " +"connectez-vous à ZNC avec l'identifiant {1}/ (à la place de " +"seulement {1})" #: Client.cpp:420 msgid "" "You have no networks configured. Use /znc AddNetwork to add one." msgstr "" +"Vous n'avez configuré aucun réseau. Tapez /znc AddNetwork pour en " +"ajouter un." #: Client.cpp:431 msgid "Closing link: Timeout" -msgstr "" +msgstr "Fermeture de la connexion : expirée" #: Client.cpp:453 msgid "Closing link: Too long raw line" -msgstr "" +msgstr "Fermeture de la connexion : ligne trop longue" #: Client.cpp:460 msgid "" "You are being disconnected because another user just authenticated as you." msgstr "" +"Vous avez été déconnecté car un autre utilisateur s'est authentifié avec le " +"même identifiant." #: Client.cpp:1015 msgid "Your CTCP to {1} got lost, you are not connected to IRC!" msgstr "" +"Votre connexion CTCP vers {1} a été perdue, vous n'êtes plus connecté à IRC !" #: Client.cpp:1142 msgid "Your notice to {1} got lost, you are not connected to IRC!" -msgstr "" +msgstr "Votre notice vers {1} a été perdue, vous n'êtes plus connecté à IRC !" #: Client.cpp:1181 msgid "Removing channel {1}" -msgstr "" +msgstr "Suppression du salon {1}" #: Client.cpp:1257 msgid "Your message to {1} got lost, you are not connected to IRC!" -msgstr "" +msgstr "Votre message à {1} a été perdu, vous n'êtes pas connecté à IRC !" #: Client.cpp:1310 Client.cpp:1316 msgid "Hello. How may I help you?" -msgstr "" +msgstr "Bonjour. Comment puis-je vous aider ?" #: Client.cpp:1330 msgid "Usage: /attach <#chans>" -msgstr "" +msgstr "Utilisation : /attach <#salons>" #: Client.cpp:1337 Client.cpp:1359 ClientCommand.cpp:129 ClientCommand.cpp:151 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "Il y avait {1} salon correspondant [{2}]" +msgstr[1] "Il y avait {1} salons correspondant [{2}]" #: Client.cpp:1340 ClientCommand.cpp:132 msgid "Attached {1} channel" msgid_plural "Attached {1} channels" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "A attaché {1} salon" +msgstr[1] "A attaché {1} salons" #: Client.cpp:1352 msgid "Usage: /detach <#chans>" -msgstr "" +msgstr "Utilisation : /detach <#salons>" #: Client.cpp:1362 ClientCommand.cpp:154 msgid "Detached {1} channel" msgid_plural "Detached {1} channels" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "A détaché {1} salon" +msgstr[1] "A détaché {1} salons" #: Chan.cpp:638 msgid "Buffer Playback..." -msgstr "" +msgstr "Répétition du tampon..." #: Chan.cpp:676 msgid "Playback Complete." -msgstr "" +msgstr "Répétition terminée." #: Modules.cpp:528 msgctxt "modhelpcmd" msgid "" -msgstr "" +msgstr "" #: Modules.cpp:529 msgctxt "modhelpcmd" msgid "Generate this output" -msgstr "" +msgstr "Générer cette sortie" #: Modules.cpp:573 ClientCommand.cpp:1894 msgid "No matches for '{1}'" -msgstr "" +msgstr "Aucune correspondance pour '{1}'" #: Modules.cpp:691 msgid "This module doesn't implement any commands." -msgstr "" +msgstr "Ce module n'implémente aucune commande." #: Modules.cpp:693 msgid "Unknown command!" -msgstr "" +msgstr "Commande inconnue !" #: Modules.cpp:1633 msgid "Module {1} already loaded." -msgstr "" +msgstr "Le module {1} est déjà chargé." #: Modules.cpp:1647 msgid "Unable to find module {1}" -msgstr "" +msgstr "Impossible de trouver le module {1}" #: Modules.cpp:1659 msgid "Module {1} does not support module type {2}." -msgstr "" +msgstr "Le module {1} le supporte pas le type {2}." #: Modules.cpp:1666 msgid "Module {1} requires a user." -msgstr "" +msgstr "Le module {1} requiert un utilisateur." #: Modules.cpp:1672 msgid "Module {1} requires a network." -msgstr "" +msgstr "Le module {1} requiert un réseau." #: Modules.cpp:1688 msgid "Caught an exception" -msgstr "" +msgstr "Une exception a été reçue" #: Modules.cpp:1694 msgid "Module {1} aborted: {2}" -msgstr "" +msgstr "Le module {1} a annulé : {2}" #: Modules.cpp:1696 msgid "Module {1} aborted." -msgstr "" +msgstr "Module {1} stoppé." #: Modules.cpp:1720 Modules.cpp:1762 msgid "Module [{1}] not loaded." -msgstr "" +msgstr "Le module [{1}] n'est pas chargé." #: Modules.cpp:1744 msgid "Module {1} unloaded." -msgstr "" +msgstr "Le module {1} a été déchargé." #: Modules.cpp:1749 msgid "Unable to unload module {1}." -msgstr "" +msgstr "Impossible de décharger le module {1}." #: Modules.cpp:1778 msgid "Reloaded module {1}." -msgstr "" +msgstr "Le module {1} a été rechargé." #: Modules.cpp:1793 msgid "Unable to find module {1}." -msgstr "" +msgstr "Impossible de trouver le module {1}." #: Modules.cpp:1919 msgid "" "Module names can only contain letters, numbers and underscores, [{1}] is " "invalid" msgstr "" +"Les noms de module ne peuvent contenir que des lettres, des chiffres et des " +"underscores, [{1}] est invalide" #: Modules.cpp:1943 msgid "Unknown error" -msgstr "" +msgstr "Erreur inconnue" #: Modules.cpp:1944 msgid "Unable to open module {1}: {2}" -msgstr "" +msgstr "Impossible d'ouvrir le module {1} : {2}" #: Modules.cpp:1953 msgid "Could not find ZNCModuleEntry in module {1}" -msgstr "" +msgstr "Impossible de trouver ZNCModuleEntry dans le module {1}" #: Modules.cpp:1961 msgid "" "Version mismatch for module {1}: core is {2}, module is built for {3}. " "Recompile this module." msgstr "" +"Les versions ne correspondent pas pour le module {1} : le cœur est {2}, le " +"module est conçu pour {3}. Recompilez ce module." #: Modules.cpp:1972 msgid "" "Module {1} is built incompatibly: core is '{2}', module is '{3}'. Recompile " "this module." msgstr "" +"Le module {1} a été compilé de façon incompatible : le cœur est '{2}', le " +"module est '{3}'. Recompilez ce module." #: Modules.cpp:2002 Modules.cpp:2008 msgctxt "modhelpcmd" msgid "Command" -msgstr "" +msgstr "Commande" #: Modules.cpp:2003 Modules.cpp:2009 msgctxt "modhelpcmd" msgid "Description" -msgstr "" +msgstr "Description" #: ClientCommand.cpp:51 ClientCommand.cpp:115 ClientCommand.cpp:137 #: ClientCommand.cpp:749 ClientCommand.cpp:768 ClientCommand.cpp:794 @@ -394,893 +425,921 @@ msgstr "" #: ClientCommand.cpp:1401 ClientCommand.cpp:1412 ClientCommand.cpp:1421 #: ClientCommand.cpp:1433 msgid "You must be connected with a network to use this command" -msgstr "" +msgstr "Vous devez être connecté à un réseau pour utiliser cette commande" #: ClientCommand.cpp:58 msgid "Usage: ListNicks <#chan>" -msgstr "" +msgstr "Utilisation : ListNicks <#salon>" #: ClientCommand.cpp:65 msgid "You are not on [{1}]" -msgstr "" +msgstr "Vous n'êtes pas sur [{1}]" #: ClientCommand.cpp:70 msgid "You are not on [{1}] (trying)" -msgstr "" +msgstr "Vous n'êtes pas sur [{1}] (essai)" #: ClientCommand.cpp:79 msgid "No nicks on [{1}]" -msgstr "" +msgstr "Aucun pseudonyme sur [{1}]" #: ClientCommand.cpp:91 ClientCommand.cpp:106 msgid "Nick" -msgstr "" +msgstr "Pseudonyme" #: ClientCommand.cpp:92 ClientCommand.cpp:107 msgid "Ident" -msgstr "" +msgstr "Identité" #: ClientCommand.cpp:93 ClientCommand.cpp:108 msgid "Host" -msgstr "" +msgstr "Hôte" #: ClientCommand.cpp:122 msgid "Usage: Attach <#chans>" -msgstr "" +msgstr "Utilisation : Attach <#salons>" #: ClientCommand.cpp:144 msgid "Usage: Detach <#chans>" -msgstr "" +msgstr "Utilisation : Detach <#salons>" #: ClientCommand.cpp:161 msgid "There is no MOTD set." -msgstr "" +msgstr "Aucun message du jour n'est défini." #: ClientCommand.cpp:167 msgid "Rehashing succeeded!" -msgstr "" +msgstr "Le rehachage a réussi !" #: ClientCommand.cpp:169 msgid "Rehashing failed: {1}" -msgstr "" +msgstr "Le réhachage a échoué : {1}" #: ClientCommand.cpp:173 msgid "Wrote config to {1}" -msgstr "" +msgstr "La configuration a été écrite dans {1}" #: ClientCommand.cpp:175 msgid "Error while trying to write config." -msgstr "" +msgstr "Erreur lors de la sauvegarde de la configuration." #: ClientCommand.cpp:455 msgid "Usage: ListChans" -msgstr "" +msgstr "Utilisation : ListChans" #: ClientCommand.cpp:462 msgid "No such user [{1}]" -msgstr "" +msgstr "L'utilisateur [{1}] n'existe pas" #: ClientCommand.cpp:468 msgid "User [{1}] doesn't have network [{2}]" -msgstr "" +msgstr "L'utilisateur [{1}] n'a pas de réseau [{2}]" #: ClientCommand.cpp:479 msgid "There are no channels defined." -msgstr "" +msgstr "Aucun salon n'a été configuré." #: ClientCommand.cpp:484 ClientCommand.cpp:500 msgctxt "listchans" msgid "Name" -msgstr "" +msgstr "Nom" #: ClientCommand.cpp:485 ClientCommand.cpp:503 msgctxt "listchans" msgid "Status" -msgstr "" +msgstr "Statut" #: ClientCommand.cpp:486 ClientCommand.cpp:510 msgctxt "listchans" msgid "In config" -msgstr "" +msgstr "Configuré" #: ClientCommand.cpp:487 ClientCommand.cpp:512 msgctxt "listchans" msgid "Buffer" -msgstr "" +msgstr "Tampon" #: ClientCommand.cpp:488 ClientCommand.cpp:516 msgctxt "listchans" msgid "Clear" -msgstr "" +msgstr "Vider" #: ClientCommand.cpp:489 ClientCommand.cpp:521 msgctxt "listchans" msgid "Modes" -msgstr "" +msgstr "Modes" #: ClientCommand.cpp:490 ClientCommand.cpp:522 msgctxt "listchans" msgid "Users" -msgstr "" +msgstr "Utilisateurs" #: ClientCommand.cpp:505 msgctxt "listchans" msgid "Detached" -msgstr "" +msgstr "Détaché" #: ClientCommand.cpp:506 msgctxt "listchans" msgid "Joined" -msgstr "" +msgstr "Rejoint" #: ClientCommand.cpp:507 msgctxt "listchans" msgid "Disabled" -msgstr "" +msgstr "Désactivé" #: ClientCommand.cpp:508 msgctxt "listchans" msgid "Trying" -msgstr "" +msgstr "Essai" #: ClientCommand.cpp:511 ClientCommand.cpp:519 msgctxt "listchans" msgid "yes" -msgstr "" +msgstr "oui" #: ClientCommand.cpp:536 msgid "Total: {1}, Joined: {2}, Detached: {3}, Disabled: {4}" -msgstr "" +msgstr "Total : {1}, Rejoint : {2}, Détaché : {3}, Désactivé : {4}" #: ClientCommand.cpp:541 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks using /znc DelNetwork " msgstr "" +"Le nombre maximal de réseaux a été atteint. Contactez un administrateur pour " +"augmenter cette limite ou supprimez des réseaux obsolètes avec /znc " +"DelNetwork " #: ClientCommand.cpp:550 msgid "Usage: AddNetwork " -msgstr "" +msgstr "Utilisation : AddNetwork " #: ClientCommand.cpp:554 msgid "Network name should be alphanumeric" -msgstr "" +msgstr "Le nom du réseau ne doit contenir que des caractères alphanumériques" #: ClientCommand.cpp:561 msgid "" "Network added. Use /znc JumpNetwork {1}, or connect to ZNC with username {2} " "(instead of just {3}) to connect to it." msgstr "" +"Réseau ajouté. Utilisez /znc JumpNetwork {1} ou connectez-vous à ZNC avec " +"l'identifiant {2} (au lieu de {3}) pour vous y connecter." #: ClientCommand.cpp:566 msgid "Unable to add that network" -msgstr "" +msgstr "Ce réseau n'a pas pu être ajouté" #: ClientCommand.cpp:573 msgid "Usage: DelNetwork " -msgstr "" +msgstr "Utilisation : DelNetwork " #: ClientCommand.cpp:582 msgid "Network deleted" -msgstr "" +msgstr "Réseau supprimé" #: ClientCommand.cpp:585 msgid "Failed to delete network, perhaps this network doesn't exist" -msgstr "" +msgstr "Le réseau n'a pas pu être supprimé, peut-être qu'il n'existe pas" #: ClientCommand.cpp:595 msgid "User {1} not found" -msgstr "" +msgstr "L'utilisateur {1} n'a pas été trouvé" #: ClientCommand.cpp:603 ClientCommand.cpp:611 msgctxt "listnetworks" msgid "Network" -msgstr "" +msgstr "Réseau" #: ClientCommand.cpp:604 ClientCommand.cpp:613 ClientCommand.cpp:622 msgctxt "listnetworks" msgid "On IRC" -msgstr "" +msgstr "Sur IRC" #: ClientCommand.cpp:605 ClientCommand.cpp:615 msgctxt "listnetworks" msgid "IRC Server" -msgstr "" +msgstr "Serveur IRC" #: ClientCommand.cpp:606 ClientCommand.cpp:617 msgctxt "listnetworks" msgid "IRC User" -msgstr "" +msgstr "Utilisateur IRC" #: ClientCommand.cpp:607 ClientCommand.cpp:619 msgctxt "listnetworks" msgid "Channels" -msgstr "" +msgstr "Salons" #: ClientCommand.cpp:614 msgctxt "listnetworks" msgid "Yes" -msgstr "" +msgstr "Oui" #: ClientCommand.cpp:623 msgctxt "listnetworks" msgid "No" -msgstr "" +msgstr "Non" #: ClientCommand.cpp:628 msgctxt "listnetworks" msgid "No networks" -msgstr "" +msgstr "Aucun réseau" #: ClientCommand.cpp:632 ClientCommand.cpp:932 msgid "Access denied." -msgstr "" +msgstr "Accès refusé." #: ClientCommand.cpp:643 msgid "Usage: MoveNetwork [new network]" msgstr "" +"Utilisation : MoveNetwork [nouveau réseau]" #: ClientCommand.cpp:653 msgid "Old user {1} not found." -msgstr "" +msgstr "L'ancien utilisateur {1} n'a pas été trouvé." #: ClientCommand.cpp:659 msgid "Old network {1} not found." -msgstr "" +msgstr "L'ancien réseau {1} n'a pas été trouvé." #: ClientCommand.cpp:665 msgid "New user {1} not found." -msgstr "" +msgstr "Le nouvel utilisateur {1} n'a pas été trouvé." #: ClientCommand.cpp:670 msgid "User {1} already has network {2}." -msgstr "" +msgstr "L'utilisateur {1} possède déjà le réseau {2}." #: ClientCommand.cpp:676 msgid "Invalid network name [{1}]" -msgstr "" +msgstr "Le nom de réseau [{1}] est invalide" #: ClientCommand.cpp:692 msgid "Some files seem to be in {1}. You might want to move them to {2}" msgstr "" +"Certains fichiers semblent être dans {1}. Vous pouvez les déplacer dans {2}" #: ClientCommand.cpp:706 msgid "Error adding network: {1}" -msgstr "" +msgstr "Erreur lors de l'ajout du réseau : {1}" #: ClientCommand.cpp:718 msgid "Success." -msgstr "" +msgstr "Succès." #: ClientCommand.cpp:721 msgid "Copied the network to new user, but failed to delete old network" msgstr "" +"Le réseau a bien été copié vers le nouvel utilisateur, mais l'ancien réseau " +"n'a pas pu être supprimé" #: ClientCommand.cpp:728 msgid "No network supplied." -msgstr "" +msgstr "Aucun réseau spécifié." #: ClientCommand.cpp:733 msgid "You are already connected with this network." -msgstr "" +msgstr "Vous êtes déjà connecté à ce réseau." #: ClientCommand.cpp:739 msgid "Switched to {1}" -msgstr "" +msgstr "Migration vers {1}" #: ClientCommand.cpp:742 msgid "You don't have a network named {1}" -msgstr "" +msgstr "Vous n'avez aucun réseau nommé {1}" #: ClientCommand.cpp:754 msgid "Usage: AddServer [[+]port] [pass]" -msgstr "" +msgstr "Utilisation : AddServer [[+]port] [pass]" #: ClientCommand.cpp:759 msgid "Server added" -msgstr "" +msgstr "Serveur ajouté" #: ClientCommand.cpp:762 msgid "" "Unable to add that server. Perhaps the server is already added or openssl is " "disabled?" msgstr "" +"Impossible d'ajouter ce serveur. Peut-être ce serveur existe déjà ou SSL est " +"désactivé ?" #: ClientCommand.cpp:777 msgid "Usage: DelServer [port] [pass]" -msgstr "" +msgstr "Utilisation : DelServer [port] [pass]" #: ClientCommand.cpp:782 ClientCommand.cpp:822 msgid "You don't have any servers added." -msgstr "" +msgstr "Vous n'avez aucun serveur." #: ClientCommand.cpp:787 msgid "Server removed" -msgstr "" +msgstr "Serveur supprimé" #: ClientCommand.cpp:789 msgid "No such server" -msgstr "" +msgstr "Ce serveur n'existe pas" #: ClientCommand.cpp:802 ClientCommand.cpp:809 msgctxt "listservers" msgid "Host" -msgstr "" +msgstr "Hôte" #: ClientCommand.cpp:803 ClientCommand.cpp:811 msgctxt "listservers" msgid "Port" -msgstr "" +msgstr "Port" #: ClientCommand.cpp:804 ClientCommand.cpp:814 msgctxt "listservers" msgid "SSL" -msgstr "" +msgstr "SSL" #: ClientCommand.cpp:805 ClientCommand.cpp:816 msgctxt "listservers" msgid "Password" -msgstr "" +msgstr "Mot de passe" #: ClientCommand.cpp:815 msgctxt "listservers|cell" msgid "SSL" -msgstr "" +msgstr "SSL" #: ClientCommand.cpp:832 msgid "Usage: AddTrustedServerFingerprint " -msgstr "" +msgstr "Utilisation : AddTrustedServerFingerprint " #: ClientCommand.cpp:836 ClientCommand.cpp:849 msgid "Done." -msgstr "" +msgstr "Fait." #: ClientCommand.cpp:845 msgid "Usage: DelTrustedServerFingerprint " -msgstr "" +msgstr "Utilisation : DelTrustedServerFingerprint " #: ClientCommand.cpp:858 msgid "No fingerprints added." -msgstr "" +msgstr "Aucune empreinte ajoutée." #: ClientCommand.cpp:874 ClientCommand.cpp:880 msgctxt "topicscmd" msgid "Channel" -msgstr "" +msgstr "Salon" #: ClientCommand.cpp:875 ClientCommand.cpp:881 msgctxt "topicscmd" msgid "Set By" -msgstr "" +msgstr "Défini par" #: ClientCommand.cpp:876 ClientCommand.cpp:882 msgctxt "topicscmd" msgid "Topic" -msgstr "" +msgstr "Sujet" #: ClientCommand.cpp:889 ClientCommand.cpp:893 msgctxt "listmods" msgid "Name" -msgstr "" +msgstr "Nom" #: ClientCommand.cpp:890 ClientCommand.cpp:894 msgctxt "listmods" msgid "Arguments" -msgstr "" +msgstr "Arguments" #: ClientCommand.cpp:902 msgid "No global modules loaded." -msgstr "" +msgstr "Aucun module global chargé." #: ClientCommand.cpp:904 ClientCommand.cpp:964 msgid "Global modules:" -msgstr "" +msgstr "Module globaux :" #: ClientCommand.cpp:912 msgid "Your user has no modules loaded." -msgstr "" +msgstr "Votre utilisateur n'a chargé aucun module." #: ClientCommand.cpp:914 ClientCommand.cpp:975 msgid "User modules:" -msgstr "" +msgstr "Modules utilisateur :" #: ClientCommand.cpp:921 msgid "This network has no modules loaded." -msgstr "" +msgstr "Ce réseau n'a chargé aucun module." #: ClientCommand.cpp:923 ClientCommand.cpp:986 msgid "Network modules:" -msgstr "" +msgstr "Modules de réseau :" #: ClientCommand.cpp:938 ClientCommand.cpp:944 msgctxt "listavailmods" msgid "Name" -msgstr "" +msgstr "Nom" #: ClientCommand.cpp:939 ClientCommand.cpp:949 msgctxt "listavailmods" msgid "Description" -msgstr "" +msgstr "Description" #: ClientCommand.cpp:962 msgid "No global modules available." -msgstr "" +msgstr "Aucun module global disponible." #: ClientCommand.cpp:973 msgid "No user modules available." -msgstr "" +msgstr "Aucun module utilisateur disponible." #: ClientCommand.cpp:984 msgid "No network modules available." -msgstr "" +msgstr "Aucun module de réseau disponible." #: ClientCommand.cpp:1012 msgid "Unable to load {1}: Access denied." -msgstr "" +msgstr "Impossible de charger {1} : accès refusé." #: ClientCommand.cpp:1018 msgid "Usage: LoadMod [--type=global|user|network] [args]" -msgstr "" +msgstr "Utilisation : LoadMod [--type=global|user|network] [args]" #: ClientCommand.cpp:1025 msgid "Unable to load {1}: {2}" -msgstr "" +msgstr "Impossible de charger {1} : {2}" #: ClientCommand.cpp:1035 msgid "Unable to load global module {1}: Access denied." -msgstr "" +msgstr "Impossible de charger le module global {1} : accès refusé." #: ClientCommand.cpp:1041 msgid "Unable to load network module {1}: Not connected with a network." msgstr "" +"Impossible de chargé le module de réseau {1} : aucune connexion à un réseau." #: ClientCommand.cpp:1063 msgid "Unknown module type" -msgstr "" +msgstr "Type de module inconnu" #: ClientCommand.cpp:1068 msgid "Loaded module {1}" -msgstr "" +msgstr "Le module {1} a été chargé" #: ClientCommand.cpp:1070 msgid "Loaded module {1}: {2}" -msgstr "" +msgstr "Le module {1} a été chargé : {2}" #: ClientCommand.cpp:1073 msgid "Unable to load module {1}: {2}" -msgstr "" +msgstr "Impossible de charger le module {1} : {2}" #: ClientCommand.cpp:1096 msgid "Unable to unload {1}: Access denied." -msgstr "" +msgstr "Impossible de décharger {1} : accès refusé." #: ClientCommand.cpp:1102 msgid "Usage: UnloadMod [--type=global|user|network] " -msgstr "" +msgstr "Utilisation : UnloadMod [--type=global|user|network] " #: ClientCommand.cpp:1111 msgid "Unable to determine type of {1}: {2}" -msgstr "" +msgstr "Impossible de déterminer le type de {1} : {2}" #: ClientCommand.cpp:1119 msgid "Unable to unload global module {1}: Access denied." -msgstr "" +msgstr "Impossible de décharger le module global {1} : accès refusé." #: ClientCommand.cpp:1126 msgid "Unable to unload network module {1}: Not connected with a network." msgstr "" +"Impossible de décharger le module de réseau {1} : aucune connexion à un " +"réseau." #: ClientCommand.cpp:1145 msgid "Unable to unload module {1}: Unknown module type" -msgstr "" +msgstr "Impossible de décharger le module {1} : type de module inconnu" #: ClientCommand.cpp:1158 msgid "Unable to reload modules. Access denied." -msgstr "" +msgstr "Impossible de recharger les modules : accès refusé." #: ClientCommand.cpp:1179 msgid "Usage: ReloadMod [--type=global|user|network] [args]" -msgstr "" +msgstr "Utilisation : ReloadMod [--type=global|user|network] [args]" #: ClientCommand.cpp:1188 msgid "Unable to reload {1}: {2}" -msgstr "" +msgstr "Impossible de recharger {1} : {2}" #: ClientCommand.cpp:1196 msgid "Unable to reload global module {1}: Access denied." -msgstr "" +msgstr "Impossible de recharger le module global {1} : accès refusé." #: ClientCommand.cpp:1203 msgid "Unable to reload network module {1}: Not connected with a network." msgstr "" +"Impossible de recharger le module de réseau {1} : vous n'êtes pas connecté à " +"un réseau." #: ClientCommand.cpp:1225 msgid "Unable to reload module {1}: Unknown module type" -msgstr "" +msgstr "Impossible de recharger le module {1} : type de module inconnu" #: ClientCommand.cpp:1236 msgid "Usage: UpdateMod " -msgstr "" +msgstr "Utilisation : UpdateMod " #: ClientCommand.cpp:1240 msgid "Reloading {1} everywhere" -msgstr "" +msgstr "Rechargement de {1} partout" #: ClientCommand.cpp:1242 msgid "Done" -msgstr "" +msgstr "Fait" #: ClientCommand.cpp:1245 msgid "" "Done, but there were errors, module {1} could not be reloaded everywhere." msgstr "" +"Fait, mais des erreurs ont eu lieu, le module {1} n'a pas pu être rechargé " +"partout." #: ClientCommand.cpp:1253 msgid "" "You must be connected with a network to use this command. Try " "SetUserBindHost instead" msgstr "" +"Vous devez être connecté à un réseau pour utiliser cette commande. Essayez " +"SetUserBindHost à la place" #: ClientCommand.cpp:1260 msgid "Usage: SetBindHost " -msgstr "" +msgstr "Utilisation : SetBindHost " #: ClientCommand.cpp:1265 ClientCommand.cpp:1282 msgid "You already have this bind host!" -msgstr "" +msgstr "Vous êtes déjà lié à cet hôte !" #: ClientCommand.cpp:1270 msgid "Set bind host for network {1} to {2}" -msgstr "" +msgstr "Lie l'hôte {2} au réseau {1}" #: ClientCommand.cpp:1277 msgid "Usage: SetUserBindHost " -msgstr "" +msgstr "Utilisation : SetUserBindHost " #: ClientCommand.cpp:1287 msgid "Set default bind host to {1}" -msgstr "" +msgstr "Définit l'hôte par défaut à {1}" #: ClientCommand.cpp:1293 msgid "" "You must be connected with a network to use this command. Try " "ClearUserBindHost instead" msgstr "" +"Vous devez être connecté à un réseau pour utiliser cette commande. Essayez " +"ClearUserBindHost à la place" #: ClientCommand.cpp:1298 msgid "Bind host cleared for this network." -msgstr "" +msgstr "L'hôte lié à ce réseau a été supprimé." #: ClientCommand.cpp:1302 msgid "Default bind host cleared for your user." -msgstr "" +msgstr "L'hôte lié par défaut a été supprimé pour votre utilisateur." #: ClientCommand.cpp:1305 msgid "This user's default bind host not set" -msgstr "" +msgstr "L'hôte lié par défaut pour cet utilisateur n'a pas été configuré" #: ClientCommand.cpp:1307 msgid "This user's default bind host is {1}" -msgstr "" +msgstr "L'hôte lié par défaut pour cet utilisateur est {1}" #: ClientCommand.cpp:1312 msgid "This network's bind host not set" -msgstr "" +msgstr "L'hôte lié pour ce réseau n'est pas défini" #: ClientCommand.cpp:1314 msgid "This network's default bind host is {1}" -msgstr "" +msgstr "L'hôte lié par défaut pour ce réseau est {1}" #: ClientCommand.cpp:1328 msgid "Usage: PlayBuffer <#chan|query>" -msgstr "" +msgstr "Utilisation : PlayBuffer <#salon|privé>" #: ClientCommand.cpp:1336 msgid "You are not on {1}" -msgstr "" +msgstr "Vous n'êtes pas sur {1}" #: ClientCommand.cpp:1341 msgid "You are not on {1} (trying to join)" -msgstr "" +msgstr "Vous n'êtes pas sur {1} (en cours de connexion)" #: ClientCommand.cpp:1346 msgid "The buffer for channel {1} is empty" -msgstr "" +msgstr "Le tampon du salon {1} est vide" #: ClientCommand.cpp:1355 msgid "No active query with {1}" -msgstr "" +msgstr "Aucune session privée avec {1}" #: ClientCommand.cpp:1360 msgid "The buffer for {1} is empty" -msgstr "" +msgstr "Le tampon pour {1} est vide" #: ClientCommand.cpp:1376 msgid "Usage: ClearBuffer <#chan|query>" -msgstr "" +msgstr "Utilisation : ClearBuffer <#salon|privé>" #: ClientCommand.cpp:1395 msgid "{1} buffer matching {2} has been cleared" msgid_plural "{1} buffers matching {2} have been cleared" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "Le tampon {1} correspondant à {2} a été vidé" +msgstr[1] "Les tampons {1} correspondant à {2} ont été vidés" #: ClientCommand.cpp:1408 msgid "All channel buffers have been cleared" -msgstr "" +msgstr "Les tampons de tous les salons ont été vidés" #: ClientCommand.cpp:1417 msgid "All query buffers have been cleared" -msgstr "" +msgstr "Les tampons de toutes les sessions privées ont été vidés" #: ClientCommand.cpp:1429 msgid "All buffers have been cleared" -msgstr "" +msgstr "Tous les tampons ont été vidés" #: ClientCommand.cpp:1440 msgid "Usage: SetBuffer <#chan|query> [linecount]" -msgstr "" +msgstr "Utilisation : SetBuffer <#salon|privé> [lignes]" #: ClientCommand.cpp:1461 msgid "Setting buffer size failed for {1} buffer" msgid_plural "Setting buffer size failed for {1} buffers" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "La configuration de la taille du tampon a échoué pour {1}" +msgstr[1] "La configuration de la taille du tampon a échoué pour {1}" #: ClientCommand.cpp:1464 msgid "Maximum buffer size is {1} line" msgid_plural "Maximum buffer size is {1} lines" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "La taille maximale du tampon est de {1} ligne" +msgstr[1] "La taille maximale du tampon est de {1} lignes" #: ClientCommand.cpp:1469 msgid "Size of every buffer was set to {1} line" msgid_plural "Size of every buffer was set to {1} lines" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "La taille de tous les tampons a été définie à {1} ligne" +msgstr[1] "La taille de tous les tampons a été définie à {1} lignes" #: ClientCommand.cpp:1479 ClientCommand.cpp:1486 ClientCommand.cpp:1497 #: ClientCommand.cpp:1506 ClientCommand.cpp:1514 msgctxt "trafficcmd" msgid "Username" -msgstr "" +msgstr "Nom d'utilisateur" #: ClientCommand.cpp:1480 ClientCommand.cpp:1487 ClientCommand.cpp:1499 #: ClientCommand.cpp:1508 ClientCommand.cpp:1516 msgctxt "trafficcmd" msgid "In" -msgstr "" +msgstr "Entrée" #: ClientCommand.cpp:1481 ClientCommand.cpp:1489 ClientCommand.cpp:1500 #: ClientCommand.cpp:1509 ClientCommand.cpp:1517 msgctxt "trafficcmd" msgid "Out" -msgstr "" +msgstr "Sortie" #: ClientCommand.cpp:1482 ClientCommand.cpp:1492 ClientCommand.cpp:1502 #: ClientCommand.cpp:1510 ClientCommand.cpp:1519 msgctxt "trafficcmd" msgid "Total" -msgstr "" +msgstr "Total" #: ClientCommand.cpp:1498 msgctxt "trafficcmd" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1507 msgctxt "trafficcmd" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1515 msgctxt "trafficcmd" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1524 msgid "Running for {1}" -msgstr "" +msgstr "Actif pour {1}" #: ClientCommand.cpp:1530 msgid "Unknown command, try 'Help'" -msgstr "" +msgstr "Commande inconnue, essayez 'Help'" #: ClientCommand.cpp:1539 ClientCommand.cpp:1550 msgctxt "listports" msgid "Port" -msgstr "" +msgstr "Port" #: ClientCommand.cpp:1540 ClientCommand.cpp:1551 msgctxt "listports" msgid "BindHost" -msgstr "" +msgstr "BindHost" #: ClientCommand.cpp:1541 ClientCommand.cpp:1554 msgctxt "listports" msgid "SSL" -msgstr "" +msgstr "SSL" #: ClientCommand.cpp:1542 ClientCommand.cpp:1559 msgctxt "listports" msgid "Protocol" -msgstr "" +msgstr "Protocole" #: ClientCommand.cpp:1543 ClientCommand.cpp:1566 msgctxt "listports" msgid "IRC" -msgstr "" +msgstr "IRC" #: ClientCommand.cpp:1544 ClientCommand.cpp:1571 msgctxt "listports" msgid "Web" -msgstr "" +msgstr "Web" #: ClientCommand.cpp:1555 msgctxt "listports|ssl" msgid "yes" -msgstr "" +msgstr "oui" #: ClientCommand.cpp:1556 msgctxt "listports|ssl" msgid "no" -msgstr "" +msgstr "non" #: ClientCommand.cpp:1560 msgctxt "listports" msgid "IPv4 and IPv6" -msgstr "" +msgstr "IPv4 et IPv6" #: ClientCommand.cpp:1562 msgctxt "listports" msgid "IPv4" -msgstr "" +msgstr "IPv4" #: ClientCommand.cpp:1563 msgctxt "listports" msgid "IPv6" -msgstr "" +msgstr "IPv6" #: ClientCommand.cpp:1569 msgctxt "listports|irc" msgid "yes" -msgstr "" +msgstr "oui" #: ClientCommand.cpp:1570 msgctxt "listports|irc" msgid "no" -msgstr "" +msgstr "non" #: ClientCommand.cpp:1574 msgctxt "listports|irc" msgid "yes, on {1}" -msgstr "" +msgstr "oui, sur {1}" #: ClientCommand.cpp:1576 msgctxt "listports|web" msgid "no" -msgstr "" +msgstr "non" #: ClientCommand.cpp:1616 msgid "" "Usage: AddPort <[+]port> [bindhost [uriprefix]]" msgstr "" +"Utilisation : AddPort <[+]port> [bindhost " +"[uriprefix]]" #: ClientCommand.cpp:1632 msgid "Port added" -msgstr "" +msgstr "Port ajouté" #: ClientCommand.cpp:1634 msgid "Couldn't add port" -msgstr "" +msgstr "Le port n'a pas pu être ajouté" #: ClientCommand.cpp:1640 msgid "Usage: DelPort [bindhost]" -msgstr "" +msgstr "Utilisation : DelPort [bindhost]" #: ClientCommand.cpp:1649 msgid "Deleted Port" -msgstr "" +msgstr "Port supprimé" #: ClientCommand.cpp:1651 msgid "Unable to find a matching port" -msgstr "" +msgstr "Impossible de trouver un port correspondant" #: ClientCommand.cpp:1659 ClientCommand.cpp:1673 msgctxt "helpcmd" msgid "Command" -msgstr "" +msgstr "Commande" #: ClientCommand.cpp:1660 ClientCommand.cpp:1674 msgctxt "helpcmd" msgid "Description" -msgstr "" +msgstr "Description" #: ClientCommand.cpp:1664 msgid "" "In the following list all occurrences of <#chan> support wildcards (* and ?) " "except ListNicks" msgstr "" +"Dans la liste ci-dessous, les occurrences de <#salon> supportent les jokers " +"(* et ?), sauf ListNicks" #: ClientCommand.cpp:1680 msgctxt "helpcmd|Version|desc" msgid "Print which version of ZNC this is" -msgstr "" +msgstr "Affiche la version de ZNC" #: ClientCommand.cpp:1683 msgctxt "helpcmd|ListMods|desc" msgid "List all loaded modules" -msgstr "" +msgstr "Liste les modules chargés" #: ClientCommand.cpp:1686 msgctxt "helpcmd|ListAvailMods|desc" msgid "List all available modules" -msgstr "" +msgstr "Liste les modules disponibles" #: ClientCommand.cpp:1690 ClientCommand.cpp:1876 msgctxt "helpcmd|ListChans|desc" msgid "List all channels" -msgstr "" +msgstr "Liste les salons" #: ClientCommand.cpp:1693 msgctxt "helpcmd|ListNicks|args" msgid "<#chan>" -msgstr "" +msgstr "<#salon>" #: ClientCommand.cpp:1694 msgctxt "helpcmd|ListNicks|desc" msgid "List all nicks on a channel" -msgstr "" +msgstr "Liste les pseudonymes d'un salon" #: ClientCommand.cpp:1697 msgctxt "helpcmd|ListClients|desc" msgid "List all clients connected to your ZNC user" -msgstr "" +msgstr "Liste les clients connectés à votre utilisateur ZNC" #: ClientCommand.cpp:1701 msgctxt "helpcmd|ListServers|desc" msgid "List all servers of current IRC network" -msgstr "" +msgstr "Liste les serveurs du réseau IRC actuel" #: ClientCommand.cpp:1705 msgctxt "helpcmd|AddNetwork|args" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1706 msgctxt "helpcmd|AddNetwork|desc" msgid "Add a network to your user" -msgstr "" +msgstr "Ajoute un réseau à votre utilisateur" #: ClientCommand.cpp:1708 msgctxt "helpcmd|DelNetwork|args" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1709 msgctxt "helpcmd|DelNetwork|desc" msgid "Delete a network from your user" -msgstr "" +msgstr "Supprime un réseau de votre utilisateur" #: ClientCommand.cpp:1711 msgctxt "helpcmd|ListNetworks|desc" msgid "List all networks" -msgstr "" +msgstr "Liste les réseaux" #: ClientCommand.cpp:1714 msgctxt "helpcmd|MoveNetwork|args" msgid " [new network]" msgstr "" +" [nouveau réseau]" #: ClientCommand.cpp:1716 msgctxt "helpcmd|MoveNetwork|desc" msgid "Move an IRC network from one user to another" -msgstr "" +msgstr "Migre un réseau IRC d'un utilisateur à l'autre" #: ClientCommand.cpp:1720 msgctxt "helpcmd|JumpNetwork|args" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1721 msgctxt "helpcmd|JumpNetwork|desc" @@ -1288,22 +1347,26 @@ msgid "" "Jump to another network (Alternatively, you can connect to ZNC several " "times, using `user/network` as username)" msgstr "" +"Migre vers un autre réseau (alternativement, vous pouvez vous connectez à " +"ZNC à plusieurs reprises en utilisant 'utilisateur/réseau' comme identifiant)" #: ClientCommand.cpp:1726 msgctxt "helpcmd|AddServer|args" msgid " [[+]port] [pass]" -msgstr "" +msgstr " [[+]port] [pass]" #: ClientCommand.cpp:1727 msgctxt "helpcmd|AddServer|desc" msgid "" "Add a server to the list of alternate/backup servers of current IRC network." msgstr "" +"Ajoute un serveur à la liste des serveurs alternatifs pour le réseau IRC " +"actuel." #: ClientCommand.cpp:1731 msgctxt "helpcmd|DelServer|args" msgid " [port] [pass]" -msgstr "" +msgstr " [port] [pass]" #: ClientCommand.cpp:1732 msgctxt "helpcmd|DelServer|desc" @@ -1311,11 +1374,12 @@ msgid "" "Remove a server from the list of alternate/backup servers of current IRC " "network" msgstr "" +"Supprime un serveur de la liste des serveurs alternatifs du réseau IRC actuel" #: ClientCommand.cpp:1738 msgctxt "helpcmd|AddTrustedServerFingerprint|args" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1739 msgctxt "helpcmd|AddTrustedServerFingerprint|desc" @@ -1323,404 +1387,415 @@ msgid "" "Add a trusted server SSL certificate fingerprint (SHA-256) to current IRC " "network." msgstr "" +"Ajoute l'empreinte (SHA-256) d'un certificat SSL de confiance au réseau IRC " +"actuel." #: ClientCommand.cpp:1744 msgctxt "helpcmd|DelTrustedServerFingerprint|args" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1745 msgctxt "helpcmd|DelTrustedServerFingerprint|desc" msgid "Delete a trusted server SSL certificate from current IRC network." -msgstr "" +msgstr "Supprime un certificat SSL de confiance du réseau IRC actuel." #: ClientCommand.cpp:1749 msgctxt "helpcmd|ListTrustedServerFingerprints|desc" msgid "List all trusted server SSL certificates of current IRC network." -msgstr "" +msgstr "Liste les certificats SSL de confiance du réseau IRC actuel." #: ClientCommand.cpp:1752 msgctxt "helpcmd|EnableChan|args" msgid "<#chans>" -msgstr "" +msgstr "<#salons>" #: ClientCommand.cpp:1753 msgctxt "helpcmd|EnableChan|desc" msgid "Enable channels" -msgstr "" +msgstr "Active les salons" #: ClientCommand.cpp:1754 msgctxt "helpcmd|DisableChan|args" msgid "<#chans>" -msgstr "" +msgstr "<#salons>" #: ClientCommand.cpp:1755 msgctxt "helpcmd|DisableChan|desc" msgid "Disable channels" -msgstr "" +msgstr "Désactive les salons" #: ClientCommand.cpp:1756 msgctxt "helpcmd|Attach|args" msgid "<#chans>" -msgstr "" +msgstr "<#salons>" #: ClientCommand.cpp:1757 msgctxt "helpcmd|Attach|desc" msgid "Attach to channels" -msgstr "" +msgstr "Attache les salons" #: ClientCommand.cpp:1758 msgctxt "helpcmd|Detach|args" msgid "<#chans>" -msgstr "" +msgstr "<#salons>" #: ClientCommand.cpp:1759 msgctxt "helpcmd|Detach|desc" msgid "Detach from channels" -msgstr "" +msgstr "Se détacher des salons" #: ClientCommand.cpp:1762 msgctxt "helpcmd|Topics|desc" msgid "Show topics in all your channels" -msgstr "" +msgstr "Afficher le sujet dans tous les salons" #: ClientCommand.cpp:1765 msgctxt "helpcmd|PlayBuffer|args" msgid "<#chan|query>" -msgstr "" +msgstr "<#salon|privé>" #: ClientCommand.cpp:1766 msgctxt "helpcmd|PlayBuffer|desc" msgid "Play back the specified buffer" -msgstr "" +msgstr "Rejouer le tampon spécifié" #: ClientCommand.cpp:1768 msgctxt "helpcmd|ClearBuffer|args" msgid "<#chan|query>" -msgstr "" +msgstr "<#salon|privé>" #: ClientCommand.cpp:1769 msgctxt "helpcmd|ClearBuffer|desc" msgid "Clear the specified buffer" -msgstr "" +msgstr "Vider le tampon spécifié" #: ClientCommand.cpp:1771 msgctxt "helpcmd|ClearAllBuffers|desc" msgid "Clear all channel and query buffers" -msgstr "" +msgstr "Vider tous les tampons de salons et de sessions privées" #: ClientCommand.cpp:1774 msgctxt "helpcmd|ClearAllChannelBuffers|desc" msgid "Clear the channel buffers" -msgstr "" +msgstr "Vider tous les tampons de salon" #: ClientCommand.cpp:1778 msgctxt "helpcmd|ClearAllQueryBuffers|desc" msgid "Clear the query buffers" -msgstr "" +msgstr "Vider tous les tampons de session privée" #: ClientCommand.cpp:1780 msgctxt "helpcmd|SetBuffer|args" msgid "<#chan|query> [linecount]" -msgstr "" +msgstr "<#salon|privé> [lignes]" #: ClientCommand.cpp:1781 msgctxt "helpcmd|SetBuffer|desc" msgid "Set the buffer count" -msgstr "" +msgstr "Définir le nombre de tampons" #: ClientCommand.cpp:1785 msgctxt "helpcmd|SetBindHost|args" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1786 msgctxt "helpcmd|SetBindHost|desc" msgid "Set the bind host for this network" -msgstr "" +msgstr "Définir le bindhost pour ce réseau" #: ClientCommand.cpp:1790 msgctxt "helpcmd|SetUserBindHost|args" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1791 msgctxt "helpcmd|SetUserBindHost|desc" msgid "Set the default bind host for this user" -msgstr "" +msgstr "Définir l'hôte lié pour cet utilisateur" #: ClientCommand.cpp:1794 msgctxt "helpcmd|ClearBindHost|desc" msgid "Clear the bind host for this network" -msgstr "" +msgstr "Vider l'hôte lié pour ce réseau" #: ClientCommand.cpp:1797 msgctxt "helpcmd|ClearUserBindHost|desc" msgid "Clear the default bind host for this user" -msgstr "" +msgstr "Vider l'hôte lié pour cet utilisateur" #: ClientCommand.cpp:1803 msgctxt "helpcmd|ShowBindHost|desc" msgid "Show currently selected bind host" -msgstr "" +msgstr "Afficher l'hôte actuellement lié" #: ClientCommand.cpp:1805 msgctxt "helpcmd|Jump|args" msgid "[server]" -msgstr "" +msgstr "[serveur]" #: ClientCommand.cpp:1806 msgctxt "helpcmd|Jump|desc" msgid "Jump to the next or the specified server" -msgstr "" +msgstr "Passer au serveur sélectionné ou au suivant" #: ClientCommand.cpp:1807 msgctxt "helpcmd|Disconnect|args" msgid "[message]" -msgstr "" +msgstr "[message]" #: ClientCommand.cpp:1808 msgctxt "helpcmd|Disconnect|desc" msgid "Disconnect from IRC" -msgstr "" +msgstr "Déconnexion d'IRC" #: ClientCommand.cpp:1810 msgctxt "helpcmd|Connect|desc" msgid "Reconnect to IRC" -msgstr "" +msgstr "Reconnexion à IRC" #: ClientCommand.cpp:1813 msgctxt "helpcmd|Uptime|desc" msgid "Show for how long ZNC has been running" -msgstr "" +msgstr "Afficher le temps écoulé depuis le lancement de ZNC" #: ClientCommand.cpp:1817 msgctxt "helpcmd|LoadMod|args" msgid "[--type=global|user|network] " -msgstr "" +msgstr "[--type=global|user|network] " #: ClientCommand.cpp:1819 msgctxt "helpcmd|LoadMod|desc" msgid "Load a module" -msgstr "" +msgstr "Charger un module" #: ClientCommand.cpp:1821 msgctxt "helpcmd|UnloadMod|args" msgid "[--type=global|user|network] " -msgstr "" +msgstr "[--type=global|user|network] " #: ClientCommand.cpp:1823 msgctxt "helpcmd|UnloadMod|desc" msgid "Unload a module" -msgstr "" +msgstr "Désactiver un module" #: ClientCommand.cpp:1825 msgctxt "helpcmd|ReloadMod|args" msgid "[--type=global|user|network] " -msgstr "" +msgstr "[--type=global|user|network] " #: ClientCommand.cpp:1827 msgctxt "helpcmd|ReloadMod|desc" msgid "Reload a module" -msgstr "" +msgstr "Recharger un module" #: ClientCommand.cpp:1830 msgctxt "helpcmd|UpdateMod|args" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1831 msgctxt "helpcmd|UpdateMod|desc" msgid "Reload a module everywhere" -msgstr "" +msgstr "Recharger un module partout" #: ClientCommand.cpp:1837 msgctxt "helpcmd|ShowMOTD|desc" msgid "Show ZNC's message of the day" -msgstr "" +msgstr "Afficher le message du jour de ZNC" #: ClientCommand.cpp:1841 msgctxt "helpcmd|SetMOTD|args" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1842 msgctxt "helpcmd|SetMOTD|desc" msgid "Set ZNC's message of the day" -msgstr "" +msgstr "Configurer le message du jour de ZNC" #: ClientCommand.cpp:1844 msgctxt "helpcmd|AddMOTD|args" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1845 msgctxt "helpcmd|AddMOTD|desc" msgid "Append to ZNC's MOTD" -msgstr "" +msgstr "Ajouter au message du jour de ZNC" #: ClientCommand.cpp:1847 msgctxt "helpcmd|ClearMOTD|desc" msgid "Clear ZNC's MOTD" -msgstr "" +msgstr "Vider le message du jour de ZNC" #: ClientCommand.cpp:1850 msgctxt "helpcmd|ListPorts|desc" msgid "Show all active listeners" -msgstr "" +msgstr "Afficher tous les clients actifs" #: ClientCommand.cpp:1852 msgctxt "helpcmd|AddPort|args" msgid "<[+]port> [bindhost [uriprefix]]" -msgstr "" +msgstr "<[+]port> [bindhost [uriprefix]]" #: ClientCommand.cpp:1855 msgctxt "helpcmd|AddPort|desc" msgid "Add another port for ZNC to listen on" -msgstr "" +msgstr "Ajouter un port d'écoute à ZNC" #: ClientCommand.cpp:1859 msgctxt "helpcmd|DelPort|args" msgid " [bindhost]" -msgstr "" +msgstr " [bindhost]" #: ClientCommand.cpp:1860 msgctxt "helpcmd|DelPort|desc" msgid "Remove a port from ZNC" -msgstr "" +msgstr "Supprimer un port de ZNC" #: ClientCommand.cpp:1863 msgctxt "helpcmd|Rehash|desc" msgid "Reload global settings, modules, and listeners from znc.conf" msgstr "" +"Recharger la configuration globale, les modules et les clients de znc.conf" #: ClientCommand.cpp:1866 msgctxt "helpcmd|SaveConfig|desc" msgid "Save the current settings to disk" -msgstr "" +msgstr "Sauvegarder la configuration sur le disque" #: ClientCommand.cpp:1869 msgctxt "helpcmd|ListUsers|desc" msgid "List all ZNC users and their connection status" -msgstr "" +msgstr "Lister les utilisateurs de ZNC et leur statut" #: ClientCommand.cpp:1872 msgctxt "helpcmd|ListAllUserNetworks|desc" msgid "List all ZNC users and their networks" -msgstr "" +msgstr "Lister les utilisateurs de ZNC et leurs réseaux" #: ClientCommand.cpp:1875 msgctxt "helpcmd|ListChans|args" msgid "[user ]" -msgstr "" +msgstr "[utilisateur ]" #: ClientCommand.cpp:1878 msgctxt "helpcmd|ListClients|args" msgid "[user]" -msgstr "" +msgstr "[utilisateur]" #: ClientCommand.cpp:1879 msgctxt "helpcmd|ListClients|desc" msgid "List all connected clients" -msgstr "" +msgstr "Liste les clients connectés" #: ClientCommand.cpp:1881 msgctxt "helpcmd|Traffic|desc" msgid "Show basic traffic stats for all ZNC users" -msgstr "" +msgstr "Affiche des statistiques basiques de trafic pour les utilisateurs ZNC" #: ClientCommand.cpp:1883 msgctxt "helpcmd|Broadcast|args" msgid "[message]" -msgstr "" +msgstr "[message]" #: ClientCommand.cpp:1884 msgctxt "helpcmd|Broadcast|desc" msgid "Broadcast a message to all ZNC users" -msgstr "" +msgstr "Diffuse un message à tous les utilisateurs de ZNC" #: ClientCommand.cpp:1887 msgctxt "helpcmd|Shutdown|args" msgid "[message]" -msgstr "" +msgstr "[message]" #: ClientCommand.cpp:1888 msgctxt "helpcmd|Shutdown|desc" msgid "Shut down ZNC completely" -msgstr "" +msgstr "Éteint complètement ZNC" #: ClientCommand.cpp:1889 msgctxt "helpcmd|Restart|args" msgid "[message]" -msgstr "" +msgstr "[message]" #: ClientCommand.cpp:1890 msgctxt "helpcmd|Restart|desc" msgid "Restart ZNC" -msgstr "" +msgstr "Redémarre ZNC" #: Socket.cpp:336 msgid "Can't resolve server hostname" -msgstr "" +msgstr "Impossible de résoudre le nom de domaine" #: Socket.cpp:343 msgid "" "Can't resolve bind hostname. Try /znc ClearBindHost and /znc " "ClearUserBindHost" msgstr "" +"Impossible de résoudre le nom de domaine de l'hôte. Essayez /znc " +"ClearBindHost et /znc ClearUserBindHost" #: Socket.cpp:348 msgid "Server address is IPv4-only, but bindhost is IPv6-only" msgstr "" +"L'adresse du serveur est IPv4 uniquement, mais l'hôte lié est IPv6 seulement" #: Socket.cpp:357 msgid "Server address is IPv6-only, but bindhost is IPv4-only" msgstr "" +"L'adresse du serveur est IPv6 uniquement, mais l'hôte lié est IPv4 seulement" #: Socket.cpp:515 msgid "Some socket reached its max buffer limit and was closed!" -msgstr "" +msgstr "Un socket a atteint sa limite maximale de tampon et s'est fermé !" #: SSLVerifyHost.cpp:448 msgid "hostname doesn't match" -msgstr "" +msgstr "le nom d'hôte ne correspond pas" #: SSLVerifyHost.cpp:452 msgid "malformed hostname in certificate" -msgstr "" +msgstr "le nom d'hôte du certificat est incorrect" #: SSLVerifyHost.cpp:456 msgid "hostname verification error" -msgstr "" +msgstr "erreur de vérification du nom d'hôte" #: User.cpp:507 msgid "" "Invalid network name. It should be alphanumeric. Not to be confused with " "server name" msgstr "" +"Nom de réseau invalide. Il devrait être alphanumérique. Ne pas confondre " +"avec le nom du serveur" #: User.cpp:511 msgid "Network {1} already exists" -msgstr "" +msgstr "Le réseau {1} existe déjà" #: User.cpp:777 msgid "" "You are being disconnected because your IP is no longer allowed to connect " "to this user" msgstr "" +"Vous avez été déconnecté car votre adresse IP n'est plus autorisée à se " +"connecter à cet utilisateur" #: User.cpp:907 msgid "Password is empty" -msgstr "" +msgstr "Le mot de passe est vide" #: User.cpp:912 msgid "Username is empty" -msgstr "" +msgstr "L'identifiant est vide" #: User.cpp:917 msgid "Username is invalid" -msgstr "" +msgstr "L'identifiant est invalide" #: User.cpp:1188 msgid "Unable to find modinfo {1}: {2}" -msgstr "" +msgstr "Impossible de trouver d'information sur le module {1} : {2}" From 0304a6516cc7183407023f685fa4cb073b18bf6b Mon Sep 17 00:00:00 2001 From: Altay <43066201+Al-tay@users.noreply.github.com> Date: Fri, 28 Sep 2018 19:49:33 +0200 Subject: [PATCH 200/798] Create fr-FR translation Add French translation option. --- translations/fr-FR | 1 + 1 file changed, 1 insertion(+) create mode 100644 translations/fr-FR diff --git a/translations/fr-FR b/translations/fr-FR new file mode 100644 index 00000000..6f865335 --- /dev/null +++ b/translations/fr-FR @@ -0,0 +1 @@ +SelfName Français From 36e8f55bb9daaf3d886274f82ac258a4e523202f Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Sun, 30 Sep 2018 00:26:44 +0000 Subject: [PATCH 201/798] Update translations from Crowdin for fr_FR --- modules/po/admindebug.fr_FR.po | 18 +++++++----- modules/po/adminlog.fr_FR.po | 28 +++++++++--------- modules/po/alias.fr_FR.po | 54 +++++++++++++++++----------------- modules/po/autoattach.fr_FR.po | 36 +++++++++++------------ modules/po/autocycle.fr_FR.po | 28 ++++++++++-------- 5 files changed, 84 insertions(+), 80 deletions(-) diff --git a/modules/po/admindebug.fr_FR.po b/modules/po/admindebug.fr_FR.po index f1ee0f29..f7732026 100644 --- a/modules/po/admindebug.fr_FR.po +++ b/modules/po/admindebug.fr_FR.po @@ -22,38 +22,40 @@ msgstr "" #: admindebug.cpp:34 msgid "Show the Debug Mode status" -msgstr "" +msgstr "Afficher le statut du mode de déboguage" #: admindebug.cpp:40 admindebug.cpp:49 msgid "Access denied!" -msgstr "" +msgstr "Accès refusé !" #: admindebug.cpp:58 msgid "" "Failure. We need to be running with a TTY. (is ZNC running with --" "foreground?)" msgstr "" +"Échec, ZNC n'est pas lancé dans un TTY (peut-être que l'option --foreground " +"est active ?)" #: admindebug.cpp:66 msgid "Already enabled." -msgstr "" +msgstr "Déjà activé." #: admindebug.cpp:68 msgid "Already disabled." -msgstr "" +msgstr "Déjà désactivé." #: admindebug.cpp:92 msgid "Debugging mode is on." -msgstr "" +msgstr "Le déboguage est actif." #: admindebug.cpp:94 msgid "Debugging mode is off." -msgstr "" +msgstr "Le débogage est inactif." #: admindebug.cpp:96 msgid "Logging to: stdout." -msgstr "" +msgstr "Journaux envoyés dans stdout." #: admindebug.cpp:105 msgid "Enable Debug mode dynamically." -msgstr "" +msgstr "Activer le déboguage dynamiquement." diff --git a/modules/po/adminlog.fr_FR.po b/modules/po/adminlog.fr_FR.po index 3d903cbf..080dc81c 100644 --- a/modules/po/adminlog.fr_FR.po +++ b/modules/po/adminlog.fr_FR.po @@ -14,56 +14,56 @@ msgstr "" #: adminlog.cpp:29 msgid "Show the logging target" -msgstr "" +msgstr "Afficher la cible des journaux" #: adminlog.cpp:31 msgid " [path]" -msgstr "" +msgstr " [path]" #: adminlog.cpp:32 msgid "Set the logging target" -msgstr "" +msgstr "Configure la cible des journaux" #: adminlog.cpp:142 msgid "Access denied" -msgstr "" +msgstr "Accès refusé" #: adminlog.cpp:156 msgid "Now logging to file" -msgstr "" +msgstr "Journalisation vers un fichier" #: adminlog.cpp:160 msgid "Now only logging to syslog" -msgstr "" +msgstr "Journalisation vers syslog" #: adminlog.cpp:164 msgid "Now logging to syslog and file" -msgstr "" +msgstr "Journalisation vers syslog et un fichier" #: adminlog.cpp:168 msgid "Usage: Target [path]" -msgstr "" +msgstr "Utilisation: Target [path]" #: adminlog.cpp:170 msgid "Unknown target" -msgstr "" +msgstr "Cible inconnue" #: adminlog.cpp:192 msgid "Logging is enabled for file" -msgstr "" +msgstr "La journalisation est activée vers un fichier" #: adminlog.cpp:195 msgid "Logging is enabled for syslog" -msgstr "" +msgstr "La journalisation est activée vers syslog" #: adminlog.cpp:198 msgid "Logging is enabled for both, file and syslog" -msgstr "" +msgstr "La journalisation est activée pour syslog et un fichier" #: adminlog.cpp:204 msgid "Log file will be written to {1}" -msgstr "" +msgstr "Le journal sera sauvegardé dans {1}" #: adminlog.cpp:222 msgid "Log ZNC events to file and/or syslog." -msgstr "" +msgstr "Journaliser les événements ZNC vers un fichier ou syslog." diff --git a/modules/po/alias.fr_FR.po b/modules/po/alias.fr_FR.po index 8bd57c42..7d3e7fbd 100644 --- a/modules/po/alias.fr_FR.po +++ b/modules/po/alias.fr_FR.po @@ -14,110 +14,110 @@ msgstr "" #: alias.cpp:141 msgid "missing required parameter: {1}" -msgstr "" +msgstr "paramètre requis absent : {1}" #: alias.cpp:201 msgid "Created alias: {1}" -msgstr "" +msgstr "Alias créé : {1}" #: alias.cpp:203 msgid "Alias already exists." -msgstr "" +msgstr "L'alias existe déjà." #: alias.cpp:210 msgid "Deleted alias: {1}" -msgstr "" +msgstr "Alias supprimé : {1}" #: alias.cpp:213 alias.cpp:224 alias.cpp:246 alias.cpp:265 alias.cpp:276 #: alias.cpp:333 msgid "Alias does not exist." -msgstr "" +msgstr "L'alias n'existe pas." #: alias.cpp:222 alias.cpp:244 alias.cpp:263 alias.cpp:274 msgid "Modified alias." -msgstr "" +msgstr "Alias modifié." #: alias.cpp:236 alias.cpp:256 msgid "Invalid index." -msgstr "" +msgstr "Indice invalide." #: alias.cpp:282 alias.cpp:298 msgid "There are no aliases." -msgstr "" +msgstr "Il n'existe aucun alias." #: alias.cpp:289 msgid "The following aliases exist: {1}" -msgstr "" +msgstr "L'alias {1} n'existe pas" #: alias.cpp:290 msgctxt "list|separator" msgid ", " -msgstr "" +msgstr ", " #: alias.cpp:324 msgid "Actions for alias {1}:" -msgstr "" +msgstr "Actions pour l'alias {1} :" #: alias.cpp:331 msgid "End of actions for alias {1}." -msgstr "" +msgstr "Fin des actions pour l'alias {1}." #: alias.cpp:338 alias.cpp:341 alias.cpp:352 alias.cpp:357 msgid "" -msgstr "" +msgstr "" #: alias.cpp:339 msgid "Creates a new, blank alias called name." -msgstr "" +msgstr "Créé un nouvel alias vide nommé nom." #: alias.cpp:341 msgid "Deletes an existing alias." -msgstr "" +msgstr "Supprime un alias existant." #: alias.cpp:343 msgid " " -msgstr "" +msgstr " " #: alias.cpp:344 msgid "Adds a line to an existing alias." -msgstr "" +msgstr "Ajoute une ligne à un alias existant." #: alias.cpp:346 msgid " " -msgstr "" +msgstr " " #: alias.cpp:347 msgid "Inserts a line into an existing alias." -msgstr "" +msgstr "Insère une ligne dans un alias existant." #: alias.cpp:349 msgid " " -msgstr "" +msgstr " " #: alias.cpp:350 msgid "Removes a line from an existing alias." -msgstr "" +msgstr "Supprime une ligne d'un alias existant." #: alias.cpp:353 msgid "Removes all lines from an existing alias." -msgstr "" +msgstr "Supprime toutes les lignes d'un alias existant." #: alias.cpp:355 msgid "Lists all aliases by name." -msgstr "" +msgstr "Liste les alias par nom." #: alias.cpp:358 msgid "Reports the actions performed by an alias." -msgstr "" +msgstr "Indique les actions réalisées par un alias." #: alias.cpp:362 msgid "Generate a list of commands to copy your alias config." -msgstr "" +msgstr "Génère une liste des commandes pour copier la configuration des alias." #: alias.cpp:374 msgid "Clearing all of them!" -msgstr "" +msgstr "Nettoie tous les alias !" #: alias.cpp:409 msgid "Provides bouncer-side command alias support." -msgstr "" +msgstr "Fournit un support des alias côté bouncer." diff --git a/modules/po/autoattach.fr_FR.po b/modules/po/autoattach.fr_FR.po index 1b2ba737..b92339fa 100644 --- a/modules/po/autoattach.fr_FR.po +++ b/modules/po/autoattach.fr_FR.po @@ -14,72 +14,72 @@ msgstr "" #: autoattach.cpp:94 msgid "Added to list" -msgstr "" +msgstr "Ajouté à la liste" #: autoattach.cpp:96 msgid "{1} is already added" -msgstr "" +msgstr "{1} est déjà présent" #: autoattach.cpp:100 msgid "Usage: Add [!]<#chan> " -msgstr "" +msgstr "Usage : Add [!]<#salon> " #: autoattach.cpp:101 msgid "Wildcards are allowed" -msgstr "" +msgstr "Les jokers sont autorisés" #: autoattach.cpp:113 msgid "Removed {1} from list" -msgstr "" +msgstr "{1} retiré de la liste" #: autoattach.cpp:115 msgid "Usage: Del [!]<#chan> " -msgstr "" +msgstr "Usage : Del[!]<#salon> " #: autoattach.cpp:121 autoattach.cpp:129 msgid "Neg" -msgstr "" +msgstr "Neg" #: autoattach.cpp:122 autoattach.cpp:130 msgid "Chan" -msgstr "" +msgstr "Salon" #: autoattach.cpp:123 autoattach.cpp:131 msgid "Search" -msgstr "" +msgstr "Recherche" #: autoattach.cpp:124 autoattach.cpp:132 msgid "Host" -msgstr "" +msgstr "Hôte" #: autoattach.cpp:138 msgid "You have no entries." -msgstr "" +msgstr "Vous n'avez aucune entrée." #: autoattach.cpp:146 autoattach.cpp:149 msgid "[!]<#chan> " -msgstr "" +msgstr "[!]<#salon> " #: autoattach.cpp:147 msgid "Add an entry, use !#chan to negate and * for wildcards" -msgstr "" +msgstr "Ajoute une entrée, utilisez !#salon pour inverser et * comme joker" #: autoattach.cpp:150 msgid "Remove an entry, needs to be an exact match" -msgstr "" +msgstr "Retire une entrée, requiert une correspondance exacte" #: autoattach.cpp:152 msgid "List all entries" -msgstr "" +msgstr "Liste toutes les entrées" #: autoattach.cpp:171 msgid "Unable to add [{1}]" -msgstr "" +msgstr "Impossible d'ajouter [{1}]" #: autoattach.cpp:283 msgid "List of channel masks and channel masks with ! before them." -msgstr "" +msgstr "Liste les masques de salons, y compris préfixés par !." #: autoattach.cpp:286 msgid "Reattaches you to channels on activity." -msgstr "" +msgstr "Vous réattache automatiquement aux salons lorsqu'ils sont actifs." diff --git a/modules/po/autocycle.fr_FR.po b/modules/po/autocycle.fr_FR.po index 558e35e6..b75e47b5 100644 --- a/modules/po/autocycle.fr_FR.po +++ b/modules/po/autocycle.fr_FR.po @@ -14,56 +14,58 @@ msgstr "" #: autocycle.cpp:27 autocycle.cpp:30 msgid "[!]<#chan>" -msgstr "" +msgstr "[!]<#salon>" #: autocycle.cpp:28 msgid "Add an entry, use !#chan to negate and * for wildcards" -msgstr "" +msgstr "Ajoute une entrée, utilisez !#salon pour inverser et * comme joker" #: autocycle.cpp:31 msgid "Remove an entry, needs to be an exact match" -msgstr "" +msgstr "Retire une entrée, requiert une correspondance exacte" #: autocycle.cpp:33 msgid "List all entries" -msgstr "" +msgstr "Liste toutes les entrées" #: autocycle.cpp:46 msgid "Unable to add {1}" -msgstr "" +msgstr "Impossible d'ajouter {1}" #: autocycle.cpp:66 msgid "{1} is already added" -msgstr "" +msgstr "{1} est déjà présent" #: autocycle.cpp:68 msgid "Added {1} to list" -msgstr "" +msgstr "{1} ajouté à la liste" #: autocycle.cpp:70 msgid "Usage: Add [!]<#chan>" -msgstr "" +msgstr "Usage: Add [!]<#salon>" #: autocycle.cpp:78 msgid "Removed {1} from list" -msgstr "" +msgstr "{1} retiré de la liste" #: autocycle.cpp:80 msgid "Usage: Del [!]<#chan>" -msgstr "" +msgstr "Usage: Del[!]<#salon>" #: autocycle.cpp:85 autocycle.cpp:89 autocycle.cpp:94 msgid "Channel" -msgstr "" +msgstr "Salon" #: autocycle.cpp:100 msgid "You have no entries." -msgstr "" +msgstr "Vous n'avez aucune entrée." #: autocycle.cpp:229 msgid "List of channel masks and channel masks with ! before them." -msgstr "" +msgstr "Liste les masques de salons, y compris préfixés par !." #: autocycle.cpp:234 msgid "Rejoins channels to gain Op if you're the only user left" msgstr "" +"Rejoint un salon automatiquement si vous êtes le dernier utilisateur pour " +"devenir Op" From 482f1ae31cb022edd842320dd1c25dfaa09bfcb3 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Thu, 1 Nov 2018 07:56:52 +0000 Subject: [PATCH 202/798] Remove file which was accidentally added by automation --- fr.zip | 5 ----- 1 file changed, 5 deletions(-) delete mode 100644 fr.zip diff --git a/fr.zip b/fr.zip deleted file mode 100644 index 431318af..00000000 --- a/fr.zip +++ /dev/null @@ -1,5 +0,0 @@ - - - 8 - File was not found - From a1aca29427099a6ec2584adcbde5946978dc78a7 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Fri, 2 Nov 2018 00:26:18 +0000 Subject: [PATCH 203/798] Update translations from Crowdin for fr_FR --- modules/po/admindebug.fr_FR.po | 10 +++++----- modules/po/adminlog.fr_FR.po | 10 +++++----- modules/po/alias.fr_FR.po | 10 +++++----- modules/po/autoattach.fr_FR.po | 10 +++++----- modules/po/autocycle.fr_FR.po | 10 +++++----- modules/po/autoop.fr_FR.po | 10 +++++----- modules/po/autoreply.fr_FR.po | 10 +++++----- modules/po/autovoice.fr_FR.po | 10 +++++----- modules/po/awaystore.fr_FR.po | 10 +++++----- modules/po/block_motd.fr_FR.po | 10 +++++----- modules/po/blockuser.fr_FR.po | 10 +++++----- modules/po/bouncedcc.fr_FR.po | 10 +++++----- modules/po/buffextras.fr_FR.po | 10 +++++----- modules/po/cert.fr_FR.po | 10 +++++----- modules/po/certauth.fr_FR.po | 10 +++++----- modules/po/chansaver.fr_FR.po | 10 +++++----- modules/po/clearbufferonmsg.fr_FR.po | 10 +++++----- modules/po/clientnotify.fr_FR.po | 10 +++++----- modules/po/controlpanel.fr_FR.po | 10 +++++----- modules/po/crypt.fr_FR.po | 10 +++++----- modules/po/ctcpflood.fr_FR.po | 10 +++++----- modules/po/cyrusauth.fr_FR.po | 10 +++++----- modules/po/dcc.fr_FR.po | 10 +++++----- modules/po/disconkick.fr_FR.po | 10 +++++----- modules/po/fail2ban.fr_FR.po | 10 +++++----- modules/po/flooddetach.fr_FR.po | 10 +++++----- modules/po/identfile.fr_FR.po | 10 +++++----- modules/po/imapauth.fr_FR.po | 10 +++++----- modules/po/keepnick.fr_FR.po | 10 +++++----- modules/po/kickrejoin.fr_FR.po | 10 +++++----- modules/po/lastseen.fr_FR.po | 10 +++++----- modules/po/listsockets.fr_FR.po | 10 +++++----- modules/po/log.fr_FR.po | 10 +++++----- modules/po/missingmotd.fr_FR.po | 10 +++++----- modules/po/modperl.fr_FR.po | 10 +++++----- modules/po/modpython.fr_FR.po | 10 +++++----- modules/po/modules_online.fr_FR.po | 10 +++++----- modules/po/nickserv.fr_FR.po | 10 +++++----- modules/po/notes.fr_FR.po | 10 +++++----- modules/po/notify_connect.fr_FR.po | 10 +++++----- modules/po/partyline.fr_FR.po | 10 +++++----- modules/po/perform.fr_FR.po | 10 +++++----- modules/po/perleval.fr_FR.po | 10 +++++----- modules/po/pyeval.fr_FR.po | 10 +++++----- modules/po/q.fr_FR.po | 10 +++++----- modules/po/raw.fr_FR.po | 10 +++++----- modules/po/route_replies.fr_FR.po | 10 +++++----- modules/po/sample.fr_FR.po | 10 +++++----- modules/po/samplewebapi.fr_FR.po | 10 +++++----- modules/po/sasl.fr_FR.po | 10 +++++----- modules/po/savebuff.fr_FR.po | 10 +++++----- modules/po/send_raw.fr_FR.po | 10 +++++----- modules/po/shell.fr_FR.po | 10 +++++----- modules/po/simple_away.fr_FR.po | 10 +++++----- modules/po/stickychan.fr_FR.po | 10 +++++----- modules/po/stripcontrols.fr_FR.po | 10 +++++----- modules/po/watch.fr_FR.po | 10 +++++----- modules/po/webadmin.fr_FR.po | 10 +++++----- src/po/znc.fr_FR.po | 10 +++++----- 59 files changed, 295 insertions(+), 295 deletions(-) diff --git a/modules/po/admindebug.fr_FR.po b/modules/po/admindebug.fr_FR.po index 20a98b17..b4f98fec 100644 --- a/modules/po/admindebug.fr_FR.po +++ b/modules/po/admindebug.fr_FR.po @@ -1,16 +1,16 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.7.x/modules/po/admindebug.pot\n" +"X-Crowdin-File: /master/modules/po/admindebug.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" #: admindebug.cpp:30 msgid "Enable Debug Mode" diff --git a/modules/po/adminlog.fr_FR.po b/modules/po/adminlog.fr_FR.po index 297f17cf..224262ed 100644 --- a/modules/po/adminlog.fr_FR.po +++ b/modules/po/adminlog.fr_FR.po @@ -1,16 +1,16 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.7.x/modules/po/adminlog.pot\n" +"X-Crowdin-File: /master/modules/po/adminlog.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" #: adminlog.cpp:29 msgid "Show the logging target" diff --git a/modules/po/alias.fr_FR.po b/modules/po/alias.fr_FR.po index 1ade44e0..519b77ea 100644 --- a/modules/po/alias.fr_FR.po +++ b/modules/po/alias.fr_FR.po @@ -1,16 +1,16 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.7.x/modules/po/alias.pot\n" +"X-Crowdin-File: /master/modules/po/alias.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" #: alias.cpp:141 msgid "missing required parameter: {1}" diff --git a/modules/po/autoattach.fr_FR.po b/modules/po/autoattach.fr_FR.po index b78e93f2..2c37cdb5 100644 --- a/modules/po/autoattach.fr_FR.po +++ b/modules/po/autoattach.fr_FR.po @@ -1,16 +1,16 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.7.x/modules/po/autoattach.pot\n" +"X-Crowdin-File: /master/modules/po/autoattach.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" #: autoattach.cpp:94 msgid "Added to list" diff --git a/modules/po/autocycle.fr_FR.po b/modules/po/autocycle.fr_FR.po index f491d6b6..7f835f68 100644 --- a/modules/po/autocycle.fr_FR.po +++ b/modules/po/autocycle.fr_FR.po @@ -1,16 +1,16 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.7.x/modules/po/autocycle.pot\n" +"X-Crowdin-File: /master/modules/po/autocycle.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" #: autocycle.cpp:27 autocycle.cpp:30 msgid "[!]<#chan>" diff --git a/modules/po/autoop.fr_FR.po b/modules/po/autoop.fr_FR.po index 8b86af2e..262e67ec 100644 --- a/modules/po/autoop.fr_FR.po +++ b/modules/po/autoop.fr_FR.po @@ -1,16 +1,16 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.7.x/modules/po/autoop.pot\n" +"X-Crowdin-File: /master/modules/po/autoop.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" #: autoop.cpp:154 msgid "List all users" diff --git a/modules/po/autoreply.fr_FR.po b/modules/po/autoreply.fr_FR.po index 7a3f4e96..34e2738d 100644 --- a/modules/po/autoreply.fr_FR.po +++ b/modules/po/autoreply.fr_FR.po @@ -1,16 +1,16 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.7.x/modules/po/autoreply.pot\n" +"X-Crowdin-File: /master/modules/po/autoreply.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" #: autoreply.cpp:25 msgid "" diff --git a/modules/po/autovoice.fr_FR.po b/modules/po/autovoice.fr_FR.po index cae330b9..03433c72 100644 --- a/modules/po/autovoice.fr_FR.po +++ b/modules/po/autovoice.fr_FR.po @@ -1,16 +1,16 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.7.x/modules/po/autovoice.pot\n" +"X-Crowdin-File: /master/modules/po/autovoice.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" #: autovoice.cpp:120 msgid "List all users" diff --git a/modules/po/awaystore.fr_FR.po b/modules/po/awaystore.fr_FR.po index f55af37a..a585610e 100644 --- a/modules/po/awaystore.fr_FR.po +++ b/modules/po/awaystore.fr_FR.po @@ -1,16 +1,16 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.7.x/modules/po/awaystore.pot\n" +"X-Crowdin-File: /master/modules/po/awaystore.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" #: awaystore.cpp:67 msgid "You have been marked as away" diff --git a/modules/po/block_motd.fr_FR.po b/modules/po/block_motd.fr_FR.po index d00c5723..df705b2f 100644 --- a/modules/po/block_motd.fr_FR.po +++ b/modules/po/block_motd.fr_FR.po @@ -1,16 +1,16 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.7.x/modules/po/block_motd.pot\n" +"X-Crowdin-File: /master/modules/po/block_motd.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" #: block_motd.cpp:26 msgid "[]" diff --git a/modules/po/blockuser.fr_FR.po b/modules/po/blockuser.fr_FR.po index 1a83a4b0..f5132d59 100644 --- a/modules/po/blockuser.fr_FR.po +++ b/modules/po/blockuser.fr_FR.po @@ -1,16 +1,16 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.7.x/modules/po/blockuser.pot\n" +"X-Crowdin-File: /master/modules/po/blockuser.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" #: modules/po/../data/blockuser/tmpl/blockuser_WebadminUser.tmpl:9 msgid "Account is blocked" diff --git a/modules/po/bouncedcc.fr_FR.po b/modules/po/bouncedcc.fr_FR.po index c18a5668..8549d04a 100644 --- a/modules/po/bouncedcc.fr_FR.po +++ b/modules/po/bouncedcc.fr_FR.po @@ -1,16 +1,16 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.7.x/modules/po/bouncedcc.pot\n" +"X-Crowdin-File: /master/modules/po/bouncedcc.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" #: bouncedcc.cpp:101 bouncedcc.cpp:119 bouncedcc.cpp:121 msgctxt "list" diff --git a/modules/po/buffextras.fr_FR.po b/modules/po/buffextras.fr_FR.po index 092b1330..0b7d3ede 100644 --- a/modules/po/buffextras.fr_FR.po +++ b/modules/po/buffextras.fr_FR.po @@ -1,16 +1,16 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.7.x/modules/po/buffextras.pot\n" +"X-Crowdin-File: /master/modules/po/buffextras.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" #: buffextras.cpp:45 msgid "Server" diff --git a/modules/po/cert.fr_FR.po b/modules/po/cert.fr_FR.po index fb5be6d8..b52e1741 100644 --- a/modules/po/cert.fr_FR.po +++ b/modules/po/cert.fr_FR.po @@ -1,16 +1,16 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.7.x/modules/po/cert.pot\n" +"X-Crowdin-File: /master/modules/po/cert.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" # this text is inserted into `click here` in the other string #: modules/po/../data/cert/tmpl/index.tmpl:5 diff --git a/modules/po/certauth.fr_FR.po b/modules/po/certauth.fr_FR.po index e362b491..b2522aa9 100644 --- a/modules/po/certauth.fr_FR.po +++ b/modules/po/certauth.fr_FR.po @@ -1,16 +1,16 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.7.x/modules/po/certauth.pot\n" +"X-Crowdin-File: /master/modules/po/certauth.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" #: modules/po/../data/certauth/tmpl/index.tmpl:7 msgid "Add a key" diff --git a/modules/po/chansaver.fr_FR.po b/modules/po/chansaver.fr_FR.po index 5bcc2fd7..5f125417 100644 --- a/modules/po/chansaver.fr_FR.po +++ b/modules/po/chansaver.fr_FR.po @@ -1,16 +1,16 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.7.x/modules/po/chansaver.pot\n" +"X-Crowdin-File: /master/modules/po/chansaver.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" #: chansaver.cpp:91 msgid "Keeps config up-to-date when user joins/parts." diff --git a/modules/po/clearbufferonmsg.fr_FR.po b/modules/po/clearbufferonmsg.fr_FR.po index 57d951cb..06750897 100644 --- a/modules/po/clearbufferonmsg.fr_FR.po +++ b/modules/po/clearbufferonmsg.fr_FR.po @@ -1,16 +1,16 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.7.x/modules/po/clearbufferonmsg.pot\n" +"X-Crowdin-File: /master/modules/po/clearbufferonmsg.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" #: clearbufferonmsg.cpp:160 msgid "Clears all channel and query buffers whenever the user does something" diff --git a/modules/po/clientnotify.fr_FR.po b/modules/po/clientnotify.fr_FR.po index 94cf6da2..4777e7f2 100644 --- a/modules/po/clientnotify.fr_FR.po +++ b/modules/po/clientnotify.fr_FR.po @@ -1,16 +1,16 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.7.x/modules/po/clientnotify.pot\n" +"X-Crowdin-File: /master/modules/po/clientnotify.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" #: clientnotify.cpp:47 msgid "" diff --git a/modules/po/controlpanel.fr_FR.po b/modules/po/controlpanel.fr_FR.po index 0da4caea..9e68ea0f 100644 --- a/modules/po/controlpanel.fr_FR.po +++ b/modules/po/controlpanel.fr_FR.po @@ -1,16 +1,16 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.7.x/modules/po/controlpanel.pot\n" +"X-Crowdin-File: /master/modules/po/controlpanel.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" #: controlpanel.cpp:51 controlpanel.cpp:63 msgctxt "helptable" diff --git a/modules/po/crypt.fr_FR.po b/modules/po/crypt.fr_FR.po index eb863f02..66830648 100644 --- a/modules/po/crypt.fr_FR.po +++ b/modules/po/crypt.fr_FR.po @@ -1,16 +1,16 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.7.x/modules/po/crypt.pot\n" +"X-Crowdin-File: /master/modules/po/crypt.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" #: crypt.cpp:198 msgid "<#chan|Nick>" diff --git a/modules/po/ctcpflood.fr_FR.po b/modules/po/ctcpflood.fr_FR.po index f900e432..0b5ab4d2 100644 --- a/modules/po/ctcpflood.fr_FR.po +++ b/modules/po/ctcpflood.fr_FR.po @@ -1,16 +1,16 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.7.x/modules/po/ctcpflood.pot\n" +"X-Crowdin-File: /master/modules/po/ctcpflood.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" #: ctcpflood.cpp:25 ctcpflood.cpp:27 msgid "" diff --git a/modules/po/cyrusauth.fr_FR.po b/modules/po/cyrusauth.fr_FR.po index d5b74e68..e4584483 100644 --- a/modules/po/cyrusauth.fr_FR.po +++ b/modules/po/cyrusauth.fr_FR.po @@ -1,16 +1,16 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.7.x/modules/po/cyrusauth.pot\n" +"X-Crowdin-File: /master/modules/po/cyrusauth.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" #: cyrusauth.cpp:42 msgid "Shows current settings" diff --git a/modules/po/dcc.fr_FR.po b/modules/po/dcc.fr_FR.po index 8c82b6bd..c160b05a 100644 --- a/modules/po/dcc.fr_FR.po +++ b/modules/po/dcc.fr_FR.po @@ -1,16 +1,16 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.7.x/modules/po/dcc.pot\n" +"X-Crowdin-File: /master/modules/po/dcc.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" #: dcc.cpp:88 msgid " " diff --git a/modules/po/disconkick.fr_FR.po b/modules/po/disconkick.fr_FR.po index dd1b7a88..deaf9730 100644 --- a/modules/po/disconkick.fr_FR.po +++ b/modules/po/disconkick.fr_FR.po @@ -1,16 +1,16 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.7.x/modules/po/disconkick.pot\n" +"X-Crowdin-File: /master/modules/po/disconkick.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" #: disconkick.cpp:32 msgid "You have been disconnected from the IRC server" diff --git a/modules/po/fail2ban.fr_FR.po b/modules/po/fail2ban.fr_FR.po index ad2dd4b7..3d613be4 100644 --- a/modules/po/fail2ban.fr_FR.po +++ b/modules/po/fail2ban.fr_FR.po @@ -1,16 +1,16 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.7.x/modules/po/fail2ban.pot\n" +"X-Crowdin-File: /master/modules/po/fail2ban.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" #: fail2ban.cpp:25 msgid "[minutes]" diff --git a/modules/po/flooddetach.fr_FR.po b/modules/po/flooddetach.fr_FR.po index e41a75a3..573cbc49 100644 --- a/modules/po/flooddetach.fr_FR.po +++ b/modules/po/flooddetach.fr_FR.po @@ -1,16 +1,16 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.7.x/modules/po/flooddetach.pot\n" +"X-Crowdin-File: /master/modules/po/flooddetach.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" #: flooddetach.cpp:30 msgid "Show current limits" diff --git a/modules/po/identfile.fr_FR.po b/modules/po/identfile.fr_FR.po index 5d88ead3..48ab3508 100644 --- a/modules/po/identfile.fr_FR.po +++ b/modules/po/identfile.fr_FR.po @@ -1,16 +1,16 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.7.x/modules/po/identfile.pot\n" +"X-Crowdin-File: /master/modules/po/identfile.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" #: identfile.cpp:30 msgid "Show file name" diff --git a/modules/po/imapauth.fr_FR.po b/modules/po/imapauth.fr_FR.po index 89ab539e..4f90dd25 100644 --- a/modules/po/imapauth.fr_FR.po +++ b/modules/po/imapauth.fr_FR.po @@ -1,16 +1,16 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.7.x/modules/po/imapauth.pot\n" +"X-Crowdin-File: /master/modules/po/imapauth.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" #: imapauth.cpp:168 msgid "[ server [+]port [ UserFormatString ] ]" diff --git a/modules/po/keepnick.fr_FR.po b/modules/po/keepnick.fr_FR.po index d3b8c756..e5352915 100644 --- a/modules/po/keepnick.fr_FR.po +++ b/modules/po/keepnick.fr_FR.po @@ -1,16 +1,16 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.7.x/modules/po/keepnick.pot\n" +"X-Crowdin-File: /master/modules/po/keepnick.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" #: keepnick.cpp:39 msgid "Try to get your primary nick" diff --git a/modules/po/kickrejoin.fr_FR.po b/modules/po/kickrejoin.fr_FR.po index ef43f3a5..acefaf85 100644 --- a/modules/po/kickrejoin.fr_FR.po +++ b/modules/po/kickrejoin.fr_FR.po @@ -1,16 +1,16 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.7.x/modules/po/kickrejoin.pot\n" +"X-Crowdin-File: /master/modules/po/kickrejoin.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" #: kickrejoin.cpp:56 msgid "" diff --git a/modules/po/lastseen.fr_FR.po b/modules/po/lastseen.fr_FR.po index a8ea9e72..3beb064a 100644 --- a/modules/po/lastseen.fr_FR.po +++ b/modules/po/lastseen.fr_FR.po @@ -1,16 +1,16 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.7.x/modules/po/lastseen.pot\n" +"X-Crowdin-File: /master/modules/po/lastseen.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" #: modules/po/../data/lastseen/tmpl/index.tmpl:8 msgid "User" diff --git a/modules/po/listsockets.fr_FR.po b/modules/po/listsockets.fr_FR.po index 022315c7..703d5001 100644 --- a/modules/po/listsockets.fr_FR.po +++ b/modules/po/listsockets.fr_FR.po @@ -1,16 +1,16 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.7.x/modules/po/listsockets.pot\n" +"X-Crowdin-File: /master/modules/po/listsockets.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" #: modules/po/../data/listsockets/tmpl/index.tmpl:7 listsockets.cpp:214 #: listsockets.cpp:230 diff --git a/modules/po/log.fr_FR.po b/modules/po/log.fr_FR.po index 4fa43493..8a3914ff 100644 --- a/modules/po/log.fr_FR.po +++ b/modules/po/log.fr_FR.po @@ -1,16 +1,16 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.7.x/modules/po/log.pot\n" +"X-Crowdin-File: /master/modules/po/log.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" #: log.cpp:59 msgid "" diff --git a/modules/po/missingmotd.fr_FR.po b/modules/po/missingmotd.fr_FR.po index dd87778f..2d65d2bf 100644 --- a/modules/po/missingmotd.fr_FR.po +++ b/modules/po/missingmotd.fr_FR.po @@ -1,16 +1,16 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.7.x/modules/po/missingmotd.pot\n" +"X-Crowdin-File: /master/modules/po/missingmotd.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" #: missingmotd.cpp:36 msgid "Sends 422 to clients when they login" diff --git a/modules/po/modperl.fr_FR.po b/modules/po/modperl.fr_FR.po index bb73f600..7d6f16e3 100644 --- a/modules/po/modperl.fr_FR.po +++ b/modules/po/modperl.fr_FR.po @@ -1,16 +1,16 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.7.x/modules/po/modperl.pot\n" +"X-Crowdin-File: /master/modules/po/modperl.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" #: modperl.cpp:382 msgid "Loads perl scripts as ZNC modules" diff --git a/modules/po/modpython.fr_FR.po b/modules/po/modpython.fr_FR.po index e68e11a1..2a835fc7 100644 --- a/modules/po/modpython.fr_FR.po +++ b/modules/po/modpython.fr_FR.po @@ -1,16 +1,16 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.7.x/modules/po/modpython.pot\n" +"X-Crowdin-File: /master/modules/po/modpython.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" #: modpython.cpp:512 msgid "Loads python scripts as ZNC modules" diff --git a/modules/po/modules_online.fr_FR.po b/modules/po/modules_online.fr_FR.po index 5941913a..4259b7e7 100644 --- a/modules/po/modules_online.fr_FR.po +++ b/modules/po/modules_online.fr_FR.po @@ -1,16 +1,16 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.7.x/modules/po/modules_online.pot\n" +"X-Crowdin-File: /master/modules/po/modules_online.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" #: modules_online.cpp:117 msgid "Makes ZNC's *modules to be \"online\"." diff --git a/modules/po/nickserv.fr_FR.po b/modules/po/nickserv.fr_FR.po index ac941785..f9e49711 100644 --- a/modules/po/nickserv.fr_FR.po +++ b/modules/po/nickserv.fr_FR.po @@ -1,16 +1,16 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.7.x/modules/po/nickserv.pot\n" +"X-Crowdin-File: /master/modules/po/nickserv.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" #: nickserv.cpp:31 msgid "Password set" diff --git a/modules/po/notes.fr_FR.po b/modules/po/notes.fr_FR.po index 5b27a760..d1546753 100644 --- a/modules/po/notes.fr_FR.po +++ b/modules/po/notes.fr_FR.po @@ -1,16 +1,16 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.7.x/modules/po/notes.pot\n" +"X-Crowdin-File: /master/modules/po/notes.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" #: modules/po/../data/notes/tmpl/index.tmpl:7 msgid "Add A Note" diff --git a/modules/po/notify_connect.fr_FR.po b/modules/po/notify_connect.fr_FR.po index 8f3a1eb8..14a3fa9e 100644 --- a/modules/po/notify_connect.fr_FR.po +++ b/modules/po/notify_connect.fr_FR.po @@ -1,16 +1,16 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.7.x/modules/po/notify_connect.pot\n" +"X-Crowdin-File: /master/modules/po/notify_connect.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" #: notify_connect.cpp:24 msgid "attached" diff --git a/modules/po/partyline.fr_FR.po b/modules/po/partyline.fr_FR.po index c8494474..e7d3a655 100644 --- a/modules/po/partyline.fr_FR.po +++ b/modules/po/partyline.fr_FR.po @@ -1,16 +1,16 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.7.x/modules/po/partyline.pot\n" +"X-Crowdin-File: /master/modules/po/partyline.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" #: partyline.cpp:60 msgid "There are no open channels." diff --git a/modules/po/perform.fr_FR.po b/modules/po/perform.fr_FR.po index bcf1de6c..53befc0b 100644 --- a/modules/po/perform.fr_FR.po +++ b/modules/po/perform.fr_FR.po @@ -1,16 +1,16 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.7.x/modules/po/perform.pot\n" +"X-Crowdin-File: /master/modules/po/perform.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" #: modules/po/../data/perform/tmpl/index.tmpl:7 perform.cpp:143 msgid "Perform" diff --git a/modules/po/perleval.fr_FR.po b/modules/po/perleval.fr_FR.po index 35229dfb..9d6e30c8 100644 --- a/modules/po/perleval.fr_FR.po +++ b/modules/po/perleval.fr_FR.po @@ -1,16 +1,16 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.7.x/modules/po/perleval.pot\n" +"X-Crowdin-File: /master/modules/po/perleval.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" #: perleval.pm:23 msgid "Evaluates perl code" diff --git a/modules/po/pyeval.fr_FR.po b/modules/po/pyeval.fr_FR.po index 8ef426cf..e730e0db 100644 --- a/modules/po/pyeval.fr_FR.po +++ b/modules/po/pyeval.fr_FR.po @@ -1,16 +1,16 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.7.x/modules/po/pyeval.pot\n" +"X-Crowdin-File: /master/modules/po/pyeval.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" #: pyeval.py:49 msgid "You must have admin privileges to load this module." diff --git a/modules/po/q.fr_FR.po b/modules/po/q.fr_FR.po index 827aa426..2cdfc290 100644 --- a/modules/po/q.fr_FR.po +++ b/modules/po/q.fr_FR.po @@ -1,16 +1,16 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.7.x/modules/po/q.pot\n" +"X-Crowdin-File: /master/modules/po/q.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" #: modules/po/../data/q/tmpl/index.tmpl:11 msgid "Username:" diff --git a/modules/po/raw.fr_FR.po b/modules/po/raw.fr_FR.po index 4beadefe..363872cb 100644 --- a/modules/po/raw.fr_FR.po +++ b/modules/po/raw.fr_FR.po @@ -1,16 +1,16 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.7.x/modules/po/raw.pot\n" +"X-Crowdin-File: /master/modules/po/raw.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" #: raw.cpp:43 msgid "View all of the raw traffic" diff --git a/modules/po/route_replies.fr_FR.po b/modules/po/route_replies.fr_FR.po index dd76714b..803c5e4b 100644 --- a/modules/po/route_replies.fr_FR.po +++ b/modules/po/route_replies.fr_FR.po @@ -1,16 +1,16 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.7.x/modules/po/route_replies.pot\n" +"X-Crowdin-File: /master/modules/po/route_replies.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" #: route_replies.cpp:211 msgid "[yes|no]" diff --git a/modules/po/sample.fr_FR.po b/modules/po/sample.fr_FR.po index 042bb0a9..67878762 100644 --- a/modules/po/sample.fr_FR.po +++ b/modules/po/sample.fr_FR.po @@ -1,16 +1,16 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.7.x/modules/po/sample.pot\n" +"X-Crowdin-File: /master/modules/po/sample.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" #: sample.cpp:31 msgid "Sample job cancelled" diff --git a/modules/po/samplewebapi.fr_FR.po b/modules/po/samplewebapi.fr_FR.po index 9ad8d995..3d114889 100644 --- a/modules/po/samplewebapi.fr_FR.po +++ b/modules/po/samplewebapi.fr_FR.po @@ -1,16 +1,16 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.7.x/modules/po/samplewebapi.pot\n" +"X-Crowdin-File: /master/modules/po/samplewebapi.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" #: samplewebapi.cpp:59 msgid "Sample Web API module." diff --git a/modules/po/sasl.fr_FR.po b/modules/po/sasl.fr_FR.po index 7afd86a7..0e2c4577 100644 --- a/modules/po/sasl.fr_FR.po +++ b/modules/po/sasl.fr_FR.po @@ -1,16 +1,16 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.7.x/modules/po/sasl.pot\n" +"X-Crowdin-File: /master/modules/po/sasl.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" #: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:290 msgid "SASL" diff --git a/modules/po/savebuff.fr_FR.po b/modules/po/savebuff.fr_FR.po index 8f3493d8..3c88e08f 100644 --- a/modules/po/savebuff.fr_FR.po +++ b/modules/po/savebuff.fr_FR.po @@ -1,16 +1,16 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.7.x/modules/po/savebuff.pot\n" +"X-Crowdin-File: /master/modules/po/savebuff.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" #: savebuff.cpp:65 msgid "" diff --git a/modules/po/send_raw.fr_FR.po b/modules/po/send_raw.fr_FR.po index c606ae92..863fbd48 100644 --- a/modules/po/send_raw.fr_FR.po +++ b/modules/po/send_raw.fr_FR.po @@ -1,16 +1,16 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.7.x/modules/po/send_raw.pot\n" +"X-Crowdin-File: /master/modules/po/send_raw.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" #: modules/po/../data/send_raw/tmpl/index.tmpl:9 msgid "Send a raw IRC line" diff --git a/modules/po/shell.fr_FR.po b/modules/po/shell.fr_FR.po index 7b51a109..ce097307 100644 --- a/modules/po/shell.fr_FR.po +++ b/modules/po/shell.fr_FR.po @@ -1,16 +1,16 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.7.x/modules/po/shell.pot\n" +"X-Crowdin-File: /master/modules/po/shell.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" #: shell.cpp:37 msgid "Failed to execute: {1}" diff --git a/modules/po/simple_away.fr_FR.po b/modules/po/simple_away.fr_FR.po index a400c7ba..3cc70d3e 100644 --- a/modules/po/simple_away.fr_FR.po +++ b/modules/po/simple_away.fr_FR.po @@ -1,16 +1,16 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.7.x/modules/po/simple_away.pot\n" +"X-Crowdin-File: /master/modules/po/simple_away.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" #: simple_away.cpp:56 msgid "[]" diff --git a/modules/po/stickychan.fr_FR.po b/modules/po/stickychan.fr_FR.po index c555c0d3..e5940af2 100644 --- a/modules/po/stickychan.fr_FR.po +++ b/modules/po/stickychan.fr_FR.po @@ -1,16 +1,16 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.7.x/modules/po/stickychan.pot\n" +"X-Crowdin-File: /master/modules/po/stickychan.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" #: modules/po/../data/stickychan/tmpl/index.tmpl:9 msgid "Name" diff --git a/modules/po/stripcontrols.fr_FR.po b/modules/po/stripcontrols.fr_FR.po index 4335baee..aceddf1b 100644 --- a/modules/po/stripcontrols.fr_FR.po +++ b/modules/po/stripcontrols.fr_FR.po @@ -1,16 +1,16 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.7.x/modules/po/stripcontrols.pot\n" +"X-Crowdin-File: /master/modules/po/stripcontrols.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" #: stripcontrols.cpp:63 msgid "" diff --git a/modules/po/watch.fr_FR.po b/modules/po/watch.fr_FR.po index 2d9e2077..7841b5fb 100644 --- a/modules/po/watch.fr_FR.po +++ b/modules/po/watch.fr_FR.po @@ -1,16 +1,16 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.7.x/modules/po/watch.pot\n" +"X-Crowdin-File: /master/modules/po/watch.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" #: watch.cpp:334 msgid "All entries cleared." diff --git a/modules/po/webadmin.fr_FR.po b/modules/po/webadmin.fr_FR.po index e40e462d..c70e7d35 100644 --- a/modules/po/webadmin.fr_FR.po +++ b/modules/po/webadmin.fr_FR.po @@ -1,16 +1,16 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.7.x/modules/po/webadmin.pot\n" +"X-Crowdin-File: /master/modules/po/webadmin.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:12 msgid "Channel Info" diff --git a/src/po/znc.fr_FR.po b/src/po/znc.fr_FR.po index 0714a179..93845840 100644 --- a/src/po/znc.fr_FR.po +++ b/src/po/znc.fr_FR.po @@ -1,16 +1,16 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.7.x/src/po/znc.pot\n" +"X-Crowdin-File: /master/src/po/znc.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf \n" +"Language-Team: French\n" +"Language: fr_FR\n" #: webskins/_default_/tmpl/InfoBar.tmpl:6 msgid "Logged in as: {1}" From a31df2474b8a15cd27a057d4b52f07971a5ffc0a Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Sat, 10 Nov 2018 00:33:28 +0000 Subject: [PATCH 204/798] Travis: Stop testing on OS X 10.11. It continuously fails now: /Users/travis/.travis/job_stages: line 104: pip3: command not found While it's possible to fix this error, we still have newer macs in Travis. --- .travis.yml | 4 ---- 1 file changed, 4 deletions(-) diff --git a/.travis.yml b/.travis.yml index 64cd187c..a26a0811 100644 --- a/.travis.yml +++ b/.travis.yml @@ -33,10 +33,6 @@ matrix: - os: linux compiler: clang env: BUILD_TYPE=tsan BUILD_WITH=cmake COVERAGE=no - - os: osx - osx_image: xcode7.3 # OS X 10.11 - compiler: clang - env: BUILD_TYPE=normal BUILD_WITH=cmake COVERAGE=llvm - os: osx osx_image: xcode8.3 # macOS 10.12 compiler: clang From dddcef52b9baceb3bf37b2fdcfaf5ba3ad7b72a6 Mon Sep 17 00:00:00 2001 From: Rosen Penev Date: Thu, 8 Nov 2018 11:04:48 -0800 Subject: [PATCH 205/798] Fix compilation without deprecated APIs in OpenSSL Added a few implicit headers that don't get included anymore and switched to OpenSSL 1.0.0's THREAD API when supported. Close #1615 --- configure.ac | 1 + src/Utils.cpp | 2 ++ src/main.cpp | 10 ++++++++++ 3 files changed, 13 insertions(+) diff --git a/configure.ac b/configure.ac index 1c64e432..a101a285 100644 --- a/configure.ac +++ b/configure.ac @@ -368,6 +368,7 @@ if test "x$SSL" != "xno"; then AC_LINK_IFELSE([ AC_LANG_PROGRAM([[ #include + #include ]], [[ SSL_CTX* ctx = SSL_CTX_new(TLSv1_method()); SSL* ssl = SSL_new(ctx); diff --git a/src/Utils.cpp b/src/Utils.cpp index cced5683..425831ad 100644 --- a/src/Utils.cpp +++ b/src/Utils.cpp @@ -27,6 +27,8 @@ #include #ifdef HAVE_LIBSSL #include +#include +#include #endif /* HAVE_LIBSSL */ #include #include diff --git a/src/main.cpp b/src/main.cpp index 6ea10ec9..7084f686 100644 --- a/src/main.cpp +++ b/src/main.cpp @@ -46,9 +46,15 @@ static void locking_callback(int mode, int type, const char* file, int line) { } } +#if OPENSSL_VERSION_NUMBER >= 0x10000000 +static void thread_id_callback(CRYPTO_THREADID *id) { + CRYPTO_THREADID_set_numeric(id, (unsigned long)pthread_self()); +} +#else static unsigned long thread_id_callback() { return (unsigned long)pthread_self(); } +#endif static CRYPTO_dynlock_value* dyn_create_callback(const char* file, int line) { return (CRYPTO_dynlock_value*)new CMutex; @@ -78,7 +84,11 @@ static void thread_setup() { for (std::unique_ptr& mtx : lock_cs) mtx = std::unique_ptr(new CMutex()); +#if OPENSSL_VERSION_NUMBER >= 0x10000000 + CRYPTO_THREADID_set_callback(&thread_id_callback); +#else CRYPTO_set_id_callback(&thread_id_callback); +#endif CRYPTO_set_locking_callback(&locking_callback); CRYPTO_set_dynlock_create_callback(&dyn_create_callback); From 4c5e6eee18f38b0309bd359c6cff51f5b0dba41e Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Sun, 25 Nov 2018 00:27:21 +0000 Subject: [PATCH 206/798] Update translations from Crowdin for pt_BR --- src/po/znc.pt_BR.po | 27 +++++++++++++++------------ 1 file changed, 15 insertions(+), 12 deletions(-) diff --git a/src/po/znc.pt_BR.po b/src/po/znc.pt_BR.po index 7efd0f33..2a61628c 100644 --- a/src/po/znc.pt_BR.po +++ b/src/po/znc.pt_BR.po @@ -73,7 +73,7 @@ msgstr "Porta inválida" #: znc.cpp:1821 ClientCommand.cpp:1629 msgid "Unable to bind: {1}" -msgstr "" +msgstr "Não foi possível vincular: {1}" #: IRCNetwork.cpp:235 msgid "Jumping servers because this server is no longer in the list" @@ -86,6 +86,7 @@ msgstr "Bem-vindo(a) ao ZNC" #: IRCNetwork.cpp:728 msgid "You are currently disconnected from IRC. Use 'connect' to reconnect." msgstr "" +"Você está desconectado do IRC no momento. Digite 'connect' para reconectar." #: IRCNetwork.cpp:758 msgid "This network is being deleted or moved to another user." @@ -165,11 +166,11 @@ msgstr "" #: IRCSock.cpp:1444 msgid "No free nick available" -msgstr "" +msgstr "Não há apelidos livres disponíveis" #: IRCSock.cpp:1452 msgid "No free nick found" -msgstr "" +msgstr "Nenhum apelido livre foi encontrado" #: Client.cpp:74 msgid "No such module {1}" @@ -235,7 +236,7 @@ msgstr "" #: Client.cpp:1181 msgid "Removing channel {1}" -msgstr "" +msgstr "Removendo canal {1}" #: Client.cpp:1257 msgid "Your message to {1} got lost, you are not connected to IRC!" @@ -243,11 +244,11 @@ msgstr "" #: Client.cpp:1310 Client.cpp:1316 msgid "Hello. How may I help you?" -msgstr "" +msgstr "Olá. Como posso ajudá-lo(a)?" #: Client.cpp:1330 msgid "Usage: /attach <#chans>" -msgstr "" +msgstr "Uso: /attach <#canais>" #: Client.cpp:1337 Client.cpp:1359 ClientCommand.cpp:129 ClientCommand.cpp:151 msgid "There was {1} channel matching [{2}]" @@ -277,12 +278,12 @@ msgstr "" #: Chan.cpp:676 msgid "Playback Complete." -msgstr "" +msgstr "Reprodução completa." #: Modules.cpp:528 msgctxt "modhelpcmd" msgid "" -msgstr "" +msgstr "" #: Modules.cpp:529 msgctxt "modhelpcmd" @@ -347,25 +348,27 @@ msgstr "" #: Modules.cpp:1778 msgid "Reloaded module {1}." -msgstr "" +msgstr "O módulo {1} foi reiniciado." #: Modules.cpp:1793 msgid "Unable to find module {1}." -msgstr "" +msgstr "Não foi possível encontrar o módulo {1}." #: Modules.cpp:1919 msgid "" "Module names can only contain letters, numbers and underscores, [{1}] is " "invalid" msgstr "" +"Os nomes de módulos podem conter apenas letras, números e underlines. [{1}] " +"é inválido" #: Modules.cpp:1943 msgid "Unknown error" -msgstr "" +msgstr "Erro desconhecido" #: Modules.cpp:1944 msgid "Unable to open module {1}: {2}" -msgstr "" +msgstr "Não foi possível abrir o módulo {1}: {2}" #: Modules.cpp:1953 msgid "Could not find ZNCModuleEntry in module {1}" From 030bc4b37c55675efa79b24bf2377fc50cd3935c Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Sun, 25 Nov 2018 00:27:57 +0000 Subject: [PATCH 207/798] Update translations from Crowdin for pt_BR --- src/po/znc.pt_BR.po | 27 +++++++++++++++------------ 1 file changed, 15 insertions(+), 12 deletions(-) diff --git a/src/po/znc.pt_BR.po b/src/po/znc.pt_BR.po index 6d5b68d0..79a00b7e 100644 --- a/src/po/znc.pt_BR.po +++ b/src/po/znc.pt_BR.po @@ -73,7 +73,7 @@ msgstr "Porta inválida" #: znc.cpp:1822 ClientCommand.cpp:1629 msgid "Unable to bind: {1}" -msgstr "" +msgstr "Não foi possível vincular: {1}" #: IRCNetwork.cpp:235 msgid "Jumping servers because this server is no longer in the list" @@ -86,6 +86,7 @@ msgstr "Bem-vindo(a) ao ZNC" #: IRCNetwork.cpp:728 msgid "You are currently disconnected from IRC. Use 'connect' to reconnect." msgstr "" +"Você está desconectado do IRC no momento. Digite 'connect' para reconectar." #: IRCNetwork.cpp:758 msgid "This network is being deleted or moved to another user." @@ -165,11 +166,11 @@ msgstr "" #: IRCSock.cpp:1444 msgid "No free nick available" -msgstr "" +msgstr "Não há apelidos livres disponíveis" #: IRCSock.cpp:1452 msgid "No free nick found" -msgstr "" +msgstr "Nenhum apelido livre foi encontrado" #: Client.cpp:74 msgid "No such module {1}" @@ -235,7 +236,7 @@ msgstr "" #: Client.cpp:1181 msgid "Removing channel {1}" -msgstr "" +msgstr "Removendo canal {1}" #: Client.cpp:1257 msgid "Your message to {1} got lost, you are not connected to IRC!" @@ -243,11 +244,11 @@ msgstr "" #: Client.cpp:1310 Client.cpp:1316 msgid "Hello. How may I help you?" -msgstr "" +msgstr "Olá. Como posso ajudá-lo(a)?" #: Client.cpp:1330 msgid "Usage: /attach <#chans>" -msgstr "" +msgstr "Uso: /attach <#canais>" #: Client.cpp:1337 Client.cpp:1359 ClientCommand.cpp:129 ClientCommand.cpp:151 msgid "There was {1} channel matching [{2}]" @@ -277,12 +278,12 @@ msgstr "" #: Chan.cpp:676 msgid "Playback Complete." -msgstr "" +msgstr "Reprodução completa." #: Modules.cpp:528 msgctxt "modhelpcmd" msgid "" -msgstr "" +msgstr "" #: Modules.cpp:529 msgctxt "modhelpcmd" @@ -347,25 +348,27 @@ msgstr "" #: Modules.cpp:1778 msgid "Reloaded module {1}." -msgstr "" +msgstr "O módulo {1} foi reiniciado." #: Modules.cpp:1793 msgid "Unable to find module {1}." -msgstr "" +msgstr "Não foi possível encontrar o módulo {1}." #: Modules.cpp:1919 msgid "" "Module names can only contain letters, numbers and underscores, [{1}] is " "invalid" msgstr "" +"Os nomes de módulos podem conter apenas letras, números e underlines. [{1}] " +"é inválido" #: Modules.cpp:1943 msgid "Unknown error" -msgstr "" +msgstr "Erro desconhecido" #: Modules.cpp:1944 msgid "Unable to open module {1}: {2}" -msgstr "" +msgstr "Não foi possível abrir o módulo {1}: {2}" #: Modules.cpp:1953 msgid "Could not find ZNCModuleEntry in module {1}" From f6eb43673c9815d7a905e36b7b7c019e3c222b07 Mon Sep 17 00:00:00 2001 From: Rosen Penev Date: Fri, 23 Nov 2018 19:17:12 -0800 Subject: [PATCH 208/798] Fix compilation without deprecated APIs in OpenSSL 1.1 Prior commit was tested with 1.0.2. This one with 1.1. --- configure.ac | 2 +- src/Utils.cpp | 8 ++++++-- 2 files changed, 7 insertions(+), 3 deletions(-) diff --git a/configure.ac b/configure.ac index a101a285..b755cfe8 100644 --- a/configure.ac +++ b/configure.ac @@ -370,7 +370,7 @@ if test "x$SSL" != "xno"; then #include #include ]], [[ - SSL_CTX* ctx = SSL_CTX_new(TLSv1_method()); + SSL_CTX* ctx = SSL_CTX_new(SSLv23_method()); SSL* ssl = SSL_new(ctx); DH* dh = DH_new(); DH_free(dh); diff --git a/src/Utils.cpp b/src/Utils.cpp index 425831ad..11f32121 100644 --- a/src/Utils.cpp +++ b/src/Utils.cpp @@ -29,6 +29,10 @@ #include #include #include +#if OPENSSL_VERSION_NUMBER < 0x10100000L +#define X509_getm_notBefore X509_get_notBefore +#define X509_getm_notAfter X509_get_notAfter +#endif #endif /* HAVE_LIBSSL */ #include #include @@ -95,8 +99,8 @@ void CUtils::GenerateCert(FILE* pOut, const CString& sHost) { X509_set_version(pCert.get(), 2); ASN1_INTEGER_set(X509_get_serialNumber(pCert.get()), serial); - X509_gmtime_adj(X509_get_notBefore(pCert.get()), 0); - X509_gmtime_adj(X509_get_notAfter(pCert.get()), + X509_gmtime_adj(X509_getm_notBefore(pCert.get()), 0); + X509_gmtime_adj(X509_getm_notAfter(pCert.get()), (long)60 * 60 * 24 * days * years); X509_set_pubkey(pCert.get(), pKey.get()); From ca4977879dea74e285c58d31634a4d04dd91fc9b Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Mon, 26 Nov 2018 22:58:50 +0000 Subject: [PATCH 209/798] Don't show server passwords on ZNC startup. Fix #1599 Close #1607 --- src/IRCNetwork.cpp | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/src/IRCNetwork.cpp b/src/IRCNetwork.cpp index 0284dc53..433b7070 100644 --- a/src/IRCNetwork.cpp +++ b/src/IRCNetwork.cpp @@ -484,8 +484,8 @@ bool CIRCNetwork::ParseConfig(CConfig* pConfig, CString& sError, } pConfig->FindStringVector("server", vsList); + CUtils::PrintAction("Adding " + CString(vsList.size()) + " servers"); for (const CString& sServer : vsList) { - CUtils::PrintAction("Adding server [" + sServer + "]"); CUtils::PrintStatus(AddServer(sServer)); } From 7445e4b8ddd5fc03306c8d4c72ee991255bac854 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Sun, 9 Dec 2018 15:44:18 +0000 Subject: [PATCH 210/798] Fix adding the last allowed network in webadmin. Close #1584 --- modules/webadmin.cpp | 25 +++++++++---------------- 1 file changed, 9 insertions(+), 16 deletions(-) diff --git a/modules/webadmin.cpp b/modules/webadmin.cpp index 8b208afe..0c46fe0d 100644 --- a/modules/webadmin.cpp +++ b/modules/webadmin.cpp @@ -882,6 +882,15 @@ class CWebAdminMod : public CModule { std::shared_ptr spSession = WebSock.GetSession(); Tmpl.SetFile("add_edit_network.tmpl"); + if (!pNetwork && !spSession->IsAdmin() && + !pUser->HasSpaceForNewNetwork()) { + WebSock.PrintErrorPage(t_s( + "Network number limit reached. Ask an admin to increase the " + "limit for you, or delete unneeded networks from Your " + "Settings.")); + return true; + } + if (!WebSock.GetParam("submitted").ToUInt()) { Tmpl["Username"] = pUser->GetUserName(); CTemplate& breadNet = Tmpl.AddRow("BreadCrumbs"); @@ -896,14 +905,6 @@ class CWebAdminMod : public CModule { breadNet["Text"] = t_f("Edit Network [{1}]")(pNetwork->GetName()); } else { - if (!spSession->IsAdmin() && !pUser->HasSpaceForNewNetwork()) { - WebSock.PrintErrorPage( - t_s("Network number limit reached. Ask an admin to " - "increase the limit for you, or delete unneeded " - "networks from Your Settings.")); - return true; - } - Tmpl["Action"] = "addnetwork"; Tmpl["Title"] = t_f("Add Network for User [{1}]")(pUser->GetUserName()); @@ -1072,14 +1073,6 @@ class CWebAdminMod : public CModule { WebSock.PrintErrorPage(t_s("Network name is a required argument")); return true; } - if (!pNetwork && !spSession->IsAdmin() && - !pUser->HasSpaceForNewNetwork()) { - WebSock.PrintErrorPage(t_s( - "Network number limit reached. Ask an admin to increase the " - "limit for you, or delete unneeded networks from Your " - "Settings.")); - return true; - } if (!pNetwork || pNetwork->GetName() != sName) { CString sNetworkAddError; CIRCNetwork* pOldNetwork = pNetwork; From c9b9e3018898b760267fd8394459032bfd0f41d3 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Sun, 9 Dec 2018 22:30:24 +0000 Subject: [PATCH 211/798] Travis: run parts of the Docker build even for pull requests --- .travis.yml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/.travis.yml b/.travis.yml index a26a0811..1785f7f4 100644 --- a/.travis.yml +++ b/.travis.yml @@ -83,7 +83,7 @@ matrix: - export SECRET_KEY=no DOCKER_PASSWORD=no DOCKER_USERNAME=no script: - echo "$TRAVIS_BRANCH-$(git describe)" > .nightly - - if [[ "$ATTEMPT_DEPLOY" == "yes" ]]; then docker build --build-arg BUILD_DATE=`date -u +"%Y-%m-%dT%H:%M:%SZ"` --build-arg VCS_REF=`git rev-parse HEAD` --build-arg VERSION_EXTRA=+docker-git- -t "zncbouncer/znc-git:$TRAVIS_BRANCH" -t "zncbouncer/znc-git:$TRAVIS_BRANCH-$(git describe)" .; fi + - docker build --build-arg BUILD_DATE=`date -u +"%Y-%m-%dT%H:%M:%SZ"` --build-arg VCS_REF=`git rev-parse HEAD` --build-arg VERSION_EXTRA=+docker-git- -t "zncbouncer/znc-git:$TRAVIS_BRANCH" -t "zncbouncer/znc-git:$TRAVIS_BRANCH-$(git describe)" . - if [[ "$ATTEMPT_DEPLOY" == "yes" && "$TRAVIS_BRANCH" == "master" ]]; then docker tag "zncbouncer/znc-git:$TRAVIS_BRANCH" zncbouncer/znc-git:latest; fi - if [[ "$ATTEMPT_DEPLOY" == "yes" ]]; then docker push zncbouncer/znc-git; fi after_success: From a28c5f805635a88e6ded4068eec154d3eb1df4a8 Mon Sep 17 00:00:00 2001 From: Rosen Penev Date: Sun, 9 Dec 2018 13:59:25 -0800 Subject: [PATCH 212/798] Fix compilation with LibreSSL < 2.7.0 LibreSSL was stubborn and did not implement all of OpenSSL 1.1 despite advertising support for it. Fixed in 2.7.0. Close #1623 --- src/Utils.cpp | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/src/Utils.cpp b/src/Utils.cpp index 11f32121..ceee05b3 100644 --- a/src/Utils.cpp +++ b/src/Utils.cpp @@ -29,7 +29,7 @@ #include #include #include -#if OPENSSL_VERSION_NUMBER < 0x10100000L +#if (OPENSSL_VERSION_NUMBER < 0x10100000L) || (LIBRESSL_VERSION_NUMBER < 0x20700000L) #define X509_getm_notBefore X509_get_notBefore #define X509_getm_notAfter X509_get_notAfter #endif From ad247cd2a5f064e7086dc733e148ad2598555752 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Sun, 9 Dec 2018 22:48:43 +0000 Subject: [PATCH 213/798] Update alpine to 3.8 in Dockerfile for nightlies --- Dockerfile | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/Dockerfile b/Dockerfile index 7a2c2742..0cdcf21e 100644 --- a/Dockerfile +++ b/Dockerfile @@ -1,4 +1,4 @@ -FROM alpine:3.7 +FROM alpine:3.8 ARG VERSION_EXTRA="" From 6115bc8d340fafd0fca763d0107ae2e44b621ca3 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Mon, 10 Dec 2018 00:26:34 +0000 Subject: [PATCH 214/798] Update translations from Crowdin for de_DE es_ES fr_FR id_ID nl_NL ru_RU --- modules/po/webadmin.de_DE.po | 84 ++++++++++++++++++------------------ modules/po/webadmin.es_ES.po | 84 ++++++++++++++++++------------------ modules/po/webadmin.fr_FR.po | 84 ++++++++++++++++++------------------ modules/po/webadmin.id_ID.po | 84 ++++++++++++++++++------------------ modules/po/webadmin.nl_NL.po | 84 ++++++++++++++++++------------------ modules/po/webadmin.pot | 84 ++++++++++++++++++------------------ modules/po/webadmin.ru_RU.po | 84 ++++++++++++++++++------------------ 7 files changed, 294 insertions(+), 294 deletions(-) diff --git a/modules/po/webadmin.de_DE.po b/modules/po/webadmin.de_DE.po index bfbc1b2f..94c3e418 100644 --- a/modules/po/webadmin.de_DE.po +++ b/modules/po/webadmin.de_DE.po @@ -971,7 +971,7 @@ msgstr "" msgid "Network" msgstr "" -#: webadmin.cpp:91 webadmin.cpp:1879 +#: webadmin.cpp:91 webadmin.cpp:1872 msgid "Global Settings" msgstr "" @@ -979,11 +979,11 @@ msgstr "" msgid "Your Settings" msgstr "" -#: webadmin.cpp:94 webadmin.cpp:1691 +#: webadmin.cpp:94 webadmin.cpp:1684 msgid "Traffic Info" msgstr "" -#: webadmin.cpp:97 webadmin.cpp:1670 +#: webadmin.cpp:97 webadmin.cpp:1663 msgid "Manage Users" msgstr "" @@ -999,7 +999,7 @@ msgstr "" msgid "Timeout can't be less than 30 seconds!" msgstr "" -#: webadmin.cpp:407 webadmin.cpp:435 webadmin.cpp:1189 webadmin.cpp:2064 +#: webadmin.cpp:407 webadmin.cpp:435 webadmin.cpp:1182 webadmin.cpp:2057 msgid "Unable to load module [{1}]: {2}" msgstr "" @@ -1008,7 +1008,7 @@ msgid "Unable to load module [{1}] with arguments [{2}]" msgstr "" #: webadmin.cpp:521 webadmin.cpp:625 webadmin.cpp:650 webadmin.cpp:672 -#: webadmin.cpp:706 webadmin.cpp:1256 +#: webadmin.cpp:706 webadmin.cpp:1249 msgid "No such user" msgstr "" @@ -1024,11 +1024,11 @@ msgstr "" msgid "Please don't delete yourself, suicide is not the answer!" msgstr "" -#: webadmin.cpp:715 webadmin.cpp:971 webadmin.cpp:1321 +#: webadmin.cpp:715 webadmin.cpp:972 webadmin.cpp:1314 msgid "Edit User [{1}]" msgstr "" -#: webadmin.cpp:719 webadmin.cpp:897 +#: webadmin.cpp:719 webadmin.cpp:906 msgid "Edit Network [{1}]" msgstr "" @@ -1048,7 +1048,7 @@ msgstr "" msgid "Add Channel" msgstr "" -#: webadmin.cpp:756 webadmin.cpp:1517 +#: webadmin.cpp:756 webadmin.cpp:1510 msgid "Auto Clear Chan Buffer" msgstr "" @@ -1080,130 +1080,130 @@ msgstr "" msgid "Channel was added/modified, but config file was not written" msgstr "" -#: webadmin.cpp:894 -msgid "Edit Network [{1}] of User [{2}]" -msgstr "" - -#: webadmin.cpp:901 webadmin.cpp:1078 +#: webadmin.cpp:888 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks from Your Settings." msgstr "" -#: webadmin.cpp:909 -msgid "Add Network for User [{1}]" +#: webadmin.cpp:903 +msgid "Edit Network [{1}] of User [{2}]" msgstr "" #: webadmin.cpp:910 +msgid "Add Network for User [{1}]" +msgstr "" + +#: webadmin.cpp:911 msgid "Add Network" msgstr "" -#: webadmin.cpp:1072 +#: webadmin.cpp:1073 msgid "Network name is a required argument" msgstr "" -#: webadmin.cpp:1196 webadmin.cpp:2071 +#: webadmin.cpp:1189 webadmin.cpp:2064 msgid "Unable to reload module [{1}]: {2}" msgstr "" -#: webadmin.cpp:1233 +#: webadmin.cpp:1226 msgid "Network was added/modified, but config file was not written" msgstr "" -#: webadmin.cpp:1262 +#: webadmin.cpp:1255 msgid "That network doesn't exist for this user" msgstr "" -#: webadmin.cpp:1279 +#: webadmin.cpp:1272 msgid "Network was deleted, but config file was not written" msgstr "" -#: webadmin.cpp:1293 +#: webadmin.cpp:1286 msgid "That channel doesn't exist for this network" msgstr "" -#: webadmin.cpp:1302 +#: webadmin.cpp:1295 msgid "Channel was deleted, but config file was not written" msgstr "" -#: webadmin.cpp:1330 +#: webadmin.cpp:1323 msgid "Clone User [{1}]" msgstr "" -#: webadmin.cpp:1519 +#: webadmin.cpp:1512 msgid "" "Automatically Clear Channel Buffer After Playback (the default value for new " "channels)" msgstr "" -#: webadmin.cpp:1529 +#: webadmin.cpp:1522 msgid "Multi Clients" msgstr "" -#: webadmin.cpp:1536 +#: webadmin.cpp:1529 msgid "Append Timestamps" msgstr "" -#: webadmin.cpp:1543 +#: webadmin.cpp:1536 msgid "Prepend Timestamps" msgstr "" -#: webadmin.cpp:1551 +#: webadmin.cpp:1544 msgid "Deny LoadMod" msgstr "" -#: webadmin.cpp:1558 +#: webadmin.cpp:1551 msgid "Admin" msgstr "" -#: webadmin.cpp:1568 +#: webadmin.cpp:1561 msgid "Deny SetBindHost" msgstr "" -#: webadmin.cpp:1576 +#: webadmin.cpp:1569 msgid "Auto Clear Query Buffer" msgstr "" -#: webadmin.cpp:1578 +#: webadmin.cpp:1571 msgid "Automatically Clear Query Buffer After Playback" msgstr "" -#: webadmin.cpp:1602 +#: webadmin.cpp:1595 msgid "Invalid Submission: User {1} already exists" msgstr "" -#: webadmin.cpp:1624 webadmin.cpp:1635 +#: webadmin.cpp:1617 webadmin.cpp:1628 msgid "Invalid submission: {1}" msgstr "" -#: webadmin.cpp:1630 +#: webadmin.cpp:1623 msgid "User was added, but config file was not written" msgstr "" -#: webadmin.cpp:1641 +#: webadmin.cpp:1634 msgid "User was edited, but config file was not written" msgstr "" -#: webadmin.cpp:1799 +#: webadmin.cpp:1792 msgid "Choose either IPv4 or IPv6 or both." msgstr "" -#: webadmin.cpp:1816 +#: webadmin.cpp:1809 msgid "Choose either IRC or HTTP or both." msgstr "" -#: webadmin.cpp:1829 webadmin.cpp:1865 +#: webadmin.cpp:1822 webadmin.cpp:1858 msgid "Port was changed, but config file was not written" msgstr "" -#: webadmin.cpp:1855 +#: webadmin.cpp:1848 msgid "Invalid request." msgstr "" -#: webadmin.cpp:1869 +#: webadmin.cpp:1862 msgid "The specified listener was not found." msgstr "" -#: webadmin.cpp:2100 +#: webadmin.cpp:2093 msgid "Settings were changed, but config file was not written" msgstr "" diff --git a/modules/po/webadmin.es_ES.po b/modules/po/webadmin.es_ES.po index 8e4338fa..bba69585 100644 --- a/modules/po/webadmin.es_ES.po +++ b/modules/po/webadmin.es_ES.po @@ -1029,7 +1029,7 @@ msgstr "Usuario" msgid "Network" msgstr "Red" -#: webadmin.cpp:91 webadmin.cpp:1879 +#: webadmin.cpp:91 webadmin.cpp:1872 msgid "Global Settings" msgstr "Ajustes globales" @@ -1037,11 +1037,11 @@ msgstr "Ajustes globales" msgid "Your Settings" msgstr "Tus ajustes" -#: webadmin.cpp:94 webadmin.cpp:1691 +#: webadmin.cpp:94 webadmin.cpp:1684 msgid "Traffic Info" msgstr "Info de tráfico" -#: webadmin.cpp:97 webadmin.cpp:1670 +#: webadmin.cpp:97 webadmin.cpp:1663 msgid "Manage Users" msgstr "Gestionar usuarios" @@ -1057,7 +1057,7 @@ msgstr "Envío no válido [Las contraseñas no coinciden]" msgid "Timeout can't be less than 30 seconds!" msgstr "¡El tiempo de espera no puede ser inferior a 30 segundos!" -#: webadmin.cpp:407 webadmin.cpp:435 webadmin.cpp:1189 webadmin.cpp:2064 +#: webadmin.cpp:407 webadmin.cpp:435 webadmin.cpp:1182 webadmin.cpp:2057 msgid "Unable to load module [{1}]: {2}" msgstr "No se ha podido cargar el módulo [{1}]: {2}" @@ -1066,7 +1066,7 @@ msgid "Unable to load module [{1}] with arguments [{2}]" msgstr "No se ha podido cargar el módulo [{1}] con parámetros {2}" #: webadmin.cpp:521 webadmin.cpp:625 webadmin.cpp:650 webadmin.cpp:672 -#: webadmin.cpp:706 webadmin.cpp:1256 +#: webadmin.cpp:706 webadmin.cpp:1249 msgid "No such user" msgstr "No existe el usuario" @@ -1082,11 +1082,11 @@ msgstr "No existe el canal" msgid "Please don't delete yourself, suicide is not the answer!" msgstr "No te elimines a ti mismo, el suicidio no es la solución" -#: webadmin.cpp:715 webadmin.cpp:971 webadmin.cpp:1321 +#: webadmin.cpp:715 webadmin.cpp:972 webadmin.cpp:1314 msgid "Edit User [{1}]" msgstr "Editar usuario [{1}]" -#: webadmin.cpp:719 webadmin.cpp:897 +#: webadmin.cpp:719 webadmin.cpp:906 msgid "Edit Network [{1}]" msgstr "Editar red [{1}]" @@ -1106,7 +1106,7 @@ msgstr "Añadir canal a red [{1}] del usuario [{2}]" msgid "Add Channel" msgstr "Añadir canal" -#: webadmin.cpp:756 webadmin.cpp:1517 +#: webadmin.cpp:756 webadmin.cpp:1510 msgid "Auto Clear Chan Buffer" msgstr "Autoborrar búfer de canal" @@ -1140,11 +1140,7 @@ msgstr "" "El canal fue añadido/modificado, pero el fichero de configuración no ha sido " "escrito" -#: webadmin.cpp:894 -msgid "Edit Network [{1}] of User [{2}]" -msgstr "Editar red [{1}] del usuario [{2}]" - -#: webadmin.cpp:901 webadmin.cpp:1078 +#: webadmin.cpp:888 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks from Your Settings." @@ -1152,53 +1148,57 @@ msgstr "" "Límite de redes superado. Pídele a un admin que te incremente el límite, o " "elimina redes innecesarias de tus ajustes." -#: webadmin.cpp:909 +#: webadmin.cpp:903 +msgid "Edit Network [{1}] of User [{2}]" +msgstr "Editar red [{1}] del usuario [{2}]" + +#: webadmin.cpp:910 msgid "Add Network for User [{1}]" msgstr "Añadir red para el usuario [{1}]" -#: webadmin.cpp:910 +#: webadmin.cpp:911 msgid "Add Network" msgstr "Añadir red" -#: webadmin.cpp:1072 +#: webadmin.cpp:1073 msgid "Network name is a required argument" msgstr "El nombre de la red es un parámetro obligatorio" -#: webadmin.cpp:1196 webadmin.cpp:2071 +#: webadmin.cpp:1189 webadmin.cpp:2064 msgid "Unable to reload module [{1}]: {2}" msgstr "No se ha podido recargar el módulo [{1}]: {2}" -#: webadmin.cpp:1233 +#: webadmin.cpp:1226 msgid "Network was added/modified, but config file was not written" msgstr "" "La red fue añadida/modificada, pero el fichero de configuración no se ha " "podido escribir" -#: webadmin.cpp:1262 +#: webadmin.cpp:1255 msgid "That network doesn't exist for this user" msgstr "La red no existe para este usuario" -#: webadmin.cpp:1279 +#: webadmin.cpp:1272 msgid "Network was deleted, but config file was not written" msgstr "" "La red fue eliminada, pero el fichero de configuración no se ha podido " "escribir" -#: webadmin.cpp:1293 +#: webadmin.cpp:1286 msgid "That channel doesn't exist for this network" msgstr "Ese canal no existe para esta red" -#: webadmin.cpp:1302 +#: webadmin.cpp:1295 msgid "Channel was deleted, but config file was not written" msgstr "" "El canal fue eliminado, pero el fichero de configuración no se ha podido " "escribir" -#: webadmin.cpp:1330 +#: webadmin.cpp:1323 msgid "Clone User [{1}]" msgstr "Clonar usuario [{1}]" -#: webadmin.cpp:1519 +#: webadmin.cpp:1512 msgid "" "Automatically Clear Channel Buffer After Playback (the default value for new " "channels)" @@ -1206,81 +1206,81 @@ msgstr "" "Borrar automáticamente búfers de canales tras reproducirlos (el valor " "predeterminado para nuevos canales)" -#: webadmin.cpp:1529 +#: webadmin.cpp:1522 msgid "Multi Clients" msgstr "Multi clientes" -#: webadmin.cpp:1536 +#: webadmin.cpp:1529 msgid "Append Timestamps" msgstr "Anexar marcas de tiempo" -#: webadmin.cpp:1543 +#: webadmin.cpp:1536 msgid "Prepend Timestamps" msgstr "Preceder marcas de tiempo" -#: webadmin.cpp:1551 +#: webadmin.cpp:1544 msgid "Deny LoadMod" msgstr "Bloquear LoadMod" -#: webadmin.cpp:1558 +#: webadmin.cpp:1551 msgid "Admin" msgstr "Admin" -#: webadmin.cpp:1568 +#: webadmin.cpp:1561 msgid "Deny SetBindHost" msgstr "Bloquear SetBindHost" -#: webadmin.cpp:1576 +#: webadmin.cpp:1569 msgid "Auto Clear Query Buffer" msgstr "Autoborrar búfer de privados" -#: webadmin.cpp:1578 +#: webadmin.cpp:1571 msgid "Automatically Clear Query Buffer After Playback" msgstr "Borrar automáticamente búfers de privados tras reproducirlos" -#: webadmin.cpp:1602 +#: webadmin.cpp:1595 msgid "Invalid Submission: User {1} already exists" msgstr "Envío no válido: el usuario {1} ya existe" -#: webadmin.cpp:1624 webadmin.cpp:1635 +#: webadmin.cpp:1617 webadmin.cpp:1628 msgid "Invalid submission: {1}" msgstr "Envío no válido: {1}" -#: webadmin.cpp:1630 +#: webadmin.cpp:1623 msgid "User was added, but config file was not written" msgstr "" "El usuario fue añadido, pero el fichero de configuración no se ha podido " "escribir" -#: webadmin.cpp:1641 +#: webadmin.cpp:1634 msgid "User was edited, but config file was not written" msgstr "" "El usuario fue editado, pero el fichero de configuración no se ha podido " "escribir" -#: webadmin.cpp:1799 +#: webadmin.cpp:1792 msgid "Choose either IPv4 or IPv6 or both." msgstr "Elige IPv4, IPv6 o ambos." -#: webadmin.cpp:1816 +#: webadmin.cpp:1809 msgid "Choose either IRC or HTTP or both." msgstr "Elige IRC, HTTP o ambos." -#: webadmin.cpp:1829 webadmin.cpp:1865 +#: webadmin.cpp:1822 webadmin.cpp:1858 msgid "Port was changed, but config file was not written" msgstr "" "El puerto fue cambiado, pero el fichero de configuración no se ha podido " "escribir" -#: webadmin.cpp:1855 +#: webadmin.cpp:1848 msgid "Invalid request." msgstr "Petición inválida." -#: webadmin.cpp:1869 +#: webadmin.cpp:1862 msgid "The specified listener was not found." msgstr "El puerto de escucha especificado no se ha encontrado." -#: webadmin.cpp:2100 +#: webadmin.cpp:2093 msgid "Settings were changed, but config file was not written" msgstr "" "Los ajustes fueron cambiados, pero el fichero de configuración no se ha " diff --git a/modules/po/webadmin.fr_FR.po b/modules/po/webadmin.fr_FR.po index c70e7d35..c4b22584 100644 --- a/modules/po/webadmin.fr_FR.po +++ b/modules/po/webadmin.fr_FR.po @@ -1048,7 +1048,7 @@ msgstr "Utilisateur" msgid "Network" msgstr "Réseau" -#: webadmin.cpp:91 webadmin.cpp:1879 +#: webadmin.cpp:91 webadmin.cpp:1872 msgid "Global Settings" msgstr "Paramètres globaux" @@ -1056,11 +1056,11 @@ msgstr "Paramètres globaux" msgid "Your Settings" msgstr "Vos paramètres" -#: webadmin.cpp:94 webadmin.cpp:1691 +#: webadmin.cpp:94 webadmin.cpp:1684 msgid "Traffic Info" msgstr "Informations sur le trafic" -#: webadmin.cpp:97 webadmin.cpp:1670 +#: webadmin.cpp:97 webadmin.cpp:1663 msgid "Manage Users" msgstr "Gérer les utilisateurs" @@ -1076,7 +1076,7 @@ msgstr "Soumission invalide [les mots de passe ne correspondent pas]" msgid "Timeout can't be less than 30 seconds!" msgstr "Le délai d'expiration ne peut être inférieur à 30 secondes !" -#: webadmin.cpp:407 webadmin.cpp:435 webadmin.cpp:1189 webadmin.cpp:2064 +#: webadmin.cpp:407 webadmin.cpp:435 webadmin.cpp:1182 webadmin.cpp:2057 msgid "Unable to load module [{1}]: {2}" msgstr "Impossible de charger le module [{1}] : {2}" @@ -1085,7 +1085,7 @@ msgid "Unable to load module [{1}] with arguments [{2}]" msgstr "Impossible de charger le module [{1}] avec les arguments [{2}]" #: webadmin.cpp:521 webadmin.cpp:625 webadmin.cpp:650 webadmin.cpp:672 -#: webadmin.cpp:706 webadmin.cpp:1256 +#: webadmin.cpp:706 webadmin.cpp:1249 msgid "No such user" msgstr "Utilisateur inconnu" @@ -1101,11 +1101,11 @@ msgstr "Salon inconnu" msgid "Please don't delete yourself, suicide is not the answer!" msgstr "Veuillez ne pas vous supprimer, le suicide n'est pas la solution !" -#: webadmin.cpp:715 webadmin.cpp:971 webadmin.cpp:1321 +#: webadmin.cpp:715 webadmin.cpp:972 webadmin.cpp:1314 msgid "Edit User [{1}]" msgstr "Modifier l'utilisateur [{1}]" -#: webadmin.cpp:719 webadmin.cpp:897 +#: webadmin.cpp:719 webadmin.cpp:906 msgid "Edit Network [{1}]" msgstr "Modifier le réseau [{1}]" @@ -1125,7 +1125,7 @@ msgstr "Ajouter un salon au réseau [{1}] de l'utilisateur [{2}]" msgid "Add Channel" msgstr "Ajouter un salon" -#: webadmin.cpp:756 webadmin.cpp:1517 +#: webadmin.cpp:756 webadmin.cpp:1510 msgid "Auto Clear Chan Buffer" msgstr "Vider automatiquement le tampon des salons" @@ -1159,11 +1159,7 @@ msgstr "" "Le salon a été ajouté ou modifié, mais la configuration n'a pas pu être " "sauvegardée" -#: webadmin.cpp:894 -msgid "Edit Network [{1}] of User [{2}]" -msgstr "Modifier le réseau [{1}] de l'utilisateur [{2}]" - -#: webadmin.cpp:901 webadmin.cpp:1078 +#: webadmin.cpp:888 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks from Your Settings." @@ -1172,51 +1168,55 @@ msgstr "" "d'augmenter cette limite pour vous ou bien supprimez des réseaux obsolètes " "de vos paramètres." -#: webadmin.cpp:909 +#: webadmin.cpp:903 +msgid "Edit Network [{1}] of User [{2}]" +msgstr "Modifier le réseau [{1}] de l'utilisateur [{2}]" + +#: webadmin.cpp:910 msgid "Add Network for User [{1}]" msgstr "Ajouter un réseau pour l'utilisateur [{1}]" -#: webadmin.cpp:910 +#: webadmin.cpp:911 msgid "Add Network" msgstr "Ajouter un réseau" -#: webadmin.cpp:1072 +#: webadmin.cpp:1073 msgid "Network name is a required argument" msgstr "Le nom du réseau est un argument requis" -#: webadmin.cpp:1196 webadmin.cpp:2071 +#: webadmin.cpp:1189 webadmin.cpp:2064 msgid "Unable to reload module [{1}]: {2}" msgstr "Impossible de recharger le module [{1}] : {2}" -#: webadmin.cpp:1233 +#: webadmin.cpp:1226 msgid "Network was added/modified, but config file was not written" msgstr "" "Le réseau a été ajouté ou modifié, mais la configuration n'a pas pu être " "sauvegardée" -#: webadmin.cpp:1262 +#: webadmin.cpp:1255 msgid "That network doesn't exist for this user" msgstr "Le réseau n'existe pas pour cet utilisateur" -#: webadmin.cpp:1279 +#: webadmin.cpp:1272 msgid "Network was deleted, but config file was not written" msgstr "" "Le réseau a été supprimé, mais la configuration n'a pas pu être sauvegardée" -#: webadmin.cpp:1293 +#: webadmin.cpp:1286 msgid "That channel doesn't exist for this network" msgstr "Le salon n'existe pas pour ce réseau" -#: webadmin.cpp:1302 +#: webadmin.cpp:1295 msgid "Channel was deleted, but config file was not written" msgstr "" "Le salon a été supprimé, mais la configuration n'a pas pu être sauvegardée" -#: webadmin.cpp:1330 +#: webadmin.cpp:1323 msgid "Clone User [{1}]" msgstr "Dupliquer l'utilisateur [{1}]" -#: webadmin.cpp:1519 +#: webadmin.cpp:1512 msgid "" "Automatically Clear Channel Buffer After Playback (the default value for new " "channels)" @@ -1224,80 +1224,80 @@ msgstr "" "Vider automatiquement le tampon des salons après l'avoir rejoué (valeur par " "défaut pour les nouveaux salons)" -#: webadmin.cpp:1529 +#: webadmin.cpp:1522 msgid "Multi Clients" msgstr "Multi Clients" -#: webadmin.cpp:1536 +#: webadmin.cpp:1529 msgid "Append Timestamps" msgstr "Ajouter un horodatage après" -#: webadmin.cpp:1543 +#: webadmin.cpp:1536 msgid "Prepend Timestamps" msgstr "Ajouter un horodatage avant" -#: webadmin.cpp:1551 +#: webadmin.cpp:1544 msgid "Deny LoadMod" msgstr "Interdire LoadMod" -#: webadmin.cpp:1558 +#: webadmin.cpp:1551 msgid "Admin" msgstr "Admin" -#: webadmin.cpp:1568 +#: webadmin.cpp:1561 msgid "Deny SetBindHost" msgstr "Interdire SetBindHost" -#: webadmin.cpp:1576 +#: webadmin.cpp:1569 msgid "Auto Clear Query Buffer" msgstr "Vider automatiquement le tampon des messages privés" -#: webadmin.cpp:1578 +#: webadmin.cpp:1571 msgid "Automatically Clear Query Buffer After Playback" msgstr "" "Vider automatiquement le tampon des messages privés après l'avoir rejoué" -#: webadmin.cpp:1602 +#: webadmin.cpp:1595 msgid "Invalid Submission: User {1} already exists" msgstr "Requête invalide : l'utilisateur {1} existe déjà" -#: webadmin.cpp:1624 webadmin.cpp:1635 +#: webadmin.cpp:1617 webadmin.cpp:1628 msgid "Invalid submission: {1}" msgstr "Requête invalide : {1}" -#: webadmin.cpp:1630 +#: webadmin.cpp:1623 msgid "User was added, but config file was not written" msgstr "" "L'utilisateur a été ajouté, mais la configuration n'a pas pu être sauvegardée" -#: webadmin.cpp:1641 +#: webadmin.cpp:1634 msgid "User was edited, but config file was not written" msgstr "" "L'utilisateur a été modifié, mais la configuration n'a pas pu être " "sauvegardée" -#: webadmin.cpp:1799 +#: webadmin.cpp:1792 msgid "Choose either IPv4 or IPv6 or both." msgstr "Choisissez IPv4 ou IPv6 (ou les deux)." -#: webadmin.cpp:1816 +#: webadmin.cpp:1809 msgid "Choose either IRC or HTTP or both." msgstr "Choisissez IRC ou HTTP (ou les deux)." -#: webadmin.cpp:1829 webadmin.cpp:1865 +#: webadmin.cpp:1822 webadmin.cpp:1858 msgid "Port was changed, but config file was not written" msgstr "" "Le port a été modifié, mais la configuration n'a pas pu être sauvegardée" -#: webadmin.cpp:1855 +#: webadmin.cpp:1848 msgid "Invalid request." msgstr "Requête non valide." -#: webadmin.cpp:1869 +#: webadmin.cpp:1862 msgid "The specified listener was not found." msgstr "Le canal d'écoute spécifié est introuvable." -#: webadmin.cpp:2100 +#: webadmin.cpp:2093 msgid "Settings were changed, but config file was not written" msgstr "" "Les paramètres ont été changés, mais la configuration n'a pas pu être " diff --git a/modules/po/webadmin.id_ID.po b/modules/po/webadmin.id_ID.po index a28707ee..91574929 100644 --- a/modules/po/webadmin.id_ID.po +++ b/modules/po/webadmin.id_ID.po @@ -971,7 +971,7 @@ msgstr "" msgid "Network" msgstr "" -#: webadmin.cpp:91 webadmin.cpp:1879 +#: webadmin.cpp:91 webadmin.cpp:1872 msgid "Global Settings" msgstr "" @@ -979,11 +979,11 @@ msgstr "" msgid "Your Settings" msgstr "" -#: webadmin.cpp:94 webadmin.cpp:1691 +#: webadmin.cpp:94 webadmin.cpp:1684 msgid "Traffic Info" msgstr "" -#: webadmin.cpp:97 webadmin.cpp:1670 +#: webadmin.cpp:97 webadmin.cpp:1663 msgid "Manage Users" msgstr "" @@ -999,7 +999,7 @@ msgstr "" msgid "Timeout can't be less than 30 seconds!" msgstr "" -#: webadmin.cpp:407 webadmin.cpp:435 webadmin.cpp:1189 webadmin.cpp:2064 +#: webadmin.cpp:407 webadmin.cpp:435 webadmin.cpp:1182 webadmin.cpp:2057 msgid "Unable to load module [{1}]: {2}" msgstr "" @@ -1008,7 +1008,7 @@ msgid "Unable to load module [{1}] with arguments [{2}]" msgstr "" #: webadmin.cpp:521 webadmin.cpp:625 webadmin.cpp:650 webadmin.cpp:672 -#: webadmin.cpp:706 webadmin.cpp:1256 +#: webadmin.cpp:706 webadmin.cpp:1249 msgid "No such user" msgstr "" @@ -1024,11 +1024,11 @@ msgstr "" msgid "Please don't delete yourself, suicide is not the answer!" msgstr "" -#: webadmin.cpp:715 webadmin.cpp:971 webadmin.cpp:1321 +#: webadmin.cpp:715 webadmin.cpp:972 webadmin.cpp:1314 msgid "Edit User [{1}]" msgstr "" -#: webadmin.cpp:719 webadmin.cpp:897 +#: webadmin.cpp:719 webadmin.cpp:906 msgid "Edit Network [{1}]" msgstr "" @@ -1048,7 +1048,7 @@ msgstr "" msgid "Add Channel" msgstr "" -#: webadmin.cpp:756 webadmin.cpp:1517 +#: webadmin.cpp:756 webadmin.cpp:1510 msgid "Auto Clear Chan Buffer" msgstr "" @@ -1080,130 +1080,130 @@ msgstr "" msgid "Channel was added/modified, but config file was not written" msgstr "" -#: webadmin.cpp:894 -msgid "Edit Network [{1}] of User [{2}]" -msgstr "" - -#: webadmin.cpp:901 webadmin.cpp:1078 +#: webadmin.cpp:888 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks from Your Settings." msgstr "" -#: webadmin.cpp:909 -msgid "Add Network for User [{1}]" +#: webadmin.cpp:903 +msgid "Edit Network [{1}] of User [{2}]" msgstr "" #: webadmin.cpp:910 +msgid "Add Network for User [{1}]" +msgstr "" + +#: webadmin.cpp:911 msgid "Add Network" msgstr "" -#: webadmin.cpp:1072 +#: webadmin.cpp:1073 msgid "Network name is a required argument" msgstr "" -#: webadmin.cpp:1196 webadmin.cpp:2071 +#: webadmin.cpp:1189 webadmin.cpp:2064 msgid "Unable to reload module [{1}]: {2}" msgstr "" -#: webadmin.cpp:1233 +#: webadmin.cpp:1226 msgid "Network was added/modified, but config file was not written" msgstr "" -#: webadmin.cpp:1262 +#: webadmin.cpp:1255 msgid "That network doesn't exist for this user" msgstr "" -#: webadmin.cpp:1279 +#: webadmin.cpp:1272 msgid "Network was deleted, but config file was not written" msgstr "" -#: webadmin.cpp:1293 +#: webadmin.cpp:1286 msgid "That channel doesn't exist for this network" msgstr "" -#: webadmin.cpp:1302 +#: webadmin.cpp:1295 msgid "Channel was deleted, but config file was not written" msgstr "" -#: webadmin.cpp:1330 +#: webadmin.cpp:1323 msgid "Clone User [{1}]" msgstr "" -#: webadmin.cpp:1519 +#: webadmin.cpp:1512 msgid "" "Automatically Clear Channel Buffer After Playback (the default value for new " "channels)" msgstr "" -#: webadmin.cpp:1529 +#: webadmin.cpp:1522 msgid "Multi Clients" msgstr "" -#: webadmin.cpp:1536 +#: webadmin.cpp:1529 msgid "Append Timestamps" msgstr "" -#: webadmin.cpp:1543 +#: webadmin.cpp:1536 msgid "Prepend Timestamps" msgstr "" -#: webadmin.cpp:1551 +#: webadmin.cpp:1544 msgid "Deny LoadMod" msgstr "" -#: webadmin.cpp:1558 +#: webadmin.cpp:1551 msgid "Admin" msgstr "" -#: webadmin.cpp:1568 +#: webadmin.cpp:1561 msgid "Deny SetBindHost" msgstr "" -#: webadmin.cpp:1576 +#: webadmin.cpp:1569 msgid "Auto Clear Query Buffer" msgstr "" -#: webadmin.cpp:1578 +#: webadmin.cpp:1571 msgid "Automatically Clear Query Buffer After Playback" msgstr "" -#: webadmin.cpp:1602 +#: webadmin.cpp:1595 msgid "Invalid Submission: User {1} already exists" msgstr "" -#: webadmin.cpp:1624 webadmin.cpp:1635 +#: webadmin.cpp:1617 webadmin.cpp:1628 msgid "Invalid submission: {1}" msgstr "" -#: webadmin.cpp:1630 +#: webadmin.cpp:1623 msgid "User was added, but config file was not written" msgstr "" -#: webadmin.cpp:1641 +#: webadmin.cpp:1634 msgid "User was edited, but config file was not written" msgstr "" -#: webadmin.cpp:1799 +#: webadmin.cpp:1792 msgid "Choose either IPv4 or IPv6 or both." msgstr "" -#: webadmin.cpp:1816 +#: webadmin.cpp:1809 msgid "Choose either IRC or HTTP or both." msgstr "" -#: webadmin.cpp:1829 webadmin.cpp:1865 +#: webadmin.cpp:1822 webadmin.cpp:1858 msgid "Port was changed, but config file was not written" msgstr "" -#: webadmin.cpp:1855 +#: webadmin.cpp:1848 msgid "Invalid request." msgstr "" -#: webadmin.cpp:1869 +#: webadmin.cpp:1862 msgid "The specified listener was not found." msgstr "" -#: webadmin.cpp:2100 +#: webadmin.cpp:2093 msgid "Settings were changed, but config file was not written" msgstr "" diff --git a/modules/po/webadmin.nl_NL.po b/modules/po/webadmin.nl_NL.po index 2c902f9c..dc5e568f 100644 --- a/modules/po/webadmin.nl_NL.po +++ b/modules/po/webadmin.nl_NL.po @@ -1039,7 +1039,7 @@ msgstr "Gebruiker" msgid "Network" msgstr "Netwerk" -#: webadmin.cpp:91 webadmin.cpp:1879 +#: webadmin.cpp:91 webadmin.cpp:1872 msgid "Global Settings" msgstr "Algemene instellingen" @@ -1047,11 +1047,11 @@ msgstr "Algemene instellingen" msgid "Your Settings" msgstr "Jouw instellingen" -#: webadmin.cpp:94 webadmin.cpp:1691 +#: webadmin.cpp:94 webadmin.cpp:1684 msgid "Traffic Info" msgstr "Verkeer informatie" -#: webadmin.cpp:97 webadmin.cpp:1670 +#: webadmin.cpp:97 webadmin.cpp:1663 msgid "Manage Users" msgstr "Beheer gebruikers" @@ -1067,7 +1067,7 @@ msgstr "Ongeldige inzending [Wachtwoord komt niet overeen]" msgid "Timeout can't be less than 30 seconds!" msgstr "Time-out mag niet minder zijn dan 30 seconden!" -#: webadmin.cpp:407 webadmin.cpp:435 webadmin.cpp:1189 webadmin.cpp:2064 +#: webadmin.cpp:407 webadmin.cpp:435 webadmin.cpp:1182 webadmin.cpp:2057 msgid "Unable to load module [{1}]: {2}" msgstr "Niet mogelijk module te laden [{1}]: {2}" @@ -1076,7 +1076,7 @@ msgid "Unable to load module [{1}] with arguments [{2}]" msgstr "Niet mogelijk module te laden [{1}] met argumenten [{2}]" #: webadmin.cpp:521 webadmin.cpp:625 webadmin.cpp:650 webadmin.cpp:672 -#: webadmin.cpp:706 webadmin.cpp:1256 +#: webadmin.cpp:706 webadmin.cpp:1249 msgid "No such user" msgstr "Gebruiker onbekend" @@ -1092,11 +1092,11 @@ msgstr "Kanaal onbekend" msgid "Please don't delete yourself, suicide is not the answer!" msgstr "Verwijder jezelf alsjeblieft niet, zelfmoord is niet het antwoord!" -#: webadmin.cpp:715 webadmin.cpp:971 webadmin.cpp:1321 +#: webadmin.cpp:715 webadmin.cpp:972 webadmin.cpp:1314 msgid "Edit User [{1}]" msgstr "Bewerk gebruiker [{1}]" -#: webadmin.cpp:719 webadmin.cpp:897 +#: webadmin.cpp:719 webadmin.cpp:906 msgid "Edit Network [{1}]" msgstr "Bewerk netwerk [{1}]" @@ -1116,7 +1116,7 @@ msgstr "Voeg kanaal aan netwerk [{1}] van gebruiker [{2}]" msgid "Add Channel" msgstr "Voeg kanaal toe" -#: webadmin.cpp:756 webadmin.cpp:1517 +#: webadmin.cpp:756 webadmin.cpp:1510 msgid "Auto Clear Chan Buffer" msgstr "Automatisch kanaalbuffer legen" @@ -1148,11 +1148,7 @@ msgstr "Kon kanaal [{1}] niet toevoegen" msgid "Channel was added/modified, but config file was not written" msgstr "Kanaal was toegevoegd/aangepast maar configuratie was niet opgeslagen" -#: webadmin.cpp:894 -msgid "Edit Network [{1}] of User [{2}]" -msgstr "Pas netwerk [{1}] van gebruiker [{2}] aan" - -#: webadmin.cpp:901 webadmin.cpp:1078 +#: webadmin.cpp:888 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks from Your Settings." @@ -1160,47 +1156,51 @@ msgstr "" "Limiet van aantal netwerken bereikt. Vraag een beheerder om deze limit aan " "te passen voor je, of verwijder onnodige netwerken van Jouw instellingen." -#: webadmin.cpp:909 +#: webadmin.cpp:903 +msgid "Edit Network [{1}] of User [{2}]" +msgstr "Pas netwerk [{1}] van gebruiker [{2}] aan" + +#: webadmin.cpp:910 msgid "Add Network for User [{1}]" msgstr "Voeg netwerk toe voor gebruiker [{1}]" -#: webadmin.cpp:910 +#: webadmin.cpp:911 msgid "Add Network" msgstr "Voeg netwerk toe" -#: webadmin.cpp:1072 +#: webadmin.cpp:1073 msgid "Network name is a required argument" msgstr "Netwerknaam is een vereist argument" -#: webadmin.cpp:1196 webadmin.cpp:2071 +#: webadmin.cpp:1189 webadmin.cpp:2064 msgid "Unable to reload module [{1}]: {2}" msgstr "Niet mogelijk module te herladen [{1}]: {2}" -#: webadmin.cpp:1233 +#: webadmin.cpp:1226 msgid "Network was added/modified, but config file was not written" msgstr "Netwerk was toegevoegd/aangepast maar configuratie was niet opgeslagen" -#: webadmin.cpp:1262 +#: webadmin.cpp:1255 msgid "That network doesn't exist for this user" msgstr "Dat netwerk bestaat niet voor deze gebruiker" -#: webadmin.cpp:1279 +#: webadmin.cpp:1272 msgid "Network was deleted, but config file was not written" msgstr "Netwerk was verwijderd maar configuratie was niet opgeslagen" -#: webadmin.cpp:1293 +#: webadmin.cpp:1286 msgid "That channel doesn't exist for this network" msgstr "Dat kanaal bestaat niet voor dit netwerk" -#: webadmin.cpp:1302 +#: webadmin.cpp:1295 msgid "Channel was deleted, but config file was not written" msgstr "Kanaal was verwijderd maar configuratie was niet opgeslagen" -#: webadmin.cpp:1330 +#: webadmin.cpp:1323 msgid "Clone User [{1}]" msgstr "Kloon gebruiker [{1}]" -#: webadmin.cpp:1519 +#: webadmin.cpp:1512 msgid "" "Automatically Clear Channel Buffer After Playback (the default value for new " "channels)" @@ -1208,74 +1208,74 @@ msgstr "" "Leeg kanaal buffer automatisch na afspelen (standaard waarde voor nieuwe " "kanalen)" -#: webadmin.cpp:1529 +#: webadmin.cpp:1522 msgid "Multi Clients" msgstr "Meerdere clients" -#: webadmin.cpp:1536 +#: webadmin.cpp:1529 msgid "Append Timestamps" msgstr "Tijdstempel toevoegen" -#: webadmin.cpp:1543 +#: webadmin.cpp:1536 msgid "Prepend Timestamps" msgstr "Tijdstempel voorvoegen" -#: webadmin.cpp:1551 +#: webadmin.cpp:1544 msgid "Deny LoadMod" msgstr "Sta LoadMod niet toe" -#: webadmin.cpp:1558 +#: webadmin.cpp:1551 msgid "Admin" msgstr "Beheerder" -#: webadmin.cpp:1568 +#: webadmin.cpp:1561 msgid "Deny SetBindHost" msgstr "Sta SetBindHost niet toe" -#: webadmin.cpp:1576 +#: webadmin.cpp:1569 msgid "Auto Clear Query Buffer" msgstr "Automatisch privéberichtbuffer legen" -#: webadmin.cpp:1578 +#: webadmin.cpp:1571 msgid "Automatically Clear Query Buffer After Playback" msgstr "Leegt automatisch de privéberichtbuffer na het afspelen" -#: webadmin.cpp:1602 +#: webadmin.cpp:1595 msgid "Invalid Submission: User {1} already exists" msgstr "Ongeldige inzending: Gebruiker {1} bestaat al" -#: webadmin.cpp:1624 webadmin.cpp:1635 +#: webadmin.cpp:1617 webadmin.cpp:1628 msgid "Invalid submission: {1}" msgstr "Ongeldige inzending: {1}" -#: webadmin.cpp:1630 +#: webadmin.cpp:1623 msgid "User was added, but config file was not written" msgstr "Gebruiker was toegevoegd maar configuratie was niet opgeslagen" -#: webadmin.cpp:1641 +#: webadmin.cpp:1634 msgid "User was edited, but config file was not written" msgstr "Gebruiker was aangepast maar configuratie was niet opgeslagen" -#: webadmin.cpp:1799 +#: webadmin.cpp:1792 msgid "Choose either IPv4 or IPv6 or both." msgstr "Kies IPv4 of IPv6 of beide." -#: webadmin.cpp:1816 +#: webadmin.cpp:1809 msgid "Choose either IRC or HTTP or both." msgstr "Kies IRC of HTTP of beide." -#: webadmin.cpp:1829 webadmin.cpp:1865 +#: webadmin.cpp:1822 webadmin.cpp:1858 msgid "Port was changed, but config file was not written" msgstr "Poort was aangepast maar configuratie was niet opgeslagen" -#: webadmin.cpp:1855 +#: webadmin.cpp:1848 msgid "Invalid request." msgstr "Ongeldig verzoek." -#: webadmin.cpp:1869 +#: webadmin.cpp:1862 msgid "The specified listener was not found." msgstr "De opgegeven luisteraar was niet gevonden." -#: webadmin.cpp:2100 +#: webadmin.cpp:2093 msgid "Settings were changed, but config file was not written" msgstr "Instellingen waren aangepast maar configuratie was niet opgeslagen" diff --git a/modules/po/webadmin.pot b/modules/po/webadmin.pot index c7ff35cb..6352bb5d 100644 --- a/modules/po/webadmin.pot +++ b/modules/po/webadmin.pot @@ -962,7 +962,7 @@ msgstr "" msgid "Network" msgstr "" -#: webadmin.cpp:91 webadmin.cpp:1879 +#: webadmin.cpp:91 webadmin.cpp:1872 msgid "Global Settings" msgstr "" @@ -970,11 +970,11 @@ msgstr "" msgid "Your Settings" msgstr "" -#: webadmin.cpp:94 webadmin.cpp:1691 +#: webadmin.cpp:94 webadmin.cpp:1684 msgid "Traffic Info" msgstr "" -#: webadmin.cpp:97 webadmin.cpp:1670 +#: webadmin.cpp:97 webadmin.cpp:1663 msgid "Manage Users" msgstr "" @@ -990,7 +990,7 @@ msgstr "" msgid "Timeout can't be less than 30 seconds!" msgstr "" -#: webadmin.cpp:407 webadmin.cpp:435 webadmin.cpp:1189 webadmin.cpp:2064 +#: webadmin.cpp:407 webadmin.cpp:435 webadmin.cpp:1182 webadmin.cpp:2057 msgid "Unable to load module [{1}]: {2}" msgstr "" @@ -999,7 +999,7 @@ msgid "Unable to load module [{1}] with arguments [{2}]" msgstr "" #: webadmin.cpp:521 webadmin.cpp:625 webadmin.cpp:650 webadmin.cpp:672 -#: webadmin.cpp:706 webadmin.cpp:1256 +#: webadmin.cpp:706 webadmin.cpp:1249 msgid "No such user" msgstr "" @@ -1015,11 +1015,11 @@ msgstr "" msgid "Please don't delete yourself, suicide is not the answer!" msgstr "" -#: webadmin.cpp:715 webadmin.cpp:971 webadmin.cpp:1321 +#: webadmin.cpp:715 webadmin.cpp:972 webadmin.cpp:1314 msgid "Edit User [{1}]" msgstr "" -#: webadmin.cpp:719 webadmin.cpp:897 +#: webadmin.cpp:719 webadmin.cpp:906 msgid "Edit Network [{1}]" msgstr "" @@ -1039,7 +1039,7 @@ msgstr "" msgid "Add Channel" msgstr "" -#: webadmin.cpp:756 webadmin.cpp:1517 +#: webadmin.cpp:756 webadmin.cpp:1510 msgid "Auto Clear Chan Buffer" msgstr "" @@ -1071,130 +1071,130 @@ msgstr "" msgid "Channel was added/modified, but config file was not written" msgstr "" -#: webadmin.cpp:894 -msgid "Edit Network [{1}] of User [{2}]" -msgstr "" - -#: webadmin.cpp:901 webadmin.cpp:1078 +#: webadmin.cpp:888 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks from Your Settings." msgstr "" -#: webadmin.cpp:909 -msgid "Add Network for User [{1}]" +#: webadmin.cpp:903 +msgid "Edit Network [{1}] of User [{2}]" msgstr "" #: webadmin.cpp:910 +msgid "Add Network for User [{1}]" +msgstr "" + +#: webadmin.cpp:911 msgid "Add Network" msgstr "" -#: webadmin.cpp:1072 +#: webadmin.cpp:1073 msgid "Network name is a required argument" msgstr "" -#: webadmin.cpp:1196 webadmin.cpp:2071 +#: webadmin.cpp:1189 webadmin.cpp:2064 msgid "Unable to reload module [{1}]: {2}" msgstr "" -#: webadmin.cpp:1233 +#: webadmin.cpp:1226 msgid "Network was added/modified, but config file was not written" msgstr "" -#: webadmin.cpp:1262 +#: webadmin.cpp:1255 msgid "That network doesn't exist for this user" msgstr "" -#: webadmin.cpp:1279 +#: webadmin.cpp:1272 msgid "Network was deleted, but config file was not written" msgstr "" -#: webadmin.cpp:1293 +#: webadmin.cpp:1286 msgid "That channel doesn't exist for this network" msgstr "" -#: webadmin.cpp:1302 +#: webadmin.cpp:1295 msgid "Channel was deleted, but config file was not written" msgstr "" -#: webadmin.cpp:1330 +#: webadmin.cpp:1323 msgid "Clone User [{1}]" msgstr "" -#: webadmin.cpp:1519 +#: webadmin.cpp:1512 msgid "" "Automatically Clear Channel Buffer After Playback (the default value for new " "channels)" msgstr "" -#: webadmin.cpp:1529 +#: webadmin.cpp:1522 msgid "Multi Clients" msgstr "" -#: webadmin.cpp:1536 +#: webadmin.cpp:1529 msgid "Append Timestamps" msgstr "" -#: webadmin.cpp:1543 +#: webadmin.cpp:1536 msgid "Prepend Timestamps" msgstr "" -#: webadmin.cpp:1551 +#: webadmin.cpp:1544 msgid "Deny LoadMod" msgstr "" -#: webadmin.cpp:1558 +#: webadmin.cpp:1551 msgid "Admin" msgstr "" -#: webadmin.cpp:1568 +#: webadmin.cpp:1561 msgid "Deny SetBindHost" msgstr "" -#: webadmin.cpp:1576 +#: webadmin.cpp:1569 msgid "Auto Clear Query Buffer" msgstr "" -#: webadmin.cpp:1578 +#: webadmin.cpp:1571 msgid "Automatically Clear Query Buffer After Playback" msgstr "" -#: webadmin.cpp:1602 +#: webadmin.cpp:1595 msgid "Invalid Submission: User {1} already exists" msgstr "" -#: webadmin.cpp:1624 webadmin.cpp:1635 +#: webadmin.cpp:1617 webadmin.cpp:1628 msgid "Invalid submission: {1}" msgstr "" -#: webadmin.cpp:1630 +#: webadmin.cpp:1623 msgid "User was added, but config file was not written" msgstr "" -#: webadmin.cpp:1641 +#: webadmin.cpp:1634 msgid "User was edited, but config file was not written" msgstr "" -#: webadmin.cpp:1799 +#: webadmin.cpp:1792 msgid "Choose either IPv4 or IPv6 or both." msgstr "" -#: webadmin.cpp:1816 +#: webadmin.cpp:1809 msgid "Choose either IRC or HTTP or both." msgstr "" -#: webadmin.cpp:1829 webadmin.cpp:1865 +#: webadmin.cpp:1822 webadmin.cpp:1858 msgid "Port was changed, but config file was not written" msgstr "" -#: webadmin.cpp:1855 +#: webadmin.cpp:1848 msgid "Invalid request." msgstr "" -#: webadmin.cpp:1869 +#: webadmin.cpp:1862 msgid "The specified listener was not found." msgstr "" -#: webadmin.cpp:2100 +#: webadmin.cpp:2093 msgid "Settings were changed, but config file was not written" msgstr "" diff --git a/modules/po/webadmin.ru_RU.po b/modules/po/webadmin.ru_RU.po index d153e55e..091d8f39 100644 --- a/modules/po/webadmin.ru_RU.po +++ b/modules/po/webadmin.ru_RU.po @@ -1028,7 +1028,7 @@ msgstr "Пользователь" msgid "Network" msgstr "Сеть" -#: webadmin.cpp:91 webadmin.cpp:1879 +#: webadmin.cpp:91 webadmin.cpp:1872 msgid "Global Settings" msgstr "Глобальные настройки" @@ -1036,11 +1036,11 @@ msgstr "Глобальные настройки" msgid "Your Settings" msgstr "Мои настройки" -#: webadmin.cpp:94 webadmin.cpp:1691 +#: webadmin.cpp:94 webadmin.cpp:1684 msgid "Traffic Info" msgstr "Трафик" -#: webadmin.cpp:97 webadmin.cpp:1670 +#: webadmin.cpp:97 webadmin.cpp:1663 msgid "Manage Users" msgstr "Пользователи" @@ -1056,7 +1056,7 @@ msgstr "Ошибка: пароли не совпадают" msgid "Timeout can't be less than 30 seconds!" msgstr "Время ожидания не может быть меньше 30 секунд!" -#: webadmin.cpp:407 webadmin.cpp:435 webadmin.cpp:1189 webadmin.cpp:2064 +#: webadmin.cpp:407 webadmin.cpp:435 webadmin.cpp:1182 webadmin.cpp:2057 msgid "Unable to load module [{1}]: {2}" msgstr "Не могу загрузить модуль [{1}]: {2}" @@ -1065,7 +1065,7 @@ msgid "Unable to load module [{1}] with arguments [{2}]" msgstr "Не могу загрузить модуль [{1}] с аргументами [{2}]" #: webadmin.cpp:521 webadmin.cpp:625 webadmin.cpp:650 webadmin.cpp:672 -#: webadmin.cpp:706 webadmin.cpp:1256 +#: webadmin.cpp:706 webadmin.cpp:1249 msgid "No such user" msgstr "Нет такого пользователя" @@ -1081,11 +1081,11 @@ msgstr "Нет такого канала" msgid "Please don't delete yourself, suicide is not the answer!" msgstr "Пожалуйста, не удаляйте себя, самоубийство — не ответ!" -#: webadmin.cpp:715 webadmin.cpp:971 webadmin.cpp:1321 +#: webadmin.cpp:715 webadmin.cpp:972 webadmin.cpp:1314 msgid "Edit User [{1}]" msgstr "Пользователь [{1}]" -#: webadmin.cpp:719 webadmin.cpp:897 +#: webadmin.cpp:719 webadmin.cpp:906 msgid "Edit Network [{1}]" msgstr "Сеть [{1}]" @@ -1105,7 +1105,7 @@ msgstr "Новый канал для сети [{1}] пользователя [{2 msgid "Add Channel" msgstr "Новый канал" -#: webadmin.cpp:756 webadmin.cpp:1517 +#: webadmin.cpp:756 webadmin.cpp:1510 msgid "Auto Clear Chan Buffer" msgstr "Автоматически очищать буфер канала" @@ -1137,11 +1137,7 @@ msgstr "Не могу добавить канал [{1}]" msgid "Channel was added/modified, but config file was not written" msgstr "Канал добавлен/изменён, но записать конфигурацию в файл не удалось" -#: webadmin.cpp:894 -msgid "Edit Network [{1}] of User [{2}]" -msgstr "Сеть [{1}] пользователя [{2}]" - -#: webadmin.cpp:901 webadmin.cpp:1078 +#: webadmin.cpp:888 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks from Your Settings." @@ -1149,47 +1145,51 @@ msgstr "" "Достигнуто ограничение на количество сетей. Попросите администратора поднять " "вам лимит или удалите ненужные сети в «Моих настройках»" -#: webadmin.cpp:909 +#: webadmin.cpp:903 +msgid "Edit Network [{1}] of User [{2}]" +msgstr "Сеть [{1}] пользователя [{2}]" + +#: webadmin.cpp:910 msgid "Add Network for User [{1}]" msgstr "Новая сеть пользователя [{1}]" -#: webadmin.cpp:910 +#: webadmin.cpp:911 msgid "Add Network" msgstr "Новая сеть" -#: webadmin.cpp:1072 +#: webadmin.cpp:1073 msgid "Network name is a required argument" msgstr "Необходимо имя сети" -#: webadmin.cpp:1196 webadmin.cpp:2071 +#: webadmin.cpp:1189 webadmin.cpp:2064 msgid "Unable to reload module [{1}]: {2}" msgstr "Не могу перегрузить модуль [{1}]: {2}" -#: webadmin.cpp:1233 +#: webadmin.cpp:1226 msgid "Network was added/modified, but config file was not written" msgstr "Сеть добавлена/изменена, но записать конфигурацию в файл не удалось" -#: webadmin.cpp:1262 +#: webadmin.cpp:1255 msgid "That network doesn't exist for this user" msgstr "У этого пользователя нет такой сети" -#: webadmin.cpp:1279 +#: webadmin.cpp:1272 msgid "Network was deleted, but config file was not written" msgstr "Сеть удалена, но записать конфигурацию в файл не удалось" -#: webadmin.cpp:1293 +#: webadmin.cpp:1286 msgid "That channel doesn't exist for this network" msgstr "В этой сети нет такого канала" -#: webadmin.cpp:1302 +#: webadmin.cpp:1295 msgid "Channel was deleted, but config file was not written" msgstr "Канал удалён, но записать конфигурацию в файл не удалось" -#: webadmin.cpp:1330 +#: webadmin.cpp:1323 msgid "Clone User [{1}]" msgstr "Клон пользователя [{1}]" -#: webadmin.cpp:1519 +#: webadmin.cpp:1512 msgid "" "Automatically Clear Channel Buffer After Playback (the default value for new " "channels)" @@ -1197,74 +1197,74 @@ msgstr "" "Автоматически очищать буфер канала после воспроизведения (значение по " "умолчанию для новых каналов)" -#: webadmin.cpp:1529 +#: webadmin.cpp:1522 msgid "Multi Clients" msgstr "Много клиентов" -#: webadmin.cpp:1536 +#: webadmin.cpp:1529 msgid "Append Timestamps" msgstr "Метка времени в конце" -#: webadmin.cpp:1543 +#: webadmin.cpp:1536 msgid "Prepend Timestamps" msgstr "Метка времени в начале" -#: webadmin.cpp:1551 +#: webadmin.cpp:1544 msgid "Deny LoadMod" msgstr "Запрет загрузки модулей" -#: webadmin.cpp:1558 +#: webadmin.cpp:1551 msgid "Admin" msgstr "Администратор" -#: webadmin.cpp:1568 +#: webadmin.cpp:1561 msgid "Deny SetBindHost" msgstr "Запрет смены хоста" -#: webadmin.cpp:1576 +#: webadmin.cpp:1569 msgid "Auto Clear Query Buffer" msgstr "Автоматически очищать буфер личных сообщений" -#: webadmin.cpp:1578 +#: webadmin.cpp:1571 msgid "Automatically Clear Query Buffer After Playback" msgstr "Автоматически очищать буфер личных сообщений после воспроизведения" -#: webadmin.cpp:1602 +#: webadmin.cpp:1595 msgid "Invalid Submission: User {1} already exists" msgstr "Ошибка: пользователь {1} уже существует" -#: webadmin.cpp:1624 webadmin.cpp:1635 +#: webadmin.cpp:1617 webadmin.cpp:1628 msgid "Invalid submission: {1}" msgstr "Ошибка: {1}" -#: webadmin.cpp:1630 +#: webadmin.cpp:1623 msgid "User was added, but config file was not written" msgstr "Пользователь добавлен, но записать конфигурацию в файл не удалось" -#: webadmin.cpp:1641 +#: webadmin.cpp:1634 msgid "User was edited, but config file was not written" msgstr "Пользователь изменён, но записать конфигурацию в файл не удалось" -#: webadmin.cpp:1799 +#: webadmin.cpp:1792 msgid "Choose either IPv4 or IPv6 or both." msgstr "Выберите IPv4, IPv6 или и то, и другое." -#: webadmin.cpp:1816 +#: webadmin.cpp:1809 msgid "Choose either IRC or HTTP or both." msgstr "Выберите IRC, HTTP или и то, и другое." -#: webadmin.cpp:1829 webadmin.cpp:1865 +#: webadmin.cpp:1822 webadmin.cpp:1858 msgid "Port was changed, but config file was not written" msgstr "Порт изменён, но записать конфигурацию в файл не удалось" -#: webadmin.cpp:1855 +#: webadmin.cpp:1848 msgid "Invalid request." msgstr "Некорректный запрос." -#: webadmin.cpp:1869 +#: webadmin.cpp:1862 msgid "The specified listener was not found." msgstr "Указанный порт не найден." -#: webadmin.cpp:2100 +#: webadmin.cpp:2093 msgid "Settings were changed, but config file was not written" msgstr "Настройки изменены, но записать конфигурацию в файл не удалось" From a51dd892e66f3af5539b7d3bb92e5014bd85ba39 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Mon, 10 Dec 2018 00:27:10 +0000 Subject: [PATCH 215/798] Update translations from Crowdin for de_DE es_ES fr_FR id_ID nl_NL pt_BR ru_RU --- modules/po/webadmin.de_DE.po | 84 ++++++++++++++++++------------------ modules/po/webadmin.es_ES.po | 84 ++++++++++++++++++------------------ modules/po/webadmin.fr_FR.po | 84 ++++++++++++++++++------------------ modules/po/webadmin.id_ID.po | 84 ++++++++++++++++++------------------ modules/po/webadmin.nl_NL.po | 84 ++++++++++++++++++------------------ modules/po/webadmin.pot | 84 ++++++++++++++++++------------------ modules/po/webadmin.pt_BR.po | 84 ++++++++++++++++++------------------ modules/po/webadmin.ru_RU.po | 84 ++++++++++++++++++------------------ 8 files changed, 336 insertions(+), 336 deletions(-) diff --git a/modules/po/webadmin.de_DE.po b/modules/po/webadmin.de_DE.po index 1bcb6f7a..89254dcf 100644 --- a/modules/po/webadmin.de_DE.po +++ b/modules/po/webadmin.de_DE.po @@ -971,7 +971,7 @@ msgstr "" msgid "Network" msgstr "" -#: webadmin.cpp:91 webadmin.cpp:1879 +#: webadmin.cpp:91 webadmin.cpp:1872 msgid "Global Settings" msgstr "" @@ -979,11 +979,11 @@ msgstr "" msgid "Your Settings" msgstr "" -#: webadmin.cpp:94 webadmin.cpp:1691 +#: webadmin.cpp:94 webadmin.cpp:1684 msgid "Traffic Info" msgstr "" -#: webadmin.cpp:97 webadmin.cpp:1670 +#: webadmin.cpp:97 webadmin.cpp:1663 msgid "Manage Users" msgstr "" @@ -999,7 +999,7 @@ msgstr "" msgid "Timeout can't be less than 30 seconds!" msgstr "" -#: webadmin.cpp:407 webadmin.cpp:435 webadmin.cpp:1189 webadmin.cpp:2064 +#: webadmin.cpp:407 webadmin.cpp:435 webadmin.cpp:1182 webadmin.cpp:2057 msgid "Unable to load module [{1}]: {2}" msgstr "" @@ -1008,7 +1008,7 @@ msgid "Unable to load module [{1}] with arguments [{2}]" msgstr "" #: webadmin.cpp:521 webadmin.cpp:625 webadmin.cpp:650 webadmin.cpp:672 -#: webadmin.cpp:706 webadmin.cpp:1256 +#: webadmin.cpp:706 webadmin.cpp:1249 msgid "No such user" msgstr "" @@ -1024,11 +1024,11 @@ msgstr "" msgid "Please don't delete yourself, suicide is not the answer!" msgstr "" -#: webadmin.cpp:715 webadmin.cpp:971 webadmin.cpp:1321 +#: webadmin.cpp:715 webadmin.cpp:972 webadmin.cpp:1314 msgid "Edit User [{1}]" msgstr "" -#: webadmin.cpp:719 webadmin.cpp:897 +#: webadmin.cpp:719 webadmin.cpp:906 msgid "Edit Network [{1}]" msgstr "" @@ -1048,7 +1048,7 @@ msgstr "" msgid "Add Channel" msgstr "" -#: webadmin.cpp:756 webadmin.cpp:1517 +#: webadmin.cpp:756 webadmin.cpp:1510 msgid "Auto Clear Chan Buffer" msgstr "" @@ -1080,130 +1080,130 @@ msgstr "" msgid "Channel was added/modified, but config file was not written" msgstr "" -#: webadmin.cpp:894 -msgid "Edit Network [{1}] of User [{2}]" -msgstr "" - -#: webadmin.cpp:901 webadmin.cpp:1078 +#: webadmin.cpp:888 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks from Your Settings." msgstr "" -#: webadmin.cpp:909 -msgid "Add Network for User [{1}]" +#: webadmin.cpp:903 +msgid "Edit Network [{1}] of User [{2}]" msgstr "" #: webadmin.cpp:910 +msgid "Add Network for User [{1}]" +msgstr "" + +#: webadmin.cpp:911 msgid "Add Network" msgstr "" -#: webadmin.cpp:1072 +#: webadmin.cpp:1073 msgid "Network name is a required argument" msgstr "" -#: webadmin.cpp:1196 webadmin.cpp:2071 +#: webadmin.cpp:1189 webadmin.cpp:2064 msgid "Unable to reload module [{1}]: {2}" msgstr "" -#: webadmin.cpp:1233 +#: webadmin.cpp:1226 msgid "Network was added/modified, but config file was not written" msgstr "" -#: webadmin.cpp:1262 +#: webadmin.cpp:1255 msgid "That network doesn't exist for this user" msgstr "" -#: webadmin.cpp:1279 +#: webadmin.cpp:1272 msgid "Network was deleted, but config file was not written" msgstr "" -#: webadmin.cpp:1293 +#: webadmin.cpp:1286 msgid "That channel doesn't exist for this network" msgstr "" -#: webadmin.cpp:1302 +#: webadmin.cpp:1295 msgid "Channel was deleted, but config file was not written" msgstr "" -#: webadmin.cpp:1330 +#: webadmin.cpp:1323 msgid "Clone User [{1}]" msgstr "" -#: webadmin.cpp:1519 +#: webadmin.cpp:1512 msgid "" "Automatically Clear Channel Buffer After Playback (the default value for new " "channels)" msgstr "" -#: webadmin.cpp:1529 +#: webadmin.cpp:1522 msgid "Multi Clients" msgstr "" -#: webadmin.cpp:1536 +#: webadmin.cpp:1529 msgid "Append Timestamps" msgstr "" -#: webadmin.cpp:1543 +#: webadmin.cpp:1536 msgid "Prepend Timestamps" msgstr "" -#: webadmin.cpp:1551 +#: webadmin.cpp:1544 msgid "Deny LoadMod" msgstr "" -#: webadmin.cpp:1558 +#: webadmin.cpp:1551 msgid "Admin" msgstr "" -#: webadmin.cpp:1568 +#: webadmin.cpp:1561 msgid "Deny SetBindHost" msgstr "" -#: webadmin.cpp:1576 +#: webadmin.cpp:1569 msgid "Auto Clear Query Buffer" msgstr "" -#: webadmin.cpp:1578 +#: webadmin.cpp:1571 msgid "Automatically Clear Query Buffer After Playback" msgstr "" -#: webadmin.cpp:1602 +#: webadmin.cpp:1595 msgid "Invalid Submission: User {1} already exists" msgstr "" -#: webadmin.cpp:1624 webadmin.cpp:1635 +#: webadmin.cpp:1617 webadmin.cpp:1628 msgid "Invalid submission: {1}" msgstr "" -#: webadmin.cpp:1630 +#: webadmin.cpp:1623 msgid "User was added, but config file was not written" msgstr "" -#: webadmin.cpp:1641 +#: webadmin.cpp:1634 msgid "User was edited, but config file was not written" msgstr "" -#: webadmin.cpp:1799 +#: webadmin.cpp:1792 msgid "Choose either IPv4 or IPv6 or both." msgstr "" -#: webadmin.cpp:1816 +#: webadmin.cpp:1809 msgid "Choose either IRC or HTTP or both." msgstr "" -#: webadmin.cpp:1829 webadmin.cpp:1865 +#: webadmin.cpp:1822 webadmin.cpp:1858 msgid "Port was changed, but config file was not written" msgstr "" -#: webadmin.cpp:1855 +#: webadmin.cpp:1848 msgid "Invalid request." msgstr "" -#: webadmin.cpp:1869 +#: webadmin.cpp:1862 msgid "The specified listener was not found." msgstr "" -#: webadmin.cpp:2100 +#: webadmin.cpp:2093 msgid "Settings were changed, but config file was not written" msgstr "" diff --git a/modules/po/webadmin.es_ES.po b/modules/po/webadmin.es_ES.po index d155d834..73879c3b 100644 --- a/modules/po/webadmin.es_ES.po +++ b/modules/po/webadmin.es_ES.po @@ -1029,7 +1029,7 @@ msgstr "Usuario" msgid "Network" msgstr "Red" -#: webadmin.cpp:91 webadmin.cpp:1879 +#: webadmin.cpp:91 webadmin.cpp:1872 msgid "Global Settings" msgstr "Ajustes globales" @@ -1037,11 +1037,11 @@ msgstr "Ajustes globales" msgid "Your Settings" msgstr "Tus ajustes" -#: webadmin.cpp:94 webadmin.cpp:1691 +#: webadmin.cpp:94 webadmin.cpp:1684 msgid "Traffic Info" msgstr "Info de tráfico" -#: webadmin.cpp:97 webadmin.cpp:1670 +#: webadmin.cpp:97 webadmin.cpp:1663 msgid "Manage Users" msgstr "Gestionar usuarios" @@ -1057,7 +1057,7 @@ msgstr "Envío no válido [Las contraseñas no coinciden]" msgid "Timeout can't be less than 30 seconds!" msgstr "¡El tiempo de espera no puede ser inferior a 30 segundos!" -#: webadmin.cpp:407 webadmin.cpp:435 webadmin.cpp:1189 webadmin.cpp:2064 +#: webadmin.cpp:407 webadmin.cpp:435 webadmin.cpp:1182 webadmin.cpp:2057 msgid "Unable to load module [{1}]: {2}" msgstr "No se ha podido cargar el módulo [{1}]: {2}" @@ -1066,7 +1066,7 @@ msgid "Unable to load module [{1}] with arguments [{2}]" msgstr "No se ha podido cargar el módulo [{1}] con parámetros {2}" #: webadmin.cpp:521 webadmin.cpp:625 webadmin.cpp:650 webadmin.cpp:672 -#: webadmin.cpp:706 webadmin.cpp:1256 +#: webadmin.cpp:706 webadmin.cpp:1249 msgid "No such user" msgstr "No existe el usuario" @@ -1082,11 +1082,11 @@ msgstr "No existe el canal" msgid "Please don't delete yourself, suicide is not the answer!" msgstr "No te elimines a ti mismo, el suicidio no es la solución" -#: webadmin.cpp:715 webadmin.cpp:971 webadmin.cpp:1321 +#: webadmin.cpp:715 webadmin.cpp:972 webadmin.cpp:1314 msgid "Edit User [{1}]" msgstr "Editar usuario [{1}]" -#: webadmin.cpp:719 webadmin.cpp:897 +#: webadmin.cpp:719 webadmin.cpp:906 msgid "Edit Network [{1}]" msgstr "Editar red [{1}]" @@ -1106,7 +1106,7 @@ msgstr "Añadir canal a red [{1}] del usuario [{2}]" msgid "Add Channel" msgstr "Añadir canal" -#: webadmin.cpp:756 webadmin.cpp:1517 +#: webadmin.cpp:756 webadmin.cpp:1510 msgid "Auto Clear Chan Buffer" msgstr "Autoborrar búfer de canal" @@ -1140,11 +1140,7 @@ msgstr "" "El canal fue añadido/modificado, pero el fichero de configuración no ha sido " "escrito" -#: webadmin.cpp:894 -msgid "Edit Network [{1}] of User [{2}]" -msgstr "Editar red [{1}] del usuario [{2}]" - -#: webadmin.cpp:901 webadmin.cpp:1078 +#: webadmin.cpp:888 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks from Your Settings." @@ -1152,53 +1148,57 @@ msgstr "" "Límite de redes superado. Pídele a un admin que te incremente el límite, o " "elimina redes innecesarias de tus ajustes." -#: webadmin.cpp:909 +#: webadmin.cpp:903 +msgid "Edit Network [{1}] of User [{2}]" +msgstr "Editar red [{1}] del usuario [{2}]" + +#: webadmin.cpp:910 msgid "Add Network for User [{1}]" msgstr "Añadir red para el usuario [{1}]" -#: webadmin.cpp:910 +#: webadmin.cpp:911 msgid "Add Network" msgstr "Añadir red" -#: webadmin.cpp:1072 +#: webadmin.cpp:1073 msgid "Network name is a required argument" msgstr "El nombre de la red es un parámetro obligatorio" -#: webadmin.cpp:1196 webadmin.cpp:2071 +#: webadmin.cpp:1189 webadmin.cpp:2064 msgid "Unable to reload module [{1}]: {2}" msgstr "No se ha podido recargar el módulo [{1}]: {2}" -#: webadmin.cpp:1233 +#: webadmin.cpp:1226 msgid "Network was added/modified, but config file was not written" msgstr "" "La red fue añadida/modificada, pero el fichero de configuración no se ha " "podido escribir" -#: webadmin.cpp:1262 +#: webadmin.cpp:1255 msgid "That network doesn't exist for this user" msgstr "La red no existe para este usuario" -#: webadmin.cpp:1279 +#: webadmin.cpp:1272 msgid "Network was deleted, but config file was not written" msgstr "" "La red fue eliminada, pero el fichero de configuración no se ha podido " "escribir" -#: webadmin.cpp:1293 +#: webadmin.cpp:1286 msgid "That channel doesn't exist for this network" msgstr "Ese canal no existe para esta red" -#: webadmin.cpp:1302 +#: webadmin.cpp:1295 msgid "Channel was deleted, but config file was not written" msgstr "" "El canal fue eliminado, pero el fichero de configuración no se ha podido " "escribir" -#: webadmin.cpp:1330 +#: webadmin.cpp:1323 msgid "Clone User [{1}]" msgstr "Clonar usuario [{1}]" -#: webadmin.cpp:1519 +#: webadmin.cpp:1512 msgid "" "Automatically Clear Channel Buffer After Playback (the default value for new " "channels)" @@ -1206,81 +1206,81 @@ msgstr "" "Borrar automáticamente búfers de canales tras reproducirlos (el valor " "predeterminado para nuevos canales)" -#: webadmin.cpp:1529 +#: webadmin.cpp:1522 msgid "Multi Clients" msgstr "Multi clientes" -#: webadmin.cpp:1536 +#: webadmin.cpp:1529 msgid "Append Timestamps" msgstr "Anexar marcas de tiempo" -#: webadmin.cpp:1543 +#: webadmin.cpp:1536 msgid "Prepend Timestamps" msgstr "Preceder marcas de tiempo" -#: webadmin.cpp:1551 +#: webadmin.cpp:1544 msgid "Deny LoadMod" msgstr "Bloquear LoadMod" -#: webadmin.cpp:1558 +#: webadmin.cpp:1551 msgid "Admin" msgstr "Admin" -#: webadmin.cpp:1568 +#: webadmin.cpp:1561 msgid "Deny SetBindHost" msgstr "Bloquear SetBindHost" -#: webadmin.cpp:1576 +#: webadmin.cpp:1569 msgid "Auto Clear Query Buffer" msgstr "Autoborrar búfer de privados" -#: webadmin.cpp:1578 +#: webadmin.cpp:1571 msgid "Automatically Clear Query Buffer After Playback" msgstr "Borrar automáticamente búfers de privados tras reproducirlos" -#: webadmin.cpp:1602 +#: webadmin.cpp:1595 msgid "Invalid Submission: User {1} already exists" msgstr "Envío no válido: el usuario {1} ya existe" -#: webadmin.cpp:1624 webadmin.cpp:1635 +#: webadmin.cpp:1617 webadmin.cpp:1628 msgid "Invalid submission: {1}" msgstr "Envío no válido: {1}" -#: webadmin.cpp:1630 +#: webadmin.cpp:1623 msgid "User was added, but config file was not written" msgstr "" "El usuario fue añadido, pero el fichero de configuración no se ha podido " "escribir" -#: webadmin.cpp:1641 +#: webadmin.cpp:1634 msgid "User was edited, but config file was not written" msgstr "" "El usuario fue editado, pero el fichero de configuración no se ha podido " "escribir" -#: webadmin.cpp:1799 +#: webadmin.cpp:1792 msgid "Choose either IPv4 or IPv6 or both." msgstr "Elige IPv4, IPv6 o ambos." -#: webadmin.cpp:1816 +#: webadmin.cpp:1809 msgid "Choose either IRC or HTTP or both." msgstr "Elige IRC, HTTP o ambos." -#: webadmin.cpp:1829 webadmin.cpp:1865 +#: webadmin.cpp:1822 webadmin.cpp:1858 msgid "Port was changed, but config file was not written" msgstr "" "El puerto fue cambiado, pero el fichero de configuración no se ha podido " "escribir" -#: webadmin.cpp:1855 +#: webadmin.cpp:1848 msgid "Invalid request." msgstr "Petición inválida." -#: webadmin.cpp:1869 +#: webadmin.cpp:1862 msgid "The specified listener was not found." msgstr "El puerto de escucha especificado no se ha encontrado." -#: webadmin.cpp:2100 +#: webadmin.cpp:2093 msgid "Settings were changed, but config file was not written" msgstr "" "Los ajustes fueron cambiados, pero el fichero de configuración no se ha " diff --git a/modules/po/webadmin.fr_FR.po b/modules/po/webadmin.fr_FR.po index 3e6e8b1c..3f3c82c5 100644 --- a/modules/po/webadmin.fr_FR.po +++ b/modules/po/webadmin.fr_FR.po @@ -1048,7 +1048,7 @@ msgstr "Utilisateur" msgid "Network" msgstr "Réseau" -#: webadmin.cpp:91 webadmin.cpp:1879 +#: webadmin.cpp:91 webadmin.cpp:1872 msgid "Global Settings" msgstr "Paramètres globaux" @@ -1056,11 +1056,11 @@ msgstr "Paramètres globaux" msgid "Your Settings" msgstr "Vos paramètres" -#: webadmin.cpp:94 webadmin.cpp:1691 +#: webadmin.cpp:94 webadmin.cpp:1684 msgid "Traffic Info" msgstr "Informations sur le trafic" -#: webadmin.cpp:97 webadmin.cpp:1670 +#: webadmin.cpp:97 webadmin.cpp:1663 msgid "Manage Users" msgstr "Gérer les utilisateurs" @@ -1076,7 +1076,7 @@ msgstr "Soumission invalide [les mots de passe ne correspondent pas]" msgid "Timeout can't be less than 30 seconds!" msgstr "Le délai d'expiration ne peut être inférieur à 30 secondes !" -#: webadmin.cpp:407 webadmin.cpp:435 webadmin.cpp:1189 webadmin.cpp:2064 +#: webadmin.cpp:407 webadmin.cpp:435 webadmin.cpp:1182 webadmin.cpp:2057 msgid "Unable to load module [{1}]: {2}" msgstr "Impossible de charger le module [{1}] : {2}" @@ -1085,7 +1085,7 @@ msgid "Unable to load module [{1}] with arguments [{2}]" msgstr "Impossible de charger le module [{1}] avec les arguments [{2}]" #: webadmin.cpp:521 webadmin.cpp:625 webadmin.cpp:650 webadmin.cpp:672 -#: webadmin.cpp:706 webadmin.cpp:1256 +#: webadmin.cpp:706 webadmin.cpp:1249 msgid "No such user" msgstr "Utilisateur inconnu" @@ -1101,11 +1101,11 @@ msgstr "Salon inconnu" msgid "Please don't delete yourself, suicide is not the answer!" msgstr "Veuillez ne pas vous supprimer, le suicide n'est pas la solution !" -#: webadmin.cpp:715 webadmin.cpp:971 webadmin.cpp:1321 +#: webadmin.cpp:715 webadmin.cpp:972 webadmin.cpp:1314 msgid "Edit User [{1}]" msgstr "Modifier l'utilisateur [{1}]" -#: webadmin.cpp:719 webadmin.cpp:897 +#: webadmin.cpp:719 webadmin.cpp:906 msgid "Edit Network [{1}]" msgstr "Modifier le réseau [{1}]" @@ -1125,7 +1125,7 @@ msgstr "Ajouter un salon au réseau [{1}] de l'utilisateur [{2}]" msgid "Add Channel" msgstr "Ajouter un salon" -#: webadmin.cpp:756 webadmin.cpp:1517 +#: webadmin.cpp:756 webadmin.cpp:1510 msgid "Auto Clear Chan Buffer" msgstr "Vider automatiquement le tampon des salons" @@ -1159,11 +1159,7 @@ msgstr "" "Le salon a été ajouté ou modifié, mais la configuration n'a pas pu être " "sauvegardée" -#: webadmin.cpp:894 -msgid "Edit Network [{1}] of User [{2}]" -msgstr "Modifier le réseau [{1}] de l'utilisateur [{2}]" - -#: webadmin.cpp:901 webadmin.cpp:1078 +#: webadmin.cpp:888 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks from Your Settings." @@ -1172,51 +1168,55 @@ msgstr "" "d'augmenter cette limite pour vous ou bien supprimez des réseaux obsolètes " "de vos paramètres." -#: webadmin.cpp:909 +#: webadmin.cpp:903 +msgid "Edit Network [{1}] of User [{2}]" +msgstr "Modifier le réseau [{1}] de l'utilisateur [{2}]" + +#: webadmin.cpp:910 msgid "Add Network for User [{1}]" msgstr "Ajouter un réseau pour l'utilisateur [{1}]" -#: webadmin.cpp:910 +#: webadmin.cpp:911 msgid "Add Network" msgstr "Ajouter un réseau" -#: webadmin.cpp:1072 +#: webadmin.cpp:1073 msgid "Network name is a required argument" msgstr "Le nom du réseau est un argument requis" -#: webadmin.cpp:1196 webadmin.cpp:2071 +#: webadmin.cpp:1189 webadmin.cpp:2064 msgid "Unable to reload module [{1}]: {2}" msgstr "Impossible de recharger le module [{1}] : {2}" -#: webadmin.cpp:1233 +#: webadmin.cpp:1226 msgid "Network was added/modified, but config file was not written" msgstr "" "Le réseau a été ajouté ou modifié, mais la configuration n'a pas pu être " "sauvegardée" -#: webadmin.cpp:1262 +#: webadmin.cpp:1255 msgid "That network doesn't exist for this user" msgstr "Le réseau n'existe pas pour cet utilisateur" -#: webadmin.cpp:1279 +#: webadmin.cpp:1272 msgid "Network was deleted, but config file was not written" msgstr "" "Le réseau a été supprimé, mais la configuration n'a pas pu être sauvegardée" -#: webadmin.cpp:1293 +#: webadmin.cpp:1286 msgid "That channel doesn't exist for this network" msgstr "Le salon n'existe pas pour ce réseau" -#: webadmin.cpp:1302 +#: webadmin.cpp:1295 msgid "Channel was deleted, but config file was not written" msgstr "" "Le salon a été supprimé, mais la configuration n'a pas pu être sauvegardée" -#: webadmin.cpp:1330 +#: webadmin.cpp:1323 msgid "Clone User [{1}]" msgstr "Dupliquer l'utilisateur [{1}]" -#: webadmin.cpp:1519 +#: webadmin.cpp:1512 msgid "" "Automatically Clear Channel Buffer After Playback (the default value for new " "channels)" @@ -1224,80 +1224,80 @@ msgstr "" "Vider automatiquement le tampon des salons après l'avoir rejoué (valeur par " "défaut pour les nouveaux salons)" -#: webadmin.cpp:1529 +#: webadmin.cpp:1522 msgid "Multi Clients" msgstr "Multi Clients" -#: webadmin.cpp:1536 +#: webadmin.cpp:1529 msgid "Append Timestamps" msgstr "Ajouter un horodatage après" -#: webadmin.cpp:1543 +#: webadmin.cpp:1536 msgid "Prepend Timestamps" msgstr "Ajouter un horodatage avant" -#: webadmin.cpp:1551 +#: webadmin.cpp:1544 msgid "Deny LoadMod" msgstr "Interdire LoadMod" -#: webadmin.cpp:1558 +#: webadmin.cpp:1551 msgid "Admin" msgstr "Admin" -#: webadmin.cpp:1568 +#: webadmin.cpp:1561 msgid "Deny SetBindHost" msgstr "Interdire SetBindHost" -#: webadmin.cpp:1576 +#: webadmin.cpp:1569 msgid "Auto Clear Query Buffer" msgstr "Vider automatiquement le tampon des messages privés" -#: webadmin.cpp:1578 +#: webadmin.cpp:1571 msgid "Automatically Clear Query Buffer After Playback" msgstr "" "Vider automatiquement le tampon des messages privés après l'avoir rejoué" -#: webadmin.cpp:1602 +#: webadmin.cpp:1595 msgid "Invalid Submission: User {1} already exists" msgstr "Requête invalide : l'utilisateur {1} existe déjà" -#: webadmin.cpp:1624 webadmin.cpp:1635 +#: webadmin.cpp:1617 webadmin.cpp:1628 msgid "Invalid submission: {1}" msgstr "Requête invalide : {1}" -#: webadmin.cpp:1630 +#: webadmin.cpp:1623 msgid "User was added, but config file was not written" msgstr "" "L'utilisateur a été ajouté, mais la configuration n'a pas pu être sauvegardée" -#: webadmin.cpp:1641 +#: webadmin.cpp:1634 msgid "User was edited, but config file was not written" msgstr "" "L'utilisateur a été modifié, mais la configuration n'a pas pu être " "sauvegardée" -#: webadmin.cpp:1799 +#: webadmin.cpp:1792 msgid "Choose either IPv4 or IPv6 or both." msgstr "Choisissez IPv4 ou IPv6 (ou les deux)." -#: webadmin.cpp:1816 +#: webadmin.cpp:1809 msgid "Choose either IRC or HTTP or both." msgstr "Choisissez IRC ou HTTP (ou les deux)." -#: webadmin.cpp:1829 webadmin.cpp:1865 +#: webadmin.cpp:1822 webadmin.cpp:1858 msgid "Port was changed, but config file was not written" msgstr "" "Le port a été modifié, mais la configuration n'a pas pu être sauvegardée" -#: webadmin.cpp:1855 +#: webadmin.cpp:1848 msgid "Invalid request." msgstr "Requête non valide." -#: webadmin.cpp:1869 +#: webadmin.cpp:1862 msgid "The specified listener was not found." msgstr "Le canal d'écoute spécifié est introuvable." -#: webadmin.cpp:2100 +#: webadmin.cpp:2093 msgid "Settings were changed, but config file was not written" msgstr "" "Les paramètres ont été changés, mais la configuration n'a pas pu être " diff --git a/modules/po/webadmin.id_ID.po b/modules/po/webadmin.id_ID.po index 77a18ee9..810bd03d 100644 --- a/modules/po/webadmin.id_ID.po +++ b/modules/po/webadmin.id_ID.po @@ -971,7 +971,7 @@ msgstr "" msgid "Network" msgstr "" -#: webadmin.cpp:91 webadmin.cpp:1879 +#: webadmin.cpp:91 webadmin.cpp:1872 msgid "Global Settings" msgstr "" @@ -979,11 +979,11 @@ msgstr "" msgid "Your Settings" msgstr "" -#: webadmin.cpp:94 webadmin.cpp:1691 +#: webadmin.cpp:94 webadmin.cpp:1684 msgid "Traffic Info" msgstr "" -#: webadmin.cpp:97 webadmin.cpp:1670 +#: webadmin.cpp:97 webadmin.cpp:1663 msgid "Manage Users" msgstr "" @@ -999,7 +999,7 @@ msgstr "" msgid "Timeout can't be less than 30 seconds!" msgstr "" -#: webadmin.cpp:407 webadmin.cpp:435 webadmin.cpp:1189 webadmin.cpp:2064 +#: webadmin.cpp:407 webadmin.cpp:435 webadmin.cpp:1182 webadmin.cpp:2057 msgid "Unable to load module [{1}]: {2}" msgstr "" @@ -1008,7 +1008,7 @@ msgid "Unable to load module [{1}] with arguments [{2}]" msgstr "" #: webadmin.cpp:521 webadmin.cpp:625 webadmin.cpp:650 webadmin.cpp:672 -#: webadmin.cpp:706 webadmin.cpp:1256 +#: webadmin.cpp:706 webadmin.cpp:1249 msgid "No such user" msgstr "" @@ -1024,11 +1024,11 @@ msgstr "" msgid "Please don't delete yourself, suicide is not the answer!" msgstr "" -#: webadmin.cpp:715 webadmin.cpp:971 webadmin.cpp:1321 +#: webadmin.cpp:715 webadmin.cpp:972 webadmin.cpp:1314 msgid "Edit User [{1}]" msgstr "" -#: webadmin.cpp:719 webadmin.cpp:897 +#: webadmin.cpp:719 webadmin.cpp:906 msgid "Edit Network [{1}]" msgstr "" @@ -1048,7 +1048,7 @@ msgstr "" msgid "Add Channel" msgstr "" -#: webadmin.cpp:756 webadmin.cpp:1517 +#: webadmin.cpp:756 webadmin.cpp:1510 msgid "Auto Clear Chan Buffer" msgstr "" @@ -1080,130 +1080,130 @@ msgstr "" msgid "Channel was added/modified, but config file was not written" msgstr "" -#: webadmin.cpp:894 -msgid "Edit Network [{1}] of User [{2}]" -msgstr "" - -#: webadmin.cpp:901 webadmin.cpp:1078 +#: webadmin.cpp:888 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks from Your Settings." msgstr "" -#: webadmin.cpp:909 -msgid "Add Network for User [{1}]" +#: webadmin.cpp:903 +msgid "Edit Network [{1}] of User [{2}]" msgstr "" #: webadmin.cpp:910 +msgid "Add Network for User [{1}]" +msgstr "" + +#: webadmin.cpp:911 msgid "Add Network" msgstr "" -#: webadmin.cpp:1072 +#: webadmin.cpp:1073 msgid "Network name is a required argument" msgstr "" -#: webadmin.cpp:1196 webadmin.cpp:2071 +#: webadmin.cpp:1189 webadmin.cpp:2064 msgid "Unable to reload module [{1}]: {2}" msgstr "" -#: webadmin.cpp:1233 +#: webadmin.cpp:1226 msgid "Network was added/modified, but config file was not written" msgstr "" -#: webadmin.cpp:1262 +#: webadmin.cpp:1255 msgid "That network doesn't exist for this user" msgstr "" -#: webadmin.cpp:1279 +#: webadmin.cpp:1272 msgid "Network was deleted, but config file was not written" msgstr "" -#: webadmin.cpp:1293 +#: webadmin.cpp:1286 msgid "That channel doesn't exist for this network" msgstr "" -#: webadmin.cpp:1302 +#: webadmin.cpp:1295 msgid "Channel was deleted, but config file was not written" msgstr "" -#: webadmin.cpp:1330 +#: webadmin.cpp:1323 msgid "Clone User [{1}]" msgstr "" -#: webadmin.cpp:1519 +#: webadmin.cpp:1512 msgid "" "Automatically Clear Channel Buffer After Playback (the default value for new " "channels)" msgstr "" -#: webadmin.cpp:1529 +#: webadmin.cpp:1522 msgid "Multi Clients" msgstr "" -#: webadmin.cpp:1536 +#: webadmin.cpp:1529 msgid "Append Timestamps" msgstr "" -#: webadmin.cpp:1543 +#: webadmin.cpp:1536 msgid "Prepend Timestamps" msgstr "" -#: webadmin.cpp:1551 +#: webadmin.cpp:1544 msgid "Deny LoadMod" msgstr "" -#: webadmin.cpp:1558 +#: webadmin.cpp:1551 msgid "Admin" msgstr "" -#: webadmin.cpp:1568 +#: webadmin.cpp:1561 msgid "Deny SetBindHost" msgstr "" -#: webadmin.cpp:1576 +#: webadmin.cpp:1569 msgid "Auto Clear Query Buffer" msgstr "" -#: webadmin.cpp:1578 +#: webadmin.cpp:1571 msgid "Automatically Clear Query Buffer After Playback" msgstr "" -#: webadmin.cpp:1602 +#: webadmin.cpp:1595 msgid "Invalid Submission: User {1} already exists" msgstr "" -#: webadmin.cpp:1624 webadmin.cpp:1635 +#: webadmin.cpp:1617 webadmin.cpp:1628 msgid "Invalid submission: {1}" msgstr "" -#: webadmin.cpp:1630 +#: webadmin.cpp:1623 msgid "User was added, but config file was not written" msgstr "" -#: webadmin.cpp:1641 +#: webadmin.cpp:1634 msgid "User was edited, but config file was not written" msgstr "" -#: webadmin.cpp:1799 +#: webadmin.cpp:1792 msgid "Choose either IPv4 or IPv6 or both." msgstr "" -#: webadmin.cpp:1816 +#: webadmin.cpp:1809 msgid "Choose either IRC or HTTP or both." msgstr "" -#: webadmin.cpp:1829 webadmin.cpp:1865 +#: webadmin.cpp:1822 webadmin.cpp:1858 msgid "Port was changed, but config file was not written" msgstr "" -#: webadmin.cpp:1855 +#: webadmin.cpp:1848 msgid "Invalid request." msgstr "" -#: webadmin.cpp:1869 +#: webadmin.cpp:1862 msgid "The specified listener was not found." msgstr "" -#: webadmin.cpp:2100 +#: webadmin.cpp:2093 msgid "Settings were changed, but config file was not written" msgstr "" diff --git a/modules/po/webadmin.nl_NL.po b/modules/po/webadmin.nl_NL.po index 4bd0f607..67b445a0 100644 --- a/modules/po/webadmin.nl_NL.po +++ b/modules/po/webadmin.nl_NL.po @@ -1039,7 +1039,7 @@ msgstr "Gebruiker" msgid "Network" msgstr "Netwerk" -#: webadmin.cpp:91 webadmin.cpp:1879 +#: webadmin.cpp:91 webadmin.cpp:1872 msgid "Global Settings" msgstr "Algemene instellingen" @@ -1047,11 +1047,11 @@ msgstr "Algemene instellingen" msgid "Your Settings" msgstr "Jouw instellingen" -#: webadmin.cpp:94 webadmin.cpp:1691 +#: webadmin.cpp:94 webadmin.cpp:1684 msgid "Traffic Info" msgstr "Verkeer informatie" -#: webadmin.cpp:97 webadmin.cpp:1670 +#: webadmin.cpp:97 webadmin.cpp:1663 msgid "Manage Users" msgstr "Beheer gebruikers" @@ -1067,7 +1067,7 @@ msgstr "Ongeldige inzending [Wachtwoord komt niet overeen]" msgid "Timeout can't be less than 30 seconds!" msgstr "Time-out mag niet minder zijn dan 30 seconden!" -#: webadmin.cpp:407 webadmin.cpp:435 webadmin.cpp:1189 webadmin.cpp:2064 +#: webadmin.cpp:407 webadmin.cpp:435 webadmin.cpp:1182 webadmin.cpp:2057 msgid "Unable to load module [{1}]: {2}" msgstr "Niet mogelijk module te laden [{1}]: {2}" @@ -1076,7 +1076,7 @@ msgid "Unable to load module [{1}] with arguments [{2}]" msgstr "Niet mogelijk module te laden [{1}] met argumenten [{2}]" #: webadmin.cpp:521 webadmin.cpp:625 webadmin.cpp:650 webadmin.cpp:672 -#: webadmin.cpp:706 webadmin.cpp:1256 +#: webadmin.cpp:706 webadmin.cpp:1249 msgid "No such user" msgstr "Gebruiker onbekend" @@ -1092,11 +1092,11 @@ msgstr "Kanaal onbekend" msgid "Please don't delete yourself, suicide is not the answer!" msgstr "Verwijder jezelf alsjeblieft niet, zelfmoord is niet het antwoord!" -#: webadmin.cpp:715 webadmin.cpp:971 webadmin.cpp:1321 +#: webadmin.cpp:715 webadmin.cpp:972 webadmin.cpp:1314 msgid "Edit User [{1}]" msgstr "Bewerk gebruiker [{1}]" -#: webadmin.cpp:719 webadmin.cpp:897 +#: webadmin.cpp:719 webadmin.cpp:906 msgid "Edit Network [{1}]" msgstr "Bewerk netwerk [{1}]" @@ -1116,7 +1116,7 @@ msgstr "Voeg kanaal aan netwerk [{1}] van gebruiker [{2}]" msgid "Add Channel" msgstr "Voeg kanaal toe" -#: webadmin.cpp:756 webadmin.cpp:1517 +#: webadmin.cpp:756 webadmin.cpp:1510 msgid "Auto Clear Chan Buffer" msgstr "Automatisch kanaalbuffer legen" @@ -1148,11 +1148,7 @@ msgstr "Kon kanaal [{1}] niet toevoegen" msgid "Channel was added/modified, but config file was not written" msgstr "Kanaal was toegevoegd/aangepast maar configuratie was niet opgeslagen" -#: webadmin.cpp:894 -msgid "Edit Network [{1}] of User [{2}]" -msgstr "Pas netwerk [{1}] van gebruiker [{2}] aan" - -#: webadmin.cpp:901 webadmin.cpp:1078 +#: webadmin.cpp:888 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks from Your Settings." @@ -1160,47 +1156,51 @@ msgstr "" "Limiet van aantal netwerken bereikt. Vraag een beheerder om deze limit aan " "te passen voor je, of verwijder onnodige netwerken van Jouw instellingen." -#: webadmin.cpp:909 +#: webadmin.cpp:903 +msgid "Edit Network [{1}] of User [{2}]" +msgstr "Pas netwerk [{1}] van gebruiker [{2}] aan" + +#: webadmin.cpp:910 msgid "Add Network for User [{1}]" msgstr "Voeg netwerk toe voor gebruiker [{1}]" -#: webadmin.cpp:910 +#: webadmin.cpp:911 msgid "Add Network" msgstr "Voeg netwerk toe" -#: webadmin.cpp:1072 +#: webadmin.cpp:1073 msgid "Network name is a required argument" msgstr "Netwerknaam is een vereist argument" -#: webadmin.cpp:1196 webadmin.cpp:2071 +#: webadmin.cpp:1189 webadmin.cpp:2064 msgid "Unable to reload module [{1}]: {2}" msgstr "Niet mogelijk module te herladen [{1}]: {2}" -#: webadmin.cpp:1233 +#: webadmin.cpp:1226 msgid "Network was added/modified, but config file was not written" msgstr "Netwerk was toegevoegd/aangepast maar configuratie was niet opgeslagen" -#: webadmin.cpp:1262 +#: webadmin.cpp:1255 msgid "That network doesn't exist for this user" msgstr "Dat netwerk bestaat niet voor deze gebruiker" -#: webadmin.cpp:1279 +#: webadmin.cpp:1272 msgid "Network was deleted, but config file was not written" msgstr "Netwerk was verwijderd maar configuratie was niet opgeslagen" -#: webadmin.cpp:1293 +#: webadmin.cpp:1286 msgid "That channel doesn't exist for this network" msgstr "Dat kanaal bestaat niet voor dit netwerk" -#: webadmin.cpp:1302 +#: webadmin.cpp:1295 msgid "Channel was deleted, but config file was not written" msgstr "Kanaal was verwijderd maar configuratie was niet opgeslagen" -#: webadmin.cpp:1330 +#: webadmin.cpp:1323 msgid "Clone User [{1}]" msgstr "Kloon gebruiker [{1}]" -#: webadmin.cpp:1519 +#: webadmin.cpp:1512 msgid "" "Automatically Clear Channel Buffer After Playback (the default value for new " "channels)" @@ -1208,74 +1208,74 @@ msgstr "" "Leeg kanaal buffer automatisch na afspelen (standaard waarde voor nieuwe " "kanalen)" -#: webadmin.cpp:1529 +#: webadmin.cpp:1522 msgid "Multi Clients" msgstr "Meerdere clients" -#: webadmin.cpp:1536 +#: webadmin.cpp:1529 msgid "Append Timestamps" msgstr "Tijdstempel toevoegen" -#: webadmin.cpp:1543 +#: webadmin.cpp:1536 msgid "Prepend Timestamps" msgstr "Tijdstempel voorvoegen" -#: webadmin.cpp:1551 +#: webadmin.cpp:1544 msgid "Deny LoadMod" msgstr "Sta LoadMod niet toe" -#: webadmin.cpp:1558 +#: webadmin.cpp:1551 msgid "Admin" msgstr "Beheerder" -#: webadmin.cpp:1568 +#: webadmin.cpp:1561 msgid "Deny SetBindHost" msgstr "Sta SetBindHost niet toe" -#: webadmin.cpp:1576 +#: webadmin.cpp:1569 msgid "Auto Clear Query Buffer" msgstr "Automatisch privéberichtbuffer legen" -#: webadmin.cpp:1578 +#: webadmin.cpp:1571 msgid "Automatically Clear Query Buffer After Playback" msgstr "Leegt automatisch de privéberichtbuffer na het afspelen" -#: webadmin.cpp:1602 +#: webadmin.cpp:1595 msgid "Invalid Submission: User {1} already exists" msgstr "Ongeldige inzending: Gebruiker {1} bestaat al" -#: webadmin.cpp:1624 webadmin.cpp:1635 +#: webadmin.cpp:1617 webadmin.cpp:1628 msgid "Invalid submission: {1}" msgstr "Ongeldige inzending: {1}" -#: webadmin.cpp:1630 +#: webadmin.cpp:1623 msgid "User was added, but config file was not written" msgstr "Gebruiker was toegevoegd maar configuratie was niet opgeslagen" -#: webadmin.cpp:1641 +#: webadmin.cpp:1634 msgid "User was edited, but config file was not written" msgstr "Gebruiker was aangepast maar configuratie was niet opgeslagen" -#: webadmin.cpp:1799 +#: webadmin.cpp:1792 msgid "Choose either IPv4 or IPv6 or both." msgstr "Kies IPv4 of IPv6 of beide." -#: webadmin.cpp:1816 +#: webadmin.cpp:1809 msgid "Choose either IRC or HTTP or both." msgstr "Kies IRC of HTTP of beide." -#: webadmin.cpp:1829 webadmin.cpp:1865 +#: webadmin.cpp:1822 webadmin.cpp:1858 msgid "Port was changed, but config file was not written" msgstr "Poort was aangepast maar configuratie was niet opgeslagen" -#: webadmin.cpp:1855 +#: webadmin.cpp:1848 msgid "Invalid request." msgstr "Ongeldig verzoek." -#: webadmin.cpp:1869 +#: webadmin.cpp:1862 msgid "The specified listener was not found." msgstr "De opgegeven luisteraar was niet gevonden." -#: webadmin.cpp:2100 +#: webadmin.cpp:2093 msgid "Settings were changed, but config file was not written" msgstr "Instellingen waren aangepast maar configuratie was niet opgeslagen" diff --git a/modules/po/webadmin.pot b/modules/po/webadmin.pot index c7ff35cb..6352bb5d 100644 --- a/modules/po/webadmin.pot +++ b/modules/po/webadmin.pot @@ -962,7 +962,7 @@ msgstr "" msgid "Network" msgstr "" -#: webadmin.cpp:91 webadmin.cpp:1879 +#: webadmin.cpp:91 webadmin.cpp:1872 msgid "Global Settings" msgstr "" @@ -970,11 +970,11 @@ msgstr "" msgid "Your Settings" msgstr "" -#: webadmin.cpp:94 webadmin.cpp:1691 +#: webadmin.cpp:94 webadmin.cpp:1684 msgid "Traffic Info" msgstr "" -#: webadmin.cpp:97 webadmin.cpp:1670 +#: webadmin.cpp:97 webadmin.cpp:1663 msgid "Manage Users" msgstr "" @@ -990,7 +990,7 @@ msgstr "" msgid "Timeout can't be less than 30 seconds!" msgstr "" -#: webadmin.cpp:407 webadmin.cpp:435 webadmin.cpp:1189 webadmin.cpp:2064 +#: webadmin.cpp:407 webadmin.cpp:435 webadmin.cpp:1182 webadmin.cpp:2057 msgid "Unable to load module [{1}]: {2}" msgstr "" @@ -999,7 +999,7 @@ msgid "Unable to load module [{1}] with arguments [{2}]" msgstr "" #: webadmin.cpp:521 webadmin.cpp:625 webadmin.cpp:650 webadmin.cpp:672 -#: webadmin.cpp:706 webadmin.cpp:1256 +#: webadmin.cpp:706 webadmin.cpp:1249 msgid "No such user" msgstr "" @@ -1015,11 +1015,11 @@ msgstr "" msgid "Please don't delete yourself, suicide is not the answer!" msgstr "" -#: webadmin.cpp:715 webadmin.cpp:971 webadmin.cpp:1321 +#: webadmin.cpp:715 webadmin.cpp:972 webadmin.cpp:1314 msgid "Edit User [{1}]" msgstr "" -#: webadmin.cpp:719 webadmin.cpp:897 +#: webadmin.cpp:719 webadmin.cpp:906 msgid "Edit Network [{1}]" msgstr "" @@ -1039,7 +1039,7 @@ msgstr "" msgid "Add Channel" msgstr "" -#: webadmin.cpp:756 webadmin.cpp:1517 +#: webadmin.cpp:756 webadmin.cpp:1510 msgid "Auto Clear Chan Buffer" msgstr "" @@ -1071,130 +1071,130 @@ msgstr "" msgid "Channel was added/modified, but config file was not written" msgstr "" -#: webadmin.cpp:894 -msgid "Edit Network [{1}] of User [{2}]" -msgstr "" - -#: webadmin.cpp:901 webadmin.cpp:1078 +#: webadmin.cpp:888 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks from Your Settings." msgstr "" -#: webadmin.cpp:909 -msgid "Add Network for User [{1}]" +#: webadmin.cpp:903 +msgid "Edit Network [{1}] of User [{2}]" msgstr "" #: webadmin.cpp:910 +msgid "Add Network for User [{1}]" +msgstr "" + +#: webadmin.cpp:911 msgid "Add Network" msgstr "" -#: webadmin.cpp:1072 +#: webadmin.cpp:1073 msgid "Network name is a required argument" msgstr "" -#: webadmin.cpp:1196 webadmin.cpp:2071 +#: webadmin.cpp:1189 webadmin.cpp:2064 msgid "Unable to reload module [{1}]: {2}" msgstr "" -#: webadmin.cpp:1233 +#: webadmin.cpp:1226 msgid "Network was added/modified, but config file was not written" msgstr "" -#: webadmin.cpp:1262 +#: webadmin.cpp:1255 msgid "That network doesn't exist for this user" msgstr "" -#: webadmin.cpp:1279 +#: webadmin.cpp:1272 msgid "Network was deleted, but config file was not written" msgstr "" -#: webadmin.cpp:1293 +#: webadmin.cpp:1286 msgid "That channel doesn't exist for this network" msgstr "" -#: webadmin.cpp:1302 +#: webadmin.cpp:1295 msgid "Channel was deleted, but config file was not written" msgstr "" -#: webadmin.cpp:1330 +#: webadmin.cpp:1323 msgid "Clone User [{1}]" msgstr "" -#: webadmin.cpp:1519 +#: webadmin.cpp:1512 msgid "" "Automatically Clear Channel Buffer After Playback (the default value for new " "channels)" msgstr "" -#: webadmin.cpp:1529 +#: webadmin.cpp:1522 msgid "Multi Clients" msgstr "" -#: webadmin.cpp:1536 +#: webadmin.cpp:1529 msgid "Append Timestamps" msgstr "" -#: webadmin.cpp:1543 +#: webadmin.cpp:1536 msgid "Prepend Timestamps" msgstr "" -#: webadmin.cpp:1551 +#: webadmin.cpp:1544 msgid "Deny LoadMod" msgstr "" -#: webadmin.cpp:1558 +#: webadmin.cpp:1551 msgid "Admin" msgstr "" -#: webadmin.cpp:1568 +#: webadmin.cpp:1561 msgid "Deny SetBindHost" msgstr "" -#: webadmin.cpp:1576 +#: webadmin.cpp:1569 msgid "Auto Clear Query Buffer" msgstr "" -#: webadmin.cpp:1578 +#: webadmin.cpp:1571 msgid "Automatically Clear Query Buffer After Playback" msgstr "" -#: webadmin.cpp:1602 +#: webadmin.cpp:1595 msgid "Invalid Submission: User {1} already exists" msgstr "" -#: webadmin.cpp:1624 webadmin.cpp:1635 +#: webadmin.cpp:1617 webadmin.cpp:1628 msgid "Invalid submission: {1}" msgstr "" -#: webadmin.cpp:1630 +#: webadmin.cpp:1623 msgid "User was added, but config file was not written" msgstr "" -#: webadmin.cpp:1641 +#: webadmin.cpp:1634 msgid "User was edited, but config file was not written" msgstr "" -#: webadmin.cpp:1799 +#: webadmin.cpp:1792 msgid "Choose either IPv4 or IPv6 or both." msgstr "" -#: webadmin.cpp:1816 +#: webadmin.cpp:1809 msgid "Choose either IRC or HTTP or both." msgstr "" -#: webadmin.cpp:1829 webadmin.cpp:1865 +#: webadmin.cpp:1822 webadmin.cpp:1858 msgid "Port was changed, but config file was not written" msgstr "" -#: webadmin.cpp:1855 +#: webadmin.cpp:1848 msgid "Invalid request." msgstr "" -#: webadmin.cpp:1869 +#: webadmin.cpp:1862 msgid "The specified listener was not found." msgstr "" -#: webadmin.cpp:2100 +#: webadmin.cpp:2093 msgid "Settings were changed, but config file was not written" msgstr "" diff --git a/modules/po/webadmin.pt_BR.po b/modules/po/webadmin.pt_BR.po index 991332e3..76727ac1 100644 --- a/modules/po/webadmin.pt_BR.po +++ b/modules/po/webadmin.pt_BR.po @@ -971,7 +971,7 @@ msgstr "" msgid "Network" msgstr "" -#: webadmin.cpp:91 webadmin.cpp:1879 +#: webadmin.cpp:91 webadmin.cpp:1872 msgid "Global Settings" msgstr "" @@ -979,11 +979,11 @@ msgstr "" msgid "Your Settings" msgstr "" -#: webadmin.cpp:94 webadmin.cpp:1691 +#: webadmin.cpp:94 webadmin.cpp:1684 msgid "Traffic Info" msgstr "" -#: webadmin.cpp:97 webadmin.cpp:1670 +#: webadmin.cpp:97 webadmin.cpp:1663 msgid "Manage Users" msgstr "" @@ -999,7 +999,7 @@ msgstr "" msgid "Timeout can't be less than 30 seconds!" msgstr "" -#: webadmin.cpp:407 webadmin.cpp:435 webadmin.cpp:1189 webadmin.cpp:2064 +#: webadmin.cpp:407 webadmin.cpp:435 webadmin.cpp:1182 webadmin.cpp:2057 msgid "Unable to load module [{1}]: {2}" msgstr "" @@ -1008,7 +1008,7 @@ msgid "Unable to load module [{1}] with arguments [{2}]" msgstr "" #: webadmin.cpp:521 webadmin.cpp:625 webadmin.cpp:650 webadmin.cpp:672 -#: webadmin.cpp:706 webadmin.cpp:1256 +#: webadmin.cpp:706 webadmin.cpp:1249 msgid "No such user" msgstr "" @@ -1024,11 +1024,11 @@ msgstr "" msgid "Please don't delete yourself, suicide is not the answer!" msgstr "" -#: webadmin.cpp:715 webadmin.cpp:971 webadmin.cpp:1321 +#: webadmin.cpp:715 webadmin.cpp:972 webadmin.cpp:1314 msgid "Edit User [{1}]" msgstr "" -#: webadmin.cpp:719 webadmin.cpp:897 +#: webadmin.cpp:719 webadmin.cpp:906 msgid "Edit Network [{1}]" msgstr "" @@ -1048,7 +1048,7 @@ msgstr "" msgid "Add Channel" msgstr "" -#: webadmin.cpp:756 webadmin.cpp:1517 +#: webadmin.cpp:756 webadmin.cpp:1510 msgid "Auto Clear Chan Buffer" msgstr "" @@ -1080,130 +1080,130 @@ msgstr "" msgid "Channel was added/modified, but config file was not written" msgstr "" -#: webadmin.cpp:894 -msgid "Edit Network [{1}] of User [{2}]" -msgstr "" - -#: webadmin.cpp:901 webadmin.cpp:1078 +#: webadmin.cpp:888 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks from Your Settings." msgstr "" -#: webadmin.cpp:909 -msgid "Add Network for User [{1}]" +#: webadmin.cpp:903 +msgid "Edit Network [{1}] of User [{2}]" msgstr "" #: webadmin.cpp:910 +msgid "Add Network for User [{1}]" +msgstr "" + +#: webadmin.cpp:911 msgid "Add Network" msgstr "" -#: webadmin.cpp:1072 +#: webadmin.cpp:1073 msgid "Network name is a required argument" msgstr "" -#: webadmin.cpp:1196 webadmin.cpp:2071 +#: webadmin.cpp:1189 webadmin.cpp:2064 msgid "Unable to reload module [{1}]: {2}" msgstr "" -#: webadmin.cpp:1233 +#: webadmin.cpp:1226 msgid "Network was added/modified, but config file was not written" msgstr "" -#: webadmin.cpp:1262 +#: webadmin.cpp:1255 msgid "That network doesn't exist for this user" msgstr "" -#: webadmin.cpp:1279 +#: webadmin.cpp:1272 msgid "Network was deleted, but config file was not written" msgstr "" -#: webadmin.cpp:1293 +#: webadmin.cpp:1286 msgid "That channel doesn't exist for this network" msgstr "" -#: webadmin.cpp:1302 +#: webadmin.cpp:1295 msgid "Channel was deleted, but config file was not written" msgstr "" -#: webadmin.cpp:1330 +#: webadmin.cpp:1323 msgid "Clone User [{1}]" msgstr "" -#: webadmin.cpp:1519 +#: webadmin.cpp:1512 msgid "" "Automatically Clear Channel Buffer After Playback (the default value for new " "channels)" msgstr "" -#: webadmin.cpp:1529 +#: webadmin.cpp:1522 msgid "Multi Clients" msgstr "" -#: webadmin.cpp:1536 +#: webadmin.cpp:1529 msgid "Append Timestamps" msgstr "" -#: webadmin.cpp:1543 +#: webadmin.cpp:1536 msgid "Prepend Timestamps" msgstr "" -#: webadmin.cpp:1551 +#: webadmin.cpp:1544 msgid "Deny LoadMod" msgstr "" -#: webadmin.cpp:1558 +#: webadmin.cpp:1551 msgid "Admin" msgstr "" -#: webadmin.cpp:1568 +#: webadmin.cpp:1561 msgid "Deny SetBindHost" msgstr "" -#: webadmin.cpp:1576 +#: webadmin.cpp:1569 msgid "Auto Clear Query Buffer" msgstr "" -#: webadmin.cpp:1578 +#: webadmin.cpp:1571 msgid "Automatically Clear Query Buffer After Playback" msgstr "" -#: webadmin.cpp:1602 +#: webadmin.cpp:1595 msgid "Invalid Submission: User {1} already exists" msgstr "" -#: webadmin.cpp:1624 webadmin.cpp:1635 +#: webadmin.cpp:1617 webadmin.cpp:1628 msgid "Invalid submission: {1}" msgstr "" -#: webadmin.cpp:1630 +#: webadmin.cpp:1623 msgid "User was added, but config file was not written" msgstr "" -#: webadmin.cpp:1641 +#: webadmin.cpp:1634 msgid "User was edited, but config file was not written" msgstr "" -#: webadmin.cpp:1799 +#: webadmin.cpp:1792 msgid "Choose either IPv4 or IPv6 or both." msgstr "" -#: webadmin.cpp:1816 +#: webadmin.cpp:1809 msgid "Choose either IRC or HTTP or both." msgstr "" -#: webadmin.cpp:1829 webadmin.cpp:1865 +#: webadmin.cpp:1822 webadmin.cpp:1858 msgid "Port was changed, but config file was not written" msgstr "" -#: webadmin.cpp:1855 +#: webadmin.cpp:1848 msgid "Invalid request." msgstr "" -#: webadmin.cpp:1869 +#: webadmin.cpp:1862 msgid "The specified listener was not found." msgstr "" -#: webadmin.cpp:2100 +#: webadmin.cpp:2093 msgid "Settings were changed, but config file was not written" msgstr "" diff --git a/modules/po/webadmin.ru_RU.po b/modules/po/webadmin.ru_RU.po index 3dd91826..2b7d733e 100644 --- a/modules/po/webadmin.ru_RU.po +++ b/modules/po/webadmin.ru_RU.po @@ -1028,7 +1028,7 @@ msgstr "Пользователь" msgid "Network" msgstr "Сеть" -#: webadmin.cpp:91 webadmin.cpp:1879 +#: webadmin.cpp:91 webadmin.cpp:1872 msgid "Global Settings" msgstr "Глобальные настройки" @@ -1036,11 +1036,11 @@ msgstr "Глобальные настройки" msgid "Your Settings" msgstr "Мои настройки" -#: webadmin.cpp:94 webadmin.cpp:1691 +#: webadmin.cpp:94 webadmin.cpp:1684 msgid "Traffic Info" msgstr "Трафик" -#: webadmin.cpp:97 webadmin.cpp:1670 +#: webadmin.cpp:97 webadmin.cpp:1663 msgid "Manage Users" msgstr "Пользователи" @@ -1056,7 +1056,7 @@ msgstr "Ошибка: пароли не совпадают" msgid "Timeout can't be less than 30 seconds!" msgstr "Время ожидания не может быть меньше 30 секунд!" -#: webadmin.cpp:407 webadmin.cpp:435 webadmin.cpp:1189 webadmin.cpp:2064 +#: webadmin.cpp:407 webadmin.cpp:435 webadmin.cpp:1182 webadmin.cpp:2057 msgid "Unable to load module [{1}]: {2}" msgstr "Не могу загрузить модуль [{1}]: {2}" @@ -1065,7 +1065,7 @@ msgid "Unable to load module [{1}] with arguments [{2}]" msgstr "Не могу загрузить модуль [{1}] с аргументами [{2}]" #: webadmin.cpp:521 webadmin.cpp:625 webadmin.cpp:650 webadmin.cpp:672 -#: webadmin.cpp:706 webadmin.cpp:1256 +#: webadmin.cpp:706 webadmin.cpp:1249 msgid "No such user" msgstr "Нет такого пользователя" @@ -1081,11 +1081,11 @@ msgstr "Нет такого канала" msgid "Please don't delete yourself, suicide is not the answer!" msgstr "Пожалуйста, не удаляйте себя, самоубийство — не ответ!" -#: webadmin.cpp:715 webadmin.cpp:971 webadmin.cpp:1321 +#: webadmin.cpp:715 webadmin.cpp:972 webadmin.cpp:1314 msgid "Edit User [{1}]" msgstr "Пользователь [{1}]" -#: webadmin.cpp:719 webadmin.cpp:897 +#: webadmin.cpp:719 webadmin.cpp:906 msgid "Edit Network [{1}]" msgstr "Сеть [{1}]" @@ -1105,7 +1105,7 @@ msgstr "Новый канал для сети [{1}] пользователя [{2 msgid "Add Channel" msgstr "Новый канал" -#: webadmin.cpp:756 webadmin.cpp:1517 +#: webadmin.cpp:756 webadmin.cpp:1510 msgid "Auto Clear Chan Buffer" msgstr "Автоматически очищать буфер канала" @@ -1137,11 +1137,7 @@ msgstr "Не могу добавить канал [{1}]" msgid "Channel was added/modified, but config file was not written" msgstr "Канал добавлен/изменён, но записать конфигурацию в файл не удалось" -#: webadmin.cpp:894 -msgid "Edit Network [{1}] of User [{2}]" -msgstr "Сеть [{1}] пользователя [{2}]" - -#: webadmin.cpp:901 webadmin.cpp:1078 +#: webadmin.cpp:888 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks from Your Settings." @@ -1149,47 +1145,51 @@ msgstr "" "Достигнуто ограничение на количество сетей. Попросите администратора поднять " "вам лимит или удалите ненужные сети в «Моих настройках»" -#: webadmin.cpp:909 +#: webadmin.cpp:903 +msgid "Edit Network [{1}] of User [{2}]" +msgstr "Сеть [{1}] пользователя [{2}]" + +#: webadmin.cpp:910 msgid "Add Network for User [{1}]" msgstr "Новая сеть пользователя [{1}]" -#: webadmin.cpp:910 +#: webadmin.cpp:911 msgid "Add Network" msgstr "Новая сеть" -#: webadmin.cpp:1072 +#: webadmin.cpp:1073 msgid "Network name is a required argument" msgstr "Необходимо имя сети" -#: webadmin.cpp:1196 webadmin.cpp:2071 +#: webadmin.cpp:1189 webadmin.cpp:2064 msgid "Unable to reload module [{1}]: {2}" msgstr "Не могу перегрузить модуль [{1}]: {2}" -#: webadmin.cpp:1233 +#: webadmin.cpp:1226 msgid "Network was added/modified, but config file was not written" msgstr "Сеть добавлена/изменена, но записать конфигурацию в файл не удалось" -#: webadmin.cpp:1262 +#: webadmin.cpp:1255 msgid "That network doesn't exist for this user" msgstr "У этого пользователя нет такой сети" -#: webadmin.cpp:1279 +#: webadmin.cpp:1272 msgid "Network was deleted, but config file was not written" msgstr "Сеть удалена, но записать конфигурацию в файл не удалось" -#: webadmin.cpp:1293 +#: webadmin.cpp:1286 msgid "That channel doesn't exist for this network" msgstr "В этой сети нет такого канала" -#: webadmin.cpp:1302 +#: webadmin.cpp:1295 msgid "Channel was deleted, but config file was not written" msgstr "Канал удалён, но записать конфигурацию в файл не удалось" -#: webadmin.cpp:1330 +#: webadmin.cpp:1323 msgid "Clone User [{1}]" msgstr "Клон пользователя [{1}]" -#: webadmin.cpp:1519 +#: webadmin.cpp:1512 msgid "" "Automatically Clear Channel Buffer After Playback (the default value for new " "channels)" @@ -1197,74 +1197,74 @@ msgstr "" "Автоматически очищать буфер канала после воспроизведения (значение по " "умолчанию для новых каналов)" -#: webadmin.cpp:1529 +#: webadmin.cpp:1522 msgid "Multi Clients" msgstr "Много клиентов" -#: webadmin.cpp:1536 +#: webadmin.cpp:1529 msgid "Append Timestamps" msgstr "Метка времени в конце" -#: webadmin.cpp:1543 +#: webadmin.cpp:1536 msgid "Prepend Timestamps" msgstr "Метка времени в начале" -#: webadmin.cpp:1551 +#: webadmin.cpp:1544 msgid "Deny LoadMod" msgstr "Запрет загрузки модулей" -#: webadmin.cpp:1558 +#: webadmin.cpp:1551 msgid "Admin" msgstr "Администратор" -#: webadmin.cpp:1568 +#: webadmin.cpp:1561 msgid "Deny SetBindHost" msgstr "Запрет смены хоста" -#: webadmin.cpp:1576 +#: webadmin.cpp:1569 msgid "Auto Clear Query Buffer" msgstr "Автоматически очищать буфер личных сообщений" -#: webadmin.cpp:1578 +#: webadmin.cpp:1571 msgid "Automatically Clear Query Buffer After Playback" msgstr "Автоматически очищать буфер личных сообщений после воспроизведения" -#: webadmin.cpp:1602 +#: webadmin.cpp:1595 msgid "Invalid Submission: User {1} already exists" msgstr "Ошибка: пользователь {1} уже существует" -#: webadmin.cpp:1624 webadmin.cpp:1635 +#: webadmin.cpp:1617 webadmin.cpp:1628 msgid "Invalid submission: {1}" msgstr "Ошибка: {1}" -#: webadmin.cpp:1630 +#: webadmin.cpp:1623 msgid "User was added, but config file was not written" msgstr "Пользователь добавлен, но записать конфигурацию в файл не удалось" -#: webadmin.cpp:1641 +#: webadmin.cpp:1634 msgid "User was edited, but config file was not written" msgstr "Пользователь изменён, но записать конфигурацию в файл не удалось" -#: webadmin.cpp:1799 +#: webadmin.cpp:1792 msgid "Choose either IPv4 or IPv6 or both." msgstr "Выберите IPv4, IPv6 или и то, и другое." -#: webadmin.cpp:1816 +#: webadmin.cpp:1809 msgid "Choose either IRC or HTTP or both." msgstr "Выберите IRC, HTTP или и то, и другое." -#: webadmin.cpp:1829 webadmin.cpp:1865 +#: webadmin.cpp:1822 webadmin.cpp:1858 msgid "Port was changed, but config file was not written" msgstr "Порт изменён, но записать конфигурацию в файл не удалось" -#: webadmin.cpp:1855 +#: webadmin.cpp:1848 msgid "Invalid request." msgstr "Некорректный запрос." -#: webadmin.cpp:1869 +#: webadmin.cpp:1862 msgid "The specified listener was not found." msgstr "Указанный порт не найден." -#: webadmin.cpp:2100 +#: webadmin.cpp:2093 msgid "Settings were changed, but config file was not written" msgstr "Настройки изменены, но записать конфигурацию в файл не удалось" From 72c5f57bb791649f77dedbaffdd379588c3a650b Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Tue, 11 Dec 2018 00:26:14 +0000 Subject: [PATCH 216/798] Update translations from Crowdin for pt_BR --- modules/po/webadmin.pt_BR.po | 84 ++++++++++++++++++------------------ 1 file changed, 42 insertions(+), 42 deletions(-) diff --git a/modules/po/webadmin.pt_BR.po b/modules/po/webadmin.pt_BR.po index ed457213..f1e5ba3c 100644 --- a/modules/po/webadmin.pt_BR.po +++ b/modules/po/webadmin.pt_BR.po @@ -971,7 +971,7 @@ msgstr "" msgid "Network" msgstr "" -#: webadmin.cpp:91 webadmin.cpp:1879 +#: webadmin.cpp:91 webadmin.cpp:1872 msgid "Global Settings" msgstr "" @@ -979,11 +979,11 @@ msgstr "" msgid "Your Settings" msgstr "" -#: webadmin.cpp:94 webadmin.cpp:1691 +#: webadmin.cpp:94 webadmin.cpp:1684 msgid "Traffic Info" msgstr "" -#: webadmin.cpp:97 webadmin.cpp:1670 +#: webadmin.cpp:97 webadmin.cpp:1663 msgid "Manage Users" msgstr "" @@ -999,7 +999,7 @@ msgstr "" msgid "Timeout can't be less than 30 seconds!" msgstr "" -#: webadmin.cpp:407 webadmin.cpp:435 webadmin.cpp:1189 webadmin.cpp:2064 +#: webadmin.cpp:407 webadmin.cpp:435 webadmin.cpp:1182 webadmin.cpp:2057 msgid "Unable to load module [{1}]: {2}" msgstr "" @@ -1008,7 +1008,7 @@ msgid "Unable to load module [{1}] with arguments [{2}]" msgstr "" #: webadmin.cpp:521 webadmin.cpp:625 webadmin.cpp:650 webadmin.cpp:672 -#: webadmin.cpp:706 webadmin.cpp:1256 +#: webadmin.cpp:706 webadmin.cpp:1249 msgid "No such user" msgstr "" @@ -1024,11 +1024,11 @@ msgstr "" msgid "Please don't delete yourself, suicide is not the answer!" msgstr "" -#: webadmin.cpp:715 webadmin.cpp:971 webadmin.cpp:1321 +#: webadmin.cpp:715 webadmin.cpp:972 webadmin.cpp:1314 msgid "Edit User [{1}]" msgstr "" -#: webadmin.cpp:719 webadmin.cpp:897 +#: webadmin.cpp:719 webadmin.cpp:906 msgid "Edit Network [{1}]" msgstr "" @@ -1048,7 +1048,7 @@ msgstr "" msgid "Add Channel" msgstr "" -#: webadmin.cpp:756 webadmin.cpp:1517 +#: webadmin.cpp:756 webadmin.cpp:1510 msgid "Auto Clear Chan Buffer" msgstr "" @@ -1080,130 +1080,130 @@ msgstr "" msgid "Channel was added/modified, but config file was not written" msgstr "" -#: webadmin.cpp:894 -msgid "Edit Network [{1}] of User [{2}]" -msgstr "" - -#: webadmin.cpp:901 webadmin.cpp:1078 +#: webadmin.cpp:888 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks from Your Settings." msgstr "" -#: webadmin.cpp:909 -msgid "Add Network for User [{1}]" +#: webadmin.cpp:903 +msgid "Edit Network [{1}] of User [{2}]" msgstr "" #: webadmin.cpp:910 +msgid "Add Network for User [{1}]" +msgstr "" + +#: webadmin.cpp:911 msgid "Add Network" msgstr "" -#: webadmin.cpp:1072 +#: webadmin.cpp:1073 msgid "Network name is a required argument" msgstr "" -#: webadmin.cpp:1196 webadmin.cpp:2071 +#: webadmin.cpp:1189 webadmin.cpp:2064 msgid "Unable to reload module [{1}]: {2}" msgstr "" -#: webadmin.cpp:1233 +#: webadmin.cpp:1226 msgid "Network was added/modified, but config file was not written" msgstr "" -#: webadmin.cpp:1262 +#: webadmin.cpp:1255 msgid "That network doesn't exist for this user" msgstr "" -#: webadmin.cpp:1279 +#: webadmin.cpp:1272 msgid "Network was deleted, but config file was not written" msgstr "" -#: webadmin.cpp:1293 +#: webadmin.cpp:1286 msgid "That channel doesn't exist for this network" msgstr "" -#: webadmin.cpp:1302 +#: webadmin.cpp:1295 msgid "Channel was deleted, but config file was not written" msgstr "" -#: webadmin.cpp:1330 +#: webadmin.cpp:1323 msgid "Clone User [{1}]" msgstr "" -#: webadmin.cpp:1519 +#: webadmin.cpp:1512 msgid "" "Automatically Clear Channel Buffer After Playback (the default value for new " "channels)" msgstr "" -#: webadmin.cpp:1529 +#: webadmin.cpp:1522 msgid "Multi Clients" msgstr "" -#: webadmin.cpp:1536 +#: webadmin.cpp:1529 msgid "Append Timestamps" msgstr "" -#: webadmin.cpp:1543 +#: webadmin.cpp:1536 msgid "Prepend Timestamps" msgstr "" -#: webadmin.cpp:1551 +#: webadmin.cpp:1544 msgid "Deny LoadMod" msgstr "" -#: webadmin.cpp:1558 +#: webadmin.cpp:1551 msgid "Admin" msgstr "" -#: webadmin.cpp:1568 +#: webadmin.cpp:1561 msgid "Deny SetBindHost" msgstr "" -#: webadmin.cpp:1576 +#: webadmin.cpp:1569 msgid "Auto Clear Query Buffer" msgstr "" -#: webadmin.cpp:1578 +#: webadmin.cpp:1571 msgid "Automatically Clear Query Buffer After Playback" msgstr "" -#: webadmin.cpp:1602 +#: webadmin.cpp:1595 msgid "Invalid Submission: User {1} already exists" msgstr "" -#: webadmin.cpp:1624 webadmin.cpp:1635 +#: webadmin.cpp:1617 webadmin.cpp:1628 msgid "Invalid submission: {1}" msgstr "" -#: webadmin.cpp:1630 +#: webadmin.cpp:1623 msgid "User was added, but config file was not written" msgstr "" -#: webadmin.cpp:1641 +#: webadmin.cpp:1634 msgid "User was edited, but config file was not written" msgstr "" -#: webadmin.cpp:1799 +#: webadmin.cpp:1792 msgid "Choose either IPv4 or IPv6 or both." msgstr "" -#: webadmin.cpp:1816 +#: webadmin.cpp:1809 msgid "Choose either IRC or HTTP or both." msgstr "" -#: webadmin.cpp:1829 webadmin.cpp:1865 +#: webadmin.cpp:1822 webadmin.cpp:1858 msgid "Port was changed, but config file was not written" msgstr "" -#: webadmin.cpp:1855 +#: webadmin.cpp:1848 msgid "Invalid request." msgstr "" -#: webadmin.cpp:1869 +#: webadmin.cpp:1862 msgid "The specified listener was not found." msgstr "" -#: webadmin.cpp:2100 +#: webadmin.cpp:2093 msgid "Settings were changed, but config file was not written" msgstr "" From d15b8385041aca3edb122d5539700dbfa9678b11 Mon Sep 17 00:00:00 2001 From: Jos Ahrens Date: Sun, 23 Dec 2018 18:23:59 +0000 Subject: [PATCH 217/798] ctcp: Distinguish Channel CTCP Requests and Replies Fixes #1624 --- src/IRCSock.cpp | 7 ++++++- 1 file changed, 6 insertions(+), 1 deletion(-) diff --git a/src/IRCSock.cpp b/src/IRCSock.cpp index 259881dc..83584d85 100644 --- a/src/IRCSock.cpp +++ b/src/IRCSock.cpp @@ -429,7 +429,12 @@ bool CIRCSock::OnCTCPMessage(CCTCPMessage& Message) { if (pChan) { Message.SetChan(pChan); FixupChanNick(Message.GetNick(), pChan); - IRCSOCKMODULECALL(OnChanCTCPMessage(Message), &bResult); + if (Message.IsReply()) { + IRCSOCKMODULECALL(OnCTCPReplyMessage(Message), &bResult); + return bResult; + } else { + IRCSOCKMODULECALL(OnChanCTCPMessage(Message), &bResult); + } if (bResult) return true; } } From 70a221adddc479cd8a4d49258b8538bd438df8d8 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Tue, 1 Jan 2019 12:51:51 +0000 Subject: [PATCH 218/798] Add more details to DNS error logs. See #1626 --- src/Socket.cpp | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/src/Socket.cpp b/src/Socket.cpp index fa510462..4ce05ee4 100644 --- a/src/Socket.cpp +++ b/src/Socket.cpp @@ -225,7 +225,7 @@ void CSockManager::CDNSJob::runThread() { void CSockManager::CDNSJob::runMain() { if (0 != this->iRes) { - DEBUG("Error in threaded DNS: " << gai_strerror(this->iRes)); + DEBUG("Error in threaded DNS: " << gai_strerror(this->iRes) << " while trying to resolve " << this->sHostname); if (this->aiResult) { DEBUG("And aiResult is not nullptr..."); } From 812b27c2680be996aecef4ea386cd030dad352b8 Mon Sep 17 00:00:00 2001 From: Pierre Gordon Date: Tue, 1 Jan 2019 12:28:03 -0500 Subject: [PATCH 219/798] Normalize variable "sUserName" to "sUsername" Fixes #1546 --- include/znc/User.h | 10 +++++----- modules/controlpanel.cpp | 36 ++++++++++++++++++------------------ modules/webadmin.cpp | 14 +++++++------- src/User.cpp | 32 ++++++++++++++++---------------- src/znc.cpp | 10 +++++----- 5 files changed, 51 insertions(+), 51 deletions(-) diff --git a/include/znc/User.h b/include/znc/User.h index 0f8eb351..4351baef 100644 --- a/include/znc/User.h +++ b/include/znc/User.h @@ -37,7 +37,7 @@ class CServer; class CUser : private CCoreTranslationMixin { public: - CUser(const CString& sUserName); + CUser(const CString& sUsername); ~CUser(); CUser(const CUser&) = delete; @@ -68,8 +68,8 @@ class CUser : private CCoreTranslationMixin { void ClearAllowedHosts(); bool IsHostAllowed(const CString& sHost) const; bool IsValid(CString& sErrMsg, bool bSkipPass = false) const; - static bool IsValidUserName(const CString& sUserName); - static CString MakeCleanUserName(const CString& sUserName); + static bool IsValidUserName(const CString& sUsername); + static CString MakeCleanUserName(const CString& sUsername); // Modules CModules& GetModules() { return *m_pModules; } @@ -220,8 +220,8 @@ class CUser : private CCoreTranslationMixin { // !Getters protected: - const CString m_sUserName; - const CString m_sCleanUserName; + const CString m_sUsername; + const CString m_sCleanUsername; CString m_sNick; CString m_sAltNick; CString m_sIdent; diff --git a/modules/controlpanel.cpp b/modules/controlpanel.cpp index 139c2aef..55ec739f 100644 --- a/modules/controlpanel.cpp +++ b/modules/controlpanel.cpp @@ -301,7 +301,7 @@ class CAdminMod : public CModule { void Set(const CString& sLine) { const CString sVar = sLine.Token(1).AsLower(); - CString sUserName = sLine.Token(2); + CString sUsername = sLine.Token(2); CString sValue = sLine.Token(3, true); if (sValue.empty()) { @@ -309,7 +309,7 @@ class CAdminMod : public CModule { return; } - CUser* pUser = FindUser(sUserName); + CUser* pUser = FindUser(sUsername); if (!pUser) return; if (sVar == "nick") { @@ -1207,7 +1207,7 @@ class CAdminMod : public CModule { } void ReconnectUser(const CString& sLine) { - CString sUserName = sLine.Token(1); + CString sUsername = sLine.Token(1); CString sNetwork = sLine.Token(2); if (sNetwork.empty()) { @@ -1215,7 +1215,7 @@ class CAdminMod : public CModule { return; } - CUser* pUser = FindUser(sUserName); + CUser* pUser = FindUser(sUsername); if (!pUser) { return; } @@ -1243,7 +1243,7 @@ class CAdminMod : public CModule { } void DisconnectUser(const CString& sLine) { - CString sUserName = sLine.Token(1); + CString sUsername = sLine.Token(1); CString sNetwork = sLine.Token(2); if (sNetwork.empty()) { @@ -1251,7 +1251,7 @@ class CAdminMod : public CModule { return; } - CUser* pUser = FindUser(sUserName); + CUser* pUser = FindUser(sUsername); if (!pUser) { return; } @@ -1267,12 +1267,12 @@ class CAdminMod : public CModule { } void ListCTCP(const CString& sLine) { - CString sUserName = sLine.Token(1, true); + CString sUsername = sLine.Token(1, true); - if (sUserName.empty()) { - sUserName = GetUser()->GetUserName(); + if (sUsername.empty()) { + sUsername = GetUser()->GetUserName(); } - CUser* pUser = FindUser(sUserName); + CUser* pUser = FindUser(sUsername); if (!pUser) return; const MCString& msCTCPReplies = pUser->GetCTCPReplies(); @@ -1295,14 +1295,14 @@ class CAdminMod : public CModule { } void AddCTCP(const CString& sLine) { - CString sUserName = sLine.Token(1); + CString sUsername = sLine.Token(1); CString sCTCPRequest = sLine.Token(2); CString sCTCPReply = sLine.Token(3, true); if (sCTCPRequest.empty()) { - sCTCPRequest = sUserName; + sCTCPRequest = sUsername; sCTCPReply = sLine.Token(2, true); - sUserName = GetUser()->GetUserName(); + sUsername = GetUser()->GetUserName(); } if (sCTCPRequest.empty()) { PutModule(t_s("Usage: AddCTCP [user] [request] [reply]")); @@ -1314,7 +1314,7 @@ class CAdminMod : public CModule { return; } - CUser* pUser = FindUser(sUserName); + CUser* pUser = FindUser(sUsername); if (!pUser) return; pUser->AddCTCPReply(sCTCPRequest, sCTCPReply); @@ -1329,14 +1329,14 @@ class CAdminMod : public CModule { } void DelCTCP(const CString& sLine) { - CString sUserName = sLine.Token(1); + CString sUsername = sLine.Token(1); CString sCTCPRequest = sLine.Token(2, true); if (sCTCPRequest.empty()) { - sCTCPRequest = sUserName; - sUserName = GetUser()->GetUserName(); + sCTCPRequest = sUsername; + sUsername = GetUser()->GetUserName(); } - CUser* pUser = FindUser(sUserName); + CUser* pUser = FindUser(sUsername); if (!pUser) return; if (sCTCPRequest.empty()) { diff --git a/modules/webadmin.cpp b/modules/webadmin.cpp index 0c46fe0d..365626db 100644 --- a/modules/webadmin.cpp +++ b/modules/webadmin.cpp @@ -452,13 +452,13 @@ class CWebAdminMod : public CModule { } CString SafeGetUserNameParam(CWebSock& WebSock) { - CString sUserName = WebSock.GetParam("user"); // check for POST param - if (sUserName.empty() && !WebSock.IsPost()) { + CString sUsername = WebSock.GetParam("user"); // check for POST param + if (sUsername.empty() && !WebSock.IsPost()) { // if no POST param named user has been given and we are not // saving this form, fall back to using the GET parameter. - sUserName = WebSock.GetParam("user", false); + sUsername = WebSock.GetParam("user", false); } - return sUserName; + return sUsername; } CString SafeGetNetworkParam(CWebSock& WebSock) { @@ -650,11 +650,11 @@ class CWebAdminMod : public CModule { WebSock.PrintErrorPage(t_s("No such user")); return true; } else if (sPageName == "edituser") { - CString sUserName = SafeGetUserNameParam(WebSock); - CUser* pUser = CZNC::Get().FindUser(sUserName); + CString sUsername = SafeGetUserNameParam(WebSock); + CUser* pUser = CZNC::Get().FindUser(sUsername); if (!pUser) { - if (sUserName.empty()) { + if (sUsername.empty()) { pUser = spSession->GetUser(); } // else: the "no such user" message will be printed. } diff --git a/src/User.cpp b/src/User.cpp index 3fd532a7..f8e0d31f 100644 --- a/src/User.cpp +++ b/src/User.cpp @@ -59,12 +59,12 @@ class CUserTimer : public CCron { CUser* m_pUser; }; -CUser::CUser(const CString& sUserName) - : m_sUserName(sUserName), - m_sCleanUserName(MakeCleanUserName(sUserName)), - m_sNick(m_sCleanUserName), +CUser::CUser(const CString& sUsername) + : m_sUsername(sUsername), + m_sCleanUsername(MakeCleanUserName(sUsername)), + m_sNick(m_sCleanUsername), m_sAltNick(""), - m_sIdent(m_sCleanUserName), + m_sIdent(m_sCleanUsername), m_sRealName(""), m_sBindHost(""), m_sDCCBindHost(""), @@ -78,7 +78,7 @@ CUser::CUser(const CString& sUserName) m_sTimestampFormat("[%H:%M:%S]"), m_sTimezone(""), m_eHashType(HASH_NONE), - m_sUserPath(CZNC::Get().GetUserPath() + "/" + sUserName), + m_sUserPath(CZNC::Get().GetUserPath() + "/" + sUsername), m_bMultiClients(true), m_bDenyLoadMod(false), m_bAdmin(false), @@ -877,11 +877,11 @@ const CString& CUser::GetTimestampFormat() const { return m_sTimestampFormat; } bool CUser::GetTimestampAppend() const { return m_bAppendTimestamp; } bool CUser::GetTimestampPrepend() const { return m_bPrependTimestamp; } -bool CUser::IsValidUserName(const CString& sUserName) { +bool CUser::IsValidUserName(const CString& sUsername) { // /^[a-zA-Z][a-zA-Z@._\-]*$/ - const char* p = sUserName.c_str(); + const char* p = sUsername.c_str(); - if (sUserName.empty()) { + if (sUsername.empty()) { return false; } @@ -908,12 +908,12 @@ bool CUser::IsValid(CString& sErrMsg, bool bSkipPass) const { return false; } - if (m_sUserName.empty()) { + if (m_sUsername.empty()) { sErrMsg = t_s("Username is empty"); return false; } - if (!CUser::IsValidUserName(m_sUserName)) { + if (!CUser::IsValidUserName(m_sUsername)) { sErrMsg = t_s("Username is invalid"); return false; } @@ -1034,7 +1034,7 @@ bool CUser::CheckPass(const CString& sPass) const { /*CClient* CUser::GetClient() { // Todo: optimize this by saving a pointer to the sock CSockManager& Manager = CZNC::Get().GetManager(); - CString sSockName = "USR::" + m_sUserName; + CString sSockName = "USR::" + m_sUsername; for (unsigned int a = 0; a < Manager.size(); a++) { Csock* pSock = Manager[a]; @@ -1160,8 +1160,8 @@ bool CUser::PutModNotice(const CString& sModule, const CString& sLine, return (pClient == nullptr); } -CString CUser::MakeCleanUserName(const CString& sUserName) { - return sUserName.Token(0, false, "@").Replace_n(".", ""); +CString CUser::MakeCleanUserName(const CString& sUsername) { + return sUsername.Token(0, false, "@").Replace_n(".", ""); } bool CUser::IsUserAttached() const { @@ -1356,8 +1356,8 @@ vector CUser::GetAllClients() const { return vClients; } -const CString& CUser::GetUserName() const { return m_sUserName; } -const CString& CUser::GetCleanUserName() const { return m_sCleanUserName; } +const CString& CUser::GetUserName() const { return m_sUsername; } +const CString& CUser::GetCleanUserName() const { return m_sCleanUsername; } const CString& CUser::GetNick(bool bAllowDefault) const { return (bAllowDefault && m_sNick.empty()) ? GetCleanUserName() : m_sNick; } diff --git a/src/znc.cpp b/src/znc.cpp index b33491d5..a1d9ef7f 100644 --- a/src/znc.cpp +++ b/src/znc.cpp @@ -1246,12 +1246,12 @@ bool CZNC::LoadUsers(CConfig& config, CString& sError) { config.FindSubConfig("user", subConf); for (const auto& subIt : subConf) { - const CString& sUserName = subIt.first; + const CString& sUsername = subIt.first; CConfig* pSubConf = subIt.second.m_pSubConfig; - CUtils::PrintMessage("Loading user [" + sUserName + "]"); + CUtils::PrintMessage("Loading user [" + sUsername + "]"); - std::unique_ptr pUser(new CUser(sUserName)); + std::unique_ptr pUser(new CUser(sUsername)); if (!m_sStatusPrefix.empty()) { if (!pUser->SetStatusPrefix(m_sStatusPrefix)) { @@ -1268,7 +1268,7 @@ bool CZNC::LoadUsers(CConfig& config, CString& sError) { } if (!pSubConf->empty()) { - sError = "Unhandled lines in config for User [" + sUserName + "]!"; + sError = "Unhandled lines in config for User [" + sUsername + "]!"; CUtils::PrintError(sError); DumpConfig(pSubConf); return false; @@ -1277,7 +1277,7 @@ bool CZNC::LoadUsers(CConfig& config, CString& sError) { CString sErr; CUser* pRawUser = pUser.release(); if (!AddUser(pRawUser, sErr, true)) { - sError = "Invalid user [" + sUserName + "] " + sErr; + sError = "Invalid user [" + sUsername + "] " + sErr; CUtils::PrintError(sError); pRawUser->SetBeingDeleted(true); delete pRawUser; From 6af027c5dd96687c2f3f1d0de85d62d1a5567ad6 Mon Sep 17 00:00:00 2001 From: Pierre Gordon Date: Tue, 1 Jan 2019 14:20:05 -0500 Subject: [PATCH 220/798] Normalize methods with 'UserName' to 'Username' --- include/znc/User.h | 6 +++ modules/adminlog.cpp | 10 ++-- modules/awaystore.cpp | 2 +- modules/blockuser.cpp | 8 ++-- modules/certauth.cpp | 10 ++-- modules/controlpanel.cpp | 52 ++++++++++----------- modules/identfile.cpp | 6 +-- modules/lastseen.cpp | 8 ++-- modules/log.cpp | 2 +- modules/modpython/codegen.pl | 18 ++++---- modules/modpython/modpython.i | 4 +- modules/modtcl.cpp | 2 +- modules/notify_connect.cpp | 2 +- modules/partyline.cpp | 36 +++++++-------- modules/savebuff.cpp | 2 +- modules/send_raw.cpp | 10 ++-- modules/webadmin.cpp | 68 ++++++++++++++-------------- src/Client.cpp | 6 +-- src/ClientCommand.cpp | 4 +- src/IRCNetwork.cpp | 10 ++-- src/IRCSock.cpp | 8 ++-- src/Modules.cpp | 4 +- src/Socket.cpp | 4 +- src/User.cpp | 25 +++++++--- src/WebModules.cpp | 10 ++-- src/znc.cpp | 28 ++++++------ test/integration/tests/scripting.cpp | 4 +- 27 files changed, 184 insertions(+), 165 deletions(-) diff --git a/include/znc/User.h b/include/znc/User.h index 4351baef..8f7b1512 100644 --- a/include/znc/User.h +++ b/include/znc/User.h @@ -68,7 +68,11 @@ class CUser : private CCoreTranslationMixin { void ClearAllowedHosts(); bool IsHostAllowed(const CString& sHost) const; bool IsValid(CString& sErrMsg, bool bSkipPass = false) const; + static bool IsValidUsername(const CString& sUsername); + /** @deprecated Use IsValidUsername() instead. */ static bool IsValidUserName(const CString& sUsername); + static CString MakeCleanUsername(const CString& sUsername); + /** @deprecated Use MakeCleanUsername() instead. */ static CString MakeCleanUserName(const CString& sUsername); // Modules @@ -164,7 +168,9 @@ class CUser : private CCoreTranslationMixin { // Getters const std::vector& GetUserClients() const { return m_vClients; } std::vector GetAllClients() const; + /** @deprecated Use GetUsername() instead. */ const CString& GetUserName() const; + const CString& GetUsername() const; const CString& GetCleanUserName() const; const CString& GetNick(bool bAllowDefault = true) const; const CString& GetAltNick(bool bAllowDefault = true) const; diff --git a/modules/adminlog.cpp b/modules/adminlog.cpp index b4f5634e..10de3cf3 100644 --- a/modules/adminlog.cpp +++ b/modules/adminlog.cpp @@ -58,13 +58,13 @@ class CAdminLogMod : public CModule { } void OnIRCConnected() override { - Log("[" + GetUser()->GetUserName() + "/" + GetNetwork()->GetName() + + Log("[" + GetUser()->GetUsername() + "/" + GetNetwork()->GetName() + "] connected to IRC: " + GetNetwork()->GetCurrentServer()->GetName()); } void OnIRCDisconnected() override { - Log("[" + GetUser()->GetUserName() + "/" + GetNetwork()->GetName() + + Log("[" + GetUser()->GetUsername() + "/" + GetNetwork()->GetName() + "] disconnected from IRC"); } @@ -73,7 +73,7 @@ class CAdminLogMod : public CModule { // ERROR :Closing Link: nick[24.24.24.24] (Excess Flood) // ERROR :Closing Link: nick[24.24.24.24] Killer (Local kill by // Killer (reason)) - Log("[" + GetUser()->GetUserName() + "/" + GetNetwork()->GetName() + + Log("[" + GetUser()->GetUsername() + "/" + GetNetwork()->GetName() + "] disconnected from IRC: " + GetNetwork()->GetCurrentServer()->GetName() + " [" + Message.GetParamsColon(0) + "]", @@ -83,12 +83,12 @@ class CAdminLogMod : public CModule { } void OnClientLogin() override { - Log("[" + GetUser()->GetUserName() + "] connected to ZNC from " + + Log("[" + GetUser()->GetUsername() + "] connected to ZNC from " + GetClient()->GetRemoteIP()); } void OnClientDisconnect() override { - Log("[" + GetUser()->GetUserName() + "] disconnected from ZNC from " + + Log("[" + GetUser()->GetUsername() + "] disconnected from ZNC from " + GetClient()->GetRemoteIP()); } diff --git a/modules/awaystore.cpp b/modules/awaystore.cpp index 081bb470..ac56b0cc 100644 --- a/modules/awaystore.cpp +++ b/modules/awaystore.cpp @@ -351,7 +351,7 @@ class CAway : public CModule { void OnClientDisconnect() override { Away(); } CString GetPath() { - CString sBuffer = GetUser()->GetUserName(); + CString sBuffer = GetUser()->GetUsername(); CString sRet = GetSavePath(); sRet += "/.znc-away-" + CBlowfish::MD5(sBuffer, true); return (sRet); diff --git a/modules/blockuser.cpp b/modules/blockuser.cpp index 2c9ccd35..985a0dab 100644 --- a/modules/blockuser.cpp +++ b/modules/blockuser.cpp @@ -101,7 +101,7 @@ class CBlockUser : public CModule { return; } - if (GetUser()->GetUserName().Equals(sUser)) { + if (GetUser()->GetUsername().Equals(sUser)) { PutModule(t_s("You can't block yourself")); return; } @@ -135,13 +135,13 @@ class CBlockUser : public CModule { if (sAction == "display") { Tmpl["Blocked"] = CString(IsBlocked(Tmpl["Username"])); Tmpl["Self"] = CString(Tmpl["Username"].Equals( - WebSock.GetSession()->GetUser()->GetUserName())); + WebSock.GetSession()->GetUser()->GetUsername())); return true; } if (sAction == "change" && WebSock.GetParam("embed_blockuser_presented").ToBool()) { if (Tmpl["Username"].Equals( - WebSock.GetSession()->GetUser()->GetUserName()) && + WebSock.GetSession()->GetUser()->GetUsername()) && WebSock.GetParam("embed_blockuser_block").ToBool()) { WebSock.GetSession()->AddError( t_s("You can't block yourself")); @@ -203,7 +203,7 @@ class CBlockUser : public CModule { (*it2)->SetIRCConnectEnabled(false); } - SetNV(pUser->GetUserName(), ""); + SetNV(pUser->GetUsername(), ""); return true; } }; diff --git a/modules/certauth.cpp b/modules/certauth.cpp index a92f5dfc..08c9e851 100644 --- a/modules/certauth.cpp +++ b/modules/certauth.cpp @@ -92,7 +92,7 @@ class CSSLClientCertMod : public CModule { bool AddKey(CUser* pUser, const CString& sKey) { const pair pair = - m_PubKeys[pUser->GetUserName()].insert(sKey.AsLower()); + m_PubKeys[pUser->GetUsername()].insert(sKey.AsLower()); if (pair.second) { Save(); @@ -170,7 +170,7 @@ class CSSLClientCertMod : public CModule { Table.AddColumn(t_s("Id", "list")); Table.AddColumn(t_s("Key", "list")); - MSCString::const_iterator it = m_PubKeys.find(GetUser()->GetUserName()); + MSCString::const_iterator it = m_PubKeys.find(GetUser()->GetUsername()); if (it == m_PubKeys.end()) { PutModule(t_s("No keys set for your user")); return; @@ -192,7 +192,7 @@ class CSSLClientCertMod : public CModule { void HandleDelCommand(const CString& sLine) { unsigned int id = sLine.Token(1, true).ToUInt(); - MSCString::iterator it = m_PubKeys.find(GetUser()->GetUserName()); + MSCString::iterator it = m_PubKeys.find(GetUser()->GetUsername()); if (it == m_PubKeys.end()) { PutModule(t_s("No keys set for your user")); @@ -242,7 +242,7 @@ class CSSLClientCertMod : public CModule { CUser* pUser = WebSock.GetSession()->GetUser(); if (sPageName == "index") { - MSCString::const_iterator it = m_PubKeys.find(pUser->GetUserName()); + MSCString::const_iterator it = m_PubKeys.find(pUser->GetUsername()); if (it != m_PubKeys.end()) { for (const CString& sKey : it->second) { CTemplate& row = Tmpl.AddRow("KeyLoop"); @@ -256,7 +256,7 @@ class CSSLClientCertMod : public CModule { WebSock.Redirect(GetWebPath()); return true; } else if (sPageName == "delete") { - MSCString::iterator it = m_PubKeys.find(pUser->GetUserName()); + MSCString::iterator it = m_PubKeys.find(pUser->GetUsername()); if (it != m_PubKeys.end()) { if (it->second.erase(WebSock.GetParam("key", false))) { if (it->second.size() == 0) { diff --git a/modules/controlpanel.cpp b/modules/controlpanel.cpp index 55ec739f..2e3f6d6f 100644 --- a/modules/controlpanel.cpp +++ b/modules/controlpanel.cpp @@ -195,7 +195,7 @@ class CAdminMod : public CModule { if (!pNetwork) { PutModule( t_f("Error: User {1} does not have a network named [{2}].")( - pUser->GetUserName(), sNetwork)); + pUser->GetUsername(), sNetwork)); } return pNetwork; } @@ -967,7 +967,7 @@ class CAdminMod : public CModule { return; } - if (!CZNC::Get().DeleteUser(pUser->GetUserName())) { + if (!CZNC::Get().DeleteUser(pUser->GetUsername())) { // This can't happen, because we got the user from FindUser() PutModule(t_s("Error: Internal error!")); return; @@ -1047,18 +1047,18 @@ class CAdminMod : public CModule { if (pUser->FindNetwork(sNetwork)) { PutModule( t_f("Error: User {1} already has a network with the name {2}")( - pUser->GetUserName(), sNetwork)); + pUser->GetUsername(), sNetwork)); return; } CString sNetworkAddError; if (pUser->AddNetwork(sNetwork, sNetworkAddError)) { PutModule(t_f("Network {1} added to user {2}.")( - sNetwork, pUser->GetUserName())); + sNetwork, pUser->GetUsername())); } else { PutModule(t_f( "Error: Network [{1}] could not be added for user {2}: {3}")( - sNetwork, pUser->GetUserName(), sNetworkAddError)); + sNetwork, pUser->GetUsername(), sNetworkAddError)); } } @@ -1095,11 +1095,11 @@ class CAdminMod : public CModule { if (pUser->DeleteNetwork(sNetwork)) { PutModule(t_f("Network {1} deleted for user {2}.")( - sNetwork, pUser->GetUserName())); + sNetwork, pUser->GetUsername())); } else { PutModule( t_f("Error: Network {1} could not be deleted for user {2}.")( - sNetwork, pUser->GetUserName())); + sNetwork, pUser->GetUsername())); } } @@ -1166,11 +1166,11 @@ class CAdminMod : public CModule { if (pNetwork->AddServer(sServer)) PutModule(t_f("Added IRC Server {1} to network {2} for user {3}.")( - sServer, pNetwork->GetName(), pUser->GetUserName())); + sServer, pNetwork->GetName(), pUser->GetUsername())); else PutModule(t_f( "Error: Could not add IRC server {1} to network {2} for user " - "{3}.")(sServer, pNetwork->GetName(), pUser->GetUserName())); + "{3}.")(sServer, pNetwork->GetName(), pUser->GetUsername())); } void DelServer(const CString& sLine) { @@ -1198,12 +1198,12 @@ class CAdminMod : public CModule { if (pNetwork->DelServer(sServer, uPort, sPass)) PutModule( t_f("Deleted IRC Server {1} from network {2} for user {3}.")( - sServer, pNetwork->GetName(), pUser->GetUserName())); + sServer, pNetwork->GetName(), pUser->GetUsername())); else PutModule( t_f("Error: Could not delete IRC server {1} from network {2} " "for user {3}.")(sServer, pNetwork->GetName(), - pUser->GetUserName())); + pUser->GetUsername())); } void ReconnectUser(const CString& sLine) { @@ -1239,7 +1239,7 @@ class CAdminMod : public CModule { pNetwork->SetIRCConnectEnabled(true); PutModule(t_f("Queued network {1} of user {2} for a reconnect.")( - pNetwork->GetName(), pUser->GetUserName())); + pNetwork->GetName(), pUser->GetUsername())); } void DisconnectUser(const CString& sLine) { @@ -1263,14 +1263,14 @@ class CAdminMod : public CModule { pNetwork->SetIRCConnectEnabled(false); PutModule(t_f("Closed IRC connection for network {1} of user {2}.")( - pNetwork->GetName(), pUser->GetUserName())); + pNetwork->GetName(), pUser->GetUsername())); } void ListCTCP(const CString& sLine) { CString sUsername = sLine.Token(1, true); if (sUsername.empty()) { - sUsername = GetUser()->GetUserName(); + sUsername = GetUser()->GetUsername(); } CUser* pUser = FindUser(sUsername); if (!pUser) return; @@ -1287,9 +1287,9 @@ class CAdminMod : public CModule { if (Table.empty()) { PutModule(t_f("No CTCP replies for user {1} are configured")( - pUser->GetUserName())); + pUser->GetUsername())); } else { - PutModule(t_f("CTCP replies for user {1}:")(pUser->GetUserName())); + PutModule(t_f("CTCP replies for user {1}:")(pUser->GetUsername())); PutModule(Table); } } @@ -1302,7 +1302,7 @@ class CAdminMod : public CModule { if (sCTCPRequest.empty()) { sCTCPRequest = sUsername; sCTCPReply = sLine.Token(2, true); - sUsername = GetUser()->GetUserName(); + sUsername = GetUser()->GetUsername(); } if (sCTCPRequest.empty()) { PutModule(t_s("Usage: AddCTCP [user] [request] [reply]")); @@ -1320,11 +1320,11 @@ class CAdminMod : public CModule { pUser->AddCTCPReply(sCTCPRequest, sCTCPReply); if (sCTCPReply.empty()) { PutModule(t_f("CTCP requests {1} to user {2} will now be blocked.")( - sCTCPRequest.AsUpper(), pUser->GetUserName())); + sCTCPRequest.AsUpper(), pUser->GetUsername())); } else { PutModule( t_f("CTCP requests {1} to user {2} will now get reply: {3}")( - sCTCPRequest.AsUpper(), pUser->GetUserName(), sCTCPReply)); + sCTCPRequest.AsUpper(), pUser->GetUsername(), sCTCPReply)); } } @@ -1334,7 +1334,7 @@ class CAdminMod : public CModule { if (sCTCPRequest.empty()) { sCTCPRequest = sUsername; - sUsername = GetUser()->GetUserName(); + sUsername = GetUser()->GetUsername(); } CUser* pUser = FindUser(sUsername); if (!pUser) return; @@ -1347,12 +1347,12 @@ class CAdminMod : public CModule { if (pUser->DelCTCPReply(sCTCPRequest)) { PutModule(t_f( "CTCP requests {1} to user {2} will now be sent to IRC clients")( - sCTCPRequest.AsUpper(), pUser->GetUserName())); + sCTCPRequest.AsUpper(), pUser->GetUsername())); } else { PutModule( t_f("CTCP requests {1} to user {2} will be sent to IRC clients " "(nothing has changed)")(sCTCPRequest.AsUpper(), - pUser->GetUserName())); + pUser->GetUsername())); } } @@ -1516,11 +1516,11 @@ class CAdminMod : public CModule { if (pUser->GetModules().empty()) { PutModule( - t_f("User {1} has no modules loaded.")(pUser->GetUserName())); + t_f("User {1} has no modules loaded.")(pUser->GetUsername())); return; } - PutModule(t_f("Modules loaded for user {1}:")(pUser->GetUserName())); + PutModule(t_f("Modules loaded for user {1}:")(pUser->GetUsername())); ListModulesFor(pUser->GetModules()); } @@ -1541,12 +1541,12 @@ class CAdminMod : public CModule { if (pNetwork->GetModules().empty()) { PutModule(t_f("Network {1} of user {2} has no modules loaded.")( - pNetwork->GetName(), pUser->GetUserName())); + pNetwork->GetName(), pUser->GetUsername())); return; } PutModule(t_f("Modules loaded for network {1} of user {2}:")( - pNetwork->GetName(), pUser->GetUserName())); + pNetwork->GetName(), pUser->GetUsername())); ListModulesFor(pNetwork->GetModules()); } diff --git a/modules/identfile.cpp b/modules/identfile.cpp index 2067ce27..3f9c8f5a 100644 --- a/modules/identfile.cpp +++ b/modules/identfile.cpp @@ -72,7 +72,7 @@ class CIdentFileModule : public CModule { PutModule("m_pIRCSock = " + CString((long long)m_pIRCSock)); if (m_pIRCSock) { PutModule("user/network - " + - m_pIRCSock->GetNetwork()->GetUser()->GetUserName() + "/" + + m_pIRCSock->GetNetwork()->GetUser()->GetUsername() + "/" + m_pIRCSock->GetNetwork()->GetName()); } else { PutModule(t_s("identfile is free")); @@ -132,7 +132,7 @@ class CIdentFileModule : public CModule { DEBUG("Writing [" + sData + "] to ident spoof file [" + m_pISpoofLockFile->GetLongName() + "] for user/network [" + - GetUser()->GetUserName() + "/" + GetNetwork()->GetName() + "]"); + GetUser()->GetUsername() + "/" + GetNetwork()->GetName() + "]"); m_pISpoofLockFile->Write(sData + "\n"); @@ -142,7 +142,7 @@ class CIdentFileModule : public CModule { void ReleaseISpoof() { DEBUG("Releasing ident spoof for user/network [" + (m_pIRCSock - ? m_pIRCSock->GetNetwork()->GetUser()->GetUserName() + "/" + + ? m_pIRCSock->GetNetwork()->GetUser()->GetUsername() + "/" + m_pIRCSock->GetNetwork()->GetName() : "") + "]"); diff --git a/modules/lastseen.cpp b/modules/lastseen.cpp index ed82cbee..927faad2 100644 --- a/modules/lastseen.cpp +++ b/modules/lastseen.cpp @@ -25,11 +25,11 @@ using std::multimap; class CLastSeenMod : public CModule { private: time_t GetTime(const CUser* pUser) { - return GetNV(pUser->GetUserName()).ToULong(); + return GetNV(pUser->GetUsername()).ToULong(); } void SetTime(const CUser* pUser) { - SetNV(pUser->GetUserName(), CString(time(nullptr))); + SetNV(pUser->GetUsername(), CString(time(nullptr))); } const CString FormatLastSeen(const CUser* pUser, @@ -88,7 +88,7 @@ class CLastSeenMod : public CModule { void OnClientDisconnect() override { SetTime(GetUser()); } EModRet OnDeleteUser(CUser& User) override { - DelNV(User.GetUserName()); + DelNV(User.GetUsername()); return CONTINUE; } @@ -118,7 +118,7 @@ class CLastSeenMod : public CModule { CUser* pUser = it->second; CTemplate& Row = Tmpl.AddRow("UserLoop"); - Row["Username"] = pUser->GetUserName(); + Row["Username"] = pUser->GetUsername(); Row["IsSelf"] = CString(pUser == WebSock.GetSession()->GetUser()); Row["LastSeen"] = FormatLastSeen(pUser, t_s("never")); diff --git a/modules/log.cpp b/modules/log.cpp index 941c3bcc..0af47626 100644 --- a/modules/log.cpp +++ b/modules/log.cpp @@ -284,7 +284,7 @@ void CLogMod::PutLog(const CString& sLine, // TODO: Properly handle IRC case mapping // $WINDOW has to be handled last, since it can contain % sPath.Replace("$USER", - CString((GetUser() ? GetUser()->GetUserName() : "UNKNOWN"))); + CString((GetUser() ? GetUser()->GetUsername() : "UNKNOWN"))); sPath.Replace("$NETWORK", CString((GetNetwork() ? GetNetwork()->GetName() : "znc"))); sPath.Replace("$WINDOW", CString(sWindow.Replace_n("/", "-") diff --git a/modules/modpython/codegen.pl b/modules/modpython/codegen.pl index 0d74c392..1dfc89d2 100755 --- a/modules/modpython/codegen.pl +++ b/modules/modpython/codegen.pl @@ -326,7 +326,7 @@ while (<$in>) { } say $out "\tif (!$a->{pyvar}) {"; say $out "\t\tCString sPyErr = m_pModPython->GetPyExceptionStr();"; - say $out "\t\tDEBUG".'("modpython: " << (GetUser() ? GetUser()->GetUserName() : CString("")) << "/" << GetModName() << '."\"/$name: $a->{error}: \" << sPyErr);"; + say $out "\t\tDEBUG".'("modpython: " << (GetUser() ? GetUser()->GetUsername() : CString("")) << "/" << GetModName() << '."\"/$name: $a->{error}: \" << sPyErr);"; print $out $cleanup; say $out "\t\treturn $default;"; say $out "\t}"; @@ -342,14 +342,14 @@ while (<$in>) { say $out "\t\tPyObject* pyVecEl = SWIG_NewInstanceObj(*i, SWIG_TypeQuery(\"$sub*\"), 0);"; say $out "\t\tif (!pyVecEl) {"; say $out "\t\t\tCString sPyErr = m_pModPython->GetPyExceptionStr();"; - say $out "\t\t\tDEBUG".'("modpython: " << (GetUser() ? GetUser()->GetUserName() : CString("")) << "/" << GetModName() << '. + say $out "\t\t\tDEBUG".'("modpython: " << (GetUser() ? GetUser()->GetUsername() : CString("")) << "/" << GetModName() << '. "\"/$name: can't convert element of vector '$a->{var}' to PyObject: \" << sPyErr);"; print $out $cleanup1; say $out "\t\t\treturn $default;"; say $out "\t\t}"; say $out "\t\tif (PyList_Append($a->{pyvar}, pyVecEl)) {"; say $out "\t\t\tCString sPyErr = m_pModPython->GetPyExceptionStr();"; - say $out "\t\t\tDEBUG".'("modpython: " << (GetUser() ? GetUser()->GetUserName() : CString("")) << "/" << GetModName() << '. + say $out "\t\t\tDEBUG".'("modpython: " << (GetUser() ? GetUser()->GetUsername() : CString("")) << "/" << GetModName() << '. "\"/$name: can't add element of vector '$a->{var}' to PyObject: \" << sPyErr);"; say $out "\t\t\tPy_CLEAR(pyVecEl);"; print $out $cleanup1; @@ -365,7 +365,7 @@ while (<$in>) { say $out ", nullptr);"; say $out "\tif (!pyRes) {"; say $out "\t\tCString sPyErr = m_pModPython->GetPyExceptionStr();"; - say $out "\t\tDEBUG".'("modpython: " << (GetUser() ? GetUser()->GetUserName() : CString("")) << "/" << GetModName() << '."\"/$name failed: \" << sPyErr);"; + say $out "\t\tDEBUG".'("modpython: " << (GetUser() ? GetUser()->GetUsername() : CString("")) << "/" << GetModName() << '."\"/$name failed: \" << sPyErr);"; print $out $cleanup; say $out "\t\treturn $default;"; say $out "\t}"; @@ -383,7 +383,7 @@ while (<$in>) { when (/^(.*)\*$/) { say $out "\t\tint res = SWIG_ConvertPtr(pyRes, (void**)&result, SWIG_TypeQuery(\"$type\"), 0);"; say $out "\t\tif (!SWIG_IsOK(res)) {"; - say $out "\t\t\tDEBUG(\"modpython: \" << (GetUser() ? GetUser()->GetUserName() : CString(\"\")) << \"/\" << GetModName() << \"/$name was expected to return '$type' but error=\" << res);"; + say $out "\t\t\tDEBUG(\"modpython: \" << (GetUser() ? GetUser()->GetUsername() : CString(\"\")) << \"/\" << GetModName() << \"/$name was expected to return '$type' but error=\" << res);"; say $out "\t\t\tresult = $default;"; say $out "\t\t}"; } @@ -391,10 +391,10 @@ while (<$in>) { say $out "\t\tCString* p = nullptr;"; say $out "\t\tint res = SWIG_AsPtr_CString(pyRes, &p);"; say $out "\t\tif (!SWIG_IsOK(res)) {"; - say $out "\t\t\tDEBUG(\"modpython: \" << (GetUser() ? GetUser()->GetUserName() : CString(\"\")) << \"/\" << GetModName() << \"/$name was expected to return '$type' but error=\" << res);"; + say $out "\t\t\tDEBUG(\"modpython: \" << (GetUser() ? GetUser()->GetUsername() : CString(\"\")) << \"/\" << GetModName() << \"/$name was expected to return '$type' but error=\" << res);"; say $out "\t\t\tresult = $default;"; say $out "\t\t} else if (!p) {"; - say $out "\t\t\tDEBUG(\"modpython: \" << (GetUser() ? GetUser()->GetUserName() : CString(\"\")) << \"/\" << GetModName() << \"/$name was expected to return '$type' but returned nullptr\");"; + say $out "\t\t\tDEBUG(\"modpython: \" << (GetUser() ? GetUser()->GetUsername() : CString(\"\")) << \"/\" << GetModName() << \"/$name was expected to return '$type' but returned nullptr\");"; say $out "\t\t\tresult = $default;"; say $out "\t\t} else result = *p;"; say $out "\t\tif (SWIG_IsNewObj(res)) delete p;"; @@ -403,7 +403,7 @@ while (<$in>) { say $out "\t\tlong int x = PyLong_AsLong(pyRes);"; say $out "\t\tif (PyErr_Occurred()) {"; say $out "\t\t\tCString sPyErr = m_pModPython->GetPyExceptionStr();"; - say $out "\t\t\tDEBUG".'("modpython: " << (GetUser() ? GetUser()->GetUserName() : CString("")) << "/" << GetModName() << '."\"/$name was expected to return EModRet but: \" << sPyErr);"; + say $out "\t\t\tDEBUG".'("modpython: " << (GetUser() ? GetUser()->GetUsername() : CString("")) << "/" << GetModName() << '."\"/$name was expected to return EModRet but: \" << sPyErr);"; say $out "\t\t\tresult = $default;"; say $out "\t\t} else { result = (CModule::EModRet)x; }"; } @@ -411,7 +411,7 @@ while (<$in>) { say $out "\t\tint x = PyObject_IsTrue(pyRes);"; say $out "\t\tif (-1 == x) {"; say $out "\t\t\tCString sPyErr = m_pModPython->GetPyExceptionStr();"; - say $out "\t\t\tDEBUG".'("modpython: " << (GetUser() ? GetUser()->GetUserName() : CString("")) << "/" << GetModName() << '."\"/$name was expected to return EModRet but: \" << sPyErr);"; + say $out "\t\t\tDEBUG".'("modpython: " << (GetUser() ? GetUser()->GetUsername() : CString("")) << "/" << GetModName() << '."\"/$name was expected to return EModRet but: \" << sPyErr);"; say $out "\t\t\tresult = $default;"; say $out "\t\t} else result = x ? true : false;"; } diff --git a/modules/modpython/modpython.i b/modules/modpython/modpython.i index 90db7793..a8e3a05e 100644 --- a/modules/modpython/modpython.i +++ b/modules/modpython/modpython.i @@ -257,10 +257,10 @@ class CPyRetBool { %extend CUser { CString __str__() { - return $self->GetUserName(); + return $self->GetUsername(); } CString __repr__() { - return "GetUserName() + ">"; + return "GetUsername() + ">"; } std::vector GetNetworks_() { return $self->GetNetworks(); diff --git a/modules/modtcl.cpp b/modules/modtcl.cpp index 21231f7d..325e8db4 100644 --- a/modules/modtcl.cpp +++ b/modules/modtcl.cpp @@ -300,7 +300,7 @@ class CModTcl : public CModule { static int tcl_GetUsername STDVAR { CModTcl* mod = static_cast(cd); - Tcl_SetResult(irp, (char*)mod->GetUser()->GetUserName().c_str(), + Tcl_SetResult(irp, (char*)mod->GetUser()->GetUsername().c_str(), TCL_VOLATILE); return TCL_OK; } diff --git a/modules/notify_connect.cpp b/modules/notify_connect.cpp index 1e221444..9d05afd4 100644 --- a/modules/notify_connect.cpp +++ b/modules/notify_connect.cpp @@ -31,7 +31,7 @@ class CNotifyConnectMod : public CModule { } void NotifyAdmins(const CString& event) { - CString client = GetUser()->GetUserName(); + CString client = GetUser()->GetUsername(); if (GetClient()->GetIdentifier() != "") { client += "@"; client += GetClient()->GetIdentifier(); diff --git a/modules/partyline.cpp b/modules/partyline.cpp index 05cb6f24..04675cfa 100644 --- a/modules/partyline.cpp +++ b/modules/partyline.cpp @@ -236,7 +236,7 @@ class CPartylineMod : public CModule { for (set::iterator a = m_ssDefaultChans.begin(); a != m_ssDefaultChans.end(); ++a) { CPartylineChannel* pChannel = GetChannel(*a); - const CString& sNick = pUser->GetUserName(); + const CString& sNick = pUser->GetUsername(); if (pChannel->IsInChannel(sNick)) continue; @@ -259,7 +259,7 @@ class CPartylineMod : public CModule { it != m_ssChannels.end(); ++it) { const set& ssNicks = (*it)->GetNicks(); - if ((*it)->IsInChannel(pUser->GetUserName())) { + if ((*it)->IsInChannel(pUser->GetUsername())) { pClient->PutClient(":" + sNickMask + " JOIN " + (*it)->GetName()); @@ -274,7 +274,7 @@ class CPartylineMod : public CModule { PutChan(ssNicks, ":*" + GetModName() + "!znc@znc.in MODE " + (*it)->GetName() + " +" + CString(pUser->IsAdmin() ? "o" : "v") + - " " + NICK_PREFIX + pUser->GetUserName(), + " " + NICK_PREFIX + pUser->GetUsername(), false); } } @@ -287,12 +287,12 @@ class CPartylineMod : public CModule { it != m_ssChannels.end(); ++it) { const set& ssNicks = (*it)->GetNicks(); - if (ssNicks.find(pUser->GetUserName()) != ssNicks.end()) { + if (ssNicks.find(pUser->GetUsername()) != ssNicks.end()) { PutChan(ssNicks, ":*" + GetModName() + "!znc@znc.in MODE " + (*it)->GetName() + " -ov " + NICK_PREFIX + - pUser->GetUserName() + " " + NICK_PREFIX + - pUser->GetUserName(), + pUser->GetUsername() + " " + NICK_PREFIX + + pUser->GetUsername(), false); } } @@ -315,7 +315,7 @@ class CPartylineMod : public CModule { CClient* pClient = GetClient(); CPartylineChannel* pChannel = FindChannel(sChannel); - if (pChannel && pChannel->IsInChannel(pUser->GetUserName())) { + if (pChannel && pChannel->IsInChannel(pUser->GetUsername())) { const set& ssNicks = pChannel->GetNicks(); if (!sTopic.empty()) { if (pUser->IsAdmin()) { @@ -377,7 +377,7 @@ class CPartylineMod : public CModule { void RemoveUser(CUser* pUser, CPartylineChannel* pChannel, const CString& sCommand, const CString& sMessage = "", bool bNickAsTarget = false) { - if (!pChannel || !pChannel->IsInChannel(pUser->GetUserName())) { + if (!pChannel || !pChannel->IsInChannel(pUser->GetUsername())) { return; } @@ -387,7 +387,7 @@ class CPartylineMod : public CModule { CString sMsg = sMessage; if (!sMsg.empty()) sMsg = " :" + sMsg; - pChannel->DelNick(pUser->GetUserName()); + pChannel->DelNick(pUser->GetUsername()); const set& ssNicks = pChannel->GetNicks(); CString sHost = pUser->GetBindHost(); @@ -406,10 +406,10 @@ class CPartylineMod : public CModule { pClient->GetNick() + sMsg); } - PutChan(ssNicks, ":" + NICK_PREFIX + pUser->GetUserName() + "!" + + PutChan(ssNicks, ":" + NICK_PREFIX + pUser->GetUsername() + "!" + pUser->GetIdent() + "@" + sHost + sCmd + pChannel->GetName() + " " + NICK_PREFIX + - pUser->GetUserName() + sMsg, + pUser->GetUsername() + sMsg, false, true, pUser); } else { for (vector::const_iterator it = vClients.begin(); @@ -420,7 +420,7 @@ class CPartylineMod : public CModule { pChannel->GetName() + sMsg); } - PutChan(ssNicks, ":" + NICK_PREFIX + pUser->GetUserName() + "!" + + PutChan(ssNicks, ":" + NICK_PREFIX + pUser->GetUsername() + "!" + pUser->GetIdent() + "@" + sHost + sCmd + pChannel->GetName() + sMsg, false, true, pUser); @@ -459,11 +459,11 @@ class CPartylineMod : public CModule { } void JoinUser(CUser* pUser, CPartylineChannel* pChannel) { - if (pChannel && !pChannel->IsInChannel(pUser->GetUserName())) { + if (pChannel && !pChannel->IsInChannel(pUser->GetUsername())) { vector vClients = pUser->GetAllClients(); const set& ssNicks = pChannel->GetNicks(); - const CString& sNick = pUser->GetUserName(); + const CString& sNick = pUser->GetUsername(); pChannel->AddNick(sNick); CString sHost = pUser->GetBindHost(); @@ -503,13 +503,13 @@ class CPartylineMod : public CModule { if (pUser->IsAdmin()) { PutChan(ssNicks, ":*" + GetModName() + "!znc@znc.in MODE " + pChannel->GetName() + " +o " + - NICK_PREFIX + pUser->GetUserName(), + NICK_PREFIX + pUser->GetUsername(), false, false, pUser); } PutChan(ssNicks, ":*" + GetModName() + "!znc@znc.in MODE " + pChannel->GetName() + " +v " + NICK_PREFIX + - pUser->GetUserName(), + pUser->GetUsername(), false, false, pUser); } } @@ -543,7 +543,7 @@ class CPartylineMod : public CModule { return HALT; } - PutChan(sTarget, ":" + NICK_PREFIX + pUser->GetUserName() + "!" + + PutChan(sTarget, ":" + NICK_PREFIX + pUser->GetUsername() + "!" + pUser->GetIdent() + "@" + sHost + " " + sCmd + " " + sTarget + " :" + sMessage, true, false); @@ -566,7 +566,7 @@ class CPartylineMod : public CModule { CClient* pTarget = *it; pTarget->PutClient( - ":" + NICK_PREFIX + pUser->GetUserName() + "!" + + ":" + NICK_PREFIX + pUser->GetUsername() + "!" + pUser->GetIdent() + "@" + sHost + " " + sCmd + " " + pTarget->GetNick() + " :" + sMessage); } diff --git a/modules/savebuff.cpp b/modules/savebuff.cpp index 395db447..2591ff41 100644 --- a/modules/savebuff.cpp +++ b/modules/savebuff.cpp @@ -283,7 +283,7 @@ class CSaveBuff : public CModule { } CString GetPath(const CString& sTarget) const { - CString sBuffer = GetUser()->GetUserName() + sTarget.AsLower(); + CString sBuffer = GetUser()->GetUsername() + sTarget.AsLower(); CString sRet = GetSavePath(); sRet += "/" + CBlowfish::MD5(sBuffer, true); return (sRet); diff --git a/modules/send_raw.cpp b/modules/send_raw.cpp index 555a7ab6..6336ac39 100644 --- a/modules/send_raw.cpp +++ b/modules/send_raw.cpp @@ -30,7 +30,7 @@ class CSendRaw_Mod : public CModule { if (pNetwork) { pNetwork->PutUser(sLine.Token(3, true)); PutModule(t_f("Sent [{1}] to {2}/{3}")(sLine.Token(3, true), - pUser->GetUserName(), + pUser->GetUsername(), pNetwork->GetName())); } else { PutModule(t_f("Network {1} not found for user {2}")( @@ -50,7 +50,7 @@ class CSendRaw_Mod : public CModule { if (pNetwork) { pNetwork->PutIRC(sLine.Token(3, true)); PutModule(t_f("Sent [{1}] to IRC server of {2}/{3}")( - sLine.Token(3, true), pUser->GetUserName(), + sLine.Token(3, true), pUser->GetUsername(), pNetwork->GetName())); } else { PutModule(t_f("Network {1} not found for user {2}")( @@ -103,7 +103,7 @@ class CSendRaw_Mod : public CModule { bool bToServer = WebSock.GetParam("send_to") == "server"; const CString sLine = WebSock.GetParam("line"); - Tmpl["user"] = pUser->GetUserName(); + Tmpl["user"] = pUser->GetUsername(); Tmpl[bToServer ? "to_server" : "to_client"] = "true"; Tmpl["line"] = sLine; @@ -119,12 +119,12 @@ class CSendRaw_Mod : public CModule { const map& msUsers = CZNC::Get().GetUserMap(); for (const auto& it : msUsers) { CTemplate& l = Tmpl.AddRow("UserLoop"); - l["Username"] = it.second->GetUserName(); + l["Username"] = it.second->GetUsername(); vector vNetworks = it.second->GetNetworks(); for (const CIRCNetwork* pNetwork : vNetworks) { CTemplate& NetworkLoop = l.AddRow("NetworkLoop"); - NetworkLoop["Username"] = it.second->GetUserName(); + NetworkLoop["Username"] = it.second->GetUsername(); NetworkLoop["Network"] = pNetwork->GetName(); } } diff --git a/modules/webadmin.cpp b/modules/webadmin.cpp index 365626db..068f9625 100644 --- a/modules/webadmin.cpp +++ b/modules/webadmin.cpp @@ -191,7 +191,7 @@ class CWebAdminMod : public CModule { if (pUser) { /* If we are editing a user we must not change the user name */ - sUsername = pUser->GetUserName(); + sUsername = pUser->GetUsername(); } CString sArg = WebSock.GetParam("password"); @@ -451,7 +451,7 @@ class CWebAdminMod : public CModule { return pNewUser; } - CString SafeGetUserNameParam(CWebSock& WebSock) { + CString SafeGetUsernameParam(CWebSock& WebSock) { CString sUsername = WebSock.GetParam("user"); // check for POST param if (sUsername.empty() && !WebSock.IsPost()) { // if no POST param named user has been given and we are not @@ -472,11 +472,11 @@ class CWebAdminMod : public CModule { } CUser* SafeGetUserFromParam(CWebSock& WebSock) { - return CZNC::Get().FindUser(SafeGetUserNameParam(WebSock)); + return CZNC::Get().FindUser(SafeGetUsernameParam(WebSock)); } CIRCNetwork* SafeGetNetworkFromParam(CWebSock& WebSock) { - CUser* pUser = CZNC::Get().FindUser(SafeGetUserNameParam(WebSock)); + CUser* pUser = CZNC::Get().FindUser(SafeGetUsernameParam(WebSock)); CIRCNetwork* pNetwork = nullptr; if (pUser) { @@ -650,7 +650,7 @@ class CWebAdminMod : public CModule { WebSock.PrintErrorPage(t_s("No such user")); return true; } else if (sPageName == "edituser") { - CString sUsername = SafeGetUserNameParam(WebSock); + CString sUsername = SafeGetUsernameParam(WebSock); CUser* pUser = CZNC::Get().FindUser(sUsername); if (!pUser) { @@ -708,17 +708,17 @@ class CWebAdminMod : public CModule { } if (!WebSock.GetParam("submitted").ToUInt()) { - Tmpl["User"] = pUser->GetUserName(); + Tmpl["User"] = pUser->GetUsername(); Tmpl["Network"] = pNetwork->GetName(); CTemplate& breadUser = Tmpl.AddRow("BreadCrumbs"); - breadUser["Text"] = t_f("Edit User [{1}]")(pUser->GetUserName()); + breadUser["Text"] = t_f("Edit User [{1}]")(pUser->GetUsername()); breadUser["URL"] = - GetWebPath() + "edituser?user=" + pUser->GetUserName(); + GetWebPath() + "edituser?user=" + pUser->GetUsername(); CTemplate& breadNet = Tmpl.AddRow("BreadCrumbs"); breadNet["Text"] = t_f("Edit Network [{1}]")(pNetwork->GetName()); breadNet["URL"] = GetWebPath() + "editnetwork?user=" + - pUser->GetUserName() + "&network=" + + pUser->GetUsername() + "&network=" + pNetwork->GetName(); CTemplate& breadChan = Tmpl.AddRow("BreadCrumbs"); @@ -728,7 +728,7 @@ class CWebAdminMod : public CModule { Tmpl["Title"] = t_f("Edit Channel [{1}] of Network [{2}] of User [{3}]")( pChan->GetName(), pNetwork->GetName(), - pUser->GetUserName()); + pUser->GetUsername()); Tmpl["ChanName"] = pChan->GetName(); Tmpl["BufferSize"] = CString(pChan->GetBufferCount()); Tmpl["DefModes"] = pChan->GetDefaultModes(); @@ -742,7 +742,7 @@ class CWebAdminMod : public CModule { Tmpl["Action"] = "addchan"; Tmpl["Title"] = t_f("Add Channel to Network [{1}] of User [{2}]")( - pNetwork->GetName(), pUser->GetUserName()); + pNetwork->GetName(), pUser->GetUsername()); Tmpl["BufferSize"] = CString(pUser->GetBufferCount()); Tmpl["DefModes"] = CString(pUser->GetDefaultChanModes()); Tmpl["InConfig"] = "true"; @@ -849,7 +849,7 @@ class CWebAdminMod : public CModule { pChan->Disable(); CTemplate TmplMod; - TmplMod["User"] = pUser->GetUserName(); + TmplMod["User"] = pUser->GetUsername(); TmplMod["ChanName"] = pChan->GetName(); TmplMod["WebadminAction"] = "change"; FOR_EACH_MODULE(it, pNetwork) { @@ -864,13 +864,13 @@ class CWebAdminMod : public CModule { if (WebSock.HasParam("submit_return")) { WebSock.Redirect(GetWebPath() + "editnetwork?user=" + - pUser->GetUserName().Escape_n(CString::EURL) + + pUser->GetUsername().Escape_n(CString::EURL) + "&network=" + pNetwork->GetName().Escape_n(CString::EURL)); } else { WebSock.Redirect( GetWebPath() + "editchan?user=" + - pUser->GetUserName().Escape_n(CString::EURL) + "&network=" + + pUser->GetUsername().Escape_n(CString::EURL) + "&network=" + pNetwork->GetName().Escape_n(CString::EURL) + "&name=" + pChan->GetName().Escape_n(CString::EURL)); } @@ -892,7 +892,7 @@ class CWebAdminMod : public CModule { } if (!WebSock.GetParam("submitted").ToUInt()) { - Tmpl["Username"] = pUser->GetUserName(); + Tmpl["Username"] = pUser->GetUsername(); CTemplate& breadNet = Tmpl.AddRow("BreadCrumbs"); CIRCNetwork EmptyNetwork(pUser, ""); @@ -901,13 +901,13 @@ class CWebAdminMod : public CModule { Tmpl["Action"] = "editnetwork"; Tmpl["Edit"] = "true"; Tmpl["Title"] = t_f("Edit Network [{1}] of User [{2}]")( - pNetwork->GetName(), pUser->GetUserName()); + pNetwork->GetName(), pUser->GetUsername()); breadNet["Text"] = t_f("Edit Network [{1}]")(pNetwork->GetName()); } else { Tmpl["Action"] = "addnetwork"; Tmpl["Title"] = - t_f("Add Network for User [{1}]")(pUser->GetUserName()); + t_f("Add Network for User [{1}]")(pUser->GetUsername()); breadNet["Text"] = t_s("Add Network"); pNetwork = &EmptyNetwork; @@ -969,9 +969,9 @@ class CWebAdminMod : public CModule { } CTemplate& breadUser = Tmpl.AddRow("BreadCrumbs"); - breadUser["Text"] = t_f("Edit User [{1}]")(pUser->GetUserName()); + breadUser["Text"] = t_f("Edit User [{1}]")(pUser->GetUsername()); breadUser["URL"] = - GetWebPath() + "edituser?user=" + pUser->GetUserName(); + GetWebPath() + "edituser?user=" + pUser->GetUsername(); Tmpl["Name"] = pNetwork->GetName(); @@ -1005,7 +1005,7 @@ class CWebAdminMod : public CModule { CTemplate& l = Tmpl.AddRow("ChannelLoop"); l["Network"] = pNetwork->GetName(); - l["Username"] = pUser->GetUserName(); + l["Username"] = pUser->GetUsername(); l["Name"] = pChan->GetName(); l["Perms"] = pChan->GetPermStr(); l["CurModes"] = pChan->GetModeString(); @@ -1214,7 +1214,7 @@ class CWebAdminMod : public CModule { } CTemplate TmplMod; - TmplMod["Username"] = pUser->GetUserName(); + TmplMod["Username"] = pUser->GetUsername(); TmplMod["Name"] = pNetwork->GetName(); TmplMod["WebadminAction"] = "change"; FOR_EACH_MODULE(it, make_pair(pUser, pNetwork)) { @@ -1229,10 +1229,10 @@ class CWebAdminMod : public CModule { if (WebSock.HasParam("submit_return")) { WebSock.Redirect(GetWebPath() + "edituser?user=" + - pUser->GetUserName().Escape_n(CString::EURL)); + pUser->GetUsername().Escape_n(CString::EURL)); } else { WebSock.Redirect(GetWebPath() + "editnetwork?user=" + - pUser->GetUserName().Escape_n(CString::EURL) + + pUser->GetUsername().Escape_n(CString::EURL) + "&network=" + pNetwork->GetName().Escape_n(CString::EURL)); } @@ -1260,7 +1260,7 @@ class CWebAdminMod : public CModule { // Show the "Are you sure?" page: Tmpl.SetFile("del_network.tmpl"); - Tmpl["Username"] = pUser->GetUserName(); + Tmpl["Username"] = pUser->GetUsername(); Tmpl["Network"] = sNetwork; return true; } @@ -1274,7 +1274,7 @@ class CWebAdminMod : public CModule { } WebSock.Redirect(GetWebPath() + "edituser?user=" + - pUser->GetUserName().Escape_n(CString::EURL)); + pUser->GetUsername().Escape_n(CString::EURL)); return false; } @@ -1298,7 +1298,7 @@ class CWebAdminMod : public CModule { WebSock.Redirect( GetWebPath() + "editnetwork?user=" + - pNetwork->GetUser()->GetUserName().Escape_n(CString::EURL) + + pNetwork->GetUser()->GetUsername().Escape_n(CString::EURL) + "&network=" + pNetwork->GetName().Escape_n(CString::EURL)); return false; } @@ -1311,7 +1311,7 @@ class CWebAdminMod : public CModule { CUser EmptyUser(""); CUser* pRealUser = pUser; if (pUser) { - Tmpl["Title"] = t_f("Edit User [{1}]")(pUser->GetUserName()); + Tmpl["Title"] = t_f("Edit User [{1}]")(pUser->GetUsername()); Tmpl["Edit"] = "true"; } else { CString sUsername = WebSock.GetParam("clone", false); @@ -1320,9 +1320,9 @@ class CWebAdminMod : public CModule { if (pUser) { Tmpl["Title"] = - t_f("Clone User [{1}]")(pUser->GetUserName()); + t_f("Clone User [{1}]")(pUser->GetUsername()); Tmpl["Clone"] = "true"; - Tmpl["CloneUsername"] = pUser->GetUserName(); + Tmpl["CloneUsername"] = pUser->GetUsername(); } else { pUser = &EmptyUser; Tmpl["Title"] = "Add User"; @@ -1331,7 +1331,7 @@ class CWebAdminMod : public CModule { Tmpl["ImAdmin"] = CString(spSession->IsAdmin()); - Tmpl["Username"] = pUser->GetUserName(); + Tmpl["Username"] = pUser->GetUsername(); Tmpl["AuthOnlyViaModule"] = CString(pUser->AuthOnlyViaModule()); Tmpl["Nick"] = pUser->GetNick(); Tmpl["AltNick"] = pUser->GetAltNick(); @@ -1361,7 +1361,7 @@ class CWebAdminMod : public CModule { for (const CIRCNetwork* pNetwork : vNetworks) { CTemplate& l = Tmpl.AddRow("NetworkLoop"); l["Name"] = pNetwork->GetName(); - l["Username"] = pUser->GetUserName(); + l["Username"] = pUser->GetUsername(); l["Clients"] = CString(pNetwork->GetClients().size()); l["IRCNick"] = pNetwork->GetIRCNick().GetNick(); CServer* pServer = pNetwork->GetCurrentServer(); @@ -1650,7 +1650,7 @@ class CWebAdminMod : public CModule { WebSock.Redirect(GetWebPath() + "listusers"); } else { WebSock.Redirect(GetWebPath() + "edituser?user=" + - pUser->GetUserName()); + pUser->GetUsername()); } /* we don't want the template to be printed while we redirect */ @@ -1667,7 +1667,7 @@ class CWebAdminMod : public CModule { CTemplate& l = Tmpl.AddRow("UserLoop"); CUser* pUser = it.second; - l["Username"] = pUser->GetUserName(); + l["Username"] = pUser->GetUsername(); l["Clients"] = CString(pUser->GetAllClients().size()); l["Networks"] = CString(pUser->GetNetworks().size()); @@ -1726,7 +1726,7 @@ class CWebAdminMod : public CModule { for (const auto& it : traffic) { if (!spSession->IsAdmin() && - !spSession->GetUser()->GetUserName().Equals(it.first)) { + !spSession->GetUser()->GetUsername().Equals(it.first)) { continue; } diff --git a/src/Client.cpp b/src/Client.cpp index c0efd628..33a0d174 100644 --- a/src/Client.cpp +++ b/src/Client.cpp @@ -385,7 +385,7 @@ void CClient::AcceptLogin(CUser& User) { // (constructor set a different timeout and mode) SetTimeout(User.GetNoTrafficTimeout(), TMO_READ); - SetSockName("USR::" + m_pUser->GetUserName()); + SetSockName("USR::" + m_pUser->GetUsername()); SetEncoding(m_pUser->GetClientEncoding()); if (!m_sNetwork.empty()) { @@ -413,7 +413,7 @@ void CClient::AcceptLogin(CUser& User) { PutStatusNotice(t_f( "If you want to choose another network, use /znc JumpNetwork " ", or connect to ZNC with username {1}/ " - "(instead of just {1})")(m_pUser->GetUserName())); + "(instead of just {1})")(m_pUser->GetUsername())); } } else { PutStatusNotice( @@ -470,7 +470,7 @@ void CClient::PutIRC(const CString& sLine) { CString CClient::GetFullName() const { if (!m_pUser) return GetRemoteIP(); - CString sFullName = m_pUser->GetUserName(); + CString sFullName = m_pUser->GetUsername(); if (!m_sIdentifier.empty()) sFullName += "@" + m_sIdentifier; if (m_pNetwork) sFullName += "/" + m_pNetwork->GetName(); return sFullName; diff --git a/src/ClientCommand.cpp b/src/ClientCommand.cpp index 44bcc324..cf559295 100644 --- a/src/ClientCommand.cpp +++ b/src/ClientCommand.cpp @@ -560,8 +560,8 @@ void CClient::UserCommand(CString& sLine) { PutStatus( t_f("Network added. Use /znc JumpNetwork {1}, or connect to " "ZNC with username {2} (instead of just {3}) to connect to " - "it.")(sNetwork, m_pUser->GetUserName() + "/" + sNetwork, - m_pUser->GetUserName())); + "it.")(sNetwork, m_pUser->GetUsername() + "/" + sNetwork, + m_pUser->GetUsername())); } else { PutStatus(t_s("Unable to add that network")); PutStatus(sNetworkAddError); diff --git a/src/IRCNetwork.cpp b/src/IRCNetwork.cpp index 433b7070..0edad1a3 100644 --- a/src/IRCNetwork.cpp +++ b/src/IRCNetwork.cpp @@ -34,7 +34,7 @@ class CIRCNetworkPingTimer : public CCron { CIRCNetworkPingTimer(CIRCNetwork* pNetwork) : CCron(), m_pNetwork(pNetwork) { SetName("CIRCNetworkPingTimer::" + - m_pNetwork->GetUser()->GetUserName() + "::" + + m_pNetwork->GetUser()->GetUsername() + "::" + m_pNetwork->GetName()); Start(m_pNetwork->GetUser()->GetPingSlack()); } @@ -77,7 +77,7 @@ class CIRCNetworkJoinTimer : public CCron { CIRCNetworkJoinTimer(CIRCNetwork* pNetwork) : CCron(), m_bDelayed(false), m_pNetwork(pNetwork) { SetName("CIRCNetworkJoinTimer::" + - m_pNetwork->GetUser()->GetUserName() + "::" + + m_pNetwork->GetUser()->GetUsername() + "::" + m_pNetwork->GetName()); Start(JOIN_FREQUENCY); } @@ -510,7 +510,7 @@ bool CIRCNetwork::ParseConfig(CConfig* pConfig, CString& sError, if (!pSubConf->empty()) { sError = "Unhandled lines in config for User [" + - m_pUser->GetUserName() + "], Network [" + GetName() + + m_pUser->GetUsername() + "], Network [" + GetName() + "], Channel [" + sChanName + "]!"; CUtils::PrintError(sError); @@ -1289,7 +1289,7 @@ bool CIRCNetwork::Connect() { pIRCSock->SetTrustAllCerts(GetTrustAllCerts()); pIRCSock->SetTrustPKI(GetTrustPKI()); - DEBUG("Connecting user/network [" << m_pUser->GetUserName() << "/" + DEBUG("Connecting user/network [" << m_pUser->GetUsername() << "/" << m_sName << "]"); bool bAbort = false; @@ -1303,7 +1303,7 @@ bool CIRCNetwork::Connect() { return false; } - CString sSockName = "IRC::" + m_pUser->GetUserName() + "::" + m_sName; + CString sSockName = "IRC::" + m_pUser->GetUsername() + "::" + m_sName; CZNC::Get().GetManager().Connect(pServer->GetName(), pServer->GetPort(), sSockName, 120, bSSL, GetBindHost(), pIRCSock); diff --git a/src/IRCSock.cpp b/src/IRCSock.cpp index 259881dc..a090d2a4 100644 --- a/src/IRCSock.cpp +++ b/src/IRCSock.cpp @@ -159,7 +159,7 @@ void CIRCSock::ReadLine(const CString& sData) { sLine.Replace("\n", ""); sLine.Replace("\r", ""); - DEBUG("(" << m_pNetwork->GetUser()->GetUserName() << "/" + DEBUG("(" << m_pNetwork->GetUser()->GetUsername() << "/" << m_pNetwork->GetName() << ") IRC -> ZNC [" << sLine << "]"); bool bReturn = false; @@ -1139,7 +1139,7 @@ void CIRCSock::PutIRC(const CMessage& Message) { // Only print if the line won't get sent immediately (same condition as in // TrySend()!) if (m_bFloodProtection && m_iSendsAllowed <= 0) { - DEBUG("(" << m_pNetwork->GetUser()->GetUserName() << "/" + DEBUG("(" << m_pNetwork->GetUser()->GetUsername() << "/" << m_pNetwork->GetName() << ") ZNC -> IRC [" << CDebug::Filter(Message.ToString()) << "] (queued)"); } @@ -1151,7 +1151,7 @@ void CIRCSock::PutIRCQuick(const CString& sLine) { // Only print if the line won't get sent immediately (same condition as in // TrySend()!) if (m_bFloodProtection && m_iSendsAllowed <= 0) { - DEBUG("(" << m_pNetwork->GetUser()->GetUserName() << "/" + DEBUG("(" << m_pNetwork->GetUser()->GetUsername() << "/" << m_pNetwork->GetName() << ") ZNC -> IRC [" << CDebug::Filter(sLine) << "] (queued to front)"); } @@ -1190,7 +1190,7 @@ void CIRCSock::PutIRCRaw(const CString& sLine) { bool bSkip = false; IRCSOCKMODULECALL(OnSendToIRC(sCopy), &bSkip); if (!bSkip) { - DEBUG("(" << m_pNetwork->GetUser()->GetUserName() << "/" + DEBUG("(" << m_pNetwork->GetUser()->GetUsername() << "/" << m_pNetwork->GetName() << ") ZNC -> IRC [" << CDebug::Filter(sCopy) << "]"); Write(sCopy + "\r\n"); diff --git a/src/Modules.cpp b/src/Modules.cpp index 5aec7805..e1089c1e 100644 --- a/src/Modules.cpp +++ b/src/Modules.cpp @@ -234,13 +234,13 @@ CString CModule::GetWebFilesPath() { } bool CModule::LoadRegistry() { - // CString sPrefix = (m_pUser) ? m_pUser->GetUserName() : ".global"; + // CString sPrefix = (m_pUser) ? m_pUser->GetUsername() : ".global"; return (m_mssRegistry.ReadFromDisk(GetSavePath() + "/.registry") == MCString::MCS_SUCCESS); } bool CModule::SaveRegistry() const { - // CString sPrefix = (m_pUser) ? m_pUser->GetUserName() : ".global"; + // CString sPrefix = (m_pUser) ? m_pUser->GetUsername() : ".global"; return (m_mssRegistry.WriteToDisk(GetSavePath() + "/.registry", 0600) == MCString::MCS_SUCCESS); } diff --git a/src/Socket.cpp b/src/Socket.cpp index 4ce05ee4..a6be1953 100644 --- a/src/Socket.cpp +++ b/src/Socket.cpp @@ -543,7 +543,7 @@ bool CSocket::Connect(const CString& sHostname, unsigned short uPort, bool bSSL, CString sBindHost; if (pUser) { - sSockName += "::" + pUser->GetUserName(); + sSockName += "::" + pUser->GetUsername(); sBindHost = pUser->GetBindHost(); CIRCNetwork* pNetwork = m_pModule->GetNetwork(); if (pNetwork) { @@ -574,7 +574,7 @@ bool CSocket::Listen(unsigned short uPort, bool bSSL, unsigned int uTimeout) { CString sSockName = "MOD::L::" + m_pModule->GetModName(); if (pUser) { - sSockName += "::" + pUser->GetUserName(); + sSockName += "::" + pUser->GetUsername(); } // Don't overwrite the socket name if one is already set if (!GetSockName().empty()) { diff --git a/src/User.cpp b/src/User.cpp index f8e0d31f..47bfdf0d 100644 --- a/src/User.cpp +++ b/src/User.cpp @@ -31,7 +31,7 @@ using std::set; class CUserTimer : public CCron { public: CUserTimer(CUser* pUser) : CCron(), m_pUser(pUser) { - SetName("CUserTimer::" + m_pUser->GetUserName()); + SetName("CUserTimer::" + m_pUser->GetUsername()); Start(m_pUser->GetPingSlack()); } ~CUserTimer() override {} @@ -61,7 +61,7 @@ class CUserTimer : public CCron { CUser::CUser(const CString& sUsername) : m_sUsername(sUsername), - m_sCleanUsername(MakeCleanUserName(sUsername)), + m_sCleanUsername(MakeCleanUsername(sUsername)), m_sNick(m_sCleanUsername), m_sAltNick(""), m_sIdent(m_sCleanUsername), @@ -588,7 +588,7 @@ CString& CUser::ExpandString(const CString& sStr, CString& sRet) const { sRet.Replace("%realname%", GetRealName()); sRet.Replace("%time%", sTime); sRet.Replace("%uptime%", CZNC::Get().GetUptime()); - sRet.Replace("%user%", GetUserName()); + sRet.Replace("%user%", GetUsername()); sRet.Replace("%version%", CZNC::GetVersion()); sRet.Replace("%vhost%", GetBindHost()); sRet.Replace("%znc%", CZNC::GetTag(false)); @@ -734,9 +734,9 @@ bool CUser::Clone(const CUser& User, CString& sErrorRet, bool bCloneNetworks) { // user names can only specified for the constructor, changing it later // on breaks too much stuff (e.g. lots of paths depend on the user name) - if (GetUserName() != User.GetUserName()) { + if (GetUsername() != User.GetUsername()) { DEBUG("Ignoring username in CUser::Clone(), old username [" - << GetUserName() << "]; New username [" << User.GetUserName() + << GetUsername() << "]; New username [" << User.GetUsername() << "]"); } @@ -877,6 +877,11 @@ const CString& CUser::GetTimestampFormat() const { return m_sTimestampFormat; } bool CUser::GetTimestampAppend() const { return m_bAppendTimestamp; } bool CUser::GetTimestampPrepend() const { return m_bPrependTimestamp; } +bool CUser::IsValidUsername(const CString& sUsername) { + return CUser::IsValidUserName(sUsername); +} + +/// @deprecated bool CUser::IsValidUserName(const CString& sUsername) { // /^[a-zA-Z][a-zA-Z@._\-]*$/ const char* p = sUsername.c_str(); @@ -913,7 +918,7 @@ bool CUser::IsValid(CString& sErrMsg, bool bSkipPass) const { return false; } - if (!CUser::IsValidUserName(m_sUsername)) { + if (!CUser::IsValidUsername(m_sUsername)) { sErrMsg = t_s("Username is invalid"); return false; } @@ -1160,6 +1165,12 @@ bool CUser::PutModNotice(const CString& sModule, const CString& sLine, return (pClient == nullptr); } + +CString CUser::MakeCleanUsername(const CString& sUsername) { + return CUser::MakeCleanUserName(sUsername); +} + +/// @deprecated CString CUser::MakeCleanUserName(const CString& sUsername) { return sUsername.Token(0, false, "@").Replace_n(".", ""); } @@ -1356,7 +1367,9 @@ vector CUser::GetAllClients() const { return vClients; } +/// @deprecated const CString& CUser::GetUserName() const { return m_sUsername; } +const CString& CUser::GetUsername() const { return m_sUsername; } const CString& CUser::GetCleanUserName() const { return m_sCleanUsername; } const CString& CUser::GetNick(bool bAllowDefault) const { return (bAllowDefault && m_sNick.empty()) ? GetCleanUserName() : m_sNick; diff --git a/src/WebModules.cpp b/src/WebModules.cpp index a5841987..74b42d6b 100644 --- a/src/WebModules.cpp +++ b/src/WebModules.cpp @@ -177,7 +177,7 @@ void CWebAuth::AcceptedLogin(CUser& User) { m_pWebSock->Redirect("/?cookie_check=true"); } - DEBUG("Successful login attempt ==> USER [" + User.GetUserName() + + DEBUG("Successful login attempt ==> USER [" + User.GetUsername() + "] ==> SESSION [" + spSession->GetId() + "]"); } } @@ -446,7 +446,7 @@ bool CWebSock::AddModLoop(const CString& sLoopName, CModule& Module, } if (Module.GetUser()) { - Row["Username"] = Module.GetUser()->GetUserName(); + Row["Username"] = Module.GetUser()->GetUsername(); } VWebSubPages& vSubPages = Module.GetSubPages(); @@ -672,7 +672,7 @@ CWebSock::EPageReqResult CWebSock::OnPageRequestInternal(const CString& sURI, SendCookie("SessionId", GetSession()->GetId()); if (GetSession()->IsLoggedIn()) { - m_sUser = GetSession()->GetUser()->GetUserName(); + m_sUser = GetSession()->GetUser()->GetUsername(); m_bLoggedIn = true; } CLanguageScope user_language( @@ -832,7 +832,7 @@ CWebSock::EPageReqResult CWebSock::OnPageRequestInternal(const CString& sURI, pModule->GetUser() != GetSession()->GetUser()) { PrintErrorPage(403, "Forbidden", "You must login as " + - pModule->GetUser()->GetUserName() + + pModule->GetUser()->GetUsername() + " in order to view this page"); return PAGE_DONE; } else if (pModule->OnWebPreRequest(*this, m_sPage)) { @@ -944,7 +944,7 @@ std::shared_ptr CWebSock::GetSession() { DEBUG("Found existing session from cookie: [" + sCookieSessionId + "] IsLoggedIn(" + CString((*pSession)->IsLoggedIn() - ? "true, " + ((*pSession)->GetUser()->GetUserName()) + ? "true, " + ((*pSession)->GetUser()->GetUsername()) : "false") + ")"); return *pSession; diff --git a/src/znc.cpp b/src/znc.cpp index a1d9ef7f..964d8c6a 100644 --- a/src/znc.cpp +++ b/src/znc.cpp @@ -169,7 +169,7 @@ bool CZNC::HandleUserDeletion() { pUser->SetBeingDeleted(false); continue; } - m_msUsers.erase(pUser->GetUserName()); + m_msUsers.erase(pUser->GetUsername()); CWebSock::FinishUserSessions(*pUser); delete pUser; } @@ -573,7 +573,7 @@ bool CZNC::WriteConfig() { continue; } - config.AddSubConfig("User", it.second->GetUserName(), + config.AddSubConfig("User", it.second->GetUsername(), it.second->ToConfig()); } @@ -739,7 +739,7 @@ bool CZNC::WriteNewConfig(const CString& sConfigFile) { CString sNick; do { CUtils::GetInput("Username", sUser, "", "alphanumeric"); - } while (!CUser::IsValidUserName(sUser)); + } while (!CUser::IsValidUsername(sUser)); vsLines.push_back(""); CString sSalt; @@ -749,7 +749,7 @@ bool CZNC::WriteNewConfig(const CString& sConfigFile) { vsLines.push_back("\tAdmin = true"); - CUtils::GetInput("Nick", sNick, CUser::MakeCleanUserName(sUser)); + CUtils::GetInput("Nick", sNick, CUser::MakeCleanUsername(sUser)); vsLines.push_back("\tNick = " + sNick); CUtils::GetInput("Alternate nick", sAnswer, sNick + "_"); if (!sAnswer.empty()) { @@ -1512,7 +1512,7 @@ bool CZNC::UpdateModule(const CString& sModule) { if (!pUser->GetModules().LoadModule( sModule, sArgs, CModInfo::UserModule, pUser, nullptr, sErr)) { DEBUG("Failed to reload [" << sModule << "] for [" - << pUser->GetUserName() << "] [" << sErr + << pUser->GetUsername() << "] [" << sErr << "]"); bError = true; } @@ -1527,7 +1527,7 @@ bool CZNC::UpdateModule(const CString& sModule) { sModule, sArgs, CModInfo::NetworkModule, pNetwork->GetUser(), pNetwork, sErr)) { DEBUG("Failed to reload [" - << sModule << "] for [" << pNetwork->GetUser()->GetUserName() + << sModule << "] for [" << pNetwork->GetUser()->GetUsername() << "/" << pNetwork->GetName() << "] [" << sErr << "]"); bError = true; } @@ -1553,18 +1553,18 @@ bool CZNC::DeleteUser(const CString& sUsername) { return false; } - m_msDelUsers[pUser->GetUserName()] = pUser; + m_msDelUsers[pUser->GetUsername()] = pUser; return true; } bool CZNC::AddUser(CUser* pUser, CString& sErrorRet, bool bStartup) { - if (FindUser(pUser->GetUserName()) != nullptr) { + if (FindUser(pUser->GetUsername()) != nullptr) { sErrorRet = t_s("User already exists"); - DEBUG("User [" << pUser->GetUserName() << "] - already exists"); + DEBUG("User [" << pUser->GetUsername() << "] - already exists"); return false; } if (!pUser->IsValid(sErrorRet)) { - DEBUG("Invalid user [" << pUser->GetUserName() << "] - [" << sErrorRet + DEBUG("Invalid user [" << pUser->GetUsername() << "] - [" << sErrorRet << "]"); return false; } @@ -1576,11 +1576,11 @@ bool CZNC::AddUser(CUser* pUser, CString& sErrorRet, bool bStartup) { } if (bFailed) { - DEBUG("AddUser [" << pUser->GetUserName() << "] aborted by a module [" + DEBUG("AddUser [" << pUser->GetUsername() << "] aborted by a module [" << sErrorRet << "]"); return false; } - m_msUsers[pUser->GetUserName()] = pUser; + m_msUsers[pUser->GetUsername()] = pUser; return true; } @@ -1863,8 +1863,8 @@ CZNC::TrafficStatsMap CZNC::GetTrafficStats(TrafficStatsPair& Users, } if (pUser) { - ret[pUser->GetUserName()].first += pSock->GetBytesRead(); - ret[pUser->GetUserName()].second += pSock->GetBytesWritten(); + ret[pUser->GetUsername()].first += pSock->GetBytesRead(); + ret[pUser->GetUsername()].second += pSock->GetBytesWritten(); uiUsers_in += pSock->GetBytesRead(); uiUsers_out += pSock->GetBytesWritten(); } else { diff --git a/test/integration/tests/scripting.cpp b/test/integration/tests/scripting.cpp index 9dd68d8f..8c9fa6ca 100644 --- a/test/integration/tests/scripting.cpp +++ b/test/integration/tests/scripting.cpp @@ -32,7 +32,7 @@ TEST_F(ZNCTest, Modperl) { client.Write("znc loadmod perleval"); client.Write("PRIVMSG *perleval :2+2"); client.ReadUntil(":*perleval!znc@znc.in PRIVMSG nick :Result: 4"); - client.Write("PRIVMSG *perleval :$self->GetUser->GetUserName"); + client.Write("PRIVMSG *perleval :$self->GetUser->GetUsername"); client.ReadUntil("Result: user"); } @@ -49,7 +49,7 @@ TEST_F(ZNCTest, Modpython) { client.Write("znc loadmod pyeval"); client.Write("PRIVMSG *pyeval :2+2"); client.ReadUntil(":*pyeval!znc@znc.in PRIVMSG nick :4"); - client.Write("PRIVMSG *pyeval :module.GetUser().GetUserName()"); + client.Write("PRIVMSG *pyeval :module.GetUser().GetUsername()"); client.ReadUntil("nick :'user'"); ircd.Write(":server 001 nick :Hello"); ircd.Write(":n!u@h PRIVMSG nick :Hi\xF0, github issue #1229"); From 8d5427cf9b8b6dfd2f92b6bd4822aa068f8f6535 Mon Sep 17 00:00:00 2001 From: dgw Date: Tue, 1 Jan 2019 17:05:05 -0600 Subject: [PATCH 221/798] Welcome to 2019 What are we going to do today, Brain? The same thing we do every year, Pinky: Update all the copyright headers! [Skip CI] --- CMakeLists.txt | 2 +- cmake/FindPerlLibs.cmake | 2 +- cmake/TestCXX11.cmake | 2 +- cmake/copy_csocket.cmake | 2 +- cmake/cxx11check/CMakeLists.txt | 2 +- cmake/perl_check/CMakeLists.txt | 2 +- cmake/use_homebrew.cmake | 2 +- include/znc/Buffer.h | 2 +- include/znc/CMakeLists.txt | 2 +- include/znc/Chan.h | 2 +- include/znc/Client.h | 2 +- include/znc/Config.h | 2 +- include/znc/ExecSock.h | 2 +- include/znc/FileUtils.h | 2 +- include/znc/HTTPSock.h | 2 +- include/znc/IRCNetwork.h | 2 +- include/znc/IRCSock.h | 2 +- include/znc/Listener.h | 2 +- include/znc/Message.h | 2 +- include/znc/Modules.h | 2 +- include/znc/Nick.h | 2 +- include/znc/Query.h | 2 +- include/znc/SSLVerifyHost.h | 2 +- include/znc/Server.h | 2 +- include/znc/Socket.h | 2 +- include/znc/Template.h | 2 +- include/znc/Threads.h | 2 +- include/znc/Translation.h | 2 +- include/znc/User.h | 2 +- include/znc/Utils.h | 2 +- include/znc/WebModules.h | 2 +- include/znc/ZNCDebug.h | 2 +- include/znc/ZNCString.h | 2 +- include/znc/defines.h | 2 +- include/znc/main.h | 2 +- include/znc/version.h | 2 +- include/znc/znc.h | 2 +- include/znc/zncconfig.h.cmake.in | 2 +- modules/CMakeLists.txt | 2 +- modules/Makefile.in | 2 +- modules/admindebug.cpp | 2 +- modules/adminlog.cpp | 2 +- modules/alias.cpp | 2 +- modules/autoattach.cpp | 2 +- modules/autocycle.cpp | 2 +- modules/autoop.cpp | 2 +- modules/autoreply.cpp | 2 +- modules/autovoice.cpp | 2 +- modules/awaynick.cpp | 2 +- modules/awaystore.cpp | 2 +- modules/block_motd.cpp | 2 +- modules/bouncedcc.cpp | 2 +- modules/buffextras.cpp | 2 +- modules/cert.cpp | 2 +- modules/certauth.cpp | 2 +- modules/chansaver.cpp | 2 +- modules/clearbufferonmsg.cpp | 2 +- modules/clientnotify.cpp | 2 +- modules/controlpanel.cpp | 2 +- modules/crypt.cpp | 2 +- modules/ctcpflood.cpp | 2 +- modules/cyrusauth.cpp | 2 +- modules/dcc.cpp | 2 +- modules/disconkick.cpp | 2 +- modules/fail2ban.cpp | 2 +- modules/flooddetach.cpp | 2 +- modules/identfile.cpp | 2 +- modules/imapauth.cpp | 2 +- modules/keepnick.cpp | 2 +- modules/kickrejoin.cpp | 2 +- modules/lastseen.cpp | 2 +- modules/listsockets.cpp | 2 +- modules/log.cpp | 2 +- modules/missingmotd.cpp | 2 +- modules/modperl.cpp | 2 +- modules/modperl/CMakeLists.txt | 2 +- modules/modperl/codegen.pl | 2 +- modules/modperl/modperl.i | 2 +- modules/modperl/module.h | 2 +- modules/modperl/pstring.h | 2 +- modules/modperl/startup.pl | 2 +- modules/modpython.cpp | 2 +- modules/modpython/CMakeLists.txt | 2 +- modules/modpython/codegen.pl | 2 +- modules/modpython/modpython.i | 2 +- modules/modpython/module.h | 2 +- modules/modpython/ret.h | 2 +- modules/modpython/znc.py | 2 +- modules/modtcl.cpp | 2 +- modules/modtcl/CMakeLists.txt | 2 +- modules/modtcl/binds.tcl | 2 +- modules/modtcl/modtcl.tcl | 2 +- modules/modules_online.cpp | 2 +- modules/nickserv.cpp | 2 +- modules/notes.cpp | 2 +- modules/notify_connect.cpp | 2 +- modules/partyline.cpp | 2 +- modules/perform.cpp | 2 +- modules/perleval.pm | 2 +- modules/po/CMakeLists.txt | 2 +- modules/pyeval.py | 2 +- modules/q.cpp | 2 +- modules/raw.cpp | 2 +- modules/route_replies.cpp | 2 +- modules/sample.cpp | 2 +- modules/samplewebapi.cpp | 2 +- modules/sasl.cpp | 2 +- modules/savebuff.cpp | 2 +- modules/schat.cpp | 2 +- modules/send_raw.cpp | 2 +- modules/shell.cpp | 2 +- modules/simple_away.cpp | 2 +- modules/stickychan.cpp | 2 +- modules/stripcontrols.cpp | 2 +- modules/watch.cpp | 2 +- modules/webadmin.cpp | 2 +- src/Buffer.cpp | 2 +- src/CMakeLists.txt | 2 +- src/Chan.cpp | 2 +- src/Client.cpp | 2 +- src/ClientCommand.cpp | 2 +- src/Config.cpp | 2 +- src/FileUtils.cpp | 2 +- src/HTTPSock.cpp | 2 +- src/IRCNetwork.cpp | 2 +- src/IRCSock.cpp | 2 +- src/Listener.cpp | 2 +- src/Message.cpp | 2 +- src/Modules.cpp | 2 +- src/Nick.cpp | 2 +- src/Query.cpp | 2 +- src/SSLVerifyHost.cpp | 2 +- src/Server.cpp | 2 +- src/Socket.cpp | 2 +- src/Template.cpp | 2 +- src/Threads.cpp | 2 +- src/Translation.cpp | 2 +- src/User.cpp | 2 +- src/Utils.cpp | 2 +- src/WebModules.cpp | 2 +- src/ZNCDebug.cpp | 2 +- src/ZNCString.cpp | 2 +- src/main.cpp | 2 +- src/version.cpp.in | 2 +- src/znc.cpp | 2 +- test/BufferTest.cpp | 2 +- test/CMakeLists.txt | 2 +- test/ClientTest.cpp | 2 +- test/ConfigTest.cpp | 2 +- test/IRCSockTest.cpp | 2 +- test/IRCTest.h | 2 +- test/MessageTest.cpp | 2 +- test/ModulesTest.cpp | 2 +- test/NetworkTest.cpp | 2 +- test/NickTest.cpp | 2 +- test/QueryTest.cpp | 2 +- test/StringTest.cpp | 2 +- test/ThreadTest.cpp | 2 +- test/UserTest.cpp | 2 +- test/UtilsTest.cpp | 2 +- zz_msg/CMakeLists.txt | 2 +- 161 files changed, 161 insertions(+), 161 deletions(-) diff --git a/CMakeLists.txt b/CMakeLists.txt index b375abb9..f965d612 100644 --- a/CMakeLists.txt +++ b/CMakeLists.txt @@ -1,5 +1,5 @@ # -# Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. +# Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. diff --git a/cmake/FindPerlLibs.cmake b/cmake/FindPerlLibs.cmake index 8bf4dd42..9bb6b079 100644 --- a/cmake/FindPerlLibs.cmake +++ b/cmake/FindPerlLibs.cmake @@ -1,5 +1,5 @@ # -# Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. +# Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. diff --git a/cmake/TestCXX11.cmake b/cmake/TestCXX11.cmake index fb7ba6f4..4935363f 100644 --- a/cmake/TestCXX11.cmake +++ b/cmake/TestCXX11.cmake @@ -1,5 +1,5 @@ # -# Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. +# Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. diff --git a/cmake/copy_csocket.cmake b/cmake/copy_csocket.cmake index cc7cb947..70f6bbf7 100644 --- a/cmake/copy_csocket.cmake +++ b/cmake/copy_csocket.cmake @@ -1,5 +1,5 @@ # -# Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. +# Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. diff --git a/cmake/cxx11check/CMakeLists.txt b/cmake/cxx11check/CMakeLists.txt index ef18080d..0df64c3c 100644 --- a/cmake/cxx11check/CMakeLists.txt +++ b/cmake/cxx11check/CMakeLists.txt @@ -1,5 +1,5 @@ # -# Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. +# Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. diff --git a/cmake/perl_check/CMakeLists.txt b/cmake/perl_check/CMakeLists.txt index e38d9421..cb3c98dd 100644 --- a/cmake/perl_check/CMakeLists.txt +++ b/cmake/perl_check/CMakeLists.txt @@ -1,5 +1,5 @@ # -# Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. +# Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. diff --git a/cmake/use_homebrew.cmake b/cmake/use_homebrew.cmake index e0544397..f58c1542 100644 --- a/cmake/use_homebrew.cmake +++ b/cmake/use_homebrew.cmake @@ -1,5 +1,5 @@ # -# Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. +# Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. diff --git a/include/znc/Buffer.h b/include/znc/Buffer.h index c1ce5d25..33967c38 100644 --- a/include/znc/Buffer.h +++ b/include/znc/Buffer.h @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/include/znc/CMakeLists.txt b/include/znc/CMakeLists.txt index 4351ac3d..24fee548 100644 --- a/include/znc/CMakeLists.txt +++ b/include/znc/CMakeLists.txt @@ -1,5 +1,5 @@ # -# Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. +# Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. diff --git a/include/znc/Chan.h b/include/znc/Chan.h index 47bc21d8..121a1ac4 100644 --- a/include/znc/Chan.h +++ b/include/znc/Chan.h @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/include/znc/Client.h b/include/znc/Client.h index 6d33a3f3..2966f549 100644 --- a/include/znc/Client.h +++ b/include/znc/Client.h @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/include/znc/Config.h b/include/znc/Config.h index 42e6e87e..d049550f 100644 --- a/include/znc/Config.h +++ b/include/znc/Config.h @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/include/znc/ExecSock.h b/include/znc/ExecSock.h index b9db1fec..b1ff1c76 100644 --- a/include/znc/ExecSock.h +++ b/include/znc/ExecSock.h @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/include/znc/FileUtils.h b/include/znc/FileUtils.h index 34774c5b..99a30cf0 100644 --- a/include/znc/FileUtils.h +++ b/include/znc/FileUtils.h @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/include/znc/HTTPSock.h b/include/znc/HTTPSock.h index 34c65774..98eed21c 100644 --- a/include/znc/HTTPSock.h +++ b/include/znc/HTTPSock.h @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/include/znc/IRCNetwork.h b/include/znc/IRCNetwork.h index ee5ba8db..88c4da6e 100644 --- a/include/znc/IRCNetwork.h +++ b/include/znc/IRCNetwork.h @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/include/znc/IRCSock.h b/include/znc/IRCSock.h index ed36e563..1ea1236b 100644 --- a/include/znc/IRCSock.h +++ b/include/znc/IRCSock.h @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/include/znc/Listener.h b/include/znc/Listener.h index b75667b1..adecc0ec 100644 --- a/include/znc/Listener.h +++ b/include/znc/Listener.h @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/include/znc/Message.h b/include/znc/Message.h index 1981d312..4a3cfbe1 100644 --- a/include/znc/Message.h +++ b/include/znc/Message.h @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/include/znc/Modules.h b/include/znc/Modules.h index 28fdd3a6..2dec63a9 100644 --- a/include/znc/Modules.h +++ b/include/znc/Modules.h @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/include/znc/Nick.h b/include/znc/Nick.h index ecd94732..d9f5b3e2 100644 --- a/include/znc/Nick.h +++ b/include/znc/Nick.h @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/include/znc/Query.h b/include/znc/Query.h index c69b7ecc..7d344d58 100644 --- a/include/znc/Query.h +++ b/include/znc/Query.h @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/include/znc/SSLVerifyHost.h b/include/znc/SSLVerifyHost.h index 63c5ceb2..7ccc65b0 100644 --- a/include/znc/SSLVerifyHost.h +++ b/include/znc/SSLVerifyHost.h @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/include/znc/Server.h b/include/znc/Server.h index aeb42cd5..8d349e63 100644 --- a/include/znc/Server.h +++ b/include/znc/Server.h @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/include/znc/Socket.h b/include/znc/Socket.h index 2eceda6f..68f4dc0c 100644 --- a/include/znc/Socket.h +++ b/include/znc/Socket.h @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/include/znc/Template.h b/include/znc/Template.h index dd856199..df7b6b2a 100644 --- a/include/znc/Template.h +++ b/include/znc/Template.h @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/include/znc/Threads.h b/include/znc/Threads.h index 51ad3476..cd39ab80 100644 --- a/include/znc/Threads.h +++ b/include/znc/Threads.h @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/include/znc/Translation.h b/include/znc/Translation.h index 3ac0e264..dda5daba 100644 --- a/include/znc/Translation.h +++ b/include/znc/Translation.h @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/include/znc/User.h b/include/znc/User.h index 0f8eb351..e18b46c9 100644 --- a/include/znc/User.h +++ b/include/znc/User.h @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/include/znc/Utils.h b/include/znc/Utils.h index 35e6b0bb..c2a06a66 100644 --- a/include/znc/Utils.h +++ b/include/znc/Utils.h @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/include/znc/WebModules.h b/include/znc/WebModules.h index 66f3ecc5..2c692d1a 100644 --- a/include/znc/WebModules.h +++ b/include/znc/WebModules.h @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/include/znc/ZNCDebug.h b/include/znc/ZNCDebug.h index 7991733f..3ae2dd02 100644 --- a/include/znc/ZNCDebug.h +++ b/include/znc/ZNCDebug.h @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/include/znc/ZNCString.h b/include/znc/ZNCString.h index ae1a647b..358a503b 100644 --- a/include/znc/ZNCString.h +++ b/include/znc/ZNCString.h @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/include/znc/defines.h b/include/znc/defines.h index 22546b23..3b064651 100644 --- a/include/znc/defines.h +++ b/include/znc/defines.h @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/include/znc/main.h b/include/znc/main.h index 61f1f433..78809e4b 100644 --- a/include/znc/main.h +++ b/include/znc/main.h @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/include/znc/version.h b/include/znc/version.h index bbfbc498..01973975 100644 --- a/include/znc/version.h +++ b/include/znc/version.h @@ -1,5 +1,5 @@ /* -Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. +Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. Licensed under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with the License. diff --git a/include/znc/znc.h b/include/znc/znc.h index ecb2b41a..958574d4 100644 --- a/include/znc/znc.h +++ b/include/znc/znc.h @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/include/znc/zncconfig.h.cmake.in b/include/znc/zncconfig.h.cmake.in index d856745e..42ed09d7 100644 --- a/include/znc/zncconfig.h.cmake.in +++ b/include/znc/zncconfig.h.cmake.in @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/CMakeLists.txt b/modules/CMakeLists.txt index 34ed05d7..50921c7b 100644 --- a/modules/CMakeLists.txt +++ b/modules/CMakeLists.txt @@ -1,5 +1,5 @@ # -# Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. +# Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. diff --git a/modules/Makefile.in b/modules/Makefile.in index 4b510131..70e65f9e 100644 --- a/modules/Makefile.in +++ b/modules/Makefile.in @@ -1,5 +1,5 @@ # -# Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. +# Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. diff --git a/modules/admindebug.cpp b/modules/admindebug.cpp index 5581c1ba..e7c5b0e5 100644 --- a/modules/admindebug.cpp +++ b/modules/admindebug.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/adminlog.cpp b/modules/adminlog.cpp index b4f5634e..323a204f 100644 --- a/modules/adminlog.cpp +++ b/modules/adminlog.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/alias.cpp b/modules/alias.cpp index d729b7d9..e3e6db8a 100644 --- a/modules/alias.cpp +++ b/modules/alias.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/autoattach.cpp b/modules/autoattach.cpp index 5ec18b27..7e02166b 100644 --- a/modules/autoattach.cpp +++ b/modules/autoattach.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/autocycle.cpp b/modules/autocycle.cpp index 994a20e4..4ddeff7e 100644 --- a/modules/autocycle.cpp +++ b/modules/autocycle.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/autoop.cpp b/modules/autoop.cpp index d130b095..619ab433 100644 --- a/modules/autoop.cpp +++ b/modules/autoop.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/autoreply.cpp b/modules/autoreply.cpp index 4d512423..63e2a276 100644 --- a/modules/autoreply.cpp +++ b/modules/autoreply.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * Copyright (C) 2008 Michael "Svedrin" Ziegler diese-addy@funzt-halt.net * * Licensed under the Apache License, Version 2.0 (the "License"); diff --git a/modules/autovoice.cpp b/modules/autovoice.cpp index dc7925c6..e8787209 100644 --- a/modules/autovoice.cpp +++ b/modules/autovoice.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/awaynick.cpp b/modules/awaynick.cpp index 04b7e7ce..2c4b46cf 100644 --- a/modules/awaynick.cpp +++ b/modules/awaynick.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/awaystore.cpp b/modules/awaystore.cpp index 081bb470..492caa82 100644 --- a/modules/awaystore.cpp +++ b/modules/awaystore.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * Author: imaginos * * Licensed under the Apache License, Version 2.0 (the "License"); diff --git a/modules/block_motd.cpp b/modules/block_motd.cpp index c10386d0..6c795765 100644 --- a/modules/block_motd.cpp +++ b/modules/block_motd.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/bouncedcc.cpp b/modules/bouncedcc.cpp index 283e5a68..51df3951 100644 --- a/modules/bouncedcc.cpp +++ b/modules/bouncedcc.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/buffextras.cpp b/modules/buffextras.cpp index 7cd2cd00..13cd86f1 100644 --- a/modules/buffextras.cpp +++ b/modules/buffextras.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/cert.cpp b/modules/cert.cpp index 2c1306db..ecc1ed5d 100644 --- a/modules/cert.cpp +++ b/modules/cert.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/certauth.cpp b/modules/certauth.cpp index a92f5dfc..e9b5b20b 100644 --- a/modules/certauth.cpp +++ b/modules/certauth.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/chansaver.cpp b/modules/chansaver.cpp index e9e3d2f2..240f0e84 100644 --- a/modules/chansaver.cpp +++ b/modules/chansaver.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/clearbufferonmsg.cpp b/modules/clearbufferonmsg.cpp index 96800a64..adbe0b46 100644 --- a/modules/clearbufferonmsg.cpp +++ b/modules/clearbufferonmsg.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/clientnotify.cpp b/modules/clientnotify.cpp index 028cbf1b..dd7915cd 100644 --- a/modules/clientnotify.cpp +++ b/modules/clientnotify.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/controlpanel.cpp b/modules/controlpanel.cpp index 139c2aef..d6059aae 100644 --- a/modules/controlpanel.cpp +++ b/modules/controlpanel.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * Copyright (C) 2008 by Stefan Rado * based on admin.cpp by Sebastian Ramacher * based on admin.cpp in crox branch diff --git a/modules/crypt.cpp b/modules/crypt.cpp index f5423074..1c944e80 100644 --- a/modules/crypt.cpp +++ b/modules/crypt.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/ctcpflood.cpp b/modules/ctcpflood.cpp index 49426843..4b3bc926 100644 --- a/modules/ctcpflood.cpp +++ b/modules/ctcpflood.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/cyrusauth.cpp b/modules/cyrusauth.cpp index b52ccc6d..52bdfb37 100644 --- a/modules/cyrusauth.cpp +++ b/modules/cyrusauth.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * Copyright (C) 2008 Heiko Hund * * Licensed under the Apache License, Version 2.0 (the "License"); diff --git a/modules/dcc.cpp b/modules/dcc.cpp index dd85d83b..2c9749cf 100644 --- a/modules/dcc.cpp +++ b/modules/dcc.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/disconkick.cpp b/modules/disconkick.cpp index bbcad55f..a5e145e9 100644 --- a/modules/disconkick.cpp +++ b/modules/disconkick.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/fail2ban.cpp b/modules/fail2ban.cpp index 4bbd2c48..500e3a0e 100644 --- a/modules/fail2ban.cpp +++ b/modules/fail2ban.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/flooddetach.cpp b/modules/flooddetach.cpp index 946c6029..17ad7d13 100644 --- a/modules/flooddetach.cpp +++ b/modules/flooddetach.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/identfile.cpp b/modules/identfile.cpp index 2067ce27..4f921770 100644 --- a/modules/identfile.cpp +++ b/modules/identfile.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/imapauth.cpp b/modules/imapauth.cpp index 3435eeb3..e63084ad 100644 --- a/modules/imapauth.cpp +++ b/modules/imapauth.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/keepnick.cpp b/modules/keepnick.cpp index 184723c4..5e9d43f6 100644 --- a/modules/keepnick.cpp +++ b/modules/keepnick.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/kickrejoin.cpp b/modules/kickrejoin.cpp index 6a6dcb38..2cb136bd 100644 --- a/modules/kickrejoin.cpp +++ b/modules/kickrejoin.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * This was originally written by cycomate. * * Licensed under the Apache License, Version 2.0 (the "License"); diff --git a/modules/lastseen.cpp b/modules/lastseen.cpp index ed82cbee..f0ba7047 100644 --- a/modules/lastseen.cpp +++ b/modules/lastseen.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/listsockets.cpp b/modules/listsockets.cpp index 708a0cef..0f97f1a6 100644 --- a/modules/listsockets.cpp +++ b/modules/listsockets.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/log.cpp b/modules/log.cpp index 941c3bcc..213c833c 100644 --- a/modules/log.cpp +++ b/modules/log.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * Copyright (C) 2006-2007, CNU *(http://cnu.dieplz.net/znc) * diff --git a/modules/missingmotd.cpp b/modules/missingmotd.cpp index 0f69a3d5..30657b0d 100644 --- a/modules/missingmotd.cpp +++ b/modules/missingmotd.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/modperl.cpp b/modules/modperl.cpp index fe677e78..415f52b3 100644 --- a/modules/modperl.cpp +++ b/modules/modperl.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/modperl/CMakeLists.txt b/modules/modperl/CMakeLists.txt index 28b5a96c..0170c059 100644 --- a/modules/modperl/CMakeLists.txt +++ b/modules/modperl/CMakeLists.txt @@ -1,5 +1,5 @@ # -# Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. +# Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. diff --git a/modules/modperl/codegen.pl b/modules/modperl/codegen.pl index c1833421..13b6dd40 100755 --- a/modules/modperl/codegen.pl +++ b/modules/modperl/codegen.pl @@ -1,6 +1,6 @@ #!/usr/bin/env perl # -# Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. +# Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. diff --git a/modules/modperl/modperl.i b/modules/modperl/modperl.i index 4992b740..a29b3ee6 100644 --- a/modules/modperl/modperl.i +++ b/modules/modperl/modperl.i @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/modperl/module.h b/modules/modperl/module.h index 51910b20..354f2def 100644 --- a/modules/modperl/module.h +++ b/modules/modperl/module.h @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/modperl/pstring.h b/modules/modperl/pstring.h index a2d17383..22670f97 100644 --- a/modules/modperl/pstring.h +++ b/modules/modperl/pstring.h @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/modperl/startup.pl b/modules/modperl/startup.pl index 1c114d09..0a90b27e 100644 --- a/modules/modperl/startup.pl +++ b/modules/modperl/startup.pl @@ -1,5 +1,5 @@ # -# Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. +# Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. diff --git a/modules/modpython.cpp b/modules/modpython.cpp index 5ff4c18d..8bbae683 100644 --- a/modules/modpython.cpp +++ b/modules/modpython.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/modpython/CMakeLists.txt b/modules/modpython/CMakeLists.txt index 1e0693be..3a59ed75 100644 --- a/modules/modpython/CMakeLists.txt +++ b/modules/modpython/CMakeLists.txt @@ -1,5 +1,5 @@ # -# Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. +# Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. diff --git a/modules/modpython/codegen.pl b/modules/modpython/codegen.pl index 0d74c392..2d4abc02 100755 --- a/modules/modpython/codegen.pl +++ b/modules/modpython/codegen.pl @@ -1,6 +1,6 @@ #!/usr/bin/env perl # -# Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. +# Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. diff --git a/modules/modpython/modpython.i b/modules/modpython/modpython.i index 90db7793..5f892a15 100644 --- a/modules/modpython/modpython.i +++ b/modules/modpython/modpython.i @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/modpython/module.h b/modules/modpython/module.h index 7679d4d4..b1f80a2d 100644 --- a/modules/modpython/module.h +++ b/modules/modpython/module.h @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/modpython/ret.h b/modules/modpython/ret.h index 1551e994..31064b53 100644 --- a/modules/modpython/ret.h +++ b/modules/modpython/ret.h @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/modpython/znc.py b/modules/modpython/znc.py index 45430cbe..3231592a 100644 --- a/modules/modpython/znc.py +++ b/modules/modpython/znc.py @@ -1,5 +1,5 @@ # -# Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. +# Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. diff --git a/modules/modtcl.cpp b/modules/modtcl.cpp index 21231f7d..00d27232 100644 --- a/modules/modtcl.cpp +++ b/modules/modtcl.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/modtcl/CMakeLists.txt b/modules/modtcl/CMakeLists.txt index b0f7ce38..a1fd0b4b 100644 --- a/modules/modtcl/CMakeLists.txt +++ b/modules/modtcl/CMakeLists.txt @@ -1,5 +1,5 @@ # -# Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. +# Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. diff --git a/modules/modtcl/binds.tcl b/modules/modtcl/binds.tcl index 1084f10f..0fc351c7 100644 --- a/modules/modtcl/binds.tcl +++ b/modules/modtcl/binds.tcl @@ -1,4 +1,4 @@ -# Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. +# Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. diff --git a/modules/modtcl/modtcl.tcl b/modules/modtcl/modtcl.tcl index 70936fa8..06d0e3ea 100644 --- a/modules/modtcl/modtcl.tcl +++ b/modules/modtcl/modtcl.tcl @@ -1,4 +1,4 @@ -# Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. +# Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. diff --git a/modules/modules_online.cpp b/modules/modules_online.cpp index f7f73c87..186004ac 100644 --- a/modules/modules_online.cpp +++ b/modules/modules_online.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/nickserv.cpp b/modules/nickserv.cpp index 4e0b17e0..8d81e4d3 100644 --- a/modules/nickserv.cpp +++ b/modules/nickserv.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/notes.cpp b/modules/notes.cpp index 49ff1ce4..05e25dfd 100644 --- a/modules/notes.cpp +++ b/modules/notes.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/notify_connect.cpp b/modules/notify_connect.cpp index 1e221444..fc2242f9 100644 --- a/modules/notify_connect.cpp +++ b/modules/notify_connect.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/partyline.cpp b/modules/partyline.cpp index 05cb6f24..518ebaed 100644 --- a/modules/partyline.cpp +++ b/modules/partyline.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/perform.cpp b/modules/perform.cpp index b692c6a1..b392e298 100644 --- a/modules/perform.cpp +++ b/modules/perform.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/perleval.pm b/modules/perleval.pm index b61ea961..793484a5 100644 --- a/modules/perleval.pm +++ b/modules/perleval.pm @@ -1,5 +1,5 @@ # -# Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. +# Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. diff --git a/modules/po/CMakeLists.txt b/modules/po/CMakeLists.txt index 8ab50439..3fe3c1c7 100644 --- a/modules/po/CMakeLists.txt +++ b/modules/po/CMakeLists.txt @@ -1,5 +1,5 @@ # -# Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. +# Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. diff --git a/modules/pyeval.py b/modules/pyeval.py index ba33d646..5b05ad03 100644 --- a/modules/pyeval.py +++ b/modules/pyeval.py @@ -1,5 +1,5 @@ # -# Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. +# Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. diff --git a/modules/q.cpp b/modules/q.cpp index 1343bfab..f7df628c 100644 --- a/modules/q.cpp +++ b/modules/q.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/raw.cpp b/modules/raw.cpp index 0581861d..39ec640f 100644 --- a/modules/raw.cpp +++ b/modules/raw.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/route_replies.cpp b/modules/route_replies.cpp index 786c7d71..c6eabafd 100644 --- a/modules/route_replies.cpp +++ b/modules/route_replies.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/sample.cpp b/modules/sample.cpp index 134a28a2..2952511f 100644 --- a/modules/sample.cpp +++ b/modules/sample.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/samplewebapi.cpp b/modules/samplewebapi.cpp index a7cb0214..3a73da11 100644 --- a/modules/samplewebapi.cpp +++ b/modules/samplewebapi.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/sasl.cpp b/modules/sasl.cpp index 751d0c36..8509ed2d 100644 --- a/modules/sasl.cpp +++ b/modules/sasl.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/savebuff.cpp b/modules/savebuff.cpp index 395db447..17202106 100644 --- a/modules/savebuff.cpp +++ b/modules/savebuff.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * Author: imaginos * * Licensed under the Apache License, Version 2.0 (the "License"); diff --git a/modules/schat.cpp b/modules/schat.cpp index 713023aa..841556bb 100644 --- a/modules/schat.cpp +++ b/modules/schat.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * Author: imaginos * * Licensed under the Apache License, Version 2.0 (the "License"); diff --git a/modules/send_raw.cpp b/modules/send_raw.cpp index 555a7ab6..3f4758f4 100644 --- a/modules/send_raw.cpp +++ b/modules/send_raw.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/shell.cpp b/modules/shell.cpp index 7280bcc0..b3261e7f 100644 --- a/modules/shell.cpp +++ b/modules/shell.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/simple_away.cpp b/modules/simple_away.cpp index 3b0045f4..58dce4d1 100644 --- a/modules/simple_away.cpp +++ b/modules/simple_away.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/stickychan.cpp b/modules/stickychan.cpp index 72db09c4..23333724 100644 --- a/modules/stickychan.cpp +++ b/modules/stickychan.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/stripcontrols.cpp b/modules/stripcontrols.cpp index ddcd1f9a..8eccb2bf 100644 --- a/modules/stripcontrols.cpp +++ b/modules/stripcontrols.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/watch.cpp b/modules/watch.cpp index cf1d404e..cbc5b33a 100644 --- a/modules/watch.cpp +++ b/modules/watch.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/webadmin.cpp b/modules/webadmin.cpp index 0c46fe0d..54103b68 100644 --- a/modules/webadmin.cpp +++ b/modules/webadmin.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/src/Buffer.cpp b/src/Buffer.cpp index 6f812112..e9c11f70 100644 --- a/src/Buffer.cpp +++ b/src/Buffer.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/src/CMakeLists.txt b/src/CMakeLists.txt index 7bd456f1..d1232db8 100644 --- a/src/CMakeLists.txt +++ b/src/CMakeLists.txt @@ -1,5 +1,5 @@ # -# Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. +# Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. diff --git a/src/Chan.cpp b/src/Chan.cpp index 1d6a0791..8070af82 100644 --- a/src/Chan.cpp +++ b/src/Chan.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/src/Client.cpp b/src/Client.cpp index c0efd628..d4a903ad 100644 --- a/src/Client.cpp +++ b/src/Client.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/src/ClientCommand.cpp b/src/ClientCommand.cpp index 44bcc324..b2a74753 100644 --- a/src/ClientCommand.cpp +++ b/src/ClientCommand.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/src/Config.cpp b/src/Config.cpp index 0730b894..aabaa9a4 100644 --- a/src/Config.cpp +++ b/src/Config.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/src/FileUtils.cpp b/src/FileUtils.cpp index 784d81ae..35c01cb0 100644 --- a/src/FileUtils.cpp +++ b/src/FileUtils.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/src/HTTPSock.cpp b/src/HTTPSock.cpp index 62f22830..8640c261 100644 --- a/src/HTTPSock.cpp +++ b/src/HTTPSock.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/src/IRCNetwork.cpp b/src/IRCNetwork.cpp index 433b7070..1b2d2f2a 100644 --- a/src/IRCNetwork.cpp +++ b/src/IRCNetwork.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/src/IRCSock.cpp b/src/IRCSock.cpp index 259881dc..2f4f54b0 100644 --- a/src/IRCSock.cpp +++ b/src/IRCSock.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/src/Listener.cpp b/src/Listener.cpp index 4db02af3..254f12f4 100644 --- a/src/Listener.cpp +++ b/src/Listener.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/src/Message.cpp b/src/Message.cpp index 6242e428..fc80aea3 100644 --- a/src/Message.cpp +++ b/src/Message.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/src/Modules.cpp b/src/Modules.cpp index 5aec7805..c83c7db2 100644 --- a/src/Modules.cpp +++ b/src/Modules.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/src/Nick.cpp b/src/Nick.cpp index 241f6e53..eb69a81b 100644 --- a/src/Nick.cpp +++ b/src/Nick.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/src/Query.cpp b/src/Query.cpp index 34ceeb62..d917cfc0 100644 --- a/src/Query.cpp +++ b/src/Query.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/src/SSLVerifyHost.cpp b/src/SSLVerifyHost.cpp index c1f515d8..f75496fa 100644 --- a/src/SSLVerifyHost.cpp +++ b/src/SSLVerifyHost.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/src/Server.cpp b/src/Server.cpp index 41fccc18..b9cabccf 100644 --- a/src/Server.cpp +++ b/src/Server.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/src/Socket.cpp b/src/Socket.cpp index 4ce05ee4..b4cd344a 100644 --- a/src/Socket.cpp +++ b/src/Socket.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/src/Template.cpp b/src/Template.cpp index 8ae6adca..8817a03c 100644 --- a/src/Template.cpp +++ b/src/Template.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/src/Threads.cpp b/src/Threads.cpp index e0d22de2..c0eb7a2a 100644 --- a/src/Threads.cpp +++ b/src/Threads.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/src/Translation.cpp b/src/Translation.cpp index 77cad217..65636d2b 100644 --- a/src/Translation.cpp +++ b/src/Translation.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/src/User.cpp b/src/User.cpp index 3fd532a7..e05255ac 100644 --- a/src/User.cpp +++ b/src/User.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/src/Utils.cpp b/src/Utils.cpp index ceee05b3..29d28858 100644 --- a/src/Utils.cpp +++ b/src/Utils.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/src/WebModules.cpp b/src/WebModules.cpp index a5841987..29524142 100644 --- a/src/WebModules.cpp +++ b/src/WebModules.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/src/ZNCDebug.cpp b/src/ZNCDebug.cpp index f84ba825..a7d7eb75 100644 --- a/src/ZNCDebug.cpp +++ b/src/ZNCDebug.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/src/ZNCString.cpp b/src/ZNCString.cpp index 24d799f2..6927d79d 100644 --- a/src/ZNCString.cpp +++ b/src/ZNCString.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/src/main.cpp b/src/main.cpp index 7084f686..d63fed6d 100644 --- a/src/main.cpp +++ b/src/main.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/src/version.cpp.in b/src/version.cpp.in index 8bae1273..71e261ca 100644 --- a/src/version.cpp.in +++ b/src/version.cpp.in @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/src/znc.cpp b/src/znc.cpp index b33491d5..d168af8e 100644 --- a/src/znc.cpp +++ b/src/znc.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/test/BufferTest.cpp b/test/BufferTest.cpp index 81ea9f93..743ad886 100644 --- a/test/BufferTest.cpp +++ b/test/BufferTest.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/test/CMakeLists.txt b/test/CMakeLists.txt index 296cb0de..cffe3818 100644 --- a/test/CMakeLists.txt +++ b/test/CMakeLists.txt @@ -1,5 +1,5 @@ # -# Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. +# Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. diff --git a/test/ClientTest.cpp b/test/ClientTest.cpp index 8a55ad88..f1f161e6 100644 --- a/test/ClientTest.cpp +++ b/test/ClientTest.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/test/ConfigTest.cpp b/test/ConfigTest.cpp index 71dc6e11..e9fe4d2b 100644 --- a/test/ConfigTest.cpp +++ b/test/ConfigTest.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/test/IRCSockTest.cpp b/test/IRCSockTest.cpp index 023cc226..fdcd6071 100644 --- a/test/IRCSockTest.cpp +++ b/test/IRCSockTest.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/test/IRCTest.h b/test/IRCTest.h index 6b1716ec..27475ea2 100644 --- a/test/IRCTest.h +++ b/test/IRCTest.h @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/test/MessageTest.cpp b/test/MessageTest.cpp index 37a0eb63..ce178d30 100644 --- a/test/MessageTest.cpp +++ b/test/MessageTest.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/test/ModulesTest.cpp b/test/ModulesTest.cpp index 6c1e4f09..d73e041a 100644 --- a/test/ModulesTest.cpp +++ b/test/ModulesTest.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/test/NetworkTest.cpp b/test/NetworkTest.cpp index f20a58d3..3ecd2357 100644 --- a/test/NetworkTest.cpp +++ b/test/NetworkTest.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/test/NickTest.cpp b/test/NickTest.cpp index 97f8ed52..090ccd86 100644 --- a/test/NickTest.cpp +++ b/test/NickTest.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/test/QueryTest.cpp b/test/QueryTest.cpp index 9888b2a7..541224b5 100644 --- a/test/QueryTest.cpp +++ b/test/QueryTest.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/test/StringTest.cpp b/test/StringTest.cpp index 0e99caef..14bade4a 100644 --- a/test/StringTest.cpp +++ b/test/StringTest.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/test/ThreadTest.cpp b/test/ThreadTest.cpp index 2d0705f3..7a2f9194 100644 --- a/test/ThreadTest.cpp +++ b/test/ThreadTest.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/test/UserTest.cpp b/test/UserTest.cpp index 332dbb9a..0d212000 100644 --- a/test/UserTest.cpp +++ b/test/UserTest.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/test/UtilsTest.cpp b/test/UtilsTest.cpp index e9c01075..cd19157f 100644 --- a/test/UtilsTest.cpp +++ b/test/UtilsTest.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/zz_msg/CMakeLists.txt b/zz_msg/CMakeLists.txt index aeab3c8d..f5863ce7 100644 --- a/zz_msg/CMakeLists.txt +++ b/zz_msg/CMakeLists.txt @@ -1,5 +1,5 @@ # -# Copyright (C) 2004-2018 ZNC, see the NOTICE file for details. +# Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. From d6e3ab0b9c560202fb47836da2393ceea66ca1c6 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Wed, 9 Jan 2019 00:26:42 +0000 Subject: [PATCH 222/798] Update translations from Crowdin for es_ES id_ID nl_NL pt_BR ru_RU --- src/po/znc.es_ES.po | 8 ++++---- src/po/znc.id_ID.po | 8 ++++---- src/po/znc.nl_NL.po | 8 ++++---- src/po/znc.pot | 8 ++++---- src/po/znc.pt_BR.po | 8 ++++---- src/po/znc.ru_RU.po | 8 ++++---- 6 files changed, 24 insertions(+), 24 deletions(-) diff --git a/src/po/znc.es_ES.po b/src/po/znc.es_ES.po index e641cb16..a11bc05f 100644 --- a/src/po/znc.es_ES.po +++ b/src/po/znc.es_ES.po @@ -1771,18 +1771,18 @@ msgstr "" "Has sido desconectado porque a tu IP ya no se le permite conectar a este " "usuario" -#: User.cpp:907 +#: User.cpp:912 msgid "Password is empty" msgstr "La contraseña está vacía" -#: User.cpp:912 +#: User.cpp:917 msgid "Username is empty" msgstr "El nombre de usuario está vacío" -#: User.cpp:917 +#: User.cpp:922 msgid "Username is invalid" msgstr "El nombre de usuario no es válido" -#: User.cpp:1188 +#: User.cpp:1199 msgid "Unable to find modinfo {1}: {2}" msgstr "No se ha podido encontrar modinfo {1}: {2}" diff --git a/src/po/znc.id_ID.po b/src/po/znc.id_ID.po index 712373ca..c9d642cb 100644 --- a/src/po/znc.id_ID.po +++ b/src/po/znc.id_ID.po @@ -1718,18 +1718,18 @@ msgid "" "to this user" msgstr "" -#: User.cpp:907 +#: User.cpp:912 msgid "Password is empty" msgstr "" -#: User.cpp:912 +#: User.cpp:917 msgid "Username is empty" msgstr "" -#: User.cpp:917 +#: User.cpp:922 msgid "Username is invalid" msgstr "" -#: User.cpp:1188 +#: User.cpp:1199 msgid "Unable to find modinfo {1}: {2}" msgstr "" diff --git a/src/po/znc.nl_NL.po b/src/po/znc.nl_NL.po index dd7bcb81..74f1d6a4 100644 --- a/src/po/znc.nl_NL.po +++ b/src/po/znc.nl_NL.po @@ -1788,18 +1788,18 @@ msgstr "" "Je verbinding wordt verbroken omdat het niet meer toegestaan is om met jouw " "IP-adres naar deze gebruiker te verbinden" -#: User.cpp:907 +#: User.cpp:912 msgid "Password is empty" msgstr "Wachtwoord is leeg" -#: User.cpp:912 +#: User.cpp:917 msgid "Username is empty" msgstr "Gebruikersnaam is leeg" -#: User.cpp:917 +#: User.cpp:922 msgid "Username is invalid" msgstr "Gebruikersnaam is ongeldig" -#: User.cpp:1188 +#: User.cpp:1199 msgid "Unable to find modinfo {1}: {2}" msgstr "Kan modinfo niet vinden {1}: {2}" diff --git a/src/po/znc.pot b/src/po/znc.pot index b1b7749e..a5661184 100644 --- a/src/po/znc.pot +++ b/src/po/znc.pot @@ -1700,18 +1700,18 @@ msgid "" "to this user" msgstr "" -#: User.cpp:907 +#: User.cpp:912 msgid "Password is empty" msgstr "" -#: User.cpp:912 +#: User.cpp:917 msgid "Username is empty" msgstr "" -#: User.cpp:917 +#: User.cpp:922 msgid "Username is invalid" msgstr "" -#: User.cpp:1188 +#: User.cpp:1199 msgid "Unable to find modinfo {1}: {2}" msgstr "" diff --git a/src/po/znc.pt_BR.po b/src/po/znc.pt_BR.po index 2a61628c..f2776ddf 100644 --- a/src/po/znc.pt_BR.po +++ b/src/po/znc.pt_BR.po @@ -1718,18 +1718,18 @@ msgid "" "to this user" msgstr "" -#: User.cpp:907 +#: User.cpp:912 msgid "Password is empty" msgstr "" -#: User.cpp:912 +#: User.cpp:917 msgid "Username is empty" msgstr "" -#: User.cpp:917 +#: User.cpp:922 msgid "Username is invalid" msgstr "" -#: User.cpp:1188 +#: User.cpp:1199 msgid "Unable to find modinfo {1}: {2}" msgstr "" diff --git a/src/po/znc.ru_RU.po b/src/po/znc.ru_RU.po index 13f367ba..8b9db8f8 100644 --- a/src/po/znc.ru_RU.po +++ b/src/po/znc.ru_RU.po @@ -1761,18 +1761,18 @@ msgid "" "to this user" msgstr "" -#: User.cpp:907 +#: User.cpp:912 msgid "Password is empty" msgstr "" -#: User.cpp:912 +#: User.cpp:917 msgid "Username is empty" msgstr "" -#: User.cpp:917 +#: User.cpp:922 msgid "Username is invalid" msgstr "" -#: User.cpp:1188 +#: User.cpp:1199 msgid "Unable to find modinfo {1}: {2}" msgstr "" From a6256e522a118d2260c836ada5bd23c803f8afaf Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Wed, 9 Jan 2019 00:27:15 +0000 Subject: [PATCH 223/798] Update translations from Crowdin for de_DE es_ES fr_FR id_ID nl_NL pt_BR ru_RU --- src/po/znc.de_DE.po | 32 ++++++++++++++++---------------- src/po/znc.es_ES.po | 32 ++++++++++++++++---------------- src/po/znc.fr_FR.po | 32 ++++++++++++++++---------------- src/po/znc.id_ID.po | 32 ++++++++++++++++---------------- src/po/znc.nl_NL.po | 32 ++++++++++++++++---------------- src/po/znc.pot | 32 ++++++++++++++++---------------- src/po/znc.pt_BR.po | 32 ++++++++++++++++---------------- src/po/znc.ru_RU.po | 32 ++++++++++++++++---------------- 8 files changed, 128 insertions(+), 128 deletions(-) diff --git a/src/po/znc.de_DE.po b/src/po/znc.de_DE.po index 3a7974b3..379925a4 100644 --- a/src/po/znc.de_DE.po +++ b/src/po/znc.de_DE.po @@ -116,70 +116,70 @@ msgstr "" msgid "Some module aborted the connection attempt" msgstr "Ein Modul hat den Verbindungsversuch abgebrochen" -#: IRCSock.cpp:485 +#: IRCSock.cpp:490 msgid "Error from server: {1}" msgstr "Fehler vom Server: {1}" -#: IRCSock.cpp:687 +#: IRCSock.cpp:692 msgid "ZNC seems to be connected to itself, disconnecting..." msgstr "ZNC scheint zu sich selbst verbunden zu sein, trenne die Verbindung..." -#: IRCSock.cpp:734 +#: IRCSock.cpp:739 msgid "Server {1} redirects us to {2}:{3} with reason: {4}" msgstr "Der Server {1} hat uns zu {2}:{3} umgeleitet mit der Begründung: {4}" -#: IRCSock.cpp:738 +#: IRCSock.cpp:743 msgid "Perhaps you want to add it as a new server." msgstr "Vielleicht möchtest du dies als einen neuen Server hinzufügen." -#: IRCSock.cpp:968 +#: IRCSock.cpp:973 msgid "Channel {1} is linked to another channel and was thus disabled." msgstr "" "Kanal {1} ist mit einem anderen Kanal verbunden und wurde daher deaktiviert." -#: IRCSock.cpp:980 +#: IRCSock.cpp:985 msgid "Switched to SSL (STARTTLS)" msgstr "Zu SSL gewechselt (STARTTLS)" -#: IRCSock.cpp:1033 +#: IRCSock.cpp:1038 msgid "You quit: {1}" msgstr "Du hast die Verbindung getrennt: {1}" -#: IRCSock.cpp:1239 +#: IRCSock.cpp:1244 msgid "Disconnected from IRC. Reconnecting..." msgstr "IRC-Verbindung getrennt. Verbinde erneut..." -#: IRCSock.cpp:1270 +#: IRCSock.cpp:1275 msgid "Cannot connect to IRC ({1}). Retrying..." msgstr "Kann nicht mit IRC verbinden ({1}). Versuche es erneut..." -#: IRCSock.cpp:1273 +#: IRCSock.cpp:1278 msgid "Disconnected from IRC ({1}). Reconnecting..." msgstr "IRC-Verbindung getrennt ({1}). Verbinde erneut..." -#: IRCSock.cpp:1303 +#: IRCSock.cpp:1308 msgid "If you trust this certificate, do /znc AddTrustedServerFingerprint {1}" msgstr "" "Falls du diesem Zertifikat vertraust, mache /znc AddTrustedServerFingerprint " "{1}" -#: IRCSock.cpp:1320 +#: IRCSock.cpp:1325 msgid "IRC connection timed out. Reconnecting..." msgstr "Zeitüberschreitung der IRC-Verbindung. Verbinde erneut..." -#: IRCSock.cpp:1332 +#: IRCSock.cpp:1337 msgid "Connection Refused. Reconnecting..." msgstr "Verbindung abgelehnt. Verbinde erneut..." -#: IRCSock.cpp:1340 +#: IRCSock.cpp:1345 msgid "Received a too long line from the IRC server!" msgstr "Eine zu lange Zeile wurde vom IRC-Server empfangen!" -#: IRCSock.cpp:1444 +#: IRCSock.cpp:1449 msgid "No free nick available" msgstr "Kein freier Nick verfügbar" -#: IRCSock.cpp:1452 +#: IRCSock.cpp:1457 msgid "No free nick found" msgstr "Kein freier Nick gefunden" diff --git a/src/po/znc.es_ES.po b/src/po/znc.es_ES.po index a8c2285e..13da31d5 100644 --- a/src/po/znc.es_ES.po +++ b/src/po/znc.es_ES.po @@ -111,68 +111,68 @@ msgstr "" msgid "Some module aborted the connection attempt" msgstr "Algún módulo ha abortado el intento de conexión" -#: IRCSock.cpp:485 +#: IRCSock.cpp:490 msgid "Error from server: {1}" msgstr "Error del servidor: {1}" -#: IRCSock.cpp:687 +#: IRCSock.cpp:692 msgid "ZNC seems to be connected to itself, disconnecting..." msgstr "ZNC parece que se ha conectado a si mismo, desconectando..." -#: IRCSock.cpp:734 +#: IRCSock.cpp:739 msgid "Server {1} redirects us to {2}:{3} with reason: {4}" msgstr "Servidor {1} nos redirige a {2}:{3} por: {4}" -#: IRCSock.cpp:738 +#: IRCSock.cpp:743 msgid "Perhaps you want to add it as a new server." msgstr "Puede que quieras añadirlo como nuevo servidor." -#: IRCSock.cpp:968 +#: IRCSock.cpp:973 msgid "Channel {1} is linked to another channel and was thus disabled." msgstr "El canal {1} está enlazado a otro canal y por eso está deshabilitado." -#: IRCSock.cpp:980 +#: IRCSock.cpp:985 msgid "Switched to SSL (STARTTLS)" msgstr "Cambiado a SSL (STARTTLS)" -#: IRCSock.cpp:1033 +#: IRCSock.cpp:1038 msgid "You quit: {1}" msgstr "Has salido: {1}" -#: IRCSock.cpp:1239 +#: IRCSock.cpp:1244 msgid "Disconnected from IRC. Reconnecting..." msgstr "Desconectado del IRC. Volviendo a conectar..." -#: IRCSock.cpp:1270 +#: IRCSock.cpp:1275 msgid "Cannot connect to IRC ({1}). Retrying..." msgstr "No se puede conectar al IRC ({1}). Reintentándolo..." -#: IRCSock.cpp:1273 +#: IRCSock.cpp:1278 msgid "Disconnected from IRC ({1}). Reconnecting..." msgstr "Desconectado del IRC ({1}). Volviendo a conectar..." -#: IRCSock.cpp:1303 +#: IRCSock.cpp:1308 msgid "If you trust this certificate, do /znc AddTrustedServerFingerprint {1}" msgstr "" "Si confías en este certificado, ejecuta /znc AddTrustedServerFingerprint {1}" -#: IRCSock.cpp:1320 +#: IRCSock.cpp:1325 msgid "IRC connection timed out. Reconnecting..." msgstr "Tiempo de espera agotado en la conexión al IRC. Reconectando..." -#: IRCSock.cpp:1332 +#: IRCSock.cpp:1337 msgid "Connection Refused. Reconnecting..." msgstr "Conexión rechazada. Reconectando..." -#: IRCSock.cpp:1340 +#: IRCSock.cpp:1345 msgid "Received a too long line from the IRC server!" msgstr "¡Recibida línea demasiado larga desde el servidor de IRC!" -#: IRCSock.cpp:1444 +#: IRCSock.cpp:1449 msgid "No free nick available" msgstr "No hay ningún nick disponible" -#: IRCSock.cpp:1452 +#: IRCSock.cpp:1457 msgid "No free nick found" msgstr "No se ha encontrado ningún nick disponible" diff --git a/src/po/znc.fr_FR.po b/src/po/znc.fr_FR.po index aacef981..6d27b368 100644 --- a/src/po/znc.fr_FR.po +++ b/src/po/znc.fr_FR.po @@ -117,69 +117,69 @@ msgstr "" msgid "Some module aborted the connection attempt" msgstr "Un module a annulé la tentative de connexion" -#: IRCSock.cpp:485 +#: IRCSock.cpp:490 msgid "Error from server: {1}" msgstr "Erreur du serveur : {1}" -#: IRCSock.cpp:687 +#: IRCSock.cpp:692 msgid "ZNC seems to be connected to itself, disconnecting..." msgstr "ZNC semble s'être connecté à lui-même, déconnexion..." -#: IRCSock.cpp:734 +#: IRCSock.cpp:739 msgid "Server {1} redirects us to {2}:{3} with reason: {4}" msgstr "Le serveur {1} redirige vers {2}:{3} avec pour motif : {4}" -#: IRCSock.cpp:738 +#: IRCSock.cpp:743 msgid "Perhaps you want to add it as a new server." msgstr "Vous souhaitez peut-être l'ajouter comme un nouveau server." -#: IRCSock.cpp:968 +#: IRCSock.cpp:973 msgid "Channel {1} is linked to another channel and was thus disabled." msgstr "Le salon {1} est lié à un autre salon et est par conséquent désactivé." -#: IRCSock.cpp:980 +#: IRCSock.cpp:985 msgid "Switched to SSL (STARTTLS)" msgstr "Passage à SSL (STARTTLS)" -#: IRCSock.cpp:1033 +#: IRCSock.cpp:1038 msgid "You quit: {1}" msgstr "Vous avez quitté : {1}" -#: IRCSock.cpp:1239 +#: IRCSock.cpp:1244 msgid "Disconnected from IRC. Reconnecting..." msgstr "Déconnecté d'IRC. Reconnexion..." -#: IRCSock.cpp:1270 +#: IRCSock.cpp:1275 msgid "Cannot connect to IRC ({1}). Retrying..." msgstr "Échec de la connexion à IRC ({1}). Nouvel essai..." -#: IRCSock.cpp:1273 +#: IRCSock.cpp:1278 msgid "Disconnected from IRC ({1}). Reconnecting..." msgstr "Déconnecté de IRC ({1}). Reconnexion..." -#: IRCSock.cpp:1303 +#: IRCSock.cpp:1308 msgid "If you trust this certificate, do /znc AddTrustedServerFingerprint {1}" msgstr "" "Si vous avez confiance en ce certificat, tapez /znc " "AddTrustedServerFingerprint {1}" -#: IRCSock.cpp:1320 +#: IRCSock.cpp:1325 msgid "IRC connection timed out. Reconnecting..." msgstr "La connexion à IRC a expiré. Reconnexion..." -#: IRCSock.cpp:1332 +#: IRCSock.cpp:1337 msgid "Connection Refused. Reconnecting..." msgstr "Connexion refusée. Reconnexion..." -#: IRCSock.cpp:1340 +#: IRCSock.cpp:1345 msgid "Received a too long line from the IRC server!" msgstr "Le serveur IRC a envoyé une ligne trop longue !" -#: IRCSock.cpp:1444 +#: IRCSock.cpp:1449 msgid "No free nick available" msgstr "Aucun pseudonyme n'est disponible" -#: IRCSock.cpp:1452 +#: IRCSock.cpp:1457 msgid "No free nick found" msgstr "Aucun pseudonyme disponible n'a été trouvé" diff --git a/src/po/znc.id_ID.po b/src/po/znc.id_ID.po index d89f2a3b..1346649a 100644 --- a/src/po/znc.id_ID.po +++ b/src/po/znc.id_ID.po @@ -113,69 +113,69 @@ msgstr "" msgid "Some module aborted the connection attempt" msgstr "Beberapa modul membatalkan upaya koneksi" -#: IRCSock.cpp:485 +#: IRCSock.cpp:490 msgid "Error from server: {1}" msgstr "Kesalahan dari server: {1}" -#: IRCSock.cpp:687 +#: IRCSock.cpp:692 msgid "ZNC seems to be connected to itself, disconnecting..." msgstr "ZNC tampaknya terhubung dengan sendiri, memutuskan..." -#: IRCSock.cpp:734 +#: IRCSock.cpp:739 msgid "Server {1} redirects us to {2}:{3} with reason: {4}" msgstr "Server {1} mengalihkan ke {2}: {3} dengan alasan: {4}" -#: IRCSock.cpp:738 +#: IRCSock.cpp:743 msgid "Perhaps you want to add it as a new server." msgstr "Mungkin anda ingin menambahkannya sebagai server baru." -#: IRCSock.cpp:968 +#: IRCSock.cpp:973 msgid "Channel {1} is linked to another channel and was thus disabled." msgstr "Channel {1} terhubung ke channel lain dan karenanya dinonaktifkan." -#: IRCSock.cpp:980 +#: IRCSock.cpp:985 msgid "Switched to SSL (STARTTLS)" msgstr "Beralih ke SSL (STARTTLS)" -#: IRCSock.cpp:1033 +#: IRCSock.cpp:1038 msgid "You quit: {1}" msgstr "Anda keluar: {1}" -#: IRCSock.cpp:1239 +#: IRCSock.cpp:1244 msgid "Disconnected from IRC. Reconnecting..." msgstr "Terputus dari IRC. Menghubungkan..." -#: IRCSock.cpp:1270 +#: IRCSock.cpp:1275 msgid "Cannot connect to IRC ({1}). Retrying..." msgstr "Tidak dapat terhubung ke IRC ({1}). Mencoba lagi..." -#: IRCSock.cpp:1273 +#: IRCSock.cpp:1278 msgid "Disconnected from IRC ({1}). Reconnecting..." msgstr "Terputus dari IRC ({1}). Menghubungkan..." -#: IRCSock.cpp:1303 +#: IRCSock.cpp:1308 msgid "If you trust this certificate, do /znc AddTrustedServerFingerprint {1}" msgstr "" "Jika anda mempercayai sertifikat ini, lakukan /znc " "AddTrustedServerFingerprint {1}" -#: IRCSock.cpp:1320 +#: IRCSock.cpp:1325 msgid "IRC connection timed out. Reconnecting..." msgstr "Koneksi IRC kehabisan waktu. Menghubungkan..." -#: IRCSock.cpp:1332 +#: IRCSock.cpp:1337 msgid "Connection Refused. Reconnecting..." msgstr "Koneksi tertolak. Menguhungkan..." -#: IRCSock.cpp:1340 +#: IRCSock.cpp:1345 msgid "Received a too long line from the IRC server!" msgstr "Menerima baris terlalu panjang dari server IRC!" -#: IRCSock.cpp:1444 +#: IRCSock.cpp:1449 msgid "No free nick available" msgstr "Tidak ada nick tersedia" -#: IRCSock.cpp:1452 +#: IRCSock.cpp:1457 msgid "No free nick found" msgstr "Tidak ada nick ditemukan" diff --git a/src/po/znc.nl_NL.po b/src/po/znc.nl_NL.po index efdabdcd..3f54c166 100644 --- a/src/po/znc.nl_NL.po +++ b/src/po/znc.nl_NL.po @@ -119,72 +119,72 @@ msgstr "" msgid "Some module aborted the connection attempt" msgstr "Een module heeft de verbindingspoging afgebroken" -#: IRCSock.cpp:485 +#: IRCSock.cpp:490 msgid "Error from server: {1}" msgstr "Fout van server: {1}" -#: IRCSock.cpp:687 +#: IRCSock.cpp:692 msgid "ZNC seems to be connected to itself, disconnecting..." msgstr "" "ZNC blijkt verbonden te zijn met zichzelf... De verbinding zal verbroken " "worden..." -#: IRCSock.cpp:734 +#: IRCSock.cpp:739 msgid "Server {1} redirects us to {2}:{3} with reason: {4}" msgstr "Server {1} stuurt ons door naar {2}:{3} met reden: {4}" -#: IRCSock.cpp:738 +#: IRCSock.cpp:743 msgid "Perhaps you want to add it as a new server." msgstr "Misschien wil je het toevoegen als nieuwe server." -#: IRCSock.cpp:968 +#: IRCSock.cpp:973 msgid "Channel {1} is linked to another channel and was thus disabled." msgstr "" "Kanaal {1} is verbonden naar een andere kanaal en is daarom uitgeschakeld." -#: IRCSock.cpp:980 +#: IRCSock.cpp:985 msgid "Switched to SSL (STARTTLS)" msgstr "Omgeschakeld naar een veilige verbinding (STARTTLS)" -#: IRCSock.cpp:1033 +#: IRCSock.cpp:1038 msgid "You quit: {1}" msgstr "Je hebt het netwerk verlaten: {1}" -#: IRCSock.cpp:1239 +#: IRCSock.cpp:1244 msgid "Disconnected from IRC. Reconnecting..." msgstr "Verbinding met IRC verbroken. We proberen opnieuw te verbinden..." -#: IRCSock.cpp:1270 +#: IRCSock.cpp:1275 msgid "Cannot connect to IRC ({1}). Retrying..." msgstr "Kan niet verbinden met IRC ({1}). We proberen opnieuw te verbinden..." -#: IRCSock.cpp:1273 +#: IRCSock.cpp:1278 msgid "Disconnected from IRC ({1}). Reconnecting..." msgstr "" "Verbinding met IRC verbroken ({1}). We proberen opnieuw te verbinden..." -#: IRCSock.cpp:1303 +#: IRCSock.cpp:1308 msgid "If you trust this certificate, do /znc AddTrustedServerFingerprint {1}" msgstr "" "Als je dit certificaat vertrouwt, doe: /znc AddTrustedServerFingerprint {1}" -#: IRCSock.cpp:1320 +#: IRCSock.cpp:1325 msgid "IRC connection timed out. Reconnecting..." msgstr "IRC verbinding time-out. We proberen opnieuw te verbinden..." -#: IRCSock.cpp:1332 +#: IRCSock.cpp:1337 msgid "Connection Refused. Reconnecting..." msgstr "Verbinding geweigerd. We proberen opnieuw te verbinden..." -#: IRCSock.cpp:1340 +#: IRCSock.cpp:1345 msgid "Received a too long line from the IRC server!" msgstr "Een te lange regel ontvangen van de IRC server!" -#: IRCSock.cpp:1444 +#: IRCSock.cpp:1449 msgid "No free nick available" msgstr "Geen beschikbare bijnaam" -#: IRCSock.cpp:1452 +#: IRCSock.cpp:1457 msgid "No free nick found" msgstr "Geen beschikbare bijnaam gevonden" diff --git a/src/po/znc.pot b/src/po/znc.pot index 8daa3b2c..714b55ab 100644 --- a/src/po/znc.pot +++ b/src/po/znc.pot @@ -98,67 +98,67 @@ msgstr "" msgid "Some module aborted the connection attempt" msgstr "" -#: IRCSock.cpp:485 +#: IRCSock.cpp:490 msgid "Error from server: {1}" msgstr "" -#: IRCSock.cpp:687 +#: IRCSock.cpp:692 msgid "ZNC seems to be connected to itself, disconnecting..." msgstr "" -#: IRCSock.cpp:734 +#: IRCSock.cpp:739 msgid "Server {1} redirects us to {2}:{3} with reason: {4}" msgstr "" -#: IRCSock.cpp:738 +#: IRCSock.cpp:743 msgid "Perhaps you want to add it as a new server." msgstr "" -#: IRCSock.cpp:968 +#: IRCSock.cpp:973 msgid "Channel {1} is linked to another channel and was thus disabled." msgstr "" -#: IRCSock.cpp:980 +#: IRCSock.cpp:985 msgid "Switched to SSL (STARTTLS)" msgstr "" -#: IRCSock.cpp:1033 +#: IRCSock.cpp:1038 msgid "You quit: {1}" msgstr "" -#: IRCSock.cpp:1239 +#: IRCSock.cpp:1244 msgid "Disconnected from IRC. Reconnecting..." msgstr "" -#: IRCSock.cpp:1270 +#: IRCSock.cpp:1275 msgid "Cannot connect to IRC ({1}). Retrying..." msgstr "" -#: IRCSock.cpp:1273 +#: IRCSock.cpp:1278 msgid "Disconnected from IRC ({1}). Reconnecting..." msgstr "" -#: IRCSock.cpp:1303 +#: IRCSock.cpp:1308 msgid "If you trust this certificate, do /znc AddTrustedServerFingerprint {1}" msgstr "" -#: IRCSock.cpp:1320 +#: IRCSock.cpp:1325 msgid "IRC connection timed out. Reconnecting..." msgstr "" -#: IRCSock.cpp:1332 +#: IRCSock.cpp:1337 msgid "Connection Refused. Reconnecting..." msgstr "" -#: IRCSock.cpp:1340 +#: IRCSock.cpp:1345 msgid "Received a too long line from the IRC server!" msgstr "" -#: IRCSock.cpp:1444 +#: IRCSock.cpp:1449 msgid "No free nick available" msgstr "" -#: IRCSock.cpp:1452 +#: IRCSock.cpp:1457 msgid "No free nick found" msgstr "" diff --git a/src/po/znc.pt_BR.po b/src/po/znc.pt_BR.po index 79a00b7e..f0be16c8 100644 --- a/src/po/znc.pt_BR.po +++ b/src/po/znc.pt_BR.po @@ -108,67 +108,67 @@ msgstr "" msgid "Some module aborted the connection attempt" msgstr "Algum módulo cancelou a tentativa de conexão" -#: IRCSock.cpp:485 +#: IRCSock.cpp:490 msgid "Error from server: {1}" msgstr "Erro do servidor: {1}" -#: IRCSock.cpp:687 +#: IRCSock.cpp:692 msgid "ZNC seems to be connected to itself, disconnecting..." msgstr "" -#: IRCSock.cpp:734 +#: IRCSock.cpp:739 msgid "Server {1} redirects us to {2}:{3} with reason: {4}" msgstr "" -#: IRCSock.cpp:738 +#: IRCSock.cpp:743 msgid "Perhaps you want to add it as a new server." msgstr "" -#: IRCSock.cpp:968 +#: IRCSock.cpp:973 msgid "Channel {1} is linked to another channel and was thus disabled." msgstr "" -#: IRCSock.cpp:980 +#: IRCSock.cpp:985 msgid "Switched to SSL (STARTTLS)" msgstr "" -#: IRCSock.cpp:1033 +#: IRCSock.cpp:1038 msgid "You quit: {1}" msgstr "Você saiu: {1}" -#: IRCSock.cpp:1239 +#: IRCSock.cpp:1244 msgid "Disconnected from IRC. Reconnecting..." msgstr "Desconectado. Reconectando..." -#: IRCSock.cpp:1270 +#: IRCSock.cpp:1275 msgid "Cannot connect to IRC ({1}). Retrying..." msgstr "Não foi possível conectar-se ao IRC ({1}). Tentando novamente..." -#: IRCSock.cpp:1273 +#: IRCSock.cpp:1278 msgid "Disconnected from IRC ({1}). Reconnecting..." msgstr "Desconectado do IRC ({1}). Reconectando..." -#: IRCSock.cpp:1303 +#: IRCSock.cpp:1308 msgid "If you trust this certificate, do /znc AddTrustedServerFingerprint {1}" msgstr "" -#: IRCSock.cpp:1320 +#: IRCSock.cpp:1325 msgid "IRC connection timed out. Reconnecting..." msgstr "" -#: IRCSock.cpp:1332 +#: IRCSock.cpp:1337 msgid "Connection Refused. Reconnecting..." msgstr "Conexão rejeitada. Reconectando..." -#: IRCSock.cpp:1340 +#: IRCSock.cpp:1345 msgid "Received a too long line from the IRC server!" msgstr "" -#: IRCSock.cpp:1444 +#: IRCSock.cpp:1449 msgid "No free nick available" msgstr "Não há apelidos livres disponíveis" -#: IRCSock.cpp:1452 +#: IRCSock.cpp:1457 msgid "No free nick found" msgstr "Nenhum apelido livre foi encontrado" diff --git a/src/po/znc.ru_RU.po b/src/po/znc.ru_RU.po index 3e4bfa5b..d38bcd84 100644 --- a/src/po/znc.ru_RU.po +++ b/src/po/znc.ru_RU.po @@ -113,69 +113,69 @@ msgstr "Не могу подключиться к {1}, т. к. ZNC собран msgid "Some module aborted the connection attempt" msgstr "Какой-то модуль оборвал попытку соединения" -#: IRCSock.cpp:485 +#: IRCSock.cpp:490 msgid "Error from server: {1}" msgstr "Ошибка от сервера: {1}" -#: IRCSock.cpp:687 +#: IRCSock.cpp:692 msgid "ZNC seems to be connected to itself, disconnecting..." msgstr "Похоже, ZNC подключён к самому себе, отключаюсь..." -#: IRCSock.cpp:734 +#: IRCSock.cpp:739 msgid "Server {1} redirects us to {2}:{3} with reason: {4}" msgstr "" -#: IRCSock.cpp:738 +#: IRCSock.cpp:743 msgid "Perhaps you want to add it as a new server." msgstr "Возможно, вам стоит добавить его в качестве нового сервера." -#: IRCSock.cpp:968 +#: IRCSock.cpp:973 msgid "Channel {1} is linked to another channel and was thus disabled." msgstr "Канал {1} отсылает к другому каналу и потому будет выключен." -#: IRCSock.cpp:980 +#: IRCSock.cpp:985 msgid "Switched to SSL (STARTTLS)" msgstr "Перешёл на SSL (STARTTLS)" -#: IRCSock.cpp:1033 +#: IRCSock.cpp:1038 msgid "You quit: {1}" msgstr "Вы вышли: {1}" -#: IRCSock.cpp:1239 +#: IRCSock.cpp:1244 msgid "Disconnected from IRC. Reconnecting..." msgstr "Отключён от IRC. Переподключаюсь..." -#: IRCSock.cpp:1270 +#: IRCSock.cpp:1275 msgid "Cannot connect to IRC ({1}). Retrying..." msgstr "Не могу подключиться к IRC ({1}). Пытаюсь ещё раз..." -#: IRCSock.cpp:1273 +#: IRCSock.cpp:1278 msgid "Disconnected from IRC ({1}). Reconnecting..." msgstr "Отключён от IRC ({1}). Переподключаюсь..." -#: IRCSock.cpp:1303 +#: IRCSock.cpp:1308 msgid "If you trust this certificate, do /znc AddTrustedServerFingerprint {1}" msgstr "" "Если вы доверяете этому сертификату, введите /znc " "AddTrustedServerFingerprint {1}" -#: IRCSock.cpp:1320 +#: IRCSock.cpp:1325 msgid "IRC connection timed out. Reconnecting..." msgstr "Подключение IRC завершилось по тайм-ауту. Переподключаюсь..." -#: IRCSock.cpp:1332 +#: IRCSock.cpp:1337 msgid "Connection Refused. Reconnecting..." msgstr "В соединении отказано. Переподключаюсь..." -#: IRCSock.cpp:1340 +#: IRCSock.cpp:1345 msgid "Received a too long line from the IRC server!" msgstr "От IRC-сервера получена слишком длинная строка!" -#: IRCSock.cpp:1444 +#: IRCSock.cpp:1449 msgid "No free nick available" msgstr "Не могу найти свободный ник" -#: IRCSock.cpp:1452 +#: IRCSock.cpp:1457 msgid "No free nick found" msgstr "Не могу найти свободный ник" From 2dfafe47a3d25965e19cbdf98c769c633ae6e257 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Thu, 10 Jan 2019 00:26:31 +0000 Subject: [PATCH 224/798] Update translations from Crowdin for de_DE fr_FR --- src/po/znc.de_DE.po | 8 ++++---- src/po/znc.fr_FR.po | 8 ++++---- 2 files changed, 8 insertions(+), 8 deletions(-) diff --git a/src/po/znc.de_DE.po b/src/po/znc.de_DE.po index fee780e3..d70106cf 100644 --- a/src/po/znc.de_DE.po +++ b/src/po/znc.de_DE.po @@ -1789,18 +1789,18 @@ msgstr "" "Deine Verbindung wird geschlossen da deine IP sich nicht länger zu diesem " "Benutzer verbinden darf" -#: User.cpp:907 +#: User.cpp:912 msgid "Password is empty" msgstr "Passwort ist leer" -#: User.cpp:912 +#: User.cpp:917 msgid "Username is empty" msgstr "Benutzername ist leer" -#: User.cpp:917 +#: User.cpp:922 msgid "Username is invalid" msgstr "Benutzername ist ungültig" -#: User.cpp:1188 +#: User.cpp:1199 msgid "Unable to find modinfo {1}: {2}" msgstr "Kann Modulinformationen für {1} nicht finden: {2}" diff --git a/src/po/znc.fr_FR.po b/src/po/znc.fr_FR.po index 93845840..f699ad3c 100644 --- a/src/po/znc.fr_FR.po +++ b/src/po/znc.fr_FR.po @@ -1784,18 +1784,18 @@ msgstr "" "Vous avez été déconnecté car votre adresse IP n'est plus autorisée à se " "connecter à cet utilisateur" -#: User.cpp:907 +#: User.cpp:912 msgid "Password is empty" msgstr "Le mot de passe est vide" -#: User.cpp:912 +#: User.cpp:917 msgid "Username is empty" msgstr "L'identifiant est vide" -#: User.cpp:917 +#: User.cpp:922 msgid "Username is invalid" msgstr "L'identifiant est invalide" -#: User.cpp:1188 +#: User.cpp:1199 msgid "Unable to find modinfo {1}: {2}" msgstr "Impossible de trouver d'information sur le module {1} : {2}" From e415d9f58c63a7390c0691e589d849531411ebef Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Fri, 11 Jan 2019 00:26:42 +0000 Subject: [PATCH 225/798] Update translations from Crowdin for de_DE --- modules/po/admindebug.de_DE.po | 4 +- modules/po/bouncedcc.de_DE.po | 18 +- modules/po/log.de_DE.po | 64 +++---- modules/po/webadmin.de_DE.po | 302 ++++++++++++++++++++------------- 4 files changed, 229 insertions(+), 159 deletions(-) diff --git a/modules/po/admindebug.de_DE.po b/modules/po/admindebug.de_DE.po index b93544a4..e5db421a 100644 --- a/modules/po/admindebug.de_DE.po +++ b/modules/po/admindebug.de_DE.po @@ -33,6 +33,8 @@ msgid "" "Failure. We need to be running with a TTY. (is ZNC running with --" "foreground?)" msgstr "" +"Fehler: Der Prozess muss in einem TTY laufen (läuft ZNC mit dem Parameter --" +"foreground?)" #: admindebug.cpp:66 msgid "Already enabled." @@ -52,7 +54,7 @@ msgstr "Debuggingmodus ist aus." #: admindebug.cpp:96 msgid "Logging to: stdout." -msgstr "" +msgstr "Logge nach: stdout." #: admindebug.cpp:105 msgid "Enable Debug mode dynamically." diff --git a/modules/po/bouncedcc.de_DE.po b/modules/po/bouncedcc.de_DE.po index 8e532603..c9882a7c 100644 --- a/modules/po/bouncedcc.de_DE.po +++ b/modules/po/bouncedcc.de_DE.po @@ -92,40 +92,44 @@ msgstr "Xfer" #: bouncedcc.cpp:385 msgid "DCC {1} Bounce ({2}): Too long line received" -msgstr "" +msgstr "DCC {1} Bounce ({2}): Empfangene Zeile ist zu lang" #: bouncedcc.cpp:418 msgid "DCC {1} Bounce ({2}): Timeout while connecting to {3} {4}" -msgstr "" +msgstr "DCC {1} Bounce ({2}): Zeitüberschreitung beim Verbinden mit {3} {4}" #: bouncedcc.cpp:422 msgid "DCC {1} Bounce ({2}): Timeout while connecting." -msgstr "" +msgstr "DCC {1} Bounce ({2}): Zeitüberschreitung beim Verbindungsaufbau." #: bouncedcc.cpp:427 msgid "" "DCC {1} Bounce ({2}): Timeout while waiting for incoming connection on {3} " "{4}" msgstr "" +"DCC {1} Bounce ({2}): Zeitüberschreitung beim Warten auf eingehende " +"Verbindung von {3} {4}" #: bouncedcc.cpp:440 msgid "DCC {1} Bounce ({2}): Connection refused while connecting to {3} {4}" -msgstr "" +msgstr "DCC {1} Bounce ({2}): Verbindungsversuch zu {3} {4} zurückgewiesen" #: bouncedcc.cpp:444 msgid "DCC {1} Bounce ({2}): Connection refused while connecting." -msgstr "" +msgstr "DCC {1} Bounce ({2}): Verbindungsversuch abgewiesen." #: bouncedcc.cpp:457 bouncedcc.cpp:465 msgid "DCC {1} Bounce ({2}): Socket error on {3} {4}: {5}" -msgstr "" +msgstr "DCC {1} Bounce ({2}): Socketfehler bei {3} {4}: {5}" #: bouncedcc.cpp:460 msgid "DCC {1} Bounce ({2}): Socket error: {3}" -msgstr "" +msgstr "DCC {1} Bounce ({2}): Sockefehler: {3}" #: bouncedcc.cpp:547 msgid "" "Bounces DCC transfers through ZNC instead of sending them directly to the " "user. " msgstr "" +"Leitet DCC-Übertragungen durch ZNC, anstatt sie direkt zum Benutzer zu " +"schicken. " diff --git a/modules/po/log.de_DE.po b/modules/po/log.de_DE.po index 3ad0d04d..19e8c3f7 100644 --- a/modules/po/log.de_DE.po +++ b/modules/po/log.de_DE.po @@ -14,135 +14,139 @@ msgstr "" #: log.cpp:59 msgid "" -msgstr "" +msgstr "" #: log.cpp:60 msgid "Set logging rules, use !#chan or !query to negate and * " -msgstr "" +msgstr "Setze Logging-Regeln, !#chan oder !query zum Negieren und * " #: log.cpp:62 msgid "Clear all logging rules" -msgstr "" +msgstr "Alle Regeln löschen" #: log.cpp:64 msgid "List all logging rules" -msgstr "" +msgstr "Alle Regeln auflisten" #: log.cpp:67 msgid " true|false" -msgstr "" +msgstr " true|false" #: log.cpp:68 msgid "Set one of the following options: joins, quits, nickchanges" -msgstr "" +msgstr "Setze eine der folgenden Optionen: joins, quits, nickchanges" #: log.cpp:71 msgid "Show current settings set by Set command" -msgstr "" +msgstr "Aktuelle Einstellungen durch \"set\"-Kommando anzeigen" #: log.cpp:143 msgid "Usage: SetRules " -msgstr "" +msgstr "Benutzung: SetRules " #: log.cpp:144 msgid "Wildcards are allowed" -msgstr "" +msgstr "Wildcards können verwendet werden" #: log.cpp:156 log.cpp:178 msgid "No logging rules. Everything is logged." -msgstr "" +msgstr "Keine Logging-Regeln - alles wird geloggt." #: log.cpp:161 msgid "1 rule removed: {2}" msgid_plural "{1} rules removed: {2}" msgstr[0] "" -msgstr[1] "" +msgstr[1] "{1} Regeln entfernt: {2}" #: log.cpp:168 log.cpp:173 msgctxt "listrules" msgid "Rule" -msgstr "" +msgstr "Regel" #: log.cpp:169 log.cpp:174 msgctxt "listrules" msgid "Logging enabled" -msgstr "" +msgstr "Logging aktiviert" #: log.cpp:189 msgid "" "Usage: Set true|false, where is one of: joins, quits, nickchanges" msgstr "" +"Benutzung: Set true|false, wobei entweder joins, quits oder " +"nickchanges ist" #: log.cpp:196 msgid "Will log joins" -msgstr "" +msgstr "Joins werden geloggt" #: log.cpp:196 msgid "Will not log joins" -msgstr "" +msgstr "Joins werden nicht geloggt" #: log.cpp:197 msgid "Will log quits" -msgstr "" +msgstr "Quits werden geloggt" #: log.cpp:197 msgid "Will not log quits" -msgstr "" +msgstr "Quits werden nicht geloggt" #: log.cpp:199 msgid "Will log nick changes" -msgstr "" +msgstr "Nick-Wechsel werden geloggt" #: log.cpp:199 msgid "Will not log nick changes" -msgstr "" +msgstr "Nick-Wechsel werden nicht geloggt" #: log.cpp:203 msgid "Unknown variable. Known variables: joins, quits, nickchanges" -msgstr "" +msgstr "Unbekannte Variable. Gültig sind: joins, quits, nickchanges" #: log.cpp:211 msgid "Logging joins" -msgstr "" +msgstr "Joins werden geloggt" #: log.cpp:211 msgid "Not logging joins" -msgstr "" +msgstr "Joins werden nicht geloggt" #: log.cpp:212 msgid "Logging quits" -msgstr "" +msgstr "Quits werden geloggt" #: log.cpp:212 msgid "Not logging quits" -msgstr "" +msgstr "Quits werden nicht geloggt" #: log.cpp:213 msgid "Logging nick changes" -msgstr "" +msgstr "Nick-Wechsel werden geloggt" #: log.cpp:214 msgid "Not logging nick changes" -msgstr "" +msgstr "Nick-Wechsel werden nicht geloggt" #: log.cpp:351 msgid "" "Invalid args [{1}]. Only one log path allowed. Check that there are no " "spaces in the path." msgstr "" +"Ungültige Argumente [{1}]. Nur ein Logging-Pfad ist erlaubt. Prüfe, dass der " +"Pfad keine Leerzeichen enthält." #: log.cpp:401 msgid "Invalid log path [{1}]" -msgstr "" +msgstr "Ungültiger Log-Pfad [{1}]" #: log.cpp:404 msgid "Logging to [{1}]. Using timestamp format '{2}'" -msgstr "" +msgstr "Logge nach [{1}] mit Zeitstempelformat '{2}'" #: log.cpp:559 msgid "[-sanitize] Optional path where to store logs." -msgstr "" +msgstr "[-sanitize] Optionaler Pfad zum Speichern von Logs." #: log.cpp:563 msgid "Writes IRC logs." -msgstr "" +msgstr "Schreibt IRC-Logs." diff --git a/modules/po/webadmin.de_DE.po b/modules/po/webadmin.de_DE.po index 94c3e418..65414998 100644 --- a/modules/po/webadmin.de_DE.po +++ b/modules/po/webadmin.de_DE.po @@ -14,233 +14,247 @@ msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:12 msgid "Channel Info" -msgstr "" +msgstr "Kanal-Info" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:17 msgid "Channel Name:" -msgstr "" +msgstr "Kanalname:" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:19 msgid "The channel name." -msgstr "" +msgstr "Name des Kanals." #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:24 msgid "Key:" -msgstr "" +msgstr "Schlüssel:" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:26 msgid "The password of the channel, if there is one." -msgstr "" +msgstr "Das Passwort für den Kanal, sofern vorhanden." #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:30 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:241 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:260 msgid "Buffer Size:" -msgstr "" +msgstr "Puffergröße:" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:32 msgid "The buffer count." -msgstr "" +msgstr "Anzahl der Puffer." #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:36 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:235 msgid "Default Modes:" -msgstr "" +msgstr "Standardmodi:" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:38 msgid "The default modes of the channel." -msgstr "" +msgstr "Die Standard-Kanalmodi." #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:46 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:270 msgid "Flags" -msgstr "" +msgstr "Optionen" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:51 msgid "Save to config" -msgstr "" +msgstr "In der ZNC-Konfiguration speichern" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:67 #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:282 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:410 msgid "Module {1}" -msgstr "" +msgstr "Modul {1}" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:75 #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:290 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:419 msgid "Save and return" -msgstr "" +msgstr "Speichern und zurück" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:76 #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:291 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:420 msgid "Save and continue" -msgstr "" +msgstr "Speichern und fortfahren" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:78 msgid "Add Channel and return" -msgstr "" +msgstr "Channel hinzufügen und zurück" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:79 msgid "Add Channel and continue" -msgstr "" +msgstr "Channel hinzufügen und fortfahren" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:8 #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:11 msgid "<password>" -msgstr "" +msgstr "<Passwort>" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:11 #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:12 msgid "<network>" -msgstr "" +msgstr "<Netzwerk>" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:14 msgid "" "To connect to this network from your IRC client, you can set the server " "password field as {1} or username field as {2}" msgstr "" +"Um einen IRC-Client zu diesem Netzwerk zu verbinden, kannst Du {1} als Serverpasswort oder {2} als Benutzernamen eintragen" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:24 msgid "Network Info" -msgstr "" +msgstr "Netzwerkinfo" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:25 msgid "" "Nick, AltNick, Ident, RealName, BindHost can be left empty to use the value " "from the user." msgstr "" +"Nick, AltNick, Ident, RealName, BindHost können leer gelassen werden, um die " +"Werte des Benutzers zu nutzen." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:29 msgid "Network Name:" -msgstr "" +msgstr "Netzwerkname:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:31 msgid "The name of the IRC network." -msgstr "" +msgstr "Der Name des IRC-Netzwerks." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:35 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:69 msgid "Nickname:" -msgstr "" +msgstr "Nickname:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:37 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:71 msgid "Your nickname on IRC." -msgstr "" +msgstr "Dein Nickname im IRC." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:40 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:74 msgid "Alt. Nickname:" -msgstr "" +msgstr "Alt. Nickname:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:42 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:76 msgid "Your secondary nickname, if the first is not available on IRC." -msgstr "" +msgstr "Dein alternativer Nickname, falls der primäre nicht verfügbar ist." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:46 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:80 msgid "Ident:" -msgstr "" +msgstr "Ident:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:48 msgid "Your ident." -msgstr "" +msgstr "Dein Ident." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:51 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:91 msgid "Realname:" -msgstr "" +msgstr "Echter Name:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:53 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:93 msgid "Your real name." -msgstr "" +msgstr "Dein echter Name." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:58 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:99 msgid "BindHost:" -msgstr "" +msgstr "BindHost:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:65 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:112 msgid "Quit Message:" -msgstr "" +msgstr "Quit-Nachricht:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:67 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:114 msgid "You may define a Message shown, when you quit IRC." msgstr "" +"Diese Nachricht wird anderen angezeigt, wenn Du die Verbindung zum IRC " +"trennst." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:71 msgid "Active:" -msgstr "" +msgstr "Aktiv:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:73 msgid "Connect to IRC & automatically re-connect" -msgstr "" +msgstr "Verbinden und automatisch neu verbinden" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:77 msgid "Trust all certs:" -msgstr "" +msgstr "Allen Zertifikaten vertrauen:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:79 msgid "" "Disable certificate validation (takes precedence over TrustPKI). INSECURE!" msgstr "" +"Zertifikatsprüfung deaktivieren (hat Vorrang vor \"Vertraue dem PKI\"). " +"UNSICHER!" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:83 msgid "Trust the PKI:" -msgstr "" +msgstr "Vertraue dem PKI:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:85 msgid "" "Setting this to false will trust only certificates you added fingerprints " "for." msgstr "" +"Wenn diese Option nicht gesetzt ist, wird nur den Zertifikaten vertraut, für " +"die Du Fingerprints hinzugefügt hast." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:89 #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:96 msgid "Servers of this IRC network:" -msgstr "" +msgstr "Server dieses IRC-Netzwerks:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:93 msgid "One server per line, “host [[+]port] [password]”, + means SSL" -msgstr "" +msgstr "Ein Server pro Zeile, “Host [[+]Port] [Passwort]”, das + steht für SSL" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:101 msgid "Hostname" -msgstr "" +msgstr "Hostname" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:102 #: modules/po/../data/webadmin/tmpl/settings.tmpl:13 msgid "Port" -msgstr "" +msgstr "Port" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:103 #: modules/po/../data/webadmin/tmpl/settings.tmpl:15 msgid "SSL" -msgstr "" +msgstr "SSL" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:104 msgid "Password" -msgstr "" +msgstr "Passwort" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:116 msgid "SHA-256 fingerprints of trusted SSL certificates of this IRC network:" msgstr "" +"SHA-256-Fingerprints von vertrauenswürdigen SSL-Zertifikaten dieses IRC-" +"Netzwerks:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:120 msgid "" "When these certificates are encountered, checks for hostname, expiration " "date, CA are skipped" msgstr "" +"Bei diesen Zertifikaten werden Hostnamen, Ablaufdaten und CA beim Handshake " +"nicht validiert" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:124 msgid "Flood protection:" -msgstr "" +msgstr "Flooding-Schutz:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:127 msgid "" @@ -248,6 +262,9 @@ msgid "" "which occur, when your IRC bot is command flooded or spammed. After changing " "this, reconnect ZNC to server." msgstr "" +"Der Flooding-Schutz vermeidet \"excess flood\"-Fehler, die auftreten, wenn " +"Dein IRC-Client zu viel Text oder zu viele Kommandos in kurzer Zeit schickt. " +"Nach dem Ändern dieser Option musst Du ZNC neu zum IRC verbinden." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:130 msgctxt "Flood Protection" @@ -491,43 +508,49 @@ msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:133 msgid "Current Server" -msgstr "" +msgstr "Aktueller Server" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:134 msgid "Nick" -msgstr "" +msgstr "Nick" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:136 msgid "← Add a network (opens in same page)" -msgstr "" +msgstr "← Ein Netzwerk hinzufügen (öffnet sich in diesem Tab)" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:160 msgid "" "You will be able to add + modify networks here after you have cloned the " "user." msgstr "" +"Du kannst Netzwerke hier hinzufügen und bearbeiten, nachdem Du den Benutzer " +"geklont hast." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:162 msgid "" "You will be able to add + modify networks here after you have created the " "user." msgstr "" +"Du kannst Netzwerke hier hinzufügen und bearbeiten, nachdem Du den Benutzer " +"erstellt hast." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:178 #: modules/po/../data/webadmin/tmpl/settings.tmpl:179 msgid "Loaded by networks" -msgstr "" +msgstr "Durch Netzwerke geladen" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:237 msgid "" "These are the default modes ZNC will set when you join an empty channel." msgstr "" +"Die Standard-Kanalmodi, die ZNC beim Betreten eines leeren Kanals setzen " +"wird." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:238 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:244 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:263 msgid "Empty = use standard value" -msgstr "" +msgstr "Leer = benutze Vorgabewert" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:243 msgid "" @@ -535,18 +558,21 @@ msgid "" "before dropping off the oldest line. The buffers are stored in the memory by " "default." msgstr "" +"Die Anzahl der Zeilen, die der Playback-Puffer pro Kanal vorhält, bevor die " +"älteste Zeile gelöscht wird. Die Puffer werden standardmäßig im Speicher " +"gehalten." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:251 msgid "Queries" -msgstr "" +msgstr "Queries (Private Konversationen)" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:255 msgid "Max Buffers:" -msgstr "" +msgstr "Max. Pufferanzahl:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:257 msgid "Maximum number of query buffers. 0 is unlimited." -msgstr "" +msgstr "Maximale Zahl an Playback-Puffern für Queries. 0 für unbegrenzt." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:262 msgid "" @@ -554,19 +580,24 @@ msgid "" "before dropping off the oldest line. The buffers are stored in the memory by " "default." msgstr "" +"Die Anzahl der Zeilen, die der Playback-Puffer pro Query vorhält, bevor die " +"älteste Zeile gelöscht wird. Die Puffer werden standardmäßig im Speicher " +"gehalten." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:285 msgid "ZNC Behavior" -msgstr "" +msgstr "ZNC-Verhalten" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:286 msgid "" "Any of the following text boxes can be left empty to use their default value." msgstr "" +"Die folgenden Textfelder können leer gelassen werden, um den Vorgabewert zu " +"benutzen." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:290 msgid "Timestamp Format:" -msgstr "" +msgstr "Zeitstempelformat:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:292 msgid "" @@ -574,46 +605,56 @@ msgid "" "setting is ignored in new IRC clients, which use server-time. If your client " "supports server-time, change timestamp format in client settings instead." msgstr "" +"Das Format für die Zeitstempel, die in Puffern genutzt werden, z. B. [%H:%M:" +"%S]. Diese Einstellung wird in modernen IRC-Clients ignoriert, wenn sie " +"server-time nutzen. Wenn Dein Client server-time unterstützt, ändere das " +"Format in Deinem Client." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:295 msgid "Timezone:" -msgstr "" +msgstr "Zeitzone:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:298 msgid "E.g. Europe/Berlin, or GMT-6" -msgstr "" +msgstr "z.B. Europe/Berlin oder GMT-6" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:306 msgid "Character encoding used between IRC client and ZNC." -msgstr "" +msgstr "Zeichenkodierung zwischen IRC-Client und ZNC." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:307 msgid "Client encoding:" -msgstr "" +msgstr "Client-Zeichenkodierung:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:312 msgid "Join Tries:" -msgstr "" +msgstr "Join-Versuche:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:314 msgid "" "This defines how many times ZNC tries to join a channel, if the first join " "failed, e.g. due to channel mode +i/+k or if you are banned." msgstr "" +"Wie oft ZNC versuchen wird, einem Kanal beizutreten, falls der erste Versuch " +"fehlschlägt (z.B. weil Modus +i/+k gesetzt ist oder Du gebannt bist)." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:317 msgid "Join speed:" -msgstr "" +msgstr "Kanäle pro Join:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:319 msgid "" "How many channels are joined in one JOIN command. 0 is unlimited (default). " "Set to small positive value if you get disconnected with “Max SendQ Exceeded”" msgstr "" +"Wie viele Kanäle in einem JOIN-Kommando benutzt werden. 0 heißt unbegrenzt " +"(Standard). Solltest Du mit der Meldung \"Max SendQ Exceeded\" getrennt " +"werden, während ZNC gerade Kanäle betritt, setze dies auf eine einstellige " +"positive Zahl." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:322 msgid "Timeout before reconnect:" -msgstr "" +msgstr "Zeitüberschreitung vor Neuverbinden:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:324 msgid "" @@ -621,104 +662,112 @@ msgid "" "network or declares the connection timeout. This happens after attempts to " "ping the peer." msgstr "" +"Wie viele Sekunden ZNC nach dem Pingen des IRC-Servers auf Antwort wartet, " +"bevor ZNC eine Zeitüberschreitung deklariert." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:327 msgid "Max IRC Networks Number:" -msgstr "" +msgstr "Max. Anzahl an IRC-Netzwerken:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:329 msgid "Maximum number of IRC networks allowed for this user." msgstr "" +"Die maximale Anzahl an IRC-Netzwerken, die diesem Benutzer erlaubt werden." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:332 msgid "Substitutions" -msgstr "" +msgstr "Ersetzungen/Variablen" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:334 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:342 msgid "CTCP Replies:" -msgstr "" +msgstr "CTCP-Antworten:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:338 msgid "One reply per line. Example: TIME Buy a watch!" msgstr "" +"Eine Antwort pro Zeile. Beispiel: Anfrage TIME, Antwort " +"Kauf' Dir eine Uhr!" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:339 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:355 msgid "{1} are available" -msgstr "" +msgstr "Es kann mit {1} gearbeitet werden." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:341 msgid "Empty value means this CTCP request will be ignored" msgstr "" +"Wenn das Antwort-Feld leer gelassen wird, wird die CTCP-Anfrage ignoriert." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:347 msgid "Request" -msgstr "" +msgstr "Anfrage" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:348 msgid "Response" -msgstr "" +msgstr "Antwort" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:373 #: modules/po/../data/webadmin/tmpl/settings.tmpl:90 msgid "Skin:" -msgstr "" +msgstr "Oberfläche:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:377 msgid "- Global -" -msgstr "" +msgstr "- Global -" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:379 #: modules/po/../data/webadmin/tmpl/settings.tmpl:94 msgid "Default" -msgstr "" +msgstr "Standard" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:383 msgid "No other skins found" -msgstr "" +msgstr "Keine anderen Oberflächen gefunden" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:389 msgid "Language:" -msgstr "" +msgstr "Sprache:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:422 msgid "Clone and return" -msgstr "" +msgstr "Klonen und zurück" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:423 msgid "Clone and continue" -msgstr "" +msgstr "Klonen und fortfahren" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:425 msgid "Create and return" -msgstr "" +msgstr "Anlegen und zurück" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:426 msgid "Create and continue" -msgstr "" +msgstr "Erstellen und fortsetzen" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:432 #: modules/po/../data/webadmin/tmpl/listusers.tmpl:28 msgid "Clone" -msgstr "" +msgstr "Klonen" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:434 msgid "Create" -msgstr "" +msgstr "Erstellen" #: modules/po/../data/webadmin/tmpl/del_network.tmpl:5 msgid "Confirm Network Deletion" -msgstr "" +msgstr "Löschen des Netzwerks bestätigen" #: modules/po/../data/webadmin/tmpl/del_network.tmpl:9 msgid "Are you sure you want to delete network “{2}” of user “{1}”?" msgstr "" +"Bist Du sicher, dass Du das Netzwerk “{2}” des Benutzers “{1}” löschen " +"möchtest?" #: modules/po/../data/webadmin/tmpl/del_network.tmpl:14 #: modules/po/../data/webadmin/tmpl/del_user.tmpl:14 msgid "Yes" -msgstr "" +msgstr "Ja" #: modules/po/../data/webadmin/tmpl/del_network.tmpl:17 #: modules/po/../data/webadmin/tmpl/del_user.tmpl:17 @@ -933,216 +982,227 @@ msgstr "" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:51 msgid "IRC Connections" -msgstr "" +msgstr "IRC-Verbindungen" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:63 #: modules/po/../data/webadmin/tmpl/traffic.tmpl:72 #: modules/po/../data/webadmin/tmpl/traffic.tmpl:89 #: modules/po/../data/webadmin/tmpl/traffic.tmpl:117 msgid "Total" -msgstr "" +msgstr "Gesamt" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:70 #: modules/po/../data/webadmin/tmpl/traffic.tmpl:115 msgctxt "Traffic" msgid "In" -msgstr "" +msgstr "Eingehend" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:71 #: modules/po/../data/webadmin/tmpl/traffic.tmpl:116 msgctxt "Traffic" msgid "Out" -msgstr "" +msgstr "Ausgehend" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:77 #: modules/po/../data/webadmin/tmpl/traffic.tmpl:104 msgid "Users" -msgstr "" +msgstr "Benutzer" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:106 msgid "Traffic" -msgstr "" +msgstr "Traffic" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:113 msgid "User" -msgstr "" +msgstr "Benutzer" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:114 msgid "Network" -msgstr "" +msgstr "Netzwerk" #: webadmin.cpp:91 webadmin.cpp:1872 msgid "Global Settings" -msgstr "" +msgstr "Globale Einstellungen" #: webadmin.cpp:93 msgid "Your Settings" -msgstr "" +msgstr "Deine Einstellungen" #: webadmin.cpp:94 webadmin.cpp:1684 msgid "Traffic Info" -msgstr "" +msgstr "Traffic-Zähler" #: webadmin.cpp:97 webadmin.cpp:1663 msgid "Manage Users" -msgstr "" +msgstr "Benutzer verwalten" #: webadmin.cpp:188 msgid "Invalid Submission [Username is required]" -msgstr "" +msgstr "Ungültige Daten [Benutzername muss ausgefüllt sein]" #: webadmin.cpp:201 msgid "Invalid Submission [Passwords do not match]" -msgstr "" +msgstr "Ungültige Daten [Passwörter stimmen nicht überein]" #: webadmin.cpp:323 msgid "Timeout can't be less than 30 seconds!" -msgstr "" +msgstr "Zeitüberschreitung darf nicht weniger als 30 Sekunden sein!" #: webadmin.cpp:407 webadmin.cpp:435 webadmin.cpp:1182 webadmin.cpp:2057 msgid "Unable to load module [{1}]: {2}" -msgstr "" +msgstr "Kann Modul {1} nicht laden: {2}" #: webadmin.cpp:412 webadmin.cpp:440 msgid "Unable to load module [{1}] with arguments [{2}]" -msgstr "" +msgstr "Kann Modul {1} mit Argumenten {2} nicht laden" #: webadmin.cpp:521 webadmin.cpp:625 webadmin.cpp:650 webadmin.cpp:672 #: webadmin.cpp:706 webadmin.cpp:1249 msgid "No such user" -msgstr "" +msgstr "Benutzer existiert nicht" #: webadmin.cpp:534 webadmin.cpp:566 webadmin.cpp:595 webadmin.cpp:611 msgid "No such user or network" -msgstr "" +msgstr "Benutzer oder Netzwerk existiert nicht" #: webadmin.cpp:576 msgid "No such channel" -msgstr "" +msgstr "Kanal existiert nicht" #: webadmin.cpp:642 msgid "Please don't delete yourself, suicide is not the answer!" -msgstr "" +msgstr "Bitte lösche Dich nicht, Suizid ist keine Lösung!" #: webadmin.cpp:715 webadmin.cpp:972 webadmin.cpp:1314 msgid "Edit User [{1}]" -msgstr "" +msgstr "Benutzer [{1}] bearbeiten" #: webadmin.cpp:719 webadmin.cpp:906 msgid "Edit Network [{1}]" -msgstr "" +msgstr "Netzwerk [{1}] bearbeiten" #: webadmin.cpp:729 msgid "Edit Channel [{1}] of Network [{2}] of User [{3}]" -msgstr "" +msgstr "Kanal [{1}] in Netzwerk [{2}] von Benutzer [{3}] bearbeiten" #: webadmin.cpp:736 msgid "Edit Channel [{1}]" -msgstr "" +msgstr "Kanal [{1}] bearbeiten" #: webadmin.cpp:744 msgid "Add Channel to Network [{1}] of User [{2}]" -msgstr "" +msgstr "Kanal zum Netzwerk [{1}] von Benutzer [{2}] hinzufügen" #: webadmin.cpp:749 msgid "Add Channel" -msgstr "" +msgstr "Kanal hinzufügen" #: webadmin.cpp:756 webadmin.cpp:1510 msgid "Auto Clear Chan Buffer" -msgstr "" +msgstr "Automatisch Kanal-Puffer leeren" #: webadmin.cpp:758 msgid "Automatically Clear Channel Buffer After Playback" msgstr "" +"Den Playback-Puffer eines Kanals automatisch nach dem Wiedergeben leeren" #: webadmin.cpp:766 msgid "Detached" -msgstr "" +msgstr "Abgetrennt" #: webadmin.cpp:773 msgid "Enabled" -msgstr "" +msgstr "Aktiviert" #: webadmin.cpp:797 msgid "Channel name is a required argument" -msgstr "" +msgstr "Kanalname ist ein notwendiger Parameter" #: webadmin.cpp:806 msgid "Channel [{1}] already exists" -msgstr "" +msgstr "Kanal [{1}] existiert bereits" #: webadmin.cpp:813 msgid "Could not add channel [{1}]" -msgstr "" +msgstr "Kanal [{1}] konnte nicht hinzugefügt werden" #: webadmin.cpp:861 msgid "Channel was added/modified, but config file was not written" msgstr "" +"Channel wurde hinzugefügt/bearbeitet, aber die Konfigurationsdatei wurde " +"nicht gespeichert" #: webadmin.cpp:888 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks from Your Settings." msgstr "" +"Maximale Anzahl an Netzwerken erreicht. Bitte einen Administrator, Dein " +"Limit zu erhöhen, oder entferne nicht benötigte Netzwerke aus Deinen " +"Einstellungen." #: webadmin.cpp:903 msgid "Edit Network [{1}] of User [{2}]" -msgstr "" +msgstr "Netzwerk [{1}] von Benutzer [{2}] bearbeiten" #: webadmin.cpp:910 msgid "Add Network for User [{1}]" -msgstr "" +msgstr "Netzwerk für Benutzer [{1}] hinzufügen" #: webadmin.cpp:911 msgid "Add Network" -msgstr "" +msgstr "Netzwerk hinzufügen" #: webadmin.cpp:1073 msgid "Network name is a required argument" -msgstr "" +msgstr "Netzwerkname ist ein notwendiger Parameter" #: webadmin.cpp:1189 webadmin.cpp:2064 msgid "Unable to reload module [{1}]: {2}" -msgstr "" +msgstr "Kann Modul {1} nicht neu laden: {2}" #: webadmin.cpp:1226 msgid "Network was added/modified, but config file was not written" msgstr "" +"Netzwerk wurde hinzugefügt/bearbeitet, aber die Konfigurationsdatei wurde " +"nicht gespeichert" #: webadmin.cpp:1255 msgid "That network doesn't exist for this user" -msgstr "" +msgstr "Dieser Nutzer hat dieses Netzwerk nicht" #: webadmin.cpp:1272 msgid "Network was deleted, but config file was not written" msgstr "" +"Netzwerk wurde entfernt, aber die Konfigurationsdatei wurde nicht gespeichert" #: webadmin.cpp:1286 msgid "That channel doesn't exist for this network" -msgstr "" +msgstr "Dieser Kanal existiert in diesem Netzwerk nicht" #: webadmin.cpp:1295 msgid "Channel was deleted, but config file was not written" msgstr "" +"Kanal wurde entfernt, aber die Konfigurationsdatei wurde nicht gespeichert" #: webadmin.cpp:1323 msgid "Clone User [{1}]" -msgstr "" +msgstr "Benutzer [{1}] klonen" #: webadmin.cpp:1512 msgid "" "Automatically Clear Channel Buffer After Playback (the default value for new " "channels)" msgstr "" +"Kanal-Puffer nach Wiedergabe automatisch leeren (Vorgabewert für neue Kanäle)" #: webadmin.cpp:1522 msgid "Multi Clients" -msgstr "" +msgstr "Erlaube mehrere Clients" #: webadmin.cpp:1529 msgid "Append Timestamps" -msgstr "" +msgstr "Zeitstempel am Ende anfügen" #: webadmin.cpp:1536 msgid "Prepend Timestamps" From b697fbebdcb354da8cefc80bba91c08cd944ddc9 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Fri, 11 Jan 2019 00:27:13 +0000 Subject: [PATCH 226/798] Update translations from Crowdin for de_DE --- modules/po/admindebug.de_DE.po | 4 +- modules/po/bouncedcc.de_DE.po | 18 +- modules/po/log.de_DE.po | 64 +++---- modules/po/webadmin.de_DE.po | 302 ++++++++++++++++++++------------- 4 files changed, 229 insertions(+), 159 deletions(-) diff --git a/modules/po/admindebug.de_DE.po b/modules/po/admindebug.de_DE.po index 6882cc63..4d22ef0b 100644 --- a/modules/po/admindebug.de_DE.po +++ b/modules/po/admindebug.de_DE.po @@ -33,6 +33,8 @@ msgid "" "Failure. We need to be running with a TTY. (is ZNC running with --" "foreground?)" msgstr "" +"Fehler: Der Prozess muss in einem TTY laufen (läuft ZNC mit dem Parameter --" +"foreground?)" #: admindebug.cpp:66 msgid "Already enabled." @@ -52,7 +54,7 @@ msgstr "Debuggingmodus ist aus." #: admindebug.cpp:96 msgid "Logging to: stdout." -msgstr "" +msgstr "Logge nach: stdout." #: admindebug.cpp:105 msgid "Enable Debug mode dynamically." diff --git a/modules/po/bouncedcc.de_DE.po b/modules/po/bouncedcc.de_DE.po index 5fd41d35..047688f3 100644 --- a/modules/po/bouncedcc.de_DE.po +++ b/modules/po/bouncedcc.de_DE.po @@ -92,40 +92,44 @@ msgstr "Xfer" #: bouncedcc.cpp:385 msgid "DCC {1} Bounce ({2}): Too long line received" -msgstr "" +msgstr "DCC {1} Bounce ({2}): Empfangene Zeile ist zu lang" #: bouncedcc.cpp:418 msgid "DCC {1} Bounce ({2}): Timeout while connecting to {3} {4}" -msgstr "" +msgstr "DCC {1} Bounce ({2}): Zeitüberschreitung beim Verbinden mit {3} {4}" #: bouncedcc.cpp:422 msgid "DCC {1} Bounce ({2}): Timeout while connecting." -msgstr "" +msgstr "DCC {1} Bounce ({2}): Zeitüberschreitung beim Verbindungsaufbau." #: bouncedcc.cpp:427 msgid "" "DCC {1} Bounce ({2}): Timeout while waiting for incoming connection on {3} " "{4}" msgstr "" +"DCC {1} Bounce ({2}): Zeitüberschreitung beim Warten auf eingehende " +"Verbindung von {3} {4}" #: bouncedcc.cpp:440 msgid "DCC {1} Bounce ({2}): Connection refused while connecting to {3} {4}" -msgstr "" +msgstr "DCC {1} Bounce ({2}): Verbindungsversuch zu {3} {4} zurückgewiesen" #: bouncedcc.cpp:444 msgid "DCC {1} Bounce ({2}): Connection refused while connecting." -msgstr "" +msgstr "DCC {1} Bounce ({2}): Verbindungsversuch abgewiesen." #: bouncedcc.cpp:457 bouncedcc.cpp:465 msgid "DCC {1} Bounce ({2}): Socket error on {3} {4}: {5}" -msgstr "" +msgstr "DCC {1} Bounce ({2}): Socketfehler bei {3} {4}: {5}" #: bouncedcc.cpp:460 msgid "DCC {1} Bounce ({2}): Socket error: {3}" -msgstr "" +msgstr "DCC {1} Bounce ({2}): Sockefehler: {3}" #: bouncedcc.cpp:547 msgid "" "Bounces DCC transfers through ZNC instead of sending them directly to the " "user. " msgstr "" +"Leitet DCC-Übertragungen durch ZNC, anstatt sie direkt zum Benutzer zu " +"schicken. " diff --git a/modules/po/log.de_DE.po b/modules/po/log.de_DE.po index 0ed1564c..3eb425c6 100644 --- a/modules/po/log.de_DE.po +++ b/modules/po/log.de_DE.po @@ -14,135 +14,139 @@ msgstr "" #: log.cpp:59 msgid "" -msgstr "" +msgstr "" #: log.cpp:60 msgid "Set logging rules, use !#chan or !query to negate and * " -msgstr "" +msgstr "Setze Logging-Regeln, !#chan oder !query zum Negieren und * " #: log.cpp:62 msgid "Clear all logging rules" -msgstr "" +msgstr "Alle Regeln löschen" #: log.cpp:64 msgid "List all logging rules" -msgstr "" +msgstr "Alle Regeln auflisten" #: log.cpp:67 msgid " true|false" -msgstr "" +msgstr " true|false" #: log.cpp:68 msgid "Set one of the following options: joins, quits, nickchanges" -msgstr "" +msgstr "Setze eine der folgenden Optionen: joins, quits, nickchanges" #: log.cpp:71 msgid "Show current settings set by Set command" -msgstr "" +msgstr "Aktuelle Einstellungen durch \"set\"-Kommando anzeigen" #: log.cpp:143 msgid "Usage: SetRules " -msgstr "" +msgstr "Benutzung: SetRules " #: log.cpp:144 msgid "Wildcards are allowed" -msgstr "" +msgstr "Wildcards können verwendet werden" #: log.cpp:156 log.cpp:178 msgid "No logging rules. Everything is logged." -msgstr "" +msgstr "Keine Logging-Regeln - alles wird geloggt." #: log.cpp:161 msgid "1 rule removed: {2}" msgid_plural "{1} rules removed: {2}" msgstr[0] "" -msgstr[1] "" +msgstr[1] "{1} Regeln entfernt: {2}" #: log.cpp:168 log.cpp:173 msgctxt "listrules" msgid "Rule" -msgstr "" +msgstr "Regel" #: log.cpp:169 log.cpp:174 msgctxt "listrules" msgid "Logging enabled" -msgstr "" +msgstr "Logging aktiviert" #: log.cpp:189 msgid "" "Usage: Set true|false, where is one of: joins, quits, nickchanges" msgstr "" +"Benutzung: Set true|false, wobei entweder joins, quits oder " +"nickchanges ist" #: log.cpp:196 msgid "Will log joins" -msgstr "" +msgstr "Joins werden geloggt" #: log.cpp:196 msgid "Will not log joins" -msgstr "" +msgstr "Joins werden nicht geloggt" #: log.cpp:197 msgid "Will log quits" -msgstr "" +msgstr "Quits werden geloggt" #: log.cpp:197 msgid "Will not log quits" -msgstr "" +msgstr "Quits werden nicht geloggt" #: log.cpp:199 msgid "Will log nick changes" -msgstr "" +msgstr "Nick-Wechsel werden geloggt" #: log.cpp:199 msgid "Will not log nick changes" -msgstr "" +msgstr "Nick-Wechsel werden nicht geloggt" #: log.cpp:203 msgid "Unknown variable. Known variables: joins, quits, nickchanges" -msgstr "" +msgstr "Unbekannte Variable. Gültig sind: joins, quits, nickchanges" #: log.cpp:211 msgid "Logging joins" -msgstr "" +msgstr "Joins werden geloggt" #: log.cpp:211 msgid "Not logging joins" -msgstr "" +msgstr "Joins werden nicht geloggt" #: log.cpp:212 msgid "Logging quits" -msgstr "" +msgstr "Quits werden geloggt" #: log.cpp:212 msgid "Not logging quits" -msgstr "" +msgstr "Quits werden nicht geloggt" #: log.cpp:213 msgid "Logging nick changes" -msgstr "" +msgstr "Nick-Wechsel werden geloggt" #: log.cpp:214 msgid "Not logging nick changes" -msgstr "" +msgstr "Nick-Wechsel werden nicht geloggt" #: log.cpp:351 msgid "" "Invalid args [{1}]. Only one log path allowed. Check that there are no " "spaces in the path." msgstr "" +"Ungültige Argumente [{1}]. Nur ein Logging-Pfad ist erlaubt. Prüfe, dass der " +"Pfad keine Leerzeichen enthält." #: log.cpp:401 msgid "Invalid log path [{1}]" -msgstr "" +msgstr "Ungültiger Log-Pfad [{1}]" #: log.cpp:404 msgid "Logging to [{1}]. Using timestamp format '{2}'" -msgstr "" +msgstr "Logge nach [{1}] mit Zeitstempelformat '{2}'" #: log.cpp:559 msgid "[-sanitize] Optional path where to store logs." -msgstr "" +msgstr "[-sanitize] Optionaler Pfad zum Speichern von Logs." #: log.cpp:563 msgid "Writes IRC logs." -msgstr "" +msgstr "Schreibt IRC-Logs." diff --git a/modules/po/webadmin.de_DE.po b/modules/po/webadmin.de_DE.po index 89254dcf..8ca254ce 100644 --- a/modules/po/webadmin.de_DE.po +++ b/modules/po/webadmin.de_DE.po @@ -14,233 +14,247 @@ msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:12 msgid "Channel Info" -msgstr "" +msgstr "Kanal-Info" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:17 msgid "Channel Name:" -msgstr "" +msgstr "Kanalname:" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:19 msgid "The channel name." -msgstr "" +msgstr "Name des Kanals." #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:24 msgid "Key:" -msgstr "" +msgstr "Schlüssel:" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:26 msgid "The password of the channel, if there is one." -msgstr "" +msgstr "Das Passwort für den Kanal, sofern vorhanden." #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:30 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:241 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:260 msgid "Buffer Size:" -msgstr "" +msgstr "Puffergröße:" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:32 msgid "The buffer count." -msgstr "" +msgstr "Anzahl der Puffer." #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:36 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:235 msgid "Default Modes:" -msgstr "" +msgstr "Standardmodi:" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:38 msgid "The default modes of the channel." -msgstr "" +msgstr "Die Standard-Kanalmodi." #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:46 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:270 msgid "Flags" -msgstr "" +msgstr "Optionen" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:51 msgid "Save to config" -msgstr "" +msgstr "In der ZNC-Konfiguration speichern" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:67 #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:282 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:410 msgid "Module {1}" -msgstr "" +msgstr "Modul {1}" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:75 #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:290 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:419 msgid "Save and return" -msgstr "" +msgstr "Speichern und zurück" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:76 #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:291 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:420 msgid "Save and continue" -msgstr "" +msgstr "Speichern und fortfahren" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:78 msgid "Add Channel and return" -msgstr "" +msgstr "Channel hinzufügen und zurück" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:79 msgid "Add Channel and continue" -msgstr "" +msgstr "Channel hinzufügen und fortfahren" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:8 #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:11 msgid "<password>" -msgstr "" +msgstr "<Passwort>" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:11 #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:12 msgid "<network>" -msgstr "" +msgstr "<Netzwerk>" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:14 msgid "" "To connect to this network from your IRC client, you can set the server " "password field as {1} or username field as {2}" msgstr "" +"Um einen IRC-Client zu diesem Netzwerk zu verbinden, kannst Du {1} als Serverpasswort oder {2} als Benutzernamen eintragen" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:24 msgid "Network Info" -msgstr "" +msgstr "Netzwerkinfo" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:25 msgid "" "Nick, AltNick, Ident, RealName, BindHost can be left empty to use the value " "from the user." msgstr "" +"Nick, AltNick, Ident, RealName, BindHost können leer gelassen werden, um die " +"Werte des Benutzers zu nutzen." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:29 msgid "Network Name:" -msgstr "" +msgstr "Netzwerkname:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:31 msgid "The name of the IRC network." -msgstr "" +msgstr "Der Name des IRC-Netzwerks." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:35 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:69 msgid "Nickname:" -msgstr "" +msgstr "Nickname:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:37 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:71 msgid "Your nickname on IRC." -msgstr "" +msgstr "Dein Nickname im IRC." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:40 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:74 msgid "Alt. Nickname:" -msgstr "" +msgstr "Alt. Nickname:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:42 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:76 msgid "Your secondary nickname, if the first is not available on IRC." -msgstr "" +msgstr "Dein alternativer Nickname, falls der primäre nicht verfügbar ist." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:46 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:80 msgid "Ident:" -msgstr "" +msgstr "Ident:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:48 msgid "Your ident." -msgstr "" +msgstr "Dein Ident." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:51 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:91 msgid "Realname:" -msgstr "" +msgstr "Echter Name:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:53 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:93 msgid "Your real name." -msgstr "" +msgstr "Dein echter Name." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:58 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:99 msgid "BindHost:" -msgstr "" +msgstr "BindHost:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:65 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:112 msgid "Quit Message:" -msgstr "" +msgstr "Quit-Nachricht:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:67 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:114 msgid "You may define a Message shown, when you quit IRC." msgstr "" +"Diese Nachricht wird anderen angezeigt, wenn Du die Verbindung zum IRC " +"trennst." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:71 msgid "Active:" -msgstr "" +msgstr "Aktiv:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:73 msgid "Connect to IRC & automatically re-connect" -msgstr "" +msgstr "Verbinden und automatisch neu verbinden" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:77 msgid "Trust all certs:" -msgstr "" +msgstr "Allen Zertifikaten vertrauen:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:79 msgid "" "Disable certificate validation (takes precedence over TrustPKI). INSECURE!" msgstr "" +"Zertifikatsprüfung deaktivieren (hat Vorrang vor \"Vertraue dem PKI\"). " +"UNSICHER!" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:83 msgid "Trust the PKI:" -msgstr "" +msgstr "Vertraue dem PKI:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:85 msgid "" "Setting this to false will trust only certificates you added fingerprints " "for." msgstr "" +"Wenn diese Option nicht gesetzt ist, wird nur den Zertifikaten vertraut, für " +"die Du Fingerprints hinzugefügt hast." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:89 #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:96 msgid "Servers of this IRC network:" -msgstr "" +msgstr "Server dieses IRC-Netzwerks:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:93 msgid "One server per line, “host [[+]port] [password]”, + means SSL" -msgstr "" +msgstr "Ein Server pro Zeile, “Host [[+]Port] [Passwort]”, das + steht für SSL" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:101 msgid "Hostname" -msgstr "" +msgstr "Hostname" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:102 #: modules/po/../data/webadmin/tmpl/settings.tmpl:13 msgid "Port" -msgstr "" +msgstr "Port" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:103 #: modules/po/../data/webadmin/tmpl/settings.tmpl:15 msgid "SSL" -msgstr "" +msgstr "SSL" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:104 msgid "Password" -msgstr "" +msgstr "Passwort" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:116 msgid "SHA-256 fingerprints of trusted SSL certificates of this IRC network:" msgstr "" +"SHA-256-Fingerprints von vertrauenswürdigen SSL-Zertifikaten dieses IRC-" +"Netzwerks:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:120 msgid "" "When these certificates are encountered, checks for hostname, expiration " "date, CA are skipped" msgstr "" +"Bei diesen Zertifikaten werden Hostnamen, Ablaufdaten und CA beim Handshake " +"nicht validiert" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:124 msgid "Flood protection:" -msgstr "" +msgstr "Flooding-Schutz:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:127 msgid "" @@ -248,6 +262,9 @@ msgid "" "which occur, when your IRC bot is command flooded or spammed. After changing " "this, reconnect ZNC to server." msgstr "" +"Der Flooding-Schutz vermeidet \"excess flood\"-Fehler, die auftreten, wenn " +"Dein IRC-Client zu viel Text oder zu viele Kommandos in kurzer Zeit schickt. " +"Nach dem Ändern dieser Option musst Du ZNC neu zum IRC verbinden." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:130 msgctxt "Flood Protection" @@ -491,43 +508,49 @@ msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:133 msgid "Current Server" -msgstr "" +msgstr "Aktueller Server" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:134 msgid "Nick" -msgstr "" +msgstr "Nick" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:136 msgid "← Add a network (opens in same page)" -msgstr "" +msgstr "← Ein Netzwerk hinzufügen (öffnet sich in diesem Tab)" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:160 msgid "" "You will be able to add + modify networks here after you have cloned the " "user." msgstr "" +"Du kannst Netzwerke hier hinzufügen und bearbeiten, nachdem Du den Benutzer " +"geklont hast." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:162 msgid "" "You will be able to add + modify networks here after you have created the " "user." msgstr "" +"Du kannst Netzwerke hier hinzufügen und bearbeiten, nachdem Du den Benutzer " +"erstellt hast." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:178 #: modules/po/../data/webadmin/tmpl/settings.tmpl:179 msgid "Loaded by networks" -msgstr "" +msgstr "Durch Netzwerke geladen" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:237 msgid "" "These are the default modes ZNC will set when you join an empty channel." msgstr "" +"Die Standard-Kanalmodi, die ZNC beim Betreten eines leeren Kanals setzen " +"wird." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:238 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:244 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:263 msgid "Empty = use standard value" -msgstr "" +msgstr "Leer = benutze Vorgabewert" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:243 msgid "" @@ -535,18 +558,21 @@ msgid "" "before dropping off the oldest line. The buffers are stored in the memory by " "default." msgstr "" +"Die Anzahl der Zeilen, die der Playback-Puffer pro Kanal vorhält, bevor die " +"älteste Zeile gelöscht wird. Die Puffer werden standardmäßig im Speicher " +"gehalten." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:251 msgid "Queries" -msgstr "" +msgstr "Queries (Private Konversationen)" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:255 msgid "Max Buffers:" -msgstr "" +msgstr "Max. Pufferanzahl:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:257 msgid "Maximum number of query buffers. 0 is unlimited." -msgstr "" +msgstr "Maximale Zahl an Playback-Puffern für Queries. 0 für unbegrenzt." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:262 msgid "" @@ -554,19 +580,24 @@ msgid "" "before dropping off the oldest line. The buffers are stored in the memory by " "default." msgstr "" +"Die Anzahl der Zeilen, die der Playback-Puffer pro Query vorhält, bevor die " +"älteste Zeile gelöscht wird. Die Puffer werden standardmäßig im Speicher " +"gehalten." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:285 msgid "ZNC Behavior" -msgstr "" +msgstr "ZNC-Verhalten" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:286 msgid "" "Any of the following text boxes can be left empty to use their default value." msgstr "" +"Die folgenden Textfelder können leer gelassen werden, um den Vorgabewert zu " +"benutzen." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:290 msgid "Timestamp Format:" -msgstr "" +msgstr "Zeitstempelformat:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:292 msgid "" @@ -574,46 +605,56 @@ msgid "" "setting is ignored in new IRC clients, which use server-time. If your client " "supports server-time, change timestamp format in client settings instead." msgstr "" +"Das Format für die Zeitstempel, die in Puffern genutzt werden, z. B. [%H:%M:" +"%S]. Diese Einstellung wird in modernen IRC-Clients ignoriert, wenn sie " +"server-time nutzen. Wenn Dein Client server-time unterstützt, ändere das " +"Format in Deinem Client." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:295 msgid "Timezone:" -msgstr "" +msgstr "Zeitzone:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:298 msgid "E.g. Europe/Berlin, or GMT-6" -msgstr "" +msgstr "z.B. Europe/Berlin oder GMT-6" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:306 msgid "Character encoding used between IRC client and ZNC." -msgstr "" +msgstr "Zeichenkodierung zwischen IRC-Client und ZNC." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:307 msgid "Client encoding:" -msgstr "" +msgstr "Client-Zeichenkodierung:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:312 msgid "Join Tries:" -msgstr "" +msgstr "Join-Versuche:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:314 msgid "" "This defines how many times ZNC tries to join a channel, if the first join " "failed, e.g. due to channel mode +i/+k or if you are banned." msgstr "" +"Wie oft ZNC versuchen wird, einem Kanal beizutreten, falls der erste Versuch " +"fehlschlägt (z.B. weil Modus +i/+k gesetzt ist oder Du gebannt bist)." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:317 msgid "Join speed:" -msgstr "" +msgstr "Kanäle pro Join:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:319 msgid "" "How many channels are joined in one JOIN command. 0 is unlimited (default). " "Set to small positive value if you get disconnected with “Max SendQ Exceeded”" msgstr "" +"Wie viele Kanäle in einem JOIN-Kommando benutzt werden. 0 heißt unbegrenzt " +"(Standard). Solltest Du mit der Meldung \"Max SendQ Exceeded\" getrennt " +"werden, während ZNC gerade Kanäle betritt, setze dies auf eine einstellige " +"positive Zahl." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:322 msgid "Timeout before reconnect:" -msgstr "" +msgstr "Zeitüberschreitung vor Neuverbinden:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:324 msgid "" @@ -621,104 +662,112 @@ msgid "" "network or declares the connection timeout. This happens after attempts to " "ping the peer." msgstr "" +"Wie viele Sekunden ZNC nach dem Pingen des IRC-Servers auf Antwort wartet, " +"bevor ZNC eine Zeitüberschreitung deklariert." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:327 msgid "Max IRC Networks Number:" -msgstr "" +msgstr "Max. Anzahl an IRC-Netzwerken:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:329 msgid "Maximum number of IRC networks allowed for this user." msgstr "" +"Die maximale Anzahl an IRC-Netzwerken, die diesem Benutzer erlaubt werden." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:332 msgid "Substitutions" -msgstr "" +msgstr "Ersetzungen/Variablen" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:334 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:342 msgid "CTCP Replies:" -msgstr "" +msgstr "CTCP-Antworten:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:338 msgid "One reply per line. Example: TIME Buy a watch!" msgstr "" +"Eine Antwort pro Zeile. Beispiel: Anfrage TIME, Antwort " +"Kauf' Dir eine Uhr!" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:339 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:355 msgid "{1} are available" -msgstr "" +msgstr "Es kann mit {1} gearbeitet werden." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:341 msgid "Empty value means this CTCP request will be ignored" msgstr "" +"Wenn das Antwort-Feld leer gelassen wird, wird die CTCP-Anfrage ignoriert." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:347 msgid "Request" -msgstr "" +msgstr "Anfrage" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:348 msgid "Response" -msgstr "" +msgstr "Antwort" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:373 #: modules/po/../data/webadmin/tmpl/settings.tmpl:90 msgid "Skin:" -msgstr "" +msgstr "Oberfläche:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:377 msgid "- Global -" -msgstr "" +msgstr "- Global -" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:379 #: modules/po/../data/webadmin/tmpl/settings.tmpl:94 msgid "Default" -msgstr "" +msgstr "Standard" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:383 msgid "No other skins found" -msgstr "" +msgstr "Keine anderen Oberflächen gefunden" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:389 msgid "Language:" -msgstr "" +msgstr "Sprache:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:422 msgid "Clone and return" -msgstr "" +msgstr "Klonen und zurück" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:423 msgid "Clone and continue" -msgstr "" +msgstr "Klonen und fortfahren" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:425 msgid "Create and return" -msgstr "" +msgstr "Anlegen und zurück" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:426 msgid "Create and continue" -msgstr "" +msgstr "Erstellen und fortsetzen" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:432 #: modules/po/../data/webadmin/tmpl/listusers.tmpl:28 msgid "Clone" -msgstr "" +msgstr "Klonen" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:434 msgid "Create" -msgstr "" +msgstr "Erstellen" #: modules/po/../data/webadmin/tmpl/del_network.tmpl:5 msgid "Confirm Network Deletion" -msgstr "" +msgstr "Löschen des Netzwerks bestätigen" #: modules/po/../data/webadmin/tmpl/del_network.tmpl:9 msgid "Are you sure you want to delete network “{2}” of user “{1}”?" msgstr "" +"Bist Du sicher, dass Du das Netzwerk “{2}” des Benutzers “{1}” löschen " +"möchtest?" #: modules/po/../data/webadmin/tmpl/del_network.tmpl:14 #: modules/po/../data/webadmin/tmpl/del_user.tmpl:14 msgid "Yes" -msgstr "" +msgstr "Ja" #: modules/po/../data/webadmin/tmpl/del_network.tmpl:17 #: modules/po/../data/webadmin/tmpl/del_user.tmpl:17 @@ -933,216 +982,227 @@ msgstr "" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:51 msgid "IRC Connections" -msgstr "" +msgstr "IRC-Verbindungen" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:63 #: modules/po/../data/webadmin/tmpl/traffic.tmpl:72 #: modules/po/../data/webadmin/tmpl/traffic.tmpl:89 #: modules/po/../data/webadmin/tmpl/traffic.tmpl:117 msgid "Total" -msgstr "" +msgstr "Gesamt" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:70 #: modules/po/../data/webadmin/tmpl/traffic.tmpl:115 msgctxt "Traffic" msgid "In" -msgstr "" +msgstr "Eingehend" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:71 #: modules/po/../data/webadmin/tmpl/traffic.tmpl:116 msgctxt "Traffic" msgid "Out" -msgstr "" +msgstr "Ausgehend" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:77 #: modules/po/../data/webadmin/tmpl/traffic.tmpl:104 msgid "Users" -msgstr "" +msgstr "Benutzer" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:106 msgid "Traffic" -msgstr "" +msgstr "Traffic" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:113 msgid "User" -msgstr "" +msgstr "Benutzer" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:114 msgid "Network" -msgstr "" +msgstr "Netzwerk" #: webadmin.cpp:91 webadmin.cpp:1872 msgid "Global Settings" -msgstr "" +msgstr "Globale Einstellungen" #: webadmin.cpp:93 msgid "Your Settings" -msgstr "" +msgstr "Deine Einstellungen" #: webadmin.cpp:94 webadmin.cpp:1684 msgid "Traffic Info" -msgstr "" +msgstr "Traffic-Zähler" #: webadmin.cpp:97 webadmin.cpp:1663 msgid "Manage Users" -msgstr "" +msgstr "Benutzer verwalten" #: webadmin.cpp:188 msgid "Invalid Submission [Username is required]" -msgstr "" +msgstr "Ungültige Daten [Benutzername muss ausgefüllt sein]" #: webadmin.cpp:201 msgid "Invalid Submission [Passwords do not match]" -msgstr "" +msgstr "Ungültige Daten [Passwörter stimmen nicht überein]" #: webadmin.cpp:323 msgid "Timeout can't be less than 30 seconds!" -msgstr "" +msgstr "Zeitüberschreitung darf nicht weniger als 30 Sekunden sein!" #: webadmin.cpp:407 webadmin.cpp:435 webadmin.cpp:1182 webadmin.cpp:2057 msgid "Unable to load module [{1}]: {2}" -msgstr "" +msgstr "Kann Modul {1} nicht laden: {2}" #: webadmin.cpp:412 webadmin.cpp:440 msgid "Unable to load module [{1}] with arguments [{2}]" -msgstr "" +msgstr "Kann Modul {1} mit Argumenten {2} nicht laden" #: webadmin.cpp:521 webadmin.cpp:625 webadmin.cpp:650 webadmin.cpp:672 #: webadmin.cpp:706 webadmin.cpp:1249 msgid "No such user" -msgstr "" +msgstr "Benutzer existiert nicht" #: webadmin.cpp:534 webadmin.cpp:566 webadmin.cpp:595 webadmin.cpp:611 msgid "No such user or network" -msgstr "" +msgstr "Benutzer oder Netzwerk existiert nicht" #: webadmin.cpp:576 msgid "No such channel" -msgstr "" +msgstr "Kanal existiert nicht" #: webadmin.cpp:642 msgid "Please don't delete yourself, suicide is not the answer!" -msgstr "" +msgstr "Bitte lösche Dich nicht, Suizid ist keine Lösung!" #: webadmin.cpp:715 webadmin.cpp:972 webadmin.cpp:1314 msgid "Edit User [{1}]" -msgstr "" +msgstr "Benutzer [{1}] bearbeiten" #: webadmin.cpp:719 webadmin.cpp:906 msgid "Edit Network [{1}]" -msgstr "" +msgstr "Netzwerk [{1}] bearbeiten" #: webadmin.cpp:729 msgid "Edit Channel [{1}] of Network [{2}] of User [{3}]" -msgstr "" +msgstr "Kanal [{1}] in Netzwerk [{2}] von Benutzer [{3}] bearbeiten" #: webadmin.cpp:736 msgid "Edit Channel [{1}]" -msgstr "" +msgstr "Kanal [{1}] bearbeiten" #: webadmin.cpp:744 msgid "Add Channel to Network [{1}] of User [{2}]" -msgstr "" +msgstr "Kanal zum Netzwerk [{1}] von Benutzer [{2}] hinzufügen" #: webadmin.cpp:749 msgid "Add Channel" -msgstr "" +msgstr "Kanal hinzufügen" #: webadmin.cpp:756 webadmin.cpp:1510 msgid "Auto Clear Chan Buffer" -msgstr "" +msgstr "Automatisch Kanal-Puffer leeren" #: webadmin.cpp:758 msgid "Automatically Clear Channel Buffer After Playback" msgstr "" +"Den Playback-Puffer eines Kanals automatisch nach dem Wiedergeben leeren" #: webadmin.cpp:766 msgid "Detached" -msgstr "" +msgstr "Abgetrennt" #: webadmin.cpp:773 msgid "Enabled" -msgstr "" +msgstr "Aktiviert" #: webadmin.cpp:797 msgid "Channel name is a required argument" -msgstr "" +msgstr "Kanalname ist ein notwendiger Parameter" #: webadmin.cpp:806 msgid "Channel [{1}] already exists" -msgstr "" +msgstr "Kanal [{1}] existiert bereits" #: webadmin.cpp:813 msgid "Could not add channel [{1}]" -msgstr "" +msgstr "Kanal [{1}] konnte nicht hinzugefügt werden" #: webadmin.cpp:861 msgid "Channel was added/modified, but config file was not written" msgstr "" +"Channel wurde hinzugefügt/bearbeitet, aber die Konfigurationsdatei wurde " +"nicht gespeichert" #: webadmin.cpp:888 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks from Your Settings." msgstr "" +"Maximale Anzahl an Netzwerken erreicht. Bitte einen Administrator, Dein " +"Limit zu erhöhen, oder entferne nicht benötigte Netzwerke aus Deinen " +"Einstellungen." #: webadmin.cpp:903 msgid "Edit Network [{1}] of User [{2}]" -msgstr "" +msgstr "Netzwerk [{1}] von Benutzer [{2}] bearbeiten" #: webadmin.cpp:910 msgid "Add Network for User [{1}]" -msgstr "" +msgstr "Netzwerk für Benutzer [{1}] hinzufügen" #: webadmin.cpp:911 msgid "Add Network" -msgstr "" +msgstr "Netzwerk hinzufügen" #: webadmin.cpp:1073 msgid "Network name is a required argument" -msgstr "" +msgstr "Netzwerkname ist ein notwendiger Parameter" #: webadmin.cpp:1189 webadmin.cpp:2064 msgid "Unable to reload module [{1}]: {2}" -msgstr "" +msgstr "Kann Modul {1} nicht neu laden: {2}" #: webadmin.cpp:1226 msgid "Network was added/modified, but config file was not written" msgstr "" +"Netzwerk wurde hinzugefügt/bearbeitet, aber die Konfigurationsdatei wurde " +"nicht gespeichert" #: webadmin.cpp:1255 msgid "That network doesn't exist for this user" -msgstr "" +msgstr "Dieser Nutzer hat dieses Netzwerk nicht" #: webadmin.cpp:1272 msgid "Network was deleted, but config file was not written" msgstr "" +"Netzwerk wurde entfernt, aber die Konfigurationsdatei wurde nicht gespeichert" #: webadmin.cpp:1286 msgid "That channel doesn't exist for this network" -msgstr "" +msgstr "Dieser Kanal existiert in diesem Netzwerk nicht" #: webadmin.cpp:1295 msgid "Channel was deleted, but config file was not written" msgstr "" +"Kanal wurde entfernt, aber die Konfigurationsdatei wurde nicht gespeichert" #: webadmin.cpp:1323 msgid "Clone User [{1}]" -msgstr "" +msgstr "Benutzer [{1}] klonen" #: webadmin.cpp:1512 msgid "" "Automatically Clear Channel Buffer After Playback (the default value for new " "channels)" msgstr "" +"Kanal-Puffer nach Wiedergabe automatisch leeren (Vorgabewert für neue Kanäle)" #: webadmin.cpp:1522 msgid "Multi Clients" -msgstr "" +msgstr "Erlaube mehrere Clients" #: webadmin.cpp:1529 msgid "Append Timestamps" -msgstr "" +msgstr "Zeitstempel am Ende anfügen" #: webadmin.cpp:1536 msgid "Prepend Timestamps" From 2ed4d1b664b9242efb00c25fed0f5c19516f1f5c Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Sat, 12 Jan 2019 09:01:42 +0000 Subject: [PATCH 227/798] ZNC 1.7.2-rc1 --- CMakeLists.txt | 8 ++++---- configure.ac | 4 ++-- include/znc/version.h | 4 ++-- 3 files changed, 8 insertions(+), 8 deletions(-) diff --git a/CMakeLists.txt b/CMakeLists.txt index 3c1b3352..09c4ba4f 100644 --- a/CMakeLists.txt +++ b/CMakeLists.txt @@ -15,10 +15,10 @@ # cmake_minimum_required(VERSION 3.1) -project(ZNC VERSION 1.7.1) -set(ZNC_VERSION 1.7.x) -set(append_git_version true) -set(alpha_version "") # e.g. "-rc1" +project(ZNC VERSION 1.7.2) +set(ZNC_VERSION 1.7.2) +set(append_git_version false) +set(alpha_version "-rc1") # e.g. "-rc1" set(VERSION_EXTRA "" CACHE STRING "Additional string appended to version, e.g. to mark distribution") diff --git a/configure.ac b/configure.ac index b755cfe8..221779c8 100644 --- a/configure.ac +++ b/configure.ac @@ -7,8 +7,8 @@ AC_DEFUN([AC_PROG_CC], [m4_errprint(__file__:__line__[: Something is trying to u dnl Needed for AC_PATH_PROGS_FEATURE_CHECK which was added in 2.62 AC_PREREQ([2.62]) dnl Keep the version number in sync with version.h! -AC_INIT([znc], [1.7.x]) -LIBZNC_VERSION=1.7.x +AC_INIT([znc], [1.7.2-rc1]) +LIBZNC_VERSION=1.7.2 AC_CONFIG_MACRO_DIR([m4]) AC_CONFIG_SRCDIR([src/znc.cpp]) AC_LANG([C++]) diff --git a/include/znc/version.h b/include/znc/version.h index 3f3fbab8..b8d2e646 100644 --- a/include/znc/version.h +++ b/include/znc/version.h @@ -20,9 +20,9 @@ limitations under the License. // The following defines are for #if comparison (preprocessor only likes ints) #define VERSION_MAJOR 1 #define VERSION_MINOR 7 -#define VERSION_PATCH -1 +#define VERSION_PATCH 2 // This one is for display purpose and to check ABI compatibility of modules -#define VERSION_STR "1.7.x" +#define VERSION_STR "1.7.2" #endif // Don't use this one From 75475972d7647828ea24263b5097b2039c03b820 Mon Sep 17 00:00:00 2001 From: Uli Schlachter Date: Thu, 24 Jan 2019 13:11:50 +0100 Subject: [PATCH 228/798] sasl: Fix sending of long authentication information The specification requires AUTHENTICATE information to be split into chunks of size 400. This commit implements the necessary chunking. Fixes: https://github.com/znc/znc/issues/942 Signed-off-by: Uli Schlachter --- modules/sasl.cpp | 17 +++++++++++++---- 1 file changed, 13 insertions(+), 4 deletions(-) diff --git a/modules/sasl.cpp b/modules/sasl.cpp index 8509ed2d..ca381f02 100644 --- a/modules/sasl.cpp +++ b/modules/sasl.cpp @@ -194,13 +194,22 @@ class CSASLMod : public CModule { } void Authenticate(const CString& sLine) { + /* Send blank authenticate for other mechanisms (like EXTERNAL). */ + CString sAuthLine; if (m_Mechanisms.GetCurrent().Equals("PLAIN") && sLine.Equals("+")) { - CString sAuthLine = GetNV("username") + '\0' + GetNV("username") + + sAuthLine = GetNV("username") + '\0' + GetNV("username") + '\0' + GetNV("password"); sAuthLine.Base64Encode(); - PutIRC("AUTHENTICATE " + sAuthLine); - } else { - /* Send blank authenticate for other mechanisms (like EXTERNAL). */ + } + + /* The spec requires authentication data to be sent in chunks */ + const size_t chunkSize = 400; + for (size_t offset = 0; offset < sAuthLine.length(); offset += chunkSize) { + size_t size = std::min(chunkSize, sAuthLine.length() - offset); + PutIRC("AUTHENTICATE " + sAuthLine.substr(offset, size)); + } + if (sAuthLine.length() % chunkSize == 0) { + /* Signal end if we have a multiple of the chunk size */ PutIRC("AUTHENTICATE +"); } } From 733564bf432aa294d662f36db828b504290cd754 Mon Sep 17 00:00:00 2001 From: DjLegolas Date: Sat, 19 Jan 2019 15:33:05 +0200 Subject: [PATCH 229/798] Automatically discover DESC value in `make-tarball.sh` Close #1634 --- make-tarball.sh | 3 +-- 1 file changed, 1 insertion(+), 2 deletions(-) diff --git a/make-tarball.sh b/make-tarball.sh index c13b5102..ab15e541 100755 --- a/make-tarball.sh +++ b/make-tarball.sh @@ -32,8 +32,7 @@ else ZNCDIR=znc-$VERSION TARGZ=$ZNCDIR.tar.gz SIGN=1 - DESC="" - # DESC="-rc1" + DESC="$(sed -En 's/set\(alpha_version "(.*)"\).*/\1/p' CMakeLists.txt)" fi TARGZ=`readlink -f -- $TARGZ` From 5cde1eb3c112b6f7508521060da1b2b3df88b158 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Sun, 27 Jan 2019 09:17:35 +0000 Subject: [PATCH 230/798] Increase the version number to 1.7.2 --- CMakeLists.txt | 2 +- ChangeLog.md | 18 ++++++++++++++++++ configure.ac | 2 +- 3 files changed, 20 insertions(+), 2 deletions(-) diff --git a/CMakeLists.txt b/CMakeLists.txt index 09c4ba4f..60bfb721 100644 --- a/CMakeLists.txt +++ b/CMakeLists.txt @@ -18,7 +18,7 @@ cmake_minimum_required(VERSION 3.1) project(ZNC VERSION 1.7.2) set(ZNC_VERSION 1.7.2) set(append_git_version false) -set(alpha_version "-rc1") # e.g. "-rc1" +set(alpha_version "") # e.g. "-rc1" set(VERSION_EXTRA "" CACHE STRING "Additional string appended to version, e.g. to mark distribution") diff --git a/ChangeLog.md b/ChangeLog.md index 27e8cfdd..f4525425 100644 --- a/ChangeLog.md +++ b/ChangeLog.md @@ -1,3 +1,21 @@ +# ZNC 1.7.2 (2019-01-19) + +## New +* Add French translation +* Update translations + +## Fixes +* Fix compilation without deprecated APIs in OpenSSL +* Distinguish Channel CTCP Requests and Replies +* admindebug: Enforce need of TTY to turn on debug mode +* controlpanel: Add missing return to ListNetMods +* webadmin: Fix adding the last allowed network + +## Internal +* Add more details to DNS error logs + + + # ZNC 1.7.1 (2018-07-17) ## Security critical fixes diff --git a/configure.ac b/configure.ac index 221779c8..3f2f4e67 100644 --- a/configure.ac +++ b/configure.ac @@ -7,7 +7,7 @@ AC_DEFUN([AC_PROG_CC], [m4_errprint(__file__:__line__[: Something is trying to u dnl Needed for AC_PATH_PROGS_FEATURE_CHECK which was added in 2.62 AC_PREREQ([2.62]) dnl Keep the version number in sync with version.h! -AC_INIT([znc], [1.7.2-rc1]) +AC_INIT([znc], [1.7.2]) LIBZNC_VERSION=1.7.2 AC_CONFIG_MACRO_DIR([m4]) AC_CONFIG_SRCDIR([src/znc.cpp]) From 855ab8c55d968d7355a87f0748a7aaf4ac417db0 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Sun, 27 Jan 2019 09:37:10 +0000 Subject: [PATCH 231/798] Revert version number to 1.7.x --- CMakeLists.txt | 4 ++-- configure.ac | 4 ++-- include/znc/version.h | 4 ++-- 3 files changed, 6 insertions(+), 6 deletions(-) diff --git a/CMakeLists.txt b/CMakeLists.txt index 60bfb721..6f84e9d6 100644 --- a/CMakeLists.txt +++ b/CMakeLists.txt @@ -16,8 +16,8 @@ cmake_minimum_required(VERSION 3.1) project(ZNC VERSION 1.7.2) -set(ZNC_VERSION 1.7.2) -set(append_git_version false) +set(ZNC_VERSION 1.7.x) +set(append_git_version true) set(alpha_version "") # e.g. "-rc1" set(VERSION_EXTRA "" CACHE STRING "Additional string appended to version, e.g. to mark distribution") diff --git a/configure.ac b/configure.ac index 3f2f4e67..b755cfe8 100644 --- a/configure.ac +++ b/configure.ac @@ -7,8 +7,8 @@ AC_DEFUN([AC_PROG_CC], [m4_errprint(__file__:__line__[: Something is trying to u dnl Needed for AC_PATH_PROGS_FEATURE_CHECK which was added in 2.62 AC_PREREQ([2.62]) dnl Keep the version number in sync with version.h! -AC_INIT([znc], [1.7.2]) -LIBZNC_VERSION=1.7.2 +AC_INIT([znc], [1.7.x]) +LIBZNC_VERSION=1.7.x AC_CONFIG_MACRO_DIR([m4]) AC_CONFIG_SRCDIR([src/znc.cpp]) AC_LANG([C++]) diff --git a/include/znc/version.h b/include/znc/version.h index b8d2e646..3f3fbab8 100644 --- a/include/znc/version.h +++ b/include/znc/version.h @@ -20,9 +20,9 @@ limitations under the License. // The following defines are for #if comparison (preprocessor only likes ints) #define VERSION_MAJOR 1 #define VERSION_MINOR 7 -#define VERSION_PATCH 2 +#define VERSION_PATCH -1 // This one is for display purpose and to check ABI compatibility of modules -#define VERSION_STR "1.7.2" +#define VERSION_STR "1.7.x" #endif // Don't use this one From 91af796c4d160a0334719845d98001dbf5645b12 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Mon, 28 Jan 2019 00:27:19 +0000 Subject: [PATCH 232/798] Update translations from Crowdin for pt_BR --- src/po/znc.pt_BR.po | 110 ++++++++++++++++++++++++-------------------- 1 file changed, 60 insertions(+), 50 deletions(-) diff --git a/src/po/znc.pt_BR.po b/src/po/znc.pt_BR.po index 425496f4..60a65687 100644 --- a/src/po/znc.pt_BR.po +++ b/src/po/znc.pt_BR.po @@ -77,7 +77,7 @@ msgstr "Não foi possível vincular: {1}" #: IRCNetwork.cpp:235 msgid "Jumping servers because this server is no longer in the list" -msgstr "" +msgstr "Trocando de servidor, pois este servidor não está mais na lista" #: IRCNetwork.cpp:640 User.cpp:678 msgid "Welcome to ZNC" @@ -90,7 +90,7 @@ msgstr "" #: IRCNetwork.cpp:758 msgid "This network is being deleted or moved to another user." -msgstr "" +msgstr "Esta rede está sendo excluída ou movida para outro usuário." #: IRCNetwork.cpp:987 msgid "The channel {1} could not be joined, disabling it." @@ -98,11 +98,13 @@ msgstr "Não foi possível entrar no canal {1}. Desabilitando-o." #: IRCNetwork.cpp:1116 msgid "Your current server was removed, jumping..." -msgstr "" +msgstr "O seu servidor atual foi removido, trocando de servidor..." #: IRCNetwork.cpp:1279 msgid "Cannot connect to {1}, because ZNC is not compiled with SSL support." msgstr "" +"Não foi possível conectar-se a {1}. O ZNC não foi compilado com suporte a " +"SSL." #: IRCNetwork.cpp:1300 msgid "Some module aborted the connection attempt" @@ -114,7 +116,7 @@ msgstr "Erro do servidor: {1}" #: IRCSock.cpp:692 msgid "ZNC seems to be connected to itself, disconnecting..." -msgstr "" +msgstr "Parece que o ZNC está conectado a si mesmo. Desconectando..." #: IRCSock.cpp:739 msgid "Server {1} redirects us to {2}:{3} with reason: {4}" @@ -122,15 +124,15 @@ msgstr "" #: IRCSock.cpp:743 msgid "Perhaps you want to add it as a new server." -msgstr "" +msgstr "Talvez você queira adicioná-lo como um novo servidor." #: IRCSock.cpp:973 msgid "Channel {1} is linked to another channel and was thus disabled." -msgstr "" +msgstr "O canal {1} foi desabilitado por estar vinculado a outro canal." #: IRCSock.cpp:985 msgid "Switched to SSL (STARTTLS)" -msgstr "" +msgstr "Alternado para SSL (STARTTLS)" #: IRCSock.cpp:1038 msgid "You quit: {1}" @@ -151,10 +153,11 @@ msgstr "Desconectado do IRC ({1}). Reconectando..." #: IRCSock.cpp:1308 msgid "If you trust this certificate, do /znc AddTrustedServerFingerprint {1}" msgstr "" +"Caso confie neste certificado, digite /znc AddTrustedServerFingerprint {1}" #: IRCSock.cpp:1325 msgid "IRC connection timed out. Reconnecting..." -msgstr "" +msgstr "A conexão ao servidor expirou. Reconectando..." #: IRCSock.cpp:1337 msgid "Connection Refused. Reconnecting..." @@ -179,6 +182,8 @@ msgstr "O módulo {1} não existe" #: Client.cpp:359 msgid "A client from {1} attempted to login as you, but was rejected: {2}" msgstr "" +"Um cliente com o IP {1} tentou iniciar sessão na sua conta, mas foi " +"rejeitado: {2}" #: Client.cpp:394 msgid "Network {1} doesn't exist." @@ -205,6 +210,8 @@ msgid "" "If you want to choose another network, use /znc JumpNetwork , or " "connect to ZNC with username {1}/ (instead of just {1})" msgstr "" +"Caso queira escolher outra rede, digite /znc JumpNetwork , ou então " +"conecte ao ZNC com o nome de usuário {1}/ (em vez de somente {1})" #: Client.cpp:420 msgid "" @@ -253,8 +260,8 @@ msgstr "Uso: /attach <#canais>" #: Client.cpp:1337 Client.cpp:1359 ClientCommand.cpp:129 ClientCommand.cpp:151 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "Foi encontrado {1} canal correspondente a [{2}]" +msgstr[1] "Foi encontrado {1} canal correspondentes a [{2}]" #: Client.cpp:1340 ClientCommand.cpp:132 msgid "Attached {1} channel" @@ -264,7 +271,7 @@ msgstr[1] "" #: Client.cpp:1352 msgid "Usage: /detach <#chans>" -msgstr "" +msgstr "Uso: /detach <#canais>" #: Client.cpp:1362 ClientCommand.cpp:154 msgid "Detached {1} channel" @@ -292,7 +299,7 @@ msgstr "" #: Modules.cpp:573 ClientCommand.cpp:1894 msgid "No matches for '{1}'" -msgstr "" +msgstr "Nenhuma correspondência para '{1}'" #: Modules.cpp:691 msgid "This module doesn't implement any commands." @@ -312,7 +319,7 @@ msgstr "Não foi possível encontrar o módulo {1}" #: Modules.cpp:1659 msgid "Module {1} does not support module type {2}." -msgstr "" +msgstr "O módulo {1} não suporta o tipo de módulo {2}." #: Modules.cpp:1666 msgid "Module {1} requires a user." @@ -328,11 +335,11 @@ msgstr "" #: Modules.cpp:1694 msgid "Module {1} aborted: {2}" -msgstr "" +msgstr "Módulo {1} finalizado: {2}" #: Modules.cpp:1696 msgid "Module {1} aborted." -msgstr "" +msgstr "Módulo {1} finalizado." #: Modules.cpp:1720 Modules.cpp:1762 msgid "Module [{1}] not loaded." @@ -340,11 +347,11 @@ msgstr "O módulo [{1}] não foi carregado." #: Modules.cpp:1744 msgid "Module {1} unloaded." -msgstr "" +msgstr "Módulo {1} desligado." #: Modules.cpp:1749 msgid "Unable to unload module {1}." -msgstr "" +msgstr "Não foi possível desativar o módulo {1}." #: Modules.cpp:1778 msgid "Reloaded module {1}." @@ -389,12 +396,12 @@ msgstr "" #: Modules.cpp:2002 Modules.cpp:2008 msgctxt "modhelpcmd" msgid "Command" -msgstr "" +msgstr "Comando" #: Modules.cpp:2003 Modules.cpp:2009 msgctxt "modhelpcmd" msgid "Description" -msgstr "" +msgstr "Descrição" #: ClientCommand.cpp:51 ClientCommand.cpp:115 ClientCommand.cpp:137 #: ClientCommand.cpp:749 ClientCommand.cpp:768 ClientCommand.cpp:794 @@ -403,7 +410,7 @@ msgstr "" #: ClientCommand.cpp:1401 ClientCommand.cpp:1412 ClientCommand.cpp:1421 #: ClientCommand.cpp:1433 msgid "You must be connected with a network to use this command" -msgstr "" +msgstr "Você precisa estar conectado a uma rede para usar este comando" #: ClientCommand.cpp:58 msgid "Usage: ListNicks <#chan>" @@ -423,7 +430,7 @@ msgstr "" #: ClientCommand.cpp:91 ClientCommand.cpp:106 msgid "Nick" -msgstr "" +msgstr "Apelido" #: ClientCommand.cpp:92 ClientCommand.cpp:107 msgid "Ident" @@ -431,15 +438,15 @@ msgstr "" #: ClientCommand.cpp:93 ClientCommand.cpp:108 msgid "Host" -msgstr "" +msgstr "Host" #: ClientCommand.cpp:122 msgid "Usage: Attach <#chans>" -msgstr "" +msgstr "Uso: Attach <#canais>" #: ClientCommand.cpp:144 msgid "Usage: Detach <#chans>" -msgstr "" +msgstr "Uso: Detach <#canais>" #: ClientCommand.cpp:161 msgid "There is no MOTD set." @@ -455,7 +462,7 @@ msgstr "" #: ClientCommand.cpp:173 msgid "Wrote config to {1}" -msgstr "" +msgstr "Configuração salva em {1}" #: ClientCommand.cpp:175 msgid "Error while trying to write config." @@ -480,12 +487,12 @@ msgstr "" #: ClientCommand.cpp:484 ClientCommand.cpp:500 msgctxt "listchans" msgid "Name" -msgstr "" +msgstr "Nome" #: ClientCommand.cpp:485 ClientCommand.cpp:503 msgctxt "listchans" msgid "Status" -msgstr "" +msgstr "Estado" #: ClientCommand.cpp:486 ClientCommand.cpp:510 msgctxt "listchans" @@ -505,12 +512,12 @@ msgstr "" #: ClientCommand.cpp:489 ClientCommand.cpp:521 msgctxt "listchans" msgid "Modes" -msgstr "" +msgstr "Modos" #: ClientCommand.cpp:490 ClientCommand.cpp:522 msgctxt "listchans" msgid "Users" -msgstr "" +msgstr "Usuários" #: ClientCommand.cpp:505 msgctxt "listchans" @@ -520,12 +527,12 @@ msgstr "" #: ClientCommand.cpp:506 msgctxt "listchans" msgid "Joined" -msgstr "" +msgstr "Entrou" #: ClientCommand.cpp:507 msgctxt "listchans" msgid "Disabled" -msgstr "" +msgstr "Desabilitado" #: ClientCommand.cpp:508 msgctxt "listchans" @@ -535,7 +542,7 @@ msgstr "" #: ClientCommand.cpp:511 ClientCommand.cpp:519 msgctxt "listchans" msgid "yes" -msgstr "" +msgstr "sim" #: ClientCommand.cpp:536 msgid "Total: {1}, Joined: {2}, Detached: {3}, Disabled: {4}" @@ -546,10 +553,13 @@ msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks using /znc DelNetwork " msgstr "" +"O limite de redes foi atingido. Peça a um administrador para aumentar o seu " +"limite de redes, ou então exclua redes desnecessárias usando o comando /znc " +"DelNetwork " #: ClientCommand.cpp:550 msgid "Usage: AddNetwork " -msgstr "" +msgstr "Uso: AddNetwork " #: ClientCommand.cpp:554 msgid "Network name should be alphanumeric" @@ -571,11 +581,11 @@ msgstr "" #: ClientCommand.cpp:582 msgid "Network deleted" -msgstr "" +msgstr "A rede foi excluída" #: ClientCommand.cpp:585 msgid "Failed to delete network, perhaps this network doesn't exist" -msgstr "" +msgstr "Falha ao excluir rede. Talvez esta rede não existe." #: ClientCommand.cpp:595 msgid "User {1} not found" @@ -584,7 +594,7 @@ msgstr "" #: ClientCommand.cpp:603 ClientCommand.cpp:611 msgctxt "listnetworks" msgid "Network" -msgstr "" +msgstr "Rede" #: ClientCommand.cpp:604 ClientCommand.cpp:613 ClientCommand.cpp:622 msgctxt "listnetworks" @@ -594,36 +604,36 @@ msgstr "" #: ClientCommand.cpp:605 ClientCommand.cpp:615 msgctxt "listnetworks" msgid "IRC Server" -msgstr "" +msgstr "Servidor IRC" #: ClientCommand.cpp:606 ClientCommand.cpp:617 msgctxt "listnetworks" msgid "IRC User" -msgstr "" +msgstr "Usuário IRC" #: ClientCommand.cpp:607 ClientCommand.cpp:619 msgctxt "listnetworks" msgid "Channels" -msgstr "" +msgstr "Canais" #: ClientCommand.cpp:614 msgctxt "listnetworks" msgid "Yes" -msgstr "" +msgstr "Sim" #: ClientCommand.cpp:623 msgctxt "listnetworks" msgid "No" -msgstr "" +msgstr "Não" #: ClientCommand.cpp:628 msgctxt "listnetworks" msgid "No networks" -msgstr "" +msgstr "Não há redes disponíveis." #: ClientCommand.cpp:632 ClientCommand.cpp:932 msgid "Access denied." -msgstr "" +msgstr "Acesso negado." #: ClientCommand.cpp:643 msgid "Usage: MoveNetwork [new network]" @@ -659,7 +669,7 @@ msgstr "" #: ClientCommand.cpp:718 msgid "Success." -msgstr "" +msgstr "Sucesso." #: ClientCommand.cpp:721 msgid "Copied the network to new user, but failed to delete old network" @@ -687,7 +697,7 @@ msgstr "" #: ClientCommand.cpp:759 msgid "Server added" -msgstr "" +msgstr "Servidor adicionado" #: ClientCommand.cpp:762 msgid "" @@ -714,27 +724,27 @@ msgstr "" #: ClientCommand.cpp:802 ClientCommand.cpp:809 msgctxt "listservers" msgid "Host" -msgstr "" +msgstr "Host" #: ClientCommand.cpp:803 ClientCommand.cpp:811 msgctxt "listservers" msgid "Port" -msgstr "" +msgstr "Porta" #: ClientCommand.cpp:804 ClientCommand.cpp:814 msgctxt "listservers" msgid "SSL" -msgstr "" +msgstr "SSL" #: ClientCommand.cpp:805 ClientCommand.cpp:816 msgctxt "listservers" msgid "Password" -msgstr "" +msgstr "Senha" #: ClientCommand.cpp:815 msgctxt "listservers|cell" msgid "SSL" -msgstr "" +msgstr "SSL" #: ClientCommand.cpp:832 msgid "Usage: AddTrustedServerFingerprint " From 06778a81f2bb8b6926cbacb73c3b8d08de77733a Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Mon, 28 Jan 2019 00:27:34 +0000 Subject: [PATCH 233/798] Update translations from Crowdin for pt_BR --- src/po/znc.pt_BR.po | 110 ++++++++++++++++++++++++-------------------- 1 file changed, 60 insertions(+), 50 deletions(-) diff --git a/src/po/znc.pt_BR.po b/src/po/znc.pt_BR.po index f0be16c8..e4ca2edc 100644 --- a/src/po/znc.pt_BR.po +++ b/src/po/znc.pt_BR.po @@ -77,7 +77,7 @@ msgstr "Não foi possível vincular: {1}" #: IRCNetwork.cpp:235 msgid "Jumping servers because this server is no longer in the list" -msgstr "" +msgstr "Trocando de servidor, pois este servidor não está mais na lista" #: IRCNetwork.cpp:640 User.cpp:678 msgid "Welcome to ZNC" @@ -90,7 +90,7 @@ msgstr "" #: IRCNetwork.cpp:758 msgid "This network is being deleted or moved to another user." -msgstr "" +msgstr "Esta rede está sendo excluída ou movida para outro usuário." #: IRCNetwork.cpp:987 msgid "The channel {1} could not be joined, disabling it." @@ -98,11 +98,13 @@ msgstr "Não foi possível entrar no canal {1}. Desabilitando-o." #: IRCNetwork.cpp:1116 msgid "Your current server was removed, jumping..." -msgstr "" +msgstr "O seu servidor atual foi removido, trocando de servidor..." #: IRCNetwork.cpp:1279 msgid "Cannot connect to {1}, because ZNC is not compiled with SSL support." msgstr "" +"Não foi possível conectar-se a {1}. O ZNC não foi compilado com suporte a " +"SSL." #: IRCNetwork.cpp:1300 msgid "Some module aborted the connection attempt" @@ -114,7 +116,7 @@ msgstr "Erro do servidor: {1}" #: IRCSock.cpp:692 msgid "ZNC seems to be connected to itself, disconnecting..." -msgstr "" +msgstr "Parece que o ZNC está conectado a si mesmo. Desconectando..." #: IRCSock.cpp:739 msgid "Server {1} redirects us to {2}:{3} with reason: {4}" @@ -122,15 +124,15 @@ msgstr "" #: IRCSock.cpp:743 msgid "Perhaps you want to add it as a new server." -msgstr "" +msgstr "Talvez você queira adicioná-lo como um novo servidor." #: IRCSock.cpp:973 msgid "Channel {1} is linked to another channel and was thus disabled." -msgstr "" +msgstr "O canal {1} foi desabilitado por estar vinculado a outro canal." #: IRCSock.cpp:985 msgid "Switched to SSL (STARTTLS)" -msgstr "" +msgstr "Alternado para SSL (STARTTLS)" #: IRCSock.cpp:1038 msgid "You quit: {1}" @@ -151,10 +153,11 @@ msgstr "Desconectado do IRC ({1}). Reconectando..." #: IRCSock.cpp:1308 msgid "If you trust this certificate, do /znc AddTrustedServerFingerprint {1}" msgstr "" +"Caso confie neste certificado, digite /znc AddTrustedServerFingerprint {1}" #: IRCSock.cpp:1325 msgid "IRC connection timed out. Reconnecting..." -msgstr "" +msgstr "A conexão ao servidor expirou. Reconectando..." #: IRCSock.cpp:1337 msgid "Connection Refused. Reconnecting..." @@ -179,6 +182,8 @@ msgstr "O módulo {1} não existe" #: Client.cpp:359 msgid "A client from {1} attempted to login as you, but was rejected: {2}" msgstr "" +"Um cliente com o IP {1} tentou iniciar sessão na sua conta, mas foi " +"rejeitado: {2}" #: Client.cpp:394 msgid "Network {1} doesn't exist." @@ -205,6 +210,8 @@ msgid "" "If you want to choose another network, use /znc JumpNetwork , or " "connect to ZNC with username {1}/ (instead of just {1})" msgstr "" +"Caso queira escolher outra rede, digite /znc JumpNetwork , ou então " +"conecte ao ZNC com o nome de usuário {1}/ (em vez de somente {1})" #: Client.cpp:420 msgid "" @@ -253,8 +260,8 @@ msgstr "Uso: /attach <#canais>" #: Client.cpp:1337 Client.cpp:1359 ClientCommand.cpp:129 ClientCommand.cpp:151 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "Foi encontrado {1} canal correspondente a [{2}]" +msgstr[1] "Foi encontrado {1} canal correspondentes a [{2}]" #: Client.cpp:1340 ClientCommand.cpp:132 msgid "Attached {1} channel" @@ -264,7 +271,7 @@ msgstr[1] "" #: Client.cpp:1352 msgid "Usage: /detach <#chans>" -msgstr "" +msgstr "Uso: /detach <#canais>" #: Client.cpp:1362 ClientCommand.cpp:154 msgid "Detached {1} channel" @@ -292,7 +299,7 @@ msgstr "" #: Modules.cpp:573 ClientCommand.cpp:1894 msgid "No matches for '{1}'" -msgstr "" +msgstr "Nenhuma correspondência para '{1}'" #: Modules.cpp:691 msgid "This module doesn't implement any commands." @@ -312,7 +319,7 @@ msgstr "Não foi possível encontrar o módulo {1}" #: Modules.cpp:1659 msgid "Module {1} does not support module type {2}." -msgstr "" +msgstr "O módulo {1} não suporta o tipo de módulo {2}." #: Modules.cpp:1666 msgid "Module {1} requires a user." @@ -328,11 +335,11 @@ msgstr "" #: Modules.cpp:1694 msgid "Module {1} aborted: {2}" -msgstr "" +msgstr "Módulo {1} finalizado: {2}" #: Modules.cpp:1696 msgid "Module {1} aborted." -msgstr "" +msgstr "Módulo {1} finalizado." #: Modules.cpp:1720 Modules.cpp:1762 msgid "Module [{1}] not loaded." @@ -340,11 +347,11 @@ msgstr "O módulo [{1}] não foi carregado." #: Modules.cpp:1744 msgid "Module {1} unloaded." -msgstr "" +msgstr "Módulo {1} desligado." #: Modules.cpp:1749 msgid "Unable to unload module {1}." -msgstr "" +msgstr "Não foi possível desativar o módulo {1}." #: Modules.cpp:1778 msgid "Reloaded module {1}." @@ -389,12 +396,12 @@ msgstr "" #: Modules.cpp:2002 Modules.cpp:2008 msgctxt "modhelpcmd" msgid "Command" -msgstr "" +msgstr "Comando" #: Modules.cpp:2003 Modules.cpp:2009 msgctxt "modhelpcmd" msgid "Description" -msgstr "" +msgstr "Descrição" #: ClientCommand.cpp:51 ClientCommand.cpp:115 ClientCommand.cpp:137 #: ClientCommand.cpp:749 ClientCommand.cpp:768 ClientCommand.cpp:794 @@ -403,7 +410,7 @@ msgstr "" #: ClientCommand.cpp:1401 ClientCommand.cpp:1412 ClientCommand.cpp:1421 #: ClientCommand.cpp:1433 msgid "You must be connected with a network to use this command" -msgstr "" +msgstr "Você precisa estar conectado a uma rede para usar este comando" #: ClientCommand.cpp:58 msgid "Usage: ListNicks <#chan>" @@ -423,7 +430,7 @@ msgstr "" #: ClientCommand.cpp:91 ClientCommand.cpp:106 msgid "Nick" -msgstr "" +msgstr "Apelido" #: ClientCommand.cpp:92 ClientCommand.cpp:107 msgid "Ident" @@ -431,15 +438,15 @@ msgstr "" #: ClientCommand.cpp:93 ClientCommand.cpp:108 msgid "Host" -msgstr "" +msgstr "Host" #: ClientCommand.cpp:122 msgid "Usage: Attach <#chans>" -msgstr "" +msgstr "Uso: Attach <#canais>" #: ClientCommand.cpp:144 msgid "Usage: Detach <#chans>" -msgstr "" +msgstr "Uso: Detach <#canais>" #: ClientCommand.cpp:161 msgid "There is no MOTD set." @@ -455,7 +462,7 @@ msgstr "" #: ClientCommand.cpp:173 msgid "Wrote config to {1}" -msgstr "" +msgstr "Configuração salva em {1}" #: ClientCommand.cpp:175 msgid "Error while trying to write config." @@ -480,12 +487,12 @@ msgstr "" #: ClientCommand.cpp:484 ClientCommand.cpp:500 msgctxt "listchans" msgid "Name" -msgstr "" +msgstr "Nome" #: ClientCommand.cpp:485 ClientCommand.cpp:503 msgctxt "listchans" msgid "Status" -msgstr "" +msgstr "Estado" #: ClientCommand.cpp:486 ClientCommand.cpp:510 msgctxt "listchans" @@ -505,12 +512,12 @@ msgstr "" #: ClientCommand.cpp:489 ClientCommand.cpp:521 msgctxt "listchans" msgid "Modes" -msgstr "" +msgstr "Modos" #: ClientCommand.cpp:490 ClientCommand.cpp:522 msgctxt "listchans" msgid "Users" -msgstr "" +msgstr "Usuários" #: ClientCommand.cpp:505 msgctxt "listchans" @@ -520,12 +527,12 @@ msgstr "" #: ClientCommand.cpp:506 msgctxt "listchans" msgid "Joined" -msgstr "" +msgstr "Entrou" #: ClientCommand.cpp:507 msgctxt "listchans" msgid "Disabled" -msgstr "" +msgstr "Desabilitado" #: ClientCommand.cpp:508 msgctxt "listchans" @@ -535,7 +542,7 @@ msgstr "" #: ClientCommand.cpp:511 ClientCommand.cpp:519 msgctxt "listchans" msgid "yes" -msgstr "" +msgstr "sim" #: ClientCommand.cpp:536 msgid "Total: {1}, Joined: {2}, Detached: {3}, Disabled: {4}" @@ -546,10 +553,13 @@ msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks using /znc DelNetwork " msgstr "" +"O limite de redes foi atingido. Peça a um administrador para aumentar o seu " +"limite de redes, ou então exclua redes desnecessárias usando o comando /znc " +"DelNetwork " #: ClientCommand.cpp:550 msgid "Usage: AddNetwork " -msgstr "" +msgstr "Uso: AddNetwork " #: ClientCommand.cpp:554 msgid "Network name should be alphanumeric" @@ -571,11 +581,11 @@ msgstr "" #: ClientCommand.cpp:582 msgid "Network deleted" -msgstr "" +msgstr "A rede foi excluída" #: ClientCommand.cpp:585 msgid "Failed to delete network, perhaps this network doesn't exist" -msgstr "" +msgstr "Falha ao excluir rede. Talvez esta rede não existe." #: ClientCommand.cpp:595 msgid "User {1} not found" @@ -584,7 +594,7 @@ msgstr "" #: ClientCommand.cpp:603 ClientCommand.cpp:611 msgctxt "listnetworks" msgid "Network" -msgstr "" +msgstr "Rede" #: ClientCommand.cpp:604 ClientCommand.cpp:613 ClientCommand.cpp:622 msgctxt "listnetworks" @@ -594,36 +604,36 @@ msgstr "" #: ClientCommand.cpp:605 ClientCommand.cpp:615 msgctxt "listnetworks" msgid "IRC Server" -msgstr "" +msgstr "Servidor IRC" #: ClientCommand.cpp:606 ClientCommand.cpp:617 msgctxt "listnetworks" msgid "IRC User" -msgstr "" +msgstr "Usuário IRC" #: ClientCommand.cpp:607 ClientCommand.cpp:619 msgctxt "listnetworks" msgid "Channels" -msgstr "" +msgstr "Canais" #: ClientCommand.cpp:614 msgctxt "listnetworks" msgid "Yes" -msgstr "" +msgstr "Sim" #: ClientCommand.cpp:623 msgctxt "listnetworks" msgid "No" -msgstr "" +msgstr "Não" #: ClientCommand.cpp:628 msgctxt "listnetworks" msgid "No networks" -msgstr "" +msgstr "Não há redes disponíveis." #: ClientCommand.cpp:632 ClientCommand.cpp:932 msgid "Access denied." -msgstr "" +msgstr "Acesso negado." #: ClientCommand.cpp:643 msgid "Usage: MoveNetwork [new network]" @@ -659,7 +669,7 @@ msgstr "" #: ClientCommand.cpp:718 msgid "Success." -msgstr "" +msgstr "Sucesso." #: ClientCommand.cpp:721 msgid "Copied the network to new user, but failed to delete old network" @@ -687,7 +697,7 @@ msgstr "" #: ClientCommand.cpp:759 msgid "Server added" -msgstr "" +msgstr "Servidor adicionado" #: ClientCommand.cpp:762 msgid "" @@ -714,27 +724,27 @@ msgstr "" #: ClientCommand.cpp:802 ClientCommand.cpp:809 msgctxt "listservers" msgid "Host" -msgstr "" +msgstr "Host" #: ClientCommand.cpp:803 ClientCommand.cpp:811 msgctxt "listservers" msgid "Port" -msgstr "" +msgstr "Porta" #: ClientCommand.cpp:804 ClientCommand.cpp:814 msgctxt "listservers" msgid "SSL" -msgstr "" +msgstr "SSL" #: ClientCommand.cpp:805 ClientCommand.cpp:816 msgctxt "listservers" msgid "Password" -msgstr "" +msgstr "Senha" #: ClientCommand.cpp:815 msgctxt "listservers|cell" msgid "SSL" -msgstr "" +msgstr "SSL" #: ClientCommand.cpp:832 msgid "Usage: AddTrustedServerFingerprint " From 46544d9067deb7c3f051e4592e5d454ce07aac4a Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Wed, 13 Feb 2019 08:10:13 +0000 Subject: [PATCH 234/798] Update docker submodule Fix https://github.com/znc/znc-docker/issues/20 and https://github.com/znc/znc-docker/issues/12 for git image --- docker | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/docker b/docker index 0a6de9c9..4da25330 160000 --- a/docker +++ b/docker @@ -1 +1 @@ -Subproject commit 0a6de9c9706d849997d96fad5707a93bdb1b76ca +Subproject commit 4da25330d7d4415507c5abd24efa74130243a5b3 From 64613bc8b6b4adf1e32231f9844d99cd512b8973 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Fri, 15 Mar 2019 20:34:10 +0000 Subject: [PATCH 235/798] Don't crash if user specified invalid encoding. This is CVE-2019-9917 --- modules/controlpanel.cpp | 2 +- src/IRCNetwork.cpp | 4 ++-- src/User.cpp | 4 ++-- src/znc.cpp | 26 ++++++++++++++++++++++---- test/integration/tests/scripting.cpp | 7 +++++++ 5 files changed, 34 insertions(+), 9 deletions(-) diff --git a/modules/controlpanel.cpp b/modules/controlpanel.cpp index 139c2aef..109f8c6b 100644 --- a/modules/controlpanel.cpp +++ b/modules/controlpanel.cpp @@ -495,7 +495,7 @@ class CAdminMod : public CModule { #ifdef HAVE_ICU else if (sVar == "clientencoding") { pUser->SetClientEncoding(sValue); - PutModule("ClientEncoding = " + sValue); + PutModule("ClientEncoding = " + pUser->GetClientEncoding()); } #endif else diff --git a/src/IRCNetwork.cpp b/src/IRCNetwork.cpp index 0284dc53..0e1d6e2a 100644 --- a/src/IRCNetwork.cpp +++ b/src/IRCNetwork.cpp @@ -1482,9 +1482,9 @@ void CIRCNetwork::SetBindHost(const CString& s) { } void CIRCNetwork::SetEncoding(const CString& s) { - m_sEncoding = s; + m_sEncoding = CZNC::Get().FixupEncoding(s); if (GetIRCSock()) { - GetIRCSock()->SetEncoding(s); + GetIRCSock()->SetEncoding(m_sEncoding); } } diff --git a/src/User.cpp b/src/User.cpp index 3fd532a7..c44cf607 100644 --- a/src/User.cpp +++ b/src/User.cpp @@ -1253,9 +1253,9 @@ void CUser::SetAdmin(bool b) { m_bAdmin = b; } void CUser::SetDenySetBindHost(bool b) { m_bDenySetBindHost = b; } void CUser::SetDefaultChanModes(const CString& s) { m_sDefaultChanModes = s; } void CUser::SetClientEncoding(const CString& s) { - m_sClientEncoding = s; + m_sClientEncoding = CZNC::Get().FixupEncoding(s); for (CClient* pClient : GetAllClients()) { - pClient->SetEncoding(s); + pClient->SetEncoding(m_sClientEncoding); } } void CUser::SetQuitMsg(const CString& s) { m_sQuitMsg = s; } diff --git a/src/znc.cpp b/src/znc.cpp index 4e7216ee..3f4dd2e0 100644 --- a/src/znc.cpp +++ b/src/znc.cpp @@ -2092,18 +2092,36 @@ void CZNC::ForceEncoding() { m_uiForceEncoding++; #ifdef HAVE_ICU for (Csock* pSock : GetManager()) { - if (pSock->GetEncoding().empty()) { - pSock->SetEncoding("UTF-8"); - } + pSock->SetEncoding(FixupEncoding(pSock->GetEncoding())); } #endif } void CZNC::UnforceEncoding() { m_uiForceEncoding--; } bool CZNC::IsForcingEncoding() const { return m_uiForceEncoding; } CString CZNC::FixupEncoding(const CString& sEncoding) const { - if (sEncoding.empty() && m_uiForceEncoding) { + if (!m_uiForceEncoding) { + return sEncoding; + } + if (sEncoding.empty()) { return "UTF-8"; } + const char* sRealEncoding = sEncoding.c_str(); + if (sEncoding[0] == '*' || sEncoding[0] == '^') { + sRealEncoding++; + } + if (!*sRealEncoding) { + return "UTF-8"; + } +#ifdef HAVE_ICU + UErrorCode e = U_ZERO_ERROR; + UConverter* cnv = ucnv_open(sRealEncoding, &e); + if (cnv) { + ucnv_close(cnv); + } + if (U_FAILURE(e)) { + return "UTF-8"; + } +#endif return sEncoding; } diff --git a/test/integration/tests/scripting.cpp b/test/integration/tests/scripting.cpp index 9dd68d8f..8f809f50 100644 --- a/test/integration/tests/scripting.cpp +++ b/test/integration/tests/scripting.cpp @@ -55,6 +55,13 @@ TEST_F(ZNCTest, Modpython) { ircd.Write(":n!u@h PRIVMSG nick :Hi\xF0, github issue #1229"); // "replacement character" client.ReadUntil("Hi\xEF\xBF\xBD, github issue"); + + // Non-existing encoding + client.Write("PRIVMSG *controlpanel :Set ClientEncoding $me Western"); + client.Write("JOIN #a\342"); + client.ReadUntil( + ":*controlpanel!znc@znc.in PRIVMSG nick :ClientEncoding = UTF-8"); + ircd.ReadUntil("JOIN #a\xEF\xBF\xBD"); } TEST_F(ZNCTest, ModpythonSocket) { From 6b03fac6c1be521b3f679a09b78b3cd30b9f26aa Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Fri, 22 Mar 2019 00:31:10 +0000 Subject: [PATCH 236/798] ZNC 1.7.3-rc1 --- CMakeLists.txt | 8 ++++---- configure.ac | 4 ++-- include/znc/version.h | 4 ++-- 3 files changed, 8 insertions(+), 8 deletions(-) diff --git a/CMakeLists.txt b/CMakeLists.txt index 6f84e9d6..b5b73746 100644 --- a/CMakeLists.txt +++ b/CMakeLists.txt @@ -15,10 +15,10 @@ # cmake_minimum_required(VERSION 3.1) -project(ZNC VERSION 1.7.2) -set(ZNC_VERSION 1.7.x) -set(append_git_version true) -set(alpha_version "") # e.g. "-rc1" +project(ZNC VERSION 1.7.3) +set(ZNC_VERSION 1.7.3) +set(append_git_version false) +set(alpha_version "-rc1") # e.g. "-rc1" set(VERSION_EXTRA "" CACHE STRING "Additional string appended to version, e.g. to mark distribution") diff --git a/configure.ac b/configure.ac index b755cfe8..63d38d9b 100644 --- a/configure.ac +++ b/configure.ac @@ -7,8 +7,8 @@ AC_DEFUN([AC_PROG_CC], [m4_errprint(__file__:__line__[: Something is trying to u dnl Needed for AC_PATH_PROGS_FEATURE_CHECK which was added in 2.62 AC_PREREQ([2.62]) dnl Keep the version number in sync with version.h! -AC_INIT([znc], [1.7.x]) -LIBZNC_VERSION=1.7.x +AC_INIT([znc], [1.7.3-rc1]) +LIBZNC_VERSION=1.7.3 AC_CONFIG_MACRO_DIR([m4]) AC_CONFIG_SRCDIR([src/znc.cpp]) AC_LANG([C++]) diff --git a/include/znc/version.h b/include/znc/version.h index 3f3fbab8..69ec2386 100644 --- a/include/znc/version.h +++ b/include/znc/version.h @@ -20,9 +20,9 @@ limitations under the License. // The following defines are for #if comparison (preprocessor only likes ints) #define VERSION_MAJOR 1 #define VERSION_MINOR 7 -#define VERSION_PATCH -1 +#define VERSION_PATCH 3 // This one is for display purpose and to check ABI compatibility of modules -#define VERSION_STR "1.7.x" +#define VERSION_STR "1.7.3" #endif // Don't use this one From be1b6bcd4cafbc57ebc298d89a5402ae7df55a8a Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Sat, 30 Mar 2019 14:36:01 +0000 Subject: [PATCH 237/798] Increase version number to 1.7.3 --- CMakeLists.txt | 2 +- ChangeLog.md | 10 ++++++++++ configure.ac | 2 +- 3 files changed, 12 insertions(+), 2 deletions(-) diff --git a/CMakeLists.txt b/CMakeLists.txt index b5b73746..662a0c90 100644 --- a/CMakeLists.txt +++ b/CMakeLists.txt @@ -18,7 +18,7 @@ cmake_minimum_required(VERSION 3.1) project(ZNC VERSION 1.7.3) set(ZNC_VERSION 1.7.3) set(append_git_version false) -set(alpha_version "-rc1") # e.g. "-rc1" +set(alpha_version "") # e.g. "-rc1" set(VERSION_EXTRA "" CACHE STRING "Additional string appended to version, e.g. to mark distribution") diff --git a/ChangeLog.md b/ChangeLog.md index f4525425..de4156b8 100644 --- a/ChangeLog.md +++ b/ChangeLog.md @@ -1,3 +1,13 @@ +# ZNC 1.7.3 (2019-03-30) + +## Fixes +This is a security release to fix CVE-2019-9917. Thanks to LunarBNC for the bugreport. + +## New +Docker only: the znc image now supports --user option of docker run. + + + # ZNC 1.7.2 (2019-01-19) ## New diff --git a/configure.ac b/configure.ac index 63d38d9b..2fee69a1 100644 --- a/configure.ac +++ b/configure.ac @@ -7,7 +7,7 @@ AC_DEFUN([AC_PROG_CC], [m4_errprint(__file__:__line__[: Something is trying to u dnl Needed for AC_PATH_PROGS_FEATURE_CHECK which was added in 2.62 AC_PREREQ([2.62]) dnl Keep the version number in sync with version.h! -AC_INIT([znc], [1.7.3-rc1]) +AC_INIT([znc], [1.7.3]) LIBZNC_VERSION=1.7.3 AC_CONFIG_MACRO_DIR([m4]) AC_CONFIG_SRCDIR([src/znc.cpp]) From 9966bea961baf238d74c77f2e876d0803698266a Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Sat, 30 Mar 2019 14:41:01 +0000 Subject: [PATCH 238/798] Return version back to 1.7.x --- CMakeLists.txt | 4 ++-- configure.ac | 4 ++-- include/znc/version.h | 4 ++-- 3 files changed, 6 insertions(+), 6 deletions(-) diff --git a/CMakeLists.txt b/CMakeLists.txt index 662a0c90..e9ab6293 100644 --- a/CMakeLists.txt +++ b/CMakeLists.txt @@ -16,8 +16,8 @@ cmake_minimum_required(VERSION 3.1) project(ZNC VERSION 1.7.3) -set(ZNC_VERSION 1.7.3) -set(append_git_version false) +set(ZNC_VERSION 1.7.x) +set(append_git_version true) set(alpha_version "") # e.g. "-rc1" set(VERSION_EXTRA "" CACHE STRING "Additional string appended to version, e.g. to mark distribution") diff --git a/configure.ac b/configure.ac index 2fee69a1..b755cfe8 100644 --- a/configure.ac +++ b/configure.ac @@ -7,8 +7,8 @@ AC_DEFUN([AC_PROG_CC], [m4_errprint(__file__:__line__[: Something is trying to u dnl Needed for AC_PATH_PROGS_FEATURE_CHECK which was added in 2.62 AC_PREREQ([2.62]) dnl Keep the version number in sync with version.h! -AC_INIT([znc], [1.7.3]) -LIBZNC_VERSION=1.7.3 +AC_INIT([znc], [1.7.x]) +LIBZNC_VERSION=1.7.x AC_CONFIG_MACRO_DIR([m4]) AC_CONFIG_SRCDIR([src/znc.cpp]) AC_LANG([C++]) diff --git a/include/znc/version.h b/include/znc/version.h index 69ec2386..3f3fbab8 100644 --- a/include/znc/version.h +++ b/include/znc/version.h @@ -20,9 +20,9 @@ limitations under the License. // The following defines are for #if comparison (preprocessor only likes ints) #define VERSION_MAJOR 1 #define VERSION_MINOR 7 -#define VERSION_PATCH 3 +#define VERSION_PATCH -1 // This one is for display purpose and to check ABI compatibility of modules -#define VERSION_STR "1.7.3" +#define VERSION_STR "1.7.x" #endif // Don't use this one From 964747e6b4e8e880784068b0e22052894dbe5c83 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Fri, 19 Apr 2019 12:13:44 +0100 Subject: [PATCH 239/798] Increase znc-buildmod timeout in the test. For some slow systems 30s is too small. --- test/integration/framework/base.cpp | 2 +- test/integration/framework/base.h | 2 ++ test/integration/framework/znctest.cpp | 25 +++++++++++-------------- test/integration/tests/core.cpp | 2 ++ 4 files changed, 16 insertions(+), 15 deletions(-) diff --git a/test/integration/framework/base.cpp b/test/integration/framework/base.cpp index 6d5c66ab..a7ad8058 100644 --- a/test/integration/framework/base.cpp +++ b/test/integration/framework/base.cpp @@ -45,7 +45,7 @@ Process::Process(QString cmd, QStringList args, Process::~Process() { if (m_kill) m_proc.terminate(); - bool bFinished = m_proc.waitForFinished(); + bool bFinished = m_proc.waitForFinished(1000 * m_finishTimeoutSec); EXPECT_TRUE(bFinished); if (!bFinished) return; if (!m_allowDie) { diff --git a/test/integration/framework/base.h b/test/integration/framework/base.h index 1a0a5fd2..41eba8f2 100644 --- a/test/integration/framework/base.h +++ b/test/integration/framework/base.h @@ -70,6 +70,7 @@ class Process : public IO { m_exit = code; } void CanDie() { m_allowDie = true; } + void ShouldFinishInSec(int sec) { m_finishTimeoutSec = sec; } // I can't do much about SWIG... void CanLeak() { m_allowLeak = true; } @@ -80,6 +81,7 @@ class Process : public IO { bool m_allowDie = false; bool m_allowLeak = false; QProcess m_proc; + int m_finishTimeoutSec = 30; }; // Can't use QEventLoop without existing QCoreApplication diff --git a/test/integration/framework/znctest.cpp b/test/integration/framework/znctest.cpp index 39492eae..abdc9b70 100644 --- a/test/integration/framework/znctest.cpp +++ b/test/integration/framework/znctest.cpp @@ -57,9 +57,7 @@ void ZNCTest::SetUp() { } Socket ZNCTest::ConnectIRCd() { - [this] { - ASSERT_TRUE(m_server.waitForNewConnection(30000 /* msec */)); - }(); + [this] { ASSERT_TRUE(m_server.waitForNewConnection(30000 /* msec */)); }(); return WrapIO(m_server.nextPendingConnection()); } @@ -84,8 +82,9 @@ Socket ZNCTest::LoginClient() { std::unique_ptr ZNCTest::Run() { return std::unique_ptr(new Process( - ZNC_BIN_DIR "/znc", QStringList() << "--debug" - << "--datadir" << m_dir.path(), + ZNC_BIN_DIR "/znc", + QStringList() << "--debug" + << "--datadir" << m_dir.path(), [](QProcess* proc) { proc->setProcessChannelMode(QProcess::ForwardedChannels); })); @@ -137,13 +136,13 @@ void ZNCTest::InstallModule(QString name, QString content) { QTextStream out(&file); out << content; file.close(); - Process p( - ZNC_BIN_DIR "/znc-buildmod", QStringList() << file.fileName(), - [&](QProcess* proc) { - proc->setWorkingDirectory(dir.absolutePath()); - proc->setProcessChannelMode(QProcess::ForwardedChannels); - }); + Process p(ZNC_BIN_DIR "/znc-buildmod", QStringList() << file.fileName(), + [&](QProcess* proc) { + proc->setWorkingDirectory(dir.absolutePath()); + proc->setProcessChannelMode(QProcess::ForwardedChannels); + }); p.ShouldFinishItself(); + p.ShouldFinishInSec(300); } else if (name.endsWith(".py")) { // Dedent QStringList lines = content.split("\n"); @@ -151,8 +150,7 @@ void ZNCTest::InstallModule(QString name, QString content) { for (const QString& line : lines) { int nonspace = line.indexOf(QRegExp("\\S")); if (nonspace == -1) continue; - if (nonspace < maxoffset || maxoffset == -1) - maxoffset = nonspace; + if (nonspace < maxoffset || maxoffset == -1) maxoffset = nonspace; } if (maxoffset == -1) maxoffset = 0; QFile file(dir.filePath(name)); @@ -173,5 +171,4 @@ void ZNCTest::InstallModule(QString name, QString content) { } } - } // namespace znc_inttest diff --git a/test/integration/tests/core.cpp b/test/integration/tests/core.cpp index 08e73066..fa927d26 100644 --- a/test/integration/tests/core.cpp +++ b/test/integration/tests/core.cpp @@ -217,6 +217,7 @@ TEST_F(ZNCTest, BuildMod) { proc->setProcessChannelMode(QProcess::ForwardedChannels); }); p.ShouldFinishItself(1); + p.ShouldFinishInSec(300); } { Process p(ZNC_BIN_DIR "/znc-buildmod", @@ -226,6 +227,7 @@ TEST_F(ZNCTest, BuildMod) { proc->setProcessChannelMode(QProcess::ForwardedChannels); }); p.ShouldFinishItself(); + p.ShouldFinishInSec(300); } client.Write("znc loadmod testmod"); client.Write("PRIVMSG *testmod :hi"); From 96481995e19a367fa0d4fd59be9e5278faa788ad Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Fri, 19 Apr 2019 18:09:32 +0100 Subject: [PATCH 240/798] Appveyor: try to fix build --- .appveyor.yml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/.appveyor.yml b/.appveyor.yml index 193c25a3..cdf11244 100644 --- a/.appveyor.yml +++ b/.appveyor.yml @@ -17,7 +17,7 @@ environment: install: - ps: Invoke-WebRequest $env:cygwin_url -OutFile c:\cygwin-setup.exe # libcrypt-devel is needed only on x86_64 and only for modperl... probably some dependency problem. - - c:\cygwin-setup.exe --quiet-mode --no-shortcuts --no-startmenu --no-desktop --upgrade-also --only-site --site http://cygwin.mirror.constant.com/ --root c:\cygwin-root --local-package-dir c:\cygwin-setup-cache --packages automake,gcc-g++,make,pkg-config,wget,openssl-devel,libicu-devel,zlib-devel,libcrypt-devel,perl,python3-devel,swig,libsasl2-devel,libQt5Core-devel,cmake,libboost-devel,gettext-devel + - c:\cygwin-setup.exe --quiet-mode --no-shortcuts --no-startmenu --no-desktop --upgrade-also --only-site --site http://cygwin.mirror.constant.com/ --root c:\cygwin-root --local-package-dir c:\cygwin-setup-cache --packages automake,gcc-g++,make,pkg-config,wget,libssl-devel,libicu-devel,zlib-devel,libcrypt-devel,perl,python3-devel,swig,libsasl2-devel,libQt5Core-devel,cmake,libboost-devel,gettext-devel - c:\cygwin-root\bin\sh -lc "echo Hi" - c:\cygwin-root\bin\sh -lc "uname -a" - c:\cygwin-root\bin\sh -lc "cat /proc/cpuinfo" From 4f446552a3e05da85bebbc89464d48de49562be1 Mon Sep 17 00:00:00 2001 From: Jos Ahrens Date: Sat, 20 Apr 2019 07:58:14 +0000 Subject: [PATCH 241/798] modules: Remove Q Q can be replaced with the perform module, and will still be available as a third-party module for those who use the module and QuakeNet. In general, the Q module only targets a single network not everyone may use, the additional support and maintenance burden is not worth it. References #786 Closes #1636 as wontfix Closes #554 as wontfix --- modules/po/q.de_DE.po | 296 ------------------ modules/po/q.es_ES.po | 305 ------------------- modules/po/q.fr_FR.po | 296 ------------------ modules/po/q.id_ID.po | 300 ------------------ modules/po/q.nl_NL.po | 313 ------------------- modules/po/q.pot | 287 ------------------ modules/po/q.pt_BR.po | 296 ------------------ modules/po/q.ru_RU.po | 298 ------------------ modules/q.cpp | 689 ------------------------------------------ src/IRCNetwork.cpp | 14 + 10 files changed, 14 insertions(+), 3080 deletions(-) delete mode 100644 modules/po/q.de_DE.po delete mode 100644 modules/po/q.es_ES.po delete mode 100644 modules/po/q.fr_FR.po delete mode 100644 modules/po/q.id_ID.po delete mode 100644 modules/po/q.nl_NL.po delete mode 100644 modules/po/q.pot delete mode 100644 modules/po/q.pt_BR.po delete mode 100644 modules/po/q.ru_RU.po delete mode 100644 modules/q.cpp diff --git a/modules/po/q.de_DE.po b/modules/po/q.de_DE.po deleted file mode 100644 index 2c8a6e45..00000000 --- a/modules/po/q.de_DE.po +++ /dev/null @@ -1,296 +0,0 @@ -msgid "" -msgstr "" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" -"Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" -"X-Crowdin-Project: znc-bouncer\n" -"X-Crowdin-Language: de\n" -"X-Crowdin-File: /master/modules/po/q.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: German\n" -"Language: de_DE\n" - -#: modules/po/../data/q/tmpl/index.tmpl:11 -msgid "Username:" -msgstr "" - -#: modules/po/../data/q/tmpl/index.tmpl:13 -msgid "Please enter a username." -msgstr "" - -#: modules/po/../data/q/tmpl/index.tmpl:16 -msgid "Password:" -msgstr "" - -#: modules/po/../data/q/tmpl/index.tmpl:18 -msgid "Please enter a password." -msgstr "" - -#: modules/po/../data/q/tmpl/index.tmpl:26 -msgid "Options" -msgstr "" - -#: modules/po/../data/q/tmpl/index.tmpl:42 -msgid "Save" -msgstr "" - -#: q.cpp:74 -msgid "" -"Notice: Your host will be cloaked the next time you reconnect to IRC. If you " -"want to cloak your host now, /msg *q Cloak. You can set your preference " -"with /msg *q Set UseCloakedHost true/false." -msgstr "" - -#: q.cpp:111 -msgid "The following commands are available:" -msgstr "" - -#: q.cpp:113 q.cpp:116 q.cpp:121 q.cpp:126 q.cpp:130 q.cpp:135 q.cpp:140 -msgid "Command" -msgstr "" - -#: q.cpp:114 q.cpp:117 q.cpp:123 q.cpp:127 q.cpp:132 q.cpp:136 q.cpp:141 -#: q.cpp:150 q.cpp:154 q.cpp:158 q.cpp:162 q.cpp:168 q.cpp:174 q.cpp:180 -#: q.cpp:186 -msgid "Description" -msgstr "" - -#: q.cpp:116 -msgid "Auth [ ]" -msgstr "" - -#: q.cpp:118 -msgid "Tries to authenticate you with Q. Both parameters are optional." -msgstr "" - -#: q.cpp:124 -msgid "Tries to set usermode +x to hide your real hostname." -msgstr "" - -#: q.cpp:128 -msgid "Prints the current status of the module." -msgstr "" - -#: q.cpp:133 -msgid "Re-requests the current user information from Q." -msgstr "" - -#: q.cpp:135 -msgid "Set " -msgstr "" - -#: q.cpp:137 -msgid "Changes the value of the given setting. See the list of settings below." -msgstr "" - -#: q.cpp:142 -msgid "Prints out the current configuration. See the list of settings below." -msgstr "" - -#: q.cpp:146 -msgid "The following settings are available:" -msgstr "" - -#: q.cpp:148 q.cpp:152 q.cpp:156 q.cpp:160 q.cpp:166 q.cpp:172 q.cpp:178 -#: q.cpp:183 q.cpp:227 q.cpp:230 q.cpp:233 q.cpp:236 q.cpp:239 q.cpp:242 -#: q.cpp:245 q.cpp:248 -msgid "Setting" -msgstr "" - -#: q.cpp:149 q.cpp:153 q.cpp:157 q.cpp:161 q.cpp:167 q.cpp:173 q.cpp:179 -#: q.cpp:184 -msgid "Type" -msgstr "" - -#: q.cpp:153 q.cpp:157 -msgid "String" -msgstr "" - -#: q.cpp:154 -msgid "Your Q username." -msgstr "" - -#: q.cpp:158 -msgid "Your Q password." -msgstr "" - -#: q.cpp:161 q.cpp:167 q.cpp:173 q.cpp:179 q.cpp:184 -msgid "Boolean" -msgstr "" - -#: q.cpp:163 q.cpp:373 -msgid "Whether to cloak your hostname (+x) automatically on connect." -msgstr "" - -#: q.cpp:169 q.cpp:381 -msgid "" -"Whether to use the CHALLENGEAUTH mechanism to avoid sending passwords in " -"cleartext." -msgstr "" - -#: q.cpp:175 q.cpp:389 -msgid "Whether to request voice/op from Q on join/devoice/deop." -msgstr "" - -#: q.cpp:181 q.cpp:395 -msgid "Whether to join channels when Q invites you." -msgstr "" - -#: q.cpp:187 q.cpp:402 -msgid "Whether to delay joining channels until after you are cloaked." -msgstr "" - -#: q.cpp:192 -msgid "This module takes 2 optional parameters: " -msgstr "" - -#: q.cpp:194 -msgid "Module settings are stored between restarts." -msgstr "" - -#: q.cpp:200 -msgid "Syntax: Set " -msgstr "" - -#: q.cpp:203 -msgid "Username set" -msgstr "" - -#: q.cpp:206 -msgid "Password set" -msgstr "" - -#: q.cpp:209 -msgid "UseCloakedHost set" -msgstr "" - -#: q.cpp:212 -msgid "UseChallenge set" -msgstr "" - -#: q.cpp:215 -msgid "RequestPerms set" -msgstr "" - -#: q.cpp:218 -msgid "JoinOnInvite set" -msgstr "" - -#: q.cpp:221 -msgid "JoinAfterCloaked set" -msgstr "" - -#: q.cpp:223 -msgid "Unknown setting: {1}" -msgstr "" - -#: q.cpp:228 q.cpp:231 q.cpp:234 q.cpp:237 q.cpp:240 q.cpp:243 q.cpp:246 -#: q.cpp:249 -msgid "Value" -msgstr "" - -#: q.cpp:253 -msgid "Connected: yes" -msgstr "" - -#: q.cpp:254 -msgid "Connected: no" -msgstr "" - -#: q.cpp:255 -msgid "Cloacked: yes" -msgstr "" - -#: q.cpp:255 -msgid "Cloacked: no" -msgstr "" - -#: q.cpp:256 -msgid "Authenticated: yes" -msgstr "" - -#: q.cpp:257 -msgid "Authenticated: no" -msgstr "" - -#: q.cpp:262 -msgid "Error: You are not connected to IRC." -msgstr "" - -#: q.cpp:270 -msgid "Error: You are already cloaked!" -msgstr "" - -#: q.cpp:276 -msgid "Error: You are already authed!" -msgstr "" - -#: q.cpp:280 -msgid "Update requested." -msgstr "" - -#: q.cpp:283 -msgid "Unknown command. Try 'help'." -msgstr "" - -#: q.cpp:293 -msgid "Cloak successful: Your hostname is now cloaked." -msgstr "" - -#: q.cpp:408 -msgid "Changes have been saved!" -msgstr "" - -#: q.cpp:435 -msgid "Cloak: Trying to cloak your hostname, setting +x..." -msgstr "" - -#: q.cpp:452 -msgid "" -"You have to set a username and password to use this module! See 'help' for " -"details." -msgstr "" - -#: q.cpp:458 -msgid "Auth: Requesting CHALLENGE..." -msgstr "" - -#: q.cpp:462 -msgid "Auth: Sending AUTH request..." -msgstr "" - -#: q.cpp:479 -msgid "Auth: Received challenge, sending CHALLENGEAUTH request..." -msgstr "" - -#: q.cpp:521 -msgid "Authentication failed: {1}" -msgstr "" - -#: q.cpp:525 -msgid "Authentication successful: {1}" -msgstr "" - -#: q.cpp:539 -msgid "" -"Auth failed: Q does not support HMAC-SHA-256 for CHALLENGEAUTH, falling back " -"to standard AUTH." -msgstr "" - -#: q.cpp:566 -msgid "RequestPerms: Requesting op on {1}" -msgstr "" - -#: q.cpp:579 -msgid "RequestPerms: Requesting voice on {1}" -msgstr "" - -#: q.cpp:686 -msgid "Please provide your username and password for Q." -msgstr "" - -#: q.cpp:689 -msgid "Auths you with QuakeNet's Q bot." -msgstr "" diff --git a/modules/po/q.es_ES.po b/modules/po/q.es_ES.po deleted file mode 100644 index 2a29acb8..00000000 --- a/modules/po/q.es_ES.po +++ /dev/null @@ -1,305 +0,0 @@ -msgid "" -msgstr "" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" -"Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" -"X-Crowdin-Project: znc-bouncer\n" -"X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /master/modules/po/q.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: Spanish\n" -"Language: es_ES\n" - -#: modules/po/../data/q/tmpl/index.tmpl:11 -msgid "Username:" -msgstr "Usuario:" - -#: modules/po/../data/q/tmpl/index.tmpl:13 -msgid "Please enter a username." -msgstr "Introduce un nombre de usuario." - -#: modules/po/../data/q/tmpl/index.tmpl:16 -msgid "Password:" -msgstr "Contraseña:" - -#: modules/po/../data/q/tmpl/index.tmpl:18 -msgid "Please enter a password." -msgstr "Introduce una contraseña." - -#: modules/po/../data/q/tmpl/index.tmpl:26 -msgid "Options" -msgstr "Opciones" - -#: modules/po/../data/q/tmpl/index.tmpl:42 -msgid "Save" -msgstr "Guardar" - -#: q.cpp:74 -msgid "" -"Notice: Your host will be cloaked the next time you reconnect to IRC. If you " -"want to cloak your host now, /msg *q Cloak. You can set your preference " -"with /msg *q Set UseCloakedHost true/false." -msgstr "" -"Aviso: tu host será enmascarado la próxima vez que conectes al IRC. Si " -"quieres enmascarar tu host ahora, /msg *q Cloak. Puedes configurar tu " -"preferencia con /msg *q SET UseCloakedHost true/false." - -#: q.cpp:111 -msgid "The following commands are available:" -msgstr "Los siguientes comandos están disponibles:" - -#: q.cpp:113 q.cpp:116 q.cpp:121 q.cpp:126 q.cpp:130 q.cpp:135 q.cpp:140 -msgid "Command" -msgstr "Comando" - -#: q.cpp:114 q.cpp:117 q.cpp:123 q.cpp:127 q.cpp:132 q.cpp:136 q.cpp:141 -#: q.cpp:150 q.cpp:154 q.cpp:158 q.cpp:162 q.cpp:168 q.cpp:174 q.cpp:180 -#: q.cpp:186 -msgid "Description" -msgstr "Descripción" - -#: q.cpp:116 -msgid "Auth [ ]" -msgstr "Auth [ ]" - -#: q.cpp:118 -msgid "Tries to authenticate you with Q. Both parameters are optional." -msgstr "Intenta autenticarte con Q. Ambos parámetros son opcionales." - -#: q.cpp:124 -msgid "Tries to set usermode +x to hide your real hostname." -msgstr "Intenta ponerte el modo de usuario +x para ocultar tu host real." - -#: q.cpp:128 -msgid "Prints the current status of the module." -msgstr "Muestra el estado actual del módulo." - -#: q.cpp:133 -msgid "Re-requests the current user information from Q." -msgstr "Re-solicita la información actual del usuario desde Q." - -#: q.cpp:135 -msgid "Set " -msgstr "Set " - -#: q.cpp:137 -msgid "Changes the value of the given setting. See the list of settings below." -msgstr "Cambia el valor del ajuste. Consulta la lista de ajustes debajo." - -#: q.cpp:142 -msgid "Prints out the current configuration. See the list of settings below." -msgstr "Muestra la configuración actual. Consulta la lista de ajustes debajo." - -#: q.cpp:146 -msgid "The following settings are available:" -msgstr "Las siguientes opciones están disponibles:" - -#: q.cpp:148 q.cpp:152 q.cpp:156 q.cpp:160 q.cpp:166 q.cpp:172 q.cpp:178 -#: q.cpp:183 q.cpp:227 q.cpp:230 q.cpp:233 q.cpp:236 q.cpp:239 q.cpp:242 -#: q.cpp:245 q.cpp:248 -msgid "Setting" -msgstr "Ajuste" - -#: q.cpp:149 q.cpp:153 q.cpp:157 q.cpp:161 q.cpp:167 q.cpp:173 q.cpp:179 -#: q.cpp:184 -msgid "Type" -msgstr "Tipo" - -#: q.cpp:153 q.cpp:157 -msgid "String" -msgstr "Cadena" - -#: q.cpp:154 -msgid "Your Q username." -msgstr "Tu usuario de Q." - -#: q.cpp:158 -msgid "Your Q password." -msgstr "Tu contraseña de Q." - -#: q.cpp:161 q.cpp:167 q.cpp:173 q.cpp:179 q.cpp:184 -msgid "Boolean" -msgstr "Booleano" - -#: q.cpp:163 q.cpp:373 -msgid "Whether to cloak your hostname (+x) automatically on connect." -msgstr "Intentar ocultar tu host (+x) al conectar." - -#: q.cpp:169 q.cpp:381 -msgid "" -"Whether to use the CHALLENGEAUTH mechanism to avoid sending passwords in " -"cleartext." -msgstr "" -"Intentar usar el mecanismo CHALLENGEAUTH para evitar enviar la contraseña en " -"texto plano." - -#: q.cpp:175 q.cpp:389 -msgid "Whether to request voice/op from Q on join/devoice/deop." -msgstr "Pedir voz/op a Q al entrar/devoice/deop a/de un canal." - -#: q.cpp:181 q.cpp:395 -msgid "Whether to join channels when Q invites you." -msgstr "Entrar a los canales cuando Q te invite." - -#: q.cpp:187 q.cpp:402 -msgid "Whether to delay joining channels until after you are cloaked." -msgstr "Retrasar la entrada a canales hasta que tu host haya sido ocultado." - -#: q.cpp:192 -msgid "This module takes 2 optional parameters: " -msgstr "Este módulo tiene 2 parámetros opcionales: " - -#: q.cpp:194 -msgid "Module settings are stored between restarts." -msgstr "Los ajustes del módulo se guardan entre reinicios." - -#: q.cpp:200 -msgid "Syntax: Set " -msgstr "Sintaxis: Set " - -#: q.cpp:203 -msgid "Username set" -msgstr "Usuario guardado" - -#: q.cpp:206 -msgid "Password set" -msgstr "Contraseña guardada" - -#: q.cpp:209 -msgid "UseCloakedHost set" -msgstr "UseCloakedHost guardado" - -#: q.cpp:212 -msgid "UseChallenge set" -msgstr "UseChallenge guardado" - -#: q.cpp:215 -msgid "RequestPerms set" -msgstr "RequestPerms guardado" - -#: q.cpp:218 -msgid "JoinOnInvite set" -msgstr "JoinOnInvite guardado" - -#: q.cpp:221 -msgid "JoinAfterCloaked set" -msgstr "JoinAfterCloaked guardado" - -#: q.cpp:223 -msgid "Unknown setting: {1}" -msgstr "Opción desconocida: {1}" - -#: q.cpp:228 q.cpp:231 q.cpp:234 q.cpp:237 q.cpp:240 q.cpp:243 q.cpp:246 -#: q.cpp:249 -msgid "Value" -msgstr "Valor" - -#: q.cpp:253 -msgid "Connected: yes" -msgstr "Conectado: sí" - -#: q.cpp:254 -msgid "Connected: no" -msgstr "Conectado: no" - -#: q.cpp:255 -msgid "Cloacked: yes" -msgstr "Enmascarado: sí" - -#: q.cpp:255 -msgid "Cloacked: no" -msgstr "Enmascarado: no" - -#: q.cpp:256 -msgid "Authenticated: yes" -msgstr "Autenticado: sí" - -#: q.cpp:257 -msgid "Authenticated: no" -msgstr "Autenticado: no" - -#: q.cpp:262 -msgid "Error: You are not connected to IRC." -msgstr "Error: no estás conectado al IRC." - -#: q.cpp:270 -msgid "Error: You are already cloaked!" -msgstr "Error: ya estás enmascarado!" - -#: q.cpp:276 -msgid "Error: You are already authed!" -msgstr "Error: ya estás autenticado!" - -#: q.cpp:280 -msgid "Update requested." -msgstr "Actualización solicitada." - -#: q.cpp:283 -msgid "Unknown command. Try 'help'." -msgstr "Comando desconocido. Escribe 'Help'." - -#: q.cpp:293 -msgid "Cloak successful: Your hostname is now cloaked." -msgstr "Ocultación correcta: ahora tu host está enmascarado." - -#: q.cpp:408 -msgid "Changes have been saved!" -msgstr "Tus cambios han sido guardados" - -#: q.cpp:435 -msgid "Cloak: Trying to cloak your hostname, setting +x..." -msgstr "Cloak: intentando ocultar tu host, poniendo +x..." - -#: q.cpp:452 -msgid "" -"You have to set a username and password to use this module! See 'help' for " -"details." -msgstr "" -"Tienes que configurar un nombre de usuario y una contraseña para usar este " -"módulo. Escribe 'help' para ver más detalles." - -#: q.cpp:458 -msgid "Auth: Requesting CHALLENGE..." -msgstr "Auth: solicitando CHALLENGE..." - -#: q.cpp:462 -msgid "Auth: Sending AUTH request..." -msgstr "Auth: enviando respuesta AUTH..." - -#: q.cpp:479 -msgid "Auth: Received challenge, sending CHALLENGEAUTH request..." -msgstr "Auth: reto recibido, enviando petición CHALLENGEAUTH..." - -#: q.cpp:521 -msgid "Authentication failed: {1}" -msgstr "Fallo de autenticación: {1}" - -#: q.cpp:525 -msgid "Authentication successful: {1}" -msgstr "Autenticación correcta: {1}" - -#: q.cpp:539 -msgid "" -"Auth failed: Q does not support HMAC-SHA-256 for CHALLENGEAUTH, falling back " -"to standard AUTH." -msgstr "" -"Fallo en autenticación: Q no soporta HMAC-SHA-256 en CHALLENGEAUTH, " -"intentando autenticación estándar." - -#: q.cpp:566 -msgid "RequestPerms: Requesting op on {1}" -msgstr "RequestPerms: pidiendo op en {1}" - -#: q.cpp:579 -msgid "RequestPerms: Requesting voice on {1}" -msgstr "RequestPerms: pidiendo voz en {1}" - -#: q.cpp:686 -msgid "Please provide your username and password for Q." -msgstr "Introduce tu nombre de usuario y contraseña de Q." - -#: q.cpp:689 -msgid "Auths you with QuakeNet's Q bot." -msgstr "Te identifica con el bot Q de Quakenet." diff --git a/modules/po/q.fr_FR.po b/modules/po/q.fr_FR.po deleted file mode 100644 index 2cdfc290..00000000 --- a/modules/po/q.fr_FR.po +++ /dev/null @@ -1,296 +0,0 @@ -msgid "" -msgstr "" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" -"Plural-Forms: nplurals=2; plural=(n > 1);\n" -"X-Generator: crowdin.com\n" -"X-Crowdin-Project: znc-bouncer\n" -"X-Crowdin-Language: fr\n" -"X-Crowdin-File: /master/modules/po/q.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" - -#: modules/po/../data/q/tmpl/index.tmpl:11 -msgid "Username:" -msgstr "" - -#: modules/po/../data/q/tmpl/index.tmpl:13 -msgid "Please enter a username." -msgstr "" - -#: modules/po/../data/q/tmpl/index.tmpl:16 -msgid "Password:" -msgstr "" - -#: modules/po/../data/q/tmpl/index.tmpl:18 -msgid "Please enter a password." -msgstr "" - -#: modules/po/../data/q/tmpl/index.tmpl:26 -msgid "Options" -msgstr "" - -#: modules/po/../data/q/tmpl/index.tmpl:42 -msgid "Save" -msgstr "" - -#: q.cpp:74 -msgid "" -"Notice: Your host will be cloaked the next time you reconnect to IRC. If you " -"want to cloak your host now, /msg *q Cloak. You can set your preference " -"with /msg *q Set UseCloakedHost true/false." -msgstr "" - -#: q.cpp:111 -msgid "The following commands are available:" -msgstr "" - -#: q.cpp:113 q.cpp:116 q.cpp:121 q.cpp:126 q.cpp:130 q.cpp:135 q.cpp:140 -msgid "Command" -msgstr "" - -#: q.cpp:114 q.cpp:117 q.cpp:123 q.cpp:127 q.cpp:132 q.cpp:136 q.cpp:141 -#: q.cpp:150 q.cpp:154 q.cpp:158 q.cpp:162 q.cpp:168 q.cpp:174 q.cpp:180 -#: q.cpp:186 -msgid "Description" -msgstr "" - -#: q.cpp:116 -msgid "Auth [ ]" -msgstr "" - -#: q.cpp:118 -msgid "Tries to authenticate you with Q. Both parameters are optional." -msgstr "" - -#: q.cpp:124 -msgid "Tries to set usermode +x to hide your real hostname." -msgstr "" - -#: q.cpp:128 -msgid "Prints the current status of the module." -msgstr "" - -#: q.cpp:133 -msgid "Re-requests the current user information from Q." -msgstr "" - -#: q.cpp:135 -msgid "Set " -msgstr "" - -#: q.cpp:137 -msgid "Changes the value of the given setting. See the list of settings below." -msgstr "" - -#: q.cpp:142 -msgid "Prints out the current configuration. See the list of settings below." -msgstr "" - -#: q.cpp:146 -msgid "The following settings are available:" -msgstr "" - -#: q.cpp:148 q.cpp:152 q.cpp:156 q.cpp:160 q.cpp:166 q.cpp:172 q.cpp:178 -#: q.cpp:183 q.cpp:227 q.cpp:230 q.cpp:233 q.cpp:236 q.cpp:239 q.cpp:242 -#: q.cpp:245 q.cpp:248 -msgid "Setting" -msgstr "" - -#: q.cpp:149 q.cpp:153 q.cpp:157 q.cpp:161 q.cpp:167 q.cpp:173 q.cpp:179 -#: q.cpp:184 -msgid "Type" -msgstr "" - -#: q.cpp:153 q.cpp:157 -msgid "String" -msgstr "" - -#: q.cpp:154 -msgid "Your Q username." -msgstr "" - -#: q.cpp:158 -msgid "Your Q password." -msgstr "" - -#: q.cpp:161 q.cpp:167 q.cpp:173 q.cpp:179 q.cpp:184 -msgid "Boolean" -msgstr "" - -#: q.cpp:163 q.cpp:373 -msgid "Whether to cloak your hostname (+x) automatically on connect." -msgstr "" - -#: q.cpp:169 q.cpp:381 -msgid "" -"Whether to use the CHALLENGEAUTH mechanism to avoid sending passwords in " -"cleartext." -msgstr "" - -#: q.cpp:175 q.cpp:389 -msgid "Whether to request voice/op from Q on join/devoice/deop." -msgstr "" - -#: q.cpp:181 q.cpp:395 -msgid "Whether to join channels when Q invites you." -msgstr "" - -#: q.cpp:187 q.cpp:402 -msgid "Whether to delay joining channels until after you are cloaked." -msgstr "" - -#: q.cpp:192 -msgid "This module takes 2 optional parameters: " -msgstr "" - -#: q.cpp:194 -msgid "Module settings are stored between restarts." -msgstr "" - -#: q.cpp:200 -msgid "Syntax: Set " -msgstr "" - -#: q.cpp:203 -msgid "Username set" -msgstr "" - -#: q.cpp:206 -msgid "Password set" -msgstr "" - -#: q.cpp:209 -msgid "UseCloakedHost set" -msgstr "" - -#: q.cpp:212 -msgid "UseChallenge set" -msgstr "" - -#: q.cpp:215 -msgid "RequestPerms set" -msgstr "" - -#: q.cpp:218 -msgid "JoinOnInvite set" -msgstr "" - -#: q.cpp:221 -msgid "JoinAfterCloaked set" -msgstr "" - -#: q.cpp:223 -msgid "Unknown setting: {1}" -msgstr "" - -#: q.cpp:228 q.cpp:231 q.cpp:234 q.cpp:237 q.cpp:240 q.cpp:243 q.cpp:246 -#: q.cpp:249 -msgid "Value" -msgstr "" - -#: q.cpp:253 -msgid "Connected: yes" -msgstr "" - -#: q.cpp:254 -msgid "Connected: no" -msgstr "" - -#: q.cpp:255 -msgid "Cloacked: yes" -msgstr "" - -#: q.cpp:255 -msgid "Cloacked: no" -msgstr "" - -#: q.cpp:256 -msgid "Authenticated: yes" -msgstr "" - -#: q.cpp:257 -msgid "Authenticated: no" -msgstr "" - -#: q.cpp:262 -msgid "Error: You are not connected to IRC." -msgstr "" - -#: q.cpp:270 -msgid "Error: You are already cloaked!" -msgstr "" - -#: q.cpp:276 -msgid "Error: You are already authed!" -msgstr "" - -#: q.cpp:280 -msgid "Update requested." -msgstr "" - -#: q.cpp:283 -msgid "Unknown command. Try 'help'." -msgstr "" - -#: q.cpp:293 -msgid "Cloak successful: Your hostname is now cloaked." -msgstr "" - -#: q.cpp:408 -msgid "Changes have been saved!" -msgstr "" - -#: q.cpp:435 -msgid "Cloak: Trying to cloak your hostname, setting +x..." -msgstr "" - -#: q.cpp:452 -msgid "" -"You have to set a username and password to use this module! See 'help' for " -"details." -msgstr "" - -#: q.cpp:458 -msgid "Auth: Requesting CHALLENGE..." -msgstr "" - -#: q.cpp:462 -msgid "Auth: Sending AUTH request..." -msgstr "" - -#: q.cpp:479 -msgid "Auth: Received challenge, sending CHALLENGEAUTH request..." -msgstr "" - -#: q.cpp:521 -msgid "Authentication failed: {1}" -msgstr "" - -#: q.cpp:525 -msgid "Authentication successful: {1}" -msgstr "" - -#: q.cpp:539 -msgid "" -"Auth failed: Q does not support HMAC-SHA-256 for CHALLENGEAUTH, falling back " -"to standard AUTH." -msgstr "" - -#: q.cpp:566 -msgid "RequestPerms: Requesting op on {1}" -msgstr "" - -#: q.cpp:579 -msgid "RequestPerms: Requesting voice on {1}" -msgstr "" - -#: q.cpp:686 -msgid "Please provide your username and password for Q." -msgstr "" - -#: q.cpp:689 -msgid "Auths you with QuakeNet's Q bot." -msgstr "" diff --git a/modules/po/q.id_ID.po b/modules/po/q.id_ID.po deleted file mode 100644 index f024149d..00000000 --- a/modules/po/q.id_ID.po +++ /dev/null @@ -1,300 +0,0 @@ -msgid "" -msgstr "" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" -"Plural-Forms: nplurals=1; plural=0;\n" -"X-Generator: crowdin.com\n" -"X-Crowdin-Project: znc-bouncer\n" -"X-Crowdin-Language: id\n" -"X-Crowdin-File: /master/modules/po/q.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: Indonesian\n" -"Language: id_ID\n" - -#: modules/po/../data/q/tmpl/index.tmpl:11 -msgid "Username:" -msgstr "Nama pengguna:" - -#: modules/po/../data/q/tmpl/index.tmpl:13 -msgid "Please enter a username." -msgstr "Silahkan masukan nama pengguna." - -#: modules/po/../data/q/tmpl/index.tmpl:16 -msgid "Password:" -msgstr "Kata Sandi:" - -#: modules/po/../data/q/tmpl/index.tmpl:18 -msgid "Please enter a password." -msgstr "Silakan masukkan sandi." - -#: modules/po/../data/q/tmpl/index.tmpl:26 -msgid "Options" -msgstr "Opsi" - -#: modules/po/../data/q/tmpl/index.tmpl:42 -msgid "Save" -msgstr "Simpan" - -#: q.cpp:74 -msgid "" -"Notice: Your host will be cloaked the next time you reconnect to IRC. If you " -"want to cloak your host now, /msg *q Cloak. You can set your preference " -"with /msg *q Set UseCloakedHost true/false." -msgstr "" - -#: q.cpp:111 -msgid "The following commands are available:" -msgstr "Perintah berikut tersedia:" - -#: q.cpp:113 q.cpp:116 q.cpp:121 q.cpp:126 q.cpp:130 q.cpp:135 q.cpp:140 -msgid "Command" -msgstr "Perintah" - -#: q.cpp:114 q.cpp:117 q.cpp:123 q.cpp:127 q.cpp:132 q.cpp:136 q.cpp:141 -#: q.cpp:150 q.cpp:154 q.cpp:158 q.cpp:162 q.cpp:168 q.cpp:174 q.cpp:180 -#: q.cpp:186 -msgid "Description" -msgstr "Deskripsi" - -#: q.cpp:116 -msgid "Auth [ ]" -msgstr "Auth [ ]" - -#: q.cpp:118 -msgid "Tries to authenticate you with Q. Both parameters are optional." -msgstr "" -"Mencoba untuk mengautentikasi anda dengan Q. Kedua parameter bersifat " -"opsional." - -#: q.cpp:124 -msgid "Tries to set usermode +x to hide your real hostname." -msgstr "" -"Mencoba untuk menetapkan usermode +x untuk menyembunyikan nama host anda " -"yang sebenarnya." - -#: q.cpp:128 -msgid "Prints the current status of the module." -msgstr "Mencetak status modul saat ini." - -#: q.cpp:133 -msgid "Re-requests the current user information from Q." -msgstr "Minta ulang informasi pengguna saat ini dari Q." - -#: q.cpp:135 -msgid "Set " -msgstr "Set " - -#: q.cpp:137 -msgid "Changes the value of the given setting. See the list of settings below." -msgstr "" - -#: q.cpp:142 -msgid "Prints out the current configuration. See the list of settings below." -msgstr "" - -#: q.cpp:146 -msgid "The following settings are available:" -msgstr "" - -#: q.cpp:148 q.cpp:152 q.cpp:156 q.cpp:160 q.cpp:166 q.cpp:172 q.cpp:178 -#: q.cpp:183 q.cpp:227 q.cpp:230 q.cpp:233 q.cpp:236 q.cpp:239 q.cpp:242 -#: q.cpp:245 q.cpp:248 -msgid "Setting" -msgstr "Setelan" - -#: q.cpp:149 q.cpp:153 q.cpp:157 q.cpp:161 q.cpp:167 q.cpp:173 q.cpp:179 -#: q.cpp:184 -msgid "Type" -msgstr "Tipe" - -#: q.cpp:153 q.cpp:157 -msgid "String" -msgstr "String" - -#: q.cpp:154 -msgid "Your Q username." -msgstr "" - -#: q.cpp:158 -msgid "Your Q password." -msgstr "" - -#: q.cpp:161 q.cpp:167 q.cpp:173 q.cpp:179 q.cpp:184 -msgid "Boolean" -msgstr "" - -#: q.cpp:163 q.cpp:373 -msgid "Whether to cloak your hostname (+x) automatically on connect." -msgstr "" - -#: q.cpp:169 q.cpp:381 -msgid "" -"Whether to use the CHALLENGEAUTH mechanism to avoid sending passwords in " -"cleartext." -msgstr "" - -#: q.cpp:175 q.cpp:389 -msgid "Whether to request voice/op from Q on join/devoice/deop." -msgstr "" - -#: q.cpp:181 q.cpp:395 -msgid "Whether to join channels when Q invites you." -msgstr "" - -#: q.cpp:187 q.cpp:402 -msgid "Whether to delay joining channels until after you are cloaked." -msgstr "" - -#: q.cpp:192 -msgid "This module takes 2 optional parameters: " -msgstr "" - -#: q.cpp:194 -msgid "Module settings are stored between restarts." -msgstr "" - -#: q.cpp:200 -msgid "Syntax: Set " -msgstr "" - -#: q.cpp:203 -msgid "Username set" -msgstr "" - -#: q.cpp:206 -msgid "Password set" -msgstr "" - -#: q.cpp:209 -msgid "UseCloakedHost set" -msgstr "" - -#: q.cpp:212 -msgid "UseChallenge set" -msgstr "" - -#: q.cpp:215 -msgid "RequestPerms set" -msgstr "" - -#: q.cpp:218 -msgid "JoinOnInvite set" -msgstr "" - -#: q.cpp:221 -msgid "JoinAfterCloaked set" -msgstr "" - -#: q.cpp:223 -msgid "Unknown setting: {1}" -msgstr "" - -#: q.cpp:228 q.cpp:231 q.cpp:234 q.cpp:237 q.cpp:240 q.cpp:243 q.cpp:246 -#: q.cpp:249 -msgid "Value" -msgstr "" - -#: q.cpp:253 -msgid "Connected: yes" -msgstr "" - -#: q.cpp:254 -msgid "Connected: no" -msgstr "" - -#: q.cpp:255 -msgid "Cloacked: yes" -msgstr "" - -#: q.cpp:255 -msgid "Cloacked: no" -msgstr "" - -#: q.cpp:256 -msgid "Authenticated: yes" -msgstr "" - -#: q.cpp:257 -msgid "Authenticated: no" -msgstr "" - -#: q.cpp:262 -msgid "Error: You are not connected to IRC." -msgstr "" - -#: q.cpp:270 -msgid "Error: You are already cloaked!" -msgstr "" - -#: q.cpp:276 -msgid "Error: You are already authed!" -msgstr "" - -#: q.cpp:280 -msgid "Update requested." -msgstr "" - -#: q.cpp:283 -msgid "Unknown command. Try 'help'." -msgstr "" - -#: q.cpp:293 -msgid "Cloak successful: Your hostname is now cloaked." -msgstr "" - -#: q.cpp:408 -msgid "Changes have been saved!" -msgstr "" - -#: q.cpp:435 -msgid "Cloak: Trying to cloak your hostname, setting +x..." -msgstr "" - -#: q.cpp:452 -msgid "" -"You have to set a username and password to use this module! See 'help' for " -"details." -msgstr "" - -#: q.cpp:458 -msgid "Auth: Requesting CHALLENGE..." -msgstr "" - -#: q.cpp:462 -msgid "Auth: Sending AUTH request..." -msgstr "" - -#: q.cpp:479 -msgid "Auth: Received challenge, sending CHALLENGEAUTH request..." -msgstr "" - -#: q.cpp:521 -msgid "Authentication failed: {1}" -msgstr "" - -#: q.cpp:525 -msgid "Authentication successful: {1}" -msgstr "" - -#: q.cpp:539 -msgid "" -"Auth failed: Q does not support HMAC-SHA-256 for CHALLENGEAUTH, falling back " -"to standard AUTH." -msgstr "" - -#: q.cpp:566 -msgid "RequestPerms: Requesting op on {1}" -msgstr "" - -#: q.cpp:579 -msgid "RequestPerms: Requesting voice on {1}" -msgstr "" - -#: q.cpp:686 -msgid "Please provide your username and password for Q." -msgstr "" - -#: q.cpp:689 -msgid "Auths you with QuakeNet's Q bot." -msgstr "" diff --git a/modules/po/q.nl_NL.po b/modules/po/q.nl_NL.po deleted file mode 100644 index 2158a61c..00000000 --- a/modules/po/q.nl_NL.po +++ /dev/null @@ -1,313 +0,0 @@ -msgid "" -msgstr "" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" -"Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" -"X-Crowdin-Project: znc-bouncer\n" -"X-Crowdin-Language: nl\n" -"X-Crowdin-File: /master/modules/po/q.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: Dutch\n" -"Language: nl_NL\n" - -#: modules/po/../data/q/tmpl/index.tmpl:11 -msgid "Username:" -msgstr "Gebruikersnaam:" - -#: modules/po/../data/q/tmpl/index.tmpl:13 -msgid "Please enter a username." -msgstr "Voer alsjeblieft een gebruikersnaam in." - -#: modules/po/../data/q/tmpl/index.tmpl:16 -msgid "Password:" -msgstr "Wachtwoord:" - -#: modules/po/../data/q/tmpl/index.tmpl:18 -msgid "Please enter a password." -msgstr "Voer alsjeblieft een wachtwoord in." - -#: modules/po/../data/q/tmpl/index.tmpl:26 -msgid "Options" -msgstr "Opties" - -#: modules/po/../data/q/tmpl/index.tmpl:42 -msgid "Save" -msgstr "Opslaan" - -#: q.cpp:74 -msgid "" -"Notice: Your host will be cloaked the next time you reconnect to IRC. If you " -"want to cloak your host now, /msg *q Cloak. You can set your preference " -"with /msg *q Set UseCloakedHost true/false." -msgstr "" -"Melding: Je host zal omhuld worden de volgende keer dat je met IRC verbind. " -"Als je dit nu wilt doen, doe dan: /msg *q Cloak. Je kan je voorkeur " -"instellen met /msg *q Set UseCloakedHost true/false." - -#: q.cpp:111 -msgid "The following commands are available:" -msgstr "De volgende commando's zijn beschikbaar:" - -#: q.cpp:113 q.cpp:116 q.cpp:121 q.cpp:126 q.cpp:130 q.cpp:135 q.cpp:140 -msgid "Command" -msgstr "Commando" - -#: q.cpp:114 q.cpp:117 q.cpp:123 q.cpp:127 q.cpp:132 q.cpp:136 q.cpp:141 -#: q.cpp:150 q.cpp:154 q.cpp:158 q.cpp:162 q.cpp:168 q.cpp:174 q.cpp:180 -#: q.cpp:186 -msgid "Description" -msgstr "Beschrijving" - -#: q.cpp:116 -msgid "Auth [ ]" -msgstr "Auth [ ]" - -#: q.cpp:118 -msgid "Tries to authenticate you with Q. Both parameters are optional." -msgstr "Probeert je te authenticeren met Q, beide parameters zijn optioneel." - -#: q.cpp:124 -msgid "Tries to set usermode +x to hide your real hostname." -msgstr "" -"Probeert gebruikersmodus +x in te stellen om je echte hostname te verbergen." - -#: q.cpp:128 -msgid "Prints the current status of the module." -msgstr "Toont de huidige status van de module." - -#: q.cpp:133 -msgid "Re-requests the current user information from Q." -msgstr "Vraagt de huidige gebruikersinformatie opnieuw aan bij Q." - -#: q.cpp:135 -msgid "Set " -msgstr "Set " - -#: q.cpp:137 -msgid "Changes the value of the given setting. See the list of settings below." -msgstr "" -"Past de waarde aan van de gegeven instelling. Zie de lijst van instellingen " -"hier onder." - -#: q.cpp:142 -msgid "Prints out the current configuration. See the list of settings below." -msgstr "" -"Toont de huidige configuratie. Zie de onderstaande lijst van instellingen." - -#: q.cpp:146 -msgid "The following settings are available:" -msgstr "De volgende instellingen zijn beschikbaar:" - -#: q.cpp:148 q.cpp:152 q.cpp:156 q.cpp:160 q.cpp:166 q.cpp:172 q.cpp:178 -#: q.cpp:183 q.cpp:227 q.cpp:230 q.cpp:233 q.cpp:236 q.cpp:239 q.cpp:242 -#: q.cpp:245 q.cpp:248 -msgid "Setting" -msgstr "Instelling" - -#: q.cpp:149 q.cpp:153 q.cpp:157 q.cpp:161 q.cpp:167 q.cpp:173 q.cpp:179 -#: q.cpp:184 -msgid "Type" -msgstr "Type" - -#: q.cpp:153 q.cpp:157 -msgid "String" -msgstr "Tekenreeks" - -#: q.cpp:154 -msgid "Your Q username." -msgstr "Jouw Q gebruikersnaam." - -#: q.cpp:158 -msgid "Your Q password." -msgstr "Jouw Q wachtwoord." - -#: q.cpp:161 q.cpp:167 q.cpp:173 q.cpp:179 q.cpp:184 -msgid "Boolean" -msgstr "Boolen (waar/onwaar)" - -#: q.cpp:163 q.cpp:373 -msgid "Whether to cloak your hostname (+x) automatically on connect." -msgstr "Je hostname automatisch omhullen (+x) wanneer er verbonden is." - -#: q.cpp:169 q.cpp:381 -msgid "" -"Whether to use the CHALLENGEAUTH mechanism to avoid sending passwords in " -"cleartext." -msgstr "" -"Of CHALLENGEAUTH mechanisme gebruikt moet worden om te voorkomen dat je " -"wachtwoord onversleuteld verstuurd word." - -#: q.cpp:175 q.cpp:389 -msgid "Whether to request voice/op from Q on join/devoice/deop." -msgstr "" -"Of je automatisch stem/beheerdersrechten van Q wilt aanvragen als je " -"toetreed/stem kwijt raakt/beheerdersrechten kwijt raakt." - -#: q.cpp:181 q.cpp:395 -msgid "Whether to join channels when Q invites you." -msgstr "Automatisch kanalen toetreden waar Q je voor uitnodigd." - -#: q.cpp:187 q.cpp:402 -msgid "Whether to delay joining channels until after you are cloaked." -msgstr "Wachten met het toetreden van kanalen totdat je host omhuld is." - -#: q.cpp:192 -msgid "This module takes 2 optional parameters: " -msgstr "" -"Deze module accepteerd twee optionele parameters: " -"" - -#: q.cpp:194 -msgid "Module settings are stored between restarts." -msgstr "Module instellingen worden opgeslagen tussen herstarts." - -#: q.cpp:200 -msgid "Syntax: Set " -msgstr "Syntax: Set " - -#: q.cpp:203 -msgid "Username set" -msgstr "Gebruikersnaam ingesteld" - -#: q.cpp:206 -msgid "Password set" -msgstr "Wachtwoord ingesteld" - -#: q.cpp:209 -msgid "UseCloakedHost set" -msgstr "UseCloakedHost ingesteld" - -#: q.cpp:212 -msgid "UseChallenge set" -msgstr "UseChallenge ingesteld" - -#: q.cpp:215 -msgid "RequestPerms set" -msgstr "RequestPerms ingesteld" - -#: q.cpp:218 -msgid "JoinOnInvite set" -msgstr "JoinOnInvite ingesteld" - -#: q.cpp:221 -msgid "JoinAfterCloaked set" -msgstr "JoinAfterCloaked ingesteld" - -#: q.cpp:223 -msgid "Unknown setting: {1}" -msgstr "Onbekende instelling: {1}" - -#: q.cpp:228 q.cpp:231 q.cpp:234 q.cpp:237 q.cpp:240 q.cpp:243 q.cpp:246 -#: q.cpp:249 -msgid "Value" -msgstr "Waarde" - -#: q.cpp:253 -msgid "Connected: yes" -msgstr "Verbonden: ja" - -#: q.cpp:254 -msgid "Connected: no" -msgstr "Verbonden: nee" - -#: q.cpp:255 -msgid "Cloacked: yes" -msgstr "Host omhuld: ja" - -#: q.cpp:255 -msgid "Cloacked: no" -msgstr "Host omhuld: nee" - -#: q.cpp:256 -msgid "Authenticated: yes" -msgstr "Geauthenticeerd: ja" - -#: q.cpp:257 -msgid "Authenticated: no" -msgstr "Geauthenticeerd: nee" - -#: q.cpp:262 -msgid "Error: You are not connected to IRC." -msgstr "Fout: Je bent niet verbonden met IRC." - -#: q.cpp:270 -msgid "Error: You are already cloaked!" -msgstr "Fout: Je bent al omhuld!" - -#: q.cpp:276 -msgid "Error: You are already authed!" -msgstr "Fout: Je bent al geauthenticeerd!" - -#: q.cpp:280 -msgid "Update requested." -msgstr "Update aangevraagd." - -#: q.cpp:283 -msgid "Unknown command. Try 'help'." -msgstr "Onbekend commando. Probeer 'help'." - -#: q.cpp:293 -msgid "Cloak successful: Your hostname is now cloaked." -msgstr "Omhulling succesvol: Je host is nu omhuld." - -#: q.cpp:408 -msgid "Changes have been saved!" -msgstr "Wijzigingen zijn opgeslagen!" - -#: q.cpp:435 -msgid "Cloak: Trying to cloak your hostname, setting +x..." -msgstr "Omhulling: Proberen je host te omhullen, +x aan het instellen..." - -#: q.cpp:452 -msgid "" -"You have to set a username and password to use this module! See 'help' for " -"details." -msgstr "" -"Je moet een gebruikersnaam en wachtwoord instellen om deze module te " -"gebruiken! Zie 'help' voor details." - -#: q.cpp:458 -msgid "Auth: Requesting CHALLENGE..." -msgstr "Auth: CHALLENGE aanvragen..." - -#: q.cpp:462 -msgid "Auth: Sending AUTH request..." -msgstr "Auth: AUTH aanvraag aan het versturen..." - -#: q.cpp:479 -msgid "Auth: Received challenge, sending CHALLENGEAUTH request..." -msgstr "Auth: Uitdaging ontvangen, nu CHALLENGEAUTH aanvraag sturen..." - -#: q.cpp:521 -msgid "Authentication failed: {1}" -msgstr "Authenticatie mislukt: {1}" - -#: q.cpp:525 -msgid "Authentication successful: {1}" -msgstr "Authenticatie gelukt: {1}" - -#: q.cpp:539 -msgid "" -"Auth failed: Q does not support HMAC-SHA-256 for CHALLENGEAUTH, falling back " -"to standard AUTH." -msgstr "" -"Auth mislukt: Q ondersteund geen HMAC-SHA-256 voor CHALLENGEAUTH, " -"terugvallen naar standaard AUTH." - -#: q.cpp:566 -msgid "RequestPerms: Requesting op on {1}" -msgstr "RequestPerms: Beheerdersrechten aanvragen in {1}" - -#: q.cpp:579 -msgid "RequestPerms: Requesting voice on {1}" -msgstr "RequestPerms: Stem aanvragen in {1}" - -#: q.cpp:686 -msgid "Please provide your username and password for Q." -msgstr "Voer alsjeblieft je gebruikersnaam en wachtwoord in voor Q." - -#: q.cpp:689 -msgid "Auths you with QuakeNet's Q bot." -msgstr "Authenticeert je met QuakeNet's Q bot." diff --git a/modules/po/q.pot b/modules/po/q.pot deleted file mode 100644 index c419b7c6..00000000 --- a/modules/po/q.pot +++ /dev/null @@ -1,287 +0,0 @@ -msgid "" -msgstr "" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" - -#: modules/po/../data/q/tmpl/index.tmpl:11 -msgid "Username:" -msgstr "" - -#: modules/po/../data/q/tmpl/index.tmpl:13 -msgid "Please enter a username." -msgstr "" - -#: modules/po/../data/q/tmpl/index.tmpl:16 -msgid "Password:" -msgstr "" - -#: modules/po/../data/q/tmpl/index.tmpl:18 -msgid "Please enter a password." -msgstr "" - -#: modules/po/../data/q/tmpl/index.tmpl:26 -msgid "Options" -msgstr "" - -#: modules/po/../data/q/tmpl/index.tmpl:42 -msgid "Save" -msgstr "" - -#: q.cpp:74 -msgid "" -"Notice: Your host will be cloaked the next time you reconnect to IRC. If you " -"want to cloak your host now, /msg *q Cloak. You can set your preference " -"with /msg *q Set UseCloakedHost true/false." -msgstr "" - -#: q.cpp:111 -msgid "The following commands are available:" -msgstr "" - -#: q.cpp:113 q.cpp:116 q.cpp:121 q.cpp:126 q.cpp:130 q.cpp:135 q.cpp:140 -msgid "Command" -msgstr "" - -#: q.cpp:114 q.cpp:117 q.cpp:123 q.cpp:127 q.cpp:132 q.cpp:136 q.cpp:141 -#: q.cpp:150 q.cpp:154 q.cpp:158 q.cpp:162 q.cpp:168 q.cpp:174 q.cpp:180 -#: q.cpp:186 -msgid "Description" -msgstr "" - -#: q.cpp:116 -msgid "Auth [ ]" -msgstr "" - -#: q.cpp:118 -msgid "Tries to authenticate you with Q. Both parameters are optional." -msgstr "" - -#: q.cpp:124 -msgid "Tries to set usermode +x to hide your real hostname." -msgstr "" - -#: q.cpp:128 -msgid "Prints the current status of the module." -msgstr "" - -#: q.cpp:133 -msgid "Re-requests the current user information from Q." -msgstr "" - -#: q.cpp:135 -msgid "Set " -msgstr "" - -#: q.cpp:137 -msgid "Changes the value of the given setting. See the list of settings below." -msgstr "" - -#: q.cpp:142 -msgid "Prints out the current configuration. See the list of settings below." -msgstr "" - -#: q.cpp:146 -msgid "The following settings are available:" -msgstr "" - -#: q.cpp:148 q.cpp:152 q.cpp:156 q.cpp:160 q.cpp:166 q.cpp:172 q.cpp:178 -#: q.cpp:183 q.cpp:227 q.cpp:230 q.cpp:233 q.cpp:236 q.cpp:239 q.cpp:242 -#: q.cpp:245 q.cpp:248 -msgid "Setting" -msgstr "" - -#: q.cpp:149 q.cpp:153 q.cpp:157 q.cpp:161 q.cpp:167 q.cpp:173 q.cpp:179 -#: q.cpp:184 -msgid "Type" -msgstr "" - -#: q.cpp:153 q.cpp:157 -msgid "String" -msgstr "" - -#: q.cpp:154 -msgid "Your Q username." -msgstr "" - -#: q.cpp:158 -msgid "Your Q password." -msgstr "" - -#: q.cpp:161 q.cpp:167 q.cpp:173 q.cpp:179 q.cpp:184 -msgid "Boolean" -msgstr "" - -#: q.cpp:163 q.cpp:373 -msgid "Whether to cloak your hostname (+x) automatically on connect." -msgstr "" - -#: q.cpp:169 q.cpp:381 -msgid "" -"Whether to use the CHALLENGEAUTH mechanism to avoid sending passwords in " -"cleartext." -msgstr "" - -#: q.cpp:175 q.cpp:389 -msgid "Whether to request voice/op from Q on join/devoice/deop." -msgstr "" - -#: q.cpp:181 q.cpp:395 -msgid "Whether to join channels when Q invites you." -msgstr "" - -#: q.cpp:187 q.cpp:402 -msgid "Whether to delay joining channels until after you are cloaked." -msgstr "" - -#: q.cpp:192 -msgid "This module takes 2 optional parameters: " -msgstr "" - -#: q.cpp:194 -msgid "Module settings are stored between restarts." -msgstr "" - -#: q.cpp:200 -msgid "Syntax: Set " -msgstr "" - -#: q.cpp:203 -msgid "Username set" -msgstr "" - -#: q.cpp:206 -msgid "Password set" -msgstr "" - -#: q.cpp:209 -msgid "UseCloakedHost set" -msgstr "" - -#: q.cpp:212 -msgid "UseChallenge set" -msgstr "" - -#: q.cpp:215 -msgid "RequestPerms set" -msgstr "" - -#: q.cpp:218 -msgid "JoinOnInvite set" -msgstr "" - -#: q.cpp:221 -msgid "JoinAfterCloaked set" -msgstr "" - -#: q.cpp:223 -msgid "Unknown setting: {1}" -msgstr "" - -#: q.cpp:228 q.cpp:231 q.cpp:234 q.cpp:237 q.cpp:240 q.cpp:243 q.cpp:246 -#: q.cpp:249 -msgid "Value" -msgstr "" - -#: q.cpp:253 -msgid "Connected: yes" -msgstr "" - -#: q.cpp:254 -msgid "Connected: no" -msgstr "" - -#: q.cpp:255 -msgid "Cloacked: yes" -msgstr "" - -#: q.cpp:255 -msgid "Cloacked: no" -msgstr "" - -#: q.cpp:256 -msgid "Authenticated: yes" -msgstr "" - -#: q.cpp:257 -msgid "Authenticated: no" -msgstr "" - -#: q.cpp:262 -msgid "Error: You are not connected to IRC." -msgstr "" - -#: q.cpp:270 -msgid "Error: You are already cloaked!" -msgstr "" - -#: q.cpp:276 -msgid "Error: You are already authed!" -msgstr "" - -#: q.cpp:280 -msgid "Update requested." -msgstr "" - -#: q.cpp:283 -msgid "Unknown command. Try 'help'." -msgstr "" - -#: q.cpp:293 -msgid "Cloak successful: Your hostname is now cloaked." -msgstr "" - -#: q.cpp:408 -msgid "Changes have been saved!" -msgstr "" - -#: q.cpp:435 -msgid "Cloak: Trying to cloak your hostname, setting +x..." -msgstr "" - -#: q.cpp:452 -msgid "" -"You have to set a username and password to use this module! See 'help' for " -"details." -msgstr "" - -#: q.cpp:458 -msgid "Auth: Requesting CHALLENGE..." -msgstr "" - -#: q.cpp:462 -msgid "Auth: Sending AUTH request..." -msgstr "" - -#: q.cpp:479 -msgid "Auth: Received challenge, sending CHALLENGEAUTH request..." -msgstr "" - -#: q.cpp:521 -msgid "Authentication failed: {1}" -msgstr "" - -#: q.cpp:525 -msgid "Authentication successful: {1}" -msgstr "" - -#: q.cpp:539 -msgid "" -"Auth failed: Q does not support HMAC-SHA-256 for CHALLENGEAUTH, falling back " -"to standard AUTH." -msgstr "" - -#: q.cpp:566 -msgid "RequestPerms: Requesting op on {1}" -msgstr "" - -#: q.cpp:579 -msgid "RequestPerms: Requesting voice on {1}" -msgstr "" - -#: q.cpp:686 -msgid "Please provide your username and password for Q." -msgstr "" - -#: q.cpp:689 -msgid "Auths you with QuakeNet's Q bot." -msgstr "" diff --git a/modules/po/q.pt_BR.po b/modules/po/q.pt_BR.po deleted file mode 100644 index 783e2ca3..00000000 --- a/modules/po/q.pt_BR.po +++ /dev/null @@ -1,296 +0,0 @@ -msgid "" -msgstr "" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" -"Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" -"X-Crowdin-Project: znc-bouncer\n" -"X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /master/modules/po/q.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: Portuguese, Brazilian\n" -"Language: pt_BR\n" - -#: modules/po/../data/q/tmpl/index.tmpl:11 -msgid "Username:" -msgstr "" - -#: modules/po/../data/q/tmpl/index.tmpl:13 -msgid "Please enter a username." -msgstr "" - -#: modules/po/../data/q/tmpl/index.tmpl:16 -msgid "Password:" -msgstr "" - -#: modules/po/../data/q/tmpl/index.tmpl:18 -msgid "Please enter a password." -msgstr "" - -#: modules/po/../data/q/tmpl/index.tmpl:26 -msgid "Options" -msgstr "" - -#: modules/po/../data/q/tmpl/index.tmpl:42 -msgid "Save" -msgstr "" - -#: q.cpp:74 -msgid "" -"Notice: Your host will be cloaked the next time you reconnect to IRC. If you " -"want to cloak your host now, /msg *q Cloak. You can set your preference " -"with /msg *q Set UseCloakedHost true/false." -msgstr "" - -#: q.cpp:111 -msgid "The following commands are available:" -msgstr "" - -#: q.cpp:113 q.cpp:116 q.cpp:121 q.cpp:126 q.cpp:130 q.cpp:135 q.cpp:140 -msgid "Command" -msgstr "" - -#: q.cpp:114 q.cpp:117 q.cpp:123 q.cpp:127 q.cpp:132 q.cpp:136 q.cpp:141 -#: q.cpp:150 q.cpp:154 q.cpp:158 q.cpp:162 q.cpp:168 q.cpp:174 q.cpp:180 -#: q.cpp:186 -msgid "Description" -msgstr "" - -#: q.cpp:116 -msgid "Auth [ ]" -msgstr "" - -#: q.cpp:118 -msgid "Tries to authenticate you with Q. Both parameters are optional." -msgstr "" - -#: q.cpp:124 -msgid "Tries to set usermode +x to hide your real hostname." -msgstr "" - -#: q.cpp:128 -msgid "Prints the current status of the module." -msgstr "" - -#: q.cpp:133 -msgid "Re-requests the current user information from Q." -msgstr "" - -#: q.cpp:135 -msgid "Set " -msgstr "" - -#: q.cpp:137 -msgid "Changes the value of the given setting. See the list of settings below." -msgstr "" - -#: q.cpp:142 -msgid "Prints out the current configuration. See the list of settings below." -msgstr "" - -#: q.cpp:146 -msgid "The following settings are available:" -msgstr "" - -#: q.cpp:148 q.cpp:152 q.cpp:156 q.cpp:160 q.cpp:166 q.cpp:172 q.cpp:178 -#: q.cpp:183 q.cpp:227 q.cpp:230 q.cpp:233 q.cpp:236 q.cpp:239 q.cpp:242 -#: q.cpp:245 q.cpp:248 -msgid "Setting" -msgstr "" - -#: q.cpp:149 q.cpp:153 q.cpp:157 q.cpp:161 q.cpp:167 q.cpp:173 q.cpp:179 -#: q.cpp:184 -msgid "Type" -msgstr "" - -#: q.cpp:153 q.cpp:157 -msgid "String" -msgstr "" - -#: q.cpp:154 -msgid "Your Q username." -msgstr "" - -#: q.cpp:158 -msgid "Your Q password." -msgstr "" - -#: q.cpp:161 q.cpp:167 q.cpp:173 q.cpp:179 q.cpp:184 -msgid "Boolean" -msgstr "" - -#: q.cpp:163 q.cpp:373 -msgid "Whether to cloak your hostname (+x) automatically on connect." -msgstr "" - -#: q.cpp:169 q.cpp:381 -msgid "" -"Whether to use the CHALLENGEAUTH mechanism to avoid sending passwords in " -"cleartext." -msgstr "" - -#: q.cpp:175 q.cpp:389 -msgid "Whether to request voice/op from Q on join/devoice/deop." -msgstr "" - -#: q.cpp:181 q.cpp:395 -msgid "Whether to join channels when Q invites you." -msgstr "" - -#: q.cpp:187 q.cpp:402 -msgid "Whether to delay joining channels until after you are cloaked." -msgstr "" - -#: q.cpp:192 -msgid "This module takes 2 optional parameters: " -msgstr "" - -#: q.cpp:194 -msgid "Module settings are stored between restarts." -msgstr "" - -#: q.cpp:200 -msgid "Syntax: Set " -msgstr "" - -#: q.cpp:203 -msgid "Username set" -msgstr "" - -#: q.cpp:206 -msgid "Password set" -msgstr "" - -#: q.cpp:209 -msgid "UseCloakedHost set" -msgstr "" - -#: q.cpp:212 -msgid "UseChallenge set" -msgstr "" - -#: q.cpp:215 -msgid "RequestPerms set" -msgstr "" - -#: q.cpp:218 -msgid "JoinOnInvite set" -msgstr "" - -#: q.cpp:221 -msgid "JoinAfterCloaked set" -msgstr "" - -#: q.cpp:223 -msgid "Unknown setting: {1}" -msgstr "" - -#: q.cpp:228 q.cpp:231 q.cpp:234 q.cpp:237 q.cpp:240 q.cpp:243 q.cpp:246 -#: q.cpp:249 -msgid "Value" -msgstr "" - -#: q.cpp:253 -msgid "Connected: yes" -msgstr "" - -#: q.cpp:254 -msgid "Connected: no" -msgstr "" - -#: q.cpp:255 -msgid "Cloacked: yes" -msgstr "" - -#: q.cpp:255 -msgid "Cloacked: no" -msgstr "" - -#: q.cpp:256 -msgid "Authenticated: yes" -msgstr "" - -#: q.cpp:257 -msgid "Authenticated: no" -msgstr "" - -#: q.cpp:262 -msgid "Error: You are not connected to IRC." -msgstr "" - -#: q.cpp:270 -msgid "Error: You are already cloaked!" -msgstr "" - -#: q.cpp:276 -msgid "Error: You are already authed!" -msgstr "" - -#: q.cpp:280 -msgid "Update requested." -msgstr "" - -#: q.cpp:283 -msgid "Unknown command. Try 'help'." -msgstr "" - -#: q.cpp:293 -msgid "Cloak successful: Your hostname is now cloaked." -msgstr "" - -#: q.cpp:408 -msgid "Changes have been saved!" -msgstr "" - -#: q.cpp:435 -msgid "Cloak: Trying to cloak your hostname, setting +x..." -msgstr "" - -#: q.cpp:452 -msgid "" -"You have to set a username and password to use this module! See 'help' for " -"details." -msgstr "" - -#: q.cpp:458 -msgid "Auth: Requesting CHALLENGE..." -msgstr "" - -#: q.cpp:462 -msgid "Auth: Sending AUTH request..." -msgstr "" - -#: q.cpp:479 -msgid "Auth: Received challenge, sending CHALLENGEAUTH request..." -msgstr "" - -#: q.cpp:521 -msgid "Authentication failed: {1}" -msgstr "" - -#: q.cpp:525 -msgid "Authentication successful: {1}" -msgstr "" - -#: q.cpp:539 -msgid "" -"Auth failed: Q does not support HMAC-SHA-256 for CHALLENGEAUTH, falling back " -"to standard AUTH." -msgstr "" - -#: q.cpp:566 -msgid "RequestPerms: Requesting op on {1}" -msgstr "" - -#: q.cpp:579 -msgid "RequestPerms: Requesting voice on {1}" -msgstr "" - -#: q.cpp:686 -msgid "Please provide your username and password for Q." -msgstr "" - -#: q.cpp:689 -msgid "Auths you with QuakeNet's Q bot." -msgstr "" diff --git a/modules/po/q.ru_RU.po b/modules/po/q.ru_RU.po deleted file mode 100644 index cf34a8db..00000000 --- a/modules/po/q.ru_RU.po +++ /dev/null @@ -1,298 +0,0 @@ -msgid "" -msgstr "" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" -"Plural-Forms: nplurals=4; plural=((n%10==1 && n%100!=11) ? 0 : ((n%10 >= 2 " -"&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " -"&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" -"X-Generator: crowdin.com\n" -"X-Crowdin-Project: znc-bouncer\n" -"X-Crowdin-Language: ru\n" -"X-Crowdin-File: /master/modules/po/q.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: Russian\n" -"Language: ru_RU\n" - -#: modules/po/../data/q/tmpl/index.tmpl:11 -msgid "Username:" -msgstr "" - -#: modules/po/../data/q/tmpl/index.tmpl:13 -msgid "Please enter a username." -msgstr "" - -#: modules/po/../data/q/tmpl/index.tmpl:16 -msgid "Password:" -msgstr "" - -#: modules/po/../data/q/tmpl/index.tmpl:18 -msgid "Please enter a password." -msgstr "" - -#: modules/po/../data/q/tmpl/index.tmpl:26 -msgid "Options" -msgstr "" - -#: modules/po/../data/q/tmpl/index.tmpl:42 -msgid "Save" -msgstr "" - -#: q.cpp:74 -msgid "" -"Notice: Your host will be cloaked the next time you reconnect to IRC. If you " -"want to cloak your host now, /msg *q Cloak. You can set your preference " -"with /msg *q Set UseCloakedHost true/false." -msgstr "" - -#: q.cpp:111 -msgid "The following commands are available:" -msgstr "" - -#: q.cpp:113 q.cpp:116 q.cpp:121 q.cpp:126 q.cpp:130 q.cpp:135 q.cpp:140 -msgid "Command" -msgstr "" - -#: q.cpp:114 q.cpp:117 q.cpp:123 q.cpp:127 q.cpp:132 q.cpp:136 q.cpp:141 -#: q.cpp:150 q.cpp:154 q.cpp:158 q.cpp:162 q.cpp:168 q.cpp:174 q.cpp:180 -#: q.cpp:186 -msgid "Description" -msgstr "" - -#: q.cpp:116 -msgid "Auth [ ]" -msgstr "" - -#: q.cpp:118 -msgid "Tries to authenticate you with Q. Both parameters are optional." -msgstr "" - -#: q.cpp:124 -msgid "Tries to set usermode +x to hide your real hostname." -msgstr "" - -#: q.cpp:128 -msgid "Prints the current status of the module." -msgstr "" - -#: q.cpp:133 -msgid "Re-requests the current user information from Q." -msgstr "" - -#: q.cpp:135 -msgid "Set " -msgstr "" - -#: q.cpp:137 -msgid "Changes the value of the given setting. See the list of settings below." -msgstr "" - -#: q.cpp:142 -msgid "Prints out the current configuration. See the list of settings below." -msgstr "" - -#: q.cpp:146 -msgid "The following settings are available:" -msgstr "" - -#: q.cpp:148 q.cpp:152 q.cpp:156 q.cpp:160 q.cpp:166 q.cpp:172 q.cpp:178 -#: q.cpp:183 q.cpp:227 q.cpp:230 q.cpp:233 q.cpp:236 q.cpp:239 q.cpp:242 -#: q.cpp:245 q.cpp:248 -msgid "Setting" -msgstr "" - -#: q.cpp:149 q.cpp:153 q.cpp:157 q.cpp:161 q.cpp:167 q.cpp:173 q.cpp:179 -#: q.cpp:184 -msgid "Type" -msgstr "" - -#: q.cpp:153 q.cpp:157 -msgid "String" -msgstr "" - -#: q.cpp:154 -msgid "Your Q username." -msgstr "" - -#: q.cpp:158 -msgid "Your Q password." -msgstr "" - -#: q.cpp:161 q.cpp:167 q.cpp:173 q.cpp:179 q.cpp:184 -msgid "Boolean" -msgstr "" - -#: q.cpp:163 q.cpp:373 -msgid "Whether to cloak your hostname (+x) automatically on connect." -msgstr "" - -#: q.cpp:169 q.cpp:381 -msgid "" -"Whether to use the CHALLENGEAUTH mechanism to avoid sending passwords in " -"cleartext." -msgstr "" - -#: q.cpp:175 q.cpp:389 -msgid "Whether to request voice/op from Q on join/devoice/deop." -msgstr "" - -#: q.cpp:181 q.cpp:395 -msgid "Whether to join channels when Q invites you." -msgstr "" - -#: q.cpp:187 q.cpp:402 -msgid "Whether to delay joining channels until after you are cloaked." -msgstr "" - -#: q.cpp:192 -msgid "This module takes 2 optional parameters: " -msgstr "" - -#: q.cpp:194 -msgid "Module settings are stored between restarts." -msgstr "" - -#: q.cpp:200 -msgid "Syntax: Set " -msgstr "" - -#: q.cpp:203 -msgid "Username set" -msgstr "" - -#: q.cpp:206 -msgid "Password set" -msgstr "" - -#: q.cpp:209 -msgid "UseCloakedHost set" -msgstr "" - -#: q.cpp:212 -msgid "UseChallenge set" -msgstr "" - -#: q.cpp:215 -msgid "RequestPerms set" -msgstr "" - -#: q.cpp:218 -msgid "JoinOnInvite set" -msgstr "" - -#: q.cpp:221 -msgid "JoinAfterCloaked set" -msgstr "" - -#: q.cpp:223 -msgid "Unknown setting: {1}" -msgstr "" - -#: q.cpp:228 q.cpp:231 q.cpp:234 q.cpp:237 q.cpp:240 q.cpp:243 q.cpp:246 -#: q.cpp:249 -msgid "Value" -msgstr "" - -#: q.cpp:253 -msgid "Connected: yes" -msgstr "" - -#: q.cpp:254 -msgid "Connected: no" -msgstr "" - -#: q.cpp:255 -msgid "Cloacked: yes" -msgstr "" - -#: q.cpp:255 -msgid "Cloacked: no" -msgstr "" - -#: q.cpp:256 -msgid "Authenticated: yes" -msgstr "" - -#: q.cpp:257 -msgid "Authenticated: no" -msgstr "" - -#: q.cpp:262 -msgid "Error: You are not connected to IRC." -msgstr "" - -#: q.cpp:270 -msgid "Error: You are already cloaked!" -msgstr "" - -#: q.cpp:276 -msgid "Error: You are already authed!" -msgstr "" - -#: q.cpp:280 -msgid "Update requested." -msgstr "" - -#: q.cpp:283 -msgid "Unknown command. Try 'help'." -msgstr "" - -#: q.cpp:293 -msgid "Cloak successful: Your hostname is now cloaked." -msgstr "" - -#: q.cpp:408 -msgid "Changes have been saved!" -msgstr "" - -#: q.cpp:435 -msgid "Cloak: Trying to cloak your hostname, setting +x..." -msgstr "" - -#: q.cpp:452 -msgid "" -"You have to set a username and password to use this module! See 'help' for " -"details." -msgstr "" - -#: q.cpp:458 -msgid "Auth: Requesting CHALLENGE..." -msgstr "" - -#: q.cpp:462 -msgid "Auth: Sending AUTH request..." -msgstr "" - -#: q.cpp:479 -msgid "Auth: Received challenge, sending CHALLENGEAUTH request..." -msgstr "" - -#: q.cpp:521 -msgid "Authentication failed: {1}" -msgstr "" - -#: q.cpp:525 -msgid "Authentication successful: {1}" -msgstr "" - -#: q.cpp:539 -msgid "" -"Auth failed: Q does not support HMAC-SHA-256 for CHALLENGEAUTH, falling back " -"to standard AUTH." -msgstr "" - -#: q.cpp:566 -msgid "RequestPerms: Requesting op on {1}" -msgstr "" - -#: q.cpp:579 -msgid "RequestPerms: Requesting voice on {1}" -msgstr "" - -#: q.cpp:686 -msgid "Please provide your username and password for Q." -msgstr "" - -#: q.cpp:689 -msgid "Auths you with QuakeNet's Q bot." -msgstr "" diff --git a/modules/q.cpp b/modules/q.cpp deleted file mode 100644 index f7df628c..00000000 --- a/modules/q.cpp +++ /dev/null @@ -1,689 +0,0 @@ -/* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - -#include -#include -#include -#include - -using std::set; - -#ifndef Q_DEBUG_COMMUNICATION -#define Q_DEBUG_COMMUNICATION 0 -#endif - -class CQModule : public CModule { - public: - MODCONSTRUCTOR(CQModule) {} - ~CQModule() override {} - - bool OnLoad(const CString& sArgs, CString& sMessage) override { - if (!sArgs.empty()) { - SetUsername(sArgs.Token(0)); - SetPassword(sArgs.Token(1)); - } else { - m_sUsername = GetNV("Username"); - m_sPassword = GetNV("Password"); - } - - CString sTmp; - m_bUseCloakedHost = - (sTmp = GetNV("UseCloakedHost")).empty() ? true : sTmp.ToBool(); - m_bUseChallenge = - (sTmp = GetNV("UseChallenge")).empty() ? true : sTmp.ToBool(); - m_bRequestPerms = GetNV("RequestPerms").ToBool(); - m_bJoinOnInvite = - (sTmp = GetNV("JoinOnInvite")).empty() ? true : sTmp.ToBool(); - m_bJoinAfterCloaked = - (sTmp = GetNV("JoinAfterCloaked")).empty() ? true : sTmp.ToBool(); - - // Make sure NVs are stored in config. Note: SetUseCloakedHost() is - // called further down. - SetUseChallenge(m_bUseChallenge); - SetRequestPerms(m_bRequestPerms); - SetJoinOnInvite(m_bJoinOnInvite); - SetJoinAfterCloaked(m_bJoinAfterCloaked); - - OnIRCDisconnected(); // reset module's state - - if (IsIRCConnected()) { - // check for usermode +x if we are already connected - set scUserModes = - GetNetwork()->GetIRCSock()->GetUserModes(); - if (scUserModes.find('x') != scUserModes.end()) m_bCloaked = true; - - // This will only happen once, and only if the user loads the module - // after connecting to IRC. - // Also don't notify the user in case he already had mode +x set. - if (GetNV("UseCloakedHost").empty()) { - if (!m_bCloaked) - PutModule(t_s( - "Notice: Your host will be cloaked the next time you " - "reconnect to IRC. " - "If you want to cloak your host now, /msg *q Cloak. " - "You can set your preference " - "with /msg *q Set UseCloakedHost true/false.")); - m_bUseCloakedHost = true; - SetUseCloakedHost(m_bUseCloakedHost); - m_bJoinAfterCloaked = true; - SetJoinAfterCloaked(m_bJoinAfterCloaked); - } else if (m_bUseChallenge) { - Cloak(); - } - WhoAmI(); - } else { - SetUseCloakedHost(m_bUseCloakedHost); - } - - return true; - } - - void OnIRCDisconnected() override { - m_bCloaked = false; - m_bAuthed = false; - m_bRequestedWhoami = false; - m_bRequestedChallenge = false; - m_bCatchResponse = false; - } - - void OnIRCConnected() override { - if (m_bUseCloakedHost) Cloak(); - WhoAmI(); - } - - void OnModCommand(const CString& sLine) override { - CString sCommand = sLine.Token(0).AsLower(); - - if (sCommand == "help") { - PutModule(t_s("The following commands are available:")); - CTable Table; - Table.AddColumn(t_s("Command")); - Table.AddColumn(t_s("Description")); - Table.AddRow(); - Table.SetCell(t_s("Command"), t_s("Auth [ ]")); - Table.SetCell(t_s("Description"), - t_s("Tries to authenticate you with Q. Both " - "parameters are optional.")); - Table.AddRow(); - Table.SetCell(t_s("Command"), "Cloak"); - Table.SetCell( - t_s("Description"), - t_s("Tries to set usermode +x to hide your real hostname.")); - Table.AddRow(); - Table.SetCell(t_s("Command"), "Status"); - Table.SetCell(t_s("Description"), - t_s("Prints the current status of the module.")); - Table.AddRow(); - Table.SetCell(t_s("Command"), "Update"); - Table.SetCell( - t_s("Description"), - t_s("Re-requests the current user information from Q.")); - Table.AddRow(); - Table.SetCell(t_s("Command"), t_s("Set ")); - Table.SetCell(t_s("Description"), - t_s("Changes the value of the given setting. See the " - "list of settings below.")); - Table.AddRow(); - Table.SetCell(t_s("Command"), "Get"); - Table.SetCell(t_s("Description"), - t_s("Prints out the current configuration. See the " - "list of settings below.")); - PutModule(Table); - - PutModule(t_s("The following settings are available:")); - CTable Table2; - Table2.AddColumn(t_s("Setting")); - Table2.AddColumn(t_s("Type")); - Table2.AddColumn(t_s("Description")); - Table2.AddRow(); - Table2.SetCell(t_s("Setting"),"Username"); - Table2.SetCell(t_s("Type"), t_s("String")); - Table2.SetCell(t_s("Description"), t_s("Your Q username.")); - Table2.AddRow(); - Table2.SetCell(t_s("Setting"), "Password"); - Table2.SetCell(t_s("Type"), t_s("String")); - Table2.SetCell(t_s("Description"), t_s("Your Q password.")); - Table2.AddRow(); - Table2.SetCell(t_s("Setting"), "UseCloakedHost"); - Table2.SetCell(t_s("Type"), t_s("Boolean")); - Table2.SetCell(t_s("Description"), - t_s("Whether to cloak your hostname (+x) " - "automatically on connect.")); - Table2.AddRow(); - Table2.SetCell(t_s("Setting"), "UseChallenge"); - Table2.SetCell(t_s("Type"), t_s("Boolean")); - Table2.SetCell(t_s("Description"), - t_s("Whether to use the CHALLENGEAUTH mechanism to " - "avoid sending passwords in cleartext.")); - Table2.AddRow(); - Table2.SetCell(t_s("Setting"), "RequestPerms"); - Table2.SetCell(t_s("Type"), t_s("Boolean")); - Table2.SetCell(t_s("Description"), - t_s("Whether to request voice/op from Q on " - "join/devoice/deop.")); - Table2.AddRow(); - Table2.SetCell(t_s("Setting"), "JoinOnInvite"); - Table2.SetCell(t_s("Type"), t_s("Boolean")); - Table2.SetCell(t_s("Description"), - t_s("Whether to join channels when Q invites you.")); - Table2.AddRow(); - Table2.SetCell(t_s("Setting"), "JoinAfterCloaked"); - Table2.SetCell(t_s("Type"), t_s("Boolean")); - Table2.SetCell( - t_s("Description"), - t_s("Whether to delay joining channels until after you " - "are cloaked.")); - PutModule(Table2); - - PutModule( - t_s("This module takes 2 optional parameters: " - "")); - PutModule(t_s("Module settings are stored between restarts.")); - - } else if (sCommand == "set") { - CString sSetting = sLine.Token(1).AsLower(); - CString sValue = sLine.Token(2); - if (sSetting.empty() || sValue.empty()) { - PutModule(t_s("Syntax: Set ")); - } else if (sSetting == "username") { - SetUsername(sValue); - PutModule(t_s("Username set")); - } else if (sSetting == "password") { - SetPassword(sValue); - PutModule(t_s("Password set")); - } else if (sSetting == "usecloakedhost") { - SetUseCloakedHost(sValue.ToBool()); - PutModule(t_s("UseCloakedHost set")); - } else if (sSetting == "usechallenge") { - SetUseChallenge(sValue.ToBool()); - PutModule(t_s("UseChallenge set")); - } else if (sSetting == "requestperms") { - SetRequestPerms(sValue.ToBool()); - PutModule(t_s("RequestPerms set")); - } else if (sSetting == "joinoninvite") { - SetJoinOnInvite(sValue.ToBool()); - PutModule(t_s("JoinOnInvite set")); - } else if (sSetting == "joinaftercloaked") { - SetJoinAfterCloaked(sValue.ToBool()); - PutModule(t_s("JoinAfterCloaked set")); - } else - PutModule(t_f("Unknown setting: {1}")(sSetting)); - - } else if (sCommand == "get" || sCommand == "list") { - CTable Table; - Table.AddColumn(t_s("Setting")); - Table.AddColumn(t_s("Value")); - Table.AddRow(); - Table.SetCell(t_s("Setting"), "Username"); - Table.SetCell(t_s("Value"), m_sUsername); - Table.AddRow(); - Table.SetCell(t_s("Setting"), "Password"); - Table.SetCell(t_s("Value"), "*****"); // m_sPassword - Table.AddRow(); - Table.SetCell(t_s("Setting"), "UseCloakedHost"); - Table.SetCell(t_s("Value"), CString(m_bUseCloakedHost)); - Table.AddRow(); - Table.SetCell(t_s("Setting"), "UseChallenge"); - Table.SetCell(t_s("Value"), CString(m_bUseChallenge)); - Table.AddRow(); - Table.SetCell(t_s("Setting"), "RequestPerms"); - Table.SetCell(t_s("Value"), CString(m_bRequestPerms)); - Table.AddRow(); - Table.SetCell(t_s("Setting"), "JoinOnInvite"); - Table.SetCell(t_s("Value"), CString(m_bJoinOnInvite)); - Table.AddRow(); - Table.SetCell(t_s("Setting"), "JoinAfterCloaked"); - Table.SetCell(t_s("Value"), CString(m_bJoinAfterCloaked)); - PutModule(Table); - - } else if (sCommand == "status") { - PutModule(IsIRCConnected() ? t_s("Connected: yes") - : t_s("Connected: no")); - PutModule(m_bCloaked ? t_s("Cloacked: yes") : t_s("Cloacked: no")); - PutModule(m_bAuthed ? t_s("Authenticated: yes") - : t_s("Authenticated: no")); - - } else { - // The following commands require an IRC connection. - if (!IsIRCConnected()) { - PutModule(t_s("Error: You are not connected to IRC.")); - return; - } - - if (sCommand == "cloak") { - if (!m_bCloaked) - Cloak(); - else - PutModule(t_s("Error: You are already cloaked!")); - - } else if (sCommand == "auth") { - if (!m_bAuthed) - Auth(sLine.Token(1), sLine.Token(2)); - else - PutModule(t_s("Error: You are already authed!")); - - } else if (sCommand == "update") { - WhoAmI(); - PutModule(t_s("Update requested.")); - - } else { - PutModule(t_s("Unknown command. Try 'help'.")); - } - } - } - - EModRet OnRaw(CString& sLine) override { - // use OnRaw because OnUserMode is not defined (yet?) - if (sLine.Token(1) == "396" && - sLine.Token(3).find("users.quakenet.org") != CString::npos) { - m_bCloaked = true; - PutModule(t_s("Cloak successful: Your hostname is now cloaked.")); - - // Join channels immediately after our spoof is set, but only if - // both UseCloakedHost and JoinAfterCloaked is enabled. See #602. - if (m_bJoinAfterCloaked) { - GetNetwork()->JoinChans(); - } - } - return CONTINUE; - } - - EModRet OnPrivMsg(CNick& Nick, CString& sMessage) override { - return HandleMessage(Nick, sMessage); - } - - EModRet OnPrivNotice(CNick& Nick, CString& sMessage) override { - return HandleMessage(Nick, sMessage); - } - - EModRet OnJoining(CChan& Channel) override { - // Halt if are not already cloaked, but the user requres that we delay - // channel join till after we are cloaked. - if (!m_bCloaked && m_bUseCloakedHost && m_bJoinAfterCloaked) - return HALT; - - return CONTINUE; - } - - void OnJoin(const CNick& Nick, CChan& Channel) override { - if (m_bRequestPerms && IsSelf(Nick)) HandleNeed(Channel, "ov"); - } - - void OnDeop2(const CNick* pOpNick, const CNick& Nick, CChan& Channel, - bool bNoChange) override { - if (m_bRequestPerms && IsSelf(Nick) && (!pOpNick || !IsSelf(*pOpNick))) - HandleNeed(Channel, "o"); - } - - void OnDevoice2(const CNick* pOpNick, const CNick& Nick, CChan& Channel, - bool bNoChange) override { - if (m_bRequestPerms && IsSelf(Nick) && (!pOpNick || !IsSelf(*pOpNick))) - HandleNeed(Channel, "v"); - } - - EModRet OnInvite(const CNick& Nick, const CString& sChan) override { - if (!Nick.NickEquals("Q") || - !Nick.GetHost().Equals("CServe.quakenet.org")) - return CONTINUE; - if (m_bJoinOnInvite) GetNetwork()->AddChan(sChan, false); - return CONTINUE; - } - - CString GetWebMenuTitle() override { return "Q"; } - - bool OnWebRequest(CWebSock& WebSock, const CString& sPageName, - CTemplate& Tmpl) override { - if (sPageName == "index") { - bool bSubmitted = (WebSock.GetParam("submitted").ToInt() != 0); - - if (bSubmitted) { - CString FormUsername = WebSock.GetParam("user"); - if (!FormUsername.empty()) SetUsername(FormUsername); - - CString FormPassword = WebSock.GetParam("password"); - if (!FormPassword.empty()) SetPassword(FormPassword); - - SetUseCloakedHost(WebSock.GetParam("usecloakedhost").ToBool()); - SetUseChallenge(WebSock.GetParam("usechallenge").ToBool()); - SetRequestPerms(WebSock.GetParam("requestperms").ToBool()); - SetJoinOnInvite(WebSock.GetParam("joinoninvite").ToBool()); - SetJoinAfterCloaked( - WebSock.GetParam("joinaftercloaked").ToBool()); - } - - Tmpl["Username"] = m_sUsername; - - CTemplate& o1 = Tmpl.AddRow("OptionLoop"); - o1["Name"] = "usecloakedhost"; - o1["DisplayName"] = "UseCloakedHost"; - o1["Tooltip"] = - t_s("Whether to cloak your hostname (+x) automatically on " - "connect."); - o1["Checked"] = CString(m_bUseCloakedHost); - - CTemplate& o2 = Tmpl.AddRow("OptionLoop"); - o2["Name"] = "usechallenge"; - o2["DisplayName"] = "UseChallenge"; - o2["Tooltip"] = - t_s("Whether to use the CHALLENGEAUTH mechanism to avoid " - "sending passwords in cleartext."); - o2["Checked"] = CString(m_bUseChallenge); - - CTemplate& o3 = Tmpl.AddRow("OptionLoop"); - o3["Name"] = "requestperms"; - o3["DisplayName"] = "RequestPerms"; - o3["Tooltip"] = - t_s("Whether to request voice/op from Q on join/devoice/deop."); - o3["Checked"] = CString(m_bRequestPerms); - - CTemplate& o4 = Tmpl.AddRow("OptionLoop"); - o4["Name"] = "joinoninvite"; - o4["DisplayName"] = "JoinOnInvite"; - o4["Tooltip"] = t_s("Whether to join channels when Q invites you."); - o4["Checked"] = CString(m_bJoinOnInvite); - - CTemplate& o5 = Tmpl.AddRow("OptionLoop"); - o5["Name"] = "joinaftercloaked"; - o5["DisplayName"] = "JoinAfterCloaked"; - o5["Tooltip"] = - t_s("Whether to delay joining channels until after you are " - "cloaked."); - o5["Checked"] = CString(m_bJoinAfterCloaked); - - if (bSubmitted) { - WebSock.GetSession()->AddSuccess( - t_s("Changes have been saved!")); - } - - return true; - } - - return false; - } - - private: - bool m_bCloaked{}; - bool m_bAuthed{}; - bool m_bRequestedWhoami{}; - bool m_bRequestedChallenge{}; - bool m_bCatchResponse{}; - MCString m_msChanModes; - - void PutQ(const CString& sMessage) { - PutIRC("PRIVMSG Q@CServe.quakenet.org :" + sMessage); -#if Q_DEBUG_COMMUNICATION - PutModule("[ZNC --> Q] " + sMessage); -#endif - } - - void Cloak() { - if (m_bCloaked) return; - - PutModule(t_s("Cloak: Trying to cloak your hostname, setting +x...")); - PutIRC("MODE " + GetNetwork()->GetIRCSock()->GetNick() + " +x"); - } - - void WhoAmI() { - m_bRequestedWhoami = true; - PutQ("WHOAMI"); - } - - void Auth(const CString& sUsername = "", const CString& sPassword = "") { - if (m_bAuthed) return; - - if (!sUsername.empty()) SetUsername(sUsername); - if (!sPassword.empty()) SetPassword(sPassword); - - if (m_sUsername.empty() || m_sPassword.empty()) { - PutModule( - t_s("You have to set a username and password to use this " - "module! See 'help' for details.")); - return; - } - - if (m_bUseChallenge) { - PutModule(t_s("Auth: Requesting CHALLENGE...")); - m_bRequestedChallenge = true; - PutQ("CHALLENGE"); - } else { - PutModule(t_s("Auth: Sending AUTH request...")); - PutQ("AUTH " + m_sUsername + " " + m_sPassword); - } - } - - void ChallengeAuth(CString sChallenge) { - if (m_bAuthed) return; - - CString sUsername = m_sUsername.AsLower() - .Replace_n("[", "{") - .Replace_n("]", "}") - .Replace_n("\\", "|"); - CString sPasswordHash = m_sPassword.Left(10).SHA256(); - CString sKey = CString(sUsername + ":" + sPasswordHash).SHA256(); - CString sResponse = HMAC_SHA256(sKey, sChallenge); - - PutModule( - t_s("Auth: Received challenge, sending CHALLENGEAUTH request...")); - PutQ("CHALLENGEAUTH " + m_sUsername + " " + sResponse + - " HMAC-SHA-256"); - } - - EModRet HandleMessage(const CNick& Nick, CString sMessage) { - if (!Nick.NickEquals("Q") || - !Nick.GetHost().Equals("CServe.quakenet.org")) - return CONTINUE; - - sMessage.Trim(); - -#if Q_DEBUG_COMMUNICATION - PutModule("[ZNC <-- Q] " + sMessage); -#endif - - // WHOAMI - if (sMessage.find("WHOAMI is only available to authed users") != - CString::npos) { - m_bAuthed = false; - Auth(); - m_bCatchResponse = m_bRequestedWhoami; - } else if (sMessage.find("Information for user") != CString::npos) { - m_bAuthed = true; - m_msChanModes.clear(); - m_bCatchResponse = m_bRequestedWhoami; - m_bRequestedWhoami = true; - } else if (m_bRequestedWhoami && sMessage.WildCmp("#*")) { - CString sChannel = sMessage.Token(0); - CString sFlags = sMessage.Token(1, true).Trim_n().TrimLeft_n("+"); - m_msChanModes[sChannel] = sFlags; - } else if (m_bRequestedWhoami && m_bCatchResponse && - (sMessage.Equals("End of list.") || - sMessage.Equals( - "account, or HELLO to create an account."))) { - m_bRequestedWhoami = m_bCatchResponse = false; - return HALT; - } - - // AUTH - else if (sMessage.Equals("Username or password incorrect.")) { - m_bAuthed = false; - PutModule(t_f("Authentication failed: {1}")(sMessage)); - return HALT; - } else if (sMessage.WildCmp("You are now logged in as *.")) { - m_bAuthed = true; - PutModule(t_f("Authentication successful: {1}")(sMessage)); - WhoAmI(); - return HALT; - } else if (m_bRequestedChallenge && - sMessage.Token(0).Equals("CHALLENGE")) { - m_bRequestedChallenge = false; - if (sMessage.find("not available once you have authed") != - CString::npos) { - m_bAuthed = true; - } else { - if (sMessage.find("HMAC-SHA-256") != CString::npos) { - ChallengeAuth(sMessage.Token(1)); - } else { - PutModule( - t_s("Auth failed: Q does not support HMAC-SHA-256 for " - "CHALLENGEAUTH, falling back to standard AUTH.")); - SetUseChallenge(false); - Auth(); - } - } - return HALT; - } - - // prevent buffering of Q's responses - return !m_bCatchResponse && GetUser()->IsUserAttached() ? CONTINUE - : HALT; - } - - void HandleNeed(const CChan& Channel, const CString& sPerms) { - MCString::iterator it = m_msChanModes.find(Channel.GetName()); - if (it == m_msChanModes.end()) return; - CString sModes = it->second; - - bool bMaster = (sModes.find("m") != CString::npos) || - (sModes.find("n") != CString::npos); - - if (sPerms.find("o") != CString::npos) { - bool bOp = (sModes.find("o") != CString::npos); - bool bAutoOp = (sModes.find("a") != CString::npos); - if (bMaster || bOp) { - if (!bAutoOp) { - PutModule(t_f("RequestPerms: Requesting op on {1}")( - Channel.GetName())); - PutQ("OP " + Channel.GetName()); - } - return; - } - } - - if (sPerms.find("v") != CString::npos) { - bool bVoice = (sModes.find("v") != CString::npos); - bool bAutoVoice = (sModes.find("g") != CString::npos); - if (bMaster || bVoice) { - if (!bAutoVoice) { - PutModule(t_f("RequestPerms: Requesting voice on {1}")( - Channel.GetName())); - PutQ("VOICE " + Channel.GetName()); - } - return; - } - } - } - - /* Utility Functions */ - bool IsIRCConnected() { - CIRCSock* pIRCSock = GetNetwork()->GetIRCSock(); - return pIRCSock && pIRCSock->IsAuthed(); - } - - bool IsSelf(const CNick& Nick) { - return Nick.NickEquals(GetNetwork()->GetCurNick()); - } - - bool PackHex(const CString& sHex, CString& sPackedHex) { - if (sHex.length() % 2) return false; - - sPackedHex.clear(); - - CString::size_type len = sHex.length() / 2; - for (CString::size_type i = 0; i < len; i++) { - unsigned int value; - int n = sscanf(&sHex[i * 2], "%02x", &value); - if (n != 1 || value > 0xff) return false; - sPackedHex += (unsigned char)value; - } - - return true; - } - - CString HMAC_SHA256(const CString& sKey, const CString& sData) { - CString sRealKey; - if (sKey.length() > 64) - PackHex(sKey.SHA256(), sRealKey); - else - sRealKey = sKey; - - CString sOuterKey, sInnerKey; - CString::size_type iKeyLength = sRealKey.length(); - for (unsigned int i = 0; i < 64; i++) { - char r = (i < iKeyLength ? sRealKey[i] : '\0'); - sOuterKey += r ^ 0x5c; - sInnerKey += r ^ 0x36; - } - - CString sInnerHash; - PackHex(CString(sInnerKey + sData).SHA256(), sInnerHash); - return CString(sOuterKey + sInnerHash).SHA256(); - } - - /* Settings */ - CString m_sUsername; - CString m_sPassword; - bool m_bUseCloakedHost{}; - bool m_bUseChallenge{}; - bool m_bRequestPerms{}; - bool m_bJoinOnInvite{}; - bool m_bJoinAfterCloaked{}; - - void SetUsername(const CString& sUsername) { - m_sUsername = sUsername; - SetNV("Username", sUsername); - } - - void SetPassword(const CString& sPassword) { - m_sPassword = sPassword; - SetNV("Password", sPassword); - } - - void SetUseCloakedHost(const bool bUseCloakedHost) { - m_bUseCloakedHost = bUseCloakedHost; - SetNV("UseCloakedHost", CString(bUseCloakedHost)); - - if (!m_bCloaked && m_bUseCloakedHost && IsIRCConnected()) Cloak(); - } - - void SetUseChallenge(const bool bUseChallenge) { - m_bUseChallenge = bUseChallenge; - SetNV("UseChallenge", CString(bUseChallenge)); - } - - void SetRequestPerms(const bool bRequestPerms) { - m_bRequestPerms = bRequestPerms; - SetNV("RequestPerms", CString(bRequestPerms)); - } - - void SetJoinOnInvite(const bool bJoinOnInvite) { - m_bJoinOnInvite = bJoinOnInvite; - SetNV("JoinOnInvite", CString(bJoinOnInvite)); - } - - void SetJoinAfterCloaked(const bool bJoinAfterCloaked) { - m_bJoinAfterCloaked = bJoinAfterCloaked; - SetNV("JoinAfterCloaked", CString(bJoinAfterCloaked)); - } -}; - -template <> -void TModInfo(CModInfo& Info) { - Info.SetWikiPage("Q"); - Info.SetHasArgs(true); - Info.SetArgsHelpText( - Info.t_s("Please provide your username and password for Q.")); -} - -NETWORKMODULEDEFS(CQModule, t_s("Auths you with QuakeNet's Q bot.")) diff --git a/src/IRCNetwork.cpp b/src/IRCNetwork.cpp index 3872ace9..ee6d468b 100644 --- a/src/IRCNetwork.cpp +++ b/src/IRCNetwork.cpp @@ -456,6 +456,20 @@ bool CIRCNetwork::ParseConfig(CConfig* pConfig, CString& sError, bool bModRet = LoadModule(sModName, sArgs, sNotice, sModRet); if (!bModRet) { + // Q is removed in znc 1.8 + if (sModName == "q") { + CUtils::PrintError( + "NOTICE: [q] is unavailable, cannot load."); + CUtils::PrintError( + "NOTICE: [q] is removed in this release of ZNC. Please " + "either remove it from your config or install it as a " + "third party module with the same name."); + CUtils::PrintError( + "NOTICE: More info can be found on " + "https://wiki.znc.in/Q"); + return false; + } + // XXX The awaynick module was retired in 1.6 (still available // as external module) if (sModName == "awaynick") { From d7c5eecfe5cf35fa40c3a36ba34a5a359465a7de Mon Sep 17 00:00:00 2001 From: "MalaGaM @ ARTiSPRETiS" Date: Sun, 19 May 2019 09:33:23 +0200 Subject: [PATCH 242/798] =?UTF-8?q?Update=20modtcl=20->=20adding=20GetServ?= =?UTF-8?q?erName=20function=20and=20network=20varia=E2=80=A6=20(#1658)?= MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit Update modtcl -> adding GetServerName function and network variable with network name value. Modification to have the variable ::network such as an eggdrop. Example usage: return $network <*modtcl> artis return $::network <*modtcl> artis return [GetServerName] <*modtcl> artis --- modules/modtcl.cpp | 9 +++++++++ modules/modtcl/modtcl.tcl | 1 + 2 files changed, 10 insertions(+) diff --git a/modules/modtcl.cpp b/modules/modtcl.cpp index 8a3452d3..4f3900b7 100644 --- a/modules/modtcl.cpp +++ b/modules/modtcl.cpp @@ -116,6 +116,8 @@ class CModTcl : public CModule { Tcl_CreateCommand(interp, "GetCurNick", tcl_GetCurNick, this, nullptr); Tcl_CreateCommand(interp, "GetUsername", tcl_GetUsername, this, nullptr); + Tcl_CreateCommand(interp, "GetNetworkName", tcl_GetNetworkName, this, + nullptr); Tcl_CreateCommand(interp, "GetRealName", tcl_GetRealName, this, nullptr); Tcl_CreateCommand(interp, "GetVHost", tcl_GetBindHost, this, nullptr); @@ -305,6 +307,13 @@ class CModTcl : public CModule { return TCL_OK; } + static int tcl_GetNetworkName STDVAR { + CModTcl* mod = static_cast(cd); + Tcl_SetResult(irp, (char*)mod->GetNetwork()->GetName().c_str(), + TCL_VOLATILE); + return TCL_OK; + } + static int tcl_GetRealName STDVAR { CModTcl* mod = static_cast(cd); Tcl_SetResult(irp, (char*)mod->GetUser()->GetRealName().c_str(), diff --git a/modules/modtcl/modtcl.tcl b/modules/modtcl/modtcl.tcl index 06d0e3ea..e3f24438 100644 --- a/modules/modtcl/modtcl.tcl +++ b/modules/modtcl/modtcl.tcl @@ -34,6 +34,7 @@ set ::botnet-nick ZNC_[GetUsername] set ::botnick [GetCurNick] set ::server [GetServer] set ::server-online [expr [GetServerOnline] / 1000] +set ::network [GetNetworkName] # add some eggdrop style procs proc putlog message {PutModule $message} From 3988cfef98b70924984d6ba402402059a6ec2165 Mon Sep 17 00:00:00 2001 From: girst Date: Sun, 21 Apr 2019 17:21:24 +0200 Subject: [PATCH 243/798] ListStyle (compact) replacement for two-column tables by calling CTable::SetStyle(CTable::ListStyle) one can switch from the bulky and unreadable-on-narrow-devices-or-nonmonospaced-fonts tables to a more compact list style of output. The first "column" will be bolded for better visibility and seperated with a colon from the second. This is currently designed to replace two column tables only. --- include/znc/Utils.h | 29 +++++++++++++++++++++++++++-- src/ClientCommand.cpp | 4 +++- src/Utils.cpp | 29 +++++++++++++++++++++++++++++ 3 files changed, 59 insertions(+), 3 deletions(-) diff --git a/include/znc/Utils.h b/include/znc/Utils.h index c2a06a66..76f3717f 100644 --- a/include/znc/Utils.h +++ b/include/znc/Utils.h @@ -128,7 +128,7 @@ class CException { }; -/** Generate a grid-like output from a given input. +/** Generate a grid-like or list-like output from a given input. * * @code * CTable table; @@ -152,9 +152,25 @@ class CException { +-------+-------+ | hello | world | +-------+-------+@endverbatim + * + * If the table has at most two columns, one can switch to ListStyle output + * like so: + * @code + * CTable table; + * table.AddColumn("a"); + * table.AddColumn("b"); + * table.SetStyle(CTable::ListStyle); + * // ... + * @endcode + * + * This will yield the following (Note that the header is omitted; asterisks + * denote bold text): + * @verbatim +*hello*: world@endverbatim */ class CTable : protected std::vector> { public: + enum EStyle { GridStyle, ListStyle }; CTable() {} virtual ~CTable() {} @@ -162,10 +178,18 @@ class CTable : protected std::vector> { * Please note that you should add all columns before starting to fill * the table! * @param sName The name of the column. - * @return false if a column by that name already existed. + * @return false if a column by that name already existed or the current + * style does not allow this many columns. */ bool AddColumn(const CString& sName); + /** Selects the output style of the table. + * Select between different styles for printing. Default is GridStyle. + * @param eNewStyle Table style type. + * @return false if the style cannot be applied (usually too many columns). + */ + bool SetStyle(EStyle eNewStyle); + /** Adds a new row to the table. * After calling this you can fill the row with content. * @return The index of this row @@ -213,6 +237,7 @@ class CTable : protected std::vector> { std::vector m_vsHeaders; // Used to cache the width of a column std::map m_msuWidths; + EStyle eStyle = GridStyle; }; #ifdef HAVE_LIBSSL diff --git a/src/ClientCommand.cpp b/src/ClientCommand.cpp index f49cdacf..d0d8518d 100644 --- a/src/ClientCommand.cpp +++ b/src/ClientCommand.cpp @@ -1658,6 +1658,7 @@ void CClient::HelpUser(const CString& sFilter) { CTable Table; Table.AddColumn(t_s("Command", "helpcmd")); Table.AddColumn(t_s("Description", "helpcmd")); + Table.SetStyle(CTable::ListStyle); if (sFilter.empty()) { PutStatus( @@ -1670,7 +1671,8 @@ void CClient::HelpUser(const CString& sFilter) { if (sFilter.empty() || sCmd.StartsWith(sFilter) || sCmd.AsLower().WildCmp(sFilter.AsLower())) { Table.AddRow(); - Table.SetCell(t_s("Command", "helpcmd"), sCmd + " " + sArgs); + Table.SetCell(t_s("Command", "helpcmd"), + sCmd + (sArgs.empty() ? "" : " ") + sArgs); Table.SetCell(t_s("Description", "helpcmd"), sDesc); } }; diff --git a/src/Utils.cpp b/src/Utils.cpp index 29d28858..a5a6c9ba 100644 --- a/src/Utils.cpp +++ b/src/Utils.cpp @@ -760,6 +760,8 @@ void CUtils::SetMessageTags(CString& sLine, const MCString& mssTags) { } bool CTable::AddColumn(const CString& sName) { + if (eStyle == ListStyle && m_vsHeaders.size() >= 2) + return false; for (const CString& sHeader : m_vsHeaders) { if (sHeader.Equals(sName)) { return false; @@ -772,6 +774,19 @@ bool CTable::AddColumn(const CString& sName) { return true; } +bool CTable::SetStyle(EStyle eNewStyle) { + switch (eNewStyle) { + case GridStyle: + break; + case ListStyle: + if (m_vsHeaders.size() > 2) return false; + break; + } + + eStyle = eNewStyle; + return true; +} + CTable::size_type CTable::AddRow() { // Don't add a row if no headers are defined if (m_vsHeaders.empty()) { @@ -812,6 +827,20 @@ bool CTable::GetLine(unsigned int uIdx, CString& sLine) const { return false; } + if (eStyle == ListStyle) { + if (m_vsHeaders.size() > 2) return false; // definition list mode can only do up to two columns + if (uIdx >= size()) return false; + + const std::vector& mRow = (*this)[uIdx]; + ssRet << "\x02" << mRow[0] << "\x0f"; //bold first column + if (m_vsHeaders.size() >= 2 && mRow[1] != "") { + ssRet << ": " << mRow[1]; + } + + sLine = ssRet.str(); + return true; + } + if (uIdx == 1) { ssRet.fill(' '); ssRet << "| "; From 51f15d5baced16b7cf4239cc9aec51cee4a371b6 Mon Sep 17 00:00:00 2001 From: Eric Mertens Date: Tue, 14 May 2019 07:53:38 -0700 Subject: [PATCH 244/798] route_replies: Update to support freenode --- modules/route_replies.cpp | 8 ++++++-- 1 file changed, 6 insertions(+), 2 deletions(-) diff --git a/modules/route_replies.cpp b/modules/route_replies.cpp index c6eabafd..7d2f71a6 100644 --- a/modules/route_replies.cpp +++ b/modules/route_replies.cpp @@ -25,7 +25,7 @@ struct reply { // TODO this list is far from complete, no errors are handled static const struct { const char* szRequest; - struct reply vReplies[19]; + struct reply vReplies[20]; } vRouteReplies[] = { {"WHO", {{"402", true}, /* rfc1459 ERR_NOSUCHSERVER */ @@ -65,11 +65,12 @@ static const struct { {"313", false}, /* rfc1459 RPL_WHOISOPERATOR */ {"317", false}, /* rfc1459 RPL_WHOISIDLE */ {"319", false}, /* rfc1459 RPL_WHOISCHANNELS */ + {"320", false}, /* unreal RPL_WHOISSPECIAL */ {"301", false}, /* rfc1459 RPL_AWAY */ {"276", false}, /* oftc-hybrid RPL_WHOISCERTFP */ {"330", false}, /* ratbox RPL_WHOISLOGGEDIN aka ircu RPL_WHOISACCOUNT */ - {"338", false}, /* RPL_WHOISACTUALLY -- "actually using host" */ + {"338", false}, /* ircu RPL_WHOISACTUALLY -- "actually using host" */ {"378", false}, /* RPL_WHOISHOST -- real address of vhosts */ {"671", false}, /* RPL_WHOISSECURE */ {"307", false}, /* RPL_WHOISREGNICK */ @@ -97,6 +98,9 @@ static const struct { {{"406", false}, /* rfc1459 ERR_WASNOSUCHNICK */ {"312", false}, /* rfc1459 RPL_WHOISSERVER */ {"314", false}, /* rfc1459 RPL_WHOWASUSER */ + {"330", false}, /* ratbox RPL_WHOISLOGGEDIN + aka ircu RPL_WHOISACCOUNT */ + {"338", false}, /* ircu RPL_WHOISACTUALLY -- "actually using host" */ {"369", true}, /* rfc1459 RPL_ENDOFWHOWAS */ {"431", true}, /* rfc1459 ERR_NONICKNAMEGIVEN */ {nullptr, true}}}, From efa7543dfae663339b1306f143dad7b48b29f85f Mon Sep 17 00:00:00 2001 From: jesopo Date: Wed, 22 May 2019 10:12:10 +0100 Subject: [PATCH 245/798] Support both ERR_NOSUCHNICK and ERR_NOSUCHCHANNEL for *route_replies NAMES --- modules/route_replies.cpp | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/modules/route_replies.cpp b/modules/route_replies.cpp index c6eabafd..804caedf 100644 --- a/modules/route_replies.cpp +++ b/modules/route_replies.cpp @@ -44,8 +44,8 @@ static const struct { { {"353", false}, /* rfc1459 RPL_NAMREPLY */ {"366", true}, /* rfc1459 RPL_ENDOFNAMES */ - // No such nick/channel - {"401", true}, + {"401", true}, /* rfc1459 ERR_NOSUCHNICK */ + {"403", true}, /* rfc1459 ERR_NOSUCHCHANNEL */ {nullptr, true}, }}, {"LUSERS", From fe8d447a6062c661541361b5587c6172f19bc9ed Mon Sep 17 00:00:00 2001 From: girst Date: Wed, 29 May 2019 17:41:38 +0200 Subject: [PATCH 246/798] listify two-column tables excluded are the Q and partyline modules, as they are deprecated. There are some tables that have more than two columns, but could likely be easily modified, but this will be attempted at a later time. --- modules/autocycle.cpp | 1 + modules/certauth.cpp | 1 + modules/controlpanel.cpp | 7 +++++++ modules/crypt.cpp | 1 + modules/fail2ban.cpp | 1 + modules/lastseen.cpp | 1 + modules/log.cpp | 1 + modules/notes.cpp | 1 + modules/sasl.cpp | 2 ++ modules/watch.cpp | 1 + src/ClientCommand.cpp | 8 ++++++++ src/Modules.cpp | 4 +++- 12 files changed, 28 insertions(+), 1 deletion(-) diff --git a/modules/autocycle.cpp b/modules/autocycle.cpp index 4ddeff7e..d7309e5d 100644 --- a/modules/autocycle.cpp +++ b/modules/autocycle.cpp @@ -83,6 +83,7 @@ class CAutoCycleMod : public CModule { void OnListCommand(const CString& sLine) { CTable Table; Table.AddColumn(t_s("Channel")); + Table.SetStyle(CTable::ListStyle); for (const CString& sChan : m_vsChans) { Table.AddRow(); diff --git a/modules/certauth.cpp b/modules/certauth.cpp index 6d3bcb32..a20619d8 100644 --- a/modules/certauth.cpp +++ b/modules/certauth.cpp @@ -169,6 +169,7 @@ class CSSLClientCertMod : public CModule { Table.AddColumn(t_s("Id", "list")); Table.AddColumn(t_s("Key", "list")); + Table.SetStyle(CTable::ListStyle); MSCString::const_iterator it = m_PubKeys.find(GetUser()->GetUsername()); if (it == m_PubKeys.end()) { diff --git a/modules/controlpanel.cpp b/modules/controlpanel.cpp index 913cdd6f..168b494b 100644 --- a/modules/controlpanel.cpp +++ b/modules/controlpanel.cpp @@ -50,6 +50,7 @@ class CAdminMod : public CModule { CTable VarTable; VarTable.AddColumn(t_s("Type", "helptable")); VarTable.AddColumn(t_s("Variables", "helptable")); + VarTable.SetStyle(CTable::ListStyle); std::map mvsTypedVariables; for (unsigned int i = 0; i != uSize; ++i) { CString sVar = CString(vars[i].name).AsLower(); @@ -119,6 +120,7 @@ class CAdminMod : public CModule { {"ClientEncoding", str}, #endif }; + PutModule(""); PrintVarsHelp(sVarFilter, vars, ARRAY_SIZE(vars), t_s("The following variables are available when " "using the Set/Get commands:")); @@ -142,6 +144,7 @@ class CAdminMod : public CModule { {"TrustAllCerts", boolean}, {"TrustPKI", boolean}, }; + PutModule(""); PrintVarsHelp(sVarFilter, nvars, ARRAY_SIZE(nvars), t_s("The following variables are available when " "using the SetNetwork/GetNetwork commands:")); @@ -155,12 +158,14 @@ class CAdminMod : public CModule { {"InConfig", boolean}, {"AutoClearChanBuffer", boolean}, {"Detached", boolean}}; + PutModule(""); PrintVarsHelp(sVarFilter, cvars, ARRAY_SIZE(cvars), t_s("The following variables are available when " "using the SetChan/GetChan commands:")); } if (sCmdFilter.empty()) + PutModule(""); PutModule( t_s("You can use $user as the user name and $network as the " "network name for modifying your own user and network.")); @@ -1279,6 +1284,7 @@ class CAdminMod : public CModule { CTable Table; Table.AddColumn(t_s("Request", "listctcp")); Table.AddColumn(t_s("Reply", "listctcp")); + Table.SetStyle(CTable::ListStyle); for (const auto& it : msCTCPReplies) { Table.AddRow(); Table.SetCell(t_s("Request", "listctcp"), it.first); @@ -1493,6 +1499,7 @@ class CAdminMod : public CModule { CTable Table; Table.AddColumn(t_s("Name", "listmodules")); Table.AddColumn(t_s("Arguments", "listmodules")); + Table.SetStyle(CTable::ListStyle); for (const CModule* pMod : Modules) { Table.AddRow(); diff --git a/modules/crypt.cpp b/modules/crypt.cpp index 1c944e80..ffb4f044 100644 --- a/modules/crypt.cpp +++ b/modules/crypt.cpp @@ -473,6 +473,7 @@ class CCryptMod : public CModule { CTable Table; Table.AddColumn(t_s("Target", "listkeys")); Table.AddColumn(t_s("Key", "listkeys")); + Table.SetStyle(CTable::ListStyle); for (MCString::iterator it = BeginNV(); it != EndNV(); ++it) { if (!it->first.Equals(NICK_PREFIX_KEY)) { diff --git a/modules/fail2ban.cpp b/modules/fail2ban.cpp index 500e3a0e..ad029c3f 100644 --- a/modules/fail2ban.cpp +++ b/modules/fail2ban.cpp @@ -176,6 +176,7 @@ class CFailToBanMod : public CModule { CTable Table; Table.AddColumn(t_s("Host", "list")); Table.AddColumn(t_s("Attempts", "list")); + Table.SetStyle(CTable::ListStyle); for (const auto& it : m_Cache.GetItems()) { Table.AddRow(); diff --git a/modules/lastseen.cpp b/modules/lastseen.cpp index bd32ea57..6ab55727 100644 --- a/modules/lastseen.cpp +++ b/modules/lastseen.cpp @@ -60,6 +60,7 @@ class CLastSeenMod : public CModule { Table.AddColumn(t_s("User", "show")); Table.AddColumn(t_s("Last Seen", "show")); + Table.SetStyle(CTable::ListStyle); for (it = mUsers.begin(); it != mUsers.end(); ++it) { Table.AddRow(); diff --git a/modules/log.cpp b/modules/log.cpp index 182e4f04..2116843d 100644 --- a/modules/log.cpp +++ b/modules/log.cpp @@ -167,6 +167,7 @@ void CLogMod::ListRulesCmd(const CString& sLine) { CTable Table; Table.AddColumn(t_s("Rule", "listrules")); Table.AddColumn(t_s("Logging enabled", "listrules")); + Table.SetStyle(CTable::ListStyle); for (const CLogRule& Rule : m_vRules) { Table.AddRow(); diff --git a/modules/notes.cpp b/modules/notes.cpp index 05e25dfd..8dfce9ef 100644 --- a/modules/notes.cpp +++ b/modules/notes.cpp @@ -163,6 +163,7 @@ class CNotesMod : public CModule { CTable Table; Table.AddColumn(t_s("Key")); Table.AddColumn(t_s("Note")); + Table.SetStyle(CTable::ListStyle); for (MCString::iterator it = BeginNV(); it != EndNV(); ++it) { Table.AddRow(); diff --git a/modules/sasl.cpp b/modules/sasl.cpp index 8509ed2d..6233c639 100644 --- a/modules/sasl.cpp +++ b/modules/sasl.cpp @@ -87,6 +87,7 @@ class CSASLMod : public CModule { CTable Mechanisms; Mechanisms.AddColumn(t_s("Mechanism")); Mechanisms.AddColumn(t_s("Description")); + Mechanisms.SetStyle(CTable::ListStyle); for (const auto& it : SupportedMechanisms) { Mechanisms.AddRow(); @@ -94,6 +95,7 @@ class CSASLMod : public CModule { Mechanisms.SetCell(t_s("Description"), it.sDescription.Resolve()); } + PutModule(""); PutModule(t_s("The following mechanisms are available:")); PutModule(Mechanisms); } diff --git a/modules/watch.cpp b/modules/watch.cpp index cbc5b33a..c9503433 100644 --- a/modules/watch.cpp +++ b/modules/watch.cpp @@ -599,6 +599,7 @@ class CWatcherMod : public CModule { Table.AddColumn(t_s("Command")); Table.AddColumn(t_s("Description")); + Table.SetStyle(CTable::ListStyle); Table.AddRow(); Table.SetCell(t_s("Command"), t_s("Add [Target] [Pattern]")); diff --git a/src/ClientCommand.cpp b/src/ClientCommand.cpp index d0d8518d..d91e328a 100644 --- a/src/ClientCommand.cpp +++ b/src/ClientCommand.cpp @@ -888,6 +888,7 @@ void CClient::UserCommand(CString& sLine) { CTable Table; Table.AddColumn(t_s("Name", "listmods")); Table.AddColumn(t_s("Arguments", "listmods")); + Table.SetStyle(CTable::ListStyle); for (const CModule* pMod : Modules) { Table.AddRow(); Table.SetCell(t_s("Name", "listmods"), pMod->GetModName()); @@ -898,6 +899,7 @@ void CClient::UserCommand(CString& sLine) { if (m_pUser->IsAdmin()) { const CModules& GModules = CZNC::Get().GetModules(); + PutStatus(""); if (!GModules.size()) { PutStatus(t_s("No global modules loaded.")); } else { @@ -908,6 +910,7 @@ void CClient::UserCommand(CString& sLine) { const CModules& UModules = m_pUser->GetModules(); + PutStatus(""); if (!UModules.size()) { PutStatus(t_s("Your user has no modules loaded.")); } else { @@ -917,6 +920,7 @@ void CClient::UserCommand(CString& sLine) { if (m_pNetwork) { const CModules& NetworkModules = m_pNetwork->GetModules(); + PutStatus(""); if (NetworkModules.empty()) { PutStatus(t_s("This network has no modules loaded.")); } else { @@ -937,6 +941,7 @@ void CClient::UserCommand(CString& sLine) { CTable Table; Table.AddColumn(t_s("Name", "listavailmods")); Table.AddColumn(t_s("Description", "listavailmods")); + Table.SetStyle(CTable::ListStyle); for (const CModInfo& Info : ssModules) { Table.AddRow(); @@ -958,6 +963,7 @@ void CClient::UserCommand(CString& sLine) { CZNC::Get().GetModules().GetAvailableMods(ssGlobalMods, CModInfo::GlobalModule); + PutStatus(""); if (ssGlobalMods.empty()) { PutStatus(t_s("No global modules available.")); } else { @@ -969,6 +975,7 @@ void CClient::UserCommand(CString& sLine) { set ssUserMods; CZNC::Get().GetModules().GetAvailableMods(ssUserMods); + PutStatus(""); if (ssUserMods.empty()) { PutStatus(t_s("No user modules available.")); } else { @@ -980,6 +987,7 @@ void CClient::UserCommand(CString& sLine) { CZNC::Get().GetModules().GetAvailableMods(ssNetworkMods, CModInfo::NetworkModule); + PutStatus(""); if (ssNetworkMods.empty()) { PutStatus(t_s("No network modules available.")); } else { diff --git a/src/Modules.cpp b/src/Modules.cpp index b2de3787..679ddbfe 100644 --- a/src/Modules.cpp +++ b/src/Modules.cpp @@ -1999,13 +1999,15 @@ CModCommand::CModCommand(const CString& sCmd, CmdFunc func, : m_sCmd(sCmd), m_pFunc(std::move(func)), m_Args(Args), m_Desc(Desc) {} void CModCommand::InitHelp(CTable& Table) { + Table.SetStyle(CTable::ListStyle); Table.AddColumn(t_s("Command", "modhelpcmd")); Table.AddColumn(t_s("Description", "modhelpcmd")); } void CModCommand::AddHelp(CTable& Table) const { Table.AddRow(); - Table.SetCell(t_s("Command", "modhelpcmd"), GetCommand() + " " + GetArgs()); + Table.SetCell(t_s("Command", "modhelpcmd"), + GetCommand() + (GetArgs().empty() ? "" : " ") + GetArgs()); Table.SetCell(t_s("Description", "modhelpcmd"), GetDescription()); } From 05e9675e85468f0ce0501c36dfb7ff049fa43bf7 Mon Sep 17 00:00:00 2001 From: Jos Ahrens Date: Fri, 12 Apr 2019 15:36:07 +0000 Subject: [PATCH 247/798] modules: Remove partyline Fixes #1632 Closes #1301 as wontfix Closes #1058 as wontfix Closes #386 as wontfix Closes #362 as wontfix Closes #302 as wontfix --- modules/partyline.cpp | 739 ---------------------------------- modules/po/partyline.de_DE.po | 41 -- modules/po/partyline.es_ES.po | 41 -- modules/po/partyline.fr_FR.po | 39 -- modules/po/partyline.id_ID.po | 39 -- modules/po/partyline.nl_NL.po | 42 -- modules/po/partyline.pot | 30 -- modules/po/partyline.pt_BR.po | 39 -- modules/po/partyline.ru_RU.po | 41 -- src/IRCNetwork.cpp | 15 + 10 files changed, 15 insertions(+), 1051 deletions(-) delete mode 100644 modules/partyline.cpp delete mode 100644 modules/po/partyline.de_DE.po delete mode 100644 modules/po/partyline.es_ES.po delete mode 100644 modules/po/partyline.fr_FR.po delete mode 100644 modules/po/partyline.id_ID.po delete mode 100644 modules/po/partyline.nl_NL.po delete mode 100644 modules/po/partyline.pot delete mode 100644 modules/po/partyline.pt_BR.po delete mode 100644 modules/po/partyline.ru_RU.po diff --git a/modules/partyline.cpp b/modules/partyline.cpp deleted file mode 100644 index 43bd39ec..00000000 --- a/modules/partyline.cpp +++ /dev/null @@ -1,739 +0,0 @@ -/* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - -#include -#include - -using std::set; -using std::vector; -using std::map; - -// If you change these and it breaks, you get to keep the pieces -#define CHAN_PREFIX_1 "~" -#define CHAN_PREFIX_1C '~' -#define CHAN_PREFIX CHAN_PREFIX_1 "#" - -#define NICK_PREFIX CString("?") -#define NICK_PREFIX_C '?' - -class CPartylineChannel { - public: - CPartylineChannel(const CString& sName) { m_sName = sName.AsLower(); } - ~CPartylineChannel() {} - - const CString& GetTopic() const { return m_sTopic; } - const CString& GetName() const { return m_sName; } - const set& GetNicks() const { return m_ssNicks; } - - void SetTopic(const CString& s) { m_sTopic = s; } - - void AddNick(const CString& s) { m_ssNicks.insert(s); } - void DelNick(const CString& s) { m_ssNicks.erase(s); } - - bool IsInChannel(const CString& s) { - return m_ssNicks.find(s) != m_ssNicks.end(); - } - - protected: - CString m_sTopic; - CString m_sName; - set m_ssNicks; -}; - -class CPartylineMod : public CModule { - public: - void ListChannelsCommand(const CString& sLine) { - if (m_ssChannels.empty()) { - PutModule(t_s("There are no open channels.")); - return; - } - - CTable Table; - - Table.AddColumn(t_s("Channel")); - Table.AddColumn(t_s("Users")); - - for (set::const_iterator a = m_ssChannels.begin(); - a != m_ssChannels.end(); ++a) { - Table.AddRow(); - - Table.SetCell(t_s("Channel"), (*a)->GetName()); - Table.SetCell(t_s("Users"), CString((*a)->GetNicks().size())); - } - - PutModule(Table); - } - - MODCONSTRUCTOR(CPartylineMod) { - AddHelpCommand(); - AddCommand("List", "", t_d("List all open channels"), - [=](const CString& sLine) { ListChannelsCommand(sLine); }); - } - - ~CPartylineMod() override { - // Kick all clients who are in partyline channels - for (set::iterator it = m_ssChannels.begin(); - it != m_ssChannels.end(); ++it) { - set ssNicks = (*it)->GetNicks(); - - for (set::const_iterator it2 = ssNicks.begin(); - it2 != ssNicks.end(); ++it2) { - CUser* pUser = CZNC::Get().FindUser(*it2); - vector vClients = pUser->GetAllClients(); - - for (vector::const_iterator it3 = vClients.begin(); - it3 != vClients.end(); ++it3) { - CClient* pClient = *it3; - pClient->PutClient(":*" + GetModName() + - "!znc@znc.in KICK " + (*it)->GetName() + - " " + pClient->GetNick() + " :" + - GetModName() + " unloaded"); - } - } - } - - while (!m_ssChannels.empty()) { - delete *m_ssChannels.begin(); - m_ssChannels.erase(m_ssChannels.begin()); - } - } - - bool OnBoot() override { - // The config is now read completely, so all Users are set up - Load(); - - return true; - } - - bool OnLoad(const CString& sArgs, CString& sMessage) override { - const map& msUsers = CZNC::Get().GetUserMap(); - - for (map::const_iterator it = msUsers.begin(); - it != msUsers.end(); ++it) { - CUser* pUser = it->second; - for (CClient* pClient : pUser->GetAllClients()) { - CIRCNetwork* pNetwork = pClient->GetNetwork(); - if (!pNetwork || !pNetwork->IsIRCConnected() || - !pNetwork->GetChanPrefixes().Contains(CHAN_PREFIX_1)) { - pClient->PutClient( - ":" + GetIRCServer(pNetwork) + " 005 " + - pClient->GetNick() + " CHANTYPES=" + - (pNetwork ? pNetwork->GetChanPrefixes() : "") + - CHAN_PREFIX_1 " :are supported by this server."); - } - } - } - - VCString vsChans; - VCString::const_iterator it; - sArgs.Split(" ", vsChans, false); - - for (it = vsChans.begin(); it != vsChans.end(); ++it) { - if (it->Left(2) == CHAN_PREFIX) { - m_ssDefaultChans.insert(it->Left(32)); - } - } - - Load(); - - return true; - } - - void Load() { - CString sAction, sKey; - CPartylineChannel* pChannel; - for (MCString::iterator it = BeginNV(); it != EndNV(); ++it) { - if (it->first.find(":") != CString::npos) { - sAction = it->first.Token(0, false, ":"); - sKey = it->first.Token(1, true, ":"); - } else { - // backwards compatibility for older NV data - sAction = "fixedchan"; - sKey = it->first; - } - - if (sAction == "fixedchan") { - // Sorry, this was removed - } - - if (sAction == "topic") { - pChannel = FindChannel(sKey); - if (pChannel && !(it->second).empty()) { - PutChan(pChannel->GetNicks(), ":irc.znc.in TOPIC " + - pChannel->GetName() + - " :" + it->second); - pChannel->SetTopic(it->second); - } - } - } - - return; - } - - void SaveTopic(CPartylineChannel* pChannel) { - if (!pChannel->GetTopic().empty()) - SetNV("topic:" + pChannel->GetName(), pChannel->GetTopic()); - else - DelNV("topic:" + pChannel->GetName()); - } - - EModRet OnDeleteUser(CUser& User) override { - // Loop through each chan - for (set::iterator it = m_ssChannels.begin(); - it != m_ssChannels.end();) { - CPartylineChannel* pChan = *it; - // RemoveUser() might delete channels, so make sure our - // iterator doesn't break. - ++it; - RemoveUser(&User, pChan, "KICK", "User deleted", true); - } - - return CONTINUE; - } - - EModRet OnNumericMessage(CNumericMessage& Msg) override { - if (Msg.GetCode() == 5) { - for (int i = 0; i < Msg.GetParams().size(); ++i) { - if (Msg.GetParams()[i].StartsWith("CHANTYPES=")) { - Msg.SetParam(i, Msg.GetParam(i) + CHAN_PREFIX_1); - m_spInjectedPrefixes.insert(GetNetwork()); - break; - } - } - } - - return CONTINUE; - } - - void OnIRCDisconnected() override { - m_spInjectedPrefixes.erase(GetNetwork()); - } - - void OnClientLogin() override { - CUser* pUser = GetUser(); - CClient* pClient = GetClient(); - CIRCNetwork* pNetwork = GetNetwork(); - if (!pNetwork || !pNetwork->IsIRCConnected()) { - pClient->PutClient(":" + GetIRCServer(pNetwork) + " 005 " + - pClient->GetNick() + " CHANTYPES=" + - CHAN_PREFIX_1 " :are supported by this server."); - } - - // Make sure this user is in the default channels - for (set::iterator a = m_ssDefaultChans.begin(); - a != m_ssDefaultChans.end(); ++a) { - CPartylineChannel* pChannel = GetChannel(*a); - const CString& sNick = pUser->GetUsername(); - - if (pChannel->IsInChannel(sNick)) continue; - - CString sHost = pUser->GetBindHost(); - const set& ssNicks = pChannel->GetNicks(); - - if (sHost.empty()) { - sHost = "znc.in"; - } - PutChan(ssNicks, - ":" + NICK_PREFIX + sNick + "!" + pUser->GetIdent() + "@" + - sHost + " JOIN " + *a, - false); - pChannel->AddNick(sNick); - } - - CString sNickMask = pClient->GetNickMask(); - - for (set::iterator it = m_ssChannels.begin(); - it != m_ssChannels.end(); ++it) { - const set& ssNicks = (*it)->GetNicks(); - - if ((*it)->IsInChannel(pUser->GetUsername())) { - pClient->PutClient(":" + sNickMask + " JOIN " + - (*it)->GetName()); - - if (!(*it)->GetTopic().empty()) { - pClient->PutClient(":" + GetIRCServer(pNetwork) + " 332 " + - pClient->GetNickMask() + " " + - (*it)->GetName() + " :" + - (*it)->GetTopic()); - } - - SendNickList(pUser, pNetwork, ssNicks, (*it)->GetName()); - PutChan(ssNicks, ":*" + GetModName() + "!znc@znc.in MODE " + - (*it)->GetName() + " +" + - CString(pUser->IsAdmin() ? "o" : "v") + - " " + NICK_PREFIX + pUser->GetUsername(), - false); - } - } - } - - void OnClientDisconnect() override { - CUser* pUser = GetUser(); - if (!pUser->IsUserAttached() && !pUser->IsBeingDeleted()) { - for (set::iterator it = m_ssChannels.begin(); - it != m_ssChannels.end(); ++it) { - const set& ssNicks = (*it)->GetNicks(); - - if (ssNicks.find(pUser->GetUsername()) != ssNicks.end()) { - PutChan(ssNicks, - ":*" + GetModName() + "!znc@znc.in MODE " + - (*it)->GetName() + " -ov " + NICK_PREFIX + - pUser->GetUsername() + " " + NICK_PREFIX + - pUser->GetUsername(), - false); - } - } - } - } - - EModRet OnUserRawMessage(CMessage& Msg) override { - if ((Msg.GetCommand().Equals("WHO") || - Msg.GetCommand().Equals("MODE")) && - Msg.GetParam(0).StartsWith(CHAN_PREFIX_1)) { - return HALT; - } else if (Msg.GetCommand().Equals("TOPIC") && - Msg.GetParam(0).StartsWith(CHAN_PREFIX)) { - const CString sChannel = Msg.As().GetTarget(); - CString sTopic = Msg.As().GetText(); - - sTopic.TrimPrefix(":"); - - CUser* pUser = GetUser(); - CClient* pClient = GetClient(); - CPartylineChannel* pChannel = FindChannel(sChannel); - - if (pChannel && pChannel->IsInChannel(pUser->GetUsername())) { - const set& ssNicks = pChannel->GetNicks(); - if (!sTopic.empty()) { - if (pUser->IsAdmin()) { - PutChan(ssNicks, ":" + pClient->GetNickMask() + - " TOPIC " + sChannel + " :" + - sTopic); - pChannel->SetTopic(sTopic); - SaveTopic(pChannel); - } else { - pUser->PutUser(":irc.znc.in 482 " + pClient->GetNick() + - " " + sChannel + - " :You're not channel operator"); - } - } else { - sTopic = pChannel->GetTopic(); - - if (sTopic.empty()) { - pUser->PutUser(":irc.znc.in 331 " + pClient->GetNick() + - " " + sChannel + " :No topic is set."); - } else { - pUser->PutUser(":irc.znc.in 332 " + pClient->GetNick() + - " " + sChannel + " :" + sTopic); - } - } - } else { - pUser->PutUser(":irc.znc.in 442 " + pClient->GetNick() + " " + - sChannel + " :You're not on that channel"); - } - return HALT; - } - - return CONTINUE; - } - - EModRet OnUserPart(CString& sChannel, CString& sMessage) override { - if (sChannel.Left(1) != CHAN_PREFIX_1) { - return CONTINUE; - } - - if (sChannel.Left(2) != CHAN_PREFIX) { - GetClient()->PutClient(":" + GetIRCServer(GetNetwork()) + " 401 " + - GetClient()->GetNick() + " " + sChannel + - " :No such channel"); - return HALT; - } - - CPartylineChannel* pChannel = FindChannel(sChannel); - - PartUser(GetUser(), pChannel); - - return HALT; - } - - void PartUser(CUser* pUser, CPartylineChannel* pChannel, - const CString& sMessage = "") { - RemoveUser(pUser, pChannel, "PART", sMessage); - } - - void RemoveUser(CUser* pUser, CPartylineChannel* pChannel, - const CString& sCommand, const CString& sMessage = "", - bool bNickAsTarget = false) { - if (!pChannel || !pChannel->IsInChannel(pUser->GetUsername())) { - return; - } - - vector vClients = pUser->GetAllClients(); - - CString sCmd = " " + sCommand + " "; - CString sMsg = sMessage; - if (!sMsg.empty()) sMsg = " :" + sMsg; - - pChannel->DelNick(pUser->GetUsername()); - - const set& ssNicks = pChannel->GetNicks(); - CString sHost = pUser->GetBindHost(); - - if (sHost.empty()) { - sHost = "znc.in"; - } - - if (bNickAsTarget) { - for (vector::const_iterator it = vClients.begin(); - it != vClients.end(); ++it) { - CClient* pClient = *it; - - pClient->PutClient(":" + pClient->GetNickMask() + sCmd + - pChannel->GetName() + " " + - pClient->GetNick() + sMsg); - } - - PutChan(ssNicks, ":" + NICK_PREFIX + pUser->GetUsername() + "!" + - pUser->GetIdent() + "@" + sHost + sCmd + - pChannel->GetName() + " " + NICK_PREFIX + - pUser->GetUsername() + sMsg, - false, true, pUser); - } else { - for (vector::const_iterator it = vClients.begin(); - it != vClients.end(); ++it) { - CClient* pClient = *it; - - pClient->PutClient(":" + pClient->GetNickMask() + sCmd + - pChannel->GetName() + sMsg); - } - - PutChan(ssNicks, ":" + NICK_PREFIX + pUser->GetUsername() + "!" + - pUser->GetIdent() + "@" + sHost + sCmd + - pChannel->GetName() + sMsg, - false, true, pUser); - } - - if (!pUser->IsBeingDeleted() && - m_ssDefaultChans.find(pChannel->GetName()) != - m_ssDefaultChans.end()) { - JoinUser(pUser, pChannel); - } - - if (ssNicks.empty()) { - delete pChannel; - m_ssChannels.erase(pChannel); - } - } - - EModRet OnUserJoin(CString& sChannel, CString& sKey) override { - if (sChannel.Left(1) != CHAN_PREFIX_1) { - return CONTINUE; - } - - if (sChannel.Left(2) != CHAN_PREFIX) { - GetClient()->PutClient(":" + GetIRCServer(GetNetwork()) + " 403 " + - GetClient()->GetNick() + " " + sChannel + - " :Channels look like " CHAN_PREFIX "znc"); - return HALT; - } - - sChannel = sChannel.Left(32); - CPartylineChannel* pChannel = GetChannel(sChannel); - - JoinUser(GetUser(), pChannel); - - return HALT; - } - - void JoinUser(CUser* pUser, CPartylineChannel* pChannel) { - if (pChannel && !pChannel->IsInChannel(pUser->GetUsername())) { - vector vClients = pUser->GetAllClients(); - - const set& ssNicks = pChannel->GetNicks(); - const CString& sNick = pUser->GetUsername(); - pChannel->AddNick(sNick); - - CString sHost = pUser->GetBindHost(); - - if (sHost.empty()) { - sHost = "znc.in"; - } - - for (vector::const_iterator it = vClients.begin(); - it != vClients.end(); ++it) { - CClient* pClient = *it; - pClient->PutClient(":" + pClient->GetNickMask() + " JOIN " + - pChannel->GetName()); - } - - PutChan(ssNicks, - ":" + NICK_PREFIX + sNick + "!" + pUser->GetIdent() + "@" + - sHost + " JOIN " + pChannel->GetName(), - false, true, pUser); - - if (!pChannel->GetTopic().empty()) { - for (vector::const_iterator it = vClients.begin(); - it != vClients.end(); ++it) { - CClient* pClient = *it; - pClient->PutClient( - ":" + GetIRCServer(pClient->GetNetwork()) + " 332 " + - pClient->GetNickMask() + " " + pChannel->GetName() + - " :" + pChannel->GetTopic()); - } - } - - SendNickList(pUser, nullptr, ssNicks, pChannel->GetName()); - - /* Tell the other clients we have op or voice, the current user's - * clients already know from NAMES list */ - - if (pUser->IsAdmin()) { - PutChan(ssNicks, ":*" + GetModName() + "!znc@znc.in MODE " + - pChannel->GetName() + " +o " + - NICK_PREFIX + pUser->GetUsername(), - false, false, pUser); - } - - PutChan(ssNicks, ":*" + GetModName() + "!znc@znc.in MODE " + - pChannel->GetName() + " +v " + NICK_PREFIX + - pUser->GetUsername(), - false, false, pUser); - } - } - - EModRet HandleMessage(const CString& sCmd, const CString& sTarget, - const CString& sMessage) { - if (sTarget.empty()) { - return CONTINUE; - } - - char cPrefix = sTarget[0]; - - if (cPrefix != CHAN_PREFIX_1C && cPrefix != NICK_PREFIX_C) { - return CONTINUE; - } - - CUser* pUser = GetUser(); - CClient* pClient = GetClient(); - CIRCNetwork* pNetwork = GetNetwork(); - CString sHost = pUser->GetBindHost(); - - if (sHost.empty()) { - sHost = "znc.in"; - } - - if (cPrefix == CHAN_PREFIX_1C) { - if (FindChannel(sTarget) == nullptr) { - pClient->PutClient(":" + GetIRCServer(pNetwork) + " 401 " + - pClient->GetNick() + " " + sTarget + - " :No such channel"); - return HALT; - } - - PutChan(sTarget, ":" + NICK_PREFIX + pUser->GetUsername() + "!" + - pUser->GetIdent() + "@" + sHost + " " + sCmd + - " " + sTarget + " :" + sMessage, - true, false); - } else { - CString sNick = sTarget.LeftChomp_n(1); - CUser* pTargetUser = CZNC::Get().FindUser(sNick); - - if (pTargetUser) { - vector vClients = pTargetUser->GetAllClients(); - - if (vClients.empty()) { - pClient->PutClient(":" + GetIRCServer(pNetwork) + " 401 " + - pClient->GetNick() + " " + sTarget + - " :User is not attached: " + sNick + ""); - return HALT; - } - - for (vector::const_iterator it = vClients.begin(); - it != vClients.end(); ++it) { - CClient* pTarget = *it; - - pTarget->PutClient( - ":" + NICK_PREFIX + pUser->GetUsername() + "!" + - pUser->GetIdent() + "@" + sHost + " " + sCmd + " " + - pTarget->GetNick() + " :" + sMessage); - } - } else { - pClient->PutClient(":" + GetIRCServer(pNetwork) + " 401 " + - pClient->GetNick() + " " + sTarget + - " :No such znc user: " + sNick + ""); - } - } - - return HALT; - } - - EModRet OnUserMsg(CString& sTarget, CString& sMessage) override { - return HandleMessage("PRIVMSG", sTarget, sMessage); - } - - EModRet OnUserNotice(CString& sTarget, CString& sMessage) override { - return HandleMessage("NOTICE", sTarget, sMessage); - } - - EModRet OnUserCTCP(CString& sTarget, CString& sMessage) override { - return HandleMessage("PRIVMSG", sTarget, "\001" + sMessage + "\001"); - } - - EModRet OnUserCTCPReply(CString& sTarget, CString& sMessage) override { - return HandleMessage("NOTICE", sTarget, "\001" + sMessage + "\001"); - } - - const CString GetIRCServer(CIRCNetwork* pNetwork) { - if (!pNetwork) { - return "irc.znc.in"; - } - - const CString& sServer = pNetwork->GetIRCServer(); - if (!sServer.empty()) return sServer; - return "irc.znc.in"; - } - - bool PutChan(const CString& sChan, const CString& sLine, - bool bIncludeCurUser = true, bool bIncludeClient = true, - CUser* pUser = nullptr, CClient* pClient = nullptr) { - CPartylineChannel* pChannel = FindChannel(sChan); - - if (pChannel != nullptr) { - PutChan(pChannel->GetNicks(), sLine, bIncludeCurUser, - bIncludeClient, pUser, pClient); - return true; - } - - return false; - } - - void PutChan(const set& ssNicks, const CString& sLine, - bool bIncludeCurUser = true, bool bIncludeClient = true, - CUser* pUser = nullptr, CClient* pClient = nullptr) { - const map& msUsers = CZNC::Get().GetUserMap(); - - if (!pUser) pUser = GetUser(); - if (!pClient) pClient = GetClient(); - - for (map::const_iterator it = msUsers.begin(); - it != msUsers.end(); ++it) { - if (ssNicks.find(it->first) != ssNicks.end()) { - if (it->second == pUser) { - if (bIncludeCurUser) { - it->second->PutAllUser( - sLine, nullptr, - (bIncludeClient ? nullptr : pClient)); - } - } else { - it->second->PutAllUser(sLine); - } - } - } - } - - void PutUserIRCNick(CUser* pUser, const CString& sPre, - const CString& sPost) { - const vector& vClients = pUser->GetAllClients(); - vector::const_iterator it; - for (it = vClients.begin(); it != vClients.end(); ++it) { - (*it)->PutClient(sPre + (*it)->GetNick() + sPost); - } - } - - void SendNickList(CUser* pUser, CIRCNetwork* pNetwork, - const set& ssNicks, const CString& sChan) { - CString sNickList; - - for (set::const_iterator it = ssNicks.begin(); - it != ssNicks.end(); ++it) { - CUser* pChanUser = CZNC::Get().FindUser(*it); - - if (pChanUser == pUser) { - continue; - } - - if (pChanUser && pChanUser->IsUserAttached()) { - sNickList += (pChanUser->IsAdmin()) ? "@" : "+"; - } - - sNickList += NICK_PREFIX + (*it) + " "; - - if (sNickList.size() >= 500) { - PutUserIRCNick(pUser, ":" + GetIRCServer(pNetwork) + " 353 ", - " @ " + sChan + " :" + sNickList); - sNickList.clear(); - } - } - - if (sNickList.size()) { - PutUserIRCNick(pUser, ":" + GetIRCServer(pNetwork) + " 353 ", - " @ " + sChan + " :" + sNickList); - } - - vector vClients = pUser->GetAllClients(); - for (vector::const_iterator it = vClients.begin(); - it != vClients.end(); ++it) { - CClient* pClient = *it; - pClient->PutClient(":" + GetIRCServer(pNetwork) + " 353 " + - pClient->GetNick() + " @ " + sChan + " :" + - ((pUser->IsAdmin()) ? "@" : "+") + - pClient->GetNick()); - } - - PutUserIRCNick(pUser, ":" + GetIRCServer(pNetwork) + " 366 ", - " " + sChan + " :End of /NAMES list."); - } - - CPartylineChannel* FindChannel(const CString& sChan) { - CString sChannel = sChan.AsLower(); - - for (set::iterator it = m_ssChannels.begin(); - it != m_ssChannels.end(); ++it) { - if ((*it)->GetName().AsLower() == sChannel) return *it; - } - - return nullptr; - } - - CPartylineChannel* GetChannel(const CString& sChannel) { - CPartylineChannel* pChannel = FindChannel(sChannel); - - if (!pChannel) { - pChannel = new CPartylineChannel(sChannel.AsLower()); - m_ssChannels.insert(pChannel); - } - - return pChannel; - } - - private: - set m_ssChannels; - set m_spInjectedPrefixes; - set m_ssDefaultChans; -}; - -template <> -void TModInfo(CModInfo& Info) { - Info.SetWikiPage("partyline"); - Info.SetHasArgs(true); - Info.SetArgsHelpText( - Info.t_s("You may enter a list of channels the user joins, when " - "entering the internal partyline.")); -} - -GLOBALMODULEDEFS( - CPartylineMod, - t_s("Internal channels and queries for users connected to ZNC")) diff --git a/modules/po/partyline.de_DE.po b/modules/po/partyline.de_DE.po deleted file mode 100644 index ab582ac8..00000000 --- a/modules/po/partyline.de_DE.po +++ /dev/null @@ -1,41 +0,0 @@ -msgid "" -msgstr "" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" -"Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" -"X-Crowdin-Project: znc-bouncer\n" -"X-Crowdin-Language: de\n" -"X-Crowdin-File: /master/modules/po/partyline.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: German\n" -"Language: de_DE\n" - -#: partyline.cpp:60 -msgid "There are no open channels." -msgstr "Es gibt keine offenen Kanäle." - -#: partyline.cpp:66 partyline.cpp:73 -msgid "Channel" -msgstr "Kanal" - -#: partyline.cpp:67 partyline.cpp:74 -msgid "Users" -msgstr "Benutzer" - -#: partyline.cpp:82 -msgid "List all open channels" -msgstr "Liste alle offenen Kanäle auf" - -#: partyline.cpp:733 -msgid "" -"You may enter a list of channels the user joins, when entering the internal " -"partyline." -msgstr "" -"Du kannst eine Liste von Kanälen angeben, die der Benutzer betritt, wenn er " -"die interne Partyline betritt." - -#: partyline.cpp:739 -msgid "Internal channels and queries for users connected to ZNC" -msgstr "Interne Kanäle und Queries für mit ZNC verbundene Benutzer" diff --git a/modules/po/partyline.es_ES.po b/modules/po/partyline.es_ES.po deleted file mode 100644 index e008a9ca..00000000 --- a/modules/po/partyline.es_ES.po +++ /dev/null @@ -1,41 +0,0 @@ -msgid "" -msgstr "" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" -"Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" -"X-Crowdin-Project: znc-bouncer\n" -"X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /master/modules/po/partyline.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: Spanish\n" -"Language: es_ES\n" - -#: partyline.cpp:60 -msgid "There are no open channels." -msgstr "No hay canales abiertos." - -#: partyline.cpp:66 partyline.cpp:73 -msgid "Channel" -msgstr "Canal" - -#: partyline.cpp:67 partyline.cpp:74 -msgid "Users" -msgstr "Usuarios" - -#: partyline.cpp:82 -msgid "List all open channels" -msgstr "Mostrar canales abiertos" - -#: partyline.cpp:733 -msgid "" -"You may enter a list of channels the user joins, when entering the internal " -"partyline." -msgstr "" -"Puedes añadir una lista de canales a los que el usuario se meterá cuando se " -"conecte a la partyline." - -#: partyline.cpp:739 -msgid "Internal channels and queries for users connected to ZNC" -msgstr "Privados y canales internos para usuarios conectados a ZNC" diff --git a/modules/po/partyline.fr_FR.po b/modules/po/partyline.fr_FR.po deleted file mode 100644 index e7d3a655..00000000 --- a/modules/po/partyline.fr_FR.po +++ /dev/null @@ -1,39 +0,0 @@ -msgid "" -msgstr "" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" -"Plural-Forms: nplurals=2; plural=(n > 1);\n" -"X-Generator: crowdin.com\n" -"X-Crowdin-Project: znc-bouncer\n" -"X-Crowdin-Language: fr\n" -"X-Crowdin-File: /master/modules/po/partyline.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: French\n" -"Language: fr_FR\n" - -#: partyline.cpp:60 -msgid "There are no open channels." -msgstr "" - -#: partyline.cpp:66 partyline.cpp:73 -msgid "Channel" -msgstr "" - -#: partyline.cpp:67 partyline.cpp:74 -msgid "Users" -msgstr "" - -#: partyline.cpp:82 -msgid "List all open channels" -msgstr "" - -#: partyline.cpp:733 -msgid "" -"You may enter a list of channels the user joins, when entering the internal " -"partyline." -msgstr "" - -#: partyline.cpp:739 -msgid "Internal channels and queries for users connected to ZNC" -msgstr "" diff --git a/modules/po/partyline.id_ID.po b/modules/po/partyline.id_ID.po deleted file mode 100644 index 2d324007..00000000 --- a/modules/po/partyline.id_ID.po +++ /dev/null @@ -1,39 +0,0 @@ -msgid "" -msgstr "" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" -"Plural-Forms: nplurals=1; plural=0;\n" -"X-Generator: crowdin.com\n" -"X-Crowdin-Project: znc-bouncer\n" -"X-Crowdin-Language: id\n" -"X-Crowdin-File: /master/modules/po/partyline.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: Indonesian\n" -"Language: id_ID\n" - -#: partyline.cpp:60 -msgid "There are no open channels." -msgstr "" - -#: partyline.cpp:66 partyline.cpp:73 -msgid "Channel" -msgstr "" - -#: partyline.cpp:67 partyline.cpp:74 -msgid "Users" -msgstr "" - -#: partyline.cpp:82 -msgid "List all open channels" -msgstr "" - -#: partyline.cpp:733 -msgid "" -"You may enter a list of channels the user joins, when entering the internal " -"partyline." -msgstr "" - -#: partyline.cpp:739 -msgid "Internal channels and queries for users connected to ZNC" -msgstr "" diff --git a/modules/po/partyline.nl_NL.po b/modules/po/partyline.nl_NL.po deleted file mode 100644 index a5011e22..00000000 --- a/modules/po/partyline.nl_NL.po +++ /dev/null @@ -1,42 +0,0 @@ -msgid "" -msgstr "" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" -"Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" -"X-Crowdin-Project: znc-bouncer\n" -"X-Crowdin-Language: nl\n" -"X-Crowdin-File: /master/modules/po/partyline.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: Dutch\n" -"Language: nl_NL\n" - -#: partyline.cpp:60 -msgid "There are no open channels." -msgstr "Er zijn geen open kanalen." - -#: partyline.cpp:66 partyline.cpp:73 -msgid "Channel" -msgstr "Kanaal" - -#: partyline.cpp:67 partyline.cpp:74 -msgid "Users" -msgstr "Gebruikers" - -#: partyline.cpp:82 -msgid "List all open channels" -msgstr "Laat alle open kanalen zien" - -#: partyline.cpp:733 -msgid "" -"You may enter a list of channels the user joins, when entering the internal " -"partyline." -msgstr "" -"Je mag een lijst van kanalen toevoegen wanneer een gebruiker toetreed tot de " -"interne partijlijn." - -#: partyline.cpp:739 -msgid "Internal channels and queries for users connected to ZNC" -msgstr "" -"Interne kanalen en privé berichten voor gebruikers die verbonden zijn met ZNC" diff --git a/modules/po/partyline.pot b/modules/po/partyline.pot deleted file mode 100644 index adb499e1..00000000 --- a/modules/po/partyline.pot +++ /dev/null @@ -1,30 +0,0 @@ -msgid "" -msgstr "" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" - -#: partyline.cpp:60 -msgid "There are no open channels." -msgstr "" - -#: partyline.cpp:66 partyline.cpp:73 -msgid "Channel" -msgstr "" - -#: partyline.cpp:67 partyline.cpp:74 -msgid "Users" -msgstr "" - -#: partyline.cpp:82 -msgid "List all open channels" -msgstr "" - -#: partyline.cpp:733 -msgid "" -"You may enter a list of channels the user joins, when entering the internal " -"partyline." -msgstr "" - -#: partyline.cpp:739 -msgid "Internal channels and queries for users connected to ZNC" -msgstr "" diff --git a/modules/po/partyline.pt_BR.po b/modules/po/partyline.pt_BR.po deleted file mode 100644 index c65d3875..00000000 --- a/modules/po/partyline.pt_BR.po +++ /dev/null @@ -1,39 +0,0 @@ -msgid "" -msgstr "" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" -"Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" -"X-Crowdin-Project: znc-bouncer\n" -"X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /master/modules/po/partyline.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: Portuguese, Brazilian\n" -"Language: pt_BR\n" - -#: partyline.cpp:60 -msgid "There are no open channels." -msgstr "" - -#: partyline.cpp:66 partyline.cpp:73 -msgid "Channel" -msgstr "" - -#: partyline.cpp:67 partyline.cpp:74 -msgid "Users" -msgstr "" - -#: partyline.cpp:82 -msgid "List all open channels" -msgstr "" - -#: partyline.cpp:733 -msgid "" -"You may enter a list of channels the user joins, when entering the internal " -"partyline." -msgstr "" - -#: partyline.cpp:739 -msgid "Internal channels and queries for users connected to ZNC" -msgstr "" diff --git a/modules/po/partyline.ru_RU.po b/modules/po/partyline.ru_RU.po deleted file mode 100644 index 56ceac06..00000000 --- a/modules/po/partyline.ru_RU.po +++ /dev/null @@ -1,41 +0,0 @@ -msgid "" -msgstr "" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" -"Plural-Forms: nplurals=4; plural=((n%10==1 && n%100!=11) ? 0 : ((n%10 >= 2 " -"&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " -"&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" -"X-Generator: crowdin.com\n" -"X-Crowdin-Project: znc-bouncer\n" -"X-Crowdin-Language: ru\n" -"X-Crowdin-File: /master/modules/po/partyline.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" -"Language-Team: Russian\n" -"Language: ru_RU\n" - -#: partyline.cpp:60 -msgid "There are no open channels." -msgstr "" - -#: partyline.cpp:66 partyline.cpp:73 -msgid "Channel" -msgstr "" - -#: partyline.cpp:67 partyline.cpp:74 -msgid "Users" -msgstr "" - -#: partyline.cpp:82 -msgid "List all open channels" -msgstr "" - -#: partyline.cpp:733 -msgid "" -"You may enter a list of channels the user joins, when entering the internal " -"partyline." -msgstr "" - -#: partyline.cpp:739 -msgid "Internal channels and queries for users connected to ZNC" -msgstr "" diff --git a/src/IRCNetwork.cpp b/src/IRCNetwork.cpp index ee6d468b..6d5df0af 100644 --- a/src/IRCNetwork.cpp +++ b/src/IRCNetwork.cpp @@ -470,6 +470,21 @@ bool CIRCNetwork::ParseConfig(CConfig* pConfig, CString& sError, return false; } + // Partyline is removed in znc 1.8 + if (sModName == "partyline") { + CUtils::PrintError( + "NOTICE: [partyline] is unavailable, cannot load."); + CUtils::PrintError( + "NOTICE: [partyline] is removed in this release" + " of ZNC. Please either remove it from your config or " + "install it as a third party module with the same " + "name."); + CUtils::PrintError( + "NOTICE: More info can be found on " + "https://wiki.znc.in/Partyline"); + return false; + } + // XXX The awaynick module was retired in 1.6 (still available // as external module) if (sModName == "awaynick") { From 3bced9a9f10ef06ac587d5f4e13f3ef9fc4bd020 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Wed, 12 Jun 2019 08:14:20 +0100 Subject: [PATCH 248/798] Send "Connected!" message to the correct nick to client. Fix #1665 --- src/IRCSock.cpp | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/src/IRCSock.cpp b/src/IRCSock.cpp index 83584d85..34bb2645 100644 --- a/src/IRCSock.cpp +++ b/src/IRCSock.cpp @@ -700,7 +700,6 @@ bool CIRCSock::OnNumericMessage(CNumericMessage& Message) { PutIRC("WHO " + sNick); m_bAuthed = true; - m_pNetwork->PutStatus("Connected!"); const vector& vClients = m_pNetwork->GetClients(); @@ -718,6 +717,7 @@ bool CIRCSock::OnNumericMessage(CNumericMessage& Message) { SetNick(sNick); + m_pNetwork->PutStatus("Connected!"); IRCSOCKMODULECALL(OnIRCConnected(), NOTHING); m_pNetwork->ClearRawBuffer(); From 8de9e376ce531fe7f3c8b0aa4876d15b479b7311 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Wed, 12 Jun 2019 08:57:29 +0100 Subject: [PATCH 249/798] Fix remote code execution and privilege escalation vulnerability. To trigger this, need to have a user already. Thanks for Jeriko One for finding and reporting this. CVE-2019-12816 --- include/znc/Modules.h | 1 + src/Modules.cpp | 38 +++++++++++++++++++++++++++++--------- 2 files changed, 30 insertions(+), 9 deletions(-) diff --git a/include/znc/Modules.h b/include/znc/Modules.h index 28fdd3a6..db8f87b8 100644 --- a/include/znc/Modules.h +++ b/include/znc/Modules.h @@ -1600,6 +1600,7 @@ class CModules : public std::vector, private CCoreTranslationMixin { private: static ModHandle OpenModule(const CString& sModule, const CString& sModPath, CModInfo& Info, CString& sRetMsg); + static bool ValidateModuleName(const CString& sModule, CString& sRetMsg); protected: CUser* m_pUser; diff --git a/src/Modules.cpp b/src/Modules.cpp index 5aec7805..d41951a8 100644 --- a/src/Modules.cpp +++ b/src/Modules.cpp @@ -1624,11 +1624,30 @@ CModule* CModules::FindModule(const CString& sModule) const { return nullptr; } +bool CModules::ValidateModuleName(const CString& sModule, CString& sRetMsg) { + for (unsigned int a = 0; a < sModule.length(); a++) { + if (((sModule[a] < '0') || (sModule[a] > '9')) && + ((sModule[a] < 'a') || (sModule[a] > 'z')) && + ((sModule[a] < 'A') || (sModule[a] > 'Z')) && (sModule[a] != '_')) { + sRetMsg = + t_f("Module names can only contain letters, numbers and " + "underscores, [{1}] is invalid")(sModule); + return false; + } + } + + return true; +} + bool CModules::LoadModule(const CString& sModule, const CString& sArgs, CModInfo::EModuleType eType, CUser* pUser, CIRCNetwork* pNetwork, CString& sRetMsg) { sRetMsg = ""; + if (!ValidateModuleName(sModule, sRetMsg)) { + return false; + } + if (FindModule(sModule) != nullptr) { sRetMsg = t_f("Module {1} already loaded.")(sModule); return false; @@ -1781,6 +1800,10 @@ bool CModules::ReloadModule(const CString& sModule, const CString& sArgs, bool CModules::GetModInfo(CModInfo& ModInfo, const CString& sModule, CString& sRetMsg) { + if (!ValidateModuleName(sModule, sRetMsg)) { + return false; + } + CString sModPath, sTmp; bool bSuccess; @@ -1799,6 +1822,10 @@ bool CModules::GetModInfo(CModInfo& ModInfo, const CString& sModule, bool CModules::GetModPathInfo(CModInfo& ModInfo, const CString& sModule, const CString& sModPath, CString& sRetMsg) { + if (!ValidateModuleName(sModule, sRetMsg)) { + return false; + } + ModInfo.SetName(sModule); ModInfo.SetPath(sModPath); @@ -1911,15 +1938,8 @@ ModHandle CModules::OpenModule(const CString& sModule, const CString& sModPath, // Some sane defaults in case anything errors out below sRetMsg.clear(); - for (unsigned int a = 0; a < sModule.length(); a++) { - if (((sModule[a] < '0') || (sModule[a] > '9')) && - ((sModule[a] < 'a') || (sModule[a] > 'z')) && - ((sModule[a] < 'A') || (sModule[a] > 'Z')) && (sModule[a] != '_')) { - sRetMsg = - t_f("Module names can only contain letters, numbers and " - "underscores, [{1}] is invalid")(sModule); - return nullptr; - } + if (!ValidateModuleName(sModule, sRetMsg)) { + return nullptr; } // The second argument to dlopen() has a long history. It seems clear From d1997d6a738f0bc1fb47840b1d1e15b00fb5fa07 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Sat, 15 Jun 2019 02:12:29 +0100 Subject: [PATCH 250/798] ZNC 1.7.4-rc1 --- CMakeLists.txt | 8 ++++---- configure.ac | 4 ++-- include/znc/version.h | 4 ++-- 3 files changed, 8 insertions(+), 8 deletions(-) diff --git a/CMakeLists.txt b/CMakeLists.txt index e9ab6293..ec55d258 100644 --- a/CMakeLists.txt +++ b/CMakeLists.txt @@ -15,10 +15,10 @@ # cmake_minimum_required(VERSION 3.1) -project(ZNC VERSION 1.7.3) -set(ZNC_VERSION 1.7.x) -set(append_git_version true) -set(alpha_version "") # e.g. "-rc1" +project(ZNC VERSION 1.7.4) +set(ZNC_VERSION 1.7.4) +set(append_git_version false) +set(alpha_version "-rc1") # e.g. "-rc1" set(VERSION_EXTRA "" CACHE STRING "Additional string appended to version, e.g. to mark distribution") diff --git a/configure.ac b/configure.ac index b755cfe8..a65fe100 100644 --- a/configure.ac +++ b/configure.ac @@ -7,8 +7,8 @@ AC_DEFUN([AC_PROG_CC], [m4_errprint(__file__:__line__[: Something is trying to u dnl Needed for AC_PATH_PROGS_FEATURE_CHECK which was added in 2.62 AC_PREREQ([2.62]) dnl Keep the version number in sync with version.h! -AC_INIT([znc], [1.7.x]) -LIBZNC_VERSION=1.7.x +AC_INIT([znc], [1.7.4-rc1]) +LIBZNC_VERSION=1.7.4 AC_CONFIG_MACRO_DIR([m4]) AC_CONFIG_SRCDIR([src/znc.cpp]) AC_LANG([C++]) diff --git a/include/znc/version.h b/include/znc/version.h index 3f3fbab8..1a136303 100644 --- a/include/znc/version.h +++ b/include/znc/version.h @@ -20,9 +20,9 @@ limitations under the License. // The following defines are for #if comparison (preprocessor only likes ints) #define VERSION_MAJOR 1 #define VERSION_MINOR 7 -#define VERSION_PATCH -1 +#define VERSION_PATCH 4 // This one is for display purpose and to check ABI compatibility of modules -#define VERSION_STR "1.7.x" +#define VERSION_STR "1.7.4" #endif // Don't use this one From e661cdf9a394e2afd1b97517efa21fa2fa757e22 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Fri, 21 Jun 2019 21:31:06 +0100 Subject: [PATCH 251/798] ZNC 1.7.4 --- CMakeLists.txt | 2 +- ChangeLog.md | 11 +++++++++++ configure.ac | 2 +- 3 files changed, 13 insertions(+), 2 deletions(-) diff --git a/CMakeLists.txt b/CMakeLists.txt index ec55d258..528d7e46 100644 --- a/CMakeLists.txt +++ b/CMakeLists.txt @@ -18,7 +18,7 @@ cmake_minimum_required(VERSION 3.1) project(ZNC VERSION 1.7.4) set(ZNC_VERSION 1.7.4) set(append_git_version false) -set(alpha_version "-rc1") # e.g. "-rc1" +set(alpha_version "") # e.g. "-rc1" set(VERSION_EXTRA "" CACHE STRING "Additional string appended to version, e.g. to mark distribution") diff --git a/ChangeLog.md b/ChangeLog.md index de4156b8..0ab7ffa8 100644 --- a/ChangeLog.md +++ b/ChangeLog.md @@ -1,3 +1,14 @@ +# ZNC 1.7.4 (2019-06-19) + +## Fixes +* This is a security release to fix CVE-2019-12816 (remote code execution by existing non-admin users). Thanks to Jeriko One for the bugreport. +* Send "Connected!" messages to client to the correct nick. + +# Internal +* Increase znc-buildmod timeout in the test. + + + # ZNC 1.7.3 (2019-03-30) ## Fixes diff --git a/configure.ac b/configure.ac index a65fe100..4277d188 100644 --- a/configure.ac +++ b/configure.ac @@ -7,7 +7,7 @@ AC_DEFUN([AC_PROG_CC], [m4_errprint(__file__:__line__[: Something is trying to u dnl Needed for AC_PATH_PROGS_FEATURE_CHECK which was added in 2.62 AC_PREREQ([2.62]) dnl Keep the version number in sync with version.h! -AC_INIT([znc], [1.7.4-rc1]) +AC_INIT([znc], [1.7.4]) LIBZNC_VERSION=1.7.4 AC_CONFIG_MACRO_DIR([m4]) AC_CONFIG_SRCDIR([src/znc.cpp]) From e75b9c3b50cfe59be6c6fbb93405996ee4f62876 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Fri, 21 Jun 2019 21:35:15 +0100 Subject: [PATCH 252/798] Return version number to 1.7.x --- CMakeLists.txt | 4 ++-- configure.ac | 4 ++-- include/znc/version.h | 4 ++-- 3 files changed, 6 insertions(+), 6 deletions(-) diff --git a/CMakeLists.txt b/CMakeLists.txt index 528d7e46..64ebbd0e 100644 --- a/CMakeLists.txt +++ b/CMakeLists.txt @@ -16,8 +16,8 @@ cmake_minimum_required(VERSION 3.1) project(ZNC VERSION 1.7.4) -set(ZNC_VERSION 1.7.4) -set(append_git_version false) +set(ZNC_VERSION 1.7.x) +set(append_git_version true) set(alpha_version "") # e.g. "-rc1" set(VERSION_EXTRA "" CACHE STRING "Additional string appended to version, e.g. to mark distribution") diff --git a/configure.ac b/configure.ac index 4277d188..b755cfe8 100644 --- a/configure.ac +++ b/configure.ac @@ -7,8 +7,8 @@ AC_DEFUN([AC_PROG_CC], [m4_errprint(__file__:__line__[: Something is trying to u dnl Needed for AC_PATH_PROGS_FEATURE_CHECK which was added in 2.62 AC_PREREQ([2.62]) dnl Keep the version number in sync with version.h! -AC_INIT([znc], [1.7.4]) -LIBZNC_VERSION=1.7.4 +AC_INIT([znc], [1.7.x]) +LIBZNC_VERSION=1.7.x AC_CONFIG_MACRO_DIR([m4]) AC_CONFIG_SRCDIR([src/znc.cpp]) AC_LANG([C++]) diff --git a/include/znc/version.h b/include/znc/version.h index 1a136303..3f3fbab8 100644 --- a/include/znc/version.h +++ b/include/znc/version.h @@ -20,9 +20,9 @@ limitations under the License. // The following defines are for #if comparison (preprocessor only likes ints) #define VERSION_MAJOR 1 #define VERSION_MINOR 7 -#define VERSION_PATCH 4 +#define VERSION_PATCH -1 // This one is for display purpose and to check ABI compatibility of modules -#define VERSION_STR "1.7.4" +#define VERSION_STR "1.7.x" #endif // Don't use this one From b0a00e96cd0398877cac991d5a0997790b3bc498 Mon Sep 17 00:00:00 2001 From: Indjov Date: Mon, 17 Jun 2019 14:08:25 +0300 Subject: [PATCH 253/798] Create bg-BG Bulgarian Languages Close #1668 --- translations/bg-BG | 1 + 1 file changed, 1 insertion(+) create mode 100644 translations/bg-BG diff --git a/translations/bg-BG b/translations/bg-BG new file mode 100644 index 00000000..103e75e8 --- /dev/null +++ b/translations/bg-BG @@ -0,0 +1 @@ +SelfName Български From 01917ff748fad0601bc27eb4e3d692def911756a Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Fri, 21 Jun 2019 22:17:21 +0000 Subject: [PATCH 254/798] Update translations from Crowdin for bg_BG de_DE es_ES fr_FR id_ID nl_NL pt_BR ru_RU --- modules/po/admindebug.bg_BG.po | 61 + modules/po/admindebug.de_DE.po | 2 +- modules/po/admindebug.es_ES.po | 2 +- modules/po/admindebug.fr_FR.po | 2 +- modules/po/admindebug.id_ID.po | 2 +- modules/po/admindebug.nl_NL.po | 2 +- modules/po/admindebug.pt_BR.po | 2 +- modules/po/admindebug.ru_RU.po | 2 +- modules/po/adminlog.bg_BG.po | 69 + modules/po/adminlog.de_DE.po | 2 +- modules/po/adminlog.es_ES.po | 2 +- modules/po/adminlog.fr_FR.po | 2 +- modules/po/adminlog.id_ID.po | 2 +- modules/po/adminlog.nl_NL.po | 2 +- modules/po/adminlog.pt_BR.po | 2 +- modules/po/adminlog.ru_RU.po | 2 +- modules/po/alias.bg_BG.po | 123 ++ modules/po/alias.de_DE.po | 2 +- modules/po/alias.es_ES.po | 2 +- modules/po/alias.fr_FR.po | 2 +- modules/po/alias.id_ID.po | 2 +- modules/po/alias.nl_NL.po | 2 +- modules/po/alias.pt_BR.po | 2 +- modules/po/alias.ru_RU.po | 2 +- modules/po/autoattach.bg_BG.po | 85 ++ modules/po/autoattach.de_DE.po | 2 +- modules/po/autoattach.es_ES.po | 2 +- modules/po/autoattach.fr_FR.po | 2 +- modules/po/autoattach.id_ID.po | 2 +- modules/po/autoattach.nl_NL.po | 2 +- modules/po/autoattach.pt_BR.po | 2 +- modules/po/autoattach.ru_RU.po | 2 +- modules/po/autocycle.bg_BG.po | 69 + modules/po/autocycle.de_DE.po | 10 +- modules/po/autocycle.es_ES.po | 10 +- modules/po/autocycle.fr_FR.po | 10 +- modules/po/autocycle.id_ID.po | 10 +- modules/po/autocycle.nl_NL.po | 10 +- modules/po/autocycle.pot | 8 +- modules/po/autocycle.pt_BR.po | 10 +- modules/po/autocycle.ru_RU.po | 10 +- modules/po/autoop.bg_BG.po | 168 +++ modules/po/autoop.de_DE.po | 2 +- modules/po/autoop.es_ES.po | 2 +- modules/po/autoop.fr_FR.po | 2 +- modules/po/autoop.id_ID.po | 2 +- modules/po/autoop.nl_NL.po | 2 +- modules/po/autoop.pt_BR.po | 2 +- modules/po/autoop.ru_RU.po | 2 +- modules/po/autoreply.bg_BG.po | 43 + modules/po/autoreply.de_DE.po | 2 +- modules/po/autoreply.es_ES.po | 2 +- modules/po/autoreply.fr_FR.po | 2 +- modules/po/autoreply.id_ID.po | 2 +- modules/po/autoreply.nl_NL.po | 2 +- modules/po/autoreply.pt_BR.po | 2 +- modules/po/autoreply.ru_RU.po | 2 +- modules/po/autovoice.bg_BG.po | 111 ++ modules/po/autovoice.de_DE.po | 2 +- modules/po/autovoice.es_ES.po | 2 +- modules/po/autovoice.fr_FR.po | 2 +- modules/po/autovoice.id_ID.po | 2 +- modules/po/autovoice.nl_NL.po | 2 +- modules/po/autovoice.pt_BR.po | 2 +- modules/po/autovoice.ru_RU.po | 2 +- modules/po/awaystore.bg_BG.po | 110 ++ modules/po/awaystore.de_DE.po | 2 +- modules/po/awaystore.es_ES.po | 2 +- modules/po/awaystore.fr_FR.po | 2 +- modules/po/awaystore.id_ID.po | 2 +- modules/po/awaystore.nl_NL.po | 2 +- modules/po/awaystore.pt_BR.po | 2 +- modules/po/awaystore.ru_RU.po | 2 +- modules/po/block_motd.bg_BG.po | 35 + modules/po/block_motd.de_DE.po | 2 +- modules/po/block_motd.es_ES.po | 2 +- modules/po/block_motd.fr_FR.po | 2 +- modules/po/block_motd.id_ID.po | 2 +- modules/po/block_motd.nl_NL.po | 2 +- modules/po/block_motd.pt_BR.po | 2 +- modules/po/block_motd.ru_RU.po | 2 +- modules/po/blockuser.bg_BG.po | 97 ++ modules/po/blockuser.de_DE.po | 2 +- modules/po/blockuser.es_ES.po | 2 +- modules/po/blockuser.fr_FR.po | 2 +- modules/po/blockuser.id_ID.po | 2 +- modules/po/blockuser.nl_NL.po | 2 +- modules/po/blockuser.pt_BR.po | 2 +- modules/po/blockuser.ru_RU.po | 2 +- modules/po/bouncedcc.bg_BG.po | 131 ++ modules/po/bouncedcc.de_DE.po | 2 +- modules/po/bouncedcc.es_ES.po | 2 +- modules/po/bouncedcc.fr_FR.po | 2 +- modules/po/bouncedcc.id_ID.po | 2 +- modules/po/bouncedcc.nl_NL.po | 2 +- modules/po/bouncedcc.pt_BR.po | 2 +- modules/po/bouncedcc.ru_RU.po | 2 +- modules/po/buffextras.bg_BG.po | 49 + modules/po/buffextras.de_DE.po | 2 +- modules/po/buffextras.es_ES.po | 2 +- modules/po/buffextras.fr_FR.po | 2 +- modules/po/buffextras.id_ID.po | 2 +- modules/po/buffextras.nl_NL.po | 2 +- modules/po/buffextras.pt_BR.po | 2 +- modules/po/buffextras.ru_RU.po | 2 +- modules/po/cert.bg_BG.po | 75 ++ modules/po/cert.de_DE.po | 2 +- modules/po/cert.es_ES.po | 2 +- modules/po/cert.fr_FR.po | 2 +- modules/po/cert.id_ID.po | 2 +- modules/po/cert.nl_NL.po | 2 +- modules/po/cert.pt_BR.po | 2 +- modules/po/cert.ru_RU.po | 2 +- modules/po/certauth.bg_BG.po | 108 ++ modules/po/certauth.de_DE.po | 14 +- modules/po/certauth.es_ES.po | 14 +- modules/po/certauth.fr_FR.po | 14 +- modules/po/certauth.id_ID.po | 14 +- modules/po/certauth.nl_NL.po | 14 +- modules/po/certauth.pot | 12 +- modules/po/certauth.pt_BR.po | 14 +- modules/po/certauth.ru_RU.po | 14 +- modules/po/chansaver.bg_BG.po | 17 + modules/po/chansaver.de_DE.po | 2 +- modules/po/chansaver.es_ES.po | 2 +- modules/po/chansaver.fr_FR.po | 2 +- modules/po/chansaver.id_ID.po | 2 +- modules/po/chansaver.nl_NL.po | 2 +- modules/po/chansaver.pt_BR.po | 2 +- modules/po/chansaver.ru_RU.po | 2 +- modules/po/clearbufferonmsg.bg_BG.po | 17 + modules/po/clearbufferonmsg.de_DE.po | 2 +- modules/po/clearbufferonmsg.es_ES.po | 2 +- modules/po/clearbufferonmsg.fr_FR.po | 2 +- modules/po/clearbufferonmsg.id_ID.po | 2 +- modules/po/clearbufferonmsg.nl_NL.po | 2 +- modules/po/clearbufferonmsg.pt_BR.po | 2 +- modules/po/clearbufferonmsg.ru_RU.po | 2 +- modules/po/clientnotify.bg_BG.po | 73 ++ modules/po/clientnotify.de_DE.po | 2 +- modules/po/clientnotify.es_ES.po | 2 +- modules/po/clientnotify.fr_FR.po | 2 +- modules/po/clientnotify.id_ID.po | 2 +- modules/po/clientnotify.nl_NL.po | 2 +- modules/po/clientnotify.pt_BR.po | 2 +- modules/po/clientnotify.ru_RU.po | 2 +- modules/po/controlpanel.bg_BG.po | 718 +++++++++++ modules/po/controlpanel.de_DE.po | 342 ++--- modules/po/controlpanel.es_ES.po | 342 ++--- modules/po/controlpanel.fr_FR.po | 342 ++--- modules/po/controlpanel.id_ID.po | 342 ++--- modules/po/controlpanel.nl_NL.po | 342 ++--- modules/po/controlpanel.pot | 340 ++--- modules/po/controlpanel.pt_BR.po | 342 ++--- modules/po/controlpanel.ru_RU.po | 342 ++--- modules/po/crypt.bg_BG.po | 143 +++ modules/po/crypt.de_DE.po | 10 +- modules/po/crypt.es_ES.po | 10 +- modules/po/crypt.fr_FR.po | 10 +- modules/po/crypt.id_ID.po | 10 +- modules/po/crypt.nl_NL.po | 10 +- modules/po/crypt.pot | 8 +- modules/po/crypt.pt_BR.po | 10 +- modules/po/crypt.ru_RU.po | 10 +- modules/po/ctcpflood.bg_BG.po | 69 + modules/po/ctcpflood.de_DE.po | 2 +- modules/po/ctcpflood.es_ES.po | 2 +- modules/po/ctcpflood.fr_FR.po | 2 +- modules/po/ctcpflood.id_ID.po | 2 +- modules/po/ctcpflood.nl_NL.po | 2 +- modules/po/ctcpflood.pt_BR.po | 2 +- modules/po/ctcpflood.ru_RU.po | 2 +- modules/po/cyrusauth.bg_BG.po | 73 ++ modules/po/cyrusauth.de_DE.po | 2 +- modules/po/cyrusauth.es_ES.po | 2 +- modules/po/cyrusauth.fr_FR.po | 2 +- modules/po/cyrusauth.id_ID.po | 2 +- modules/po/cyrusauth.nl_NL.po | 2 +- modules/po/cyrusauth.pt_BR.po | 2 +- modules/po/cyrusauth.ru_RU.po | 2 +- modules/po/dcc.bg_BG.po | 227 ++++ modules/po/dcc.de_DE.po | 2 +- modules/po/dcc.es_ES.po | 2 +- modules/po/dcc.fr_FR.po | 2 +- modules/po/dcc.id_ID.po | 2 +- modules/po/dcc.nl_NL.po | 2 +- modules/po/dcc.pt_BR.po | 2 +- modules/po/dcc.ru_RU.po | 2 +- modules/po/disconkick.bg_BG.po | 23 + modules/po/disconkick.de_DE.po | 2 +- modules/po/disconkick.es_ES.po | 2 +- modules/po/disconkick.fr_FR.po | 2 +- modules/po/disconkick.id_ID.po | 2 +- modules/po/disconkick.nl_NL.po | 2 +- modules/po/disconkick.pt_BR.po | 2 +- modules/po/disconkick.ru_RU.po | 2 +- modules/po/fail2ban.bg_BG.po | 117 ++ modules/po/fail2ban.de_DE.po | 12 +- modules/po/fail2ban.es_ES.po | 12 +- modules/po/fail2ban.fr_FR.po | 12 +- modules/po/fail2ban.id_ID.po | 12 +- modules/po/fail2ban.nl_NL.po | 12 +- modules/po/fail2ban.pot | 10 +- modules/po/fail2ban.pt_BR.po | 12 +- modules/po/fail2ban.ru_RU.po | 12 +- modules/po/flooddetach.bg_BG.po | 91 ++ modules/po/flooddetach.de_DE.po | 2 +- modules/po/flooddetach.es_ES.po | 2 +- modules/po/flooddetach.fr_FR.po | 2 +- modules/po/flooddetach.id_ID.po | 2 +- modules/po/flooddetach.nl_NL.po | 2 +- modules/po/flooddetach.pt_BR.po | 2 +- modules/po/flooddetach.ru_RU.po | 2 +- modules/po/identfile.bg_BG.po | 83 ++ modules/po/identfile.de_DE.po | 2 +- modules/po/identfile.es_ES.po | 2 +- modules/po/identfile.fr_FR.po | 2 +- modules/po/identfile.id_ID.po | 2 +- modules/po/identfile.nl_NL.po | 2 +- modules/po/identfile.pt_BR.po | 2 +- modules/po/identfile.ru_RU.po | 2 +- modules/po/imapauth.bg_BG.po | 21 + modules/po/imapauth.de_DE.po | 2 +- modules/po/imapauth.es_ES.po | 2 +- modules/po/imapauth.fr_FR.po | 2 +- modules/po/imapauth.id_ID.po | 2 +- modules/po/imapauth.nl_NL.po | 2 +- modules/po/imapauth.pt_BR.po | 2 +- modules/po/imapauth.ru_RU.po | 2 +- modules/po/keepnick.bg_BG.po | 53 + modules/po/keepnick.de_DE.po | 2 +- modules/po/keepnick.es_ES.po | 2 +- modules/po/keepnick.fr_FR.po | 2 +- modules/po/keepnick.id_ID.po | 2 +- modules/po/keepnick.nl_NL.po | 2 +- modules/po/keepnick.pt_BR.po | 2 +- modules/po/keepnick.ru_RU.po | 2 +- modules/po/kickrejoin.bg_BG.po | 61 + modules/po/kickrejoin.de_DE.po | 2 +- modules/po/kickrejoin.es_ES.po | 2 +- modules/po/kickrejoin.fr_FR.po | 2 +- modules/po/kickrejoin.id_ID.po | 2 +- modules/po/kickrejoin.nl_NL.po | 2 +- modules/po/kickrejoin.pt_BR.po | 2 +- modules/po/kickrejoin.ru_RU.po | 2 +- modules/po/lastseen.bg_BG.po | 67 + modules/po/lastseen.de_DE.po | 14 +- modules/po/lastseen.es_ES.po | 14 +- modules/po/lastseen.fr_FR.po | 14 +- modules/po/lastseen.id_ID.po | 14 +- modules/po/lastseen.nl_NL.po | 14 +- modules/po/lastseen.pot | 12 +- modules/po/lastseen.pt_BR.po | 14 +- modules/po/lastseen.ru_RU.po | 14 +- modules/po/listsockets.bg_BG.po | 113 ++ modules/po/listsockets.de_DE.po | 2 +- modules/po/listsockets.es_ES.po | 2 +- modules/po/listsockets.fr_FR.po | 2 +- modules/po/listsockets.id_ID.po | 2 +- modules/po/listsockets.nl_NL.po | 2 +- modules/po/listsockets.pt_BR.po | 2 +- modules/po/listsockets.ru_RU.po | 2 +- modules/po/log.bg_BG.po | 148 +++ modules/po/log.de_DE.po | 46 +- modules/po/log.es_ES.po | 46 +- modules/po/log.fr_FR.po | 46 +- modules/po/log.id_ID.po | 46 +- modules/po/log.nl_NL.po | 46 +- modules/po/log.pot | 44 +- modules/po/log.pt_BR.po | 46 +- modules/po/log.ru_RU.po | 46 +- modules/po/missingmotd.bg_BG.po | 17 + modules/po/missingmotd.de_DE.po | 2 +- modules/po/missingmotd.es_ES.po | 2 +- modules/po/missingmotd.fr_FR.po | 2 +- modules/po/missingmotd.id_ID.po | 2 +- modules/po/missingmotd.nl_NL.po | 2 +- modules/po/missingmotd.pt_BR.po | 2 +- modules/po/missingmotd.ru_RU.po | 2 +- modules/po/modperl.bg_BG.po | 17 + modules/po/modperl.de_DE.po | 2 +- modules/po/modperl.es_ES.po | 2 +- modules/po/modperl.fr_FR.po | 2 +- modules/po/modperl.id_ID.po | 2 +- modules/po/modperl.nl_NL.po | 2 +- modules/po/modperl.pt_BR.po | 2 +- modules/po/modperl.ru_RU.po | 2 +- modules/po/modpython.bg_BG.po | 17 + modules/po/modpython.de_DE.po | 2 +- modules/po/modpython.es_ES.po | 2 +- modules/po/modpython.fr_FR.po | 2 +- modules/po/modpython.id_ID.po | 2 +- modules/po/modpython.nl_NL.po | 2 +- modules/po/modpython.pt_BR.po | 2 +- modules/po/modpython.ru_RU.po | 2 +- modules/po/modules_online.bg_BG.po | 17 + modules/po/modules_online.de_DE.po | 2 +- modules/po/modules_online.es_ES.po | 2 +- modules/po/modules_online.fr_FR.po | 2 +- modules/po/modules_online.id_ID.po | 2 +- modules/po/modules_online.nl_NL.po | 2 +- modules/po/modules_online.pt_BR.po | 2 +- modules/po/modules_online.ru_RU.po | 2 +- modules/po/nickserv.bg_BG.po | 75 ++ modules/po/nickserv.de_DE.po | 2 +- modules/po/nickserv.es_ES.po | 2 +- modules/po/nickserv.fr_FR.po | 2 +- modules/po/nickserv.id_ID.po | 2 +- modules/po/nickserv.nl_NL.po | 2 +- modules/po/nickserv.pt_BR.po | 2 +- modules/po/nickserv.ru_RU.po | 2 +- modules/po/notes.bg_BG.po | 119 ++ modules/po/notes.de_DE.po | 12 +- modules/po/notes.es_ES.po | 12 +- modules/po/notes.fr_FR.po | 12 +- modules/po/notes.id_ID.po | 12 +- modules/po/notes.nl_NL.po | 12 +- modules/po/notes.pot | 10 +- modules/po/notes.pt_BR.po | 12 +- modules/po/notes.ru_RU.po | 12 +- modules/po/notify_connect.bg_BG.po | 29 + modules/po/notify_connect.de_DE.po | 2 +- modules/po/notify_connect.es_ES.po | 2 +- modules/po/notify_connect.fr_FR.po | 2 +- modules/po/notify_connect.id_ID.po | 2 +- modules/po/notify_connect.nl_NL.po | 2 +- modules/po/notify_connect.pt_BR.po | 2 +- modules/po/notify_connect.ru_RU.po | 2 +- modules/po/perform.bg_BG.po | 108 ++ modules/po/perform.de_DE.po | 2 +- modules/po/perform.es_ES.po | 2 +- modules/po/perform.fr_FR.po | 2 +- modules/po/perform.id_ID.po | 2 +- modules/po/perform.nl_NL.po | 2 +- modules/po/perform.pt_BR.po | 2 +- modules/po/perform.ru_RU.po | 2 +- modules/po/perleval.bg_BG.po | 31 + modules/po/perleval.de_DE.po | 2 +- modules/po/perleval.es_ES.po | 2 +- modules/po/perleval.fr_FR.po | 2 +- modules/po/perleval.id_ID.po | 2 +- modules/po/perleval.nl_NL.po | 2 +- modules/po/perleval.pt_BR.po | 2 +- modules/po/perleval.ru_RU.po | 2 +- modules/po/pyeval.bg_BG.po | 21 + modules/po/pyeval.de_DE.po | 2 +- modules/po/pyeval.es_ES.po | 2 +- modules/po/pyeval.fr_FR.po | 2 +- modules/po/pyeval.id_ID.po | 2 +- modules/po/pyeval.nl_NL.po | 2 +- modules/po/pyeval.pt_BR.po | 2 +- modules/po/pyeval.ru_RU.po | 2 +- modules/po/raw.bg_BG.po | 17 + modules/po/raw.de_DE.po | 2 +- modules/po/raw.es_ES.po | 2 +- modules/po/raw.fr_FR.po | 2 +- modules/po/raw.id_ID.po | 2 +- modules/po/raw.nl_NL.po | 2 +- modules/po/raw.pt_BR.po | 2 +- modules/po/raw.ru_RU.po | 2 +- modules/po/route_replies.bg_BG.po | 59 + modules/po/route_replies.de_DE.po | 24 +- modules/po/route_replies.es_ES.po | 24 +- modules/po/route_replies.fr_FR.po | 24 +- modules/po/route_replies.id_ID.po | 24 +- modules/po/route_replies.nl_NL.po | 24 +- modules/po/route_replies.pot | 22 +- modules/po/route_replies.pt_BR.po | 24 +- modules/po/route_replies.ru_RU.po | 24 +- modules/po/sample.bg_BG.po | 119 ++ modules/po/sample.de_DE.po | 2 +- modules/po/sample.es_ES.po | 2 +- modules/po/sample.fr_FR.po | 2 +- modules/po/sample.id_ID.po | 2 +- modules/po/sample.nl_NL.po | 2 +- modules/po/sample.pt_BR.po | 2 +- modules/po/sample.ru_RU.po | 2 +- modules/po/samplewebapi.bg_BG.po | 17 + modules/po/samplewebapi.de_DE.po | 2 +- modules/po/samplewebapi.es_ES.po | 2 +- modules/po/samplewebapi.fr_FR.po | 2 +- modules/po/samplewebapi.id_ID.po | 2 +- modules/po/samplewebapi.nl_NL.po | 2 +- modules/po/samplewebapi.pt_BR.po | 2 +- modules/po/samplewebapi.ru_RU.po | 2 +- modules/po/sasl.bg_BG.po | 174 +++ modules/po/sasl.de_DE.po | 38 +- modules/po/sasl.es_ES.po | 38 +- modules/po/sasl.fr_FR.po | 38 +- modules/po/sasl.id_ID.po | 38 +- modules/po/sasl.nl_NL.po | 38 +- modules/po/sasl.pot | 36 +- modules/po/sasl.pt_BR.po | 38 +- modules/po/sasl.ru_RU.po | 38 +- modules/po/savebuff.bg_BG.po | 62 + modules/po/savebuff.de_DE.po | 2 +- modules/po/savebuff.es_ES.po | 2 +- modules/po/savebuff.fr_FR.po | 2 +- modules/po/savebuff.id_ID.po | 2 +- modules/po/savebuff.nl_NL.po | 2 +- modules/po/savebuff.pt_BR.po | 2 +- modules/po/savebuff.ru_RU.po | 2 +- modules/po/send_raw.bg_BG.po | 109 ++ modules/po/send_raw.de_DE.po | 2 +- modules/po/send_raw.es_ES.po | 2 +- modules/po/send_raw.fr_FR.po | 2 +- modules/po/send_raw.id_ID.po | 2 +- modules/po/send_raw.nl_NL.po | 2 +- modules/po/send_raw.pt_BR.po | 2 +- modules/po/send_raw.ru_RU.po | 2 +- modules/po/shell.bg_BG.po | 29 + modules/po/shell.de_DE.po | 2 +- modules/po/shell.es_ES.po | 2 +- modules/po/shell.fr_FR.po | 2 +- modules/po/shell.id_ID.po | 2 +- modules/po/shell.nl_NL.po | 2 +- modules/po/shell.pt_BR.po | 2 +- modules/po/shell.ru_RU.po | 2 +- modules/po/simple_away.bg_BG.po | 92 ++ modules/po/simple_away.de_DE.po | 2 +- modules/po/simple_away.es_ES.po | 2 +- modules/po/simple_away.fr_FR.po | 2 +- modules/po/simple_away.id_ID.po | 2 +- modules/po/simple_away.nl_NL.po | 2 +- modules/po/simple_away.pt_BR.po | 2 +- modules/po/simple_away.ru_RU.po | 2 +- modules/po/stickychan.bg_BG.po | 102 ++ modules/po/stickychan.de_DE.po | 2 +- modules/po/stickychan.es_ES.po | 2 +- modules/po/stickychan.fr_FR.po | 2 +- modules/po/stickychan.id_ID.po | 2 +- modules/po/stickychan.nl_NL.po | 2 +- modules/po/stickychan.pt_BR.po | 2 +- modules/po/stickychan.ru_RU.po | 2 +- modules/po/stripcontrols.bg_BG.po | 18 + modules/po/stripcontrols.de_DE.po | 2 +- modules/po/stripcontrols.es_ES.po | 2 +- modules/po/stripcontrols.fr_FR.po | 2 +- modules/po/stripcontrols.id_ID.po | 2 +- modules/po/stripcontrols.nl_NL.po | 2 +- modules/po/stripcontrols.pt_BR.po | 2 +- modules/po/stripcontrols.ru_RU.po | 2 +- modules/po/watch.bg_BG.po | 249 ++++ modules/po/watch.de_DE.po | 72 +- modules/po/watch.es_ES.po | 72 +- modules/po/watch.fr_FR.po | 72 +- modules/po/watch.id_ID.po | 72 +- modules/po/watch.nl_NL.po | 72 +- modules/po/watch.pot | 70 +- modules/po/watch.pt_BR.po | 72 +- modules/po/watch.ru_RU.po | 72 +- modules/po/webadmin.bg_BG.po | 1209 ++++++++++++++++++ modules/po/webadmin.de_DE.po | 2 +- modules/po/webadmin.es_ES.po | 2 +- modules/po/webadmin.fr_FR.po | 2 +- modules/po/webadmin.id_ID.po | 2 +- modules/po/webadmin.nl_NL.po | 2 +- modules/po/webadmin.pt_BR.po | 2 +- modules/po/webadmin.ru_RU.po | 2 +- src/po/znc.bg_BG.po | 1726 ++++++++++++++++++++++++++ src/po/znc.de_DE.po | 532 ++++---- src/po/znc.es_ES.po | 532 ++++---- src/po/znc.fr_FR.po | 532 ++++---- src/po/znc.id_ID.po | 532 ++++---- src/po/znc.nl_NL.po | 532 ++++---- src/po/znc.pot | 530 ++++---- src/po/znc.pt_BR.po | 569 ++++----- src/po/znc.ru_RU.po | 532 ++++---- 468 files changed, 12707 insertions(+), 4825 deletions(-) create mode 100644 modules/po/admindebug.bg_BG.po create mode 100644 modules/po/adminlog.bg_BG.po create mode 100644 modules/po/alias.bg_BG.po create mode 100644 modules/po/autoattach.bg_BG.po create mode 100644 modules/po/autocycle.bg_BG.po create mode 100644 modules/po/autoop.bg_BG.po create mode 100644 modules/po/autoreply.bg_BG.po create mode 100644 modules/po/autovoice.bg_BG.po create mode 100644 modules/po/awaystore.bg_BG.po create mode 100644 modules/po/block_motd.bg_BG.po create mode 100644 modules/po/blockuser.bg_BG.po create mode 100644 modules/po/bouncedcc.bg_BG.po create mode 100644 modules/po/buffextras.bg_BG.po create mode 100644 modules/po/cert.bg_BG.po create mode 100644 modules/po/certauth.bg_BG.po create mode 100644 modules/po/chansaver.bg_BG.po create mode 100644 modules/po/clearbufferonmsg.bg_BG.po create mode 100644 modules/po/clientnotify.bg_BG.po create mode 100644 modules/po/controlpanel.bg_BG.po create mode 100644 modules/po/crypt.bg_BG.po create mode 100644 modules/po/ctcpflood.bg_BG.po create mode 100644 modules/po/cyrusauth.bg_BG.po create mode 100644 modules/po/dcc.bg_BG.po create mode 100644 modules/po/disconkick.bg_BG.po create mode 100644 modules/po/fail2ban.bg_BG.po create mode 100644 modules/po/flooddetach.bg_BG.po create mode 100644 modules/po/identfile.bg_BG.po create mode 100644 modules/po/imapauth.bg_BG.po create mode 100644 modules/po/keepnick.bg_BG.po create mode 100644 modules/po/kickrejoin.bg_BG.po create mode 100644 modules/po/lastseen.bg_BG.po create mode 100644 modules/po/listsockets.bg_BG.po create mode 100644 modules/po/log.bg_BG.po create mode 100644 modules/po/missingmotd.bg_BG.po create mode 100644 modules/po/modperl.bg_BG.po create mode 100644 modules/po/modpython.bg_BG.po create mode 100644 modules/po/modules_online.bg_BG.po create mode 100644 modules/po/nickserv.bg_BG.po create mode 100644 modules/po/notes.bg_BG.po create mode 100644 modules/po/notify_connect.bg_BG.po create mode 100644 modules/po/perform.bg_BG.po create mode 100644 modules/po/perleval.bg_BG.po create mode 100644 modules/po/pyeval.bg_BG.po create mode 100644 modules/po/raw.bg_BG.po create mode 100644 modules/po/route_replies.bg_BG.po create mode 100644 modules/po/sample.bg_BG.po create mode 100644 modules/po/samplewebapi.bg_BG.po create mode 100644 modules/po/sasl.bg_BG.po create mode 100644 modules/po/savebuff.bg_BG.po create mode 100644 modules/po/send_raw.bg_BG.po create mode 100644 modules/po/shell.bg_BG.po create mode 100644 modules/po/simple_away.bg_BG.po create mode 100644 modules/po/stickychan.bg_BG.po create mode 100644 modules/po/stripcontrols.bg_BG.po create mode 100644 modules/po/watch.bg_BG.po create mode 100644 modules/po/webadmin.bg_BG.po create mode 100644 src/po/znc.bg_BG.po diff --git a/modules/po/admindebug.bg_BG.po b/modules/po/admindebug.bg_BG.po new file mode 100644 index 00000000..18aacddf --- /dev/null +++ b/modules/po/admindebug.bg_BG.po @@ -0,0 +1,61 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /master/modules/po/admindebug.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: admindebug.cpp:30 +msgid "Enable Debug Mode" +msgstr "Активиране на Debug " + +#: admindebug.cpp:32 +msgid "Disable Debug Mode" +msgstr "Деактивиране на Debug " + +#: admindebug.cpp:34 +msgid "Show the Debug Mode status" +msgstr "Покажи статуса на Debug мода" + +#: admindebug.cpp:40 admindebug.cpp:49 +msgid "Access denied!" +msgstr "Достъпът е отказан!" + +#: admindebug.cpp:58 +msgid "" +"Failure. We need to be running with a TTY. (is ZNC running with --" +"foreground?)" +msgstr "" +"Повреда. Трябва да работим с TTY. (Може би ZNC е подкаран с опцията -" +"foreground?)" + +#: admindebug.cpp:66 +msgid "Already enabled." +msgstr "Вече е активиран." + +#: admindebug.cpp:68 +msgid "Already disabled." +msgstr "Вече е деактивиран." + +#: admindebug.cpp:92 +msgid "Debugging mode is on." +msgstr "Debugging mode е включен." + +#: admindebug.cpp:94 +msgid "Debugging mode is off." +msgstr "Debugging mode е изключен." + +#: admindebug.cpp:96 +msgid "Logging to: stdout." +msgstr "Влизане в: stdout." + +#: admindebug.cpp:105 +msgid "Enable Debug mode dynamically." +msgstr "Активирайте Debug модула динамично." diff --git a/modules/po/admindebug.de_DE.po b/modules/po/admindebug.de_DE.po index e5db421a..68ec1daf 100644 --- a/modules/po/admindebug.de_DE.po +++ b/modules/po/admindebug.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/admindebug.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/admindebug.es_ES.po b/modules/po/admindebug.es_ES.po index 1655acfe..8362b205 100644 --- a/modules/po/admindebug.es_ES.po +++ b/modules/po/admindebug.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/admindebug.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/admindebug.fr_FR.po b/modules/po/admindebug.fr_FR.po index b4f98fec..13a93e93 100644 --- a/modules/po/admindebug.fr_FR.po +++ b/modules/po/admindebug.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/admindebug.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/admindebug.id_ID.po b/modules/po/admindebug.id_ID.po index 6be56ed4..71a4b5b7 100644 --- a/modules/po/admindebug.id_ID.po +++ b/modules/po/admindebug.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/admindebug.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/admindebug.nl_NL.po b/modules/po/admindebug.nl_NL.po index 41548921..0dc24273 100644 --- a/modules/po/admindebug.nl_NL.po +++ b/modules/po/admindebug.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/admindebug.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/admindebug.pt_BR.po b/modules/po/admindebug.pt_BR.po index c88971d1..3fc5316c 100644 --- a/modules/po/admindebug.pt_BR.po +++ b/modules/po/admindebug.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/admindebug.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/admindebug.ru_RU.po b/modules/po/admindebug.ru_RU.po index 696f5ad0..06193f57 100644 --- a/modules/po/admindebug.ru_RU.po +++ b/modules/po/admindebug.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/admindebug.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/adminlog.bg_BG.po b/modules/po/adminlog.bg_BG.po new file mode 100644 index 00000000..d11d117d --- /dev/null +++ b/modules/po/adminlog.bg_BG.po @@ -0,0 +1,69 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /master/modules/po/adminlog.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: adminlog.cpp:29 +msgid "Show the logging target" +msgstr "" + +#: adminlog.cpp:31 +msgid " [path]" +msgstr "<Файл| Системни Логове |Двете> [директория]" + +#: adminlog.cpp:32 +msgid "Set the logging target" +msgstr "" + +#: adminlog.cpp:142 +msgid "Access denied" +msgstr "Достъпът е отказан" + +#: adminlog.cpp:156 +msgid "Now logging to file" +msgstr "" + +#: adminlog.cpp:160 +msgid "Now only logging to syslog" +msgstr "" + +#: adminlog.cpp:164 +msgid "Now logging to syslog and file" +msgstr "" + +#: adminlog.cpp:168 +msgid "Usage: Target [path]" +msgstr "" + +#: adminlog.cpp:170 +msgid "Unknown target" +msgstr "" + +#: adminlog.cpp:192 +msgid "Logging is enabled for file" +msgstr "" + +#: adminlog.cpp:195 +msgid "Logging is enabled for syslog" +msgstr "" + +#: adminlog.cpp:198 +msgid "Logging is enabled for both, file and syslog" +msgstr "" + +#: adminlog.cpp:204 +msgid "Log file will be written to {1}" +msgstr "" + +#: adminlog.cpp:222 +msgid "Log ZNC events to file and/or syslog." +msgstr "" diff --git a/modules/po/adminlog.de_DE.po b/modules/po/adminlog.de_DE.po index cdee82d2..fa6785d5 100644 --- a/modules/po/adminlog.de_DE.po +++ b/modules/po/adminlog.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/adminlog.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/adminlog.es_ES.po b/modules/po/adminlog.es_ES.po index 3c6aa060..83c65e09 100644 --- a/modules/po/adminlog.es_ES.po +++ b/modules/po/adminlog.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/adminlog.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/adminlog.fr_FR.po b/modules/po/adminlog.fr_FR.po index 224262ed..2970b7f3 100644 --- a/modules/po/adminlog.fr_FR.po +++ b/modules/po/adminlog.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/adminlog.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/adminlog.id_ID.po b/modules/po/adminlog.id_ID.po index 60e1d89c..be8cd654 100644 --- a/modules/po/adminlog.id_ID.po +++ b/modules/po/adminlog.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/adminlog.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/adminlog.nl_NL.po b/modules/po/adminlog.nl_NL.po index 40d237d0..6f096124 100644 --- a/modules/po/adminlog.nl_NL.po +++ b/modules/po/adminlog.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/adminlog.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/adminlog.pt_BR.po b/modules/po/adminlog.pt_BR.po index 159c4f82..6d8c4d58 100644 --- a/modules/po/adminlog.pt_BR.po +++ b/modules/po/adminlog.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/adminlog.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/adminlog.ru_RU.po b/modules/po/adminlog.ru_RU.po index e7631a49..6f3e9091 100644 --- a/modules/po/adminlog.ru_RU.po +++ b/modules/po/adminlog.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/adminlog.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/alias.bg_BG.po b/modules/po/alias.bg_BG.po new file mode 100644 index 00000000..1f7c4c69 --- /dev/null +++ b/modules/po/alias.bg_BG.po @@ -0,0 +1,123 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /master/modules/po/alias.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: alias.cpp:141 +msgid "missing required parameter: {1}" +msgstr "" + +#: alias.cpp:201 +msgid "Created alias: {1}" +msgstr "" + +#: alias.cpp:203 +msgid "Alias already exists." +msgstr "" + +#: alias.cpp:210 +msgid "Deleted alias: {1}" +msgstr "" + +#: alias.cpp:213 alias.cpp:224 alias.cpp:246 alias.cpp:265 alias.cpp:276 +#: alias.cpp:333 +msgid "Alias does not exist." +msgstr "" + +#: alias.cpp:222 alias.cpp:244 alias.cpp:263 alias.cpp:274 +msgid "Modified alias." +msgstr "" + +#: alias.cpp:236 alias.cpp:256 +msgid "Invalid index." +msgstr "" + +#: alias.cpp:282 alias.cpp:298 +msgid "There are no aliases." +msgstr "" + +#: alias.cpp:289 +msgid "The following aliases exist: {1}" +msgstr "" + +#: alias.cpp:290 +msgctxt "list|separator" +msgid ", " +msgstr "" + +#: alias.cpp:324 +msgid "Actions for alias {1}:" +msgstr "" + +#: alias.cpp:331 +msgid "End of actions for alias {1}." +msgstr "" + +#: alias.cpp:338 alias.cpp:341 alias.cpp:352 alias.cpp:357 +msgid "" +msgstr "" + +#: alias.cpp:339 +msgid "Creates a new, blank alias called name." +msgstr "" + +#: alias.cpp:341 +msgid "Deletes an existing alias." +msgstr "" + +#: alias.cpp:343 +msgid " " +msgstr "" + +#: alias.cpp:344 +msgid "Adds a line to an existing alias." +msgstr "" + +#: alias.cpp:346 +msgid " " +msgstr "" + +#: alias.cpp:347 +msgid "Inserts a line into an existing alias." +msgstr "" + +#: alias.cpp:349 +msgid " " +msgstr "" + +#: alias.cpp:350 +msgid "Removes a line from an existing alias." +msgstr "" + +#: alias.cpp:353 +msgid "Removes all lines from an existing alias." +msgstr "" + +#: alias.cpp:355 +msgid "Lists all aliases by name." +msgstr "" + +#: alias.cpp:358 +msgid "Reports the actions performed by an alias." +msgstr "" + +#: alias.cpp:362 +msgid "Generate a list of commands to copy your alias config." +msgstr "" + +#: alias.cpp:374 +msgid "Clearing all of them!" +msgstr "" + +#: alias.cpp:409 +msgid "Provides bouncer-side command alias support." +msgstr "" diff --git a/modules/po/alias.de_DE.po b/modules/po/alias.de_DE.po index 862b71fe..36789b75 100644 --- a/modules/po/alias.de_DE.po +++ b/modules/po/alias.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/alias.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/alias.es_ES.po b/modules/po/alias.es_ES.po index 00803191..558015a7 100644 --- a/modules/po/alias.es_ES.po +++ b/modules/po/alias.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/alias.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/alias.fr_FR.po b/modules/po/alias.fr_FR.po index 519b77ea..bf17c26f 100644 --- a/modules/po/alias.fr_FR.po +++ b/modules/po/alias.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/alias.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/alias.id_ID.po b/modules/po/alias.id_ID.po index c26867d2..184f53a4 100644 --- a/modules/po/alias.id_ID.po +++ b/modules/po/alias.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/alias.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/alias.nl_NL.po b/modules/po/alias.nl_NL.po index 8c9fd552..9b069a5a 100644 --- a/modules/po/alias.nl_NL.po +++ b/modules/po/alias.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/alias.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/alias.pt_BR.po b/modules/po/alias.pt_BR.po index 1bdad58e..f0dcaa9f 100644 --- a/modules/po/alias.pt_BR.po +++ b/modules/po/alias.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/alias.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/alias.ru_RU.po b/modules/po/alias.ru_RU.po index 43f4f61a..730ea191 100644 --- a/modules/po/alias.ru_RU.po +++ b/modules/po/alias.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/alias.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/autoattach.bg_BG.po b/modules/po/autoattach.bg_BG.po new file mode 100644 index 00000000..57693f5d --- /dev/null +++ b/modules/po/autoattach.bg_BG.po @@ -0,0 +1,85 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /master/modules/po/autoattach.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: autoattach.cpp:94 +msgid "Added to list" +msgstr "" + +#: autoattach.cpp:96 +msgid "{1} is already added" +msgstr "" + +#: autoattach.cpp:100 +msgid "Usage: Add [!]<#chan> " +msgstr "" + +#: autoattach.cpp:101 +msgid "Wildcards are allowed" +msgstr "" + +#: autoattach.cpp:113 +msgid "Removed {1} from list" +msgstr "" + +#: autoattach.cpp:115 +msgid "Usage: Del [!]<#chan> " +msgstr "" + +#: autoattach.cpp:121 autoattach.cpp:129 +msgid "Neg" +msgstr "" + +#: autoattach.cpp:122 autoattach.cpp:130 +msgid "Chan" +msgstr "" + +#: autoattach.cpp:123 autoattach.cpp:131 +msgid "Search" +msgstr "" + +#: autoattach.cpp:124 autoattach.cpp:132 +msgid "Host" +msgstr "" + +#: autoattach.cpp:138 +msgid "You have no entries." +msgstr "" + +#: autoattach.cpp:146 autoattach.cpp:149 +msgid "[!]<#chan> " +msgstr "" + +#: autoattach.cpp:147 +msgid "Add an entry, use !#chan to negate and * for wildcards" +msgstr "" + +#: autoattach.cpp:150 +msgid "Remove an entry, needs to be an exact match" +msgstr "" + +#: autoattach.cpp:152 +msgid "List all entries" +msgstr "" + +#: autoattach.cpp:171 +msgid "Unable to add [{1}]" +msgstr "" + +#: autoattach.cpp:283 +msgid "List of channel masks and channel masks with ! before them." +msgstr "" + +#: autoattach.cpp:286 +msgid "Reattaches you to channels on activity." +msgstr "" diff --git a/modules/po/autoattach.de_DE.po b/modules/po/autoattach.de_DE.po index c76c6708..abf077cb 100644 --- a/modules/po/autoattach.de_DE.po +++ b/modules/po/autoattach.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/autoattach.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/autoattach.es_ES.po b/modules/po/autoattach.es_ES.po index 2dc37dfd..ec72cec6 100644 --- a/modules/po/autoattach.es_ES.po +++ b/modules/po/autoattach.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/autoattach.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/autoattach.fr_FR.po b/modules/po/autoattach.fr_FR.po index 2c37cdb5..0fba3077 100644 --- a/modules/po/autoattach.fr_FR.po +++ b/modules/po/autoattach.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/autoattach.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/autoattach.id_ID.po b/modules/po/autoattach.id_ID.po index 9b13b824..b8c1e942 100644 --- a/modules/po/autoattach.id_ID.po +++ b/modules/po/autoattach.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/autoattach.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/autoattach.nl_NL.po b/modules/po/autoattach.nl_NL.po index a2362753..d2049704 100644 --- a/modules/po/autoattach.nl_NL.po +++ b/modules/po/autoattach.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/autoattach.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/autoattach.pt_BR.po b/modules/po/autoattach.pt_BR.po index adf70fa3..4707d44a 100644 --- a/modules/po/autoattach.pt_BR.po +++ b/modules/po/autoattach.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/autoattach.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/autoattach.ru_RU.po b/modules/po/autoattach.ru_RU.po index f8f8b51f..5def0975 100644 --- a/modules/po/autoattach.ru_RU.po +++ b/modules/po/autoattach.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/autoattach.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/autocycle.bg_BG.po b/modules/po/autocycle.bg_BG.po new file mode 100644 index 00000000..615c39f9 --- /dev/null +++ b/modules/po/autocycle.bg_BG.po @@ -0,0 +1,69 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /master/modules/po/autocycle.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: autocycle.cpp:27 autocycle.cpp:30 +msgid "[!]<#chan>" +msgstr "" + +#: autocycle.cpp:28 +msgid "Add an entry, use !#chan to negate and * for wildcards" +msgstr "" + +#: autocycle.cpp:31 +msgid "Remove an entry, needs to be an exact match" +msgstr "" + +#: autocycle.cpp:33 +msgid "List all entries" +msgstr "" + +#: autocycle.cpp:46 +msgid "Unable to add {1}" +msgstr "" + +#: autocycle.cpp:66 +msgid "{1} is already added" +msgstr "" + +#: autocycle.cpp:68 +msgid "Added {1} to list" +msgstr "" + +#: autocycle.cpp:70 +msgid "Usage: Add [!]<#chan>" +msgstr "" + +#: autocycle.cpp:78 +msgid "Removed {1} from list" +msgstr "" + +#: autocycle.cpp:80 +msgid "Usage: Del [!]<#chan>" +msgstr "" + +#: autocycle.cpp:85 autocycle.cpp:90 autocycle.cpp:95 +msgid "Channel" +msgstr "" + +#: autocycle.cpp:101 +msgid "You have no entries." +msgstr "" + +#: autocycle.cpp:230 +msgid "List of channel masks and channel masks with ! before them." +msgstr "" + +#: autocycle.cpp:235 +msgid "Rejoins channels to gain Op if you're the only user left" +msgstr "" diff --git a/modules/po/autocycle.de_DE.po b/modules/po/autocycle.de_DE.po index 718bbf0e..b66893fc 100644 --- a/modules/po/autocycle.de_DE.po +++ b/modules/po/autocycle.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/autocycle.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" @@ -53,19 +53,19 @@ msgstr "{1} aus der Liste entfernt" msgid "Usage: Del [!]<#chan>" msgstr "Verwendung: Del [!]<#Kanal>" -#: autocycle.cpp:85 autocycle.cpp:89 autocycle.cpp:94 +#: autocycle.cpp:85 autocycle.cpp:90 autocycle.cpp:95 msgid "Channel" msgstr "Kanal" -#: autocycle.cpp:100 +#: autocycle.cpp:101 msgid "You have no entries." msgstr "Du hast keine Einträge." -#: autocycle.cpp:229 +#: autocycle.cpp:230 msgid "List of channel masks and channel masks with ! before them." msgstr "Liste an Kanalmasken und Kanalmasken mit führendem !." -#: autocycle.cpp:234 +#: autocycle.cpp:235 msgid "Rejoins channels to gain Op if you're the only user left" msgstr "" "Betritt den Channel erneut, um OP zu bekommen, falls du der letzt User im " diff --git a/modules/po/autocycle.es_ES.po b/modules/po/autocycle.es_ES.po index a8c69f02..de44ea81 100644 --- a/modules/po/autocycle.es_ES.po +++ b/modules/po/autocycle.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/autocycle.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" @@ -52,19 +52,19 @@ msgstr "Borrado {1} de la lista" msgid "Usage: Del [!]<#chan>" msgstr "Uso: Del [!]<#canal>" -#: autocycle.cpp:85 autocycle.cpp:89 autocycle.cpp:94 +#: autocycle.cpp:85 autocycle.cpp:90 autocycle.cpp:95 msgid "Channel" msgstr "Canal" -#: autocycle.cpp:100 +#: autocycle.cpp:101 msgid "You have no entries." msgstr "No tienes entradas." -#: autocycle.cpp:229 +#: autocycle.cpp:230 msgid "List of channel masks and channel masks with ! before them." msgstr "Lista de máscaras de canales y máscaras de canales con ! delante." -#: autocycle.cpp:234 +#: autocycle.cpp:235 msgid "Rejoins channels to gain Op if you're the only user left" msgstr "" "Re-entra a los canales para obtener Op si eres el único usuario del canal" diff --git a/modules/po/autocycle.fr_FR.po b/modules/po/autocycle.fr_FR.po index 7f835f68..505b4dd2 100644 --- a/modules/po/autocycle.fr_FR.po +++ b/modules/po/autocycle.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/autocycle.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" @@ -52,19 +52,19 @@ msgstr "{1} retiré de la liste" msgid "Usage: Del [!]<#chan>" msgstr "Usage: Del[!]<#salon>" -#: autocycle.cpp:85 autocycle.cpp:89 autocycle.cpp:94 +#: autocycle.cpp:85 autocycle.cpp:90 autocycle.cpp:95 msgid "Channel" msgstr "Salon" -#: autocycle.cpp:100 +#: autocycle.cpp:101 msgid "You have no entries." msgstr "Vous n'avez aucune entrée." -#: autocycle.cpp:229 +#: autocycle.cpp:230 msgid "List of channel masks and channel masks with ! before them." msgstr "Liste les masques de salons, y compris préfixés par !." -#: autocycle.cpp:234 +#: autocycle.cpp:235 msgid "Rejoins channels to gain Op if you're the only user left" msgstr "" "Rejoint un salon automatiquement si vous êtes le dernier utilisateur pour " diff --git a/modules/po/autocycle.id_ID.po b/modules/po/autocycle.id_ID.po index f5408cc7..e8788729 100644 --- a/modules/po/autocycle.id_ID.po +++ b/modules/po/autocycle.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/autocycle.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" @@ -52,18 +52,18 @@ msgstr "" msgid "Usage: Del [!]<#chan>" msgstr "" -#: autocycle.cpp:85 autocycle.cpp:89 autocycle.cpp:94 +#: autocycle.cpp:85 autocycle.cpp:90 autocycle.cpp:95 msgid "Channel" msgstr "" -#: autocycle.cpp:100 +#: autocycle.cpp:101 msgid "You have no entries." msgstr "" -#: autocycle.cpp:229 +#: autocycle.cpp:230 msgid "List of channel masks and channel masks with ! before them." msgstr "" -#: autocycle.cpp:234 +#: autocycle.cpp:235 msgid "Rejoins channels to gain Op if you're the only user left" msgstr "" diff --git a/modules/po/autocycle.nl_NL.po b/modules/po/autocycle.nl_NL.po index 9b49cdaa..0b3df9f9 100644 --- a/modules/po/autocycle.nl_NL.po +++ b/modules/po/autocycle.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/autocycle.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" @@ -54,19 +54,19 @@ msgstr "{1} verwijderd van lijst" msgid "Usage: Del [!]<#chan>" msgstr "Gebruik: Del [!]<#kanaal>" -#: autocycle.cpp:85 autocycle.cpp:89 autocycle.cpp:94 +#: autocycle.cpp:85 autocycle.cpp:90 autocycle.cpp:95 msgid "Channel" msgstr "Kanaal" -#: autocycle.cpp:100 +#: autocycle.cpp:101 msgid "You have no entries." msgstr "Je hebt geen kanalen toegvoegd." -#: autocycle.cpp:229 +#: autocycle.cpp:230 msgid "List of channel masks and channel masks with ! before them." msgstr "Lijst van kanaal maskers en kanaal maskers met ! er voor." -#: autocycle.cpp:234 +#: autocycle.cpp:235 msgid "Rejoins channels to gain Op if you're the only user left" msgstr "" "Verbind opnieuw met een kanaal om beheer te krijgen als je de enige " diff --git a/modules/po/autocycle.pot b/modules/po/autocycle.pot index 5e911531..01b6bf8b 100644 --- a/modules/po/autocycle.pot +++ b/modules/po/autocycle.pot @@ -43,18 +43,18 @@ msgstr "" msgid "Usage: Del [!]<#chan>" msgstr "" -#: autocycle.cpp:85 autocycle.cpp:89 autocycle.cpp:94 +#: autocycle.cpp:85 autocycle.cpp:90 autocycle.cpp:95 msgid "Channel" msgstr "" -#: autocycle.cpp:100 +#: autocycle.cpp:101 msgid "You have no entries." msgstr "" -#: autocycle.cpp:229 +#: autocycle.cpp:230 msgid "List of channel masks and channel masks with ! before them." msgstr "" -#: autocycle.cpp:234 +#: autocycle.cpp:235 msgid "Rejoins channels to gain Op if you're the only user left" msgstr "" diff --git a/modules/po/autocycle.pt_BR.po b/modules/po/autocycle.pt_BR.po index 486364ac..77256399 100644 --- a/modules/po/autocycle.pt_BR.po +++ b/modules/po/autocycle.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/autocycle.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" @@ -52,18 +52,18 @@ msgstr "" msgid "Usage: Del [!]<#chan>" msgstr "" -#: autocycle.cpp:85 autocycle.cpp:89 autocycle.cpp:94 +#: autocycle.cpp:85 autocycle.cpp:90 autocycle.cpp:95 msgid "Channel" msgstr "" -#: autocycle.cpp:100 +#: autocycle.cpp:101 msgid "You have no entries." msgstr "" -#: autocycle.cpp:229 +#: autocycle.cpp:230 msgid "List of channel masks and channel masks with ! before them." msgstr "" -#: autocycle.cpp:234 +#: autocycle.cpp:235 msgid "Rejoins channels to gain Op if you're the only user left" msgstr "" diff --git a/modules/po/autocycle.ru_RU.po b/modules/po/autocycle.ru_RU.po index 44f9f5a7..a5a98475 100644 --- a/modules/po/autocycle.ru_RU.po +++ b/modules/po/autocycle.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/autocycle.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" @@ -54,18 +54,18 @@ msgstr "" msgid "Usage: Del [!]<#chan>" msgstr "" -#: autocycle.cpp:85 autocycle.cpp:89 autocycle.cpp:94 +#: autocycle.cpp:85 autocycle.cpp:90 autocycle.cpp:95 msgid "Channel" msgstr "" -#: autocycle.cpp:100 +#: autocycle.cpp:101 msgid "You have no entries." msgstr "" -#: autocycle.cpp:229 +#: autocycle.cpp:230 msgid "List of channel masks and channel masks with ! before them." msgstr "" -#: autocycle.cpp:234 +#: autocycle.cpp:235 msgid "Rejoins channels to gain Op if you're the only user left" msgstr "" diff --git a/modules/po/autoop.bg_BG.po b/modules/po/autoop.bg_BG.po new file mode 100644 index 00000000..d6e9fe3e --- /dev/null +++ b/modules/po/autoop.bg_BG.po @@ -0,0 +1,168 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /master/modules/po/autoop.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: autoop.cpp:154 +msgid "List all users" +msgstr "" + +#: autoop.cpp:156 autoop.cpp:159 +msgid " [channel] ..." +msgstr "" + +#: autoop.cpp:157 +msgid "Adds channels to a user" +msgstr "" + +#: autoop.cpp:160 +msgid "Removes channels from a user" +msgstr "" + +#: autoop.cpp:162 autoop.cpp:165 +msgid " ,[mask] ..." +msgstr "" + +#: autoop.cpp:163 +msgid "Adds masks to a user" +msgstr "" + +#: autoop.cpp:166 +msgid "Removes masks from a user" +msgstr "" + +#: autoop.cpp:169 +msgid " [,...] [channels]" +msgstr "" + +#: autoop.cpp:170 +msgid "Adds a user" +msgstr "" + +#: autoop.cpp:172 +msgid "" +msgstr "" + +#: autoop.cpp:172 +msgid "Removes a user" +msgstr "" + +#: autoop.cpp:275 +msgid "Usage: AddUser [,...] [channels]" +msgstr "" + +#: autoop.cpp:291 +msgid "Usage: DelUser " +msgstr "" + +#: autoop.cpp:300 +msgid "There are no users defined" +msgstr "" + +#: autoop.cpp:306 autoop.cpp:317 autoop.cpp:321 autoop.cpp:323 +msgid "User" +msgstr "" + +#: autoop.cpp:307 autoop.cpp:325 +msgid "Hostmasks" +msgstr "" + +#: autoop.cpp:308 autoop.cpp:318 +msgid "Key" +msgstr "" + +#: autoop.cpp:309 autoop.cpp:319 +msgid "Channels" +msgstr "" + +#: autoop.cpp:337 +msgid "Usage: AddChans [channel] ..." +msgstr "" + +#: autoop.cpp:344 autoop.cpp:365 autoop.cpp:387 autoop.cpp:408 autoop.cpp:472 +msgid "No such user" +msgstr "" + +#: autoop.cpp:349 +msgid "Channel(s) added to user {1}" +msgstr "" + +#: autoop.cpp:358 +msgid "Usage: DelChans [channel] ..." +msgstr "" + +#: autoop.cpp:371 +msgid "Channel(s) Removed from user {1}" +msgstr "" + +#: autoop.cpp:380 +msgid "Usage: AddMasks ,[mask] ..." +msgstr "" + +#: autoop.cpp:392 +msgid "Hostmasks(s) added to user {1}" +msgstr "" + +#: autoop.cpp:401 +msgid "Usage: DelMasks ,[mask] ..." +msgstr "" + +#: autoop.cpp:413 +msgid "Removed user {1} with key {2} and channels {3}" +msgstr "" + +#: autoop.cpp:419 +msgid "Hostmasks(s) Removed from user {1}" +msgstr "" + +#: autoop.cpp:478 +msgid "User {1} removed" +msgstr "" + +#: autoop.cpp:484 +msgid "That user already exists" +msgstr "" + +#: autoop.cpp:490 +msgid "User {1} added with hostmask(s) {2}" +msgstr "" + +#: autoop.cpp:532 +msgid "" +"[{1}] sent us a challenge but they are not opped in any defined channels." +msgstr "" + +#: autoop.cpp:536 +msgid "[{1}] sent us a challenge but they do not match a defined user." +msgstr "" + +#: autoop.cpp:544 +msgid "WARNING! [{1}] sent an invalid challenge." +msgstr "" + +#: autoop.cpp:560 +msgid "[{1}] sent an unchallenged response. This could be due to lag." +msgstr "" + +#: autoop.cpp:577 +msgid "" +"WARNING! [{1}] sent a bad response. Please verify that you have their " +"correct password." +msgstr "" + +#: autoop.cpp:586 +msgid "WARNING! [{1}] sent a response but did not match any defined users." +msgstr "" + +#: autoop.cpp:644 +msgid "Auto op the good people" +msgstr "" diff --git a/modules/po/autoop.de_DE.po b/modules/po/autoop.de_DE.po index 3d8aeb1c..0739cf3e 100644 --- a/modules/po/autoop.de_DE.po +++ b/modules/po/autoop.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/autoop.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/autoop.es_ES.po b/modules/po/autoop.es_ES.po index 9360a15c..00151829 100644 --- a/modules/po/autoop.es_ES.po +++ b/modules/po/autoop.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/autoop.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/autoop.fr_FR.po b/modules/po/autoop.fr_FR.po index 262e67ec..bc91e8ec 100644 --- a/modules/po/autoop.fr_FR.po +++ b/modules/po/autoop.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/autoop.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/autoop.id_ID.po b/modules/po/autoop.id_ID.po index b7e3afe0..6246e058 100644 --- a/modules/po/autoop.id_ID.po +++ b/modules/po/autoop.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/autoop.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/autoop.nl_NL.po b/modules/po/autoop.nl_NL.po index 52726c8a..dc6fc9a3 100644 --- a/modules/po/autoop.nl_NL.po +++ b/modules/po/autoop.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/autoop.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/autoop.pt_BR.po b/modules/po/autoop.pt_BR.po index 7d4ad666..6f568ee0 100644 --- a/modules/po/autoop.pt_BR.po +++ b/modules/po/autoop.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/autoop.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/autoop.ru_RU.po b/modules/po/autoop.ru_RU.po index 86621319..6252b3a5 100644 --- a/modules/po/autoop.ru_RU.po +++ b/modules/po/autoop.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/autoop.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/autoreply.bg_BG.po b/modules/po/autoreply.bg_BG.po new file mode 100644 index 00000000..2ce3a3bd --- /dev/null +++ b/modules/po/autoreply.bg_BG.po @@ -0,0 +1,43 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /master/modules/po/autoreply.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: autoreply.cpp:25 +msgid "" +msgstr "" + +#: autoreply.cpp:25 +msgid "Sets a new reply" +msgstr "" + +#: autoreply.cpp:27 +msgid "Displays the current query reply" +msgstr "" + +#: autoreply.cpp:75 +msgid "Current reply is: {1} ({2})" +msgstr "" + +#: autoreply.cpp:81 +msgid "New reply set to: {1} ({2})" +msgstr "" + +#: autoreply.cpp:94 +msgid "" +"You might specify a reply text. It is used when automatically answering " +"queries, if you are not connected to ZNC." +msgstr "" + +#: autoreply.cpp:98 +msgid "Reply to queries when you are away" +msgstr "" diff --git a/modules/po/autoreply.de_DE.po b/modules/po/autoreply.de_DE.po index 7b7788d3..5c2c1941 100644 --- a/modules/po/autoreply.de_DE.po +++ b/modules/po/autoreply.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/autoreply.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/autoreply.es_ES.po b/modules/po/autoreply.es_ES.po index b9efd368..9956d41a 100644 --- a/modules/po/autoreply.es_ES.po +++ b/modules/po/autoreply.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/autoreply.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/autoreply.fr_FR.po b/modules/po/autoreply.fr_FR.po index 34e2738d..6c9328bb 100644 --- a/modules/po/autoreply.fr_FR.po +++ b/modules/po/autoreply.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/autoreply.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/autoreply.id_ID.po b/modules/po/autoreply.id_ID.po index 88f568b3..d191ab95 100644 --- a/modules/po/autoreply.id_ID.po +++ b/modules/po/autoreply.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/autoreply.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/autoreply.nl_NL.po b/modules/po/autoreply.nl_NL.po index 5ab7f684..404cbcad 100644 --- a/modules/po/autoreply.nl_NL.po +++ b/modules/po/autoreply.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/autoreply.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/autoreply.pt_BR.po b/modules/po/autoreply.pt_BR.po index ac714e1e..35800ba7 100644 --- a/modules/po/autoreply.pt_BR.po +++ b/modules/po/autoreply.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/autoreply.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/autoreply.ru_RU.po b/modules/po/autoreply.ru_RU.po index 2095ac3a..b13f27c2 100644 --- a/modules/po/autoreply.ru_RU.po +++ b/modules/po/autoreply.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/autoreply.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/autovoice.bg_BG.po b/modules/po/autovoice.bg_BG.po new file mode 100644 index 00000000..b83e58d1 --- /dev/null +++ b/modules/po/autovoice.bg_BG.po @@ -0,0 +1,111 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /master/modules/po/autovoice.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: autovoice.cpp:120 +msgid "List all users" +msgstr "" + +#: autovoice.cpp:122 autovoice.cpp:125 +msgid " [channel] ..." +msgstr "" + +#: autovoice.cpp:123 +msgid "Adds channels to a user" +msgstr "" + +#: autovoice.cpp:126 +msgid "Removes channels from a user" +msgstr "" + +#: autovoice.cpp:128 +msgid " [channels]" +msgstr "" + +#: autovoice.cpp:129 +msgid "Adds a user" +msgstr "" + +#: autovoice.cpp:131 +msgid "" +msgstr "" + +#: autovoice.cpp:131 +msgid "Removes a user" +msgstr "" + +#: autovoice.cpp:215 +msgid "Usage: AddUser [channels]" +msgstr "" + +#: autovoice.cpp:229 +msgid "Usage: DelUser " +msgstr "" + +#: autovoice.cpp:238 +msgid "There are no users defined" +msgstr "" + +#: autovoice.cpp:244 autovoice.cpp:250 +msgid "User" +msgstr "" + +#: autovoice.cpp:245 autovoice.cpp:251 +msgid "Hostmask" +msgstr "" + +#: autovoice.cpp:246 autovoice.cpp:252 +msgid "Channels" +msgstr "" + +#: autovoice.cpp:263 +msgid "Usage: AddChans [channel] ..." +msgstr "" + +#: autovoice.cpp:270 autovoice.cpp:292 autovoice.cpp:329 +msgid "No such user" +msgstr "" + +#: autovoice.cpp:275 +msgid "Channel(s) added to user {1}" +msgstr "" + +#: autovoice.cpp:285 +msgid "Usage: DelChans [channel] ..." +msgstr "" + +#: autovoice.cpp:298 +msgid "Channel(s) Removed from user {1}" +msgstr "" + +#: autovoice.cpp:335 +msgid "User {1} removed" +msgstr "" + +#: autovoice.cpp:341 +msgid "That user already exists" +msgstr "" + +#: autovoice.cpp:347 +msgid "User {1} added with hostmask {2}" +msgstr "" + +#: autovoice.cpp:360 +msgid "" +"Each argument is either a channel you want autovoice for (which can include " +"wildcards) or, if it starts with !, it is an exception for autovoice." +msgstr "" + +#: autovoice.cpp:365 +msgid "Auto voice the good people" +msgstr "" diff --git a/modules/po/autovoice.de_DE.po b/modules/po/autovoice.de_DE.po index cfbfa0ec..180e3f99 100644 --- a/modules/po/autovoice.de_DE.po +++ b/modules/po/autovoice.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/autovoice.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/autovoice.es_ES.po b/modules/po/autovoice.es_ES.po index 18f4cc5f..f947ec75 100644 --- a/modules/po/autovoice.es_ES.po +++ b/modules/po/autovoice.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/autovoice.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/autovoice.fr_FR.po b/modules/po/autovoice.fr_FR.po index 03433c72..4e1bbd4f 100644 --- a/modules/po/autovoice.fr_FR.po +++ b/modules/po/autovoice.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/autovoice.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/autovoice.id_ID.po b/modules/po/autovoice.id_ID.po index 31add0c2..de7c57b1 100644 --- a/modules/po/autovoice.id_ID.po +++ b/modules/po/autovoice.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/autovoice.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/autovoice.nl_NL.po b/modules/po/autovoice.nl_NL.po index 30778607..48718137 100644 --- a/modules/po/autovoice.nl_NL.po +++ b/modules/po/autovoice.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/autovoice.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/autovoice.pt_BR.po b/modules/po/autovoice.pt_BR.po index 375e0a0e..eb0d5963 100644 --- a/modules/po/autovoice.pt_BR.po +++ b/modules/po/autovoice.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/autovoice.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/autovoice.ru_RU.po b/modules/po/autovoice.ru_RU.po index 63d080b8..c54a3c2c 100644 --- a/modules/po/autovoice.ru_RU.po +++ b/modules/po/autovoice.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/autovoice.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/awaystore.bg_BG.po b/modules/po/awaystore.bg_BG.po new file mode 100644 index 00000000..41da7b9d --- /dev/null +++ b/modules/po/awaystore.bg_BG.po @@ -0,0 +1,110 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /master/modules/po/awaystore.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: awaystore.cpp:67 +msgid "You have been marked as away" +msgstr "" + +#: awaystore.cpp:78 awaystore.cpp:385 awaystore.cpp:388 +msgid "Welcome back!" +msgstr "" + +#: awaystore.cpp:100 +msgid "Deleted {1} messages" +msgstr "" + +#: awaystore.cpp:104 +msgid "USAGE: delete " +msgstr "" + +#: awaystore.cpp:109 +msgid "Illegal message # requested" +msgstr "" + +#: awaystore.cpp:113 +msgid "Message erased" +msgstr "" + +#: awaystore.cpp:122 +msgid "Messages saved to disk" +msgstr "" + +#: awaystore.cpp:124 +msgid "There are no messages to save" +msgstr "" + +#: awaystore.cpp:135 +msgid "Password updated to [{1}]" +msgstr "" + +#: awaystore.cpp:147 +msgid "Corrupt message! [{1}]" +msgstr "" + +#: awaystore.cpp:159 +msgid "Corrupt time stamp! [{1}]" +msgstr "" + +#: awaystore.cpp:178 +msgid "#--- End of messages" +msgstr "" + +#: awaystore.cpp:183 +msgid "Timer set to 300 seconds" +msgstr "" + +#: awaystore.cpp:188 awaystore.cpp:197 +msgid "Timer disabled" +msgstr "" + +#: awaystore.cpp:199 +msgid "Timer set to {1} seconds" +msgstr "" + +#: awaystore.cpp:203 +msgid "Current timer setting: {1} seconds" +msgstr "" + +#: awaystore.cpp:278 +msgid "This module needs as an argument a keyphrase used for encryption" +msgstr "" + +#: awaystore.cpp:285 +msgid "" +"Failed to decrypt your saved messages - Did you give the right encryption " +"key as an argument to this module?" +msgstr "" + +#: awaystore.cpp:386 awaystore.cpp:389 +msgid "You have {1} messages!" +msgstr "" + +#: awaystore.cpp:456 +msgid "Unable to find buffer" +msgstr "" + +#: awaystore.cpp:469 +msgid "Unable to decode encrypted messages" +msgstr "" + +#: awaystore.cpp:516 +msgid "" +"[ -notimer | -timer N ] [-chans] passw0rd . N is number of seconds, 600 by " +"default." +msgstr "" + +#: awaystore.cpp:521 +msgid "" +"Adds auto-away with logging, useful when you use ZNC from different locations" +msgstr "" diff --git a/modules/po/awaystore.de_DE.po b/modules/po/awaystore.de_DE.po index e33b09fc..8c9e8c6d 100644 --- a/modules/po/awaystore.de_DE.po +++ b/modules/po/awaystore.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/awaystore.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/awaystore.es_ES.po b/modules/po/awaystore.es_ES.po index c6b4145b..57e1f8f5 100644 --- a/modules/po/awaystore.es_ES.po +++ b/modules/po/awaystore.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/awaystore.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/awaystore.fr_FR.po b/modules/po/awaystore.fr_FR.po index a585610e..dfd78a81 100644 --- a/modules/po/awaystore.fr_FR.po +++ b/modules/po/awaystore.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/awaystore.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/awaystore.id_ID.po b/modules/po/awaystore.id_ID.po index 43932a19..09551c20 100644 --- a/modules/po/awaystore.id_ID.po +++ b/modules/po/awaystore.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/awaystore.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/awaystore.nl_NL.po b/modules/po/awaystore.nl_NL.po index 6361c864..a6b8e83a 100644 --- a/modules/po/awaystore.nl_NL.po +++ b/modules/po/awaystore.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/awaystore.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/awaystore.pt_BR.po b/modules/po/awaystore.pt_BR.po index 28f3c67c..c6cad3af 100644 --- a/modules/po/awaystore.pt_BR.po +++ b/modules/po/awaystore.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/awaystore.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/awaystore.ru_RU.po b/modules/po/awaystore.ru_RU.po index 98e4675b..46b9e393 100644 --- a/modules/po/awaystore.ru_RU.po +++ b/modules/po/awaystore.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/awaystore.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/block_motd.bg_BG.po b/modules/po/block_motd.bg_BG.po new file mode 100644 index 00000000..799dd02b --- /dev/null +++ b/modules/po/block_motd.bg_BG.po @@ -0,0 +1,35 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /master/modules/po/block_motd.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: block_motd.cpp:26 +msgid "[]" +msgstr "" + +#: block_motd.cpp:27 +msgid "" +"Override the block with this command. Can optionally specify which server to " +"query." +msgstr "" + +#: block_motd.cpp:36 +msgid "You are not connected to an IRC Server." +msgstr "" + +#: block_motd.cpp:58 +msgid "MOTD blocked by ZNC" +msgstr "" + +#: block_motd.cpp:104 +msgid "Block the MOTD from IRC so it's not sent to your client(s)." +msgstr "" diff --git a/modules/po/block_motd.de_DE.po b/modules/po/block_motd.de_DE.po index acc6587c..80b37ca9 100644 --- a/modules/po/block_motd.de_DE.po +++ b/modules/po/block_motd.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/block_motd.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/block_motd.es_ES.po b/modules/po/block_motd.es_ES.po index 16bf7940..5cd050ea 100644 --- a/modules/po/block_motd.es_ES.po +++ b/modules/po/block_motd.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/block_motd.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/block_motd.fr_FR.po b/modules/po/block_motd.fr_FR.po index df705b2f..b3800ef2 100644 --- a/modules/po/block_motd.fr_FR.po +++ b/modules/po/block_motd.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/block_motd.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/block_motd.id_ID.po b/modules/po/block_motd.id_ID.po index 0d0988f0..738fe0e9 100644 --- a/modules/po/block_motd.id_ID.po +++ b/modules/po/block_motd.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/block_motd.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/block_motd.nl_NL.po b/modules/po/block_motd.nl_NL.po index 76b43ac4..c5556845 100644 --- a/modules/po/block_motd.nl_NL.po +++ b/modules/po/block_motd.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/block_motd.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/block_motd.pt_BR.po b/modules/po/block_motd.pt_BR.po index c46a6194..dc8074d6 100644 --- a/modules/po/block_motd.pt_BR.po +++ b/modules/po/block_motd.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/block_motd.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/block_motd.ru_RU.po b/modules/po/block_motd.ru_RU.po index a89edbfb..82cf673e 100644 --- a/modules/po/block_motd.ru_RU.po +++ b/modules/po/block_motd.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/block_motd.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/blockuser.bg_BG.po b/modules/po/blockuser.bg_BG.po new file mode 100644 index 00000000..146e1df1 --- /dev/null +++ b/modules/po/blockuser.bg_BG.po @@ -0,0 +1,97 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /master/modules/po/blockuser.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: modules/po/../data/blockuser/tmpl/blockuser_WebadminUser.tmpl:9 +msgid "Account is blocked" +msgstr "" + +#: blockuser.cpp:23 +msgid "Your account has been disabled. Contact your administrator." +msgstr "" + +#: blockuser.cpp:29 +msgid "List blocked users" +msgstr "" + +#: blockuser.cpp:31 blockuser.cpp:33 +msgid "" +msgstr "" + +#: blockuser.cpp:31 +msgid "Block a user" +msgstr "" + +#: blockuser.cpp:33 +msgid "Unblock a user" +msgstr "" + +#: blockuser.cpp:55 +msgid "Could not block {1}" +msgstr "" + +#: blockuser.cpp:76 +msgid "Access denied" +msgstr "" + +#: blockuser.cpp:85 +msgid "No users are blocked" +msgstr "" + +#: blockuser.cpp:88 +msgid "Blocked users:" +msgstr "" + +#: blockuser.cpp:100 +msgid "Usage: Block " +msgstr "" + +#: blockuser.cpp:105 blockuser.cpp:147 +msgid "You can't block yourself" +msgstr "" + +#: blockuser.cpp:110 blockuser.cpp:152 +msgid "Blocked {1}" +msgstr "" + +#: blockuser.cpp:112 +msgid "Could not block {1} (misspelled?)" +msgstr "" + +#: blockuser.cpp:120 +msgid "Usage: Unblock " +msgstr "" + +#: blockuser.cpp:125 blockuser.cpp:161 +msgid "Unblocked {1}" +msgstr "" + +#: blockuser.cpp:127 +msgid "This user is not blocked" +msgstr "" + +#: blockuser.cpp:155 +msgid "Couldn't block {1}" +msgstr "" + +#: blockuser.cpp:164 +msgid "User {1} is not blocked" +msgstr "" + +#: blockuser.cpp:216 +msgid "Enter one or more user names. Separate them by spaces." +msgstr "" + +#: blockuser.cpp:219 +msgid "Block certain users from logging in." +msgstr "" diff --git a/modules/po/blockuser.de_DE.po b/modules/po/blockuser.de_DE.po index 39f221c3..31ce2eca 100644 --- a/modules/po/blockuser.de_DE.po +++ b/modules/po/blockuser.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/blockuser.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/blockuser.es_ES.po b/modules/po/blockuser.es_ES.po index 285f5e21..a54016b9 100644 --- a/modules/po/blockuser.es_ES.po +++ b/modules/po/blockuser.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/blockuser.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/blockuser.fr_FR.po b/modules/po/blockuser.fr_FR.po index f5132d59..68b7ef25 100644 --- a/modules/po/blockuser.fr_FR.po +++ b/modules/po/blockuser.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/blockuser.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/blockuser.id_ID.po b/modules/po/blockuser.id_ID.po index 068b9b23..3ab3e79b 100644 --- a/modules/po/blockuser.id_ID.po +++ b/modules/po/blockuser.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/blockuser.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/blockuser.nl_NL.po b/modules/po/blockuser.nl_NL.po index f0e190a2..f008161f 100644 --- a/modules/po/blockuser.nl_NL.po +++ b/modules/po/blockuser.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/blockuser.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/blockuser.pt_BR.po b/modules/po/blockuser.pt_BR.po index 93104612..df849232 100644 --- a/modules/po/blockuser.pt_BR.po +++ b/modules/po/blockuser.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/blockuser.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/blockuser.ru_RU.po b/modules/po/blockuser.ru_RU.po index 3f59e9d2..05d6d817 100644 --- a/modules/po/blockuser.ru_RU.po +++ b/modules/po/blockuser.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/blockuser.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/bouncedcc.bg_BG.po b/modules/po/bouncedcc.bg_BG.po new file mode 100644 index 00000000..67354a12 --- /dev/null +++ b/modules/po/bouncedcc.bg_BG.po @@ -0,0 +1,131 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /master/modules/po/bouncedcc.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: bouncedcc.cpp:101 bouncedcc.cpp:119 bouncedcc.cpp:121 +msgctxt "list" +msgid "Type" +msgstr "" + +#: bouncedcc.cpp:102 bouncedcc.cpp:132 +msgctxt "list" +msgid "State" +msgstr "" + +#: bouncedcc.cpp:103 +msgctxt "list" +msgid "Speed" +msgstr "" + +#: bouncedcc.cpp:104 bouncedcc.cpp:115 +msgctxt "list" +msgid "Nick" +msgstr "" + +#: bouncedcc.cpp:105 bouncedcc.cpp:116 +msgctxt "list" +msgid "IP" +msgstr "" + +#: bouncedcc.cpp:106 bouncedcc.cpp:122 +msgctxt "list" +msgid "File" +msgstr "" + +#: bouncedcc.cpp:119 +msgctxt "list" +msgid "Chat" +msgstr "" + +#: bouncedcc.cpp:121 +msgctxt "list" +msgid "Xfer" +msgstr "" + +#: bouncedcc.cpp:125 +msgid "Waiting" +msgstr "" + +#: bouncedcc.cpp:127 +msgid "Halfway" +msgstr "" + +#: bouncedcc.cpp:129 +msgid "Connected" +msgstr "" + +#: bouncedcc.cpp:137 +msgid "You have no active DCCs." +msgstr "" + +#: bouncedcc.cpp:148 +msgid "Use client IP: {1}" +msgstr "" + +#: bouncedcc.cpp:153 +msgid "List all active DCCs" +msgstr "" + +#: bouncedcc.cpp:156 +msgid "Change the option to use IP of client" +msgstr "" + +#: bouncedcc.cpp:383 bouncedcc.cpp:412 bouncedcc.cpp:436 bouncedcc.cpp:451 +msgctxt "type" +msgid "Chat" +msgstr "" + +#: bouncedcc.cpp:383 bouncedcc.cpp:412 bouncedcc.cpp:436 bouncedcc.cpp:451 +msgctxt "type" +msgid "Xfer" +msgstr "" + +#: bouncedcc.cpp:385 +msgid "DCC {1} Bounce ({2}): Too long line received" +msgstr "" + +#: bouncedcc.cpp:418 +msgid "DCC {1} Bounce ({2}): Timeout while connecting to {3} {4}" +msgstr "" + +#: bouncedcc.cpp:422 +msgid "DCC {1} Bounce ({2}): Timeout while connecting." +msgstr "" + +#: bouncedcc.cpp:427 +msgid "" +"DCC {1} Bounce ({2}): Timeout while waiting for incoming connection on {3} " +"{4}" +msgstr "" + +#: bouncedcc.cpp:440 +msgid "DCC {1} Bounce ({2}): Connection refused while connecting to {3} {4}" +msgstr "" + +#: bouncedcc.cpp:444 +msgid "DCC {1} Bounce ({2}): Connection refused while connecting." +msgstr "" + +#: bouncedcc.cpp:457 bouncedcc.cpp:465 +msgid "DCC {1} Bounce ({2}): Socket error on {3} {4}: {5}" +msgstr "" + +#: bouncedcc.cpp:460 +msgid "DCC {1} Bounce ({2}): Socket error: {3}" +msgstr "" + +#: bouncedcc.cpp:547 +msgid "" +"Bounces DCC transfers through ZNC instead of sending them directly to the " +"user. " +msgstr "" diff --git a/modules/po/bouncedcc.de_DE.po b/modules/po/bouncedcc.de_DE.po index c9882a7c..4ead4b91 100644 --- a/modules/po/bouncedcc.de_DE.po +++ b/modules/po/bouncedcc.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/bouncedcc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/bouncedcc.es_ES.po b/modules/po/bouncedcc.es_ES.po index 996d9638..3091f941 100644 --- a/modules/po/bouncedcc.es_ES.po +++ b/modules/po/bouncedcc.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/bouncedcc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/bouncedcc.fr_FR.po b/modules/po/bouncedcc.fr_FR.po index 8549d04a..57511db4 100644 --- a/modules/po/bouncedcc.fr_FR.po +++ b/modules/po/bouncedcc.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/bouncedcc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/bouncedcc.id_ID.po b/modules/po/bouncedcc.id_ID.po index 5329c5f4..67265639 100644 --- a/modules/po/bouncedcc.id_ID.po +++ b/modules/po/bouncedcc.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/bouncedcc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/bouncedcc.nl_NL.po b/modules/po/bouncedcc.nl_NL.po index 729782ec..b54b6317 100644 --- a/modules/po/bouncedcc.nl_NL.po +++ b/modules/po/bouncedcc.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/bouncedcc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/bouncedcc.pt_BR.po b/modules/po/bouncedcc.pt_BR.po index 9189e2db..956445bb 100644 --- a/modules/po/bouncedcc.pt_BR.po +++ b/modules/po/bouncedcc.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/bouncedcc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/bouncedcc.ru_RU.po b/modules/po/bouncedcc.ru_RU.po index fc2d5587..0fa99d62 100644 --- a/modules/po/bouncedcc.ru_RU.po +++ b/modules/po/bouncedcc.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/bouncedcc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/buffextras.bg_BG.po b/modules/po/buffextras.bg_BG.po new file mode 100644 index 00000000..5fe83d9f --- /dev/null +++ b/modules/po/buffextras.bg_BG.po @@ -0,0 +1,49 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /master/modules/po/buffextras.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: buffextras.cpp:45 +msgid "Server" +msgstr "" + +#: buffextras.cpp:47 +msgid "{1} set mode: {2} {3}" +msgstr "" + +#: buffextras.cpp:55 +msgid "{1} kicked {2} with reason: {3}" +msgstr "" + +#: buffextras.cpp:64 +msgid "{1} quit: {2}" +msgstr "" + +#: buffextras.cpp:73 +msgid "{1} joined" +msgstr "" + +#: buffextras.cpp:81 +msgid "{1} parted: {2}" +msgstr "" + +#: buffextras.cpp:90 +msgid "{1} is now known as {2}" +msgstr "" + +#: buffextras.cpp:100 +msgid "{1} changed the topic to: {2}" +msgstr "" + +#: buffextras.cpp:115 +msgid "Adds joins, parts etc. to the playback buffer" +msgstr "" diff --git a/modules/po/buffextras.de_DE.po b/modules/po/buffextras.de_DE.po index 07cd0b13..af40c49a 100644 --- a/modules/po/buffextras.de_DE.po +++ b/modules/po/buffextras.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/buffextras.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/buffextras.es_ES.po b/modules/po/buffextras.es_ES.po index abbd87f3..aaa75c2e 100644 --- a/modules/po/buffextras.es_ES.po +++ b/modules/po/buffextras.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/buffextras.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/buffextras.fr_FR.po b/modules/po/buffextras.fr_FR.po index 0b7d3ede..73c5da54 100644 --- a/modules/po/buffextras.fr_FR.po +++ b/modules/po/buffextras.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/buffextras.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/buffextras.id_ID.po b/modules/po/buffextras.id_ID.po index 8b000aaa..83a89718 100644 --- a/modules/po/buffextras.id_ID.po +++ b/modules/po/buffextras.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/buffextras.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/buffextras.nl_NL.po b/modules/po/buffextras.nl_NL.po index 919967c7..6d182090 100644 --- a/modules/po/buffextras.nl_NL.po +++ b/modules/po/buffextras.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/buffextras.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/buffextras.pt_BR.po b/modules/po/buffextras.pt_BR.po index f8f16d91..3111c0e5 100644 --- a/modules/po/buffextras.pt_BR.po +++ b/modules/po/buffextras.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/buffextras.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/buffextras.ru_RU.po b/modules/po/buffextras.ru_RU.po index ec9a1d13..0a2b5778 100644 --- a/modules/po/buffextras.ru_RU.po +++ b/modules/po/buffextras.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/buffextras.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/cert.bg_BG.po b/modules/po/cert.bg_BG.po new file mode 100644 index 00000000..16812142 --- /dev/null +++ b/modules/po/cert.bg_BG.po @@ -0,0 +1,75 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /master/modules/po/cert.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +# this text is inserted into `click here` in the other string +#: modules/po/../data/cert/tmpl/index.tmpl:5 +msgid "here" +msgstr "" + +# {1} is `here`, translateable in the other string +#: modules/po/../data/cert/tmpl/index.tmpl:6 +msgid "" +"You already have a certificate set, use the form below to overwrite the " +"current certificate. Alternatively click {1} to delete your certificate." +msgstr "" + +#: modules/po/../data/cert/tmpl/index.tmpl:8 +msgid "You do not have a certificate yet." +msgstr "" + +#: modules/po/../data/cert/tmpl/index.tmpl:14 cert.cpp:72 +msgid "Certificate" +msgstr "" + +#: modules/po/../data/cert/tmpl/index.tmpl:18 +msgid "PEM File:" +msgstr "" + +#: modules/po/../data/cert/tmpl/index.tmpl:22 +msgid "Update" +msgstr "" + +#: cert.cpp:28 +msgid "Pem file deleted" +msgstr "" + +#: cert.cpp:31 +msgid "The pem file doesn't exist or there was a error deleting the pem file." +msgstr "" + +#: cert.cpp:38 +msgid "You have a certificate in {1}" +msgstr "" + +#: cert.cpp:41 +msgid "" +"You do not have a certificate. Please use the web interface to add a " +"certificate" +msgstr "" + +#: cert.cpp:44 +msgid "Alternatively you can either place one at {1}" +msgstr "" + +#: cert.cpp:52 +msgid "Delete the current certificate" +msgstr "" + +#: cert.cpp:54 +msgid "Show the current certificate" +msgstr "" + +#: cert.cpp:105 +msgid "Use a ssl certificate to connect to a server" +msgstr "" diff --git a/modules/po/cert.de_DE.po b/modules/po/cert.de_DE.po index 71717cb2..9b3b6c30 100644 --- a/modules/po/cert.de_DE.po +++ b/modules/po/cert.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/cert.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/cert.es_ES.po b/modules/po/cert.es_ES.po index ce1bec93..e0a131f4 100644 --- a/modules/po/cert.es_ES.po +++ b/modules/po/cert.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/cert.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/cert.fr_FR.po b/modules/po/cert.fr_FR.po index b52e1741..35565813 100644 --- a/modules/po/cert.fr_FR.po +++ b/modules/po/cert.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/cert.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/cert.id_ID.po b/modules/po/cert.id_ID.po index 5b053a97..98bf7a8e 100644 --- a/modules/po/cert.id_ID.po +++ b/modules/po/cert.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/cert.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/cert.nl_NL.po b/modules/po/cert.nl_NL.po index 471cd7c7..72e19ac0 100644 --- a/modules/po/cert.nl_NL.po +++ b/modules/po/cert.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/cert.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/cert.pt_BR.po b/modules/po/cert.pt_BR.po index fa80be8c..453da4f1 100644 --- a/modules/po/cert.pt_BR.po +++ b/modules/po/cert.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/cert.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/cert.ru_RU.po b/modules/po/cert.ru_RU.po index 64598cab..e5f4cb3b 100644 --- a/modules/po/cert.ru_RU.po +++ b/modules/po/cert.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/cert.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/certauth.bg_BG.po b/modules/po/certauth.bg_BG.po new file mode 100644 index 00000000..03d70689 --- /dev/null +++ b/modules/po/certauth.bg_BG.po @@ -0,0 +1,108 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /master/modules/po/certauth.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: modules/po/../data/certauth/tmpl/index.tmpl:7 +msgid "Add a key" +msgstr "" + +#: modules/po/../data/certauth/tmpl/index.tmpl:11 +msgid "Key:" +msgstr "" + +#: modules/po/../data/certauth/tmpl/index.tmpl:15 +msgid "Add Key" +msgstr "" + +#: modules/po/../data/certauth/tmpl/index.tmpl:23 +msgid "You have no keys." +msgstr "" + +#: modules/po/../data/certauth/tmpl/index.tmpl:30 +msgctxt "web" +msgid "Key" +msgstr "" + +#: modules/po/../data/certauth/tmpl/index.tmpl:36 +msgid "del" +msgstr "" + +#: certauth.cpp:31 +msgid "[pubkey]" +msgstr "" + +#: certauth.cpp:32 +msgid "Add a public key. If key is not provided will use the current key" +msgstr "" + +#: certauth.cpp:35 +msgid "id" +msgstr "" + +#: certauth.cpp:35 +msgid "Delete a key by its number in List" +msgstr "" + +#: certauth.cpp:37 +msgid "List your public keys" +msgstr "" + +#: certauth.cpp:39 +msgid "Print your current key" +msgstr "" + +#: certauth.cpp:142 +msgid "You are not connected with any valid public key" +msgstr "" + +#: certauth.cpp:144 +msgid "Your current public key is: {1}" +msgstr "" + +#: certauth.cpp:157 +msgid "You did not supply a public key or connect with one." +msgstr "" + +#: certauth.cpp:160 +msgid "Key '{1}' added." +msgstr "" + +#: certauth.cpp:162 +msgid "The key '{1}' is already added." +msgstr "" + +#: certauth.cpp:170 certauth.cpp:183 +msgctxt "list" +msgid "Id" +msgstr "" + +#: certauth.cpp:171 certauth.cpp:184 +msgctxt "list" +msgid "Key" +msgstr "" + +#: certauth.cpp:176 certauth.cpp:190 certauth.cpp:199 +msgid "No keys set for your user" +msgstr "" + +#: certauth.cpp:204 +msgid "Invalid #, check \"list\"" +msgstr "" + +#: certauth.cpp:216 +msgid "Removed" +msgstr "" + +#: certauth.cpp:291 +msgid "Allows users to authenticate via SSL client certificates." +msgstr "" diff --git a/modules/po/certauth.de_DE.po b/modules/po/certauth.de_DE.po index 4f40ec93..21538f31 100644 --- a/modules/po/certauth.de_DE.po +++ b/modules/po/certauth.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/certauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" @@ -84,29 +84,29 @@ msgstr "Schlüssel '{1}' hinzugefügt." msgid "The key '{1}' is already added." msgstr "Der Schlüssel '{1}' wurde bereits hinzugefügt." -#: certauth.cpp:170 certauth.cpp:182 +#: certauth.cpp:170 certauth.cpp:183 msgctxt "list" msgid "Id" msgstr "Id" -#: certauth.cpp:171 certauth.cpp:183 +#: certauth.cpp:171 certauth.cpp:184 msgctxt "list" msgid "Key" msgstr "Schlüssel" -#: certauth.cpp:175 certauth.cpp:189 certauth.cpp:198 +#: certauth.cpp:176 certauth.cpp:190 certauth.cpp:199 msgid "No keys set for your user" msgstr "Keine Schlüssel für deinen Benutzer gesetzt" -#: certauth.cpp:203 +#: certauth.cpp:204 msgid "Invalid #, check \"list\"" msgstr "Ungültige #, prüfe \"list\"" -#: certauth.cpp:215 +#: certauth.cpp:216 msgid "Removed" msgstr "Entfernt" -#: certauth.cpp:290 +#: certauth.cpp:291 msgid "Allows users to authenticate via SSL client certificates." msgstr "" "Ermöglicht es Benutzern sich über SSL-Client-Zertifikate zu authentifizieren." diff --git a/modules/po/certauth.es_ES.po b/modules/po/certauth.es_ES.po index df82efae..6fe0efff 100644 --- a/modules/po/certauth.es_ES.po +++ b/modules/po/certauth.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/certauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" @@ -82,28 +82,28 @@ msgstr "Clave '{1}' añadida." msgid "The key '{1}' is already added." msgstr "La clave '{1}' ya está añadida." -#: certauth.cpp:170 certauth.cpp:182 +#: certauth.cpp:170 certauth.cpp:183 msgctxt "list" msgid "Id" msgstr "Id" -#: certauth.cpp:171 certauth.cpp:183 +#: certauth.cpp:171 certauth.cpp:184 msgctxt "list" msgid "Key" msgstr "Clave" -#: certauth.cpp:175 certauth.cpp:189 certauth.cpp:198 +#: certauth.cpp:176 certauth.cpp:190 certauth.cpp:199 msgid "No keys set for your user" msgstr "No hay claves configuradas para tu usuario" -#: certauth.cpp:203 +#: certauth.cpp:204 msgid "Invalid #, check \"list\"" msgstr "Código # inválido, comprueba la lista con \"list\"" -#: certauth.cpp:215 +#: certauth.cpp:216 msgid "Removed" msgstr "Eliminado" -#: certauth.cpp:290 +#: certauth.cpp:291 msgid "Allows users to authenticate via SSL client certificates." msgstr "Permite a los usuarios autenticarse vía certificados SSL." diff --git a/modules/po/certauth.fr_FR.po b/modules/po/certauth.fr_FR.po index b2522aa9..82bc484d 100644 --- a/modules/po/certauth.fr_FR.po +++ b/modules/po/certauth.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/certauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" @@ -81,28 +81,28 @@ msgstr "" msgid "The key '{1}' is already added." msgstr "" -#: certauth.cpp:170 certauth.cpp:182 +#: certauth.cpp:170 certauth.cpp:183 msgctxt "list" msgid "Id" msgstr "" -#: certauth.cpp:171 certauth.cpp:183 +#: certauth.cpp:171 certauth.cpp:184 msgctxt "list" msgid "Key" msgstr "" -#: certauth.cpp:175 certauth.cpp:189 certauth.cpp:198 +#: certauth.cpp:176 certauth.cpp:190 certauth.cpp:199 msgid "No keys set for your user" msgstr "" -#: certauth.cpp:203 +#: certauth.cpp:204 msgid "Invalid #, check \"list\"" msgstr "" -#: certauth.cpp:215 +#: certauth.cpp:216 msgid "Removed" msgstr "" -#: certauth.cpp:290 +#: certauth.cpp:291 msgid "Allows users to authenticate via SSL client certificates." msgstr "" diff --git a/modules/po/certauth.id_ID.po b/modules/po/certauth.id_ID.po index 13bb303e..29f34733 100644 --- a/modules/po/certauth.id_ID.po +++ b/modules/po/certauth.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/certauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" @@ -81,28 +81,28 @@ msgstr "" msgid "The key '{1}' is already added." msgstr "" -#: certauth.cpp:170 certauth.cpp:182 +#: certauth.cpp:170 certauth.cpp:183 msgctxt "list" msgid "Id" msgstr "" -#: certauth.cpp:171 certauth.cpp:183 +#: certauth.cpp:171 certauth.cpp:184 msgctxt "list" msgid "Key" msgstr "" -#: certauth.cpp:175 certauth.cpp:189 certauth.cpp:198 +#: certauth.cpp:176 certauth.cpp:190 certauth.cpp:199 msgid "No keys set for your user" msgstr "" -#: certauth.cpp:203 +#: certauth.cpp:204 msgid "Invalid #, check \"list\"" msgstr "" -#: certauth.cpp:215 +#: certauth.cpp:216 msgid "Removed" msgstr "" -#: certauth.cpp:290 +#: certauth.cpp:291 msgid "Allows users to authenticate via SSL client certificates." msgstr "" diff --git a/modules/po/certauth.nl_NL.po b/modules/po/certauth.nl_NL.po index adbd8618..7b18e8c4 100644 --- a/modules/po/certauth.nl_NL.po +++ b/modules/po/certauth.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/certauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" @@ -83,29 +83,29 @@ msgstr "Sleutel '{1}' toegevoegd." msgid "The key '{1}' is already added." msgstr "De sleutel '{1}' is al toegevoegd." -#: certauth.cpp:170 certauth.cpp:182 +#: certauth.cpp:170 certauth.cpp:183 msgctxt "list" msgid "Id" msgstr "Id" -#: certauth.cpp:171 certauth.cpp:183 +#: certauth.cpp:171 certauth.cpp:184 msgctxt "list" msgid "Key" msgstr "Sleutel" -#: certauth.cpp:175 certauth.cpp:189 certauth.cpp:198 +#: certauth.cpp:176 certauth.cpp:190 certauth.cpp:199 msgid "No keys set for your user" msgstr "Geen sleutels ingesteld voor gebruiker" -#: certauth.cpp:203 +#: certauth.cpp:204 msgid "Invalid #, check \"list\"" msgstr "Ongeldig #, controleer \"list\"" -#: certauth.cpp:215 +#: certauth.cpp:216 msgid "Removed" msgstr "Verwijderd" -#: certauth.cpp:290 +#: certauth.cpp:291 msgid "Allows users to authenticate via SSL client certificates." msgstr "" "Staat gebruikers toe zich te identificeren via SSL client certificaten." diff --git a/modules/po/certauth.pot b/modules/po/certauth.pot index eb356941..9ef6cf54 100644 --- a/modules/po/certauth.pot +++ b/modules/po/certauth.pot @@ -72,28 +72,28 @@ msgstr "" msgid "The key '{1}' is already added." msgstr "" -#: certauth.cpp:170 certauth.cpp:182 +#: certauth.cpp:170 certauth.cpp:183 msgctxt "list" msgid "Id" msgstr "" -#: certauth.cpp:171 certauth.cpp:183 +#: certauth.cpp:171 certauth.cpp:184 msgctxt "list" msgid "Key" msgstr "" -#: certauth.cpp:175 certauth.cpp:189 certauth.cpp:198 +#: certauth.cpp:176 certauth.cpp:190 certauth.cpp:199 msgid "No keys set for your user" msgstr "" -#: certauth.cpp:203 +#: certauth.cpp:204 msgid "Invalid #, check \"list\"" msgstr "" -#: certauth.cpp:215 +#: certauth.cpp:216 msgid "Removed" msgstr "" -#: certauth.cpp:290 +#: certauth.cpp:291 msgid "Allows users to authenticate via SSL client certificates." msgstr "" diff --git a/modules/po/certauth.pt_BR.po b/modules/po/certauth.pt_BR.po index dfb68ece..e0674a17 100644 --- a/modules/po/certauth.pt_BR.po +++ b/modules/po/certauth.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/certauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" @@ -81,28 +81,28 @@ msgstr "" msgid "The key '{1}' is already added." msgstr "" -#: certauth.cpp:170 certauth.cpp:182 +#: certauth.cpp:170 certauth.cpp:183 msgctxt "list" msgid "Id" msgstr "" -#: certauth.cpp:171 certauth.cpp:183 +#: certauth.cpp:171 certauth.cpp:184 msgctxt "list" msgid "Key" msgstr "" -#: certauth.cpp:175 certauth.cpp:189 certauth.cpp:198 +#: certauth.cpp:176 certauth.cpp:190 certauth.cpp:199 msgid "No keys set for your user" msgstr "" -#: certauth.cpp:203 +#: certauth.cpp:204 msgid "Invalid #, check \"list\"" msgstr "" -#: certauth.cpp:215 +#: certauth.cpp:216 msgid "Removed" msgstr "" -#: certauth.cpp:290 +#: certauth.cpp:291 msgid "Allows users to authenticate via SSL client certificates." msgstr "" diff --git a/modules/po/certauth.ru_RU.po b/modules/po/certauth.ru_RU.po index 2a25ca93..94550706 100644 --- a/modules/po/certauth.ru_RU.po +++ b/modules/po/certauth.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/certauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" @@ -83,28 +83,28 @@ msgstr "" msgid "The key '{1}' is already added." msgstr "" -#: certauth.cpp:170 certauth.cpp:182 +#: certauth.cpp:170 certauth.cpp:183 msgctxt "list" msgid "Id" msgstr "" -#: certauth.cpp:171 certauth.cpp:183 +#: certauth.cpp:171 certauth.cpp:184 msgctxt "list" msgid "Key" msgstr "" -#: certauth.cpp:175 certauth.cpp:189 certauth.cpp:198 +#: certauth.cpp:176 certauth.cpp:190 certauth.cpp:199 msgid "No keys set for your user" msgstr "" -#: certauth.cpp:203 +#: certauth.cpp:204 msgid "Invalid #, check \"list\"" msgstr "" -#: certauth.cpp:215 +#: certauth.cpp:216 msgid "Removed" msgstr "" -#: certauth.cpp:290 +#: certauth.cpp:291 msgid "Allows users to authenticate via SSL client certificates." msgstr "" diff --git a/modules/po/chansaver.bg_BG.po b/modules/po/chansaver.bg_BG.po new file mode 100644 index 00000000..04a651c4 --- /dev/null +++ b/modules/po/chansaver.bg_BG.po @@ -0,0 +1,17 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /master/modules/po/chansaver.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: chansaver.cpp:91 +msgid "Keeps config up-to-date when user joins/parts." +msgstr "" diff --git a/modules/po/chansaver.de_DE.po b/modules/po/chansaver.de_DE.po index 8bf8abe3..e3f38978 100644 --- a/modules/po/chansaver.de_DE.po +++ b/modules/po/chansaver.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/chansaver.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/chansaver.es_ES.po b/modules/po/chansaver.es_ES.po index aceaf69c..c6dfefc9 100644 --- a/modules/po/chansaver.es_ES.po +++ b/modules/po/chansaver.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/chansaver.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/chansaver.fr_FR.po b/modules/po/chansaver.fr_FR.po index 5f125417..f2df7450 100644 --- a/modules/po/chansaver.fr_FR.po +++ b/modules/po/chansaver.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/chansaver.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/chansaver.id_ID.po b/modules/po/chansaver.id_ID.po index efe02cf5..db1b41b2 100644 --- a/modules/po/chansaver.id_ID.po +++ b/modules/po/chansaver.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/chansaver.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/chansaver.nl_NL.po b/modules/po/chansaver.nl_NL.po index 54fb629f..59ab80ab 100644 --- a/modules/po/chansaver.nl_NL.po +++ b/modules/po/chansaver.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/chansaver.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/chansaver.pt_BR.po b/modules/po/chansaver.pt_BR.po index bf63f2c8..542c6fee 100644 --- a/modules/po/chansaver.pt_BR.po +++ b/modules/po/chansaver.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/chansaver.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/chansaver.ru_RU.po b/modules/po/chansaver.ru_RU.po index 6b7bc885..bb2cbea7 100644 --- a/modules/po/chansaver.ru_RU.po +++ b/modules/po/chansaver.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/chansaver.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/clearbufferonmsg.bg_BG.po b/modules/po/clearbufferonmsg.bg_BG.po new file mode 100644 index 00000000..b1ccfe79 --- /dev/null +++ b/modules/po/clearbufferonmsg.bg_BG.po @@ -0,0 +1,17 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /master/modules/po/clearbufferonmsg.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: clearbufferonmsg.cpp:160 +msgid "Clears all channel and query buffers whenever the user does something" +msgstr "" diff --git a/modules/po/clearbufferonmsg.de_DE.po b/modules/po/clearbufferonmsg.de_DE.po index 92374c86..183a677f 100644 --- a/modules/po/clearbufferonmsg.de_DE.po +++ b/modules/po/clearbufferonmsg.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/clearbufferonmsg.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/clearbufferonmsg.es_ES.po b/modules/po/clearbufferonmsg.es_ES.po index e5a029de..0ef26e5e 100644 --- a/modules/po/clearbufferonmsg.es_ES.po +++ b/modules/po/clearbufferonmsg.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/clearbufferonmsg.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/clearbufferonmsg.fr_FR.po b/modules/po/clearbufferonmsg.fr_FR.po index 06750897..07c99d09 100644 --- a/modules/po/clearbufferonmsg.fr_FR.po +++ b/modules/po/clearbufferonmsg.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/clearbufferonmsg.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/clearbufferonmsg.id_ID.po b/modules/po/clearbufferonmsg.id_ID.po index 27c98775..00bdd7ae 100644 --- a/modules/po/clearbufferonmsg.id_ID.po +++ b/modules/po/clearbufferonmsg.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/clearbufferonmsg.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/clearbufferonmsg.nl_NL.po b/modules/po/clearbufferonmsg.nl_NL.po index 7662cf56..d31dedd6 100644 --- a/modules/po/clearbufferonmsg.nl_NL.po +++ b/modules/po/clearbufferonmsg.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/clearbufferonmsg.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/clearbufferonmsg.pt_BR.po b/modules/po/clearbufferonmsg.pt_BR.po index be199067..77f4d7d7 100644 --- a/modules/po/clearbufferonmsg.pt_BR.po +++ b/modules/po/clearbufferonmsg.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/clearbufferonmsg.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/clearbufferonmsg.ru_RU.po b/modules/po/clearbufferonmsg.ru_RU.po index bb6d88ea..d7a58d21 100644 --- a/modules/po/clearbufferonmsg.ru_RU.po +++ b/modules/po/clearbufferonmsg.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/clearbufferonmsg.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/clientnotify.bg_BG.po b/modules/po/clientnotify.bg_BG.po new file mode 100644 index 00000000..1d0920bf --- /dev/null +++ b/modules/po/clientnotify.bg_BG.po @@ -0,0 +1,73 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /master/modules/po/clientnotify.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: clientnotify.cpp:47 +msgid "" +msgstr "" + +#: clientnotify.cpp:48 +msgid "Sets the notify method" +msgstr "" + +#: clientnotify.cpp:50 clientnotify.cpp:54 +msgid "" +msgstr "" + +#: clientnotify.cpp:51 +msgid "Turns notifications for unseen IP addresses on or off" +msgstr "" + +#: clientnotify.cpp:55 +msgid "Turns notifications for clients disconnecting on or off" +msgstr "" + +#: clientnotify.cpp:57 +msgid "Shows the current settings" +msgstr "" + +#: clientnotify.cpp:81 clientnotify.cpp:95 +msgid "" +msgid_plural "" +"Another client authenticated as your user. Use the 'ListClients' command to " +"see all {1} clients." +msgstr[0] "" +msgstr[1] "" + +#: clientnotify.cpp:108 +msgid "Usage: Method " +msgstr "" + +#: clientnotify.cpp:114 clientnotify.cpp:127 clientnotify.cpp:140 +msgid "Saved." +msgstr "" + +#: clientnotify.cpp:121 +msgid "Usage: NewOnly " +msgstr "" + +#: clientnotify.cpp:134 +msgid "Usage: OnDisconnect " +msgstr "" + +#: clientnotify.cpp:145 +msgid "" +"Current settings: Method: {1}, for unseen IP addresses only: {2}, notify on " +"disconnecting clients: {3}" +msgstr "" + +#: clientnotify.cpp:157 +msgid "" +"Notifies you when another IRC client logs into or out of your account. " +"Configurable." +msgstr "" diff --git a/modules/po/clientnotify.de_DE.po b/modules/po/clientnotify.de_DE.po index eb94484a..2bb3973f 100644 --- a/modules/po/clientnotify.de_DE.po +++ b/modules/po/clientnotify.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/clientnotify.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/clientnotify.es_ES.po b/modules/po/clientnotify.es_ES.po index abef7b86..512263ea 100644 --- a/modules/po/clientnotify.es_ES.po +++ b/modules/po/clientnotify.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/clientnotify.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/clientnotify.fr_FR.po b/modules/po/clientnotify.fr_FR.po index 4777e7f2..04ce9fdd 100644 --- a/modules/po/clientnotify.fr_FR.po +++ b/modules/po/clientnotify.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/clientnotify.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/clientnotify.id_ID.po b/modules/po/clientnotify.id_ID.po index 93558f94..148b6020 100644 --- a/modules/po/clientnotify.id_ID.po +++ b/modules/po/clientnotify.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/clientnotify.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/clientnotify.nl_NL.po b/modules/po/clientnotify.nl_NL.po index 6a647bf7..e913bdd1 100644 --- a/modules/po/clientnotify.nl_NL.po +++ b/modules/po/clientnotify.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/clientnotify.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/clientnotify.pt_BR.po b/modules/po/clientnotify.pt_BR.po index 17f32b9a..3438c734 100644 --- a/modules/po/clientnotify.pt_BR.po +++ b/modules/po/clientnotify.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/clientnotify.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/clientnotify.ru_RU.po b/modules/po/clientnotify.ru_RU.po index a9788537..1883d691 100644 --- a/modules/po/clientnotify.ru_RU.po +++ b/modules/po/clientnotify.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/clientnotify.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/controlpanel.bg_BG.po b/modules/po/controlpanel.bg_BG.po new file mode 100644 index 00000000..5906b517 --- /dev/null +++ b/modules/po/controlpanel.bg_BG.po @@ -0,0 +1,718 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /master/modules/po/controlpanel.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: controlpanel.cpp:51 controlpanel.cpp:64 +msgctxt "helptable" +msgid "Type" +msgstr "" + +#: controlpanel.cpp:52 controlpanel.cpp:66 +msgctxt "helptable" +msgid "Variables" +msgstr "" + +#: controlpanel.cpp:78 +msgid "String" +msgstr "" + +#: controlpanel.cpp:79 +msgid "Boolean (true/false)" +msgstr "" + +#: controlpanel.cpp:80 +msgid "Integer" +msgstr "" + +#: controlpanel.cpp:81 +msgid "Number" +msgstr "" + +#: controlpanel.cpp:125 +msgid "The following variables are available when using the Set/Get commands:" +msgstr "" + +#: controlpanel.cpp:149 +msgid "" +"The following variables are available when using the SetNetwork/GetNetwork " +"commands:" +msgstr "" + +#: controlpanel.cpp:163 +msgid "" +"The following variables are available when using the SetChan/GetChan " +"commands:" +msgstr "" + +#: controlpanel.cpp:170 +msgid "" +"You can use $user as the user name and $network as the network name for " +"modifying your own user and network." +msgstr "" + +#: controlpanel.cpp:179 controlpanel.cpp:966 controlpanel.cpp:1003 +msgid "Error: User [{1}] does not exist!" +msgstr "" + +#: controlpanel.cpp:184 +msgid "Error: You need to have admin rights to modify other users!" +msgstr "" + +#: controlpanel.cpp:194 +msgid "Error: You cannot use $network to modify other users!" +msgstr "" + +#: controlpanel.cpp:202 +msgid "Error: User {1} does not have a network named [{2}]." +msgstr "" + +#: controlpanel.cpp:214 +msgid "Usage: Get [username]" +msgstr "" + +#: controlpanel.cpp:304 controlpanel.cpp:507 controlpanel.cpp:582 +#: controlpanel.cpp:658 controlpanel.cpp:793 controlpanel.cpp:878 +msgid "Error: Unknown variable" +msgstr "" + +#: controlpanel.cpp:313 +msgid "Usage: Set " +msgstr "" + +#: controlpanel.cpp:335 controlpanel.cpp:623 +msgid "This bind host is already set!" +msgstr "" + +#: controlpanel.cpp:342 controlpanel.cpp:354 controlpanel.cpp:362 +#: controlpanel.cpp:425 controlpanel.cpp:444 controlpanel.cpp:460 +#: controlpanel.cpp:470 controlpanel.cpp:630 +msgid "Access denied!" +msgstr "" + +#: controlpanel.cpp:376 controlpanel.cpp:385 controlpanel.cpp:842 +msgid "Setting failed, limit for buffer size is {1}" +msgstr "" + +#: controlpanel.cpp:405 +msgid "Password has been changed!" +msgstr "" + +#: controlpanel.cpp:413 +msgid "Timeout can't be less than 30 seconds!" +msgstr "" + +#: controlpanel.cpp:477 +msgid "That would be a bad idea!" +msgstr "" + +#: controlpanel.cpp:495 +msgid "Supported languages: {1}" +msgstr "" + +#: controlpanel.cpp:519 +msgid "Usage: GetNetwork [username] [network]" +msgstr "" + +#: controlpanel.cpp:538 +msgid "Error: A network must be specified to get another users settings." +msgstr "" + +#: controlpanel.cpp:544 +msgid "You are not currently attached to a network." +msgstr "" + +#: controlpanel.cpp:550 +msgid "Error: Invalid network." +msgstr "" + +#: controlpanel.cpp:594 +msgid "Usage: SetNetwork " +msgstr "" + +#: controlpanel.cpp:668 +msgid "Usage: AddChan " +msgstr "" + +#: controlpanel.cpp:681 +msgid "Error: User {1} already has a channel named {2}." +msgstr "" + +#: controlpanel.cpp:688 +msgid "Channel {1} for user {2} added to network {3}." +msgstr "" + +#: controlpanel.cpp:692 +msgid "" +"Could not add channel {1} for user {2} to network {3}, does it already exist?" +msgstr "" + +#: controlpanel.cpp:702 +msgid "Usage: DelChan " +msgstr "" + +#: controlpanel.cpp:717 +msgid "Error: User {1} does not have any channel matching [{2}] in network {3}" +msgstr "" + +#: controlpanel.cpp:730 +msgid "Channel {1} is deleted from network {2} of user {3}" +msgid_plural "Channels {1} are deleted from network {2} of user {3}" +msgstr[0] "" +msgstr[1] "" + +#: controlpanel.cpp:745 +msgid "Usage: GetChan " +msgstr "" + +#: controlpanel.cpp:759 controlpanel.cpp:823 +msgid "Error: No channels matching [{1}] found." +msgstr "" + +#: controlpanel.cpp:808 +msgid "Usage: SetChan " +msgstr "" + +#: controlpanel.cpp:889 controlpanel.cpp:899 +msgctxt "listusers" +msgid "Username" +msgstr "" + +#: controlpanel.cpp:890 controlpanel.cpp:900 +msgctxt "listusers" +msgid "Realname" +msgstr "" + +#: controlpanel.cpp:891 controlpanel.cpp:903 controlpanel.cpp:905 +msgctxt "listusers" +msgid "IsAdmin" +msgstr "" + +#: controlpanel.cpp:892 controlpanel.cpp:906 +msgctxt "listusers" +msgid "Nick" +msgstr "" + +#: controlpanel.cpp:893 controlpanel.cpp:907 +msgctxt "listusers" +msgid "AltNick" +msgstr "" + +#: controlpanel.cpp:894 controlpanel.cpp:908 +msgctxt "listusers" +msgid "Ident" +msgstr "" + +#: controlpanel.cpp:895 controlpanel.cpp:909 +msgctxt "listusers" +msgid "BindHost" +msgstr "" + +#: controlpanel.cpp:903 controlpanel.cpp:1143 +msgid "No" +msgstr "" + +#: controlpanel.cpp:905 controlpanel.cpp:1135 +msgid "Yes" +msgstr "" + +#: controlpanel.cpp:919 controlpanel.cpp:988 +msgid "Error: You need to have admin rights to add new users!" +msgstr "" + +#: controlpanel.cpp:925 +msgid "Usage: AddUser " +msgstr "" + +#: controlpanel.cpp:930 +msgid "Error: User {1} already exists!" +msgstr "" + +#: controlpanel.cpp:942 controlpanel.cpp:1017 +msgid "Error: User not added: {1}" +msgstr "" + +#: controlpanel.cpp:946 controlpanel.cpp:1021 +msgid "User {1} added!" +msgstr "" + +#: controlpanel.cpp:953 +msgid "Error: You need to have admin rights to delete users!" +msgstr "" + +#: controlpanel.cpp:959 +msgid "Usage: DelUser " +msgstr "" + +#: controlpanel.cpp:971 +msgid "Error: You can't delete yourself!" +msgstr "" + +#: controlpanel.cpp:977 +msgid "Error: Internal error!" +msgstr "" + +#: controlpanel.cpp:981 +msgid "User {1} deleted!" +msgstr "" + +#: controlpanel.cpp:996 +msgid "Usage: CloneUser " +msgstr "" + +#: controlpanel.cpp:1011 +msgid "Error: Cloning failed: {1}" +msgstr "" + +#: controlpanel.cpp:1040 +msgid "Usage: AddNetwork [user] network" +msgstr "" + +#: controlpanel.cpp:1046 +msgid "" +"Network number limit reached. Ask an admin to increase the limit for you, or " +"delete unneeded networks using /znc DelNetwork " +msgstr "" + +#: controlpanel.cpp:1054 +msgid "Error: User {1} already has a network with the name {2}" +msgstr "" + +#: controlpanel.cpp:1061 +msgid "Network {1} added to user {2}." +msgstr "" + +#: controlpanel.cpp:1065 +msgid "Error: Network [{1}] could not be added for user {2}: {3}" +msgstr "" + +#: controlpanel.cpp:1085 +msgid "Usage: DelNetwork [user] network" +msgstr "" + +#: controlpanel.cpp:1096 +msgid "The currently active network can be deleted via {1}status" +msgstr "" + +#: controlpanel.cpp:1102 +msgid "Network {1} deleted for user {2}." +msgstr "" + +#: controlpanel.cpp:1106 +msgid "Error: Network {1} could not be deleted for user {2}." +msgstr "" + +#: controlpanel.cpp:1125 controlpanel.cpp:1133 +msgctxt "listnetworks" +msgid "Network" +msgstr "" + +#: controlpanel.cpp:1126 controlpanel.cpp:1135 controlpanel.cpp:1143 +msgctxt "listnetworks" +msgid "OnIRC" +msgstr "" + +#: controlpanel.cpp:1127 controlpanel.cpp:1136 +msgctxt "listnetworks" +msgid "IRC Server" +msgstr "" + +#: controlpanel.cpp:1128 controlpanel.cpp:1138 +msgctxt "listnetworks" +msgid "IRC User" +msgstr "" + +#: controlpanel.cpp:1129 controlpanel.cpp:1140 +msgctxt "listnetworks" +msgid "Channels" +msgstr "" + +#: controlpanel.cpp:1148 +msgid "No networks" +msgstr "" + +#: controlpanel.cpp:1159 +msgid "Usage: AddServer [[+]port] [password]" +msgstr "" + +#: controlpanel.cpp:1173 +msgid "Added IRC Server {1} to network {2} for user {3}." +msgstr "" + +#: controlpanel.cpp:1177 +msgid "Error: Could not add IRC server {1} to network {2} for user {3}." +msgstr "" + +#: controlpanel.cpp:1190 +msgid "Usage: DelServer [[+]port] [password]" +msgstr "" + +#: controlpanel.cpp:1205 +msgid "Deleted IRC Server {1} from network {2} for user {3}." +msgstr "" + +#: controlpanel.cpp:1209 +msgid "Error: Could not delete IRC server {1} from network {2} for user {3}." +msgstr "" + +#: controlpanel.cpp:1219 +msgid "Usage: Reconnect " +msgstr "" + +#: controlpanel.cpp:1246 +msgid "Queued network {1} of user {2} for a reconnect." +msgstr "" + +#: controlpanel.cpp:1255 +msgid "Usage: Disconnect " +msgstr "" + +#: controlpanel.cpp:1270 +msgid "Closed IRC connection for network {1} of user {2}." +msgstr "" + +#: controlpanel.cpp:1285 controlpanel.cpp:1290 +msgctxt "listctcp" +msgid "Request" +msgstr "" + +#: controlpanel.cpp:1286 controlpanel.cpp:1291 +msgctxt "listctcp" +msgid "Reply" +msgstr "" + +#: controlpanel.cpp:1295 +msgid "No CTCP replies for user {1} are configured" +msgstr "" + +#: controlpanel.cpp:1298 +msgid "CTCP replies for user {1}:" +msgstr "" + +#: controlpanel.cpp:1314 +msgid "Usage: AddCTCP [user] [request] [reply]" +msgstr "" + +#: controlpanel.cpp:1316 +msgid "" +"This will cause ZNC to reply to the CTCP instead of forwarding it to clients." +msgstr "" + +#: controlpanel.cpp:1319 +msgid "An empty reply will cause the CTCP request to be blocked." +msgstr "" + +#: controlpanel.cpp:1328 +msgid "CTCP requests {1} to user {2} will now be blocked." +msgstr "" + +#: controlpanel.cpp:1332 +msgid "CTCP requests {1} to user {2} will now get reply: {3}" +msgstr "" + +#: controlpanel.cpp:1349 +msgid "Usage: DelCTCP [user] [request]" +msgstr "" + +#: controlpanel.cpp:1355 +msgid "CTCP requests {1} to user {2} will now be sent to IRC clients" +msgstr "" + +#: controlpanel.cpp:1359 +msgid "" +"CTCP requests {1} to user {2} will be sent to IRC clients (nothing has " +"changed)" +msgstr "" + +#: controlpanel.cpp:1369 controlpanel.cpp:1443 +msgid "Loading modules has been disabled." +msgstr "" + +#: controlpanel.cpp:1378 +msgid "Error: Unable to load module {1}: {2}" +msgstr "" + +#: controlpanel.cpp:1381 +msgid "Loaded module {1}" +msgstr "" + +#: controlpanel.cpp:1386 +msgid "Error: Unable to reload module {1}: {2}" +msgstr "" + +#: controlpanel.cpp:1389 +msgid "Reloaded module {1}" +msgstr "" + +#: controlpanel.cpp:1393 +msgid "Error: Unable to load module {1} because it is already loaded" +msgstr "" + +#: controlpanel.cpp:1404 +msgid "Usage: LoadModule [args]" +msgstr "" + +#: controlpanel.cpp:1423 +msgid "Usage: LoadNetModule [args]" +msgstr "" + +#: controlpanel.cpp:1448 +msgid "Please use /znc unloadmod {1}" +msgstr "" + +#: controlpanel.cpp:1454 +msgid "Error: Unable to unload module {1}: {2}" +msgstr "" + +#: controlpanel.cpp:1457 +msgid "Unloaded module {1}" +msgstr "" + +#: controlpanel.cpp:1466 +msgid "Usage: UnloadModule " +msgstr "" + +#: controlpanel.cpp:1483 +msgid "Usage: UnloadNetModule " +msgstr "" + +#: controlpanel.cpp:1500 controlpanel.cpp:1506 +msgctxt "listmodules" +msgid "Name" +msgstr "" + +#: controlpanel.cpp:1501 controlpanel.cpp:1507 +msgctxt "listmodules" +msgid "Arguments" +msgstr "" + +#: controlpanel.cpp:1526 +msgid "User {1} has no modules loaded." +msgstr "" + +#: controlpanel.cpp:1530 +msgid "Modules loaded for user {1}:" +msgstr "" + +#: controlpanel.cpp:1550 +msgid "Network {1} of user {2} has no modules loaded." +msgstr "" + +#: controlpanel.cpp:1555 +msgid "Modules loaded for network {1} of user {2}:" +msgstr "" + +#: controlpanel.cpp:1562 +msgid "[command] [variable]" +msgstr "" + +#: controlpanel.cpp:1563 +msgid "Prints help for matching commands and variables" +msgstr "" + +#: controlpanel.cpp:1566 +msgid " [username]" +msgstr "" + +#: controlpanel.cpp:1567 +msgid "Prints the variable's value for the given or current user" +msgstr "" + +#: controlpanel.cpp:1569 +msgid " " +msgstr "" + +#: controlpanel.cpp:1570 +msgid "Sets the variable's value for the given user" +msgstr "" + +#: controlpanel.cpp:1572 +msgid " [username] [network]" +msgstr "" + +#: controlpanel.cpp:1573 +msgid "Prints the variable's value for the given network" +msgstr "" + +#: controlpanel.cpp:1575 +msgid " " +msgstr "" + +#: controlpanel.cpp:1576 +msgid "Sets the variable's value for the given network" +msgstr "" + +#: controlpanel.cpp:1578 +msgid " [username] " +msgstr "" + +#: controlpanel.cpp:1579 +msgid "Prints the variable's value for the given channel" +msgstr "" + +#: controlpanel.cpp:1582 +msgid " " +msgstr "" + +#: controlpanel.cpp:1583 +msgid "Sets the variable's value for the given channel" +msgstr "" + +#: controlpanel.cpp:1585 controlpanel.cpp:1588 +msgid " " +msgstr "" + +#: controlpanel.cpp:1586 +msgid "Adds a new channel" +msgstr "" + +#: controlpanel.cpp:1589 +msgid "Deletes a channel" +msgstr "" + +#: controlpanel.cpp:1591 +msgid "Lists users" +msgstr "" + +#: controlpanel.cpp:1593 +msgid " " +msgstr "" + +#: controlpanel.cpp:1594 +msgid "Adds a new user" +msgstr "" + +#: controlpanel.cpp:1596 controlpanel.cpp:1619 controlpanel.cpp:1633 +msgid "" +msgstr "" + +#: controlpanel.cpp:1596 +msgid "Deletes a user" +msgstr "" + +#: controlpanel.cpp:1598 +msgid " " +msgstr "" + +#: controlpanel.cpp:1599 +msgid "Clones a user" +msgstr "" + +#: controlpanel.cpp:1601 controlpanel.cpp:1604 +msgid " " +msgstr "" + +#: controlpanel.cpp:1602 +msgid "Adds a new IRC server for the given or current user" +msgstr "" + +#: controlpanel.cpp:1605 +msgid "Deletes an IRC server from the given or current user" +msgstr "" + +#: controlpanel.cpp:1607 controlpanel.cpp:1610 controlpanel.cpp:1630 +msgid " " +msgstr "" + +#: controlpanel.cpp:1608 +msgid "Cycles the user's IRC server connection" +msgstr "" + +#: controlpanel.cpp:1611 +msgid "Disconnects the user from their IRC server" +msgstr "" + +#: controlpanel.cpp:1613 +msgid " [args]" +msgstr "" + +#: controlpanel.cpp:1614 +msgid "Loads a Module for a user" +msgstr "" + +#: controlpanel.cpp:1616 +msgid " " +msgstr "" + +#: controlpanel.cpp:1617 +msgid "Removes a Module of a user" +msgstr "" + +#: controlpanel.cpp:1620 +msgid "Get the list of modules for a user" +msgstr "" + +#: controlpanel.cpp:1623 +msgid " [args]" +msgstr "" + +#: controlpanel.cpp:1624 +msgid "Loads a Module for a network" +msgstr "" + +#: controlpanel.cpp:1627 +msgid " " +msgstr "" + +#: controlpanel.cpp:1628 +msgid "Removes a Module of a network" +msgstr "" + +#: controlpanel.cpp:1631 +msgid "Get the list of modules for a network" +msgstr "" + +#: controlpanel.cpp:1634 +msgid "List the configured CTCP replies" +msgstr "" + +#: controlpanel.cpp:1636 +msgid " [reply]" +msgstr "" + +#: controlpanel.cpp:1637 +msgid "Configure a new CTCP reply" +msgstr "" + +#: controlpanel.cpp:1639 +msgid " " +msgstr "" + +#: controlpanel.cpp:1640 +msgid "Remove a CTCP reply" +msgstr "" + +#: controlpanel.cpp:1644 controlpanel.cpp:1647 +msgid "[username] " +msgstr "" + +#: controlpanel.cpp:1645 +msgid "Add a network for a user" +msgstr "" + +#: controlpanel.cpp:1648 +msgid "Delete a network for a user" +msgstr "" + +#: controlpanel.cpp:1650 +msgid "[username]" +msgstr "" + +#: controlpanel.cpp:1651 +msgid "List all networks for a user" +msgstr "" + +#: controlpanel.cpp:1664 +msgid "" +"Dynamic configuration through IRC. Allows editing only yourself if you're " +"not ZNC admin." +msgstr "" diff --git a/modules/po/controlpanel.de_DE.po b/modules/po/controlpanel.de_DE.po index 63776000..9d0bda0c 100644 --- a/modules/po/controlpanel.de_DE.po +++ b/modules/po/controlpanel.de_DE.po @@ -8,41 +8,41 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/controlpanel.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" -#: controlpanel.cpp:51 controlpanel.cpp:63 +#: controlpanel.cpp:51 controlpanel.cpp:64 msgctxt "helptable" msgid "Type" msgstr "Typ" -#: controlpanel.cpp:52 controlpanel.cpp:65 +#: controlpanel.cpp:52 controlpanel.cpp:66 msgctxt "helptable" msgid "Variables" msgstr "Variablen" -#: controlpanel.cpp:77 +#: controlpanel.cpp:78 msgid "String" msgstr "Zeichenkette" -#: controlpanel.cpp:78 +#: controlpanel.cpp:79 msgid "Boolean (true/false)" msgstr "Boolean (wahr/falsch)" -#: controlpanel.cpp:79 +#: controlpanel.cpp:80 msgid "Integer" msgstr "Ganzzahl" -#: controlpanel.cpp:80 +#: controlpanel.cpp:81 msgid "Number" msgstr "Nummer" -#: controlpanel.cpp:123 +#: controlpanel.cpp:125 msgid "The following variables are available when using the Set/Get commands:" msgstr "Die folgenden Variablen stehen für die Set/Get-Befehle zur Verfügung:" -#: controlpanel.cpp:146 +#: controlpanel.cpp:149 msgid "" "The following variables are available when using the SetNetwork/GetNetwork " "commands:" @@ -50,14 +50,14 @@ msgstr "" "Die folgenden Variablen stehen für die SetNetwork/GetNetwork-Befehle zur " "Verfügung:" -#: controlpanel.cpp:159 +#: controlpanel.cpp:163 msgid "" "The following variables are available when using the SetChan/GetChan " "commands:" msgstr "" "Die folgenden Variablen stehen für die SetChan/GetChan-Befehle zur Verfügung:" -#: controlpanel.cpp:165 +#: controlpanel.cpp:170 msgid "" "You can use $user as the user name and $network as the network name for " "modifying your own user and network." @@ -65,232 +65,232 @@ msgstr "" "Um deinen eigenen User und dein eigenes Netzwerk zu bearbeiten, können $user " "und $network verwendet werden." -#: controlpanel.cpp:174 controlpanel.cpp:961 controlpanel.cpp:998 +#: controlpanel.cpp:179 controlpanel.cpp:966 controlpanel.cpp:1003 msgid "Error: User [{1}] does not exist!" msgstr "Fehler: Benutzer [{1}] existiert nicht!" -#: controlpanel.cpp:179 +#: controlpanel.cpp:184 msgid "Error: You need to have admin rights to modify other users!" msgstr "Fehler: Administratorrechte benötigt um andere Benutzer zu bearbeiten!" -#: controlpanel.cpp:189 +#: controlpanel.cpp:194 msgid "Error: You cannot use $network to modify other users!" msgstr "" "Fehler: $network kann nicht verwendet werden um andere Benutzer zu " "bearbeiten!" -#: controlpanel.cpp:197 +#: controlpanel.cpp:202 msgid "Error: User {1} does not have a network named [{2}]." msgstr "Fehler: Benutzer {1} hat kein Netzwerk namens [{2}]." -#: controlpanel.cpp:209 +#: controlpanel.cpp:214 msgid "Usage: Get [username]" msgstr "Verwendung: Get [Benutzername]" -#: controlpanel.cpp:299 controlpanel.cpp:502 controlpanel.cpp:577 -#: controlpanel.cpp:653 controlpanel.cpp:788 controlpanel.cpp:873 +#: controlpanel.cpp:304 controlpanel.cpp:507 controlpanel.cpp:582 +#: controlpanel.cpp:658 controlpanel.cpp:793 controlpanel.cpp:878 msgid "Error: Unknown variable" msgstr "Fehler: Unbekannte Variable" -#: controlpanel.cpp:308 +#: controlpanel.cpp:313 msgid "Usage: Set " msgstr "Verwendung: Set " -#: controlpanel.cpp:330 controlpanel.cpp:618 +#: controlpanel.cpp:335 controlpanel.cpp:623 msgid "This bind host is already set!" msgstr "Dieser Bind Host ist bereits gesetzt!" -#: controlpanel.cpp:337 controlpanel.cpp:349 controlpanel.cpp:357 -#: controlpanel.cpp:420 controlpanel.cpp:439 controlpanel.cpp:455 -#: controlpanel.cpp:465 controlpanel.cpp:625 +#: controlpanel.cpp:342 controlpanel.cpp:354 controlpanel.cpp:362 +#: controlpanel.cpp:425 controlpanel.cpp:444 controlpanel.cpp:460 +#: controlpanel.cpp:470 controlpanel.cpp:630 msgid "Access denied!" msgstr "Zugriff verweigert!" -#: controlpanel.cpp:371 controlpanel.cpp:380 controlpanel.cpp:837 +#: controlpanel.cpp:376 controlpanel.cpp:385 controlpanel.cpp:842 msgid "Setting failed, limit for buffer size is {1}" msgstr "Setzen fehlgeschlagen, da das Limit für die Puffergröße {1} ist" -#: controlpanel.cpp:400 +#: controlpanel.cpp:405 msgid "Password has been changed!" msgstr "Das Passwort wurde geändert!" -#: controlpanel.cpp:408 +#: controlpanel.cpp:413 msgid "Timeout can't be less than 30 seconds!" msgstr "Timeout kann nicht weniger als 30 Sekunden sein!" -#: controlpanel.cpp:472 +#: controlpanel.cpp:477 msgid "That would be a bad idea!" msgstr "Das wäre eine schlechte Idee!" -#: controlpanel.cpp:490 +#: controlpanel.cpp:495 msgid "Supported languages: {1}" msgstr "Unterstützte Sprachen: {1}" -#: controlpanel.cpp:514 +#: controlpanel.cpp:519 msgid "Usage: GetNetwork [username] [network]" msgstr "Verwendung: GetNetwork [Benutzername] [Netzwerk]" -#: controlpanel.cpp:533 +#: controlpanel.cpp:538 msgid "Error: A network must be specified to get another users settings." msgstr "" "Fehler: Ein Netzwerk muss angegeben werden um Einstellungen eines anderen " "Nutzers zu bekommen." -#: controlpanel.cpp:539 +#: controlpanel.cpp:544 msgid "You are not currently attached to a network." msgstr "Du bist aktuell nicht mit einem Netzwerk verbunden." -#: controlpanel.cpp:545 +#: controlpanel.cpp:550 msgid "Error: Invalid network." msgstr "Fehler: Ungültiges Netzwerk." -#: controlpanel.cpp:589 +#: controlpanel.cpp:594 msgid "Usage: SetNetwork " msgstr "Verwendung: SetNetwork " -#: controlpanel.cpp:663 +#: controlpanel.cpp:668 msgid "Usage: AddChan " msgstr "Verwendung: AddChan " -#: controlpanel.cpp:676 +#: controlpanel.cpp:681 msgid "Error: User {1} already has a channel named {2}." msgstr "Fehler: Benutzer {1} hat bereits einen Kanal namens {2}." -#: controlpanel.cpp:683 +#: controlpanel.cpp:688 msgid "Channel {1} for user {2} added to network {3}." msgstr "Kanal {1} für User {2} zum Netzwerk {3} hinzugefügt." -#: controlpanel.cpp:687 +#: controlpanel.cpp:692 msgid "" "Could not add channel {1} for user {2} to network {3}, does it already exist?" msgstr "" "Konnte Kanal {1} nicht für Benutzer {2} zum Netzwerk {3} hinzufügen; " "existiert er bereits?" -#: controlpanel.cpp:697 +#: controlpanel.cpp:702 msgid "Usage: DelChan " msgstr "Verwendung: DelChan " -#: controlpanel.cpp:712 +#: controlpanel.cpp:717 msgid "Error: User {1} does not have any channel matching [{2}] in network {3}" msgstr "" "Fehler: Benutzer {1} hat keinen Kanal in Netzwerk {3}, der auf [{2}] passt" -#: controlpanel.cpp:725 +#: controlpanel.cpp:730 msgid "Channel {1} is deleted from network {2} of user {3}" msgid_plural "Channels {1} are deleted from network {2} of user {3}" msgstr[0] "Kanal {1} wurde von Netzwerk {2} von Nutzer {3} entfernt" msgstr[1] "Kanäle {1} wurden von Netzwerk {2} von Nutzer {3} entfernt" -#: controlpanel.cpp:740 +#: controlpanel.cpp:745 msgid "Usage: GetChan " msgstr "Verwendung: GetChan " -#: controlpanel.cpp:754 controlpanel.cpp:818 +#: controlpanel.cpp:759 controlpanel.cpp:823 msgid "Error: No channels matching [{1}] found." msgstr "Fehler: Keine auf [{1}] passende Kanäle gefunden." -#: controlpanel.cpp:803 +#: controlpanel.cpp:808 msgid "Usage: SetChan " msgstr "" "Verwendung: SetChan " -#: controlpanel.cpp:884 controlpanel.cpp:894 +#: controlpanel.cpp:889 controlpanel.cpp:899 msgctxt "listusers" msgid "Username" msgstr "Benutzername" -#: controlpanel.cpp:885 controlpanel.cpp:895 +#: controlpanel.cpp:890 controlpanel.cpp:900 msgctxt "listusers" msgid "Realname" msgstr "Realname" -#: controlpanel.cpp:886 controlpanel.cpp:898 controlpanel.cpp:900 +#: controlpanel.cpp:891 controlpanel.cpp:903 controlpanel.cpp:905 msgctxt "listusers" msgid "IsAdmin" msgstr "IstAdmin" -#: controlpanel.cpp:887 controlpanel.cpp:901 +#: controlpanel.cpp:892 controlpanel.cpp:906 msgctxt "listusers" msgid "Nick" msgstr "Nick" -#: controlpanel.cpp:888 controlpanel.cpp:902 +#: controlpanel.cpp:893 controlpanel.cpp:907 msgctxt "listusers" msgid "AltNick" msgstr "AltNick" -#: controlpanel.cpp:889 controlpanel.cpp:903 +#: controlpanel.cpp:894 controlpanel.cpp:908 msgctxt "listusers" msgid "Ident" msgstr "Ident" -#: controlpanel.cpp:890 controlpanel.cpp:904 +#: controlpanel.cpp:895 controlpanel.cpp:909 msgctxt "listusers" msgid "BindHost" msgstr "BindHost" -#: controlpanel.cpp:898 controlpanel.cpp:1138 +#: controlpanel.cpp:903 controlpanel.cpp:1143 msgid "No" msgstr "Nein" -#: controlpanel.cpp:900 controlpanel.cpp:1130 +#: controlpanel.cpp:905 controlpanel.cpp:1135 msgid "Yes" msgstr "Ja" -#: controlpanel.cpp:914 controlpanel.cpp:983 +#: controlpanel.cpp:919 controlpanel.cpp:988 msgid "Error: You need to have admin rights to add new users!" msgstr "Fehler: Administratorrechte benötigt um neue Benutzer hinzuzufügen!" -#: controlpanel.cpp:920 +#: controlpanel.cpp:925 msgid "Usage: AddUser " msgstr "Verwendung: AddUser " -#: controlpanel.cpp:925 +#: controlpanel.cpp:930 msgid "Error: User {1} already exists!" msgstr "Fehler: Benutzer {1} existiert bereits!" -#: controlpanel.cpp:937 controlpanel.cpp:1012 +#: controlpanel.cpp:942 controlpanel.cpp:1017 msgid "Error: User not added: {1}" msgstr "Fehler: Benutzer nicht hinzugefügt: {1}" -#: controlpanel.cpp:941 controlpanel.cpp:1016 +#: controlpanel.cpp:946 controlpanel.cpp:1021 msgid "User {1} added!" msgstr "Benutzer {1} hinzugefügt!" -#: controlpanel.cpp:948 +#: controlpanel.cpp:953 msgid "Error: You need to have admin rights to delete users!" msgstr "Fehler: Administratorrechte benötigt um Benutzer zu löschen!" -#: controlpanel.cpp:954 +#: controlpanel.cpp:959 msgid "Usage: DelUser " msgstr "Verwendung: DelUser " -#: controlpanel.cpp:966 +#: controlpanel.cpp:971 msgid "Error: You can't delete yourself!" msgstr "Fehler: Du kannst dich nicht selbst löschen!" -#: controlpanel.cpp:972 +#: controlpanel.cpp:977 msgid "Error: Internal error!" msgstr "Fehler: Interner Fehler!" -#: controlpanel.cpp:976 +#: controlpanel.cpp:981 msgid "User {1} deleted!" msgstr "Benutzer {1} gelöscht!" -#: controlpanel.cpp:991 +#: controlpanel.cpp:996 msgid "Usage: CloneUser " msgstr "Verwendung: CloneUser " -#: controlpanel.cpp:1006 +#: controlpanel.cpp:1011 msgid "Error: Cloning failed: {1}" msgstr "Fehler: Klonen fehlgeschlagen: {1}" -#: controlpanel.cpp:1035 +#: controlpanel.cpp:1040 msgid "Usage: AddNetwork [user] network" msgstr "Verwendung: AddNetwork [Benutzer] Netzwerk" -#: controlpanel.cpp:1041 +#: controlpanel.cpp:1046 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks using /znc DelNetwork " @@ -299,159 +299,159 @@ msgstr "" "dich zu erhöhen, oder löschen nicht benötigte Netzwerke mit /znc DelNetwork " "" -#: controlpanel.cpp:1049 +#: controlpanel.cpp:1054 msgid "Error: User {1} already has a network with the name {2}" msgstr "Fehler: Benutzer {1} hat schon ein Netzwerk namens {2}" -#: controlpanel.cpp:1056 +#: controlpanel.cpp:1061 msgid "Network {1} added to user {2}." msgstr "Netzwerk {1} zu Benutzer {2} hinzugefügt." -#: controlpanel.cpp:1060 +#: controlpanel.cpp:1065 msgid "Error: Network [{1}] could not be added for user {2}: {3}" msgstr "" "Fehler: Netzwerk [{1}] konnte nicht zu Benutzer {2} hinzugefügt werden: {3}" -#: controlpanel.cpp:1080 +#: controlpanel.cpp:1085 msgid "Usage: DelNetwork [user] network" msgstr "Verwendung: DelNetwork [Benutzer] Netzwerk" -#: controlpanel.cpp:1091 +#: controlpanel.cpp:1096 msgid "The currently active network can be deleted via {1}status" msgstr "Das derzeit aktive Netzwerk can mit {1}status gelöscht werden" -#: controlpanel.cpp:1097 +#: controlpanel.cpp:1102 msgid "Network {1} deleted for user {2}." msgstr "Netzwerk {1} von Benutzer {2} gelöscht." -#: controlpanel.cpp:1101 +#: controlpanel.cpp:1106 msgid "Error: Network {1} could not be deleted for user {2}." msgstr "Fehler: Netzwerk {1} von Benutzer {2} konnte nicht gelöscht werden." -#: controlpanel.cpp:1120 controlpanel.cpp:1128 +#: controlpanel.cpp:1125 controlpanel.cpp:1133 msgctxt "listnetworks" msgid "Network" msgstr "Netzwerk" -#: controlpanel.cpp:1121 controlpanel.cpp:1130 controlpanel.cpp:1138 +#: controlpanel.cpp:1126 controlpanel.cpp:1135 controlpanel.cpp:1143 msgctxt "listnetworks" msgid "OnIRC" msgstr "OnIRC" -#: controlpanel.cpp:1122 controlpanel.cpp:1131 +#: controlpanel.cpp:1127 controlpanel.cpp:1136 msgctxt "listnetworks" msgid "IRC Server" msgstr "IRC-Server" -#: controlpanel.cpp:1123 controlpanel.cpp:1133 +#: controlpanel.cpp:1128 controlpanel.cpp:1138 msgctxt "listnetworks" msgid "IRC User" msgstr "IRC-Benutzer" -#: controlpanel.cpp:1124 controlpanel.cpp:1135 +#: controlpanel.cpp:1129 controlpanel.cpp:1140 msgctxt "listnetworks" msgid "Channels" msgstr "Kanäle" -#: controlpanel.cpp:1143 +#: controlpanel.cpp:1148 msgid "No networks" msgstr "Keine Netzwerke" -#: controlpanel.cpp:1154 +#: controlpanel.cpp:1159 msgid "Usage: AddServer [[+]port] [password]" msgstr "" "Verwendung: AddServer [[+]Port] [Passwort]" -#: controlpanel.cpp:1168 +#: controlpanel.cpp:1173 msgid "Added IRC Server {1} to network {2} for user {3}." msgstr "IRC-Server {1} zu Netzwerk {2} von Benutzer {3} hinzugefügt." -#: controlpanel.cpp:1172 +#: controlpanel.cpp:1177 msgid "Error: Could not add IRC server {1} to network {2} for user {3}." msgstr "" "Fehler: Konnte IRC-Server {1} nicht zu Netzwerk {2} von Benutzer {3} " "hinzufügen." -#: controlpanel.cpp:1185 +#: controlpanel.cpp:1190 msgid "Usage: DelServer [[+]port] [password]" msgstr "" "Verwendung: DelServer [[+]Port] [Passwort]" -#: controlpanel.cpp:1200 +#: controlpanel.cpp:1205 msgid "Deleted IRC Server {1} from network {2} for user {3}." msgstr "IRC-Server {1} von Netzwerk {2} von User {3} gelöscht." -#: controlpanel.cpp:1204 +#: controlpanel.cpp:1209 msgid "Error: Could not delete IRC server {1} from network {2} for user {3}." msgstr "" "Fehler: Konnte IRC-Server {1} von Netzwerk {2} von User {3} nicht löschen." -#: controlpanel.cpp:1214 +#: controlpanel.cpp:1219 msgid "Usage: Reconnect " msgstr "Verwendung: Reconnect " -#: controlpanel.cpp:1241 +#: controlpanel.cpp:1246 msgid "Queued network {1} of user {2} for a reconnect." msgstr "Netzwerk {1} von Benutzer {2} für eine Neu-Verbindung eingereiht." -#: controlpanel.cpp:1250 +#: controlpanel.cpp:1255 msgid "Usage: Disconnect " msgstr "Verwendung: Disconnect " -#: controlpanel.cpp:1265 +#: controlpanel.cpp:1270 msgid "Closed IRC connection for network {1} of user {2}." msgstr "IRC-Verbindung von Netzwerk {1} von Benutzer {2} geschlossen." -#: controlpanel.cpp:1280 controlpanel.cpp:1284 +#: controlpanel.cpp:1285 controlpanel.cpp:1290 msgctxt "listctcp" msgid "Request" msgstr "Anfrage" -#: controlpanel.cpp:1281 controlpanel.cpp:1285 +#: controlpanel.cpp:1286 controlpanel.cpp:1291 msgctxt "listctcp" msgid "Reply" msgstr "Antwort" -#: controlpanel.cpp:1289 +#: controlpanel.cpp:1295 msgid "No CTCP replies for user {1} are configured" msgstr "Keine CTCP-Antworten für Benutzer {1} konfiguriert" -#: controlpanel.cpp:1292 +#: controlpanel.cpp:1298 msgid "CTCP replies for user {1}:" msgstr "CTCP-Antworten für Benutzer {1}:" -#: controlpanel.cpp:1308 +#: controlpanel.cpp:1314 msgid "Usage: AddCTCP [user] [request] [reply]" msgstr "Verwendung: AddCTCP [Benutzer] [Anfrage] [Antwort]" -#: controlpanel.cpp:1310 +#: controlpanel.cpp:1316 msgid "" "This will cause ZNC to reply to the CTCP instead of forwarding it to clients." msgstr "" "Hierdurch wird ZNC den CTCP beantworten anstelle ihn zum Client " "weiterzuleiten." -#: controlpanel.cpp:1313 +#: controlpanel.cpp:1319 msgid "An empty reply will cause the CTCP request to be blocked." msgstr "Eine leere Antwort blockiert die CTCP-Anfrage." -#: controlpanel.cpp:1322 +#: controlpanel.cpp:1328 msgid "CTCP requests {1} to user {2} will now be blocked." msgstr "CTCP-Anfragen {1} an Benutzer {2} werden nun blockiert." -#: controlpanel.cpp:1326 +#: controlpanel.cpp:1332 msgid "CTCP requests {1} to user {2} will now get reply: {3}" msgstr "CTCP-Anfragen {1} an Benutzer {2} werden nun beantwortet mit: {3}" -#: controlpanel.cpp:1343 +#: controlpanel.cpp:1349 msgid "Usage: DelCTCP [user] [request]" msgstr "Verwendung: DelCTCP [Benutzer] [Anfrage]" -#: controlpanel.cpp:1349 +#: controlpanel.cpp:1355 msgid "CTCP requests {1} to user {2} will now be sent to IRC clients" msgstr "CTCP-Anfragen {1} an Benutzer {2} werden nun an IRC-Clients gesendet" -#: controlpanel.cpp:1353 +#: controlpanel.cpp:1359 msgid "" "CTCP requests {1} to user {2} will be sent to IRC clients (nothing has " "changed)" @@ -459,288 +459,288 @@ msgstr "" "CTCP-Anfragen {1} an Benutzer {2} werden an IRC-Clients gesendet (nichts hat " "sich geändert)" -#: controlpanel.cpp:1363 controlpanel.cpp:1437 +#: controlpanel.cpp:1369 controlpanel.cpp:1443 msgid "Loading modules has been disabled." msgstr "Das Laden von Modulen wurde deaktiviert." -#: controlpanel.cpp:1372 +#: controlpanel.cpp:1378 msgid "Error: Unable to load module {1}: {2}" msgstr "Fehler: Konnte Modul {1} nicht laden: {2}" -#: controlpanel.cpp:1375 +#: controlpanel.cpp:1381 msgid "Loaded module {1}" msgstr "Modul {1} geladen" -#: controlpanel.cpp:1380 +#: controlpanel.cpp:1386 msgid "Error: Unable to reload module {1}: {2}" msgstr "Fehler: Konnte Modul {1} nicht neu laden: {2}" -#: controlpanel.cpp:1383 +#: controlpanel.cpp:1389 msgid "Reloaded module {1}" msgstr "Module {1} neu geladen" -#: controlpanel.cpp:1387 +#: controlpanel.cpp:1393 msgid "Error: Unable to load module {1} because it is already loaded" msgstr "Fehler: Modul {1} kann nicht geladen werden, da es bereits geladen ist" -#: controlpanel.cpp:1398 +#: controlpanel.cpp:1404 msgid "Usage: LoadModule [args]" msgstr "Verwendung: LoadModule [Argumente]" -#: controlpanel.cpp:1417 +#: controlpanel.cpp:1423 msgid "Usage: LoadNetModule [args]" msgstr "" "Verwendung: LoadNetModule [Argumente]" -#: controlpanel.cpp:1442 +#: controlpanel.cpp:1448 msgid "Please use /znc unloadmod {1}" msgstr "Bitte verwende /znc unloadmod {1}" -#: controlpanel.cpp:1448 +#: controlpanel.cpp:1454 msgid "Error: Unable to unload module {1}: {2}" msgstr "Fehler: Konnte Modul {1} nicht entladen: {2}" -#: controlpanel.cpp:1451 +#: controlpanel.cpp:1457 msgid "Unloaded module {1}" msgstr "Modul {1} entladen" -#: controlpanel.cpp:1460 +#: controlpanel.cpp:1466 msgid "Usage: UnloadModule " msgstr "Verwendung: UnloadModule " -#: controlpanel.cpp:1477 +#: controlpanel.cpp:1483 msgid "Usage: UnloadNetModule " msgstr "Verwendung: UnloadNetModule " -#: controlpanel.cpp:1494 controlpanel.cpp:1499 +#: controlpanel.cpp:1500 controlpanel.cpp:1506 msgctxt "listmodules" msgid "Name" msgstr "Name" -#: controlpanel.cpp:1495 controlpanel.cpp:1500 +#: controlpanel.cpp:1501 controlpanel.cpp:1507 msgctxt "listmodules" msgid "Arguments" msgstr "Argumente" -#: controlpanel.cpp:1519 +#: controlpanel.cpp:1526 msgid "User {1} has no modules loaded." msgstr "Benutzer {1} hat keine Module geladen." -#: controlpanel.cpp:1523 +#: controlpanel.cpp:1530 msgid "Modules loaded for user {1}:" msgstr "Für Benutzer {1} geladene Module:" -#: controlpanel.cpp:1543 +#: controlpanel.cpp:1550 msgid "Network {1} of user {2} has no modules loaded." msgstr "Netzwerk {1} des Benutzers {2} hat keine Module geladen." -#: controlpanel.cpp:1548 +#: controlpanel.cpp:1555 msgid "Modules loaded for network {1} of user {2}:" msgstr "Für Netzwerk {1} von Benutzer {2} geladene Module:" -#: controlpanel.cpp:1555 +#: controlpanel.cpp:1562 msgid "[command] [variable]" msgstr "[Kommando] [Variable]" -#: controlpanel.cpp:1556 +#: controlpanel.cpp:1563 msgid "Prints help for matching commands and variables" msgstr "Gibt die Hilfe für passende Kommandos und Variablen aus" -#: controlpanel.cpp:1559 +#: controlpanel.cpp:1566 msgid " [username]" msgstr " [Benutzername]" -#: controlpanel.cpp:1560 +#: controlpanel.cpp:1567 msgid "Prints the variable's value for the given or current user" msgstr "" "Gibt den Wert der Variable für den gegebenen oder aktuellen Benutzer aus" -#: controlpanel.cpp:1562 +#: controlpanel.cpp:1569 msgid " " msgstr " " -#: controlpanel.cpp:1563 +#: controlpanel.cpp:1570 msgid "Sets the variable's value for the given user" msgstr "Setzt den Wert der Variable für den gegebenen oder aktuellen Benutzer" -#: controlpanel.cpp:1565 +#: controlpanel.cpp:1572 msgid " [username] [network]" msgstr " [Benutzername] [Netzwerk]" -#: controlpanel.cpp:1566 +#: controlpanel.cpp:1573 msgid "Prints the variable's value for the given network" msgstr "Gibt den Wert der Variable für das gegebene Netzwerk aus" -#: controlpanel.cpp:1568 +#: controlpanel.cpp:1575 msgid " " msgstr " " -#: controlpanel.cpp:1569 +#: controlpanel.cpp:1576 msgid "Sets the variable's value for the given network" msgstr "Setzt den Wert der Variable für das gegebene Netzwerk" -#: controlpanel.cpp:1571 +#: controlpanel.cpp:1578 msgid " [username] " msgstr " [Benutzername] " -#: controlpanel.cpp:1572 +#: controlpanel.cpp:1579 msgid "Prints the variable's value for the given channel" msgstr "Gibt den Wert der Variable für den gegebenen Kanal aus" -#: controlpanel.cpp:1575 +#: controlpanel.cpp:1582 msgid " " msgstr " " -#: controlpanel.cpp:1576 +#: controlpanel.cpp:1583 msgid "Sets the variable's value for the given channel" msgstr "Setzt den Wert der Variable für den gegebenen Kanal" -#: controlpanel.cpp:1578 controlpanel.cpp:1581 +#: controlpanel.cpp:1585 controlpanel.cpp:1588 msgid " " msgstr " " -#: controlpanel.cpp:1579 +#: controlpanel.cpp:1586 msgid "Adds a new channel" msgstr "Fügt einen neuen Kanal hinzu" -#: controlpanel.cpp:1582 +#: controlpanel.cpp:1589 msgid "Deletes a channel" msgstr "Löscht einen Kanal" -#: controlpanel.cpp:1584 +#: controlpanel.cpp:1591 msgid "Lists users" msgstr "Listet Benutzer auf" -#: controlpanel.cpp:1586 +#: controlpanel.cpp:1593 msgid " " msgstr " " -#: controlpanel.cpp:1587 +#: controlpanel.cpp:1594 msgid "Adds a new user" msgstr "Fügt einen neuen Benutzer hinzu" -#: controlpanel.cpp:1589 controlpanel.cpp:1612 controlpanel.cpp:1626 +#: controlpanel.cpp:1596 controlpanel.cpp:1619 controlpanel.cpp:1633 msgid "" msgstr "" -#: controlpanel.cpp:1589 +#: controlpanel.cpp:1596 msgid "Deletes a user" msgstr "Löscht einen Benutzer" -#: controlpanel.cpp:1591 +#: controlpanel.cpp:1598 msgid " " msgstr " " -#: controlpanel.cpp:1592 +#: controlpanel.cpp:1599 msgid "Clones a user" msgstr "Klont einen Benutzer" -#: controlpanel.cpp:1594 controlpanel.cpp:1597 +#: controlpanel.cpp:1601 controlpanel.cpp:1604 msgid " " msgstr " " -#: controlpanel.cpp:1595 +#: controlpanel.cpp:1602 msgid "Adds a new IRC server for the given or current user" msgstr "" "Fügt einen neuen IRC-Server zum gegebenen oder aktuellen Benutzer hinzu" -#: controlpanel.cpp:1598 +#: controlpanel.cpp:1605 msgid "Deletes an IRC server from the given or current user" msgstr "Löscht einen IRC-Server vom gegebenen oder aktuellen Benutzer" -#: controlpanel.cpp:1600 controlpanel.cpp:1603 controlpanel.cpp:1623 +#: controlpanel.cpp:1607 controlpanel.cpp:1610 controlpanel.cpp:1630 msgid " " msgstr " " -#: controlpanel.cpp:1601 +#: controlpanel.cpp:1608 msgid "Cycles the user's IRC server connection" msgstr "Erneuert die IRC-Verbindung des Benutzers" -#: controlpanel.cpp:1604 +#: controlpanel.cpp:1611 msgid "Disconnects the user from their IRC server" msgstr "Trennt den Benutzer von ihrem IRC-Server" -#: controlpanel.cpp:1606 +#: controlpanel.cpp:1613 msgid " [args]" msgstr " [Argumente]" -#: controlpanel.cpp:1607 +#: controlpanel.cpp:1614 msgid "Loads a Module for a user" msgstr "Lädt ein Modul für einen Benutzer" -#: controlpanel.cpp:1609 +#: controlpanel.cpp:1616 msgid " " msgstr " " -#: controlpanel.cpp:1610 +#: controlpanel.cpp:1617 msgid "Removes a Module of a user" msgstr "Entfernt ein Modul von einem Benutzer" -#: controlpanel.cpp:1613 +#: controlpanel.cpp:1620 msgid "Get the list of modules for a user" msgstr "Zeigt eine Liste der Module eines Benutzers" -#: controlpanel.cpp:1616 +#: controlpanel.cpp:1623 msgid " [args]" msgstr " [args]" -#: controlpanel.cpp:1617 +#: controlpanel.cpp:1624 msgid "Loads a Module for a network" msgstr "Lädt ein Modul für ein Netzwerk" -#: controlpanel.cpp:1620 +#: controlpanel.cpp:1627 msgid " " msgstr " " -#: controlpanel.cpp:1621 +#: controlpanel.cpp:1628 msgid "Removes a Module of a network" msgstr "Entfernt ein Modul von einem Netzwerk" -#: controlpanel.cpp:1624 +#: controlpanel.cpp:1631 msgid "Get the list of modules for a network" msgstr "Zeigt eine Liste der Module eines Netzwerks" -#: controlpanel.cpp:1627 +#: controlpanel.cpp:1634 msgid "List the configured CTCP replies" msgstr "Liste die konfigurierten CTCP-Antworten auf" -#: controlpanel.cpp:1629 +#: controlpanel.cpp:1636 msgid " [reply]" msgstr " [Antwort]" -#: controlpanel.cpp:1630 +#: controlpanel.cpp:1637 msgid "Configure a new CTCP reply" msgstr "Konfiguriere eine neue CTCP-Antwort" -#: controlpanel.cpp:1632 +#: controlpanel.cpp:1639 msgid " " msgstr " " -#: controlpanel.cpp:1633 +#: controlpanel.cpp:1640 msgid "Remove a CTCP reply" msgstr "Entfernt eine CTCP-Antwort" -#: controlpanel.cpp:1637 controlpanel.cpp:1640 +#: controlpanel.cpp:1644 controlpanel.cpp:1647 msgid "[username] " msgstr "[Benutzername] " -#: controlpanel.cpp:1638 +#: controlpanel.cpp:1645 msgid "Add a network for a user" msgstr "Füge ein Netzwerk für einen Benutzer hinzu" -#: controlpanel.cpp:1641 +#: controlpanel.cpp:1648 msgid "Delete a network for a user" msgstr "Lösche ein Netzwerk für einen Benutzer" -#: controlpanel.cpp:1643 +#: controlpanel.cpp:1650 msgid "[username]" msgstr "[Benutzername]" -#: controlpanel.cpp:1644 +#: controlpanel.cpp:1651 msgid "List all networks for a user" msgstr "Listet alle Netzwerke für einen Benutzer auf" -#: controlpanel.cpp:1657 +#: controlpanel.cpp:1664 msgid "" "Dynamic configuration through IRC. Allows editing only yourself if you're " "not ZNC admin." diff --git a/modules/po/controlpanel.es_ES.po b/modules/po/controlpanel.es_ES.po index 41415092..4da86e71 100644 --- a/modules/po/controlpanel.es_ES.po +++ b/modules/po/controlpanel.es_ES.po @@ -8,43 +8,43 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/controlpanel.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" -#: controlpanel.cpp:51 controlpanel.cpp:63 +#: controlpanel.cpp:51 controlpanel.cpp:64 msgctxt "helptable" msgid "Type" msgstr "Tipo" -#: controlpanel.cpp:52 controlpanel.cpp:65 +#: controlpanel.cpp:52 controlpanel.cpp:66 msgctxt "helptable" msgid "Variables" msgstr "Variables" -#: controlpanel.cpp:77 +#: controlpanel.cpp:78 msgid "String" msgstr "Cadena" -#: controlpanel.cpp:78 +#: controlpanel.cpp:79 msgid "Boolean (true/false)" msgstr "Booleano (verdadero/falso)" -#: controlpanel.cpp:79 +#: controlpanel.cpp:80 msgid "Integer" msgstr "Entero" -#: controlpanel.cpp:80 +#: controlpanel.cpp:81 msgid "Number" msgstr "Número" -#: controlpanel.cpp:123 +#: controlpanel.cpp:125 msgid "The following variables are available when using the Set/Get commands:" msgstr "" "Las siguientes variables están disponibles cuando se usan los comandos Get/" "Set:" -#: controlpanel.cpp:146 +#: controlpanel.cpp:149 msgid "" "The following variables are available when using the SetNetwork/GetNetwork " "commands:" @@ -52,7 +52,7 @@ msgstr "" "Las siguientes variables están disponibles cuando se usan los comandos " "SetNetwork/GetNetwork:" -#: controlpanel.cpp:159 +#: controlpanel.cpp:163 msgid "" "The following variables are available when using the SetChan/GetChan " "commands:" @@ -60,7 +60,7 @@ msgstr "" "Las siguientes variables están disponibles cuando se usan los comandos " "SetChan/GetChan:" -#: controlpanel.cpp:165 +#: controlpanel.cpp:170 msgid "" "You can use $user as the user name and $network as the network name for " "modifying your own user and network." @@ -68,233 +68,233 @@ msgstr "" "Puedes usar $user como nombre de usuario y $network como el nombre de la red " "para modificar tu propio usuario y red." -#: controlpanel.cpp:174 controlpanel.cpp:961 controlpanel.cpp:998 +#: controlpanel.cpp:179 controlpanel.cpp:966 controlpanel.cpp:1003 msgid "Error: User [{1}] does not exist!" msgstr "Error: el usuario [{1}] no existe" -#: controlpanel.cpp:179 +#: controlpanel.cpp:184 msgid "Error: You need to have admin rights to modify other users!" msgstr "" "Error: tienes que tener permisos administrativos para modificar otros " "usuarios" -#: controlpanel.cpp:189 +#: controlpanel.cpp:194 msgid "Error: You cannot use $network to modify other users!" msgstr "Error: no puedes usar $network para modificar otros usuarios" -#: controlpanel.cpp:197 +#: controlpanel.cpp:202 msgid "Error: User {1} does not have a network named [{2}]." msgstr "Error: el usuario {1} no tiene una red llamada [{2}]." -#: controlpanel.cpp:209 +#: controlpanel.cpp:214 msgid "Usage: Get [username]" msgstr "Uso: Get [usuario]" -#: controlpanel.cpp:299 controlpanel.cpp:502 controlpanel.cpp:577 -#: controlpanel.cpp:653 controlpanel.cpp:788 controlpanel.cpp:873 +#: controlpanel.cpp:304 controlpanel.cpp:507 controlpanel.cpp:582 +#: controlpanel.cpp:658 controlpanel.cpp:793 controlpanel.cpp:878 msgid "Error: Unknown variable" msgstr "Error: variable desconocida" -#: controlpanel.cpp:308 +#: controlpanel.cpp:313 msgid "Usage: Set " msgstr "Uso: Set [usuario] " -#: controlpanel.cpp:330 controlpanel.cpp:618 +#: controlpanel.cpp:335 controlpanel.cpp:623 msgid "This bind host is already set!" msgstr "Este bind host ya está definido" -#: controlpanel.cpp:337 controlpanel.cpp:349 controlpanel.cpp:357 -#: controlpanel.cpp:420 controlpanel.cpp:439 controlpanel.cpp:455 -#: controlpanel.cpp:465 controlpanel.cpp:625 +#: controlpanel.cpp:342 controlpanel.cpp:354 controlpanel.cpp:362 +#: controlpanel.cpp:425 controlpanel.cpp:444 controlpanel.cpp:460 +#: controlpanel.cpp:470 controlpanel.cpp:630 msgid "Access denied!" msgstr "¡Acceso denegado!" -#: controlpanel.cpp:371 controlpanel.cpp:380 controlpanel.cpp:837 +#: controlpanel.cpp:376 controlpanel.cpp:385 controlpanel.cpp:842 msgid "Setting failed, limit for buffer size is {1}" msgstr "Ajuste fallido, el límite para el tamaño de búfer es {1}" -#: controlpanel.cpp:400 +#: controlpanel.cpp:405 msgid "Password has been changed!" msgstr "Se ha cambiado la contraseña" -#: controlpanel.cpp:408 +#: controlpanel.cpp:413 msgid "Timeout can't be less than 30 seconds!" msgstr "¡El tiempo de espera no puede ser inferior a 30 segundos!" -#: controlpanel.cpp:472 +#: controlpanel.cpp:477 msgid "That would be a bad idea!" msgstr "Eso sería una mala idea" -#: controlpanel.cpp:490 +#: controlpanel.cpp:495 msgid "Supported languages: {1}" msgstr "Idiomas soportados: {1}" -#: controlpanel.cpp:514 +#: controlpanel.cpp:519 msgid "Usage: GetNetwork [username] [network]" msgstr "Uso: GetNetwork [usuario] [red]" -#: controlpanel.cpp:533 +#: controlpanel.cpp:538 msgid "Error: A network must be specified to get another users settings." msgstr "" "Error: debes especificar una red para obtener los ajustes de otro usuario." -#: controlpanel.cpp:539 +#: controlpanel.cpp:544 msgid "You are not currently attached to a network." msgstr "No estás adjunto a una red." -#: controlpanel.cpp:545 +#: controlpanel.cpp:550 msgid "Error: Invalid network." msgstr "Error: nombre de red inválido." -#: controlpanel.cpp:589 +#: controlpanel.cpp:594 msgid "Usage: SetNetwork " msgstr "Uso: SetNetwork " -#: controlpanel.cpp:663 +#: controlpanel.cpp:668 msgid "Usage: AddChan " msgstr "Uso: AddChan " -#: controlpanel.cpp:676 +#: controlpanel.cpp:681 msgid "Error: User {1} already has a channel named {2}." msgstr "Error: el usuario {1} ya tiene un canal llamado {2}." -#: controlpanel.cpp:683 +#: controlpanel.cpp:688 msgid "Channel {1} for user {2} added to network {3}." msgstr "El canal {1} para el usuario {2} se ha añadido a la red {3}." -#: controlpanel.cpp:687 +#: controlpanel.cpp:692 msgid "" "Could not add channel {1} for user {2} to network {3}, does it already exist?" msgstr "" "No se ha podido añadir el canal {1} para el usuario {2} a la red {3}, " "¿existe realmente?" -#: controlpanel.cpp:697 +#: controlpanel.cpp:702 msgid "Usage: DelChan " msgstr "Uso: DelChan " -#: controlpanel.cpp:712 +#: controlpanel.cpp:717 msgid "Error: User {1} does not have any channel matching [{2}] in network {3}" msgstr "" "Error: el usuario {1} no tiene ningún canal que coincida con [{2}] en la red " "{3}" -#: controlpanel.cpp:725 +#: controlpanel.cpp:730 msgid "Channel {1} is deleted from network {2} of user {3}" msgid_plural "Channels {1} are deleted from network {2} of user {3}" msgstr[0] "Borrado canal {1} de la red {2} del usuario {3}" msgstr[1] "Borrados canales {1} de la red {2} del usuario {3}" -#: controlpanel.cpp:740 +#: controlpanel.cpp:745 msgid "Usage: GetChan " msgstr "Uso: GetChan " -#: controlpanel.cpp:754 controlpanel.cpp:818 +#: controlpanel.cpp:759 controlpanel.cpp:823 msgid "Error: No channels matching [{1}] found." msgstr "Error: no hay ningún canal que coincida con [{1}]." -#: controlpanel.cpp:803 +#: controlpanel.cpp:808 msgid "Usage: SetChan " msgstr "Uso: SetChan " -#: controlpanel.cpp:884 controlpanel.cpp:894 +#: controlpanel.cpp:889 controlpanel.cpp:899 msgctxt "listusers" msgid "Username" msgstr "Usuario" -#: controlpanel.cpp:885 controlpanel.cpp:895 +#: controlpanel.cpp:890 controlpanel.cpp:900 msgctxt "listusers" msgid "Realname" msgstr "Nombre real" -#: controlpanel.cpp:886 controlpanel.cpp:898 controlpanel.cpp:900 +#: controlpanel.cpp:891 controlpanel.cpp:903 controlpanel.cpp:905 msgctxt "listusers" msgid "IsAdmin" msgstr "Admin" -#: controlpanel.cpp:887 controlpanel.cpp:901 +#: controlpanel.cpp:892 controlpanel.cpp:906 msgctxt "listusers" msgid "Nick" msgstr "Apodo" -#: controlpanel.cpp:888 controlpanel.cpp:902 +#: controlpanel.cpp:893 controlpanel.cpp:907 msgctxt "listusers" msgid "AltNick" msgstr "Apodo alternativo" -#: controlpanel.cpp:889 controlpanel.cpp:903 +#: controlpanel.cpp:894 controlpanel.cpp:908 msgctxt "listusers" msgid "Ident" msgstr "Ident" -#: controlpanel.cpp:890 controlpanel.cpp:904 +#: controlpanel.cpp:895 controlpanel.cpp:909 msgctxt "listusers" msgid "BindHost" msgstr "BindHost" -#: controlpanel.cpp:898 controlpanel.cpp:1138 +#: controlpanel.cpp:903 controlpanel.cpp:1143 msgid "No" msgstr "No" -#: controlpanel.cpp:900 controlpanel.cpp:1130 +#: controlpanel.cpp:905 controlpanel.cpp:1135 msgid "Yes" msgstr "Sí" -#: controlpanel.cpp:914 controlpanel.cpp:983 +#: controlpanel.cpp:919 controlpanel.cpp:988 msgid "Error: You need to have admin rights to add new users!" msgstr "" "Error: tienes que tener permisos administrativos para añadir nuevos usuarios" -#: controlpanel.cpp:920 +#: controlpanel.cpp:925 msgid "Usage: AddUser " msgstr "Uso: AddUser " -#: controlpanel.cpp:925 +#: controlpanel.cpp:930 msgid "Error: User {1} already exists!" msgstr "Error: el usuario {1} ya existe" -#: controlpanel.cpp:937 controlpanel.cpp:1012 +#: controlpanel.cpp:942 controlpanel.cpp:1017 msgid "Error: User not added: {1}" msgstr "Error: usuario no añadido: {1}" -#: controlpanel.cpp:941 controlpanel.cpp:1016 +#: controlpanel.cpp:946 controlpanel.cpp:1021 msgid "User {1} added!" msgstr "¡Usuario {1} añadido!" -#: controlpanel.cpp:948 +#: controlpanel.cpp:953 msgid "Error: You need to have admin rights to delete users!" msgstr "" "Error: tienes que tener permisos administrativos para eliminar usuarios" -#: controlpanel.cpp:954 +#: controlpanel.cpp:959 msgid "Usage: DelUser " msgstr "Uso: DelUser " -#: controlpanel.cpp:966 +#: controlpanel.cpp:971 msgid "Error: You can't delete yourself!" msgstr "Error: no puedes borrarte a ti mismo" -#: controlpanel.cpp:972 +#: controlpanel.cpp:977 msgid "Error: Internal error!" msgstr "Error: error interno" -#: controlpanel.cpp:976 +#: controlpanel.cpp:981 msgid "User {1} deleted!" msgstr "Usuario {1} eliminado" -#: controlpanel.cpp:991 +#: controlpanel.cpp:996 msgid "Usage: CloneUser " msgstr "Uso: CloneUser " -#: controlpanel.cpp:1006 +#: controlpanel.cpp:1011 msgid "Error: Cloning failed: {1}" msgstr "Error: clonación fallida: {1}" -#: controlpanel.cpp:1035 +#: controlpanel.cpp:1040 msgid "Usage: AddNetwork [user] network" msgstr "Uso: AddNetwork [usuario] red" -#: controlpanel.cpp:1041 +#: controlpanel.cpp:1046 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks using /znc DelNetwork " @@ -302,156 +302,156 @@ msgstr "" "Limite de redes alcanzado. Píde a un administrador que te incremente el " "límite, o elimina redes innecesarias usando /znc DelNetwork " -#: controlpanel.cpp:1049 +#: controlpanel.cpp:1054 msgid "Error: User {1} already has a network with the name {2}" msgstr "Error: el usuario {1} ya tiene una red llamada {2}" -#: controlpanel.cpp:1056 +#: controlpanel.cpp:1061 msgid "Network {1} added to user {2}." msgstr "Red {1} añadida al usuario {2}." -#: controlpanel.cpp:1060 +#: controlpanel.cpp:1065 msgid "Error: Network [{1}] could not be added for user {2}: {3}" msgstr "Error: la red [{1}] no se ha podido añadir al usuario {2}: {3}" -#: controlpanel.cpp:1080 +#: controlpanel.cpp:1085 msgid "Usage: DelNetwork [user] network" msgstr "Uso: DelNetwork [usuario] red" -#: controlpanel.cpp:1091 +#: controlpanel.cpp:1096 msgid "The currently active network can be deleted via {1}status" msgstr "La red activa actual puede ser eliminada vía {1}status" -#: controlpanel.cpp:1097 +#: controlpanel.cpp:1102 msgid "Network {1} deleted for user {2}." msgstr "Red {1} eliminada al usuario {2}." -#: controlpanel.cpp:1101 +#: controlpanel.cpp:1106 msgid "Error: Network {1} could not be deleted for user {2}." msgstr "Error: la red {1} no se ha podido eliminar al usuario {2}." -#: controlpanel.cpp:1120 controlpanel.cpp:1128 +#: controlpanel.cpp:1125 controlpanel.cpp:1133 msgctxt "listnetworks" msgid "Network" msgstr "Red" -#: controlpanel.cpp:1121 controlpanel.cpp:1130 controlpanel.cpp:1138 +#: controlpanel.cpp:1126 controlpanel.cpp:1135 controlpanel.cpp:1143 msgctxt "listnetworks" msgid "OnIRC" msgstr "EnIRC" -#: controlpanel.cpp:1122 controlpanel.cpp:1131 +#: controlpanel.cpp:1127 controlpanel.cpp:1136 msgctxt "listnetworks" msgid "IRC Server" msgstr "Servidor IRC" -#: controlpanel.cpp:1123 controlpanel.cpp:1133 +#: controlpanel.cpp:1128 controlpanel.cpp:1138 msgctxt "listnetworks" msgid "IRC User" msgstr "Usuario IRC" -#: controlpanel.cpp:1124 controlpanel.cpp:1135 +#: controlpanel.cpp:1129 controlpanel.cpp:1140 msgctxt "listnetworks" msgid "Channels" msgstr "Canales" -#: controlpanel.cpp:1143 +#: controlpanel.cpp:1148 msgid "No networks" msgstr "No hay redes" -#: controlpanel.cpp:1154 +#: controlpanel.cpp:1159 msgid "Usage: AddServer [[+]port] [password]" msgstr "Uso: AddServer [[+]puerto] [contraseña]" -#: controlpanel.cpp:1168 +#: controlpanel.cpp:1173 msgid "Added IRC Server {1} to network {2} for user {3}." msgstr "Añadido servidor IRC {1} a la red {2} al usuario {3}." -#: controlpanel.cpp:1172 +#: controlpanel.cpp:1177 msgid "Error: Could not add IRC server {1} to network {2} for user {3}." msgstr "" "Error: no se ha podido añadir el servidor IRC {1} a la red {2} del usuario " "{3}." -#: controlpanel.cpp:1185 +#: controlpanel.cpp:1190 msgid "Usage: DelServer [[+]port] [password]" msgstr "Uso: DelServer [[+]puerto] [contraseña]" -#: controlpanel.cpp:1200 +#: controlpanel.cpp:1205 msgid "Deleted IRC Server {1} from network {2} for user {3}." msgstr "Eliminado servidor IRC {1} de la red {2} al usuario {3}." -#: controlpanel.cpp:1204 +#: controlpanel.cpp:1209 msgid "Error: Could not delete IRC server {1} from network {2} for user {3}." msgstr "" "Error: no se ha podido eliminar el servidor IRC {1} de la red {2} al usuario " "{3}." -#: controlpanel.cpp:1214 +#: controlpanel.cpp:1219 msgid "Usage: Reconnect " msgstr "Uso: Reconnect " -#: controlpanel.cpp:1241 +#: controlpanel.cpp:1246 msgid "Queued network {1} of user {2} for a reconnect." msgstr "Red {1} del usuario {2} puesta en cola para reconectar." -#: controlpanel.cpp:1250 +#: controlpanel.cpp:1255 msgid "Usage: Disconnect " msgstr "Uso: Disconnect " -#: controlpanel.cpp:1265 +#: controlpanel.cpp:1270 msgid "Closed IRC connection for network {1} of user {2}." msgstr "Cerrada la conexión IRC de la red {1} al usuario {2}." -#: controlpanel.cpp:1280 controlpanel.cpp:1284 +#: controlpanel.cpp:1285 controlpanel.cpp:1290 msgctxt "listctcp" msgid "Request" msgstr "Solicitud" -#: controlpanel.cpp:1281 controlpanel.cpp:1285 +#: controlpanel.cpp:1286 controlpanel.cpp:1291 msgctxt "listctcp" msgid "Reply" msgstr "Respuesta" -#: controlpanel.cpp:1289 +#: controlpanel.cpp:1295 msgid "No CTCP replies for user {1} are configured" msgstr "No hay respuestas CTCP configuradas para el usuario {1}" -#: controlpanel.cpp:1292 +#: controlpanel.cpp:1298 msgid "CTCP replies for user {1}:" msgstr "Respuestas CTCP del usuario {1}:" -#: controlpanel.cpp:1308 +#: controlpanel.cpp:1314 msgid "Usage: AddCTCP [user] [request] [reply]" msgstr "Uso: AddCTCP [usuario] [solicitud] [respuesta]" -#: controlpanel.cpp:1310 +#: controlpanel.cpp:1316 msgid "" "This will cause ZNC to reply to the CTCP instead of forwarding it to clients." msgstr "" "Esto hará que ZNC responda a los CTCP en vez de reenviarselos a los clientes." -#: controlpanel.cpp:1313 +#: controlpanel.cpp:1319 msgid "An empty reply will cause the CTCP request to be blocked." msgstr "Una respuesta vacía hará que la solicitud CTCP sea bloqueada." -#: controlpanel.cpp:1322 +#: controlpanel.cpp:1328 msgid "CTCP requests {1} to user {2} will now be blocked." msgstr "Las solicitudes CTCP {1} del usuario {2} serán bloqueadas." -#: controlpanel.cpp:1326 +#: controlpanel.cpp:1332 msgid "CTCP requests {1} to user {2} will now get reply: {3}" msgstr "Las solicitudes CTCP {1} del usuario {2} se responderán con: {3}" -#: controlpanel.cpp:1343 +#: controlpanel.cpp:1349 msgid "Usage: DelCTCP [user] [request]" msgstr "Uso: DelCTCP [usuario] [solicitud]" -#: controlpanel.cpp:1349 +#: controlpanel.cpp:1355 msgid "CTCP requests {1} to user {2} will now be sent to IRC clients" msgstr "Las solicitudes CTCP {1} del usuario {2} serán enviadas a los clientes" -#: controlpanel.cpp:1353 +#: controlpanel.cpp:1359 msgid "" "CTCP requests {1} to user {2} will be sent to IRC clients (nothing has " "changed)" @@ -459,286 +459,286 @@ msgstr "" "Las solicitudes CTCP {1} del usuario {2} serán enviadas a los clientes (no " "se ha cambiado nada)" -#: controlpanel.cpp:1363 controlpanel.cpp:1437 +#: controlpanel.cpp:1369 controlpanel.cpp:1443 msgid "Loading modules has been disabled." msgstr "La carga de módulos ha sido deshabilitada." -#: controlpanel.cpp:1372 +#: controlpanel.cpp:1378 msgid "Error: Unable to load module {1}: {2}" msgstr "Error: no se ha podido cargar el módulo {1}: {2}" -#: controlpanel.cpp:1375 +#: controlpanel.cpp:1381 msgid "Loaded module {1}" msgstr "Cargado módulo {1}" -#: controlpanel.cpp:1380 +#: controlpanel.cpp:1386 msgid "Error: Unable to reload module {1}: {2}" msgstr "Error: no se ha podido recargar el módulo {1}: {2}" -#: controlpanel.cpp:1383 +#: controlpanel.cpp:1389 msgid "Reloaded module {1}" msgstr "Recargado módulo {1}" -#: controlpanel.cpp:1387 +#: controlpanel.cpp:1393 msgid "Error: Unable to load module {1} because it is already loaded" msgstr "Error: no se ha podido cargar el módulo {1} porque ya está cargado" -#: controlpanel.cpp:1398 +#: controlpanel.cpp:1404 msgid "Usage: LoadModule [args]" msgstr "Uso: LoadModule [args]" -#: controlpanel.cpp:1417 +#: controlpanel.cpp:1423 msgid "Usage: LoadNetModule [args]" msgstr "Uso: LoadNetModule [args]" -#: controlpanel.cpp:1442 +#: controlpanel.cpp:1448 msgid "Please use /znc unloadmod {1}" msgstr "Por favor, ejecuta /znc unloadmod {1}" -#: controlpanel.cpp:1448 +#: controlpanel.cpp:1454 msgid "Error: Unable to unload module {1}: {2}" msgstr "Error: no se ha podido descargar el módulo {1}: {2}" -#: controlpanel.cpp:1451 +#: controlpanel.cpp:1457 msgid "Unloaded module {1}" msgstr "Descargado módulo {1}" -#: controlpanel.cpp:1460 +#: controlpanel.cpp:1466 msgid "Usage: UnloadModule " msgstr "Uso: UnloadModule " -#: controlpanel.cpp:1477 +#: controlpanel.cpp:1483 msgid "Usage: UnloadNetModule " msgstr "Uso: UnloadNetModule " -#: controlpanel.cpp:1494 controlpanel.cpp:1499 +#: controlpanel.cpp:1500 controlpanel.cpp:1506 msgctxt "listmodules" msgid "Name" msgstr "Nombre" -#: controlpanel.cpp:1495 controlpanel.cpp:1500 +#: controlpanel.cpp:1501 controlpanel.cpp:1507 msgctxt "listmodules" msgid "Arguments" msgstr "Parámetros" -#: controlpanel.cpp:1519 +#: controlpanel.cpp:1526 msgid "User {1} has no modules loaded." msgstr "El usuario {1} no tiene módulos cargados." -#: controlpanel.cpp:1523 +#: controlpanel.cpp:1530 msgid "Modules loaded for user {1}:" msgstr "Módulos cargados para el usuario {1}:" -#: controlpanel.cpp:1543 +#: controlpanel.cpp:1550 msgid "Network {1} of user {2} has no modules loaded." msgstr "La red {1} del usuario {2} no tiene módulos cargados." -#: controlpanel.cpp:1548 +#: controlpanel.cpp:1555 msgid "Modules loaded for network {1} of user {2}:" msgstr "Módulos cargados para la red {1} del usuario {2}:" -#: controlpanel.cpp:1555 +#: controlpanel.cpp:1562 msgid "[command] [variable]" msgstr "[comando] [variable]" -#: controlpanel.cpp:1556 +#: controlpanel.cpp:1563 msgid "Prints help for matching commands and variables" msgstr "Muestra la ayuda de los comandos y variables" -#: controlpanel.cpp:1559 +#: controlpanel.cpp:1566 msgid " [username]" msgstr " [usuario]" -#: controlpanel.cpp:1560 +#: controlpanel.cpp:1567 msgid "Prints the variable's value for the given or current user" msgstr "" "Muestra los valores de las variables del usuario actual o el proporcionado" -#: controlpanel.cpp:1562 +#: controlpanel.cpp:1569 msgid " " msgstr " " -#: controlpanel.cpp:1563 +#: controlpanel.cpp:1570 msgid "Sets the variable's value for the given user" msgstr "Ajusta los valores de variables para el usuario proporcionado" -#: controlpanel.cpp:1565 +#: controlpanel.cpp:1572 msgid " [username] [network]" msgstr " [usuario] [red]" -#: controlpanel.cpp:1566 +#: controlpanel.cpp:1573 msgid "Prints the variable's value for the given network" msgstr "Muestra los valores de las variables de la red proporcionada" -#: controlpanel.cpp:1568 +#: controlpanel.cpp:1575 msgid " " msgstr " " -#: controlpanel.cpp:1569 +#: controlpanel.cpp:1576 msgid "Sets the variable's value for the given network" msgstr "Ajusta los valores de variables para la red proporcionada" -#: controlpanel.cpp:1571 +#: controlpanel.cpp:1578 msgid " [username] " msgstr " " -#: controlpanel.cpp:1572 +#: controlpanel.cpp:1579 msgid "Prints the variable's value for the given channel" msgstr "Muestra los valores de las variables del canal proporcionado" -#: controlpanel.cpp:1575 +#: controlpanel.cpp:1582 msgid " " msgstr " " -#: controlpanel.cpp:1576 +#: controlpanel.cpp:1583 msgid "Sets the variable's value for the given channel" msgstr "Ajusta los valores de variables para el canal proporcionado" -#: controlpanel.cpp:1578 controlpanel.cpp:1581 +#: controlpanel.cpp:1585 controlpanel.cpp:1588 msgid " " msgstr " " -#: controlpanel.cpp:1579 +#: controlpanel.cpp:1586 msgid "Adds a new channel" msgstr "Añadir un nuevo canal" -#: controlpanel.cpp:1582 +#: controlpanel.cpp:1589 msgid "Deletes a channel" msgstr "Eliminar canal" -#: controlpanel.cpp:1584 +#: controlpanel.cpp:1591 msgid "Lists users" msgstr "Mostrar usuarios" -#: controlpanel.cpp:1586 +#: controlpanel.cpp:1593 msgid " " msgstr " " -#: controlpanel.cpp:1587 +#: controlpanel.cpp:1594 msgid "Adds a new user" msgstr "Añadir un usuario nuevo" -#: controlpanel.cpp:1589 controlpanel.cpp:1612 controlpanel.cpp:1626 +#: controlpanel.cpp:1596 controlpanel.cpp:1619 controlpanel.cpp:1633 msgid "" msgstr "" -#: controlpanel.cpp:1589 +#: controlpanel.cpp:1596 msgid "Deletes a user" msgstr "Eliminar usuario" -#: controlpanel.cpp:1591 +#: controlpanel.cpp:1598 msgid " " msgstr " " -#: controlpanel.cpp:1592 +#: controlpanel.cpp:1599 msgid "Clones a user" msgstr "Duplica un usuario" -#: controlpanel.cpp:1594 controlpanel.cpp:1597 +#: controlpanel.cpp:1601 controlpanel.cpp:1604 msgid " " msgstr " " -#: controlpanel.cpp:1595 +#: controlpanel.cpp:1602 msgid "Adds a new IRC server for the given or current user" msgstr "Añade un nuevo servidor de IRC para el usuario actual o proporcionado" -#: controlpanel.cpp:1598 +#: controlpanel.cpp:1605 msgid "Deletes an IRC server from the given or current user" msgstr "Borra un servidor de IRC para el usuario actual o proporcionado" -#: controlpanel.cpp:1600 controlpanel.cpp:1603 controlpanel.cpp:1623 +#: controlpanel.cpp:1607 controlpanel.cpp:1610 controlpanel.cpp:1630 msgid " " msgstr " " -#: controlpanel.cpp:1601 +#: controlpanel.cpp:1608 msgid "Cycles the user's IRC server connection" msgstr "Reconecta la conexión de un usario al IRC" -#: controlpanel.cpp:1604 +#: controlpanel.cpp:1611 msgid "Disconnects the user from their IRC server" msgstr "Desconecta un usuario de su servidor de IRC" -#: controlpanel.cpp:1606 +#: controlpanel.cpp:1613 msgid " [args]" msgstr " [args]" -#: controlpanel.cpp:1607 +#: controlpanel.cpp:1614 msgid "Loads a Module for a user" msgstr "Carga un módulo a un usuario" -#: controlpanel.cpp:1609 +#: controlpanel.cpp:1616 msgid " " msgstr " " -#: controlpanel.cpp:1610 +#: controlpanel.cpp:1617 msgid "Removes a Module of a user" msgstr "Quita un módulo de un usuario" -#: controlpanel.cpp:1613 +#: controlpanel.cpp:1620 msgid "Get the list of modules for a user" msgstr "Obtiene la lista de módulos de un usuario" -#: controlpanel.cpp:1616 +#: controlpanel.cpp:1623 msgid " [args]" msgstr " [args]" -#: controlpanel.cpp:1617 +#: controlpanel.cpp:1624 msgid "Loads a Module for a network" msgstr "Carga un módulo para una red" -#: controlpanel.cpp:1620 +#: controlpanel.cpp:1627 msgid " " msgstr " " -#: controlpanel.cpp:1621 +#: controlpanel.cpp:1628 msgid "Removes a Module of a network" msgstr "Elimina el módulo de una red" -#: controlpanel.cpp:1624 +#: controlpanel.cpp:1631 msgid "Get the list of modules for a network" msgstr "Obtiene la lista de módulos de una red" -#: controlpanel.cpp:1627 +#: controlpanel.cpp:1634 msgid "List the configured CTCP replies" msgstr "Muestra las respuestas CTCP configuradas" -#: controlpanel.cpp:1629 +#: controlpanel.cpp:1636 msgid " [reply]" msgstr " [respuesta]" -#: controlpanel.cpp:1630 +#: controlpanel.cpp:1637 msgid "Configure a new CTCP reply" msgstr "Configura una nueva respuesta CTCP" -#: controlpanel.cpp:1632 +#: controlpanel.cpp:1639 msgid " " msgstr " " -#: controlpanel.cpp:1633 +#: controlpanel.cpp:1640 msgid "Remove a CTCP reply" msgstr "Elimina una respuesta CTCP" -#: controlpanel.cpp:1637 controlpanel.cpp:1640 +#: controlpanel.cpp:1644 controlpanel.cpp:1647 msgid "[username] " msgstr "[usuario] " -#: controlpanel.cpp:1638 +#: controlpanel.cpp:1645 msgid "Add a network for a user" msgstr "Añade una red a un usuario" -#: controlpanel.cpp:1641 +#: controlpanel.cpp:1648 msgid "Delete a network for a user" msgstr "Borra la red de un usuario" -#: controlpanel.cpp:1643 +#: controlpanel.cpp:1650 msgid "[username]" msgstr "[usuario]" -#: controlpanel.cpp:1644 +#: controlpanel.cpp:1651 msgid "List all networks for a user" msgstr "Muestra las redes de un usuario" -#: controlpanel.cpp:1657 +#: controlpanel.cpp:1664 msgid "" "Dynamic configuration through IRC. Allows editing only yourself if you're " "not ZNC admin." diff --git a/modules/po/controlpanel.fr_FR.po b/modules/po/controlpanel.fr_FR.po index 9e68ea0f..70d84028 100644 --- a/modules/po/controlpanel.fr_FR.po +++ b/modules/po/controlpanel.fr_FR.po @@ -8,710 +8,710 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/controlpanel.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" -#: controlpanel.cpp:51 controlpanel.cpp:63 +#: controlpanel.cpp:51 controlpanel.cpp:64 msgctxt "helptable" msgid "Type" msgstr "" -#: controlpanel.cpp:52 controlpanel.cpp:65 +#: controlpanel.cpp:52 controlpanel.cpp:66 msgctxt "helptable" msgid "Variables" msgstr "" -#: controlpanel.cpp:77 +#: controlpanel.cpp:78 msgid "String" msgstr "" -#: controlpanel.cpp:78 +#: controlpanel.cpp:79 msgid "Boolean (true/false)" msgstr "" -#: controlpanel.cpp:79 +#: controlpanel.cpp:80 msgid "Integer" msgstr "" -#: controlpanel.cpp:80 +#: controlpanel.cpp:81 msgid "Number" msgstr "" -#: controlpanel.cpp:123 +#: controlpanel.cpp:125 msgid "The following variables are available when using the Set/Get commands:" msgstr "" -#: controlpanel.cpp:146 +#: controlpanel.cpp:149 msgid "" "The following variables are available when using the SetNetwork/GetNetwork " "commands:" msgstr "" -#: controlpanel.cpp:159 +#: controlpanel.cpp:163 msgid "" "The following variables are available when using the SetChan/GetChan " "commands:" msgstr "" -#: controlpanel.cpp:165 +#: controlpanel.cpp:170 msgid "" "You can use $user as the user name and $network as the network name for " "modifying your own user and network." msgstr "" -#: controlpanel.cpp:174 controlpanel.cpp:961 controlpanel.cpp:998 +#: controlpanel.cpp:179 controlpanel.cpp:966 controlpanel.cpp:1003 msgid "Error: User [{1}] does not exist!" msgstr "" -#: controlpanel.cpp:179 +#: controlpanel.cpp:184 msgid "Error: You need to have admin rights to modify other users!" msgstr "" -#: controlpanel.cpp:189 +#: controlpanel.cpp:194 msgid "Error: You cannot use $network to modify other users!" msgstr "" -#: controlpanel.cpp:197 +#: controlpanel.cpp:202 msgid "Error: User {1} does not have a network named [{2}]." msgstr "" -#: controlpanel.cpp:209 +#: controlpanel.cpp:214 msgid "Usage: Get [username]" msgstr "" -#: controlpanel.cpp:299 controlpanel.cpp:502 controlpanel.cpp:577 -#: controlpanel.cpp:653 controlpanel.cpp:788 controlpanel.cpp:873 +#: controlpanel.cpp:304 controlpanel.cpp:507 controlpanel.cpp:582 +#: controlpanel.cpp:658 controlpanel.cpp:793 controlpanel.cpp:878 msgid "Error: Unknown variable" msgstr "" -#: controlpanel.cpp:308 +#: controlpanel.cpp:313 msgid "Usage: Set " msgstr "" -#: controlpanel.cpp:330 controlpanel.cpp:618 +#: controlpanel.cpp:335 controlpanel.cpp:623 msgid "This bind host is already set!" msgstr "" -#: controlpanel.cpp:337 controlpanel.cpp:349 controlpanel.cpp:357 -#: controlpanel.cpp:420 controlpanel.cpp:439 controlpanel.cpp:455 -#: controlpanel.cpp:465 controlpanel.cpp:625 +#: controlpanel.cpp:342 controlpanel.cpp:354 controlpanel.cpp:362 +#: controlpanel.cpp:425 controlpanel.cpp:444 controlpanel.cpp:460 +#: controlpanel.cpp:470 controlpanel.cpp:630 msgid "Access denied!" msgstr "" -#: controlpanel.cpp:371 controlpanel.cpp:380 controlpanel.cpp:837 +#: controlpanel.cpp:376 controlpanel.cpp:385 controlpanel.cpp:842 msgid "Setting failed, limit for buffer size is {1}" msgstr "" -#: controlpanel.cpp:400 +#: controlpanel.cpp:405 msgid "Password has been changed!" msgstr "" -#: controlpanel.cpp:408 +#: controlpanel.cpp:413 msgid "Timeout can't be less than 30 seconds!" msgstr "" -#: controlpanel.cpp:472 +#: controlpanel.cpp:477 msgid "That would be a bad idea!" msgstr "" -#: controlpanel.cpp:490 +#: controlpanel.cpp:495 msgid "Supported languages: {1}" msgstr "" -#: controlpanel.cpp:514 +#: controlpanel.cpp:519 msgid "Usage: GetNetwork [username] [network]" msgstr "" -#: controlpanel.cpp:533 +#: controlpanel.cpp:538 msgid "Error: A network must be specified to get another users settings." msgstr "" -#: controlpanel.cpp:539 +#: controlpanel.cpp:544 msgid "You are not currently attached to a network." msgstr "" -#: controlpanel.cpp:545 +#: controlpanel.cpp:550 msgid "Error: Invalid network." msgstr "" -#: controlpanel.cpp:589 +#: controlpanel.cpp:594 msgid "Usage: SetNetwork " msgstr "" -#: controlpanel.cpp:663 +#: controlpanel.cpp:668 msgid "Usage: AddChan " msgstr "" -#: controlpanel.cpp:676 +#: controlpanel.cpp:681 msgid "Error: User {1} already has a channel named {2}." msgstr "" -#: controlpanel.cpp:683 +#: controlpanel.cpp:688 msgid "Channel {1} for user {2} added to network {3}." msgstr "" -#: controlpanel.cpp:687 +#: controlpanel.cpp:692 msgid "" "Could not add channel {1} for user {2} to network {3}, does it already exist?" msgstr "" -#: controlpanel.cpp:697 +#: controlpanel.cpp:702 msgid "Usage: DelChan " msgstr "" -#: controlpanel.cpp:712 +#: controlpanel.cpp:717 msgid "Error: User {1} does not have any channel matching [{2}] in network {3}" msgstr "" -#: controlpanel.cpp:725 +#: controlpanel.cpp:730 msgid "Channel {1} is deleted from network {2} of user {3}" msgid_plural "Channels {1} are deleted from network {2} of user {3}" msgstr[0] "" msgstr[1] "" -#: controlpanel.cpp:740 +#: controlpanel.cpp:745 msgid "Usage: GetChan " msgstr "" -#: controlpanel.cpp:754 controlpanel.cpp:818 +#: controlpanel.cpp:759 controlpanel.cpp:823 msgid "Error: No channels matching [{1}] found." msgstr "" -#: controlpanel.cpp:803 +#: controlpanel.cpp:808 msgid "Usage: SetChan " msgstr "" -#: controlpanel.cpp:884 controlpanel.cpp:894 +#: controlpanel.cpp:889 controlpanel.cpp:899 msgctxt "listusers" msgid "Username" msgstr "" -#: controlpanel.cpp:885 controlpanel.cpp:895 +#: controlpanel.cpp:890 controlpanel.cpp:900 msgctxt "listusers" msgid "Realname" msgstr "" -#: controlpanel.cpp:886 controlpanel.cpp:898 controlpanel.cpp:900 +#: controlpanel.cpp:891 controlpanel.cpp:903 controlpanel.cpp:905 msgctxt "listusers" msgid "IsAdmin" msgstr "" -#: controlpanel.cpp:887 controlpanel.cpp:901 +#: controlpanel.cpp:892 controlpanel.cpp:906 msgctxt "listusers" msgid "Nick" msgstr "" -#: controlpanel.cpp:888 controlpanel.cpp:902 +#: controlpanel.cpp:893 controlpanel.cpp:907 msgctxt "listusers" msgid "AltNick" msgstr "" -#: controlpanel.cpp:889 controlpanel.cpp:903 +#: controlpanel.cpp:894 controlpanel.cpp:908 msgctxt "listusers" msgid "Ident" msgstr "" -#: controlpanel.cpp:890 controlpanel.cpp:904 +#: controlpanel.cpp:895 controlpanel.cpp:909 msgctxt "listusers" msgid "BindHost" msgstr "" -#: controlpanel.cpp:898 controlpanel.cpp:1138 +#: controlpanel.cpp:903 controlpanel.cpp:1143 msgid "No" msgstr "" -#: controlpanel.cpp:900 controlpanel.cpp:1130 +#: controlpanel.cpp:905 controlpanel.cpp:1135 msgid "Yes" msgstr "" -#: controlpanel.cpp:914 controlpanel.cpp:983 +#: controlpanel.cpp:919 controlpanel.cpp:988 msgid "Error: You need to have admin rights to add new users!" msgstr "" -#: controlpanel.cpp:920 +#: controlpanel.cpp:925 msgid "Usage: AddUser " msgstr "" -#: controlpanel.cpp:925 +#: controlpanel.cpp:930 msgid "Error: User {1} already exists!" msgstr "" -#: controlpanel.cpp:937 controlpanel.cpp:1012 +#: controlpanel.cpp:942 controlpanel.cpp:1017 msgid "Error: User not added: {1}" msgstr "" -#: controlpanel.cpp:941 controlpanel.cpp:1016 +#: controlpanel.cpp:946 controlpanel.cpp:1021 msgid "User {1} added!" msgstr "" -#: controlpanel.cpp:948 +#: controlpanel.cpp:953 msgid "Error: You need to have admin rights to delete users!" msgstr "" -#: controlpanel.cpp:954 +#: controlpanel.cpp:959 msgid "Usage: DelUser " msgstr "" -#: controlpanel.cpp:966 +#: controlpanel.cpp:971 msgid "Error: You can't delete yourself!" msgstr "" -#: controlpanel.cpp:972 +#: controlpanel.cpp:977 msgid "Error: Internal error!" msgstr "" -#: controlpanel.cpp:976 +#: controlpanel.cpp:981 msgid "User {1} deleted!" msgstr "" -#: controlpanel.cpp:991 +#: controlpanel.cpp:996 msgid "Usage: CloneUser " msgstr "" -#: controlpanel.cpp:1006 +#: controlpanel.cpp:1011 msgid "Error: Cloning failed: {1}" msgstr "" -#: controlpanel.cpp:1035 +#: controlpanel.cpp:1040 msgid "Usage: AddNetwork [user] network" msgstr "" -#: controlpanel.cpp:1041 +#: controlpanel.cpp:1046 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks using /znc DelNetwork " msgstr "" -#: controlpanel.cpp:1049 +#: controlpanel.cpp:1054 msgid "Error: User {1} already has a network with the name {2}" msgstr "" -#: controlpanel.cpp:1056 +#: controlpanel.cpp:1061 msgid "Network {1} added to user {2}." msgstr "" -#: controlpanel.cpp:1060 +#: controlpanel.cpp:1065 msgid "Error: Network [{1}] could not be added for user {2}: {3}" msgstr "" -#: controlpanel.cpp:1080 +#: controlpanel.cpp:1085 msgid "Usage: DelNetwork [user] network" msgstr "" -#: controlpanel.cpp:1091 +#: controlpanel.cpp:1096 msgid "The currently active network can be deleted via {1}status" msgstr "" -#: controlpanel.cpp:1097 +#: controlpanel.cpp:1102 msgid "Network {1} deleted for user {2}." msgstr "" -#: controlpanel.cpp:1101 +#: controlpanel.cpp:1106 msgid "Error: Network {1} could not be deleted for user {2}." msgstr "" -#: controlpanel.cpp:1120 controlpanel.cpp:1128 +#: controlpanel.cpp:1125 controlpanel.cpp:1133 msgctxt "listnetworks" msgid "Network" msgstr "" -#: controlpanel.cpp:1121 controlpanel.cpp:1130 controlpanel.cpp:1138 +#: controlpanel.cpp:1126 controlpanel.cpp:1135 controlpanel.cpp:1143 msgctxt "listnetworks" msgid "OnIRC" msgstr "" -#: controlpanel.cpp:1122 controlpanel.cpp:1131 +#: controlpanel.cpp:1127 controlpanel.cpp:1136 msgctxt "listnetworks" msgid "IRC Server" msgstr "" -#: controlpanel.cpp:1123 controlpanel.cpp:1133 +#: controlpanel.cpp:1128 controlpanel.cpp:1138 msgctxt "listnetworks" msgid "IRC User" msgstr "" -#: controlpanel.cpp:1124 controlpanel.cpp:1135 +#: controlpanel.cpp:1129 controlpanel.cpp:1140 msgctxt "listnetworks" msgid "Channels" msgstr "" -#: controlpanel.cpp:1143 +#: controlpanel.cpp:1148 msgid "No networks" msgstr "" -#: controlpanel.cpp:1154 +#: controlpanel.cpp:1159 msgid "Usage: AddServer [[+]port] [password]" msgstr "" -#: controlpanel.cpp:1168 +#: controlpanel.cpp:1173 msgid "Added IRC Server {1} to network {2} for user {3}." msgstr "" -#: controlpanel.cpp:1172 +#: controlpanel.cpp:1177 msgid "Error: Could not add IRC server {1} to network {2} for user {3}." msgstr "" -#: controlpanel.cpp:1185 +#: controlpanel.cpp:1190 msgid "Usage: DelServer [[+]port] [password]" msgstr "" -#: controlpanel.cpp:1200 +#: controlpanel.cpp:1205 msgid "Deleted IRC Server {1} from network {2} for user {3}." msgstr "" -#: controlpanel.cpp:1204 +#: controlpanel.cpp:1209 msgid "Error: Could not delete IRC server {1} from network {2} for user {3}." msgstr "" -#: controlpanel.cpp:1214 +#: controlpanel.cpp:1219 msgid "Usage: Reconnect " msgstr "" -#: controlpanel.cpp:1241 +#: controlpanel.cpp:1246 msgid "Queued network {1} of user {2} for a reconnect." msgstr "" -#: controlpanel.cpp:1250 +#: controlpanel.cpp:1255 msgid "Usage: Disconnect " msgstr "" -#: controlpanel.cpp:1265 +#: controlpanel.cpp:1270 msgid "Closed IRC connection for network {1} of user {2}." msgstr "" -#: controlpanel.cpp:1280 controlpanel.cpp:1284 +#: controlpanel.cpp:1285 controlpanel.cpp:1290 msgctxt "listctcp" msgid "Request" msgstr "" -#: controlpanel.cpp:1281 controlpanel.cpp:1285 +#: controlpanel.cpp:1286 controlpanel.cpp:1291 msgctxt "listctcp" msgid "Reply" msgstr "" -#: controlpanel.cpp:1289 +#: controlpanel.cpp:1295 msgid "No CTCP replies for user {1} are configured" msgstr "" -#: controlpanel.cpp:1292 +#: controlpanel.cpp:1298 msgid "CTCP replies for user {1}:" msgstr "" -#: controlpanel.cpp:1308 +#: controlpanel.cpp:1314 msgid "Usage: AddCTCP [user] [request] [reply]" msgstr "" -#: controlpanel.cpp:1310 +#: controlpanel.cpp:1316 msgid "" "This will cause ZNC to reply to the CTCP instead of forwarding it to clients." msgstr "" -#: controlpanel.cpp:1313 +#: controlpanel.cpp:1319 msgid "An empty reply will cause the CTCP request to be blocked." msgstr "" -#: controlpanel.cpp:1322 +#: controlpanel.cpp:1328 msgid "CTCP requests {1} to user {2} will now be blocked." msgstr "" -#: controlpanel.cpp:1326 +#: controlpanel.cpp:1332 msgid "CTCP requests {1} to user {2} will now get reply: {3}" msgstr "" -#: controlpanel.cpp:1343 +#: controlpanel.cpp:1349 msgid "Usage: DelCTCP [user] [request]" msgstr "" -#: controlpanel.cpp:1349 +#: controlpanel.cpp:1355 msgid "CTCP requests {1} to user {2} will now be sent to IRC clients" msgstr "" -#: controlpanel.cpp:1353 +#: controlpanel.cpp:1359 msgid "" "CTCP requests {1} to user {2} will be sent to IRC clients (nothing has " "changed)" msgstr "" -#: controlpanel.cpp:1363 controlpanel.cpp:1437 +#: controlpanel.cpp:1369 controlpanel.cpp:1443 msgid "Loading modules has been disabled." msgstr "" -#: controlpanel.cpp:1372 +#: controlpanel.cpp:1378 msgid "Error: Unable to load module {1}: {2}" msgstr "" -#: controlpanel.cpp:1375 +#: controlpanel.cpp:1381 msgid "Loaded module {1}" msgstr "" -#: controlpanel.cpp:1380 +#: controlpanel.cpp:1386 msgid "Error: Unable to reload module {1}: {2}" msgstr "" -#: controlpanel.cpp:1383 +#: controlpanel.cpp:1389 msgid "Reloaded module {1}" msgstr "" -#: controlpanel.cpp:1387 +#: controlpanel.cpp:1393 msgid "Error: Unable to load module {1} because it is already loaded" msgstr "" -#: controlpanel.cpp:1398 +#: controlpanel.cpp:1404 msgid "Usage: LoadModule [args]" msgstr "" -#: controlpanel.cpp:1417 +#: controlpanel.cpp:1423 msgid "Usage: LoadNetModule [args]" msgstr "" -#: controlpanel.cpp:1442 +#: controlpanel.cpp:1448 msgid "Please use /znc unloadmod {1}" msgstr "" -#: controlpanel.cpp:1448 +#: controlpanel.cpp:1454 msgid "Error: Unable to unload module {1}: {2}" msgstr "" -#: controlpanel.cpp:1451 +#: controlpanel.cpp:1457 msgid "Unloaded module {1}" msgstr "" -#: controlpanel.cpp:1460 +#: controlpanel.cpp:1466 msgid "Usage: UnloadModule " msgstr "" -#: controlpanel.cpp:1477 +#: controlpanel.cpp:1483 msgid "Usage: UnloadNetModule " msgstr "" -#: controlpanel.cpp:1494 controlpanel.cpp:1499 +#: controlpanel.cpp:1500 controlpanel.cpp:1506 msgctxt "listmodules" msgid "Name" msgstr "" -#: controlpanel.cpp:1495 controlpanel.cpp:1500 +#: controlpanel.cpp:1501 controlpanel.cpp:1507 msgctxt "listmodules" msgid "Arguments" msgstr "" -#: controlpanel.cpp:1519 +#: controlpanel.cpp:1526 msgid "User {1} has no modules loaded." msgstr "" -#: controlpanel.cpp:1523 +#: controlpanel.cpp:1530 msgid "Modules loaded for user {1}:" msgstr "" -#: controlpanel.cpp:1543 +#: controlpanel.cpp:1550 msgid "Network {1} of user {2} has no modules loaded." msgstr "" -#: controlpanel.cpp:1548 +#: controlpanel.cpp:1555 msgid "Modules loaded for network {1} of user {2}:" msgstr "" -#: controlpanel.cpp:1555 +#: controlpanel.cpp:1562 msgid "[command] [variable]" msgstr "" -#: controlpanel.cpp:1556 +#: controlpanel.cpp:1563 msgid "Prints help for matching commands and variables" msgstr "" -#: controlpanel.cpp:1559 +#: controlpanel.cpp:1566 msgid " [username]" msgstr "" -#: controlpanel.cpp:1560 +#: controlpanel.cpp:1567 msgid "Prints the variable's value for the given or current user" msgstr "" -#: controlpanel.cpp:1562 +#: controlpanel.cpp:1569 msgid " " msgstr "" -#: controlpanel.cpp:1563 +#: controlpanel.cpp:1570 msgid "Sets the variable's value for the given user" msgstr "" -#: controlpanel.cpp:1565 +#: controlpanel.cpp:1572 msgid " [username] [network]" msgstr "" -#: controlpanel.cpp:1566 +#: controlpanel.cpp:1573 msgid "Prints the variable's value for the given network" msgstr "" -#: controlpanel.cpp:1568 +#: controlpanel.cpp:1575 msgid " " msgstr "" -#: controlpanel.cpp:1569 +#: controlpanel.cpp:1576 msgid "Sets the variable's value for the given network" msgstr "" -#: controlpanel.cpp:1571 +#: controlpanel.cpp:1578 msgid " [username] " msgstr "" -#: controlpanel.cpp:1572 +#: controlpanel.cpp:1579 msgid "Prints the variable's value for the given channel" msgstr "" -#: controlpanel.cpp:1575 +#: controlpanel.cpp:1582 msgid " " msgstr "" -#: controlpanel.cpp:1576 +#: controlpanel.cpp:1583 msgid "Sets the variable's value for the given channel" msgstr "" -#: controlpanel.cpp:1578 controlpanel.cpp:1581 +#: controlpanel.cpp:1585 controlpanel.cpp:1588 msgid " " msgstr "" -#: controlpanel.cpp:1579 +#: controlpanel.cpp:1586 msgid "Adds a new channel" msgstr "" -#: controlpanel.cpp:1582 +#: controlpanel.cpp:1589 msgid "Deletes a channel" msgstr "" -#: controlpanel.cpp:1584 +#: controlpanel.cpp:1591 msgid "Lists users" msgstr "" -#: controlpanel.cpp:1586 +#: controlpanel.cpp:1593 msgid " " msgstr "" -#: controlpanel.cpp:1587 +#: controlpanel.cpp:1594 msgid "Adds a new user" msgstr "" -#: controlpanel.cpp:1589 controlpanel.cpp:1612 controlpanel.cpp:1626 +#: controlpanel.cpp:1596 controlpanel.cpp:1619 controlpanel.cpp:1633 msgid "" msgstr "" -#: controlpanel.cpp:1589 +#: controlpanel.cpp:1596 msgid "Deletes a user" msgstr "" -#: controlpanel.cpp:1591 +#: controlpanel.cpp:1598 msgid " " msgstr "" -#: controlpanel.cpp:1592 +#: controlpanel.cpp:1599 msgid "Clones a user" msgstr "" -#: controlpanel.cpp:1594 controlpanel.cpp:1597 +#: controlpanel.cpp:1601 controlpanel.cpp:1604 msgid " " msgstr "" -#: controlpanel.cpp:1595 +#: controlpanel.cpp:1602 msgid "Adds a new IRC server for the given or current user" msgstr "" -#: controlpanel.cpp:1598 +#: controlpanel.cpp:1605 msgid "Deletes an IRC server from the given or current user" msgstr "" -#: controlpanel.cpp:1600 controlpanel.cpp:1603 controlpanel.cpp:1623 +#: controlpanel.cpp:1607 controlpanel.cpp:1610 controlpanel.cpp:1630 msgid " " msgstr "" -#: controlpanel.cpp:1601 +#: controlpanel.cpp:1608 msgid "Cycles the user's IRC server connection" msgstr "" -#: controlpanel.cpp:1604 +#: controlpanel.cpp:1611 msgid "Disconnects the user from their IRC server" msgstr "" -#: controlpanel.cpp:1606 +#: controlpanel.cpp:1613 msgid " [args]" msgstr "" -#: controlpanel.cpp:1607 +#: controlpanel.cpp:1614 msgid "Loads a Module for a user" msgstr "" -#: controlpanel.cpp:1609 +#: controlpanel.cpp:1616 msgid " " msgstr "" -#: controlpanel.cpp:1610 +#: controlpanel.cpp:1617 msgid "Removes a Module of a user" msgstr "" -#: controlpanel.cpp:1613 +#: controlpanel.cpp:1620 msgid "Get the list of modules for a user" msgstr "" -#: controlpanel.cpp:1616 +#: controlpanel.cpp:1623 msgid " [args]" msgstr "" -#: controlpanel.cpp:1617 +#: controlpanel.cpp:1624 msgid "Loads a Module for a network" msgstr "" -#: controlpanel.cpp:1620 +#: controlpanel.cpp:1627 msgid " " msgstr "" -#: controlpanel.cpp:1621 +#: controlpanel.cpp:1628 msgid "Removes a Module of a network" msgstr "" -#: controlpanel.cpp:1624 +#: controlpanel.cpp:1631 msgid "Get the list of modules for a network" msgstr "" -#: controlpanel.cpp:1627 +#: controlpanel.cpp:1634 msgid "List the configured CTCP replies" msgstr "" -#: controlpanel.cpp:1629 +#: controlpanel.cpp:1636 msgid " [reply]" msgstr "" -#: controlpanel.cpp:1630 +#: controlpanel.cpp:1637 msgid "Configure a new CTCP reply" msgstr "" -#: controlpanel.cpp:1632 +#: controlpanel.cpp:1639 msgid " " msgstr "" -#: controlpanel.cpp:1633 +#: controlpanel.cpp:1640 msgid "Remove a CTCP reply" msgstr "" -#: controlpanel.cpp:1637 controlpanel.cpp:1640 +#: controlpanel.cpp:1644 controlpanel.cpp:1647 msgid "[username] " msgstr "" -#: controlpanel.cpp:1638 +#: controlpanel.cpp:1645 msgid "Add a network for a user" msgstr "" -#: controlpanel.cpp:1641 +#: controlpanel.cpp:1648 msgid "Delete a network for a user" msgstr "" -#: controlpanel.cpp:1643 +#: controlpanel.cpp:1650 msgid "[username]" msgstr "" -#: controlpanel.cpp:1644 +#: controlpanel.cpp:1651 msgid "List all networks for a user" msgstr "" -#: controlpanel.cpp:1657 +#: controlpanel.cpp:1664 msgid "" "Dynamic configuration through IRC. Allows editing only yourself if you're " "not ZNC admin." diff --git a/modules/po/controlpanel.id_ID.po b/modules/po/controlpanel.id_ID.po index e206e8b9..5290df41 100644 --- a/modules/po/controlpanel.id_ID.po +++ b/modules/po/controlpanel.id_ID.po @@ -8,709 +8,709 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/controlpanel.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" -#: controlpanel.cpp:51 controlpanel.cpp:63 +#: controlpanel.cpp:51 controlpanel.cpp:64 msgctxt "helptable" msgid "Type" msgstr "" -#: controlpanel.cpp:52 controlpanel.cpp:65 +#: controlpanel.cpp:52 controlpanel.cpp:66 msgctxt "helptable" msgid "Variables" msgstr "" -#: controlpanel.cpp:77 +#: controlpanel.cpp:78 msgid "String" msgstr "" -#: controlpanel.cpp:78 +#: controlpanel.cpp:79 msgid "Boolean (true/false)" msgstr "" -#: controlpanel.cpp:79 +#: controlpanel.cpp:80 msgid "Integer" msgstr "" -#: controlpanel.cpp:80 +#: controlpanel.cpp:81 msgid "Number" msgstr "" -#: controlpanel.cpp:123 +#: controlpanel.cpp:125 msgid "The following variables are available when using the Set/Get commands:" msgstr "" -#: controlpanel.cpp:146 +#: controlpanel.cpp:149 msgid "" "The following variables are available when using the SetNetwork/GetNetwork " "commands:" msgstr "" -#: controlpanel.cpp:159 +#: controlpanel.cpp:163 msgid "" "The following variables are available when using the SetChan/GetChan " "commands:" msgstr "" -#: controlpanel.cpp:165 +#: controlpanel.cpp:170 msgid "" "You can use $user as the user name and $network as the network name for " "modifying your own user and network." msgstr "" -#: controlpanel.cpp:174 controlpanel.cpp:961 controlpanel.cpp:998 +#: controlpanel.cpp:179 controlpanel.cpp:966 controlpanel.cpp:1003 msgid "Error: User [{1}] does not exist!" msgstr "" -#: controlpanel.cpp:179 +#: controlpanel.cpp:184 msgid "Error: You need to have admin rights to modify other users!" msgstr "" -#: controlpanel.cpp:189 +#: controlpanel.cpp:194 msgid "Error: You cannot use $network to modify other users!" msgstr "" -#: controlpanel.cpp:197 +#: controlpanel.cpp:202 msgid "Error: User {1} does not have a network named [{2}]." msgstr "" -#: controlpanel.cpp:209 +#: controlpanel.cpp:214 msgid "Usage: Get [username]" msgstr "" -#: controlpanel.cpp:299 controlpanel.cpp:502 controlpanel.cpp:577 -#: controlpanel.cpp:653 controlpanel.cpp:788 controlpanel.cpp:873 +#: controlpanel.cpp:304 controlpanel.cpp:507 controlpanel.cpp:582 +#: controlpanel.cpp:658 controlpanel.cpp:793 controlpanel.cpp:878 msgid "Error: Unknown variable" msgstr "" -#: controlpanel.cpp:308 +#: controlpanel.cpp:313 msgid "Usage: Set " msgstr "" -#: controlpanel.cpp:330 controlpanel.cpp:618 +#: controlpanel.cpp:335 controlpanel.cpp:623 msgid "This bind host is already set!" msgstr "" -#: controlpanel.cpp:337 controlpanel.cpp:349 controlpanel.cpp:357 -#: controlpanel.cpp:420 controlpanel.cpp:439 controlpanel.cpp:455 -#: controlpanel.cpp:465 controlpanel.cpp:625 +#: controlpanel.cpp:342 controlpanel.cpp:354 controlpanel.cpp:362 +#: controlpanel.cpp:425 controlpanel.cpp:444 controlpanel.cpp:460 +#: controlpanel.cpp:470 controlpanel.cpp:630 msgid "Access denied!" msgstr "" -#: controlpanel.cpp:371 controlpanel.cpp:380 controlpanel.cpp:837 +#: controlpanel.cpp:376 controlpanel.cpp:385 controlpanel.cpp:842 msgid "Setting failed, limit for buffer size is {1}" msgstr "" -#: controlpanel.cpp:400 +#: controlpanel.cpp:405 msgid "Password has been changed!" msgstr "" -#: controlpanel.cpp:408 +#: controlpanel.cpp:413 msgid "Timeout can't be less than 30 seconds!" msgstr "" -#: controlpanel.cpp:472 +#: controlpanel.cpp:477 msgid "That would be a bad idea!" msgstr "" -#: controlpanel.cpp:490 +#: controlpanel.cpp:495 msgid "Supported languages: {1}" msgstr "" -#: controlpanel.cpp:514 +#: controlpanel.cpp:519 msgid "Usage: GetNetwork [username] [network]" msgstr "" -#: controlpanel.cpp:533 +#: controlpanel.cpp:538 msgid "Error: A network must be specified to get another users settings." msgstr "" -#: controlpanel.cpp:539 +#: controlpanel.cpp:544 msgid "You are not currently attached to a network." msgstr "" -#: controlpanel.cpp:545 +#: controlpanel.cpp:550 msgid "Error: Invalid network." msgstr "" -#: controlpanel.cpp:589 +#: controlpanel.cpp:594 msgid "Usage: SetNetwork " msgstr "" -#: controlpanel.cpp:663 +#: controlpanel.cpp:668 msgid "Usage: AddChan " msgstr "" -#: controlpanel.cpp:676 +#: controlpanel.cpp:681 msgid "Error: User {1} already has a channel named {2}." msgstr "" -#: controlpanel.cpp:683 +#: controlpanel.cpp:688 msgid "Channel {1} for user {2} added to network {3}." msgstr "" -#: controlpanel.cpp:687 +#: controlpanel.cpp:692 msgid "" "Could not add channel {1} for user {2} to network {3}, does it already exist?" msgstr "" -#: controlpanel.cpp:697 +#: controlpanel.cpp:702 msgid "Usage: DelChan " msgstr "" -#: controlpanel.cpp:712 +#: controlpanel.cpp:717 msgid "Error: User {1} does not have any channel matching [{2}] in network {3}" msgstr "" -#: controlpanel.cpp:725 +#: controlpanel.cpp:730 msgid "Channel {1} is deleted from network {2} of user {3}" msgid_plural "Channels {1} are deleted from network {2} of user {3}" msgstr[0] "" -#: controlpanel.cpp:740 +#: controlpanel.cpp:745 msgid "Usage: GetChan " msgstr "" -#: controlpanel.cpp:754 controlpanel.cpp:818 +#: controlpanel.cpp:759 controlpanel.cpp:823 msgid "Error: No channels matching [{1}] found." msgstr "" -#: controlpanel.cpp:803 +#: controlpanel.cpp:808 msgid "Usage: SetChan " msgstr "" -#: controlpanel.cpp:884 controlpanel.cpp:894 +#: controlpanel.cpp:889 controlpanel.cpp:899 msgctxt "listusers" msgid "Username" msgstr "" -#: controlpanel.cpp:885 controlpanel.cpp:895 +#: controlpanel.cpp:890 controlpanel.cpp:900 msgctxt "listusers" msgid "Realname" msgstr "" -#: controlpanel.cpp:886 controlpanel.cpp:898 controlpanel.cpp:900 +#: controlpanel.cpp:891 controlpanel.cpp:903 controlpanel.cpp:905 msgctxt "listusers" msgid "IsAdmin" msgstr "" -#: controlpanel.cpp:887 controlpanel.cpp:901 +#: controlpanel.cpp:892 controlpanel.cpp:906 msgctxt "listusers" msgid "Nick" msgstr "" -#: controlpanel.cpp:888 controlpanel.cpp:902 +#: controlpanel.cpp:893 controlpanel.cpp:907 msgctxt "listusers" msgid "AltNick" msgstr "" -#: controlpanel.cpp:889 controlpanel.cpp:903 +#: controlpanel.cpp:894 controlpanel.cpp:908 msgctxt "listusers" msgid "Ident" msgstr "" -#: controlpanel.cpp:890 controlpanel.cpp:904 +#: controlpanel.cpp:895 controlpanel.cpp:909 msgctxt "listusers" msgid "BindHost" msgstr "" -#: controlpanel.cpp:898 controlpanel.cpp:1138 +#: controlpanel.cpp:903 controlpanel.cpp:1143 msgid "No" msgstr "" -#: controlpanel.cpp:900 controlpanel.cpp:1130 +#: controlpanel.cpp:905 controlpanel.cpp:1135 msgid "Yes" msgstr "" -#: controlpanel.cpp:914 controlpanel.cpp:983 +#: controlpanel.cpp:919 controlpanel.cpp:988 msgid "Error: You need to have admin rights to add new users!" msgstr "" -#: controlpanel.cpp:920 +#: controlpanel.cpp:925 msgid "Usage: AddUser " msgstr "" -#: controlpanel.cpp:925 +#: controlpanel.cpp:930 msgid "Error: User {1} already exists!" msgstr "" -#: controlpanel.cpp:937 controlpanel.cpp:1012 +#: controlpanel.cpp:942 controlpanel.cpp:1017 msgid "Error: User not added: {1}" msgstr "" -#: controlpanel.cpp:941 controlpanel.cpp:1016 +#: controlpanel.cpp:946 controlpanel.cpp:1021 msgid "User {1} added!" msgstr "" -#: controlpanel.cpp:948 +#: controlpanel.cpp:953 msgid "Error: You need to have admin rights to delete users!" msgstr "" -#: controlpanel.cpp:954 +#: controlpanel.cpp:959 msgid "Usage: DelUser " msgstr "" -#: controlpanel.cpp:966 +#: controlpanel.cpp:971 msgid "Error: You can't delete yourself!" msgstr "" -#: controlpanel.cpp:972 +#: controlpanel.cpp:977 msgid "Error: Internal error!" msgstr "" -#: controlpanel.cpp:976 +#: controlpanel.cpp:981 msgid "User {1} deleted!" msgstr "" -#: controlpanel.cpp:991 +#: controlpanel.cpp:996 msgid "Usage: CloneUser " msgstr "" -#: controlpanel.cpp:1006 +#: controlpanel.cpp:1011 msgid "Error: Cloning failed: {1}" msgstr "" -#: controlpanel.cpp:1035 +#: controlpanel.cpp:1040 msgid "Usage: AddNetwork [user] network" msgstr "" -#: controlpanel.cpp:1041 +#: controlpanel.cpp:1046 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks using /znc DelNetwork " msgstr "" -#: controlpanel.cpp:1049 +#: controlpanel.cpp:1054 msgid "Error: User {1} already has a network with the name {2}" msgstr "" -#: controlpanel.cpp:1056 +#: controlpanel.cpp:1061 msgid "Network {1} added to user {2}." msgstr "" -#: controlpanel.cpp:1060 +#: controlpanel.cpp:1065 msgid "Error: Network [{1}] could not be added for user {2}: {3}" msgstr "" -#: controlpanel.cpp:1080 +#: controlpanel.cpp:1085 msgid "Usage: DelNetwork [user] network" msgstr "" -#: controlpanel.cpp:1091 +#: controlpanel.cpp:1096 msgid "The currently active network can be deleted via {1}status" msgstr "" -#: controlpanel.cpp:1097 +#: controlpanel.cpp:1102 msgid "Network {1} deleted for user {2}." msgstr "" -#: controlpanel.cpp:1101 +#: controlpanel.cpp:1106 msgid "Error: Network {1} could not be deleted for user {2}." msgstr "" -#: controlpanel.cpp:1120 controlpanel.cpp:1128 +#: controlpanel.cpp:1125 controlpanel.cpp:1133 msgctxt "listnetworks" msgid "Network" msgstr "" -#: controlpanel.cpp:1121 controlpanel.cpp:1130 controlpanel.cpp:1138 +#: controlpanel.cpp:1126 controlpanel.cpp:1135 controlpanel.cpp:1143 msgctxt "listnetworks" msgid "OnIRC" msgstr "" -#: controlpanel.cpp:1122 controlpanel.cpp:1131 +#: controlpanel.cpp:1127 controlpanel.cpp:1136 msgctxt "listnetworks" msgid "IRC Server" msgstr "" -#: controlpanel.cpp:1123 controlpanel.cpp:1133 +#: controlpanel.cpp:1128 controlpanel.cpp:1138 msgctxt "listnetworks" msgid "IRC User" msgstr "" -#: controlpanel.cpp:1124 controlpanel.cpp:1135 +#: controlpanel.cpp:1129 controlpanel.cpp:1140 msgctxt "listnetworks" msgid "Channels" msgstr "" -#: controlpanel.cpp:1143 +#: controlpanel.cpp:1148 msgid "No networks" msgstr "" -#: controlpanel.cpp:1154 +#: controlpanel.cpp:1159 msgid "Usage: AddServer [[+]port] [password]" msgstr "" -#: controlpanel.cpp:1168 +#: controlpanel.cpp:1173 msgid "Added IRC Server {1} to network {2} for user {3}." msgstr "" -#: controlpanel.cpp:1172 +#: controlpanel.cpp:1177 msgid "Error: Could not add IRC server {1} to network {2} for user {3}." msgstr "" -#: controlpanel.cpp:1185 +#: controlpanel.cpp:1190 msgid "Usage: DelServer [[+]port] [password]" msgstr "" -#: controlpanel.cpp:1200 +#: controlpanel.cpp:1205 msgid "Deleted IRC Server {1} from network {2} for user {3}." msgstr "" -#: controlpanel.cpp:1204 +#: controlpanel.cpp:1209 msgid "Error: Could not delete IRC server {1} from network {2} for user {3}." msgstr "" -#: controlpanel.cpp:1214 +#: controlpanel.cpp:1219 msgid "Usage: Reconnect " msgstr "" -#: controlpanel.cpp:1241 +#: controlpanel.cpp:1246 msgid "Queued network {1} of user {2} for a reconnect." msgstr "" -#: controlpanel.cpp:1250 +#: controlpanel.cpp:1255 msgid "Usage: Disconnect " msgstr "" -#: controlpanel.cpp:1265 +#: controlpanel.cpp:1270 msgid "Closed IRC connection for network {1} of user {2}." msgstr "" -#: controlpanel.cpp:1280 controlpanel.cpp:1284 +#: controlpanel.cpp:1285 controlpanel.cpp:1290 msgctxt "listctcp" msgid "Request" msgstr "" -#: controlpanel.cpp:1281 controlpanel.cpp:1285 +#: controlpanel.cpp:1286 controlpanel.cpp:1291 msgctxt "listctcp" msgid "Reply" msgstr "" -#: controlpanel.cpp:1289 +#: controlpanel.cpp:1295 msgid "No CTCP replies for user {1} are configured" msgstr "" -#: controlpanel.cpp:1292 +#: controlpanel.cpp:1298 msgid "CTCP replies for user {1}:" msgstr "" -#: controlpanel.cpp:1308 +#: controlpanel.cpp:1314 msgid "Usage: AddCTCP [user] [request] [reply]" msgstr "" -#: controlpanel.cpp:1310 +#: controlpanel.cpp:1316 msgid "" "This will cause ZNC to reply to the CTCP instead of forwarding it to clients." msgstr "" -#: controlpanel.cpp:1313 +#: controlpanel.cpp:1319 msgid "An empty reply will cause the CTCP request to be blocked." msgstr "" -#: controlpanel.cpp:1322 +#: controlpanel.cpp:1328 msgid "CTCP requests {1} to user {2} will now be blocked." msgstr "" -#: controlpanel.cpp:1326 +#: controlpanel.cpp:1332 msgid "CTCP requests {1} to user {2} will now get reply: {3}" msgstr "" -#: controlpanel.cpp:1343 +#: controlpanel.cpp:1349 msgid "Usage: DelCTCP [user] [request]" msgstr "" -#: controlpanel.cpp:1349 +#: controlpanel.cpp:1355 msgid "CTCP requests {1} to user {2} will now be sent to IRC clients" msgstr "" -#: controlpanel.cpp:1353 +#: controlpanel.cpp:1359 msgid "" "CTCP requests {1} to user {2} will be sent to IRC clients (nothing has " "changed)" msgstr "" -#: controlpanel.cpp:1363 controlpanel.cpp:1437 +#: controlpanel.cpp:1369 controlpanel.cpp:1443 msgid "Loading modules has been disabled." msgstr "" -#: controlpanel.cpp:1372 +#: controlpanel.cpp:1378 msgid "Error: Unable to load module {1}: {2}" msgstr "" -#: controlpanel.cpp:1375 +#: controlpanel.cpp:1381 msgid "Loaded module {1}" msgstr "" -#: controlpanel.cpp:1380 +#: controlpanel.cpp:1386 msgid "Error: Unable to reload module {1}: {2}" msgstr "" -#: controlpanel.cpp:1383 +#: controlpanel.cpp:1389 msgid "Reloaded module {1}" msgstr "" -#: controlpanel.cpp:1387 +#: controlpanel.cpp:1393 msgid "Error: Unable to load module {1} because it is already loaded" msgstr "" -#: controlpanel.cpp:1398 +#: controlpanel.cpp:1404 msgid "Usage: LoadModule [args]" msgstr "" -#: controlpanel.cpp:1417 +#: controlpanel.cpp:1423 msgid "Usage: LoadNetModule [args]" msgstr "" -#: controlpanel.cpp:1442 +#: controlpanel.cpp:1448 msgid "Please use /znc unloadmod {1}" msgstr "" -#: controlpanel.cpp:1448 +#: controlpanel.cpp:1454 msgid "Error: Unable to unload module {1}: {2}" msgstr "" -#: controlpanel.cpp:1451 +#: controlpanel.cpp:1457 msgid "Unloaded module {1}" msgstr "" -#: controlpanel.cpp:1460 +#: controlpanel.cpp:1466 msgid "Usage: UnloadModule " msgstr "" -#: controlpanel.cpp:1477 +#: controlpanel.cpp:1483 msgid "Usage: UnloadNetModule " msgstr "" -#: controlpanel.cpp:1494 controlpanel.cpp:1499 +#: controlpanel.cpp:1500 controlpanel.cpp:1506 msgctxt "listmodules" msgid "Name" msgstr "" -#: controlpanel.cpp:1495 controlpanel.cpp:1500 +#: controlpanel.cpp:1501 controlpanel.cpp:1507 msgctxt "listmodules" msgid "Arguments" msgstr "" -#: controlpanel.cpp:1519 +#: controlpanel.cpp:1526 msgid "User {1} has no modules loaded." msgstr "" -#: controlpanel.cpp:1523 +#: controlpanel.cpp:1530 msgid "Modules loaded for user {1}:" msgstr "" -#: controlpanel.cpp:1543 +#: controlpanel.cpp:1550 msgid "Network {1} of user {2} has no modules loaded." msgstr "" -#: controlpanel.cpp:1548 +#: controlpanel.cpp:1555 msgid "Modules loaded for network {1} of user {2}:" msgstr "" -#: controlpanel.cpp:1555 +#: controlpanel.cpp:1562 msgid "[command] [variable]" msgstr "" -#: controlpanel.cpp:1556 +#: controlpanel.cpp:1563 msgid "Prints help for matching commands and variables" msgstr "" -#: controlpanel.cpp:1559 +#: controlpanel.cpp:1566 msgid " [username]" msgstr "" -#: controlpanel.cpp:1560 +#: controlpanel.cpp:1567 msgid "Prints the variable's value for the given or current user" msgstr "" -#: controlpanel.cpp:1562 +#: controlpanel.cpp:1569 msgid " " msgstr "" -#: controlpanel.cpp:1563 +#: controlpanel.cpp:1570 msgid "Sets the variable's value for the given user" msgstr "" -#: controlpanel.cpp:1565 +#: controlpanel.cpp:1572 msgid " [username] [network]" msgstr "" -#: controlpanel.cpp:1566 +#: controlpanel.cpp:1573 msgid "Prints the variable's value for the given network" msgstr "" -#: controlpanel.cpp:1568 +#: controlpanel.cpp:1575 msgid " " msgstr "" -#: controlpanel.cpp:1569 +#: controlpanel.cpp:1576 msgid "Sets the variable's value for the given network" msgstr "" -#: controlpanel.cpp:1571 +#: controlpanel.cpp:1578 msgid " [username] " msgstr "" -#: controlpanel.cpp:1572 +#: controlpanel.cpp:1579 msgid "Prints the variable's value for the given channel" msgstr "" -#: controlpanel.cpp:1575 +#: controlpanel.cpp:1582 msgid " " msgstr "" -#: controlpanel.cpp:1576 +#: controlpanel.cpp:1583 msgid "Sets the variable's value for the given channel" msgstr "" -#: controlpanel.cpp:1578 controlpanel.cpp:1581 +#: controlpanel.cpp:1585 controlpanel.cpp:1588 msgid " " msgstr "" -#: controlpanel.cpp:1579 +#: controlpanel.cpp:1586 msgid "Adds a new channel" msgstr "" -#: controlpanel.cpp:1582 +#: controlpanel.cpp:1589 msgid "Deletes a channel" msgstr "" -#: controlpanel.cpp:1584 +#: controlpanel.cpp:1591 msgid "Lists users" msgstr "" -#: controlpanel.cpp:1586 +#: controlpanel.cpp:1593 msgid " " msgstr "" -#: controlpanel.cpp:1587 +#: controlpanel.cpp:1594 msgid "Adds a new user" msgstr "" -#: controlpanel.cpp:1589 controlpanel.cpp:1612 controlpanel.cpp:1626 +#: controlpanel.cpp:1596 controlpanel.cpp:1619 controlpanel.cpp:1633 msgid "" msgstr "" -#: controlpanel.cpp:1589 +#: controlpanel.cpp:1596 msgid "Deletes a user" msgstr "" -#: controlpanel.cpp:1591 +#: controlpanel.cpp:1598 msgid " " msgstr "" -#: controlpanel.cpp:1592 +#: controlpanel.cpp:1599 msgid "Clones a user" msgstr "" -#: controlpanel.cpp:1594 controlpanel.cpp:1597 +#: controlpanel.cpp:1601 controlpanel.cpp:1604 msgid " " msgstr "" -#: controlpanel.cpp:1595 +#: controlpanel.cpp:1602 msgid "Adds a new IRC server for the given or current user" msgstr "" -#: controlpanel.cpp:1598 +#: controlpanel.cpp:1605 msgid "Deletes an IRC server from the given or current user" msgstr "" -#: controlpanel.cpp:1600 controlpanel.cpp:1603 controlpanel.cpp:1623 +#: controlpanel.cpp:1607 controlpanel.cpp:1610 controlpanel.cpp:1630 msgid " " msgstr "" -#: controlpanel.cpp:1601 +#: controlpanel.cpp:1608 msgid "Cycles the user's IRC server connection" msgstr "" -#: controlpanel.cpp:1604 +#: controlpanel.cpp:1611 msgid "Disconnects the user from their IRC server" msgstr "" -#: controlpanel.cpp:1606 +#: controlpanel.cpp:1613 msgid " [args]" msgstr "" -#: controlpanel.cpp:1607 +#: controlpanel.cpp:1614 msgid "Loads a Module for a user" msgstr "" -#: controlpanel.cpp:1609 +#: controlpanel.cpp:1616 msgid " " msgstr "" -#: controlpanel.cpp:1610 +#: controlpanel.cpp:1617 msgid "Removes a Module of a user" msgstr "" -#: controlpanel.cpp:1613 +#: controlpanel.cpp:1620 msgid "Get the list of modules for a user" msgstr "" -#: controlpanel.cpp:1616 +#: controlpanel.cpp:1623 msgid " [args]" msgstr "" -#: controlpanel.cpp:1617 +#: controlpanel.cpp:1624 msgid "Loads a Module for a network" msgstr "" -#: controlpanel.cpp:1620 +#: controlpanel.cpp:1627 msgid " " msgstr "" -#: controlpanel.cpp:1621 +#: controlpanel.cpp:1628 msgid "Removes a Module of a network" msgstr "" -#: controlpanel.cpp:1624 +#: controlpanel.cpp:1631 msgid "Get the list of modules for a network" msgstr "" -#: controlpanel.cpp:1627 +#: controlpanel.cpp:1634 msgid "List the configured CTCP replies" msgstr "" -#: controlpanel.cpp:1629 +#: controlpanel.cpp:1636 msgid " [reply]" msgstr "" -#: controlpanel.cpp:1630 +#: controlpanel.cpp:1637 msgid "Configure a new CTCP reply" msgstr "" -#: controlpanel.cpp:1632 +#: controlpanel.cpp:1639 msgid " " msgstr "" -#: controlpanel.cpp:1633 +#: controlpanel.cpp:1640 msgid "Remove a CTCP reply" msgstr "" -#: controlpanel.cpp:1637 controlpanel.cpp:1640 +#: controlpanel.cpp:1644 controlpanel.cpp:1647 msgid "[username] " msgstr "" -#: controlpanel.cpp:1638 +#: controlpanel.cpp:1645 msgid "Add a network for a user" msgstr "" -#: controlpanel.cpp:1641 +#: controlpanel.cpp:1648 msgid "Delete a network for a user" msgstr "" -#: controlpanel.cpp:1643 +#: controlpanel.cpp:1650 msgid "[username]" msgstr "" -#: controlpanel.cpp:1644 +#: controlpanel.cpp:1651 msgid "List all networks for a user" msgstr "" -#: controlpanel.cpp:1657 +#: controlpanel.cpp:1664 msgid "" "Dynamic configuration through IRC. Allows editing only yourself if you're " "not ZNC admin." diff --git a/modules/po/controlpanel.nl_NL.po b/modules/po/controlpanel.nl_NL.po index 81a04363..33b9223b 100644 --- a/modules/po/controlpanel.nl_NL.po +++ b/modules/po/controlpanel.nl_NL.po @@ -8,43 +8,43 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/controlpanel.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" -#: controlpanel.cpp:51 controlpanel.cpp:63 +#: controlpanel.cpp:51 controlpanel.cpp:64 msgctxt "helptable" msgid "Type" msgstr "Type" -#: controlpanel.cpp:52 controlpanel.cpp:65 +#: controlpanel.cpp:52 controlpanel.cpp:66 msgctxt "helptable" msgid "Variables" msgstr "Variabelen" -#: controlpanel.cpp:77 +#: controlpanel.cpp:78 msgid "String" msgstr "Tekenreeks" -#: controlpanel.cpp:78 +#: controlpanel.cpp:79 msgid "Boolean (true/false)" msgstr "Boolean (waar/onwaar)" -#: controlpanel.cpp:79 +#: controlpanel.cpp:80 msgid "Integer" msgstr "Heel getal" -#: controlpanel.cpp:80 +#: controlpanel.cpp:81 msgid "Number" msgstr "Nummer" -#: controlpanel.cpp:123 +#: controlpanel.cpp:125 msgid "The following variables are available when using the Set/Get commands:" msgstr "" "De volgende variabelen zijn beschikbaar bij het gebruik van de Set/Get " "commando's:" -#: controlpanel.cpp:146 +#: controlpanel.cpp:149 msgid "" "The following variables are available when using the SetNetwork/GetNetwork " "commands:" @@ -52,7 +52,7 @@ msgstr "" "De volgende variabelen zijn beschikbaar bij het gebruik van de SetNetwork/" "GetNetwork commando's:" -#: controlpanel.cpp:159 +#: controlpanel.cpp:163 msgid "" "The following variables are available when using the SetChan/GetChan " "commands:" @@ -60,7 +60,7 @@ msgstr "" "De volgende variabelen zijn beschikbaar bij het gebruik van de SetChan/" "GetChan commando's:" -#: controlpanel.cpp:165 +#: controlpanel.cpp:170 msgid "" "You can use $user as the user name and $network as the network name for " "modifying your own user and network." @@ -68,232 +68,232 @@ msgstr "" "Je kan $user als gebruiker en $network als netwerknaam gebruiken bij het " "aanpassen van je eigen gebruiker en network." -#: controlpanel.cpp:174 controlpanel.cpp:961 controlpanel.cpp:998 +#: controlpanel.cpp:179 controlpanel.cpp:966 controlpanel.cpp:1003 msgid "Error: User [{1}] does not exist!" msgstr "Fout: Gebruiker [{1}] bestaat niet!" -#: controlpanel.cpp:179 +#: controlpanel.cpp:184 msgid "Error: You need to have admin rights to modify other users!" msgstr "" "Fout: Je moet beheerdersrechten hebben om andere gebruikers aan te passen!" -#: controlpanel.cpp:189 +#: controlpanel.cpp:194 msgid "Error: You cannot use $network to modify other users!" msgstr "Fout: Je kan $network niet gebruiken om andere gebruiks aan te passen!" -#: controlpanel.cpp:197 +#: controlpanel.cpp:202 msgid "Error: User {1} does not have a network named [{2}]." msgstr "Fout: Gebruiker {1} heeft geen netwerk genaamd [{2}]." -#: controlpanel.cpp:209 +#: controlpanel.cpp:214 msgid "Usage: Get [username]" msgstr "Gebruik: Get [gebruikersnaam]" -#: controlpanel.cpp:299 controlpanel.cpp:502 controlpanel.cpp:577 -#: controlpanel.cpp:653 controlpanel.cpp:788 controlpanel.cpp:873 +#: controlpanel.cpp:304 controlpanel.cpp:507 controlpanel.cpp:582 +#: controlpanel.cpp:658 controlpanel.cpp:793 controlpanel.cpp:878 msgid "Error: Unknown variable" msgstr "Fout: Onbekende variabele" -#: controlpanel.cpp:308 +#: controlpanel.cpp:313 msgid "Usage: Set " msgstr "Gebruik: Get " -#: controlpanel.cpp:330 controlpanel.cpp:618 +#: controlpanel.cpp:335 controlpanel.cpp:623 msgid "This bind host is already set!" msgstr "Deze bindhost is al ingesteld!" -#: controlpanel.cpp:337 controlpanel.cpp:349 controlpanel.cpp:357 -#: controlpanel.cpp:420 controlpanel.cpp:439 controlpanel.cpp:455 -#: controlpanel.cpp:465 controlpanel.cpp:625 +#: controlpanel.cpp:342 controlpanel.cpp:354 controlpanel.cpp:362 +#: controlpanel.cpp:425 controlpanel.cpp:444 controlpanel.cpp:460 +#: controlpanel.cpp:470 controlpanel.cpp:630 msgid "Access denied!" msgstr "Toegang geweigerd!" -#: controlpanel.cpp:371 controlpanel.cpp:380 controlpanel.cpp:837 +#: controlpanel.cpp:376 controlpanel.cpp:385 controlpanel.cpp:842 msgid "Setting failed, limit for buffer size is {1}" msgstr "Configuratie gefaald, limiet van buffer grootte is {1}" -#: controlpanel.cpp:400 +#: controlpanel.cpp:405 msgid "Password has been changed!" msgstr "Wachtwoord is aangepast!" -#: controlpanel.cpp:408 +#: controlpanel.cpp:413 msgid "Timeout can't be less than 30 seconds!" msgstr "Time-out kan niet minder dan 30 seconden zijn!" -#: controlpanel.cpp:472 +#: controlpanel.cpp:477 msgid "That would be a bad idea!" msgstr "Dat zou een slecht idee zijn!" -#: controlpanel.cpp:490 +#: controlpanel.cpp:495 msgid "Supported languages: {1}" msgstr "Ondersteunde talen: {1}" -#: controlpanel.cpp:514 +#: controlpanel.cpp:519 msgid "Usage: GetNetwork [username] [network]" msgstr "Gebruik: GetNetwork [gebruikersnaam] [netwerk]" -#: controlpanel.cpp:533 +#: controlpanel.cpp:538 msgid "Error: A network must be specified to get another users settings." msgstr "" "Fout: Een netwerk moet ingevoerd worden om de instellingen van een andere " "gebruiker op te halen." -#: controlpanel.cpp:539 +#: controlpanel.cpp:544 msgid "You are not currently attached to a network." msgstr "Je bent op het moment niet verbonden met een netwerk." -#: controlpanel.cpp:545 +#: controlpanel.cpp:550 msgid "Error: Invalid network." msgstr "Fout: Onjuist netwerk." -#: controlpanel.cpp:589 +#: controlpanel.cpp:594 msgid "Usage: SetNetwork " msgstr "Gebruik: SetNetwork " -#: controlpanel.cpp:663 +#: controlpanel.cpp:668 msgid "Usage: AddChan " msgstr "Gebruik: AddChan " -#: controlpanel.cpp:676 +#: controlpanel.cpp:681 msgid "Error: User {1} already has a channel named {2}." msgstr "Fout: Gebruiker {1} heeft al een kanaal genaamd {2}." -#: controlpanel.cpp:683 +#: controlpanel.cpp:688 msgid "Channel {1} for user {2} added to network {3}." msgstr "Kanaal {1} voor gebruiker {2} toegevoegd aan netwerk {3}." -#: controlpanel.cpp:687 +#: controlpanel.cpp:692 msgid "" "Could not add channel {1} for user {2} to network {3}, does it already exist?" msgstr "" "Kon kanaal {1} voor gebruiker {2} op netwerk {3} niet toevoegen, bestaat " "deze al?" -#: controlpanel.cpp:697 +#: controlpanel.cpp:702 msgid "Usage: DelChan " msgstr "Gebruik: DelChan " -#: controlpanel.cpp:712 +#: controlpanel.cpp:717 msgid "Error: User {1} does not have any channel matching [{2}] in network {3}" msgstr "" "Fout: Gebruiker {1} heeft geen kanaal die overeen komt met [{2}] in netwerk " "{3}" -#: controlpanel.cpp:725 +#: controlpanel.cpp:730 msgid "Channel {1} is deleted from network {2} of user {3}" msgid_plural "Channels {1} are deleted from network {2} of user {3}" msgstr[0] "Kanaal {1} is verwijderd van netwerk {2} van gebruiker {3}" msgstr[1] "Kanalen {1} zijn verwijderd van netwerk {2} van gebruiker {3}" -#: controlpanel.cpp:740 +#: controlpanel.cpp:745 msgid "Usage: GetChan " msgstr "Gebruik: GetChan " -#: controlpanel.cpp:754 controlpanel.cpp:818 +#: controlpanel.cpp:759 controlpanel.cpp:823 msgid "Error: No channels matching [{1}] found." msgstr "Fout: Geen overeenkomst met kanalen gevonden: [{1}]." -#: controlpanel.cpp:803 +#: controlpanel.cpp:808 msgid "Usage: SetChan " msgstr "" "Gebruik: SetChan " -#: controlpanel.cpp:884 controlpanel.cpp:894 +#: controlpanel.cpp:889 controlpanel.cpp:899 msgctxt "listusers" msgid "Username" msgstr "Gebruikersnaam" -#: controlpanel.cpp:885 controlpanel.cpp:895 +#: controlpanel.cpp:890 controlpanel.cpp:900 msgctxt "listusers" msgid "Realname" msgstr "Echte naam" -#: controlpanel.cpp:886 controlpanel.cpp:898 controlpanel.cpp:900 +#: controlpanel.cpp:891 controlpanel.cpp:903 controlpanel.cpp:905 msgctxt "listusers" msgid "IsAdmin" msgstr "IsBeheerder" -#: controlpanel.cpp:887 controlpanel.cpp:901 +#: controlpanel.cpp:892 controlpanel.cpp:906 msgctxt "listusers" msgid "Nick" msgstr "Naam" -#: controlpanel.cpp:888 controlpanel.cpp:902 +#: controlpanel.cpp:893 controlpanel.cpp:907 msgctxt "listusers" msgid "AltNick" msgstr "AlternatieveNaam" -#: controlpanel.cpp:889 controlpanel.cpp:903 +#: controlpanel.cpp:894 controlpanel.cpp:908 msgctxt "listusers" msgid "Ident" msgstr "Identiteit" -#: controlpanel.cpp:890 controlpanel.cpp:904 +#: controlpanel.cpp:895 controlpanel.cpp:909 msgctxt "listusers" msgid "BindHost" msgstr "BindHost" -#: controlpanel.cpp:898 controlpanel.cpp:1138 +#: controlpanel.cpp:903 controlpanel.cpp:1143 msgid "No" msgstr "Nee" -#: controlpanel.cpp:900 controlpanel.cpp:1130 +#: controlpanel.cpp:905 controlpanel.cpp:1135 msgid "Yes" msgstr "Ja" -#: controlpanel.cpp:914 controlpanel.cpp:983 +#: controlpanel.cpp:919 controlpanel.cpp:988 msgid "Error: You need to have admin rights to add new users!" msgstr "Fout: Je moet beheerdersrechten hebben om gebruikers toe te voegen!" -#: controlpanel.cpp:920 +#: controlpanel.cpp:925 msgid "Usage: AddUser " msgstr "Gebruik: AddUser " -#: controlpanel.cpp:925 +#: controlpanel.cpp:930 msgid "Error: User {1} already exists!" msgstr "Fout: Gebruiker {1} bestaat al!" -#: controlpanel.cpp:937 controlpanel.cpp:1012 +#: controlpanel.cpp:942 controlpanel.cpp:1017 msgid "Error: User not added: {1}" msgstr "Fout: Gebruiker niet toegevoegd: {1}" -#: controlpanel.cpp:941 controlpanel.cpp:1016 +#: controlpanel.cpp:946 controlpanel.cpp:1021 msgid "User {1} added!" msgstr "Gebruiker {1} toegevoegd!" -#: controlpanel.cpp:948 +#: controlpanel.cpp:953 msgid "Error: You need to have admin rights to delete users!" msgstr "Fout: Je moet beheerdersrechten hebben om gebruikers te verwijderen!" -#: controlpanel.cpp:954 +#: controlpanel.cpp:959 msgid "Usage: DelUser " msgstr "Gebruik: DelUser " -#: controlpanel.cpp:966 +#: controlpanel.cpp:971 msgid "Error: You can't delete yourself!" msgstr "Fout: Je kan jezelf niet verwijderen!" -#: controlpanel.cpp:972 +#: controlpanel.cpp:977 msgid "Error: Internal error!" msgstr "Fout: Interne fout!" -#: controlpanel.cpp:976 +#: controlpanel.cpp:981 msgid "User {1} deleted!" msgstr "Gebruiker {1} verwijderd!" -#: controlpanel.cpp:991 +#: controlpanel.cpp:996 msgid "Usage: CloneUser " msgstr "Gebruik: CloneUser " -#: controlpanel.cpp:1006 +#: controlpanel.cpp:1011 msgid "Error: Cloning failed: {1}" msgstr "Fout: Kloon mislukt: {1}" -#: controlpanel.cpp:1035 +#: controlpanel.cpp:1040 msgid "Usage: AddNetwork [user] network" msgstr "Gebruik: AddNetwork [gebruiker] netwerk" -#: controlpanel.cpp:1041 +#: controlpanel.cpp:1046 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks using /znc DelNetwork " @@ -302,161 +302,161 @@ msgstr "" "te passen voor je, of verwijder onnodige netwerken door middel van /znc " "DelNetwork " -#: controlpanel.cpp:1049 +#: controlpanel.cpp:1054 msgid "Error: User {1} already has a network with the name {2}" msgstr "Fout: Gebruiker {1} heeft al een netwerk met de naam {2}" -#: controlpanel.cpp:1056 +#: controlpanel.cpp:1061 msgid "Network {1} added to user {2}." msgstr "Netwerk {1} aan gebruiker {2} toegevoegd." -#: controlpanel.cpp:1060 +#: controlpanel.cpp:1065 msgid "Error: Network [{1}] could not be added for user {2}: {3}" msgstr "Fout: Netwerk [{1}] kon niet toegevoegd worden voor gebruiker {2}: {3}" -#: controlpanel.cpp:1080 +#: controlpanel.cpp:1085 msgid "Usage: DelNetwork [user] network" msgstr "Gebruik: DelNetwork [gebruiker] netwerk" -#: controlpanel.cpp:1091 +#: controlpanel.cpp:1096 msgid "The currently active network can be deleted via {1}status" msgstr "Het huidige actieve netwerk kan worden verwijderd via {1}status" -#: controlpanel.cpp:1097 +#: controlpanel.cpp:1102 msgid "Network {1} deleted for user {2}." msgstr "Netwerk {1} verwijderd voor gebruiker {2}." -#: controlpanel.cpp:1101 +#: controlpanel.cpp:1106 msgid "Error: Network {1} could not be deleted for user {2}." msgstr "Fout: Netwerk [{1}] kon niet verwijderd worden voor gebruiker {2}." -#: controlpanel.cpp:1120 controlpanel.cpp:1128 +#: controlpanel.cpp:1125 controlpanel.cpp:1133 msgctxt "listnetworks" msgid "Network" msgstr "Netwerk" -#: controlpanel.cpp:1121 controlpanel.cpp:1130 controlpanel.cpp:1138 +#: controlpanel.cpp:1126 controlpanel.cpp:1135 controlpanel.cpp:1143 msgctxt "listnetworks" msgid "OnIRC" msgstr "OpIRC" -#: controlpanel.cpp:1122 controlpanel.cpp:1131 +#: controlpanel.cpp:1127 controlpanel.cpp:1136 msgctxt "listnetworks" msgid "IRC Server" msgstr "IRC Server" -#: controlpanel.cpp:1123 controlpanel.cpp:1133 +#: controlpanel.cpp:1128 controlpanel.cpp:1138 msgctxt "listnetworks" msgid "IRC User" msgstr "IRC Gebruiker" -#: controlpanel.cpp:1124 controlpanel.cpp:1135 +#: controlpanel.cpp:1129 controlpanel.cpp:1140 msgctxt "listnetworks" msgid "Channels" msgstr "Kanalen" -#: controlpanel.cpp:1143 +#: controlpanel.cpp:1148 msgid "No networks" msgstr "Geen netwerken" -#: controlpanel.cpp:1154 +#: controlpanel.cpp:1159 msgid "Usage: AddServer [[+]port] [password]" msgstr "" "Gebruik: AddServer [[+]poort] " "[wachtwoord]" -#: controlpanel.cpp:1168 +#: controlpanel.cpp:1173 msgid "Added IRC Server {1} to network {2} for user {3}." msgstr "IRC Server {1} toegevegd aan netwerk {2} van gebruiker {3}." -#: controlpanel.cpp:1172 +#: controlpanel.cpp:1177 msgid "Error: Could not add IRC server {1} to network {2} for user {3}." msgstr "" "Fout: kon IRC server {1} niet aan netwerk {2} van gebruiker {3} toevoegen." -#: controlpanel.cpp:1185 +#: controlpanel.cpp:1190 msgid "Usage: DelServer [[+]port] [password]" msgstr "" "Gebruik: DelServer [[+]poort] " "[wachtwoord]" -#: controlpanel.cpp:1200 +#: controlpanel.cpp:1205 msgid "Deleted IRC Server {1} from network {2} for user {3}." msgstr "IRC Server {1} verwijderd van netwerk {2} van gebruiker {3}." -#: controlpanel.cpp:1204 +#: controlpanel.cpp:1209 msgid "Error: Could not delete IRC server {1} from network {2} for user {3}." msgstr "" "Fout: kon IRC server {1} niet van netwerk {2} van gebruiker {3} verwijderen." -#: controlpanel.cpp:1214 +#: controlpanel.cpp:1219 msgid "Usage: Reconnect " msgstr "Gebruik: Reconnect " -#: controlpanel.cpp:1241 +#: controlpanel.cpp:1246 msgid "Queued network {1} of user {2} for a reconnect." msgstr "Netwerk {1} van gebruiker {2} toegevoegd om opnieuw te verbinden." -#: controlpanel.cpp:1250 +#: controlpanel.cpp:1255 msgid "Usage: Disconnect " msgstr "Gebruik: Disconnect " -#: controlpanel.cpp:1265 +#: controlpanel.cpp:1270 msgid "Closed IRC connection for network {1} of user {2}." msgstr "IRC verbinding afgesloten voor netwerk {1} van gebruiker {2}." -#: controlpanel.cpp:1280 controlpanel.cpp:1284 +#: controlpanel.cpp:1285 controlpanel.cpp:1290 msgctxt "listctcp" msgid "Request" msgstr "Aanvraag" -#: controlpanel.cpp:1281 controlpanel.cpp:1285 +#: controlpanel.cpp:1286 controlpanel.cpp:1291 msgctxt "listctcp" msgid "Reply" msgstr "Antwoord" -#: controlpanel.cpp:1289 +#: controlpanel.cpp:1295 msgid "No CTCP replies for user {1} are configured" msgstr "Geen CTCP antwoorden voor gebruiker {1} zijn ingesteld" -#: controlpanel.cpp:1292 +#: controlpanel.cpp:1298 msgid "CTCP replies for user {1}:" msgstr "CTCP antwoorden voor gebruiker {1}:" -#: controlpanel.cpp:1308 +#: controlpanel.cpp:1314 msgid "Usage: AddCTCP [user] [request] [reply]" msgstr "Gebruik: AddCTCP [gebruikersnaam] [aanvraag] [antwoord]" -#: controlpanel.cpp:1310 +#: controlpanel.cpp:1316 msgid "" "This will cause ZNC to reply to the CTCP instead of forwarding it to clients." msgstr "" "Dit zorgt er voor dat ZNC antwoord op de CTCP aanvragen in plaats van deze " "door te sturen naar clients." -#: controlpanel.cpp:1313 +#: controlpanel.cpp:1319 msgid "An empty reply will cause the CTCP request to be blocked." msgstr "" "Een leeg antwoord zorgt er voor dat deze CTCP aanvraag geblokkeerd zal " "worden." -#: controlpanel.cpp:1322 +#: controlpanel.cpp:1328 msgid "CTCP requests {1} to user {2} will now be blocked." msgstr "CTCP aanvraag {1} naar gebruiker {2} zal nu worden geblokkeerd." -#: controlpanel.cpp:1326 +#: controlpanel.cpp:1332 msgid "CTCP requests {1} to user {2} will now get reply: {3}" msgstr "CTCP aanvraag {1} naar gebruiker {2} zal nu als antwoord krijgen: {3}" -#: controlpanel.cpp:1343 +#: controlpanel.cpp:1349 msgid "Usage: DelCTCP [user] [request]" msgstr "Gebruik: DelCTCP [gebruikersnaam] [aanvraag]" -#: controlpanel.cpp:1349 +#: controlpanel.cpp:1355 msgid "CTCP requests {1} to user {2} will now be sent to IRC clients" msgstr "CTCP aanvraag {1} naar gebruiker {2} zal nu doorgestuurd worden" -#: controlpanel.cpp:1353 +#: controlpanel.cpp:1359 msgid "" "CTCP requests {1} to user {2} will be sent to IRC clients (nothing has " "changed)" @@ -464,290 +464,290 @@ msgstr "" "CTCP aanvraag {1} naar gebruiker {2} zal nu doorgestuurd worden (niets " "veranderd)" -#: controlpanel.cpp:1363 controlpanel.cpp:1437 +#: controlpanel.cpp:1369 controlpanel.cpp:1443 msgid "Loading modules has been disabled." msgstr "Het laden van modulen is uit gezet." -#: controlpanel.cpp:1372 +#: controlpanel.cpp:1378 msgid "Error: Unable to load module {1}: {2}" msgstr "Fout: Niet mogelijk om module te laden, {1}: {2}" -#: controlpanel.cpp:1375 +#: controlpanel.cpp:1381 msgid "Loaded module {1}" msgstr "Module {1} geladen" -#: controlpanel.cpp:1380 +#: controlpanel.cpp:1386 msgid "Error: Unable to reload module {1}: {2}" msgstr "Fout: Niet mogelijk om module te herladen, {1}: {2}" -#: controlpanel.cpp:1383 +#: controlpanel.cpp:1389 msgid "Reloaded module {1}" msgstr "Module {1} opnieuw geladen" -#: controlpanel.cpp:1387 +#: controlpanel.cpp:1393 msgid "Error: Unable to load module {1} because it is already loaded" msgstr "Fout: Niet mogelijk om module {1} te laden, deze is al geladen" -#: controlpanel.cpp:1398 +#: controlpanel.cpp:1404 msgid "Usage: LoadModule [args]" msgstr "Gebruik: LoadModule [argumenten]" -#: controlpanel.cpp:1417 +#: controlpanel.cpp:1423 msgid "Usage: LoadNetModule [args]" msgstr "" "Gebruik: LoadNetModule [argumenten]" -#: controlpanel.cpp:1442 +#: controlpanel.cpp:1448 msgid "Please use /znc unloadmod {1}" msgstr "Gebruik a.u.b. /znc unloadmod {1}" -#: controlpanel.cpp:1448 +#: controlpanel.cpp:1454 msgid "Error: Unable to unload module {1}: {2}" msgstr "Fout: Niet mogelijk om module to stoppen, {1}: {2}" -#: controlpanel.cpp:1451 +#: controlpanel.cpp:1457 msgid "Unloaded module {1}" msgstr "Module {1} gestopt" -#: controlpanel.cpp:1460 +#: controlpanel.cpp:1466 msgid "Usage: UnloadModule " msgstr "Gebruik: UnloadModule " -#: controlpanel.cpp:1477 +#: controlpanel.cpp:1483 msgid "Usage: UnloadNetModule " msgstr "Gebruik: UnloadNetModule " -#: controlpanel.cpp:1494 controlpanel.cpp:1499 +#: controlpanel.cpp:1500 controlpanel.cpp:1506 msgctxt "listmodules" msgid "Name" msgstr "Naam" -#: controlpanel.cpp:1495 controlpanel.cpp:1500 +#: controlpanel.cpp:1501 controlpanel.cpp:1507 msgctxt "listmodules" msgid "Arguments" msgstr "Argumenten" -#: controlpanel.cpp:1519 +#: controlpanel.cpp:1526 msgid "User {1} has no modules loaded." msgstr "Gebruiker {1} heeft geen modulen geladen." -#: controlpanel.cpp:1523 +#: controlpanel.cpp:1530 msgid "Modules loaded for user {1}:" msgstr "Modulen geladen voor gebruiker {1}:" -#: controlpanel.cpp:1543 +#: controlpanel.cpp:1550 msgid "Network {1} of user {2} has no modules loaded." msgstr "Netwerk {1} van gebruiker {2} heeft geen modulen geladen." -#: controlpanel.cpp:1548 +#: controlpanel.cpp:1555 msgid "Modules loaded for network {1} of user {2}:" msgstr "Modulen geladen voor netwerk {1} van gebruiker {2}:" -#: controlpanel.cpp:1555 +#: controlpanel.cpp:1562 msgid "[command] [variable]" msgstr "[commando] [variabele]" -#: controlpanel.cpp:1556 +#: controlpanel.cpp:1563 msgid "Prints help for matching commands and variables" msgstr "Laat help zien voor de overeenkomende commando's en variabelen" -#: controlpanel.cpp:1559 +#: controlpanel.cpp:1566 msgid " [username]" msgstr " [gebruikersnaam]" -#: controlpanel.cpp:1560 +#: controlpanel.cpp:1567 msgid "Prints the variable's value for the given or current user" msgstr "" "Laat de waarde van de variabele voor de ingevoerde of huidige gebruiker zien" -#: controlpanel.cpp:1562 +#: controlpanel.cpp:1569 msgid " " msgstr " " -#: controlpanel.cpp:1563 +#: controlpanel.cpp:1570 msgid "Sets the variable's value for the given user" msgstr "Stelt de waarde voor de variabele voor de ingevoerde gebruiker in" -#: controlpanel.cpp:1565 +#: controlpanel.cpp:1572 msgid " [username] [network]" msgstr " [gebruikersnaam] [netwerk]" -#: controlpanel.cpp:1566 +#: controlpanel.cpp:1573 msgid "Prints the variable's value for the given network" msgstr "" "Laat de huidige waarde voor de variabele van het ingevoerde netwerk zien" -#: controlpanel.cpp:1568 +#: controlpanel.cpp:1575 msgid " " msgstr " " -#: controlpanel.cpp:1569 +#: controlpanel.cpp:1576 msgid "Sets the variable's value for the given network" msgstr "Stelt de waarde voor de variabele voor het ingevoerde netwerk in" -#: controlpanel.cpp:1571 +#: controlpanel.cpp:1578 msgid " [username] " msgstr " [gebruikersnaam] " -#: controlpanel.cpp:1572 +#: controlpanel.cpp:1579 msgid "Prints the variable's value for the given channel" msgstr "" "Laat de huidige waarde voor de variabele van het ingevoerde kanaal zien" -#: controlpanel.cpp:1575 +#: controlpanel.cpp:1582 msgid " " msgstr " " -#: controlpanel.cpp:1576 +#: controlpanel.cpp:1583 msgid "Sets the variable's value for the given channel" msgstr "Stelt de waarde voor de variabele voor het ingevoerde kanaal in" -#: controlpanel.cpp:1578 controlpanel.cpp:1581 +#: controlpanel.cpp:1585 controlpanel.cpp:1588 msgid " " msgstr " " -#: controlpanel.cpp:1579 +#: controlpanel.cpp:1586 msgid "Adds a new channel" msgstr "Voegt een nieuw kanaal toe" -#: controlpanel.cpp:1582 +#: controlpanel.cpp:1589 msgid "Deletes a channel" msgstr "Verwijdert een kanaal" -#: controlpanel.cpp:1584 +#: controlpanel.cpp:1591 msgid "Lists users" msgstr "Weergeeft gebruikers" -#: controlpanel.cpp:1586 +#: controlpanel.cpp:1593 msgid " " msgstr " " -#: controlpanel.cpp:1587 +#: controlpanel.cpp:1594 msgid "Adds a new user" msgstr "Voegt een nieuwe gebruiker toe" -#: controlpanel.cpp:1589 controlpanel.cpp:1612 controlpanel.cpp:1626 +#: controlpanel.cpp:1596 controlpanel.cpp:1619 controlpanel.cpp:1633 msgid "" msgstr "" -#: controlpanel.cpp:1589 +#: controlpanel.cpp:1596 msgid "Deletes a user" msgstr "Verwijdert een gebruiker" -#: controlpanel.cpp:1591 +#: controlpanel.cpp:1598 msgid " " msgstr " " -#: controlpanel.cpp:1592 +#: controlpanel.cpp:1599 msgid "Clones a user" msgstr "Kloont een gebruiker" -#: controlpanel.cpp:1594 controlpanel.cpp:1597 +#: controlpanel.cpp:1601 controlpanel.cpp:1604 msgid " " msgstr " " -#: controlpanel.cpp:1595 +#: controlpanel.cpp:1602 msgid "Adds a new IRC server for the given or current user" msgstr "" "Voegt een nieuwe IRC server toe voor de ingevoerde of huidige gebruiker" -#: controlpanel.cpp:1598 +#: controlpanel.cpp:1605 msgid "Deletes an IRC server from the given or current user" msgstr "Verwijdert een IRC server voor de ingevoerde of huidige gebruiker" -#: controlpanel.cpp:1600 controlpanel.cpp:1603 controlpanel.cpp:1623 +#: controlpanel.cpp:1607 controlpanel.cpp:1610 controlpanel.cpp:1630 msgid " " msgstr " " -#: controlpanel.cpp:1601 +#: controlpanel.cpp:1608 msgid "Cycles the user's IRC server connection" msgstr "Verbind opnieuw met de IRC server" -#: controlpanel.cpp:1604 +#: controlpanel.cpp:1611 msgid "Disconnects the user from their IRC server" msgstr "Stopt de verbinding van de gebruiker naar de IRC server" -#: controlpanel.cpp:1606 +#: controlpanel.cpp:1613 msgid " [args]" msgstr " [argumenten]" -#: controlpanel.cpp:1607 +#: controlpanel.cpp:1614 msgid "Loads a Module for a user" msgstr "Laad een module voor een gebruiker" -#: controlpanel.cpp:1609 +#: controlpanel.cpp:1616 msgid " " msgstr " " -#: controlpanel.cpp:1610 +#: controlpanel.cpp:1617 msgid "Removes a Module of a user" msgstr "Stopt een module van een gebruiker" -#: controlpanel.cpp:1613 +#: controlpanel.cpp:1620 msgid "Get the list of modules for a user" msgstr "Laat de lijst van modulen voor een gebruiker zien" -#: controlpanel.cpp:1616 +#: controlpanel.cpp:1623 msgid " [args]" msgstr " [argumenten]" -#: controlpanel.cpp:1617 +#: controlpanel.cpp:1624 msgid "Loads a Module for a network" msgstr "Laad een module voor een netwerk" -#: controlpanel.cpp:1620 +#: controlpanel.cpp:1627 msgid " " msgstr " " -#: controlpanel.cpp:1621 +#: controlpanel.cpp:1628 msgid "Removes a Module of a network" msgstr "Stopt een module van een netwerk" -#: controlpanel.cpp:1624 +#: controlpanel.cpp:1631 msgid "Get the list of modules for a network" msgstr "Laat de lijst van modulen voor een netwerk zien" -#: controlpanel.cpp:1627 +#: controlpanel.cpp:1634 msgid "List the configured CTCP replies" msgstr "Laat de ingestelde CTCP antwoorden zien" -#: controlpanel.cpp:1629 +#: controlpanel.cpp:1636 msgid " [reply]" msgstr " [antwoord]" -#: controlpanel.cpp:1630 +#: controlpanel.cpp:1637 msgid "Configure a new CTCP reply" msgstr "Stel een nieuw CTCP antwoord in" -#: controlpanel.cpp:1632 +#: controlpanel.cpp:1639 msgid " " msgstr " " -#: controlpanel.cpp:1633 +#: controlpanel.cpp:1640 msgid "Remove a CTCP reply" msgstr "Verwijder een CTCP antwoord" -#: controlpanel.cpp:1637 controlpanel.cpp:1640 +#: controlpanel.cpp:1644 controlpanel.cpp:1647 msgid "[username] " msgstr "[gebruikersnaam] " -#: controlpanel.cpp:1638 +#: controlpanel.cpp:1645 msgid "Add a network for a user" msgstr "Voeg een netwerk toe voor een gebruiker" -#: controlpanel.cpp:1641 +#: controlpanel.cpp:1648 msgid "Delete a network for a user" msgstr "Verwijder een netwerk van een gebruiker" -#: controlpanel.cpp:1643 +#: controlpanel.cpp:1650 msgid "[username]" msgstr "[gebruikersnaam]" -#: controlpanel.cpp:1644 +#: controlpanel.cpp:1651 msgid "List all networks for a user" msgstr "Laat alle netwerken van een gebruiker zien" -#: controlpanel.cpp:1657 +#: controlpanel.cpp:1664 msgid "" "Dynamic configuration through IRC. Allows editing only yourself if you're " "not ZNC admin." diff --git a/modules/po/controlpanel.pot b/modules/po/controlpanel.pot index d331d838..a2385d9e 100644 --- a/modules/po/controlpanel.pot +++ b/modules/po/controlpanel.pot @@ -3,706 +3,706 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -#: controlpanel.cpp:51 controlpanel.cpp:63 +#: controlpanel.cpp:51 controlpanel.cpp:64 msgctxt "helptable" msgid "Type" msgstr "" -#: controlpanel.cpp:52 controlpanel.cpp:65 +#: controlpanel.cpp:52 controlpanel.cpp:66 msgctxt "helptable" msgid "Variables" msgstr "" -#: controlpanel.cpp:77 +#: controlpanel.cpp:78 msgid "String" msgstr "" -#: controlpanel.cpp:78 +#: controlpanel.cpp:79 msgid "Boolean (true/false)" msgstr "" -#: controlpanel.cpp:79 +#: controlpanel.cpp:80 msgid "Integer" msgstr "" -#: controlpanel.cpp:80 +#: controlpanel.cpp:81 msgid "Number" msgstr "" -#: controlpanel.cpp:123 +#: controlpanel.cpp:125 msgid "The following variables are available when using the Set/Get commands:" msgstr "" -#: controlpanel.cpp:146 +#: controlpanel.cpp:149 msgid "" "The following variables are available when using the SetNetwork/GetNetwork " "commands:" msgstr "" -#: controlpanel.cpp:159 +#: controlpanel.cpp:163 msgid "" "The following variables are available when using the SetChan/GetChan " "commands:" msgstr "" -#: controlpanel.cpp:165 +#: controlpanel.cpp:170 msgid "" "You can use $user as the user name and $network as the network name for " "modifying your own user and network." msgstr "" -#: controlpanel.cpp:174 controlpanel.cpp:961 controlpanel.cpp:998 +#: controlpanel.cpp:179 controlpanel.cpp:966 controlpanel.cpp:1003 msgid "Error: User [{1}] does not exist!" msgstr "" -#: controlpanel.cpp:179 +#: controlpanel.cpp:184 msgid "Error: You need to have admin rights to modify other users!" msgstr "" -#: controlpanel.cpp:189 +#: controlpanel.cpp:194 msgid "Error: You cannot use $network to modify other users!" msgstr "" -#: controlpanel.cpp:197 +#: controlpanel.cpp:202 msgid "Error: User {1} does not have a network named [{2}]." msgstr "" -#: controlpanel.cpp:209 +#: controlpanel.cpp:214 msgid "Usage: Get [username]" msgstr "" -#: controlpanel.cpp:299 controlpanel.cpp:502 controlpanel.cpp:577 -#: controlpanel.cpp:653 controlpanel.cpp:788 controlpanel.cpp:873 +#: controlpanel.cpp:304 controlpanel.cpp:507 controlpanel.cpp:582 +#: controlpanel.cpp:658 controlpanel.cpp:793 controlpanel.cpp:878 msgid "Error: Unknown variable" msgstr "" -#: controlpanel.cpp:308 +#: controlpanel.cpp:313 msgid "Usage: Set " msgstr "" -#: controlpanel.cpp:330 controlpanel.cpp:618 +#: controlpanel.cpp:335 controlpanel.cpp:623 msgid "This bind host is already set!" msgstr "" -#: controlpanel.cpp:337 controlpanel.cpp:349 controlpanel.cpp:357 -#: controlpanel.cpp:420 controlpanel.cpp:439 controlpanel.cpp:455 -#: controlpanel.cpp:465 controlpanel.cpp:625 +#: controlpanel.cpp:342 controlpanel.cpp:354 controlpanel.cpp:362 +#: controlpanel.cpp:425 controlpanel.cpp:444 controlpanel.cpp:460 +#: controlpanel.cpp:470 controlpanel.cpp:630 msgid "Access denied!" msgstr "" -#: controlpanel.cpp:371 controlpanel.cpp:380 controlpanel.cpp:837 +#: controlpanel.cpp:376 controlpanel.cpp:385 controlpanel.cpp:842 msgid "Setting failed, limit for buffer size is {1}" msgstr "" -#: controlpanel.cpp:400 +#: controlpanel.cpp:405 msgid "Password has been changed!" msgstr "" -#: controlpanel.cpp:408 +#: controlpanel.cpp:413 msgid "Timeout can't be less than 30 seconds!" msgstr "" -#: controlpanel.cpp:472 +#: controlpanel.cpp:477 msgid "That would be a bad idea!" msgstr "" -#: controlpanel.cpp:490 +#: controlpanel.cpp:495 msgid "Supported languages: {1}" msgstr "" -#: controlpanel.cpp:514 +#: controlpanel.cpp:519 msgid "Usage: GetNetwork [username] [network]" msgstr "" -#: controlpanel.cpp:533 +#: controlpanel.cpp:538 msgid "Error: A network must be specified to get another users settings." msgstr "" -#: controlpanel.cpp:539 +#: controlpanel.cpp:544 msgid "You are not currently attached to a network." msgstr "" -#: controlpanel.cpp:545 +#: controlpanel.cpp:550 msgid "Error: Invalid network." msgstr "" -#: controlpanel.cpp:589 +#: controlpanel.cpp:594 msgid "Usage: SetNetwork " msgstr "" -#: controlpanel.cpp:663 +#: controlpanel.cpp:668 msgid "Usage: AddChan " msgstr "" -#: controlpanel.cpp:676 +#: controlpanel.cpp:681 msgid "Error: User {1} already has a channel named {2}." msgstr "" -#: controlpanel.cpp:683 +#: controlpanel.cpp:688 msgid "Channel {1} for user {2} added to network {3}." msgstr "" -#: controlpanel.cpp:687 +#: controlpanel.cpp:692 msgid "" "Could not add channel {1} for user {2} to network {3}, does it already exist?" msgstr "" -#: controlpanel.cpp:697 +#: controlpanel.cpp:702 msgid "Usage: DelChan " msgstr "" -#: controlpanel.cpp:712 +#: controlpanel.cpp:717 msgid "Error: User {1} does not have any channel matching [{2}] in network {3}" msgstr "" -#: controlpanel.cpp:725 +#: controlpanel.cpp:730 msgid "Channel {1} is deleted from network {2} of user {3}" msgid_plural "Channels {1} are deleted from network {2} of user {3}" msgstr[0] "" msgstr[1] "" -#: controlpanel.cpp:740 +#: controlpanel.cpp:745 msgid "Usage: GetChan " msgstr "" -#: controlpanel.cpp:754 controlpanel.cpp:818 +#: controlpanel.cpp:759 controlpanel.cpp:823 msgid "Error: No channels matching [{1}] found." msgstr "" -#: controlpanel.cpp:803 +#: controlpanel.cpp:808 msgid "Usage: SetChan " msgstr "" -#: controlpanel.cpp:884 controlpanel.cpp:894 +#: controlpanel.cpp:889 controlpanel.cpp:899 msgctxt "listusers" msgid "Username" msgstr "" -#: controlpanel.cpp:885 controlpanel.cpp:895 +#: controlpanel.cpp:890 controlpanel.cpp:900 msgctxt "listusers" msgid "Realname" msgstr "" -#: controlpanel.cpp:886 controlpanel.cpp:898 controlpanel.cpp:900 +#: controlpanel.cpp:891 controlpanel.cpp:903 controlpanel.cpp:905 msgctxt "listusers" msgid "IsAdmin" msgstr "" -#: controlpanel.cpp:887 controlpanel.cpp:901 +#: controlpanel.cpp:892 controlpanel.cpp:906 msgctxt "listusers" msgid "Nick" msgstr "" -#: controlpanel.cpp:888 controlpanel.cpp:902 +#: controlpanel.cpp:893 controlpanel.cpp:907 msgctxt "listusers" msgid "AltNick" msgstr "" -#: controlpanel.cpp:889 controlpanel.cpp:903 +#: controlpanel.cpp:894 controlpanel.cpp:908 msgctxt "listusers" msgid "Ident" msgstr "" -#: controlpanel.cpp:890 controlpanel.cpp:904 +#: controlpanel.cpp:895 controlpanel.cpp:909 msgctxt "listusers" msgid "BindHost" msgstr "" -#: controlpanel.cpp:898 controlpanel.cpp:1138 +#: controlpanel.cpp:903 controlpanel.cpp:1143 msgid "No" msgstr "" -#: controlpanel.cpp:900 controlpanel.cpp:1130 +#: controlpanel.cpp:905 controlpanel.cpp:1135 msgid "Yes" msgstr "" -#: controlpanel.cpp:914 controlpanel.cpp:983 +#: controlpanel.cpp:919 controlpanel.cpp:988 msgid "Error: You need to have admin rights to add new users!" msgstr "" -#: controlpanel.cpp:920 +#: controlpanel.cpp:925 msgid "Usage: AddUser " msgstr "" -#: controlpanel.cpp:925 +#: controlpanel.cpp:930 msgid "Error: User {1} already exists!" msgstr "" -#: controlpanel.cpp:937 controlpanel.cpp:1012 +#: controlpanel.cpp:942 controlpanel.cpp:1017 msgid "Error: User not added: {1}" msgstr "" -#: controlpanel.cpp:941 controlpanel.cpp:1016 +#: controlpanel.cpp:946 controlpanel.cpp:1021 msgid "User {1} added!" msgstr "" -#: controlpanel.cpp:948 +#: controlpanel.cpp:953 msgid "Error: You need to have admin rights to delete users!" msgstr "" -#: controlpanel.cpp:954 +#: controlpanel.cpp:959 msgid "Usage: DelUser " msgstr "" -#: controlpanel.cpp:966 +#: controlpanel.cpp:971 msgid "Error: You can't delete yourself!" msgstr "" -#: controlpanel.cpp:972 +#: controlpanel.cpp:977 msgid "Error: Internal error!" msgstr "" -#: controlpanel.cpp:976 +#: controlpanel.cpp:981 msgid "User {1} deleted!" msgstr "" -#: controlpanel.cpp:991 +#: controlpanel.cpp:996 msgid "Usage: CloneUser " msgstr "" -#: controlpanel.cpp:1006 +#: controlpanel.cpp:1011 msgid "Error: Cloning failed: {1}" msgstr "" -#: controlpanel.cpp:1035 +#: controlpanel.cpp:1040 msgid "Usage: AddNetwork [user] network" msgstr "" -#: controlpanel.cpp:1041 +#: controlpanel.cpp:1046 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks using /znc DelNetwork " msgstr "" -#: controlpanel.cpp:1049 +#: controlpanel.cpp:1054 msgid "Error: User {1} already has a network with the name {2}" msgstr "" -#: controlpanel.cpp:1056 +#: controlpanel.cpp:1061 msgid "Network {1} added to user {2}." msgstr "" -#: controlpanel.cpp:1060 +#: controlpanel.cpp:1065 msgid "Error: Network [{1}] could not be added for user {2}: {3}" msgstr "" -#: controlpanel.cpp:1080 +#: controlpanel.cpp:1085 msgid "Usage: DelNetwork [user] network" msgstr "" -#: controlpanel.cpp:1091 +#: controlpanel.cpp:1096 msgid "The currently active network can be deleted via {1}status" msgstr "" -#: controlpanel.cpp:1097 +#: controlpanel.cpp:1102 msgid "Network {1} deleted for user {2}." msgstr "" -#: controlpanel.cpp:1101 +#: controlpanel.cpp:1106 msgid "Error: Network {1} could not be deleted for user {2}." msgstr "" -#: controlpanel.cpp:1120 controlpanel.cpp:1128 +#: controlpanel.cpp:1125 controlpanel.cpp:1133 msgctxt "listnetworks" msgid "Network" msgstr "" -#: controlpanel.cpp:1121 controlpanel.cpp:1130 controlpanel.cpp:1138 +#: controlpanel.cpp:1126 controlpanel.cpp:1135 controlpanel.cpp:1143 msgctxt "listnetworks" msgid "OnIRC" msgstr "" -#: controlpanel.cpp:1122 controlpanel.cpp:1131 +#: controlpanel.cpp:1127 controlpanel.cpp:1136 msgctxt "listnetworks" msgid "IRC Server" msgstr "" -#: controlpanel.cpp:1123 controlpanel.cpp:1133 +#: controlpanel.cpp:1128 controlpanel.cpp:1138 msgctxt "listnetworks" msgid "IRC User" msgstr "" -#: controlpanel.cpp:1124 controlpanel.cpp:1135 +#: controlpanel.cpp:1129 controlpanel.cpp:1140 msgctxt "listnetworks" msgid "Channels" msgstr "" -#: controlpanel.cpp:1143 +#: controlpanel.cpp:1148 msgid "No networks" msgstr "" -#: controlpanel.cpp:1154 +#: controlpanel.cpp:1159 msgid "Usage: AddServer [[+]port] [password]" msgstr "" -#: controlpanel.cpp:1168 +#: controlpanel.cpp:1173 msgid "Added IRC Server {1} to network {2} for user {3}." msgstr "" -#: controlpanel.cpp:1172 +#: controlpanel.cpp:1177 msgid "Error: Could not add IRC server {1} to network {2} for user {3}." msgstr "" -#: controlpanel.cpp:1185 +#: controlpanel.cpp:1190 msgid "Usage: DelServer [[+]port] [password]" msgstr "" -#: controlpanel.cpp:1200 +#: controlpanel.cpp:1205 msgid "Deleted IRC Server {1} from network {2} for user {3}." msgstr "" -#: controlpanel.cpp:1204 +#: controlpanel.cpp:1209 msgid "Error: Could not delete IRC server {1} from network {2} for user {3}." msgstr "" -#: controlpanel.cpp:1214 +#: controlpanel.cpp:1219 msgid "Usage: Reconnect " msgstr "" -#: controlpanel.cpp:1241 +#: controlpanel.cpp:1246 msgid "Queued network {1} of user {2} for a reconnect." msgstr "" -#: controlpanel.cpp:1250 +#: controlpanel.cpp:1255 msgid "Usage: Disconnect " msgstr "" -#: controlpanel.cpp:1265 +#: controlpanel.cpp:1270 msgid "Closed IRC connection for network {1} of user {2}." msgstr "" -#: controlpanel.cpp:1280 controlpanel.cpp:1284 +#: controlpanel.cpp:1285 controlpanel.cpp:1290 msgctxt "listctcp" msgid "Request" msgstr "" -#: controlpanel.cpp:1281 controlpanel.cpp:1285 +#: controlpanel.cpp:1286 controlpanel.cpp:1291 msgctxt "listctcp" msgid "Reply" msgstr "" -#: controlpanel.cpp:1289 +#: controlpanel.cpp:1295 msgid "No CTCP replies for user {1} are configured" msgstr "" -#: controlpanel.cpp:1292 +#: controlpanel.cpp:1298 msgid "CTCP replies for user {1}:" msgstr "" -#: controlpanel.cpp:1308 +#: controlpanel.cpp:1314 msgid "Usage: AddCTCP [user] [request] [reply]" msgstr "" -#: controlpanel.cpp:1310 +#: controlpanel.cpp:1316 msgid "" "This will cause ZNC to reply to the CTCP instead of forwarding it to clients." msgstr "" -#: controlpanel.cpp:1313 +#: controlpanel.cpp:1319 msgid "An empty reply will cause the CTCP request to be blocked." msgstr "" -#: controlpanel.cpp:1322 +#: controlpanel.cpp:1328 msgid "CTCP requests {1} to user {2} will now be blocked." msgstr "" -#: controlpanel.cpp:1326 +#: controlpanel.cpp:1332 msgid "CTCP requests {1} to user {2} will now get reply: {3}" msgstr "" -#: controlpanel.cpp:1343 +#: controlpanel.cpp:1349 msgid "Usage: DelCTCP [user] [request]" msgstr "" -#: controlpanel.cpp:1349 +#: controlpanel.cpp:1355 msgid "CTCP requests {1} to user {2} will now be sent to IRC clients" msgstr "" -#: controlpanel.cpp:1353 +#: controlpanel.cpp:1359 msgid "" "CTCP requests {1} to user {2} will be sent to IRC clients (nothing has " "changed)" msgstr "" -#: controlpanel.cpp:1363 controlpanel.cpp:1437 +#: controlpanel.cpp:1369 controlpanel.cpp:1443 msgid "Loading modules has been disabled." msgstr "" -#: controlpanel.cpp:1372 +#: controlpanel.cpp:1378 msgid "Error: Unable to load module {1}: {2}" msgstr "" -#: controlpanel.cpp:1375 +#: controlpanel.cpp:1381 msgid "Loaded module {1}" msgstr "" -#: controlpanel.cpp:1380 +#: controlpanel.cpp:1386 msgid "Error: Unable to reload module {1}: {2}" msgstr "" -#: controlpanel.cpp:1383 +#: controlpanel.cpp:1389 msgid "Reloaded module {1}" msgstr "" -#: controlpanel.cpp:1387 +#: controlpanel.cpp:1393 msgid "Error: Unable to load module {1} because it is already loaded" msgstr "" -#: controlpanel.cpp:1398 +#: controlpanel.cpp:1404 msgid "Usage: LoadModule [args]" msgstr "" -#: controlpanel.cpp:1417 +#: controlpanel.cpp:1423 msgid "Usage: LoadNetModule [args]" msgstr "" -#: controlpanel.cpp:1442 +#: controlpanel.cpp:1448 msgid "Please use /znc unloadmod {1}" msgstr "" -#: controlpanel.cpp:1448 +#: controlpanel.cpp:1454 msgid "Error: Unable to unload module {1}: {2}" msgstr "" -#: controlpanel.cpp:1451 +#: controlpanel.cpp:1457 msgid "Unloaded module {1}" msgstr "" -#: controlpanel.cpp:1460 +#: controlpanel.cpp:1466 msgid "Usage: UnloadModule " msgstr "" -#: controlpanel.cpp:1477 +#: controlpanel.cpp:1483 msgid "Usage: UnloadNetModule " msgstr "" -#: controlpanel.cpp:1494 controlpanel.cpp:1499 +#: controlpanel.cpp:1500 controlpanel.cpp:1506 msgctxt "listmodules" msgid "Name" msgstr "" -#: controlpanel.cpp:1495 controlpanel.cpp:1500 +#: controlpanel.cpp:1501 controlpanel.cpp:1507 msgctxt "listmodules" msgid "Arguments" msgstr "" -#: controlpanel.cpp:1519 +#: controlpanel.cpp:1526 msgid "User {1} has no modules loaded." msgstr "" -#: controlpanel.cpp:1523 +#: controlpanel.cpp:1530 msgid "Modules loaded for user {1}:" msgstr "" -#: controlpanel.cpp:1543 +#: controlpanel.cpp:1550 msgid "Network {1} of user {2} has no modules loaded." msgstr "" -#: controlpanel.cpp:1548 +#: controlpanel.cpp:1555 msgid "Modules loaded for network {1} of user {2}:" msgstr "" -#: controlpanel.cpp:1555 +#: controlpanel.cpp:1562 msgid "[command] [variable]" msgstr "" -#: controlpanel.cpp:1556 +#: controlpanel.cpp:1563 msgid "Prints help for matching commands and variables" msgstr "" -#: controlpanel.cpp:1559 +#: controlpanel.cpp:1566 msgid " [username]" msgstr "" -#: controlpanel.cpp:1560 +#: controlpanel.cpp:1567 msgid "Prints the variable's value for the given or current user" msgstr "" -#: controlpanel.cpp:1562 +#: controlpanel.cpp:1569 msgid " " msgstr "" -#: controlpanel.cpp:1563 +#: controlpanel.cpp:1570 msgid "Sets the variable's value for the given user" msgstr "" -#: controlpanel.cpp:1565 +#: controlpanel.cpp:1572 msgid " [username] [network]" msgstr "" -#: controlpanel.cpp:1566 +#: controlpanel.cpp:1573 msgid "Prints the variable's value for the given network" msgstr "" -#: controlpanel.cpp:1568 +#: controlpanel.cpp:1575 msgid " " msgstr "" -#: controlpanel.cpp:1569 +#: controlpanel.cpp:1576 msgid "Sets the variable's value for the given network" msgstr "" -#: controlpanel.cpp:1571 +#: controlpanel.cpp:1578 msgid " [username] " msgstr "" -#: controlpanel.cpp:1572 +#: controlpanel.cpp:1579 msgid "Prints the variable's value for the given channel" msgstr "" -#: controlpanel.cpp:1575 +#: controlpanel.cpp:1582 msgid " " msgstr "" -#: controlpanel.cpp:1576 +#: controlpanel.cpp:1583 msgid "Sets the variable's value for the given channel" msgstr "" -#: controlpanel.cpp:1578 controlpanel.cpp:1581 +#: controlpanel.cpp:1585 controlpanel.cpp:1588 msgid " " msgstr "" -#: controlpanel.cpp:1579 +#: controlpanel.cpp:1586 msgid "Adds a new channel" msgstr "" -#: controlpanel.cpp:1582 +#: controlpanel.cpp:1589 msgid "Deletes a channel" msgstr "" -#: controlpanel.cpp:1584 +#: controlpanel.cpp:1591 msgid "Lists users" msgstr "" -#: controlpanel.cpp:1586 +#: controlpanel.cpp:1593 msgid " " msgstr "" -#: controlpanel.cpp:1587 +#: controlpanel.cpp:1594 msgid "Adds a new user" msgstr "" -#: controlpanel.cpp:1589 controlpanel.cpp:1612 controlpanel.cpp:1626 +#: controlpanel.cpp:1596 controlpanel.cpp:1619 controlpanel.cpp:1633 msgid "" msgstr "" -#: controlpanel.cpp:1589 +#: controlpanel.cpp:1596 msgid "Deletes a user" msgstr "" -#: controlpanel.cpp:1591 +#: controlpanel.cpp:1598 msgid " " msgstr "" -#: controlpanel.cpp:1592 +#: controlpanel.cpp:1599 msgid "Clones a user" msgstr "" -#: controlpanel.cpp:1594 controlpanel.cpp:1597 +#: controlpanel.cpp:1601 controlpanel.cpp:1604 msgid " " msgstr "" -#: controlpanel.cpp:1595 +#: controlpanel.cpp:1602 msgid "Adds a new IRC server for the given or current user" msgstr "" -#: controlpanel.cpp:1598 +#: controlpanel.cpp:1605 msgid "Deletes an IRC server from the given or current user" msgstr "" -#: controlpanel.cpp:1600 controlpanel.cpp:1603 controlpanel.cpp:1623 +#: controlpanel.cpp:1607 controlpanel.cpp:1610 controlpanel.cpp:1630 msgid " " msgstr "" -#: controlpanel.cpp:1601 +#: controlpanel.cpp:1608 msgid "Cycles the user's IRC server connection" msgstr "" -#: controlpanel.cpp:1604 +#: controlpanel.cpp:1611 msgid "Disconnects the user from their IRC server" msgstr "" -#: controlpanel.cpp:1606 +#: controlpanel.cpp:1613 msgid " [args]" msgstr "" -#: controlpanel.cpp:1607 +#: controlpanel.cpp:1614 msgid "Loads a Module for a user" msgstr "" -#: controlpanel.cpp:1609 +#: controlpanel.cpp:1616 msgid " " msgstr "" -#: controlpanel.cpp:1610 +#: controlpanel.cpp:1617 msgid "Removes a Module of a user" msgstr "" -#: controlpanel.cpp:1613 +#: controlpanel.cpp:1620 msgid "Get the list of modules for a user" msgstr "" -#: controlpanel.cpp:1616 +#: controlpanel.cpp:1623 msgid " [args]" msgstr "" -#: controlpanel.cpp:1617 +#: controlpanel.cpp:1624 msgid "Loads a Module for a network" msgstr "" -#: controlpanel.cpp:1620 +#: controlpanel.cpp:1627 msgid " " msgstr "" -#: controlpanel.cpp:1621 +#: controlpanel.cpp:1628 msgid "Removes a Module of a network" msgstr "" -#: controlpanel.cpp:1624 +#: controlpanel.cpp:1631 msgid "Get the list of modules for a network" msgstr "" -#: controlpanel.cpp:1627 +#: controlpanel.cpp:1634 msgid "List the configured CTCP replies" msgstr "" -#: controlpanel.cpp:1629 +#: controlpanel.cpp:1636 msgid " [reply]" msgstr "" -#: controlpanel.cpp:1630 +#: controlpanel.cpp:1637 msgid "Configure a new CTCP reply" msgstr "" -#: controlpanel.cpp:1632 +#: controlpanel.cpp:1639 msgid " " msgstr "" -#: controlpanel.cpp:1633 +#: controlpanel.cpp:1640 msgid "Remove a CTCP reply" msgstr "" -#: controlpanel.cpp:1637 controlpanel.cpp:1640 +#: controlpanel.cpp:1644 controlpanel.cpp:1647 msgid "[username] " msgstr "" -#: controlpanel.cpp:1638 +#: controlpanel.cpp:1645 msgid "Add a network for a user" msgstr "" -#: controlpanel.cpp:1641 +#: controlpanel.cpp:1648 msgid "Delete a network for a user" msgstr "" -#: controlpanel.cpp:1643 +#: controlpanel.cpp:1650 msgid "[username]" msgstr "" -#: controlpanel.cpp:1644 +#: controlpanel.cpp:1651 msgid "List all networks for a user" msgstr "" -#: controlpanel.cpp:1657 +#: controlpanel.cpp:1664 msgid "" "Dynamic configuration through IRC. Allows editing only yourself if you're " "not ZNC admin." diff --git a/modules/po/controlpanel.pt_BR.po b/modules/po/controlpanel.pt_BR.po index cd125c72..723682ae 100644 --- a/modules/po/controlpanel.pt_BR.po +++ b/modules/po/controlpanel.pt_BR.po @@ -8,710 +8,710 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/controlpanel.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" -#: controlpanel.cpp:51 controlpanel.cpp:63 +#: controlpanel.cpp:51 controlpanel.cpp:64 msgctxt "helptable" msgid "Type" msgstr "" -#: controlpanel.cpp:52 controlpanel.cpp:65 +#: controlpanel.cpp:52 controlpanel.cpp:66 msgctxt "helptable" msgid "Variables" msgstr "" -#: controlpanel.cpp:77 +#: controlpanel.cpp:78 msgid "String" msgstr "" -#: controlpanel.cpp:78 +#: controlpanel.cpp:79 msgid "Boolean (true/false)" msgstr "" -#: controlpanel.cpp:79 +#: controlpanel.cpp:80 msgid "Integer" msgstr "" -#: controlpanel.cpp:80 +#: controlpanel.cpp:81 msgid "Number" msgstr "" -#: controlpanel.cpp:123 +#: controlpanel.cpp:125 msgid "The following variables are available when using the Set/Get commands:" msgstr "" -#: controlpanel.cpp:146 +#: controlpanel.cpp:149 msgid "" "The following variables are available when using the SetNetwork/GetNetwork " "commands:" msgstr "" -#: controlpanel.cpp:159 +#: controlpanel.cpp:163 msgid "" "The following variables are available when using the SetChan/GetChan " "commands:" msgstr "" -#: controlpanel.cpp:165 +#: controlpanel.cpp:170 msgid "" "You can use $user as the user name and $network as the network name for " "modifying your own user and network." msgstr "" -#: controlpanel.cpp:174 controlpanel.cpp:961 controlpanel.cpp:998 +#: controlpanel.cpp:179 controlpanel.cpp:966 controlpanel.cpp:1003 msgid "Error: User [{1}] does not exist!" msgstr "" -#: controlpanel.cpp:179 +#: controlpanel.cpp:184 msgid "Error: You need to have admin rights to modify other users!" msgstr "" -#: controlpanel.cpp:189 +#: controlpanel.cpp:194 msgid "Error: You cannot use $network to modify other users!" msgstr "" -#: controlpanel.cpp:197 +#: controlpanel.cpp:202 msgid "Error: User {1} does not have a network named [{2}]." msgstr "" -#: controlpanel.cpp:209 +#: controlpanel.cpp:214 msgid "Usage: Get [username]" msgstr "" -#: controlpanel.cpp:299 controlpanel.cpp:502 controlpanel.cpp:577 -#: controlpanel.cpp:653 controlpanel.cpp:788 controlpanel.cpp:873 +#: controlpanel.cpp:304 controlpanel.cpp:507 controlpanel.cpp:582 +#: controlpanel.cpp:658 controlpanel.cpp:793 controlpanel.cpp:878 msgid "Error: Unknown variable" msgstr "" -#: controlpanel.cpp:308 +#: controlpanel.cpp:313 msgid "Usage: Set " msgstr "" -#: controlpanel.cpp:330 controlpanel.cpp:618 +#: controlpanel.cpp:335 controlpanel.cpp:623 msgid "This bind host is already set!" msgstr "" -#: controlpanel.cpp:337 controlpanel.cpp:349 controlpanel.cpp:357 -#: controlpanel.cpp:420 controlpanel.cpp:439 controlpanel.cpp:455 -#: controlpanel.cpp:465 controlpanel.cpp:625 +#: controlpanel.cpp:342 controlpanel.cpp:354 controlpanel.cpp:362 +#: controlpanel.cpp:425 controlpanel.cpp:444 controlpanel.cpp:460 +#: controlpanel.cpp:470 controlpanel.cpp:630 msgid "Access denied!" msgstr "" -#: controlpanel.cpp:371 controlpanel.cpp:380 controlpanel.cpp:837 +#: controlpanel.cpp:376 controlpanel.cpp:385 controlpanel.cpp:842 msgid "Setting failed, limit for buffer size is {1}" msgstr "" -#: controlpanel.cpp:400 +#: controlpanel.cpp:405 msgid "Password has been changed!" msgstr "" -#: controlpanel.cpp:408 +#: controlpanel.cpp:413 msgid "Timeout can't be less than 30 seconds!" msgstr "" -#: controlpanel.cpp:472 +#: controlpanel.cpp:477 msgid "That would be a bad idea!" msgstr "" -#: controlpanel.cpp:490 +#: controlpanel.cpp:495 msgid "Supported languages: {1}" msgstr "" -#: controlpanel.cpp:514 +#: controlpanel.cpp:519 msgid "Usage: GetNetwork [username] [network]" msgstr "" -#: controlpanel.cpp:533 +#: controlpanel.cpp:538 msgid "Error: A network must be specified to get another users settings." msgstr "" -#: controlpanel.cpp:539 +#: controlpanel.cpp:544 msgid "You are not currently attached to a network." msgstr "" -#: controlpanel.cpp:545 +#: controlpanel.cpp:550 msgid "Error: Invalid network." msgstr "" -#: controlpanel.cpp:589 +#: controlpanel.cpp:594 msgid "Usage: SetNetwork " msgstr "" -#: controlpanel.cpp:663 +#: controlpanel.cpp:668 msgid "Usage: AddChan " msgstr "" -#: controlpanel.cpp:676 +#: controlpanel.cpp:681 msgid "Error: User {1} already has a channel named {2}." msgstr "" -#: controlpanel.cpp:683 +#: controlpanel.cpp:688 msgid "Channel {1} for user {2} added to network {3}." msgstr "" -#: controlpanel.cpp:687 +#: controlpanel.cpp:692 msgid "" "Could not add channel {1} for user {2} to network {3}, does it already exist?" msgstr "" -#: controlpanel.cpp:697 +#: controlpanel.cpp:702 msgid "Usage: DelChan " msgstr "" -#: controlpanel.cpp:712 +#: controlpanel.cpp:717 msgid "Error: User {1} does not have any channel matching [{2}] in network {3}" msgstr "" -#: controlpanel.cpp:725 +#: controlpanel.cpp:730 msgid "Channel {1} is deleted from network {2} of user {3}" msgid_plural "Channels {1} are deleted from network {2} of user {3}" msgstr[0] "" msgstr[1] "" -#: controlpanel.cpp:740 +#: controlpanel.cpp:745 msgid "Usage: GetChan " msgstr "" -#: controlpanel.cpp:754 controlpanel.cpp:818 +#: controlpanel.cpp:759 controlpanel.cpp:823 msgid "Error: No channels matching [{1}] found." msgstr "" -#: controlpanel.cpp:803 +#: controlpanel.cpp:808 msgid "Usage: SetChan " msgstr "" -#: controlpanel.cpp:884 controlpanel.cpp:894 +#: controlpanel.cpp:889 controlpanel.cpp:899 msgctxt "listusers" msgid "Username" msgstr "" -#: controlpanel.cpp:885 controlpanel.cpp:895 +#: controlpanel.cpp:890 controlpanel.cpp:900 msgctxt "listusers" msgid "Realname" msgstr "" -#: controlpanel.cpp:886 controlpanel.cpp:898 controlpanel.cpp:900 +#: controlpanel.cpp:891 controlpanel.cpp:903 controlpanel.cpp:905 msgctxt "listusers" msgid "IsAdmin" msgstr "" -#: controlpanel.cpp:887 controlpanel.cpp:901 +#: controlpanel.cpp:892 controlpanel.cpp:906 msgctxt "listusers" msgid "Nick" msgstr "" -#: controlpanel.cpp:888 controlpanel.cpp:902 +#: controlpanel.cpp:893 controlpanel.cpp:907 msgctxt "listusers" msgid "AltNick" msgstr "" -#: controlpanel.cpp:889 controlpanel.cpp:903 +#: controlpanel.cpp:894 controlpanel.cpp:908 msgctxt "listusers" msgid "Ident" msgstr "" -#: controlpanel.cpp:890 controlpanel.cpp:904 +#: controlpanel.cpp:895 controlpanel.cpp:909 msgctxt "listusers" msgid "BindHost" msgstr "" -#: controlpanel.cpp:898 controlpanel.cpp:1138 +#: controlpanel.cpp:903 controlpanel.cpp:1143 msgid "No" msgstr "" -#: controlpanel.cpp:900 controlpanel.cpp:1130 +#: controlpanel.cpp:905 controlpanel.cpp:1135 msgid "Yes" msgstr "" -#: controlpanel.cpp:914 controlpanel.cpp:983 +#: controlpanel.cpp:919 controlpanel.cpp:988 msgid "Error: You need to have admin rights to add new users!" msgstr "" -#: controlpanel.cpp:920 +#: controlpanel.cpp:925 msgid "Usage: AddUser " msgstr "" -#: controlpanel.cpp:925 +#: controlpanel.cpp:930 msgid "Error: User {1} already exists!" msgstr "" -#: controlpanel.cpp:937 controlpanel.cpp:1012 +#: controlpanel.cpp:942 controlpanel.cpp:1017 msgid "Error: User not added: {1}" msgstr "" -#: controlpanel.cpp:941 controlpanel.cpp:1016 +#: controlpanel.cpp:946 controlpanel.cpp:1021 msgid "User {1} added!" msgstr "" -#: controlpanel.cpp:948 +#: controlpanel.cpp:953 msgid "Error: You need to have admin rights to delete users!" msgstr "" -#: controlpanel.cpp:954 +#: controlpanel.cpp:959 msgid "Usage: DelUser " msgstr "" -#: controlpanel.cpp:966 +#: controlpanel.cpp:971 msgid "Error: You can't delete yourself!" msgstr "" -#: controlpanel.cpp:972 +#: controlpanel.cpp:977 msgid "Error: Internal error!" msgstr "" -#: controlpanel.cpp:976 +#: controlpanel.cpp:981 msgid "User {1} deleted!" msgstr "" -#: controlpanel.cpp:991 +#: controlpanel.cpp:996 msgid "Usage: CloneUser " msgstr "" -#: controlpanel.cpp:1006 +#: controlpanel.cpp:1011 msgid "Error: Cloning failed: {1}" msgstr "" -#: controlpanel.cpp:1035 +#: controlpanel.cpp:1040 msgid "Usage: AddNetwork [user] network" msgstr "" -#: controlpanel.cpp:1041 +#: controlpanel.cpp:1046 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks using /znc DelNetwork " msgstr "" -#: controlpanel.cpp:1049 +#: controlpanel.cpp:1054 msgid "Error: User {1} already has a network with the name {2}" msgstr "" -#: controlpanel.cpp:1056 +#: controlpanel.cpp:1061 msgid "Network {1} added to user {2}." msgstr "" -#: controlpanel.cpp:1060 +#: controlpanel.cpp:1065 msgid "Error: Network [{1}] could not be added for user {2}: {3}" msgstr "" -#: controlpanel.cpp:1080 +#: controlpanel.cpp:1085 msgid "Usage: DelNetwork [user] network" msgstr "" -#: controlpanel.cpp:1091 +#: controlpanel.cpp:1096 msgid "The currently active network can be deleted via {1}status" msgstr "" -#: controlpanel.cpp:1097 +#: controlpanel.cpp:1102 msgid "Network {1} deleted for user {2}." msgstr "" -#: controlpanel.cpp:1101 +#: controlpanel.cpp:1106 msgid "Error: Network {1} could not be deleted for user {2}." msgstr "" -#: controlpanel.cpp:1120 controlpanel.cpp:1128 +#: controlpanel.cpp:1125 controlpanel.cpp:1133 msgctxt "listnetworks" msgid "Network" msgstr "" -#: controlpanel.cpp:1121 controlpanel.cpp:1130 controlpanel.cpp:1138 +#: controlpanel.cpp:1126 controlpanel.cpp:1135 controlpanel.cpp:1143 msgctxt "listnetworks" msgid "OnIRC" msgstr "" -#: controlpanel.cpp:1122 controlpanel.cpp:1131 +#: controlpanel.cpp:1127 controlpanel.cpp:1136 msgctxt "listnetworks" msgid "IRC Server" msgstr "" -#: controlpanel.cpp:1123 controlpanel.cpp:1133 +#: controlpanel.cpp:1128 controlpanel.cpp:1138 msgctxt "listnetworks" msgid "IRC User" msgstr "" -#: controlpanel.cpp:1124 controlpanel.cpp:1135 +#: controlpanel.cpp:1129 controlpanel.cpp:1140 msgctxt "listnetworks" msgid "Channels" msgstr "" -#: controlpanel.cpp:1143 +#: controlpanel.cpp:1148 msgid "No networks" msgstr "" -#: controlpanel.cpp:1154 +#: controlpanel.cpp:1159 msgid "Usage: AddServer [[+]port] [password]" msgstr "" -#: controlpanel.cpp:1168 +#: controlpanel.cpp:1173 msgid "Added IRC Server {1} to network {2} for user {3}." msgstr "" -#: controlpanel.cpp:1172 +#: controlpanel.cpp:1177 msgid "Error: Could not add IRC server {1} to network {2} for user {3}." msgstr "" -#: controlpanel.cpp:1185 +#: controlpanel.cpp:1190 msgid "Usage: DelServer [[+]port] [password]" msgstr "" -#: controlpanel.cpp:1200 +#: controlpanel.cpp:1205 msgid "Deleted IRC Server {1} from network {2} for user {3}." msgstr "" -#: controlpanel.cpp:1204 +#: controlpanel.cpp:1209 msgid "Error: Could not delete IRC server {1} from network {2} for user {3}." msgstr "" -#: controlpanel.cpp:1214 +#: controlpanel.cpp:1219 msgid "Usage: Reconnect " msgstr "" -#: controlpanel.cpp:1241 +#: controlpanel.cpp:1246 msgid "Queued network {1} of user {2} for a reconnect." msgstr "" -#: controlpanel.cpp:1250 +#: controlpanel.cpp:1255 msgid "Usage: Disconnect " msgstr "" -#: controlpanel.cpp:1265 +#: controlpanel.cpp:1270 msgid "Closed IRC connection for network {1} of user {2}." msgstr "" -#: controlpanel.cpp:1280 controlpanel.cpp:1284 +#: controlpanel.cpp:1285 controlpanel.cpp:1290 msgctxt "listctcp" msgid "Request" msgstr "" -#: controlpanel.cpp:1281 controlpanel.cpp:1285 +#: controlpanel.cpp:1286 controlpanel.cpp:1291 msgctxt "listctcp" msgid "Reply" msgstr "" -#: controlpanel.cpp:1289 +#: controlpanel.cpp:1295 msgid "No CTCP replies for user {1} are configured" msgstr "" -#: controlpanel.cpp:1292 +#: controlpanel.cpp:1298 msgid "CTCP replies for user {1}:" msgstr "" -#: controlpanel.cpp:1308 +#: controlpanel.cpp:1314 msgid "Usage: AddCTCP [user] [request] [reply]" msgstr "" -#: controlpanel.cpp:1310 +#: controlpanel.cpp:1316 msgid "" "This will cause ZNC to reply to the CTCP instead of forwarding it to clients." msgstr "" -#: controlpanel.cpp:1313 +#: controlpanel.cpp:1319 msgid "An empty reply will cause the CTCP request to be blocked." msgstr "" -#: controlpanel.cpp:1322 +#: controlpanel.cpp:1328 msgid "CTCP requests {1} to user {2} will now be blocked." msgstr "" -#: controlpanel.cpp:1326 +#: controlpanel.cpp:1332 msgid "CTCP requests {1} to user {2} will now get reply: {3}" msgstr "" -#: controlpanel.cpp:1343 +#: controlpanel.cpp:1349 msgid "Usage: DelCTCP [user] [request]" msgstr "" -#: controlpanel.cpp:1349 +#: controlpanel.cpp:1355 msgid "CTCP requests {1} to user {2} will now be sent to IRC clients" msgstr "" -#: controlpanel.cpp:1353 +#: controlpanel.cpp:1359 msgid "" "CTCP requests {1} to user {2} will be sent to IRC clients (nothing has " "changed)" msgstr "" -#: controlpanel.cpp:1363 controlpanel.cpp:1437 +#: controlpanel.cpp:1369 controlpanel.cpp:1443 msgid "Loading modules has been disabled." msgstr "" -#: controlpanel.cpp:1372 +#: controlpanel.cpp:1378 msgid "Error: Unable to load module {1}: {2}" msgstr "" -#: controlpanel.cpp:1375 +#: controlpanel.cpp:1381 msgid "Loaded module {1}" msgstr "" -#: controlpanel.cpp:1380 +#: controlpanel.cpp:1386 msgid "Error: Unable to reload module {1}: {2}" msgstr "" -#: controlpanel.cpp:1383 +#: controlpanel.cpp:1389 msgid "Reloaded module {1}" msgstr "" -#: controlpanel.cpp:1387 +#: controlpanel.cpp:1393 msgid "Error: Unable to load module {1} because it is already loaded" msgstr "" -#: controlpanel.cpp:1398 +#: controlpanel.cpp:1404 msgid "Usage: LoadModule [args]" msgstr "" -#: controlpanel.cpp:1417 +#: controlpanel.cpp:1423 msgid "Usage: LoadNetModule [args]" msgstr "" -#: controlpanel.cpp:1442 +#: controlpanel.cpp:1448 msgid "Please use /znc unloadmod {1}" msgstr "" -#: controlpanel.cpp:1448 +#: controlpanel.cpp:1454 msgid "Error: Unable to unload module {1}: {2}" msgstr "" -#: controlpanel.cpp:1451 +#: controlpanel.cpp:1457 msgid "Unloaded module {1}" msgstr "" -#: controlpanel.cpp:1460 +#: controlpanel.cpp:1466 msgid "Usage: UnloadModule " msgstr "" -#: controlpanel.cpp:1477 +#: controlpanel.cpp:1483 msgid "Usage: UnloadNetModule " msgstr "" -#: controlpanel.cpp:1494 controlpanel.cpp:1499 +#: controlpanel.cpp:1500 controlpanel.cpp:1506 msgctxt "listmodules" msgid "Name" msgstr "" -#: controlpanel.cpp:1495 controlpanel.cpp:1500 +#: controlpanel.cpp:1501 controlpanel.cpp:1507 msgctxt "listmodules" msgid "Arguments" msgstr "" -#: controlpanel.cpp:1519 +#: controlpanel.cpp:1526 msgid "User {1} has no modules loaded." msgstr "" -#: controlpanel.cpp:1523 +#: controlpanel.cpp:1530 msgid "Modules loaded for user {1}:" msgstr "" -#: controlpanel.cpp:1543 +#: controlpanel.cpp:1550 msgid "Network {1} of user {2} has no modules loaded." msgstr "" -#: controlpanel.cpp:1548 +#: controlpanel.cpp:1555 msgid "Modules loaded for network {1} of user {2}:" msgstr "" -#: controlpanel.cpp:1555 +#: controlpanel.cpp:1562 msgid "[command] [variable]" msgstr "" -#: controlpanel.cpp:1556 +#: controlpanel.cpp:1563 msgid "Prints help for matching commands and variables" msgstr "" -#: controlpanel.cpp:1559 +#: controlpanel.cpp:1566 msgid " [username]" msgstr "" -#: controlpanel.cpp:1560 +#: controlpanel.cpp:1567 msgid "Prints the variable's value for the given or current user" msgstr "" -#: controlpanel.cpp:1562 +#: controlpanel.cpp:1569 msgid " " msgstr "" -#: controlpanel.cpp:1563 +#: controlpanel.cpp:1570 msgid "Sets the variable's value for the given user" msgstr "" -#: controlpanel.cpp:1565 +#: controlpanel.cpp:1572 msgid " [username] [network]" msgstr "" -#: controlpanel.cpp:1566 +#: controlpanel.cpp:1573 msgid "Prints the variable's value for the given network" msgstr "" -#: controlpanel.cpp:1568 +#: controlpanel.cpp:1575 msgid " " msgstr "" -#: controlpanel.cpp:1569 +#: controlpanel.cpp:1576 msgid "Sets the variable's value for the given network" msgstr "" -#: controlpanel.cpp:1571 +#: controlpanel.cpp:1578 msgid " [username] " msgstr "" -#: controlpanel.cpp:1572 +#: controlpanel.cpp:1579 msgid "Prints the variable's value for the given channel" msgstr "" -#: controlpanel.cpp:1575 +#: controlpanel.cpp:1582 msgid " " msgstr "" -#: controlpanel.cpp:1576 +#: controlpanel.cpp:1583 msgid "Sets the variable's value for the given channel" msgstr "" -#: controlpanel.cpp:1578 controlpanel.cpp:1581 +#: controlpanel.cpp:1585 controlpanel.cpp:1588 msgid " " msgstr "" -#: controlpanel.cpp:1579 +#: controlpanel.cpp:1586 msgid "Adds a new channel" msgstr "" -#: controlpanel.cpp:1582 +#: controlpanel.cpp:1589 msgid "Deletes a channel" msgstr "" -#: controlpanel.cpp:1584 +#: controlpanel.cpp:1591 msgid "Lists users" msgstr "" -#: controlpanel.cpp:1586 +#: controlpanel.cpp:1593 msgid " " msgstr "" -#: controlpanel.cpp:1587 +#: controlpanel.cpp:1594 msgid "Adds a new user" msgstr "" -#: controlpanel.cpp:1589 controlpanel.cpp:1612 controlpanel.cpp:1626 +#: controlpanel.cpp:1596 controlpanel.cpp:1619 controlpanel.cpp:1633 msgid "" msgstr "" -#: controlpanel.cpp:1589 +#: controlpanel.cpp:1596 msgid "Deletes a user" msgstr "" -#: controlpanel.cpp:1591 +#: controlpanel.cpp:1598 msgid " " msgstr "" -#: controlpanel.cpp:1592 +#: controlpanel.cpp:1599 msgid "Clones a user" msgstr "" -#: controlpanel.cpp:1594 controlpanel.cpp:1597 +#: controlpanel.cpp:1601 controlpanel.cpp:1604 msgid " " msgstr "" -#: controlpanel.cpp:1595 +#: controlpanel.cpp:1602 msgid "Adds a new IRC server for the given or current user" msgstr "" -#: controlpanel.cpp:1598 +#: controlpanel.cpp:1605 msgid "Deletes an IRC server from the given or current user" msgstr "" -#: controlpanel.cpp:1600 controlpanel.cpp:1603 controlpanel.cpp:1623 +#: controlpanel.cpp:1607 controlpanel.cpp:1610 controlpanel.cpp:1630 msgid " " msgstr "" -#: controlpanel.cpp:1601 +#: controlpanel.cpp:1608 msgid "Cycles the user's IRC server connection" msgstr "" -#: controlpanel.cpp:1604 +#: controlpanel.cpp:1611 msgid "Disconnects the user from their IRC server" msgstr "" -#: controlpanel.cpp:1606 +#: controlpanel.cpp:1613 msgid " [args]" msgstr "" -#: controlpanel.cpp:1607 +#: controlpanel.cpp:1614 msgid "Loads a Module for a user" msgstr "" -#: controlpanel.cpp:1609 +#: controlpanel.cpp:1616 msgid " " msgstr "" -#: controlpanel.cpp:1610 +#: controlpanel.cpp:1617 msgid "Removes a Module of a user" msgstr "" -#: controlpanel.cpp:1613 +#: controlpanel.cpp:1620 msgid "Get the list of modules for a user" msgstr "" -#: controlpanel.cpp:1616 +#: controlpanel.cpp:1623 msgid " [args]" msgstr "" -#: controlpanel.cpp:1617 +#: controlpanel.cpp:1624 msgid "Loads a Module for a network" msgstr "" -#: controlpanel.cpp:1620 +#: controlpanel.cpp:1627 msgid " " msgstr "" -#: controlpanel.cpp:1621 +#: controlpanel.cpp:1628 msgid "Removes a Module of a network" msgstr "" -#: controlpanel.cpp:1624 +#: controlpanel.cpp:1631 msgid "Get the list of modules for a network" msgstr "" -#: controlpanel.cpp:1627 +#: controlpanel.cpp:1634 msgid "List the configured CTCP replies" msgstr "" -#: controlpanel.cpp:1629 +#: controlpanel.cpp:1636 msgid " [reply]" msgstr "" -#: controlpanel.cpp:1630 +#: controlpanel.cpp:1637 msgid "Configure a new CTCP reply" msgstr "" -#: controlpanel.cpp:1632 +#: controlpanel.cpp:1639 msgid " " msgstr "" -#: controlpanel.cpp:1633 +#: controlpanel.cpp:1640 msgid "Remove a CTCP reply" msgstr "" -#: controlpanel.cpp:1637 controlpanel.cpp:1640 +#: controlpanel.cpp:1644 controlpanel.cpp:1647 msgid "[username] " msgstr "" -#: controlpanel.cpp:1638 +#: controlpanel.cpp:1645 msgid "Add a network for a user" msgstr "" -#: controlpanel.cpp:1641 +#: controlpanel.cpp:1648 msgid "Delete a network for a user" msgstr "" -#: controlpanel.cpp:1643 +#: controlpanel.cpp:1650 msgid "[username]" msgstr "" -#: controlpanel.cpp:1644 +#: controlpanel.cpp:1651 msgid "List all networks for a user" msgstr "" -#: controlpanel.cpp:1657 +#: controlpanel.cpp:1664 msgid "" "Dynamic configuration through IRC. Allows editing only yourself if you're " "not ZNC admin." diff --git a/modules/po/controlpanel.ru_RU.po b/modules/po/controlpanel.ru_RU.po index 26972ccc..391206a3 100644 --- a/modules/po/controlpanel.ru_RU.po +++ b/modules/po/controlpanel.ru_RU.po @@ -10,163 +10,163 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/controlpanel.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" -#: controlpanel.cpp:51 controlpanel.cpp:63 +#: controlpanel.cpp:51 controlpanel.cpp:64 msgctxt "helptable" msgid "Type" msgstr "" -#: controlpanel.cpp:52 controlpanel.cpp:65 +#: controlpanel.cpp:52 controlpanel.cpp:66 msgctxt "helptable" msgid "Variables" msgstr "" -#: controlpanel.cpp:77 +#: controlpanel.cpp:78 msgid "String" msgstr "" -#: controlpanel.cpp:78 +#: controlpanel.cpp:79 msgid "Boolean (true/false)" msgstr "" -#: controlpanel.cpp:79 +#: controlpanel.cpp:80 msgid "Integer" msgstr "" -#: controlpanel.cpp:80 +#: controlpanel.cpp:81 msgid "Number" msgstr "" -#: controlpanel.cpp:123 +#: controlpanel.cpp:125 msgid "The following variables are available when using the Set/Get commands:" msgstr "" -#: controlpanel.cpp:146 +#: controlpanel.cpp:149 msgid "" "The following variables are available when using the SetNetwork/GetNetwork " "commands:" msgstr "" -#: controlpanel.cpp:159 +#: controlpanel.cpp:163 msgid "" "The following variables are available when using the SetChan/GetChan " "commands:" msgstr "" -#: controlpanel.cpp:165 +#: controlpanel.cpp:170 msgid "" "You can use $user as the user name and $network as the network name for " "modifying your own user and network." msgstr "" -#: controlpanel.cpp:174 controlpanel.cpp:961 controlpanel.cpp:998 +#: controlpanel.cpp:179 controlpanel.cpp:966 controlpanel.cpp:1003 msgid "Error: User [{1}] does not exist!" msgstr "" -#: controlpanel.cpp:179 +#: controlpanel.cpp:184 msgid "Error: You need to have admin rights to modify other users!" msgstr "" -#: controlpanel.cpp:189 +#: controlpanel.cpp:194 msgid "Error: You cannot use $network to modify other users!" msgstr "" -#: controlpanel.cpp:197 +#: controlpanel.cpp:202 msgid "Error: User {1} does not have a network named [{2}]." msgstr "" -#: controlpanel.cpp:209 +#: controlpanel.cpp:214 msgid "Usage: Get [username]" msgstr "" -#: controlpanel.cpp:299 controlpanel.cpp:502 controlpanel.cpp:577 -#: controlpanel.cpp:653 controlpanel.cpp:788 controlpanel.cpp:873 +#: controlpanel.cpp:304 controlpanel.cpp:507 controlpanel.cpp:582 +#: controlpanel.cpp:658 controlpanel.cpp:793 controlpanel.cpp:878 msgid "Error: Unknown variable" msgstr "" -#: controlpanel.cpp:308 +#: controlpanel.cpp:313 msgid "Usage: Set " msgstr "" -#: controlpanel.cpp:330 controlpanel.cpp:618 +#: controlpanel.cpp:335 controlpanel.cpp:623 msgid "This bind host is already set!" msgstr "" -#: controlpanel.cpp:337 controlpanel.cpp:349 controlpanel.cpp:357 -#: controlpanel.cpp:420 controlpanel.cpp:439 controlpanel.cpp:455 -#: controlpanel.cpp:465 controlpanel.cpp:625 +#: controlpanel.cpp:342 controlpanel.cpp:354 controlpanel.cpp:362 +#: controlpanel.cpp:425 controlpanel.cpp:444 controlpanel.cpp:460 +#: controlpanel.cpp:470 controlpanel.cpp:630 msgid "Access denied!" msgstr "" -#: controlpanel.cpp:371 controlpanel.cpp:380 controlpanel.cpp:837 +#: controlpanel.cpp:376 controlpanel.cpp:385 controlpanel.cpp:842 msgid "Setting failed, limit for buffer size is {1}" msgstr "" -#: controlpanel.cpp:400 +#: controlpanel.cpp:405 msgid "Password has been changed!" msgstr "" -#: controlpanel.cpp:408 +#: controlpanel.cpp:413 msgid "Timeout can't be less than 30 seconds!" msgstr "" -#: controlpanel.cpp:472 +#: controlpanel.cpp:477 msgid "That would be a bad idea!" msgstr "" -#: controlpanel.cpp:490 +#: controlpanel.cpp:495 msgid "Supported languages: {1}" msgstr "" -#: controlpanel.cpp:514 +#: controlpanel.cpp:519 msgid "Usage: GetNetwork [username] [network]" msgstr "" -#: controlpanel.cpp:533 +#: controlpanel.cpp:538 msgid "Error: A network must be specified to get another users settings." msgstr "" -#: controlpanel.cpp:539 +#: controlpanel.cpp:544 msgid "You are not currently attached to a network." msgstr "" -#: controlpanel.cpp:545 +#: controlpanel.cpp:550 msgid "Error: Invalid network." msgstr "" -#: controlpanel.cpp:589 +#: controlpanel.cpp:594 msgid "Usage: SetNetwork " msgstr "" -#: controlpanel.cpp:663 +#: controlpanel.cpp:668 msgid "Usage: AddChan " msgstr "" -#: controlpanel.cpp:676 +#: controlpanel.cpp:681 msgid "Error: User {1} already has a channel named {2}." msgstr "" -#: controlpanel.cpp:683 +#: controlpanel.cpp:688 msgid "Channel {1} for user {2} added to network {3}." msgstr "" -#: controlpanel.cpp:687 +#: controlpanel.cpp:692 msgid "" "Could not add channel {1} for user {2} to network {3}, does it already exist?" msgstr "" -#: controlpanel.cpp:697 +#: controlpanel.cpp:702 msgid "Usage: DelChan " msgstr "" -#: controlpanel.cpp:712 +#: controlpanel.cpp:717 msgid "Error: User {1} does not have any channel matching [{2}] in network {3}" msgstr "" -#: controlpanel.cpp:725 +#: controlpanel.cpp:730 msgid "Channel {1} is deleted from network {2} of user {3}" msgid_plural "Channels {1} are deleted from network {2} of user {3}" msgstr[0] "" @@ -174,548 +174,548 @@ msgstr[1] "" msgstr[2] "" msgstr[3] "" -#: controlpanel.cpp:740 +#: controlpanel.cpp:745 msgid "Usage: GetChan " msgstr "" -#: controlpanel.cpp:754 controlpanel.cpp:818 +#: controlpanel.cpp:759 controlpanel.cpp:823 msgid "Error: No channels matching [{1}] found." msgstr "" -#: controlpanel.cpp:803 +#: controlpanel.cpp:808 msgid "Usage: SetChan " msgstr "" -#: controlpanel.cpp:884 controlpanel.cpp:894 +#: controlpanel.cpp:889 controlpanel.cpp:899 msgctxt "listusers" msgid "Username" msgstr "" -#: controlpanel.cpp:885 controlpanel.cpp:895 +#: controlpanel.cpp:890 controlpanel.cpp:900 msgctxt "listusers" msgid "Realname" msgstr "" -#: controlpanel.cpp:886 controlpanel.cpp:898 controlpanel.cpp:900 +#: controlpanel.cpp:891 controlpanel.cpp:903 controlpanel.cpp:905 msgctxt "listusers" msgid "IsAdmin" msgstr "" -#: controlpanel.cpp:887 controlpanel.cpp:901 +#: controlpanel.cpp:892 controlpanel.cpp:906 msgctxt "listusers" msgid "Nick" msgstr "" -#: controlpanel.cpp:888 controlpanel.cpp:902 +#: controlpanel.cpp:893 controlpanel.cpp:907 msgctxt "listusers" msgid "AltNick" msgstr "" -#: controlpanel.cpp:889 controlpanel.cpp:903 +#: controlpanel.cpp:894 controlpanel.cpp:908 msgctxt "listusers" msgid "Ident" msgstr "" -#: controlpanel.cpp:890 controlpanel.cpp:904 +#: controlpanel.cpp:895 controlpanel.cpp:909 msgctxt "listusers" msgid "BindHost" msgstr "" -#: controlpanel.cpp:898 controlpanel.cpp:1138 +#: controlpanel.cpp:903 controlpanel.cpp:1143 msgid "No" msgstr "" -#: controlpanel.cpp:900 controlpanel.cpp:1130 +#: controlpanel.cpp:905 controlpanel.cpp:1135 msgid "Yes" msgstr "" -#: controlpanel.cpp:914 controlpanel.cpp:983 +#: controlpanel.cpp:919 controlpanel.cpp:988 msgid "Error: You need to have admin rights to add new users!" msgstr "" -#: controlpanel.cpp:920 +#: controlpanel.cpp:925 msgid "Usage: AddUser " msgstr "" -#: controlpanel.cpp:925 +#: controlpanel.cpp:930 msgid "Error: User {1} already exists!" msgstr "" -#: controlpanel.cpp:937 controlpanel.cpp:1012 +#: controlpanel.cpp:942 controlpanel.cpp:1017 msgid "Error: User not added: {1}" msgstr "" -#: controlpanel.cpp:941 controlpanel.cpp:1016 +#: controlpanel.cpp:946 controlpanel.cpp:1021 msgid "User {1} added!" msgstr "" -#: controlpanel.cpp:948 +#: controlpanel.cpp:953 msgid "Error: You need to have admin rights to delete users!" msgstr "" -#: controlpanel.cpp:954 +#: controlpanel.cpp:959 msgid "Usage: DelUser " msgstr "" -#: controlpanel.cpp:966 +#: controlpanel.cpp:971 msgid "Error: You can't delete yourself!" msgstr "" -#: controlpanel.cpp:972 +#: controlpanel.cpp:977 msgid "Error: Internal error!" msgstr "" -#: controlpanel.cpp:976 +#: controlpanel.cpp:981 msgid "User {1} deleted!" msgstr "" -#: controlpanel.cpp:991 +#: controlpanel.cpp:996 msgid "Usage: CloneUser " msgstr "" -#: controlpanel.cpp:1006 +#: controlpanel.cpp:1011 msgid "Error: Cloning failed: {1}" msgstr "" -#: controlpanel.cpp:1035 +#: controlpanel.cpp:1040 msgid "Usage: AddNetwork [user] network" msgstr "" -#: controlpanel.cpp:1041 +#: controlpanel.cpp:1046 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks using /znc DelNetwork " msgstr "" -#: controlpanel.cpp:1049 +#: controlpanel.cpp:1054 msgid "Error: User {1} already has a network with the name {2}" msgstr "" -#: controlpanel.cpp:1056 +#: controlpanel.cpp:1061 msgid "Network {1} added to user {2}." msgstr "" -#: controlpanel.cpp:1060 +#: controlpanel.cpp:1065 msgid "Error: Network [{1}] could not be added for user {2}: {3}" msgstr "" -#: controlpanel.cpp:1080 +#: controlpanel.cpp:1085 msgid "Usage: DelNetwork [user] network" msgstr "" -#: controlpanel.cpp:1091 +#: controlpanel.cpp:1096 msgid "The currently active network can be deleted via {1}status" msgstr "" -#: controlpanel.cpp:1097 +#: controlpanel.cpp:1102 msgid "Network {1} deleted for user {2}." msgstr "" -#: controlpanel.cpp:1101 +#: controlpanel.cpp:1106 msgid "Error: Network {1} could not be deleted for user {2}." msgstr "" -#: controlpanel.cpp:1120 controlpanel.cpp:1128 +#: controlpanel.cpp:1125 controlpanel.cpp:1133 msgctxt "listnetworks" msgid "Network" msgstr "" -#: controlpanel.cpp:1121 controlpanel.cpp:1130 controlpanel.cpp:1138 +#: controlpanel.cpp:1126 controlpanel.cpp:1135 controlpanel.cpp:1143 msgctxt "listnetworks" msgid "OnIRC" msgstr "" -#: controlpanel.cpp:1122 controlpanel.cpp:1131 +#: controlpanel.cpp:1127 controlpanel.cpp:1136 msgctxt "listnetworks" msgid "IRC Server" msgstr "" -#: controlpanel.cpp:1123 controlpanel.cpp:1133 +#: controlpanel.cpp:1128 controlpanel.cpp:1138 msgctxt "listnetworks" msgid "IRC User" msgstr "" -#: controlpanel.cpp:1124 controlpanel.cpp:1135 +#: controlpanel.cpp:1129 controlpanel.cpp:1140 msgctxt "listnetworks" msgid "Channels" msgstr "" -#: controlpanel.cpp:1143 +#: controlpanel.cpp:1148 msgid "No networks" msgstr "" -#: controlpanel.cpp:1154 +#: controlpanel.cpp:1159 msgid "Usage: AddServer [[+]port] [password]" msgstr "" -#: controlpanel.cpp:1168 +#: controlpanel.cpp:1173 msgid "Added IRC Server {1} to network {2} for user {3}." msgstr "" -#: controlpanel.cpp:1172 +#: controlpanel.cpp:1177 msgid "Error: Could not add IRC server {1} to network {2} for user {3}." msgstr "" -#: controlpanel.cpp:1185 +#: controlpanel.cpp:1190 msgid "Usage: DelServer [[+]port] [password]" msgstr "" -#: controlpanel.cpp:1200 +#: controlpanel.cpp:1205 msgid "Deleted IRC Server {1} from network {2} for user {3}." msgstr "" -#: controlpanel.cpp:1204 +#: controlpanel.cpp:1209 msgid "Error: Could not delete IRC server {1} from network {2} for user {3}." msgstr "" -#: controlpanel.cpp:1214 +#: controlpanel.cpp:1219 msgid "Usage: Reconnect " msgstr "" -#: controlpanel.cpp:1241 +#: controlpanel.cpp:1246 msgid "Queued network {1} of user {2} for a reconnect." msgstr "" -#: controlpanel.cpp:1250 +#: controlpanel.cpp:1255 msgid "Usage: Disconnect " msgstr "" -#: controlpanel.cpp:1265 +#: controlpanel.cpp:1270 msgid "Closed IRC connection for network {1} of user {2}." msgstr "" -#: controlpanel.cpp:1280 controlpanel.cpp:1284 +#: controlpanel.cpp:1285 controlpanel.cpp:1290 msgctxt "listctcp" msgid "Request" msgstr "" -#: controlpanel.cpp:1281 controlpanel.cpp:1285 +#: controlpanel.cpp:1286 controlpanel.cpp:1291 msgctxt "listctcp" msgid "Reply" msgstr "" -#: controlpanel.cpp:1289 +#: controlpanel.cpp:1295 msgid "No CTCP replies for user {1} are configured" msgstr "" -#: controlpanel.cpp:1292 +#: controlpanel.cpp:1298 msgid "CTCP replies for user {1}:" msgstr "" -#: controlpanel.cpp:1308 +#: controlpanel.cpp:1314 msgid "Usage: AddCTCP [user] [request] [reply]" msgstr "" -#: controlpanel.cpp:1310 +#: controlpanel.cpp:1316 msgid "" "This will cause ZNC to reply to the CTCP instead of forwarding it to clients." msgstr "" -#: controlpanel.cpp:1313 +#: controlpanel.cpp:1319 msgid "An empty reply will cause the CTCP request to be blocked." msgstr "" -#: controlpanel.cpp:1322 +#: controlpanel.cpp:1328 msgid "CTCP requests {1} to user {2} will now be blocked." msgstr "" -#: controlpanel.cpp:1326 +#: controlpanel.cpp:1332 msgid "CTCP requests {1} to user {2} will now get reply: {3}" msgstr "" -#: controlpanel.cpp:1343 +#: controlpanel.cpp:1349 msgid "Usage: DelCTCP [user] [request]" msgstr "" -#: controlpanel.cpp:1349 +#: controlpanel.cpp:1355 msgid "CTCP requests {1} to user {2} will now be sent to IRC clients" msgstr "" -#: controlpanel.cpp:1353 +#: controlpanel.cpp:1359 msgid "" "CTCP requests {1} to user {2} will be sent to IRC clients (nothing has " "changed)" msgstr "" -#: controlpanel.cpp:1363 controlpanel.cpp:1437 +#: controlpanel.cpp:1369 controlpanel.cpp:1443 msgid "Loading modules has been disabled." msgstr "" -#: controlpanel.cpp:1372 +#: controlpanel.cpp:1378 msgid "Error: Unable to load module {1}: {2}" msgstr "" -#: controlpanel.cpp:1375 +#: controlpanel.cpp:1381 msgid "Loaded module {1}" msgstr "" -#: controlpanel.cpp:1380 +#: controlpanel.cpp:1386 msgid "Error: Unable to reload module {1}: {2}" msgstr "" -#: controlpanel.cpp:1383 +#: controlpanel.cpp:1389 msgid "Reloaded module {1}" msgstr "" -#: controlpanel.cpp:1387 +#: controlpanel.cpp:1393 msgid "Error: Unable to load module {1} because it is already loaded" msgstr "" -#: controlpanel.cpp:1398 +#: controlpanel.cpp:1404 msgid "Usage: LoadModule [args]" msgstr "" -#: controlpanel.cpp:1417 +#: controlpanel.cpp:1423 msgid "Usage: LoadNetModule [args]" msgstr "" -#: controlpanel.cpp:1442 +#: controlpanel.cpp:1448 msgid "Please use /znc unloadmod {1}" msgstr "" -#: controlpanel.cpp:1448 +#: controlpanel.cpp:1454 msgid "Error: Unable to unload module {1}: {2}" msgstr "" -#: controlpanel.cpp:1451 +#: controlpanel.cpp:1457 msgid "Unloaded module {1}" msgstr "" -#: controlpanel.cpp:1460 +#: controlpanel.cpp:1466 msgid "Usage: UnloadModule " msgstr "" -#: controlpanel.cpp:1477 +#: controlpanel.cpp:1483 msgid "Usage: UnloadNetModule " msgstr "" -#: controlpanel.cpp:1494 controlpanel.cpp:1499 +#: controlpanel.cpp:1500 controlpanel.cpp:1506 msgctxt "listmodules" msgid "Name" msgstr "" -#: controlpanel.cpp:1495 controlpanel.cpp:1500 +#: controlpanel.cpp:1501 controlpanel.cpp:1507 msgctxt "listmodules" msgid "Arguments" msgstr "" -#: controlpanel.cpp:1519 +#: controlpanel.cpp:1526 msgid "User {1} has no modules loaded." msgstr "" -#: controlpanel.cpp:1523 +#: controlpanel.cpp:1530 msgid "Modules loaded for user {1}:" msgstr "" -#: controlpanel.cpp:1543 +#: controlpanel.cpp:1550 msgid "Network {1} of user {2} has no modules loaded." msgstr "" -#: controlpanel.cpp:1548 +#: controlpanel.cpp:1555 msgid "Modules loaded for network {1} of user {2}:" msgstr "" -#: controlpanel.cpp:1555 +#: controlpanel.cpp:1562 msgid "[command] [variable]" msgstr "" -#: controlpanel.cpp:1556 +#: controlpanel.cpp:1563 msgid "Prints help for matching commands and variables" msgstr "" -#: controlpanel.cpp:1559 +#: controlpanel.cpp:1566 msgid " [username]" msgstr "" -#: controlpanel.cpp:1560 +#: controlpanel.cpp:1567 msgid "Prints the variable's value for the given or current user" msgstr "" -#: controlpanel.cpp:1562 +#: controlpanel.cpp:1569 msgid " " msgstr "" -#: controlpanel.cpp:1563 +#: controlpanel.cpp:1570 msgid "Sets the variable's value for the given user" msgstr "" -#: controlpanel.cpp:1565 +#: controlpanel.cpp:1572 msgid " [username] [network]" msgstr "" -#: controlpanel.cpp:1566 +#: controlpanel.cpp:1573 msgid "Prints the variable's value for the given network" msgstr "" -#: controlpanel.cpp:1568 +#: controlpanel.cpp:1575 msgid " " msgstr "" -#: controlpanel.cpp:1569 +#: controlpanel.cpp:1576 msgid "Sets the variable's value for the given network" msgstr "" -#: controlpanel.cpp:1571 +#: controlpanel.cpp:1578 msgid " [username] " msgstr "" -#: controlpanel.cpp:1572 +#: controlpanel.cpp:1579 msgid "Prints the variable's value for the given channel" msgstr "" -#: controlpanel.cpp:1575 +#: controlpanel.cpp:1582 msgid " " msgstr "" -#: controlpanel.cpp:1576 +#: controlpanel.cpp:1583 msgid "Sets the variable's value for the given channel" msgstr "" -#: controlpanel.cpp:1578 controlpanel.cpp:1581 +#: controlpanel.cpp:1585 controlpanel.cpp:1588 msgid " " msgstr "" -#: controlpanel.cpp:1579 +#: controlpanel.cpp:1586 msgid "Adds a new channel" msgstr "" -#: controlpanel.cpp:1582 +#: controlpanel.cpp:1589 msgid "Deletes a channel" msgstr "" -#: controlpanel.cpp:1584 +#: controlpanel.cpp:1591 msgid "Lists users" msgstr "" -#: controlpanel.cpp:1586 +#: controlpanel.cpp:1593 msgid " " msgstr "" -#: controlpanel.cpp:1587 +#: controlpanel.cpp:1594 msgid "Adds a new user" msgstr "" -#: controlpanel.cpp:1589 controlpanel.cpp:1612 controlpanel.cpp:1626 +#: controlpanel.cpp:1596 controlpanel.cpp:1619 controlpanel.cpp:1633 msgid "" msgstr "" -#: controlpanel.cpp:1589 +#: controlpanel.cpp:1596 msgid "Deletes a user" msgstr "" -#: controlpanel.cpp:1591 +#: controlpanel.cpp:1598 msgid " " msgstr "" -#: controlpanel.cpp:1592 +#: controlpanel.cpp:1599 msgid "Clones a user" msgstr "" -#: controlpanel.cpp:1594 controlpanel.cpp:1597 +#: controlpanel.cpp:1601 controlpanel.cpp:1604 msgid " " msgstr "" -#: controlpanel.cpp:1595 +#: controlpanel.cpp:1602 msgid "Adds a new IRC server for the given or current user" msgstr "" -#: controlpanel.cpp:1598 +#: controlpanel.cpp:1605 msgid "Deletes an IRC server from the given or current user" msgstr "" -#: controlpanel.cpp:1600 controlpanel.cpp:1603 controlpanel.cpp:1623 +#: controlpanel.cpp:1607 controlpanel.cpp:1610 controlpanel.cpp:1630 msgid " " msgstr "" -#: controlpanel.cpp:1601 +#: controlpanel.cpp:1608 msgid "Cycles the user's IRC server connection" msgstr "" -#: controlpanel.cpp:1604 +#: controlpanel.cpp:1611 msgid "Disconnects the user from their IRC server" msgstr "" -#: controlpanel.cpp:1606 +#: controlpanel.cpp:1613 msgid " [args]" msgstr "" -#: controlpanel.cpp:1607 +#: controlpanel.cpp:1614 msgid "Loads a Module for a user" msgstr "" -#: controlpanel.cpp:1609 +#: controlpanel.cpp:1616 msgid " " msgstr "" -#: controlpanel.cpp:1610 +#: controlpanel.cpp:1617 msgid "Removes a Module of a user" msgstr "" -#: controlpanel.cpp:1613 +#: controlpanel.cpp:1620 msgid "Get the list of modules for a user" msgstr "" -#: controlpanel.cpp:1616 +#: controlpanel.cpp:1623 msgid " [args]" msgstr "" -#: controlpanel.cpp:1617 +#: controlpanel.cpp:1624 msgid "Loads a Module for a network" msgstr "" -#: controlpanel.cpp:1620 +#: controlpanel.cpp:1627 msgid " " msgstr "" -#: controlpanel.cpp:1621 +#: controlpanel.cpp:1628 msgid "Removes a Module of a network" msgstr "" -#: controlpanel.cpp:1624 +#: controlpanel.cpp:1631 msgid "Get the list of modules for a network" msgstr "" -#: controlpanel.cpp:1627 +#: controlpanel.cpp:1634 msgid "List the configured CTCP replies" msgstr "" -#: controlpanel.cpp:1629 +#: controlpanel.cpp:1636 msgid " [reply]" msgstr "" -#: controlpanel.cpp:1630 +#: controlpanel.cpp:1637 msgid "Configure a new CTCP reply" msgstr "" -#: controlpanel.cpp:1632 +#: controlpanel.cpp:1639 msgid " " msgstr "" -#: controlpanel.cpp:1633 +#: controlpanel.cpp:1640 msgid "Remove a CTCP reply" msgstr "" -#: controlpanel.cpp:1637 controlpanel.cpp:1640 +#: controlpanel.cpp:1644 controlpanel.cpp:1647 msgid "[username] " msgstr "" -#: controlpanel.cpp:1638 +#: controlpanel.cpp:1645 msgid "Add a network for a user" msgstr "" -#: controlpanel.cpp:1641 +#: controlpanel.cpp:1648 msgid "Delete a network for a user" msgstr "" -#: controlpanel.cpp:1643 +#: controlpanel.cpp:1650 msgid "[username]" msgstr "" -#: controlpanel.cpp:1644 +#: controlpanel.cpp:1651 msgid "List all networks for a user" msgstr "" -#: controlpanel.cpp:1657 +#: controlpanel.cpp:1664 msgid "" "Dynamic configuration through IRC. Allows editing only yourself if you're " "not ZNC admin." diff --git a/modules/po/crypt.bg_BG.po b/modules/po/crypt.bg_BG.po new file mode 100644 index 00000000..2a3b854d --- /dev/null +++ b/modules/po/crypt.bg_BG.po @@ -0,0 +1,143 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /master/modules/po/crypt.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: crypt.cpp:198 +msgid "<#chan|Nick>" +msgstr "" + +#: crypt.cpp:199 +msgid "Remove a key for nick or channel" +msgstr "" + +#: crypt.cpp:201 +msgid "<#chan|Nick> " +msgstr "" + +#: crypt.cpp:202 +msgid "Set a key for nick or channel" +msgstr "" + +#: crypt.cpp:204 +msgid "List all keys" +msgstr "" + +#: crypt.cpp:206 +msgid "" +msgstr "" + +#: crypt.cpp:207 +msgid "Start a DH1080 key exchange with nick" +msgstr "" + +#: crypt.cpp:210 +msgid "Get the nick prefix" +msgstr "" + +#: crypt.cpp:213 +msgid "[Prefix]" +msgstr "" + +#: crypt.cpp:214 +msgid "Set the nick prefix, with no argument it's disabled." +msgstr "" + +#: crypt.cpp:270 +msgid "Received DH1080 public key from {1}, sending mine..." +msgstr "" + +#: crypt.cpp:275 crypt.cpp:296 +msgid "Key for {1} successfully set." +msgstr "" + +#: crypt.cpp:278 crypt.cpp:299 +msgid "Error in {1} with {2}: {3}" +msgstr "" + +#: crypt.cpp:280 crypt.cpp:301 +msgid "no secret key computed" +msgstr "" + +#: crypt.cpp:395 +msgid "Target [{1}] deleted" +msgstr "" + +#: crypt.cpp:397 +msgid "Target [{1}] not found" +msgstr "" + +#: crypt.cpp:400 +msgid "Usage DelKey <#chan|Nick>" +msgstr "" + +#: crypt.cpp:415 +msgid "Set encryption key for [{1}] to [{2}]" +msgstr "" + +#: crypt.cpp:417 +msgid "Usage: SetKey <#chan|Nick> " +msgstr "" + +#: crypt.cpp:428 +msgid "Sent my DH1080 public key to {1}, waiting for reply ..." +msgstr "" + +#: crypt.cpp:430 +msgid "Error generating our keys, nothing sent." +msgstr "" + +#: crypt.cpp:433 +msgid "Usage: KeyX " +msgstr "" + +#: crypt.cpp:440 +msgid "Nick Prefix disabled." +msgstr "" + +#: crypt.cpp:442 +msgid "Nick Prefix: {1}" +msgstr "" + +#: crypt.cpp:451 +msgid "You cannot use :, even followed by other symbols, as Nick Prefix." +msgstr "" + +#: crypt.cpp:460 +msgid "Overlap with Status Prefix ({1}), this Nick Prefix will not be used!" +msgstr "" + +#: crypt.cpp:465 +msgid "Disabling Nick Prefix." +msgstr "" + +#: crypt.cpp:467 +msgid "Setting Nick Prefix to {1}" +msgstr "" + +#: crypt.cpp:474 crypt.cpp:481 +msgctxt "listkeys" +msgid "Target" +msgstr "" + +#: crypt.cpp:475 crypt.cpp:482 +msgctxt "listkeys" +msgid "Key" +msgstr "" + +#: crypt.cpp:486 +msgid "You have no encryption keys set." +msgstr "" + +#: crypt.cpp:508 +msgid "Encryption for channel/private messages" +msgstr "" diff --git a/modules/po/crypt.de_DE.po b/modules/po/crypt.de_DE.po index 89cfb727..5b677bea 100644 --- a/modules/po/crypt.de_DE.po +++ b/modules/po/crypt.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/crypt.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" @@ -124,20 +124,20 @@ msgstr "" msgid "Setting Nick Prefix to {1}" msgstr "" -#: crypt.cpp:474 crypt.cpp:480 +#: crypt.cpp:474 crypt.cpp:481 msgctxt "listkeys" msgid "Target" msgstr "" -#: crypt.cpp:475 crypt.cpp:481 +#: crypt.cpp:475 crypt.cpp:482 msgctxt "listkeys" msgid "Key" msgstr "" -#: crypt.cpp:485 +#: crypt.cpp:486 msgid "You have no encryption keys set." msgstr "" -#: crypt.cpp:507 +#: crypt.cpp:508 msgid "Encryption for channel/private messages" msgstr "" diff --git a/modules/po/crypt.es_ES.po b/modules/po/crypt.es_ES.po index dbd96bef..f7468834 100644 --- a/modules/po/crypt.es_ES.po +++ b/modules/po/crypt.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/crypt.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" @@ -126,20 +126,20 @@ msgstr "Deshabilitando prefijo de nick." msgid "Setting Nick Prefix to {1}" msgstr "Ajustando prefijo de nick a {1}" -#: crypt.cpp:474 crypt.cpp:480 +#: crypt.cpp:474 crypt.cpp:481 msgctxt "listkeys" msgid "Target" msgstr "Destino" -#: crypt.cpp:475 crypt.cpp:481 +#: crypt.cpp:475 crypt.cpp:482 msgctxt "listkeys" msgid "Key" msgstr "Clave" -#: crypt.cpp:485 +#: crypt.cpp:486 msgid "You have no encryption keys set." msgstr "No tienes claves de cifrado definidas." -#: crypt.cpp:507 +#: crypt.cpp:508 msgid "Encryption for channel/private messages" msgstr "Cifrado de canales/privados" diff --git a/modules/po/crypt.fr_FR.po b/modules/po/crypt.fr_FR.po index 66830648..38403665 100644 --- a/modules/po/crypt.fr_FR.po +++ b/modules/po/crypt.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/crypt.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" @@ -124,20 +124,20 @@ msgstr "" msgid "Setting Nick Prefix to {1}" msgstr "" -#: crypt.cpp:474 crypt.cpp:480 +#: crypt.cpp:474 crypt.cpp:481 msgctxt "listkeys" msgid "Target" msgstr "" -#: crypt.cpp:475 crypt.cpp:481 +#: crypt.cpp:475 crypt.cpp:482 msgctxt "listkeys" msgid "Key" msgstr "" -#: crypt.cpp:485 +#: crypt.cpp:486 msgid "You have no encryption keys set." msgstr "" -#: crypt.cpp:507 +#: crypt.cpp:508 msgid "Encryption for channel/private messages" msgstr "" diff --git a/modules/po/crypt.id_ID.po b/modules/po/crypt.id_ID.po index d63544cd..05213380 100644 --- a/modules/po/crypt.id_ID.po +++ b/modules/po/crypt.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/crypt.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" @@ -124,20 +124,20 @@ msgstr "" msgid "Setting Nick Prefix to {1}" msgstr "" -#: crypt.cpp:474 crypt.cpp:480 +#: crypt.cpp:474 crypt.cpp:481 msgctxt "listkeys" msgid "Target" msgstr "" -#: crypt.cpp:475 crypt.cpp:481 +#: crypt.cpp:475 crypt.cpp:482 msgctxt "listkeys" msgid "Key" msgstr "" -#: crypt.cpp:485 +#: crypt.cpp:486 msgid "You have no encryption keys set." msgstr "" -#: crypt.cpp:507 +#: crypt.cpp:508 msgid "Encryption for channel/private messages" msgstr "" diff --git a/modules/po/crypt.nl_NL.po b/modules/po/crypt.nl_NL.po index 4946c42d..eea1d2ec 100644 --- a/modules/po/crypt.nl_NL.po +++ b/modules/po/crypt.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/crypt.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" @@ -131,20 +131,20 @@ msgstr "Naam voorvoegsel aan het uitzetten." msgid "Setting Nick Prefix to {1}" msgstr "Naam voorvoegsel naar {1} aan het zetten" -#: crypt.cpp:474 crypt.cpp:480 +#: crypt.cpp:474 crypt.cpp:481 msgctxt "listkeys" msgid "Target" msgstr "Doel" -#: crypt.cpp:475 crypt.cpp:481 +#: crypt.cpp:475 crypt.cpp:482 msgctxt "listkeys" msgid "Key" msgstr "Sleutel" -#: crypt.cpp:485 +#: crypt.cpp:486 msgid "You have no encryption keys set." msgstr "Je hebt geen versleutel sleutels ingesteld." -#: crypt.cpp:507 +#: crypt.cpp:508 msgid "Encryption for channel/private messages" msgstr "Versleuteling voor kanaal/privé berichten" diff --git a/modules/po/crypt.pot b/modules/po/crypt.pot index 039e36e7..7e7de068 100644 --- a/modules/po/crypt.pot +++ b/modules/po/crypt.pot @@ -115,20 +115,20 @@ msgstr "" msgid "Setting Nick Prefix to {1}" msgstr "" -#: crypt.cpp:474 crypt.cpp:480 +#: crypt.cpp:474 crypt.cpp:481 msgctxt "listkeys" msgid "Target" msgstr "" -#: crypt.cpp:475 crypt.cpp:481 +#: crypt.cpp:475 crypt.cpp:482 msgctxt "listkeys" msgid "Key" msgstr "" -#: crypt.cpp:485 +#: crypt.cpp:486 msgid "You have no encryption keys set." msgstr "" -#: crypt.cpp:507 +#: crypt.cpp:508 msgid "Encryption for channel/private messages" msgstr "" diff --git a/modules/po/crypt.pt_BR.po b/modules/po/crypt.pt_BR.po index 8135763e..ea177cfd 100644 --- a/modules/po/crypt.pt_BR.po +++ b/modules/po/crypt.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/crypt.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" @@ -124,20 +124,20 @@ msgstr "" msgid "Setting Nick Prefix to {1}" msgstr "" -#: crypt.cpp:474 crypt.cpp:480 +#: crypt.cpp:474 crypt.cpp:481 msgctxt "listkeys" msgid "Target" msgstr "" -#: crypt.cpp:475 crypt.cpp:481 +#: crypt.cpp:475 crypt.cpp:482 msgctxt "listkeys" msgid "Key" msgstr "" -#: crypt.cpp:485 +#: crypt.cpp:486 msgid "You have no encryption keys set." msgstr "" -#: crypt.cpp:507 +#: crypt.cpp:508 msgid "Encryption for channel/private messages" msgstr "" diff --git a/modules/po/crypt.ru_RU.po b/modules/po/crypt.ru_RU.po index 57aa115d..c72c06ab 100644 --- a/modules/po/crypt.ru_RU.po +++ b/modules/po/crypt.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/crypt.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" @@ -126,20 +126,20 @@ msgstr "" msgid "Setting Nick Prefix to {1}" msgstr "" -#: crypt.cpp:474 crypt.cpp:480 +#: crypt.cpp:474 crypt.cpp:481 msgctxt "listkeys" msgid "Target" msgstr "" -#: crypt.cpp:475 crypt.cpp:481 +#: crypt.cpp:475 crypt.cpp:482 msgctxt "listkeys" msgid "Key" msgstr "" -#: crypt.cpp:485 +#: crypt.cpp:486 msgid "You have no encryption keys set." msgstr "" -#: crypt.cpp:507 +#: crypt.cpp:508 msgid "Encryption for channel/private messages" msgstr "" diff --git a/modules/po/ctcpflood.bg_BG.po b/modules/po/ctcpflood.bg_BG.po new file mode 100644 index 00000000..f743ba16 --- /dev/null +++ b/modules/po/ctcpflood.bg_BG.po @@ -0,0 +1,69 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /master/modules/po/ctcpflood.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: ctcpflood.cpp:25 ctcpflood.cpp:27 +msgid "" +msgstr "" + +#: ctcpflood.cpp:25 +msgid "Set seconds limit" +msgstr "" + +#: ctcpflood.cpp:27 +msgid "Set lines limit" +msgstr "" + +#: ctcpflood.cpp:29 +msgid "Show the current limits" +msgstr "" + +#: ctcpflood.cpp:76 +msgid "Limit reached by {1}, blocking all CTCP" +msgstr "" + +#: ctcpflood.cpp:98 +msgid "Usage: Secs " +msgstr "" + +#: ctcpflood.cpp:113 +msgid "Usage: Lines " +msgstr "" + +#: ctcpflood.cpp:125 +msgid "1 CTCP message" +msgid_plural "{1} CTCP messages" +msgstr[0] "" +msgstr[1] "" + +#: ctcpflood.cpp:127 +msgid "every second" +msgid_plural "every {1} seconds" +msgstr[0] "" +msgstr[1] "" + +#: ctcpflood.cpp:129 +msgid "Current limit is {1} {2}" +msgstr "" + +#: ctcpflood.cpp:145 +msgid "" +"This user module takes none to two arguments. The first argument is the " +"number of lines after which the flood-protection is triggered. The second " +"argument is the time (sec) to in which the number of lines is reached. The " +"default setting is 4 CTCPs in 2 seconds" +msgstr "" + +#: ctcpflood.cpp:151 +msgid "Don't forward CTCP floods to clients" +msgstr "" diff --git a/modules/po/ctcpflood.de_DE.po b/modules/po/ctcpflood.de_DE.po index 2b9f3d78..705427ff 100644 --- a/modules/po/ctcpflood.de_DE.po +++ b/modules/po/ctcpflood.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/ctcpflood.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/ctcpflood.es_ES.po b/modules/po/ctcpflood.es_ES.po index 091315bb..1f146281 100644 --- a/modules/po/ctcpflood.es_ES.po +++ b/modules/po/ctcpflood.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/ctcpflood.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/ctcpflood.fr_FR.po b/modules/po/ctcpflood.fr_FR.po index 0b5ab4d2..6b0e44ff 100644 --- a/modules/po/ctcpflood.fr_FR.po +++ b/modules/po/ctcpflood.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/ctcpflood.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/ctcpflood.id_ID.po b/modules/po/ctcpflood.id_ID.po index fbe5a44a..61aba161 100644 --- a/modules/po/ctcpflood.id_ID.po +++ b/modules/po/ctcpflood.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/ctcpflood.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/ctcpflood.nl_NL.po b/modules/po/ctcpflood.nl_NL.po index dda61837..caa8783d 100644 --- a/modules/po/ctcpflood.nl_NL.po +++ b/modules/po/ctcpflood.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/ctcpflood.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/ctcpflood.pt_BR.po b/modules/po/ctcpflood.pt_BR.po index 135a9fda..fc57db6d 100644 --- a/modules/po/ctcpflood.pt_BR.po +++ b/modules/po/ctcpflood.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/ctcpflood.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/ctcpflood.ru_RU.po b/modules/po/ctcpflood.ru_RU.po index 9e5b7648..2c38cc0f 100644 --- a/modules/po/ctcpflood.ru_RU.po +++ b/modules/po/ctcpflood.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/ctcpflood.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/cyrusauth.bg_BG.po b/modules/po/cyrusauth.bg_BG.po new file mode 100644 index 00000000..385d5799 --- /dev/null +++ b/modules/po/cyrusauth.bg_BG.po @@ -0,0 +1,73 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /master/modules/po/cyrusauth.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: cyrusauth.cpp:42 +msgid "Shows current settings" +msgstr "" + +#: cyrusauth.cpp:44 +msgid "yes|clone |no" +msgstr "" + +#: cyrusauth.cpp:45 +msgid "" +"Create ZNC users upon first successful login, optionally from a template" +msgstr "" + +#: cyrusauth.cpp:56 +msgid "Access denied" +msgstr "" + +#: cyrusauth.cpp:70 +msgid "Ignoring invalid SASL pwcheck method: {1}" +msgstr "" + +#: cyrusauth.cpp:71 +msgid "Ignored invalid SASL pwcheck method" +msgstr "" + +#: cyrusauth.cpp:79 +msgid "Need a pwcheck method as argument (saslauthd, auxprop)" +msgstr "" + +#: cyrusauth.cpp:84 +msgid "SASL Could Not Be Initialized - Halting Startup" +msgstr "" + +#: cyrusauth.cpp:171 cyrusauth.cpp:186 +msgid "We will not create users on their first login" +msgstr "" + +#: cyrusauth.cpp:174 cyrusauth.cpp:195 +msgid "" +"We will create users on their first login, using user [{1}] as a template" +msgstr "" + +#: cyrusauth.cpp:177 cyrusauth.cpp:190 +msgid "We will create users on their first login" +msgstr "" + +#: cyrusauth.cpp:199 +msgid "Usage: CreateUsers yes, CreateUsers no, or CreateUsers clone " +msgstr "" + +#: cyrusauth.cpp:232 +msgid "" +"This global module takes up to two arguments - the methods of authentication " +"- auxprop and saslauthd" +msgstr "" + +#: cyrusauth.cpp:238 +msgid "Allow users to authenticate via SASL password verification method" +msgstr "" diff --git a/modules/po/cyrusauth.de_DE.po b/modules/po/cyrusauth.de_DE.po index edf9f777..9de591eb 100644 --- a/modules/po/cyrusauth.de_DE.po +++ b/modules/po/cyrusauth.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/cyrusauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/cyrusauth.es_ES.po b/modules/po/cyrusauth.es_ES.po index a746681f..c236d873 100644 --- a/modules/po/cyrusauth.es_ES.po +++ b/modules/po/cyrusauth.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/cyrusauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/cyrusauth.fr_FR.po b/modules/po/cyrusauth.fr_FR.po index e4584483..146db93e 100644 --- a/modules/po/cyrusauth.fr_FR.po +++ b/modules/po/cyrusauth.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/cyrusauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/cyrusauth.id_ID.po b/modules/po/cyrusauth.id_ID.po index e728d8a9..4970469d 100644 --- a/modules/po/cyrusauth.id_ID.po +++ b/modules/po/cyrusauth.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/cyrusauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/cyrusauth.nl_NL.po b/modules/po/cyrusauth.nl_NL.po index abfc4d46..76103c2e 100644 --- a/modules/po/cyrusauth.nl_NL.po +++ b/modules/po/cyrusauth.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/cyrusauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/cyrusauth.pt_BR.po b/modules/po/cyrusauth.pt_BR.po index 7baef0ee..3e3ea575 100644 --- a/modules/po/cyrusauth.pt_BR.po +++ b/modules/po/cyrusauth.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/cyrusauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/cyrusauth.ru_RU.po b/modules/po/cyrusauth.ru_RU.po index 17ace871..b70683bf 100644 --- a/modules/po/cyrusauth.ru_RU.po +++ b/modules/po/cyrusauth.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/cyrusauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/dcc.bg_BG.po b/modules/po/dcc.bg_BG.po new file mode 100644 index 00000000..710ca52a --- /dev/null +++ b/modules/po/dcc.bg_BG.po @@ -0,0 +1,227 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /master/modules/po/dcc.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: dcc.cpp:88 +msgid " " +msgstr "" + +#: dcc.cpp:89 +msgid "Send a file from ZNC to someone" +msgstr "" + +#: dcc.cpp:91 +msgid "" +msgstr "" + +#: dcc.cpp:92 +msgid "Send a file from ZNC to your client" +msgstr "" + +#: dcc.cpp:94 +msgid "List current transfers" +msgstr "" + +#: dcc.cpp:103 +msgid "You must be admin to use the DCC module" +msgstr "" + +#: dcc.cpp:140 +msgid "Attempting to send [{1}] to [{2}]." +msgstr "" + +#: dcc.cpp:149 dcc.cpp:554 +msgid "Receiving [{1}] from [{2}]: File already exists." +msgstr "" + +#: dcc.cpp:167 +msgid "" +"Attempting to connect to [{1} {2}] in order to download [{3}] from [{4}]." +msgstr "" + +#: dcc.cpp:179 +msgid "Usage: Send " +msgstr "" + +#: dcc.cpp:186 dcc.cpp:206 +msgid "Illegal path." +msgstr "" + +#: dcc.cpp:199 +msgid "Usage: Get " +msgstr "" + +#: dcc.cpp:215 dcc.cpp:232 dcc.cpp:234 +msgctxt "list" +msgid "Type" +msgstr "" + +#: dcc.cpp:216 dcc.cpp:238 dcc.cpp:241 +msgctxt "list" +msgid "State" +msgstr "" + +#: dcc.cpp:217 dcc.cpp:243 +msgctxt "list" +msgid "Speed" +msgstr "" + +#: dcc.cpp:218 dcc.cpp:227 +msgctxt "list" +msgid "Nick" +msgstr "" + +#: dcc.cpp:219 dcc.cpp:228 +msgctxt "list" +msgid "IP" +msgstr "" + +#: dcc.cpp:220 dcc.cpp:229 +msgctxt "list" +msgid "File" +msgstr "" + +#: dcc.cpp:232 +msgctxt "list-type" +msgid "Sending" +msgstr "" + +#: dcc.cpp:234 +msgctxt "list-type" +msgid "Getting" +msgstr "" + +#: dcc.cpp:239 +msgctxt "list-state" +msgid "Waiting" +msgstr "" + +#: dcc.cpp:244 +msgid "{1} KiB/s" +msgstr "" + +#: dcc.cpp:250 +msgid "You have no active DCC transfers." +msgstr "" + +#: dcc.cpp:267 +msgid "Attempting to resume send from position {1} of file [{2}] for [{3}]" +msgstr "" + +#: dcc.cpp:277 +msgid "Couldn't resume file [{1}] for [{2}]: not sending anything." +msgstr "" + +#: dcc.cpp:286 +msgid "Bad DCC file: {1}" +msgstr "" + +#: dcc.cpp:341 +msgid "Sending [{1}] to [{2}]: File not open!" +msgstr "" + +#: dcc.cpp:345 +msgid "Receiving [{1}] from [{2}]: File not open!" +msgstr "" + +#: dcc.cpp:385 +msgid "Sending [{1}] to [{2}]: Connection refused." +msgstr "" + +#: dcc.cpp:389 +msgid "Receiving [{1}] from [{2}]: Connection refused." +msgstr "" + +#: dcc.cpp:397 +msgid "Sending [{1}] to [{2}]: Timeout." +msgstr "" + +#: dcc.cpp:401 +msgid "Receiving [{1}] from [{2}]: Timeout." +msgstr "" + +#: dcc.cpp:411 +msgid "Sending [{1}] to [{2}]: Socket error {3}: {4}" +msgstr "" + +#: dcc.cpp:415 +msgid "Receiving [{1}] from [{2}]: Socket error {3}: {4}" +msgstr "" + +#: dcc.cpp:423 +msgid "Sending [{1}] to [{2}]: Transfer started." +msgstr "" + +#: dcc.cpp:427 +msgid "Receiving [{1}] from [{2}]: Transfer started." +msgstr "" + +#: dcc.cpp:446 +msgid "Sending [{1}] to [{2}]: Too much data!" +msgstr "" + +#: dcc.cpp:450 +msgid "Receiving [{1}] from [{2}]: Too much data!" +msgstr "" + +#: dcc.cpp:456 +msgid "Sending [{1}] to [{2}] completed at {3} KiB/s" +msgstr "" + +#: dcc.cpp:461 +msgid "Receiving [{1}] from [{2}] completed at {3} KiB/s" +msgstr "" + +#: dcc.cpp:474 +msgid "Sending [{1}] to [{2}]: File closed prematurely." +msgstr "" + +#: dcc.cpp:478 +msgid "Receiving [{1}] from [{2}]: File closed prematurely." +msgstr "" + +#: dcc.cpp:501 +msgid "Sending [{1}] to [{2}]: Error reading from file." +msgstr "" + +#: dcc.cpp:505 +msgid "Receiving [{1}] from [{2}]: Error reading from file." +msgstr "" + +#: dcc.cpp:537 +msgid "Sending [{1}] to [{2}]: Unable to open file." +msgstr "" + +#: dcc.cpp:541 +msgid "Receiving [{1}] from [{2}]: Unable to open file." +msgstr "" + +#: dcc.cpp:563 +msgid "Receiving [{1}] from [{2}]: Could not open file." +msgstr "" + +#: dcc.cpp:572 +msgid "Sending [{1}] to [{2}]: Not a file." +msgstr "" + +#: dcc.cpp:581 +msgid "Sending [{1}] to [{2}]: Could not open file." +msgstr "" + +#: dcc.cpp:593 +msgid "Sending [{1}] to [{2}]: File too large (>4 GiB)." +msgstr "" + +#: dcc.cpp:623 +msgid "This module allows you to transfer files to and from ZNC" +msgstr "" diff --git a/modules/po/dcc.de_DE.po b/modules/po/dcc.de_DE.po index f11b8aac..bd2916e1 100644 --- a/modules/po/dcc.de_DE.po +++ b/modules/po/dcc.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/dcc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/dcc.es_ES.po b/modules/po/dcc.es_ES.po index 62de2234..beede9da 100644 --- a/modules/po/dcc.es_ES.po +++ b/modules/po/dcc.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/dcc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/dcc.fr_FR.po b/modules/po/dcc.fr_FR.po index c160b05a..a0d4b1b0 100644 --- a/modules/po/dcc.fr_FR.po +++ b/modules/po/dcc.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/dcc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/dcc.id_ID.po b/modules/po/dcc.id_ID.po index ff220506..c291ea57 100644 --- a/modules/po/dcc.id_ID.po +++ b/modules/po/dcc.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/dcc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/dcc.nl_NL.po b/modules/po/dcc.nl_NL.po index 4f66a85c..dbbf1b95 100644 --- a/modules/po/dcc.nl_NL.po +++ b/modules/po/dcc.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/dcc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/dcc.pt_BR.po b/modules/po/dcc.pt_BR.po index c8e7819b..3f98e46d 100644 --- a/modules/po/dcc.pt_BR.po +++ b/modules/po/dcc.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/dcc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/dcc.ru_RU.po b/modules/po/dcc.ru_RU.po index 8acd0200..6f9173ed 100644 --- a/modules/po/dcc.ru_RU.po +++ b/modules/po/dcc.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/dcc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/disconkick.bg_BG.po b/modules/po/disconkick.bg_BG.po new file mode 100644 index 00000000..3a1fdcac --- /dev/null +++ b/modules/po/disconkick.bg_BG.po @@ -0,0 +1,23 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /master/modules/po/disconkick.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: disconkick.cpp:32 +msgid "You have been disconnected from the IRC server" +msgstr "" + +#: disconkick.cpp:45 +msgid "" +"Kicks the client from all channels when the connection to the IRC server is " +"lost" +msgstr "" diff --git a/modules/po/disconkick.de_DE.po b/modules/po/disconkick.de_DE.po index 6523468f..6232b684 100644 --- a/modules/po/disconkick.de_DE.po +++ b/modules/po/disconkick.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/disconkick.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/disconkick.es_ES.po b/modules/po/disconkick.es_ES.po index 52842923..79509a68 100644 --- a/modules/po/disconkick.es_ES.po +++ b/modules/po/disconkick.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/disconkick.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/disconkick.fr_FR.po b/modules/po/disconkick.fr_FR.po index deaf9730..cfcf9f1b 100644 --- a/modules/po/disconkick.fr_FR.po +++ b/modules/po/disconkick.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/disconkick.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/disconkick.id_ID.po b/modules/po/disconkick.id_ID.po index da422c10..017c7659 100644 --- a/modules/po/disconkick.id_ID.po +++ b/modules/po/disconkick.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/disconkick.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/disconkick.nl_NL.po b/modules/po/disconkick.nl_NL.po index 2730f0b0..9db2e7f0 100644 --- a/modules/po/disconkick.nl_NL.po +++ b/modules/po/disconkick.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/disconkick.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/disconkick.pt_BR.po b/modules/po/disconkick.pt_BR.po index 2164b89a..92e34375 100644 --- a/modules/po/disconkick.pt_BR.po +++ b/modules/po/disconkick.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/disconkick.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/disconkick.ru_RU.po b/modules/po/disconkick.ru_RU.po index b8b4d86e..c6d7c383 100644 --- a/modules/po/disconkick.ru_RU.po +++ b/modules/po/disconkick.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/disconkick.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/fail2ban.bg_BG.po b/modules/po/fail2ban.bg_BG.po new file mode 100644 index 00000000..f6cfcd8d --- /dev/null +++ b/modules/po/fail2ban.bg_BG.po @@ -0,0 +1,117 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /master/modules/po/fail2ban.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: fail2ban.cpp:25 +msgid "[minutes]" +msgstr "" + +#: fail2ban.cpp:26 +msgid "The number of minutes IPs are blocked after a failed login." +msgstr "" + +#: fail2ban.cpp:28 +msgid "[count]" +msgstr "" + +#: fail2ban.cpp:29 +msgid "The number of allowed failed login attempts." +msgstr "" + +#: fail2ban.cpp:31 fail2ban.cpp:33 +msgid "" +msgstr "" + +#: fail2ban.cpp:31 +msgid "Ban the specified hosts." +msgstr "" + +#: fail2ban.cpp:33 +msgid "Unban the specified hosts." +msgstr "" + +#: fail2ban.cpp:35 +msgid "List banned hosts." +msgstr "" + +#: fail2ban.cpp:55 +msgid "" +"Invalid argument, must be the number of minutes IPs are blocked after a " +"failed login and can be followed by number of allowed failed login attempts" +msgstr "" + +#: fail2ban.cpp:77 fail2ban.cpp:100 fail2ban.cpp:123 fail2ban.cpp:146 +#: fail2ban.cpp:172 +msgid "Access denied" +msgstr "" + +#: fail2ban.cpp:86 +msgid "Usage: Timeout [minutes]" +msgstr "" + +#: fail2ban.cpp:91 fail2ban.cpp:94 +msgid "Timeout: {1} min" +msgstr "" + +#: fail2ban.cpp:109 +msgid "Usage: Attempts [count]" +msgstr "" + +#: fail2ban.cpp:114 fail2ban.cpp:117 +msgid "Attempts: {1}" +msgstr "" + +#: fail2ban.cpp:130 +msgid "Usage: Ban " +msgstr "" + +#: fail2ban.cpp:140 +msgid "Banned: {1}" +msgstr "" + +#: fail2ban.cpp:153 +msgid "Usage: Unban " +msgstr "" + +#: fail2ban.cpp:163 +msgid "Unbanned: {1}" +msgstr "" + +#: fail2ban.cpp:165 +msgid "Ignored: {1}" +msgstr "" + +#: fail2ban.cpp:177 fail2ban.cpp:183 +msgctxt "list" +msgid "Host" +msgstr "" + +#: fail2ban.cpp:178 fail2ban.cpp:184 +msgctxt "list" +msgid "Attempts" +msgstr "" + +#: fail2ban.cpp:188 +msgctxt "list" +msgid "No bans" +msgstr "" + +#: fail2ban.cpp:245 +msgid "" +"You might enter the time in minutes for the IP banning and the number of " +"failed logins before any action is taken." +msgstr "" + +#: fail2ban.cpp:250 +msgid "Block IPs for some time after a failed login." +msgstr "" diff --git a/modules/po/fail2ban.de_DE.po b/modules/po/fail2ban.de_DE.po index e0f81537..9fb782fb 100644 --- a/modules/po/fail2ban.de_DE.po +++ b/modules/po/fail2ban.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/fail2ban.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" @@ -96,22 +96,22 @@ msgstr "Entbannt: {1}" msgid "Ignored: {1}" msgstr "Ignoriert: {1}" -#: fail2ban.cpp:177 fail2ban.cpp:182 +#: fail2ban.cpp:177 fail2ban.cpp:183 msgctxt "list" msgid "Host" msgstr "Host" -#: fail2ban.cpp:178 fail2ban.cpp:183 +#: fail2ban.cpp:178 fail2ban.cpp:184 msgctxt "list" msgid "Attempts" msgstr "Versuche" -#: fail2ban.cpp:187 +#: fail2ban.cpp:188 msgctxt "list" msgid "No bans" msgstr "Keine Bannungen" -#: fail2ban.cpp:244 +#: fail2ban.cpp:245 msgid "" "You might enter the time in minutes for the IP banning and the number of " "failed logins before any action is taken." @@ -119,6 +119,6 @@ msgstr "" "Du kannst die Zeit in Minuten eingeben, die IPs gebannt werden, und die " "Anzahl an fehlgeschlagenen Anmeldeversuchen, bevor etwas unternommen wird." -#: fail2ban.cpp:249 +#: fail2ban.cpp:250 msgid "Block IPs for some time after a failed login." msgstr "Blockiere IPs für eine Weile nach fehlgeschlagenen Anmeldungen." diff --git a/modules/po/fail2ban.es_ES.po b/modules/po/fail2ban.es_ES.po index 8f4ca2e6..1a1653c2 100644 --- a/modules/po/fail2ban.es_ES.po +++ b/modules/po/fail2ban.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/fail2ban.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" @@ -94,22 +94,22 @@ msgstr "Desbloqueado: {1}" msgid "Ignored: {1}" msgstr "Ignorado: {1}" -#: fail2ban.cpp:177 fail2ban.cpp:182 +#: fail2ban.cpp:177 fail2ban.cpp:183 msgctxt "list" msgid "Host" msgstr "Host" -#: fail2ban.cpp:178 fail2ban.cpp:183 +#: fail2ban.cpp:178 fail2ban.cpp:184 msgctxt "list" msgid "Attempts" msgstr "Intentos" -#: fail2ban.cpp:187 +#: fail2ban.cpp:188 msgctxt "list" msgid "No bans" msgstr "No hay bloqueos" -#: fail2ban.cpp:244 +#: fail2ban.cpp:245 msgid "" "You might enter the time in minutes for the IP banning and the number of " "failed logins before any action is taken." @@ -117,6 +117,6 @@ msgstr "" "Quizás quieras poner el tiempo en minutos para el bloqueo de una IP y el " "número de intentos fallidos antes de tomar una acción." -#: fail2ban.cpp:249 +#: fail2ban.cpp:250 msgid "Block IPs for some time after a failed login." msgstr "Bloquea IPs tras un intento de login fallido." diff --git a/modules/po/fail2ban.fr_FR.po b/modules/po/fail2ban.fr_FR.po index 3d613be4..fea2df0d 100644 --- a/modules/po/fail2ban.fr_FR.po +++ b/modules/po/fail2ban.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/fail2ban.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" @@ -91,27 +91,27 @@ msgstr "" msgid "Ignored: {1}" msgstr "" -#: fail2ban.cpp:177 fail2ban.cpp:182 +#: fail2ban.cpp:177 fail2ban.cpp:183 msgctxt "list" msgid "Host" msgstr "" -#: fail2ban.cpp:178 fail2ban.cpp:183 +#: fail2ban.cpp:178 fail2ban.cpp:184 msgctxt "list" msgid "Attempts" msgstr "" -#: fail2ban.cpp:187 +#: fail2ban.cpp:188 msgctxt "list" msgid "No bans" msgstr "" -#: fail2ban.cpp:244 +#: fail2ban.cpp:245 msgid "" "You might enter the time in minutes for the IP banning and the number of " "failed logins before any action is taken." msgstr "" -#: fail2ban.cpp:249 +#: fail2ban.cpp:250 msgid "Block IPs for some time after a failed login." msgstr "" diff --git a/modules/po/fail2ban.id_ID.po b/modules/po/fail2ban.id_ID.po index 829b529b..a39d59c6 100644 --- a/modules/po/fail2ban.id_ID.po +++ b/modules/po/fail2ban.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/fail2ban.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" @@ -91,27 +91,27 @@ msgstr "" msgid "Ignored: {1}" msgstr "" -#: fail2ban.cpp:177 fail2ban.cpp:182 +#: fail2ban.cpp:177 fail2ban.cpp:183 msgctxt "list" msgid "Host" msgstr "" -#: fail2ban.cpp:178 fail2ban.cpp:183 +#: fail2ban.cpp:178 fail2ban.cpp:184 msgctxt "list" msgid "Attempts" msgstr "" -#: fail2ban.cpp:187 +#: fail2ban.cpp:188 msgctxt "list" msgid "No bans" msgstr "" -#: fail2ban.cpp:244 +#: fail2ban.cpp:245 msgid "" "You might enter the time in minutes for the IP banning and the number of " "failed logins before any action is taken." msgstr "" -#: fail2ban.cpp:249 +#: fail2ban.cpp:250 msgid "Block IPs for some time after a failed login." msgstr "" diff --git a/modules/po/fail2ban.nl_NL.po b/modules/po/fail2ban.nl_NL.po index 6e14b2a5..ff7000a9 100644 --- a/modules/po/fail2ban.nl_NL.po +++ b/modules/po/fail2ban.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/fail2ban.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" @@ -96,22 +96,22 @@ msgstr "Verbanning verwijderd: {1}" msgid "Ignored: {1}" msgstr "Genegeerd: {1}" -#: fail2ban.cpp:177 fail2ban.cpp:182 +#: fail2ban.cpp:177 fail2ban.cpp:183 msgctxt "list" msgid "Host" msgstr "Host" -#: fail2ban.cpp:178 fail2ban.cpp:183 +#: fail2ban.cpp:178 fail2ban.cpp:184 msgctxt "list" msgid "Attempts" msgstr "Pogingen" -#: fail2ban.cpp:187 +#: fail2ban.cpp:188 msgctxt "list" msgid "No bans" msgstr "Geen verbanningen" -#: fail2ban.cpp:244 +#: fail2ban.cpp:245 msgid "" "You might enter the time in minutes for the IP banning and the number of " "failed logins before any action is taken." @@ -119,7 +119,7 @@ msgstr "" "Je mag de tijd in minuten invoeren voor de IP verbannen en het nummer van " "mislukte inlogpoging voordat actie ondernomen wordt." -#: fail2ban.cpp:249 +#: fail2ban.cpp:250 msgid "Block IPs for some time after a failed login." msgstr "" "Blokkeer IP-addressen voor een bepaalde tijd na een mislukte inlogpoging." diff --git a/modules/po/fail2ban.pot b/modules/po/fail2ban.pot index e29eaefb..30291549 100644 --- a/modules/po/fail2ban.pot +++ b/modules/po/fail2ban.pot @@ -82,27 +82,27 @@ msgstr "" msgid "Ignored: {1}" msgstr "" -#: fail2ban.cpp:177 fail2ban.cpp:182 +#: fail2ban.cpp:177 fail2ban.cpp:183 msgctxt "list" msgid "Host" msgstr "" -#: fail2ban.cpp:178 fail2ban.cpp:183 +#: fail2ban.cpp:178 fail2ban.cpp:184 msgctxt "list" msgid "Attempts" msgstr "" -#: fail2ban.cpp:187 +#: fail2ban.cpp:188 msgctxt "list" msgid "No bans" msgstr "" -#: fail2ban.cpp:244 +#: fail2ban.cpp:245 msgid "" "You might enter the time in minutes for the IP banning and the number of " "failed logins before any action is taken." msgstr "" -#: fail2ban.cpp:249 +#: fail2ban.cpp:250 msgid "Block IPs for some time after a failed login." msgstr "" diff --git a/modules/po/fail2ban.pt_BR.po b/modules/po/fail2ban.pt_BR.po index f61c69d0..241e8eb9 100644 --- a/modules/po/fail2ban.pt_BR.po +++ b/modules/po/fail2ban.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/fail2ban.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" @@ -91,27 +91,27 @@ msgstr "" msgid "Ignored: {1}" msgstr "" -#: fail2ban.cpp:177 fail2ban.cpp:182 +#: fail2ban.cpp:177 fail2ban.cpp:183 msgctxt "list" msgid "Host" msgstr "" -#: fail2ban.cpp:178 fail2ban.cpp:183 +#: fail2ban.cpp:178 fail2ban.cpp:184 msgctxt "list" msgid "Attempts" msgstr "" -#: fail2ban.cpp:187 +#: fail2ban.cpp:188 msgctxt "list" msgid "No bans" msgstr "" -#: fail2ban.cpp:244 +#: fail2ban.cpp:245 msgid "" "You might enter the time in minutes for the IP banning and the number of " "failed logins before any action is taken." msgstr "" -#: fail2ban.cpp:249 +#: fail2ban.cpp:250 msgid "Block IPs for some time after a failed login." msgstr "" diff --git a/modules/po/fail2ban.ru_RU.po b/modules/po/fail2ban.ru_RU.po index ff424ec5..ad84f166 100644 --- a/modules/po/fail2ban.ru_RU.po +++ b/modules/po/fail2ban.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/fail2ban.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" @@ -93,27 +93,27 @@ msgstr "" msgid "Ignored: {1}" msgstr "" -#: fail2ban.cpp:177 fail2ban.cpp:182 +#: fail2ban.cpp:177 fail2ban.cpp:183 msgctxt "list" msgid "Host" msgstr "" -#: fail2ban.cpp:178 fail2ban.cpp:183 +#: fail2ban.cpp:178 fail2ban.cpp:184 msgctxt "list" msgid "Attempts" msgstr "" -#: fail2ban.cpp:187 +#: fail2ban.cpp:188 msgctxt "list" msgid "No bans" msgstr "" -#: fail2ban.cpp:244 +#: fail2ban.cpp:245 msgid "" "You might enter the time in minutes for the IP banning and the number of " "failed logins before any action is taken." msgstr "" -#: fail2ban.cpp:249 +#: fail2ban.cpp:250 msgid "Block IPs for some time after a failed login." msgstr "" diff --git a/modules/po/flooddetach.bg_BG.po b/modules/po/flooddetach.bg_BG.po new file mode 100644 index 00000000..279c4c07 --- /dev/null +++ b/modules/po/flooddetach.bg_BG.po @@ -0,0 +1,91 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /master/modules/po/flooddetach.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: flooddetach.cpp:30 +msgid "Show current limits" +msgstr "" + +#: flooddetach.cpp:32 flooddetach.cpp:35 +msgid "[]" +msgstr "" + +#: flooddetach.cpp:33 +msgid "Show or set number of seconds in the time interval" +msgstr "" + +#: flooddetach.cpp:36 +msgid "Show or set number of lines in the time interval" +msgstr "" + +#: flooddetach.cpp:39 +msgid "Show or set whether to notify you about detaching and attaching back" +msgstr "" + +#: flooddetach.cpp:93 +msgid "Flood in {1} is over, reattaching..." +msgstr "" + +#: flooddetach.cpp:150 +msgid "Channel {1} was flooded, you've been detached" +msgstr "" + +#: flooddetach.cpp:187 +msgid "1 line" +msgid_plural "{1} lines" +msgstr[0] "" +msgstr[1] "" + +#: flooddetach.cpp:188 +msgid "every second" +msgid_plural "every {1} seconds" +msgstr[0] "" +msgstr[1] "" + +#: flooddetach.cpp:190 +msgid "Current limit is {1} {2}" +msgstr "" + +#: flooddetach.cpp:197 +msgid "Seconds limit is {1}" +msgstr "" + +#: flooddetach.cpp:202 +msgid "Set seconds limit to {1}" +msgstr "" + +#: flooddetach.cpp:211 +msgid "Lines limit is {1}" +msgstr "" + +#: flooddetach.cpp:216 +msgid "Set lines limit to {1}" +msgstr "" + +#: flooddetach.cpp:229 +msgid "Module messages are disabled" +msgstr "" + +#: flooddetach.cpp:231 +msgid "Module messages are enabled" +msgstr "" + +#: flooddetach.cpp:247 +msgid "" +"This user module takes up to two arguments. Arguments are numbers of " +"messages and seconds." +msgstr "" + +#: flooddetach.cpp:251 +msgid "Detach channels when flooded" +msgstr "" diff --git a/modules/po/flooddetach.de_DE.po b/modules/po/flooddetach.de_DE.po index bab505af..d659b30d 100644 --- a/modules/po/flooddetach.de_DE.po +++ b/modules/po/flooddetach.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/flooddetach.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/flooddetach.es_ES.po b/modules/po/flooddetach.es_ES.po index b9f22249..bb982d63 100644 --- a/modules/po/flooddetach.es_ES.po +++ b/modules/po/flooddetach.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/flooddetach.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/flooddetach.fr_FR.po b/modules/po/flooddetach.fr_FR.po index 573cbc49..e5be1b43 100644 --- a/modules/po/flooddetach.fr_FR.po +++ b/modules/po/flooddetach.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/flooddetach.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/flooddetach.id_ID.po b/modules/po/flooddetach.id_ID.po index 8c5b614e..ac836161 100644 --- a/modules/po/flooddetach.id_ID.po +++ b/modules/po/flooddetach.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/flooddetach.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/flooddetach.nl_NL.po b/modules/po/flooddetach.nl_NL.po index 0394dd8e..608f878d 100644 --- a/modules/po/flooddetach.nl_NL.po +++ b/modules/po/flooddetach.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/flooddetach.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/flooddetach.pt_BR.po b/modules/po/flooddetach.pt_BR.po index bccbe61d..bc9bc4f5 100644 --- a/modules/po/flooddetach.pt_BR.po +++ b/modules/po/flooddetach.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/flooddetach.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/flooddetach.ru_RU.po b/modules/po/flooddetach.ru_RU.po index 28184b33..790c3ca4 100644 --- a/modules/po/flooddetach.ru_RU.po +++ b/modules/po/flooddetach.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/flooddetach.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/identfile.bg_BG.po b/modules/po/identfile.bg_BG.po new file mode 100644 index 00000000..dd54be58 --- /dev/null +++ b/modules/po/identfile.bg_BG.po @@ -0,0 +1,83 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /master/modules/po/identfile.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: identfile.cpp:30 +msgid "Show file name" +msgstr "" + +#: identfile.cpp:32 +msgid "" +msgstr "" + +#: identfile.cpp:32 +msgid "Set file name" +msgstr "" + +#: identfile.cpp:34 +msgid "Show file format" +msgstr "" + +#: identfile.cpp:36 +msgid "" +msgstr "" + +#: identfile.cpp:36 +msgid "Set file format" +msgstr "" + +#: identfile.cpp:38 +msgid "Show current state" +msgstr "" + +#: identfile.cpp:48 +msgid "File is set to: {1}" +msgstr "" + +#: identfile.cpp:53 +msgid "File has been set to: {1}" +msgstr "" + +#: identfile.cpp:58 +msgid "Format has been set to: {1}" +msgstr "" + +#: identfile.cpp:59 identfile.cpp:65 +msgid "Format would be expanded to: {1}" +msgstr "" + +#: identfile.cpp:64 +msgid "Format is set to: {1}" +msgstr "" + +#: identfile.cpp:78 +msgid "identfile is free" +msgstr "" + +#: identfile.cpp:86 +msgid "Access denied" +msgstr "" + +#: identfile.cpp:181 +msgid "" +"Aborting connection, another user or network is currently connecting and " +"using the ident spoof file" +msgstr "" + +#: identfile.cpp:189 +msgid "[{1}] could not be written, retrying..." +msgstr "" + +#: identfile.cpp:223 +msgid "Write the ident of a user to a file when they are trying to connect." +msgstr "" diff --git a/modules/po/identfile.de_DE.po b/modules/po/identfile.de_DE.po index 1b1a8ed5..b1849969 100644 --- a/modules/po/identfile.de_DE.po +++ b/modules/po/identfile.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/identfile.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/identfile.es_ES.po b/modules/po/identfile.es_ES.po index 70be6866..b2f85f79 100644 --- a/modules/po/identfile.es_ES.po +++ b/modules/po/identfile.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/identfile.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/identfile.fr_FR.po b/modules/po/identfile.fr_FR.po index 48ab3508..2862e454 100644 --- a/modules/po/identfile.fr_FR.po +++ b/modules/po/identfile.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/identfile.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/identfile.id_ID.po b/modules/po/identfile.id_ID.po index e3399f1a..07b7d971 100644 --- a/modules/po/identfile.id_ID.po +++ b/modules/po/identfile.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/identfile.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/identfile.nl_NL.po b/modules/po/identfile.nl_NL.po index 9238a199..2a88bab3 100644 --- a/modules/po/identfile.nl_NL.po +++ b/modules/po/identfile.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/identfile.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/identfile.pt_BR.po b/modules/po/identfile.pt_BR.po index a81529a2..fc487ffe 100644 --- a/modules/po/identfile.pt_BR.po +++ b/modules/po/identfile.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/identfile.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/identfile.ru_RU.po b/modules/po/identfile.ru_RU.po index b0b5cf97..f7af28c2 100644 --- a/modules/po/identfile.ru_RU.po +++ b/modules/po/identfile.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/identfile.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/imapauth.bg_BG.po b/modules/po/imapauth.bg_BG.po new file mode 100644 index 00000000..0df36084 --- /dev/null +++ b/modules/po/imapauth.bg_BG.po @@ -0,0 +1,21 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /master/modules/po/imapauth.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: imapauth.cpp:168 +msgid "[ server [+]port [ UserFormatString ] ]" +msgstr "" + +#: imapauth.cpp:171 +msgid "Allow users to authenticate via IMAP." +msgstr "" diff --git a/modules/po/imapauth.de_DE.po b/modules/po/imapauth.de_DE.po index 3a654a25..f1145d8c 100644 --- a/modules/po/imapauth.de_DE.po +++ b/modules/po/imapauth.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/imapauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/imapauth.es_ES.po b/modules/po/imapauth.es_ES.po index d820b3a3..9a94a6f2 100644 --- a/modules/po/imapauth.es_ES.po +++ b/modules/po/imapauth.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/imapauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/imapauth.fr_FR.po b/modules/po/imapauth.fr_FR.po index 4f90dd25..c6b88df4 100644 --- a/modules/po/imapauth.fr_FR.po +++ b/modules/po/imapauth.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/imapauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/imapauth.id_ID.po b/modules/po/imapauth.id_ID.po index d62fa40f..bde3008c 100644 --- a/modules/po/imapauth.id_ID.po +++ b/modules/po/imapauth.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/imapauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/imapauth.nl_NL.po b/modules/po/imapauth.nl_NL.po index fe4d2265..38e83c65 100644 --- a/modules/po/imapauth.nl_NL.po +++ b/modules/po/imapauth.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/imapauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/imapauth.pt_BR.po b/modules/po/imapauth.pt_BR.po index 06da43eb..39ee87cc 100644 --- a/modules/po/imapauth.pt_BR.po +++ b/modules/po/imapauth.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/imapauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/imapauth.ru_RU.po b/modules/po/imapauth.ru_RU.po index 1dab0f2d..adc18894 100644 --- a/modules/po/imapauth.ru_RU.po +++ b/modules/po/imapauth.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/imapauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/keepnick.bg_BG.po b/modules/po/keepnick.bg_BG.po new file mode 100644 index 00000000..4bf1c7bd --- /dev/null +++ b/modules/po/keepnick.bg_BG.po @@ -0,0 +1,53 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /master/modules/po/keepnick.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: keepnick.cpp:39 +msgid "Try to get your primary nick" +msgstr "" + +#: keepnick.cpp:42 keepnick.cpp:196 +msgid "No longer trying to get your primary nick" +msgstr "" + +#: keepnick.cpp:44 +msgid "Show the current state" +msgstr "" + +#: keepnick.cpp:158 +msgid "ZNC is already trying to get this nickname" +msgstr "" + +#: keepnick.cpp:173 +msgid "Unable to obtain nick {1}: {2}, {3}" +msgstr "" + +#: keepnick.cpp:181 +msgid "Unable to obtain nick {1}" +msgstr "" + +#: keepnick.cpp:191 +msgid "Trying to get your primary nick" +msgstr "" + +#: keepnick.cpp:201 +msgid "Currently trying to get your primary nick" +msgstr "" + +#: keepnick.cpp:203 +msgid "Currently disabled, try 'enable'" +msgstr "" + +#: keepnick.cpp:224 +msgid "Keeps trying for your primary nick" +msgstr "" diff --git a/modules/po/keepnick.de_DE.po b/modules/po/keepnick.de_DE.po index d8522a77..4370c94b 100644 --- a/modules/po/keepnick.de_DE.po +++ b/modules/po/keepnick.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/keepnick.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/keepnick.es_ES.po b/modules/po/keepnick.es_ES.po index 8ce73dbf..add6a528 100644 --- a/modules/po/keepnick.es_ES.po +++ b/modules/po/keepnick.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/keepnick.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/keepnick.fr_FR.po b/modules/po/keepnick.fr_FR.po index e5352915..420d06eb 100644 --- a/modules/po/keepnick.fr_FR.po +++ b/modules/po/keepnick.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/keepnick.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/keepnick.id_ID.po b/modules/po/keepnick.id_ID.po index cbd9e747..4fdb7f54 100644 --- a/modules/po/keepnick.id_ID.po +++ b/modules/po/keepnick.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/keepnick.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/keepnick.nl_NL.po b/modules/po/keepnick.nl_NL.po index 55f7431e..a9c75ffd 100644 --- a/modules/po/keepnick.nl_NL.po +++ b/modules/po/keepnick.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/keepnick.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/keepnick.pt_BR.po b/modules/po/keepnick.pt_BR.po index c74b2bf3..f81c8bb7 100644 --- a/modules/po/keepnick.pt_BR.po +++ b/modules/po/keepnick.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/keepnick.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/keepnick.ru_RU.po b/modules/po/keepnick.ru_RU.po index 2f4a0ee0..82b1b34a 100644 --- a/modules/po/keepnick.ru_RU.po +++ b/modules/po/keepnick.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/keepnick.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/kickrejoin.bg_BG.po b/modules/po/kickrejoin.bg_BG.po new file mode 100644 index 00000000..cf7a5a7c --- /dev/null +++ b/modules/po/kickrejoin.bg_BG.po @@ -0,0 +1,61 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /master/modules/po/kickrejoin.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: kickrejoin.cpp:56 +msgid "" +msgstr "" + +#: kickrejoin.cpp:56 +msgid "Set the rejoin delay" +msgstr "" + +#: kickrejoin.cpp:58 +msgid "Show the rejoin delay" +msgstr "" + +#: kickrejoin.cpp:77 +msgid "Illegal argument, must be a positive number or 0" +msgstr "" + +#: kickrejoin.cpp:90 +msgid "Negative delays don't make any sense!" +msgstr "" + +#: kickrejoin.cpp:98 +msgid "Rejoin delay set to 1 second" +msgid_plural "Rejoin delay set to {1} seconds" +msgstr[0] "" +msgstr[1] "" + +#: kickrejoin.cpp:101 +msgid "Rejoin delay disabled" +msgstr "" + +#: kickrejoin.cpp:106 +msgid "Rejoin delay is set to 1 second" +msgid_plural "Rejoin delay is set to {1} seconds" +msgstr[0] "" +msgstr[1] "" + +#: kickrejoin.cpp:109 +msgid "Rejoin delay is disabled" +msgstr "" + +#: kickrejoin.cpp:131 +msgid "You might enter the number of seconds to wait before rejoining." +msgstr "" + +#: kickrejoin.cpp:134 +msgid "Autorejoins on kick" +msgstr "" diff --git a/modules/po/kickrejoin.de_DE.po b/modules/po/kickrejoin.de_DE.po index d40e3658..7f00d9e2 100644 --- a/modules/po/kickrejoin.de_DE.po +++ b/modules/po/kickrejoin.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/kickrejoin.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/kickrejoin.es_ES.po b/modules/po/kickrejoin.es_ES.po index f87b385c..e17f96c4 100644 --- a/modules/po/kickrejoin.es_ES.po +++ b/modules/po/kickrejoin.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/kickrejoin.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/kickrejoin.fr_FR.po b/modules/po/kickrejoin.fr_FR.po index acefaf85..b4575ffe 100644 --- a/modules/po/kickrejoin.fr_FR.po +++ b/modules/po/kickrejoin.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/kickrejoin.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/kickrejoin.id_ID.po b/modules/po/kickrejoin.id_ID.po index 6ecfa268..a532be48 100644 --- a/modules/po/kickrejoin.id_ID.po +++ b/modules/po/kickrejoin.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/kickrejoin.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/kickrejoin.nl_NL.po b/modules/po/kickrejoin.nl_NL.po index 9e67a8f6..5e45ff0c 100644 --- a/modules/po/kickrejoin.nl_NL.po +++ b/modules/po/kickrejoin.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/kickrejoin.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/kickrejoin.pt_BR.po b/modules/po/kickrejoin.pt_BR.po index 4c6582a5..e20e1482 100644 --- a/modules/po/kickrejoin.pt_BR.po +++ b/modules/po/kickrejoin.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/kickrejoin.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/kickrejoin.ru_RU.po b/modules/po/kickrejoin.ru_RU.po index 3d80995b..1fa61e6c 100644 --- a/modules/po/kickrejoin.ru_RU.po +++ b/modules/po/kickrejoin.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/kickrejoin.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/lastseen.bg_BG.po b/modules/po/lastseen.bg_BG.po new file mode 100644 index 00000000..215d51d7 --- /dev/null +++ b/modules/po/lastseen.bg_BG.po @@ -0,0 +1,67 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /master/modules/po/lastseen.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: modules/po/../data/lastseen/tmpl/index.tmpl:8 +msgid "User" +msgstr "" + +#: modules/po/../data/lastseen/tmpl/index.tmpl:9 lastseen.cpp:99 +msgid "Last Seen" +msgstr "" + +#: modules/po/../data/lastseen/tmpl/index.tmpl:10 +msgid "Info" +msgstr "" + +#: modules/po/../data/lastseen/tmpl/index.tmpl:11 +msgid "Action" +msgstr "" + +#: modules/po/../data/lastseen/tmpl/index.tmpl:21 +msgid "Edit" +msgstr "" + +#: modules/po/../data/lastseen/tmpl/index.tmpl:22 +msgid "Delete" +msgstr "" + +#: modules/po/../data/lastseen/tmpl/lastseen_WebadminUser.tmpl:6 +msgid "Last login time:" +msgstr "" + +#: lastseen.cpp:53 +msgid "Access denied" +msgstr "" + +#: lastseen.cpp:61 lastseen.cpp:67 +msgctxt "show" +msgid "User" +msgstr "" + +#: lastseen.cpp:62 lastseen.cpp:68 +msgctxt "show" +msgid "Last Seen" +msgstr "" + +#: lastseen.cpp:69 lastseen.cpp:125 +msgid "never" +msgstr "" + +#: lastseen.cpp:79 +msgid "Shows list of users and when they last logged in" +msgstr "" + +#: lastseen.cpp:154 +msgid "Collects data about when a user last logged in." +msgstr "" diff --git a/modules/po/lastseen.de_DE.po b/modules/po/lastseen.de_DE.po index 79867b22..aac0a1db 100644 --- a/modules/po/lastseen.de_DE.po +++ b/modules/po/lastseen.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/lastseen.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" @@ -16,7 +16,7 @@ msgstr "" msgid "User" msgstr "Benutzer" -#: modules/po/../data/lastseen/tmpl/index.tmpl:9 lastseen.cpp:98 +#: modules/po/../data/lastseen/tmpl/index.tmpl:9 lastseen.cpp:99 msgid "Last Seen" msgstr "Zuletzt gesehen" @@ -44,25 +44,25 @@ msgstr "Zeit der letzten Anmeldung:" msgid "Access denied" msgstr "Zugriff verweigert" -#: lastseen.cpp:61 lastseen.cpp:66 +#: lastseen.cpp:61 lastseen.cpp:67 msgctxt "show" msgid "User" msgstr "Benutzer" -#: lastseen.cpp:62 lastseen.cpp:67 +#: lastseen.cpp:62 lastseen.cpp:68 msgctxt "show" msgid "Last Seen" msgstr "Zuletzt gesehen" -#: lastseen.cpp:68 lastseen.cpp:124 +#: lastseen.cpp:69 lastseen.cpp:125 msgid "never" msgstr "nie" -#: lastseen.cpp:78 +#: lastseen.cpp:79 msgid "Shows list of users and when they last logged in" msgstr "" "Zeigt eine Liste von Benutzern und wann sie sich zuletzt angemeldet haben an" -#: lastseen.cpp:153 +#: lastseen.cpp:154 msgid "Collects data about when a user last logged in." msgstr "Sammelt Daten darüber, wann ein Benutzer sich zuletzt angemeldet hat." diff --git a/modules/po/lastseen.es_ES.po b/modules/po/lastseen.es_ES.po index 332ac38d..2d44dd5a 100644 --- a/modules/po/lastseen.es_ES.po +++ b/modules/po/lastseen.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/lastseen.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" @@ -16,7 +16,7 @@ msgstr "" msgid "User" msgstr "Usuario" -#: modules/po/../data/lastseen/tmpl/index.tmpl:9 lastseen.cpp:98 +#: modules/po/../data/lastseen/tmpl/index.tmpl:9 lastseen.cpp:99 msgid "Last Seen" msgstr "Última conexión" @@ -44,24 +44,24 @@ msgstr "Última conexión:" msgid "Access denied" msgstr "Acceso denegado" -#: lastseen.cpp:61 lastseen.cpp:66 +#: lastseen.cpp:61 lastseen.cpp:67 msgctxt "show" msgid "User" msgstr "Usuario" -#: lastseen.cpp:62 lastseen.cpp:67 +#: lastseen.cpp:62 lastseen.cpp:68 msgctxt "show" msgid "Last Seen" msgstr "Última conexión" -#: lastseen.cpp:68 lastseen.cpp:124 +#: lastseen.cpp:69 lastseen.cpp:125 msgid "never" msgstr "nunca" -#: lastseen.cpp:78 +#: lastseen.cpp:79 msgid "Shows list of users and when they last logged in" msgstr "Muestra una lista de usuarios y cuando conectaron por última vez" -#: lastseen.cpp:153 +#: lastseen.cpp:154 msgid "Collects data about when a user last logged in." msgstr "Recopila datos sobre la última conexión de un usuario." diff --git a/modules/po/lastseen.fr_FR.po b/modules/po/lastseen.fr_FR.po index 3beb064a..3813b1d5 100644 --- a/modules/po/lastseen.fr_FR.po +++ b/modules/po/lastseen.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/lastseen.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" @@ -16,7 +16,7 @@ msgstr "" msgid "User" msgstr "" -#: modules/po/../data/lastseen/tmpl/index.tmpl:9 lastseen.cpp:98 +#: modules/po/../data/lastseen/tmpl/index.tmpl:9 lastseen.cpp:99 msgid "Last Seen" msgstr "" @@ -44,24 +44,24 @@ msgstr "" msgid "Access denied" msgstr "" -#: lastseen.cpp:61 lastseen.cpp:66 +#: lastseen.cpp:61 lastseen.cpp:67 msgctxt "show" msgid "User" msgstr "" -#: lastseen.cpp:62 lastseen.cpp:67 +#: lastseen.cpp:62 lastseen.cpp:68 msgctxt "show" msgid "Last Seen" msgstr "" -#: lastseen.cpp:68 lastseen.cpp:124 +#: lastseen.cpp:69 lastseen.cpp:125 msgid "never" msgstr "" -#: lastseen.cpp:78 +#: lastseen.cpp:79 msgid "Shows list of users and when they last logged in" msgstr "" -#: lastseen.cpp:153 +#: lastseen.cpp:154 msgid "Collects data about when a user last logged in." msgstr "" diff --git a/modules/po/lastseen.id_ID.po b/modules/po/lastseen.id_ID.po index ead375a4..d5903c26 100644 --- a/modules/po/lastseen.id_ID.po +++ b/modules/po/lastseen.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/lastseen.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" @@ -16,7 +16,7 @@ msgstr "" msgid "User" msgstr "" -#: modules/po/../data/lastseen/tmpl/index.tmpl:9 lastseen.cpp:98 +#: modules/po/../data/lastseen/tmpl/index.tmpl:9 lastseen.cpp:99 msgid "Last Seen" msgstr "" @@ -44,24 +44,24 @@ msgstr "" msgid "Access denied" msgstr "" -#: lastseen.cpp:61 lastseen.cpp:66 +#: lastseen.cpp:61 lastseen.cpp:67 msgctxt "show" msgid "User" msgstr "" -#: lastseen.cpp:62 lastseen.cpp:67 +#: lastseen.cpp:62 lastseen.cpp:68 msgctxt "show" msgid "Last Seen" msgstr "" -#: lastseen.cpp:68 lastseen.cpp:124 +#: lastseen.cpp:69 lastseen.cpp:125 msgid "never" msgstr "" -#: lastseen.cpp:78 +#: lastseen.cpp:79 msgid "Shows list of users and when they last logged in" msgstr "" -#: lastseen.cpp:153 +#: lastseen.cpp:154 msgid "Collects data about when a user last logged in." msgstr "" diff --git a/modules/po/lastseen.nl_NL.po b/modules/po/lastseen.nl_NL.po index 138de030..ed96eb80 100644 --- a/modules/po/lastseen.nl_NL.po +++ b/modules/po/lastseen.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/lastseen.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" @@ -16,7 +16,7 @@ msgstr "" msgid "User" msgstr "Gebruiker" -#: modules/po/../data/lastseen/tmpl/index.tmpl:9 lastseen.cpp:98 +#: modules/po/../data/lastseen/tmpl/index.tmpl:9 lastseen.cpp:99 msgid "Last Seen" msgstr "Laatst gezien" @@ -44,25 +44,25 @@ msgstr "Laatst ingelogd:" msgid "Access denied" msgstr "Toegang geweigerd" -#: lastseen.cpp:61 lastseen.cpp:66 +#: lastseen.cpp:61 lastseen.cpp:67 msgctxt "show" msgid "User" msgstr "Gebruiker" -#: lastseen.cpp:62 lastseen.cpp:67 +#: lastseen.cpp:62 lastseen.cpp:68 msgctxt "show" msgid "Last Seen" msgstr "Laatst gezien" -#: lastseen.cpp:68 lastseen.cpp:124 +#: lastseen.cpp:69 lastseen.cpp:125 msgid "never" msgstr "nooit" -#: lastseen.cpp:78 +#: lastseen.cpp:79 msgid "Shows list of users and when they last logged in" msgstr "" "Laat lijst van gebruikers zien en wanneer deze voor het laatst ingelogd zijn" -#: lastseen.cpp:153 +#: lastseen.cpp:154 msgid "Collects data about when a user last logged in." msgstr "Houd bij wanneer gebruikers voor het laatst ingelogd zijn." diff --git a/modules/po/lastseen.pot b/modules/po/lastseen.pot index 68845937..f9b2d68b 100644 --- a/modules/po/lastseen.pot +++ b/modules/po/lastseen.pot @@ -7,7 +7,7 @@ msgstr "" msgid "User" msgstr "" -#: modules/po/../data/lastseen/tmpl/index.tmpl:9 lastseen.cpp:98 +#: modules/po/../data/lastseen/tmpl/index.tmpl:9 lastseen.cpp:99 msgid "Last Seen" msgstr "" @@ -35,24 +35,24 @@ msgstr "" msgid "Access denied" msgstr "" -#: lastseen.cpp:61 lastseen.cpp:66 +#: lastseen.cpp:61 lastseen.cpp:67 msgctxt "show" msgid "User" msgstr "" -#: lastseen.cpp:62 lastseen.cpp:67 +#: lastseen.cpp:62 lastseen.cpp:68 msgctxt "show" msgid "Last Seen" msgstr "" -#: lastseen.cpp:68 lastseen.cpp:124 +#: lastseen.cpp:69 lastseen.cpp:125 msgid "never" msgstr "" -#: lastseen.cpp:78 +#: lastseen.cpp:79 msgid "Shows list of users and when they last logged in" msgstr "" -#: lastseen.cpp:153 +#: lastseen.cpp:154 msgid "Collects data about when a user last logged in." msgstr "" diff --git a/modules/po/lastseen.pt_BR.po b/modules/po/lastseen.pt_BR.po index 8492dad3..00f88f01 100644 --- a/modules/po/lastseen.pt_BR.po +++ b/modules/po/lastseen.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/lastseen.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" @@ -16,7 +16,7 @@ msgstr "" msgid "User" msgstr "" -#: modules/po/../data/lastseen/tmpl/index.tmpl:9 lastseen.cpp:98 +#: modules/po/../data/lastseen/tmpl/index.tmpl:9 lastseen.cpp:99 msgid "Last Seen" msgstr "" @@ -44,24 +44,24 @@ msgstr "" msgid "Access denied" msgstr "" -#: lastseen.cpp:61 lastseen.cpp:66 +#: lastseen.cpp:61 lastseen.cpp:67 msgctxt "show" msgid "User" msgstr "" -#: lastseen.cpp:62 lastseen.cpp:67 +#: lastseen.cpp:62 lastseen.cpp:68 msgctxt "show" msgid "Last Seen" msgstr "" -#: lastseen.cpp:68 lastseen.cpp:124 +#: lastseen.cpp:69 lastseen.cpp:125 msgid "never" msgstr "" -#: lastseen.cpp:78 +#: lastseen.cpp:79 msgid "Shows list of users and when they last logged in" msgstr "" -#: lastseen.cpp:153 +#: lastseen.cpp:154 msgid "Collects data about when a user last logged in." msgstr "" diff --git a/modules/po/lastseen.ru_RU.po b/modules/po/lastseen.ru_RU.po index dbad492e..fb05a1ee 100644 --- a/modules/po/lastseen.ru_RU.po +++ b/modules/po/lastseen.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/lastseen.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" @@ -18,7 +18,7 @@ msgstr "" msgid "User" msgstr "" -#: modules/po/../data/lastseen/tmpl/index.tmpl:9 lastseen.cpp:98 +#: modules/po/../data/lastseen/tmpl/index.tmpl:9 lastseen.cpp:99 msgid "Last Seen" msgstr "" @@ -46,24 +46,24 @@ msgstr "" msgid "Access denied" msgstr "" -#: lastseen.cpp:61 lastseen.cpp:66 +#: lastseen.cpp:61 lastseen.cpp:67 msgctxt "show" msgid "User" msgstr "" -#: lastseen.cpp:62 lastseen.cpp:67 +#: lastseen.cpp:62 lastseen.cpp:68 msgctxt "show" msgid "Last Seen" msgstr "" -#: lastseen.cpp:68 lastseen.cpp:124 +#: lastseen.cpp:69 lastseen.cpp:125 msgid "never" msgstr "" -#: lastseen.cpp:78 +#: lastseen.cpp:79 msgid "Shows list of users and when they last logged in" msgstr "" -#: lastseen.cpp:153 +#: lastseen.cpp:154 msgid "Collects data about when a user last logged in." msgstr "" diff --git a/modules/po/listsockets.bg_BG.po b/modules/po/listsockets.bg_BG.po new file mode 100644 index 00000000..d55f2092 --- /dev/null +++ b/modules/po/listsockets.bg_BG.po @@ -0,0 +1,113 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /master/modules/po/listsockets.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:7 listsockets.cpp:214 +#: listsockets.cpp:230 +msgid "Name" +msgstr "" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:8 listsockets.cpp:215 +#: listsockets.cpp:231 +msgid "Created" +msgstr "" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:9 listsockets.cpp:216 +#: listsockets.cpp:232 +msgid "State" +msgstr "" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:10 listsockets.cpp:218 +#: listsockets.cpp:235 +msgid "SSL" +msgstr "" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:11 listsockets.cpp:220 +#: listsockets.cpp:240 +msgid "Local" +msgstr "" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:12 listsockets.cpp:221 +#: listsockets.cpp:242 +msgid "Remote" +msgstr "" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:13 +msgid "Data In" +msgstr "" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:14 +msgid "Data Out" +msgstr "" + +#: listsockets.cpp:62 +msgid "[-n]" +msgstr "" + +#: listsockets.cpp:62 +msgid "Shows the list of active sockets. Pass -n to show IP addresses" +msgstr "" + +#: listsockets.cpp:70 +msgid "You must be admin to use this module" +msgstr "" + +#: listsockets.cpp:96 +msgid "List sockets" +msgstr "" + +#: listsockets.cpp:116 listsockets.cpp:236 +msgctxt "ssl" +msgid "Yes" +msgstr "" + +#: listsockets.cpp:116 listsockets.cpp:237 +msgctxt "ssl" +msgid "No" +msgstr "" + +#: listsockets.cpp:142 +msgid "Listener" +msgstr "" + +#: listsockets.cpp:144 +msgid "Inbound" +msgstr "" + +#: listsockets.cpp:147 +msgid "Outbound" +msgstr "" + +#: listsockets.cpp:149 +msgid "Connecting" +msgstr "" + +#: listsockets.cpp:152 +msgid "UNKNOWN" +msgstr "" + +#: listsockets.cpp:207 +msgid "You have no open sockets." +msgstr "" + +#: listsockets.cpp:222 listsockets.cpp:244 +msgid "In" +msgstr "" + +#: listsockets.cpp:223 listsockets.cpp:246 +msgid "Out" +msgstr "" + +#: listsockets.cpp:262 +msgid "Lists active sockets" +msgstr "" diff --git a/modules/po/listsockets.de_DE.po b/modules/po/listsockets.de_DE.po index dbd13b79..5bd97ec9 100644 --- a/modules/po/listsockets.de_DE.po +++ b/modules/po/listsockets.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/listsockets.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/listsockets.es_ES.po b/modules/po/listsockets.es_ES.po index aa58ded4..fe82fe59 100644 --- a/modules/po/listsockets.es_ES.po +++ b/modules/po/listsockets.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/listsockets.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/listsockets.fr_FR.po b/modules/po/listsockets.fr_FR.po index 703d5001..97d25d02 100644 --- a/modules/po/listsockets.fr_FR.po +++ b/modules/po/listsockets.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/listsockets.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/listsockets.id_ID.po b/modules/po/listsockets.id_ID.po index c21cd48e..6ff9fb83 100644 --- a/modules/po/listsockets.id_ID.po +++ b/modules/po/listsockets.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/listsockets.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/listsockets.nl_NL.po b/modules/po/listsockets.nl_NL.po index e39ee913..9d9a135b 100644 --- a/modules/po/listsockets.nl_NL.po +++ b/modules/po/listsockets.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/listsockets.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/listsockets.pt_BR.po b/modules/po/listsockets.pt_BR.po index 15cecb89..8e956774 100644 --- a/modules/po/listsockets.pt_BR.po +++ b/modules/po/listsockets.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/listsockets.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/listsockets.ru_RU.po b/modules/po/listsockets.ru_RU.po index 00b1662f..9ebce89b 100644 --- a/modules/po/listsockets.ru_RU.po +++ b/modules/po/listsockets.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/listsockets.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/log.bg_BG.po b/modules/po/log.bg_BG.po new file mode 100644 index 00000000..0efc60b1 --- /dev/null +++ b/modules/po/log.bg_BG.po @@ -0,0 +1,148 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /master/modules/po/log.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: log.cpp:59 +msgid "" +msgstr "" + +#: log.cpp:60 +msgid "Set logging rules, use !#chan or !query to negate and * " +msgstr "" + +#: log.cpp:62 +msgid "Clear all logging rules" +msgstr "" + +#: log.cpp:64 +msgid "List all logging rules" +msgstr "" + +#: log.cpp:67 +msgid " true|false" +msgstr "" + +#: log.cpp:68 +msgid "Set one of the following options: joins, quits, nickchanges" +msgstr "" + +#: log.cpp:71 +msgid "Show current settings set by Set command" +msgstr "" + +#: log.cpp:143 +msgid "Usage: SetRules " +msgstr "" + +#: log.cpp:144 +msgid "Wildcards are allowed" +msgstr "" + +#: log.cpp:156 log.cpp:179 +msgid "No logging rules. Everything is logged." +msgstr "" + +#: log.cpp:161 +msgid "1 rule removed: {2}" +msgid_plural "{1} rules removed: {2}" +msgstr[0] "" +msgstr[1] "" + +#: log.cpp:168 log.cpp:174 +msgctxt "listrules" +msgid "Rule" +msgstr "" + +#: log.cpp:169 log.cpp:175 +msgctxt "listrules" +msgid "Logging enabled" +msgstr "" + +#: log.cpp:190 +msgid "" +"Usage: Set true|false, where is one of: joins, quits, nickchanges" +msgstr "" + +#: log.cpp:197 +msgid "Will log joins" +msgstr "" + +#: log.cpp:197 +msgid "Will not log joins" +msgstr "" + +#: log.cpp:198 +msgid "Will log quits" +msgstr "" + +#: log.cpp:198 +msgid "Will not log quits" +msgstr "" + +#: log.cpp:200 +msgid "Will log nick changes" +msgstr "" + +#: log.cpp:200 +msgid "Will not log nick changes" +msgstr "" + +#: log.cpp:204 +msgid "Unknown variable. Known variables: joins, quits, nickchanges" +msgstr "" + +#: log.cpp:212 +msgid "Logging joins" +msgstr "" + +#: log.cpp:212 +msgid "Not logging joins" +msgstr "" + +#: log.cpp:213 +msgid "Logging quits" +msgstr "" + +#: log.cpp:213 +msgid "Not logging quits" +msgstr "" + +#: log.cpp:214 +msgid "Logging nick changes" +msgstr "" + +#: log.cpp:215 +msgid "Not logging nick changes" +msgstr "" + +#: log.cpp:352 +msgid "" +"Invalid args [{1}]. Only one log path allowed. Check that there are no " +"spaces in the path." +msgstr "" + +#: log.cpp:402 +msgid "Invalid log path [{1}]" +msgstr "" + +#: log.cpp:405 +msgid "Logging to [{1}]. Using timestamp format '{2}'" +msgstr "" + +#: log.cpp:560 +msgid "[-sanitize] Optional path where to store logs." +msgstr "" + +#: log.cpp:564 +msgid "Writes IRC logs." +msgstr "" diff --git a/modules/po/log.de_DE.po b/modules/po/log.de_DE.po index 19e8c3f7..23257ff4 100644 --- a/modules/po/log.de_DE.po +++ b/modules/po/log.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/log.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" @@ -48,7 +48,7 @@ msgstr "Benutzung: SetRules " msgid "Wildcards are allowed" msgstr "Wildcards können verwendet werden" -#: log.cpp:156 log.cpp:178 +#: log.cpp:156 log.cpp:179 msgid "No logging rules. Everything is logged." msgstr "Keine Logging-Regeln - alles wird geloggt." @@ -58,76 +58,76 @@ msgid_plural "{1} rules removed: {2}" msgstr[0] "" msgstr[1] "{1} Regeln entfernt: {2}" -#: log.cpp:168 log.cpp:173 +#: log.cpp:168 log.cpp:174 msgctxt "listrules" msgid "Rule" msgstr "Regel" -#: log.cpp:169 log.cpp:174 +#: log.cpp:169 log.cpp:175 msgctxt "listrules" msgid "Logging enabled" msgstr "Logging aktiviert" -#: log.cpp:189 +#: log.cpp:190 msgid "" "Usage: Set true|false, where is one of: joins, quits, nickchanges" msgstr "" "Benutzung: Set true|false, wobei entweder joins, quits oder " "nickchanges ist" -#: log.cpp:196 +#: log.cpp:197 msgid "Will log joins" msgstr "Joins werden geloggt" -#: log.cpp:196 +#: log.cpp:197 msgid "Will not log joins" msgstr "Joins werden nicht geloggt" -#: log.cpp:197 +#: log.cpp:198 msgid "Will log quits" msgstr "Quits werden geloggt" -#: log.cpp:197 +#: log.cpp:198 msgid "Will not log quits" msgstr "Quits werden nicht geloggt" -#: log.cpp:199 +#: log.cpp:200 msgid "Will log nick changes" msgstr "Nick-Wechsel werden geloggt" -#: log.cpp:199 +#: log.cpp:200 msgid "Will not log nick changes" msgstr "Nick-Wechsel werden nicht geloggt" -#: log.cpp:203 +#: log.cpp:204 msgid "Unknown variable. Known variables: joins, quits, nickchanges" msgstr "Unbekannte Variable. Gültig sind: joins, quits, nickchanges" -#: log.cpp:211 +#: log.cpp:212 msgid "Logging joins" msgstr "Joins werden geloggt" -#: log.cpp:211 +#: log.cpp:212 msgid "Not logging joins" msgstr "Joins werden nicht geloggt" -#: log.cpp:212 +#: log.cpp:213 msgid "Logging quits" msgstr "Quits werden geloggt" -#: log.cpp:212 +#: log.cpp:213 msgid "Not logging quits" msgstr "Quits werden nicht geloggt" -#: log.cpp:213 +#: log.cpp:214 msgid "Logging nick changes" msgstr "Nick-Wechsel werden geloggt" -#: log.cpp:214 +#: log.cpp:215 msgid "Not logging nick changes" msgstr "Nick-Wechsel werden nicht geloggt" -#: log.cpp:351 +#: log.cpp:352 msgid "" "Invalid args [{1}]. Only one log path allowed. Check that there are no " "spaces in the path." @@ -135,18 +135,18 @@ msgstr "" "Ungültige Argumente [{1}]. Nur ein Logging-Pfad ist erlaubt. Prüfe, dass der " "Pfad keine Leerzeichen enthält." -#: log.cpp:401 +#: log.cpp:402 msgid "Invalid log path [{1}]" msgstr "Ungültiger Log-Pfad [{1}]" -#: log.cpp:404 +#: log.cpp:405 msgid "Logging to [{1}]. Using timestamp format '{2}'" msgstr "Logge nach [{1}] mit Zeitstempelformat '{2}'" -#: log.cpp:559 +#: log.cpp:560 msgid "[-sanitize] Optional path where to store logs." msgstr "[-sanitize] Optionaler Pfad zum Speichern von Logs." -#: log.cpp:563 +#: log.cpp:564 msgid "Writes IRC logs." msgstr "Schreibt IRC-Logs." diff --git a/modules/po/log.es_ES.po b/modules/po/log.es_ES.po index 29548df5..ab036559 100644 --- a/modules/po/log.es_ES.po +++ b/modules/po/log.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/log.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" @@ -48,7 +48,7 @@ msgstr "Uso: SetRules " msgid "Wildcards are allowed" msgstr "Se permiten comodines" -#: log.cpp:156 log.cpp:178 +#: log.cpp:156 log.cpp:179 msgid "No logging rules. Everything is logged." msgstr "No hay reglas de logueo. Se registra todo." @@ -58,74 +58,74 @@ msgid_plural "{1} rules removed: {2}" msgstr[0] "Borrada regla: {2}" msgstr[1] "Borradas {1} reglas: {2}" -#: log.cpp:168 log.cpp:173 +#: log.cpp:168 log.cpp:174 msgctxt "listrules" msgid "Rule" msgstr "Regla" -#: log.cpp:169 log.cpp:174 +#: log.cpp:169 log.cpp:175 msgctxt "listrules" msgid "Logging enabled" msgstr "Registro habilitado" -#: log.cpp:189 +#: log.cpp:190 msgid "" "Usage: Set true|false, where is one of: joins, quits, nickchanges" msgstr "Uso: Set true|false, donde es: joins, quits, nickchanges" -#: log.cpp:196 +#: log.cpp:197 msgid "Will log joins" msgstr "Registrar entradas" -#: log.cpp:196 +#: log.cpp:197 msgid "Will not log joins" msgstr "No registrar entradas" -#: log.cpp:197 +#: log.cpp:198 msgid "Will log quits" msgstr "Registrar desconexiones (quits)" -#: log.cpp:197 +#: log.cpp:198 msgid "Will not log quits" msgstr "No registrar desconexiones (quits)" -#: log.cpp:199 +#: log.cpp:200 msgid "Will log nick changes" msgstr "Registrar cambios de nick" -#: log.cpp:199 +#: log.cpp:200 msgid "Will not log nick changes" msgstr "No registrar cambios de nick" -#: log.cpp:203 +#: log.cpp:204 msgid "Unknown variable. Known variables: joins, quits, nickchanges" msgstr "Variable desconocida. Variables conocidas: joins, quits, nickchanges" -#: log.cpp:211 +#: log.cpp:212 msgid "Logging joins" msgstr "Registrando entradas" -#: log.cpp:211 +#: log.cpp:212 msgid "Not logging joins" msgstr "Sin registrar entradas" -#: log.cpp:212 +#: log.cpp:213 msgid "Logging quits" msgstr "Registrando desconexiones (quits)" -#: log.cpp:212 +#: log.cpp:213 msgid "Not logging quits" msgstr "Sin registrar desconexiones (quits)" -#: log.cpp:213 +#: log.cpp:214 msgid "Logging nick changes" msgstr "Registrando cambios de nick" -#: log.cpp:214 +#: log.cpp:215 msgid "Not logging nick changes" msgstr "Sin registrar cambios de nick" -#: log.cpp:351 +#: log.cpp:352 msgid "" "Invalid args [{1}]. Only one log path allowed. Check that there are no " "spaces in the path." @@ -133,18 +133,18 @@ msgstr "" "Argumentos inválidos [{1}]. Solo se permite una ruta de logueo. Comprueba " "que no tiene espacios." -#: log.cpp:401 +#: log.cpp:402 msgid "Invalid log path [{1}]" msgstr "Ruta de log no válida [{1}]" -#: log.cpp:404 +#: log.cpp:405 msgid "Logging to [{1}]. Using timestamp format '{2}'" msgstr "Registrando a [{1}]. Usando marca de tiempo '{2}'" -#: log.cpp:559 +#: log.cpp:560 msgid "[-sanitize] Optional path where to store logs." msgstr "[-sanitize] ruta opcional donde almacenar registros." -#: log.cpp:563 +#: log.cpp:564 msgid "Writes IRC logs." msgstr "Guarda registros de IRC." diff --git a/modules/po/log.fr_FR.po b/modules/po/log.fr_FR.po index 8a3914ff..a36cfdf0 100644 --- a/modules/po/log.fr_FR.po +++ b/modules/po/log.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/log.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" @@ -48,7 +48,7 @@ msgstr "" msgid "Wildcards are allowed" msgstr "" -#: log.cpp:156 log.cpp:178 +#: log.cpp:156 log.cpp:179 msgid "No logging rules. Everything is logged." msgstr "" @@ -58,91 +58,91 @@ msgid_plural "{1} rules removed: {2}" msgstr[0] "" msgstr[1] "" -#: log.cpp:168 log.cpp:173 +#: log.cpp:168 log.cpp:174 msgctxt "listrules" msgid "Rule" msgstr "" -#: log.cpp:169 log.cpp:174 +#: log.cpp:169 log.cpp:175 msgctxt "listrules" msgid "Logging enabled" msgstr "" -#: log.cpp:189 +#: log.cpp:190 msgid "" "Usage: Set true|false, where is one of: joins, quits, nickchanges" msgstr "" -#: log.cpp:196 +#: log.cpp:197 msgid "Will log joins" msgstr "" -#: log.cpp:196 +#: log.cpp:197 msgid "Will not log joins" msgstr "" -#: log.cpp:197 +#: log.cpp:198 msgid "Will log quits" msgstr "" -#: log.cpp:197 +#: log.cpp:198 msgid "Will not log quits" msgstr "" -#: log.cpp:199 +#: log.cpp:200 msgid "Will log nick changes" msgstr "" -#: log.cpp:199 +#: log.cpp:200 msgid "Will not log nick changes" msgstr "" -#: log.cpp:203 +#: log.cpp:204 msgid "Unknown variable. Known variables: joins, quits, nickchanges" msgstr "" -#: log.cpp:211 +#: log.cpp:212 msgid "Logging joins" msgstr "" -#: log.cpp:211 +#: log.cpp:212 msgid "Not logging joins" msgstr "" -#: log.cpp:212 +#: log.cpp:213 msgid "Logging quits" msgstr "" -#: log.cpp:212 +#: log.cpp:213 msgid "Not logging quits" msgstr "" -#: log.cpp:213 +#: log.cpp:214 msgid "Logging nick changes" msgstr "" -#: log.cpp:214 +#: log.cpp:215 msgid "Not logging nick changes" msgstr "" -#: log.cpp:351 +#: log.cpp:352 msgid "" "Invalid args [{1}]. Only one log path allowed. Check that there are no " "spaces in the path." msgstr "" -#: log.cpp:401 +#: log.cpp:402 msgid "Invalid log path [{1}]" msgstr "" -#: log.cpp:404 +#: log.cpp:405 msgid "Logging to [{1}]. Using timestamp format '{2}'" msgstr "" -#: log.cpp:559 +#: log.cpp:560 msgid "[-sanitize] Optional path where to store logs." msgstr "" -#: log.cpp:563 +#: log.cpp:564 msgid "Writes IRC logs." msgstr "" diff --git a/modules/po/log.id_ID.po b/modules/po/log.id_ID.po index a9d878c9..e2d8f70e 100644 --- a/modules/po/log.id_ID.po +++ b/modules/po/log.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/log.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" @@ -48,7 +48,7 @@ msgstr "" msgid "Wildcards are allowed" msgstr "" -#: log.cpp:156 log.cpp:178 +#: log.cpp:156 log.cpp:179 msgid "No logging rules. Everything is logged." msgstr "" @@ -57,91 +57,91 @@ msgid "1 rule removed: {2}" msgid_plural "{1} rules removed: {2}" msgstr[0] "" -#: log.cpp:168 log.cpp:173 +#: log.cpp:168 log.cpp:174 msgctxt "listrules" msgid "Rule" msgstr "" -#: log.cpp:169 log.cpp:174 +#: log.cpp:169 log.cpp:175 msgctxt "listrules" msgid "Logging enabled" msgstr "" -#: log.cpp:189 +#: log.cpp:190 msgid "" "Usage: Set true|false, where is one of: joins, quits, nickchanges" msgstr "" -#: log.cpp:196 +#: log.cpp:197 msgid "Will log joins" msgstr "" -#: log.cpp:196 +#: log.cpp:197 msgid "Will not log joins" msgstr "" -#: log.cpp:197 +#: log.cpp:198 msgid "Will log quits" msgstr "" -#: log.cpp:197 +#: log.cpp:198 msgid "Will not log quits" msgstr "" -#: log.cpp:199 +#: log.cpp:200 msgid "Will log nick changes" msgstr "" -#: log.cpp:199 +#: log.cpp:200 msgid "Will not log nick changes" msgstr "" -#: log.cpp:203 +#: log.cpp:204 msgid "Unknown variable. Known variables: joins, quits, nickchanges" msgstr "" -#: log.cpp:211 +#: log.cpp:212 msgid "Logging joins" msgstr "" -#: log.cpp:211 +#: log.cpp:212 msgid "Not logging joins" msgstr "" -#: log.cpp:212 +#: log.cpp:213 msgid "Logging quits" msgstr "" -#: log.cpp:212 +#: log.cpp:213 msgid "Not logging quits" msgstr "" -#: log.cpp:213 +#: log.cpp:214 msgid "Logging nick changes" msgstr "" -#: log.cpp:214 +#: log.cpp:215 msgid "Not logging nick changes" msgstr "" -#: log.cpp:351 +#: log.cpp:352 msgid "" "Invalid args [{1}]. Only one log path allowed. Check that there are no " "spaces in the path." msgstr "" -#: log.cpp:401 +#: log.cpp:402 msgid "Invalid log path [{1}]" msgstr "" -#: log.cpp:404 +#: log.cpp:405 msgid "Logging to [{1}]. Using timestamp format '{2}'" msgstr "" -#: log.cpp:559 +#: log.cpp:560 msgid "[-sanitize] Optional path where to store logs." msgstr "" -#: log.cpp:563 +#: log.cpp:564 msgid "Writes IRC logs." msgstr "" diff --git a/modules/po/log.nl_NL.po b/modules/po/log.nl_NL.po index 85671abe..9d6ea8e1 100644 --- a/modules/po/log.nl_NL.po +++ b/modules/po/log.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/log.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" @@ -52,7 +52,7 @@ msgstr "Gebruik: SetRules " msgid "Wildcards are allowed" msgstr "Jokers zijn toegestaan" -#: log.cpp:156 log.cpp:178 +#: log.cpp:156 log.cpp:179 msgid "No logging rules. Everything is logged." msgstr "Geen logboek regels. Alles wordt bijgehouden." @@ -62,76 +62,76 @@ msgid_plural "{1} rules removed: {2}" msgstr[0] "1 regel verwijderd: {2}" msgstr[1] "{1} regels verwijderd: {2}" -#: log.cpp:168 log.cpp:173 +#: log.cpp:168 log.cpp:174 msgctxt "listrules" msgid "Rule" msgstr "Regel" -#: log.cpp:169 log.cpp:174 +#: log.cpp:169 log.cpp:175 msgctxt "listrules" msgid "Logging enabled" msgstr "Logboek ingeschakeld" -#: log.cpp:189 +#: log.cpp:190 msgid "" "Usage: Set true|false, where is one of: joins, quits, nickchanges" msgstr "" "Gebruik: Set true|false, waar is een van de " "volgende: joins, quits, nickchanges" -#: log.cpp:196 +#: log.cpp:197 msgid "Will log joins" msgstr "Zal toetredingen vastleggen" -#: log.cpp:196 +#: log.cpp:197 msgid "Will not log joins" msgstr "Zal toetredingen niet vastleggen" -#: log.cpp:197 +#: log.cpp:198 msgid "Will log quits" msgstr "Zal verlatingen vastleggen" -#: log.cpp:197 +#: log.cpp:198 msgid "Will not log quits" msgstr "Zal verlatingen niet vastleggen" -#: log.cpp:199 +#: log.cpp:200 msgid "Will log nick changes" msgstr "Zal naamaanpassingen vastleggen" -#: log.cpp:199 +#: log.cpp:200 msgid "Will not log nick changes" msgstr "Zal naamaanpassingen niet vastleggen" -#: log.cpp:203 +#: log.cpp:204 msgid "Unknown variable. Known variables: joins, quits, nickchanges" msgstr "Onbekende variabele. Bekende variabelen: joins, quits, nickchanges" -#: log.cpp:211 +#: log.cpp:212 msgid "Logging joins" msgstr "Toetredingen worden vastgelegd" -#: log.cpp:211 +#: log.cpp:212 msgid "Not logging joins" msgstr "Toetredingen worden niet vastgelegd" -#: log.cpp:212 +#: log.cpp:213 msgid "Logging quits" msgstr "Verlatingen worden vastgelegd" -#: log.cpp:212 +#: log.cpp:213 msgid "Not logging quits" msgstr "Verlatingen worden niet vastgelegd" -#: log.cpp:213 +#: log.cpp:214 msgid "Logging nick changes" msgstr "Naamaanpassingen worden vastgelegd" -#: log.cpp:214 +#: log.cpp:215 msgid "Not logging nick changes" msgstr "Naamaanpassingen worden niet vastgelegd" -#: log.cpp:351 +#: log.cpp:352 msgid "" "Invalid args [{1}]. Only one log path allowed. Check that there are no " "spaces in the path." @@ -139,18 +139,18 @@ msgstr "" "Ongeldige argumenten [{1}]. Maar één logboekpad is toegestaan. Controleer of " "er geen spaties in het pad voorkomen." -#: log.cpp:401 +#: log.cpp:402 msgid "Invalid log path [{1}]" msgstr "Ongeldig logboekpad [{1}]" -#: log.cpp:404 +#: log.cpp:405 msgid "Logging to [{1}]. Using timestamp format '{2}'" msgstr "Logboek schrijven naar [{1}]. Gebruik tijdstempel: '{2}'" -#: log.cpp:559 +#: log.cpp:560 msgid "[-sanitize] Optional path where to store logs." msgstr "[-sanitize] Optioneel pad waar het logboek opgeslagen moet worden." -#: log.cpp:563 +#: log.cpp:564 msgid "Writes IRC logs." msgstr "Schrijft IRC logboeken." diff --git a/modules/po/log.pot b/modules/po/log.pot index 21ba991c..044508c1 100644 --- a/modules/po/log.pot +++ b/modules/po/log.pot @@ -39,7 +39,7 @@ msgstr "" msgid "Wildcards are allowed" msgstr "" -#: log.cpp:156 log.cpp:178 +#: log.cpp:156 log.cpp:179 msgid "No logging rules. Everything is logged." msgstr "" @@ -49,91 +49,91 @@ msgid_plural "{1} rules removed: {2}" msgstr[0] "" msgstr[1] "" -#: log.cpp:168 log.cpp:173 +#: log.cpp:168 log.cpp:174 msgctxt "listrules" msgid "Rule" msgstr "" -#: log.cpp:169 log.cpp:174 +#: log.cpp:169 log.cpp:175 msgctxt "listrules" msgid "Logging enabled" msgstr "" -#: log.cpp:189 +#: log.cpp:190 msgid "" "Usage: Set true|false, where is one of: joins, quits, nickchanges" msgstr "" -#: log.cpp:196 +#: log.cpp:197 msgid "Will log joins" msgstr "" -#: log.cpp:196 +#: log.cpp:197 msgid "Will not log joins" msgstr "" -#: log.cpp:197 +#: log.cpp:198 msgid "Will log quits" msgstr "" -#: log.cpp:197 +#: log.cpp:198 msgid "Will not log quits" msgstr "" -#: log.cpp:199 +#: log.cpp:200 msgid "Will log nick changes" msgstr "" -#: log.cpp:199 +#: log.cpp:200 msgid "Will not log nick changes" msgstr "" -#: log.cpp:203 +#: log.cpp:204 msgid "Unknown variable. Known variables: joins, quits, nickchanges" msgstr "" -#: log.cpp:211 +#: log.cpp:212 msgid "Logging joins" msgstr "" -#: log.cpp:211 +#: log.cpp:212 msgid "Not logging joins" msgstr "" -#: log.cpp:212 +#: log.cpp:213 msgid "Logging quits" msgstr "" -#: log.cpp:212 +#: log.cpp:213 msgid "Not logging quits" msgstr "" -#: log.cpp:213 +#: log.cpp:214 msgid "Logging nick changes" msgstr "" -#: log.cpp:214 +#: log.cpp:215 msgid "Not logging nick changes" msgstr "" -#: log.cpp:351 +#: log.cpp:352 msgid "" "Invalid args [{1}]. Only one log path allowed. Check that there are no " "spaces in the path." msgstr "" -#: log.cpp:401 +#: log.cpp:402 msgid "Invalid log path [{1}]" msgstr "" -#: log.cpp:404 +#: log.cpp:405 msgid "Logging to [{1}]. Using timestamp format '{2}'" msgstr "" -#: log.cpp:559 +#: log.cpp:560 msgid "[-sanitize] Optional path where to store logs." msgstr "" -#: log.cpp:563 +#: log.cpp:564 msgid "Writes IRC logs." msgstr "" diff --git a/modules/po/log.pt_BR.po b/modules/po/log.pt_BR.po index f22e8ed2..3da0f42a 100644 --- a/modules/po/log.pt_BR.po +++ b/modules/po/log.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/log.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" @@ -48,7 +48,7 @@ msgstr "" msgid "Wildcards are allowed" msgstr "" -#: log.cpp:156 log.cpp:178 +#: log.cpp:156 log.cpp:179 msgid "No logging rules. Everything is logged." msgstr "" @@ -58,91 +58,91 @@ msgid_plural "{1} rules removed: {2}" msgstr[0] "" msgstr[1] "" -#: log.cpp:168 log.cpp:173 +#: log.cpp:168 log.cpp:174 msgctxt "listrules" msgid "Rule" msgstr "" -#: log.cpp:169 log.cpp:174 +#: log.cpp:169 log.cpp:175 msgctxt "listrules" msgid "Logging enabled" msgstr "" -#: log.cpp:189 +#: log.cpp:190 msgid "" "Usage: Set true|false, where is one of: joins, quits, nickchanges" msgstr "" -#: log.cpp:196 +#: log.cpp:197 msgid "Will log joins" msgstr "" -#: log.cpp:196 +#: log.cpp:197 msgid "Will not log joins" msgstr "" -#: log.cpp:197 +#: log.cpp:198 msgid "Will log quits" msgstr "" -#: log.cpp:197 +#: log.cpp:198 msgid "Will not log quits" msgstr "" -#: log.cpp:199 +#: log.cpp:200 msgid "Will log nick changes" msgstr "" -#: log.cpp:199 +#: log.cpp:200 msgid "Will not log nick changes" msgstr "" -#: log.cpp:203 +#: log.cpp:204 msgid "Unknown variable. Known variables: joins, quits, nickchanges" msgstr "" -#: log.cpp:211 +#: log.cpp:212 msgid "Logging joins" msgstr "" -#: log.cpp:211 +#: log.cpp:212 msgid "Not logging joins" msgstr "" -#: log.cpp:212 +#: log.cpp:213 msgid "Logging quits" msgstr "" -#: log.cpp:212 +#: log.cpp:213 msgid "Not logging quits" msgstr "" -#: log.cpp:213 +#: log.cpp:214 msgid "Logging nick changes" msgstr "" -#: log.cpp:214 +#: log.cpp:215 msgid "Not logging nick changes" msgstr "" -#: log.cpp:351 +#: log.cpp:352 msgid "" "Invalid args [{1}]. Only one log path allowed. Check that there are no " "spaces in the path." msgstr "" -#: log.cpp:401 +#: log.cpp:402 msgid "Invalid log path [{1}]" msgstr "" -#: log.cpp:404 +#: log.cpp:405 msgid "Logging to [{1}]. Using timestamp format '{2}'" msgstr "" -#: log.cpp:559 +#: log.cpp:560 msgid "[-sanitize] Optional path where to store logs." msgstr "" -#: log.cpp:563 +#: log.cpp:564 msgid "Writes IRC logs." msgstr "" diff --git a/modules/po/log.ru_RU.po b/modules/po/log.ru_RU.po index b1f782aa..70e53089 100644 --- a/modules/po/log.ru_RU.po +++ b/modules/po/log.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/log.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" @@ -50,7 +50,7 @@ msgstr "" msgid "Wildcards are allowed" msgstr "" -#: log.cpp:156 log.cpp:178 +#: log.cpp:156 log.cpp:179 msgid "No logging rules. Everything is logged." msgstr "" @@ -62,91 +62,91 @@ msgstr[1] "" msgstr[2] "" msgstr[3] "" -#: log.cpp:168 log.cpp:173 +#: log.cpp:168 log.cpp:174 msgctxt "listrules" msgid "Rule" msgstr "" -#: log.cpp:169 log.cpp:174 +#: log.cpp:169 log.cpp:175 msgctxt "listrules" msgid "Logging enabled" msgstr "" -#: log.cpp:189 +#: log.cpp:190 msgid "" "Usage: Set true|false, where is one of: joins, quits, nickchanges" msgstr "" -#: log.cpp:196 +#: log.cpp:197 msgid "Will log joins" msgstr "" -#: log.cpp:196 +#: log.cpp:197 msgid "Will not log joins" msgstr "" -#: log.cpp:197 +#: log.cpp:198 msgid "Will log quits" msgstr "" -#: log.cpp:197 +#: log.cpp:198 msgid "Will not log quits" msgstr "" -#: log.cpp:199 +#: log.cpp:200 msgid "Will log nick changes" msgstr "" -#: log.cpp:199 +#: log.cpp:200 msgid "Will not log nick changes" msgstr "" -#: log.cpp:203 +#: log.cpp:204 msgid "Unknown variable. Known variables: joins, quits, nickchanges" msgstr "" -#: log.cpp:211 +#: log.cpp:212 msgid "Logging joins" msgstr "" -#: log.cpp:211 +#: log.cpp:212 msgid "Not logging joins" msgstr "" -#: log.cpp:212 +#: log.cpp:213 msgid "Logging quits" msgstr "" -#: log.cpp:212 +#: log.cpp:213 msgid "Not logging quits" msgstr "" -#: log.cpp:213 +#: log.cpp:214 msgid "Logging nick changes" msgstr "" -#: log.cpp:214 +#: log.cpp:215 msgid "Not logging nick changes" msgstr "" -#: log.cpp:351 +#: log.cpp:352 msgid "" "Invalid args [{1}]. Only one log path allowed. Check that there are no " "spaces in the path." msgstr "" -#: log.cpp:401 +#: log.cpp:402 msgid "Invalid log path [{1}]" msgstr "" -#: log.cpp:404 +#: log.cpp:405 msgid "Logging to [{1}]. Using timestamp format '{2}'" msgstr "" -#: log.cpp:559 +#: log.cpp:560 msgid "[-sanitize] Optional path where to store logs." msgstr "" -#: log.cpp:563 +#: log.cpp:564 msgid "Writes IRC logs." msgstr "" diff --git a/modules/po/missingmotd.bg_BG.po b/modules/po/missingmotd.bg_BG.po new file mode 100644 index 00000000..6d2c6fd1 --- /dev/null +++ b/modules/po/missingmotd.bg_BG.po @@ -0,0 +1,17 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /master/modules/po/missingmotd.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: missingmotd.cpp:36 +msgid "Sends 422 to clients when they login" +msgstr "" diff --git a/modules/po/missingmotd.de_DE.po b/modules/po/missingmotd.de_DE.po index 1acd0198..d3511560 100644 --- a/modules/po/missingmotd.de_DE.po +++ b/modules/po/missingmotd.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/missingmotd.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/missingmotd.es_ES.po b/modules/po/missingmotd.es_ES.po index cdb39d0f..939df423 100644 --- a/modules/po/missingmotd.es_ES.po +++ b/modules/po/missingmotd.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/missingmotd.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/missingmotd.fr_FR.po b/modules/po/missingmotd.fr_FR.po index 2d65d2bf..930bdaae 100644 --- a/modules/po/missingmotd.fr_FR.po +++ b/modules/po/missingmotd.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/missingmotd.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/missingmotd.id_ID.po b/modules/po/missingmotd.id_ID.po index 3facbaa0..96be0ef7 100644 --- a/modules/po/missingmotd.id_ID.po +++ b/modules/po/missingmotd.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/missingmotd.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/missingmotd.nl_NL.po b/modules/po/missingmotd.nl_NL.po index fb9e9eec..ca1c3513 100644 --- a/modules/po/missingmotd.nl_NL.po +++ b/modules/po/missingmotd.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/missingmotd.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/missingmotd.pt_BR.po b/modules/po/missingmotd.pt_BR.po index a0e4d7fe..499c42d8 100644 --- a/modules/po/missingmotd.pt_BR.po +++ b/modules/po/missingmotd.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/missingmotd.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/missingmotd.ru_RU.po b/modules/po/missingmotd.ru_RU.po index 64c21dfe..b5747643 100644 --- a/modules/po/missingmotd.ru_RU.po +++ b/modules/po/missingmotd.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/missingmotd.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/modperl.bg_BG.po b/modules/po/modperl.bg_BG.po new file mode 100644 index 00000000..4e72f030 --- /dev/null +++ b/modules/po/modperl.bg_BG.po @@ -0,0 +1,17 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /master/modules/po/modperl.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: modperl.cpp:382 +msgid "Loads perl scripts as ZNC modules" +msgstr "" diff --git a/modules/po/modperl.de_DE.po b/modules/po/modperl.de_DE.po index 33a767f5..a74d4398 100644 --- a/modules/po/modperl.de_DE.po +++ b/modules/po/modperl.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/modperl.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/modperl.es_ES.po b/modules/po/modperl.es_ES.po index c7a6c11f..8156a586 100644 --- a/modules/po/modperl.es_ES.po +++ b/modules/po/modperl.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/modperl.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/modperl.fr_FR.po b/modules/po/modperl.fr_FR.po index 7d6f16e3..f34224ec 100644 --- a/modules/po/modperl.fr_FR.po +++ b/modules/po/modperl.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/modperl.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/modperl.id_ID.po b/modules/po/modperl.id_ID.po index 664576d9..4808ba1d 100644 --- a/modules/po/modperl.id_ID.po +++ b/modules/po/modperl.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/modperl.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/modperl.nl_NL.po b/modules/po/modperl.nl_NL.po index b6eccffb..5294c254 100644 --- a/modules/po/modperl.nl_NL.po +++ b/modules/po/modperl.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/modperl.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/modperl.pt_BR.po b/modules/po/modperl.pt_BR.po index fa461d41..9e1f7c50 100644 --- a/modules/po/modperl.pt_BR.po +++ b/modules/po/modperl.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/modperl.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/modperl.ru_RU.po b/modules/po/modperl.ru_RU.po index cbba07e0..f41a6da7 100644 --- a/modules/po/modperl.ru_RU.po +++ b/modules/po/modperl.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/modperl.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/modpython.bg_BG.po b/modules/po/modpython.bg_BG.po new file mode 100644 index 00000000..3edffd52 --- /dev/null +++ b/modules/po/modpython.bg_BG.po @@ -0,0 +1,17 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /master/modules/po/modpython.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: modpython.cpp:512 +msgid "Loads python scripts as ZNC modules" +msgstr "" diff --git a/modules/po/modpython.de_DE.po b/modules/po/modpython.de_DE.po index 76dd2b8b..9fddefdd 100644 --- a/modules/po/modpython.de_DE.po +++ b/modules/po/modpython.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/modpython.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/modpython.es_ES.po b/modules/po/modpython.es_ES.po index a06ba527..cde73209 100644 --- a/modules/po/modpython.es_ES.po +++ b/modules/po/modpython.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/modpython.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/modpython.fr_FR.po b/modules/po/modpython.fr_FR.po index 2a835fc7..49a2ae4a 100644 --- a/modules/po/modpython.fr_FR.po +++ b/modules/po/modpython.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/modpython.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/modpython.id_ID.po b/modules/po/modpython.id_ID.po index 7881cc21..5837e9c6 100644 --- a/modules/po/modpython.id_ID.po +++ b/modules/po/modpython.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/modpython.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/modpython.nl_NL.po b/modules/po/modpython.nl_NL.po index 4a971fee..ed535dad 100644 --- a/modules/po/modpython.nl_NL.po +++ b/modules/po/modpython.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/modpython.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/modpython.pt_BR.po b/modules/po/modpython.pt_BR.po index a8f08a98..d92c1c7d 100644 --- a/modules/po/modpython.pt_BR.po +++ b/modules/po/modpython.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/modpython.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/modpython.ru_RU.po b/modules/po/modpython.ru_RU.po index 56d47ae7..2e312747 100644 --- a/modules/po/modpython.ru_RU.po +++ b/modules/po/modpython.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/modpython.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/modules_online.bg_BG.po b/modules/po/modules_online.bg_BG.po new file mode 100644 index 00000000..22e6ebe0 --- /dev/null +++ b/modules/po/modules_online.bg_BG.po @@ -0,0 +1,17 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /master/modules/po/modules_online.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: modules_online.cpp:117 +msgid "Makes ZNC's *modules to be \"online\"." +msgstr "" diff --git a/modules/po/modules_online.de_DE.po b/modules/po/modules_online.de_DE.po index 7aaa9f54..5a432903 100644 --- a/modules/po/modules_online.de_DE.po +++ b/modules/po/modules_online.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/modules_online.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/modules_online.es_ES.po b/modules/po/modules_online.es_ES.po index a29a45d5..39c0c906 100644 --- a/modules/po/modules_online.es_ES.po +++ b/modules/po/modules_online.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/modules_online.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/modules_online.fr_FR.po b/modules/po/modules_online.fr_FR.po index 4259b7e7..2bd18be1 100644 --- a/modules/po/modules_online.fr_FR.po +++ b/modules/po/modules_online.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/modules_online.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/modules_online.id_ID.po b/modules/po/modules_online.id_ID.po index a111eb33..ad1ea6ed 100644 --- a/modules/po/modules_online.id_ID.po +++ b/modules/po/modules_online.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/modules_online.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/modules_online.nl_NL.po b/modules/po/modules_online.nl_NL.po index a8c69857..8bcbd9b8 100644 --- a/modules/po/modules_online.nl_NL.po +++ b/modules/po/modules_online.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/modules_online.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/modules_online.pt_BR.po b/modules/po/modules_online.pt_BR.po index ab7b6b40..ed3256d6 100644 --- a/modules/po/modules_online.pt_BR.po +++ b/modules/po/modules_online.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/modules_online.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/modules_online.ru_RU.po b/modules/po/modules_online.ru_RU.po index 14da76b1..457a0d4c 100644 --- a/modules/po/modules_online.ru_RU.po +++ b/modules/po/modules_online.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/modules_online.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/nickserv.bg_BG.po b/modules/po/nickserv.bg_BG.po new file mode 100644 index 00000000..61f7aec6 --- /dev/null +++ b/modules/po/nickserv.bg_BG.po @@ -0,0 +1,75 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /master/modules/po/nickserv.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: nickserv.cpp:31 +msgid "Password set" +msgstr "" + +#: nickserv.cpp:38 +msgid "NickServ name set" +msgstr "" + +#: nickserv.cpp:54 +msgid "No such editable command. See ViewCommands for list." +msgstr "" + +#: nickserv.cpp:57 +msgid "Ok" +msgstr "" + +#: nickserv.cpp:62 +msgid "password" +msgstr "" + +#: nickserv.cpp:62 +msgid "Set your nickserv password" +msgstr "" + +#: nickserv.cpp:64 +msgid "Clear your nickserv password" +msgstr "" + +#: nickserv.cpp:66 +msgid "nickname" +msgstr "" + +#: nickserv.cpp:67 +msgid "" +"Set NickServ name (Useful on networks like EpiKnet, where NickServ is named " +"Themis" +msgstr "" + +#: nickserv.cpp:71 +msgid "Reset NickServ name to default (NickServ)" +msgstr "" + +#: nickserv.cpp:75 +msgid "Show patterns for lines, which are being sent to NickServ" +msgstr "" + +#: nickserv.cpp:77 +msgid "cmd new-pattern" +msgstr "" + +#: nickserv.cpp:78 +msgid "Set pattern for commands" +msgstr "" + +#: nickserv.cpp:140 +msgid "Please enter your nickserv password." +msgstr "" + +#: nickserv.cpp:144 +msgid "Auths you with NickServ (prefer SASL module instead)" +msgstr "" diff --git a/modules/po/nickserv.de_DE.po b/modules/po/nickserv.de_DE.po index ae9cb7dc..427b47bb 100644 --- a/modules/po/nickserv.de_DE.po +++ b/modules/po/nickserv.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/nickserv.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/nickserv.es_ES.po b/modules/po/nickserv.es_ES.po index 4000157d..4d6c8811 100644 --- a/modules/po/nickserv.es_ES.po +++ b/modules/po/nickserv.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/nickserv.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/nickserv.fr_FR.po b/modules/po/nickserv.fr_FR.po index f9e49711..b5288e44 100644 --- a/modules/po/nickserv.fr_FR.po +++ b/modules/po/nickserv.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/nickserv.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/nickserv.id_ID.po b/modules/po/nickserv.id_ID.po index 80b5c645..6e7509c1 100644 --- a/modules/po/nickserv.id_ID.po +++ b/modules/po/nickserv.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/nickserv.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/nickserv.nl_NL.po b/modules/po/nickserv.nl_NL.po index 76ce657f..ae9062b1 100644 --- a/modules/po/nickserv.nl_NL.po +++ b/modules/po/nickserv.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/nickserv.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/nickserv.pt_BR.po b/modules/po/nickserv.pt_BR.po index 7b6185e4..2b6e5847 100644 --- a/modules/po/nickserv.pt_BR.po +++ b/modules/po/nickserv.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/nickserv.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/nickserv.ru_RU.po b/modules/po/nickserv.ru_RU.po index fbf3195d..f0f5b19d 100644 --- a/modules/po/nickserv.ru_RU.po +++ b/modules/po/nickserv.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/nickserv.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/notes.bg_BG.po b/modules/po/notes.bg_BG.po new file mode 100644 index 00000000..47f32b92 --- /dev/null +++ b/modules/po/notes.bg_BG.po @@ -0,0 +1,119 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /master/modules/po/notes.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: modules/po/../data/notes/tmpl/index.tmpl:7 +msgid "Add A Note" +msgstr "" + +#: modules/po/../data/notes/tmpl/index.tmpl:11 +msgid "Key:" +msgstr "" + +#: modules/po/../data/notes/tmpl/index.tmpl:15 +msgid "Note:" +msgstr "" + +#: modules/po/../data/notes/tmpl/index.tmpl:19 +msgid "Add Note" +msgstr "" + +#: modules/po/../data/notes/tmpl/index.tmpl:27 +msgid "You have no notes to display." +msgstr "" + +#: modules/po/../data/notes/tmpl/index.tmpl:34 notes.cpp:164 notes.cpp:170 +msgid "Key" +msgstr "" + +#: modules/po/../data/notes/tmpl/index.tmpl:35 notes.cpp:165 notes.cpp:171 +msgid "Note" +msgstr "" + +#: modules/po/../data/notes/tmpl/index.tmpl:41 +msgid "[del]" +msgstr "" + +#: notes.cpp:32 +msgid "That note already exists. Use MOD to overwrite." +msgstr "" + +#: notes.cpp:35 notes.cpp:137 +msgid "Added note {1}" +msgstr "" + +#: notes.cpp:37 notes.cpp:48 notes.cpp:142 +msgid "Unable to add note {1}" +msgstr "" + +#: notes.cpp:46 notes.cpp:139 +msgid "Set note for {1}" +msgstr "" + +#: notes.cpp:56 +msgid "This note doesn't exist." +msgstr "" + +#: notes.cpp:66 notes.cpp:116 +msgid "Deleted note {1}" +msgstr "" + +#: notes.cpp:68 notes.cpp:118 +msgid "Unable to delete note {1}" +msgstr "" + +#: notes.cpp:75 +msgid "List notes" +msgstr "" + +#: notes.cpp:77 notes.cpp:81 +msgid " " +msgstr "" + +#: notes.cpp:77 +msgid "Add a note" +msgstr "" + +#: notes.cpp:79 notes.cpp:83 +msgid "" +msgstr "" + +#: notes.cpp:79 +msgid "Delete a note" +msgstr "" + +#: notes.cpp:81 +msgid "Modify a note" +msgstr "" + +#: notes.cpp:94 +msgid "Notes" +msgstr "" + +#: notes.cpp:133 +msgid "That note already exists. Use /#+ to overwrite." +msgstr "" + +#: notes.cpp:186 notes.cpp:188 +msgid "You have no entries." +msgstr "" + +#: notes.cpp:224 +msgid "" +"This user module takes up to one arguments. It can be -disableNotesOnLogin " +"not to show notes upon client login" +msgstr "" + +#: notes.cpp:228 +msgid "Keep and replay notes" +msgstr "" diff --git a/modules/po/notes.de_DE.po b/modules/po/notes.de_DE.po index 3b486ca6..d22f6410 100644 --- a/modules/po/notes.de_DE.po +++ b/modules/po/notes.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/notes.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" @@ -32,11 +32,11 @@ msgstr "" msgid "You have no notes to display." msgstr "" -#: modules/po/../data/notes/tmpl/index.tmpl:34 notes.cpp:164 notes.cpp:169 +#: modules/po/../data/notes/tmpl/index.tmpl:34 notes.cpp:164 notes.cpp:170 msgid "Key" msgstr "" -#: modules/po/../data/notes/tmpl/index.tmpl:35 notes.cpp:165 notes.cpp:170 +#: modules/po/../data/notes/tmpl/index.tmpl:35 notes.cpp:165 notes.cpp:171 msgid "Note" msgstr "" @@ -104,16 +104,16 @@ msgstr "" msgid "That note already exists. Use /#+ to overwrite." msgstr "" -#: notes.cpp:185 notes.cpp:187 +#: notes.cpp:186 notes.cpp:188 msgid "You have no entries." msgstr "" -#: notes.cpp:223 +#: notes.cpp:224 msgid "" "This user module takes up to one arguments. It can be -disableNotesOnLogin " "not to show notes upon client login" msgstr "" -#: notes.cpp:227 +#: notes.cpp:228 msgid "Keep and replay notes" msgstr "" diff --git a/modules/po/notes.es_ES.po b/modules/po/notes.es_ES.po index 3b12875d..9dfa297e 100644 --- a/modules/po/notes.es_ES.po +++ b/modules/po/notes.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/notes.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" @@ -32,11 +32,11 @@ msgstr "Añadir nota" msgid "You have no notes to display." msgstr "No tienes notas para mostrar." -#: modules/po/../data/notes/tmpl/index.tmpl:34 notes.cpp:164 notes.cpp:169 +#: modules/po/../data/notes/tmpl/index.tmpl:34 notes.cpp:164 notes.cpp:170 msgid "Key" msgstr "Clave" -#: modules/po/../data/notes/tmpl/index.tmpl:35 notes.cpp:165 notes.cpp:170 +#: modules/po/../data/notes/tmpl/index.tmpl:35 notes.cpp:165 notes.cpp:171 msgid "Note" msgstr "Nota" @@ -104,11 +104,11 @@ msgstr "Notas" msgid "That note already exists. Use /#+ to overwrite." msgstr "Esta nota ya existe. Utiliza /#+ para sobreescribirla." -#: notes.cpp:185 notes.cpp:187 +#: notes.cpp:186 notes.cpp:188 msgid "You have no entries." msgstr "No tienes entradas." -#: notes.cpp:223 +#: notes.cpp:224 msgid "" "This user module takes up to one arguments. It can be -disableNotesOnLogin " "not to show notes upon client login" @@ -116,6 +116,6 @@ msgstr "" "Este módulo de usuario puede tener un argumento. Puede ser -" "disableNotesOnLogin para no mostrar las notas hasta que el cliente conecta" -#: notes.cpp:227 +#: notes.cpp:228 msgid "Keep and replay notes" msgstr "Guardar y reproducir notas" diff --git a/modules/po/notes.fr_FR.po b/modules/po/notes.fr_FR.po index d1546753..3891ed72 100644 --- a/modules/po/notes.fr_FR.po +++ b/modules/po/notes.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/notes.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" @@ -32,11 +32,11 @@ msgstr "" msgid "You have no notes to display." msgstr "" -#: modules/po/../data/notes/tmpl/index.tmpl:34 notes.cpp:164 notes.cpp:169 +#: modules/po/../data/notes/tmpl/index.tmpl:34 notes.cpp:164 notes.cpp:170 msgid "Key" msgstr "" -#: modules/po/../data/notes/tmpl/index.tmpl:35 notes.cpp:165 notes.cpp:170 +#: modules/po/../data/notes/tmpl/index.tmpl:35 notes.cpp:165 notes.cpp:171 msgid "Note" msgstr "" @@ -104,16 +104,16 @@ msgstr "" msgid "That note already exists. Use /#+ to overwrite." msgstr "" -#: notes.cpp:185 notes.cpp:187 +#: notes.cpp:186 notes.cpp:188 msgid "You have no entries." msgstr "" -#: notes.cpp:223 +#: notes.cpp:224 msgid "" "This user module takes up to one arguments. It can be -disableNotesOnLogin " "not to show notes upon client login" msgstr "" -#: notes.cpp:227 +#: notes.cpp:228 msgid "Keep and replay notes" msgstr "" diff --git a/modules/po/notes.id_ID.po b/modules/po/notes.id_ID.po index ac82e668..57bdd5ab 100644 --- a/modules/po/notes.id_ID.po +++ b/modules/po/notes.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/notes.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" @@ -32,11 +32,11 @@ msgstr "" msgid "You have no notes to display." msgstr "" -#: modules/po/../data/notes/tmpl/index.tmpl:34 notes.cpp:164 notes.cpp:169 +#: modules/po/../data/notes/tmpl/index.tmpl:34 notes.cpp:164 notes.cpp:170 msgid "Key" msgstr "" -#: modules/po/../data/notes/tmpl/index.tmpl:35 notes.cpp:165 notes.cpp:170 +#: modules/po/../data/notes/tmpl/index.tmpl:35 notes.cpp:165 notes.cpp:171 msgid "Note" msgstr "" @@ -104,16 +104,16 @@ msgstr "" msgid "That note already exists. Use /#+ to overwrite." msgstr "" -#: notes.cpp:185 notes.cpp:187 +#: notes.cpp:186 notes.cpp:188 msgid "You have no entries." msgstr "" -#: notes.cpp:223 +#: notes.cpp:224 msgid "" "This user module takes up to one arguments. It can be -disableNotesOnLogin " "not to show notes upon client login" msgstr "" -#: notes.cpp:227 +#: notes.cpp:228 msgid "Keep and replay notes" msgstr "" diff --git a/modules/po/notes.nl_NL.po b/modules/po/notes.nl_NL.po index 54426501..7d06d045 100644 --- a/modules/po/notes.nl_NL.po +++ b/modules/po/notes.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/notes.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" @@ -32,11 +32,11 @@ msgstr "Voeg notitie toe" msgid "You have no notes to display." msgstr "Je hebt geen notities om weer te geven." -#: modules/po/../data/notes/tmpl/index.tmpl:34 notes.cpp:164 notes.cpp:169 +#: modules/po/../data/notes/tmpl/index.tmpl:34 notes.cpp:164 notes.cpp:170 msgid "Key" msgstr "Sleutel" -#: modules/po/../data/notes/tmpl/index.tmpl:35 notes.cpp:165 notes.cpp:170 +#: modules/po/../data/notes/tmpl/index.tmpl:35 notes.cpp:165 notes.cpp:171 msgid "Note" msgstr "Notitie" @@ -106,11 +106,11 @@ msgid "That note already exists. Use /#+ to overwrite." msgstr "" "Die notitie bestaat al. Gebruik /#+ om te overschrijven." -#: notes.cpp:185 notes.cpp:187 +#: notes.cpp:186 notes.cpp:188 msgid "You have no entries." msgstr "Je hebt geen notities." -#: notes.cpp:223 +#: notes.cpp:224 msgid "" "This user module takes up to one arguments. It can be -disableNotesOnLogin " "not to show notes upon client login" @@ -119,6 +119,6 @@ msgstr "" "disableNotesOnLogin zodat notities niet worden laten zien wanneer een " "gebruiker inlogd" -#: notes.cpp:227 +#: notes.cpp:228 msgid "Keep and replay notes" msgstr "Hou en speel notities opnieuw af" diff --git a/modules/po/notes.pot b/modules/po/notes.pot index 1e8694de..5e9aae44 100644 --- a/modules/po/notes.pot +++ b/modules/po/notes.pot @@ -23,11 +23,11 @@ msgstr "" msgid "You have no notes to display." msgstr "" -#: modules/po/../data/notes/tmpl/index.tmpl:34 notes.cpp:164 notes.cpp:169 +#: modules/po/../data/notes/tmpl/index.tmpl:34 notes.cpp:164 notes.cpp:170 msgid "Key" msgstr "" -#: modules/po/../data/notes/tmpl/index.tmpl:35 notes.cpp:165 notes.cpp:170 +#: modules/po/../data/notes/tmpl/index.tmpl:35 notes.cpp:165 notes.cpp:171 msgid "Note" msgstr "" @@ -95,16 +95,16 @@ msgstr "" msgid "That note already exists. Use /#+ to overwrite." msgstr "" -#: notes.cpp:185 notes.cpp:187 +#: notes.cpp:186 notes.cpp:188 msgid "You have no entries." msgstr "" -#: notes.cpp:223 +#: notes.cpp:224 msgid "" "This user module takes up to one arguments. It can be -disableNotesOnLogin " "not to show notes upon client login" msgstr "" -#: notes.cpp:227 +#: notes.cpp:228 msgid "Keep and replay notes" msgstr "" diff --git a/modules/po/notes.pt_BR.po b/modules/po/notes.pt_BR.po index ba650d95..b139debb 100644 --- a/modules/po/notes.pt_BR.po +++ b/modules/po/notes.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/notes.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" @@ -32,11 +32,11 @@ msgstr "" msgid "You have no notes to display." msgstr "" -#: modules/po/../data/notes/tmpl/index.tmpl:34 notes.cpp:164 notes.cpp:169 +#: modules/po/../data/notes/tmpl/index.tmpl:34 notes.cpp:164 notes.cpp:170 msgid "Key" msgstr "" -#: modules/po/../data/notes/tmpl/index.tmpl:35 notes.cpp:165 notes.cpp:170 +#: modules/po/../data/notes/tmpl/index.tmpl:35 notes.cpp:165 notes.cpp:171 msgid "Note" msgstr "" @@ -104,16 +104,16 @@ msgstr "" msgid "That note already exists. Use /#+ to overwrite." msgstr "" -#: notes.cpp:185 notes.cpp:187 +#: notes.cpp:186 notes.cpp:188 msgid "You have no entries." msgstr "" -#: notes.cpp:223 +#: notes.cpp:224 msgid "" "This user module takes up to one arguments. It can be -disableNotesOnLogin " "not to show notes upon client login" msgstr "" -#: notes.cpp:227 +#: notes.cpp:228 msgid "Keep and replay notes" msgstr "" diff --git a/modules/po/notes.ru_RU.po b/modules/po/notes.ru_RU.po index 789ad82f..dc37097d 100644 --- a/modules/po/notes.ru_RU.po +++ b/modules/po/notes.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/notes.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" @@ -34,11 +34,11 @@ msgstr "" msgid "You have no notes to display." msgstr "" -#: modules/po/../data/notes/tmpl/index.tmpl:34 notes.cpp:164 notes.cpp:169 +#: modules/po/../data/notes/tmpl/index.tmpl:34 notes.cpp:164 notes.cpp:170 msgid "Key" msgstr "" -#: modules/po/../data/notes/tmpl/index.tmpl:35 notes.cpp:165 notes.cpp:170 +#: modules/po/../data/notes/tmpl/index.tmpl:35 notes.cpp:165 notes.cpp:171 msgid "Note" msgstr "" @@ -106,16 +106,16 @@ msgstr "" msgid "That note already exists. Use /#+ to overwrite." msgstr "" -#: notes.cpp:185 notes.cpp:187 +#: notes.cpp:186 notes.cpp:188 msgid "You have no entries." msgstr "" -#: notes.cpp:223 +#: notes.cpp:224 msgid "" "This user module takes up to one arguments. It can be -disableNotesOnLogin " "not to show notes upon client login" msgstr "" -#: notes.cpp:227 +#: notes.cpp:228 msgid "Keep and replay notes" msgstr "" diff --git a/modules/po/notify_connect.bg_BG.po b/modules/po/notify_connect.bg_BG.po new file mode 100644 index 00000000..67fea934 --- /dev/null +++ b/modules/po/notify_connect.bg_BG.po @@ -0,0 +1,29 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /master/modules/po/notify_connect.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: notify_connect.cpp:24 +msgid "attached" +msgstr "" + +#: notify_connect.cpp:26 +msgid "detached" +msgstr "" + +#: notify_connect.cpp:41 +msgid "{1} {2} from {3}" +msgstr "" + +#: notify_connect.cpp:52 +msgid "Notifies all admin users when a client connects or disconnects." +msgstr "" diff --git a/modules/po/notify_connect.de_DE.po b/modules/po/notify_connect.de_DE.po index e49eb43b..b832e841 100644 --- a/modules/po/notify_connect.de_DE.po +++ b/modules/po/notify_connect.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/notify_connect.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/notify_connect.es_ES.po b/modules/po/notify_connect.es_ES.po index 17d63663..8c816045 100644 --- a/modules/po/notify_connect.es_ES.po +++ b/modules/po/notify_connect.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/notify_connect.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/notify_connect.fr_FR.po b/modules/po/notify_connect.fr_FR.po index 14a3fa9e..8e0b692e 100644 --- a/modules/po/notify_connect.fr_FR.po +++ b/modules/po/notify_connect.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/notify_connect.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/notify_connect.id_ID.po b/modules/po/notify_connect.id_ID.po index 6636a2b5..7fe4d367 100644 --- a/modules/po/notify_connect.id_ID.po +++ b/modules/po/notify_connect.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/notify_connect.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/notify_connect.nl_NL.po b/modules/po/notify_connect.nl_NL.po index b9ac8970..b03639b5 100644 --- a/modules/po/notify_connect.nl_NL.po +++ b/modules/po/notify_connect.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/notify_connect.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/notify_connect.pt_BR.po b/modules/po/notify_connect.pt_BR.po index c990cef8..da432b1e 100644 --- a/modules/po/notify_connect.pt_BR.po +++ b/modules/po/notify_connect.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/notify_connect.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/notify_connect.ru_RU.po b/modules/po/notify_connect.ru_RU.po index 656c335e..9446d604 100644 --- a/modules/po/notify_connect.ru_RU.po +++ b/modules/po/notify_connect.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/notify_connect.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/perform.bg_BG.po b/modules/po/perform.bg_BG.po new file mode 100644 index 00000000..8d1f1c50 --- /dev/null +++ b/modules/po/perform.bg_BG.po @@ -0,0 +1,108 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /master/modules/po/perform.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: modules/po/../data/perform/tmpl/index.tmpl:7 perform.cpp:143 +msgid "Perform" +msgstr "" + +#: modules/po/../data/perform/tmpl/index.tmpl:11 +msgid "Perform commands:" +msgstr "" + +#: modules/po/../data/perform/tmpl/index.tmpl:15 +msgid "Commands sent to the IRC server on connect, one per line." +msgstr "" + +#: modules/po/../data/perform/tmpl/index.tmpl:18 +msgid "Save" +msgstr "" + +#: perform.cpp:24 +msgid "Usage: add " +msgstr "" + +#: perform.cpp:29 +msgid "Added!" +msgstr "" + +#: perform.cpp:37 perform.cpp:82 +msgid "Illegal # Requested" +msgstr "" + +#: perform.cpp:41 +msgid "Command Erased." +msgstr "" + +#: perform.cpp:50 perform.cpp:56 +msgctxt "list" +msgid "Id" +msgstr "" + +#: perform.cpp:51 perform.cpp:57 +msgctxt "list" +msgid "Perform" +msgstr "" + +#: perform.cpp:52 perform.cpp:62 +msgctxt "list" +msgid "Expanded" +msgstr "" + +#: perform.cpp:67 +msgid "No commands in your perform list." +msgstr "" + +#: perform.cpp:73 +msgid "perform commands sent" +msgstr "" + +#: perform.cpp:86 +msgid "Commands Swapped." +msgstr "" + +#: perform.cpp:95 +msgid "" +msgstr "" + +#: perform.cpp:96 +msgid "Adds perform command to be sent to the server on connect" +msgstr "" + +#: perform.cpp:98 +msgid "" +msgstr "" + +#: perform.cpp:98 +msgid "Delete a perform command" +msgstr "" + +#: perform.cpp:100 +msgid "List the perform commands" +msgstr "" + +#: perform.cpp:103 +msgid "Send the perform commands to the server now" +msgstr "" + +#: perform.cpp:105 +msgid " " +msgstr "" + +#: perform.cpp:106 +msgid "Swap two perform commands" +msgstr "" + +#: perform.cpp:192 +msgid "Keeps a list of commands to be executed when ZNC connects to IRC." +msgstr "" diff --git a/modules/po/perform.de_DE.po b/modules/po/perform.de_DE.po index b46c5d5f..74486c16 100644 --- a/modules/po/perform.de_DE.po +++ b/modules/po/perform.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/perform.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/perform.es_ES.po b/modules/po/perform.es_ES.po index 7d97b2df..acc4fbb5 100644 --- a/modules/po/perform.es_ES.po +++ b/modules/po/perform.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/perform.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/perform.fr_FR.po b/modules/po/perform.fr_FR.po index 53befc0b..be17f25f 100644 --- a/modules/po/perform.fr_FR.po +++ b/modules/po/perform.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/perform.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/perform.id_ID.po b/modules/po/perform.id_ID.po index 2afa348d..31b8de00 100644 --- a/modules/po/perform.id_ID.po +++ b/modules/po/perform.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/perform.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/perform.nl_NL.po b/modules/po/perform.nl_NL.po index a50de6c7..249a8cb9 100644 --- a/modules/po/perform.nl_NL.po +++ b/modules/po/perform.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/perform.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/perform.pt_BR.po b/modules/po/perform.pt_BR.po index a97861f1..280ae390 100644 --- a/modules/po/perform.pt_BR.po +++ b/modules/po/perform.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/perform.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/perform.ru_RU.po b/modules/po/perform.ru_RU.po index 18ede437..389fa798 100644 --- a/modules/po/perform.ru_RU.po +++ b/modules/po/perform.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/perform.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/perleval.bg_BG.po b/modules/po/perleval.bg_BG.po new file mode 100644 index 00000000..1eda22d2 --- /dev/null +++ b/modules/po/perleval.bg_BG.po @@ -0,0 +1,31 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /master/modules/po/perleval.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: perleval.pm:23 +msgid "Evaluates perl code" +msgstr "" + +#: perleval.pm:33 +msgid "Only admin can load this module" +msgstr "" + +#: perleval.pm:44 +#, perl-format +msgid "Error: %s" +msgstr "" + +#: perleval.pm:46 +#, perl-format +msgid "Result: %s" +msgstr "" diff --git a/modules/po/perleval.de_DE.po b/modules/po/perleval.de_DE.po index 8e270f34..65265023 100644 --- a/modules/po/perleval.de_DE.po +++ b/modules/po/perleval.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/perleval.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/perleval.es_ES.po b/modules/po/perleval.es_ES.po index 62dd9a8d..44c8abfa 100644 --- a/modules/po/perleval.es_ES.po +++ b/modules/po/perleval.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/perleval.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/perleval.fr_FR.po b/modules/po/perleval.fr_FR.po index 9d6e30c8..e2452aca 100644 --- a/modules/po/perleval.fr_FR.po +++ b/modules/po/perleval.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/perleval.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/perleval.id_ID.po b/modules/po/perleval.id_ID.po index 36078686..ceb3a300 100644 --- a/modules/po/perleval.id_ID.po +++ b/modules/po/perleval.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/perleval.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/perleval.nl_NL.po b/modules/po/perleval.nl_NL.po index aaf58728..70cfa581 100644 --- a/modules/po/perleval.nl_NL.po +++ b/modules/po/perleval.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/perleval.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/perleval.pt_BR.po b/modules/po/perleval.pt_BR.po index b529d817..f4dd6011 100644 --- a/modules/po/perleval.pt_BR.po +++ b/modules/po/perleval.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/perleval.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/perleval.ru_RU.po b/modules/po/perleval.ru_RU.po index 8bb5e107..50d852e6 100644 --- a/modules/po/perleval.ru_RU.po +++ b/modules/po/perleval.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/perleval.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/pyeval.bg_BG.po b/modules/po/pyeval.bg_BG.po new file mode 100644 index 00000000..78f8ff7f --- /dev/null +++ b/modules/po/pyeval.bg_BG.po @@ -0,0 +1,21 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /master/modules/po/pyeval.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: pyeval.py:49 +msgid "You must have admin privileges to load this module." +msgstr "" + +#: pyeval.py:82 +msgid "Evaluates python code" +msgstr "" diff --git a/modules/po/pyeval.de_DE.po b/modules/po/pyeval.de_DE.po index 75958690..5a1105e7 100644 --- a/modules/po/pyeval.de_DE.po +++ b/modules/po/pyeval.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/pyeval.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/pyeval.es_ES.po b/modules/po/pyeval.es_ES.po index bcbef08b..bc72c733 100644 --- a/modules/po/pyeval.es_ES.po +++ b/modules/po/pyeval.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/pyeval.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/pyeval.fr_FR.po b/modules/po/pyeval.fr_FR.po index e730e0db..eb6e5fb6 100644 --- a/modules/po/pyeval.fr_FR.po +++ b/modules/po/pyeval.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/pyeval.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/pyeval.id_ID.po b/modules/po/pyeval.id_ID.po index 232c6bd6..5d214acd 100644 --- a/modules/po/pyeval.id_ID.po +++ b/modules/po/pyeval.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/pyeval.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/pyeval.nl_NL.po b/modules/po/pyeval.nl_NL.po index e64f0334..5cdb6c92 100644 --- a/modules/po/pyeval.nl_NL.po +++ b/modules/po/pyeval.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/pyeval.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/pyeval.pt_BR.po b/modules/po/pyeval.pt_BR.po index a525bbbb..7613508d 100644 --- a/modules/po/pyeval.pt_BR.po +++ b/modules/po/pyeval.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/pyeval.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/pyeval.ru_RU.po b/modules/po/pyeval.ru_RU.po index b66f0e15..d3b6f226 100644 --- a/modules/po/pyeval.ru_RU.po +++ b/modules/po/pyeval.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/pyeval.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/raw.bg_BG.po b/modules/po/raw.bg_BG.po new file mode 100644 index 00000000..f4341282 --- /dev/null +++ b/modules/po/raw.bg_BG.po @@ -0,0 +1,17 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /master/modules/po/raw.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: raw.cpp:43 +msgid "View all of the raw traffic" +msgstr "" diff --git a/modules/po/raw.de_DE.po b/modules/po/raw.de_DE.po index c4aeb3e1..c6e7500b 100644 --- a/modules/po/raw.de_DE.po +++ b/modules/po/raw.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/raw.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/raw.es_ES.po b/modules/po/raw.es_ES.po index 6b450546..cd33abcc 100644 --- a/modules/po/raw.es_ES.po +++ b/modules/po/raw.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/raw.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/raw.fr_FR.po b/modules/po/raw.fr_FR.po index 363872cb..42ca85a2 100644 --- a/modules/po/raw.fr_FR.po +++ b/modules/po/raw.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/raw.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/raw.id_ID.po b/modules/po/raw.id_ID.po index 8c6db07d..e396b959 100644 --- a/modules/po/raw.id_ID.po +++ b/modules/po/raw.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/raw.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/raw.nl_NL.po b/modules/po/raw.nl_NL.po index eed298f8..f90d818a 100644 --- a/modules/po/raw.nl_NL.po +++ b/modules/po/raw.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/raw.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/raw.pt_BR.po b/modules/po/raw.pt_BR.po index 30e9fe2f..819bef9e 100644 --- a/modules/po/raw.pt_BR.po +++ b/modules/po/raw.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/raw.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/raw.ru_RU.po b/modules/po/raw.ru_RU.po index b6f7f180..e5e814c7 100644 --- a/modules/po/raw.ru_RU.po +++ b/modules/po/raw.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/raw.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/route_replies.bg_BG.po b/modules/po/route_replies.bg_BG.po new file mode 100644 index 00000000..38fa407e --- /dev/null +++ b/modules/po/route_replies.bg_BG.po @@ -0,0 +1,59 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /master/modules/po/route_replies.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: route_replies.cpp:215 +msgid "[yes|no]" +msgstr "" + +#: route_replies.cpp:216 +msgid "Decides whether to show the timeout messages or not" +msgstr "" + +#: route_replies.cpp:356 +msgid "This module hit a timeout which is probably a connectivity issue." +msgstr "" + +#: route_replies.cpp:359 +msgid "" +"However, if you can provide steps to reproduce this issue, please do report " +"a bug." +msgstr "" + +#: route_replies.cpp:362 +msgid "To disable this message, do \"/msg {1} silent yes\"" +msgstr "" + +#: route_replies.cpp:364 +msgid "Last request: {1}" +msgstr "" + +#: route_replies.cpp:365 +msgid "Expected replies:" +msgstr "" + +#: route_replies.cpp:369 +msgid "{1} (last)" +msgstr "" + +#: route_replies.cpp:441 +msgid "Timeout messages are disabled." +msgstr "" + +#: route_replies.cpp:442 +msgid "Timeout messages are enabled." +msgstr "" + +#: route_replies.cpp:463 +msgid "Send replies (e.g. to /who) to the right client only" +msgstr "" diff --git a/modules/po/route_replies.de_DE.po b/modules/po/route_replies.de_DE.po index 4bfe8221..453cb3b7 100644 --- a/modules/po/route_replies.de_DE.po +++ b/modules/po/route_replies.de_DE.po @@ -8,27 +8,27 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/route_replies.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" -#: route_replies.cpp:211 +#: route_replies.cpp:215 msgid "[yes|no]" msgstr "[ja|nein]" -#: route_replies.cpp:212 +#: route_replies.cpp:216 msgid "Decides whether to show the timeout messages or not" msgstr "" "Entscheidet ob eine Zeitüberschreitungsnachricht angezeigt werden soll oder " "nicht" -#: route_replies.cpp:352 +#: route_replies.cpp:356 msgid "This module hit a timeout which is probably a connectivity issue." msgstr "" "Dieses Modul hatte eine Zeitüberschreitung, was wahrscheinlich ein " "Verbindungsproblem ist." -#: route_replies.cpp:355 +#: route_replies.cpp:359 msgid "" "However, if you can provide steps to reproduce this issue, please do report " "a bug." @@ -36,30 +36,30 @@ msgstr "" "Falls du allerdings die Schritte zum Reproduzieren dieses Problems angeben " "kannst, dann erstelle bitte einen Fehlerbericht." -#: route_replies.cpp:358 +#: route_replies.cpp:362 msgid "To disable this message, do \"/msg {1} silent yes\"" msgstr "Um diese Nachricht zu deaktivieren, mache \"/msg {1} silent yes\"" -#: route_replies.cpp:360 +#: route_replies.cpp:364 msgid "Last request: {1}" msgstr "Letzte Anfrage: {1}" -#: route_replies.cpp:361 +#: route_replies.cpp:365 msgid "Expected replies:" msgstr "Erwartete Antworten:" -#: route_replies.cpp:365 +#: route_replies.cpp:369 msgid "{1} (last)" msgstr "{1} (letzte)" -#: route_replies.cpp:437 +#: route_replies.cpp:441 msgid "Timeout messages are disabled." msgstr "Zeitüberschreitungsnachrichten sind deaktiviert." -#: route_replies.cpp:438 +#: route_replies.cpp:442 msgid "Timeout messages are enabled." msgstr "Zeitüberschreitungsnachrichten sind aktiviert." -#: route_replies.cpp:459 +#: route_replies.cpp:463 msgid "Send replies (e.g. to /who) to the right client only" msgstr "Sende Antworten (z.B. auf /who) nur zum richtigen Klienten" diff --git a/modules/po/route_replies.es_ES.po b/modules/po/route_replies.es_ES.po index 265b071e..fffcf90c 100644 --- a/modules/po/route_replies.es_ES.po +++ b/modules/po/route_replies.es_ES.po @@ -8,25 +8,25 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/route_replies.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" -#: route_replies.cpp:211 +#: route_replies.cpp:215 msgid "[yes|no]" msgstr "[yes | no]" -#: route_replies.cpp:212 +#: route_replies.cpp:216 msgid "Decides whether to show the timeout messages or not" msgstr "Indica si mostrar los mensajes de tiempo de espera agotado o no" -#: route_replies.cpp:352 +#: route_replies.cpp:356 msgid "This module hit a timeout which is probably a connectivity issue." msgstr "" "Este módulo ha agotado el tiempo de espera, lo que puede ser un problema de " "conectividad." -#: route_replies.cpp:355 +#: route_replies.cpp:359 msgid "" "However, if you can provide steps to reproduce this issue, please do report " "a bug." @@ -34,30 +34,30 @@ msgstr "" "Sin embargo, si puedes proporcionar los pasos a seguir para reproducir este " "problema, por favor informa del fallo." -#: route_replies.cpp:358 +#: route_replies.cpp:362 msgid "To disable this message, do \"/msg {1} silent yes\"" msgstr "Para desactivar este mensaje escribe \"/msg {1} silent yes\"" -#: route_replies.cpp:360 +#: route_replies.cpp:364 msgid "Last request: {1}" msgstr "Ultima petición: {1}" -#: route_replies.cpp:361 +#: route_replies.cpp:365 msgid "Expected replies:" msgstr "Respuesta esperada:" -#: route_replies.cpp:365 +#: route_replies.cpp:369 msgid "{1} (last)" msgstr "{1} (última)" -#: route_replies.cpp:437 +#: route_replies.cpp:441 msgid "Timeout messages are disabled." msgstr "Los mensajes de tiempo de espera agotado están desactivados." -#: route_replies.cpp:438 +#: route_replies.cpp:442 msgid "Timeout messages are enabled." msgstr "Los mensajes de tiempo de espera agotado están activados." -#: route_replies.cpp:459 +#: route_replies.cpp:463 msgid "Send replies (e.g. to /who) to the right client only" msgstr "Envía respuestas (por ej. /who) solo al cliente correcto" diff --git a/modules/po/route_replies.fr_FR.po b/modules/po/route_replies.fr_FR.po index 803c5e4b..ac80b01a 100644 --- a/modules/po/route_replies.fr_FR.po +++ b/modules/po/route_replies.fr_FR.po @@ -8,52 +8,52 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/route_replies.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" -#: route_replies.cpp:211 +#: route_replies.cpp:215 msgid "[yes|no]" msgstr "" -#: route_replies.cpp:212 +#: route_replies.cpp:216 msgid "Decides whether to show the timeout messages or not" msgstr "" -#: route_replies.cpp:352 +#: route_replies.cpp:356 msgid "This module hit a timeout which is probably a connectivity issue." msgstr "" -#: route_replies.cpp:355 +#: route_replies.cpp:359 msgid "" "However, if you can provide steps to reproduce this issue, please do report " "a bug." msgstr "" -#: route_replies.cpp:358 +#: route_replies.cpp:362 msgid "To disable this message, do \"/msg {1} silent yes\"" msgstr "" -#: route_replies.cpp:360 +#: route_replies.cpp:364 msgid "Last request: {1}" msgstr "" -#: route_replies.cpp:361 +#: route_replies.cpp:365 msgid "Expected replies:" msgstr "" -#: route_replies.cpp:365 +#: route_replies.cpp:369 msgid "{1} (last)" msgstr "" -#: route_replies.cpp:437 +#: route_replies.cpp:441 msgid "Timeout messages are disabled." msgstr "" -#: route_replies.cpp:438 +#: route_replies.cpp:442 msgid "Timeout messages are enabled." msgstr "" -#: route_replies.cpp:459 +#: route_replies.cpp:463 msgid "Send replies (e.g. to /who) to the right client only" msgstr "" diff --git a/modules/po/route_replies.id_ID.po b/modules/po/route_replies.id_ID.po index fe1a21b1..5aacfda5 100644 --- a/modules/po/route_replies.id_ID.po +++ b/modules/po/route_replies.id_ID.po @@ -8,52 +8,52 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/route_replies.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" -#: route_replies.cpp:211 +#: route_replies.cpp:215 msgid "[yes|no]" msgstr "" -#: route_replies.cpp:212 +#: route_replies.cpp:216 msgid "Decides whether to show the timeout messages or not" msgstr "" -#: route_replies.cpp:352 +#: route_replies.cpp:356 msgid "This module hit a timeout which is probably a connectivity issue." msgstr "" -#: route_replies.cpp:355 +#: route_replies.cpp:359 msgid "" "However, if you can provide steps to reproduce this issue, please do report " "a bug." msgstr "" -#: route_replies.cpp:358 +#: route_replies.cpp:362 msgid "To disable this message, do \"/msg {1} silent yes\"" msgstr "" -#: route_replies.cpp:360 +#: route_replies.cpp:364 msgid "Last request: {1}" msgstr "" -#: route_replies.cpp:361 +#: route_replies.cpp:365 msgid "Expected replies:" msgstr "" -#: route_replies.cpp:365 +#: route_replies.cpp:369 msgid "{1} (last)" msgstr "" -#: route_replies.cpp:437 +#: route_replies.cpp:441 msgid "Timeout messages are disabled." msgstr "" -#: route_replies.cpp:438 +#: route_replies.cpp:442 msgid "Timeout messages are enabled." msgstr "" -#: route_replies.cpp:459 +#: route_replies.cpp:463 msgid "Send replies (e.g. to /who) to the right client only" msgstr "" diff --git a/modules/po/route_replies.nl_NL.po b/modules/po/route_replies.nl_NL.po index 3e17edcd..30a17803 100644 --- a/modules/po/route_replies.nl_NL.po +++ b/modules/po/route_replies.nl_NL.po @@ -8,25 +8,25 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/route_replies.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" -#: route_replies.cpp:211 +#: route_replies.cpp:215 msgid "[yes|no]" msgstr "[yes|no]" -#: route_replies.cpp:212 +#: route_replies.cpp:216 msgid "Decides whether to show the timeout messages or not" msgstr "Beslist of time-out berichten laten zien worden of niet" -#: route_replies.cpp:352 +#: route_replies.cpp:356 msgid "This module hit a timeout which is probably a connectivity issue." msgstr "" "Deze module heeft een time-out geraakt, dit is waarschijnlijk een " "connectiviteitsprobleem." -#: route_replies.cpp:355 +#: route_replies.cpp:359 msgid "" "However, if you can provide steps to reproduce this issue, please do report " "a bug." @@ -34,30 +34,30 @@ msgstr "" "Maar, als je de stappen kan herproduceren, stuur alsjeblieft een bugrapport " "hier mee." -#: route_replies.cpp:358 +#: route_replies.cpp:362 msgid "To disable this message, do \"/msg {1} silent yes\"" msgstr "Om dit bericht uit te zetten, doe \"/msg {1} silent yes\"" -#: route_replies.cpp:360 +#: route_replies.cpp:364 msgid "Last request: {1}" msgstr "Laatste aanvraag: {1}" -#: route_replies.cpp:361 +#: route_replies.cpp:365 msgid "Expected replies:" msgstr "Verwachte antwoorden:" -#: route_replies.cpp:365 +#: route_replies.cpp:369 msgid "{1} (last)" msgstr "{1} (laatste)" -#: route_replies.cpp:437 +#: route_replies.cpp:441 msgid "Timeout messages are disabled." msgstr "Time-out berichten uitgeschakeld." -#: route_replies.cpp:438 +#: route_replies.cpp:442 msgid "Timeout messages are enabled." msgstr "Time-out berichten ingeschakeld." -#: route_replies.cpp:459 +#: route_replies.cpp:463 msgid "Send replies (e.g. to /who) to the right client only" msgstr "Stuur antwoorden (zoals /who) alleen naar de juiste clients" diff --git a/modules/po/route_replies.pot b/modules/po/route_replies.pot index 0b153600..e6e69f1c 100644 --- a/modules/po/route_replies.pot +++ b/modules/po/route_replies.pot @@ -3,48 +3,48 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -#: route_replies.cpp:211 +#: route_replies.cpp:215 msgid "[yes|no]" msgstr "" -#: route_replies.cpp:212 +#: route_replies.cpp:216 msgid "Decides whether to show the timeout messages or not" msgstr "" -#: route_replies.cpp:352 +#: route_replies.cpp:356 msgid "This module hit a timeout which is probably a connectivity issue." msgstr "" -#: route_replies.cpp:355 +#: route_replies.cpp:359 msgid "" "However, if you can provide steps to reproduce this issue, please do report " "a bug." msgstr "" -#: route_replies.cpp:358 +#: route_replies.cpp:362 msgid "To disable this message, do \"/msg {1} silent yes\"" msgstr "" -#: route_replies.cpp:360 +#: route_replies.cpp:364 msgid "Last request: {1}" msgstr "" -#: route_replies.cpp:361 +#: route_replies.cpp:365 msgid "Expected replies:" msgstr "" -#: route_replies.cpp:365 +#: route_replies.cpp:369 msgid "{1} (last)" msgstr "" -#: route_replies.cpp:437 +#: route_replies.cpp:441 msgid "Timeout messages are disabled." msgstr "" -#: route_replies.cpp:438 +#: route_replies.cpp:442 msgid "Timeout messages are enabled." msgstr "" -#: route_replies.cpp:459 +#: route_replies.cpp:463 msgid "Send replies (e.g. to /who) to the right client only" msgstr "" diff --git a/modules/po/route_replies.pt_BR.po b/modules/po/route_replies.pt_BR.po index f1a65afe..55a71ba7 100644 --- a/modules/po/route_replies.pt_BR.po +++ b/modules/po/route_replies.pt_BR.po @@ -8,52 +8,52 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/route_replies.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" -#: route_replies.cpp:211 +#: route_replies.cpp:215 msgid "[yes|no]" msgstr "" -#: route_replies.cpp:212 +#: route_replies.cpp:216 msgid "Decides whether to show the timeout messages or not" msgstr "" -#: route_replies.cpp:352 +#: route_replies.cpp:356 msgid "This module hit a timeout which is probably a connectivity issue." msgstr "" -#: route_replies.cpp:355 +#: route_replies.cpp:359 msgid "" "However, if you can provide steps to reproduce this issue, please do report " "a bug." msgstr "" -#: route_replies.cpp:358 +#: route_replies.cpp:362 msgid "To disable this message, do \"/msg {1} silent yes\"" msgstr "" -#: route_replies.cpp:360 +#: route_replies.cpp:364 msgid "Last request: {1}" msgstr "" -#: route_replies.cpp:361 +#: route_replies.cpp:365 msgid "Expected replies:" msgstr "" -#: route_replies.cpp:365 +#: route_replies.cpp:369 msgid "{1} (last)" msgstr "" -#: route_replies.cpp:437 +#: route_replies.cpp:441 msgid "Timeout messages are disabled." msgstr "" -#: route_replies.cpp:438 +#: route_replies.cpp:442 msgid "Timeout messages are enabled." msgstr "" -#: route_replies.cpp:459 +#: route_replies.cpp:463 msgid "Send replies (e.g. to /who) to the right client only" msgstr "" diff --git a/modules/po/route_replies.ru_RU.po b/modules/po/route_replies.ru_RU.po index 245e7a42..6b14679d 100644 --- a/modules/po/route_replies.ru_RU.po +++ b/modules/po/route_replies.ru_RU.po @@ -10,52 +10,52 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/route_replies.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" -#: route_replies.cpp:211 +#: route_replies.cpp:215 msgid "[yes|no]" msgstr "" -#: route_replies.cpp:212 +#: route_replies.cpp:216 msgid "Decides whether to show the timeout messages or not" msgstr "" -#: route_replies.cpp:352 +#: route_replies.cpp:356 msgid "This module hit a timeout which is probably a connectivity issue." msgstr "" -#: route_replies.cpp:355 +#: route_replies.cpp:359 msgid "" "However, if you can provide steps to reproduce this issue, please do report " "a bug." msgstr "" -#: route_replies.cpp:358 +#: route_replies.cpp:362 msgid "To disable this message, do \"/msg {1} silent yes\"" msgstr "" -#: route_replies.cpp:360 +#: route_replies.cpp:364 msgid "Last request: {1}" msgstr "" -#: route_replies.cpp:361 +#: route_replies.cpp:365 msgid "Expected replies:" msgstr "" -#: route_replies.cpp:365 +#: route_replies.cpp:369 msgid "{1} (last)" msgstr "" -#: route_replies.cpp:437 +#: route_replies.cpp:441 msgid "Timeout messages are disabled." msgstr "" -#: route_replies.cpp:438 +#: route_replies.cpp:442 msgid "Timeout messages are enabled." msgstr "" -#: route_replies.cpp:459 +#: route_replies.cpp:463 msgid "Send replies (e.g. to /who) to the right client only" msgstr "" diff --git a/modules/po/sample.bg_BG.po b/modules/po/sample.bg_BG.po new file mode 100644 index 00000000..18de444b --- /dev/null +++ b/modules/po/sample.bg_BG.po @@ -0,0 +1,119 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /master/modules/po/sample.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: sample.cpp:31 +msgid "Sample job cancelled" +msgstr "" + +#: sample.cpp:33 +msgid "Sample job destroyed" +msgstr "" + +#: sample.cpp:50 +msgid "Sample job done" +msgstr "" + +#: sample.cpp:65 +msgid "TEST!!!!" +msgstr "" + +#: sample.cpp:74 +msgid "I'm being loaded with the arguments: {1}" +msgstr "" + +#: sample.cpp:85 +msgid "I'm being unloaded!" +msgstr "" + +#: sample.cpp:94 +msgid "You got connected BoyOh." +msgstr "" + +#: sample.cpp:98 +msgid "You got disconnected BoyOh." +msgstr "" + +#: sample.cpp:116 +msgid "{1} {2} set mode on {3} {4}{5} {6}" +msgstr "" + +#: sample.cpp:123 +msgid "{1} {2} opped {3} on {4}" +msgstr "" + +#: sample.cpp:129 +msgid "{1} {2} deopped {3} on {4}" +msgstr "" + +#: sample.cpp:135 +msgid "{1} {2} voiced {3} on {4}" +msgstr "" + +#: sample.cpp:141 +msgid "{1} {2} devoiced {3} on {4}" +msgstr "" + +#: sample.cpp:147 +msgid "* {1} sets mode: {2} {3} on {4}" +msgstr "" + +#: sample.cpp:163 +msgid "{1} kicked {2} from {3} with the msg {4}" +msgstr "" + +#: sample.cpp:169 +msgid "* {1} ({2}@{3}) quits ({4}) from channel: {6}" +msgid_plural "* {1} ({2}@{3}) quits ({4}) from {5} channels: {6}" +msgstr[0] "" +msgstr[1] "" + +#: sample.cpp:177 +msgid "Attempting to join {1}" +msgstr "" + +#: sample.cpp:182 +msgid "* {1} ({2}@{3}) joins {4}" +msgstr "" + +#: sample.cpp:189 +msgid "* {1} ({2}@{3}) parts {4}" +msgstr "" + +#: sample.cpp:196 +msgid "{1} invited us to {2}, ignoring invites to {2}" +msgstr "" + +#: sample.cpp:201 +msgid "{1} invited us to {2}" +msgstr "" + +#: sample.cpp:207 +msgid "{1} is now known as {2}" +msgstr "" + +#: sample.cpp:269 sample.cpp:276 +msgid "{1} changes topic on {2} to {3}" +msgstr "" + +#: sample.cpp:317 +msgid "Hi, I'm your friendly sample module." +msgstr "" + +#: sample.cpp:330 +msgid "Description of module arguments goes here." +msgstr "" + +#: sample.cpp:333 +msgid "To be used as a sample for writing modules" +msgstr "" diff --git a/modules/po/sample.de_DE.po b/modules/po/sample.de_DE.po index a007718d..23807b7a 100644 --- a/modules/po/sample.de_DE.po +++ b/modules/po/sample.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/sample.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/sample.es_ES.po b/modules/po/sample.es_ES.po index c5e6480c..7242747d 100644 --- a/modules/po/sample.es_ES.po +++ b/modules/po/sample.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/sample.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/sample.fr_FR.po b/modules/po/sample.fr_FR.po index 67878762..c410973c 100644 --- a/modules/po/sample.fr_FR.po +++ b/modules/po/sample.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/sample.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/sample.id_ID.po b/modules/po/sample.id_ID.po index 7079d885..d1b5d3bb 100644 --- a/modules/po/sample.id_ID.po +++ b/modules/po/sample.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/sample.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/sample.nl_NL.po b/modules/po/sample.nl_NL.po index c023ed34..4a04a3f6 100644 --- a/modules/po/sample.nl_NL.po +++ b/modules/po/sample.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/sample.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/sample.pt_BR.po b/modules/po/sample.pt_BR.po index de4bf6b6..d11ee2e3 100644 --- a/modules/po/sample.pt_BR.po +++ b/modules/po/sample.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/sample.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/sample.ru_RU.po b/modules/po/sample.ru_RU.po index f49eaed5..5fabb6f0 100644 --- a/modules/po/sample.ru_RU.po +++ b/modules/po/sample.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/sample.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/samplewebapi.bg_BG.po b/modules/po/samplewebapi.bg_BG.po new file mode 100644 index 00000000..50859036 --- /dev/null +++ b/modules/po/samplewebapi.bg_BG.po @@ -0,0 +1,17 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /master/modules/po/samplewebapi.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: samplewebapi.cpp:59 +msgid "Sample Web API module." +msgstr "" diff --git a/modules/po/samplewebapi.de_DE.po b/modules/po/samplewebapi.de_DE.po index e4a0c57d..47d68d84 100644 --- a/modules/po/samplewebapi.de_DE.po +++ b/modules/po/samplewebapi.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/samplewebapi.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/samplewebapi.es_ES.po b/modules/po/samplewebapi.es_ES.po index 825e6759..6e6f0609 100644 --- a/modules/po/samplewebapi.es_ES.po +++ b/modules/po/samplewebapi.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/samplewebapi.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/samplewebapi.fr_FR.po b/modules/po/samplewebapi.fr_FR.po index 3d114889..48892692 100644 --- a/modules/po/samplewebapi.fr_FR.po +++ b/modules/po/samplewebapi.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/samplewebapi.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/samplewebapi.id_ID.po b/modules/po/samplewebapi.id_ID.po index d2aa731f..fdd20ada 100644 --- a/modules/po/samplewebapi.id_ID.po +++ b/modules/po/samplewebapi.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/samplewebapi.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/samplewebapi.nl_NL.po b/modules/po/samplewebapi.nl_NL.po index 51abc2c7..e34a857e 100644 --- a/modules/po/samplewebapi.nl_NL.po +++ b/modules/po/samplewebapi.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/samplewebapi.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/samplewebapi.pt_BR.po b/modules/po/samplewebapi.pt_BR.po index 552a273b..4b16c871 100644 --- a/modules/po/samplewebapi.pt_BR.po +++ b/modules/po/samplewebapi.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/samplewebapi.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/samplewebapi.ru_RU.po b/modules/po/samplewebapi.ru_RU.po index a4536923..95758b83 100644 --- a/modules/po/samplewebapi.ru_RU.po +++ b/modules/po/samplewebapi.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/samplewebapi.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/sasl.bg_BG.po b/modules/po/sasl.bg_BG.po new file mode 100644 index 00000000..0c0557b5 --- /dev/null +++ b/modules/po/sasl.bg_BG.po @@ -0,0 +1,174 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /master/modules/po/sasl.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:292 +msgid "SASL" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:11 +msgid "Username:" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:13 +msgid "Please enter a username." +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:16 +msgid "Password:" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:18 +msgid "Please enter a password." +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:22 +msgid "Options" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:25 +msgid "Connect only if SASL authentication succeeds." +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:27 +msgid "Require authentication" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:35 +msgid "Mechanisms" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:42 +msgid "Name" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:43 sasl.cpp:89 sasl.cpp:95 +msgid "Description" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:57 +msgid "Selected mechanisms and their order:" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:74 +msgid "Save" +msgstr "" + +#: sasl.cpp:54 +msgid "TLS certificate, for use with the *cert module" +msgstr "" + +#: sasl.cpp:56 +msgid "" +"Plain text negotiation, this should work always if the network supports SASL" +msgstr "" + +#: sasl.cpp:62 +msgid "search" +msgstr "" + +#: sasl.cpp:62 +msgid "Generate this output" +msgstr "" + +#: sasl.cpp:64 +msgid "[ []]" +msgstr "" + +#: sasl.cpp:65 +msgid "" +"Set username and password for the mechanisms that need them. Password is " +"optional. Without parameters, returns information about current settings." +msgstr "" + +#: sasl.cpp:69 +msgid "[mechanism[ ...]]" +msgstr "" + +#: sasl.cpp:70 +msgid "Set the mechanisms to be attempted (in order)" +msgstr "" + +#: sasl.cpp:72 +msgid "[yes|no]" +msgstr "" + +#: sasl.cpp:73 +msgid "Don't connect unless SASL authentication succeeds" +msgstr "" + +#: sasl.cpp:88 sasl.cpp:94 +msgid "Mechanism" +msgstr "" + +#: sasl.cpp:99 +msgid "The following mechanisms are available:" +msgstr "" + +#: sasl.cpp:109 +msgid "Username is currently not set" +msgstr "" + +#: sasl.cpp:111 +msgid "Username is currently set to '{1}'" +msgstr "" + +#: sasl.cpp:114 +msgid "Password was not supplied" +msgstr "" + +#: sasl.cpp:116 +msgid "Password was supplied" +msgstr "" + +#: sasl.cpp:124 +msgid "Username has been set to [{1}]" +msgstr "" + +#: sasl.cpp:125 +msgid "Password has been set to [{1}]" +msgstr "" + +#: sasl.cpp:145 +msgid "Current mechanisms set: {1}" +msgstr "" + +#: sasl.cpp:154 +msgid "We require SASL negotiation to connect" +msgstr "" + +#: sasl.cpp:156 +msgid "We will connect even if SASL fails" +msgstr "" + +#: sasl.cpp:193 +msgid "Disabling network, we require authentication." +msgstr "" + +#: sasl.cpp:194 +msgid "Use 'RequireAuth no' to disable." +msgstr "" + +#: sasl.cpp:247 +msgid "{1} mechanism succeeded." +msgstr "" + +#: sasl.cpp:259 +msgid "{1} mechanism failed." +msgstr "" + +#: sasl.cpp:337 +msgid "" +"Adds support for sasl authentication capability to authenticate to an IRC " +"server" +msgstr "" diff --git a/modules/po/sasl.de_DE.po b/modules/po/sasl.de_DE.po index 112d1c9a..a1ad8056 100644 --- a/modules/po/sasl.de_DE.po +++ b/modules/po/sasl.de_DE.po @@ -8,11 +8,11 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/sasl.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" -#: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:290 +#: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:292 msgid "SASL" msgstr "" @@ -52,7 +52,7 @@ msgstr "" msgid "Name" msgstr "" -#: modules/po/../data/sasl/tmpl/index.tmpl:43 sasl.cpp:89 sasl.cpp:94 +#: modules/po/../data/sasl/tmpl/index.tmpl:43 sasl.cpp:89 sasl.cpp:95 msgid "Description" msgstr "" @@ -107,67 +107,67 @@ msgstr "" msgid "Don't connect unless SASL authentication succeeds" msgstr "" -#: sasl.cpp:88 sasl.cpp:93 +#: sasl.cpp:88 sasl.cpp:94 msgid "Mechanism" msgstr "" -#: sasl.cpp:97 +#: sasl.cpp:99 msgid "The following mechanisms are available:" msgstr "" -#: sasl.cpp:107 +#: sasl.cpp:109 msgid "Username is currently not set" msgstr "" -#: sasl.cpp:109 +#: sasl.cpp:111 msgid "Username is currently set to '{1}'" msgstr "" -#: sasl.cpp:112 +#: sasl.cpp:114 msgid "Password was not supplied" msgstr "" -#: sasl.cpp:114 +#: sasl.cpp:116 msgid "Password was supplied" msgstr "" -#: sasl.cpp:122 +#: sasl.cpp:124 msgid "Username has been set to [{1}]" msgstr "" -#: sasl.cpp:123 +#: sasl.cpp:125 msgid "Password has been set to [{1}]" msgstr "" -#: sasl.cpp:143 +#: sasl.cpp:145 msgid "Current mechanisms set: {1}" msgstr "" -#: sasl.cpp:152 +#: sasl.cpp:154 msgid "We require SASL negotiation to connect" msgstr "" -#: sasl.cpp:154 +#: sasl.cpp:156 msgid "We will connect even if SASL fails" msgstr "" -#: sasl.cpp:191 +#: sasl.cpp:193 msgid "Disabling network, we require authentication." msgstr "" -#: sasl.cpp:192 +#: sasl.cpp:194 msgid "Use 'RequireAuth no' to disable." msgstr "" -#: sasl.cpp:245 +#: sasl.cpp:247 msgid "{1} mechanism succeeded." msgstr "" -#: sasl.cpp:257 +#: sasl.cpp:259 msgid "{1} mechanism failed." msgstr "" -#: sasl.cpp:335 +#: sasl.cpp:337 msgid "" "Adds support for sasl authentication capability to authenticate to an IRC " "server" diff --git a/modules/po/sasl.es_ES.po b/modules/po/sasl.es_ES.po index 0fa06f52..f7449db7 100644 --- a/modules/po/sasl.es_ES.po +++ b/modules/po/sasl.es_ES.po @@ -8,11 +8,11 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/sasl.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" -#: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:290 +#: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:292 msgid "SASL" msgstr "SASL" @@ -52,7 +52,7 @@ msgstr "Mecanismos" msgid "Name" msgstr "Nombre" -#: modules/po/../data/sasl/tmpl/index.tmpl:43 sasl.cpp:89 sasl.cpp:94 +#: modules/po/../data/sasl/tmpl/index.tmpl:43 sasl.cpp:89 sasl.cpp:95 msgid "Description" msgstr "Descripción" @@ -111,67 +111,67 @@ msgstr "[yes|no]" msgid "Don't connect unless SASL authentication succeeds" msgstr "Conectar solo si la autenticación SASL es correcta" -#: sasl.cpp:88 sasl.cpp:93 +#: sasl.cpp:88 sasl.cpp:94 msgid "Mechanism" msgstr "Mecanismo" -#: sasl.cpp:97 +#: sasl.cpp:99 msgid "The following mechanisms are available:" msgstr "Están disponibles los siguientes mecanismos:" -#: sasl.cpp:107 +#: sasl.cpp:109 msgid "Username is currently not set" msgstr "El usuario no está establecido" -#: sasl.cpp:109 +#: sasl.cpp:111 msgid "Username is currently set to '{1}'" msgstr "El usuario está establecido a '{1}'" -#: sasl.cpp:112 +#: sasl.cpp:114 msgid "Password was not supplied" msgstr "La contraseña no está establecida" -#: sasl.cpp:114 +#: sasl.cpp:116 msgid "Password was supplied" msgstr "Se ha establecido una contraseña" -#: sasl.cpp:122 +#: sasl.cpp:124 msgid "Username has been set to [{1}]" msgstr "El usuario se ha establecido a [{1}]" -#: sasl.cpp:123 +#: sasl.cpp:125 msgid "Password has been set to [{1}]" msgstr "La contraseña se ha establecido a [{1}]" -#: sasl.cpp:143 +#: sasl.cpp:145 msgid "Current mechanisms set: {1}" msgstr "Mecanismo establecido: {1}" -#: sasl.cpp:152 +#: sasl.cpp:154 msgid "We require SASL negotiation to connect" msgstr "Necesitamos negociación SASL para conectar" -#: sasl.cpp:154 +#: sasl.cpp:156 msgid "We will connect even if SASL fails" msgstr "Conectaremos incluso si falla la autenticación SASL" -#: sasl.cpp:191 +#: sasl.cpp:193 msgid "Disabling network, we require authentication." msgstr "Deshabilitando red, necesitamos autenticación." -#: sasl.cpp:192 +#: sasl.cpp:194 msgid "Use 'RequireAuth no' to disable." msgstr "Ejecuta 'RequireAuth no' para desactivarlo." -#: sasl.cpp:245 +#: sasl.cpp:247 msgid "{1} mechanism succeeded." msgstr "Mecanismo {1} conseguido." -#: sasl.cpp:257 +#: sasl.cpp:259 msgid "{1} mechanism failed." msgstr "Mecanismo {1} fallido." -#: sasl.cpp:335 +#: sasl.cpp:337 msgid "" "Adds support for sasl authentication capability to authenticate to an IRC " "server" diff --git a/modules/po/sasl.fr_FR.po b/modules/po/sasl.fr_FR.po index 0e2c4577..c59202aa 100644 --- a/modules/po/sasl.fr_FR.po +++ b/modules/po/sasl.fr_FR.po @@ -8,11 +8,11 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/sasl.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" -#: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:290 +#: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:292 msgid "SASL" msgstr "" @@ -52,7 +52,7 @@ msgstr "" msgid "Name" msgstr "" -#: modules/po/../data/sasl/tmpl/index.tmpl:43 sasl.cpp:89 sasl.cpp:94 +#: modules/po/../data/sasl/tmpl/index.tmpl:43 sasl.cpp:89 sasl.cpp:95 msgid "Description" msgstr "" @@ -107,67 +107,67 @@ msgstr "" msgid "Don't connect unless SASL authentication succeeds" msgstr "" -#: sasl.cpp:88 sasl.cpp:93 +#: sasl.cpp:88 sasl.cpp:94 msgid "Mechanism" msgstr "" -#: sasl.cpp:97 +#: sasl.cpp:99 msgid "The following mechanisms are available:" msgstr "" -#: sasl.cpp:107 +#: sasl.cpp:109 msgid "Username is currently not set" msgstr "" -#: sasl.cpp:109 +#: sasl.cpp:111 msgid "Username is currently set to '{1}'" msgstr "" -#: sasl.cpp:112 +#: sasl.cpp:114 msgid "Password was not supplied" msgstr "" -#: sasl.cpp:114 +#: sasl.cpp:116 msgid "Password was supplied" msgstr "" -#: sasl.cpp:122 +#: sasl.cpp:124 msgid "Username has been set to [{1}]" msgstr "" -#: sasl.cpp:123 +#: sasl.cpp:125 msgid "Password has been set to [{1}]" msgstr "" -#: sasl.cpp:143 +#: sasl.cpp:145 msgid "Current mechanisms set: {1}" msgstr "" -#: sasl.cpp:152 +#: sasl.cpp:154 msgid "We require SASL negotiation to connect" msgstr "" -#: sasl.cpp:154 +#: sasl.cpp:156 msgid "We will connect even if SASL fails" msgstr "" -#: sasl.cpp:191 +#: sasl.cpp:193 msgid "Disabling network, we require authentication." msgstr "" -#: sasl.cpp:192 +#: sasl.cpp:194 msgid "Use 'RequireAuth no' to disable." msgstr "" -#: sasl.cpp:245 +#: sasl.cpp:247 msgid "{1} mechanism succeeded." msgstr "" -#: sasl.cpp:257 +#: sasl.cpp:259 msgid "{1} mechanism failed." msgstr "" -#: sasl.cpp:335 +#: sasl.cpp:337 msgid "" "Adds support for sasl authentication capability to authenticate to an IRC " "server" diff --git a/modules/po/sasl.id_ID.po b/modules/po/sasl.id_ID.po index b8a1b503..efa83997 100644 --- a/modules/po/sasl.id_ID.po +++ b/modules/po/sasl.id_ID.po @@ -8,11 +8,11 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/sasl.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" -#: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:290 +#: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:292 msgid "SASL" msgstr "" @@ -52,7 +52,7 @@ msgstr "" msgid "Name" msgstr "" -#: modules/po/../data/sasl/tmpl/index.tmpl:43 sasl.cpp:89 sasl.cpp:94 +#: modules/po/../data/sasl/tmpl/index.tmpl:43 sasl.cpp:89 sasl.cpp:95 msgid "Description" msgstr "" @@ -107,67 +107,67 @@ msgstr "" msgid "Don't connect unless SASL authentication succeeds" msgstr "" -#: sasl.cpp:88 sasl.cpp:93 +#: sasl.cpp:88 sasl.cpp:94 msgid "Mechanism" msgstr "" -#: sasl.cpp:97 +#: sasl.cpp:99 msgid "The following mechanisms are available:" msgstr "" -#: sasl.cpp:107 +#: sasl.cpp:109 msgid "Username is currently not set" msgstr "" -#: sasl.cpp:109 +#: sasl.cpp:111 msgid "Username is currently set to '{1}'" msgstr "" -#: sasl.cpp:112 +#: sasl.cpp:114 msgid "Password was not supplied" msgstr "" -#: sasl.cpp:114 +#: sasl.cpp:116 msgid "Password was supplied" msgstr "" -#: sasl.cpp:122 +#: sasl.cpp:124 msgid "Username has been set to [{1}]" msgstr "" -#: sasl.cpp:123 +#: sasl.cpp:125 msgid "Password has been set to [{1}]" msgstr "" -#: sasl.cpp:143 +#: sasl.cpp:145 msgid "Current mechanisms set: {1}" msgstr "" -#: sasl.cpp:152 +#: sasl.cpp:154 msgid "We require SASL negotiation to connect" msgstr "" -#: sasl.cpp:154 +#: sasl.cpp:156 msgid "We will connect even if SASL fails" msgstr "" -#: sasl.cpp:191 +#: sasl.cpp:193 msgid "Disabling network, we require authentication." msgstr "" -#: sasl.cpp:192 +#: sasl.cpp:194 msgid "Use 'RequireAuth no' to disable." msgstr "" -#: sasl.cpp:245 +#: sasl.cpp:247 msgid "{1} mechanism succeeded." msgstr "" -#: sasl.cpp:257 +#: sasl.cpp:259 msgid "{1} mechanism failed." msgstr "" -#: sasl.cpp:335 +#: sasl.cpp:337 msgid "" "Adds support for sasl authentication capability to authenticate to an IRC " "server" diff --git a/modules/po/sasl.nl_NL.po b/modules/po/sasl.nl_NL.po index 67b5c53c..33cfa3ba 100644 --- a/modules/po/sasl.nl_NL.po +++ b/modules/po/sasl.nl_NL.po @@ -8,11 +8,11 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/sasl.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" -#: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:290 +#: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:292 msgid "SASL" msgstr "SASL" @@ -52,7 +52,7 @@ msgstr "Mechanismen" msgid "Name" msgstr "Naam" -#: modules/po/../data/sasl/tmpl/index.tmpl:43 sasl.cpp:89 sasl.cpp:94 +#: modules/po/../data/sasl/tmpl/index.tmpl:43 sasl.cpp:89 sasl.cpp:95 msgid "Description" msgstr "Beschrijving" @@ -112,67 +112,67 @@ msgstr "[yes|no]" msgid "Don't connect unless SASL authentication succeeds" msgstr "Verbind alleen als SASL authenticatie lukt" -#: sasl.cpp:88 sasl.cpp:93 +#: sasl.cpp:88 sasl.cpp:94 msgid "Mechanism" msgstr "Mechanism" -#: sasl.cpp:97 +#: sasl.cpp:99 msgid "The following mechanisms are available:" msgstr "De volgende mechanismen zijn beschikbaar:" -#: sasl.cpp:107 +#: sasl.cpp:109 msgid "Username is currently not set" msgstr "Gebruikersnaam is niet ingesteld" -#: sasl.cpp:109 +#: sasl.cpp:111 msgid "Username is currently set to '{1}'" msgstr "Gebruikersnaam is ingesteld op '{1}'" -#: sasl.cpp:112 +#: sasl.cpp:114 msgid "Password was not supplied" msgstr "Wachtwoord was niet ingevoerd" -#: sasl.cpp:114 +#: sasl.cpp:116 msgid "Password was supplied" msgstr "Wachtwoord was ingevoerd" -#: sasl.cpp:122 +#: sasl.cpp:124 msgid "Username has been set to [{1}]" msgstr "Gebruikersnaam is ingesteld op [{1}]" -#: sasl.cpp:123 +#: sasl.cpp:125 msgid "Password has been set to [{1}]" msgstr "Wachtwoord is ingesteld op [{1}]" -#: sasl.cpp:143 +#: sasl.cpp:145 msgid "Current mechanisms set: {1}" msgstr "Huidige mechanismen ingesteld: {1}" -#: sasl.cpp:152 +#: sasl.cpp:154 msgid "We require SASL negotiation to connect" msgstr "We vereisen SASL onderhandeling om te mogen verbinden" -#: sasl.cpp:154 +#: sasl.cpp:156 msgid "We will connect even if SASL fails" msgstr "We zullen verbinden ook als SASL faalt" -#: sasl.cpp:191 +#: sasl.cpp:193 msgid "Disabling network, we require authentication." msgstr "Netwerk uitgeschakeld, we eisen authenticatie." -#: sasl.cpp:192 +#: sasl.cpp:194 msgid "Use 'RequireAuth no' to disable." msgstr "Gebruik 'RequireAuth no' om uit te schakelen." -#: sasl.cpp:245 +#: sasl.cpp:247 msgid "{1} mechanism succeeded." msgstr "{1} mechanisme gelukt." -#: sasl.cpp:257 +#: sasl.cpp:259 msgid "{1} mechanism failed." msgstr "{1} mechanisme gefaalt." -#: sasl.cpp:335 +#: sasl.cpp:337 msgid "" "Adds support for sasl authentication capability to authenticate to an IRC " "server" diff --git a/modules/po/sasl.pot b/modules/po/sasl.pot index b1e0b9d7..0173287a 100644 --- a/modules/po/sasl.pot +++ b/modules/po/sasl.pot @@ -3,7 +3,7 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -#: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:290 +#: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:292 msgid "SASL" msgstr "" @@ -43,7 +43,7 @@ msgstr "" msgid "Name" msgstr "" -#: modules/po/../data/sasl/tmpl/index.tmpl:43 sasl.cpp:89 sasl.cpp:94 +#: modules/po/../data/sasl/tmpl/index.tmpl:43 sasl.cpp:89 sasl.cpp:95 msgid "Description" msgstr "" @@ -98,67 +98,67 @@ msgstr "" msgid "Don't connect unless SASL authentication succeeds" msgstr "" -#: sasl.cpp:88 sasl.cpp:93 +#: sasl.cpp:88 sasl.cpp:94 msgid "Mechanism" msgstr "" -#: sasl.cpp:97 +#: sasl.cpp:99 msgid "The following mechanisms are available:" msgstr "" -#: sasl.cpp:107 +#: sasl.cpp:109 msgid "Username is currently not set" msgstr "" -#: sasl.cpp:109 +#: sasl.cpp:111 msgid "Username is currently set to '{1}'" msgstr "" -#: sasl.cpp:112 +#: sasl.cpp:114 msgid "Password was not supplied" msgstr "" -#: sasl.cpp:114 +#: sasl.cpp:116 msgid "Password was supplied" msgstr "" -#: sasl.cpp:122 +#: sasl.cpp:124 msgid "Username has been set to [{1}]" msgstr "" -#: sasl.cpp:123 +#: sasl.cpp:125 msgid "Password has been set to [{1}]" msgstr "" -#: sasl.cpp:143 +#: sasl.cpp:145 msgid "Current mechanisms set: {1}" msgstr "" -#: sasl.cpp:152 +#: sasl.cpp:154 msgid "We require SASL negotiation to connect" msgstr "" -#: sasl.cpp:154 +#: sasl.cpp:156 msgid "We will connect even if SASL fails" msgstr "" -#: sasl.cpp:191 +#: sasl.cpp:193 msgid "Disabling network, we require authentication." msgstr "" -#: sasl.cpp:192 +#: sasl.cpp:194 msgid "Use 'RequireAuth no' to disable." msgstr "" -#: sasl.cpp:245 +#: sasl.cpp:247 msgid "{1} mechanism succeeded." msgstr "" -#: sasl.cpp:257 +#: sasl.cpp:259 msgid "{1} mechanism failed." msgstr "" -#: sasl.cpp:335 +#: sasl.cpp:337 msgid "" "Adds support for sasl authentication capability to authenticate to an IRC " "server" diff --git a/modules/po/sasl.pt_BR.po b/modules/po/sasl.pt_BR.po index faee9217..64c324ef 100644 --- a/modules/po/sasl.pt_BR.po +++ b/modules/po/sasl.pt_BR.po @@ -8,11 +8,11 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/sasl.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" -#: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:290 +#: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:292 msgid "SASL" msgstr "" @@ -52,7 +52,7 @@ msgstr "" msgid "Name" msgstr "" -#: modules/po/../data/sasl/tmpl/index.tmpl:43 sasl.cpp:89 sasl.cpp:94 +#: modules/po/../data/sasl/tmpl/index.tmpl:43 sasl.cpp:89 sasl.cpp:95 msgid "Description" msgstr "" @@ -107,67 +107,67 @@ msgstr "" msgid "Don't connect unless SASL authentication succeeds" msgstr "" -#: sasl.cpp:88 sasl.cpp:93 +#: sasl.cpp:88 sasl.cpp:94 msgid "Mechanism" msgstr "" -#: sasl.cpp:97 +#: sasl.cpp:99 msgid "The following mechanisms are available:" msgstr "" -#: sasl.cpp:107 +#: sasl.cpp:109 msgid "Username is currently not set" msgstr "" -#: sasl.cpp:109 +#: sasl.cpp:111 msgid "Username is currently set to '{1}'" msgstr "" -#: sasl.cpp:112 +#: sasl.cpp:114 msgid "Password was not supplied" msgstr "" -#: sasl.cpp:114 +#: sasl.cpp:116 msgid "Password was supplied" msgstr "" -#: sasl.cpp:122 +#: sasl.cpp:124 msgid "Username has been set to [{1}]" msgstr "" -#: sasl.cpp:123 +#: sasl.cpp:125 msgid "Password has been set to [{1}]" msgstr "" -#: sasl.cpp:143 +#: sasl.cpp:145 msgid "Current mechanisms set: {1}" msgstr "" -#: sasl.cpp:152 +#: sasl.cpp:154 msgid "We require SASL negotiation to connect" msgstr "" -#: sasl.cpp:154 +#: sasl.cpp:156 msgid "We will connect even if SASL fails" msgstr "" -#: sasl.cpp:191 +#: sasl.cpp:193 msgid "Disabling network, we require authentication." msgstr "" -#: sasl.cpp:192 +#: sasl.cpp:194 msgid "Use 'RequireAuth no' to disable." msgstr "" -#: sasl.cpp:245 +#: sasl.cpp:247 msgid "{1} mechanism succeeded." msgstr "" -#: sasl.cpp:257 +#: sasl.cpp:259 msgid "{1} mechanism failed." msgstr "" -#: sasl.cpp:335 +#: sasl.cpp:337 msgid "" "Adds support for sasl authentication capability to authenticate to an IRC " "server" diff --git a/modules/po/sasl.ru_RU.po b/modules/po/sasl.ru_RU.po index c5439041..8190cf40 100644 --- a/modules/po/sasl.ru_RU.po +++ b/modules/po/sasl.ru_RU.po @@ -10,11 +10,11 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/sasl.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" -#: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:290 +#: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:292 msgid "SASL" msgstr "" @@ -54,7 +54,7 @@ msgstr "" msgid "Name" msgstr "" -#: modules/po/../data/sasl/tmpl/index.tmpl:43 sasl.cpp:89 sasl.cpp:94 +#: modules/po/../data/sasl/tmpl/index.tmpl:43 sasl.cpp:89 sasl.cpp:95 msgid "Description" msgstr "" @@ -109,67 +109,67 @@ msgstr "" msgid "Don't connect unless SASL authentication succeeds" msgstr "" -#: sasl.cpp:88 sasl.cpp:93 +#: sasl.cpp:88 sasl.cpp:94 msgid "Mechanism" msgstr "" -#: sasl.cpp:97 +#: sasl.cpp:99 msgid "The following mechanisms are available:" msgstr "" -#: sasl.cpp:107 +#: sasl.cpp:109 msgid "Username is currently not set" msgstr "" -#: sasl.cpp:109 +#: sasl.cpp:111 msgid "Username is currently set to '{1}'" msgstr "" -#: sasl.cpp:112 +#: sasl.cpp:114 msgid "Password was not supplied" msgstr "" -#: sasl.cpp:114 +#: sasl.cpp:116 msgid "Password was supplied" msgstr "" -#: sasl.cpp:122 +#: sasl.cpp:124 msgid "Username has been set to [{1}]" msgstr "" -#: sasl.cpp:123 +#: sasl.cpp:125 msgid "Password has been set to [{1}]" msgstr "" -#: sasl.cpp:143 +#: sasl.cpp:145 msgid "Current mechanisms set: {1}" msgstr "" -#: sasl.cpp:152 +#: sasl.cpp:154 msgid "We require SASL negotiation to connect" msgstr "" -#: sasl.cpp:154 +#: sasl.cpp:156 msgid "We will connect even if SASL fails" msgstr "" -#: sasl.cpp:191 +#: sasl.cpp:193 msgid "Disabling network, we require authentication." msgstr "" -#: sasl.cpp:192 +#: sasl.cpp:194 msgid "Use 'RequireAuth no' to disable." msgstr "" -#: sasl.cpp:245 +#: sasl.cpp:247 msgid "{1} mechanism succeeded." msgstr "" -#: sasl.cpp:257 +#: sasl.cpp:259 msgid "{1} mechanism failed." msgstr "" -#: sasl.cpp:335 +#: sasl.cpp:337 msgid "" "Adds support for sasl authentication capability to authenticate to an IRC " "server" diff --git a/modules/po/savebuff.bg_BG.po b/modules/po/savebuff.bg_BG.po new file mode 100644 index 00000000..8b9fa379 --- /dev/null +++ b/modules/po/savebuff.bg_BG.po @@ -0,0 +1,62 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /master/modules/po/savebuff.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: savebuff.cpp:65 +msgid "" +msgstr "" + +#: savebuff.cpp:65 +msgid "Sets the password" +msgstr "" + +#: savebuff.cpp:67 +msgid "" +msgstr "" + +#: savebuff.cpp:67 +msgid "Replays the buffer" +msgstr "" + +#: savebuff.cpp:69 +msgid "Saves all buffers" +msgstr "" + +#: savebuff.cpp:221 +msgid "" +"Password is unset usually meaning the decryption failed. You can setpass to " +"the appropriate pass and things should start working, or setpass to a new " +"pass and save to reinstantiate" +msgstr "" + +#: savebuff.cpp:232 +msgid "Password set to [{1}]" +msgstr "" + +#: savebuff.cpp:262 +msgid "Replayed {1}" +msgstr "" + +#: savebuff.cpp:341 +msgid "Unable to decode Encrypted file {1}" +msgstr "" + +#: savebuff.cpp:358 +msgid "" +"This user module takes up to one arguments. Either --ask-pass or the " +"password itself (which may contain spaces) or nothing" +msgstr "" + +#: savebuff.cpp:363 +msgid "Stores channel and query buffers to disk, encrypted" +msgstr "" diff --git a/modules/po/savebuff.de_DE.po b/modules/po/savebuff.de_DE.po index 54536b5b..d4475ffa 100644 --- a/modules/po/savebuff.de_DE.po +++ b/modules/po/savebuff.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/savebuff.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/savebuff.es_ES.po b/modules/po/savebuff.es_ES.po index b7fdd6ce..97af1558 100644 --- a/modules/po/savebuff.es_ES.po +++ b/modules/po/savebuff.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/savebuff.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/savebuff.fr_FR.po b/modules/po/savebuff.fr_FR.po index 3c88e08f..c3e54273 100644 --- a/modules/po/savebuff.fr_FR.po +++ b/modules/po/savebuff.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/savebuff.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/savebuff.id_ID.po b/modules/po/savebuff.id_ID.po index 3c8e8bb1..12b8b5a1 100644 --- a/modules/po/savebuff.id_ID.po +++ b/modules/po/savebuff.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/savebuff.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/savebuff.nl_NL.po b/modules/po/savebuff.nl_NL.po index b3377281..fbfedb7b 100644 --- a/modules/po/savebuff.nl_NL.po +++ b/modules/po/savebuff.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/savebuff.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/savebuff.pt_BR.po b/modules/po/savebuff.pt_BR.po index 361a9e2f..a9bc3696 100644 --- a/modules/po/savebuff.pt_BR.po +++ b/modules/po/savebuff.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/savebuff.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/savebuff.ru_RU.po b/modules/po/savebuff.ru_RU.po index 2833bf1a..c76589e4 100644 --- a/modules/po/savebuff.ru_RU.po +++ b/modules/po/savebuff.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/savebuff.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/send_raw.bg_BG.po b/modules/po/send_raw.bg_BG.po new file mode 100644 index 00000000..38eedc4c --- /dev/null +++ b/modules/po/send_raw.bg_BG.po @@ -0,0 +1,109 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /master/modules/po/send_raw.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:9 +msgid "Send a raw IRC line" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:14 +msgid "User:" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:15 +msgid "To change user, click to Network selector" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:19 +msgid "User/Network:" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:32 +msgid "Send to:" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:34 +msgid "Client" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:35 +msgid "Server" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:40 +msgid "Line:" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:45 +msgid "Send" +msgstr "" + +#: send_raw.cpp:32 +msgid "Sent [{1}] to {2}/{3}" +msgstr "" + +#: send_raw.cpp:36 send_raw.cpp:56 +msgid "Network {1} not found for user {2}" +msgstr "" + +#: send_raw.cpp:40 send_raw.cpp:60 +msgid "User {1} not found" +msgstr "" + +#: send_raw.cpp:52 +msgid "Sent [{1}] to IRC server of {2}/{3}" +msgstr "" + +#: send_raw.cpp:75 +msgid "You must have admin privileges to load this module" +msgstr "" + +#: send_raw.cpp:82 +msgid "Send Raw" +msgstr "" + +#: send_raw.cpp:92 +msgid "User not found" +msgstr "" + +#: send_raw.cpp:99 +msgid "Network not found" +msgstr "" + +#: send_raw.cpp:116 +msgid "Line sent" +msgstr "" + +#: send_raw.cpp:140 send_raw.cpp:143 +msgid "[user] [network] [data to send]" +msgstr "" + +#: send_raw.cpp:141 +msgid "The data will be sent to the user's IRC client(s)" +msgstr "" + +#: send_raw.cpp:144 +msgid "The data will be sent to the IRC server the user is connected to" +msgstr "" + +#: send_raw.cpp:147 +msgid "[data to send]" +msgstr "" + +#: send_raw.cpp:148 +msgid "The data will be sent to your current client" +msgstr "" + +#: send_raw.cpp:159 +msgid "Lets you send some raw IRC lines as/to someone else" +msgstr "" diff --git a/modules/po/send_raw.de_DE.po b/modules/po/send_raw.de_DE.po index 9a154493..a8ff48e3 100644 --- a/modules/po/send_raw.de_DE.po +++ b/modules/po/send_raw.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/send_raw.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/send_raw.es_ES.po b/modules/po/send_raw.es_ES.po index d34d3068..da33f613 100644 --- a/modules/po/send_raw.es_ES.po +++ b/modules/po/send_raw.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/send_raw.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/send_raw.fr_FR.po b/modules/po/send_raw.fr_FR.po index 863fbd48..fccfddaf 100644 --- a/modules/po/send_raw.fr_FR.po +++ b/modules/po/send_raw.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/send_raw.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/send_raw.id_ID.po b/modules/po/send_raw.id_ID.po index 610451e4..45dff147 100644 --- a/modules/po/send_raw.id_ID.po +++ b/modules/po/send_raw.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/send_raw.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/send_raw.nl_NL.po b/modules/po/send_raw.nl_NL.po index 0dc2639c..ad1922da 100644 --- a/modules/po/send_raw.nl_NL.po +++ b/modules/po/send_raw.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/send_raw.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/send_raw.pt_BR.po b/modules/po/send_raw.pt_BR.po index 141f42a6..784a9ee3 100644 --- a/modules/po/send_raw.pt_BR.po +++ b/modules/po/send_raw.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/send_raw.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/send_raw.ru_RU.po b/modules/po/send_raw.ru_RU.po index 494bedb7..8fb9ea4f 100644 --- a/modules/po/send_raw.ru_RU.po +++ b/modules/po/send_raw.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/send_raw.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/shell.bg_BG.po b/modules/po/shell.bg_BG.po new file mode 100644 index 00000000..0469d6aa --- /dev/null +++ b/modules/po/shell.bg_BG.po @@ -0,0 +1,29 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /master/modules/po/shell.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: shell.cpp:37 +msgid "Failed to execute: {1}" +msgstr "" + +#: shell.cpp:75 +msgid "You must be admin to use the shell module" +msgstr "" + +#: shell.cpp:169 +msgid "Gives shell access" +msgstr "" + +#: shell.cpp:172 +msgid "Gives shell access. Only ZNC admins can use it." +msgstr "" diff --git a/modules/po/shell.de_DE.po b/modules/po/shell.de_DE.po index 72883029..399d23a0 100644 --- a/modules/po/shell.de_DE.po +++ b/modules/po/shell.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/shell.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/shell.es_ES.po b/modules/po/shell.es_ES.po index a93e996a..c72a13b7 100644 --- a/modules/po/shell.es_ES.po +++ b/modules/po/shell.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/shell.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/shell.fr_FR.po b/modules/po/shell.fr_FR.po index ce097307..27a54d99 100644 --- a/modules/po/shell.fr_FR.po +++ b/modules/po/shell.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/shell.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/shell.id_ID.po b/modules/po/shell.id_ID.po index 0c3a4366..48b29da6 100644 --- a/modules/po/shell.id_ID.po +++ b/modules/po/shell.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/shell.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/shell.nl_NL.po b/modules/po/shell.nl_NL.po index ccd3cedb..edaea20b 100644 --- a/modules/po/shell.nl_NL.po +++ b/modules/po/shell.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/shell.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/shell.pt_BR.po b/modules/po/shell.pt_BR.po index b7b77bdb..57200d21 100644 --- a/modules/po/shell.pt_BR.po +++ b/modules/po/shell.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/shell.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/shell.ru_RU.po b/modules/po/shell.ru_RU.po index 73e59361..b6373d0a 100644 --- a/modules/po/shell.ru_RU.po +++ b/modules/po/shell.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/shell.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/simple_away.bg_BG.po b/modules/po/simple_away.bg_BG.po new file mode 100644 index 00000000..30802506 --- /dev/null +++ b/modules/po/simple_away.bg_BG.po @@ -0,0 +1,92 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /master/modules/po/simple_away.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: simple_away.cpp:56 +msgid "[]" +msgstr "" + +#: simple_away.cpp:57 +#, c-format +msgid "" +"Prints or sets the away reason (%awaytime% is replaced with the time you " +"were set away, supports substitutions using ExpandString)" +msgstr "" + +#: simple_away.cpp:63 +msgid "Prints the current time to wait before setting you away" +msgstr "" + +#: simple_away.cpp:65 +msgid "" +msgstr "" + +#: simple_away.cpp:66 +msgid "Sets the time to wait before setting you away" +msgstr "" + +#: simple_away.cpp:69 +msgid "Disables the wait time before setting you away" +msgstr "" + +#: simple_away.cpp:73 +msgid "Get or set the minimum number of clients before going away" +msgstr "" + +#: simple_away.cpp:136 +msgid "Away reason set" +msgstr "" + +#: simple_away.cpp:138 +msgid "Away reason: {1}" +msgstr "" + +#: simple_away.cpp:139 +msgid "Current away reason would be: {1}" +msgstr "" + +#: simple_away.cpp:144 +msgid "Current timer setting: 1 second" +msgid_plural "Current timer setting: {1} seconds" +msgstr[0] "" +msgstr[1] "" + +#: simple_away.cpp:153 simple_away.cpp:161 +msgid "Timer disabled" +msgstr "" + +#: simple_away.cpp:155 +msgid "Timer set to 1 second" +msgid_plural "Timer set to: {1} seconds" +msgstr[0] "" +msgstr[1] "" + +#: simple_away.cpp:166 +msgid "Current MinClients setting: {1}" +msgstr "" + +#: simple_away.cpp:169 +msgid "MinClients set to {1}" +msgstr "" + +#: simple_away.cpp:248 +msgid "" +"You might enter up to 3 arguments, like -notimer awaymessage or -timer 5 " +"awaymessage." +msgstr "" + +#: simple_away.cpp:253 +msgid "" +"This module will automatically set you away on IRC while you are " +"disconnected from the bouncer." +msgstr "" diff --git a/modules/po/simple_away.de_DE.po b/modules/po/simple_away.de_DE.po index 4ed69c7f..c428087f 100644 --- a/modules/po/simple_away.de_DE.po +++ b/modules/po/simple_away.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/simple_away.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/simple_away.es_ES.po b/modules/po/simple_away.es_ES.po index cdbee958..2dad2bd2 100644 --- a/modules/po/simple_away.es_ES.po +++ b/modules/po/simple_away.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/simple_away.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/simple_away.fr_FR.po b/modules/po/simple_away.fr_FR.po index 3cc70d3e..a30336fb 100644 --- a/modules/po/simple_away.fr_FR.po +++ b/modules/po/simple_away.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/simple_away.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/simple_away.id_ID.po b/modules/po/simple_away.id_ID.po index 8b5f32a9..b0bfbbbd 100644 --- a/modules/po/simple_away.id_ID.po +++ b/modules/po/simple_away.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/simple_away.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/simple_away.nl_NL.po b/modules/po/simple_away.nl_NL.po index 16518f93..272096ef 100644 --- a/modules/po/simple_away.nl_NL.po +++ b/modules/po/simple_away.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/simple_away.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/simple_away.pt_BR.po b/modules/po/simple_away.pt_BR.po index d1294f2a..2c2f6bda 100644 --- a/modules/po/simple_away.pt_BR.po +++ b/modules/po/simple_away.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/simple_away.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/simple_away.ru_RU.po b/modules/po/simple_away.ru_RU.po index ece481f8..ac82d1e6 100644 --- a/modules/po/simple_away.ru_RU.po +++ b/modules/po/simple_away.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/simple_away.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/stickychan.bg_BG.po b/modules/po/stickychan.bg_BG.po new file mode 100644 index 00000000..f274dcea --- /dev/null +++ b/modules/po/stickychan.bg_BG.po @@ -0,0 +1,102 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /master/modules/po/stickychan.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: modules/po/../data/stickychan/tmpl/index.tmpl:9 +msgid "Name" +msgstr "" + +#: modules/po/../data/stickychan/tmpl/index.tmpl:10 +msgid "Sticky" +msgstr "" + +#: modules/po/../data/stickychan/tmpl/index.tmpl:25 +msgid "Save" +msgstr "" + +#: modules/po/../data/stickychan/tmpl/stickychan_WebadminChan.tmpl:8 +msgid "Channel is sticky" +msgstr "" + +#: stickychan.cpp:28 +msgid "<#channel> [key]" +msgstr "" + +#: stickychan.cpp:28 +msgid "Sticks a channel" +msgstr "" + +#: stickychan.cpp:30 +msgid "<#channel>" +msgstr "" + +#: stickychan.cpp:30 +msgid "Unsticks a channel" +msgstr "" + +#: stickychan.cpp:32 +msgid "Lists sticky channels" +msgstr "" + +#: stickychan.cpp:75 +msgid "Usage: Stick <#channel> [key]" +msgstr "" + +#: stickychan.cpp:79 +msgid "Stuck {1}" +msgstr "" + +#: stickychan.cpp:85 +msgid "Usage: Unstick <#channel>" +msgstr "" + +#: stickychan.cpp:89 +msgid "Unstuck {1}" +msgstr "" + +#: stickychan.cpp:101 +msgid " -- End of List" +msgstr "" + +#: stickychan.cpp:115 +msgid "Could not join {1} (# prefix missing?)" +msgstr "" + +#: stickychan.cpp:128 +msgid "Sticky Channels" +msgstr "" + +#: stickychan.cpp:160 +msgid "Changes have been saved!" +msgstr "" + +#: stickychan.cpp:185 +msgid "Channel became sticky!" +msgstr "" + +#: stickychan.cpp:189 +msgid "Channel stopped being sticky!" +msgstr "" + +#: stickychan.cpp:209 +msgid "" +"Channel {1} cannot be joined, it is an illegal channel name. Unsticking." +msgstr "" + +#: stickychan.cpp:246 +msgid "List of channels, separated by comma." +msgstr "" + +#: stickychan.cpp:251 +msgid "configless sticky chans, keeps you there very stickily even" +msgstr "" diff --git a/modules/po/stickychan.de_DE.po b/modules/po/stickychan.de_DE.po index 8daa79f4..be07105c 100644 --- a/modules/po/stickychan.de_DE.po +++ b/modules/po/stickychan.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/stickychan.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/stickychan.es_ES.po b/modules/po/stickychan.es_ES.po index 3ddcae5a..8afb19c7 100644 --- a/modules/po/stickychan.es_ES.po +++ b/modules/po/stickychan.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/stickychan.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/stickychan.fr_FR.po b/modules/po/stickychan.fr_FR.po index e5940af2..5a4fffb8 100644 --- a/modules/po/stickychan.fr_FR.po +++ b/modules/po/stickychan.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/stickychan.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/stickychan.id_ID.po b/modules/po/stickychan.id_ID.po index 1c0bf074..37ec7260 100644 --- a/modules/po/stickychan.id_ID.po +++ b/modules/po/stickychan.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/stickychan.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/stickychan.nl_NL.po b/modules/po/stickychan.nl_NL.po index b9fe6dab..8a04bf9e 100644 --- a/modules/po/stickychan.nl_NL.po +++ b/modules/po/stickychan.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/stickychan.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/stickychan.pt_BR.po b/modules/po/stickychan.pt_BR.po index 516e2b45..031ee5b4 100644 --- a/modules/po/stickychan.pt_BR.po +++ b/modules/po/stickychan.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/stickychan.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/stickychan.ru_RU.po b/modules/po/stickychan.ru_RU.po index 3a328051..9b508c46 100644 --- a/modules/po/stickychan.ru_RU.po +++ b/modules/po/stickychan.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/stickychan.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/stripcontrols.bg_BG.po b/modules/po/stripcontrols.bg_BG.po new file mode 100644 index 00000000..cde65100 --- /dev/null +++ b/modules/po/stripcontrols.bg_BG.po @@ -0,0 +1,18 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /master/modules/po/stripcontrols.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: stripcontrols.cpp:63 +msgid "" +"Strips control codes (Colors, Bold, ..) from channel and private messages." +msgstr "" diff --git a/modules/po/stripcontrols.de_DE.po b/modules/po/stripcontrols.de_DE.po index a78d6a76..9cd5c90b 100644 --- a/modules/po/stripcontrols.de_DE.po +++ b/modules/po/stripcontrols.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/stripcontrols.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/stripcontrols.es_ES.po b/modules/po/stripcontrols.es_ES.po index c05380ec..c7ef653a 100644 --- a/modules/po/stripcontrols.es_ES.po +++ b/modules/po/stripcontrols.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/stripcontrols.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/stripcontrols.fr_FR.po b/modules/po/stripcontrols.fr_FR.po index aceddf1b..76955fad 100644 --- a/modules/po/stripcontrols.fr_FR.po +++ b/modules/po/stripcontrols.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/stripcontrols.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/stripcontrols.id_ID.po b/modules/po/stripcontrols.id_ID.po index a6825cde..0e6a9909 100644 --- a/modules/po/stripcontrols.id_ID.po +++ b/modules/po/stripcontrols.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/stripcontrols.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/stripcontrols.nl_NL.po b/modules/po/stripcontrols.nl_NL.po index bd9a9d63..12ac9b85 100644 --- a/modules/po/stripcontrols.nl_NL.po +++ b/modules/po/stripcontrols.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/stripcontrols.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/stripcontrols.pt_BR.po b/modules/po/stripcontrols.pt_BR.po index b1b35318..4a0ebce7 100644 --- a/modules/po/stripcontrols.pt_BR.po +++ b/modules/po/stripcontrols.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/stripcontrols.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/stripcontrols.ru_RU.po b/modules/po/stripcontrols.ru_RU.po index 03e5212c..320e653d 100644 --- a/modules/po/stripcontrols.ru_RU.po +++ b/modules/po/stripcontrols.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/stripcontrols.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/watch.bg_BG.po b/modules/po/watch.bg_BG.po new file mode 100644 index 00000000..208a3c24 --- /dev/null +++ b/modules/po/watch.bg_BG.po @@ -0,0 +1,249 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /master/modules/po/watch.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: watch.cpp:334 +msgid "All entries cleared." +msgstr "" + +#: watch.cpp:344 +msgid "Buffer count is set to {1}" +msgstr "" + +#: watch.cpp:348 +msgid "Unknown command: {1}" +msgstr "" + +#: watch.cpp:397 +msgid "Disabled all entries." +msgstr "" + +#: watch.cpp:398 +msgid "Enabled all entries." +msgstr "" + +#: watch.cpp:405 watch.cpp:437 watch.cpp:470 watch.cpp:570 watch.cpp:585 +msgid "Invalid Id" +msgstr "" + +#: watch.cpp:414 +msgid "Id {1} disabled" +msgstr "" + +#: watch.cpp:416 +msgid "Id {1} enabled" +msgstr "" + +#: watch.cpp:428 +msgid "Set DetachedClientOnly for all entries to Yes" +msgstr "" + +#: watch.cpp:430 +msgid "Set DetachedClientOnly for all entries to No" +msgstr "" + +#: watch.cpp:446 watch.cpp:479 +msgid "Id {1} set to Yes" +msgstr "" + +#: watch.cpp:448 watch.cpp:481 +msgid "Id {1} set to No" +msgstr "" + +#: watch.cpp:461 +msgid "Set DetachedChannelOnly for all entries to Yes" +msgstr "" + +#: watch.cpp:463 +msgid "Set DetachedChannelOnly for all entries to No" +msgstr "" + +#: watch.cpp:487 watch.cpp:503 +msgid "Id" +msgstr "" + +#: watch.cpp:488 watch.cpp:504 +msgid "HostMask" +msgstr "" + +#: watch.cpp:489 watch.cpp:505 +msgid "Target" +msgstr "" + +#: watch.cpp:490 watch.cpp:506 +msgid "Pattern" +msgstr "" + +#: watch.cpp:491 watch.cpp:507 +msgid "Sources" +msgstr "" + +#: watch.cpp:492 watch.cpp:508 watch.cpp:509 +msgid "Off" +msgstr "" + +#: watch.cpp:493 watch.cpp:511 +msgid "DetachedClientOnly" +msgstr "" + +#: watch.cpp:494 watch.cpp:514 +msgid "DetachedChannelOnly" +msgstr "" + +#: watch.cpp:512 watch.cpp:515 +msgid "Yes" +msgstr "" + +#: watch.cpp:512 watch.cpp:515 +msgid "No" +msgstr "" + +#: watch.cpp:521 watch.cpp:527 +msgid "You have no entries." +msgstr "" + +#: watch.cpp:578 +msgid "Sources set for Id {1}." +msgstr "" + +#: watch.cpp:593 +msgid "Id {1} removed." +msgstr "" + +#: watch.cpp:600 watch.cpp:605 watch.cpp:610 watch.cpp:615 watch.cpp:621 +#: watch.cpp:626 watch.cpp:630 watch.cpp:634 watch.cpp:639 watch.cpp:646 +#: watch.cpp:653 watch.cpp:659 watch.cpp:665 +msgid "Command" +msgstr "" + +#: watch.cpp:601 watch.cpp:606 watch.cpp:611 watch.cpp:617 watch.cpp:622 +#: watch.cpp:627 watch.cpp:631 watch.cpp:635 watch.cpp:642 watch.cpp:649 +#: watch.cpp:655 watch.cpp:661 watch.cpp:666 +msgid "Description" +msgstr "" + +#: watch.cpp:605 +msgid "Add [Target] [Pattern]" +msgstr "" + +#: watch.cpp:607 +msgid "Used to add an entry to watch for." +msgstr "" + +#: watch.cpp:610 +msgid "List" +msgstr "" + +#: watch.cpp:612 +msgid "List all entries being watched." +msgstr "" + +#: watch.cpp:615 +msgid "Dump" +msgstr "" + +#: watch.cpp:618 +msgid "Dump a list of all current entries to be used later." +msgstr "" + +#: watch.cpp:621 +msgid "Del " +msgstr "" + +#: watch.cpp:623 +msgid "Deletes Id from the list of watched entries." +msgstr "" + +#: watch.cpp:626 +msgid "Clear" +msgstr "" + +#: watch.cpp:627 +msgid "Delete all entries." +msgstr "" + +#: watch.cpp:630 +msgid "Enable " +msgstr "" + +#: watch.cpp:631 +msgid "Enable a disabled entry." +msgstr "" + +#: watch.cpp:634 +msgid "Disable " +msgstr "" + +#: watch.cpp:636 +msgid "Disable (but don't delete) an entry." +msgstr "" + +#: watch.cpp:640 +msgid "SetDetachedClientOnly " +msgstr "" + +#: watch.cpp:643 +msgid "Enable or disable detached client only for an entry." +msgstr "" + +#: watch.cpp:647 +msgid "SetDetachedChannelOnly " +msgstr "" + +#: watch.cpp:650 +msgid "Enable or disable detached channel only for an entry." +msgstr "" + +#: watch.cpp:653 +msgid "Buffer [Count]" +msgstr "" + +#: watch.cpp:656 +msgid "Show/Set the amount of buffered lines while detached." +msgstr "" + +#: watch.cpp:660 +msgid "SetSources [#chan priv #foo* !#bar]" +msgstr "" + +#: watch.cpp:662 +msgid "Set the source channels that you care about." +msgstr "" + +#: watch.cpp:665 +msgid "Help" +msgstr "" + +#: watch.cpp:666 +msgid "This help." +msgstr "" + +#: watch.cpp:682 +msgid "Entry for {1} already exists." +msgstr "" + +#: watch.cpp:690 +msgid "Adding entry: {1} watching for [{2}] -> {3}" +msgstr "" + +#: watch.cpp:696 +msgid "Watch: Not enough arguments. Try Help" +msgstr "" + +#: watch.cpp:765 +msgid "WARNING: malformed entry found while loading" +msgstr "" + +#: watch.cpp:779 +msgid "Copy activity from a specific user into a separate window" +msgstr "" diff --git a/modules/po/watch.de_DE.po b/modules/po/watch.de_DE.po index f3310da2..b2b19b78 100644 --- a/modules/po/watch.de_DE.po +++ b/modules/po/watch.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/watch.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" @@ -120,130 +120,130 @@ msgstr "" msgid "Id {1} removed." msgstr "" -#: watch.cpp:600 watch.cpp:604 watch.cpp:609 watch.cpp:614 watch.cpp:620 -#: watch.cpp:625 watch.cpp:629 watch.cpp:633 watch.cpp:638 watch.cpp:645 -#: watch.cpp:652 watch.cpp:658 watch.cpp:664 +#: watch.cpp:600 watch.cpp:605 watch.cpp:610 watch.cpp:615 watch.cpp:621 +#: watch.cpp:626 watch.cpp:630 watch.cpp:634 watch.cpp:639 watch.cpp:646 +#: watch.cpp:653 watch.cpp:659 watch.cpp:665 msgid "Command" msgstr "" -#: watch.cpp:601 watch.cpp:605 watch.cpp:610 watch.cpp:616 watch.cpp:621 -#: watch.cpp:626 watch.cpp:630 watch.cpp:634 watch.cpp:641 watch.cpp:648 -#: watch.cpp:654 watch.cpp:660 watch.cpp:665 +#: watch.cpp:601 watch.cpp:606 watch.cpp:611 watch.cpp:617 watch.cpp:622 +#: watch.cpp:627 watch.cpp:631 watch.cpp:635 watch.cpp:642 watch.cpp:649 +#: watch.cpp:655 watch.cpp:661 watch.cpp:666 msgid "Description" msgstr "" -#: watch.cpp:604 +#: watch.cpp:605 msgid "Add [Target] [Pattern]" msgstr "" -#: watch.cpp:606 +#: watch.cpp:607 msgid "Used to add an entry to watch for." msgstr "" -#: watch.cpp:609 +#: watch.cpp:610 msgid "List" msgstr "" -#: watch.cpp:611 +#: watch.cpp:612 msgid "List all entries being watched." msgstr "" -#: watch.cpp:614 +#: watch.cpp:615 msgid "Dump" msgstr "" -#: watch.cpp:617 +#: watch.cpp:618 msgid "Dump a list of all current entries to be used later." msgstr "" -#: watch.cpp:620 +#: watch.cpp:621 msgid "Del " msgstr "" -#: watch.cpp:622 +#: watch.cpp:623 msgid "Deletes Id from the list of watched entries." msgstr "" -#: watch.cpp:625 +#: watch.cpp:626 msgid "Clear" msgstr "" -#: watch.cpp:626 +#: watch.cpp:627 msgid "Delete all entries." msgstr "" -#: watch.cpp:629 +#: watch.cpp:630 msgid "Enable " msgstr "" -#: watch.cpp:630 +#: watch.cpp:631 msgid "Enable a disabled entry." msgstr "" -#: watch.cpp:633 +#: watch.cpp:634 msgid "Disable " msgstr "" -#: watch.cpp:635 +#: watch.cpp:636 msgid "Disable (but don't delete) an entry." msgstr "" -#: watch.cpp:639 +#: watch.cpp:640 msgid "SetDetachedClientOnly " msgstr "" -#: watch.cpp:642 +#: watch.cpp:643 msgid "Enable or disable detached client only for an entry." msgstr "" -#: watch.cpp:646 +#: watch.cpp:647 msgid "SetDetachedChannelOnly " msgstr "" -#: watch.cpp:649 +#: watch.cpp:650 msgid "Enable or disable detached channel only for an entry." msgstr "" -#: watch.cpp:652 +#: watch.cpp:653 msgid "Buffer [Count]" msgstr "" -#: watch.cpp:655 +#: watch.cpp:656 msgid "Show/Set the amount of buffered lines while detached." msgstr "" -#: watch.cpp:659 +#: watch.cpp:660 msgid "SetSources [#chan priv #foo* !#bar]" msgstr "" -#: watch.cpp:661 +#: watch.cpp:662 msgid "Set the source channels that you care about." msgstr "" -#: watch.cpp:664 +#: watch.cpp:665 msgid "Help" msgstr "" -#: watch.cpp:665 +#: watch.cpp:666 msgid "This help." msgstr "" -#: watch.cpp:681 +#: watch.cpp:682 msgid "Entry for {1} already exists." msgstr "" -#: watch.cpp:689 +#: watch.cpp:690 msgid "Adding entry: {1} watching for [{2}] -> {3}" msgstr "" -#: watch.cpp:695 +#: watch.cpp:696 msgid "Watch: Not enough arguments. Try Help" msgstr "" -#: watch.cpp:764 +#: watch.cpp:765 msgid "WARNING: malformed entry found while loading" msgstr "" -#: watch.cpp:778 +#: watch.cpp:779 msgid "Copy activity from a specific user into a separate window" msgstr "" diff --git a/modules/po/watch.es_ES.po b/modules/po/watch.es_ES.po index 813745de..e5ef03ee 100644 --- a/modules/po/watch.es_ES.po +++ b/modules/po/watch.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/watch.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" @@ -120,132 +120,132 @@ msgstr "Fuentes definidas para el id {1}." msgid "Id {1} removed." msgstr "Id {1} eliminado." -#: watch.cpp:600 watch.cpp:604 watch.cpp:609 watch.cpp:614 watch.cpp:620 -#: watch.cpp:625 watch.cpp:629 watch.cpp:633 watch.cpp:638 watch.cpp:645 -#: watch.cpp:652 watch.cpp:658 watch.cpp:664 +#: watch.cpp:600 watch.cpp:605 watch.cpp:610 watch.cpp:615 watch.cpp:621 +#: watch.cpp:626 watch.cpp:630 watch.cpp:634 watch.cpp:639 watch.cpp:646 +#: watch.cpp:653 watch.cpp:659 watch.cpp:665 msgid "Command" msgstr "Comando" -#: watch.cpp:601 watch.cpp:605 watch.cpp:610 watch.cpp:616 watch.cpp:621 -#: watch.cpp:626 watch.cpp:630 watch.cpp:634 watch.cpp:641 watch.cpp:648 -#: watch.cpp:654 watch.cpp:660 watch.cpp:665 +#: watch.cpp:601 watch.cpp:606 watch.cpp:611 watch.cpp:617 watch.cpp:622 +#: watch.cpp:627 watch.cpp:631 watch.cpp:635 watch.cpp:642 watch.cpp:649 +#: watch.cpp:655 watch.cpp:661 watch.cpp:666 msgid "Description" msgstr "Descripción" -#: watch.cpp:604 +#: watch.cpp:605 msgid "Add [Target] [Pattern]" msgstr "Add [objetivo] [patrón]" -#: watch.cpp:606 +#: watch.cpp:607 msgid "Used to add an entry to watch for." msgstr "Se usa para añadir una entrada a la lista de watch." -#: watch.cpp:609 +#: watch.cpp:610 msgid "List" msgstr "Lista" -#: watch.cpp:611 +#: watch.cpp:612 msgid "List all entries being watched." msgstr "Listar todas las entradas vigiladas." -#: watch.cpp:614 +#: watch.cpp:615 msgid "Dump" msgstr "Volcado" -#: watch.cpp:617 +#: watch.cpp:618 msgid "Dump a list of all current entries to be used later." msgstr "Volcar una lista de todas las entradas para usar luego." -#: watch.cpp:620 +#: watch.cpp:621 msgid "Del " msgstr "Del " -#: watch.cpp:622 +#: watch.cpp:623 msgid "Deletes Id from the list of watched entries." msgstr "Elimina un id de la lista de entradas a vigilar." -#: watch.cpp:625 +#: watch.cpp:626 msgid "Clear" msgstr "Borrar" -#: watch.cpp:626 +#: watch.cpp:627 msgid "Delete all entries." msgstr "Borrar todas las entradas." -#: watch.cpp:629 +#: watch.cpp:630 msgid "Enable " msgstr "Enable " -#: watch.cpp:630 +#: watch.cpp:631 msgid "Enable a disabled entry." msgstr "Habilita un entrada deshabilitada." -#: watch.cpp:633 +#: watch.cpp:634 msgid "Disable " msgstr "Disable " -#: watch.cpp:635 +#: watch.cpp:636 msgid "Disable (but don't delete) an entry." msgstr "Deshabilita (pero no elimina) una entrada." -#: watch.cpp:639 +#: watch.cpp:640 msgid "SetDetachedClientOnly " msgstr "SetDetachedClientOnly " -#: watch.cpp:642 +#: watch.cpp:643 msgid "Enable or disable detached client only for an entry." msgstr "Habilita o deshabilita clientes desvinculados solo para una entrada." -#: watch.cpp:646 +#: watch.cpp:647 msgid "SetDetachedChannelOnly " msgstr "SetDetachedChannelOnly " -#: watch.cpp:649 +#: watch.cpp:650 msgid "Enable or disable detached channel only for an entry." msgstr "Habilita o deshabilita canales desvinculados solo para una entrada." -#: watch.cpp:652 +#: watch.cpp:653 msgid "Buffer [Count]" msgstr "Búfer [Count]" -#: watch.cpp:655 +#: watch.cpp:656 msgid "Show/Set the amount of buffered lines while detached." msgstr "" "Muestra/define la cantidad de líneas almacenadas en búfer mientras se está " "desvinculado." -#: watch.cpp:659 +#: watch.cpp:660 msgid "SetSources [#chan priv #foo* !#bar]" msgstr "SetSources [#canal privado #canal* !#canal]" -#: watch.cpp:661 +#: watch.cpp:662 msgid "Set the source channels that you care about." msgstr "Establece los canales fuente a controlar." -#: watch.cpp:664 +#: watch.cpp:665 msgid "Help" msgstr "Ayuda" -#: watch.cpp:665 +#: watch.cpp:666 msgid "This help." msgstr "Esta ayuda." -#: watch.cpp:681 +#: watch.cpp:682 msgid "Entry for {1} already exists." msgstr "La entrada para {1} ya existe." -#: watch.cpp:689 +#: watch.cpp:690 msgid "Adding entry: {1} watching for [{2}] -> {3}" msgstr "Añadiendo entrada: {1} controlando {2} -> {3}" -#: watch.cpp:695 +#: watch.cpp:696 msgid "Watch: Not enough arguments. Try Help" msgstr "Watch: no hay suficientes argumentos, Prueba Help" -#: watch.cpp:764 +#: watch.cpp:765 msgid "WARNING: malformed entry found while loading" msgstr "ATENCIÓN: entrada no válida encontrada durante la carga" -#: watch.cpp:778 +#: watch.cpp:779 msgid "Copy activity from a specific user into a separate window" msgstr "Copia la actividad de un usuario específico en una ventana separada" diff --git a/modules/po/watch.fr_FR.po b/modules/po/watch.fr_FR.po index 7841b5fb..245bee67 100644 --- a/modules/po/watch.fr_FR.po +++ b/modules/po/watch.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/watch.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" @@ -120,130 +120,130 @@ msgstr "" msgid "Id {1} removed." msgstr "" -#: watch.cpp:600 watch.cpp:604 watch.cpp:609 watch.cpp:614 watch.cpp:620 -#: watch.cpp:625 watch.cpp:629 watch.cpp:633 watch.cpp:638 watch.cpp:645 -#: watch.cpp:652 watch.cpp:658 watch.cpp:664 +#: watch.cpp:600 watch.cpp:605 watch.cpp:610 watch.cpp:615 watch.cpp:621 +#: watch.cpp:626 watch.cpp:630 watch.cpp:634 watch.cpp:639 watch.cpp:646 +#: watch.cpp:653 watch.cpp:659 watch.cpp:665 msgid "Command" msgstr "" -#: watch.cpp:601 watch.cpp:605 watch.cpp:610 watch.cpp:616 watch.cpp:621 -#: watch.cpp:626 watch.cpp:630 watch.cpp:634 watch.cpp:641 watch.cpp:648 -#: watch.cpp:654 watch.cpp:660 watch.cpp:665 +#: watch.cpp:601 watch.cpp:606 watch.cpp:611 watch.cpp:617 watch.cpp:622 +#: watch.cpp:627 watch.cpp:631 watch.cpp:635 watch.cpp:642 watch.cpp:649 +#: watch.cpp:655 watch.cpp:661 watch.cpp:666 msgid "Description" msgstr "" -#: watch.cpp:604 +#: watch.cpp:605 msgid "Add [Target] [Pattern]" msgstr "" -#: watch.cpp:606 +#: watch.cpp:607 msgid "Used to add an entry to watch for." msgstr "" -#: watch.cpp:609 +#: watch.cpp:610 msgid "List" msgstr "" -#: watch.cpp:611 +#: watch.cpp:612 msgid "List all entries being watched." msgstr "" -#: watch.cpp:614 +#: watch.cpp:615 msgid "Dump" msgstr "" -#: watch.cpp:617 +#: watch.cpp:618 msgid "Dump a list of all current entries to be used later." msgstr "" -#: watch.cpp:620 +#: watch.cpp:621 msgid "Del " msgstr "" -#: watch.cpp:622 +#: watch.cpp:623 msgid "Deletes Id from the list of watched entries." msgstr "" -#: watch.cpp:625 +#: watch.cpp:626 msgid "Clear" msgstr "" -#: watch.cpp:626 +#: watch.cpp:627 msgid "Delete all entries." msgstr "" -#: watch.cpp:629 +#: watch.cpp:630 msgid "Enable " msgstr "" -#: watch.cpp:630 +#: watch.cpp:631 msgid "Enable a disabled entry." msgstr "" -#: watch.cpp:633 +#: watch.cpp:634 msgid "Disable " msgstr "" -#: watch.cpp:635 +#: watch.cpp:636 msgid "Disable (but don't delete) an entry." msgstr "" -#: watch.cpp:639 +#: watch.cpp:640 msgid "SetDetachedClientOnly " msgstr "" -#: watch.cpp:642 +#: watch.cpp:643 msgid "Enable or disable detached client only for an entry." msgstr "" -#: watch.cpp:646 +#: watch.cpp:647 msgid "SetDetachedChannelOnly " msgstr "" -#: watch.cpp:649 +#: watch.cpp:650 msgid "Enable or disable detached channel only for an entry." msgstr "" -#: watch.cpp:652 +#: watch.cpp:653 msgid "Buffer [Count]" msgstr "" -#: watch.cpp:655 +#: watch.cpp:656 msgid "Show/Set the amount of buffered lines while detached." msgstr "" -#: watch.cpp:659 +#: watch.cpp:660 msgid "SetSources [#chan priv #foo* !#bar]" msgstr "" -#: watch.cpp:661 +#: watch.cpp:662 msgid "Set the source channels that you care about." msgstr "" -#: watch.cpp:664 +#: watch.cpp:665 msgid "Help" msgstr "" -#: watch.cpp:665 +#: watch.cpp:666 msgid "This help." msgstr "" -#: watch.cpp:681 +#: watch.cpp:682 msgid "Entry for {1} already exists." msgstr "" -#: watch.cpp:689 +#: watch.cpp:690 msgid "Adding entry: {1} watching for [{2}] -> {3}" msgstr "" -#: watch.cpp:695 +#: watch.cpp:696 msgid "Watch: Not enough arguments. Try Help" msgstr "" -#: watch.cpp:764 +#: watch.cpp:765 msgid "WARNING: malformed entry found while loading" msgstr "" -#: watch.cpp:778 +#: watch.cpp:779 msgid "Copy activity from a specific user into a separate window" msgstr "" diff --git a/modules/po/watch.id_ID.po b/modules/po/watch.id_ID.po index 6797766c..6344cc07 100644 --- a/modules/po/watch.id_ID.po +++ b/modules/po/watch.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/watch.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" @@ -120,130 +120,130 @@ msgstr "" msgid "Id {1} removed." msgstr "" -#: watch.cpp:600 watch.cpp:604 watch.cpp:609 watch.cpp:614 watch.cpp:620 -#: watch.cpp:625 watch.cpp:629 watch.cpp:633 watch.cpp:638 watch.cpp:645 -#: watch.cpp:652 watch.cpp:658 watch.cpp:664 +#: watch.cpp:600 watch.cpp:605 watch.cpp:610 watch.cpp:615 watch.cpp:621 +#: watch.cpp:626 watch.cpp:630 watch.cpp:634 watch.cpp:639 watch.cpp:646 +#: watch.cpp:653 watch.cpp:659 watch.cpp:665 msgid "Command" msgstr "" -#: watch.cpp:601 watch.cpp:605 watch.cpp:610 watch.cpp:616 watch.cpp:621 -#: watch.cpp:626 watch.cpp:630 watch.cpp:634 watch.cpp:641 watch.cpp:648 -#: watch.cpp:654 watch.cpp:660 watch.cpp:665 +#: watch.cpp:601 watch.cpp:606 watch.cpp:611 watch.cpp:617 watch.cpp:622 +#: watch.cpp:627 watch.cpp:631 watch.cpp:635 watch.cpp:642 watch.cpp:649 +#: watch.cpp:655 watch.cpp:661 watch.cpp:666 msgid "Description" msgstr "" -#: watch.cpp:604 +#: watch.cpp:605 msgid "Add [Target] [Pattern]" msgstr "" -#: watch.cpp:606 +#: watch.cpp:607 msgid "Used to add an entry to watch for." msgstr "" -#: watch.cpp:609 +#: watch.cpp:610 msgid "List" msgstr "" -#: watch.cpp:611 +#: watch.cpp:612 msgid "List all entries being watched." msgstr "" -#: watch.cpp:614 +#: watch.cpp:615 msgid "Dump" msgstr "" -#: watch.cpp:617 +#: watch.cpp:618 msgid "Dump a list of all current entries to be used later." msgstr "" -#: watch.cpp:620 +#: watch.cpp:621 msgid "Del " msgstr "" -#: watch.cpp:622 +#: watch.cpp:623 msgid "Deletes Id from the list of watched entries." msgstr "" -#: watch.cpp:625 +#: watch.cpp:626 msgid "Clear" msgstr "" -#: watch.cpp:626 +#: watch.cpp:627 msgid "Delete all entries." msgstr "" -#: watch.cpp:629 +#: watch.cpp:630 msgid "Enable " msgstr "" -#: watch.cpp:630 +#: watch.cpp:631 msgid "Enable a disabled entry." msgstr "" -#: watch.cpp:633 +#: watch.cpp:634 msgid "Disable " msgstr "" -#: watch.cpp:635 +#: watch.cpp:636 msgid "Disable (but don't delete) an entry." msgstr "" -#: watch.cpp:639 +#: watch.cpp:640 msgid "SetDetachedClientOnly " msgstr "" -#: watch.cpp:642 +#: watch.cpp:643 msgid "Enable or disable detached client only for an entry." msgstr "" -#: watch.cpp:646 +#: watch.cpp:647 msgid "SetDetachedChannelOnly " msgstr "" -#: watch.cpp:649 +#: watch.cpp:650 msgid "Enable or disable detached channel only for an entry." msgstr "" -#: watch.cpp:652 +#: watch.cpp:653 msgid "Buffer [Count]" msgstr "" -#: watch.cpp:655 +#: watch.cpp:656 msgid "Show/Set the amount of buffered lines while detached." msgstr "" -#: watch.cpp:659 +#: watch.cpp:660 msgid "SetSources [#chan priv #foo* !#bar]" msgstr "" -#: watch.cpp:661 +#: watch.cpp:662 msgid "Set the source channels that you care about." msgstr "" -#: watch.cpp:664 +#: watch.cpp:665 msgid "Help" msgstr "" -#: watch.cpp:665 +#: watch.cpp:666 msgid "This help." msgstr "" -#: watch.cpp:681 +#: watch.cpp:682 msgid "Entry for {1} already exists." msgstr "" -#: watch.cpp:689 +#: watch.cpp:690 msgid "Adding entry: {1} watching for [{2}] -> {3}" msgstr "" -#: watch.cpp:695 +#: watch.cpp:696 msgid "Watch: Not enough arguments. Try Help" msgstr "" -#: watch.cpp:764 +#: watch.cpp:765 msgid "WARNING: malformed entry found while loading" msgstr "" -#: watch.cpp:778 +#: watch.cpp:779 msgid "Copy activity from a specific user into a separate window" msgstr "" diff --git a/modules/po/watch.nl_NL.po b/modules/po/watch.nl_NL.po index 9fac86fe..ebafa342 100644 --- a/modules/po/watch.nl_NL.po +++ b/modules/po/watch.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/watch.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" @@ -120,130 +120,130 @@ msgstr "Bronnen ingesteld voor Id {1}." msgid "Id {1} removed." msgstr "Id {1} verwijderd." -#: watch.cpp:600 watch.cpp:604 watch.cpp:609 watch.cpp:614 watch.cpp:620 -#: watch.cpp:625 watch.cpp:629 watch.cpp:633 watch.cpp:638 watch.cpp:645 -#: watch.cpp:652 watch.cpp:658 watch.cpp:664 +#: watch.cpp:600 watch.cpp:605 watch.cpp:610 watch.cpp:615 watch.cpp:621 +#: watch.cpp:626 watch.cpp:630 watch.cpp:634 watch.cpp:639 watch.cpp:646 +#: watch.cpp:653 watch.cpp:659 watch.cpp:665 msgid "Command" msgstr "Commando" -#: watch.cpp:601 watch.cpp:605 watch.cpp:610 watch.cpp:616 watch.cpp:621 -#: watch.cpp:626 watch.cpp:630 watch.cpp:634 watch.cpp:641 watch.cpp:648 -#: watch.cpp:654 watch.cpp:660 watch.cpp:665 +#: watch.cpp:601 watch.cpp:606 watch.cpp:611 watch.cpp:617 watch.cpp:622 +#: watch.cpp:627 watch.cpp:631 watch.cpp:635 watch.cpp:642 watch.cpp:649 +#: watch.cpp:655 watch.cpp:661 watch.cpp:666 msgid "Description" msgstr "Beschrijving" -#: watch.cpp:604 +#: watch.cpp:605 msgid "Add [Target] [Pattern]" msgstr "Add [doel] [patroon}" -#: watch.cpp:606 +#: watch.cpp:607 msgid "Used to add an entry to watch for." msgstr "Gebruikt om een gebruiker toe te voegen om naar uit te kijken." -#: watch.cpp:609 +#: watch.cpp:610 msgid "List" msgstr "Lijst" -#: watch.cpp:611 +#: watch.cpp:612 msgid "List all entries being watched." msgstr "Toon alle gebruikers waar naar uitgekeken wordt." -#: watch.cpp:614 +#: watch.cpp:615 msgid "Dump" msgstr "Storten" -#: watch.cpp:617 +#: watch.cpp:618 msgid "Dump a list of all current entries to be used later." msgstr "Stort een lijst met alle huidige gebruikers om later te gebruiken." -#: watch.cpp:620 +#: watch.cpp:621 msgid "Del " msgstr "Del " -#: watch.cpp:622 +#: watch.cpp:623 msgid "Deletes Id from the list of watched entries." msgstr "Verwijdert Id van de lijst van de naar uit te kijken gebruikers." -#: watch.cpp:625 +#: watch.cpp:626 msgid "Clear" msgstr "Wissen" -#: watch.cpp:626 +#: watch.cpp:627 msgid "Delete all entries." msgstr "Verwijder alle gebruikers." -#: watch.cpp:629 +#: watch.cpp:630 msgid "Enable " msgstr "Enable " -#: watch.cpp:630 +#: watch.cpp:631 msgid "Enable a disabled entry." msgstr "Schakel een uitgeschakelde gebruiker in." -#: watch.cpp:633 +#: watch.cpp:634 msgid "Disable " msgstr "Disable " -#: watch.cpp:635 +#: watch.cpp:636 msgid "Disable (but don't delete) an entry." msgstr "Schakel een ingeschakelde gebruiker uit (maar verwijder deze niet)." -#: watch.cpp:639 +#: watch.cpp:640 msgid "SetDetachedClientOnly " msgstr "SetDetachedClientOnly " -#: watch.cpp:642 +#: watch.cpp:643 msgid "Enable or disable detached client only for an entry." msgstr "Schakel een losgekoppelde client in of uit voor een gebruiker." -#: watch.cpp:646 +#: watch.cpp:647 msgid "SetDetachedChannelOnly " msgstr "SetDetachedChannelOnly " -#: watch.cpp:649 +#: watch.cpp:650 msgid "Enable or disable detached channel only for an entry." msgstr "Schakel een losgekoppeld kanaal in of uit voor een gebruiker." -#: watch.cpp:652 +#: watch.cpp:653 msgid "Buffer [Count]" msgstr "Buffer [aantal]" -#: watch.cpp:655 +#: watch.cpp:656 msgid "Show/Set the amount of buffered lines while detached." msgstr "Toon/Stel in de aantal gebufferde regels wanneer losgekoppeld." -#: watch.cpp:659 +#: watch.cpp:660 msgid "SetSources [#chan priv #foo* !#bar]" msgstr "SetSources [#kanaal priv #foo* !#bar]" -#: watch.cpp:661 +#: watch.cpp:662 msgid "Set the source channels that you care about." msgstr "Stel the bronkanalen in waar je om geeft." -#: watch.cpp:664 +#: watch.cpp:665 msgid "Help" msgstr "Help" -#: watch.cpp:665 +#: watch.cpp:666 msgid "This help." msgstr "Deze hulp." -#: watch.cpp:681 +#: watch.cpp:682 msgid "Entry for {1} already exists." msgstr "Gebruiker {1} bestaat al." -#: watch.cpp:689 +#: watch.cpp:690 msgid "Adding entry: {1} watching for [{2}] -> {3}" msgstr "Voeg gebruiker toe: {1}, kijk uit naar [{2}] -> {3}" -#: watch.cpp:695 +#: watch.cpp:696 msgid "Watch: Not enough arguments. Try Help" msgstr "Watch: Niet genoeg argumenten. Probeer Help" -#: watch.cpp:764 +#: watch.cpp:765 msgid "WARNING: malformed entry found while loading" msgstr "WAARSCHUWING: ongeldige gebruiker gevonden terwijl deze geladen werd" -#: watch.cpp:778 +#: watch.cpp:779 msgid "Copy activity from a specific user into a separate window" msgstr "Kopiëer activiteit van een specifieke gebruiker naar een apart venster" diff --git a/modules/po/watch.pot b/modules/po/watch.pot index e9cb7180..65991ded 100644 --- a/modules/po/watch.pot +++ b/modules/po/watch.pot @@ -111,130 +111,130 @@ msgstr "" msgid "Id {1} removed." msgstr "" -#: watch.cpp:600 watch.cpp:604 watch.cpp:609 watch.cpp:614 watch.cpp:620 -#: watch.cpp:625 watch.cpp:629 watch.cpp:633 watch.cpp:638 watch.cpp:645 -#: watch.cpp:652 watch.cpp:658 watch.cpp:664 +#: watch.cpp:600 watch.cpp:605 watch.cpp:610 watch.cpp:615 watch.cpp:621 +#: watch.cpp:626 watch.cpp:630 watch.cpp:634 watch.cpp:639 watch.cpp:646 +#: watch.cpp:653 watch.cpp:659 watch.cpp:665 msgid "Command" msgstr "" -#: watch.cpp:601 watch.cpp:605 watch.cpp:610 watch.cpp:616 watch.cpp:621 -#: watch.cpp:626 watch.cpp:630 watch.cpp:634 watch.cpp:641 watch.cpp:648 -#: watch.cpp:654 watch.cpp:660 watch.cpp:665 +#: watch.cpp:601 watch.cpp:606 watch.cpp:611 watch.cpp:617 watch.cpp:622 +#: watch.cpp:627 watch.cpp:631 watch.cpp:635 watch.cpp:642 watch.cpp:649 +#: watch.cpp:655 watch.cpp:661 watch.cpp:666 msgid "Description" msgstr "" -#: watch.cpp:604 +#: watch.cpp:605 msgid "Add [Target] [Pattern]" msgstr "" -#: watch.cpp:606 +#: watch.cpp:607 msgid "Used to add an entry to watch for." msgstr "" -#: watch.cpp:609 +#: watch.cpp:610 msgid "List" msgstr "" -#: watch.cpp:611 +#: watch.cpp:612 msgid "List all entries being watched." msgstr "" -#: watch.cpp:614 +#: watch.cpp:615 msgid "Dump" msgstr "" -#: watch.cpp:617 +#: watch.cpp:618 msgid "Dump a list of all current entries to be used later." msgstr "" -#: watch.cpp:620 +#: watch.cpp:621 msgid "Del " msgstr "" -#: watch.cpp:622 +#: watch.cpp:623 msgid "Deletes Id from the list of watched entries." msgstr "" -#: watch.cpp:625 +#: watch.cpp:626 msgid "Clear" msgstr "" -#: watch.cpp:626 +#: watch.cpp:627 msgid "Delete all entries." msgstr "" -#: watch.cpp:629 +#: watch.cpp:630 msgid "Enable " msgstr "" -#: watch.cpp:630 +#: watch.cpp:631 msgid "Enable a disabled entry." msgstr "" -#: watch.cpp:633 +#: watch.cpp:634 msgid "Disable " msgstr "" -#: watch.cpp:635 +#: watch.cpp:636 msgid "Disable (but don't delete) an entry." msgstr "" -#: watch.cpp:639 +#: watch.cpp:640 msgid "SetDetachedClientOnly " msgstr "" -#: watch.cpp:642 +#: watch.cpp:643 msgid "Enable or disable detached client only for an entry." msgstr "" -#: watch.cpp:646 +#: watch.cpp:647 msgid "SetDetachedChannelOnly " msgstr "" -#: watch.cpp:649 +#: watch.cpp:650 msgid "Enable or disable detached channel only for an entry." msgstr "" -#: watch.cpp:652 +#: watch.cpp:653 msgid "Buffer [Count]" msgstr "" -#: watch.cpp:655 +#: watch.cpp:656 msgid "Show/Set the amount of buffered lines while detached." msgstr "" -#: watch.cpp:659 +#: watch.cpp:660 msgid "SetSources [#chan priv #foo* !#bar]" msgstr "" -#: watch.cpp:661 +#: watch.cpp:662 msgid "Set the source channels that you care about." msgstr "" -#: watch.cpp:664 +#: watch.cpp:665 msgid "Help" msgstr "" -#: watch.cpp:665 +#: watch.cpp:666 msgid "This help." msgstr "" -#: watch.cpp:681 +#: watch.cpp:682 msgid "Entry for {1} already exists." msgstr "" -#: watch.cpp:689 +#: watch.cpp:690 msgid "Adding entry: {1} watching for [{2}] -> {3}" msgstr "" -#: watch.cpp:695 +#: watch.cpp:696 msgid "Watch: Not enough arguments. Try Help" msgstr "" -#: watch.cpp:764 +#: watch.cpp:765 msgid "WARNING: malformed entry found while loading" msgstr "" -#: watch.cpp:778 +#: watch.cpp:779 msgid "Copy activity from a specific user into a separate window" msgstr "" diff --git a/modules/po/watch.pt_BR.po b/modules/po/watch.pt_BR.po index b0868de5..6feb19e8 100644 --- a/modules/po/watch.pt_BR.po +++ b/modules/po/watch.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/watch.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" @@ -120,130 +120,130 @@ msgstr "" msgid "Id {1} removed." msgstr "" -#: watch.cpp:600 watch.cpp:604 watch.cpp:609 watch.cpp:614 watch.cpp:620 -#: watch.cpp:625 watch.cpp:629 watch.cpp:633 watch.cpp:638 watch.cpp:645 -#: watch.cpp:652 watch.cpp:658 watch.cpp:664 +#: watch.cpp:600 watch.cpp:605 watch.cpp:610 watch.cpp:615 watch.cpp:621 +#: watch.cpp:626 watch.cpp:630 watch.cpp:634 watch.cpp:639 watch.cpp:646 +#: watch.cpp:653 watch.cpp:659 watch.cpp:665 msgid "Command" msgstr "" -#: watch.cpp:601 watch.cpp:605 watch.cpp:610 watch.cpp:616 watch.cpp:621 -#: watch.cpp:626 watch.cpp:630 watch.cpp:634 watch.cpp:641 watch.cpp:648 -#: watch.cpp:654 watch.cpp:660 watch.cpp:665 +#: watch.cpp:601 watch.cpp:606 watch.cpp:611 watch.cpp:617 watch.cpp:622 +#: watch.cpp:627 watch.cpp:631 watch.cpp:635 watch.cpp:642 watch.cpp:649 +#: watch.cpp:655 watch.cpp:661 watch.cpp:666 msgid "Description" msgstr "" -#: watch.cpp:604 +#: watch.cpp:605 msgid "Add [Target] [Pattern]" msgstr "" -#: watch.cpp:606 +#: watch.cpp:607 msgid "Used to add an entry to watch for." msgstr "" -#: watch.cpp:609 +#: watch.cpp:610 msgid "List" msgstr "" -#: watch.cpp:611 +#: watch.cpp:612 msgid "List all entries being watched." msgstr "" -#: watch.cpp:614 +#: watch.cpp:615 msgid "Dump" msgstr "" -#: watch.cpp:617 +#: watch.cpp:618 msgid "Dump a list of all current entries to be used later." msgstr "" -#: watch.cpp:620 +#: watch.cpp:621 msgid "Del " msgstr "" -#: watch.cpp:622 +#: watch.cpp:623 msgid "Deletes Id from the list of watched entries." msgstr "" -#: watch.cpp:625 +#: watch.cpp:626 msgid "Clear" msgstr "" -#: watch.cpp:626 +#: watch.cpp:627 msgid "Delete all entries." msgstr "" -#: watch.cpp:629 +#: watch.cpp:630 msgid "Enable " msgstr "" -#: watch.cpp:630 +#: watch.cpp:631 msgid "Enable a disabled entry." msgstr "" -#: watch.cpp:633 +#: watch.cpp:634 msgid "Disable " msgstr "" -#: watch.cpp:635 +#: watch.cpp:636 msgid "Disable (but don't delete) an entry." msgstr "" -#: watch.cpp:639 +#: watch.cpp:640 msgid "SetDetachedClientOnly " msgstr "" -#: watch.cpp:642 +#: watch.cpp:643 msgid "Enable or disable detached client only for an entry." msgstr "" -#: watch.cpp:646 +#: watch.cpp:647 msgid "SetDetachedChannelOnly " msgstr "" -#: watch.cpp:649 +#: watch.cpp:650 msgid "Enable or disable detached channel only for an entry." msgstr "" -#: watch.cpp:652 +#: watch.cpp:653 msgid "Buffer [Count]" msgstr "" -#: watch.cpp:655 +#: watch.cpp:656 msgid "Show/Set the amount of buffered lines while detached." msgstr "" -#: watch.cpp:659 +#: watch.cpp:660 msgid "SetSources [#chan priv #foo* !#bar]" msgstr "" -#: watch.cpp:661 +#: watch.cpp:662 msgid "Set the source channels that you care about." msgstr "" -#: watch.cpp:664 +#: watch.cpp:665 msgid "Help" msgstr "" -#: watch.cpp:665 +#: watch.cpp:666 msgid "This help." msgstr "" -#: watch.cpp:681 +#: watch.cpp:682 msgid "Entry for {1} already exists." msgstr "" -#: watch.cpp:689 +#: watch.cpp:690 msgid "Adding entry: {1} watching for [{2}] -> {3}" msgstr "" -#: watch.cpp:695 +#: watch.cpp:696 msgid "Watch: Not enough arguments. Try Help" msgstr "" -#: watch.cpp:764 +#: watch.cpp:765 msgid "WARNING: malformed entry found while loading" msgstr "" -#: watch.cpp:778 +#: watch.cpp:779 msgid "Copy activity from a specific user into a separate window" msgstr "" diff --git a/modules/po/watch.ru_RU.po b/modules/po/watch.ru_RU.po index f0fed480..ea382bad 100644 --- a/modules/po/watch.ru_RU.po +++ b/modules/po/watch.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/watch.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" @@ -122,130 +122,130 @@ msgstr "" msgid "Id {1} removed." msgstr "" -#: watch.cpp:600 watch.cpp:604 watch.cpp:609 watch.cpp:614 watch.cpp:620 -#: watch.cpp:625 watch.cpp:629 watch.cpp:633 watch.cpp:638 watch.cpp:645 -#: watch.cpp:652 watch.cpp:658 watch.cpp:664 +#: watch.cpp:600 watch.cpp:605 watch.cpp:610 watch.cpp:615 watch.cpp:621 +#: watch.cpp:626 watch.cpp:630 watch.cpp:634 watch.cpp:639 watch.cpp:646 +#: watch.cpp:653 watch.cpp:659 watch.cpp:665 msgid "Command" msgstr "" -#: watch.cpp:601 watch.cpp:605 watch.cpp:610 watch.cpp:616 watch.cpp:621 -#: watch.cpp:626 watch.cpp:630 watch.cpp:634 watch.cpp:641 watch.cpp:648 -#: watch.cpp:654 watch.cpp:660 watch.cpp:665 +#: watch.cpp:601 watch.cpp:606 watch.cpp:611 watch.cpp:617 watch.cpp:622 +#: watch.cpp:627 watch.cpp:631 watch.cpp:635 watch.cpp:642 watch.cpp:649 +#: watch.cpp:655 watch.cpp:661 watch.cpp:666 msgid "Description" msgstr "" -#: watch.cpp:604 +#: watch.cpp:605 msgid "Add [Target] [Pattern]" msgstr "" -#: watch.cpp:606 +#: watch.cpp:607 msgid "Used to add an entry to watch for." msgstr "" -#: watch.cpp:609 +#: watch.cpp:610 msgid "List" msgstr "" -#: watch.cpp:611 +#: watch.cpp:612 msgid "List all entries being watched." msgstr "" -#: watch.cpp:614 +#: watch.cpp:615 msgid "Dump" msgstr "" -#: watch.cpp:617 +#: watch.cpp:618 msgid "Dump a list of all current entries to be used later." msgstr "" -#: watch.cpp:620 +#: watch.cpp:621 msgid "Del " msgstr "" -#: watch.cpp:622 +#: watch.cpp:623 msgid "Deletes Id from the list of watched entries." msgstr "" -#: watch.cpp:625 +#: watch.cpp:626 msgid "Clear" msgstr "" -#: watch.cpp:626 +#: watch.cpp:627 msgid "Delete all entries." msgstr "" -#: watch.cpp:629 +#: watch.cpp:630 msgid "Enable " msgstr "" -#: watch.cpp:630 +#: watch.cpp:631 msgid "Enable a disabled entry." msgstr "" -#: watch.cpp:633 +#: watch.cpp:634 msgid "Disable " msgstr "" -#: watch.cpp:635 +#: watch.cpp:636 msgid "Disable (but don't delete) an entry." msgstr "" -#: watch.cpp:639 +#: watch.cpp:640 msgid "SetDetachedClientOnly " msgstr "" -#: watch.cpp:642 +#: watch.cpp:643 msgid "Enable or disable detached client only for an entry." msgstr "" -#: watch.cpp:646 +#: watch.cpp:647 msgid "SetDetachedChannelOnly " msgstr "" -#: watch.cpp:649 +#: watch.cpp:650 msgid "Enable or disable detached channel only for an entry." msgstr "" -#: watch.cpp:652 +#: watch.cpp:653 msgid "Buffer [Count]" msgstr "" -#: watch.cpp:655 +#: watch.cpp:656 msgid "Show/Set the amount of buffered lines while detached." msgstr "" -#: watch.cpp:659 +#: watch.cpp:660 msgid "SetSources [#chan priv #foo* !#bar]" msgstr "" -#: watch.cpp:661 +#: watch.cpp:662 msgid "Set the source channels that you care about." msgstr "" -#: watch.cpp:664 +#: watch.cpp:665 msgid "Help" msgstr "" -#: watch.cpp:665 +#: watch.cpp:666 msgid "This help." msgstr "" -#: watch.cpp:681 +#: watch.cpp:682 msgid "Entry for {1} already exists." msgstr "" -#: watch.cpp:689 +#: watch.cpp:690 msgid "Adding entry: {1} watching for [{2}] -> {3}" msgstr "" -#: watch.cpp:695 +#: watch.cpp:696 msgid "Watch: Not enough arguments. Try Help" msgstr "" -#: watch.cpp:764 +#: watch.cpp:765 msgid "WARNING: malformed entry found while loading" msgstr "" -#: watch.cpp:778 +#: watch.cpp:779 msgid "Copy activity from a specific user into a separate window" msgstr "" diff --git a/modules/po/webadmin.bg_BG.po b/modules/po/webadmin.bg_BG.po new file mode 100644 index 00000000..8b39386c --- /dev/null +++ b/modules/po/webadmin.bg_BG.po @@ -0,0 +1,1209 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /master/modules/po/webadmin.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:12 +msgid "Channel Info" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:17 +msgid "Channel Name:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:19 +msgid "The channel name." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:24 +msgid "Key:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:26 +msgid "The password of the channel, if there is one." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:30 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:241 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:260 +msgid "Buffer Size:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:32 +msgid "The buffer count." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:36 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:235 +msgid "Default Modes:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:38 +msgid "The default modes of the channel." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:46 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:270 +msgid "Flags" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:51 +msgid "Save to config" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:67 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:282 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:410 +msgid "Module {1}" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:75 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:290 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:419 +msgid "Save and return" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:76 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:291 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:420 +msgid "Save and continue" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:78 +msgid "Add Channel and return" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:79 +msgid "Add Channel and continue" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:8 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:11 +msgid "<password>" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:11 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:12 +msgid "<network>" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:14 +msgid "" +"To connect to this network from your IRC client, you can set the server " +"password field as {1} or username field as {2}" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:24 +msgid "Network Info" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:25 +msgid "" +"Nick, AltNick, Ident, RealName, BindHost can be left empty to use the value " +"from the user." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:29 +msgid "Network Name:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:31 +msgid "The name of the IRC network." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:35 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:69 +msgid "Nickname:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:37 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:71 +msgid "Your nickname on IRC." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:40 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:74 +msgid "Alt. Nickname:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:42 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:76 +msgid "Your secondary nickname, if the first is not available on IRC." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:46 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:80 +msgid "Ident:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:48 +msgid "Your ident." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:51 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:91 +msgid "Realname:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:53 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:93 +msgid "Your real name." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:58 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:99 +msgid "BindHost:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:65 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:112 +msgid "Quit Message:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:67 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:114 +msgid "You may define a Message shown, when you quit IRC." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:71 +msgid "Active:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:73 +msgid "Connect to IRC & automatically re-connect" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:77 +msgid "Trust all certs:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:79 +msgid "" +"Disable certificate validation (takes precedence over TrustPKI). INSECURE!" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:83 +msgid "Trust the PKI:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:85 +msgid "" +"Setting this to false will trust only certificates you added fingerprints " +"for." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:89 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:96 +msgid "Servers of this IRC network:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:93 +msgid "One server per line, “host [[+]port] [password]”, + means SSL" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:101 +msgid "Hostname" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:102 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:13 +msgid "Port" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:103 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:15 +msgid "SSL" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:104 +msgid "Password" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:116 +msgid "SHA-256 fingerprints of trusted SSL certificates of this IRC network:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:120 +msgid "" +"When these certificates are encountered, checks for hostname, expiration " +"date, CA are skipped" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:124 +msgid "Flood protection:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:127 +msgid "" +"You might enable the flood protection. This prevents “excess flood” errors, " +"which occur, when your IRC bot is command flooded or spammed. After changing " +"this, reconnect ZNC to server." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:130 +msgctxt "Flood Protection" +msgid "Enabled" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:134 +msgid "Flood protection rate:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:137 +msgid "" +"The number of seconds per line. After changing this, reconnect ZNC to server." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:140 +msgid "{1} seconds per line" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:144 +msgid "Flood protection burst:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:147 +msgid "" +"Defines the number of lines, which can be sent immediately. After changing " +"this, reconnect ZNC to server." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:150 +msgid "{1} lines can be sent immediately" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:154 +msgid "Channel join delay:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:157 +msgid "" +"Defines the delay in seconds, until channels are joined after getting " +"connected." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:160 +msgid "{1} seconds" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:165 +msgid "Character encoding used between ZNC and IRC server." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:166 +msgid "Server encoding:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:176 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:231 +msgid "Channels" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:178 +msgid "" +"You will be able to add + modify channels here after you created the network." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:185 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:129 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:354 +#: modules/po/../data/webadmin/tmpl/listusers.tmpl:15 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:72 +msgid "Add" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:187 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:430 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:237 +msgid "Save" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:188 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:228 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:131 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:174 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:176 +msgid "Name" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:189 +msgid "CurModes" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:190 +msgid "DefModes" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:191 +msgid "BufferSize" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:192 +msgid "Options" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:194 +msgid "← Add a channel (opens in same page)" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:204 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:146 +#: modules/po/../data/webadmin/tmpl/listusers.tmpl:27 +msgid "Edit" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:204 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:146 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:53 +msgid "Del" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:222 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:168 +msgid "Modules" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:229 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:175 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:177 +msgid "Arguments" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:230 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:176 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:178 +msgid "Description" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:231 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:177 +msgid "Loaded globally" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:232 +msgid "Loaded by user" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:293 +msgid "Add Network and return" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:294 +msgid "Add Network and continue" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:15 +msgid "Authentication" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:19 +msgid "Username:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:29 +msgid "Please enter a username." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:34 +msgid "Password:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:36 +msgid "Please enter a password." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:39 +msgid "Confirm password:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:41 +msgid "Please re-type the above password." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:44 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:151 +msgid "Auth Only Via Module:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:46 +msgid "" +"Allow user authentication by external modules only, disabling built-in " +"password authentication." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:50 +msgid "Allowed IPs:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:54 +msgid "" +"Leave empty to allow connections from all IPs.
Otherwise, one entry per " +"line, wildcards * and ? are available." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:62 +msgid "IRC Information" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:64 +msgid "" +"Nick, AltNick, Ident, RealName and QuitMsg can be left empty to use default " +"values." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:82 +msgid "The Ident is sent to server as username." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:85 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:102 +msgid "Status Prefix:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:87 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:104 +msgid "The prefix for the status and module queries." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:105 +msgid "DCCBindHost:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:122 +#: modules/po/../data/webadmin/tmpl/listusers.tmpl:17 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:39 +msgid "Networks" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:132 +#: modules/po/../data/webadmin/tmpl/listusers.tmpl:18 +msgid "Clients" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:133 +msgid "Current Server" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:134 +msgid "Nick" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:136 +msgid "← Add a network (opens in same page)" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:160 +msgid "" +"You will be able to add + modify networks here after you have cloned the " +"user." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:162 +msgid "" +"You will be able to add + modify networks here after you have created the " +"user." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:178 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:179 +msgid "Loaded by networks" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:237 +msgid "" +"These are the default modes ZNC will set when you join an empty channel." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:238 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:244 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:263 +msgid "Empty = use standard value" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:243 +msgid "" +"This is the amount of lines that the playback buffer will store for channels " +"before dropping off the oldest line. The buffers are stored in the memory by " +"default." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:251 +msgid "Queries" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:255 +msgid "Max Buffers:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:257 +msgid "Maximum number of query buffers. 0 is unlimited." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:262 +msgid "" +"This is the amount of lines that the playback buffer will store for queries " +"before dropping off the oldest line. The buffers are stored in the memory by " +"default." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:285 +msgid "ZNC Behavior" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:286 +msgid "" +"Any of the following text boxes can be left empty to use their default value." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:290 +msgid "Timestamp Format:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:292 +msgid "" +"The format for the timestamps used in buffers, for example [%H:%M:%S]. This " +"setting is ignored in new IRC clients, which use server-time. If your client " +"supports server-time, change timestamp format in client settings instead." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:295 +msgid "Timezone:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:298 +msgid "E.g. Europe/Berlin, or GMT-6" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:306 +msgid "Character encoding used between IRC client and ZNC." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:307 +msgid "Client encoding:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:312 +msgid "Join Tries:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:314 +msgid "" +"This defines how many times ZNC tries to join a channel, if the first join " +"failed, e.g. due to channel mode +i/+k or if you are banned." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:317 +msgid "Join speed:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:319 +msgid "" +"How many channels are joined in one JOIN command. 0 is unlimited (default). " +"Set to small positive value if you get disconnected with “Max SendQ Exceeded”" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:322 +msgid "Timeout before reconnect:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:324 +msgid "" +"How much time ZNC waits (in seconds) until it receives something from " +"network or declares the connection timeout. This happens after attempts to " +"ping the peer." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:327 +msgid "Max IRC Networks Number:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:329 +msgid "Maximum number of IRC networks allowed for this user." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:332 +msgid "Substitutions" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:334 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:342 +msgid "CTCP Replies:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:338 +msgid "One reply per line. Example: TIME Buy a watch!" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:339 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:355 +msgid "{1} are available" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:341 +msgid "Empty value means this CTCP request will be ignored" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:347 +msgid "Request" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:348 +msgid "Response" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:373 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:90 +msgid "Skin:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:377 +msgid "- Global -" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:379 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:94 +msgid "Default" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:383 +msgid "No other skins found" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:389 +msgid "Language:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:422 +msgid "Clone and return" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:423 +msgid "Clone and continue" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:425 +msgid "Create and return" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:426 +msgid "Create and continue" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:432 +#: modules/po/../data/webadmin/tmpl/listusers.tmpl:28 +msgid "Clone" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:434 +msgid "Create" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/del_network.tmpl:5 +msgid "Confirm Network Deletion" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/del_network.tmpl:9 +msgid "Are you sure you want to delete network “{2}” of user “{1}”?" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/del_network.tmpl:14 +#: modules/po/../data/webadmin/tmpl/del_user.tmpl:14 +msgid "Yes" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/del_network.tmpl:17 +#: modules/po/../data/webadmin/tmpl/del_user.tmpl:17 +msgid "No" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/del_user.tmpl:5 +msgid "Confirm User Deletion" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/del_user.tmpl:9 +msgid "Are you sure you want to delete user “{1}”?" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:6 +msgid "ZNC is compiled without encodings support. {1} is required for it." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:11 +msgid "Legacy mode is disabled by modpython." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:18 +msgid "Don't ensure any encoding at all (legacy mode, not recommended)" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:22 +msgid "Try to parse as UTF-8 and as {1}, send as UTF-8 (recommended)" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:26 +msgid "Try to parse as UTF-8 and as {1}, send as {1}" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:30 +msgid "Parse and send as {1} only" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:36 +msgid "E.g. UTF-8, or ISO-8859-15" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/index.tmpl:5 +msgid "Welcome to the ZNC webadmin module." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/index.tmpl:6 +msgid "" +"All changes you make will be in effect immediately after you submitted them." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/listusers.tmpl:16 +msgid "Username" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/listusers.tmpl:29 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:21 +msgid "Delete" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:6 +msgid "Listen Port(s)" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:14 +msgid "BindHost" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:16 +msgid "IPv4" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:17 +msgid "IPv6" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:18 +msgid "IRC" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:19 +msgid "HTTP" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:20 +msgid "URIPrefix" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:56 +msgid "" +"To delete port which you use to access webadmin itself, either connect to " +"webadmin via another port, or do it in IRC (/znc DelPort)" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:56 +msgid "Current" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:86 +msgid "Settings" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:105 +msgid "Default for new users only." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:110 +msgid "Maximum Buffer Size:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:112 +msgid "Sets the global Max Buffer Size a user can have." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:117 +msgid "Connect Delay:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:119 +msgid "" +"The time between connection attempts to IRC servers, in seconds. This " +"affects the connection between ZNC and the IRC server; not the connection " +"between your IRC client and ZNC." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:124 +msgid "Server Throttle:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:126 +msgid "" +"The minimal time between two connect attempts to the same hostname, in " +"seconds. Some servers refuse your connection if you reconnect too fast." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:131 +msgid "Anonymous Connection Limit per IP:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:133 +msgid "Limits the number of unidentified connections per IP." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:138 +msgid "Protect Web Sessions:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:140 +msgid "Disallow IP changing during each web session" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:145 +msgid "Hide ZNC Version:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:147 +msgid "Hide version number from non-ZNC users" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:153 +msgid "Allow user authentication by external modules only" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:158 +msgid "MOTD:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:162 +msgid "“Message of the Day”, sent to all ZNC users on connect." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:170 +msgid "Global Modules" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:180 +msgid "Loaded by users" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:7 +msgid "Information" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:13 +msgid "Uptime" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:18 +msgid "Total Users" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:22 +msgid "Total Networks" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:26 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:43 +msgid "Attached Networks" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:30 +msgid "Total Client Connections" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:34 +msgid "Total IRC Connections" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:47 +msgid "Client Connections" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:51 +msgid "IRC Connections" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:63 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:72 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:89 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:117 +msgid "Total" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:70 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:115 +msgctxt "Traffic" +msgid "In" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:71 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:116 +msgctxt "Traffic" +msgid "Out" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:77 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:104 +msgid "Users" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:106 +msgid "Traffic" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:113 +msgid "User" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:114 +msgid "Network" +msgstr "" + +#: webadmin.cpp:91 webadmin.cpp:1872 +msgid "Global Settings" +msgstr "" + +#: webadmin.cpp:93 +msgid "Your Settings" +msgstr "" + +#: webadmin.cpp:94 webadmin.cpp:1684 +msgid "Traffic Info" +msgstr "" + +#: webadmin.cpp:97 webadmin.cpp:1663 +msgid "Manage Users" +msgstr "" + +#: webadmin.cpp:188 +msgid "Invalid Submission [Username is required]" +msgstr "" + +#: webadmin.cpp:201 +msgid "Invalid Submission [Passwords do not match]" +msgstr "" + +#: webadmin.cpp:323 +msgid "Timeout can't be less than 30 seconds!" +msgstr "" + +#: webadmin.cpp:407 webadmin.cpp:435 webadmin.cpp:1182 webadmin.cpp:2057 +msgid "Unable to load module [{1}]: {2}" +msgstr "" + +#: webadmin.cpp:412 webadmin.cpp:440 +msgid "Unable to load module [{1}] with arguments [{2}]" +msgstr "" + +#: webadmin.cpp:521 webadmin.cpp:625 webadmin.cpp:650 webadmin.cpp:672 +#: webadmin.cpp:706 webadmin.cpp:1249 +msgid "No such user" +msgstr "" + +#: webadmin.cpp:534 webadmin.cpp:566 webadmin.cpp:595 webadmin.cpp:611 +msgid "No such user or network" +msgstr "" + +#: webadmin.cpp:576 +msgid "No such channel" +msgstr "" + +#: webadmin.cpp:642 +msgid "Please don't delete yourself, suicide is not the answer!" +msgstr "" + +#: webadmin.cpp:715 webadmin.cpp:972 webadmin.cpp:1314 +msgid "Edit User [{1}]" +msgstr "" + +#: webadmin.cpp:719 webadmin.cpp:906 +msgid "Edit Network [{1}]" +msgstr "" + +#: webadmin.cpp:729 +msgid "Edit Channel [{1}] of Network [{2}] of User [{3}]" +msgstr "" + +#: webadmin.cpp:736 +msgid "Edit Channel [{1}]" +msgstr "" + +#: webadmin.cpp:744 +msgid "Add Channel to Network [{1}] of User [{2}]" +msgstr "" + +#: webadmin.cpp:749 +msgid "Add Channel" +msgstr "" + +#: webadmin.cpp:756 webadmin.cpp:1510 +msgid "Auto Clear Chan Buffer" +msgstr "" + +#: webadmin.cpp:758 +msgid "Automatically Clear Channel Buffer After Playback" +msgstr "" + +#: webadmin.cpp:766 +msgid "Detached" +msgstr "" + +#: webadmin.cpp:773 +msgid "Enabled" +msgstr "" + +#: webadmin.cpp:797 +msgid "Channel name is a required argument" +msgstr "" + +#: webadmin.cpp:806 +msgid "Channel [{1}] already exists" +msgstr "" + +#: webadmin.cpp:813 +msgid "Could not add channel [{1}]" +msgstr "" + +#: webadmin.cpp:861 +msgid "Channel was added/modified, but config file was not written" +msgstr "" + +#: webadmin.cpp:888 +msgid "" +"Network number limit reached. Ask an admin to increase the limit for you, or " +"delete unneeded networks from Your Settings." +msgstr "" + +#: webadmin.cpp:903 +msgid "Edit Network [{1}] of User [{2}]" +msgstr "" + +#: webadmin.cpp:910 +msgid "Add Network for User [{1}]" +msgstr "" + +#: webadmin.cpp:911 +msgid "Add Network" +msgstr "" + +#: webadmin.cpp:1073 +msgid "Network name is a required argument" +msgstr "" + +#: webadmin.cpp:1189 webadmin.cpp:2064 +msgid "Unable to reload module [{1}]: {2}" +msgstr "" + +#: webadmin.cpp:1226 +msgid "Network was added/modified, but config file was not written" +msgstr "" + +#: webadmin.cpp:1255 +msgid "That network doesn't exist for this user" +msgstr "" + +#: webadmin.cpp:1272 +msgid "Network was deleted, but config file was not written" +msgstr "" + +#: webadmin.cpp:1286 +msgid "That channel doesn't exist for this network" +msgstr "" + +#: webadmin.cpp:1295 +msgid "Channel was deleted, but config file was not written" +msgstr "" + +#: webadmin.cpp:1323 +msgid "Clone User [{1}]" +msgstr "" + +#: webadmin.cpp:1512 +msgid "" +"Automatically Clear Channel Buffer After Playback (the default value for new " +"channels)" +msgstr "" + +#: webadmin.cpp:1522 +msgid "Multi Clients" +msgstr "" + +#: webadmin.cpp:1529 +msgid "Append Timestamps" +msgstr "" + +#: webadmin.cpp:1536 +msgid "Prepend Timestamps" +msgstr "" + +#: webadmin.cpp:1544 +msgid "Deny LoadMod" +msgstr "" + +#: webadmin.cpp:1551 +msgid "Admin" +msgstr "" + +#: webadmin.cpp:1561 +msgid "Deny SetBindHost" +msgstr "" + +#: webadmin.cpp:1569 +msgid "Auto Clear Query Buffer" +msgstr "" + +#: webadmin.cpp:1571 +msgid "Automatically Clear Query Buffer After Playback" +msgstr "" + +#: webadmin.cpp:1595 +msgid "Invalid Submission: User {1} already exists" +msgstr "" + +#: webadmin.cpp:1617 webadmin.cpp:1628 +msgid "Invalid submission: {1}" +msgstr "" + +#: webadmin.cpp:1623 +msgid "User was added, but config file was not written" +msgstr "" + +#: webadmin.cpp:1634 +msgid "User was edited, but config file was not written" +msgstr "" + +#: webadmin.cpp:1792 +msgid "Choose either IPv4 or IPv6 or both." +msgstr "" + +#: webadmin.cpp:1809 +msgid "Choose either IRC or HTTP or both." +msgstr "" + +#: webadmin.cpp:1822 webadmin.cpp:1858 +msgid "Port was changed, but config file was not written" +msgstr "" + +#: webadmin.cpp:1848 +msgid "Invalid request." +msgstr "" + +#: webadmin.cpp:1862 +msgid "The specified listener was not found." +msgstr "" + +#: webadmin.cpp:2093 +msgid "Settings were changed, but config file was not written" +msgstr "" diff --git a/modules/po/webadmin.de_DE.po b/modules/po/webadmin.de_DE.po index 65414998..10f4aea3 100644 --- a/modules/po/webadmin.de_DE.po +++ b/modules/po/webadmin.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/webadmin.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/webadmin.es_ES.po b/modules/po/webadmin.es_ES.po index bba69585..da0a59d9 100644 --- a/modules/po/webadmin.es_ES.po +++ b/modules/po/webadmin.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/webadmin.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/webadmin.fr_FR.po b/modules/po/webadmin.fr_FR.po index c4b22584..2514a0da 100644 --- a/modules/po/webadmin.fr_FR.po +++ b/modules/po/webadmin.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/webadmin.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/webadmin.id_ID.po b/modules/po/webadmin.id_ID.po index 91574929..0daa3019 100644 --- a/modules/po/webadmin.id_ID.po +++ b/modules/po/webadmin.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/webadmin.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/webadmin.nl_NL.po b/modules/po/webadmin.nl_NL.po index dc5e568f..8c1160fb 100644 --- a/modules/po/webadmin.nl_NL.po +++ b/modules/po/webadmin.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/webadmin.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/webadmin.pt_BR.po b/modules/po/webadmin.pt_BR.po index f1e5ba3c..7f722707 100644 --- a/modules/po/webadmin.pt_BR.po +++ b/modules/po/webadmin.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/webadmin.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/webadmin.ru_RU.po b/modules/po/webadmin.ru_RU.po index 091d8f39..fba18dc5 100644 --- a/modules/po/webadmin.ru_RU.po +++ b/modules/po/webadmin.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/webadmin.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/src/po/znc.bg_BG.po b/src/po/znc.bg_BG.po new file mode 100644 index 00000000..2b1dcd69 --- /dev/null +++ b/src/po/znc.bg_BG.po @@ -0,0 +1,1726 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /master/src/po/znc.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: webskins/_default_/tmpl/InfoBar.tmpl:6 +msgid "Logged in as: {1}" +msgstr "" + +#: webskins/_default_/tmpl/InfoBar.tmpl:8 +msgid "Not logged in" +msgstr "" + +#: webskins/_default_/tmpl/LoginBar.tmpl:3 +msgid "Logout" +msgstr "" + +#: webskins/_default_/tmpl/Menu.tmpl:4 +msgid "Home" +msgstr "" + +#: webskins/_default_/tmpl/Menu.tmpl:7 +msgid "Global Modules" +msgstr "" + +#: webskins/_default_/tmpl/Menu.tmpl:20 +msgid "User Modules" +msgstr "" + +#: webskins/_default_/tmpl/Menu.tmpl:35 +msgid "Network Modules ({1})" +msgstr "" + +#: webskins/_default_/tmpl/index.tmpl:6 +msgid "Welcome to ZNC's web interface!" +msgstr "" + +#: webskins/_default_/tmpl/index.tmpl:11 +msgid "" +"No Web-enabled modules have been loaded. Load modules from IRC (“/msg " +"*status help” and “/msg *status loadmod <module>”). Once you have loaded some Web-enabled modules, the menu will expand." +msgstr "" + +#: znc.cpp:1562 +msgid "User already exists" +msgstr "" + +#: znc.cpp:1670 +msgid "IPv6 is not enabled" +msgstr "" + +#: znc.cpp:1678 +msgid "SSL is not enabled" +msgstr "" + +#: znc.cpp:1686 +msgid "Unable to locate pem file: {1}" +msgstr "" + +#: znc.cpp:1705 +msgid "Invalid port" +msgstr "" + +#: znc.cpp:1821 ClientCommand.cpp:1637 +msgid "Unable to bind: {1}" +msgstr "" + +#: IRCNetwork.cpp:235 +msgid "Jumping servers because this server is no longer in the list" +msgstr "" + +#: IRCNetwork.cpp:669 User.cpp:678 +msgid "Welcome to ZNC" +msgstr "" + +#: IRCNetwork.cpp:757 +msgid "You are currently disconnected from IRC. Use 'connect' to reconnect." +msgstr "" + +#: IRCNetwork.cpp:787 +msgid "This network is being deleted or moved to another user." +msgstr "" + +#: IRCNetwork.cpp:1016 +msgid "The channel {1} could not be joined, disabling it." +msgstr "" + +#: IRCNetwork.cpp:1145 +msgid "Your current server was removed, jumping..." +msgstr "" + +#: IRCNetwork.cpp:1308 +msgid "Cannot connect to {1}, because ZNC is not compiled with SSL support." +msgstr "" + +#: IRCNetwork.cpp:1329 +msgid "Some module aborted the connection attempt" +msgstr "" + +#: IRCSock.cpp:490 +msgid "Error from server: {1}" +msgstr "" + +#: IRCSock.cpp:692 +msgid "ZNC seems to be connected to itself, disconnecting..." +msgstr "" + +#: IRCSock.cpp:739 +msgid "Server {1} redirects us to {2}:{3} with reason: {4}" +msgstr "Сървъра{1} ни пренасочва към {2}:{3} с причина: {4}" + +#: IRCSock.cpp:743 +msgid "Perhaps you want to add it as a new server." +msgstr "" + +#: IRCSock.cpp:973 +msgid "Channel {1} is linked to another channel and was thus disabled." +msgstr "" + +#: IRCSock.cpp:985 +msgid "Switched to SSL (STARTTLS)" +msgstr "" + +#: IRCSock.cpp:1038 +msgid "You quit: {1}" +msgstr "" + +#: IRCSock.cpp:1244 +msgid "Disconnected from IRC. Reconnecting..." +msgstr "" + +#: IRCSock.cpp:1275 +msgid "Cannot connect to IRC ({1}). Retrying..." +msgstr "" + +#: IRCSock.cpp:1278 +msgid "Disconnected from IRC ({1}). Reconnecting..." +msgstr "" + +#: IRCSock.cpp:1308 +msgid "If you trust this certificate, do /znc AddTrustedServerFingerprint {1}" +msgstr "" + +#: IRCSock.cpp:1325 +msgid "IRC connection timed out. Reconnecting..." +msgstr "" + +#: IRCSock.cpp:1337 +msgid "Connection Refused. Reconnecting..." +msgstr "" + +#: IRCSock.cpp:1345 +msgid "Received a too long line from the IRC server!" +msgstr "" + +#: IRCSock.cpp:1449 +msgid "No free nick available" +msgstr "" + +#: IRCSock.cpp:1457 +msgid "No free nick found" +msgstr "" + +#: Client.cpp:74 +msgid "No such module {1}" +msgstr "" + +#: Client.cpp:359 +msgid "A client from {1} attempted to login as you, but was rejected: {2}" +msgstr "" + +#: Client.cpp:394 +msgid "Network {1} doesn't exist." +msgstr "" + +#: Client.cpp:408 +msgid "" +"You have several networks configured, but no network was specified for the " +"connection." +msgstr "" + +#: Client.cpp:411 +msgid "" +"Selecting network {1}. To see list of all configured networks, use /znc " +"ListNetworks" +msgstr "" + +#: Client.cpp:414 +msgid "" +"If you want to choose another network, use /znc JumpNetwork , or " +"connect to ZNC with username {1}/ (instead of just {1})" +msgstr "" + +#: Client.cpp:420 +msgid "" +"You have no networks configured. Use /znc AddNetwork to add one." +msgstr "" + +#: Client.cpp:431 +msgid "Closing link: Timeout" +msgstr "" + +#: Client.cpp:453 +msgid "Closing link: Too long raw line" +msgstr "" + +#: Client.cpp:460 +msgid "" +"You are being disconnected because another user just authenticated as you." +msgstr "" + +#: Client.cpp:1015 +msgid "Your CTCP to {1} got lost, you are not connected to IRC!" +msgstr "" + +#: Client.cpp:1142 +msgid "Your notice to {1} got lost, you are not connected to IRC!" +msgstr "" + +#: Client.cpp:1181 +msgid "Removing channel {1}" +msgstr "" + +#: Client.cpp:1257 +msgid "Your message to {1} got lost, you are not connected to IRC!" +msgstr "" + +#: Client.cpp:1310 Client.cpp:1316 +msgid "Hello. How may I help you?" +msgstr "" + +#: Client.cpp:1330 +msgid "Usage: /attach <#chans>" +msgstr "" + +#: Client.cpp:1337 Client.cpp:1359 ClientCommand.cpp:129 ClientCommand.cpp:151 +msgid "There was {1} channel matching [{2}]" +msgid_plural "There were {1} channels matching [{2}]" +msgstr[0] "" +msgstr[1] "" + +#: Client.cpp:1340 ClientCommand.cpp:132 +msgid "Attached {1} channel" +msgid_plural "Attached {1} channels" +msgstr[0] "" +msgstr[1] "" + +#: Client.cpp:1352 +msgid "Usage: /detach <#chans>" +msgstr "" + +#: Client.cpp:1362 ClientCommand.cpp:154 +msgid "Detached {1} channel" +msgid_plural "Detached {1} channels" +msgstr[0] "" +msgstr[1] "" + +#: Chan.cpp:638 +msgid "Buffer Playback..." +msgstr "" + +#: Chan.cpp:676 +msgid "Playback Complete." +msgstr "" + +#: Modules.cpp:528 +msgctxt "modhelpcmd" +msgid "" +msgstr "" + +#: Modules.cpp:529 +msgctxt "modhelpcmd" +msgid "Generate this output" +msgstr "" + +#: Modules.cpp:573 ClientCommand.cpp:1904 +msgid "No matches for '{1}'" +msgstr "" + +#: Modules.cpp:691 +msgid "This module doesn't implement any commands." +msgstr "" + +#: Modules.cpp:693 +msgid "Unknown command!" +msgstr "" + +#: Modules.cpp:1633 +msgid "" +"Module names can only contain letters, numbers and underscores, [{1}] is " +"invalid" +msgstr "" + +#: Modules.cpp:1652 +msgid "Module {1} already loaded." +msgstr "" + +#: Modules.cpp:1666 +msgid "Unable to find module {1}" +msgstr "" + +#: Modules.cpp:1678 +msgid "Module {1} does not support module type {2}." +msgstr "" + +#: Modules.cpp:1685 +msgid "Module {1} requires a user." +msgstr "" + +#: Modules.cpp:1691 +msgid "Module {1} requires a network." +msgstr "" + +#: Modules.cpp:1707 +msgid "Caught an exception" +msgstr "" + +#: Modules.cpp:1713 +msgid "Module {1} aborted: {2}" +msgstr "" + +#: Modules.cpp:1715 +msgid "Module {1} aborted." +msgstr "" + +#: Modules.cpp:1739 Modules.cpp:1781 +msgid "Module [{1}] not loaded." +msgstr "" + +#: Modules.cpp:1763 +msgid "Module {1} unloaded." +msgstr "" + +#: Modules.cpp:1768 +msgid "Unable to unload module {1}." +msgstr "" + +#: Modules.cpp:1797 +msgid "Reloaded module {1}." +msgstr "" + +#: Modules.cpp:1816 +msgid "Unable to find module {1}." +msgstr "" + +#: Modules.cpp:1963 +msgid "Unknown error" +msgstr "" + +#: Modules.cpp:1964 +msgid "Unable to open module {1}: {2}" +msgstr "" + +#: Modules.cpp:1973 +msgid "Could not find ZNCModuleEntry in module {1}" +msgstr "" + +#: Modules.cpp:1981 +msgid "" +"Version mismatch for module {1}: core is {2}, module is built for {3}. " +"Recompile this module." +msgstr "" + +#: Modules.cpp:1992 +msgid "" +"Module {1} is built incompatibly: core is '{2}', module is '{3}'. Recompile " +"this module." +msgstr "" + +#: Modules.cpp:2023 Modules.cpp:2029 +msgctxt "modhelpcmd" +msgid "Command" +msgstr "" + +#: Modules.cpp:2024 Modules.cpp:2031 +msgctxt "modhelpcmd" +msgid "Description" +msgstr "" + +#: ClientCommand.cpp:51 ClientCommand.cpp:115 ClientCommand.cpp:137 +#: ClientCommand.cpp:749 ClientCommand.cpp:768 ClientCommand.cpp:794 +#: ClientCommand.cpp:827 ClientCommand.cpp:840 ClientCommand.cpp:853 +#: ClientCommand.cpp:868 ClientCommand.cpp:1329 ClientCommand.cpp:1377 +#: ClientCommand.cpp:1409 ClientCommand.cpp:1420 ClientCommand.cpp:1429 +#: ClientCommand.cpp:1441 +msgid "You must be connected with a network to use this command" +msgstr "" + +#: ClientCommand.cpp:58 +msgid "Usage: ListNicks <#chan>" +msgstr "" + +#: ClientCommand.cpp:65 +msgid "You are not on [{1}]" +msgstr "" + +#: ClientCommand.cpp:70 +msgid "You are not on [{1}] (trying)" +msgstr "" + +#: ClientCommand.cpp:79 +msgid "No nicks on [{1}]" +msgstr "" + +#: ClientCommand.cpp:91 ClientCommand.cpp:106 +msgid "Nick" +msgstr "" + +#: ClientCommand.cpp:92 ClientCommand.cpp:107 +msgid "Ident" +msgstr "" + +#: ClientCommand.cpp:93 ClientCommand.cpp:108 +msgid "Host" +msgstr "" + +#: ClientCommand.cpp:122 +msgid "Usage: Attach <#chans>" +msgstr "" + +#: ClientCommand.cpp:144 +msgid "Usage: Detach <#chans>" +msgstr "" + +#: ClientCommand.cpp:161 +msgid "There is no MOTD set." +msgstr "" + +#: ClientCommand.cpp:167 +msgid "Rehashing succeeded!" +msgstr "" + +#: ClientCommand.cpp:169 +msgid "Rehashing failed: {1}" +msgstr "" + +#: ClientCommand.cpp:173 +msgid "Wrote config to {1}" +msgstr "" + +#: ClientCommand.cpp:175 +msgid "Error while trying to write config." +msgstr "" + +#: ClientCommand.cpp:455 +msgid "Usage: ListChans" +msgstr "" + +#: ClientCommand.cpp:462 +msgid "No such user [{1}]" +msgstr "" + +#: ClientCommand.cpp:468 +msgid "User [{1}] doesn't have network [{2}]" +msgstr "" + +#: ClientCommand.cpp:479 +msgid "There are no channels defined." +msgstr "" + +#: ClientCommand.cpp:484 ClientCommand.cpp:500 +msgctxt "listchans" +msgid "Name" +msgstr "" + +#: ClientCommand.cpp:485 ClientCommand.cpp:503 +msgctxt "listchans" +msgid "Status" +msgstr "" + +#: ClientCommand.cpp:486 ClientCommand.cpp:510 +msgctxt "listchans" +msgid "In config" +msgstr "" + +#: ClientCommand.cpp:487 ClientCommand.cpp:512 +msgctxt "listchans" +msgid "Buffer" +msgstr "" + +#: ClientCommand.cpp:488 ClientCommand.cpp:516 +msgctxt "listchans" +msgid "Clear" +msgstr "" + +#: ClientCommand.cpp:489 ClientCommand.cpp:521 +msgctxt "listchans" +msgid "Modes" +msgstr "" + +#: ClientCommand.cpp:490 ClientCommand.cpp:522 +msgctxt "listchans" +msgid "Users" +msgstr "" + +#: ClientCommand.cpp:505 +msgctxt "listchans" +msgid "Detached" +msgstr "" + +#: ClientCommand.cpp:506 +msgctxt "listchans" +msgid "Joined" +msgstr "" + +#: ClientCommand.cpp:507 +msgctxt "listchans" +msgid "Disabled" +msgstr "" + +#: ClientCommand.cpp:508 +msgctxt "listchans" +msgid "Trying" +msgstr "" + +#: ClientCommand.cpp:511 ClientCommand.cpp:519 +msgctxt "listchans" +msgid "yes" +msgstr "" + +#: ClientCommand.cpp:536 +msgid "Total: {1}, Joined: {2}, Detached: {3}, Disabled: {4}" +msgstr "" + +#: ClientCommand.cpp:541 +msgid "" +"Network number limit reached. Ask an admin to increase the limit for you, or " +"delete unneeded networks using /znc DelNetwork " +msgstr "" + +#: ClientCommand.cpp:550 +msgid "Usage: AddNetwork " +msgstr "" + +#: ClientCommand.cpp:554 +msgid "Network name should be alphanumeric" +msgstr "" + +#: ClientCommand.cpp:561 +msgid "" +"Network added. Use /znc JumpNetwork {1}, or connect to ZNC with username {2} " +"(instead of just {3}) to connect to it." +msgstr "" + +#: ClientCommand.cpp:566 +msgid "Unable to add that network" +msgstr "" + +#: ClientCommand.cpp:573 +msgid "Usage: DelNetwork " +msgstr "" + +#: ClientCommand.cpp:582 +msgid "Network deleted" +msgstr "" + +#: ClientCommand.cpp:585 +msgid "Failed to delete network, perhaps this network doesn't exist" +msgstr "" + +#: ClientCommand.cpp:595 +msgid "User {1} not found" +msgstr "" + +#: ClientCommand.cpp:603 ClientCommand.cpp:611 +msgctxt "listnetworks" +msgid "Network" +msgstr "" + +#: ClientCommand.cpp:604 ClientCommand.cpp:613 ClientCommand.cpp:622 +msgctxt "listnetworks" +msgid "On IRC" +msgstr "" + +#: ClientCommand.cpp:605 ClientCommand.cpp:615 +msgctxt "listnetworks" +msgid "IRC Server" +msgstr "" + +#: ClientCommand.cpp:606 ClientCommand.cpp:617 +msgctxt "listnetworks" +msgid "IRC User" +msgstr "" + +#: ClientCommand.cpp:607 ClientCommand.cpp:619 +msgctxt "listnetworks" +msgid "Channels" +msgstr "" + +#: ClientCommand.cpp:614 +msgctxt "listnetworks" +msgid "Yes" +msgstr "" + +#: ClientCommand.cpp:623 +msgctxt "listnetworks" +msgid "No" +msgstr "" + +#: ClientCommand.cpp:628 +msgctxt "listnetworks" +msgid "No networks" +msgstr "" + +#: ClientCommand.cpp:632 ClientCommand.cpp:936 +msgid "Access denied." +msgstr "" + +#: ClientCommand.cpp:643 +msgid "Usage: MoveNetwork [new network]" +msgstr "" + +#: ClientCommand.cpp:653 +msgid "Old user {1} not found." +msgstr "" + +#: ClientCommand.cpp:659 +msgid "Old network {1} not found." +msgstr "" + +#: ClientCommand.cpp:665 +msgid "New user {1} not found." +msgstr "" + +#: ClientCommand.cpp:670 +msgid "User {1} already has network {2}." +msgstr "" + +#: ClientCommand.cpp:676 +msgid "Invalid network name [{1}]" +msgstr "" + +#: ClientCommand.cpp:692 +msgid "Some files seem to be in {1}. You might want to move them to {2}" +msgstr "" + +#: ClientCommand.cpp:706 +msgid "Error adding network: {1}" +msgstr "" + +#: ClientCommand.cpp:718 +msgid "Success." +msgstr "" + +#: ClientCommand.cpp:721 +msgid "Copied the network to new user, but failed to delete old network" +msgstr "" + +#: ClientCommand.cpp:728 +msgid "No network supplied." +msgstr "" + +#: ClientCommand.cpp:733 +msgid "You are already connected with this network." +msgstr "" + +#: ClientCommand.cpp:739 +msgid "Switched to {1}" +msgstr "" + +#: ClientCommand.cpp:742 +msgid "You don't have a network named {1}" +msgstr "" + +#: ClientCommand.cpp:754 +msgid "Usage: AddServer [[+]port] [pass]" +msgstr "" + +#: ClientCommand.cpp:759 +msgid "Server added" +msgstr "" + +#: ClientCommand.cpp:762 +msgid "" +"Unable to add that server. Perhaps the server is already added or openssl is " +"disabled?" +msgstr "" + +#: ClientCommand.cpp:777 +msgid "Usage: DelServer [port] [pass]" +msgstr "" + +#: ClientCommand.cpp:782 ClientCommand.cpp:822 +msgid "You don't have any servers added." +msgstr "" + +#: ClientCommand.cpp:787 +msgid "Server removed" +msgstr "" + +#: ClientCommand.cpp:789 +msgid "No such server" +msgstr "" + +#: ClientCommand.cpp:802 ClientCommand.cpp:809 +msgctxt "listservers" +msgid "Host" +msgstr "" + +#: ClientCommand.cpp:803 ClientCommand.cpp:811 +msgctxt "listservers" +msgid "Port" +msgstr "" + +#: ClientCommand.cpp:804 ClientCommand.cpp:814 +msgctxt "listservers" +msgid "SSL" +msgstr "" + +#: ClientCommand.cpp:805 ClientCommand.cpp:816 +msgctxt "listservers" +msgid "Password" +msgstr "" + +#: ClientCommand.cpp:815 +msgctxt "listservers|cell" +msgid "SSL" +msgstr "" + +#: ClientCommand.cpp:832 +msgid "Usage: AddTrustedServerFingerprint " +msgstr "" + +#: ClientCommand.cpp:836 ClientCommand.cpp:849 +msgid "Done." +msgstr "" + +#: ClientCommand.cpp:845 +msgid "Usage: DelTrustedServerFingerprint " +msgstr "" + +#: ClientCommand.cpp:858 +msgid "No fingerprints added." +msgstr "" + +#: ClientCommand.cpp:874 ClientCommand.cpp:880 +msgctxt "topicscmd" +msgid "Channel" +msgstr "" + +#: ClientCommand.cpp:875 ClientCommand.cpp:881 +msgctxt "topicscmd" +msgid "Set By" +msgstr "" + +#: ClientCommand.cpp:876 ClientCommand.cpp:882 +msgctxt "topicscmd" +msgid "Topic" +msgstr "" + +#: ClientCommand.cpp:889 ClientCommand.cpp:894 +msgctxt "listmods" +msgid "Name" +msgstr "" + +#: ClientCommand.cpp:890 ClientCommand.cpp:895 +msgctxt "listmods" +msgid "Arguments" +msgstr "" + +#: ClientCommand.cpp:904 +msgid "No global modules loaded." +msgstr "" + +#: ClientCommand.cpp:906 ClientCommand.cpp:970 +msgid "Global modules:" +msgstr "" + +#: ClientCommand.cpp:915 +msgid "Your user has no modules loaded." +msgstr "" + +#: ClientCommand.cpp:917 ClientCommand.cpp:982 +msgid "User modules:" +msgstr "" + +#: ClientCommand.cpp:925 +msgid "This network has no modules loaded." +msgstr "" + +#: ClientCommand.cpp:927 ClientCommand.cpp:994 +msgid "Network modules:" +msgstr "" + +#: ClientCommand.cpp:942 ClientCommand.cpp:949 +msgctxt "listavailmods" +msgid "Name" +msgstr "" + +#: ClientCommand.cpp:943 ClientCommand.cpp:954 +msgctxt "listavailmods" +msgid "Description" +msgstr "" + +#: ClientCommand.cpp:968 +msgid "No global modules available." +msgstr "" + +#: ClientCommand.cpp:980 +msgid "No user modules available." +msgstr "" + +#: ClientCommand.cpp:992 +msgid "No network modules available." +msgstr "" + +#: ClientCommand.cpp:1020 +msgid "Unable to load {1}: Access denied." +msgstr "" + +#: ClientCommand.cpp:1026 +msgid "Usage: LoadMod [--type=global|user|network] [args]" +msgstr "" + +#: ClientCommand.cpp:1033 +msgid "Unable to load {1}: {2}" +msgstr "" + +#: ClientCommand.cpp:1043 +msgid "Unable to load global module {1}: Access denied." +msgstr "" + +#: ClientCommand.cpp:1049 +msgid "Unable to load network module {1}: Not connected with a network." +msgstr "" + +#: ClientCommand.cpp:1071 +msgid "Unknown module type" +msgstr "" + +#: ClientCommand.cpp:1076 +msgid "Loaded module {1}" +msgstr "" + +#: ClientCommand.cpp:1078 +msgid "Loaded module {1}: {2}" +msgstr "" + +#: ClientCommand.cpp:1081 +msgid "Unable to load module {1}: {2}" +msgstr "" + +#: ClientCommand.cpp:1104 +msgid "Unable to unload {1}: Access denied." +msgstr "" + +#: ClientCommand.cpp:1110 +msgid "Usage: UnloadMod [--type=global|user|network] " +msgstr "" + +#: ClientCommand.cpp:1119 +msgid "Unable to determine type of {1}: {2}" +msgstr "" + +#: ClientCommand.cpp:1127 +msgid "Unable to unload global module {1}: Access denied." +msgstr "" + +#: ClientCommand.cpp:1134 +msgid "Unable to unload network module {1}: Not connected with a network." +msgstr "" + +#: ClientCommand.cpp:1153 +msgid "Unable to unload module {1}: Unknown module type" +msgstr "" + +#: ClientCommand.cpp:1166 +msgid "Unable to reload modules. Access denied." +msgstr "" + +#: ClientCommand.cpp:1187 +msgid "Usage: ReloadMod [--type=global|user|network] [args]" +msgstr "" + +#: ClientCommand.cpp:1196 +msgid "Unable to reload {1}: {2}" +msgstr "" + +#: ClientCommand.cpp:1204 +msgid "Unable to reload global module {1}: Access denied." +msgstr "" + +#: ClientCommand.cpp:1211 +msgid "Unable to reload network module {1}: Not connected with a network." +msgstr "" + +#: ClientCommand.cpp:1233 +msgid "Unable to reload module {1}: Unknown module type" +msgstr "" + +#: ClientCommand.cpp:1244 +msgid "Usage: UpdateMod " +msgstr "" + +#: ClientCommand.cpp:1248 +msgid "Reloading {1} everywhere" +msgstr "" + +#: ClientCommand.cpp:1250 +msgid "Done" +msgstr "" + +#: ClientCommand.cpp:1253 +msgid "" +"Done, but there were errors, module {1} could not be reloaded everywhere." +msgstr "" + +#: ClientCommand.cpp:1261 +msgid "" +"You must be connected with a network to use this command. Try " +"SetUserBindHost instead" +msgstr "" + +#: ClientCommand.cpp:1268 +msgid "Usage: SetBindHost " +msgstr "" + +#: ClientCommand.cpp:1273 ClientCommand.cpp:1290 +msgid "You already have this bind host!" +msgstr "" + +#: ClientCommand.cpp:1278 +msgid "Set bind host for network {1} to {2}" +msgstr "" + +#: ClientCommand.cpp:1285 +msgid "Usage: SetUserBindHost " +msgstr "" + +#: ClientCommand.cpp:1295 +msgid "Set default bind host to {1}" +msgstr "" + +#: ClientCommand.cpp:1301 +msgid "" +"You must be connected with a network to use this command. Try " +"ClearUserBindHost instead" +msgstr "" + +#: ClientCommand.cpp:1306 +msgid "Bind host cleared for this network." +msgstr "" + +#: ClientCommand.cpp:1310 +msgid "Default bind host cleared for your user." +msgstr "" + +#: ClientCommand.cpp:1313 +msgid "This user's default bind host not set" +msgstr "" + +#: ClientCommand.cpp:1315 +msgid "This user's default bind host is {1}" +msgstr "" + +#: ClientCommand.cpp:1320 +msgid "This network's bind host not set" +msgstr "" + +#: ClientCommand.cpp:1322 +msgid "This network's default bind host is {1}" +msgstr "" + +#: ClientCommand.cpp:1336 +msgid "Usage: PlayBuffer <#chan|query>" +msgstr "" + +#: ClientCommand.cpp:1344 +msgid "You are not on {1}" +msgstr "" + +#: ClientCommand.cpp:1349 +msgid "You are not on {1} (trying to join)" +msgstr "" + +#: ClientCommand.cpp:1354 +msgid "The buffer for channel {1} is empty" +msgstr "" + +#: ClientCommand.cpp:1363 +msgid "No active query with {1}" +msgstr "" + +#: ClientCommand.cpp:1368 +msgid "The buffer for {1} is empty" +msgstr "" + +#: ClientCommand.cpp:1384 +msgid "Usage: ClearBuffer <#chan|query>" +msgstr "" + +#: ClientCommand.cpp:1403 +msgid "{1} buffer matching {2} has been cleared" +msgid_plural "{1} buffers matching {2} have been cleared" +msgstr[0] "" +msgstr[1] "" + +#: ClientCommand.cpp:1416 +msgid "All channel buffers have been cleared" +msgstr "" + +#: ClientCommand.cpp:1425 +msgid "All query buffers have been cleared" +msgstr "" + +#: ClientCommand.cpp:1437 +msgid "All buffers have been cleared" +msgstr "" + +#: ClientCommand.cpp:1448 +msgid "Usage: SetBuffer <#chan|query> [linecount]" +msgstr "" + +#: ClientCommand.cpp:1469 +msgid "Setting buffer size failed for {1} buffer" +msgid_plural "Setting buffer size failed for {1} buffers" +msgstr[0] "" +msgstr[1] "" + +#: ClientCommand.cpp:1472 +msgid "Maximum buffer size is {1} line" +msgid_plural "Maximum buffer size is {1} lines" +msgstr[0] "" +msgstr[1] "" + +#: ClientCommand.cpp:1477 +msgid "Size of every buffer was set to {1} line" +msgid_plural "Size of every buffer was set to {1} lines" +msgstr[0] "" +msgstr[1] "" + +#: ClientCommand.cpp:1487 ClientCommand.cpp:1494 ClientCommand.cpp:1505 +#: ClientCommand.cpp:1514 ClientCommand.cpp:1522 +msgctxt "trafficcmd" +msgid "Username" +msgstr "" + +#: ClientCommand.cpp:1488 ClientCommand.cpp:1495 ClientCommand.cpp:1507 +#: ClientCommand.cpp:1516 ClientCommand.cpp:1524 +msgctxt "trafficcmd" +msgid "In" +msgstr "" + +#: ClientCommand.cpp:1489 ClientCommand.cpp:1497 ClientCommand.cpp:1508 +#: ClientCommand.cpp:1517 ClientCommand.cpp:1525 +msgctxt "trafficcmd" +msgid "Out" +msgstr "" + +#: ClientCommand.cpp:1490 ClientCommand.cpp:1500 ClientCommand.cpp:1510 +#: ClientCommand.cpp:1518 ClientCommand.cpp:1527 +msgctxt "trafficcmd" +msgid "Total" +msgstr "" + +#: ClientCommand.cpp:1506 +msgctxt "trafficcmd" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1515 +msgctxt "trafficcmd" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1523 +msgctxt "trafficcmd" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1532 +msgid "Running for {1}" +msgstr "" + +#: ClientCommand.cpp:1538 +msgid "Unknown command, try 'Help'" +msgstr "" + +#: ClientCommand.cpp:1547 ClientCommand.cpp:1558 +msgctxt "listports" +msgid "Port" +msgstr "" + +#: ClientCommand.cpp:1548 ClientCommand.cpp:1559 +msgctxt "listports" +msgid "BindHost" +msgstr "" + +#: ClientCommand.cpp:1549 ClientCommand.cpp:1562 +msgctxt "listports" +msgid "SSL" +msgstr "" + +#: ClientCommand.cpp:1550 ClientCommand.cpp:1567 +msgctxt "listports" +msgid "Protocol" +msgstr "" + +#: ClientCommand.cpp:1551 ClientCommand.cpp:1574 +msgctxt "listports" +msgid "IRC" +msgstr "" + +#: ClientCommand.cpp:1552 ClientCommand.cpp:1579 +msgctxt "listports" +msgid "Web" +msgstr "" + +#: ClientCommand.cpp:1563 +msgctxt "listports|ssl" +msgid "yes" +msgstr "" + +#: ClientCommand.cpp:1564 +msgctxt "listports|ssl" +msgid "no" +msgstr "" + +#: ClientCommand.cpp:1568 +msgctxt "listports" +msgid "IPv4 and IPv6" +msgstr "" + +#: ClientCommand.cpp:1570 +msgctxt "listports" +msgid "IPv4" +msgstr "" + +#: ClientCommand.cpp:1571 +msgctxt "listports" +msgid "IPv6" +msgstr "" + +#: ClientCommand.cpp:1577 +msgctxt "listports|irc" +msgid "yes" +msgstr "" + +#: ClientCommand.cpp:1578 +msgctxt "listports|irc" +msgid "no" +msgstr "" + +#: ClientCommand.cpp:1582 +msgctxt "listports|irc" +msgid "yes, on {1}" +msgstr "" + +#: ClientCommand.cpp:1584 +msgctxt "listports|web" +msgid "no" +msgstr "" + +#: ClientCommand.cpp:1624 +msgid "" +"Usage: AddPort <[+]port> [bindhost [uriprefix]]" +msgstr "" + +#: ClientCommand.cpp:1640 +msgid "Port added" +msgstr "" + +#: ClientCommand.cpp:1642 +msgid "Couldn't add port" +msgstr "" + +#: ClientCommand.cpp:1648 +msgid "Usage: DelPort [bindhost]" +msgstr "" + +#: ClientCommand.cpp:1657 +msgid "Deleted Port" +msgstr "" + +#: ClientCommand.cpp:1659 +msgid "Unable to find a matching port" +msgstr "" + +#: ClientCommand.cpp:1667 ClientCommand.cpp:1682 +msgctxt "helpcmd" +msgid "Command" +msgstr "" + +#: ClientCommand.cpp:1668 ClientCommand.cpp:1684 +msgctxt "helpcmd" +msgid "Description" +msgstr "" + +#: ClientCommand.cpp:1673 +msgid "" +"In the following list all occurrences of <#chan> support wildcards (* and ?) " +"except ListNicks" +msgstr "" + +#: ClientCommand.cpp:1690 +msgctxt "helpcmd|Version|desc" +msgid "Print which version of ZNC this is" +msgstr "" + +#: ClientCommand.cpp:1693 +msgctxt "helpcmd|ListMods|desc" +msgid "List all loaded modules" +msgstr "" + +#: ClientCommand.cpp:1696 +msgctxt "helpcmd|ListAvailMods|desc" +msgid "List all available modules" +msgstr "" + +#: ClientCommand.cpp:1700 ClientCommand.cpp:1886 +msgctxt "helpcmd|ListChans|desc" +msgid "List all channels" +msgstr "" + +#: ClientCommand.cpp:1703 +msgctxt "helpcmd|ListNicks|args" +msgid "<#chan>" +msgstr "" + +#: ClientCommand.cpp:1704 +msgctxt "helpcmd|ListNicks|desc" +msgid "List all nicks on a channel" +msgstr "" + +#: ClientCommand.cpp:1707 +msgctxt "helpcmd|ListClients|desc" +msgid "List all clients connected to your ZNC user" +msgstr "" + +#: ClientCommand.cpp:1711 +msgctxt "helpcmd|ListServers|desc" +msgid "List all servers of current IRC network" +msgstr "" + +#: ClientCommand.cpp:1715 +msgctxt "helpcmd|AddNetwork|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1716 +msgctxt "helpcmd|AddNetwork|desc" +msgid "Add a network to your user" +msgstr "" + +#: ClientCommand.cpp:1718 +msgctxt "helpcmd|DelNetwork|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1719 +msgctxt "helpcmd|DelNetwork|desc" +msgid "Delete a network from your user" +msgstr "" + +#: ClientCommand.cpp:1721 +msgctxt "helpcmd|ListNetworks|desc" +msgid "List all networks" +msgstr "" + +#: ClientCommand.cpp:1724 +msgctxt "helpcmd|MoveNetwork|args" +msgid " [new network]" +msgstr "" + +#: ClientCommand.cpp:1726 +msgctxt "helpcmd|MoveNetwork|desc" +msgid "Move an IRC network from one user to another" +msgstr "" + +#: ClientCommand.cpp:1730 +msgctxt "helpcmd|JumpNetwork|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1731 +msgctxt "helpcmd|JumpNetwork|desc" +msgid "" +"Jump to another network (Alternatively, you can connect to ZNC several " +"times, using `user/network` as username)" +msgstr "" + +#: ClientCommand.cpp:1736 +msgctxt "helpcmd|AddServer|args" +msgid " [[+]port] [pass]" +msgstr "" + +#: ClientCommand.cpp:1737 +msgctxt "helpcmd|AddServer|desc" +msgid "" +"Add a server to the list of alternate/backup servers of current IRC network." +msgstr "" + +#: ClientCommand.cpp:1741 +msgctxt "helpcmd|DelServer|args" +msgid " [port] [pass]" +msgstr "" + +#: ClientCommand.cpp:1742 +msgctxt "helpcmd|DelServer|desc" +msgid "" +"Remove a server from the list of alternate/backup servers of current IRC " +"network" +msgstr "" + +#: ClientCommand.cpp:1748 +msgctxt "helpcmd|AddTrustedServerFingerprint|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1749 +msgctxt "helpcmd|AddTrustedServerFingerprint|desc" +msgid "" +"Add a trusted server SSL certificate fingerprint (SHA-256) to current IRC " +"network." +msgstr "" + +#: ClientCommand.cpp:1754 +msgctxt "helpcmd|DelTrustedServerFingerprint|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1755 +msgctxt "helpcmd|DelTrustedServerFingerprint|desc" +msgid "Delete a trusted server SSL certificate from current IRC network." +msgstr "" + +#: ClientCommand.cpp:1759 +msgctxt "helpcmd|ListTrustedServerFingerprints|desc" +msgid "List all trusted server SSL certificates of current IRC network." +msgstr "" + +#: ClientCommand.cpp:1762 +msgctxt "helpcmd|EnableChan|args" +msgid "<#chans>" +msgstr "" + +#: ClientCommand.cpp:1763 +msgctxt "helpcmd|EnableChan|desc" +msgid "Enable channels" +msgstr "" + +#: ClientCommand.cpp:1764 +msgctxt "helpcmd|DisableChan|args" +msgid "<#chans>" +msgstr "" + +#: ClientCommand.cpp:1765 +msgctxt "helpcmd|DisableChan|desc" +msgid "Disable channels" +msgstr "" + +#: ClientCommand.cpp:1766 +msgctxt "helpcmd|Attach|args" +msgid "<#chans>" +msgstr "" + +#: ClientCommand.cpp:1767 +msgctxt "helpcmd|Attach|desc" +msgid "Attach to channels" +msgstr "" + +#: ClientCommand.cpp:1768 +msgctxt "helpcmd|Detach|args" +msgid "<#chans>" +msgstr "" + +#: ClientCommand.cpp:1769 +msgctxt "helpcmd|Detach|desc" +msgid "Detach from channels" +msgstr "" + +#: ClientCommand.cpp:1772 +msgctxt "helpcmd|Topics|desc" +msgid "Show topics in all your channels" +msgstr "" + +#: ClientCommand.cpp:1775 +msgctxt "helpcmd|PlayBuffer|args" +msgid "<#chan|query>" +msgstr "" + +#: ClientCommand.cpp:1776 +msgctxt "helpcmd|PlayBuffer|desc" +msgid "Play back the specified buffer" +msgstr "" + +#: ClientCommand.cpp:1778 +msgctxt "helpcmd|ClearBuffer|args" +msgid "<#chan|query>" +msgstr "" + +#: ClientCommand.cpp:1779 +msgctxt "helpcmd|ClearBuffer|desc" +msgid "Clear the specified buffer" +msgstr "" + +#: ClientCommand.cpp:1781 +msgctxt "helpcmd|ClearAllBuffers|desc" +msgid "Clear all channel and query buffers" +msgstr "" + +#: ClientCommand.cpp:1784 +msgctxt "helpcmd|ClearAllChannelBuffers|desc" +msgid "Clear the channel buffers" +msgstr "" + +#: ClientCommand.cpp:1788 +msgctxt "helpcmd|ClearAllQueryBuffers|desc" +msgid "Clear the query buffers" +msgstr "" + +#: ClientCommand.cpp:1790 +msgctxt "helpcmd|SetBuffer|args" +msgid "<#chan|query> [linecount]" +msgstr "" + +#: ClientCommand.cpp:1791 +msgctxt "helpcmd|SetBuffer|desc" +msgid "Set the buffer count" +msgstr "" + +#: ClientCommand.cpp:1795 +msgctxt "helpcmd|SetBindHost|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1796 +msgctxt "helpcmd|SetBindHost|desc" +msgid "Set the bind host for this network" +msgstr "" + +#: ClientCommand.cpp:1800 +msgctxt "helpcmd|SetUserBindHost|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1801 +msgctxt "helpcmd|SetUserBindHost|desc" +msgid "Set the default bind host for this user" +msgstr "" + +#: ClientCommand.cpp:1804 +msgctxt "helpcmd|ClearBindHost|desc" +msgid "Clear the bind host for this network" +msgstr "" + +#: ClientCommand.cpp:1807 +msgctxt "helpcmd|ClearUserBindHost|desc" +msgid "Clear the default bind host for this user" +msgstr "" + +#: ClientCommand.cpp:1813 +msgctxt "helpcmd|ShowBindHost|desc" +msgid "Show currently selected bind host" +msgstr "" + +#: ClientCommand.cpp:1815 +msgctxt "helpcmd|Jump|args" +msgid "[server]" +msgstr "" + +#: ClientCommand.cpp:1816 +msgctxt "helpcmd|Jump|desc" +msgid "Jump to the next or the specified server" +msgstr "" + +#: ClientCommand.cpp:1817 +msgctxt "helpcmd|Disconnect|args" +msgid "[message]" +msgstr "" + +#: ClientCommand.cpp:1818 +msgctxt "helpcmd|Disconnect|desc" +msgid "Disconnect from IRC" +msgstr "" + +#: ClientCommand.cpp:1820 +msgctxt "helpcmd|Connect|desc" +msgid "Reconnect to IRC" +msgstr "" + +#: ClientCommand.cpp:1823 +msgctxt "helpcmd|Uptime|desc" +msgid "Show for how long ZNC has been running" +msgstr "" + +#: ClientCommand.cpp:1827 +msgctxt "helpcmd|LoadMod|args" +msgid "[--type=global|user|network] " +msgstr "" + +#: ClientCommand.cpp:1829 +msgctxt "helpcmd|LoadMod|desc" +msgid "Load a module" +msgstr "" + +#: ClientCommand.cpp:1831 +msgctxt "helpcmd|UnloadMod|args" +msgid "[--type=global|user|network] " +msgstr "" + +#: ClientCommand.cpp:1833 +msgctxt "helpcmd|UnloadMod|desc" +msgid "Unload a module" +msgstr "" + +#: ClientCommand.cpp:1835 +msgctxt "helpcmd|ReloadMod|args" +msgid "[--type=global|user|network] " +msgstr "" + +#: ClientCommand.cpp:1837 +msgctxt "helpcmd|ReloadMod|desc" +msgid "Reload a module" +msgstr "" + +#: ClientCommand.cpp:1840 +msgctxt "helpcmd|UpdateMod|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1841 +msgctxt "helpcmd|UpdateMod|desc" +msgid "Reload a module everywhere" +msgstr "" + +#: ClientCommand.cpp:1847 +msgctxt "helpcmd|ShowMOTD|desc" +msgid "Show ZNC's message of the day" +msgstr "" + +#: ClientCommand.cpp:1851 +msgctxt "helpcmd|SetMOTD|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1852 +msgctxt "helpcmd|SetMOTD|desc" +msgid "Set ZNC's message of the day" +msgstr "" + +#: ClientCommand.cpp:1854 +msgctxt "helpcmd|AddMOTD|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1855 +msgctxt "helpcmd|AddMOTD|desc" +msgid "Append to ZNC's MOTD" +msgstr "" + +#: ClientCommand.cpp:1857 +msgctxt "helpcmd|ClearMOTD|desc" +msgid "Clear ZNC's MOTD" +msgstr "" + +#: ClientCommand.cpp:1860 +msgctxt "helpcmd|ListPorts|desc" +msgid "Show all active listeners" +msgstr "" + +#: ClientCommand.cpp:1862 +msgctxt "helpcmd|AddPort|args" +msgid "<[+]port> [bindhost [uriprefix]]" +msgstr "" + +#: ClientCommand.cpp:1865 +msgctxt "helpcmd|AddPort|desc" +msgid "Add another port for ZNC to listen on" +msgstr "" + +#: ClientCommand.cpp:1869 +msgctxt "helpcmd|DelPort|args" +msgid " [bindhost]" +msgstr "" + +#: ClientCommand.cpp:1870 +msgctxt "helpcmd|DelPort|desc" +msgid "Remove a port from ZNC" +msgstr "" + +#: ClientCommand.cpp:1873 +msgctxt "helpcmd|Rehash|desc" +msgid "Reload global settings, modules, and listeners from znc.conf" +msgstr "" + +#: ClientCommand.cpp:1876 +msgctxt "helpcmd|SaveConfig|desc" +msgid "Save the current settings to disk" +msgstr "" + +#: ClientCommand.cpp:1879 +msgctxt "helpcmd|ListUsers|desc" +msgid "List all ZNC users and their connection status" +msgstr "" + +#: ClientCommand.cpp:1882 +msgctxt "helpcmd|ListAllUserNetworks|desc" +msgid "List all ZNC users and their networks" +msgstr "" + +#: ClientCommand.cpp:1885 +msgctxt "helpcmd|ListChans|args" +msgid "[user ]" +msgstr "" + +#: ClientCommand.cpp:1888 +msgctxt "helpcmd|ListClients|args" +msgid "[user]" +msgstr "" + +#: ClientCommand.cpp:1889 +msgctxt "helpcmd|ListClients|desc" +msgid "List all connected clients" +msgstr "" + +#: ClientCommand.cpp:1891 +msgctxt "helpcmd|Traffic|desc" +msgid "Show basic traffic stats for all ZNC users" +msgstr "" + +#: ClientCommand.cpp:1893 +msgctxt "helpcmd|Broadcast|args" +msgid "[message]" +msgstr "" + +#: ClientCommand.cpp:1894 +msgctxt "helpcmd|Broadcast|desc" +msgid "Broadcast a message to all ZNC users" +msgstr "" + +#: ClientCommand.cpp:1897 +msgctxt "helpcmd|Shutdown|args" +msgid "[message]" +msgstr "" + +#: ClientCommand.cpp:1898 +msgctxt "helpcmd|Shutdown|desc" +msgid "Shut down ZNC completely" +msgstr "" + +#: ClientCommand.cpp:1899 +msgctxt "helpcmd|Restart|args" +msgid "[message]" +msgstr "" + +#: ClientCommand.cpp:1900 +msgctxt "helpcmd|Restart|desc" +msgid "Restart ZNC" +msgstr "" + +#: Socket.cpp:336 +msgid "Can't resolve server hostname" +msgstr "" + +#: Socket.cpp:343 +msgid "" +"Can't resolve bind hostname. Try /znc ClearBindHost and /znc " +"ClearUserBindHost" +msgstr "" + +#: Socket.cpp:348 +msgid "Server address is IPv4-only, but bindhost is IPv6-only" +msgstr "" + +#: Socket.cpp:357 +msgid "Server address is IPv6-only, but bindhost is IPv4-only" +msgstr "" + +#: Socket.cpp:515 +msgid "Some socket reached its max buffer limit and was closed!" +msgstr "" + +#: SSLVerifyHost.cpp:481 +msgid "hostname doesn't match" +msgstr "" + +#: SSLVerifyHost.cpp:485 +msgid "malformed hostname in certificate" +msgstr "" + +#: SSLVerifyHost.cpp:489 +msgid "hostname verification error" +msgstr "" + +#: User.cpp:507 +msgid "" +"Invalid network name. It should be alphanumeric. Not to be confused with " +"server name" +msgstr "" + +#: User.cpp:511 +msgid "Network {1} already exists" +msgstr "" + +#: User.cpp:777 +msgid "" +"You are being disconnected because your IP is no longer allowed to connect " +"to this user" +msgstr "" + +#: User.cpp:912 +msgid "Password is empty" +msgstr "" + +#: User.cpp:917 +msgid "Username is empty" +msgstr "" + +#: User.cpp:922 +msgid "Username is invalid" +msgstr "" + +#: User.cpp:1199 +msgid "Unable to find modinfo {1}: {2}" +msgstr "" diff --git a/src/po/znc.de_DE.po b/src/po/znc.de_DE.po index c1dcdf8e..ccbb5bce 100644 --- a/src/po/znc.de_DE.po +++ b/src/po/znc.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/src/po/znc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" @@ -75,7 +75,7 @@ msgstr "Kann PEM-Datei nicht finden: {1}" msgid "Invalid port" msgstr "Ungültiger Port" -#: znc.cpp:1821 ClientCommand.cpp:1629 +#: znc.cpp:1821 ClientCommand.cpp:1637 msgid "Unable to bind: {1}" msgstr "Kann nicht horchen: {1}" @@ -84,35 +84,35 @@ msgid "Jumping servers because this server is no longer in the list" msgstr "" "Springe zu einem Server, da dieser Server nicht länger in der Liste ist" -#: IRCNetwork.cpp:640 User.cpp:678 +#: IRCNetwork.cpp:669 User.cpp:678 msgid "Welcome to ZNC" msgstr "Willkommen bei ZNC" -#: IRCNetwork.cpp:728 +#: IRCNetwork.cpp:757 msgid "You are currently disconnected from IRC. Use 'connect' to reconnect." msgstr "" "Du bist zur Zeit nicht mit dem IRC verbunden. Verwende 'connect' zum " "Verbinden." -#: IRCNetwork.cpp:758 +#: IRCNetwork.cpp:787 msgid "This network is being deleted or moved to another user." msgstr "" "Dieses Netzwerk wird gelöscht oder zu einem anderen Benutzer verschoben." -#: IRCNetwork.cpp:987 +#: IRCNetwork.cpp:1016 msgid "The channel {1} could not be joined, disabling it." msgstr "Der Kanal {1} konnte nicht betreten werden und wird deaktiviert." -#: IRCNetwork.cpp:1116 +#: IRCNetwork.cpp:1145 msgid "Your current server was removed, jumping..." msgstr "Dein aktueller Server wurde entfernt, springe..." -#: IRCNetwork.cpp:1279 +#: IRCNetwork.cpp:1308 msgid "Cannot connect to {1}, because ZNC is not compiled with SSL support." msgstr "" "Kann nicht zu {1} verbinden, da ZNC ohne SSL-Unterstützung gebaut wurde." -#: IRCNetwork.cpp:1300 +#: IRCNetwork.cpp:1329 msgid "Some module aborted the connection attempt" msgstr "Ein Modul hat den Verbindungsversuch abgebrochen" @@ -311,7 +311,7 @@ msgctxt "modhelpcmd" msgid "Generate this output" msgstr "Erzeuge diese Ausgabe" -#: Modules.cpp:573 ClientCommand.cpp:1894 +#: Modules.cpp:573 ClientCommand.cpp:1904 msgid "No matches for '{1}'" msgstr "Keine Treffer für '{1}'" @@ -324,58 +324,6 @@ msgid "Unknown command!" msgstr "Unbekannter Befehl!" #: Modules.cpp:1633 -msgid "Module {1} already loaded." -msgstr "Modul {1} bereits geladen." - -#: Modules.cpp:1647 -msgid "Unable to find module {1}" -msgstr "Kann Modul {1} nicht finden" - -#: Modules.cpp:1659 -msgid "Module {1} does not support module type {2}." -msgstr "Modul {1} unterstützt den Modultyp {2} nicht." - -#: Modules.cpp:1666 -msgid "Module {1} requires a user." -msgstr "Modul {1} benötigt einen Benutzer." - -#: Modules.cpp:1672 -msgid "Module {1} requires a network." -msgstr "Modul {1} benötigt ein Netzwerk." - -#: Modules.cpp:1688 -msgid "Caught an exception" -msgstr "Eine Ausnahme wurde gefangen" - -#: Modules.cpp:1694 -msgid "Module {1} aborted: {2}" -msgstr "Modul {1} abgebrochen: {2}" - -#: Modules.cpp:1696 -msgid "Module {1} aborted." -msgstr "Modul {1} abgebrochen." - -#: Modules.cpp:1720 Modules.cpp:1762 -msgid "Module [{1}] not loaded." -msgstr "Modul [{1}] ist nicht geladen." - -#: Modules.cpp:1744 -msgid "Module {1} unloaded." -msgstr "Modul {1} entladen." - -#: Modules.cpp:1749 -msgid "Unable to unload module {1}." -msgstr "Kann Modul {1} nicht entladen." - -#: Modules.cpp:1778 -msgid "Reloaded module {1}." -msgstr "Module {1} neu geladen." - -#: Modules.cpp:1793 -msgid "Unable to find module {1}." -msgstr "Kann Modul {1} nicht finden." - -#: Modules.cpp:1919 msgid "" "Module names can only contain letters, numbers and underscores, [{1}] is " "invalid" @@ -383,19 +331,71 @@ msgstr "" "Modulnamen können nur Buchstaben, Zahlen und Unterstriche enthalten, [{1}] " "ist ungültig" -#: Modules.cpp:1943 +#: Modules.cpp:1652 +msgid "Module {1} already loaded." +msgstr "Modul {1} bereits geladen." + +#: Modules.cpp:1666 +msgid "Unable to find module {1}" +msgstr "Kann Modul {1} nicht finden" + +#: Modules.cpp:1678 +msgid "Module {1} does not support module type {2}." +msgstr "Modul {1} unterstützt den Modultyp {2} nicht." + +#: Modules.cpp:1685 +msgid "Module {1} requires a user." +msgstr "Modul {1} benötigt einen Benutzer." + +#: Modules.cpp:1691 +msgid "Module {1} requires a network." +msgstr "Modul {1} benötigt ein Netzwerk." + +#: Modules.cpp:1707 +msgid "Caught an exception" +msgstr "Eine Ausnahme wurde gefangen" + +#: Modules.cpp:1713 +msgid "Module {1} aborted: {2}" +msgstr "Modul {1} abgebrochen: {2}" + +#: Modules.cpp:1715 +msgid "Module {1} aborted." +msgstr "Modul {1} abgebrochen." + +#: Modules.cpp:1739 Modules.cpp:1781 +msgid "Module [{1}] not loaded." +msgstr "Modul [{1}] ist nicht geladen." + +#: Modules.cpp:1763 +msgid "Module {1} unloaded." +msgstr "Modul {1} entladen." + +#: Modules.cpp:1768 +msgid "Unable to unload module {1}." +msgstr "Kann Modul {1} nicht entladen." + +#: Modules.cpp:1797 +msgid "Reloaded module {1}." +msgstr "Module {1} neu geladen." + +#: Modules.cpp:1816 +msgid "Unable to find module {1}." +msgstr "Kann Modul {1} nicht finden." + +#: Modules.cpp:1963 msgid "Unknown error" msgstr "Unbekannter Fehler" -#: Modules.cpp:1944 +#: Modules.cpp:1964 msgid "Unable to open module {1}: {2}" msgstr "Konnte Modul {1} nicht öffnen: {2}" -#: Modules.cpp:1953 +#: Modules.cpp:1973 msgid "Could not find ZNCModuleEntry in module {1}" msgstr "Konnte ZNCModuleEntry im Modul {1} nicht finden" -#: Modules.cpp:1961 +#: Modules.cpp:1981 msgid "" "Version mismatch for module {1}: core is {2}, module is built for {3}. " "Recompile this module." @@ -403,7 +403,7 @@ msgstr "" "Versionsfehler für Modul {1}: Kern ist {2}, Modul ist für {3} gebaut. " "Rekompiliere dieses Modul." -#: Modules.cpp:1972 +#: Modules.cpp:1992 msgid "" "Module {1} is built incompatibly: core is '{2}', module is '{3}'. Recompile " "this module." @@ -411,12 +411,12 @@ msgstr "" "Modul {1} ist inkompatibel gebaut: Kern ist '{2}', Modul ist '{3}'. Baue das " "Modul neu." -#: Modules.cpp:2002 Modules.cpp:2008 +#: Modules.cpp:2023 Modules.cpp:2029 msgctxt "modhelpcmd" msgid "Command" msgstr "Befehl" -#: Modules.cpp:2003 Modules.cpp:2009 +#: Modules.cpp:2024 Modules.cpp:2031 msgctxt "modhelpcmd" msgid "Description" msgstr "Beschreibung" @@ -424,9 +424,9 @@ msgstr "Beschreibung" #: ClientCommand.cpp:51 ClientCommand.cpp:115 ClientCommand.cpp:137 #: ClientCommand.cpp:749 ClientCommand.cpp:768 ClientCommand.cpp:794 #: ClientCommand.cpp:827 ClientCommand.cpp:840 ClientCommand.cpp:853 -#: ClientCommand.cpp:868 ClientCommand.cpp:1321 ClientCommand.cpp:1369 -#: ClientCommand.cpp:1401 ClientCommand.cpp:1412 ClientCommand.cpp:1421 -#: ClientCommand.cpp:1433 +#: ClientCommand.cpp:868 ClientCommand.cpp:1329 ClientCommand.cpp:1377 +#: ClientCommand.cpp:1409 ClientCommand.cpp:1420 ClientCommand.cpp:1429 +#: ClientCommand.cpp:1441 msgid "You must be connected with a network to use this command" msgstr "" "Sie müssen mit einem Netzwerk verbunden sein um diesen Befehl zu verwenden" @@ -651,7 +651,7 @@ msgctxt "listnetworks" msgid "No networks" msgstr "Keine Netzwerke" -#: ClientCommand.cpp:632 ClientCommand.cpp:932 +#: ClientCommand.cpp:632 ClientCommand.cpp:936 msgid "Access denied." msgstr "Zugriff verweigert." @@ -805,169 +805,169 @@ msgctxt "topicscmd" msgid "Topic" msgstr "Thema" -#: ClientCommand.cpp:889 ClientCommand.cpp:893 +#: ClientCommand.cpp:889 ClientCommand.cpp:894 msgctxt "listmods" msgid "Name" msgstr "Name" -#: ClientCommand.cpp:890 ClientCommand.cpp:894 +#: ClientCommand.cpp:890 ClientCommand.cpp:895 msgctxt "listmods" msgid "Arguments" msgstr "Argumente" -#: ClientCommand.cpp:902 +#: ClientCommand.cpp:904 msgid "No global modules loaded." msgstr "Keine globalen Module geladen." -#: ClientCommand.cpp:904 ClientCommand.cpp:964 +#: ClientCommand.cpp:906 ClientCommand.cpp:970 msgid "Global modules:" msgstr "Globale Module:" -#: ClientCommand.cpp:912 +#: ClientCommand.cpp:915 msgid "Your user has no modules loaded." msgstr "Dein Benutzer hat keine Module geladen." -#: ClientCommand.cpp:914 ClientCommand.cpp:975 +#: ClientCommand.cpp:917 ClientCommand.cpp:982 msgid "User modules:" msgstr "Benutzer-Module:" -#: ClientCommand.cpp:921 +#: ClientCommand.cpp:925 msgid "This network has no modules loaded." msgstr "Dieses Netzwerk hat keine Module geladen." -#: ClientCommand.cpp:923 ClientCommand.cpp:986 +#: ClientCommand.cpp:927 ClientCommand.cpp:994 msgid "Network modules:" msgstr "Netzwerk-Module:" -#: ClientCommand.cpp:938 ClientCommand.cpp:944 +#: ClientCommand.cpp:942 ClientCommand.cpp:949 msgctxt "listavailmods" msgid "Name" msgstr "Name" -#: ClientCommand.cpp:939 ClientCommand.cpp:949 +#: ClientCommand.cpp:943 ClientCommand.cpp:954 msgctxt "listavailmods" msgid "Description" msgstr "Beschreibung" -#: ClientCommand.cpp:962 +#: ClientCommand.cpp:968 msgid "No global modules available." msgstr "Keine globalen Module verfügbar." -#: ClientCommand.cpp:973 +#: ClientCommand.cpp:980 msgid "No user modules available." msgstr "Keine Benutzer-Module verfügbar." -#: ClientCommand.cpp:984 +#: ClientCommand.cpp:992 msgid "No network modules available." msgstr "Keine Netzwerk-Module verfügbar." -#: ClientCommand.cpp:1012 +#: ClientCommand.cpp:1020 msgid "Unable to load {1}: Access denied." msgstr "Kann {1} nicht laden: Zugriff verweigert." -#: ClientCommand.cpp:1018 +#: ClientCommand.cpp:1026 msgid "Usage: LoadMod [--type=global|user|network] [args]" msgstr "Verwendung: LoadMod [--type=global|user|network] [Argumente]" -#: ClientCommand.cpp:1025 +#: ClientCommand.cpp:1033 msgid "Unable to load {1}: {2}" msgstr "Kann {1} nicht laden: {2}" -#: ClientCommand.cpp:1035 +#: ClientCommand.cpp:1043 msgid "Unable to load global module {1}: Access denied." msgstr "Kann globales Modul {1} nicht laden: Zugriff verweigert." -#: ClientCommand.cpp:1041 +#: ClientCommand.cpp:1049 msgid "Unable to load network module {1}: Not connected with a network." msgstr "" "Kann Netzwerk-Module {1} nicht laden: Nicht mit einem Netzwerk verbunden." -#: ClientCommand.cpp:1063 +#: ClientCommand.cpp:1071 msgid "Unknown module type" msgstr "Unbekannter Modul-Typ" -#: ClientCommand.cpp:1068 +#: ClientCommand.cpp:1076 msgid "Loaded module {1}" msgstr "Module {1} geladen" -#: ClientCommand.cpp:1070 +#: ClientCommand.cpp:1078 msgid "Loaded module {1}: {2}" msgstr "Modul {1} geladen: {2}" -#: ClientCommand.cpp:1073 +#: ClientCommand.cpp:1081 msgid "Unable to load module {1}: {2}" msgstr "Kann Modul {1} nicht laden: {2}" -#: ClientCommand.cpp:1096 +#: ClientCommand.cpp:1104 msgid "Unable to unload {1}: Access denied." msgstr "Kann Modul {1} nicht entladen: Zugriff verweigert." -#: ClientCommand.cpp:1102 +#: ClientCommand.cpp:1110 msgid "Usage: UnloadMod [--type=global|user|network] " msgstr "Verwendung: UnloadMod [--type=global|user|network] " -#: ClientCommand.cpp:1111 +#: ClientCommand.cpp:1119 msgid "Unable to determine type of {1}: {2}" msgstr "Kann Typ von {1} nicht feststellen: {2}" -#: ClientCommand.cpp:1119 +#: ClientCommand.cpp:1127 msgid "Unable to unload global module {1}: Access denied." msgstr "Kann globales Modul {1} nicht entladen: Zugriff verweigert." -#: ClientCommand.cpp:1126 +#: ClientCommand.cpp:1134 msgid "Unable to unload network module {1}: Not connected with a network." msgstr "" "Kann Netzwerk-Module {1} nicht entladen: Nicht mit einem Netzwerk verbunden." -#: ClientCommand.cpp:1145 +#: ClientCommand.cpp:1153 msgid "Unable to unload module {1}: Unknown module type" msgstr "Kann Modul {1} nicht entladen: Unbekannter Modul-Typ" -#: ClientCommand.cpp:1158 +#: ClientCommand.cpp:1166 msgid "Unable to reload modules. Access denied." msgstr "Kann Module nicht neu laden: Zugriff verweigert." -#: ClientCommand.cpp:1179 +#: ClientCommand.cpp:1187 msgid "Usage: ReloadMod [--type=global|user|network] [args]" msgstr "Verwendung: ReloadMod [--type=global|user|network] [Argumente]" -#: ClientCommand.cpp:1188 +#: ClientCommand.cpp:1196 msgid "Unable to reload {1}: {2}" msgstr "Kann {1} nicht neu laden: {2}" -#: ClientCommand.cpp:1196 +#: ClientCommand.cpp:1204 msgid "Unable to reload global module {1}: Access denied." msgstr "Kann globales Modul {1} nicht neu laden: Zugriff verweigert." -#: ClientCommand.cpp:1203 +#: ClientCommand.cpp:1211 msgid "Unable to reload network module {1}: Not connected with a network." msgstr "" "Kann Netzwerk-Module {1} nicht neu laden: Nicht mit einem Netzwerk verbunden." -#: ClientCommand.cpp:1225 +#: ClientCommand.cpp:1233 msgid "Unable to reload module {1}: Unknown module type" msgstr "Kann Modul {1} nicht neu laden: Unbekannter Modul-Typ" -#: ClientCommand.cpp:1236 +#: ClientCommand.cpp:1244 msgid "Usage: UpdateMod " msgstr "Verwendung: UpdateMod " -#: ClientCommand.cpp:1240 +#: ClientCommand.cpp:1248 msgid "Reloading {1} everywhere" msgstr "Lade {1} überall neu" -#: ClientCommand.cpp:1242 +#: ClientCommand.cpp:1250 msgid "Done" msgstr "Erledigt" -#: ClientCommand.cpp:1245 +#: ClientCommand.cpp:1253 msgid "" "Done, but there were errors, module {1} could not be reloaded everywhere." msgstr "" "Erledigt, aber es gab Fehler, Modul {1} konnte nicht überall neu geladen " "werden." -#: ClientCommand.cpp:1253 +#: ClientCommand.cpp:1261 msgid "" "You must be connected with a network to use this command. Try " "SetUserBindHost instead" @@ -975,27 +975,27 @@ msgstr "" "Du musst mit einem Netzwerk verbunden sein um diesen Befehl zu verwenden. " "Versuche SetUserBindHost statt dessen" -#: ClientCommand.cpp:1260 +#: ClientCommand.cpp:1268 msgid "Usage: SetBindHost " msgstr "Verwendung: SetBindHost " -#: ClientCommand.cpp:1265 ClientCommand.cpp:1282 +#: ClientCommand.cpp:1273 ClientCommand.cpp:1290 msgid "You already have this bind host!" msgstr "Du hast bereits diesen Bindhost!" -#: ClientCommand.cpp:1270 +#: ClientCommand.cpp:1278 msgid "Set bind host for network {1} to {2}" msgstr "Setze Bindhost für Netzwerk {1} auf {2}" -#: ClientCommand.cpp:1277 +#: ClientCommand.cpp:1285 msgid "Usage: SetUserBindHost " msgstr "Verwendung: SetUserBindHost " -#: ClientCommand.cpp:1287 +#: ClientCommand.cpp:1295 msgid "Set default bind host to {1}" msgstr "Setze Standard-Bindhost auf {1}" -#: ClientCommand.cpp:1293 +#: ClientCommand.cpp:1301 msgid "" "You must be connected with a network to use this command. Try " "ClearUserBindHost instead" @@ -1003,258 +1003,258 @@ msgstr "" "Du musst mit einem Netzwerk verbunden sein um diesen Befehl zu verwenden. " "Versuche ClearUserBindHost statt dessen" -#: ClientCommand.cpp:1298 +#: ClientCommand.cpp:1306 msgid "Bind host cleared for this network." msgstr "Bindhost für dieses Netzwerk gelöscht." -#: ClientCommand.cpp:1302 +#: ClientCommand.cpp:1310 msgid "Default bind host cleared for your user." msgstr "Standard-Bindhost für deinen Benutzer gelöscht." -#: ClientCommand.cpp:1305 +#: ClientCommand.cpp:1313 msgid "This user's default bind host not set" msgstr "Der Benutzer hat keinen Bindhost gesetzt" -#: ClientCommand.cpp:1307 +#: ClientCommand.cpp:1315 msgid "This user's default bind host is {1}" msgstr "Der Standard-Bindhost des Benutzers ist {1}" -#: ClientCommand.cpp:1312 +#: ClientCommand.cpp:1320 msgid "This network's bind host not set" msgstr "Dieses Netzwerk hat keinen Standard-Bindhost gesetzt" -#: ClientCommand.cpp:1314 +#: ClientCommand.cpp:1322 msgid "This network's default bind host is {1}" msgstr "Der Standard-Bindhost dieses Netzwerkes ist {1}" -#: ClientCommand.cpp:1328 +#: ClientCommand.cpp:1336 msgid "Usage: PlayBuffer <#chan|query>" msgstr "Verwendung: PlayBuffer <#chan|query>" -#: ClientCommand.cpp:1336 +#: ClientCommand.cpp:1344 msgid "You are not on {1}" msgstr "Du bist nicht in {1}" -#: ClientCommand.cpp:1341 +#: ClientCommand.cpp:1349 msgid "You are not on {1} (trying to join)" msgstr "Du bist nicht in {1} (versuche zu betreten)" -#: ClientCommand.cpp:1346 +#: ClientCommand.cpp:1354 msgid "The buffer for channel {1} is empty" msgstr "Der Puffer für Kanal {1} ist leer" -#: ClientCommand.cpp:1355 +#: ClientCommand.cpp:1363 msgid "No active query with {1}" msgstr "Kein aktivier Query mit {1}" -#: ClientCommand.cpp:1360 +#: ClientCommand.cpp:1368 msgid "The buffer for {1} is empty" msgstr "Der Puffer für {1} ist leer" -#: ClientCommand.cpp:1376 +#: ClientCommand.cpp:1384 msgid "Usage: ClearBuffer <#chan|query>" msgstr "Verwendung: ClearBuffer <#chan|query>" -#: ClientCommand.cpp:1395 +#: ClientCommand.cpp:1403 msgid "{1} buffer matching {2} has been cleared" msgid_plural "{1} buffers matching {2} have been cleared" msgstr[0] "{1} Puffer, der auf {2} passt, wurde gelöscht" msgstr[1] "{1} Puffer, die auf {2} passen, wurden gelöscht" -#: ClientCommand.cpp:1408 +#: ClientCommand.cpp:1416 msgid "All channel buffers have been cleared" msgstr "Alle Kanalpuffer wurden gelöscht" -#: ClientCommand.cpp:1417 +#: ClientCommand.cpp:1425 msgid "All query buffers have been cleared" msgstr "Alle Querypuffer wurden gelöscht" -#: ClientCommand.cpp:1429 +#: ClientCommand.cpp:1437 msgid "All buffers have been cleared" msgstr "Alle Puffer wurden gelöscht" -#: ClientCommand.cpp:1440 +#: ClientCommand.cpp:1448 msgid "Usage: SetBuffer <#chan|query> [linecount]" msgstr "Verwendung: SetBuffer <#chan|query> [Anzahl Zeilen]" -#: ClientCommand.cpp:1461 +#: ClientCommand.cpp:1469 msgid "Setting buffer size failed for {1} buffer" msgid_plural "Setting buffer size failed for {1} buffers" msgstr[0] "Setzen der Puffergröße schlug für {1} Puffer fehl" msgstr[1] "Setzen der Puffergröße schlug für {1} Puffer fehl" -#: ClientCommand.cpp:1464 +#: ClientCommand.cpp:1472 msgid "Maximum buffer size is {1} line" msgid_plural "Maximum buffer size is {1} lines" msgstr[0] "Maximale Puffergröße ist {1} Zeile" msgstr[1] "Maximale Puffergröße ist {1} Zeilen" -#: ClientCommand.cpp:1469 +#: ClientCommand.cpp:1477 msgid "Size of every buffer was set to {1} line" msgid_plural "Size of every buffer was set to {1} lines" msgstr[0] "Größe jedes Puffers wurde auf {1} Zeile gesetzt" msgstr[1] "Größe jedes Puffers wurde auf {1} Zeilen gesetzt" -#: ClientCommand.cpp:1479 ClientCommand.cpp:1486 ClientCommand.cpp:1497 -#: ClientCommand.cpp:1506 ClientCommand.cpp:1514 +#: ClientCommand.cpp:1487 ClientCommand.cpp:1494 ClientCommand.cpp:1505 +#: ClientCommand.cpp:1514 ClientCommand.cpp:1522 msgctxt "trafficcmd" msgid "Username" msgstr "Benutzername" -#: ClientCommand.cpp:1480 ClientCommand.cpp:1487 ClientCommand.cpp:1499 -#: ClientCommand.cpp:1508 ClientCommand.cpp:1516 +#: ClientCommand.cpp:1488 ClientCommand.cpp:1495 ClientCommand.cpp:1507 +#: ClientCommand.cpp:1516 ClientCommand.cpp:1524 msgctxt "trafficcmd" msgid "In" msgstr "Ein" -#: ClientCommand.cpp:1481 ClientCommand.cpp:1489 ClientCommand.cpp:1500 -#: ClientCommand.cpp:1509 ClientCommand.cpp:1517 +#: ClientCommand.cpp:1489 ClientCommand.cpp:1497 ClientCommand.cpp:1508 +#: ClientCommand.cpp:1517 ClientCommand.cpp:1525 msgctxt "trafficcmd" msgid "Out" msgstr "Aus" -#: ClientCommand.cpp:1482 ClientCommand.cpp:1492 ClientCommand.cpp:1502 -#: ClientCommand.cpp:1510 ClientCommand.cpp:1519 +#: ClientCommand.cpp:1490 ClientCommand.cpp:1500 ClientCommand.cpp:1510 +#: ClientCommand.cpp:1518 ClientCommand.cpp:1527 msgctxt "trafficcmd" msgid "Total" msgstr "Gesamt" -#: ClientCommand.cpp:1498 +#: ClientCommand.cpp:1506 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1507 +#: ClientCommand.cpp:1515 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1515 +#: ClientCommand.cpp:1523 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1524 +#: ClientCommand.cpp:1532 msgid "Running for {1}" msgstr "Laufe seit {1}" -#: ClientCommand.cpp:1530 +#: ClientCommand.cpp:1538 msgid "Unknown command, try 'Help'" msgstr "Unbekanntes Kommando, versuche 'Help'" -#: ClientCommand.cpp:1539 ClientCommand.cpp:1550 +#: ClientCommand.cpp:1547 ClientCommand.cpp:1558 msgctxt "listports" msgid "Port" msgstr "Port" -#: ClientCommand.cpp:1540 ClientCommand.cpp:1551 +#: ClientCommand.cpp:1548 ClientCommand.cpp:1559 msgctxt "listports" msgid "BindHost" msgstr "Bindhost" -#: ClientCommand.cpp:1541 ClientCommand.cpp:1554 +#: ClientCommand.cpp:1549 ClientCommand.cpp:1562 msgctxt "listports" msgid "SSL" msgstr "SSL" -#: ClientCommand.cpp:1542 ClientCommand.cpp:1559 +#: ClientCommand.cpp:1550 ClientCommand.cpp:1567 msgctxt "listports" msgid "Protocol" msgstr "Protokol" -#: ClientCommand.cpp:1543 ClientCommand.cpp:1566 +#: ClientCommand.cpp:1551 ClientCommand.cpp:1574 msgctxt "listports" msgid "IRC" msgstr "IRC" -#: ClientCommand.cpp:1544 ClientCommand.cpp:1571 +#: ClientCommand.cpp:1552 ClientCommand.cpp:1579 msgctxt "listports" msgid "Web" msgstr "Web" -#: ClientCommand.cpp:1555 +#: ClientCommand.cpp:1563 msgctxt "listports|ssl" msgid "yes" msgstr "ja" -#: ClientCommand.cpp:1556 +#: ClientCommand.cpp:1564 msgctxt "listports|ssl" msgid "no" msgstr "nein" -#: ClientCommand.cpp:1560 +#: ClientCommand.cpp:1568 msgctxt "listports" msgid "IPv4 and IPv6" msgstr "IPv4 und IPv6" -#: ClientCommand.cpp:1562 +#: ClientCommand.cpp:1570 msgctxt "listports" msgid "IPv4" msgstr "IPv4" -#: ClientCommand.cpp:1563 +#: ClientCommand.cpp:1571 msgctxt "listports" msgid "IPv6" msgstr "IPv6" -#: ClientCommand.cpp:1569 +#: ClientCommand.cpp:1577 msgctxt "listports|irc" msgid "yes" msgstr "ja" -#: ClientCommand.cpp:1570 +#: ClientCommand.cpp:1578 msgctxt "listports|irc" msgid "no" msgstr "nein" -#: ClientCommand.cpp:1574 +#: ClientCommand.cpp:1582 msgctxt "listports|irc" msgid "yes, on {1}" msgstr "ja, unter {1}" -#: ClientCommand.cpp:1576 +#: ClientCommand.cpp:1584 msgctxt "listports|web" msgid "no" msgstr "nein" -#: ClientCommand.cpp:1616 +#: ClientCommand.cpp:1624 msgid "" "Usage: AddPort <[+]port> [bindhost [uriprefix]]" msgstr "" "Verwendung: AddPort <[+]port> [Bindhost " "[URIPrefix]]" -#: ClientCommand.cpp:1632 +#: ClientCommand.cpp:1640 msgid "Port added" msgstr "Port hinzugefügt" -#: ClientCommand.cpp:1634 +#: ClientCommand.cpp:1642 msgid "Couldn't add port" msgstr "Konnte Port nicht hinzufügen" -#: ClientCommand.cpp:1640 +#: ClientCommand.cpp:1648 msgid "Usage: DelPort [bindhost]" msgstr "Verwendung: DelPort [Bindhost]" -#: ClientCommand.cpp:1649 +#: ClientCommand.cpp:1657 msgid "Deleted Port" msgstr "Port gelöscht" -#: ClientCommand.cpp:1651 +#: ClientCommand.cpp:1659 msgid "Unable to find a matching port" msgstr "Konnte keinen passenden Port finden" -#: ClientCommand.cpp:1659 ClientCommand.cpp:1673 +#: ClientCommand.cpp:1667 ClientCommand.cpp:1682 msgctxt "helpcmd" msgid "Command" msgstr "Befehl" -#: ClientCommand.cpp:1660 ClientCommand.cpp:1674 +#: ClientCommand.cpp:1668 ClientCommand.cpp:1684 msgctxt "helpcmd" msgid "Description" msgstr "Beschreibung" -#: ClientCommand.cpp:1664 +#: ClientCommand.cpp:1673 msgid "" "In the following list all occurrences of <#chan> support wildcards (* and ?) " "except ListNicks" @@ -1262,87 +1262,87 @@ msgstr "" "In der folgenden Liste unterstützen alle vorkommen von <#chan> Wildcards (* " "und ?), außer ListNicks" -#: ClientCommand.cpp:1680 +#: ClientCommand.cpp:1690 msgctxt "helpcmd|Version|desc" msgid "Print which version of ZNC this is" msgstr "Zeige die Version von ZNC an" -#: ClientCommand.cpp:1683 +#: ClientCommand.cpp:1693 msgctxt "helpcmd|ListMods|desc" msgid "List all loaded modules" msgstr "Zeige alle geladenen Module" -#: ClientCommand.cpp:1686 +#: ClientCommand.cpp:1696 msgctxt "helpcmd|ListAvailMods|desc" msgid "List all available modules" msgstr "Zeige alle verfügbaren Module" -#: ClientCommand.cpp:1690 ClientCommand.cpp:1876 +#: ClientCommand.cpp:1700 ClientCommand.cpp:1886 msgctxt "helpcmd|ListChans|desc" msgid "List all channels" msgstr "Zeige alle Kanäle" -#: ClientCommand.cpp:1693 +#: ClientCommand.cpp:1703 msgctxt "helpcmd|ListNicks|args" msgid "<#chan>" msgstr "<#Kanal>" -#: ClientCommand.cpp:1694 +#: ClientCommand.cpp:1704 msgctxt "helpcmd|ListNicks|desc" msgid "List all nicks on a channel" msgstr "Alle Nicks eines Kanals auflisten" -#: ClientCommand.cpp:1697 +#: ClientCommand.cpp:1707 msgctxt "helpcmd|ListClients|desc" msgid "List all clients connected to your ZNC user" msgstr "Alle Clients auflisten, die zu deinem ZNC-Benutzer verbunden sind" -#: ClientCommand.cpp:1701 +#: ClientCommand.cpp:1711 msgctxt "helpcmd|ListServers|desc" msgid "List all servers of current IRC network" msgstr "Zeige alle Server des aktuellen IRC-Netzwerkes" -#: ClientCommand.cpp:1705 +#: ClientCommand.cpp:1715 msgctxt "helpcmd|AddNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1706 +#: ClientCommand.cpp:1716 msgctxt "helpcmd|AddNetwork|desc" msgid "Add a network to your user" msgstr "Füge ein Netzwerk zu deinem Benutzer hinzu" -#: ClientCommand.cpp:1708 +#: ClientCommand.cpp:1718 msgctxt "helpcmd|DelNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1709 +#: ClientCommand.cpp:1719 msgctxt "helpcmd|DelNetwork|desc" msgid "Delete a network from your user" msgstr "Lösche ein Netzwerk von deinem Benutzer" -#: ClientCommand.cpp:1711 +#: ClientCommand.cpp:1721 msgctxt "helpcmd|ListNetworks|desc" msgid "List all networks" msgstr "Alle Netzwerke auflisten" -#: ClientCommand.cpp:1714 +#: ClientCommand.cpp:1724 msgctxt "helpcmd|MoveNetwork|args" msgid " [new network]" msgstr " [neues Netzwerk]" -#: ClientCommand.cpp:1716 +#: ClientCommand.cpp:1726 msgctxt "helpcmd|MoveNetwork|desc" msgid "Move an IRC network from one user to another" msgstr "Verschiebe ein IRC-Netzwerk von einem Benutzer zu einem anderen" -#: ClientCommand.cpp:1720 +#: ClientCommand.cpp:1730 msgctxt "helpcmd|JumpNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1721 +#: ClientCommand.cpp:1731 msgctxt "helpcmd|JumpNetwork|desc" msgid "" "Jump to another network (Alternatively, you can connect to ZNC several " @@ -1351,12 +1351,12 @@ msgstr "" "Springe zu einem anderen Netzwerk (alternativ kannst du auch mehrfach zu ZNC " "verbinden und `Benutzer/Netzwerk` als Benutzername verwenden)" -#: ClientCommand.cpp:1726 +#: ClientCommand.cpp:1736 msgctxt "helpcmd|AddServer|args" msgid " [[+]port] [pass]" msgstr " [[+]Port] [Pass]" -#: ClientCommand.cpp:1727 +#: ClientCommand.cpp:1737 msgctxt "helpcmd|AddServer|desc" msgid "" "Add a server to the list of alternate/backup servers of current IRC network." @@ -1364,12 +1364,12 @@ msgstr "" "Füge einen Server zur Liste der alternativen/backup Server des aktuellen IRC-" "Netzwerkes hinzu." -#: ClientCommand.cpp:1731 +#: ClientCommand.cpp:1741 msgctxt "helpcmd|DelServer|args" msgid " [port] [pass]" msgstr " [Port] [Pass]" -#: ClientCommand.cpp:1732 +#: ClientCommand.cpp:1742 msgctxt "helpcmd|DelServer|desc" msgid "" "Remove a server from the list of alternate/backup servers of current IRC " @@ -1378,12 +1378,12 @@ msgstr "" "Lösche einen Server von der Liste der alternativen/backup Server des " "aktuellen IRC-Netzwerkes" -#: ClientCommand.cpp:1738 +#: ClientCommand.cpp:1748 msgctxt "helpcmd|AddTrustedServerFingerprint|args" msgid "" msgstr "" -#: ClientCommand.cpp:1739 +#: ClientCommand.cpp:1749 msgctxt "helpcmd|AddTrustedServerFingerprint|desc" msgid "" "Add a trusted server SSL certificate fingerprint (SHA-256) to current IRC " @@ -1392,341 +1392,341 @@ msgstr "" "Füge den Fingerabdruck (SHA-256) eines vertrauenswürdigen SSL-Zertifikates " "zum aktuellen IRC-Netzwerk hinzu." -#: ClientCommand.cpp:1744 +#: ClientCommand.cpp:1754 msgctxt "helpcmd|DelTrustedServerFingerprint|args" msgid "" msgstr "" -#: ClientCommand.cpp:1745 +#: ClientCommand.cpp:1755 msgctxt "helpcmd|DelTrustedServerFingerprint|desc" msgid "Delete a trusted server SSL certificate from current IRC network." msgstr "" "Lösche ein vertrauenswürdiges Server-SSL-Zertifikat vom aktuellen IRC-" "Netzwerk." -#: ClientCommand.cpp:1749 +#: ClientCommand.cpp:1759 msgctxt "helpcmd|ListTrustedServerFingerprints|desc" msgid "List all trusted server SSL certificates of current IRC network." msgstr "" "Zeige alle vertrauenswürdigen Server-SSL-Zertifikate des aktuellen IRC-" "Netzwerkes an." -#: ClientCommand.cpp:1752 +#: ClientCommand.cpp:1762 msgctxt "helpcmd|EnableChan|args" msgid "<#chans>" msgstr "<#Kanäle>" -#: ClientCommand.cpp:1753 +#: ClientCommand.cpp:1763 msgctxt "helpcmd|EnableChan|desc" msgid "Enable channels" msgstr "Aktivierte Kanäle" -#: ClientCommand.cpp:1754 +#: ClientCommand.cpp:1764 msgctxt "helpcmd|DisableChan|args" msgid "<#chans>" msgstr "<#Kanäle>" -#: ClientCommand.cpp:1755 +#: ClientCommand.cpp:1765 msgctxt "helpcmd|DisableChan|desc" msgid "Disable channels" msgstr "Deaktiviere Kanäle" -#: ClientCommand.cpp:1756 +#: ClientCommand.cpp:1766 msgctxt "helpcmd|Attach|args" msgid "<#chans>" msgstr "<#Kanäle>" -#: ClientCommand.cpp:1757 +#: ClientCommand.cpp:1767 msgctxt "helpcmd|Attach|desc" msgid "Attach to channels" msgstr "Verbinde zu Kanälen" -#: ClientCommand.cpp:1758 +#: ClientCommand.cpp:1768 msgctxt "helpcmd|Detach|args" msgid "<#chans>" msgstr "<#Kanäle>" -#: ClientCommand.cpp:1759 +#: ClientCommand.cpp:1769 msgctxt "helpcmd|Detach|desc" msgid "Detach from channels" msgstr "Trenne von Kanälen" -#: ClientCommand.cpp:1762 +#: ClientCommand.cpp:1772 msgctxt "helpcmd|Topics|desc" msgid "Show topics in all your channels" msgstr "Zeige die Themen aller deiner Kanäle" -#: ClientCommand.cpp:1765 +#: ClientCommand.cpp:1775 msgctxt "helpcmd|PlayBuffer|args" msgid "<#chan|query>" msgstr "<#Kanal|Query>" -#: ClientCommand.cpp:1766 +#: ClientCommand.cpp:1776 msgctxt "helpcmd|PlayBuffer|desc" msgid "Play back the specified buffer" msgstr "Spiele den angegebenen Puffer ab" -#: ClientCommand.cpp:1768 +#: ClientCommand.cpp:1778 msgctxt "helpcmd|ClearBuffer|args" msgid "<#chan|query>" msgstr "<#Kanal|Query>" -#: ClientCommand.cpp:1769 +#: ClientCommand.cpp:1779 msgctxt "helpcmd|ClearBuffer|desc" msgid "Clear the specified buffer" msgstr "Lösche den angegebenen Puffer" -#: ClientCommand.cpp:1771 +#: ClientCommand.cpp:1781 msgctxt "helpcmd|ClearAllBuffers|desc" msgid "Clear all channel and query buffers" msgstr "Lösche alle Kanal- und Querypuffer" -#: ClientCommand.cpp:1774 +#: ClientCommand.cpp:1784 msgctxt "helpcmd|ClearAllChannelBuffers|desc" msgid "Clear the channel buffers" msgstr "Lösche alle Kanalpuffer" -#: ClientCommand.cpp:1778 +#: ClientCommand.cpp:1788 msgctxt "helpcmd|ClearAllQueryBuffers|desc" msgid "Clear the query buffers" msgstr "Lösche alle Querypuffer" -#: ClientCommand.cpp:1780 +#: ClientCommand.cpp:1790 msgctxt "helpcmd|SetBuffer|args" msgid "<#chan|query> [linecount]" msgstr "<#Kanal|Query> [Zeilenzahl]" -#: ClientCommand.cpp:1781 +#: ClientCommand.cpp:1791 msgctxt "helpcmd|SetBuffer|desc" msgid "Set the buffer count" msgstr "Setze die Puffergröße" -#: ClientCommand.cpp:1785 +#: ClientCommand.cpp:1795 msgctxt "helpcmd|SetBindHost|args" msgid "" msgstr "" -#: ClientCommand.cpp:1786 +#: ClientCommand.cpp:1796 msgctxt "helpcmd|SetBindHost|desc" msgid "Set the bind host for this network" msgstr "Setze den Bindhost für dieses Netzwerk" -#: ClientCommand.cpp:1790 +#: ClientCommand.cpp:1800 msgctxt "helpcmd|SetUserBindHost|args" msgid "" msgstr "" -#: ClientCommand.cpp:1791 +#: ClientCommand.cpp:1801 msgctxt "helpcmd|SetUserBindHost|desc" msgid "Set the default bind host for this user" msgstr "Setze den Standard-Bindhost für diesen Benutzer" -#: ClientCommand.cpp:1794 +#: ClientCommand.cpp:1804 msgctxt "helpcmd|ClearBindHost|desc" msgid "Clear the bind host for this network" msgstr "Lösche den Bindhost für dieses Netzwerk" -#: ClientCommand.cpp:1797 +#: ClientCommand.cpp:1807 msgctxt "helpcmd|ClearUserBindHost|desc" msgid "Clear the default bind host for this user" msgstr "Lösche den Standard-Bindhost für diesen Benutzer" -#: ClientCommand.cpp:1803 +#: ClientCommand.cpp:1813 msgctxt "helpcmd|ShowBindHost|desc" msgid "Show currently selected bind host" msgstr "Zeige den aktuell gewählten Bindhost" -#: ClientCommand.cpp:1805 +#: ClientCommand.cpp:1815 msgctxt "helpcmd|Jump|args" msgid "[server]" msgstr "[Server]" -#: ClientCommand.cpp:1806 +#: ClientCommand.cpp:1816 msgctxt "helpcmd|Jump|desc" msgid "Jump to the next or the specified server" msgstr "Springe zum nächsten oder dem angegebenen Server" -#: ClientCommand.cpp:1807 +#: ClientCommand.cpp:1817 msgctxt "helpcmd|Disconnect|args" msgid "[message]" msgstr "[Nachricht]" -#: ClientCommand.cpp:1808 +#: ClientCommand.cpp:1818 msgctxt "helpcmd|Disconnect|desc" msgid "Disconnect from IRC" msgstr "Trenne die IRC-Verbindung" -#: ClientCommand.cpp:1810 +#: ClientCommand.cpp:1820 msgctxt "helpcmd|Connect|desc" msgid "Reconnect to IRC" msgstr "Baue eine neue IRC-Verbindung auf" -#: ClientCommand.cpp:1813 +#: ClientCommand.cpp:1823 msgctxt "helpcmd|Uptime|desc" msgid "Show for how long ZNC has been running" msgstr "Zeige wie lange ZNC schon läuft" -#: ClientCommand.cpp:1817 +#: ClientCommand.cpp:1827 msgctxt "helpcmd|LoadMod|args" msgid "[--type=global|user|network] " msgstr "[--type=global|user|network] " -#: ClientCommand.cpp:1819 +#: ClientCommand.cpp:1829 msgctxt "helpcmd|LoadMod|desc" msgid "Load a module" msgstr "Lade ein Modul" -#: ClientCommand.cpp:1821 +#: ClientCommand.cpp:1831 msgctxt "helpcmd|UnloadMod|args" msgid "[--type=global|user|network] " msgstr "[--type=global|user|network] " -#: ClientCommand.cpp:1823 +#: ClientCommand.cpp:1833 msgctxt "helpcmd|UnloadMod|desc" msgid "Unload a module" msgstr "Entlade ein Modul" -#: ClientCommand.cpp:1825 +#: ClientCommand.cpp:1835 msgctxt "helpcmd|ReloadMod|args" msgid "[--type=global|user|network] " msgstr "[--type=global|user|network] " -#: ClientCommand.cpp:1827 +#: ClientCommand.cpp:1837 msgctxt "helpcmd|ReloadMod|desc" msgid "Reload a module" msgstr "Ein Modul neu laden" -#: ClientCommand.cpp:1830 +#: ClientCommand.cpp:1840 msgctxt "helpcmd|UpdateMod|args" msgid "" msgstr "" -#: ClientCommand.cpp:1831 +#: ClientCommand.cpp:1841 msgctxt "helpcmd|UpdateMod|desc" msgid "Reload a module everywhere" msgstr "Lade ein Modul überall neu" -#: ClientCommand.cpp:1837 +#: ClientCommand.cpp:1847 msgctxt "helpcmd|ShowMOTD|desc" msgid "Show ZNC's message of the day" msgstr "Zeige ZNCs Nachricht des Tages an" -#: ClientCommand.cpp:1841 +#: ClientCommand.cpp:1851 msgctxt "helpcmd|SetMOTD|args" msgid "" msgstr "" -#: ClientCommand.cpp:1842 +#: ClientCommand.cpp:1852 msgctxt "helpcmd|SetMOTD|desc" msgid "Set ZNC's message of the day" msgstr "Setze ZNCs Nachricht des Tages" -#: ClientCommand.cpp:1844 +#: ClientCommand.cpp:1854 msgctxt "helpcmd|AddMOTD|args" msgid "" msgstr "" -#: ClientCommand.cpp:1845 +#: ClientCommand.cpp:1855 msgctxt "helpcmd|AddMOTD|desc" msgid "Append to ZNC's MOTD" msgstr "Hänge an ZNCs MOTD an" -#: ClientCommand.cpp:1847 +#: ClientCommand.cpp:1857 msgctxt "helpcmd|ClearMOTD|desc" msgid "Clear ZNC's MOTD" msgstr "Lösche ZNCs MOTD" -#: ClientCommand.cpp:1850 +#: ClientCommand.cpp:1860 msgctxt "helpcmd|ListPorts|desc" msgid "Show all active listeners" msgstr "Zeige alle aktiven Listener" -#: ClientCommand.cpp:1852 +#: ClientCommand.cpp:1862 msgctxt "helpcmd|AddPort|args" msgid "<[+]port> [bindhost [uriprefix]]" msgstr "<[+]Port> [Bindhost [uriprefix]]" -#: ClientCommand.cpp:1855 +#: ClientCommand.cpp:1865 msgctxt "helpcmd|AddPort|desc" msgid "Add another port for ZNC to listen on" msgstr "Füge einen weiteren Port zum Horchen zu ZNC hinzu" -#: ClientCommand.cpp:1859 +#: ClientCommand.cpp:1869 msgctxt "helpcmd|DelPort|args" msgid " [bindhost]" msgstr " [Bindhost]" -#: ClientCommand.cpp:1860 +#: ClientCommand.cpp:1870 msgctxt "helpcmd|DelPort|desc" msgid "Remove a port from ZNC" msgstr "Entferne einen Port von ZNC" -#: ClientCommand.cpp:1863 +#: ClientCommand.cpp:1873 msgctxt "helpcmd|Rehash|desc" msgid "Reload global settings, modules, and listeners from znc.conf" msgstr "Lade globale Einstellungen, Module und Listener neu von znc.conf" -#: ClientCommand.cpp:1866 +#: ClientCommand.cpp:1876 msgctxt "helpcmd|SaveConfig|desc" msgid "Save the current settings to disk" msgstr "Speichere die aktuellen Einstellungen auf der Festplatte" -#: ClientCommand.cpp:1869 +#: ClientCommand.cpp:1879 msgctxt "helpcmd|ListUsers|desc" msgid "List all ZNC users and their connection status" msgstr "Zeige alle ZNC-Benutzer und deren Verbindungsstatus" -#: ClientCommand.cpp:1872 +#: ClientCommand.cpp:1882 msgctxt "helpcmd|ListAllUserNetworks|desc" msgid "List all ZNC users and their networks" msgstr "Zeige alle ZNC-Benutzer und deren Netzwerke" -#: ClientCommand.cpp:1875 +#: ClientCommand.cpp:1885 msgctxt "helpcmd|ListChans|args" msgid "[user ]" msgstr "[Benutzer ]" -#: ClientCommand.cpp:1878 +#: ClientCommand.cpp:1888 msgctxt "helpcmd|ListClients|args" msgid "[user]" msgstr "[Benutzer]" -#: ClientCommand.cpp:1879 +#: ClientCommand.cpp:1889 msgctxt "helpcmd|ListClients|desc" msgid "List all connected clients" msgstr "Zeige alle verbunden Klienten" -#: ClientCommand.cpp:1881 +#: ClientCommand.cpp:1891 msgctxt "helpcmd|Traffic|desc" msgid "Show basic traffic stats for all ZNC users" msgstr "Zeige grundlegende Verkehrsstatistiken aller ZNC-Benutzer an" -#: ClientCommand.cpp:1883 +#: ClientCommand.cpp:1893 msgctxt "helpcmd|Broadcast|args" msgid "[message]" msgstr "[Nachricht]" -#: ClientCommand.cpp:1884 +#: ClientCommand.cpp:1894 msgctxt "helpcmd|Broadcast|desc" msgid "Broadcast a message to all ZNC users" msgstr "Sende eine Nachricht an alle ZNC-Benutzer" -#: ClientCommand.cpp:1887 +#: ClientCommand.cpp:1897 msgctxt "helpcmd|Shutdown|args" msgid "[message]" msgstr "[Nachricht]" -#: ClientCommand.cpp:1888 +#: ClientCommand.cpp:1898 msgctxt "helpcmd|Shutdown|desc" msgid "Shut down ZNC completely" msgstr "Beende ZNC komplett" -#: ClientCommand.cpp:1889 +#: ClientCommand.cpp:1899 msgctxt "helpcmd|Restart|args" msgid "[message]" msgstr "[Nachricht]" -#: ClientCommand.cpp:1890 +#: ClientCommand.cpp:1900 msgctxt "helpcmd|Restart|desc" msgid "Restart ZNC" msgstr "Starte ZNC neu" diff --git a/src/po/znc.es_ES.po b/src/po/znc.es_ES.po index ded64a30..ef3a452b 100644 --- a/src/po/znc.es_ES.po +++ b/src/po/znc.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/src/po/znc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" @@ -74,7 +74,7 @@ msgstr "No se ha localizado el fichero pem: {1}" msgid "Invalid port" msgstr "Puerto no válido" -#: znc.cpp:1821 ClientCommand.cpp:1629 +#: znc.cpp:1821 ClientCommand.cpp:1637 msgid "Unable to bind: {1}" msgstr "Imposible enlazar: {1}" @@ -82,32 +82,32 @@ msgstr "Imposible enlazar: {1}" msgid "Jumping servers because this server is no longer in the list" msgstr "Cambiando de servidor porque este servidor ya no está en la lista" -#: IRCNetwork.cpp:640 User.cpp:678 +#: IRCNetwork.cpp:669 User.cpp:678 msgid "Welcome to ZNC" msgstr "Bienvenido a ZNC" -#: IRCNetwork.cpp:728 +#: IRCNetwork.cpp:757 msgid "You are currently disconnected from IRC. Use 'connect' to reconnect." msgstr "Estás desconectado del IRC. Usa 'connect' para reconectar." -#: IRCNetwork.cpp:758 +#: IRCNetwork.cpp:787 msgid "This network is being deleted or moved to another user." msgstr "Esta red está siendo eliminada o movida a otro usuario." -#: IRCNetwork.cpp:987 +#: IRCNetwork.cpp:1016 msgid "The channel {1} could not be joined, disabling it." msgstr "El canal {1} no es accesible, deshabilitado." -#: IRCNetwork.cpp:1116 +#: IRCNetwork.cpp:1145 msgid "Your current server was removed, jumping..." msgstr "Tu servidor actual ha sido eliminado. Cambiando de servidor..." -#: IRCNetwork.cpp:1279 +#: IRCNetwork.cpp:1308 msgid "Cannot connect to {1}, because ZNC is not compiled with SSL support." msgstr "" "No se puede conectar a {1} porque ZNC no se ha compilado con soporte SSL." -#: IRCNetwork.cpp:1300 +#: IRCNetwork.cpp:1329 msgid "Some module aborted the connection attempt" msgstr "Algún módulo ha abortado el intento de conexión" @@ -299,7 +299,7 @@ msgctxt "modhelpcmd" msgid "Generate this output" msgstr "Generar esta salida" -#: Modules.cpp:573 ClientCommand.cpp:1894 +#: Modules.cpp:573 ClientCommand.cpp:1904 msgid "No matches for '{1}'" msgstr "No hay coincidencias para '{1}'" @@ -312,58 +312,6 @@ msgid "Unknown command!" msgstr "¡Comando desconocido!" #: Modules.cpp:1633 -msgid "Module {1} already loaded." -msgstr "Módulo {1} ya cargado." - -#: Modules.cpp:1647 -msgid "Unable to find module {1}" -msgstr "No se ha encontrado el módulo {1}" - -#: Modules.cpp:1659 -msgid "Module {1} does not support module type {2}." -msgstr "El módulo {1} no soporta el tipo de módulo {2}." - -#: Modules.cpp:1666 -msgid "Module {1} requires a user." -msgstr "El módulo {1} requiere un usuario." - -#: Modules.cpp:1672 -msgid "Module {1} requires a network." -msgstr "El módulo {1} requiere una red." - -#: Modules.cpp:1688 -msgid "Caught an exception" -msgstr "Capturada una excepción" - -#: Modules.cpp:1694 -msgid "Module {1} aborted: {2}" -msgstr "Módulo {1} abortado: {2}" - -#: Modules.cpp:1696 -msgid "Module {1} aborted." -msgstr "Módulo {1} abortado." - -#: Modules.cpp:1720 Modules.cpp:1762 -msgid "Module [{1}] not loaded." -msgstr "Módulo [{1}] no cargado." - -#: Modules.cpp:1744 -msgid "Module {1} unloaded." -msgstr "Módulo {1} descargado." - -#: Modules.cpp:1749 -msgid "Unable to unload module {1}." -msgstr "Imposible descargar el módulo {1}." - -#: Modules.cpp:1778 -msgid "Reloaded module {1}." -msgstr "Recargado el módulo {1}." - -#: Modules.cpp:1793 -msgid "Unable to find module {1}." -msgstr "No se ha encontrado el módulo {1}." - -#: Modules.cpp:1919 msgid "" "Module names can only contain letters, numbers and underscores, [{1}] is " "invalid" @@ -371,19 +319,71 @@ msgstr "" "Los nombres de módulos solo pueden contener letras, números y guiones bajos, " "[{1}] no es válido" -#: Modules.cpp:1943 +#: Modules.cpp:1652 +msgid "Module {1} already loaded." +msgstr "Módulo {1} ya cargado." + +#: Modules.cpp:1666 +msgid "Unable to find module {1}" +msgstr "No se ha encontrado el módulo {1}" + +#: Modules.cpp:1678 +msgid "Module {1} does not support module type {2}." +msgstr "El módulo {1} no soporta el tipo de módulo {2}." + +#: Modules.cpp:1685 +msgid "Module {1} requires a user." +msgstr "El módulo {1} requiere un usuario." + +#: Modules.cpp:1691 +msgid "Module {1} requires a network." +msgstr "El módulo {1} requiere una red." + +#: Modules.cpp:1707 +msgid "Caught an exception" +msgstr "Capturada una excepción" + +#: Modules.cpp:1713 +msgid "Module {1} aborted: {2}" +msgstr "Módulo {1} abortado: {2}" + +#: Modules.cpp:1715 +msgid "Module {1} aborted." +msgstr "Módulo {1} abortado." + +#: Modules.cpp:1739 Modules.cpp:1781 +msgid "Module [{1}] not loaded." +msgstr "Módulo [{1}] no cargado." + +#: Modules.cpp:1763 +msgid "Module {1} unloaded." +msgstr "Módulo {1} descargado." + +#: Modules.cpp:1768 +msgid "Unable to unload module {1}." +msgstr "Imposible descargar el módulo {1}." + +#: Modules.cpp:1797 +msgid "Reloaded module {1}." +msgstr "Recargado el módulo {1}." + +#: Modules.cpp:1816 +msgid "Unable to find module {1}." +msgstr "No se ha encontrado el módulo {1}." + +#: Modules.cpp:1963 msgid "Unknown error" msgstr "Error desconocido" -#: Modules.cpp:1944 +#: Modules.cpp:1964 msgid "Unable to open module {1}: {2}" msgstr "No se puede abrir el módulo {1}: {2}" -#: Modules.cpp:1953 +#: Modules.cpp:1973 msgid "Could not find ZNCModuleEntry in module {1}" msgstr "No se ha encontrado ZNCModuleEntry en el módulo {1}" -#: Modules.cpp:1961 +#: Modules.cpp:1981 msgid "" "Version mismatch for module {1}: core is {2}, module is built for {3}. " "Recompile this module." @@ -391,7 +391,7 @@ msgstr "" "Versiones no coincidentes para el módulo {1}: el núcleo es {2}, pero el " "módulo está hecho para {3}. Recompila este módulo." -#: Modules.cpp:1972 +#: Modules.cpp:1992 msgid "" "Module {1} is built incompatibly: core is '{2}', module is '{3}'. Recompile " "this module." @@ -399,12 +399,12 @@ msgstr "" "El módulo {1} es incompatible: el núcleo es '{2}', el módulo es '{3}'. " "Recompila este módulo." -#: Modules.cpp:2002 Modules.cpp:2008 +#: Modules.cpp:2023 Modules.cpp:2029 msgctxt "modhelpcmd" msgid "Command" msgstr "Comando" -#: Modules.cpp:2003 Modules.cpp:2009 +#: Modules.cpp:2024 Modules.cpp:2031 msgctxt "modhelpcmd" msgid "Description" msgstr "Descripción" @@ -412,9 +412,9 @@ msgstr "Descripción" #: ClientCommand.cpp:51 ClientCommand.cpp:115 ClientCommand.cpp:137 #: ClientCommand.cpp:749 ClientCommand.cpp:768 ClientCommand.cpp:794 #: ClientCommand.cpp:827 ClientCommand.cpp:840 ClientCommand.cpp:853 -#: ClientCommand.cpp:868 ClientCommand.cpp:1321 ClientCommand.cpp:1369 -#: ClientCommand.cpp:1401 ClientCommand.cpp:1412 ClientCommand.cpp:1421 -#: ClientCommand.cpp:1433 +#: ClientCommand.cpp:868 ClientCommand.cpp:1329 ClientCommand.cpp:1377 +#: ClientCommand.cpp:1409 ClientCommand.cpp:1420 ClientCommand.cpp:1429 +#: ClientCommand.cpp:1441 msgid "You must be connected with a network to use this command" msgstr "Debes estar conectado a una red para usar este comando" @@ -638,7 +638,7 @@ msgctxt "listnetworks" msgid "No networks" msgstr "No hay redes" -#: ClientCommand.cpp:632 ClientCommand.cpp:932 +#: ClientCommand.cpp:632 ClientCommand.cpp:936 msgid "Access denied." msgstr "Acceso denegado." @@ -790,171 +790,171 @@ msgctxt "topicscmd" msgid "Topic" msgstr "Tema" -#: ClientCommand.cpp:889 ClientCommand.cpp:893 +#: ClientCommand.cpp:889 ClientCommand.cpp:894 msgctxt "listmods" msgid "Name" msgstr "Nombre" -#: ClientCommand.cpp:890 ClientCommand.cpp:894 +#: ClientCommand.cpp:890 ClientCommand.cpp:895 msgctxt "listmods" msgid "Arguments" msgstr "Parámetros" -#: ClientCommand.cpp:902 +#: ClientCommand.cpp:904 msgid "No global modules loaded." msgstr "No se han cargado módulos globales." -#: ClientCommand.cpp:904 ClientCommand.cpp:964 +#: ClientCommand.cpp:906 ClientCommand.cpp:970 msgid "Global modules:" msgstr "Módulos globales:" -#: ClientCommand.cpp:912 +#: ClientCommand.cpp:915 msgid "Your user has no modules loaded." msgstr "Tu usuario no tiene módulos cargados." -#: ClientCommand.cpp:914 ClientCommand.cpp:975 +#: ClientCommand.cpp:917 ClientCommand.cpp:982 msgid "User modules:" msgstr "Módulos de usuario:" -#: ClientCommand.cpp:921 +#: ClientCommand.cpp:925 msgid "This network has no modules loaded." msgstr "Esta red no tiene módulos cargados." -#: ClientCommand.cpp:923 ClientCommand.cpp:986 +#: ClientCommand.cpp:927 ClientCommand.cpp:994 msgid "Network modules:" msgstr "Módulos de red:" -#: ClientCommand.cpp:938 ClientCommand.cpp:944 +#: ClientCommand.cpp:942 ClientCommand.cpp:949 msgctxt "listavailmods" msgid "Name" msgstr "Nombre" -#: ClientCommand.cpp:939 ClientCommand.cpp:949 +#: ClientCommand.cpp:943 ClientCommand.cpp:954 msgctxt "listavailmods" msgid "Description" msgstr "Descripción" -#: ClientCommand.cpp:962 +#: ClientCommand.cpp:968 msgid "No global modules available." msgstr "No hay disponibles módulos globales." -#: ClientCommand.cpp:973 +#: ClientCommand.cpp:980 msgid "No user modules available." msgstr "No hay disponibles módulos de usuario." -#: ClientCommand.cpp:984 +#: ClientCommand.cpp:992 msgid "No network modules available." msgstr "No hay módulos de red disponibles." -#: ClientCommand.cpp:1012 +#: ClientCommand.cpp:1020 msgid "Unable to load {1}: Access denied." msgstr "No se ha podido cargar {1}: acceso denegado." -#: ClientCommand.cpp:1018 +#: ClientCommand.cpp:1026 msgid "Usage: LoadMod [--type=global|user|network] [args]" msgstr "Uso: LoadMod [--type=global|user|network] [parámetros]" -#: ClientCommand.cpp:1025 +#: ClientCommand.cpp:1033 msgid "Unable to load {1}: {2}" msgstr "No se ha podido cargar {1}: {2}" -#: ClientCommand.cpp:1035 +#: ClientCommand.cpp:1043 msgid "Unable to load global module {1}: Access denied." msgstr "No se ha podido cargar el módulo global {1}: acceso denegado." -#: ClientCommand.cpp:1041 +#: ClientCommand.cpp:1049 msgid "Unable to load network module {1}: Not connected with a network." msgstr "" "No se ha podido cargar el módulo de red {1}: no estás conectado con una red." -#: ClientCommand.cpp:1063 +#: ClientCommand.cpp:1071 msgid "Unknown module type" msgstr "Tipo de módulo desconocido" -#: ClientCommand.cpp:1068 +#: ClientCommand.cpp:1076 msgid "Loaded module {1}" msgstr "Cargado módulo {1}" -#: ClientCommand.cpp:1070 +#: ClientCommand.cpp:1078 msgid "Loaded module {1}: {2}" msgstr "Cargado módulo {1}: {2}" -#: ClientCommand.cpp:1073 +#: ClientCommand.cpp:1081 msgid "Unable to load module {1}: {2}" msgstr "No se ha podido cargar el módulo {1}: {2}" -#: ClientCommand.cpp:1096 +#: ClientCommand.cpp:1104 msgid "Unable to unload {1}: Access denied." msgstr "No se ha podido descargar {1}: acceso denegado." -#: ClientCommand.cpp:1102 +#: ClientCommand.cpp:1110 msgid "Usage: UnloadMod [--type=global|user|network] " msgstr "Uso: UnLoadMod [--type=global|user|network] " -#: ClientCommand.cpp:1111 +#: ClientCommand.cpp:1119 msgid "Unable to determine type of {1}: {2}" msgstr "No se ha podido determinar el tipo de {1}: {2}" -#: ClientCommand.cpp:1119 +#: ClientCommand.cpp:1127 msgid "Unable to unload global module {1}: Access denied." msgstr "No se ha podido descargar el módulo global {1}: acceso denegado." -#: ClientCommand.cpp:1126 +#: ClientCommand.cpp:1134 msgid "Unable to unload network module {1}: Not connected with a network." msgstr "" "No se ha podido descargar el módulo de red {1}: no estás conectado con una " "red." -#: ClientCommand.cpp:1145 +#: ClientCommand.cpp:1153 msgid "Unable to unload module {1}: Unknown module type" msgstr "No se ha podido descargar el módulo {1}: tipo de módulo desconocido" -#: ClientCommand.cpp:1158 +#: ClientCommand.cpp:1166 msgid "Unable to reload modules. Access denied." msgstr "No se han podido recargar los módulos: acceso denegado." -#: ClientCommand.cpp:1179 +#: ClientCommand.cpp:1187 msgid "Usage: ReloadMod [--type=global|user|network] [args]" msgstr "Uso: ReoadMod [--type=global|user|network] [parámetros]" -#: ClientCommand.cpp:1188 +#: ClientCommand.cpp:1196 msgid "Unable to reload {1}: {2}" msgstr "No se ha podido recargar {1}: {2}" -#: ClientCommand.cpp:1196 +#: ClientCommand.cpp:1204 msgid "Unable to reload global module {1}: Access denied." msgstr "No se ha podido recargar el módulo global {1}: acceso denegado." -#: ClientCommand.cpp:1203 +#: ClientCommand.cpp:1211 msgid "Unable to reload network module {1}: Not connected with a network." msgstr "" "No se ha podido recargar el módulo de red {1}: no estás conectado con una " "red." -#: ClientCommand.cpp:1225 +#: ClientCommand.cpp:1233 msgid "Unable to reload module {1}: Unknown module type" msgstr "No se ha podido recargar el módulo {1}: tipo de módulo desconocido" -#: ClientCommand.cpp:1236 +#: ClientCommand.cpp:1244 msgid "Usage: UpdateMod " msgstr "Uso: UpdateMod " -#: ClientCommand.cpp:1240 +#: ClientCommand.cpp:1248 msgid "Reloading {1} everywhere" msgstr "Recargando {1} en todas partes" -#: ClientCommand.cpp:1242 +#: ClientCommand.cpp:1250 msgid "Done" msgstr "Hecho" -#: ClientCommand.cpp:1245 +#: ClientCommand.cpp:1253 msgid "" "Done, but there were errors, module {1} could not be reloaded everywhere." msgstr "" "Hecho, pero hay errores, el módulo {1} no se ha podido recargar en todas " "partes." -#: ClientCommand.cpp:1253 +#: ClientCommand.cpp:1261 msgid "" "You must be connected with a network to use this command. Try " "SetUserBindHost instead" @@ -962,27 +962,27 @@ msgstr "" "Debes estar conectado a una red para usar este comando. Prueba " "SetUserBindHost" -#: ClientCommand.cpp:1260 +#: ClientCommand.cpp:1268 msgid "Usage: SetBindHost " msgstr "Uso: SetBindHost " -#: ClientCommand.cpp:1265 ClientCommand.cpp:1282 +#: ClientCommand.cpp:1273 ClientCommand.cpp:1290 msgid "You already have this bind host!" msgstr "¡Ya tienes este host vinculado!" -#: ClientCommand.cpp:1270 +#: ClientCommand.cpp:1278 msgid "Set bind host for network {1} to {2}" msgstr "Modificado bind host para la red {1} a {2}" -#: ClientCommand.cpp:1277 +#: ClientCommand.cpp:1285 msgid "Usage: SetUserBindHost " msgstr "Uso: SetUserBindHost " -#: ClientCommand.cpp:1287 +#: ClientCommand.cpp:1295 msgid "Set default bind host to {1}" msgstr "Configurado bind host predeterminado a {1}" -#: ClientCommand.cpp:1293 +#: ClientCommand.cpp:1301 msgid "" "You must be connected with a network to use this command. Try " "ClearUserBindHost instead" @@ -990,258 +990,258 @@ msgstr "" "Debes estar conectado a una red para usar este comando. Prueba " "ClearUserBindHost" -#: ClientCommand.cpp:1298 +#: ClientCommand.cpp:1306 msgid "Bind host cleared for this network." msgstr "Borrado bindhost para esta red." -#: ClientCommand.cpp:1302 +#: ClientCommand.cpp:1310 msgid "Default bind host cleared for your user." msgstr "Borrado bindhost predeterminado para tu usuario." -#: ClientCommand.cpp:1305 +#: ClientCommand.cpp:1313 msgid "This user's default bind host not set" msgstr "Este usuario no tiene un bindhost predeterminado" -#: ClientCommand.cpp:1307 +#: ClientCommand.cpp:1315 msgid "This user's default bind host is {1}" msgstr "El bindhost predeterminado de este usuario es {1}" -#: ClientCommand.cpp:1312 +#: ClientCommand.cpp:1320 msgid "This network's bind host not set" msgstr "Esta red no tiene un bindhost" -#: ClientCommand.cpp:1314 +#: ClientCommand.cpp:1322 msgid "This network's default bind host is {1}" msgstr "El bindhost predeterminado de esta red es {1}" -#: ClientCommand.cpp:1328 +#: ClientCommand.cpp:1336 msgid "Usage: PlayBuffer <#chan|query>" msgstr "Uso: PlayBuffer <#canal|privado>" -#: ClientCommand.cpp:1336 +#: ClientCommand.cpp:1344 msgid "You are not on {1}" msgstr "No estás en {1}" -#: ClientCommand.cpp:1341 +#: ClientCommand.cpp:1349 msgid "You are not on {1} (trying to join)" msgstr "No estás en {1} (intentando entrar)" -#: ClientCommand.cpp:1346 +#: ClientCommand.cpp:1354 msgid "The buffer for channel {1} is empty" msgstr "El búfer del canal {1} está vacio" -#: ClientCommand.cpp:1355 +#: ClientCommand.cpp:1363 msgid "No active query with {1}" msgstr "No hay un privado activo con {1}" -#: ClientCommand.cpp:1360 +#: ClientCommand.cpp:1368 msgid "The buffer for {1} is empty" msgstr "El búfer de {1} está vacio" -#: ClientCommand.cpp:1376 +#: ClientCommand.cpp:1384 msgid "Usage: ClearBuffer <#chan|query>" msgstr "Uso: ClearBuffer <#canal|privado>" -#: ClientCommand.cpp:1395 +#: ClientCommand.cpp:1403 msgid "{1} buffer matching {2} has been cleared" msgid_plural "{1} buffers matching {2} have been cleared" msgstr[0] "{1} búfer coincidente con {2} ha sido borrado" msgstr[1] "{1} búfers coincidentes con {2} han sido borrados" -#: ClientCommand.cpp:1408 +#: ClientCommand.cpp:1416 msgid "All channel buffers have been cleared" msgstr "Todos los búfers de canales han sido borrados" -#: ClientCommand.cpp:1417 +#: ClientCommand.cpp:1425 msgid "All query buffers have been cleared" msgstr "Todos los búfers de privados han sido borrados" -#: ClientCommand.cpp:1429 +#: ClientCommand.cpp:1437 msgid "All buffers have been cleared" msgstr "Todos los búfers han sido borrados" -#: ClientCommand.cpp:1440 +#: ClientCommand.cpp:1448 msgid "Usage: SetBuffer <#chan|query> [linecount]" msgstr "Uso: SetBuffer <#canal|privado> [lineas]" -#: ClientCommand.cpp:1461 +#: ClientCommand.cpp:1469 msgid "Setting buffer size failed for {1} buffer" msgid_plural "Setting buffer size failed for {1} buffers" msgstr[0] "Fallo al definir el tamaño para el búfer {1}" msgstr[1] "Fallo al definir el tamaño para los búfers {1}" -#: ClientCommand.cpp:1464 +#: ClientCommand.cpp:1472 msgid "Maximum buffer size is {1} line" msgid_plural "Maximum buffer size is {1} lines" msgstr[0] "El tamaño máximo de búfer es {1} línea" msgstr[1] "El tamaño máximo de búfer es {1} líneas" -#: ClientCommand.cpp:1469 +#: ClientCommand.cpp:1477 msgid "Size of every buffer was set to {1} line" msgid_plural "Size of every buffer was set to {1} lines" msgstr[0] "El tamaño de cada búfer se ha cambiado a {1} línea" msgstr[1] "El tamaño de cada búfer se ha cambiado a {1} líneas" -#: ClientCommand.cpp:1479 ClientCommand.cpp:1486 ClientCommand.cpp:1497 -#: ClientCommand.cpp:1506 ClientCommand.cpp:1514 +#: ClientCommand.cpp:1487 ClientCommand.cpp:1494 ClientCommand.cpp:1505 +#: ClientCommand.cpp:1514 ClientCommand.cpp:1522 msgctxt "trafficcmd" msgid "Username" msgstr "Usuario" -#: ClientCommand.cpp:1480 ClientCommand.cpp:1487 ClientCommand.cpp:1499 -#: ClientCommand.cpp:1508 ClientCommand.cpp:1516 +#: ClientCommand.cpp:1488 ClientCommand.cpp:1495 ClientCommand.cpp:1507 +#: ClientCommand.cpp:1516 ClientCommand.cpp:1524 msgctxt "trafficcmd" msgid "In" msgstr "Entrada" -#: ClientCommand.cpp:1481 ClientCommand.cpp:1489 ClientCommand.cpp:1500 -#: ClientCommand.cpp:1509 ClientCommand.cpp:1517 +#: ClientCommand.cpp:1489 ClientCommand.cpp:1497 ClientCommand.cpp:1508 +#: ClientCommand.cpp:1517 ClientCommand.cpp:1525 msgctxt "trafficcmd" msgid "Out" msgstr "Salida" -#: ClientCommand.cpp:1482 ClientCommand.cpp:1492 ClientCommand.cpp:1502 -#: ClientCommand.cpp:1510 ClientCommand.cpp:1519 +#: ClientCommand.cpp:1490 ClientCommand.cpp:1500 ClientCommand.cpp:1510 +#: ClientCommand.cpp:1518 ClientCommand.cpp:1527 msgctxt "trafficcmd" msgid "Total" msgstr "Total" -#: ClientCommand.cpp:1498 +#: ClientCommand.cpp:1506 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1507 +#: ClientCommand.cpp:1515 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1515 +#: ClientCommand.cpp:1523 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1524 +#: ClientCommand.cpp:1532 msgid "Running for {1}" msgstr "Ejecutado desde {1}" -#: ClientCommand.cpp:1530 +#: ClientCommand.cpp:1538 msgid "Unknown command, try 'Help'" msgstr "Comando desconocido, prueba 'Help'" -#: ClientCommand.cpp:1539 ClientCommand.cpp:1550 +#: ClientCommand.cpp:1547 ClientCommand.cpp:1558 msgctxt "listports" msgid "Port" msgstr "Puerto" -#: ClientCommand.cpp:1540 ClientCommand.cpp:1551 +#: ClientCommand.cpp:1548 ClientCommand.cpp:1559 msgctxt "listports" msgid "BindHost" msgstr "BindHost" -#: ClientCommand.cpp:1541 ClientCommand.cpp:1554 +#: ClientCommand.cpp:1549 ClientCommand.cpp:1562 msgctxt "listports" msgid "SSL" msgstr "SSL" -#: ClientCommand.cpp:1542 ClientCommand.cpp:1559 +#: ClientCommand.cpp:1550 ClientCommand.cpp:1567 msgctxt "listports" msgid "Protocol" msgstr "Protocolo" -#: ClientCommand.cpp:1543 ClientCommand.cpp:1566 +#: ClientCommand.cpp:1551 ClientCommand.cpp:1574 msgctxt "listports" msgid "IRC" msgstr "IRC" -#: ClientCommand.cpp:1544 ClientCommand.cpp:1571 +#: ClientCommand.cpp:1552 ClientCommand.cpp:1579 msgctxt "listports" msgid "Web" msgstr "Web" -#: ClientCommand.cpp:1555 +#: ClientCommand.cpp:1563 msgctxt "listports|ssl" msgid "yes" msgstr "sí" -#: ClientCommand.cpp:1556 +#: ClientCommand.cpp:1564 msgctxt "listports|ssl" msgid "no" msgstr "no" -#: ClientCommand.cpp:1560 +#: ClientCommand.cpp:1568 msgctxt "listports" msgid "IPv4 and IPv6" msgstr "IPv4 y IPv6" -#: ClientCommand.cpp:1562 +#: ClientCommand.cpp:1570 msgctxt "listports" msgid "IPv4" msgstr "IPv4" -#: ClientCommand.cpp:1563 +#: ClientCommand.cpp:1571 msgctxt "listports" msgid "IPv6" msgstr "IPv6" -#: ClientCommand.cpp:1569 +#: ClientCommand.cpp:1577 msgctxt "listports|irc" msgid "yes" msgstr "sí" -#: ClientCommand.cpp:1570 +#: ClientCommand.cpp:1578 msgctxt "listports|irc" msgid "no" msgstr "no" -#: ClientCommand.cpp:1574 +#: ClientCommand.cpp:1582 msgctxt "listports|irc" msgid "yes, on {1}" msgstr "sí, en {1}" -#: ClientCommand.cpp:1576 +#: ClientCommand.cpp:1584 msgctxt "listports|web" msgid "no" msgstr "no" -#: ClientCommand.cpp:1616 +#: ClientCommand.cpp:1624 msgid "" "Usage: AddPort <[+]port> [bindhost [uriprefix]]" msgstr "" "Uso: AddPort <[+]puerto> [bindhost " "[prefijourl]]" -#: ClientCommand.cpp:1632 +#: ClientCommand.cpp:1640 msgid "Port added" msgstr "Puerto añadido" -#: ClientCommand.cpp:1634 +#: ClientCommand.cpp:1642 msgid "Couldn't add port" msgstr "No se puede añadir el puerto" -#: ClientCommand.cpp:1640 +#: ClientCommand.cpp:1648 msgid "Usage: DelPort [bindhost]" msgstr "Uso: DelPort [bindhost]" -#: ClientCommand.cpp:1649 +#: ClientCommand.cpp:1657 msgid "Deleted Port" msgstr "Puerto eliminado" -#: ClientCommand.cpp:1651 +#: ClientCommand.cpp:1659 msgid "Unable to find a matching port" msgstr "No se ha encontrado un puerto que coincida" -#: ClientCommand.cpp:1659 ClientCommand.cpp:1673 +#: ClientCommand.cpp:1667 ClientCommand.cpp:1682 msgctxt "helpcmd" msgid "Command" msgstr "Comando" -#: ClientCommand.cpp:1660 ClientCommand.cpp:1674 +#: ClientCommand.cpp:1668 ClientCommand.cpp:1684 msgctxt "helpcmd" msgid "Description" msgstr "Descripción" -#: ClientCommand.cpp:1664 +#: ClientCommand.cpp:1673 msgid "" "In the following list all occurrences of <#chan> support wildcards (* and ?) " "except ListNicks" @@ -1249,87 +1249,87 @@ msgstr "" "En la siguiente lista todas las coincidencias de <#canal> soportan comodines " "(* y ?) excepto ListNicks" -#: ClientCommand.cpp:1680 +#: ClientCommand.cpp:1690 msgctxt "helpcmd|Version|desc" msgid "Print which version of ZNC this is" msgstr "Imprime la versión de ZNC" -#: ClientCommand.cpp:1683 +#: ClientCommand.cpp:1693 msgctxt "helpcmd|ListMods|desc" msgid "List all loaded modules" msgstr "Lista todos los módulos cargados" -#: ClientCommand.cpp:1686 +#: ClientCommand.cpp:1696 msgctxt "helpcmd|ListAvailMods|desc" msgid "List all available modules" msgstr "Lista todos los módulos disponibles" -#: ClientCommand.cpp:1690 ClientCommand.cpp:1876 +#: ClientCommand.cpp:1700 ClientCommand.cpp:1886 msgctxt "helpcmd|ListChans|desc" msgid "List all channels" msgstr "Lista todos los canales" -#: ClientCommand.cpp:1693 +#: ClientCommand.cpp:1703 msgctxt "helpcmd|ListNicks|args" msgid "<#chan>" msgstr "<#canal>" -#: ClientCommand.cpp:1694 +#: ClientCommand.cpp:1704 msgctxt "helpcmd|ListNicks|desc" msgid "List all nicks on a channel" msgstr "Lista todos los nicks de un canal" -#: ClientCommand.cpp:1697 +#: ClientCommand.cpp:1707 msgctxt "helpcmd|ListClients|desc" msgid "List all clients connected to your ZNC user" msgstr "Lista todos los clientes conectados en tu usuario de ZNC" -#: ClientCommand.cpp:1701 +#: ClientCommand.cpp:1711 msgctxt "helpcmd|ListServers|desc" msgid "List all servers of current IRC network" msgstr "Lista todos los servidores de la red IRC actual" -#: ClientCommand.cpp:1705 +#: ClientCommand.cpp:1715 msgctxt "helpcmd|AddNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1706 +#: ClientCommand.cpp:1716 msgctxt "helpcmd|AddNetwork|desc" msgid "Add a network to your user" msgstr "Añade una red a tu usario" -#: ClientCommand.cpp:1708 +#: ClientCommand.cpp:1718 msgctxt "helpcmd|DelNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1709 +#: ClientCommand.cpp:1719 msgctxt "helpcmd|DelNetwork|desc" msgid "Delete a network from your user" msgstr "Elimina una red de tu usuario" -#: ClientCommand.cpp:1711 +#: ClientCommand.cpp:1721 msgctxt "helpcmd|ListNetworks|desc" msgid "List all networks" msgstr "Lista todas las redes" -#: ClientCommand.cpp:1714 +#: ClientCommand.cpp:1724 msgctxt "helpcmd|MoveNetwork|args" msgid " [new network]" msgstr " [nueva red]" -#: ClientCommand.cpp:1716 +#: ClientCommand.cpp:1726 msgctxt "helpcmd|MoveNetwork|desc" msgid "Move an IRC network from one user to another" msgstr "Mueve una red de IRC de un usuario a otro" -#: ClientCommand.cpp:1720 +#: ClientCommand.cpp:1730 msgctxt "helpcmd|JumpNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1721 +#: ClientCommand.cpp:1731 msgctxt "helpcmd|JumpNetwork|desc" msgid "" "Jump to another network (Alternatively, you can connect to ZNC several " @@ -1338,24 +1338,24 @@ msgstr "" "Saltar a otra red (alternativamente, puedes conectar a ZNC varias veces, " "usando `usuario/red` como nombre de usuario)" -#: ClientCommand.cpp:1726 +#: ClientCommand.cpp:1736 msgctxt "helpcmd|AddServer|args" msgid " [[+]port] [pass]" msgstr " [[+]puerto] [contraseña]" -#: ClientCommand.cpp:1727 +#: ClientCommand.cpp:1737 msgctxt "helpcmd|AddServer|desc" msgid "" "Add a server to the list of alternate/backup servers of current IRC network." msgstr "" "Añade un servidor a la lista de servidores alternativos de la red IRC actual." -#: ClientCommand.cpp:1731 +#: ClientCommand.cpp:1741 msgctxt "helpcmd|DelServer|args" msgid " [port] [pass]" msgstr " [puerto] [contraseña]" -#: ClientCommand.cpp:1732 +#: ClientCommand.cpp:1742 msgctxt "helpcmd|DelServer|desc" msgid "" "Remove a server from the list of alternate/backup servers of current IRC " @@ -1364,12 +1364,12 @@ msgstr "" "Elimina un servidor de la lista de servidores alternativos de la red IRC " "actual" -#: ClientCommand.cpp:1738 +#: ClientCommand.cpp:1748 msgctxt "helpcmd|AddTrustedServerFingerprint|args" msgid "" msgstr "" -#: ClientCommand.cpp:1739 +#: ClientCommand.cpp:1749 msgctxt "helpcmd|AddTrustedServerFingerprint|desc" msgid "" "Add a trusted server SSL certificate fingerprint (SHA-256) to current IRC " @@ -1378,338 +1378,338 @@ msgstr "" "Añade un certificado digital (SHA-256) de confianza del servidor SSL a la " "red IRC actual." -#: ClientCommand.cpp:1744 +#: ClientCommand.cpp:1754 msgctxt "helpcmd|DelTrustedServerFingerprint|args" msgid "" msgstr "" -#: ClientCommand.cpp:1745 +#: ClientCommand.cpp:1755 msgctxt "helpcmd|DelTrustedServerFingerprint|desc" msgid "Delete a trusted server SSL certificate from current IRC network." msgstr "Elimina un certificado digital de confianza de la red IRC actual." -#: ClientCommand.cpp:1749 +#: ClientCommand.cpp:1759 msgctxt "helpcmd|ListTrustedServerFingerprints|desc" msgid "List all trusted server SSL certificates of current IRC network." msgstr "Lista todos los certificados SSL de confianza de la red IRC actual." -#: ClientCommand.cpp:1752 +#: ClientCommand.cpp:1762 msgctxt "helpcmd|EnableChan|args" msgid "<#chans>" msgstr "<#canales>" -#: ClientCommand.cpp:1753 +#: ClientCommand.cpp:1763 msgctxt "helpcmd|EnableChan|desc" msgid "Enable channels" msgstr "Habilita canales" -#: ClientCommand.cpp:1754 +#: ClientCommand.cpp:1764 msgctxt "helpcmd|DisableChan|args" msgid "<#chans>" msgstr "<#canales>" -#: ClientCommand.cpp:1755 +#: ClientCommand.cpp:1765 msgctxt "helpcmd|DisableChan|desc" msgid "Disable channels" msgstr "Deshabilita canales" -#: ClientCommand.cpp:1756 +#: ClientCommand.cpp:1766 msgctxt "helpcmd|Attach|args" msgid "<#chans>" msgstr "<#canales>" -#: ClientCommand.cpp:1757 +#: ClientCommand.cpp:1767 msgctxt "helpcmd|Attach|desc" msgid "Attach to channels" msgstr "Unirse a canales" -#: ClientCommand.cpp:1758 +#: ClientCommand.cpp:1768 msgctxt "helpcmd|Detach|args" msgid "<#chans>" msgstr "<#canales>" -#: ClientCommand.cpp:1759 +#: ClientCommand.cpp:1769 msgctxt "helpcmd|Detach|desc" msgid "Detach from channels" msgstr "Separarse de canales" -#: ClientCommand.cpp:1762 +#: ClientCommand.cpp:1772 msgctxt "helpcmd|Topics|desc" msgid "Show topics in all your channels" msgstr "Mostrar topics de tus canales" -#: ClientCommand.cpp:1765 +#: ClientCommand.cpp:1775 msgctxt "helpcmd|PlayBuffer|args" msgid "<#chan|query>" msgstr "<#canal|privado>" -#: ClientCommand.cpp:1766 +#: ClientCommand.cpp:1776 msgctxt "helpcmd|PlayBuffer|desc" msgid "Play back the specified buffer" msgstr "Reproduce el búfer especificado" -#: ClientCommand.cpp:1768 +#: ClientCommand.cpp:1778 msgctxt "helpcmd|ClearBuffer|args" msgid "<#chan|query>" msgstr "<#canal|privado>" -#: ClientCommand.cpp:1769 +#: ClientCommand.cpp:1779 msgctxt "helpcmd|ClearBuffer|desc" msgid "Clear the specified buffer" msgstr "Borra el búfer especificado" -#: ClientCommand.cpp:1771 +#: ClientCommand.cpp:1781 msgctxt "helpcmd|ClearAllBuffers|desc" msgid "Clear all channel and query buffers" msgstr "Borra todos los búfers de canales y privados" -#: ClientCommand.cpp:1774 +#: ClientCommand.cpp:1784 msgctxt "helpcmd|ClearAllChannelBuffers|desc" msgid "Clear the channel buffers" msgstr "Borrar todos los búfers de canales" -#: ClientCommand.cpp:1778 +#: ClientCommand.cpp:1788 msgctxt "helpcmd|ClearAllQueryBuffers|desc" msgid "Clear the query buffers" msgstr "Borrar todos los búfers de privados" -#: ClientCommand.cpp:1780 +#: ClientCommand.cpp:1790 msgctxt "helpcmd|SetBuffer|args" msgid "<#chan|query> [linecount]" msgstr "<#canal|privado> [lineas]" -#: ClientCommand.cpp:1781 +#: ClientCommand.cpp:1791 msgctxt "helpcmd|SetBuffer|desc" msgid "Set the buffer count" msgstr "Ajusta las líneas de búfer" -#: ClientCommand.cpp:1785 +#: ClientCommand.cpp:1795 msgctxt "helpcmd|SetBindHost|args" msgid "" msgstr "" -#: ClientCommand.cpp:1786 +#: ClientCommand.cpp:1796 msgctxt "helpcmd|SetBindHost|desc" msgid "Set the bind host for this network" msgstr "Define el bind host para esta red" -#: ClientCommand.cpp:1790 +#: ClientCommand.cpp:1800 msgctxt "helpcmd|SetUserBindHost|args" msgid "" msgstr "" -#: ClientCommand.cpp:1791 +#: ClientCommand.cpp:1801 msgctxt "helpcmd|SetUserBindHost|desc" msgid "Set the default bind host for this user" msgstr "Define el bind host predeterminado para este usuario" -#: ClientCommand.cpp:1794 +#: ClientCommand.cpp:1804 msgctxt "helpcmd|ClearBindHost|desc" msgid "Clear the bind host for this network" msgstr "Borrar el bind host para esta red" -#: ClientCommand.cpp:1797 +#: ClientCommand.cpp:1807 msgctxt "helpcmd|ClearUserBindHost|desc" msgid "Clear the default bind host for this user" msgstr "Borrar el bind host predeterminado para este usuario" -#: ClientCommand.cpp:1803 +#: ClientCommand.cpp:1813 msgctxt "helpcmd|ShowBindHost|desc" msgid "Show currently selected bind host" msgstr "Mostrar el bind host seleccionado" -#: ClientCommand.cpp:1805 +#: ClientCommand.cpp:1815 msgctxt "helpcmd|Jump|args" msgid "[server]" msgstr "[servidor]" -#: ClientCommand.cpp:1806 +#: ClientCommand.cpp:1816 msgctxt "helpcmd|Jump|desc" msgid "Jump to the next or the specified server" msgstr "Saltar al siguiente servidor" -#: ClientCommand.cpp:1807 +#: ClientCommand.cpp:1817 msgctxt "helpcmd|Disconnect|args" msgid "[message]" msgstr "[mensaje]" -#: ClientCommand.cpp:1808 +#: ClientCommand.cpp:1818 msgctxt "helpcmd|Disconnect|desc" msgid "Disconnect from IRC" msgstr "Desconectar del IRC" -#: ClientCommand.cpp:1810 +#: ClientCommand.cpp:1820 msgctxt "helpcmd|Connect|desc" msgid "Reconnect to IRC" msgstr "Reconectar al IRC" -#: ClientCommand.cpp:1813 +#: ClientCommand.cpp:1823 msgctxt "helpcmd|Uptime|desc" msgid "Show for how long ZNC has been running" msgstr "Mostrar cuanto tiempo lleva ZNC ejecutándose" -#: ClientCommand.cpp:1817 +#: ClientCommand.cpp:1827 msgctxt "helpcmd|LoadMod|args" msgid "[--type=global|user|network] " msgstr "[--type=global|user|network] " -#: ClientCommand.cpp:1819 +#: ClientCommand.cpp:1829 msgctxt "helpcmd|LoadMod|desc" msgid "Load a module" msgstr "Cargar un módulo" -#: ClientCommand.cpp:1821 +#: ClientCommand.cpp:1831 msgctxt "helpcmd|UnloadMod|args" msgid "[--type=global|user|network] " msgstr "[--type=global|user|network] " -#: ClientCommand.cpp:1823 +#: ClientCommand.cpp:1833 msgctxt "helpcmd|UnloadMod|desc" msgid "Unload a module" msgstr "Descargar un módulo" -#: ClientCommand.cpp:1825 +#: ClientCommand.cpp:1835 msgctxt "helpcmd|ReloadMod|args" msgid "[--type=global|user|network] " msgstr "[--type=global|user|network] " -#: ClientCommand.cpp:1827 +#: ClientCommand.cpp:1837 msgctxt "helpcmd|ReloadMod|desc" msgid "Reload a module" msgstr "Recargar un módulo" -#: ClientCommand.cpp:1830 +#: ClientCommand.cpp:1840 msgctxt "helpcmd|UpdateMod|args" msgid "" msgstr "" -#: ClientCommand.cpp:1831 +#: ClientCommand.cpp:1841 msgctxt "helpcmd|UpdateMod|desc" msgid "Reload a module everywhere" msgstr "Recargar un módulo en todas partes" -#: ClientCommand.cpp:1837 +#: ClientCommand.cpp:1847 msgctxt "helpcmd|ShowMOTD|desc" msgid "Show ZNC's message of the day" msgstr "Mostrar el mensaje del día de ZNC" -#: ClientCommand.cpp:1841 +#: ClientCommand.cpp:1851 msgctxt "helpcmd|SetMOTD|args" msgid "" msgstr "" -#: ClientCommand.cpp:1842 +#: ClientCommand.cpp:1852 msgctxt "helpcmd|SetMOTD|desc" msgid "Set ZNC's message of the day" msgstr "Definir el mensaje del día de ZNC" -#: ClientCommand.cpp:1844 +#: ClientCommand.cpp:1854 msgctxt "helpcmd|AddMOTD|args" msgid "" msgstr "" -#: ClientCommand.cpp:1845 +#: ClientCommand.cpp:1855 msgctxt "helpcmd|AddMOTD|desc" msgid "Append to ZNC's MOTD" msgstr "Añadir un al MOTD de ZNC" -#: ClientCommand.cpp:1847 +#: ClientCommand.cpp:1857 msgctxt "helpcmd|ClearMOTD|desc" msgid "Clear ZNC's MOTD" msgstr "Borrar el MOTD de ZNC" -#: ClientCommand.cpp:1850 +#: ClientCommand.cpp:1860 msgctxt "helpcmd|ListPorts|desc" msgid "Show all active listeners" msgstr "Mostrar todos los puertos en escucha" -#: ClientCommand.cpp:1852 +#: ClientCommand.cpp:1862 msgctxt "helpcmd|AddPort|args" msgid "<[+]port> [bindhost [uriprefix]]" msgstr "<[+]puerto> [bindhost [prefijouri]]" -#: ClientCommand.cpp:1855 +#: ClientCommand.cpp:1865 msgctxt "helpcmd|AddPort|desc" msgid "Add another port for ZNC to listen on" msgstr "Añadir otro puerto de escucha a ZNC" -#: ClientCommand.cpp:1859 +#: ClientCommand.cpp:1869 msgctxt "helpcmd|DelPort|args" msgid " [bindhost]" msgstr " [bindhost]" -#: ClientCommand.cpp:1860 +#: ClientCommand.cpp:1870 msgctxt "helpcmd|DelPort|desc" msgid "Remove a port from ZNC" msgstr "Eliminar un puerto de ZNC" -#: ClientCommand.cpp:1863 +#: ClientCommand.cpp:1873 msgctxt "helpcmd|Rehash|desc" msgid "Reload global settings, modules, and listeners from znc.conf" msgstr "" "Recargar ajustes globales, módulos, y puertos de escucha desde znc.conf" -#: ClientCommand.cpp:1866 +#: ClientCommand.cpp:1876 msgctxt "helpcmd|SaveConfig|desc" msgid "Save the current settings to disk" msgstr "Guardar la configuración actual en disco" -#: ClientCommand.cpp:1869 +#: ClientCommand.cpp:1879 msgctxt "helpcmd|ListUsers|desc" msgid "List all ZNC users and their connection status" msgstr "Mostrar todos los usuarios de ZNC y su estado de conexión" -#: ClientCommand.cpp:1872 +#: ClientCommand.cpp:1882 msgctxt "helpcmd|ListAllUserNetworks|desc" msgid "List all ZNC users and their networks" msgstr "Mostrar todos los usuarios de ZNC y sus redes" -#: ClientCommand.cpp:1875 +#: ClientCommand.cpp:1885 msgctxt "helpcmd|ListChans|args" msgid "[user ]" msgstr "[usuario ]" -#: ClientCommand.cpp:1878 +#: ClientCommand.cpp:1888 msgctxt "helpcmd|ListClients|args" msgid "[user]" msgstr "[usuario]" -#: ClientCommand.cpp:1879 +#: ClientCommand.cpp:1889 msgctxt "helpcmd|ListClients|desc" msgid "List all connected clients" msgstr "Mostrar todos los clientes conectados" -#: ClientCommand.cpp:1881 +#: ClientCommand.cpp:1891 msgctxt "helpcmd|Traffic|desc" msgid "Show basic traffic stats for all ZNC users" msgstr "Mostrar estadísticas de tráfico de todos los usuarios de ZNC" -#: ClientCommand.cpp:1883 +#: ClientCommand.cpp:1893 msgctxt "helpcmd|Broadcast|args" msgid "[message]" msgstr "[mensaje]" -#: ClientCommand.cpp:1884 +#: ClientCommand.cpp:1894 msgctxt "helpcmd|Broadcast|desc" msgid "Broadcast a message to all ZNC users" msgstr "Difundir un mensaje a todos los usuarios de ZNC" -#: ClientCommand.cpp:1887 +#: ClientCommand.cpp:1897 msgctxt "helpcmd|Shutdown|args" msgid "[message]" msgstr "[mensaje]" -#: ClientCommand.cpp:1888 +#: ClientCommand.cpp:1898 msgctxt "helpcmd|Shutdown|desc" msgid "Shut down ZNC completely" msgstr "Cerrar ZNC completamente" -#: ClientCommand.cpp:1889 +#: ClientCommand.cpp:1899 msgctxt "helpcmd|Restart|args" msgid "[message]" msgstr "[mensaje]" -#: ClientCommand.cpp:1890 +#: ClientCommand.cpp:1900 msgctxt "helpcmd|Restart|desc" msgid "Restart ZNC" msgstr "Reiniciar ZNC" diff --git a/src/po/znc.fr_FR.po b/src/po/znc.fr_FR.po index a4e864ec..63077f4d 100644 --- a/src/po/znc.fr_FR.po +++ b/src/po/znc.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/src/po/znc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" @@ -75,7 +75,7 @@ msgstr "Impossible de trouver le fichier pem : {1}" msgid "Invalid port" msgstr "Port invalide" -#: znc.cpp:1821 ClientCommand.cpp:1629 +#: znc.cpp:1821 ClientCommand.cpp:1637 msgid "Unable to bind: {1}" msgstr "Impossible d'utiliser le port : {1}" @@ -84,36 +84,36 @@ msgid "Jumping servers because this server is no longer in the list" msgstr "" "Connexion au serveur suivant, le serveur actuel n'est plus dans la liste" -#: IRCNetwork.cpp:640 User.cpp:678 +#: IRCNetwork.cpp:669 User.cpp:678 msgid "Welcome to ZNC" msgstr "Bienvenue sur ZNC" -#: IRCNetwork.cpp:728 +#: IRCNetwork.cpp:757 msgid "You are currently disconnected from IRC. Use 'connect' to reconnect." msgstr "" "Vous êtes actuellement déconnecté d'IRC. Utilisez 'connect' pour vous " "reconnecter." -#: IRCNetwork.cpp:758 +#: IRCNetwork.cpp:787 msgid "This network is being deleted or moved to another user." msgstr "" "Ce réseau est en train d'être supprimé ou déplacé vers un autre utilisateur." -#: IRCNetwork.cpp:987 +#: IRCNetwork.cpp:1016 msgid "The channel {1} could not be joined, disabling it." msgstr "Impossible de rejoindre le salon {1}, il est désormais désactivé." -#: IRCNetwork.cpp:1116 +#: IRCNetwork.cpp:1145 msgid "Your current server was removed, jumping..." msgstr "Le serveur actuel a été supprimé. Changement en cours..." -#: IRCNetwork.cpp:1279 +#: IRCNetwork.cpp:1308 msgid "Cannot connect to {1}, because ZNC is not compiled with SSL support." msgstr "" "Impossible de se connecter à {1}, car ZNC n'a pas été compilé avec le " "support SSL." -#: IRCNetwork.cpp:1300 +#: IRCNetwork.cpp:1329 msgid "Some module aborted the connection attempt" msgstr "Un module a annulé la tentative de connexion" @@ -308,7 +308,7 @@ msgctxt "modhelpcmd" msgid "Generate this output" msgstr "Générer cette sortie" -#: Modules.cpp:573 ClientCommand.cpp:1894 +#: Modules.cpp:573 ClientCommand.cpp:1904 msgid "No matches for '{1}'" msgstr "Aucune correspondance pour '{1}'" @@ -321,58 +321,6 @@ msgid "Unknown command!" msgstr "Commande inconnue !" #: Modules.cpp:1633 -msgid "Module {1} already loaded." -msgstr "Le module {1} est déjà chargé." - -#: Modules.cpp:1647 -msgid "Unable to find module {1}" -msgstr "Impossible de trouver le module {1}" - -#: Modules.cpp:1659 -msgid "Module {1} does not support module type {2}." -msgstr "Le module {1} le supporte pas le type {2}." - -#: Modules.cpp:1666 -msgid "Module {1} requires a user." -msgstr "Le module {1} requiert un utilisateur." - -#: Modules.cpp:1672 -msgid "Module {1} requires a network." -msgstr "Le module {1} requiert un réseau." - -#: Modules.cpp:1688 -msgid "Caught an exception" -msgstr "Une exception a été reçue" - -#: Modules.cpp:1694 -msgid "Module {1} aborted: {2}" -msgstr "Le module {1} a annulé : {2}" - -#: Modules.cpp:1696 -msgid "Module {1} aborted." -msgstr "Module {1} stoppé." - -#: Modules.cpp:1720 Modules.cpp:1762 -msgid "Module [{1}] not loaded." -msgstr "Le module [{1}] n'est pas chargé." - -#: Modules.cpp:1744 -msgid "Module {1} unloaded." -msgstr "Le module {1} a été déchargé." - -#: Modules.cpp:1749 -msgid "Unable to unload module {1}." -msgstr "Impossible de décharger le module {1}." - -#: Modules.cpp:1778 -msgid "Reloaded module {1}." -msgstr "Le module {1} a été rechargé." - -#: Modules.cpp:1793 -msgid "Unable to find module {1}." -msgstr "Impossible de trouver le module {1}." - -#: Modules.cpp:1919 msgid "" "Module names can only contain letters, numbers and underscores, [{1}] is " "invalid" @@ -380,19 +328,71 @@ msgstr "" "Les noms de module ne peuvent contenir que des lettres, des chiffres et des " "underscores, [{1}] est invalide" -#: Modules.cpp:1943 +#: Modules.cpp:1652 +msgid "Module {1} already loaded." +msgstr "Le module {1} est déjà chargé." + +#: Modules.cpp:1666 +msgid "Unable to find module {1}" +msgstr "Impossible de trouver le module {1}" + +#: Modules.cpp:1678 +msgid "Module {1} does not support module type {2}." +msgstr "Le module {1} le supporte pas le type {2}." + +#: Modules.cpp:1685 +msgid "Module {1} requires a user." +msgstr "Le module {1} requiert un utilisateur." + +#: Modules.cpp:1691 +msgid "Module {1} requires a network." +msgstr "Le module {1} requiert un réseau." + +#: Modules.cpp:1707 +msgid "Caught an exception" +msgstr "Une exception a été reçue" + +#: Modules.cpp:1713 +msgid "Module {1} aborted: {2}" +msgstr "Le module {1} a annulé : {2}" + +#: Modules.cpp:1715 +msgid "Module {1} aborted." +msgstr "Module {1} stoppé." + +#: Modules.cpp:1739 Modules.cpp:1781 +msgid "Module [{1}] not loaded." +msgstr "Le module [{1}] n'est pas chargé." + +#: Modules.cpp:1763 +msgid "Module {1} unloaded." +msgstr "Le module {1} a été déchargé." + +#: Modules.cpp:1768 +msgid "Unable to unload module {1}." +msgstr "Impossible de décharger le module {1}." + +#: Modules.cpp:1797 +msgid "Reloaded module {1}." +msgstr "Le module {1} a été rechargé." + +#: Modules.cpp:1816 +msgid "Unable to find module {1}." +msgstr "Impossible de trouver le module {1}." + +#: Modules.cpp:1963 msgid "Unknown error" msgstr "Erreur inconnue" -#: Modules.cpp:1944 +#: Modules.cpp:1964 msgid "Unable to open module {1}: {2}" msgstr "Impossible d'ouvrir le module {1} : {2}" -#: Modules.cpp:1953 +#: Modules.cpp:1973 msgid "Could not find ZNCModuleEntry in module {1}" msgstr "Impossible de trouver ZNCModuleEntry dans le module {1}" -#: Modules.cpp:1961 +#: Modules.cpp:1981 msgid "" "Version mismatch for module {1}: core is {2}, module is built for {3}. " "Recompile this module." @@ -400,7 +400,7 @@ msgstr "" "Les versions ne correspondent pas pour le module {1} : le cœur est {2}, le " "module est conçu pour {3}. Recompilez ce module." -#: Modules.cpp:1972 +#: Modules.cpp:1992 msgid "" "Module {1} is built incompatibly: core is '{2}', module is '{3}'. Recompile " "this module." @@ -408,12 +408,12 @@ msgstr "" "Le module {1} a été compilé de façon incompatible : le cœur est '{2}', le " "module est '{3}'. Recompilez ce module." -#: Modules.cpp:2002 Modules.cpp:2008 +#: Modules.cpp:2023 Modules.cpp:2029 msgctxt "modhelpcmd" msgid "Command" msgstr "Commande" -#: Modules.cpp:2003 Modules.cpp:2009 +#: Modules.cpp:2024 Modules.cpp:2031 msgctxt "modhelpcmd" msgid "Description" msgstr "Description" @@ -421,9 +421,9 @@ msgstr "Description" #: ClientCommand.cpp:51 ClientCommand.cpp:115 ClientCommand.cpp:137 #: ClientCommand.cpp:749 ClientCommand.cpp:768 ClientCommand.cpp:794 #: ClientCommand.cpp:827 ClientCommand.cpp:840 ClientCommand.cpp:853 -#: ClientCommand.cpp:868 ClientCommand.cpp:1321 ClientCommand.cpp:1369 -#: ClientCommand.cpp:1401 ClientCommand.cpp:1412 ClientCommand.cpp:1421 -#: ClientCommand.cpp:1433 +#: ClientCommand.cpp:868 ClientCommand.cpp:1329 ClientCommand.cpp:1377 +#: ClientCommand.cpp:1409 ClientCommand.cpp:1420 ClientCommand.cpp:1429 +#: ClientCommand.cpp:1441 msgid "You must be connected with a network to use this command" msgstr "Vous devez être connecté à un réseau pour utiliser cette commande" @@ -648,7 +648,7 @@ msgctxt "listnetworks" msgid "No networks" msgstr "Aucun réseau" -#: ClientCommand.cpp:632 ClientCommand.cpp:932 +#: ClientCommand.cpp:632 ClientCommand.cpp:936 msgid "Access denied." msgstr "Accès refusé." @@ -801,171 +801,171 @@ msgctxt "topicscmd" msgid "Topic" msgstr "Sujet" -#: ClientCommand.cpp:889 ClientCommand.cpp:893 +#: ClientCommand.cpp:889 ClientCommand.cpp:894 msgctxt "listmods" msgid "Name" msgstr "Nom" -#: ClientCommand.cpp:890 ClientCommand.cpp:894 +#: ClientCommand.cpp:890 ClientCommand.cpp:895 msgctxt "listmods" msgid "Arguments" msgstr "Arguments" -#: ClientCommand.cpp:902 +#: ClientCommand.cpp:904 msgid "No global modules loaded." msgstr "Aucun module global chargé." -#: ClientCommand.cpp:904 ClientCommand.cpp:964 +#: ClientCommand.cpp:906 ClientCommand.cpp:970 msgid "Global modules:" msgstr "Module globaux :" -#: ClientCommand.cpp:912 +#: ClientCommand.cpp:915 msgid "Your user has no modules loaded." msgstr "Votre utilisateur n'a chargé aucun module." -#: ClientCommand.cpp:914 ClientCommand.cpp:975 +#: ClientCommand.cpp:917 ClientCommand.cpp:982 msgid "User modules:" msgstr "Modules utilisateur :" -#: ClientCommand.cpp:921 +#: ClientCommand.cpp:925 msgid "This network has no modules loaded." msgstr "Ce réseau n'a chargé aucun module." -#: ClientCommand.cpp:923 ClientCommand.cpp:986 +#: ClientCommand.cpp:927 ClientCommand.cpp:994 msgid "Network modules:" msgstr "Modules de réseau :" -#: ClientCommand.cpp:938 ClientCommand.cpp:944 +#: ClientCommand.cpp:942 ClientCommand.cpp:949 msgctxt "listavailmods" msgid "Name" msgstr "Nom" -#: ClientCommand.cpp:939 ClientCommand.cpp:949 +#: ClientCommand.cpp:943 ClientCommand.cpp:954 msgctxt "listavailmods" msgid "Description" msgstr "Description" -#: ClientCommand.cpp:962 +#: ClientCommand.cpp:968 msgid "No global modules available." msgstr "Aucun module global disponible." -#: ClientCommand.cpp:973 +#: ClientCommand.cpp:980 msgid "No user modules available." msgstr "Aucun module utilisateur disponible." -#: ClientCommand.cpp:984 +#: ClientCommand.cpp:992 msgid "No network modules available." msgstr "Aucun module de réseau disponible." -#: ClientCommand.cpp:1012 +#: ClientCommand.cpp:1020 msgid "Unable to load {1}: Access denied." msgstr "Impossible de charger {1} : accès refusé." -#: ClientCommand.cpp:1018 +#: ClientCommand.cpp:1026 msgid "Usage: LoadMod [--type=global|user|network] [args]" msgstr "Utilisation : LoadMod [--type=global|user|network] [args]" -#: ClientCommand.cpp:1025 +#: ClientCommand.cpp:1033 msgid "Unable to load {1}: {2}" msgstr "Impossible de charger {1} : {2}" -#: ClientCommand.cpp:1035 +#: ClientCommand.cpp:1043 msgid "Unable to load global module {1}: Access denied." msgstr "Impossible de charger le module global {1} : accès refusé." -#: ClientCommand.cpp:1041 +#: ClientCommand.cpp:1049 msgid "Unable to load network module {1}: Not connected with a network." msgstr "" "Impossible de chargé le module de réseau {1} : aucune connexion à un réseau." -#: ClientCommand.cpp:1063 +#: ClientCommand.cpp:1071 msgid "Unknown module type" msgstr "Type de module inconnu" -#: ClientCommand.cpp:1068 +#: ClientCommand.cpp:1076 msgid "Loaded module {1}" msgstr "Le module {1} a été chargé" -#: ClientCommand.cpp:1070 +#: ClientCommand.cpp:1078 msgid "Loaded module {1}: {2}" msgstr "Le module {1} a été chargé : {2}" -#: ClientCommand.cpp:1073 +#: ClientCommand.cpp:1081 msgid "Unable to load module {1}: {2}" msgstr "Impossible de charger le module {1} : {2}" -#: ClientCommand.cpp:1096 +#: ClientCommand.cpp:1104 msgid "Unable to unload {1}: Access denied." msgstr "Impossible de décharger {1} : accès refusé." -#: ClientCommand.cpp:1102 +#: ClientCommand.cpp:1110 msgid "Usage: UnloadMod [--type=global|user|network] " msgstr "Utilisation : UnloadMod [--type=global|user|network] " -#: ClientCommand.cpp:1111 +#: ClientCommand.cpp:1119 msgid "Unable to determine type of {1}: {2}" msgstr "Impossible de déterminer le type de {1} : {2}" -#: ClientCommand.cpp:1119 +#: ClientCommand.cpp:1127 msgid "Unable to unload global module {1}: Access denied." msgstr "Impossible de décharger le module global {1} : accès refusé." -#: ClientCommand.cpp:1126 +#: ClientCommand.cpp:1134 msgid "Unable to unload network module {1}: Not connected with a network." msgstr "" "Impossible de décharger le module de réseau {1} : aucune connexion à un " "réseau." -#: ClientCommand.cpp:1145 +#: ClientCommand.cpp:1153 msgid "Unable to unload module {1}: Unknown module type" msgstr "Impossible de décharger le module {1} : type de module inconnu" -#: ClientCommand.cpp:1158 +#: ClientCommand.cpp:1166 msgid "Unable to reload modules. Access denied." msgstr "Impossible de recharger les modules : accès refusé." -#: ClientCommand.cpp:1179 +#: ClientCommand.cpp:1187 msgid "Usage: ReloadMod [--type=global|user|network] [args]" msgstr "Utilisation : ReloadMod [--type=global|user|network] [args]" -#: ClientCommand.cpp:1188 +#: ClientCommand.cpp:1196 msgid "Unable to reload {1}: {2}" msgstr "Impossible de recharger {1} : {2}" -#: ClientCommand.cpp:1196 +#: ClientCommand.cpp:1204 msgid "Unable to reload global module {1}: Access denied." msgstr "Impossible de recharger le module global {1} : accès refusé." -#: ClientCommand.cpp:1203 +#: ClientCommand.cpp:1211 msgid "Unable to reload network module {1}: Not connected with a network." msgstr "" "Impossible de recharger le module de réseau {1} : vous n'êtes pas connecté à " "un réseau." -#: ClientCommand.cpp:1225 +#: ClientCommand.cpp:1233 msgid "Unable to reload module {1}: Unknown module type" msgstr "Impossible de recharger le module {1} : type de module inconnu" -#: ClientCommand.cpp:1236 +#: ClientCommand.cpp:1244 msgid "Usage: UpdateMod " msgstr "Utilisation : UpdateMod " -#: ClientCommand.cpp:1240 +#: ClientCommand.cpp:1248 msgid "Reloading {1} everywhere" msgstr "Rechargement de {1} partout" -#: ClientCommand.cpp:1242 +#: ClientCommand.cpp:1250 msgid "Done" msgstr "Fait" -#: ClientCommand.cpp:1245 +#: ClientCommand.cpp:1253 msgid "" "Done, but there were errors, module {1} could not be reloaded everywhere." msgstr "" "Fait, mais des erreurs ont eu lieu, le module {1} n'a pas pu être rechargé " "partout." -#: ClientCommand.cpp:1253 +#: ClientCommand.cpp:1261 msgid "" "You must be connected with a network to use this command. Try " "SetUserBindHost instead" @@ -973,27 +973,27 @@ msgstr "" "Vous devez être connecté à un réseau pour utiliser cette commande. Essayez " "SetUserBindHost à la place" -#: ClientCommand.cpp:1260 +#: ClientCommand.cpp:1268 msgid "Usage: SetBindHost " msgstr "Utilisation : SetBindHost " -#: ClientCommand.cpp:1265 ClientCommand.cpp:1282 +#: ClientCommand.cpp:1273 ClientCommand.cpp:1290 msgid "You already have this bind host!" msgstr "Vous êtes déjà lié à cet hôte !" -#: ClientCommand.cpp:1270 +#: ClientCommand.cpp:1278 msgid "Set bind host for network {1} to {2}" msgstr "Lie l'hôte {2} au réseau {1}" -#: ClientCommand.cpp:1277 +#: ClientCommand.cpp:1285 msgid "Usage: SetUserBindHost " msgstr "Utilisation : SetUserBindHost " -#: ClientCommand.cpp:1287 +#: ClientCommand.cpp:1295 msgid "Set default bind host to {1}" msgstr "Définit l'hôte par défaut à {1}" -#: ClientCommand.cpp:1293 +#: ClientCommand.cpp:1301 msgid "" "You must be connected with a network to use this command. Try " "ClearUserBindHost instead" @@ -1001,258 +1001,258 @@ msgstr "" "Vous devez être connecté à un réseau pour utiliser cette commande. Essayez " "ClearUserBindHost à la place" -#: ClientCommand.cpp:1298 +#: ClientCommand.cpp:1306 msgid "Bind host cleared for this network." msgstr "L'hôte lié à ce réseau a été supprimé." -#: ClientCommand.cpp:1302 +#: ClientCommand.cpp:1310 msgid "Default bind host cleared for your user." msgstr "L'hôte lié par défaut a été supprimé pour votre utilisateur." -#: ClientCommand.cpp:1305 +#: ClientCommand.cpp:1313 msgid "This user's default bind host not set" msgstr "L'hôte lié par défaut pour cet utilisateur n'a pas été configuré" -#: ClientCommand.cpp:1307 +#: ClientCommand.cpp:1315 msgid "This user's default bind host is {1}" msgstr "L'hôte lié par défaut pour cet utilisateur est {1}" -#: ClientCommand.cpp:1312 +#: ClientCommand.cpp:1320 msgid "This network's bind host not set" msgstr "L'hôte lié pour ce réseau n'est pas défini" -#: ClientCommand.cpp:1314 +#: ClientCommand.cpp:1322 msgid "This network's default bind host is {1}" msgstr "L'hôte lié par défaut pour ce réseau est {1}" -#: ClientCommand.cpp:1328 +#: ClientCommand.cpp:1336 msgid "Usage: PlayBuffer <#chan|query>" msgstr "Utilisation : PlayBuffer <#salon|privé>" -#: ClientCommand.cpp:1336 +#: ClientCommand.cpp:1344 msgid "You are not on {1}" msgstr "Vous n'êtes pas sur {1}" -#: ClientCommand.cpp:1341 +#: ClientCommand.cpp:1349 msgid "You are not on {1} (trying to join)" msgstr "Vous n'êtes pas sur {1} (en cours de connexion)" -#: ClientCommand.cpp:1346 +#: ClientCommand.cpp:1354 msgid "The buffer for channel {1} is empty" msgstr "Le tampon du salon {1} est vide" -#: ClientCommand.cpp:1355 +#: ClientCommand.cpp:1363 msgid "No active query with {1}" msgstr "Aucune session privée avec {1}" -#: ClientCommand.cpp:1360 +#: ClientCommand.cpp:1368 msgid "The buffer for {1} is empty" msgstr "Le tampon pour {1} est vide" -#: ClientCommand.cpp:1376 +#: ClientCommand.cpp:1384 msgid "Usage: ClearBuffer <#chan|query>" msgstr "Utilisation : ClearBuffer <#salon|privé>" -#: ClientCommand.cpp:1395 +#: ClientCommand.cpp:1403 msgid "{1} buffer matching {2} has been cleared" msgid_plural "{1} buffers matching {2} have been cleared" msgstr[0] "Le tampon {1} correspondant à {2} a été vidé" msgstr[1] "Les tampons {1} correspondant à {2} ont été vidés" -#: ClientCommand.cpp:1408 +#: ClientCommand.cpp:1416 msgid "All channel buffers have been cleared" msgstr "Les tampons de tous les salons ont été vidés" -#: ClientCommand.cpp:1417 +#: ClientCommand.cpp:1425 msgid "All query buffers have been cleared" msgstr "Les tampons de toutes les sessions privées ont été vidés" -#: ClientCommand.cpp:1429 +#: ClientCommand.cpp:1437 msgid "All buffers have been cleared" msgstr "Tous les tampons ont été vidés" -#: ClientCommand.cpp:1440 +#: ClientCommand.cpp:1448 msgid "Usage: SetBuffer <#chan|query> [linecount]" msgstr "Utilisation : SetBuffer <#salon|privé> [lignes]" -#: ClientCommand.cpp:1461 +#: ClientCommand.cpp:1469 msgid "Setting buffer size failed for {1} buffer" msgid_plural "Setting buffer size failed for {1} buffers" msgstr[0] "La configuration de la taille du tampon a échoué pour {1}" msgstr[1] "La configuration de la taille du tampon a échoué pour {1}" -#: ClientCommand.cpp:1464 +#: ClientCommand.cpp:1472 msgid "Maximum buffer size is {1} line" msgid_plural "Maximum buffer size is {1} lines" msgstr[0] "La taille maximale du tampon est de {1} ligne" msgstr[1] "La taille maximale du tampon est de {1} lignes" -#: ClientCommand.cpp:1469 +#: ClientCommand.cpp:1477 msgid "Size of every buffer was set to {1} line" msgid_plural "Size of every buffer was set to {1} lines" msgstr[0] "La taille de tous les tampons a été définie à {1} ligne" msgstr[1] "La taille de tous les tampons a été définie à {1} lignes" -#: ClientCommand.cpp:1479 ClientCommand.cpp:1486 ClientCommand.cpp:1497 -#: ClientCommand.cpp:1506 ClientCommand.cpp:1514 +#: ClientCommand.cpp:1487 ClientCommand.cpp:1494 ClientCommand.cpp:1505 +#: ClientCommand.cpp:1514 ClientCommand.cpp:1522 msgctxt "trafficcmd" msgid "Username" msgstr "Nom d'utilisateur" -#: ClientCommand.cpp:1480 ClientCommand.cpp:1487 ClientCommand.cpp:1499 -#: ClientCommand.cpp:1508 ClientCommand.cpp:1516 +#: ClientCommand.cpp:1488 ClientCommand.cpp:1495 ClientCommand.cpp:1507 +#: ClientCommand.cpp:1516 ClientCommand.cpp:1524 msgctxt "trafficcmd" msgid "In" msgstr "Entrée" -#: ClientCommand.cpp:1481 ClientCommand.cpp:1489 ClientCommand.cpp:1500 -#: ClientCommand.cpp:1509 ClientCommand.cpp:1517 +#: ClientCommand.cpp:1489 ClientCommand.cpp:1497 ClientCommand.cpp:1508 +#: ClientCommand.cpp:1517 ClientCommand.cpp:1525 msgctxt "trafficcmd" msgid "Out" msgstr "Sortie" -#: ClientCommand.cpp:1482 ClientCommand.cpp:1492 ClientCommand.cpp:1502 -#: ClientCommand.cpp:1510 ClientCommand.cpp:1519 +#: ClientCommand.cpp:1490 ClientCommand.cpp:1500 ClientCommand.cpp:1510 +#: ClientCommand.cpp:1518 ClientCommand.cpp:1527 msgctxt "trafficcmd" msgid "Total" msgstr "Total" -#: ClientCommand.cpp:1498 +#: ClientCommand.cpp:1506 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1507 +#: ClientCommand.cpp:1515 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1515 +#: ClientCommand.cpp:1523 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1524 +#: ClientCommand.cpp:1532 msgid "Running for {1}" msgstr "Actif pour {1}" -#: ClientCommand.cpp:1530 +#: ClientCommand.cpp:1538 msgid "Unknown command, try 'Help'" msgstr "Commande inconnue, essayez 'Help'" -#: ClientCommand.cpp:1539 ClientCommand.cpp:1550 +#: ClientCommand.cpp:1547 ClientCommand.cpp:1558 msgctxt "listports" msgid "Port" msgstr "Port" -#: ClientCommand.cpp:1540 ClientCommand.cpp:1551 +#: ClientCommand.cpp:1548 ClientCommand.cpp:1559 msgctxt "listports" msgid "BindHost" msgstr "BindHost" -#: ClientCommand.cpp:1541 ClientCommand.cpp:1554 +#: ClientCommand.cpp:1549 ClientCommand.cpp:1562 msgctxt "listports" msgid "SSL" msgstr "SSL" -#: ClientCommand.cpp:1542 ClientCommand.cpp:1559 +#: ClientCommand.cpp:1550 ClientCommand.cpp:1567 msgctxt "listports" msgid "Protocol" msgstr "Protocole" -#: ClientCommand.cpp:1543 ClientCommand.cpp:1566 +#: ClientCommand.cpp:1551 ClientCommand.cpp:1574 msgctxt "listports" msgid "IRC" msgstr "IRC" -#: ClientCommand.cpp:1544 ClientCommand.cpp:1571 +#: ClientCommand.cpp:1552 ClientCommand.cpp:1579 msgctxt "listports" msgid "Web" msgstr "Web" -#: ClientCommand.cpp:1555 +#: ClientCommand.cpp:1563 msgctxt "listports|ssl" msgid "yes" msgstr "oui" -#: ClientCommand.cpp:1556 +#: ClientCommand.cpp:1564 msgctxt "listports|ssl" msgid "no" msgstr "non" -#: ClientCommand.cpp:1560 +#: ClientCommand.cpp:1568 msgctxt "listports" msgid "IPv4 and IPv6" msgstr "IPv4 et IPv6" -#: ClientCommand.cpp:1562 +#: ClientCommand.cpp:1570 msgctxt "listports" msgid "IPv4" msgstr "IPv4" -#: ClientCommand.cpp:1563 +#: ClientCommand.cpp:1571 msgctxt "listports" msgid "IPv6" msgstr "IPv6" -#: ClientCommand.cpp:1569 +#: ClientCommand.cpp:1577 msgctxt "listports|irc" msgid "yes" msgstr "oui" -#: ClientCommand.cpp:1570 +#: ClientCommand.cpp:1578 msgctxt "listports|irc" msgid "no" msgstr "non" -#: ClientCommand.cpp:1574 +#: ClientCommand.cpp:1582 msgctxt "listports|irc" msgid "yes, on {1}" msgstr "oui, sur {1}" -#: ClientCommand.cpp:1576 +#: ClientCommand.cpp:1584 msgctxt "listports|web" msgid "no" msgstr "non" -#: ClientCommand.cpp:1616 +#: ClientCommand.cpp:1624 msgid "" "Usage: AddPort <[+]port> [bindhost [uriprefix]]" msgstr "" "Utilisation : AddPort <[+]port> [bindhost " "[uriprefix]]" -#: ClientCommand.cpp:1632 +#: ClientCommand.cpp:1640 msgid "Port added" msgstr "Port ajouté" -#: ClientCommand.cpp:1634 +#: ClientCommand.cpp:1642 msgid "Couldn't add port" msgstr "Le port n'a pas pu être ajouté" -#: ClientCommand.cpp:1640 +#: ClientCommand.cpp:1648 msgid "Usage: DelPort [bindhost]" msgstr "Utilisation : DelPort [bindhost]" -#: ClientCommand.cpp:1649 +#: ClientCommand.cpp:1657 msgid "Deleted Port" msgstr "Port supprimé" -#: ClientCommand.cpp:1651 +#: ClientCommand.cpp:1659 msgid "Unable to find a matching port" msgstr "Impossible de trouver un port correspondant" -#: ClientCommand.cpp:1659 ClientCommand.cpp:1673 +#: ClientCommand.cpp:1667 ClientCommand.cpp:1682 msgctxt "helpcmd" msgid "Command" msgstr "Commande" -#: ClientCommand.cpp:1660 ClientCommand.cpp:1674 +#: ClientCommand.cpp:1668 ClientCommand.cpp:1684 msgctxt "helpcmd" msgid "Description" msgstr "Description" -#: ClientCommand.cpp:1664 +#: ClientCommand.cpp:1673 msgid "" "In the following list all occurrences of <#chan> support wildcards (* and ?) " "except ListNicks" @@ -1260,88 +1260,88 @@ msgstr "" "Dans la liste ci-dessous, les occurrences de <#salon> supportent les jokers " "(* et ?), sauf ListNicks" -#: ClientCommand.cpp:1680 +#: ClientCommand.cpp:1690 msgctxt "helpcmd|Version|desc" msgid "Print which version of ZNC this is" msgstr "Affiche la version de ZNC" -#: ClientCommand.cpp:1683 +#: ClientCommand.cpp:1693 msgctxt "helpcmd|ListMods|desc" msgid "List all loaded modules" msgstr "Liste les modules chargés" -#: ClientCommand.cpp:1686 +#: ClientCommand.cpp:1696 msgctxt "helpcmd|ListAvailMods|desc" msgid "List all available modules" msgstr "Liste les modules disponibles" -#: ClientCommand.cpp:1690 ClientCommand.cpp:1876 +#: ClientCommand.cpp:1700 ClientCommand.cpp:1886 msgctxt "helpcmd|ListChans|desc" msgid "List all channels" msgstr "Liste les salons" -#: ClientCommand.cpp:1693 +#: ClientCommand.cpp:1703 msgctxt "helpcmd|ListNicks|args" msgid "<#chan>" msgstr "<#salon>" -#: ClientCommand.cpp:1694 +#: ClientCommand.cpp:1704 msgctxt "helpcmd|ListNicks|desc" msgid "List all nicks on a channel" msgstr "Liste les pseudonymes d'un salon" -#: ClientCommand.cpp:1697 +#: ClientCommand.cpp:1707 msgctxt "helpcmd|ListClients|desc" msgid "List all clients connected to your ZNC user" msgstr "Liste les clients connectés à votre utilisateur ZNC" -#: ClientCommand.cpp:1701 +#: ClientCommand.cpp:1711 msgctxt "helpcmd|ListServers|desc" msgid "List all servers of current IRC network" msgstr "Liste les serveurs du réseau IRC actuel" -#: ClientCommand.cpp:1705 +#: ClientCommand.cpp:1715 msgctxt "helpcmd|AddNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1706 +#: ClientCommand.cpp:1716 msgctxt "helpcmd|AddNetwork|desc" msgid "Add a network to your user" msgstr "Ajoute un réseau à votre utilisateur" -#: ClientCommand.cpp:1708 +#: ClientCommand.cpp:1718 msgctxt "helpcmd|DelNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1709 +#: ClientCommand.cpp:1719 msgctxt "helpcmd|DelNetwork|desc" msgid "Delete a network from your user" msgstr "Supprime un réseau de votre utilisateur" -#: ClientCommand.cpp:1711 +#: ClientCommand.cpp:1721 msgctxt "helpcmd|ListNetworks|desc" msgid "List all networks" msgstr "Liste les réseaux" -#: ClientCommand.cpp:1714 +#: ClientCommand.cpp:1724 msgctxt "helpcmd|MoveNetwork|args" msgid " [new network]" msgstr "" " [nouveau réseau]" -#: ClientCommand.cpp:1716 +#: ClientCommand.cpp:1726 msgctxt "helpcmd|MoveNetwork|desc" msgid "Move an IRC network from one user to another" msgstr "Migre un réseau IRC d'un utilisateur à l'autre" -#: ClientCommand.cpp:1720 +#: ClientCommand.cpp:1730 msgctxt "helpcmd|JumpNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1721 +#: ClientCommand.cpp:1731 msgctxt "helpcmd|JumpNetwork|desc" msgid "" "Jump to another network (Alternatively, you can connect to ZNC several " @@ -1350,12 +1350,12 @@ msgstr "" "Migre vers un autre réseau (alternativement, vous pouvez vous connectez à " "ZNC à plusieurs reprises en utilisant 'utilisateur/réseau' comme identifiant)" -#: ClientCommand.cpp:1726 +#: ClientCommand.cpp:1736 msgctxt "helpcmd|AddServer|args" msgid " [[+]port] [pass]" msgstr " [[+]port] [pass]" -#: ClientCommand.cpp:1727 +#: ClientCommand.cpp:1737 msgctxt "helpcmd|AddServer|desc" msgid "" "Add a server to the list of alternate/backup servers of current IRC network." @@ -1363,12 +1363,12 @@ msgstr "" "Ajoute un serveur à la liste des serveurs alternatifs pour le réseau IRC " "actuel." -#: ClientCommand.cpp:1731 +#: ClientCommand.cpp:1741 msgctxt "helpcmd|DelServer|args" msgid " [port] [pass]" msgstr " [port] [pass]" -#: ClientCommand.cpp:1732 +#: ClientCommand.cpp:1742 msgctxt "helpcmd|DelServer|desc" msgid "" "Remove a server from the list of alternate/backup servers of current IRC " @@ -1376,12 +1376,12 @@ msgid "" msgstr "" "Supprime un serveur de la liste des serveurs alternatifs du réseau IRC actuel" -#: ClientCommand.cpp:1738 +#: ClientCommand.cpp:1748 msgctxt "helpcmd|AddTrustedServerFingerprint|args" msgid "" msgstr "" -#: ClientCommand.cpp:1739 +#: ClientCommand.cpp:1749 msgctxt "helpcmd|AddTrustedServerFingerprint|desc" msgid "" "Add a trusted server SSL certificate fingerprint (SHA-256) to current IRC " @@ -1390,338 +1390,338 @@ msgstr "" "Ajoute l'empreinte (SHA-256) d'un certificat SSL de confiance au réseau IRC " "actuel." -#: ClientCommand.cpp:1744 +#: ClientCommand.cpp:1754 msgctxt "helpcmd|DelTrustedServerFingerprint|args" msgid "" msgstr "" -#: ClientCommand.cpp:1745 +#: ClientCommand.cpp:1755 msgctxt "helpcmd|DelTrustedServerFingerprint|desc" msgid "Delete a trusted server SSL certificate from current IRC network." msgstr "Supprime un certificat SSL de confiance du réseau IRC actuel." -#: ClientCommand.cpp:1749 +#: ClientCommand.cpp:1759 msgctxt "helpcmd|ListTrustedServerFingerprints|desc" msgid "List all trusted server SSL certificates of current IRC network." msgstr "Liste les certificats SSL de confiance du réseau IRC actuel." -#: ClientCommand.cpp:1752 +#: ClientCommand.cpp:1762 msgctxt "helpcmd|EnableChan|args" msgid "<#chans>" msgstr "<#salons>" -#: ClientCommand.cpp:1753 +#: ClientCommand.cpp:1763 msgctxt "helpcmd|EnableChan|desc" msgid "Enable channels" msgstr "Active les salons" -#: ClientCommand.cpp:1754 +#: ClientCommand.cpp:1764 msgctxt "helpcmd|DisableChan|args" msgid "<#chans>" msgstr "<#salons>" -#: ClientCommand.cpp:1755 +#: ClientCommand.cpp:1765 msgctxt "helpcmd|DisableChan|desc" msgid "Disable channels" msgstr "Désactive les salons" -#: ClientCommand.cpp:1756 +#: ClientCommand.cpp:1766 msgctxt "helpcmd|Attach|args" msgid "<#chans>" msgstr "<#salons>" -#: ClientCommand.cpp:1757 +#: ClientCommand.cpp:1767 msgctxt "helpcmd|Attach|desc" msgid "Attach to channels" msgstr "Attache les salons" -#: ClientCommand.cpp:1758 +#: ClientCommand.cpp:1768 msgctxt "helpcmd|Detach|args" msgid "<#chans>" msgstr "<#salons>" -#: ClientCommand.cpp:1759 +#: ClientCommand.cpp:1769 msgctxt "helpcmd|Detach|desc" msgid "Detach from channels" msgstr "Se détacher des salons" -#: ClientCommand.cpp:1762 +#: ClientCommand.cpp:1772 msgctxt "helpcmd|Topics|desc" msgid "Show topics in all your channels" msgstr "Afficher le sujet dans tous les salons" -#: ClientCommand.cpp:1765 +#: ClientCommand.cpp:1775 msgctxt "helpcmd|PlayBuffer|args" msgid "<#chan|query>" msgstr "<#salon|privé>" -#: ClientCommand.cpp:1766 +#: ClientCommand.cpp:1776 msgctxt "helpcmd|PlayBuffer|desc" msgid "Play back the specified buffer" msgstr "Rejouer le tampon spécifié" -#: ClientCommand.cpp:1768 +#: ClientCommand.cpp:1778 msgctxt "helpcmd|ClearBuffer|args" msgid "<#chan|query>" msgstr "<#salon|privé>" -#: ClientCommand.cpp:1769 +#: ClientCommand.cpp:1779 msgctxt "helpcmd|ClearBuffer|desc" msgid "Clear the specified buffer" msgstr "Vider le tampon spécifié" -#: ClientCommand.cpp:1771 +#: ClientCommand.cpp:1781 msgctxt "helpcmd|ClearAllBuffers|desc" msgid "Clear all channel and query buffers" msgstr "Vider tous les tampons de salons et de sessions privées" -#: ClientCommand.cpp:1774 +#: ClientCommand.cpp:1784 msgctxt "helpcmd|ClearAllChannelBuffers|desc" msgid "Clear the channel buffers" msgstr "Vider tous les tampons de salon" -#: ClientCommand.cpp:1778 +#: ClientCommand.cpp:1788 msgctxt "helpcmd|ClearAllQueryBuffers|desc" msgid "Clear the query buffers" msgstr "Vider tous les tampons de session privée" -#: ClientCommand.cpp:1780 +#: ClientCommand.cpp:1790 msgctxt "helpcmd|SetBuffer|args" msgid "<#chan|query> [linecount]" msgstr "<#salon|privé> [lignes]" -#: ClientCommand.cpp:1781 +#: ClientCommand.cpp:1791 msgctxt "helpcmd|SetBuffer|desc" msgid "Set the buffer count" msgstr "Définir le nombre de tampons" -#: ClientCommand.cpp:1785 +#: ClientCommand.cpp:1795 msgctxt "helpcmd|SetBindHost|args" msgid "" msgstr "" -#: ClientCommand.cpp:1786 +#: ClientCommand.cpp:1796 msgctxt "helpcmd|SetBindHost|desc" msgid "Set the bind host for this network" msgstr "Définir le bindhost pour ce réseau" -#: ClientCommand.cpp:1790 +#: ClientCommand.cpp:1800 msgctxt "helpcmd|SetUserBindHost|args" msgid "" msgstr "" -#: ClientCommand.cpp:1791 +#: ClientCommand.cpp:1801 msgctxt "helpcmd|SetUserBindHost|desc" msgid "Set the default bind host for this user" msgstr "Définir l'hôte lié pour cet utilisateur" -#: ClientCommand.cpp:1794 +#: ClientCommand.cpp:1804 msgctxt "helpcmd|ClearBindHost|desc" msgid "Clear the bind host for this network" msgstr "Vider l'hôte lié pour ce réseau" -#: ClientCommand.cpp:1797 +#: ClientCommand.cpp:1807 msgctxt "helpcmd|ClearUserBindHost|desc" msgid "Clear the default bind host for this user" msgstr "Vider l'hôte lié pour cet utilisateur" -#: ClientCommand.cpp:1803 +#: ClientCommand.cpp:1813 msgctxt "helpcmd|ShowBindHost|desc" msgid "Show currently selected bind host" msgstr "Afficher l'hôte actuellement lié" -#: ClientCommand.cpp:1805 +#: ClientCommand.cpp:1815 msgctxt "helpcmd|Jump|args" msgid "[server]" msgstr "[serveur]" -#: ClientCommand.cpp:1806 +#: ClientCommand.cpp:1816 msgctxt "helpcmd|Jump|desc" msgid "Jump to the next or the specified server" msgstr "Passer au serveur sélectionné ou au suivant" -#: ClientCommand.cpp:1807 +#: ClientCommand.cpp:1817 msgctxt "helpcmd|Disconnect|args" msgid "[message]" msgstr "[message]" -#: ClientCommand.cpp:1808 +#: ClientCommand.cpp:1818 msgctxt "helpcmd|Disconnect|desc" msgid "Disconnect from IRC" msgstr "Déconnexion d'IRC" -#: ClientCommand.cpp:1810 +#: ClientCommand.cpp:1820 msgctxt "helpcmd|Connect|desc" msgid "Reconnect to IRC" msgstr "Reconnexion à IRC" -#: ClientCommand.cpp:1813 +#: ClientCommand.cpp:1823 msgctxt "helpcmd|Uptime|desc" msgid "Show for how long ZNC has been running" msgstr "Afficher le temps écoulé depuis le lancement de ZNC" -#: ClientCommand.cpp:1817 +#: ClientCommand.cpp:1827 msgctxt "helpcmd|LoadMod|args" msgid "[--type=global|user|network] " msgstr "[--type=global|user|network] " -#: ClientCommand.cpp:1819 +#: ClientCommand.cpp:1829 msgctxt "helpcmd|LoadMod|desc" msgid "Load a module" msgstr "Charger un module" -#: ClientCommand.cpp:1821 +#: ClientCommand.cpp:1831 msgctxt "helpcmd|UnloadMod|args" msgid "[--type=global|user|network] " msgstr "[--type=global|user|network] " -#: ClientCommand.cpp:1823 +#: ClientCommand.cpp:1833 msgctxt "helpcmd|UnloadMod|desc" msgid "Unload a module" msgstr "Désactiver un module" -#: ClientCommand.cpp:1825 +#: ClientCommand.cpp:1835 msgctxt "helpcmd|ReloadMod|args" msgid "[--type=global|user|network] " msgstr "[--type=global|user|network] " -#: ClientCommand.cpp:1827 +#: ClientCommand.cpp:1837 msgctxt "helpcmd|ReloadMod|desc" msgid "Reload a module" msgstr "Recharger un module" -#: ClientCommand.cpp:1830 +#: ClientCommand.cpp:1840 msgctxt "helpcmd|UpdateMod|args" msgid "" msgstr "" -#: ClientCommand.cpp:1831 +#: ClientCommand.cpp:1841 msgctxt "helpcmd|UpdateMod|desc" msgid "Reload a module everywhere" msgstr "Recharger un module partout" -#: ClientCommand.cpp:1837 +#: ClientCommand.cpp:1847 msgctxt "helpcmd|ShowMOTD|desc" msgid "Show ZNC's message of the day" msgstr "Afficher le message du jour de ZNC" -#: ClientCommand.cpp:1841 +#: ClientCommand.cpp:1851 msgctxt "helpcmd|SetMOTD|args" msgid "" msgstr "" -#: ClientCommand.cpp:1842 +#: ClientCommand.cpp:1852 msgctxt "helpcmd|SetMOTD|desc" msgid "Set ZNC's message of the day" msgstr "Configurer le message du jour de ZNC" -#: ClientCommand.cpp:1844 +#: ClientCommand.cpp:1854 msgctxt "helpcmd|AddMOTD|args" msgid "" msgstr "" -#: ClientCommand.cpp:1845 +#: ClientCommand.cpp:1855 msgctxt "helpcmd|AddMOTD|desc" msgid "Append to ZNC's MOTD" msgstr "Ajouter au message du jour de ZNC" -#: ClientCommand.cpp:1847 +#: ClientCommand.cpp:1857 msgctxt "helpcmd|ClearMOTD|desc" msgid "Clear ZNC's MOTD" msgstr "Vider le message du jour de ZNC" -#: ClientCommand.cpp:1850 +#: ClientCommand.cpp:1860 msgctxt "helpcmd|ListPorts|desc" msgid "Show all active listeners" msgstr "Afficher tous les clients actifs" -#: ClientCommand.cpp:1852 +#: ClientCommand.cpp:1862 msgctxt "helpcmd|AddPort|args" msgid "<[+]port> [bindhost [uriprefix]]" msgstr "<[+]port> [bindhost [uriprefix]]" -#: ClientCommand.cpp:1855 +#: ClientCommand.cpp:1865 msgctxt "helpcmd|AddPort|desc" msgid "Add another port for ZNC to listen on" msgstr "Ajouter un port d'écoute à ZNC" -#: ClientCommand.cpp:1859 +#: ClientCommand.cpp:1869 msgctxt "helpcmd|DelPort|args" msgid " [bindhost]" msgstr " [bindhost]" -#: ClientCommand.cpp:1860 +#: ClientCommand.cpp:1870 msgctxt "helpcmd|DelPort|desc" msgid "Remove a port from ZNC" msgstr "Supprimer un port de ZNC" -#: ClientCommand.cpp:1863 +#: ClientCommand.cpp:1873 msgctxt "helpcmd|Rehash|desc" msgid "Reload global settings, modules, and listeners from znc.conf" msgstr "" "Recharger la configuration globale, les modules et les clients de znc.conf" -#: ClientCommand.cpp:1866 +#: ClientCommand.cpp:1876 msgctxt "helpcmd|SaveConfig|desc" msgid "Save the current settings to disk" msgstr "Sauvegarder la configuration sur le disque" -#: ClientCommand.cpp:1869 +#: ClientCommand.cpp:1879 msgctxt "helpcmd|ListUsers|desc" msgid "List all ZNC users and their connection status" msgstr "Lister les utilisateurs de ZNC et leur statut" -#: ClientCommand.cpp:1872 +#: ClientCommand.cpp:1882 msgctxt "helpcmd|ListAllUserNetworks|desc" msgid "List all ZNC users and their networks" msgstr "Lister les utilisateurs de ZNC et leurs réseaux" -#: ClientCommand.cpp:1875 +#: ClientCommand.cpp:1885 msgctxt "helpcmd|ListChans|args" msgid "[user ]" msgstr "[utilisateur ]" -#: ClientCommand.cpp:1878 +#: ClientCommand.cpp:1888 msgctxt "helpcmd|ListClients|args" msgid "[user]" msgstr "[utilisateur]" -#: ClientCommand.cpp:1879 +#: ClientCommand.cpp:1889 msgctxt "helpcmd|ListClients|desc" msgid "List all connected clients" msgstr "Liste les clients connectés" -#: ClientCommand.cpp:1881 +#: ClientCommand.cpp:1891 msgctxt "helpcmd|Traffic|desc" msgid "Show basic traffic stats for all ZNC users" msgstr "Affiche des statistiques basiques de trafic pour les utilisateurs ZNC" -#: ClientCommand.cpp:1883 +#: ClientCommand.cpp:1893 msgctxt "helpcmd|Broadcast|args" msgid "[message]" msgstr "[message]" -#: ClientCommand.cpp:1884 +#: ClientCommand.cpp:1894 msgctxt "helpcmd|Broadcast|desc" msgid "Broadcast a message to all ZNC users" msgstr "Diffuse un message à tous les utilisateurs de ZNC" -#: ClientCommand.cpp:1887 +#: ClientCommand.cpp:1897 msgctxt "helpcmd|Shutdown|args" msgid "[message]" msgstr "[message]" -#: ClientCommand.cpp:1888 +#: ClientCommand.cpp:1898 msgctxt "helpcmd|Shutdown|desc" msgid "Shut down ZNC completely" msgstr "Éteint complètement ZNC" -#: ClientCommand.cpp:1889 +#: ClientCommand.cpp:1899 msgctxt "helpcmd|Restart|args" msgid "[message]" msgstr "[message]" -#: ClientCommand.cpp:1890 +#: ClientCommand.cpp:1900 msgctxt "helpcmd|Restart|desc" msgid "Restart ZNC" msgstr "Redémarre ZNC" diff --git a/src/po/znc.id_ID.po b/src/po/znc.id_ID.po index 47e3866f..5dbc7cd2 100644 --- a/src/po/znc.id_ID.po +++ b/src/po/znc.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/src/po/znc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" @@ -74,7 +74,7 @@ msgstr "Tidak dapat menemukan berkas pem: {1}" msgid "Invalid port" msgstr "Port tidak valid" -#: znc.cpp:1821 ClientCommand.cpp:1629 +#: znc.cpp:1821 ClientCommand.cpp:1637 msgid "Unable to bind: {1}" msgstr "Tidak dapat mengikat: {1}" @@ -82,34 +82,34 @@ msgstr "Tidak dapat mengikat: {1}" msgid "Jumping servers because this server is no longer in the list" msgstr "Melompati server karena server ini tidak lagi dalam daftar" -#: IRCNetwork.cpp:640 User.cpp:678 +#: IRCNetwork.cpp:669 User.cpp:678 msgid "Welcome to ZNC" msgstr "Selamat datang di ZNC" -#: IRCNetwork.cpp:728 +#: IRCNetwork.cpp:757 msgid "You are currently disconnected from IRC. Use 'connect' to reconnect." msgstr "" "Anda saat ini terputus dari IRC. Gunakan 'connect' untuk terhubung kembali." -#: IRCNetwork.cpp:758 +#: IRCNetwork.cpp:787 msgid "This network is being deleted or moved to another user." msgstr "Jaringan ini sedang dihapus atau dipindahkan ke pengguna lain." -#: IRCNetwork.cpp:987 +#: IRCNetwork.cpp:1016 msgid "The channel {1} could not be joined, disabling it." msgstr "Tidak dapat join ke channel {1}. menonaktifkan." -#: IRCNetwork.cpp:1116 +#: IRCNetwork.cpp:1145 msgid "Your current server was removed, jumping..." msgstr "Server anda saat ini dihapus, melompati..." -#: IRCNetwork.cpp:1279 +#: IRCNetwork.cpp:1308 msgid "Cannot connect to {1}, because ZNC is not compiled with SSL support." msgstr "" "Tidak dapat terhubung ke {1}, karena ZNC tidak dikompilasi dengan dukungan " "SSL." -#: IRCNetwork.cpp:1300 +#: IRCNetwork.cpp:1329 msgid "Some module aborted the connection attempt" msgstr "Beberapa modul membatalkan upaya koneksi" @@ -296,7 +296,7 @@ msgctxt "modhelpcmd" msgid "Generate this output" msgstr "" -#: Modules.cpp:573 ClientCommand.cpp:1894 +#: Modules.cpp:573 ClientCommand.cpp:1904 msgid "No matches for '{1}'" msgstr "" @@ -309,93 +309,93 @@ msgid "Unknown command!" msgstr "" #: Modules.cpp:1633 -msgid "Module {1} already loaded." -msgstr "" - -#: Modules.cpp:1647 -msgid "Unable to find module {1}" -msgstr "" - -#: Modules.cpp:1659 -msgid "Module {1} does not support module type {2}." -msgstr "" - -#: Modules.cpp:1666 -msgid "Module {1} requires a user." -msgstr "" - -#: Modules.cpp:1672 -msgid "Module {1} requires a network." -msgstr "" - -#: Modules.cpp:1688 -msgid "Caught an exception" -msgstr "" - -#: Modules.cpp:1694 -msgid "Module {1} aborted: {2}" -msgstr "" - -#: Modules.cpp:1696 -msgid "Module {1} aborted." -msgstr "" - -#: Modules.cpp:1720 Modules.cpp:1762 -msgid "Module [{1}] not loaded." -msgstr "" - -#: Modules.cpp:1744 -msgid "Module {1} unloaded." -msgstr "" - -#: Modules.cpp:1749 -msgid "Unable to unload module {1}." -msgstr "" - -#: Modules.cpp:1778 -msgid "Reloaded module {1}." -msgstr "" - -#: Modules.cpp:1793 -msgid "Unable to find module {1}." -msgstr "" - -#: Modules.cpp:1919 msgid "" "Module names can only contain letters, numbers and underscores, [{1}] is " "invalid" msgstr "" -#: Modules.cpp:1943 +#: Modules.cpp:1652 +msgid "Module {1} already loaded." +msgstr "" + +#: Modules.cpp:1666 +msgid "Unable to find module {1}" +msgstr "" + +#: Modules.cpp:1678 +msgid "Module {1} does not support module type {2}." +msgstr "" + +#: Modules.cpp:1685 +msgid "Module {1} requires a user." +msgstr "" + +#: Modules.cpp:1691 +msgid "Module {1} requires a network." +msgstr "" + +#: Modules.cpp:1707 +msgid "Caught an exception" +msgstr "" + +#: Modules.cpp:1713 +msgid "Module {1} aborted: {2}" +msgstr "" + +#: Modules.cpp:1715 +msgid "Module {1} aborted." +msgstr "" + +#: Modules.cpp:1739 Modules.cpp:1781 +msgid "Module [{1}] not loaded." +msgstr "" + +#: Modules.cpp:1763 +msgid "Module {1} unloaded." +msgstr "" + +#: Modules.cpp:1768 +msgid "Unable to unload module {1}." +msgstr "" + +#: Modules.cpp:1797 +msgid "Reloaded module {1}." +msgstr "" + +#: Modules.cpp:1816 +msgid "Unable to find module {1}." +msgstr "" + +#: Modules.cpp:1963 msgid "Unknown error" msgstr "" -#: Modules.cpp:1944 +#: Modules.cpp:1964 msgid "Unable to open module {1}: {2}" msgstr "" -#: Modules.cpp:1953 +#: Modules.cpp:1973 msgid "Could not find ZNCModuleEntry in module {1}" msgstr "" -#: Modules.cpp:1961 +#: Modules.cpp:1981 msgid "" "Version mismatch for module {1}: core is {2}, module is built for {3}. " "Recompile this module." msgstr "" -#: Modules.cpp:1972 +#: Modules.cpp:1992 msgid "" "Module {1} is built incompatibly: core is '{2}', module is '{3}'. Recompile " "this module." msgstr "" -#: Modules.cpp:2002 Modules.cpp:2008 +#: Modules.cpp:2023 Modules.cpp:2029 msgctxt "modhelpcmd" msgid "Command" msgstr "" -#: Modules.cpp:2003 Modules.cpp:2009 +#: Modules.cpp:2024 Modules.cpp:2031 msgctxt "modhelpcmd" msgid "Description" msgstr "" @@ -403,9 +403,9 @@ msgstr "" #: ClientCommand.cpp:51 ClientCommand.cpp:115 ClientCommand.cpp:137 #: ClientCommand.cpp:749 ClientCommand.cpp:768 ClientCommand.cpp:794 #: ClientCommand.cpp:827 ClientCommand.cpp:840 ClientCommand.cpp:853 -#: ClientCommand.cpp:868 ClientCommand.cpp:1321 ClientCommand.cpp:1369 -#: ClientCommand.cpp:1401 ClientCommand.cpp:1412 ClientCommand.cpp:1421 -#: ClientCommand.cpp:1433 +#: ClientCommand.cpp:868 ClientCommand.cpp:1329 ClientCommand.cpp:1377 +#: ClientCommand.cpp:1409 ClientCommand.cpp:1420 ClientCommand.cpp:1429 +#: ClientCommand.cpp:1441 msgid "You must be connected with a network to use this command" msgstr "" @@ -625,7 +625,7 @@ msgctxt "listnetworks" msgid "No networks" msgstr "" -#: ClientCommand.cpp:632 ClientCommand.cpp:932 +#: ClientCommand.cpp:632 ClientCommand.cpp:936 msgid "Access denied." msgstr "" @@ -771,899 +771,899 @@ msgctxt "topicscmd" msgid "Topic" msgstr "" -#: ClientCommand.cpp:889 ClientCommand.cpp:893 +#: ClientCommand.cpp:889 ClientCommand.cpp:894 msgctxt "listmods" msgid "Name" msgstr "" -#: ClientCommand.cpp:890 ClientCommand.cpp:894 +#: ClientCommand.cpp:890 ClientCommand.cpp:895 msgctxt "listmods" msgid "Arguments" msgstr "" -#: ClientCommand.cpp:902 +#: ClientCommand.cpp:904 msgid "No global modules loaded." msgstr "" -#: ClientCommand.cpp:904 ClientCommand.cpp:964 +#: ClientCommand.cpp:906 ClientCommand.cpp:970 msgid "Global modules:" msgstr "" -#: ClientCommand.cpp:912 +#: ClientCommand.cpp:915 msgid "Your user has no modules loaded." msgstr "" -#: ClientCommand.cpp:914 ClientCommand.cpp:975 +#: ClientCommand.cpp:917 ClientCommand.cpp:982 msgid "User modules:" msgstr "" -#: ClientCommand.cpp:921 +#: ClientCommand.cpp:925 msgid "This network has no modules loaded." msgstr "" -#: ClientCommand.cpp:923 ClientCommand.cpp:986 +#: ClientCommand.cpp:927 ClientCommand.cpp:994 msgid "Network modules:" msgstr "" -#: ClientCommand.cpp:938 ClientCommand.cpp:944 +#: ClientCommand.cpp:942 ClientCommand.cpp:949 msgctxt "listavailmods" msgid "Name" msgstr "" -#: ClientCommand.cpp:939 ClientCommand.cpp:949 +#: ClientCommand.cpp:943 ClientCommand.cpp:954 msgctxt "listavailmods" msgid "Description" msgstr "" -#: ClientCommand.cpp:962 +#: ClientCommand.cpp:968 msgid "No global modules available." msgstr "" -#: ClientCommand.cpp:973 +#: ClientCommand.cpp:980 msgid "No user modules available." msgstr "" -#: ClientCommand.cpp:984 +#: ClientCommand.cpp:992 msgid "No network modules available." msgstr "" -#: ClientCommand.cpp:1012 +#: ClientCommand.cpp:1020 msgid "Unable to load {1}: Access denied." msgstr "" -#: ClientCommand.cpp:1018 +#: ClientCommand.cpp:1026 msgid "Usage: LoadMod [--type=global|user|network] [args]" msgstr "" -#: ClientCommand.cpp:1025 +#: ClientCommand.cpp:1033 msgid "Unable to load {1}: {2}" msgstr "" -#: ClientCommand.cpp:1035 +#: ClientCommand.cpp:1043 msgid "Unable to load global module {1}: Access denied." msgstr "" -#: ClientCommand.cpp:1041 +#: ClientCommand.cpp:1049 msgid "Unable to load network module {1}: Not connected with a network." msgstr "" -#: ClientCommand.cpp:1063 +#: ClientCommand.cpp:1071 msgid "Unknown module type" msgstr "" -#: ClientCommand.cpp:1068 +#: ClientCommand.cpp:1076 msgid "Loaded module {1}" msgstr "" -#: ClientCommand.cpp:1070 +#: ClientCommand.cpp:1078 msgid "Loaded module {1}: {2}" msgstr "" -#: ClientCommand.cpp:1073 +#: ClientCommand.cpp:1081 msgid "Unable to load module {1}: {2}" msgstr "" -#: ClientCommand.cpp:1096 +#: ClientCommand.cpp:1104 msgid "Unable to unload {1}: Access denied." msgstr "" -#: ClientCommand.cpp:1102 +#: ClientCommand.cpp:1110 msgid "Usage: UnloadMod [--type=global|user|network] " msgstr "" -#: ClientCommand.cpp:1111 +#: ClientCommand.cpp:1119 msgid "Unable to determine type of {1}: {2}" msgstr "" -#: ClientCommand.cpp:1119 +#: ClientCommand.cpp:1127 msgid "Unable to unload global module {1}: Access denied." msgstr "" -#: ClientCommand.cpp:1126 +#: ClientCommand.cpp:1134 msgid "Unable to unload network module {1}: Not connected with a network." msgstr "" -#: ClientCommand.cpp:1145 +#: ClientCommand.cpp:1153 msgid "Unable to unload module {1}: Unknown module type" msgstr "" -#: ClientCommand.cpp:1158 +#: ClientCommand.cpp:1166 msgid "Unable to reload modules. Access denied." msgstr "" -#: ClientCommand.cpp:1179 +#: ClientCommand.cpp:1187 msgid "Usage: ReloadMod [--type=global|user|network] [args]" msgstr "" -#: ClientCommand.cpp:1188 +#: ClientCommand.cpp:1196 msgid "Unable to reload {1}: {2}" msgstr "" -#: ClientCommand.cpp:1196 +#: ClientCommand.cpp:1204 msgid "Unable to reload global module {1}: Access denied." msgstr "" -#: ClientCommand.cpp:1203 +#: ClientCommand.cpp:1211 msgid "Unable to reload network module {1}: Not connected with a network." msgstr "" -#: ClientCommand.cpp:1225 +#: ClientCommand.cpp:1233 msgid "Unable to reload module {1}: Unknown module type" msgstr "" -#: ClientCommand.cpp:1236 +#: ClientCommand.cpp:1244 msgid "Usage: UpdateMod " msgstr "" -#: ClientCommand.cpp:1240 +#: ClientCommand.cpp:1248 msgid "Reloading {1} everywhere" msgstr "" -#: ClientCommand.cpp:1242 +#: ClientCommand.cpp:1250 msgid "Done" msgstr "" -#: ClientCommand.cpp:1245 +#: ClientCommand.cpp:1253 msgid "" "Done, but there were errors, module {1} could not be reloaded everywhere." msgstr "" -#: ClientCommand.cpp:1253 +#: ClientCommand.cpp:1261 msgid "" "You must be connected with a network to use this command. Try " "SetUserBindHost instead" msgstr "" -#: ClientCommand.cpp:1260 +#: ClientCommand.cpp:1268 msgid "Usage: SetBindHost " msgstr "" -#: ClientCommand.cpp:1265 ClientCommand.cpp:1282 +#: ClientCommand.cpp:1273 ClientCommand.cpp:1290 msgid "You already have this bind host!" msgstr "" -#: ClientCommand.cpp:1270 +#: ClientCommand.cpp:1278 msgid "Set bind host for network {1} to {2}" msgstr "" -#: ClientCommand.cpp:1277 +#: ClientCommand.cpp:1285 msgid "Usage: SetUserBindHost " msgstr "" -#: ClientCommand.cpp:1287 +#: ClientCommand.cpp:1295 msgid "Set default bind host to {1}" msgstr "" -#: ClientCommand.cpp:1293 +#: ClientCommand.cpp:1301 msgid "" "You must be connected with a network to use this command. Try " "ClearUserBindHost instead" msgstr "" -#: ClientCommand.cpp:1298 +#: ClientCommand.cpp:1306 msgid "Bind host cleared for this network." msgstr "" -#: ClientCommand.cpp:1302 +#: ClientCommand.cpp:1310 msgid "Default bind host cleared for your user." msgstr "" -#: ClientCommand.cpp:1305 +#: ClientCommand.cpp:1313 msgid "This user's default bind host not set" msgstr "" -#: ClientCommand.cpp:1307 +#: ClientCommand.cpp:1315 msgid "This user's default bind host is {1}" msgstr "" -#: ClientCommand.cpp:1312 +#: ClientCommand.cpp:1320 msgid "This network's bind host not set" msgstr "" -#: ClientCommand.cpp:1314 +#: ClientCommand.cpp:1322 msgid "This network's default bind host is {1}" msgstr "" -#: ClientCommand.cpp:1328 +#: ClientCommand.cpp:1336 msgid "Usage: PlayBuffer <#chan|query>" msgstr "" -#: ClientCommand.cpp:1336 +#: ClientCommand.cpp:1344 msgid "You are not on {1}" msgstr "" -#: ClientCommand.cpp:1341 +#: ClientCommand.cpp:1349 msgid "You are not on {1} (trying to join)" msgstr "" -#: ClientCommand.cpp:1346 +#: ClientCommand.cpp:1354 msgid "The buffer for channel {1} is empty" msgstr "" -#: ClientCommand.cpp:1355 +#: ClientCommand.cpp:1363 msgid "No active query with {1}" msgstr "" -#: ClientCommand.cpp:1360 +#: ClientCommand.cpp:1368 msgid "The buffer for {1} is empty" msgstr "" -#: ClientCommand.cpp:1376 +#: ClientCommand.cpp:1384 msgid "Usage: ClearBuffer <#chan|query>" msgstr "" -#: ClientCommand.cpp:1395 +#: ClientCommand.cpp:1403 msgid "{1} buffer matching {2} has been cleared" msgid_plural "{1} buffers matching {2} have been cleared" msgstr[0] "" -#: ClientCommand.cpp:1408 +#: ClientCommand.cpp:1416 msgid "All channel buffers have been cleared" msgstr "" -#: ClientCommand.cpp:1417 +#: ClientCommand.cpp:1425 msgid "All query buffers have been cleared" msgstr "" -#: ClientCommand.cpp:1429 +#: ClientCommand.cpp:1437 msgid "All buffers have been cleared" msgstr "" -#: ClientCommand.cpp:1440 +#: ClientCommand.cpp:1448 msgid "Usage: SetBuffer <#chan|query> [linecount]" msgstr "" -#: ClientCommand.cpp:1461 +#: ClientCommand.cpp:1469 msgid "Setting buffer size failed for {1} buffer" msgid_plural "Setting buffer size failed for {1} buffers" msgstr[0] "" -#: ClientCommand.cpp:1464 +#: ClientCommand.cpp:1472 msgid "Maximum buffer size is {1} line" msgid_plural "Maximum buffer size is {1} lines" msgstr[0] "" -#: ClientCommand.cpp:1469 +#: ClientCommand.cpp:1477 msgid "Size of every buffer was set to {1} line" msgid_plural "Size of every buffer was set to {1} lines" msgstr[0] "" -#: ClientCommand.cpp:1479 ClientCommand.cpp:1486 ClientCommand.cpp:1497 -#: ClientCommand.cpp:1506 ClientCommand.cpp:1514 +#: ClientCommand.cpp:1487 ClientCommand.cpp:1494 ClientCommand.cpp:1505 +#: ClientCommand.cpp:1514 ClientCommand.cpp:1522 msgctxt "trafficcmd" msgid "Username" msgstr "" -#: ClientCommand.cpp:1480 ClientCommand.cpp:1487 ClientCommand.cpp:1499 -#: ClientCommand.cpp:1508 ClientCommand.cpp:1516 +#: ClientCommand.cpp:1488 ClientCommand.cpp:1495 ClientCommand.cpp:1507 +#: ClientCommand.cpp:1516 ClientCommand.cpp:1524 msgctxt "trafficcmd" msgid "In" msgstr "" -#: ClientCommand.cpp:1481 ClientCommand.cpp:1489 ClientCommand.cpp:1500 -#: ClientCommand.cpp:1509 ClientCommand.cpp:1517 +#: ClientCommand.cpp:1489 ClientCommand.cpp:1497 ClientCommand.cpp:1508 +#: ClientCommand.cpp:1517 ClientCommand.cpp:1525 msgctxt "trafficcmd" msgid "Out" msgstr "" -#: ClientCommand.cpp:1482 ClientCommand.cpp:1492 ClientCommand.cpp:1502 -#: ClientCommand.cpp:1510 ClientCommand.cpp:1519 +#: ClientCommand.cpp:1490 ClientCommand.cpp:1500 ClientCommand.cpp:1510 +#: ClientCommand.cpp:1518 ClientCommand.cpp:1527 msgctxt "trafficcmd" msgid "Total" msgstr "" -#: ClientCommand.cpp:1498 +#: ClientCommand.cpp:1506 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1507 +#: ClientCommand.cpp:1515 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1515 +#: ClientCommand.cpp:1523 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1524 +#: ClientCommand.cpp:1532 msgid "Running for {1}" msgstr "" -#: ClientCommand.cpp:1530 +#: ClientCommand.cpp:1538 msgid "Unknown command, try 'Help'" msgstr "" -#: ClientCommand.cpp:1539 ClientCommand.cpp:1550 +#: ClientCommand.cpp:1547 ClientCommand.cpp:1558 msgctxt "listports" msgid "Port" msgstr "" -#: ClientCommand.cpp:1540 ClientCommand.cpp:1551 +#: ClientCommand.cpp:1548 ClientCommand.cpp:1559 msgctxt "listports" msgid "BindHost" msgstr "" -#: ClientCommand.cpp:1541 ClientCommand.cpp:1554 +#: ClientCommand.cpp:1549 ClientCommand.cpp:1562 msgctxt "listports" msgid "SSL" msgstr "" -#: ClientCommand.cpp:1542 ClientCommand.cpp:1559 +#: ClientCommand.cpp:1550 ClientCommand.cpp:1567 msgctxt "listports" msgid "Protocol" msgstr "" -#: ClientCommand.cpp:1543 ClientCommand.cpp:1566 +#: ClientCommand.cpp:1551 ClientCommand.cpp:1574 msgctxt "listports" msgid "IRC" msgstr "" -#: ClientCommand.cpp:1544 ClientCommand.cpp:1571 +#: ClientCommand.cpp:1552 ClientCommand.cpp:1579 msgctxt "listports" msgid "Web" msgstr "" -#: ClientCommand.cpp:1555 +#: ClientCommand.cpp:1563 msgctxt "listports|ssl" msgid "yes" msgstr "" -#: ClientCommand.cpp:1556 +#: ClientCommand.cpp:1564 msgctxt "listports|ssl" msgid "no" msgstr "" -#: ClientCommand.cpp:1560 +#: ClientCommand.cpp:1568 msgctxt "listports" msgid "IPv4 and IPv6" msgstr "" -#: ClientCommand.cpp:1562 +#: ClientCommand.cpp:1570 msgctxt "listports" msgid "IPv4" msgstr "" -#: ClientCommand.cpp:1563 +#: ClientCommand.cpp:1571 msgctxt "listports" msgid "IPv6" msgstr "" -#: ClientCommand.cpp:1569 +#: ClientCommand.cpp:1577 msgctxt "listports|irc" msgid "yes" msgstr "" -#: ClientCommand.cpp:1570 +#: ClientCommand.cpp:1578 msgctxt "listports|irc" msgid "no" msgstr "" -#: ClientCommand.cpp:1574 +#: ClientCommand.cpp:1582 msgctxt "listports|irc" msgid "yes, on {1}" msgstr "" -#: ClientCommand.cpp:1576 +#: ClientCommand.cpp:1584 msgctxt "listports|web" msgid "no" msgstr "" -#: ClientCommand.cpp:1616 +#: ClientCommand.cpp:1624 msgid "" "Usage: AddPort <[+]port> [bindhost [uriprefix]]" msgstr "" -#: ClientCommand.cpp:1632 +#: ClientCommand.cpp:1640 msgid "Port added" msgstr "" -#: ClientCommand.cpp:1634 +#: ClientCommand.cpp:1642 msgid "Couldn't add port" msgstr "" -#: ClientCommand.cpp:1640 +#: ClientCommand.cpp:1648 msgid "Usage: DelPort [bindhost]" msgstr "" -#: ClientCommand.cpp:1649 +#: ClientCommand.cpp:1657 msgid "Deleted Port" msgstr "" -#: ClientCommand.cpp:1651 +#: ClientCommand.cpp:1659 msgid "Unable to find a matching port" msgstr "" -#: ClientCommand.cpp:1659 ClientCommand.cpp:1673 +#: ClientCommand.cpp:1667 ClientCommand.cpp:1682 msgctxt "helpcmd" msgid "Command" msgstr "" -#: ClientCommand.cpp:1660 ClientCommand.cpp:1674 +#: ClientCommand.cpp:1668 ClientCommand.cpp:1684 msgctxt "helpcmd" msgid "Description" msgstr "" -#: ClientCommand.cpp:1664 +#: ClientCommand.cpp:1673 msgid "" "In the following list all occurrences of <#chan> support wildcards (* and ?) " "except ListNicks" msgstr "" -#: ClientCommand.cpp:1680 +#: ClientCommand.cpp:1690 msgctxt "helpcmd|Version|desc" msgid "Print which version of ZNC this is" msgstr "" -#: ClientCommand.cpp:1683 +#: ClientCommand.cpp:1693 msgctxt "helpcmd|ListMods|desc" msgid "List all loaded modules" msgstr "" -#: ClientCommand.cpp:1686 +#: ClientCommand.cpp:1696 msgctxt "helpcmd|ListAvailMods|desc" msgid "List all available modules" msgstr "" -#: ClientCommand.cpp:1690 ClientCommand.cpp:1876 +#: ClientCommand.cpp:1700 ClientCommand.cpp:1886 msgctxt "helpcmd|ListChans|desc" msgid "List all channels" msgstr "" -#: ClientCommand.cpp:1693 +#: ClientCommand.cpp:1703 msgctxt "helpcmd|ListNicks|args" msgid "<#chan>" msgstr "" -#: ClientCommand.cpp:1694 +#: ClientCommand.cpp:1704 msgctxt "helpcmd|ListNicks|desc" msgid "List all nicks on a channel" msgstr "" -#: ClientCommand.cpp:1697 +#: ClientCommand.cpp:1707 msgctxt "helpcmd|ListClients|desc" msgid "List all clients connected to your ZNC user" msgstr "" -#: ClientCommand.cpp:1701 +#: ClientCommand.cpp:1711 msgctxt "helpcmd|ListServers|desc" msgid "List all servers of current IRC network" msgstr "" -#: ClientCommand.cpp:1705 +#: ClientCommand.cpp:1715 msgctxt "helpcmd|AddNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1706 +#: ClientCommand.cpp:1716 msgctxt "helpcmd|AddNetwork|desc" msgid "Add a network to your user" msgstr "" -#: ClientCommand.cpp:1708 +#: ClientCommand.cpp:1718 msgctxt "helpcmd|DelNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1709 +#: ClientCommand.cpp:1719 msgctxt "helpcmd|DelNetwork|desc" msgid "Delete a network from your user" msgstr "" -#: ClientCommand.cpp:1711 +#: ClientCommand.cpp:1721 msgctxt "helpcmd|ListNetworks|desc" msgid "List all networks" msgstr "" -#: ClientCommand.cpp:1714 +#: ClientCommand.cpp:1724 msgctxt "helpcmd|MoveNetwork|args" msgid " [new network]" msgstr "" -#: ClientCommand.cpp:1716 +#: ClientCommand.cpp:1726 msgctxt "helpcmd|MoveNetwork|desc" msgid "Move an IRC network from one user to another" msgstr "" -#: ClientCommand.cpp:1720 +#: ClientCommand.cpp:1730 msgctxt "helpcmd|JumpNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1721 +#: ClientCommand.cpp:1731 msgctxt "helpcmd|JumpNetwork|desc" msgid "" "Jump to another network (Alternatively, you can connect to ZNC several " "times, using `user/network` as username)" msgstr "" -#: ClientCommand.cpp:1726 +#: ClientCommand.cpp:1736 msgctxt "helpcmd|AddServer|args" msgid " [[+]port] [pass]" msgstr "" -#: ClientCommand.cpp:1727 +#: ClientCommand.cpp:1737 msgctxt "helpcmd|AddServer|desc" msgid "" "Add a server to the list of alternate/backup servers of current IRC network." msgstr "" -#: ClientCommand.cpp:1731 +#: ClientCommand.cpp:1741 msgctxt "helpcmd|DelServer|args" msgid " [port] [pass]" msgstr "" -#: ClientCommand.cpp:1732 +#: ClientCommand.cpp:1742 msgctxt "helpcmd|DelServer|desc" msgid "" "Remove a server from the list of alternate/backup servers of current IRC " "network" msgstr "" -#: ClientCommand.cpp:1738 +#: ClientCommand.cpp:1748 msgctxt "helpcmd|AddTrustedServerFingerprint|args" msgid "" msgstr "" -#: ClientCommand.cpp:1739 +#: ClientCommand.cpp:1749 msgctxt "helpcmd|AddTrustedServerFingerprint|desc" msgid "" "Add a trusted server SSL certificate fingerprint (SHA-256) to current IRC " "network." msgstr "" -#: ClientCommand.cpp:1744 +#: ClientCommand.cpp:1754 msgctxt "helpcmd|DelTrustedServerFingerprint|args" msgid "" msgstr "" -#: ClientCommand.cpp:1745 +#: ClientCommand.cpp:1755 msgctxt "helpcmd|DelTrustedServerFingerprint|desc" msgid "Delete a trusted server SSL certificate from current IRC network." msgstr "" -#: ClientCommand.cpp:1749 +#: ClientCommand.cpp:1759 msgctxt "helpcmd|ListTrustedServerFingerprints|desc" msgid "List all trusted server SSL certificates of current IRC network." msgstr "" -#: ClientCommand.cpp:1752 +#: ClientCommand.cpp:1762 msgctxt "helpcmd|EnableChan|args" msgid "<#chans>" msgstr "" -#: ClientCommand.cpp:1753 +#: ClientCommand.cpp:1763 msgctxt "helpcmd|EnableChan|desc" msgid "Enable channels" msgstr "" -#: ClientCommand.cpp:1754 +#: ClientCommand.cpp:1764 msgctxt "helpcmd|DisableChan|args" msgid "<#chans>" msgstr "" -#: ClientCommand.cpp:1755 +#: ClientCommand.cpp:1765 msgctxt "helpcmd|DisableChan|desc" msgid "Disable channels" msgstr "" -#: ClientCommand.cpp:1756 +#: ClientCommand.cpp:1766 msgctxt "helpcmd|Attach|args" msgid "<#chans>" msgstr "" -#: ClientCommand.cpp:1757 +#: ClientCommand.cpp:1767 msgctxt "helpcmd|Attach|desc" msgid "Attach to channels" msgstr "" -#: ClientCommand.cpp:1758 +#: ClientCommand.cpp:1768 msgctxt "helpcmd|Detach|args" msgid "<#chans>" msgstr "" -#: ClientCommand.cpp:1759 +#: ClientCommand.cpp:1769 msgctxt "helpcmd|Detach|desc" msgid "Detach from channels" msgstr "" -#: ClientCommand.cpp:1762 +#: ClientCommand.cpp:1772 msgctxt "helpcmd|Topics|desc" msgid "Show topics in all your channels" msgstr "" -#: ClientCommand.cpp:1765 +#: ClientCommand.cpp:1775 msgctxt "helpcmd|PlayBuffer|args" msgid "<#chan|query>" msgstr "" -#: ClientCommand.cpp:1766 +#: ClientCommand.cpp:1776 msgctxt "helpcmd|PlayBuffer|desc" msgid "Play back the specified buffer" msgstr "" -#: ClientCommand.cpp:1768 +#: ClientCommand.cpp:1778 msgctxt "helpcmd|ClearBuffer|args" msgid "<#chan|query>" msgstr "" -#: ClientCommand.cpp:1769 +#: ClientCommand.cpp:1779 msgctxt "helpcmd|ClearBuffer|desc" msgid "Clear the specified buffer" msgstr "" -#: ClientCommand.cpp:1771 +#: ClientCommand.cpp:1781 msgctxt "helpcmd|ClearAllBuffers|desc" msgid "Clear all channel and query buffers" msgstr "" -#: ClientCommand.cpp:1774 +#: ClientCommand.cpp:1784 msgctxt "helpcmd|ClearAllChannelBuffers|desc" msgid "Clear the channel buffers" msgstr "" -#: ClientCommand.cpp:1778 +#: ClientCommand.cpp:1788 msgctxt "helpcmd|ClearAllQueryBuffers|desc" msgid "Clear the query buffers" msgstr "" -#: ClientCommand.cpp:1780 +#: ClientCommand.cpp:1790 msgctxt "helpcmd|SetBuffer|args" msgid "<#chan|query> [linecount]" msgstr "" -#: ClientCommand.cpp:1781 +#: ClientCommand.cpp:1791 msgctxt "helpcmd|SetBuffer|desc" msgid "Set the buffer count" msgstr "" -#: ClientCommand.cpp:1785 +#: ClientCommand.cpp:1795 msgctxt "helpcmd|SetBindHost|args" msgid "" msgstr "" -#: ClientCommand.cpp:1786 +#: ClientCommand.cpp:1796 msgctxt "helpcmd|SetBindHost|desc" msgid "Set the bind host for this network" msgstr "" -#: ClientCommand.cpp:1790 +#: ClientCommand.cpp:1800 msgctxt "helpcmd|SetUserBindHost|args" msgid "" msgstr "" -#: ClientCommand.cpp:1791 +#: ClientCommand.cpp:1801 msgctxt "helpcmd|SetUserBindHost|desc" msgid "Set the default bind host for this user" msgstr "" -#: ClientCommand.cpp:1794 +#: ClientCommand.cpp:1804 msgctxt "helpcmd|ClearBindHost|desc" msgid "Clear the bind host for this network" msgstr "" -#: ClientCommand.cpp:1797 +#: ClientCommand.cpp:1807 msgctxt "helpcmd|ClearUserBindHost|desc" msgid "Clear the default bind host for this user" msgstr "" -#: ClientCommand.cpp:1803 +#: ClientCommand.cpp:1813 msgctxt "helpcmd|ShowBindHost|desc" msgid "Show currently selected bind host" msgstr "" -#: ClientCommand.cpp:1805 +#: ClientCommand.cpp:1815 msgctxt "helpcmd|Jump|args" msgid "[server]" msgstr "" -#: ClientCommand.cpp:1806 +#: ClientCommand.cpp:1816 msgctxt "helpcmd|Jump|desc" msgid "Jump to the next or the specified server" msgstr "" -#: ClientCommand.cpp:1807 +#: ClientCommand.cpp:1817 msgctxt "helpcmd|Disconnect|args" msgid "[message]" msgstr "" -#: ClientCommand.cpp:1808 +#: ClientCommand.cpp:1818 msgctxt "helpcmd|Disconnect|desc" msgid "Disconnect from IRC" msgstr "" -#: ClientCommand.cpp:1810 +#: ClientCommand.cpp:1820 msgctxt "helpcmd|Connect|desc" msgid "Reconnect to IRC" msgstr "" -#: ClientCommand.cpp:1813 +#: ClientCommand.cpp:1823 msgctxt "helpcmd|Uptime|desc" msgid "Show for how long ZNC has been running" msgstr "" -#: ClientCommand.cpp:1817 +#: ClientCommand.cpp:1827 msgctxt "helpcmd|LoadMod|args" msgid "[--type=global|user|network] " msgstr "" -#: ClientCommand.cpp:1819 +#: ClientCommand.cpp:1829 msgctxt "helpcmd|LoadMod|desc" msgid "Load a module" msgstr "" -#: ClientCommand.cpp:1821 +#: ClientCommand.cpp:1831 msgctxt "helpcmd|UnloadMod|args" msgid "[--type=global|user|network] " msgstr "" -#: ClientCommand.cpp:1823 +#: ClientCommand.cpp:1833 msgctxt "helpcmd|UnloadMod|desc" msgid "Unload a module" msgstr "" -#: ClientCommand.cpp:1825 +#: ClientCommand.cpp:1835 msgctxt "helpcmd|ReloadMod|args" msgid "[--type=global|user|network] " msgstr "" -#: ClientCommand.cpp:1827 +#: ClientCommand.cpp:1837 msgctxt "helpcmd|ReloadMod|desc" msgid "Reload a module" msgstr "" -#: ClientCommand.cpp:1830 +#: ClientCommand.cpp:1840 msgctxt "helpcmd|UpdateMod|args" msgid "" msgstr "" -#: ClientCommand.cpp:1831 +#: ClientCommand.cpp:1841 msgctxt "helpcmd|UpdateMod|desc" msgid "Reload a module everywhere" msgstr "" -#: ClientCommand.cpp:1837 +#: ClientCommand.cpp:1847 msgctxt "helpcmd|ShowMOTD|desc" msgid "Show ZNC's message of the day" msgstr "" -#: ClientCommand.cpp:1841 +#: ClientCommand.cpp:1851 msgctxt "helpcmd|SetMOTD|args" msgid "" msgstr "" -#: ClientCommand.cpp:1842 +#: ClientCommand.cpp:1852 msgctxt "helpcmd|SetMOTD|desc" msgid "Set ZNC's message of the day" msgstr "" -#: ClientCommand.cpp:1844 +#: ClientCommand.cpp:1854 msgctxt "helpcmd|AddMOTD|args" msgid "" msgstr "" -#: ClientCommand.cpp:1845 +#: ClientCommand.cpp:1855 msgctxt "helpcmd|AddMOTD|desc" msgid "Append to ZNC's MOTD" msgstr "" -#: ClientCommand.cpp:1847 +#: ClientCommand.cpp:1857 msgctxt "helpcmd|ClearMOTD|desc" msgid "Clear ZNC's MOTD" msgstr "" -#: ClientCommand.cpp:1850 +#: ClientCommand.cpp:1860 msgctxt "helpcmd|ListPorts|desc" msgid "Show all active listeners" msgstr "" -#: ClientCommand.cpp:1852 +#: ClientCommand.cpp:1862 msgctxt "helpcmd|AddPort|args" msgid "<[+]port> [bindhost [uriprefix]]" msgstr "" -#: ClientCommand.cpp:1855 +#: ClientCommand.cpp:1865 msgctxt "helpcmd|AddPort|desc" msgid "Add another port for ZNC to listen on" msgstr "" -#: ClientCommand.cpp:1859 +#: ClientCommand.cpp:1869 msgctxt "helpcmd|DelPort|args" msgid " [bindhost]" msgstr "" -#: ClientCommand.cpp:1860 +#: ClientCommand.cpp:1870 msgctxt "helpcmd|DelPort|desc" msgid "Remove a port from ZNC" msgstr "" -#: ClientCommand.cpp:1863 +#: ClientCommand.cpp:1873 msgctxt "helpcmd|Rehash|desc" msgid "Reload global settings, modules, and listeners from znc.conf" msgstr "" -#: ClientCommand.cpp:1866 +#: ClientCommand.cpp:1876 msgctxt "helpcmd|SaveConfig|desc" msgid "Save the current settings to disk" msgstr "" -#: ClientCommand.cpp:1869 +#: ClientCommand.cpp:1879 msgctxt "helpcmd|ListUsers|desc" msgid "List all ZNC users and their connection status" msgstr "" -#: ClientCommand.cpp:1872 +#: ClientCommand.cpp:1882 msgctxt "helpcmd|ListAllUserNetworks|desc" msgid "List all ZNC users and their networks" msgstr "" -#: ClientCommand.cpp:1875 +#: ClientCommand.cpp:1885 msgctxt "helpcmd|ListChans|args" msgid "[user ]" msgstr "" -#: ClientCommand.cpp:1878 +#: ClientCommand.cpp:1888 msgctxt "helpcmd|ListClients|args" msgid "[user]" msgstr "" -#: ClientCommand.cpp:1879 +#: ClientCommand.cpp:1889 msgctxt "helpcmd|ListClients|desc" msgid "List all connected clients" msgstr "" -#: ClientCommand.cpp:1881 +#: ClientCommand.cpp:1891 msgctxt "helpcmd|Traffic|desc" msgid "Show basic traffic stats for all ZNC users" msgstr "" -#: ClientCommand.cpp:1883 +#: ClientCommand.cpp:1893 msgctxt "helpcmd|Broadcast|args" msgid "[message]" msgstr "" -#: ClientCommand.cpp:1884 +#: ClientCommand.cpp:1894 msgctxt "helpcmd|Broadcast|desc" msgid "Broadcast a message to all ZNC users" msgstr "" -#: ClientCommand.cpp:1887 +#: ClientCommand.cpp:1897 msgctxt "helpcmd|Shutdown|args" msgid "[message]" msgstr "" -#: ClientCommand.cpp:1888 +#: ClientCommand.cpp:1898 msgctxt "helpcmd|Shutdown|desc" msgid "Shut down ZNC completely" msgstr "" -#: ClientCommand.cpp:1889 +#: ClientCommand.cpp:1899 msgctxt "helpcmd|Restart|args" msgid "[message]" msgstr "" -#: ClientCommand.cpp:1890 +#: ClientCommand.cpp:1900 msgctxt "helpcmd|Restart|desc" msgid "Restart ZNC" msgstr "" diff --git a/src/po/znc.nl_NL.po b/src/po/znc.nl_NL.po index c1c67460..fa643e7c 100644 --- a/src/po/znc.nl_NL.po +++ b/src/po/znc.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/src/po/znc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" @@ -74,7 +74,7 @@ msgstr "Kan PEM bestand niet vinden: {1}" msgid "Invalid port" msgstr "Ongeldige poort" -#: znc.cpp:1821 ClientCommand.cpp:1629 +#: znc.cpp:1821 ClientCommand.cpp:1637 msgid "Unable to bind: {1}" msgstr "Kan niet binden: {1}" @@ -84,38 +84,38 @@ msgstr "" "We schakelen over naar een andere server omdat deze server niet langer in de " "lijst staat" -#: IRCNetwork.cpp:640 User.cpp:678 +#: IRCNetwork.cpp:669 User.cpp:678 msgid "Welcome to ZNC" msgstr "Welkom bij ZNC" -#: IRCNetwork.cpp:728 +#: IRCNetwork.cpp:757 msgid "You are currently disconnected from IRC. Use 'connect' to reconnect." msgstr "" "Op dit moment ben je niet verbonden met IRC. Gebruik 'connect' om opnieuw " "verbinding te maken." -#: IRCNetwork.cpp:758 +#: IRCNetwork.cpp:787 msgid "This network is being deleted or moved to another user." msgstr "" "Dit netwerk wordt op dit moment verwijderd of verplaatst door een andere " "gebruiker." -#: IRCNetwork.cpp:987 +#: IRCNetwork.cpp:1016 msgid "The channel {1} could not be joined, disabling it." msgstr "Het kanaal {1} kan niet toegetreden worden, deze wordt uitgeschakeld." -#: IRCNetwork.cpp:1116 +#: IRCNetwork.cpp:1145 msgid "Your current server was removed, jumping..." msgstr "" "Je huidige server was verwijderd, we schakelen over naar een andere server..." -#: IRCNetwork.cpp:1279 +#: IRCNetwork.cpp:1308 msgid "Cannot connect to {1}, because ZNC is not compiled with SSL support." msgstr "" "Kan niet verbinden naar {1} omdat ZNC niet gecompileerd is met SSL " "ondersteuning." -#: IRCNetwork.cpp:1300 +#: IRCNetwork.cpp:1329 msgid "Some module aborted the connection attempt" msgstr "Een module heeft de verbindingspoging afgebroken" @@ -314,7 +314,7 @@ msgctxt "modhelpcmd" msgid "Generate this output" msgstr "Genereer deze output" -#: Modules.cpp:573 ClientCommand.cpp:1894 +#: Modules.cpp:573 ClientCommand.cpp:1904 msgid "No matches for '{1}'" msgstr "Geen overeenkomsten voor '{1}'" @@ -327,58 +327,6 @@ msgid "Unknown command!" msgstr "Onbekend commando!" #: Modules.cpp:1633 -msgid "Module {1} already loaded." -msgstr "Module {1} is al geladen." - -#: Modules.cpp:1647 -msgid "Unable to find module {1}" -msgstr "Kon module {1} niet vinden" - -#: Modules.cpp:1659 -msgid "Module {1} does not support module type {2}." -msgstr "Module {1} ondersteund het type {2} niet." - -#: Modules.cpp:1666 -msgid "Module {1} requires a user." -msgstr "Module {1} vereist een gebruiker." - -#: Modules.cpp:1672 -msgid "Module {1} requires a network." -msgstr "Module {1} vereist een netwerk." - -#: Modules.cpp:1688 -msgid "Caught an exception" -msgstr "Uitzondering geconstateerd" - -#: Modules.cpp:1694 -msgid "Module {1} aborted: {2}" -msgstr "Module {1} afgebroken: {2}" - -#: Modules.cpp:1696 -msgid "Module {1} aborted." -msgstr "Module {1} afgebroken." - -#: Modules.cpp:1720 Modules.cpp:1762 -msgid "Module [{1}] not loaded." -msgstr "Module [{1}] niet geladen." - -#: Modules.cpp:1744 -msgid "Module {1} unloaded." -msgstr "Module {1} gestopt." - -#: Modules.cpp:1749 -msgid "Unable to unload module {1}." -msgstr "Niet mogelijk om module {1} te stoppen." - -#: Modules.cpp:1778 -msgid "Reloaded module {1}." -msgstr "Module {1} hergeladen." - -#: Modules.cpp:1793 -msgid "Unable to find module {1}." -msgstr "Module {1} niet gevonden." - -#: Modules.cpp:1919 msgid "" "Module names can only contain letters, numbers and underscores, [{1}] is " "invalid" @@ -386,19 +334,71 @@ msgstr "" "Module namen kunnen alleen letters, nummers en lage streepts bevatten, [{1}] " "is ongeldig" -#: Modules.cpp:1943 +#: Modules.cpp:1652 +msgid "Module {1} already loaded." +msgstr "Module {1} is al geladen." + +#: Modules.cpp:1666 +msgid "Unable to find module {1}" +msgstr "Kon module {1} niet vinden" + +#: Modules.cpp:1678 +msgid "Module {1} does not support module type {2}." +msgstr "Module {1} ondersteund het type {2} niet." + +#: Modules.cpp:1685 +msgid "Module {1} requires a user." +msgstr "Module {1} vereist een gebruiker." + +#: Modules.cpp:1691 +msgid "Module {1} requires a network." +msgstr "Module {1} vereist een netwerk." + +#: Modules.cpp:1707 +msgid "Caught an exception" +msgstr "Uitzondering geconstateerd" + +#: Modules.cpp:1713 +msgid "Module {1} aborted: {2}" +msgstr "Module {1} afgebroken: {2}" + +#: Modules.cpp:1715 +msgid "Module {1} aborted." +msgstr "Module {1} afgebroken." + +#: Modules.cpp:1739 Modules.cpp:1781 +msgid "Module [{1}] not loaded." +msgstr "Module [{1}] niet geladen." + +#: Modules.cpp:1763 +msgid "Module {1} unloaded." +msgstr "Module {1} gestopt." + +#: Modules.cpp:1768 +msgid "Unable to unload module {1}." +msgstr "Niet mogelijk om module {1} te stoppen." + +#: Modules.cpp:1797 +msgid "Reloaded module {1}." +msgstr "Module {1} hergeladen." + +#: Modules.cpp:1816 +msgid "Unable to find module {1}." +msgstr "Module {1} niet gevonden." + +#: Modules.cpp:1963 msgid "Unknown error" msgstr "Onbekende fout" -#: Modules.cpp:1944 +#: Modules.cpp:1964 msgid "Unable to open module {1}: {2}" msgstr "Niet mogelijk om module te openen, {1}: {2}" -#: Modules.cpp:1953 +#: Modules.cpp:1973 msgid "Could not find ZNCModuleEntry in module {1}" msgstr "Kon ZNCModuleEntry niet vinden in module {1}" -#: Modules.cpp:1961 +#: Modules.cpp:1981 msgid "" "Version mismatch for module {1}: core is {2}, module is built for {3}. " "Recompile this module." @@ -406,7 +406,7 @@ msgstr "" "Verkeerde versie voor module {1}, kern is {2}, module is gecompileerd voor " "{3}. Hercompileer deze module." -#: Modules.cpp:1972 +#: Modules.cpp:1992 msgid "" "Module {1} is built incompatibly: core is '{2}', module is '{3}'. Recompile " "this module." @@ -414,12 +414,12 @@ msgstr "" "Module {1} is niet compatible gecompileerd: kern is '{2}', module is '{3}'. " "Hercompileer deze module." -#: Modules.cpp:2002 Modules.cpp:2008 +#: Modules.cpp:2023 Modules.cpp:2029 msgctxt "modhelpcmd" msgid "Command" msgstr "Commando" -#: Modules.cpp:2003 Modules.cpp:2009 +#: Modules.cpp:2024 Modules.cpp:2031 msgctxt "modhelpcmd" msgid "Description" msgstr "Beschrijving" @@ -427,9 +427,9 @@ msgstr "Beschrijving" #: ClientCommand.cpp:51 ClientCommand.cpp:115 ClientCommand.cpp:137 #: ClientCommand.cpp:749 ClientCommand.cpp:768 ClientCommand.cpp:794 #: ClientCommand.cpp:827 ClientCommand.cpp:840 ClientCommand.cpp:853 -#: ClientCommand.cpp:868 ClientCommand.cpp:1321 ClientCommand.cpp:1369 -#: ClientCommand.cpp:1401 ClientCommand.cpp:1412 ClientCommand.cpp:1421 -#: ClientCommand.cpp:1433 +#: ClientCommand.cpp:868 ClientCommand.cpp:1329 ClientCommand.cpp:1377 +#: ClientCommand.cpp:1409 ClientCommand.cpp:1420 ClientCommand.cpp:1429 +#: ClientCommand.cpp:1441 msgid "You must be connected with a network to use this command" msgstr "Je moet verbonden zijn met een netwerk om dit commando te gebruiken" @@ -655,7 +655,7 @@ msgctxt "listnetworks" msgid "No networks" msgstr "Geen netwerken" -#: ClientCommand.cpp:632 ClientCommand.cpp:932 +#: ClientCommand.cpp:632 ClientCommand.cpp:936 msgid "Access denied." msgstr "Toegang geweigerd." @@ -809,168 +809,168 @@ msgctxt "topicscmd" msgid "Topic" msgstr "Onderwerp" -#: ClientCommand.cpp:889 ClientCommand.cpp:893 +#: ClientCommand.cpp:889 ClientCommand.cpp:894 msgctxt "listmods" msgid "Name" msgstr "Naam" -#: ClientCommand.cpp:890 ClientCommand.cpp:894 +#: ClientCommand.cpp:890 ClientCommand.cpp:895 msgctxt "listmods" msgid "Arguments" msgstr "Argumenten" -#: ClientCommand.cpp:902 +#: ClientCommand.cpp:904 msgid "No global modules loaded." msgstr "Geen algemene modules geladen." -#: ClientCommand.cpp:904 ClientCommand.cpp:964 +#: ClientCommand.cpp:906 ClientCommand.cpp:970 msgid "Global modules:" msgstr "Algemene modules:" -#: ClientCommand.cpp:912 +#: ClientCommand.cpp:915 msgid "Your user has no modules loaded." msgstr "Je gebruiker heeft geen modules geladen." -#: ClientCommand.cpp:914 ClientCommand.cpp:975 +#: ClientCommand.cpp:917 ClientCommand.cpp:982 msgid "User modules:" msgstr "Gebruiker modules:" -#: ClientCommand.cpp:921 +#: ClientCommand.cpp:925 msgid "This network has no modules loaded." msgstr "Dit netwerk heeft geen modules geladen." -#: ClientCommand.cpp:923 ClientCommand.cpp:986 +#: ClientCommand.cpp:927 ClientCommand.cpp:994 msgid "Network modules:" msgstr "Netwerk modules:" -#: ClientCommand.cpp:938 ClientCommand.cpp:944 +#: ClientCommand.cpp:942 ClientCommand.cpp:949 msgctxt "listavailmods" msgid "Name" msgstr "Naam" -#: ClientCommand.cpp:939 ClientCommand.cpp:949 +#: ClientCommand.cpp:943 ClientCommand.cpp:954 msgctxt "listavailmods" msgid "Description" msgstr "Beschrijving" -#: ClientCommand.cpp:962 +#: ClientCommand.cpp:968 msgid "No global modules available." msgstr "Geen algemene modules beschikbaar." -#: ClientCommand.cpp:973 +#: ClientCommand.cpp:980 msgid "No user modules available." msgstr "Geen gebruikermodules beschikbaar." -#: ClientCommand.cpp:984 +#: ClientCommand.cpp:992 msgid "No network modules available." msgstr "Geen netwerkmodules beschikbaar." -#: ClientCommand.cpp:1012 +#: ClientCommand.cpp:1020 msgid "Unable to load {1}: Access denied." msgstr "Niet mogelijk om {1} te laden: Toegang geweigerd." -#: ClientCommand.cpp:1018 +#: ClientCommand.cpp:1026 msgid "Usage: LoadMod [--type=global|user|network] [args]" msgstr "Gebruik: LoadMod [--type=global|user|network] [argumenten]" -#: ClientCommand.cpp:1025 +#: ClientCommand.cpp:1033 msgid "Unable to load {1}: {2}" msgstr "Niet mogelijk module te laden {1}: {2}" -#: ClientCommand.cpp:1035 +#: ClientCommand.cpp:1043 msgid "Unable to load global module {1}: Access denied." msgstr "Niet mogelijk algemene module te laden {1}: Toegang geweigerd." -#: ClientCommand.cpp:1041 +#: ClientCommand.cpp:1049 msgid "Unable to load network module {1}: Not connected with a network." msgstr "" "Niet mogelijk netwerk module te laden {1}: Niet verbonden met een netwerk." -#: ClientCommand.cpp:1063 +#: ClientCommand.cpp:1071 msgid "Unknown module type" msgstr "Onbekend type module" -#: ClientCommand.cpp:1068 +#: ClientCommand.cpp:1076 msgid "Loaded module {1}" msgstr "Module {1} geladen" -#: ClientCommand.cpp:1070 +#: ClientCommand.cpp:1078 msgid "Loaded module {1}: {2}" msgstr "Module {1} geladen: {2}" -#: ClientCommand.cpp:1073 +#: ClientCommand.cpp:1081 msgid "Unable to load module {1}: {2}" msgstr "Niet mogelijk module te laden {1}: {2}" -#: ClientCommand.cpp:1096 +#: ClientCommand.cpp:1104 msgid "Unable to unload {1}: Access denied." msgstr "Niet mogelijk om {1} te stoppen: Toegang geweigerd." -#: ClientCommand.cpp:1102 +#: ClientCommand.cpp:1110 msgid "Usage: UnloadMod [--type=global|user|network] " msgstr "Gebruik: UnloadMod [--type=global|user|network] " -#: ClientCommand.cpp:1111 +#: ClientCommand.cpp:1119 msgid "Unable to determine type of {1}: {2}" msgstr "Niet mogelijk om het type te bepalen van {1}: {2}" -#: ClientCommand.cpp:1119 +#: ClientCommand.cpp:1127 msgid "Unable to unload global module {1}: Access denied." msgstr "Niet mogelijk algemene module te stoppen {1}: Toegang geweigerd." -#: ClientCommand.cpp:1126 +#: ClientCommand.cpp:1134 msgid "Unable to unload network module {1}: Not connected with a network." msgstr "" "Niet mogelijk netwerk module te stoppen {1}: Niet verbonden met een netwerk." -#: ClientCommand.cpp:1145 +#: ClientCommand.cpp:1153 msgid "Unable to unload module {1}: Unknown module type" msgstr "Niet mogelijk module te stopped {1}: Onbekend type module" -#: ClientCommand.cpp:1158 +#: ClientCommand.cpp:1166 msgid "Unable to reload modules. Access denied." msgstr "Niet mogelijk modules te herladen. Toegang geweigerd." -#: ClientCommand.cpp:1179 +#: ClientCommand.cpp:1187 msgid "Usage: ReloadMod [--type=global|user|network] [args]" msgstr "Gebruik: ReloadMod [--type=global|user|network] [argumenten]" -#: ClientCommand.cpp:1188 +#: ClientCommand.cpp:1196 msgid "Unable to reload {1}: {2}" msgstr "Niet mogelijk module te herladen {1}: {2}" -#: ClientCommand.cpp:1196 +#: ClientCommand.cpp:1204 msgid "Unable to reload global module {1}: Access denied." msgstr "Niet mogelijk algemene module te herladen {1}: Toegang geweigerd." -#: ClientCommand.cpp:1203 +#: ClientCommand.cpp:1211 msgid "Unable to reload network module {1}: Not connected with a network." msgstr "" "Niet mogelijk netwerk module te herladen {1}: Niet verbonden met een netwerk." -#: ClientCommand.cpp:1225 +#: ClientCommand.cpp:1233 msgid "Unable to reload module {1}: Unknown module type" msgstr "Niet mogelijk module te herladen {1}: Onbekend type module" -#: ClientCommand.cpp:1236 +#: ClientCommand.cpp:1244 msgid "Usage: UpdateMod " msgstr "Gebruik: UpdateMod " -#: ClientCommand.cpp:1240 +#: ClientCommand.cpp:1248 msgid "Reloading {1} everywhere" msgstr "Overal {1} herladen" -#: ClientCommand.cpp:1242 +#: ClientCommand.cpp:1250 msgid "Done" msgstr "Klaar" -#: ClientCommand.cpp:1245 +#: ClientCommand.cpp:1253 msgid "" "Done, but there were errors, module {1} could not be reloaded everywhere." msgstr "" "Klaar, maar er waren fouten, module {1} kon niet overal herladen worden." -#: ClientCommand.cpp:1253 +#: ClientCommand.cpp:1261 msgid "" "You must be connected with a network to use this command. Try " "SetUserBindHost instead" @@ -978,27 +978,27 @@ msgstr "" "Je moet verbonden zijn met een netwerk om dit commando te gebruiken. Probeer " "in plaats hiervan SetUserBindHost" -#: ClientCommand.cpp:1260 +#: ClientCommand.cpp:1268 msgid "Usage: SetBindHost " msgstr "Gebruik: SetBindHost " -#: ClientCommand.cpp:1265 ClientCommand.cpp:1282 +#: ClientCommand.cpp:1273 ClientCommand.cpp:1290 msgid "You already have this bind host!" msgstr "Je hebt deze bindhost al!" -#: ClientCommand.cpp:1270 +#: ClientCommand.cpp:1278 msgid "Set bind host for network {1} to {2}" msgstr "Stel bindhost voor netwerk {1} in naar {2}" -#: ClientCommand.cpp:1277 +#: ClientCommand.cpp:1285 msgid "Usage: SetUserBindHost " msgstr "Gebruik: SetUserBindHost " -#: ClientCommand.cpp:1287 +#: ClientCommand.cpp:1295 msgid "Set default bind host to {1}" msgstr "Standaard bindhost ingesteld naar {1}" -#: ClientCommand.cpp:1293 +#: ClientCommand.cpp:1301 msgid "" "You must be connected with a network to use this command. Try " "ClearUserBindHost instead" @@ -1006,258 +1006,258 @@ msgstr "" "Je moet verbonden zijn met een netwerk om dit commando te gebruiken. Probeer " "in plaats hiervan ClearUserBindHost" -#: ClientCommand.cpp:1298 +#: ClientCommand.cpp:1306 msgid "Bind host cleared for this network." msgstr "Bindhost gewist voor dit netwerk." -#: ClientCommand.cpp:1302 +#: ClientCommand.cpp:1310 msgid "Default bind host cleared for your user." msgstr "Standaard bindhost gewist voor jouw gebruiker." -#: ClientCommand.cpp:1305 +#: ClientCommand.cpp:1313 msgid "This user's default bind host not set" msgstr "Er is geen standaard bindhost voor deze gebruiker ingesteld" -#: ClientCommand.cpp:1307 +#: ClientCommand.cpp:1315 msgid "This user's default bind host is {1}" msgstr "De standaard bindhost voor deze gebruiker is {1}" -#: ClientCommand.cpp:1312 +#: ClientCommand.cpp:1320 msgid "This network's bind host not set" msgstr "Er is geen bindhost ingesteld voor dit netwerk" -#: ClientCommand.cpp:1314 +#: ClientCommand.cpp:1322 msgid "This network's default bind host is {1}" msgstr "De standaard bindhost voor dit netwerk is {1}" -#: ClientCommand.cpp:1328 +#: ClientCommand.cpp:1336 msgid "Usage: PlayBuffer <#chan|query>" msgstr "Gebruik: PlayBuffer <#kanaal|privé bericht>" -#: ClientCommand.cpp:1336 +#: ClientCommand.cpp:1344 msgid "You are not on {1}" msgstr "Je bent niet in {1}" -#: ClientCommand.cpp:1341 +#: ClientCommand.cpp:1349 msgid "You are not on {1} (trying to join)" msgstr "Je bent niet in {1} (probeer toe te treden)" -#: ClientCommand.cpp:1346 +#: ClientCommand.cpp:1354 msgid "The buffer for channel {1} is empty" msgstr "De buffer voor kanaal {1} is leeg" -#: ClientCommand.cpp:1355 +#: ClientCommand.cpp:1363 msgid "No active query with {1}" msgstr "Geen actieve privé berichten met {1}" -#: ClientCommand.cpp:1360 +#: ClientCommand.cpp:1368 msgid "The buffer for {1} is empty" msgstr "De buffer voor {1} is leeg" -#: ClientCommand.cpp:1376 +#: ClientCommand.cpp:1384 msgid "Usage: ClearBuffer <#chan|query>" msgstr "Gebruik: ClearBuffer <#kanaal|privé bericht>" -#: ClientCommand.cpp:1395 +#: ClientCommand.cpp:1403 msgid "{1} buffer matching {2} has been cleared" msgid_plural "{1} buffers matching {2} have been cleared" msgstr[0] "{1} buffer overeenkomend met {2} is gewist" msgstr[1] "{1} buffers overeenkomend met {2} zijn gewist" -#: ClientCommand.cpp:1408 +#: ClientCommand.cpp:1416 msgid "All channel buffers have been cleared" msgstr "Alle kanaalbuffers zijn gewist" -#: ClientCommand.cpp:1417 +#: ClientCommand.cpp:1425 msgid "All query buffers have been cleared" msgstr "Alle privéberichtenbuffers zijn gewist" -#: ClientCommand.cpp:1429 +#: ClientCommand.cpp:1437 msgid "All buffers have been cleared" msgstr "Alle buffers zijn gewist" -#: ClientCommand.cpp:1440 +#: ClientCommand.cpp:1448 msgid "Usage: SetBuffer <#chan|query> [linecount]" msgstr "Gebruik: SetBuffer <#kanaal|privé bericht> [regelaantal]" -#: ClientCommand.cpp:1461 +#: ClientCommand.cpp:1469 msgid "Setting buffer size failed for {1} buffer" msgid_plural "Setting buffer size failed for {1} buffers" msgstr[0] "Instellen van buffergrootte mislukt voor {1} buffer" msgstr[1] "Instellen van buffergrootte mislukt voor {1} buffers" -#: ClientCommand.cpp:1464 +#: ClientCommand.cpp:1472 msgid "Maximum buffer size is {1} line" msgid_plural "Maximum buffer size is {1} lines" msgstr[0] "Maximale buffergrootte is {1} regel" msgstr[1] "Maximale buffergrootte is {1} regels" -#: ClientCommand.cpp:1469 +#: ClientCommand.cpp:1477 msgid "Size of every buffer was set to {1} line" msgid_plural "Size of every buffer was set to {1} lines" msgstr[0] "Grootte van alle buffers is ingesteld op {1} regel" msgstr[1] "Grootte van alle buffers is ingesteld op {1} regels" -#: ClientCommand.cpp:1479 ClientCommand.cpp:1486 ClientCommand.cpp:1497 -#: ClientCommand.cpp:1506 ClientCommand.cpp:1514 +#: ClientCommand.cpp:1487 ClientCommand.cpp:1494 ClientCommand.cpp:1505 +#: ClientCommand.cpp:1514 ClientCommand.cpp:1522 msgctxt "trafficcmd" msgid "Username" msgstr "Gebruikersnaam" -#: ClientCommand.cpp:1480 ClientCommand.cpp:1487 ClientCommand.cpp:1499 -#: ClientCommand.cpp:1508 ClientCommand.cpp:1516 +#: ClientCommand.cpp:1488 ClientCommand.cpp:1495 ClientCommand.cpp:1507 +#: ClientCommand.cpp:1516 ClientCommand.cpp:1524 msgctxt "trafficcmd" msgid "In" msgstr "In" -#: ClientCommand.cpp:1481 ClientCommand.cpp:1489 ClientCommand.cpp:1500 -#: ClientCommand.cpp:1509 ClientCommand.cpp:1517 +#: ClientCommand.cpp:1489 ClientCommand.cpp:1497 ClientCommand.cpp:1508 +#: ClientCommand.cpp:1517 ClientCommand.cpp:1525 msgctxt "trafficcmd" msgid "Out" msgstr "Uit" -#: ClientCommand.cpp:1482 ClientCommand.cpp:1492 ClientCommand.cpp:1502 -#: ClientCommand.cpp:1510 ClientCommand.cpp:1519 +#: ClientCommand.cpp:1490 ClientCommand.cpp:1500 ClientCommand.cpp:1510 +#: ClientCommand.cpp:1518 ClientCommand.cpp:1527 msgctxt "trafficcmd" msgid "Total" msgstr "Totaal" -#: ClientCommand.cpp:1498 +#: ClientCommand.cpp:1506 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1507 +#: ClientCommand.cpp:1515 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1515 +#: ClientCommand.cpp:1523 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1524 +#: ClientCommand.cpp:1532 msgid "Running for {1}" msgstr "Draaiend voor {1}" -#: ClientCommand.cpp:1530 +#: ClientCommand.cpp:1538 msgid "Unknown command, try 'Help'" msgstr "Onbekend commando, probeer 'Help'" -#: ClientCommand.cpp:1539 ClientCommand.cpp:1550 +#: ClientCommand.cpp:1547 ClientCommand.cpp:1558 msgctxt "listports" msgid "Port" msgstr "Poort" -#: ClientCommand.cpp:1540 ClientCommand.cpp:1551 +#: ClientCommand.cpp:1548 ClientCommand.cpp:1559 msgctxt "listports" msgid "BindHost" msgstr "BindHost" -#: ClientCommand.cpp:1541 ClientCommand.cpp:1554 +#: ClientCommand.cpp:1549 ClientCommand.cpp:1562 msgctxt "listports" msgid "SSL" msgstr "SSL" -#: ClientCommand.cpp:1542 ClientCommand.cpp:1559 +#: ClientCommand.cpp:1550 ClientCommand.cpp:1567 msgctxt "listports" msgid "Protocol" msgstr "Protocol" -#: ClientCommand.cpp:1543 ClientCommand.cpp:1566 +#: ClientCommand.cpp:1551 ClientCommand.cpp:1574 msgctxt "listports" msgid "IRC" msgstr "IRC" -#: ClientCommand.cpp:1544 ClientCommand.cpp:1571 +#: ClientCommand.cpp:1552 ClientCommand.cpp:1579 msgctxt "listports" msgid "Web" msgstr "Web" -#: ClientCommand.cpp:1555 +#: ClientCommand.cpp:1563 msgctxt "listports|ssl" msgid "yes" msgstr "ja" -#: ClientCommand.cpp:1556 +#: ClientCommand.cpp:1564 msgctxt "listports|ssl" msgid "no" msgstr "nee" -#: ClientCommand.cpp:1560 +#: ClientCommand.cpp:1568 msgctxt "listports" msgid "IPv4 and IPv6" msgstr "IPv4 en IPv6" -#: ClientCommand.cpp:1562 +#: ClientCommand.cpp:1570 msgctxt "listports" msgid "IPv4" msgstr "IPv4" -#: ClientCommand.cpp:1563 +#: ClientCommand.cpp:1571 msgctxt "listports" msgid "IPv6" msgstr "IPv6" -#: ClientCommand.cpp:1569 +#: ClientCommand.cpp:1577 msgctxt "listports|irc" msgid "yes" msgstr "ja" -#: ClientCommand.cpp:1570 +#: ClientCommand.cpp:1578 msgctxt "listports|irc" msgid "no" msgstr "nee" -#: ClientCommand.cpp:1574 +#: ClientCommand.cpp:1582 msgctxt "listports|irc" msgid "yes, on {1}" msgstr "ja, in {1}" -#: ClientCommand.cpp:1576 +#: ClientCommand.cpp:1584 msgctxt "listports|web" msgid "no" msgstr "nee" -#: ClientCommand.cpp:1616 +#: ClientCommand.cpp:1624 msgid "" "Usage: AddPort <[+]port> [bindhost [uriprefix]]" msgstr "" "Gebruik: AddPort <[+]poort> [bindhost " "[urivoorvoegsel]]" -#: ClientCommand.cpp:1632 +#: ClientCommand.cpp:1640 msgid "Port added" msgstr "Poort toegevoegd" -#: ClientCommand.cpp:1634 +#: ClientCommand.cpp:1642 msgid "Couldn't add port" msgstr "Kon poort niet toevoegen" -#: ClientCommand.cpp:1640 +#: ClientCommand.cpp:1648 msgid "Usage: DelPort [bindhost]" msgstr "Gebruik: DelPort [bindhost]" -#: ClientCommand.cpp:1649 +#: ClientCommand.cpp:1657 msgid "Deleted Port" msgstr "Poort verwijderd" -#: ClientCommand.cpp:1651 +#: ClientCommand.cpp:1659 msgid "Unable to find a matching port" msgstr "Niet mogelijk om een overeenkomende poort te vinden" -#: ClientCommand.cpp:1659 ClientCommand.cpp:1673 +#: ClientCommand.cpp:1667 ClientCommand.cpp:1682 msgctxt "helpcmd" msgid "Command" msgstr "Commando" -#: ClientCommand.cpp:1660 ClientCommand.cpp:1674 +#: ClientCommand.cpp:1668 ClientCommand.cpp:1684 msgctxt "helpcmd" msgid "Description" msgstr "Beschrijving" -#: ClientCommand.cpp:1664 +#: ClientCommand.cpp:1673 msgid "" "In the following list all occurrences of <#chan> support wildcards (* and ?) " "except ListNicks" @@ -1265,87 +1265,87 @@ msgstr "" "In de volgende lijst ondersteunen alle voorvallen van <#kanaal> jokers (* " "en ?) behalve ListNicks" -#: ClientCommand.cpp:1680 +#: ClientCommand.cpp:1690 msgctxt "helpcmd|Version|desc" msgid "Print which version of ZNC this is" msgstr "Toon welke versie van ZNC dit is" -#: ClientCommand.cpp:1683 +#: ClientCommand.cpp:1693 msgctxt "helpcmd|ListMods|desc" msgid "List all loaded modules" msgstr "Toon een lijst van alle geladen modules" -#: ClientCommand.cpp:1686 +#: ClientCommand.cpp:1696 msgctxt "helpcmd|ListAvailMods|desc" msgid "List all available modules" msgstr "Toon alle beschikbare modules" -#: ClientCommand.cpp:1690 ClientCommand.cpp:1876 +#: ClientCommand.cpp:1700 ClientCommand.cpp:1886 msgctxt "helpcmd|ListChans|desc" msgid "List all channels" msgstr "Toon alle kanalen" -#: ClientCommand.cpp:1693 +#: ClientCommand.cpp:1703 msgctxt "helpcmd|ListNicks|args" msgid "<#chan>" msgstr "<#kanaal>" -#: ClientCommand.cpp:1694 +#: ClientCommand.cpp:1704 msgctxt "helpcmd|ListNicks|desc" msgid "List all nicks on a channel" msgstr "Toon alle bijnamen op een kanaal" -#: ClientCommand.cpp:1697 +#: ClientCommand.cpp:1707 msgctxt "helpcmd|ListClients|desc" msgid "List all clients connected to your ZNC user" msgstr "Toon alle clients verbonden met jouw ZNC gebruiker" -#: ClientCommand.cpp:1701 +#: ClientCommand.cpp:1711 msgctxt "helpcmd|ListServers|desc" msgid "List all servers of current IRC network" msgstr "Toon alle servers van het huidige IRC netwerk" -#: ClientCommand.cpp:1705 +#: ClientCommand.cpp:1715 msgctxt "helpcmd|AddNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1706 +#: ClientCommand.cpp:1716 msgctxt "helpcmd|AddNetwork|desc" msgid "Add a network to your user" msgstr "Voeg een netwerk toe aan jouw gebruiker" -#: ClientCommand.cpp:1708 +#: ClientCommand.cpp:1718 msgctxt "helpcmd|DelNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1709 +#: ClientCommand.cpp:1719 msgctxt "helpcmd|DelNetwork|desc" msgid "Delete a network from your user" msgstr "Verwijder een netwerk van jouw gebruiker" -#: ClientCommand.cpp:1711 +#: ClientCommand.cpp:1721 msgctxt "helpcmd|ListNetworks|desc" msgid "List all networks" msgstr "Toon alle netwerken" -#: ClientCommand.cpp:1714 +#: ClientCommand.cpp:1724 msgctxt "helpcmd|MoveNetwork|args" msgid " [new network]" msgstr " [nieuw netwerk]" -#: ClientCommand.cpp:1716 +#: ClientCommand.cpp:1726 msgctxt "helpcmd|MoveNetwork|desc" msgid "Move an IRC network from one user to another" msgstr "Verplaats een IRC netwerk van een gebruiker naar een andere gebruiker" -#: ClientCommand.cpp:1720 +#: ClientCommand.cpp:1730 msgctxt "helpcmd|JumpNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1721 +#: ClientCommand.cpp:1731 msgctxt "helpcmd|JumpNetwork|desc" msgid "" "Jump to another network (Alternatively, you can connect to ZNC several " @@ -1354,12 +1354,12 @@ msgstr "" "Spring naar een ander netwerk (Je kan ook meerdere malen naar ZNC verbinden " "door `gebruiker/netwerk` als gebruikersnaam te gebruiken)" -#: ClientCommand.cpp:1726 +#: ClientCommand.cpp:1736 msgctxt "helpcmd|AddServer|args" msgid " [[+]port] [pass]" msgstr " [[+]poort] [wachtwoord]" -#: ClientCommand.cpp:1727 +#: ClientCommand.cpp:1737 msgctxt "helpcmd|AddServer|desc" msgid "" "Add a server to the list of alternate/backup servers of current IRC network." @@ -1367,12 +1367,12 @@ msgstr "" "Voeg een server toe aan de lijst van alternatieve/backup servers van het " "huidige IRC netwerk." -#: ClientCommand.cpp:1731 +#: ClientCommand.cpp:1741 msgctxt "helpcmd|DelServer|args" msgid " [port] [pass]" msgstr " [poort] [wachtwoord]" -#: ClientCommand.cpp:1732 +#: ClientCommand.cpp:1742 msgctxt "helpcmd|DelServer|desc" msgid "" "Remove a server from the list of alternate/backup servers of current IRC " @@ -1381,12 +1381,12 @@ msgstr "" "Verwijder een server van de lijst van alternatieve/backup servers van het " "huidige IRC netwerk" -#: ClientCommand.cpp:1738 +#: ClientCommand.cpp:1748 msgctxt "helpcmd|AddTrustedServerFingerprint|args" msgid "" msgstr "" -#: ClientCommand.cpp:1739 +#: ClientCommand.cpp:1749 msgctxt "helpcmd|AddTrustedServerFingerprint|desc" msgid "" "Add a trusted server SSL certificate fingerprint (SHA-256) to current IRC " @@ -1395,337 +1395,337 @@ msgstr "" "Voeg een vertrouwd SSL certificaat vingerafdruk (SHA-256) toe aan het " "huidige netwerk." -#: ClientCommand.cpp:1744 +#: ClientCommand.cpp:1754 msgctxt "helpcmd|DelTrustedServerFingerprint|args" msgid "" msgstr "" -#: ClientCommand.cpp:1745 +#: ClientCommand.cpp:1755 msgctxt "helpcmd|DelTrustedServerFingerprint|desc" msgid "Delete a trusted server SSL certificate from current IRC network." msgstr "Verwijder een vertrouwd SSL certificaat van het huidige netwerk." -#: ClientCommand.cpp:1749 +#: ClientCommand.cpp:1759 msgctxt "helpcmd|ListTrustedServerFingerprints|desc" msgid "List all trusted server SSL certificates of current IRC network." msgstr "Toon alle vertrouwde SSL certificaten van het huidige netwerk." -#: ClientCommand.cpp:1752 +#: ClientCommand.cpp:1762 msgctxt "helpcmd|EnableChan|args" msgid "<#chans>" msgstr "<#kanalen>" -#: ClientCommand.cpp:1753 +#: ClientCommand.cpp:1763 msgctxt "helpcmd|EnableChan|desc" msgid "Enable channels" msgstr "Kanalen inschakelen" -#: ClientCommand.cpp:1754 +#: ClientCommand.cpp:1764 msgctxt "helpcmd|DisableChan|args" msgid "<#chans>" msgstr "<#kanalen>" -#: ClientCommand.cpp:1755 +#: ClientCommand.cpp:1765 msgctxt "helpcmd|DisableChan|desc" msgid "Disable channels" msgstr "Kanalen uitschakelen" -#: ClientCommand.cpp:1756 +#: ClientCommand.cpp:1766 msgctxt "helpcmd|Attach|args" msgid "<#chans>" msgstr "<#kanalen>" -#: ClientCommand.cpp:1757 +#: ClientCommand.cpp:1767 msgctxt "helpcmd|Attach|desc" msgid "Attach to channels" msgstr "Koppel aan kanalen" -#: ClientCommand.cpp:1758 +#: ClientCommand.cpp:1768 msgctxt "helpcmd|Detach|args" msgid "<#chans>" msgstr "<#kanalen>" -#: ClientCommand.cpp:1759 +#: ClientCommand.cpp:1769 msgctxt "helpcmd|Detach|desc" msgid "Detach from channels" msgstr "Loskoppelen van kanalen" -#: ClientCommand.cpp:1762 +#: ClientCommand.cpp:1772 msgctxt "helpcmd|Topics|desc" msgid "Show topics in all your channels" msgstr "Laat topics in al je kanalen zien" -#: ClientCommand.cpp:1765 +#: ClientCommand.cpp:1775 msgctxt "helpcmd|PlayBuffer|args" msgid "<#chan|query>" msgstr "<#kanaal|privé bericht>" -#: ClientCommand.cpp:1766 +#: ClientCommand.cpp:1776 msgctxt "helpcmd|PlayBuffer|desc" msgid "Play back the specified buffer" msgstr "Speel the gekozen buffer terug" -#: ClientCommand.cpp:1768 +#: ClientCommand.cpp:1778 msgctxt "helpcmd|ClearBuffer|args" msgid "<#chan|query>" msgstr "<#kanaal|privé bericht>" -#: ClientCommand.cpp:1769 +#: ClientCommand.cpp:1779 msgctxt "helpcmd|ClearBuffer|desc" msgid "Clear the specified buffer" msgstr "Wis de gekozen buffer" -#: ClientCommand.cpp:1771 +#: ClientCommand.cpp:1781 msgctxt "helpcmd|ClearAllBuffers|desc" msgid "Clear all channel and query buffers" msgstr "Wis alle kanaal en privé berichtenbuffers" -#: ClientCommand.cpp:1774 +#: ClientCommand.cpp:1784 msgctxt "helpcmd|ClearAllChannelBuffers|desc" msgid "Clear the channel buffers" msgstr "Wis de kanaal buffers" -#: ClientCommand.cpp:1778 +#: ClientCommand.cpp:1788 msgctxt "helpcmd|ClearAllQueryBuffers|desc" msgid "Clear the query buffers" msgstr "Wis de privéberichtenbuffers" -#: ClientCommand.cpp:1780 +#: ClientCommand.cpp:1790 msgctxt "helpcmd|SetBuffer|args" msgid "<#chan|query> [linecount]" msgstr "<#kanaal|privé bericht> [regelaantal]" -#: ClientCommand.cpp:1781 +#: ClientCommand.cpp:1791 msgctxt "helpcmd|SetBuffer|desc" msgid "Set the buffer count" msgstr "Stel het buffer aantal in" -#: ClientCommand.cpp:1785 +#: ClientCommand.cpp:1795 msgctxt "helpcmd|SetBindHost|args" msgid "" msgstr "" -#: ClientCommand.cpp:1786 +#: ClientCommand.cpp:1796 msgctxt "helpcmd|SetBindHost|desc" msgid "Set the bind host for this network" msgstr "Stel de bindhost in voor dit netwerk" -#: ClientCommand.cpp:1790 +#: ClientCommand.cpp:1800 msgctxt "helpcmd|SetUserBindHost|args" msgid "" msgstr "" -#: ClientCommand.cpp:1791 +#: ClientCommand.cpp:1801 msgctxt "helpcmd|SetUserBindHost|desc" msgid "Set the default bind host for this user" msgstr "Stel de bindhost in voor deze gebruiker" -#: ClientCommand.cpp:1794 +#: ClientCommand.cpp:1804 msgctxt "helpcmd|ClearBindHost|desc" msgid "Clear the bind host for this network" msgstr "Wis de bindhost voor dit netwerk" -#: ClientCommand.cpp:1797 +#: ClientCommand.cpp:1807 msgctxt "helpcmd|ClearUserBindHost|desc" msgid "Clear the default bind host for this user" msgstr "Wis de standaard bindhost voor deze gebruiker" -#: ClientCommand.cpp:1803 +#: ClientCommand.cpp:1813 msgctxt "helpcmd|ShowBindHost|desc" msgid "Show currently selected bind host" msgstr "Toon huidig geselecteerde bindhost" -#: ClientCommand.cpp:1805 +#: ClientCommand.cpp:1815 msgctxt "helpcmd|Jump|args" msgid "[server]" msgstr "[server]" -#: ClientCommand.cpp:1806 +#: ClientCommand.cpp:1816 msgctxt "helpcmd|Jump|desc" msgid "Jump to the next or the specified server" msgstr "Spring naar de volgende of de gekozen server" -#: ClientCommand.cpp:1807 +#: ClientCommand.cpp:1817 msgctxt "helpcmd|Disconnect|args" msgid "[message]" msgstr "[bericht]" -#: ClientCommand.cpp:1808 +#: ClientCommand.cpp:1818 msgctxt "helpcmd|Disconnect|desc" msgid "Disconnect from IRC" msgstr "Verbreek verbinding met IRC" -#: ClientCommand.cpp:1810 +#: ClientCommand.cpp:1820 msgctxt "helpcmd|Connect|desc" msgid "Reconnect to IRC" msgstr "Verbind opnieuw met IRC" -#: ClientCommand.cpp:1813 +#: ClientCommand.cpp:1823 msgctxt "helpcmd|Uptime|desc" msgid "Show for how long ZNC has been running" msgstr "Laat zien hoe lang ZNC al draait" -#: ClientCommand.cpp:1817 +#: ClientCommand.cpp:1827 msgctxt "helpcmd|LoadMod|args" msgid "[--type=global|user|network] " msgstr "[--type=global|user|network] " -#: ClientCommand.cpp:1819 +#: ClientCommand.cpp:1829 msgctxt "helpcmd|LoadMod|desc" msgid "Load a module" msgstr "Laad een module" -#: ClientCommand.cpp:1821 +#: ClientCommand.cpp:1831 msgctxt "helpcmd|UnloadMod|args" msgid "[--type=global|user|network] " msgstr "[--type=global|user|network] " -#: ClientCommand.cpp:1823 +#: ClientCommand.cpp:1833 msgctxt "helpcmd|UnloadMod|desc" msgid "Unload a module" msgstr "Stop een module" -#: ClientCommand.cpp:1825 +#: ClientCommand.cpp:1835 msgctxt "helpcmd|ReloadMod|args" msgid "[--type=global|user|network] " msgstr "[--type=global|user|network] " -#: ClientCommand.cpp:1827 +#: ClientCommand.cpp:1837 msgctxt "helpcmd|ReloadMod|desc" msgid "Reload a module" msgstr "Herlaad een module" -#: ClientCommand.cpp:1830 +#: ClientCommand.cpp:1840 msgctxt "helpcmd|UpdateMod|args" msgid "" msgstr "" -#: ClientCommand.cpp:1831 +#: ClientCommand.cpp:1841 msgctxt "helpcmd|UpdateMod|desc" msgid "Reload a module everywhere" msgstr "Herlaad een module overal" -#: ClientCommand.cpp:1837 +#: ClientCommand.cpp:1847 msgctxt "helpcmd|ShowMOTD|desc" msgid "Show ZNC's message of the day" msgstr "Laat ZNC's bericht van de dag zien" -#: ClientCommand.cpp:1841 +#: ClientCommand.cpp:1851 msgctxt "helpcmd|SetMOTD|args" msgid "" msgstr "" -#: ClientCommand.cpp:1842 +#: ClientCommand.cpp:1852 msgctxt "helpcmd|SetMOTD|desc" msgid "Set ZNC's message of the day" msgstr "Stel ZNC's bericht van de dag in" -#: ClientCommand.cpp:1844 +#: ClientCommand.cpp:1854 msgctxt "helpcmd|AddMOTD|args" msgid "" msgstr "" -#: ClientCommand.cpp:1845 +#: ClientCommand.cpp:1855 msgctxt "helpcmd|AddMOTD|desc" msgid "Append to ZNC's MOTD" msgstr "Voeg toe aan ZNC's bericht van de dag" -#: ClientCommand.cpp:1847 +#: ClientCommand.cpp:1857 msgctxt "helpcmd|ClearMOTD|desc" msgid "Clear ZNC's MOTD" msgstr "Wis ZNC's bericht van de dag" -#: ClientCommand.cpp:1850 +#: ClientCommand.cpp:1860 msgctxt "helpcmd|ListPorts|desc" msgid "Show all active listeners" msgstr "Laat alle actieve luisteraars zien" -#: ClientCommand.cpp:1852 +#: ClientCommand.cpp:1862 msgctxt "helpcmd|AddPort|args" msgid "<[+]port> [bindhost [uriprefix]]" msgstr "<[+]poort> [bindhost [urivoorvoegsel]]" -#: ClientCommand.cpp:1855 +#: ClientCommand.cpp:1865 msgctxt "helpcmd|AddPort|desc" msgid "Add another port for ZNC to listen on" msgstr "Voeg nog een poort toe voor ZNC om te luisteren" -#: ClientCommand.cpp:1859 +#: ClientCommand.cpp:1869 msgctxt "helpcmd|DelPort|args" msgid " [bindhost]" msgstr " [bindhost]" -#: ClientCommand.cpp:1860 +#: ClientCommand.cpp:1870 msgctxt "helpcmd|DelPort|desc" msgid "Remove a port from ZNC" msgstr "Haal een poort weg van ZNC" -#: ClientCommand.cpp:1863 +#: ClientCommand.cpp:1873 msgctxt "helpcmd|Rehash|desc" msgid "Reload global settings, modules, and listeners from znc.conf" msgstr "Herlaad algemene instelling, modules en luisteraars van znc.conf" -#: ClientCommand.cpp:1866 +#: ClientCommand.cpp:1876 msgctxt "helpcmd|SaveConfig|desc" msgid "Save the current settings to disk" msgstr "Huidige instellingen opslaan in bestand" -#: ClientCommand.cpp:1869 +#: ClientCommand.cpp:1879 msgctxt "helpcmd|ListUsers|desc" msgid "List all ZNC users and their connection status" msgstr "Toon alle ZNC gebruikers en hun verbinding status" -#: ClientCommand.cpp:1872 +#: ClientCommand.cpp:1882 msgctxt "helpcmd|ListAllUserNetworks|desc" msgid "List all ZNC users and their networks" msgstr "Toon alle ZNC gebruikers en hun netwerken" -#: ClientCommand.cpp:1875 +#: ClientCommand.cpp:1885 msgctxt "helpcmd|ListChans|args" msgid "[user ]" msgstr "[gebruiker ]" -#: ClientCommand.cpp:1878 +#: ClientCommand.cpp:1888 msgctxt "helpcmd|ListClients|args" msgid "[user]" msgstr "[gebruiker]" -#: ClientCommand.cpp:1879 +#: ClientCommand.cpp:1889 msgctxt "helpcmd|ListClients|desc" msgid "List all connected clients" msgstr "Toon alle verbonden clients" -#: ClientCommand.cpp:1881 +#: ClientCommand.cpp:1891 msgctxt "helpcmd|Traffic|desc" msgid "Show basic traffic stats for all ZNC users" msgstr "Toon basis verkeer statistieken voor alle ZNC gebruikers" -#: ClientCommand.cpp:1883 +#: ClientCommand.cpp:1893 msgctxt "helpcmd|Broadcast|args" msgid "[message]" msgstr "[bericht]" -#: ClientCommand.cpp:1884 +#: ClientCommand.cpp:1894 msgctxt "helpcmd|Broadcast|desc" msgid "Broadcast a message to all ZNC users" msgstr "Zend een bericht naar alle ZNC gebruikers" -#: ClientCommand.cpp:1887 +#: ClientCommand.cpp:1897 msgctxt "helpcmd|Shutdown|args" msgid "[message]" msgstr "[bericht]" -#: ClientCommand.cpp:1888 +#: ClientCommand.cpp:1898 msgctxt "helpcmd|Shutdown|desc" msgid "Shut down ZNC completely" msgstr "Sluit ZNC in zijn geheel af" -#: ClientCommand.cpp:1889 +#: ClientCommand.cpp:1899 msgctxt "helpcmd|Restart|args" msgid "[message]" msgstr "[bericht]" -#: ClientCommand.cpp:1890 +#: ClientCommand.cpp:1900 msgctxt "helpcmd|Restart|desc" msgid "Restart ZNC" msgstr "Herstart ZNC" diff --git a/src/po/znc.pot b/src/po/znc.pot index 8f147be8..7176daf0 100644 --- a/src/po/znc.pot +++ b/src/po/znc.pot @@ -62,7 +62,7 @@ msgstr "" msgid "Invalid port" msgstr "" -#: znc.cpp:1821 ClientCommand.cpp:1629 +#: znc.cpp:1821 ClientCommand.cpp:1637 msgid "Unable to bind: {1}" msgstr "" @@ -70,31 +70,31 @@ msgstr "" msgid "Jumping servers because this server is no longer in the list" msgstr "" -#: IRCNetwork.cpp:640 User.cpp:678 +#: IRCNetwork.cpp:669 User.cpp:678 msgid "Welcome to ZNC" msgstr "" -#: IRCNetwork.cpp:728 +#: IRCNetwork.cpp:757 msgid "You are currently disconnected from IRC. Use 'connect' to reconnect." msgstr "" -#: IRCNetwork.cpp:758 +#: IRCNetwork.cpp:787 msgid "This network is being deleted or moved to another user." msgstr "" -#: IRCNetwork.cpp:987 +#: IRCNetwork.cpp:1016 msgid "The channel {1} could not be joined, disabling it." msgstr "" -#: IRCNetwork.cpp:1116 +#: IRCNetwork.cpp:1145 msgid "Your current server was removed, jumping..." msgstr "" -#: IRCNetwork.cpp:1279 +#: IRCNetwork.cpp:1308 msgid "Cannot connect to {1}, because ZNC is not compiled with SSL support." msgstr "" -#: IRCNetwork.cpp:1300 +#: IRCNetwork.cpp:1329 msgid "Some module aborted the connection attempt" msgstr "" @@ -274,7 +274,7 @@ msgctxt "modhelpcmd" msgid "Generate this output" msgstr "" -#: Modules.cpp:573 ClientCommand.cpp:1894 +#: Modules.cpp:573 ClientCommand.cpp:1904 msgid "No matches for '{1}'" msgstr "" @@ -287,93 +287,93 @@ msgid "Unknown command!" msgstr "" #: Modules.cpp:1633 -msgid "Module {1} already loaded." -msgstr "" - -#: Modules.cpp:1647 -msgid "Unable to find module {1}" -msgstr "" - -#: Modules.cpp:1659 -msgid "Module {1} does not support module type {2}." -msgstr "" - -#: Modules.cpp:1666 -msgid "Module {1} requires a user." -msgstr "" - -#: Modules.cpp:1672 -msgid "Module {1} requires a network." -msgstr "" - -#: Modules.cpp:1688 -msgid "Caught an exception" -msgstr "" - -#: Modules.cpp:1694 -msgid "Module {1} aborted: {2}" -msgstr "" - -#: Modules.cpp:1696 -msgid "Module {1} aborted." -msgstr "" - -#: Modules.cpp:1720 Modules.cpp:1762 -msgid "Module [{1}] not loaded." -msgstr "" - -#: Modules.cpp:1744 -msgid "Module {1} unloaded." -msgstr "" - -#: Modules.cpp:1749 -msgid "Unable to unload module {1}." -msgstr "" - -#: Modules.cpp:1778 -msgid "Reloaded module {1}." -msgstr "" - -#: Modules.cpp:1793 -msgid "Unable to find module {1}." -msgstr "" - -#: Modules.cpp:1919 msgid "" "Module names can only contain letters, numbers and underscores, [{1}] is " "invalid" msgstr "" -#: Modules.cpp:1943 +#: Modules.cpp:1652 +msgid "Module {1} already loaded." +msgstr "" + +#: Modules.cpp:1666 +msgid "Unable to find module {1}" +msgstr "" + +#: Modules.cpp:1678 +msgid "Module {1} does not support module type {2}." +msgstr "" + +#: Modules.cpp:1685 +msgid "Module {1} requires a user." +msgstr "" + +#: Modules.cpp:1691 +msgid "Module {1} requires a network." +msgstr "" + +#: Modules.cpp:1707 +msgid "Caught an exception" +msgstr "" + +#: Modules.cpp:1713 +msgid "Module {1} aborted: {2}" +msgstr "" + +#: Modules.cpp:1715 +msgid "Module {1} aborted." +msgstr "" + +#: Modules.cpp:1739 Modules.cpp:1781 +msgid "Module [{1}] not loaded." +msgstr "" + +#: Modules.cpp:1763 +msgid "Module {1} unloaded." +msgstr "" + +#: Modules.cpp:1768 +msgid "Unable to unload module {1}." +msgstr "" + +#: Modules.cpp:1797 +msgid "Reloaded module {1}." +msgstr "" + +#: Modules.cpp:1816 +msgid "Unable to find module {1}." +msgstr "" + +#: Modules.cpp:1963 msgid "Unknown error" msgstr "" -#: Modules.cpp:1944 +#: Modules.cpp:1964 msgid "Unable to open module {1}: {2}" msgstr "" -#: Modules.cpp:1953 +#: Modules.cpp:1973 msgid "Could not find ZNCModuleEntry in module {1}" msgstr "" -#: Modules.cpp:1961 +#: Modules.cpp:1981 msgid "" "Version mismatch for module {1}: core is {2}, module is built for {3}. " "Recompile this module." msgstr "" -#: Modules.cpp:1972 +#: Modules.cpp:1992 msgid "" "Module {1} is built incompatibly: core is '{2}', module is '{3}'. Recompile " "this module." msgstr "" -#: Modules.cpp:2002 Modules.cpp:2008 +#: Modules.cpp:2023 Modules.cpp:2029 msgctxt "modhelpcmd" msgid "Command" msgstr "" -#: Modules.cpp:2003 Modules.cpp:2009 +#: Modules.cpp:2024 Modules.cpp:2031 msgctxt "modhelpcmd" msgid "Description" msgstr "" @@ -381,9 +381,9 @@ msgstr "" #: ClientCommand.cpp:51 ClientCommand.cpp:115 ClientCommand.cpp:137 #: ClientCommand.cpp:749 ClientCommand.cpp:768 ClientCommand.cpp:794 #: ClientCommand.cpp:827 ClientCommand.cpp:840 ClientCommand.cpp:853 -#: ClientCommand.cpp:868 ClientCommand.cpp:1321 ClientCommand.cpp:1369 -#: ClientCommand.cpp:1401 ClientCommand.cpp:1412 ClientCommand.cpp:1421 -#: ClientCommand.cpp:1433 +#: ClientCommand.cpp:868 ClientCommand.cpp:1329 ClientCommand.cpp:1377 +#: ClientCommand.cpp:1409 ClientCommand.cpp:1420 ClientCommand.cpp:1429 +#: ClientCommand.cpp:1441 msgid "You must be connected with a network to use this command" msgstr "" @@ -603,7 +603,7 @@ msgctxt "listnetworks" msgid "No networks" msgstr "" -#: ClientCommand.cpp:632 ClientCommand.cpp:932 +#: ClientCommand.cpp:632 ClientCommand.cpp:936 msgid "Access denied." msgstr "" @@ -749,903 +749,903 @@ msgctxt "topicscmd" msgid "Topic" msgstr "" -#: ClientCommand.cpp:889 ClientCommand.cpp:893 +#: ClientCommand.cpp:889 ClientCommand.cpp:894 msgctxt "listmods" msgid "Name" msgstr "" -#: ClientCommand.cpp:890 ClientCommand.cpp:894 +#: ClientCommand.cpp:890 ClientCommand.cpp:895 msgctxt "listmods" msgid "Arguments" msgstr "" -#: ClientCommand.cpp:902 +#: ClientCommand.cpp:904 msgid "No global modules loaded." msgstr "" -#: ClientCommand.cpp:904 ClientCommand.cpp:964 +#: ClientCommand.cpp:906 ClientCommand.cpp:970 msgid "Global modules:" msgstr "" -#: ClientCommand.cpp:912 +#: ClientCommand.cpp:915 msgid "Your user has no modules loaded." msgstr "" -#: ClientCommand.cpp:914 ClientCommand.cpp:975 +#: ClientCommand.cpp:917 ClientCommand.cpp:982 msgid "User modules:" msgstr "" -#: ClientCommand.cpp:921 +#: ClientCommand.cpp:925 msgid "This network has no modules loaded." msgstr "" -#: ClientCommand.cpp:923 ClientCommand.cpp:986 +#: ClientCommand.cpp:927 ClientCommand.cpp:994 msgid "Network modules:" msgstr "" -#: ClientCommand.cpp:938 ClientCommand.cpp:944 +#: ClientCommand.cpp:942 ClientCommand.cpp:949 msgctxt "listavailmods" msgid "Name" msgstr "" -#: ClientCommand.cpp:939 ClientCommand.cpp:949 +#: ClientCommand.cpp:943 ClientCommand.cpp:954 msgctxt "listavailmods" msgid "Description" msgstr "" -#: ClientCommand.cpp:962 +#: ClientCommand.cpp:968 msgid "No global modules available." msgstr "" -#: ClientCommand.cpp:973 +#: ClientCommand.cpp:980 msgid "No user modules available." msgstr "" -#: ClientCommand.cpp:984 +#: ClientCommand.cpp:992 msgid "No network modules available." msgstr "" -#: ClientCommand.cpp:1012 +#: ClientCommand.cpp:1020 msgid "Unable to load {1}: Access denied." msgstr "" -#: ClientCommand.cpp:1018 +#: ClientCommand.cpp:1026 msgid "Usage: LoadMod [--type=global|user|network] [args]" msgstr "" -#: ClientCommand.cpp:1025 +#: ClientCommand.cpp:1033 msgid "Unable to load {1}: {2}" msgstr "" -#: ClientCommand.cpp:1035 +#: ClientCommand.cpp:1043 msgid "Unable to load global module {1}: Access denied." msgstr "" -#: ClientCommand.cpp:1041 +#: ClientCommand.cpp:1049 msgid "Unable to load network module {1}: Not connected with a network." msgstr "" -#: ClientCommand.cpp:1063 +#: ClientCommand.cpp:1071 msgid "Unknown module type" msgstr "" -#: ClientCommand.cpp:1068 +#: ClientCommand.cpp:1076 msgid "Loaded module {1}" msgstr "" -#: ClientCommand.cpp:1070 +#: ClientCommand.cpp:1078 msgid "Loaded module {1}: {2}" msgstr "" -#: ClientCommand.cpp:1073 +#: ClientCommand.cpp:1081 msgid "Unable to load module {1}: {2}" msgstr "" -#: ClientCommand.cpp:1096 +#: ClientCommand.cpp:1104 msgid "Unable to unload {1}: Access denied." msgstr "" -#: ClientCommand.cpp:1102 +#: ClientCommand.cpp:1110 msgid "Usage: UnloadMod [--type=global|user|network] " msgstr "" -#: ClientCommand.cpp:1111 +#: ClientCommand.cpp:1119 msgid "Unable to determine type of {1}: {2}" msgstr "" -#: ClientCommand.cpp:1119 +#: ClientCommand.cpp:1127 msgid "Unable to unload global module {1}: Access denied." msgstr "" -#: ClientCommand.cpp:1126 +#: ClientCommand.cpp:1134 msgid "Unable to unload network module {1}: Not connected with a network." msgstr "" -#: ClientCommand.cpp:1145 +#: ClientCommand.cpp:1153 msgid "Unable to unload module {1}: Unknown module type" msgstr "" -#: ClientCommand.cpp:1158 +#: ClientCommand.cpp:1166 msgid "Unable to reload modules. Access denied." msgstr "" -#: ClientCommand.cpp:1179 +#: ClientCommand.cpp:1187 msgid "Usage: ReloadMod [--type=global|user|network] [args]" msgstr "" -#: ClientCommand.cpp:1188 +#: ClientCommand.cpp:1196 msgid "Unable to reload {1}: {2}" msgstr "" -#: ClientCommand.cpp:1196 +#: ClientCommand.cpp:1204 msgid "Unable to reload global module {1}: Access denied." msgstr "" -#: ClientCommand.cpp:1203 +#: ClientCommand.cpp:1211 msgid "Unable to reload network module {1}: Not connected with a network." msgstr "" -#: ClientCommand.cpp:1225 +#: ClientCommand.cpp:1233 msgid "Unable to reload module {1}: Unknown module type" msgstr "" -#: ClientCommand.cpp:1236 +#: ClientCommand.cpp:1244 msgid "Usage: UpdateMod " msgstr "" -#: ClientCommand.cpp:1240 +#: ClientCommand.cpp:1248 msgid "Reloading {1} everywhere" msgstr "" -#: ClientCommand.cpp:1242 +#: ClientCommand.cpp:1250 msgid "Done" msgstr "" -#: ClientCommand.cpp:1245 +#: ClientCommand.cpp:1253 msgid "" "Done, but there were errors, module {1} could not be reloaded everywhere." msgstr "" -#: ClientCommand.cpp:1253 +#: ClientCommand.cpp:1261 msgid "" "You must be connected with a network to use this command. Try " "SetUserBindHost instead" msgstr "" -#: ClientCommand.cpp:1260 +#: ClientCommand.cpp:1268 msgid "Usage: SetBindHost " msgstr "" -#: ClientCommand.cpp:1265 ClientCommand.cpp:1282 +#: ClientCommand.cpp:1273 ClientCommand.cpp:1290 msgid "You already have this bind host!" msgstr "" -#: ClientCommand.cpp:1270 +#: ClientCommand.cpp:1278 msgid "Set bind host for network {1} to {2}" msgstr "" -#: ClientCommand.cpp:1277 +#: ClientCommand.cpp:1285 msgid "Usage: SetUserBindHost " msgstr "" -#: ClientCommand.cpp:1287 +#: ClientCommand.cpp:1295 msgid "Set default bind host to {1}" msgstr "" -#: ClientCommand.cpp:1293 +#: ClientCommand.cpp:1301 msgid "" "You must be connected with a network to use this command. Try " "ClearUserBindHost instead" msgstr "" -#: ClientCommand.cpp:1298 +#: ClientCommand.cpp:1306 msgid "Bind host cleared for this network." msgstr "" -#: ClientCommand.cpp:1302 +#: ClientCommand.cpp:1310 msgid "Default bind host cleared for your user." msgstr "" -#: ClientCommand.cpp:1305 +#: ClientCommand.cpp:1313 msgid "This user's default bind host not set" msgstr "" -#: ClientCommand.cpp:1307 +#: ClientCommand.cpp:1315 msgid "This user's default bind host is {1}" msgstr "" -#: ClientCommand.cpp:1312 +#: ClientCommand.cpp:1320 msgid "This network's bind host not set" msgstr "" -#: ClientCommand.cpp:1314 +#: ClientCommand.cpp:1322 msgid "This network's default bind host is {1}" msgstr "" -#: ClientCommand.cpp:1328 +#: ClientCommand.cpp:1336 msgid "Usage: PlayBuffer <#chan|query>" msgstr "" -#: ClientCommand.cpp:1336 +#: ClientCommand.cpp:1344 msgid "You are not on {1}" msgstr "" -#: ClientCommand.cpp:1341 +#: ClientCommand.cpp:1349 msgid "You are not on {1} (trying to join)" msgstr "" -#: ClientCommand.cpp:1346 +#: ClientCommand.cpp:1354 msgid "The buffer for channel {1} is empty" msgstr "" -#: ClientCommand.cpp:1355 +#: ClientCommand.cpp:1363 msgid "No active query with {1}" msgstr "" -#: ClientCommand.cpp:1360 +#: ClientCommand.cpp:1368 msgid "The buffer for {1} is empty" msgstr "" -#: ClientCommand.cpp:1376 +#: ClientCommand.cpp:1384 msgid "Usage: ClearBuffer <#chan|query>" msgstr "" -#: ClientCommand.cpp:1395 +#: ClientCommand.cpp:1403 msgid "{1} buffer matching {2} has been cleared" msgid_plural "{1} buffers matching {2} have been cleared" msgstr[0] "" msgstr[1] "" -#: ClientCommand.cpp:1408 +#: ClientCommand.cpp:1416 msgid "All channel buffers have been cleared" msgstr "" -#: ClientCommand.cpp:1417 +#: ClientCommand.cpp:1425 msgid "All query buffers have been cleared" msgstr "" -#: ClientCommand.cpp:1429 +#: ClientCommand.cpp:1437 msgid "All buffers have been cleared" msgstr "" -#: ClientCommand.cpp:1440 +#: ClientCommand.cpp:1448 msgid "Usage: SetBuffer <#chan|query> [linecount]" msgstr "" -#: ClientCommand.cpp:1461 +#: ClientCommand.cpp:1469 msgid "Setting buffer size failed for {1} buffer" msgid_plural "Setting buffer size failed for {1} buffers" msgstr[0] "" msgstr[1] "" -#: ClientCommand.cpp:1464 +#: ClientCommand.cpp:1472 msgid "Maximum buffer size is {1} line" msgid_plural "Maximum buffer size is {1} lines" msgstr[0] "" msgstr[1] "" -#: ClientCommand.cpp:1469 +#: ClientCommand.cpp:1477 msgid "Size of every buffer was set to {1} line" msgid_plural "Size of every buffer was set to {1} lines" msgstr[0] "" msgstr[1] "" -#: ClientCommand.cpp:1479 ClientCommand.cpp:1486 ClientCommand.cpp:1497 -#: ClientCommand.cpp:1506 ClientCommand.cpp:1514 +#: ClientCommand.cpp:1487 ClientCommand.cpp:1494 ClientCommand.cpp:1505 +#: ClientCommand.cpp:1514 ClientCommand.cpp:1522 msgctxt "trafficcmd" msgid "Username" msgstr "" -#: ClientCommand.cpp:1480 ClientCommand.cpp:1487 ClientCommand.cpp:1499 -#: ClientCommand.cpp:1508 ClientCommand.cpp:1516 +#: ClientCommand.cpp:1488 ClientCommand.cpp:1495 ClientCommand.cpp:1507 +#: ClientCommand.cpp:1516 ClientCommand.cpp:1524 msgctxt "trafficcmd" msgid "In" msgstr "" -#: ClientCommand.cpp:1481 ClientCommand.cpp:1489 ClientCommand.cpp:1500 -#: ClientCommand.cpp:1509 ClientCommand.cpp:1517 +#: ClientCommand.cpp:1489 ClientCommand.cpp:1497 ClientCommand.cpp:1508 +#: ClientCommand.cpp:1517 ClientCommand.cpp:1525 msgctxt "trafficcmd" msgid "Out" msgstr "" -#: ClientCommand.cpp:1482 ClientCommand.cpp:1492 ClientCommand.cpp:1502 -#: ClientCommand.cpp:1510 ClientCommand.cpp:1519 +#: ClientCommand.cpp:1490 ClientCommand.cpp:1500 ClientCommand.cpp:1510 +#: ClientCommand.cpp:1518 ClientCommand.cpp:1527 msgctxt "trafficcmd" msgid "Total" msgstr "" -#: ClientCommand.cpp:1498 +#: ClientCommand.cpp:1506 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1507 +#: ClientCommand.cpp:1515 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1515 +#: ClientCommand.cpp:1523 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1524 +#: ClientCommand.cpp:1532 msgid "Running for {1}" msgstr "" -#: ClientCommand.cpp:1530 +#: ClientCommand.cpp:1538 msgid "Unknown command, try 'Help'" msgstr "" -#: ClientCommand.cpp:1539 ClientCommand.cpp:1550 +#: ClientCommand.cpp:1547 ClientCommand.cpp:1558 msgctxt "listports" msgid "Port" msgstr "" -#: ClientCommand.cpp:1540 ClientCommand.cpp:1551 +#: ClientCommand.cpp:1548 ClientCommand.cpp:1559 msgctxt "listports" msgid "BindHost" msgstr "" -#: ClientCommand.cpp:1541 ClientCommand.cpp:1554 +#: ClientCommand.cpp:1549 ClientCommand.cpp:1562 msgctxt "listports" msgid "SSL" msgstr "" -#: ClientCommand.cpp:1542 ClientCommand.cpp:1559 +#: ClientCommand.cpp:1550 ClientCommand.cpp:1567 msgctxt "listports" msgid "Protocol" msgstr "" -#: ClientCommand.cpp:1543 ClientCommand.cpp:1566 +#: ClientCommand.cpp:1551 ClientCommand.cpp:1574 msgctxt "listports" msgid "IRC" msgstr "" -#: ClientCommand.cpp:1544 ClientCommand.cpp:1571 +#: ClientCommand.cpp:1552 ClientCommand.cpp:1579 msgctxt "listports" msgid "Web" msgstr "" -#: ClientCommand.cpp:1555 +#: ClientCommand.cpp:1563 msgctxt "listports|ssl" msgid "yes" msgstr "" -#: ClientCommand.cpp:1556 +#: ClientCommand.cpp:1564 msgctxt "listports|ssl" msgid "no" msgstr "" -#: ClientCommand.cpp:1560 +#: ClientCommand.cpp:1568 msgctxt "listports" msgid "IPv4 and IPv6" msgstr "" -#: ClientCommand.cpp:1562 +#: ClientCommand.cpp:1570 msgctxt "listports" msgid "IPv4" msgstr "" -#: ClientCommand.cpp:1563 +#: ClientCommand.cpp:1571 msgctxt "listports" msgid "IPv6" msgstr "" -#: ClientCommand.cpp:1569 +#: ClientCommand.cpp:1577 msgctxt "listports|irc" msgid "yes" msgstr "" -#: ClientCommand.cpp:1570 +#: ClientCommand.cpp:1578 msgctxt "listports|irc" msgid "no" msgstr "" -#: ClientCommand.cpp:1574 +#: ClientCommand.cpp:1582 msgctxt "listports|irc" msgid "yes, on {1}" msgstr "" -#: ClientCommand.cpp:1576 +#: ClientCommand.cpp:1584 msgctxt "listports|web" msgid "no" msgstr "" -#: ClientCommand.cpp:1616 +#: ClientCommand.cpp:1624 msgid "" "Usage: AddPort <[+]port> [bindhost [uriprefix]]" msgstr "" -#: ClientCommand.cpp:1632 +#: ClientCommand.cpp:1640 msgid "Port added" msgstr "" -#: ClientCommand.cpp:1634 +#: ClientCommand.cpp:1642 msgid "Couldn't add port" msgstr "" -#: ClientCommand.cpp:1640 +#: ClientCommand.cpp:1648 msgid "Usage: DelPort [bindhost]" msgstr "" -#: ClientCommand.cpp:1649 +#: ClientCommand.cpp:1657 msgid "Deleted Port" msgstr "" -#: ClientCommand.cpp:1651 +#: ClientCommand.cpp:1659 msgid "Unable to find a matching port" msgstr "" -#: ClientCommand.cpp:1659 ClientCommand.cpp:1673 +#: ClientCommand.cpp:1667 ClientCommand.cpp:1682 msgctxt "helpcmd" msgid "Command" msgstr "" -#: ClientCommand.cpp:1660 ClientCommand.cpp:1674 +#: ClientCommand.cpp:1668 ClientCommand.cpp:1684 msgctxt "helpcmd" msgid "Description" msgstr "" -#: ClientCommand.cpp:1664 +#: ClientCommand.cpp:1673 msgid "" "In the following list all occurrences of <#chan> support wildcards (* and ?) " "except ListNicks" msgstr "" -#: ClientCommand.cpp:1680 +#: ClientCommand.cpp:1690 msgctxt "helpcmd|Version|desc" msgid "Print which version of ZNC this is" msgstr "" -#: ClientCommand.cpp:1683 +#: ClientCommand.cpp:1693 msgctxt "helpcmd|ListMods|desc" msgid "List all loaded modules" msgstr "" -#: ClientCommand.cpp:1686 +#: ClientCommand.cpp:1696 msgctxt "helpcmd|ListAvailMods|desc" msgid "List all available modules" msgstr "" -#: ClientCommand.cpp:1690 ClientCommand.cpp:1876 +#: ClientCommand.cpp:1700 ClientCommand.cpp:1886 msgctxt "helpcmd|ListChans|desc" msgid "List all channels" msgstr "" -#: ClientCommand.cpp:1693 +#: ClientCommand.cpp:1703 msgctxt "helpcmd|ListNicks|args" msgid "<#chan>" msgstr "" -#: ClientCommand.cpp:1694 +#: ClientCommand.cpp:1704 msgctxt "helpcmd|ListNicks|desc" msgid "List all nicks on a channel" msgstr "" -#: ClientCommand.cpp:1697 +#: ClientCommand.cpp:1707 msgctxt "helpcmd|ListClients|desc" msgid "List all clients connected to your ZNC user" msgstr "" -#: ClientCommand.cpp:1701 +#: ClientCommand.cpp:1711 msgctxt "helpcmd|ListServers|desc" msgid "List all servers of current IRC network" msgstr "" -#: ClientCommand.cpp:1705 +#: ClientCommand.cpp:1715 msgctxt "helpcmd|AddNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1706 +#: ClientCommand.cpp:1716 msgctxt "helpcmd|AddNetwork|desc" msgid "Add a network to your user" msgstr "" -#: ClientCommand.cpp:1708 +#: ClientCommand.cpp:1718 msgctxt "helpcmd|DelNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1709 +#: ClientCommand.cpp:1719 msgctxt "helpcmd|DelNetwork|desc" msgid "Delete a network from your user" msgstr "" -#: ClientCommand.cpp:1711 +#: ClientCommand.cpp:1721 msgctxt "helpcmd|ListNetworks|desc" msgid "List all networks" msgstr "" -#: ClientCommand.cpp:1714 +#: ClientCommand.cpp:1724 msgctxt "helpcmd|MoveNetwork|args" msgid " [new network]" msgstr "" -#: ClientCommand.cpp:1716 +#: ClientCommand.cpp:1726 msgctxt "helpcmd|MoveNetwork|desc" msgid "Move an IRC network from one user to another" msgstr "" -#: ClientCommand.cpp:1720 +#: ClientCommand.cpp:1730 msgctxt "helpcmd|JumpNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1721 +#: ClientCommand.cpp:1731 msgctxt "helpcmd|JumpNetwork|desc" msgid "" "Jump to another network (Alternatively, you can connect to ZNC several " "times, using `user/network` as username)" msgstr "" -#: ClientCommand.cpp:1726 +#: ClientCommand.cpp:1736 msgctxt "helpcmd|AddServer|args" msgid " [[+]port] [pass]" msgstr "" -#: ClientCommand.cpp:1727 +#: ClientCommand.cpp:1737 msgctxt "helpcmd|AddServer|desc" msgid "" "Add a server to the list of alternate/backup servers of current IRC network." msgstr "" -#: ClientCommand.cpp:1731 +#: ClientCommand.cpp:1741 msgctxt "helpcmd|DelServer|args" msgid " [port] [pass]" msgstr "" -#: ClientCommand.cpp:1732 +#: ClientCommand.cpp:1742 msgctxt "helpcmd|DelServer|desc" msgid "" "Remove a server from the list of alternate/backup servers of current IRC " "network" msgstr "" -#: ClientCommand.cpp:1738 +#: ClientCommand.cpp:1748 msgctxt "helpcmd|AddTrustedServerFingerprint|args" msgid "" msgstr "" -#: ClientCommand.cpp:1739 +#: ClientCommand.cpp:1749 msgctxt "helpcmd|AddTrustedServerFingerprint|desc" msgid "" "Add a trusted server SSL certificate fingerprint (SHA-256) to current IRC " "network." msgstr "" -#: ClientCommand.cpp:1744 +#: ClientCommand.cpp:1754 msgctxt "helpcmd|DelTrustedServerFingerprint|args" msgid "" msgstr "" -#: ClientCommand.cpp:1745 +#: ClientCommand.cpp:1755 msgctxt "helpcmd|DelTrustedServerFingerprint|desc" msgid "Delete a trusted server SSL certificate from current IRC network." msgstr "" -#: ClientCommand.cpp:1749 +#: ClientCommand.cpp:1759 msgctxt "helpcmd|ListTrustedServerFingerprints|desc" msgid "List all trusted server SSL certificates of current IRC network." msgstr "" -#: ClientCommand.cpp:1752 +#: ClientCommand.cpp:1762 msgctxt "helpcmd|EnableChan|args" msgid "<#chans>" msgstr "" -#: ClientCommand.cpp:1753 +#: ClientCommand.cpp:1763 msgctxt "helpcmd|EnableChan|desc" msgid "Enable channels" msgstr "" -#: ClientCommand.cpp:1754 +#: ClientCommand.cpp:1764 msgctxt "helpcmd|DisableChan|args" msgid "<#chans>" msgstr "" -#: ClientCommand.cpp:1755 +#: ClientCommand.cpp:1765 msgctxt "helpcmd|DisableChan|desc" msgid "Disable channels" msgstr "" -#: ClientCommand.cpp:1756 +#: ClientCommand.cpp:1766 msgctxt "helpcmd|Attach|args" msgid "<#chans>" msgstr "" -#: ClientCommand.cpp:1757 +#: ClientCommand.cpp:1767 msgctxt "helpcmd|Attach|desc" msgid "Attach to channels" msgstr "" -#: ClientCommand.cpp:1758 +#: ClientCommand.cpp:1768 msgctxt "helpcmd|Detach|args" msgid "<#chans>" msgstr "" -#: ClientCommand.cpp:1759 +#: ClientCommand.cpp:1769 msgctxt "helpcmd|Detach|desc" msgid "Detach from channels" msgstr "" -#: ClientCommand.cpp:1762 +#: ClientCommand.cpp:1772 msgctxt "helpcmd|Topics|desc" msgid "Show topics in all your channels" msgstr "" -#: ClientCommand.cpp:1765 +#: ClientCommand.cpp:1775 msgctxt "helpcmd|PlayBuffer|args" msgid "<#chan|query>" msgstr "" -#: ClientCommand.cpp:1766 +#: ClientCommand.cpp:1776 msgctxt "helpcmd|PlayBuffer|desc" msgid "Play back the specified buffer" msgstr "" -#: ClientCommand.cpp:1768 +#: ClientCommand.cpp:1778 msgctxt "helpcmd|ClearBuffer|args" msgid "<#chan|query>" msgstr "" -#: ClientCommand.cpp:1769 +#: ClientCommand.cpp:1779 msgctxt "helpcmd|ClearBuffer|desc" msgid "Clear the specified buffer" msgstr "" -#: ClientCommand.cpp:1771 +#: ClientCommand.cpp:1781 msgctxt "helpcmd|ClearAllBuffers|desc" msgid "Clear all channel and query buffers" msgstr "" -#: ClientCommand.cpp:1774 +#: ClientCommand.cpp:1784 msgctxt "helpcmd|ClearAllChannelBuffers|desc" msgid "Clear the channel buffers" msgstr "" -#: ClientCommand.cpp:1778 +#: ClientCommand.cpp:1788 msgctxt "helpcmd|ClearAllQueryBuffers|desc" msgid "Clear the query buffers" msgstr "" -#: ClientCommand.cpp:1780 +#: ClientCommand.cpp:1790 msgctxt "helpcmd|SetBuffer|args" msgid "<#chan|query> [linecount]" msgstr "" -#: ClientCommand.cpp:1781 +#: ClientCommand.cpp:1791 msgctxt "helpcmd|SetBuffer|desc" msgid "Set the buffer count" msgstr "" -#: ClientCommand.cpp:1785 +#: ClientCommand.cpp:1795 msgctxt "helpcmd|SetBindHost|args" msgid "" msgstr "" -#: ClientCommand.cpp:1786 +#: ClientCommand.cpp:1796 msgctxt "helpcmd|SetBindHost|desc" msgid "Set the bind host for this network" msgstr "" -#: ClientCommand.cpp:1790 +#: ClientCommand.cpp:1800 msgctxt "helpcmd|SetUserBindHost|args" msgid "" msgstr "" -#: ClientCommand.cpp:1791 +#: ClientCommand.cpp:1801 msgctxt "helpcmd|SetUserBindHost|desc" msgid "Set the default bind host for this user" msgstr "" -#: ClientCommand.cpp:1794 +#: ClientCommand.cpp:1804 msgctxt "helpcmd|ClearBindHost|desc" msgid "Clear the bind host for this network" msgstr "" -#: ClientCommand.cpp:1797 +#: ClientCommand.cpp:1807 msgctxt "helpcmd|ClearUserBindHost|desc" msgid "Clear the default bind host for this user" msgstr "" -#: ClientCommand.cpp:1803 +#: ClientCommand.cpp:1813 msgctxt "helpcmd|ShowBindHost|desc" msgid "Show currently selected bind host" msgstr "" -#: ClientCommand.cpp:1805 +#: ClientCommand.cpp:1815 msgctxt "helpcmd|Jump|args" msgid "[server]" msgstr "" -#: ClientCommand.cpp:1806 +#: ClientCommand.cpp:1816 msgctxt "helpcmd|Jump|desc" msgid "Jump to the next or the specified server" msgstr "" -#: ClientCommand.cpp:1807 +#: ClientCommand.cpp:1817 msgctxt "helpcmd|Disconnect|args" msgid "[message]" msgstr "" -#: ClientCommand.cpp:1808 +#: ClientCommand.cpp:1818 msgctxt "helpcmd|Disconnect|desc" msgid "Disconnect from IRC" msgstr "" -#: ClientCommand.cpp:1810 +#: ClientCommand.cpp:1820 msgctxt "helpcmd|Connect|desc" msgid "Reconnect to IRC" msgstr "" -#: ClientCommand.cpp:1813 +#: ClientCommand.cpp:1823 msgctxt "helpcmd|Uptime|desc" msgid "Show for how long ZNC has been running" msgstr "" -#: ClientCommand.cpp:1817 +#: ClientCommand.cpp:1827 msgctxt "helpcmd|LoadMod|args" msgid "[--type=global|user|network] " msgstr "" -#: ClientCommand.cpp:1819 +#: ClientCommand.cpp:1829 msgctxt "helpcmd|LoadMod|desc" msgid "Load a module" msgstr "" -#: ClientCommand.cpp:1821 +#: ClientCommand.cpp:1831 msgctxt "helpcmd|UnloadMod|args" msgid "[--type=global|user|network] " msgstr "" -#: ClientCommand.cpp:1823 +#: ClientCommand.cpp:1833 msgctxt "helpcmd|UnloadMod|desc" msgid "Unload a module" msgstr "" -#: ClientCommand.cpp:1825 +#: ClientCommand.cpp:1835 msgctxt "helpcmd|ReloadMod|args" msgid "[--type=global|user|network] " msgstr "" -#: ClientCommand.cpp:1827 +#: ClientCommand.cpp:1837 msgctxt "helpcmd|ReloadMod|desc" msgid "Reload a module" msgstr "" -#: ClientCommand.cpp:1830 +#: ClientCommand.cpp:1840 msgctxt "helpcmd|UpdateMod|args" msgid "" msgstr "" -#: ClientCommand.cpp:1831 +#: ClientCommand.cpp:1841 msgctxt "helpcmd|UpdateMod|desc" msgid "Reload a module everywhere" msgstr "" -#: ClientCommand.cpp:1837 +#: ClientCommand.cpp:1847 msgctxt "helpcmd|ShowMOTD|desc" msgid "Show ZNC's message of the day" msgstr "" -#: ClientCommand.cpp:1841 +#: ClientCommand.cpp:1851 msgctxt "helpcmd|SetMOTD|args" msgid "" msgstr "" -#: ClientCommand.cpp:1842 +#: ClientCommand.cpp:1852 msgctxt "helpcmd|SetMOTD|desc" msgid "Set ZNC's message of the day" msgstr "" -#: ClientCommand.cpp:1844 +#: ClientCommand.cpp:1854 msgctxt "helpcmd|AddMOTD|args" msgid "" msgstr "" -#: ClientCommand.cpp:1845 +#: ClientCommand.cpp:1855 msgctxt "helpcmd|AddMOTD|desc" msgid "Append to ZNC's MOTD" msgstr "" -#: ClientCommand.cpp:1847 +#: ClientCommand.cpp:1857 msgctxt "helpcmd|ClearMOTD|desc" msgid "Clear ZNC's MOTD" msgstr "" -#: ClientCommand.cpp:1850 +#: ClientCommand.cpp:1860 msgctxt "helpcmd|ListPorts|desc" msgid "Show all active listeners" msgstr "" -#: ClientCommand.cpp:1852 +#: ClientCommand.cpp:1862 msgctxt "helpcmd|AddPort|args" msgid "<[+]port> [bindhost [uriprefix]]" msgstr "" -#: ClientCommand.cpp:1855 +#: ClientCommand.cpp:1865 msgctxt "helpcmd|AddPort|desc" msgid "Add another port for ZNC to listen on" msgstr "" -#: ClientCommand.cpp:1859 +#: ClientCommand.cpp:1869 msgctxt "helpcmd|DelPort|args" msgid " [bindhost]" msgstr "" -#: ClientCommand.cpp:1860 +#: ClientCommand.cpp:1870 msgctxt "helpcmd|DelPort|desc" msgid "Remove a port from ZNC" msgstr "" -#: ClientCommand.cpp:1863 +#: ClientCommand.cpp:1873 msgctxt "helpcmd|Rehash|desc" msgid "Reload global settings, modules, and listeners from znc.conf" msgstr "" -#: ClientCommand.cpp:1866 +#: ClientCommand.cpp:1876 msgctxt "helpcmd|SaveConfig|desc" msgid "Save the current settings to disk" msgstr "" -#: ClientCommand.cpp:1869 +#: ClientCommand.cpp:1879 msgctxt "helpcmd|ListUsers|desc" msgid "List all ZNC users and their connection status" msgstr "" -#: ClientCommand.cpp:1872 +#: ClientCommand.cpp:1882 msgctxt "helpcmd|ListAllUserNetworks|desc" msgid "List all ZNC users and their networks" msgstr "" -#: ClientCommand.cpp:1875 +#: ClientCommand.cpp:1885 msgctxt "helpcmd|ListChans|args" msgid "[user ]" msgstr "" -#: ClientCommand.cpp:1878 +#: ClientCommand.cpp:1888 msgctxt "helpcmd|ListClients|args" msgid "[user]" msgstr "" -#: ClientCommand.cpp:1879 +#: ClientCommand.cpp:1889 msgctxt "helpcmd|ListClients|desc" msgid "List all connected clients" msgstr "" -#: ClientCommand.cpp:1881 +#: ClientCommand.cpp:1891 msgctxt "helpcmd|Traffic|desc" msgid "Show basic traffic stats for all ZNC users" msgstr "" -#: ClientCommand.cpp:1883 +#: ClientCommand.cpp:1893 msgctxt "helpcmd|Broadcast|args" msgid "[message]" msgstr "" -#: ClientCommand.cpp:1884 +#: ClientCommand.cpp:1894 msgctxt "helpcmd|Broadcast|desc" msgid "Broadcast a message to all ZNC users" msgstr "" -#: ClientCommand.cpp:1887 +#: ClientCommand.cpp:1897 msgctxt "helpcmd|Shutdown|args" msgid "[message]" msgstr "" -#: ClientCommand.cpp:1888 +#: ClientCommand.cpp:1898 msgctxt "helpcmd|Shutdown|desc" msgid "Shut down ZNC completely" msgstr "" -#: ClientCommand.cpp:1889 +#: ClientCommand.cpp:1899 msgctxt "helpcmd|Restart|args" msgid "[message]" msgstr "" -#: ClientCommand.cpp:1890 +#: ClientCommand.cpp:1900 msgctxt "helpcmd|Restart|desc" msgid "Restart ZNC" msgstr "" diff --git a/src/po/znc.pt_BR.po b/src/po/znc.pt_BR.po index 60a65687..9f412c68 100644 --- a/src/po/znc.pt_BR.po +++ b/src/po/znc.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/src/po/znc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" @@ -71,7 +71,7 @@ msgstr "Falha ao localizar o arquivo PEM: {1}" msgid "Invalid port" msgstr "Porta inválida" -#: znc.cpp:1821 ClientCommand.cpp:1629 +#: znc.cpp:1821 ClientCommand.cpp:1637 msgid "Unable to bind: {1}" msgstr "Não foi possível vincular: {1}" @@ -79,34 +79,34 @@ msgstr "Não foi possível vincular: {1}" msgid "Jumping servers because this server is no longer in the list" msgstr "Trocando de servidor, pois este servidor não está mais na lista" -#: IRCNetwork.cpp:640 User.cpp:678 +#: IRCNetwork.cpp:669 User.cpp:678 msgid "Welcome to ZNC" msgstr "Bem-vindo(a) ao ZNC" -#: IRCNetwork.cpp:728 +#: IRCNetwork.cpp:757 msgid "You are currently disconnected from IRC. Use 'connect' to reconnect." msgstr "" "Você está desconectado do IRC no momento. Digite 'connect' para reconectar." -#: IRCNetwork.cpp:758 +#: IRCNetwork.cpp:787 msgid "This network is being deleted or moved to another user." msgstr "Esta rede está sendo excluída ou movida para outro usuário." -#: IRCNetwork.cpp:987 +#: IRCNetwork.cpp:1016 msgid "The channel {1} could not be joined, disabling it." msgstr "Não foi possível entrar no canal {1}. Desabilitando-o." -#: IRCNetwork.cpp:1116 +#: IRCNetwork.cpp:1145 msgid "Your current server was removed, jumping..." msgstr "O seu servidor atual foi removido, trocando de servidor..." -#: IRCNetwork.cpp:1279 +#: IRCNetwork.cpp:1308 msgid "Cannot connect to {1}, because ZNC is not compiled with SSL support." msgstr "" "Não foi possível conectar-se a {1}. O ZNC não foi compilado com suporte a " "SSL." -#: IRCNetwork.cpp:1300 +#: IRCNetwork.cpp:1329 msgid "Some module aborted the connection attempt" msgstr "Algum módulo cancelou a tentativa de conexão" @@ -297,7 +297,7 @@ msgctxt "modhelpcmd" msgid "Generate this output" msgstr "" -#: Modules.cpp:573 ClientCommand.cpp:1894 +#: Modules.cpp:573 ClientCommand.cpp:1904 msgid "No matches for '{1}'" msgstr "Nenhuma correspondência para '{1}'" @@ -310,58 +310,6 @@ msgid "Unknown command!" msgstr "Comando desconhecido!" #: Modules.cpp:1633 -msgid "Module {1} already loaded." -msgstr "O módulo {1} já está carregado." - -#: Modules.cpp:1647 -msgid "Unable to find module {1}" -msgstr "Não foi possível encontrar o módulo {1}" - -#: Modules.cpp:1659 -msgid "Module {1} does not support module type {2}." -msgstr "O módulo {1} não suporta o tipo de módulo {2}." - -#: Modules.cpp:1666 -msgid "Module {1} requires a user." -msgstr "O módulo {1} requer um usuário." - -#: Modules.cpp:1672 -msgid "Module {1} requires a network." -msgstr "O módulo {1} requer uma rede." - -#: Modules.cpp:1688 -msgid "Caught an exception" -msgstr "" - -#: Modules.cpp:1694 -msgid "Module {1} aborted: {2}" -msgstr "Módulo {1} finalizado: {2}" - -#: Modules.cpp:1696 -msgid "Module {1} aborted." -msgstr "Módulo {1} finalizado." - -#: Modules.cpp:1720 Modules.cpp:1762 -msgid "Module [{1}] not loaded." -msgstr "O módulo [{1}] não foi carregado." - -#: Modules.cpp:1744 -msgid "Module {1} unloaded." -msgstr "Módulo {1} desligado." - -#: Modules.cpp:1749 -msgid "Unable to unload module {1}." -msgstr "Não foi possível desativar o módulo {1}." - -#: Modules.cpp:1778 -msgid "Reloaded module {1}." -msgstr "O módulo {1} foi reiniciado." - -#: Modules.cpp:1793 -msgid "Unable to find module {1}." -msgstr "Não foi possível encontrar o módulo {1}." - -#: Modules.cpp:1919 msgid "" "Module names can only contain letters, numbers and underscores, [{1}] is " "invalid" @@ -369,36 +317,88 @@ msgstr "" "Os nomes de módulos podem conter apenas letras, números e underlines. [{1}] " "é inválido" -#: Modules.cpp:1943 +#: Modules.cpp:1652 +msgid "Module {1} already loaded." +msgstr "O módulo {1} já está carregado." + +#: Modules.cpp:1666 +msgid "Unable to find module {1}" +msgstr "Não foi possível encontrar o módulo {1}" + +#: Modules.cpp:1678 +msgid "Module {1} does not support module type {2}." +msgstr "O módulo {1} não suporta o tipo de módulo {2}." + +#: Modules.cpp:1685 +msgid "Module {1} requires a user." +msgstr "O módulo {1} requer um usuário." + +#: Modules.cpp:1691 +msgid "Module {1} requires a network." +msgstr "O módulo {1} requer uma rede." + +#: Modules.cpp:1707 +msgid "Caught an exception" +msgstr "" + +#: Modules.cpp:1713 +msgid "Module {1} aborted: {2}" +msgstr "Módulo {1} finalizado: {2}" + +#: Modules.cpp:1715 +msgid "Module {1} aborted." +msgstr "Módulo {1} finalizado." + +#: Modules.cpp:1739 Modules.cpp:1781 +msgid "Module [{1}] not loaded." +msgstr "O módulo [{1}] não foi carregado." + +#: Modules.cpp:1763 +msgid "Module {1} unloaded." +msgstr "Módulo {1} desligado." + +#: Modules.cpp:1768 +msgid "Unable to unload module {1}." +msgstr "Não foi possível desativar o módulo {1}." + +#: Modules.cpp:1797 +msgid "Reloaded module {1}." +msgstr "O módulo {1} foi reiniciado." + +#: Modules.cpp:1816 +msgid "Unable to find module {1}." +msgstr "Não foi possível encontrar o módulo {1}." + +#: Modules.cpp:1963 msgid "Unknown error" msgstr "Erro desconhecido" -#: Modules.cpp:1944 +#: Modules.cpp:1964 msgid "Unable to open module {1}: {2}" msgstr "Não foi possível abrir o módulo {1}: {2}" -#: Modules.cpp:1953 +#: Modules.cpp:1973 msgid "Could not find ZNCModuleEntry in module {1}" msgstr "" -#: Modules.cpp:1961 +#: Modules.cpp:1981 msgid "" "Version mismatch for module {1}: core is {2}, module is built for {3}. " "Recompile this module." msgstr "" -#: Modules.cpp:1972 +#: Modules.cpp:1992 msgid "" "Module {1} is built incompatibly: core is '{2}', module is '{3}'. Recompile " "this module." msgstr "" -#: Modules.cpp:2002 Modules.cpp:2008 +#: Modules.cpp:2023 Modules.cpp:2029 msgctxt "modhelpcmd" msgid "Command" msgstr "Comando" -#: Modules.cpp:2003 Modules.cpp:2009 +#: Modules.cpp:2024 Modules.cpp:2031 msgctxt "modhelpcmd" msgid "Description" msgstr "Descrição" @@ -406,15 +406,15 @@ msgstr "Descrição" #: ClientCommand.cpp:51 ClientCommand.cpp:115 ClientCommand.cpp:137 #: ClientCommand.cpp:749 ClientCommand.cpp:768 ClientCommand.cpp:794 #: ClientCommand.cpp:827 ClientCommand.cpp:840 ClientCommand.cpp:853 -#: ClientCommand.cpp:868 ClientCommand.cpp:1321 ClientCommand.cpp:1369 -#: ClientCommand.cpp:1401 ClientCommand.cpp:1412 ClientCommand.cpp:1421 -#: ClientCommand.cpp:1433 +#: ClientCommand.cpp:868 ClientCommand.cpp:1329 ClientCommand.cpp:1377 +#: ClientCommand.cpp:1409 ClientCommand.cpp:1420 ClientCommand.cpp:1429 +#: ClientCommand.cpp:1441 msgid "You must be connected with a network to use this command" msgstr "Você precisa estar conectado a uma rede para usar este comando" #: ClientCommand.cpp:58 msgid "Usage: ListNicks <#chan>" -msgstr "" +msgstr "Uso: ListNicks <#canal>" #: ClientCommand.cpp:65 msgid "You are not on [{1}]" @@ -470,7 +470,7 @@ msgstr "" #: ClientCommand.cpp:455 msgid "Usage: ListChans" -msgstr "" +msgstr "Uso: ListChans" #: ClientCommand.cpp:462 msgid "No such user [{1}]" @@ -573,11 +573,11 @@ msgstr "" #: ClientCommand.cpp:566 msgid "Unable to add that network" -msgstr "" +msgstr "Não foi possível adicionar esta rede" #: ClientCommand.cpp:573 msgid "Usage: DelNetwork " -msgstr "" +msgstr "Uso: DelNetwork " #: ClientCommand.cpp:582 msgid "Network deleted" @@ -589,7 +589,7 @@ msgstr "Falha ao excluir rede. Talvez esta rede não existe." #: ClientCommand.cpp:595 msgid "User {1} not found" -msgstr "" +msgstr "Usuário {1} não encontrado" #: ClientCommand.cpp:603 ClientCommand.cpp:611 msgctxt "listnetworks" @@ -631,13 +631,14 @@ msgctxt "listnetworks" msgid "No networks" msgstr "Não há redes disponíveis." -#: ClientCommand.cpp:632 ClientCommand.cpp:932 +#: ClientCommand.cpp:632 ClientCommand.cpp:936 msgid "Access denied." msgstr "Acesso negado." #: ClientCommand.cpp:643 msgid "Usage: MoveNetwork [new network]" msgstr "" +"Uso: MoveNetwork [nova rede]" #: ClientCommand.cpp:653 msgid "Old user {1} not found." @@ -653,7 +654,7 @@ msgstr "" #: ClientCommand.cpp:670 msgid "User {1} already has network {2}." -msgstr "" +msgstr "O usuário {1} já possui a rede {2}." #: ClientCommand.cpp:676 msgid "Invalid network name [{1}]" @@ -665,7 +666,7 @@ msgstr "" #: ClientCommand.cpp:706 msgid "Error adding network: {1}" -msgstr "" +msgstr "Falha ao adicionar rede: {1}" #: ClientCommand.cpp:718 msgid "Success." @@ -765,7 +766,7 @@ msgstr "" #: ClientCommand.cpp:874 ClientCommand.cpp:880 msgctxt "topicscmd" msgid "Channel" -msgstr "" +msgstr "Canal" #: ClientCommand.cpp:875 ClientCommand.cpp:881 msgctxt "topicscmd" @@ -777,903 +778,903 @@ msgctxt "topicscmd" msgid "Topic" msgstr "" -#: ClientCommand.cpp:889 ClientCommand.cpp:893 +#: ClientCommand.cpp:889 ClientCommand.cpp:894 msgctxt "listmods" msgid "Name" msgstr "" -#: ClientCommand.cpp:890 ClientCommand.cpp:894 +#: ClientCommand.cpp:890 ClientCommand.cpp:895 msgctxt "listmods" msgid "Arguments" msgstr "" -#: ClientCommand.cpp:902 +#: ClientCommand.cpp:904 msgid "No global modules loaded." msgstr "" -#: ClientCommand.cpp:904 ClientCommand.cpp:964 +#: ClientCommand.cpp:906 ClientCommand.cpp:970 msgid "Global modules:" msgstr "" -#: ClientCommand.cpp:912 +#: ClientCommand.cpp:915 msgid "Your user has no modules loaded." msgstr "" -#: ClientCommand.cpp:914 ClientCommand.cpp:975 +#: ClientCommand.cpp:917 ClientCommand.cpp:982 msgid "User modules:" msgstr "" -#: ClientCommand.cpp:921 +#: ClientCommand.cpp:925 msgid "This network has no modules loaded." msgstr "" -#: ClientCommand.cpp:923 ClientCommand.cpp:986 +#: ClientCommand.cpp:927 ClientCommand.cpp:994 msgid "Network modules:" msgstr "" -#: ClientCommand.cpp:938 ClientCommand.cpp:944 +#: ClientCommand.cpp:942 ClientCommand.cpp:949 msgctxt "listavailmods" msgid "Name" -msgstr "" +msgstr "Nome" -#: ClientCommand.cpp:939 ClientCommand.cpp:949 +#: ClientCommand.cpp:943 ClientCommand.cpp:954 msgctxt "listavailmods" msgid "Description" -msgstr "" +msgstr "Descrição" -#: ClientCommand.cpp:962 +#: ClientCommand.cpp:968 msgid "No global modules available." -msgstr "" +msgstr "Não há módulos globais disponíveis." -#: ClientCommand.cpp:973 +#: ClientCommand.cpp:980 msgid "No user modules available." -msgstr "" +msgstr "Não há módulos de usuário disponíveis." -#: ClientCommand.cpp:984 +#: ClientCommand.cpp:992 msgid "No network modules available." -msgstr "" +msgstr "Não há módulos de rede disponíveis." -#: ClientCommand.cpp:1012 +#: ClientCommand.cpp:1020 msgid "Unable to load {1}: Access denied." -msgstr "" +msgstr "Falha ao carregar {1}: acesso negado." -#: ClientCommand.cpp:1018 +#: ClientCommand.cpp:1026 msgid "Usage: LoadMod [--type=global|user|network] [args]" -msgstr "" +msgstr "Uso: LoadMod [--type=global|user|network] [parâmetros]" -#: ClientCommand.cpp:1025 +#: ClientCommand.cpp:1033 msgid "Unable to load {1}: {2}" msgstr "" -#: ClientCommand.cpp:1035 +#: ClientCommand.cpp:1043 msgid "Unable to load global module {1}: Access denied." msgstr "" -#: ClientCommand.cpp:1041 +#: ClientCommand.cpp:1049 msgid "Unable to load network module {1}: Not connected with a network." msgstr "" -#: ClientCommand.cpp:1063 +#: ClientCommand.cpp:1071 msgid "Unknown module type" msgstr "" -#: ClientCommand.cpp:1068 +#: ClientCommand.cpp:1076 msgid "Loaded module {1}" -msgstr "" +msgstr "Módulo {1} carregado" -#: ClientCommand.cpp:1070 +#: ClientCommand.cpp:1078 msgid "Loaded module {1}: {2}" -msgstr "" +msgstr "Módulo {1} carregado: {2}" -#: ClientCommand.cpp:1073 +#: ClientCommand.cpp:1081 msgid "Unable to load module {1}: {2}" msgstr "" -#: ClientCommand.cpp:1096 +#: ClientCommand.cpp:1104 msgid "Unable to unload {1}: Access denied." msgstr "" -#: ClientCommand.cpp:1102 +#: ClientCommand.cpp:1110 msgid "Usage: UnloadMod [--type=global|user|network] " msgstr "" -#: ClientCommand.cpp:1111 +#: ClientCommand.cpp:1119 msgid "Unable to determine type of {1}: {2}" msgstr "" -#: ClientCommand.cpp:1119 +#: ClientCommand.cpp:1127 msgid "Unable to unload global module {1}: Access denied." msgstr "" -#: ClientCommand.cpp:1126 +#: ClientCommand.cpp:1134 msgid "Unable to unload network module {1}: Not connected with a network." msgstr "" -#: ClientCommand.cpp:1145 +#: ClientCommand.cpp:1153 msgid "Unable to unload module {1}: Unknown module type" msgstr "" -#: ClientCommand.cpp:1158 +#: ClientCommand.cpp:1166 msgid "Unable to reload modules. Access denied." msgstr "" -#: ClientCommand.cpp:1179 +#: ClientCommand.cpp:1187 msgid "Usage: ReloadMod [--type=global|user|network] [args]" msgstr "" -#: ClientCommand.cpp:1188 +#: ClientCommand.cpp:1196 msgid "Unable to reload {1}: {2}" msgstr "" -#: ClientCommand.cpp:1196 +#: ClientCommand.cpp:1204 msgid "Unable to reload global module {1}: Access denied." msgstr "" -#: ClientCommand.cpp:1203 +#: ClientCommand.cpp:1211 msgid "Unable to reload network module {1}: Not connected with a network." msgstr "" -#: ClientCommand.cpp:1225 +#: ClientCommand.cpp:1233 msgid "Unable to reload module {1}: Unknown module type" msgstr "" -#: ClientCommand.cpp:1236 +#: ClientCommand.cpp:1244 msgid "Usage: UpdateMod " -msgstr "" +msgstr "Uso: UpdateMod " -#: ClientCommand.cpp:1240 +#: ClientCommand.cpp:1248 msgid "Reloading {1} everywhere" msgstr "" -#: ClientCommand.cpp:1242 +#: ClientCommand.cpp:1250 msgid "Done" msgstr "" -#: ClientCommand.cpp:1245 +#: ClientCommand.cpp:1253 msgid "" "Done, but there were errors, module {1} could not be reloaded everywhere." msgstr "" -#: ClientCommand.cpp:1253 +#: ClientCommand.cpp:1261 msgid "" "You must be connected with a network to use this command. Try " "SetUserBindHost instead" msgstr "" -#: ClientCommand.cpp:1260 +#: ClientCommand.cpp:1268 msgid "Usage: SetBindHost " msgstr "" -#: ClientCommand.cpp:1265 ClientCommand.cpp:1282 +#: ClientCommand.cpp:1273 ClientCommand.cpp:1290 msgid "You already have this bind host!" msgstr "" -#: ClientCommand.cpp:1270 +#: ClientCommand.cpp:1278 msgid "Set bind host for network {1} to {2}" msgstr "" -#: ClientCommand.cpp:1277 +#: ClientCommand.cpp:1285 msgid "Usage: SetUserBindHost " msgstr "" -#: ClientCommand.cpp:1287 +#: ClientCommand.cpp:1295 msgid "Set default bind host to {1}" msgstr "" -#: ClientCommand.cpp:1293 +#: ClientCommand.cpp:1301 msgid "" "You must be connected with a network to use this command. Try " "ClearUserBindHost instead" msgstr "" -#: ClientCommand.cpp:1298 +#: ClientCommand.cpp:1306 msgid "Bind host cleared for this network." msgstr "" -#: ClientCommand.cpp:1302 +#: ClientCommand.cpp:1310 msgid "Default bind host cleared for your user." msgstr "" -#: ClientCommand.cpp:1305 +#: ClientCommand.cpp:1313 msgid "This user's default bind host not set" msgstr "" -#: ClientCommand.cpp:1307 +#: ClientCommand.cpp:1315 msgid "This user's default bind host is {1}" msgstr "" -#: ClientCommand.cpp:1312 +#: ClientCommand.cpp:1320 msgid "This network's bind host not set" msgstr "" -#: ClientCommand.cpp:1314 +#: ClientCommand.cpp:1322 msgid "This network's default bind host is {1}" msgstr "" -#: ClientCommand.cpp:1328 +#: ClientCommand.cpp:1336 msgid "Usage: PlayBuffer <#chan|query>" msgstr "" -#: ClientCommand.cpp:1336 +#: ClientCommand.cpp:1344 msgid "You are not on {1}" msgstr "" -#: ClientCommand.cpp:1341 +#: ClientCommand.cpp:1349 msgid "You are not on {1} (trying to join)" msgstr "" -#: ClientCommand.cpp:1346 +#: ClientCommand.cpp:1354 msgid "The buffer for channel {1} is empty" msgstr "" -#: ClientCommand.cpp:1355 +#: ClientCommand.cpp:1363 msgid "No active query with {1}" msgstr "" -#: ClientCommand.cpp:1360 +#: ClientCommand.cpp:1368 msgid "The buffer for {1} is empty" msgstr "" -#: ClientCommand.cpp:1376 +#: ClientCommand.cpp:1384 msgid "Usage: ClearBuffer <#chan|query>" msgstr "" -#: ClientCommand.cpp:1395 +#: ClientCommand.cpp:1403 msgid "{1} buffer matching {2} has been cleared" msgid_plural "{1} buffers matching {2} have been cleared" msgstr[0] "" msgstr[1] "" -#: ClientCommand.cpp:1408 +#: ClientCommand.cpp:1416 msgid "All channel buffers have been cleared" msgstr "" -#: ClientCommand.cpp:1417 +#: ClientCommand.cpp:1425 msgid "All query buffers have been cleared" msgstr "" -#: ClientCommand.cpp:1429 +#: ClientCommand.cpp:1437 msgid "All buffers have been cleared" msgstr "" -#: ClientCommand.cpp:1440 +#: ClientCommand.cpp:1448 msgid "Usage: SetBuffer <#chan|query> [linecount]" msgstr "" -#: ClientCommand.cpp:1461 +#: ClientCommand.cpp:1469 msgid "Setting buffer size failed for {1} buffer" msgid_plural "Setting buffer size failed for {1} buffers" msgstr[0] "" msgstr[1] "" -#: ClientCommand.cpp:1464 +#: ClientCommand.cpp:1472 msgid "Maximum buffer size is {1} line" msgid_plural "Maximum buffer size is {1} lines" msgstr[0] "" msgstr[1] "" -#: ClientCommand.cpp:1469 +#: ClientCommand.cpp:1477 msgid "Size of every buffer was set to {1} line" msgid_plural "Size of every buffer was set to {1} lines" msgstr[0] "" msgstr[1] "" -#: ClientCommand.cpp:1479 ClientCommand.cpp:1486 ClientCommand.cpp:1497 -#: ClientCommand.cpp:1506 ClientCommand.cpp:1514 +#: ClientCommand.cpp:1487 ClientCommand.cpp:1494 ClientCommand.cpp:1505 +#: ClientCommand.cpp:1514 ClientCommand.cpp:1522 msgctxt "trafficcmd" msgid "Username" msgstr "" -#: ClientCommand.cpp:1480 ClientCommand.cpp:1487 ClientCommand.cpp:1499 -#: ClientCommand.cpp:1508 ClientCommand.cpp:1516 +#: ClientCommand.cpp:1488 ClientCommand.cpp:1495 ClientCommand.cpp:1507 +#: ClientCommand.cpp:1516 ClientCommand.cpp:1524 msgctxt "trafficcmd" msgid "In" msgstr "" -#: ClientCommand.cpp:1481 ClientCommand.cpp:1489 ClientCommand.cpp:1500 -#: ClientCommand.cpp:1509 ClientCommand.cpp:1517 +#: ClientCommand.cpp:1489 ClientCommand.cpp:1497 ClientCommand.cpp:1508 +#: ClientCommand.cpp:1517 ClientCommand.cpp:1525 msgctxt "trafficcmd" msgid "Out" msgstr "" -#: ClientCommand.cpp:1482 ClientCommand.cpp:1492 ClientCommand.cpp:1502 -#: ClientCommand.cpp:1510 ClientCommand.cpp:1519 +#: ClientCommand.cpp:1490 ClientCommand.cpp:1500 ClientCommand.cpp:1510 +#: ClientCommand.cpp:1518 ClientCommand.cpp:1527 msgctxt "trafficcmd" msgid "Total" msgstr "" -#: ClientCommand.cpp:1498 +#: ClientCommand.cpp:1506 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1507 +#: ClientCommand.cpp:1515 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1515 +#: ClientCommand.cpp:1523 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1524 +#: ClientCommand.cpp:1532 msgid "Running for {1}" msgstr "" -#: ClientCommand.cpp:1530 +#: ClientCommand.cpp:1538 msgid "Unknown command, try 'Help'" msgstr "" -#: ClientCommand.cpp:1539 ClientCommand.cpp:1550 +#: ClientCommand.cpp:1547 ClientCommand.cpp:1558 msgctxt "listports" msgid "Port" msgstr "" -#: ClientCommand.cpp:1540 ClientCommand.cpp:1551 +#: ClientCommand.cpp:1548 ClientCommand.cpp:1559 msgctxt "listports" msgid "BindHost" msgstr "" -#: ClientCommand.cpp:1541 ClientCommand.cpp:1554 +#: ClientCommand.cpp:1549 ClientCommand.cpp:1562 msgctxt "listports" msgid "SSL" msgstr "" -#: ClientCommand.cpp:1542 ClientCommand.cpp:1559 +#: ClientCommand.cpp:1550 ClientCommand.cpp:1567 msgctxt "listports" msgid "Protocol" msgstr "" -#: ClientCommand.cpp:1543 ClientCommand.cpp:1566 +#: ClientCommand.cpp:1551 ClientCommand.cpp:1574 msgctxt "listports" msgid "IRC" msgstr "" -#: ClientCommand.cpp:1544 ClientCommand.cpp:1571 +#: ClientCommand.cpp:1552 ClientCommand.cpp:1579 msgctxt "listports" msgid "Web" msgstr "" -#: ClientCommand.cpp:1555 +#: ClientCommand.cpp:1563 msgctxt "listports|ssl" msgid "yes" msgstr "" -#: ClientCommand.cpp:1556 +#: ClientCommand.cpp:1564 msgctxt "listports|ssl" msgid "no" msgstr "" -#: ClientCommand.cpp:1560 +#: ClientCommand.cpp:1568 msgctxt "listports" msgid "IPv4 and IPv6" msgstr "" -#: ClientCommand.cpp:1562 +#: ClientCommand.cpp:1570 msgctxt "listports" msgid "IPv4" msgstr "" -#: ClientCommand.cpp:1563 +#: ClientCommand.cpp:1571 msgctxt "listports" msgid "IPv6" msgstr "" -#: ClientCommand.cpp:1569 +#: ClientCommand.cpp:1577 msgctxt "listports|irc" msgid "yes" msgstr "" -#: ClientCommand.cpp:1570 +#: ClientCommand.cpp:1578 msgctxt "listports|irc" msgid "no" msgstr "" -#: ClientCommand.cpp:1574 +#: ClientCommand.cpp:1582 msgctxt "listports|irc" msgid "yes, on {1}" msgstr "" -#: ClientCommand.cpp:1576 +#: ClientCommand.cpp:1584 msgctxt "listports|web" msgid "no" msgstr "" -#: ClientCommand.cpp:1616 +#: ClientCommand.cpp:1624 msgid "" "Usage: AddPort <[+]port> [bindhost [uriprefix]]" msgstr "" -#: ClientCommand.cpp:1632 +#: ClientCommand.cpp:1640 msgid "Port added" msgstr "" -#: ClientCommand.cpp:1634 +#: ClientCommand.cpp:1642 msgid "Couldn't add port" msgstr "" -#: ClientCommand.cpp:1640 +#: ClientCommand.cpp:1648 msgid "Usage: DelPort [bindhost]" msgstr "" -#: ClientCommand.cpp:1649 +#: ClientCommand.cpp:1657 msgid "Deleted Port" msgstr "" -#: ClientCommand.cpp:1651 +#: ClientCommand.cpp:1659 msgid "Unable to find a matching port" msgstr "" -#: ClientCommand.cpp:1659 ClientCommand.cpp:1673 +#: ClientCommand.cpp:1667 ClientCommand.cpp:1682 msgctxt "helpcmd" msgid "Command" msgstr "" -#: ClientCommand.cpp:1660 ClientCommand.cpp:1674 +#: ClientCommand.cpp:1668 ClientCommand.cpp:1684 msgctxt "helpcmd" msgid "Description" msgstr "" -#: ClientCommand.cpp:1664 +#: ClientCommand.cpp:1673 msgid "" "In the following list all occurrences of <#chan> support wildcards (* and ?) " "except ListNicks" msgstr "" -#: ClientCommand.cpp:1680 +#: ClientCommand.cpp:1690 msgctxt "helpcmd|Version|desc" msgid "Print which version of ZNC this is" msgstr "" -#: ClientCommand.cpp:1683 +#: ClientCommand.cpp:1693 msgctxt "helpcmd|ListMods|desc" msgid "List all loaded modules" msgstr "" -#: ClientCommand.cpp:1686 +#: ClientCommand.cpp:1696 msgctxt "helpcmd|ListAvailMods|desc" msgid "List all available modules" msgstr "" -#: ClientCommand.cpp:1690 ClientCommand.cpp:1876 +#: ClientCommand.cpp:1700 ClientCommand.cpp:1886 msgctxt "helpcmd|ListChans|desc" msgid "List all channels" msgstr "" -#: ClientCommand.cpp:1693 +#: ClientCommand.cpp:1703 msgctxt "helpcmd|ListNicks|args" msgid "<#chan>" msgstr "" -#: ClientCommand.cpp:1694 +#: ClientCommand.cpp:1704 msgctxt "helpcmd|ListNicks|desc" msgid "List all nicks on a channel" msgstr "" -#: ClientCommand.cpp:1697 +#: ClientCommand.cpp:1707 msgctxt "helpcmd|ListClients|desc" msgid "List all clients connected to your ZNC user" msgstr "" -#: ClientCommand.cpp:1701 +#: ClientCommand.cpp:1711 msgctxt "helpcmd|ListServers|desc" msgid "List all servers of current IRC network" msgstr "" -#: ClientCommand.cpp:1705 +#: ClientCommand.cpp:1715 msgctxt "helpcmd|AddNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1706 +#: ClientCommand.cpp:1716 msgctxt "helpcmd|AddNetwork|desc" msgid "Add a network to your user" msgstr "" -#: ClientCommand.cpp:1708 +#: ClientCommand.cpp:1718 msgctxt "helpcmd|DelNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1709 +#: ClientCommand.cpp:1719 msgctxt "helpcmd|DelNetwork|desc" msgid "Delete a network from your user" msgstr "" -#: ClientCommand.cpp:1711 +#: ClientCommand.cpp:1721 msgctxt "helpcmd|ListNetworks|desc" msgid "List all networks" msgstr "" -#: ClientCommand.cpp:1714 +#: ClientCommand.cpp:1724 msgctxt "helpcmd|MoveNetwork|args" msgid " [new network]" msgstr "" -#: ClientCommand.cpp:1716 +#: ClientCommand.cpp:1726 msgctxt "helpcmd|MoveNetwork|desc" msgid "Move an IRC network from one user to another" msgstr "" -#: ClientCommand.cpp:1720 +#: ClientCommand.cpp:1730 msgctxt "helpcmd|JumpNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1721 +#: ClientCommand.cpp:1731 msgctxt "helpcmd|JumpNetwork|desc" msgid "" "Jump to another network (Alternatively, you can connect to ZNC several " "times, using `user/network` as username)" msgstr "" -#: ClientCommand.cpp:1726 +#: ClientCommand.cpp:1736 msgctxt "helpcmd|AddServer|args" msgid " [[+]port] [pass]" msgstr "" -#: ClientCommand.cpp:1727 +#: ClientCommand.cpp:1737 msgctxt "helpcmd|AddServer|desc" msgid "" "Add a server to the list of alternate/backup servers of current IRC network." msgstr "" -#: ClientCommand.cpp:1731 +#: ClientCommand.cpp:1741 msgctxt "helpcmd|DelServer|args" msgid " [port] [pass]" msgstr "" -#: ClientCommand.cpp:1732 +#: ClientCommand.cpp:1742 msgctxt "helpcmd|DelServer|desc" msgid "" "Remove a server from the list of alternate/backup servers of current IRC " "network" msgstr "" -#: ClientCommand.cpp:1738 +#: ClientCommand.cpp:1748 msgctxt "helpcmd|AddTrustedServerFingerprint|args" msgid "" msgstr "" -#: ClientCommand.cpp:1739 +#: ClientCommand.cpp:1749 msgctxt "helpcmd|AddTrustedServerFingerprint|desc" msgid "" "Add a trusted server SSL certificate fingerprint (SHA-256) to current IRC " "network." msgstr "" -#: ClientCommand.cpp:1744 +#: ClientCommand.cpp:1754 msgctxt "helpcmd|DelTrustedServerFingerprint|args" msgid "" msgstr "" -#: ClientCommand.cpp:1745 +#: ClientCommand.cpp:1755 msgctxt "helpcmd|DelTrustedServerFingerprint|desc" msgid "Delete a trusted server SSL certificate from current IRC network." msgstr "" -#: ClientCommand.cpp:1749 +#: ClientCommand.cpp:1759 msgctxt "helpcmd|ListTrustedServerFingerprints|desc" msgid "List all trusted server SSL certificates of current IRC network." msgstr "" -#: ClientCommand.cpp:1752 +#: ClientCommand.cpp:1762 msgctxt "helpcmd|EnableChan|args" msgid "<#chans>" msgstr "" -#: ClientCommand.cpp:1753 +#: ClientCommand.cpp:1763 msgctxt "helpcmd|EnableChan|desc" msgid "Enable channels" msgstr "" -#: ClientCommand.cpp:1754 +#: ClientCommand.cpp:1764 msgctxt "helpcmd|DisableChan|args" msgid "<#chans>" msgstr "" -#: ClientCommand.cpp:1755 +#: ClientCommand.cpp:1765 msgctxt "helpcmd|DisableChan|desc" msgid "Disable channels" msgstr "" -#: ClientCommand.cpp:1756 +#: ClientCommand.cpp:1766 msgctxt "helpcmd|Attach|args" msgid "<#chans>" msgstr "" -#: ClientCommand.cpp:1757 +#: ClientCommand.cpp:1767 msgctxt "helpcmd|Attach|desc" msgid "Attach to channels" msgstr "" -#: ClientCommand.cpp:1758 +#: ClientCommand.cpp:1768 msgctxt "helpcmd|Detach|args" msgid "<#chans>" msgstr "" -#: ClientCommand.cpp:1759 +#: ClientCommand.cpp:1769 msgctxt "helpcmd|Detach|desc" msgid "Detach from channels" msgstr "" -#: ClientCommand.cpp:1762 +#: ClientCommand.cpp:1772 msgctxt "helpcmd|Topics|desc" msgid "Show topics in all your channels" msgstr "" -#: ClientCommand.cpp:1765 +#: ClientCommand.cpp:1775 msgctxt "helpcmd|PlayBuffer|args" msgid "<#chan|query>" msgstr "" -#: ClientCommand.cpp:1766 +#: ClientCommand.cpp:1776 msgctxt "helpcmd|PlayBuffer|desc" msgid "Play back the specified buffer" msgstr "" -#: ClientCommand.cpp:1768 +#: ClientCommand.cpp:1778 msgctxt "helpcmd|ClearBuffer|args" msgid "<#chan|query>" msgstr "" -#: ClientCommand.cpp:1769 +#: ClientCommand.cpp:1779 msgctxt "helpcmd|ClearBuffer|desc" msgid "Clear the specified buffer" msgstr "" -#: ClientCommand.cpp:1771 +#: ClientCommand.cpp:1781 msgctxt "helpcmd|ClearAllBuffers|desc" msgid "Clear all channel and query buffers" msgstr "" -#: ClientCommand.cpp:1774 +#: ClientCommand.cpp:1784 msgctxt "helpcmd|ClearAllChannelBuffers|desc" msgid "Clear the channel buffers" msgstr "" -#: ClientCommand.cpp:1778 +#: ClientCommand.cpp:1788 msgctxt "helpcmd|ClearAllQueryBuffers|desc" msgid "Clear the query buffers" msgstr "" -#: ClientCommand.cpp:1780 +#: ClientCommand.cpp:1790 msgctxt "helpcmd|SetBuffer|args" msgid "<#chan|query> [linecount]" msgstr "" -#: ClientCommand.cpp:1781 +#: ClientCommand.cpp:1791 msgctxt "helpcmd|SetBuffer|desc" msgid "Set the buffer count" msgstr "" -#: ClientCommand.cpp:1785 +#: ClientCommand.cpp:1795 msgctxt "helpcmd|SetBindHost|args" msgid "" msgstr "" -#: ClientCommand.cpp:1786 +#: ClientCommand.cpp:1796 msgctxt "helpcmd|SetBindHost|desc" msgid "Set the bind host for this network" msgstr "" -#: ClientCommand.cpp:1790 +#: ClientCommand.cpp:1800 msgctxt "helpcmd|SetUserBindHost|args" msgid "" msgstr "" -#: ClientCommand.cpp:1791 +#: ClientCommand.cpp:1801 msgctxt "helpcmd|SetUserBindHost|desc" msgid "Set the default bind host for this user" msgstr "" -#: ClientCommand.cpp:1794 +#: ClientCommand.cpp:1804 msgctxt "helpcmd|ClearBindHost|desc" msgid "Clear the bind host for this network" msgstr "" -#: ClientCommand.cpp:1797 +#: ClientCommand.cpp:1807 msgctxt "helpcmd|ClearUserBindHost|desc" msgid "Clear the default bind host for this user" msgstr "" -#: ClientCommand.cpp:1803 +#: ClientCommand.cpp:1813 msgctxt "helpcmd|ShowBindHost|desc" msgid "Show currently selected bind host" msgstr "" -#: ClientCommand.cpp:1805 +#: ClientCommand.cpp:1815 msgctxt "helpcmd|Jump|args" msgid "[server]" msgstr "" -#: ClientCommand.cpp:1806 +#: ClientCommand.cpp:1816 msgctxt "helpcmd|Jump|desc" msgid "Jump to the next or the specified server" msgstr "" -#: ClientCommand.cpp:1807 +#: ClientCommand.cpp:1817 msgctxt "helpcmd|Disconnect|args" msgid "[message]" msgstr "" -#: ClientCommand.cpp:1808 +#: ClientCommand.cpp:1818 msgctxt "helpcmd|Disconnect|desc" msgid "Disconnect from IRC" msgstr "" -#: ClientCommand.cpp:1810 +#: ClientCommand.cpp:1820 msgctxt "helpcmd|Connect|desc" msgid "Reconnect to IRC" msgstr "" -#: ClientCommand.cpp:1813 +#: ClientCommand.cpp:1823 msgctxt "helpcmd|Uptime|desc" msgid "Show for how long ZNC has been running" msgstr "" -#: ClientCommand.cpp:1817 +#: ClientCommand.cpp:1827 msgctxt "helpcmd|LoadMod|args" msgid "[--type=global|user|network] " msgstr "" -#: ClientCommand.cpp:1819 +#: ClientCommand.cpp:1829 msgctxt "helpcmd|LoadMod|desc" msgid "Load a module" msgstr "" -#: ClientCommand.cpp:1821 +#: ClientCommand.cpp:1831 msgctxt "helpcmd|UnloadMod|args" msgid "[--type=global|user|network] " msgstr "" -#: ClientCommand.cpp:1823 +#: ClientCommand.cpp:1833 msgctxt "helpcmd|UnloadMod|desc" msgid "Unload a module" msgstr "" -#: ClientCommand.cpp:1825 +#: ClientCommand.cpp:1835 msgctxt "helpcmd|ReloadMod|args" msgid "[--type=global|user|network] " msgstr "" -#: ClientCommand.cpp:1827 +#: ClientCommand.cpp:1837 msgctxt "helpcmd|ReloadMod|desc" msgid "Reload a module" msgstr "" -#: ClientCommand.cpp:1830 +#: ClientCommand.cpp:1840 msgctxt "helpcmd|UpdateMod|args" msgid "" msgstr "" -#: ClientCommand.cpp:1831 +#: ClientCommand.cpp:1841 msgctxt "helpcmd|UpdateMod|desc" msgid "Reload a module everywhere" msgstr "" -#: ClientCommand.cpp:1837 +#: ClientCommand.cpp:1847 msgctxt "helpcmd|ShowMOTD|desc" msgid "Show ZNC's message of the day" msgstr "" -#: ClientCommand.cpp:1841 +#: ClientCommand.cpp:1851 msgctxt "helpcmd|SetMOTD|args" msgid "" msgstr "" -#: ClientCommand.cpp:1842 +#: ClientCommand.cpp:1852 msgctxt "helpcmd|SetMOTD|desc" msgid "Set ZNC's message of the day" msgstr "" -#: ClientCommand.cpp:1844 +#: ClientCommand.cpp:1854 msgctxt "helpcmd|AddMOTD|args" msgid "" msgstr "" -#: ClientCommand.cpp:1845 +#: ClientCommand.cpp:1855 msgctxt "helpcmd|AddMOTD|desc" msgid "Append to ZNC's MOTD" msgstr "" -#: ClientCommand.cpp:1847 +#: ClientCommand.cpp:1857 msgctxt "helpcmd|ClearMOTD|desc" msgid "Clear ZNC's MOTD" msgstr "" -#: ClientCommand.cpp:1850 +#: ClientCommand.cpp:1860 msgctxt "helpcmd|ListPorts|desc" msgid "Show all active listeners" msgstr "" -#: ClientCommand.cpp:1852 +#: ClientCommand.cpp:1862 msgctxt "helpcmd|AddPort|args" msgid "<[+]port> [bindhost [uriprefix]]" msgstr "" -#: ClientCommand.cpp:1855 +#: ClientCommand.cpp:1865 msgctxt "helpcmd|AddPort|desc" msgid "Add another port for ZNC to listen on" msgstr "" -#: ClientCommand.cpp:1859 +#: ClientCommand.cpp:1869 msgctxt "helpcmd|DelPort|args" msgid " [bindhost]" msgstr "" -#: ClientCommand.cpp:1860 +#: ClientCommand.cpp:1870 msgctxt "helpcmd|DelPort|desc" msgid "Remove a port from ZNC" msgstr "" -#: ClientCommand.cpp:1863 +#: ClientCommand.cpp:1873 msgctxt "helpcmd|Rehash|desc" msgid "Reload global settings, modules, and listeners from znc.conf" msgstr "" -#: ClientCommand.cpp:1866 +#: ClientCommand.cpp:1876 msgctxt "helpcmd|SaveConfig|desc" msgid "Save the current settings to disk" msgstr "" -#: ClientCommand.cpp:1869 +#: ClientCommand.cpp:1879 msgctxt "helpcmd|ListUsers|desc" msgid "List all ZNC users and their connection status" msgstr "" -#: ClientCommand.cpp:1872 +#: ClientCommand.cpp:1882 msgctxt "helpcmd|ListAllUserNetworks|desc" msgid "List all ZNC users and their networks" msgstr "" -#: ClientCommand.cpp:1875 +#: ClientCommand.cpp:1885 msgctxt "helpcmd|ListChans|args" msgid "[user ]" msgstr "" -#: ClientCommand.cpp:1878 +#: ClientCommand.cpp:1888 msgctxt "helpcmd|ListClients|args" msgid "[user]" msgstr "" -#: ClientCommand.cpp:1879 +#: ClientCommand.cpp:1889 msgctxt "helpcmd|ListClients|desc" msgid "List all connected clients" msgstr "" -#: ClientCommand.cpp:1881 +#: ClientCommand.cpp:1891 msgctxt "helpcmd|Traffic|desc" msgid "Show basic traffic stats for all ZNC users" msgstr "" -#: ClientCommand.cpp:1883 +#: ClientCommand.cpp:1893 msgctxt "helpcmd|Broadcast|args" msgid "[message]" msgstr "" -#: ClientCommand.cpp:1884 +#: ClientCommand.cpp:1894 msgctxt "helpcmd|Broadcast|desc" msgid "Broadcast a message to all ZNC users" msgstr "" -#: ClientCommand.cpp:1887 +#: ClientCommand.cpp:1897 msgctxt "helpcmd|Shutdown|args" msgid "[message]" msgstr "" -#: ClientCommand.cpp:1888 +#: ClientCommand.cpp:1898 msgctxt "helpcmd|Shutdown|desc" msgid "Shut down ZNC completely" msgstr "" -#: ClientCommand.cpp:1889 +#: ClientCommand.cpp:1899 msgctxt "helpcmd|Restart|args" msgid "[message]" msgstr "" -#: ClientCommand.cpp:1890 +#: ClientCommand.cpp:1900 msgctxt "helpcmd|Restart|desc" msgid "Restart ZNC" msgstr "" diff --git a/src/po/znc.ru_RU.po b/src/po/znc.ru_RU.po index 1395c77d..7b252130 100644 --- a/src/po/znc.ru_RU.po +++ b/src/po/znc.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/src/po/znc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" @@ -77,7 +77,7 @@ msgstr "Не могу найти файл pem: {1}" msgid "Invalid port" msgstr "Некорректный порт" -#: znc.cpp:1821 ClientCommand.cpp:1629 +#: znc.cpp:1821 ClientCommand.cpp:1637 msgid "Unable to bind: {1}" msgstr "Не получилось слушать: {1}" @@ -85,31 +85,31 @@ msgstr "Не получилось слушать: {1}" msgid "Jumping servers because this server is no longer in the list" msgstr "Текущий сервер больше не в списке, переподключаюсь" -#: IRCNetwork.cpp:640 User.cpp:678 +#: IRCNetwork.cpp:669 User.cpp:678 msgid "Welcome to ZNC" msgstr "Добро пожаловать в ZNC" -#: IRCNetwork.cpp:728 +#: IRCNetwork.cpp:757 msgid "You are currently disconnected from IRC. Use 'connect' to reconnect." msgstr "Вы отключены от IRC. Введите «connect» для подключения." -#: IRCNetwork.cpp:758 +#: IRCNetwork.cpp:787 msgid "This network is being deleted or moved to another user." msgstr "Эта сеть будет удалена или перемещена к другому пользователю." -#: IRCNetwork.cpp:987 +#: IRCNetwork.cpp:1016 msgid "The channel {1} could not be joined, disabling it." msgstr "Не могу зайти на канал {1}, выключаю его." -#: IRCNetwork.cpp:1116 +#: IRCNetwork.cpp:1145 msgid "Your current server was removed, jumping..." msgstr "Текущий сервер был удалён, переподключаюсь..." -#: IRCNetwork.cpp:1279 +#: IRCNetwork.cpp:1308 msgid "Cannot connect to {1}, because ZNC is not compiled with SSL support." msgstr "Не могу подключиться к {1}, т. к. ZNC собран без поддержки SSL." -#: IRCNetwork.cpp:1300 +#: IRCNetwork.cpp:1329 msgid "Some module aborted the connection attempt" msgstr "Какой-то модуль оборвал попытку соединения" @@ -304,7 +304,7 @@ msgctxt "modhelpcmd" msgid "Generate this output" msgstr "Показать этот вывод" -#: Modules.cpp:573 ClientCommand.cpp:1894 +#: Modules.cpp:573 ClientCommand.cpp:1904 msgid "No matches for '{1}'" msgstr "Не нашёл «{1}»" @@ -317,58 +317,6 @@ msgid "Unknown command!" msgstr "Неизвестная команда!" #: Modules.cpp:1633 -msgid "Module {1} already loaded." -msgstr "Модуль {1} уже загружен." - -#: Modules.cpp:1647 -msgid "Unable to find module {1}" -msgstr "Не могу найти модуль {1}" - -#: Modules.cpp:1659 -msgid "Module {1} does not support module type {2}." -msgstr "Модуль {1} не поддерживает тип модулей «{2}»." - -#: Modules.cpp:1666 -msgid "Module {1} requires a user." -msgstr "Модулю {1} необходим пользователь." - -#: Modules.cpp:1672 -msgid "Module {1} requires a network." -msgstr "Модулю {1} необходима сеть." - -#: Modules.cpp:1688 -msgid "Caught an exception" -msgstr "Поймано исключение" - -#: Modules.cpp:1694 -msgid "Module {1} aborted: {2}" -msgstr "Модуль {1} прервал: {2}" - -#: Modules.cpp:1696 -msgid "Module {1} aborted." -msgstr "Модуль {1} прервал." - -#: Modules.cpp:1720 Modules.cpp:1762 -msgid "Module [{1}] not loaded." -msgstr "Модуль [{1}] не загружен." - -#: Modules.cpp:1744 -msgid "Module {1} unloaded." -msgstr "Модуль {1} выгружен." - -#: Modules.cpp:1749 -msgid "Unable to unload module {1}." -msgstr "Не могу выгрузить модуль {1}." - -#: Modules.cpp:1778 -msgid "Reloaded module {1}." -msgstr "Модуль {1} перезагружен." - -#: Modules.cpp:1793 -msgid "Unable to find module {1}." -msgstr "Не могу найти модуль {1}." - -#: Modules.cpp:1919 msgid "" "Module names can only contain letters, numbers and underscores, [{1}] is " "invalid" @@ -376,26 +324,78 @@ msgstr "" "Названия модуля может содержать только латинские буквы, цифры и знак " "подчёркивания; [{1}] не соответствует требованиям" -#: Modules.cpp:1943 +#: Modules.cpp:1652 +msgid "Module {1} already loaded." +msgstr "Модуль {1} уже загружен." + +#: Modules.cpp:1666 +msgid "Unable to find module {1}" +msgstr "Не могу найти модуль {1}" + +#: Modules.cpp:1678 +msgid "Module {1} does not support module type {2}." +msgstr "Модуль {1} не поддерживает тип модулей «{2}»." + +#: Modules.cpp:1685 +msgid "Module {1} requires a user." +msgstr "Модулю {1} необходим пользователь." + +#: Modules.cpp:1691 +msgid "Module {1} requires a network." +msgstr "Модулю {1} необходима сеть." + +#: Modules.cpp:1707 +msgid "Caught an exception" +msgstr "Поймано исключение" + +#: Modules.cpp:1713 +msgid "Module {1} aborted: {2}" +msgstr "Модуль {1} прервал: {2}" + +#: Modules.cpp:1715 +msgid "Module {1} aborted." +msgstr "Модуль {1} прервал." + +#: Modules.cpp:1739 Modules.cpp:1781 +msgid "Module [{1}] not loaded." +msgstr "Модуль [{1}] не загружен." + +#: Modules.cpp:1763 +msgid "Module {1} unloaded." +msgstr "Модуль {1} выгружен." + +#: Modules.cpp:1768 +msgid "Unable to unload module {1}." +msgstr "Не могу выгрузить модуль {1}." + +#: Modules.cpp:1797 +msgid "Reloaded module {1}." +msgstr "Модуль {1} перезагружен." + +#: Modules.cpp:1816 +msgid "Unable to find module {1}." +msgstr "Не могу найти модуль {1}." + +#: Modules.cpp:1963 msgid "Unknown error" msgstr "Неизвестная ошибка" -#: Modules.cpp:1944 +#: Modules.cpp:1964 msgid "Unable to open module {1}: {2}" msgstr "Не могу открыть модуль {1}: {2}" -#: Modules.cpp:1953 +#: Modules.cpp:1973 msgid "Could not find ZNCModuleEntry in module {1}" msgstr "Не могу найти ZNCModuleEntry в модуле {1}" -#: Modules.cpp:1961 +#: Modules.cpp:1981 msgid "" "Version mismatch for module {1}: core is {2}, module is built for {3}. " "Recompile this module." msgstr "" "Ядро имеет версию {2}, а модуль {1} собран для {3}. Пересоберите этот модуль." -#: Modules.cpp:1972 +#: Modules.cpp:1992 msgid "" "Module {1} is built incompatibly: core is '{2}', module is '{3}'. Recompile " "this module." @@ -403,12 +403,12 @@ msgstr "" "Модуль {1} собран не так: ядро — «{2}», а модуль — «{3}». Пересоберите этот " "модуль." -#: Modules.cpp:2002 Modules.cpp:2008 +#: Modules.cpp:2023 Modules.cpp:2029 msgctxt "modhelpcmd" msgid "Command" msgstr "Команда" -#: Modules.cpp:2003 Modules.cpp:2009 +#: Modules.cpp:2024 Modules.cpp:2031 msgctxt "modhelpcmd" msgid "Description" msgstr "Описание" @@ -416,9 +416,9 @@ msgstr "Описание" #: ClientCommand.cpp:51 ClientCommand.cpp:115 ClientCommand.cpp:137 #: ClientCommand.cpp:749 ClientCommand.cpp:768 ClientCommand.cpp:794 #: ClientCommand.cpp:827 ClientCommand.cpp:840 ClientCommand.cpp:853 -#: ClientCommand.cpp:868 ClientCommand.cpp:1321 ClientCommand.cpp:1369 -#: ClientCommand.cpp:1401 ClientCommand.cpp:1412 ClientCommand.cpp:1421 -#: ClientCommand.cpp:1433 +#: ClientCommand.cpp:868 ClientCommand.cpp:1329 ClientCommand.cpp:1377 +#: ClientCommand.cpp:1409 ClientCommand.cpp:1420 ClientCommand.cpp:1429 +#: ClientCommand.cpp:1441 msgid "You must be connected with a network to use this command" msgstr "Чтобы использовать это команду, подключитесь к сети" @@ -642,7 +642,7 @@ msgctxt "listnetworks" msgid "No networks" msgstr "Нет сетей" -#: ClientCommand.cpp:632 ClientCommand.cpp:932 +#: ClientCommand.cpp:632 ClientCommand.cpp:936 msgid "Access denied." msgstr "Доступ запрещён." @@ -793,166 +793,166 @@ msgctxt "topicscmd" msgid "Topic" msgstr "Тема" -#: ClientCommand.cpp:889 ClientCommand.cpp:893 +#: ClientCommand.cpp:889 ClientCommand.cpp:894 msgctxt "listmods" msgid "Name" msgstr "Название" -#: ClientCommand.cpp:890 ClientCommand.cpp:894 +#: ClientCommand.cpp:890 ClientCommand.cpp:895 msgctxt "listmods" msgid "Arguments" msgstr "Параметры" -#: ClientCommand.cpp:902 +#: ClientCommand.cpp:904 msgid "No global modules loaded." msgstr "Глобальные модули не загружены." -#: ClientCommand.cpp:904 ClientCommand.cpp:964 +#: ClientCommand.cpp:906 ClientCommand.cpp:970 msgid "Global modules:" msgstr "Глобальные модули:" -#: ClientCommand.cpp:912 +#: ClientCommand.cpp:915 msgid "Your user has no modules loaded." msgstr "У вашего пользователя нет загруженных модулей." -#: ClientCommand.cpp:914 ClientCommand.cpp:975 +#: ClientCommand.cpp:917 ClientCommand.cpp:982 msgid "User modules:" msgstr "Пользовательские модули:" -#: ClientCommand.cpp:921 +#: ClientCommand.cpp:925 msgid "This network has no modules loaded." msgstr "У этой сети нет загруженных модулей." -#: ClientCommand.cpp:923 ClientCommand.cpp:986 +#: ClientCommand.cpp:927 ClientCommand.cpp:994 msgid "Network modules:" msgstr "Сетевые модули:" -#: ClientCommand.cpp:938 ClientCommand.cpp:944 +#: ClientCommand.cpp:942 ClientCommand.cpp:949 msgctxt "listavailmods" msgid "Name" msgstr "Название" -#: ClientCommand.cpp:939 ClientCommand.cpp:949 +#: ClientCommand.cpp:943 ClientCommand.cpp:954 msgctxt "listavailmods" msgid "Description" msgstr "Описание" -#: ClientCommand.cpp:962 +#: ClientCommand.cpp:968 msgid "No global modules available." msgstr "Глобальные модули недоступны." -#: ClientCommand.cpp:973 +#: ClientCommand.cpp:980 msgid "No user modules available." msgstr "Пользовательские модули недоступны." -#: ClientCommand.cpp:984 +#: ClientCommand.cpp:992 msgid "No network modules available." msgstr "Сетевые модули недоступны." -#: ClientCommand.cpp:1012 +#: ClientCommand.cpp:1020 msgid "Unable to load {1}: Access denied." msgstr "Не могу загрузить {1}: доступ запрещён." -#: ClientCommand.cpp:1018 +#: ClientCommand.cpp:1026 msgid "Usage: LoadMod [--type=global|user|network] [args]" msgstr "" "Использование: LoadMod [--type=global|user|network] <модуль> [параметры]" -#: ClientCommand.cpp:1025 +#: ClientCommand.cpp:1033 msgid "Unable to load {1}: {2}" msgstr "Не могу загрузить {1}: {2}" -#: ClientCommand.cpp:1035 +#: ClientCommand.cpp:1043 msgid "Unable to load global module {1}: Access denied." msgstr "Не могу загрузить глобальный модуль {1}: доступ запрещён." -#: ClientCommand.cpp:1041 +#: ClientCommand.cpp:1049 msgid "Unable to load network module {1}: Not connected with a network." msgstr "Не могу загрузить сетевой модуль {1}: клиент подключён без сети." -#: ClientCommand.cpp:1063 +#: ClientCommand.cpp:1071 msgid "Unknown module type" msgstr "Неизвестный тип модуля" -#: ClientCommand.cpp:1068 +#: ClientCommand.cpp:1076 msgid "Loaded module {1}" msgstr "Модуль {1} загружен" -#: ClientCommand.cpp:1070 +#: ClientCommand.cpp:1078 msgid "Loaded module {1}: {2}" msgstr "Модуль {1} загружен: {2}" -#: ClientCommand.cpp:1073 +#: ClientCommand.cpp:1081 msgid "Unable to load module {1}: {2}" msgstr "Не могу загрузить модуль {1}: {2}" -#: ClientCommand.cpp:1096 +#: ClientCommand.cpp:1104 msgid "Unable to unload {1}: Access denied." msgstr "Не могу выгрузить {1}: доступ запрещён." -#: ClientCommand.cpp:1102 +#: ClientCommand.cpp:1110 msgid "Usage: UnloadMod [--type=global|user|network] " msgstr "Использование: UnloadMod [--type=global|user|network] <модуль>" -#: ClientCommand.cpp:1111 +#: ClientCommand.cpp:1119 msgid "Unable to determine type of {1}: {2}" msgstr "Не могу определить тип {1}: {2}" -#: ClientCommand.cpp:1119 +#: ClientCommand.cpp:1127 msgid "Unable to unload global module {1}: Access denied." msgstr "Не могу выгрузить глобальный модуль {1}: доступ запрещён." -#: ClientCommand.cpp:1126 +#: ClientCommand.cpp:1134 msgid "Unable to unload network module {1}: Not connected with a network." msgstr "Не могу выгрузить сетевой модуль {1}: клиент подключён без сети." -#: ClientCommand.cpp:1145 +#: ClientCommand.cpp:1153 msgid "Unable to unload module {1}: Unknown module type" msgstr "Не могу выгрузить модуль {1}: неизвестный тип модуля" -#: ClientCommand.cpp:1158 +#: ClientCommand.cpp:1166 msgid "Unable to reload modules. Access denied." msgstr "Не могу перезагрузить модули: доступ запрещён." -#: ClientCommand.cpp:1179 +#: ClientCommand.cpp:1187 msgid "Usage: ReloadMod [--type=global|user|network] [args]" msgstr "" "Использование: ReloadMod [--type=global|user|network] <модуль> [параметры]" -#: ClientCommand.cpp:1188 +#: ClientCommand.cpp:1196 msgid "Unable to reload {1}: {2}" msgstr "Не могу перезагрузить {1}: {2}" -#: ClientCommand.cpp:1196 +#: ClientCommand.cpp:1204 msgid "Unable to reload global module {1}: Access denied." msgstr "Не могу перезагрузить глобальный модуль {1}: доступ запрещён." -#: ClientCommand.cpp:1203 +#: ClientCommand.cpp:1211 msgid "Unable to reload network module {1}: Not connected with a network." msgstr "Не могу перезагрузить сетевой модуль {1}: клиент подключён без сети." -#: ClientCommand.cpp:1225 +#: ClientCommand.cpp:1233 msgid "Unable to reload module {1}: Unknown module type" msgstr "Не могу перезагрузить модуль {1}: неизвестный тип модуля" -#: ClientCommand.cpp:1236 +#: ClientCommand.cpp:1244 msgid "Usage: UpdateMod " msgstr "Использование: UpdateMod <модуль>" -#: ClientCommand.cpp:1240 +#: ClientCommand.cpp:1248 msgid "Reloading {1} everywhere" msgstr "Перезагружаю {1} везде" -#: ClientCommand.cpp:1242 +#: ClientCommand.cpp:1250 msgid "Done" msgstr "Готово" -#: ClientCommand.cpp:1245 +#: ClientCommand.cpp:1253 msgid "" "Done, but there were errors, module {1} could not be reloaded everywhere." msgstr "Готово, но случились ошибки, модуль {1} перезагружен не везде." -#: ClientCommand.cpp:1253 +#: ClientCommand.cpp:1261 msgid "" "You must be connected with a network to use this command. Try " "SetUserBindHost instead" @@ -960,27 +960,27 @@ msgstr "" "Чтобы использовать эту команду, нужна сеть. Попробуйте вместо этого " "SetUserBindHost" -#: ClientCommand.cpp:1260 +#: ClientCommand.cpp:1268 msgid "Usage: SetBindHost " msgstr "Использование: SetBindHost <хост>" -#: ClientCommand.cpp:1265 ClientCommand.cpp:1282 +#: ClientCommand.cpp:1273 ClientCommand.cpp:1290 msgid "You already have this bind host!" msgstr "У Вас уже установлен этот хост!" -#: ClientCommand.cpp:1270 +#: ClientCommand.cpp:1278 msgid "Set bind host for network {1} to {2}" msgstr "Соединения с сетью {1} будут идти через локальный адрес {2}" -#: ClientCommand.cpp:1277 +#: ClientCommand.cpp:1285 msgid "Usage: SetUserBindHost " msgstr "Использование: SetUserBindHost <хост>" -#: ClientCommand.cpp:1287 +#: ClientCommand.cpp:1295 msgid "Set default bind host to {1}" msgstr "По умолчанию соединения будут идти через локальный адрес {1}" -#: ClientCommand.cpp:1293 +#: ClientCommand.cpp:1301 msgid "" "You must be connected with a network to use this command. Try " "ClearUserBindHost instead" @@ -988,59 +988,59 @@ msgstr "" "Чтобы использовать эту команду, нужна сеть. Попробуйте вместо этого " "ClearUserBindHost" -#: ClientCommand.cpp:1298 +#: ClientCommand.cpp:1306 msgid "Bind host cleared for this network." msgstr "Исходящий хост для этой сети очищен." -#: ClientCommand.cpp:1302 +#: ClientCommand.cpp:1310 msgid "Default bind host cleared for your user." msgstr "Исходящий хост для вашего пользователя очищен." -#: ClientCommand.cpp:1305 +#: ClientCommand.cpp:1313 msgid "This user's default bind host not set" msgstr "Исходящий хост по умолчанию для вашего пользователя не установлен" -#: ClientCommand.cpp:1307 +#: ClientCommand.cpp:1315 msgid "This user's default bind host is {1}" msgstr "Исходящий хост по умолчанию для вашего пользователя: {1}" -#: ClientCommand.cpp:1312 +#: ClientCommand.cpp:1320 msgid "This network's bind host not set" msgstr "Исходящий хост для этой сети не установлен" -#: ClientCommand.cpp:1314 +#: ClientCommand.cpp:1322 msgid "This network's default bind host is {1}" msgstr "Исходящий хост по умолчанию для этой сети: {1}" -#: ClientCommand.cpp:1328 +#: ClientCommand.cpp:1336 msgid "Usage: PlayBuffer <#chan|query>" msgstr "Использование: PlayBuffer <#канал|собеседник>" -#: ClientCommand.cpp:1336 +#: ClientCommand.cpp:1344 msgid "You are not on {1}" msgstr "Вы не на {1}" -#: ClientCommand.cpp:1341 +#: ClientCommand.cpp:1349 msgid "You are not on {1} (trying to join)" msgstr "Вы не на {1} (пытаюсь войти)" -#: ClientCommand.cpp:1346 +#: ClientCommand.cpp:1354 msgid "The buffer for channel {1} is empty" msgstr "Буфер канала {1} пуст" -#: ClientCommand.cpp:1355 +#: ClientCommand.cpp:1363 msgid "No active query with {1}" msgstr "Нет активной беседы с {1}" -#: ClientCommand.cpp:1360 +#: ClientCommand.cpp:1368 msgid "The buffer for {1} is empty" msgstr "Буфер для {1} пуст" -#: ClientCommand.cpp:1376 +#: ClientCommand.cpp:1384 msgid "Usage: ClearBuffer <#chan|query>" msgstr "Использование: ClearBuffer <#канал|собеседник>" -#: ClientCommand.cpp:1395 +#: ClientCommand.cpp:1403 msgid "{1} buffer matching {2} has been cleared" msgid_plural "{1} buffers matching {2} have been cleared" msgstr[0] "{1} буфер, подходящий под {2}, очищен" @@ -1048,23 +1048,23 @@ msgstr[1] "{1} буфера, подходящий под {2}, очищены" msgstr[2] "{1} буферов, подходящий под {2}, очищены" msgstr[3] "{1} буферов, подходящий под {2}, очищены" -#: ClientCommand.cpp:1408 +#: ClientCommand.cpp:1416 msgid "All channel buffers have been cleared" msgstr "Буферы всех каналов очищены" -#: ClientCommand.cpp:1417 +#: ClientCommand.cpp:1425 msgid "All query buffers have been cleared" msgstr "Буферы всех бесед очищены" -#: ClientCommand.cpp:1429 +#: ClientCommand.cpp:1437 msgid "All buffers have been cleared" msgstr "Все буферы очищены" -#: ClientCommand.cpp:1440 +#: ClientCommand.cpp:1448 msgid "Usage: SetBuffer <#chan|query> [linecount]" msgstr "Использование: SetBuffer <#канал|собеседник> [число_строк]" -#: ClientCommand.cpp:1461 +#: ClientCommand.cpp:1469 msgid "Setting buffer size failed for {1} buffer" msgid_plural "Setting buffer size failed for {1} buffers" msgstr[0] "Не удалось установить размер буфера для {1} канала" @@ -1072,7 +1072,7 @@ msgstr[1] "Не удалось установить размер буфера д msgstr[2] "Не удалось установить размер буфера для {1} каналов" msgstr[3] "Не удалось установить размер буфера для {1} каналов" -#: ClientCommand.cpp:1464 +#: ClientCommand.cpp:1472 msgid "Maximum buffer size is {1} line" msgid_plural "Maximum buffer size is {1} lines" msgstr[0] "Размер буфера не должен превышать {1} строку" @@ -1080,7 +1080,7 @@ msgstr[1] "Размер буфера не должен превышать {1} с msgstr[2] "Размер буфера не должен превышать {1} строк" msgstr[3] "Размер буфера не должен превышать {1} строк" -#: ClientCommand.cpp:1469 +#: ClientCommand.cpp:1477 msgid "Size of every buffer was set to {1} line" msgid_plural "Size of every buffer was set to {1} lines" msgstr[0] "Размер каждого буфера установлен в {1} строку" @@ -1088,625 +1088,625 @@ msgstr[1] "Размер каждого буфера установлен в {1} msgstr[2] "Размер каждого буфера установлен в {1} строк" msgstr[3] "Размер каждого буфера установлен в {1} строк" -#: ClientCommand.cpp:1479 ClientCommand.cpp:1486 ClientCommand.cpp:1497 -#: ClientCommand.cpp:1506 ClientCommand.cpp:1514 +#: ClientCommand.cpp:1487 ClientCommand.cpp:1494 ClientCommand.cpp:1505 +#: ClientCommand.cpp:1514 ClientCommand.cpp:1522 msgctxt "trafficcmd" msgid "Username" msgstr "Имя пользователя" -#: ClientCommand.cpp:1480 ClientCommand.cpp:1487 ClientCommand.cpp:1499 -#: ClientCommand.cpp:1508 ClientCommand.cpp:1516 +#: ClientCommand.cpp:1488 ClientCommand.cpp:1495 ClientCommand.cpp:1507 +#: ClientCommand.cpp:1516 ClientCommand.cpp:1524 msgctxt "trafficcmd" msgid "In" msgstr "Пришло" -#: ClientCommand.cpp:1481 ClientCommand.cpp:1489 ClientCommand.cpp:1500 -#: ClientCommand.cpp:1509 ClientCommand.cpp:1517 +#: ClientCommand.cpp:1489 ClientCommand.cpp:1497 ClientCommand.cpp:1508 +#: ClientCommand.cpp:1517 ClientCommand.cpp:1525 msgctxt "trafficcmd" msgid "Out" msgstr "Ушло" -#: ClientCommand.cpp:1482 ClientCommand.cpp:1492 ClientCommand.cpp:1502 -#: ClientCommand.cpp:1510 ClientCommand.cpp:1519 +#: ClientCommand.cpp:1490 ClientCommand.cpp:1500 ClientCommand.cpp:1510 +#: ClientCommand.cpp:1518 ClientCommand.cpp:1527 msgctxt "trafficcmd" msgid "Total" msgstr "Всего" -#: ClientCommand.cpp:1498 +#: ClientCommand.cpp:1506 msgctxt "trafficcmd" msgid "" msgstr "<Пользователи>" -#: ClientCommand.cpp:1507 +#: ClientCommand.cpp:1515 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1515 +#: ClientCommand.cpp:1523 msgctxt "trafficcmd" msgid "" msgstr "<Всего>" -#: ClientCommand.cpp:1524 +#: ClientCommand.cpp:1532 msgid "Running for {1}" msgstr "Запущен {1}" -#: ClientCommand.cpp:1530 +#: ClientCommand.cpp:1538 msgid "Unknown command, try 'Help'" msgstr "Неизвестная команда, попробуйте 'Help'" -#: ClientCommand.cpp:1539 ClientCommand.cpp:1550 +#: ClientCommand.cpp:1547 ClientCommand.cpp:1558 msgctxt "listports" msgid "Port" msgstr "Порт" -#: ClientCommand.cpp:1540 ClientCommand.cpp:1551 +#: ClientCommand.cpp:1548 ClientCommand.cpp:1559 msgctxt "listports" msgid "BindHost" msgstr "BindHost" -#: ClientCommand.cpp:1541 ClientCommand.cpp:1554 +#: ClientCommand.cpp:1549 ClientCommand.cpp:1562 msgctxt "listports" msgid "SSL" msgstr "SSL" -#: ClientCommand.cpp:1542 ClientCommand.cpp:1559 +#: ClientCommand.cpp:1550 ClientCommand.cpp:1567 msgctxt "listports" msgid "Protocol" msgstr "Протокол" -#: ClientCommand.cpp:1543 ClientCommand.cpp:1566 +#: ClientCommand.cpp:1551 ClientCommand.cpp:1574 msgctxt "listports" msgid "IRC" msgstr "IRC" -#: ClientCommand.cpp:1544 ClientCommand.cpp:1571 +#: ClientCommand.cpp:1552 ClientCommand.cpp:1579 msgctxt "listports" msgid "Web" msgstr "Веб" -#: ClientCommand.cpp:1555 +#: ClientCommand.cpp:1563 msgctxt "listports|ssl" msgid "yes" msgstr "да" -#: ClientCommand.cpp:1556 +#: ClientCommand.cpp:1564 msgctxt "listports|ssl" msgid "no" msgstr "нет" -#: ClientCommand.cpp:1560 +#: ClientCommand.cpp:1568 msgctxt "listports" msgid "IPv4 and IPv6" msgstr "IPv4 и IPv6" -#: ClientCommand.cpp:1562 +#: ClientCommand.cpp:1570 msgctxt "listports" msgid "IPv4" msgstr "IPv4" -#: ClientCommand.cpp:1563 +#: ClientCommand.cpp:1571 msgctxt "listports" msgid "IPv6" msgstr "IPv6" -#: ClientCommand.cpp:1569 +#: ClientCommand.cpp:1577 msgctxt "listports|irc" msgid "yes" msgstr "да" -#: ClientCommand.cpp:1570 +#: ClientCommand.cpp:1578 msgctxt "listports|irc" msgid "no" msgstr "нет" -#: ClientCommand.cpp:1574 +#: ClientCommand.cpp:1582 msgctxt "listports|irc" msgid "yes, on {1}" msgstr "да, на {1}" -#: ClientCommand.cpp:1576 +#: ClientCommand.cpp:1584 msgctxt "listports|web" msgid "no" msgstr "нет" -#: ClientCommand.cpp:1616 +#: ClientCommand.cpp:1624 msgid "" "Usage: AddPort <[+]port> [bindhost [uriprefix]]" msgstr "" "Использование: AddPort <[+]port> [bindhost " "[uriprefix]]" -#: ClientCommand.cpp:1632 +#: ClientCommand.cpp:1640 msgid "Port added" msgstr "Порт добавлен" -#: ClientCommand.cpp:1634 +#: ClientCommand.cpp:1642 msgid "Couldn't add port" msgstr "Невозможно добавить порт" -#: ClientCommand.cpp:1640 +#: ClientCommand.cpp:1648 msgid "Usage: DelPort [bindhost]" msgstr "Использование: DelPort [bindhost]" -#: ClientCommand.cpp:1649 +#: ClientCommand.cpp:1657 msgid "Deleted Port" msgstr "Удалён порт" -#: ClientCommand.cpp:1651 +#: ClientCommand.cpp:1659 msgid "Unable to find a matching port" msgstr "Не могу найти такой порт" -#: ClientCommand.cpp:1659 ClientCommand.cpp:1673 +#: ClientCommand.cpp:1667 ClientCommand.cpp:1682 msgctxt "helpcmd" msgid "Command" msgstr "Команда" -#: ClientCommand.cpp:1660 ClientCommand.cpp:1674 +#: ClientCommand.cpp:1668 ClientCommand.cpp:1684 msgctxt "helpcmd" msgid "Description" msgstr "Описание" -#: ClientCommand.cpp:1664 +#: ClientCommand.cpp:1673 msgid "" "In the following list all occurrences of <#chan> support wildcards (* and ?) " "except ListNicks" msgstr "" "В этом списке <#каналы> везде, кроме ListNicks, поддерживают шаблоны (* и ?)" -#: ClientCommand.cpp:1680 +#: ClientCommand.cpp:1690 msgctxt "helpcmd|Version|desc" msgid "Print which version of ZNC this is" msgstr "" -#: ClientCommand.cpp:1683 +#: ClientCommand.cpp:1693 msgctxt "helpcmd|ListMods|desc" msgid "List all loaded modules" msgstr "" -#: ClientCommand.cpp:1686 +#: ClientCommand.cpp:1696 msgctxt "helpcmd|ListAvailMods|desc" msgid "List all available modules" msgstr "" -#: ClientCommand.cpp:1690 ClientCommand.cpp:1876 +#: ClientCommand.cpp:1700 ClientCommand.cpp:1886 msgctxt "helpcmd|ListChans|desc" msgid "List all channels" msgstr "" -#: ClientCommand.cpp:1693 +#: ClientCommand.cpp:1703 msgctxt "helpcmd|ListNicks|args" msgid "<#chan>" msgstr "" -#: ClientCommand.cpp:1694 +#: ClientCommand.cpp:1704 msgctxt "helpcmd|ListNicks|desc" msgid "List all nicks on a channel" msgstr "" -#: ClientCommand.cpp:1697 +#: ClientCommand.cpp:1707 msgctxt "helpcmd|ListClients|desc" msgid "List all clients connected to your ZNC user" msgstr "" -#: ClientCommand.cpp:1701 +#: ClientCommand.cpp:1711 msgctxt "helpcmd|ListServers|desc" msgid "List all servers of current IRC network" msgstr "" -#: ClientCommand.cpp:1705 +#: ClientCommand.cpp:1715 msgctxt "helpcmd|AddNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1706 +#: ClientCommand.cpp:1716 msgctxt "helpcmd|AddNetwork|desc" msgid "Add a network to your user" msgstr "" -#: ClientCommand.cpp:1708 +#: ClientCommand.cpp:1718 msgctxt "helpcmd|DelNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1709 +#: ClientCommand.cpp:1719 msgctxt "helpcmd|DelNetwork|desc" msgid "Delete a network from your user" msgstr "" -#: ClientCommand.cpp:1711 +#: ClientCommand.cpp:1721 msgctxt "helpcmd|ListNetworks|desc" msgid "List all networks" msgstr "" -#: ClientCommand.cpp:1714 +#: ClientCommand.cpp:1724 msgctxt "helpcmd|MoveNetwork|args" msgid " [new network]" msgstr "" -#: ClientCommand.cpp:1716 +#: ClientCommand.cpp:1726 msgctxt "helpcmd|MoveNetwork|desc" msgid "Move an IRC network from one user to another" msgstr "" -#: ClientCommand.cpp:1720 +#: ClientCommand.cpp:1730 msgctxt "helpcmd|JumpNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1721 +#: ClientCommand.cpp:1731 msgctxt "helpcmd|JumpNetwork|desc" msgid "" "Jump to another network (Alternatively, you can connect to ZNC several " "times, using `user/network` as username)" msgstr "" -#: ClientCommand.cpp:1726 +#: ClientCommand.cpp:1736 msgctxt "helpcmd|AddServer|args" msgid " [[+]port] [pass]" msgstr "" -#: ClientCommand.cpp:1727 +#: ClientCommand.cpp:1737 msgctxt "helpcmd|AddServer|desc" msgid "" "Add a server to the list of alternate/backup servers of current IRC network." msgstr "" -#: ClientCommand.cpp:1731 +#: ClientCommand.cpp:1741 msgctxt "helpcmd|DelServer|args" msgid " [port] [pass]" msgstr "" -#: ClientCommand.cpp:1732 +#: ClientCommand.cpp:1742 msgctxt "helpcmd|DelServer|desc" msgid "" "Remove a server from the list of alternate/backup servers of current IRC " "network" msgstr "" -#: ClientCommand.cpp:1738 +#: ClientCommand.cpp:1748 msgctxt "helpcmd|AddTrustedServerFingerprint|args" msgid "" msgstr "" -#: ClientCommand.cpp:1739 +#: ClientCommand.cpp:1749 msgctxt "helpcmd|AddTrustedServerFingerprint|desc" msgid "" "Add a trusted server SSL certificate fingerprint (SHA-256) to current IRC " "network." msgstr "" -#: ClientCommand.cpp:1744 +#: ClientCommand.cpp:1754 msgctxt "helpcmd|DelTrustedServerFingerprint|args" msgid "" msgstr "" -#: ClientCommand.cpp:1745 +#: ClientCommand.cpp:1755 msgctxt "helpcmd|DelTrustedServerFingerprint|desc" msgid "Delete a trusted server SSL certificate from current IRC network." msgstr "" -#: ClientCommand.cpp:1749 +#: ClientCommand.cpp:1759 msgctxt "helpcmd|ListTrustedServerFingerprints|desc" msgid "List all trusted server SSL certificates of current IRC network." msgstr "" -#: ClientCommand.cpp:1752 +#: ClientCommand.cpp:1762 msgctxt "helpcmd|EnableChan|args" msgid "<#chans>" msgstr "" -#: ClientCommand.cpp:1753 +#: ClientCommand.cpp:1763 msgctxt "helpcmd|EnableChan|desc" msgid "Enable channels" msgstr "" -#: ClientCommand.cpp:1754 +#: ClientCommand.cpp:1764 msgctxt "helpcmd|DisableChan|args" msgid "<#chans>" msgstr "" -#: ClientCommand.cpp:1755 +#: ClientCommand.cpp:1765 msgctxt "helpcmd|DisableChan|desc" msgid "Disable channels" msgstr "" -#: ClientCommand.cpp:1756 +#: ClientCommand.cpp:1766 msgctxt "helpcmd|Attach|args" msgid "<#chans>" msgstr "<#каналы>" -#: ClientCommand.cpp:1757 +#: ClientCommand.cpp:1767 msgctxt "helpcmd|Attach|desc" msgid "Attach to channels" msgstr "" -#: ClientCommand.cpp:1758 +#: ClientCommand.cpp:1768 msgctxt "helpcmd|Detach|args" msgid "<#chans>" msgstr "" -#: ClientCommand.cpp:1759 +#: ClientCommand.cpp:1769 msgctxt "helpcmd|Detach|desc" msgid "Detach from channels" msgstr "" -#: ClientCommand.cpp:1762 +#: ClientCommand.cpp:1772 msgctxt "helpcmd|Topics|desc" msgid "Show topics in all your channels" msgstr "" -#: ClientCommand.cpp:1765 +#: ClientCommand.cpp:1775 msgctxt "helpcmd|PlayBuffer|args" msgid "<#chan|query>" msgstr "" -#: ClientCommand.cpp:1766 +#: ClientCommand.cpp:1776 msgctxt "helpcmd|PlayBuffer|desc" msgid "Play back the specified buffer" msgstr "" -#: ClientCommand.cpp:1768 +#: ClientCommand.cpp:1778 msgctxt "helpcmd|ClearBuffer|args" msgid "<#chan|query>" msgstr "" -#: ClientCommand.cpp:1769 +#: ClientCommand.cpp:1779 msgctxt "helpcmd|ClearBuffer|desc" msgid "Clear the specified buffer" msgstr "" -#: ClientCommand.cpp:1771 +#: ClientCommand.cpp:1781 msgctxt "helpcmd|ClearAllBuffers|desc" msgid "Clear all channel and query buffers" msgstr "" -#: ClientCommand.cpp:1774 +#: ClientCommand.cpp:1784 msgctxt "helpcmd|ClearAllChannelBuffers|desc" msgid "Clear the channel buffers" msgstr "" -#: ClientCommand.cpp:1778 +#: ClientCommand.cpp:1788 msgctxt "helpcmd|ClearAllQueryBuffers|desc" msgid "Clear the query buffers" msgstr "" -#: ClientCommand.cpp:1780 +#: ClientCommand.cpp:1790 msgctxt "helpcmd|SetBuffer|args" msgid "<#chan|query> [linecount]" msgstr "" -#: ClientCommand.cpp:1781 +#: ClientCommand.cpp:1791 msgctxt "helpcmd|SetBuffer|desc" msgid "Set the buffer count" msgstr "" -#: ClientCommand.cpp:1785 +#: ClientCommand.cpp:1795 msgctxt "helpcmd|SetBindHost|args" msgid "" msgstr "" -#: ClientCommand.cpp:1786 +#: ClientCommand.cpp:1796 msgctxt "helpcmd|SetBindHost|desc" msgid "Set the bind host for this network" msgstr "" -#: ClientCommand.cpp:1790 +#: ClientCommand.cpp:1800 msgctxt "helpcmd|SetUserBindHost|args" msgid "" msgstr "" -#: ClientCommand.cpp:1791 +#: ClientCommand.cpp:1801 msgctxt "helpcmd|SetUserBindHost|desc" msgid "Set the default bind host for this user" msgstr "" -#: ClientCommand.cpp:1794 +#: ClientCommand.cpp:1804 msgctxt "helpcmd|ClearBindHost|desc" msgid "Clear the bind host for this network" msgstr "" -#: ClientCommand.cpp:1797 +#: ClientCommand.cpp:1807 msgctxt "helpcmd|ClearUserBindHost|desc" msgid "Clear the default bind host for this user" msgstr "" -#: ClientCommand.cpp:1803 +#: ClientCommand.cpp:1813 msgctxt "helpcmd|ShowBindHost|desc" msgid "Show currently selected bind host" msgstr "" -#: ClientCommand.cpp:1805 +#: ClientCommand.cpp:1815 msgctxt "helpcmd|Jump|args" msgid "[server]" msgstr "" -#: ClientCommand.cpp:1806 +#: ClientCommand.cpp:1816 msgctxt "helpcmd|Jump|desc" msgid "Jump to the next or the specified server" msgstr "" -#: ClientCommand.cpp:1807 +#: ClientCommand.cpp:1817 msgctxt "helpcmd|Disconnect|args" msgid "[message]" msgstr "" -#: ClientCommand.cpp:1808 +#: ClientCommand.cpp:1818 msgctxt "helpcmd|Disconnect|desc" msgid "Disconnect from IRC" msgstr "" -#: ClientCommand.cpp:1810 +#: ClientCommand.cpp:1820 msgctxt "helpcmd|Connect|desc" msgid "Reconnect to IRC" msgstr "" -#: ClientCommand.cpp:1813 +#: ClientCommand.cpp:1823 msgctxt "helpcmd|Uptime|desc" msgid "Show for how long ZNC has been running" msgstr "" -#: ClientCommand.cpp:1817 +#: ClientCommand.cpp:1827 msgctxt "helpcmd|LoadMod|args" msgid "[--type=global|user|network] " msgstr "" -#: ClientCommand.cpp:1819 +#: ClientCommand.cpp:1829 msgctxt "helpcmd|LoadMod|desc" msgid "Load a module" msgstr "" -#: ClientCommand.cpp:1821 +#: ClientCommand.cpp:1831 msgctxt "helpcmd|UnloadMod|args" msgid "[--type=global|user|network] " msgstr "" -#: ClientCommand.cpp:1823 +#: ClientCommand.cpp:1833 msgctxt "helpcmd|UnloadMod|desc" msgid "Unload a module" msgstr "" -#: ClientCommand.cpp:1825 +#: ClientCommand.cpp:1835 msgctxt "helpcmd|ReloadMod|args" msgid "[--type=global|user|network] " msgstr "" -#: ClientCommand.cpp:1827 +#: ClientCommand.cpp:1837 msgctxt "helpcmd|ReloadMod|desc" msgid "Reload a module" msgstr "" -#: ClientCommand.cpp:1830 +#: ClientCommand.cpp:1840 msgctxt "helpcmd|UpdateMod|args" msgid "" msgstr "" -#: ClientCommand.cpp:1831 +#: ClientCommand.cpp:1841 msgctxt "helpcmd|UpdateMod|desc" msgid "Reload a module everywhere" msgstr "" -#: ClientCommand.cpp:1837 +#: ClientCommand.cpp:1847 msgctxt "helpcmd|ShowMOTD|desc" msgid "Show ZNC's message of the day" msgstr "" -#: ClientCommand.cpp:1841 +#: ClientCommand.cpp:1851 msgctxt "helpcmd|SetMOTD|args" msgid "" msgstr "" -#: ClientCommand.cpp:1842 +#: ClientCommand.cpp:1852 msgctxt "helpcmd|SetMOTD|desc" msgid "Set ZNC's message of the day" msgstr "" -#: ClientCommand.cpp:1844 +#: ClientCommand.cpp:1854 msgctxt "helpcmd|AddMOTD|args" msgid "" msgstr "" -#: ClientCommand.cpp:1845 +#: ClientCommand.cpp:1855 msgctxt "helpcmd|AddMOTD|desc" msgid "Append to ZNC's MOTD" msgstr "" -#: ClientCommand.cpp:1847 +#: ClientCommand.cpp:1857 msgctxt "helpcmd|ClearMOTD|desc" msgid "Clear ZNC's MOTD" msgstr "" -#: ClientCommand.cpp:1850 +#: ClientCommand.cpp:1860 msgctxt "helpcmd|ListPorts|desc" msgid "Show all active listeners" msgstr "" -#: ClientCommand.cpp:1852 +#: ClientCommand.cpp:1862 msgctxt "helpcmd|AddPort|args" msgid "<[+]port> [bindhost [uriprefix]]" msgstr "" -#: ClientCommand.cpp:1855 +#: ClientCommand.cpp:1865 msgctxt "helpcmd|AddPort|desc" msgid "Add another port for ZNC to listen on" msgstr "" -#: ClientCommand.cpp:1859 +#: ClientCommand.cpp:1869 msgctxt "helpcmd|DelPort|args" msgid " [bindhost]" msgstr "" -#: ClientCommand.cpp:1860 +#: ClientCommand.cpp:1870 msgctxt "helpcmd|DelPort|desc" msgid "Remove a port from ZNC" msgstr "" -#: ClientCommand.cpp:1863 +#: ClientCommand.cpp:1873 msgctxt "helpcmd|Rehash|desc" msgid "Reload global settings, modules, and listeners from znc.conf" msgstr "" -#: ClientCommand.cpp:1866 +#: ClientCommand.cpp:1876 msgctxt "helpcmd|SaveConfig|desc" msgid "Save the current settings to disk" msgstr "" -#: ClientCommand.cpp:1869 +#: ClientCommand.cpp:1879 msgctxt "helpcmd|ListUsers|desc" msgid "List all ZNC users and their connection status" msgstr "" -#: ClientCommand.cpp:1872 +#: ClientCommand.cpp:1882 msgctxt "helpcmd|ListAllUserNetworks|desc" msgid "List all ZNC users and their networks" msgstr "" -#: ClientCommand.cpp:1875 +#: ClientCommand.cpp:1885 msgctxt "helpcmd|ListChans|args" msgid "[user ]" msgstr "" -#: ClientCommand.cpp:1878 +#: ClientCommand.cpp:1888 msgctxt "helpcmd|ListClients|args" msgid "[user]" msgstr "" -#: ClientCommand.cpp:1879 +#: ClientCommand.cpp:1889 msgctxt "helpcmd|ListClients|desc" msgid "List all connected clients" msgstr "" -#: ClientCommand.cpp:1881 +#: ClientCommand.cpp:1891 msgctxt "helpcmd|Traffic|desc" msgid "Show basic traffic stats for all ZNC users" msgstr "" -#: ClientCommand.cpp:1883 +#: ClientCommand.cpp:1893 msgctxt "helpcmd|Broadcast|args" msgid "[message]" msgstr "" -#: ClientCommand.cpp:1884 +#: ClientCommand.cpp:1894 msgctxt "helpcmd|Broadcast|desc" msgid "Broadcast a message to all ZNC users" msgstr "" -#: ClientCommand.cpp:1887 +#: ClientCommand.cpp:1897 msgctxt "helpcmd|Shutdown|args" msgid "[message]" msgstr "" -#: ClientCommand.cpp:1888 +#: ClientCommand.cpp:1898 msgctxt "helpcmd|Shutdown|desc" msgid "Shut down ZNC completely" msgstr "" -#: ClientCommand.cpp:1889 +#: ClientCommand.cpp:1899 msgctxt "helpcmd|Restart|args" msgid "[message]" msgstr "" -#: ClientCommand.cpp:1890 +#: ClientCommand.cpp:1900 msgctxt "helpcmd|Restart|desc" msgid "Restart ZNC" msgstr "" From 42222a379cd08da7bc9dc9194e62b6844c099a00 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Fri, 21 Jun 2019 22:17:23 +0000 Subject: [PATCH 255/798] Update translations from Crowdin for de_DE es_ES id_ID nl_NL pt_BR ru_RU --- bg.zip | 5 + modules/po/admindebug.de_DE.po | 2 +- modules/po/admindebug.es_ES.po | 2 +- modules/po/admindebug.id_ID.po | 2 +- modules/po/admindebug.nl_NL.po | 2 +- modules/po/admindebug.pt_BR.po | 2 +- modules/po/admindebug.ru_RU.po | 2 +- modules/po/adminlog.de_DE.po | 2 +- modules/po/adminlog.es_ES.po | 2 +- modules/po/adminlog.id_ID.po | 2 +- modules/po/adminlog.nl_NL.po | 2 +- modules/po/adminlog.pt_BR.po | 2 +- modules/po/adminlog.ru_RU.po | 2 +- modules/po/alias.de_DE.po | 2 +- modules/po/alias.es_ES.po | 2 +- modules/po/alias.id_ID.po | 2 +- modules/po/alias.nl_NL.po | 2 +- modules/po/alias.pt_BR.po | 2 +- modules/po/alias.ru_RU.po | 2 +- modules/po/autoattach.de_DE.po | 2 +- modules/po/autoattach.es_ES.po | 2 +- modules/po/autoattach.id_ID.po | 2 +- modules/po/autoattach.nl_NL.po | 2 +- modules/po/autoattach.pt_BR.po | 2 +- modules/po/autoattach.ru_RU.po | 2 +- modules/po/autocycle.de_DE.po | 2 +- modules/po/autocycle.es_ES.po | 2 +- modules/po/autocycle.id_ID.po | 2 +- modules/po/autocycle.nl_NL.po | 2 +- modules/po/autocycle.pt_BR.po | 2 +- modules/po/autocycle.ru_RU.po | 2 +- modules/po/autoop.de_DE.po | 2 +- modules/po/autoop.es_ES.po | 2 +- modules/po/autoop.id_ID.po | 2 +- modules/po/autoop.nl_NL.po | 2 +- modules/po/autoop.pt_BR.po | 2 +- modules/po/autoop.ru_RU.po | 2 +- modules/po/autoreply.de_DE.po | 2 +- modules/po/autoreply.es_ES.po | 2 +- modules/po/autoreply.id_ID.po | 2 +- modules/po/autoreply.nl_NL.po | 2 +- modules/po/autoreply.pt_BR.po | 2 +- modules/po/autoreply.ru_RU.po | 2 +- modules/po/autovoice.de_DE.po | 2 +- modules/po/autovoice.es_ES.po | 2 +- modules/po/autovoice.id_ID.po | 2 +- modules/po/autovoice.nl_NL.po | 2 +- modules/po/autovoice.pt_BR.po | 2 +- modules/po/autovoice.ru_RU.po | 2 +- modules/po/awaystore.de_DE.po | 2 +- modules/po/awaystore.es_ES.po | 2 +- modules/po/awaystore.id_ID.po | 2 +- modules/po/awaystore.nl_NL.po | 2 +- modules/po/awaystore.pt_BR.po | 2 +- modules/po/awaystore.ru_RU.po | 2 +- modules/po/block_motd.de_DE.po | 2 +- modules/po/block_motd.es_ES.po | 2 +- modules/po/block_motd.id_ID.po | 2 +- modules/po/block_motd.nl_NL.po | 2 +- modules/po/block_motd.pt_BR.po | 2 +- modules/po/block_motd.ru_RU.po | 2 +- modules/po/blockuser.de_DE.po | 2 +- modules/po/blockuser.es_ES.po | 2 +- modules/po/blockuser.id_ID.po | 2 +- modules/po/blockuser.nl_NL.po | 2 +- modules/po/blockuser.pt_BR.po | 2 +- modules/po/blockuser.ru_RU.po | 2 +- modules/po/bouncedcc.de_DE.po | 2 +- modules/po/bouncedcc.es_ES.po | 2 +- modules/po/bouncedcc.id_ID.po | 2 +- modules/po/bouncedcc.nl_NL.po | 2 +- modules/po/bouncedcc.pt_BR.po | 2 +- modules/po/bouncedcc.ru_RU.po | 2 +- modules/po/buffextras.de_DE.po | 2 +- modules/po/buffextras.es_ES.po | 2 +- modules/po/buffextras.id_ID.po | 2 +- modules/po/buffextras.nl_NL.po | 2 +- modules/po/buffextras.pt_BR.po | 2 +- modules/po/buffextras.ru_RU.po | 2 +- modules/po/cert.de_DE.po | 2 +- modules/po/cert.es_ES.po | 2 +- modules/po/cert.id_ID.po | 2 +- modules/po/cert.nl_NL.po | 2 +- modules/po/cert.pt_BR.po | 2 +- modules/po/cert.ru_RU.po | 2 +- modules/po/certauth.de_DE.po | 2 +- modules/po/certauth.es_ES.po | 2 +- modules/po/certauth.id_ID.po | 2 +- modules/po/certauth.nl_NL.po | 2 +- modules/po/certauth.pt_BR.po | 2 +- modules/po/certauth.ru_RU.po | 2 +- modules/po/chansaver.de_DE.po | 2 +- modules/po/chansaver.es_ES.po | 2 +- modules/po/chansaver.id_ID.po | 2 +- modules/po/chansaver.nl_NL.po | 2 +- modules/po/chansaver.pt_BR.po | 2 +- modules/po/chansaver.ru_RU.po | 2 +- modules/po/clearbufferonmsg.de_DE.po | 2 +- modules/po/clearbufferonmsg.es_ES.po | 2 +- modules/po/clearbufferonmsg.id_ID.po | 2 +- modules/po/clearbufferonmsg.nl_NL.po | 2 +- modules/po/clearbufferonmsg.pt_BR.po | 2 +- modules/po/clearbufferonmsg.ru_RU.po | 2 +- modules/po/clientnotify.de_DE.po | 2 +- modules/po/clientnotify.es_ES.po | 2 +- modules/po/clientnotify.id_ID.po | 2 +- modules/po/clientnotify.nl_NL.po | 2 +- modules/po/clientnotify.pt_BR.po | 2 +- modules/po/clientnotify.ru_RU.po | 2 +- modules/po/controlpanel.de_DE.po | 2 +- modules/po/controlpanel.es_ES.po | 2 +- modules/po/controlpanel.id_ID.po | 2 +- modules/po/controlpanel.nl_NL.po | 2 +- modules/po/controlpanel.pt_BR.po | 2 +- modules/po/controlpanel.ru_RU.po | 2 +- modules/po/crypt.de_DE.po | 2 +- modules/po/crypt.es_ES.po | 2 +- modules/po/crypt.id_ID.po | 2 +- modules/po/crypt.nl_NL.po | 2 +- modules/po/crypt.pt_BR.po | 2 +- modules/po/crypt.ru_RU.po | 2 +- modules/po/ctcpflood.de_DE.po | 2 +- modules/po/ctcpflood.es_ES.po | 2 +- modules/po/ctcpflood.id_ID.po | 2 +- modules/po/ctcpflood.nl_NL.po | 2 +- modules/po/ctcpflood.pt_BR.po | 2 +- modules/po/ctcpflood.ru_RU.po | 2 +- modules/po/cyrusauth.de_DE.po | 2 +- modules/po/cyrusauth.es_ES.po | 2 +- modules/po/cyrusauth.id_ID.po | 2 +- modules/po/cyrusauth.nl_NL.po | 2 +- modules/po/cyrusauth.pt_BR.po | 2 +- modules/po/cyrusauth.ru_RU.po | 2 +- modules/po/dcc.de_DE.po | 2 +- modules/po/dcc.es_ES.po | 2 +- modules/po/dcc.id_ID.po | 2 +- modules/po/dcc.nl_NL.po | 2 +- modules/po/dcc.pt_BR.po | 2 +- modules/po/dcc.ru_RU.po | 2 +- modules/po/disconkick.de_DE.po | 2 +- modules/po/disconkick.es_ES.po | 2 +- modules/po/disconkick.id_ID.po | 2 +- modules/po/disconkick.nl_NL.po | 2 +- modules/po/disconkick.pt_BR.po | 2 +- modules/po/disconkick.ru_RU.po | 2 +- modules/po/fail2ban.de_DE.po | 2 +- modules/po/fail2ban.es_ES.po | 2 +- modules/po/fail2ban.id_ID.po | 2 +- modules/po/fail2ban.nl_NL.po | 2 +- modules/po/fail2ban.pt_BR.po | 2 +- modules/po/fail2ban.ru_RU.po | 2 +- modules/po/flooddetach.de_DE.po | 2 +- modules/po/flooddetach.es_ES.po | 2 +- modules/po/flooddetach.id_ID.po | 2 +- modules/po/flooddetach.nl_NL.po | 2 +- modules/po/flooddetach.pt_BR.po | 2 +- modules/po/flooddetach.ru_RU.po | 2 +- modules/po/identfile.de_DE.po | 2 +- modules/po/identfile.es_ES.po | 2 +- modules/po/identfile.id_ID.po | 2 +- modules/po/identfile.nl_NL.po | 2 +- modules/po/identfile.pt_BR.po | 2 +- modules/po/identfile.ru_RU.po | 2 +- modules/po/imapauth.de_DE.po | 2 +- modules/po/imapauth.es_ES.po | 2 +- modules/po/imapauth.id_ID.po | 2 +- modules/po/imapauth.nl_NL.po | 2 +- modules/po/imapauth.pt_BR.po | 2 +- modules/po/imapauth.ru_RU.po | 2 +- modules/po/keepnick.de_DE.po | 2 +- modules/po/keepnick.es_ES.po | 2 +- modules/po/keepnick.id_ID.po | 2 +- modules/po/keepnick.nl_NL.po | 2 +- modules/po/keepnick.pt_BR.po | 2 +- modules/po/keepnick.ru_RU.po | 2 +- modules/po/kickrejoin.de_DE.po | 2 +- modules/po/kickrejoin.es_ES.po | 2 +- modules/po/kickrejoin.id_ID.po | 2 +- modules/po/kickrejoin.nl_NL.po | 2 +- modules/po/kickrejoin.pt_BR.po | 2 +- modules/po/kickrejoin.ru_RU.po | 2 +- modules/po/lastseen.de_DE.po | 2 +- modules/po/lastseen.es_ES.po | 2 +- modules/po/lastseen.id_ID.po | 2 +- modules/po/lastseen.nl_NL.po | 2 +- modules/po/lastseen.pt_BR.po | 2 +- modules/po/lastseen.ru_RU.po | 2 +- modules/po/listsockets.de_DE.po | 2 +- modules/po/listsockets.es_ES.po | 2 +- modules/po/listsockets.id_ID.po | 2 +- modules/po/listsockets.nl_NL.po | 2 +- modules/po/listsockets.pt_BR.po | 2 +- modules/po/listsockets.ru_RU.po | 2 +- modules/po/log.de_DE.po | 2 +- modules/po/log.es_ES.po | 2 +- modules/po/log.id_ID.po | 2 +- modules/po/log.nl_NL.po | 2 +- modules/po/log.pt_BR.po | 2 +- modules/po/log.ru_RU.po | 2 +- modules/po/missingmotd.de_DE.po | 2 +- modules/po/missingmotd.es_ES.po | 2 +- modules/po/missingmotd.id_ID.po | 2 +- modules/po/missingmotd.nl_NL.po | 2 +- modules/po/missingmotd.pt_BR.po | 2 +- modules/po/missingmotd.ru_RU.po | 2 +- modules/po/modperl.de_DE.po | 2 +- modules/po/modperl.es_ES.po | 2 +- modules/po/modperl.id_ID.po | 2 +- modules/po/modperl.nl_NL.po | 2 +- modules/po/modperl.pt_BR.po | 2 +- modules/po/modperl.ru_RU.po | 2 +- modules/po/modpython.de_DE.po | 2 +- modules/po/modpython.es_ES.po | 2 +- modules/po/modpython.id_ID.po | 2 +- modules/po/modpython.nl_NL.po | 2 +- modules/po/modpython.pt_BR.po | 2 +- modules/po/modpython.ru_RU.po | 2 +- modules/po/modules_online.de_DE.po | 2 +- modules/po/modules_online.es_ES.po | 2 +- modules/po/modules_online.id_ID.po | 2 +- modules/po/modules_online.nl_NL.po | 2 +- modules/po/modules_online.pt_BR.po | 2 +- modules/po/modules_online.ru_RU.po | 2 +- modules/po/nickserv.de_DE.po | 2 +- modules/po/nickserv.es_ES.po | 2 +- modules/po/nickserv.id_ID.po | 2 +- modules/po/nickserv.nl_NL.po | 2 +- modules/po/nickserv.pt_BR.po | 2 +- modules/po/nickserv.ru_RU.po | 2 +- modules/po/notes.de_DE.po | 2 +- modules/po/notes.es_ES.po | 2 +- modules/po/notes.id_ID.po | 2 +- modules/po/notes.nl_NL.po | 2 +- modules/po/notes.pt_BR.po | 2 +- modules/po/notes.ru_RU.po | 2 +- modules/po/notify_connect.de_DE.po | 2 +- modules/po/notify_connect.es_ES.po | 2 +- modules/po/notify_connect.id_ID.po | 2 +- modules/po/notify_connect.nl_NL.po | 2 +- modules/po/notify_connect.pt_BR.po | 2 +- modules/po/notify_connect.ru_RU.po | 2 +- modules/po/partyline.de_DE.po | 14 +-- modules/po/partyline.es_ES.po | 14 +-- modules/po/partyline.id_ID.po | 2 +- modules/po/partyline.nl_NL.po | 13 +-- modules/po/partyline.pt_BR.po | 2 +- modules/po/partyline.ru_RU.po | 2 +- modules/po/perform.de_DE.po | 2 +- modules/po/perform.es_ES.po | 2 +- modules/po/perform.id_ID.po | 2 +- modules/po/perform.nl_NL.po | 2 +- modules/po/perform.pt_BR.po | 2 +- modules/po/perform.ru_RU.po | 2 +- modules/po/perleval.de_DE.po | 2 +- modules/po/perleval.es_ES.po | 2 +- modules/po/perleval.id_ID.po | 2 +- modules/po/perleval.nl_NL.po | 2 +- modules/po/perleval.pt_BR.po | 2 +- modules/po/perleval.ru_RU.po | 2 +- modules/po/pyeval.de_DE.po | 2 +- modules/po/pyeval.es_ES.po | 2 +- modules/po/pyeval.id_ID.po | 2 +- modules/po/pyeval.nl_NL.po | 2 +- modules/po/pyeval.pt_BR.po | 2 +- modules/po/pyeval.ru_RU.po | 2 +- modules/po/q.de_DE.po | 2 +- modules/po/q.es_ES.po | 137 +++++++++++------------ modules/po/q.id_ID.po | 38 +++---- modules/po/q.nl_NL.po | 135 ++++++++++------------- modules/po/q.pt_BR.po | 2 +- modules/po/q.ru_RU.po | 2 +- modules/po/raw.de_DE.po | 2 +- modules/po/raw.es_ES.po | 2 +- modules/po/raw.id_ID.po | 2 +- modules/po/raw.nl_NL.po | 2 +- modules/po/raw.pt_BR.po | 2 +- modules/po/raw.ru_RU.po | 2 +- modules/po/route_replies.de_DE.po | 2 +- modules/po/route_replies.es_ES.po | 2 +- modules/po/route_replies.id_ID.po | 2 +- modules/po/route_replies.nl_NL.po | 2 +- modules/po/route_replies.pt_BR.po | 2 +- modules/po/route_replies.ru_RU.po | 2 +- modules/po/sample.de_DE.po | 2 +- modules/po/sample.es_ES.po | 2 +- modules/po/sample.id_ID.po | 2 +- modules/po/sample.nl_NL.po | 2 +- modules/po/sample.pt_BR.po | 2 +- modules/po/sample.ru_RU.po | 2 +- modules/po/samplewebapi.de_DE.po | 2 +- modules/po/samplewebapi.es_ES.po | 2 +- modules/po/samplewebapi.id_ID.po | 2 +- modules/po/samplewebapi.nl_NL.po | 2 +- modules/po/samplewebapi.pt_BR.po | 2 +- modules/po/samplewebapi.ru_RU.po | 2 +- modules/po/sasl.de_DE.po | 2 +- modules/po/sasl.es_ES.po | 2 +- modules/po/sasl.id_ID.po | 2 +- modules/po/sasl.nl_NL.po | 2 +- modules/po/sasl.pt_BR.po | 2 +- modules/po/sasl.ru_RU.po | 2 +- modules/po/savebuff.de_DE.po | 2 +- modules/po/savebuff.es_ES.po | 2 +- modules/po/savebuff.id_ID.po | 2 +- modules/po/savebuff.nl_NL.po | 2 +- modules/po/savebuff.pt_BR.po | 2 +- modules/po/savebuff.ru_RU.po | 2 +- modules/po/send_raw.de_DE.po | 2 +- modules/po/send_raw.es_ES.po | 2 +- modules/po/send_raw.id_ID.po | 2 +- modules/po/send_raw.nl_NL.po | 2 +- modules/po/send_raw.pt_BR.po | 2 +- modules/po/send_raw.ru_RU.po | 2 +- modules/po/shell.de_DE.po | 2 +- modules/po/shell.es_ES.po | 2 +- modules/po/shell.id_ID.po | 2 +- modules/po/shell.nl_NL.po | 2 +- modules/po/shell.pt_BR.po | 2 +- modules/po/shell.ru_RU.po | 2 +- modules/po/simple_away.de_DE.po | 2 +- modules/po/simple_away.es_ES.po | 2 +- modules/po/simple_away.id_ID.po | 2 +- modules/po/simple_away.nl_NL.po | 2 +- modules/po/simple_away.pt_BR.po | 2 +- modules/po/simple_away.ru_RU.po | 2 +- modules/po/stickychan.de_DE.po | 2 +- modules/po/stickychan.es_ES.po | 2 +- modules/po/stickychan.id_ID.po | 2 +- modules/po/stickychan.nl_NL.po | 2 +- modules/po/stickychan.pt_BR.po | 2 +- modules/po/stickychan.ru_RU.po | 2 +- modules/po/stripcontrols.de_DE.po | 2 +- modules/po/stripcontrols.es_ES.po | 2 +- modules/po/stripcontrols.id_ID.po | 2 +- modules/po/stripcontrols.nl_NL.po | 2 +- modules/po/stripcontrols.pt_BR.po | 2 +- modules/po/stripcontrols.ru_RU.po | 2 +- modules/po/watch.de_DE.po | 2 +- modules/po/watch.es_ES.po | 2 +- modules/po/watch.id_ID.po | 2 +- modules/po/watch.nl_NL.po | 2 +- modules/po/watch.pt_BR.po | 2 +- modules/po/watch.ru_RU.po | 2 +- modules/po/webadmin.de_DE.po | 2 +- modules/po/webadmin.es_ES.po | 2 +- modules/po/webadmin.id_ID.po | 2 +- modules/po/webadmin.nl_NL.po | 2 +- modules/po/webadmin.pt_BR.po | 2 +- modules/po/webadmin.ru_RU.po | 2 +- src/po/znc.de_DE.po | 120 ++++++++++---------- src/po/znc.es_ES.po | 120 ++++++++++---------- src/po/znc.id_ID.po | 120 ++++++++++---------- src/po/znc.nl_NL.po | 120 ++++++++++---------- src/po/znc.pot | 118 ++++++++++---------- src/po/znc.pt_BR.po | 157 ++++++++++++++------------- src/po/znc.ru_RU.po | 120 ++++++++++---------- 356 files changed, 942 insertions(+), 973 deletions(-) create mode 100644 bg.zip diff --git a/bg.zip b/bg.zip new file mode 100644 index 00000000..c92a8386 --- /dev/null +++ b/bg.zip @@ -0,0 +1,5 @@ + + + 8 + File was not found + diff --git a/modules/po/admindebug.de_DE.po b/modules/po/admindebug.de_DE.po index 4d22ef0b..c567a2f7 100644 --- a/modules/po/admindebug.de_DE.po +++ b/modules/po/admindebug.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/admindebug.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/admindebug.es_ES.po b/modules/po/admindebug.es_ES.po index fb82f3d8..a7c5f254 100644 --- a/modules/po/admindebug.es_ES.po +++ b/modules/po/admindebug.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/admindebug.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/admindebug.id_ID.po b/modules/po/admindebug.id_ID.po index 2dc0ce7d..d2771953 100644 --- a/modules/po/admindebug.id_ID.po +++ b/modules/po/admindebug.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/admindebug.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/admindebug.nl_NL.po b/modules/po/admindebug.nl_NL.po index fc0cfb7d..cd120152 100644 --- a/modules/po/admindebug.nl_NL.po +++ b/modules/po/admindebug.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/admindebug.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/admindebug.pt_BR.po b/modules/po/admindebug.pt_BR.po index 332da6f1..954be80c 100644 --- a/modules/po/admindebug.pt_BR.po +++ b/modules/po/admindebug.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/admindebug.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/admindebug.ru_RU.po b/modules/po/admindebug.ru_RU.po index 6370d169..569b67e4 100644 --- a/modules/po/admindebug.ru_RU.po +++ b/modules/po/admindebug.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/admindebug.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/adminlog.de_DE.po b/modules/po/adminlog.de_DE.po index 73bd1a48..42af6ec2 100644 --- a/modules/po/adminlog.de_DE.po +++ b/modules/po/adminlog.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/adminlog.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/adminlog.es_ES.po b/modules/po/adminlog.es_ES.po index e9ffe397..ced9d2a8 100644 --- a/modules/po/adminlog.es_ES.po +++ b/modules/po/adminlog.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/adminlog.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/adminlog.id_ID.po b/modules/po/adminlog.id_ID.po index 5ca1eed9..e492ddce 100644 --- a/modules/po/adminlog.id_ID.po +++ b/modules/po/adminlog.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/adminlog.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/adminlog.nl_NL.po b/modules/po/adminlog.nl_NL.po index b00ac03e..58c19721 100644 --- a/modules/po/adminlog.nl_NL.po +++ b/modules/po/adminlog.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/adminlog.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/adminlog.pt_BR.po b/modules/po/adminlog.pt_BR.po index e52b013f..85be65b5 100644 --- a/modules/po/adminlog.pt_BR.po +++ b/modules/po/adminlog.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/adminlog.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/adminlog.ru_RU.po b/modules/po/adminlog.ru_RU.po index fd6012e7..e91d89b4 100644 --- a/modules/po/adminlog.ru_RU.po +++ b/modules/po/adminlog.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/adminlog.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/alias.de_DE.po b/modules/po/alias.de_DE.po index cff414fd..5e01f7a5 100644 --- a/modules/po/alias.de_DE.po +++ b/modules/po/alias.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/alias.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/alias.es_ES.po b/modules/po/alias.es_ES.po index b0935398..71a4d9d7 100644 --- a/modules/po/alias.es_ES.po +++ b/modules/po/alias.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/alias.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/alias.id_ID.po b/modules/po/alias.id_ID.po index 0cc94a22..d318e4e7 100644 --- a/modules/po/alias.id_ID.po +++ b/modules/po/alias.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/alias.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/alias.nl_NL.po b/modules/po/alias.nl_NL.po index d306af64..9277a34b 100644 --- a/modules/po/alias.nl_NL.po +++ b/modules/po/alias.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/alias.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/alias.pt_BR.po b/modules/po/alias.pt_BR.po index 55f52fc7..c05481b9 100644 --- a/modules/po/alias.pt_BR.po +++ b/modules/po/alias.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/alias.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/alias.ru_RU.po b/modules/po/alias.ru_RU.po index 3586cc05..1939a6f7 100644 --- a/modules/po/alias.ru_RU.po +++ b/modules/po/alias.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/alias.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/autoattach.de_DE.po b/modules/po/autoattach.de_DE.po index 7a402902..f9632ffb 100644 --- a/modules/po/autoattach.de_DE.po +++ b/modules/po/autoattach.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/autoattach.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/autoattach.es_ES.po b/modules/po/autoattach.es_ES.po index a692cfc1..7f00163a 100644 --- a/modules/po/autoattach.es_ES.po +++ b/modules/po/autoattach.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/autoattach.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/autoattach.id_ID.po b/modules/po/autoattach.id_ID.po index d9edfd7a..ed60450d 100644 --- a/modules/po/autoattach.id_ID.po +++ b/modules/po/autoattach.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/autoattach.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/autoattach.nl_NL.po b/modules/po/autoattach.nl_NL.po index d0f1b982..68f71c8e 100644 --- a/modules/po/autoattach.nl_NL.po +++ b/modules/po/autoattach.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/autoattach.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/autoattach.pt_BR.po b/modules/po/autoattach.pt_BR.po index aea017e7..49a57d54 100644 --- a/modules/po/autoattach.pt_BR.po +++ b/modules/po/autoattach.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/autoattach.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/autoattach.ru_RU.po b/modules/po/autoattach.ru_RU.po index fe955f7a..838307e5 100644 --- a/modules/po/autoattach.ru_RU.po +++ b/modules/po/autoattach.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/autoattach.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/autocycle.de_DE.po b/modules/po/autocycle.de_DE.po index 25deb433..b7063780 100644 --- a/modules/po/autocycle.de_DE.po +++ b/modules/po/autocycle.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/autocycle.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/autocycle.es_ES.po b/modules/po/autocycle.es_ES.po index 0ce2c475..892e1bbe 100644 --- a/modules/po/autocycle.es_ES.po +++ b/modules/po/autocycle.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/autocycle.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/autocycle.id_ID.po b/modules/po/autocycle.id_ID.po index 67335d58..ecf68044 100644 --- a/modules/po/autocycle.id_ID.po +++ b/modules/po/autocycle.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/autocycle.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/autocycle.nl_NL.po b/modules/po/autocycle.nl_NL.po index d350026c..dd092ed4 100644 --- a/modules/po/autocycle.nl_NL.po +++ b/modules/po/autocycle.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/autocycle.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/autocycle.pt_BR.po b/modules/po/autocycle.pt_BR.po index 8f252205..5c66f528 100644 --- a/modules/po/autocycle.pt_BR.po +++ b/modules/po/autocycle.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/autocycle.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/autocycle.ru_RU.po b/modules/po/autocycle.ru_RU.po index c059008e..33f6132e 100644 --- a/modules/po/autocycle.ru_RU.po +++ b/modules/po/autocycle.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/autocycle.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/autoop.de_DE.po b/modules/po/autoop.de_DE.po index 655f02e5..78a6d2e6 100644 --- a/modules/po/autoop.de_DE.po +++ b/modules/po/autoop.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/autoop.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/autoop.es_ES.po b/modules/po/autoop.es_ES.po index 6e42b225..1e29f700 100644 --- a/modules/po/autoop.es_ES.po +++ b/modules/po/autoop.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/autoop.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/autoop.id_ID.po b/modules/po/autoop.id_ID.po index a15bbcf9..cd2b2a3c 100644 --- a/modules/po/autoop.id_ID.po +++ b/modules/po/autoop.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/autoop.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/autoop.nl_NL.po b/modules/po/autoop.nl_NL.po index a5112d7c..f2adc906 100644 --- a/modules/po/autoop.nl_NL.po +++ b/modules/po/autoop.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/autoop.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/autoop.pt_BR.po b/modules/po/autoop.pt_BR.po index 3d2e3bf3..1ebf6373 100644 --- a/modules/po/autoop.pt_BR.po +++ b/modules/po/autoop.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/autoop.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/autoop.ru_RU.po b/modules/po/autoop.ru_RU.po index 992b056b..ad91c695 100644 --- a/modules/po/autoop.ru_RU.po +++ b/modules/po/autoop.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/autoop.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/autoreply.de_DE.po b/modules/po/autoreply.de_DE.po index dec1aef0..6e92fb34 100644 --- a/modules/po/autoreply.de_DE.po +++ b/modules/po/autoreply.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/autoreply.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/autoreply.es_ES.po b/modules/po/autoreply.es_ES.po index d7c5c934..b01a45de 100644 --- a/modules/po/autoreply.es_ES.po +++ b/modules/po/autoreply.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/autoreply.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/autoreply.id_ID.po b/modules/po/autoreply.id_ID.po index f8f7c199..346bdb13 100644 --- a/modules/po/autoreply.id_ID.po +++ b/modules/po/autoreply.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/autoreply.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/autoreply.nl_NL.po b/modules/po/autoreply.nl_NL.po index 202a7bfd..27e5f3d1 100644 --- a/modules/po/autoreply.nl_NL.po +++ b/modules/po/autoreply.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/autoreply.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/autoreply.pt_BR.po b/modules/po/autoreply.pt_BR.po index 4d118a43..4582905c 100644 --- a/modules/po/autoreply.pt_BR.po +++ b/modules/po/autoreply.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/autoreply.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/autoreply.ru_RU.po b/modules/po/autoreply.ru_RU.po index 9c338f92..55cfb75c 100644 --- a/modules/po/autoreply.ru_RU.po +++ b/modules/po/autoreply.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/autoreply.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/autovoice.de_DE.po b/modules/po/autovoice.de_DE.po index 72fd9217..14259681 100644 --- a/modules/po/autovoice.de_DE.po +++ b/modules/po/autovoice.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/autovoice.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/autovoice.es_ES.po b/modules/po/autovoice.es_ES.po index ca232e5c..9b017a0d 100644 --- a/modules/po/autovoice.es_ES.po +++ b/modules/po/autovoice.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/autovoice.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/autovoice.id_ID.po b/modules/po/autovoice.id_ID.po index 9e00cb62..0098d48c 100644 --- a/modules/po/autovoice.id_ID.po +++ b/modules/po/autovoice.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/autovoice.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/autovoice.nl_NL.po b/modules/po/autovoice.nl_NL.po index b553df5d..c0f8468e 100644 --- a/modules/po/autovoice.nl_NL.po +++ b/modules/po/autovoice.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/autovoice.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/autovoice.pt_BR.po b/modules/po/autovoice.pt_BR.po index 52c4b889..376ca551 100644 --- a/modules/po/autovoice.pt_BR.po +++ b/modules/po/autovoice.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/autovoice.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/autovoice.ru_RU.po b/modules/po/autovoice.ru_RU.po index a09214dd..b6d7788f 100644 --- a/modules/po/autovoice.ru_RU.po +++ b/modules/po/autovoice.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/autovoice.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/awaystore.de_DE.po b/modules/po/awaystore.de_DE.po index e6f10440..a8708af7 100644 --- a/modules/po/awaystore.de_DE.po +++ b/modules/po/awaystore.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/awaystore.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/awaystore.es_ES.po b/modules/po/awaystore.es_ES.po index 370a8e96..92779d56 100644 --- a/modules/po/awaystore.es_ES.po +++ b/modules/po/awaystore.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/awaystore.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/awaystore.id_ID.po b/modules/po/awaystore.id_ID.po index e0d3a5fc..b769c20c 100644 --- a/modules/po/awaystore.id_ID.po +++ b/modules/po/awaystore.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/awaystore.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/awaystore.nl_NL.po b/modules/po/awaystore.nl_NL.po index dfe2fe8e..b5e8c5e3 100644 --- a/modules/po/awaystore.nl_NL.po +++ b/modules/po/awaystore.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/awaystore.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/awaystore.pt_BR.po b/modules/po/awaystore.pt_BR.po index 208c4243..0a066ecf 100644 --- a/modules/po/awaystore.pt_BR.po +++ b/modules/po/awaystore.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/awaystore.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/awaystore.ru_RU.po b/modules/po/awaystore.ru_RU.po index 57234f92..28937acd 100644 --- a/modules/po/awaystore.ru_RU.po +++ b/modules/po/awaystore.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/awaystore.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/block_motd.de_DE.po b/modules/po/block_motd.de_DE.po index 475bd58d..33fa6d22 100644 --- a/modules/po/block_motd.de_DE.po +++ b/modules/po/block_motd.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/block_motd.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/block_motd.es_ES.po b/modules/po/block_motd.es_ES.po index afe8998b..fc36543e 100644 --- a/modules/po/block_motd.es_ES.po +++ b/modules/po/block_motd.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/block_motd.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/block_motd.id_ID.po b/modules/po/block_motd.id_ID.po index 4100cf66..2a4d4cda 100644 --- a/modules/po/block_motd.id_ID.po +++ b/modules/po/block_motd.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/block_motd.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/block_motd.nl_NL.po b/modules/po/block_motd.nl_NL.po index c6c150fa..f1fac881 100644 --- a/modules/po/block_motd.nl_NL.po +++ b/modules/po/block_motd.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/block_motd.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/block_motd.pt_BR.po b/modules/po/block_motd.pt_BR.po index 0b2ed980..5a325301 100644 --- a/modules/po/block_motd.pt_BR.po +++ b/modules/po/block_motd.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/block_motd.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/block_motd.ru_RU.po b/modules/po/block_motd.ru_RU.po index aab9735b..5c804f12 100644 --- a/modules/po/block_motd.ru_RU.po +++ b/modules/po/block_motd.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/block_motd.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/blockuser.de_DE.po b/modules/po/blockuser.de_DE.po index c1203f01..9b353a6a 100644 --- a/modules/po/blockuser.de_DE.po +++ b/modules/po/blockuser.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/blockuser.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/blockuser.es_ES.po b/modules/po/blockuser.es_ES.po index 7988f48f..6f4f7f34 100644 --- a/modules/po/blockuser.es_ES.po +++ b/modules/po/blockuser.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/blockuser.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/blockuser.id_ID.po b/modules/po/blockuser.id_ID.po index 8c17cd7b..a2fec2a4 100644 --- a/modules/po/blockuser.id_ID.po +++ b/modules/po/blockuser.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/blockuser.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/blockuser.nl_NL.po b/modules/po/blockuser.nl_NL.po index f8eeab2b..af09256a 100644 --- a/modules/po/blockuser.nl_NL.po +++ b/modules/po/blockuser.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/blockuser.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/blockuser.pt_BR.po b/modules/po/blockuser.pt_BR.po index b19581a6..d9086bf6 100644 --- a/modules/po/blockuser.pt_BR.po +++ b/modules/po/blockuser.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/blockuser.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/blockuser.ru_RU.po b/modules/po/blockuser.ru_RU.po index 132de6f9..fc5e3b72 100644 --- a/modules/po/blockuser.ru_RU.po +++ b/modules/po/blockuser.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/blockuser.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/bouncedcc.de_DE.po b/modules/po/bouncedcc.de_DE.po index 047688f3..4ac8a7c9 100644 --- a/modules/po/bouncedcc.de_DE.po +++ b/modules/po/bouncedcc.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/bouncedcc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/bouncedcc.es_ES.po b/modules/po/bouncedcc.es_ES.po index 66611f0c..4ca19b22 100644 --- a/modules/po/bouncedcc.es_ES.po +++ b/modules/po/bouncedcc.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/bouncedcc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/bouncedcc.id_ID.po b/modules/po/bouncedcc.id_ID.po index 86c23506..2f068a91 100644 --- a/modules/po/bouncedcc.id_ID.po +++ b/modules/po/bouncedcc.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/bouncedcc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/bouncedcc.nl_NL.po b/modules/po/bouncedcc.nl_NL.po index 6fc10bf0..dbe2a444 100644 --- a/modules/po/bouncedcc.nl_NL.po +++ b/modules/po/bouncedcc.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/bouncedcc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/bouncedcc.pt_BR.po b/modules/po/bouncedcc.pt_BR.po index 64dd048d..51ef5baa 100644 --- a/modules/po/bouncedcc.pt_BR.po +++ b/modules/po/bouncedcc.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/bouncedcc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/bouncedcc.ru_RU.po b/modules/po/bouncedcc.ru_RU.po index 3fe125d1..f437f90c 100644 --- a/modules/po/bouncedcc.ru_RU.po +++ b/modules/po/bouncedcc.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/bouncedcc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/buffextras.de_DE.po b/modules/po/buffextras.de_DE.po index 2e128974..7c12804f 100644 --- a/modules/po/buffextras.de_DE.po +++ b/modules/po/buffextras.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/buffextras.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/buffextras.es_ES.po b/modules/po/buffextras.es_ES.po index fc71a603..f60c9c13 100644 --- a/modules/po/buffextras.es_ES.po +++ b/modules/po/buffextras.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/buffextras.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/buffextras.id_ID.po b/modules/po/buffextras.id_ID.po index a89b9ddd..7663fb15 100644 --- a/modules/po/buffextras.id_ID.po +++ b/modules/po/buffextras.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/buffextras.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/buffextras.nl_NL.po b/modules/po/buffextras.nl_NL.po index 17d7c7b7..0912df8a 100644 --- a/modules/po/buffextras.nl_NL.po +++ b/modules/po/buffextras.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/buffextras.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/buffextras.pt_BR.po b/modules/po/buffextras.pt_BR.po index 384447e2..d7c8fb81 100644 --- a/modules/po/buffextras.pt_BR.po +++ b/modules/po/buffextras.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/buffextras.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/buffextras.ru_RU.po b/modules/po/buffextras.ru_RU.po index 13accdc9..d4cc8f7d 100644 --- a/modules/po/buffextras.ru_RU.po +++ b/modules/po/buffextras.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/buffextras.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/cert.de_DE.po b/modules/po/cert.de_DE.po index 67a0d6fa..c5d5d985 100644 --- a/modules/po/cert.de_DE.po +++ b/modules/po/cert.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/cert.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/cert.es_ES.po b/modules/po/cert.es_ES.po index 78707fbb..cb6c850c 100644 --- a/modules/po/cert.es_ES.po +++ b/modules/po/cert.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/cert.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/cert.id_ID.po b/modules/po/cert.id_ID.po index d41f4fc5..4eed7750 100644 --- a/modules/po/cert.id_ID.po +++ b/modules/po/cert.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/cert.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/cert.nl_NL.po b/modules/po/cert.nl_NL.po index 6cd94b81..d7b822a3 100644 --- a/modules/po/cert.nl_NL.po +++ b/modules/po/cert.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/cert.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/cert.pt_BR.po b/modules/po/cert.pt_BR.po index 11de9c02..f3771c45 100644 --- a/modules/po/cert.pt_BR.po +++ b/modules/po/cert.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/cert.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/cert.ru_RU.po b/modules/po/cert.ru_RU.po index bab2957d..be42d053 100644 --- a/modules/po/cert.ru_RU.po +++ b/modules/po/cert.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/cert.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/certauth.de_DE.po b/modules/po/certauth.de_DE.po index 89a34ec2..e6d5c205 100644 --- a/modules/po/certauth.de_DE.po +++ b/modules/po/certauth.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/certauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/certauth.es_ES.po b/modules/po/certauth.es_ES.po index 2da1f920..7faa5120 100644 --- a/modules/po/certauth.es_ES.po +++ b/modules/po/certauth.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/certauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/certauth.id_ID.po b/modules/po/certauth.id_ID.po index 1150c5ee..0f073b2d 100644 --- a/modules/po/certauth.id_ID.po +++ b/modules/po/certauth.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/certauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/certauth.nl_NL.po b/modules/po/certauth.nl_NL.po index 6686d538..a20841c7 100644 --- a/modules/po/certauth.nl_NL.po +++ b/modules/po/certauth.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/certauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/certauth.pt_BR.po b/modules/po/certauth.pt_BR.po index 21dc821d..defeb29b 100644 --- a/modules/po/certauth.pt_BR.po +++ b/modules/po/certauth.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/certauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/certauth.ru_RU.po b/modules/po/certauth.ru_RU.po index f22d7e3d..03b23c3d 100644 --- a/modules/po/certauth.ru_RU.po +++ b/modules/po/certauth.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/certauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/chansaver.de_DE.po b/modules/po/chansaver.de_DE.po index 93b61c46..987e475c 100644 --- a/modules/po/chansaver.de_DE.po +++ b/modules/po/chansaver.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/chansaver.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/chansaver.es_ES.po b/modules/po/chansaver.es_ES.po index 8f1f47cb..44daea8b 100644 --- a/modules/po/chansaver.es_ES.po +++ b/modules/po/chansaver.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/chansaver.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/chansaver.id_ID.po b/modules/po/chansaver.id_ID.po index 47d5a806..a46539a3 100644 --- a/modules/po/chansaver.id_ID.po +++ b/modules/po/chansaver.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/chansaver.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/chansaver.nl_NL.po b/modules/po/chansaver.nl_NL.po index 42862864..23352d3d 100644 --- a/modules/po/chansaver.nl_NL.po +++ b/modules/po/chansaver.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/chansaver.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/chansaver.pt_BR.po b/modules/po/chansaver.pt_BR.po index 3fb8a1c0..ba6bfbcd 100644 --- a/modules/po/chansaver.pt_BR.po +++ b/modules/po/chansaver.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/chansaver.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/chansaver.ru_RU.po b/modules/po/chansaver.ru_RU.po index 448c767a..4f78e0e7 100644 --- a/modules/po/chansaver.ru_RU.po +++ b/modules/po/chansaver.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/chansaver.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/clearbufferonmsg.de_DE.po b/modules/po/clearbufferonmsg.de_DE.po index a1583d55..63ac2994 100644 --- a/modules/po/clearbufferonmsg.de_DE.po +++ b/modules/po/clearbufferonmsg.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/clearbufferonmsg.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/clearbufferonmsg.es_ES.po b/modules/po/clearbufferonmsg.es_ES.po index b9727023..65c3454f 100644 --- a/modules/po/clearbufferonmsg.es_ES.po +++ b/modules/po/clearbufferonmsg.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/clearbufferonmsg.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/clearbufferonmsg.id_ID.po b/modules/po/clearbufferonmsg.id_ID.po index d500a38e..89420de3 100644 --- a/modules/po/clearbufferonmsg.id_ID.po +++ b/modules/po/clearbufferonmsg.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/clearbufferonmsg.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/clearbufferonmsg.nl_NL.po b/modules/po/clearbufferonmsg.nl_NL.po index ea819ff6..904416f8 100644 --- a/modules/po/clearbufferonmsg.nl_NL.po +++ b/modules/po/clearbufferonmsg.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/clearbufferonmsg.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/clearbufferonmsg.pt_BR.po b/modules/po/clearbufferonmsg.pt_BR.po index 9d7b3a2c..585f3f88 100644 --- a/modules/po/clearbufferonmsg.pt_BR.po +++ b/modules/po/clearbufferonmsg.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/clearbufferonmsg.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/clearbufferonmsg.ru_RU.po b/modules/po/clearbufferonmsg.ru_RU.po index c199b99c..76d845ab 100644 --- a/modules/po/clearbufferonmsg.ru_RU.po +++ b/modules/po/clearbufferonmsg.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/clearbufferonmsg.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/clientnotify.de_DE.po b/modules/po/clientnotify.de_DE.po index d8718b7d..7a973664 100644 --- a/modules/po/clientnotify.de_DE.po +++ b/modules/po/clientnotify.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/clientnotify.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/clientnotify.es_ES.po b/modules/po/clientnotify.es_ES.po index b5b10d26..c142759c 100644 --- a/modules/po/clientnotify.es_ES.po +++ b/modules/po/clientnotify.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/clientnotify.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/clientnotify.id_ID.po b/modules/po/clientnotify.id_ID.po index 6757bb56..74767507 100644 --- a/modules/po/clientnotify.id_ID.po +++ b/modules/po/clientnotify.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/clientnotify.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/clientnotify.nl_NL.po b/modules/po/clientnotify.nl_NL.po index a38b7824..321428f0 100644 --- a/modules/po/clientnotify.nl_NL.po +++ b/modules/po/clientnotify.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/clientnotify.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/clientnotify.pt_BR.po b/modules/po/clientnotify.pt_BR.po index 1a8f3de0..9e084431 100644 --- a/modules/po/clientnotify.pt_BR.po +++ b/modules/po/clientnotify.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/clientnotify.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/clientnotify.ru_RU.po b/modules/po/clientnotify.ru_RU.po index f44bee52..53047bf2 100644 --- a/modules/po/clientnotify.ru_RU.po +++ b/modules/po/clientnotify.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/clientnotify.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/controlpanel.de_DE.po b/modules/po/controlpanel.de_DE.po index a1fced64..706993e2 100644 --- a/modules/po/controlpanel.de_DE.po +++ b/modules/po/controlpanel.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/controlpanel.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/controlpanel.es_ES.po b/modules/po/controlpanel.es_ES.po index 8a7d58a1..42e2822f 100644 --- a/modules/po/controlpanel.es_ES.po +++ b/modules/po/controlpanel.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/controlpanel.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/controlpanel.id_ID.po b/modules/po/controlpanel.id_ID.po index 69fdd5bf..be6ef478 100644 --- a/modules/po/controlpanel.id_ID.po +++ b/modules/po/controlpanel.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/controlpanel.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/controlpanel.nl_NL.po b/modules/po/controlpanel.nl_NL.po index a22818c2..3b392397 100644 --- a/modules/po/controlpanel.nl_NL.po +++ b/modules/po/controlpanel.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/controlpanel.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/controlpanel.pt_BR.po b/modules/po/controlpanel.pt_BR.po index 07587e86..c6b51b9f 100644 --- a/modules/po/controlpanel.pt_BR.po +++ b/modules/po/controlpanel.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/controlpanel.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/controlpanel.ru_RU.po b/modules/po/controlpanel.ru_RU.po index 879fa7af..80eff441 100644 --- a/modules/po/controlpanel.ru_RU.po +++ b/modules/po/controlpanel.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/controlpanel.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/crypt.de_DE.po b/modules/po/crypt.de_DE.po index 290a7b19..57d39079 100644 --- a/modules/po/crypt.de_DE.po +++ b/modules/po/crypt.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/crypt.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/crypt.es_ES.po b/modules/po/crypt.es_ES.po index 575a280e..3eecba46 100644 --- a/modules/po/crypt.es_ES.po +++ b/modules/po/crypt.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/crypt.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/crypt.id_ID.po b/modules/po/crypt.id_ID.po index 5d7717c2..d15fc980 100644 --- a/modules/po/crypt.id_ID.po +++ b/modules/po/crypt.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/crypt.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/crypt.nl_NL.po b/modules/po/crypt.nl_NL.po index d782556d..ad2fef98 100644 --- a/modules/po/crypt.nl_NL.po +++ b/modules/po/crypt.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/crypt.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/crypt.pt_BR.po b/modules/po/crypt.pt_BR.po index f2243cbe..10377532 100644 --- a/modules/po/crypt.pt_BR.po +++ b/modules/po/crypt.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/crypt.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/crypt.ru_RU.po b/modules/po/crypt.ru_RU.po index e0027f97..17d82f81 100644 --- a/modules/po/crypt.ru_RU.po +++ b/modules/po/crypt.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/crypt.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/ctcpflood.de_DE.po b/modules/po/ctcpflood.de_DE.po index 8263414a..9f29a31a 100644 --- a/modules/po/ctcpflood.de_DE.po +++ b/modules/po/ctcpflood.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/ctcpflood.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/ctcpflood.es_ES.po b/modules/po/ctcpflood.es_ES.po index e6fb3709..774e1eaa 100644 --- a/modules/po/ctcpflood.es_ES.po +++ b/modules/po/ctcpflood.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/ctcpflood.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/ctcpflood.id_ID.po b/modules/po/ctcpflood.id_ID.po index 19dfc85f..e4249b71 100644 --- a/modules/po/ctcpflood.id_ID.po +++ b/modules/po/ctcpflood.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/ctcpflood.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/ctcpflood.nl_NL.po b/modules/po/ctcpflood.nl_NL.po index 409cbf86..22a33d80 100644 --- a/modules/po/ctcpflood.nl_NL.po +++ b/modules/po/ctcpflood.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/ctcpflood.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/ctcpflood.pt_BR.po b/modules/po/ctcpflood.pt_BR.po index 09d04e29..d5cba801 100644 --- a/modules/po/ctcpflood.pt_BR.po +++ b/modules/po/ctcpflood.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/ctcpflood.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/ctcpflood.ru_RU.po b/modules/po/ctcpflood.ru_RU.po index faea4c35..bca044ed 100644 --- a/modules/po/ctcpflood.ru_RU.po +++ b/modules/po/ctcpflood.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/ctcpflood.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/cyrusauth.de_DE.po b/modules/po/cyrusauth.de_DE.po index 8797e8dd..43d63775 100644 --- a/modules/po/cyrusauth.de_DE.po +++ b/modules/po/cyrusauth.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/cyrusauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/cyrusauth.es_ES.po b/modules/po/cyrusauth.es_ES.po index 3e1176aa..5d1ee629 100644 --- a/modules/po/cyrusauth.es_ES.po +++ b/modules/po/cyrusauth.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/cyrusauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/cyrusauth.id_ID.po b/modules/po/cyrusauth.id_ID.po index 1734f501..604ede3e 100644 --- a/modules/po/cyrusauth.id_ID.po +++ b/modules/po/cyrusauth.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/cyrusauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/cyrusauth.nl_NL.po b/modules/po/cyrusauth.nl_NL.po index 744fd49b..11003c92 100644 --- a/modules/po/cyrusauth.nl_NL.po +++ b/modules/po/cyrusauth.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/cyrusauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/cyrusauth.pt_BR.po b/modules/po/cyrusauth.pt_BR.po index b20b7d8d..cd3d1f8f 100644 --- a/modules/po/cyrusauth.pt_BR.po +++ b/modules/po/cyrusauth.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/cyrusauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/cyrusauth.ru_RU.po b/modules/po/cyrusauth.ru_RU.po index 0fd7fa76..2c886acd 100644 --- a/modules/po/cyrusauth.ru_RU.po +++ b/modules/po/cyrusauth.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/cyrusauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/dcc.de_DE.po b/modules/po/dcc.de_DE.po index 754f298b..13a6277f 100644 --- a/modules/po/dcc.de_DE.po +++ b/modules/po/dcc.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/dcc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/dcc.es_ES.po b/modules/po/dcc.es_ES.po index bfa4446c..54f1d0b0 100644 --- a/modules/po/dcc.es_ES.po +++ b/modules/po/dcc.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/dcc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/dcc.id_ID.po b/modules/po/dcc.id_ID.po index f5fdaac2..69ea9dc2 100644 --- a/modules/po/dcc.id_ID.po +++ b/modules/po/dcc.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/dcc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/dcc.nl_NL.po b/modules/po/dcc.nl_NL.po index fd36b8f2..e532900a 100644 --- a/modules/po/dcc.nl_NL.po +++ b/modules/po/dcc.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/dcc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/dcc.pt_BR.po b/modules/po/dcc.pt_BR.po index 081199ad..b9ada833 100644 --- a/modules/po/dcc.pt_BR.po +++ b/modules/po/dcc.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/dcc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/dcc.ru_RU.po b/modules/po/dcc.ru_RU.po index 3b5dd154..f5790bcd 100644 --- a/modules/po/dcc.ru_RU.po +++ b/modules/po/dcc.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/dcc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/disconkick.de_DE.po b/modules/po/disconkick.de_DE.po index 62a62625..f84e2742 100644 --- a/modules/po/disconkick.de_DE.po +++ b/modules/po/disconkick.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/disconkick.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/disconkick.es_ES.po b/modules/po/disconkick.es_ES.po index d351bacc..aa376b03 100644 --- a/modules/po/disconkick.es_ES.po +++ b/modules/po/disconkick.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/disconkick.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/disconkick.id_ID.po b/modules/po/disconkick.id_ID.po index 43fdf99f..2f0357ae 100644 --- a/modules/po/disconkick.id_ID.po +++ b/modules/po/disconkick.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/disconkick.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/disconkick.nl_NL.po b/modules/po/disconkick.nl_NL.po index 4cc54e36..9f84cebc 100644 --- a/modules/po/disconkick.nl_NL.po +++ b/modules/po/disconkick.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/disconkick.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/disconkick.pt_BR.po b/modules/po/disconkick.pt_BR.po index abaa1985..48d73d63 100644 --- a/modules/po/disconkick.pt_BR.po +++ b/modules/po/disconkick.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/disconkick.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/disconkick.ru_RU.po b/modules/po/disconkick.ru_RU.po index a1a8d38e..a705452b 100644 --- a/modules/po/disconkick.ru_RU.po +++ b/modules/po/disconkick.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/disconkick.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/fail2ban.de_DE.po b/modules/po/fail2ban.de_DE.po index 7a7504f0..768f7e2f 100644 --- a/modules/po/fail2ban.de_DE.po +++ b/modules/po/fail2ban.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/fail2ban.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/fail2ban.es_ES.po b/modules/po/fail2ban.es_ES.po index eecc715c..e66cdd75 100644 --- a/modules/po/fail2ban.es_ES.po +++ b/modules/po/fail2ban.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/fail2ban.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/fail2ban.id_ID.po b/modules/po/fail2ban.id_ID.po index 0f050967..65eafaf1 100644 --- a/modules/po/fail2ban.id_ID.po +++ b/modules/po/fail2ban.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/fail2ban.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/fail2ban.nl_NL.po b/modules/po/fail2ban.nl_NL.po index dce9b7e1..24aef990 100644 --- a/modules/po/fail2ban.nl_NL.po +++ b/modules/po/fail2ban.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/fail2ban.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/fail2ban.pt_BR.po b/modules/po/fail2ban.pt_BR.po index 4bbe9838..0103c33e 100644 --- a/modules/po/fail2ban.pt_BR.po +++ b/modules/po/fail2ban.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/fail2ban.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/fail2ban.ru_RU.po b/modules/po/fail2ban.ru_RU.po index a2670c7b..ab438ba9 100644 --- a/modules/po/fail2ban.ru_RU.po +++ b/modules/po/fail2ban.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/fail2ban.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/flooddetach.de_DE.po b/modules/po/flooddetach.de_DE.po index 75a35588..cdf82385 100644 --- a/modules/po/flooddetach.de_DE.po +++ b/modules/po/flooddetach.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/flooddetach.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/flooddetach.es_ES.po b/modules/po/flooddetach.es_ES.po index c50ed2eb..ca0c9d16 100644 --- a/modules/po/flooddetach.es_ES.po +++ b/modules/po/flooddetach.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/flooddetach.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/flooddetach.id_ID.po b/modules/po/flooddetach.id_ID.po index 8c965128..fc346abe 100644 --- a/modules/po/flooddetach.id_ID.po +++ b/modules/po/flooddetach.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/flooddetach.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/flooddetach.nl_NL.po b/modules/po/flooddetach.nl_NL.po index e5eff7a3..b6845a5d 100644 --- a/modules/po/flooddetach.nl_NL.po +++ b/modules/po/flooddetach.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/flooddetach.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/flooddetach.pt_BR.po b/modules/po/flooddetach.pt_BR.po index a878f426..44d4e88e 100644 --- a/modules/po/flooddetach.pt_BR.po +++ b/modules/po/flooddetach.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/flooddetach.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/flooddetach.ru_RU.po b/modules/po/flooddetach.ru_RU.po index f19d0b7a..e49db450 100644 --- a/modules/po/flooddetach.ru_RU.po +++ b/modules/po/flooddetach.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/flooddetach.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/identfile.de_DE.po b/modules/po/identfile.de_DE.po index 66a48090..ab1a9829 100644 --- a/modules/po/identfile.de_DE.po +++ b/modules/po/identfile.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/identfile.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/identfile.es_ES.po b/modules/po/identfile.es_ES.po index 4202c879..89322849 100644 --- a/modules/po/identfile.es_ES.po +++ b/modules/po/identfile.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/identfile.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/identfile.id_ID.po b/modules/po/identfile.id_ID.po index 4b224c0a..d3bb0f12 100644 --- a/modules/po/identfile.id_ID.po +++ b/modules/po/identfile.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/identfile.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/identfile.nl_NL.po b/modules/po/identfile.nl_NL.po index b80b3d54..55d3bb05 100644 --- a/modules/po/identfile.nl_NL.po +++ b/modules/po/identfile.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/identfile.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/identfile.pt_BR.po b/modules/po/identfile.pt_BR.po index df1fa1a6..835e05d4 100644 --- a/modules/po/identfile.pt_BR.po +++ b/modules/po/identfile.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/identfile.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/identfile.ru_RU.po b/modules/po/identfile.ru_RU.po index 306feb53..29515674 100644 --- a/modules/po/identfile.ru_RU.po +++ b/modules/po/identfile.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/identfile.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/imapauth.de_DE.po b/modules/po/imapauth.de_DE.po index 1839a1c0..ccb2b852 100644 --- a/modules/po/imapauth.de_DE.po +++ b/modules/po/imapauth.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/imapauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/imapauth.es_ES.po b/modules/po/imapauth.es_ES.po index 254f6626..91d36798 100644 --- a/modules/po/imapauth.es_ES.po +++ b/modules/po/imapauth.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/imapauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/imapauth.id_ID.po b/modules/po/imapauth.id_ID.po index a4829ca2..52163303 100644 --- a/modules/po/imapauth.id_ID.po +++ b/modules/po/imapauth.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/imapauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/imapauth.nl_NL.po b/modules/po/imapauth.nl_NL.po index 6a337d1a..1b24aac2 100644 --- a/modules/po/imapauth.nl_NL.po +++ b/modules/po/imapauth.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/imapauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/imapauth.pt_BR.po b/modules/po/imapauth.pt_BR.po index ae728c1c..be7340f2 100644 --- a/modules/po/imapauth.pt_BR.po +++ b/modules/po/imapauth.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/imapauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/imapauth.ru_RU.po b/modules/po/imapauth.ru_RU.po index 89d994c0..8319477c 100644 --- a/modules/po/imapauth.ru_RU.po +++ b/modules/po/imapauth.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/imapauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/keepnick.de_DE.po b/modules/po/keepnick.de_DE.po index 5bef539c..dd7e0921 100644 --- a/modules/po/keepnick.de_DE.po +++ b/modules/po/keepnick.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/keepnick.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/keepnick.es_ES.po b/modules/po/keepnick.es_ES.po index f1450d3b..d6843a9c 100644 --- a/modules/po/keepnick.es_ES.po +++ b/modules/po/keepnick.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/keepnick.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/keepnick.id_ID.po b/modules/po/keepnick.id_ID.po index 3bd1c78d..c4ff3586 100644 --- a/modules/po/keepnick.id_ID.po +++ b/modules/po/keepnick.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/keepnick.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/keepnick.nl_NL.po b/modules/po/keepnick.nl_NL.po index c04bf422..655e66a8 100644 --- a/modules/po/keepnick.nl_NL.po +++ b/modules/po/keepnick.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/keepnick.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/keepnick.pt_BR.po b/modules/po/keepnick.pt_BR.po index 24ebc24f..f1a88e5e 100644 --- a/modules/po/keepnick.pt_BR.po +++ b/modules/po/keepnick.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/keepnick.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/keepnick.ru_RU.po b/modules/po/keepnick.ru_RU.po index dfac1803..46dfa4fa 100644 --- a/modules/po/keepnick.ru_RU.po +++ b/modules/po/keepnick.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/keepnick.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/kickrejoin.de_DE.po b/modules/po/kickrejoin.de_DE.po index 905e9f13..397b582d 100644 --- a/modules/po/kickrejoin.de_DE.po +++ b/modules/po/kickrejoin.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/kickrejoin.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/kickrejoin.es_ES.po b/modules/po/kickrejoin.es_ES.po index 70906e31..af9483cc 100644 --- a/modules/po/kickrejoin.es_ES.po +++ b/modules/po/kickrejoin.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/kickrejoin.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/kickrejoin.id_ID.po b/modules/po/kickrejoin.id_ID.po index 9f248f6f..fe16dc29 100644 --- a/modules/po/kickrejoin.id_ID.po +++ b/modules/po/kickrejoin.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/kickrejoin.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/kickrejoin.nl_NL.po b/modules/po/kickrejoin.nl_NL.po index e5411a0e..4598efd6 100644 --- a/modules/po/kickrejoin.nl_NL.po +++ b/modules/po/kickrejoin.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/kickrejoin.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/kickrejoin.pt_BR.po b/modules/po/kickrejoin.pt_BR.po index dcac096b..aaca7bf4 100644 --- a/modules/po/kickrejoin.pt_BR.po +++ b/modules/po/kickrejoin.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/kickrejoin.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/kickrejoin.ru_RU.po b/modules/po/kickrejoin.ru_RU.po index 2ad92bef..18c59e84 100644 --- a/modules/po/kickrejoin.ru_RU.po +++ b/modules/po/kickrejoin.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/kickrejoin.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/lastseen.de_DE.po b/modules/po/lastseen.de_DE.po index 163d25e9..42136d0f 100644 --- a/modules/po/lastseen.de_DE.po +++ b/modules/po/lastseen.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/lastseen.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/lastseen.es_ES.po b/modules/po/lastseen.es_ES.po index 3a168556..365525b9 100644 --- a/modules/po/lastseen.es_ES.po +++ b/modules/po/lastseen.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/lastseen.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/lastseen.id_ID.po b/modules/po/lastseen.id_ID.po index ee47f5e3..d1c38adb 100644 --- a/modules/po/lastseen.id_ID.po +++ b/modules/po/lastseen.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/lastseen.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/lastseen.nl_NL.po b/modules/po/lastseen.nl_NL.po index 9a2f9c95..4428fe16 100644 --- a/modules/po/lastseen.nl_NL.po +++ b/modules/po/lastseen.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/lastseen.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/lastseen.pt_BR.po b/modules/po/lastseen.pt_BR.po index ea89fd7c..fd9826b7 100644 --- a/modules/po/lastseen.pt_BR.po +++ b/modules/po/lastseen.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/lastseen.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/lastseen.ru_RU.po b/modules/po/lastseen.ru_RU.po index 3965dc8d..ea1bda61 100644 --- a/modules/po/lastseen.ru_RU.po +++ b/modules/po/lastseen.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/lastseen.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/listsockets.de_DE.po b/modules/po/listsockets.de_DE.po index 80301be2..a30938a6 100644 --- a/modules/po/listsockets.de_DE.po +++ b/modules/po/listsockets.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/listsockets.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/listsockets.es_ES.po b/modules/po/listsockets.es_ES.po index 303cb41d..7a1c217e 100644 --- a/modules/po/listsockets.es_ES.po +++ b/modules/po/listsockets.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/listsockets.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/listsockets.id_ID.po b/modules/po/listsockets.id_ID.po index 768dc2ce..c4f60e39 100644 --- a/modules/po/listsockets.id_ID.po +++ b/modules/po/listsockets.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/listsockets.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/listsockets.nl_NL.po b/modules/po/listsockets.nl_NL.po index b0cbc666..7e7b8082 100644 --- a/modules/po/listsockets.nl_NL.po +++ b/modules/po/listsockets.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/listsockets.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/listsockets.pt_BR.po b/modules/po/listsockets.pt_BR.po index 60bc2f59..eb4fc4b3 100644 --- a/modules/po/listsockets.pt_BR.po +++ b/modules/po/listsockets.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/listsockets.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/listsockets.ru_RU.po b/modules/po/listsockets.ru_RU.po index 6608eca8..f13b6c60 100644 --- a/modules/po/listsockets.ru_RU.po +++ b/modules/po/listsockets.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/listsockets.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/log.de_DE.po b/modules/po/log.de_DE.po index 3eb425c6..b16d20b1 100644 --- a/modules/po/log.de_DE.po +++ b/modules/po/log.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/log.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/log.es_ES.po b/modules/po/log.es_ES.po index 750e9672..07670162 100644 --- a/modules/po/log.es_ES.po +++ b/modules/po/log.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/log.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/log.id_ID.po b/modules/po/log.id_ID.po index ffb09b0d..6903d196 100644 --- a/modules/po/log.id_ID.po +++ b/modules/po/log.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/log.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/log.nl_NL.po b/modules/po/log.nl_NL.po index 4fbb0d89..7644eb71 100644 --- a/modules/po/log.nl_NL.po +++ b/modules/po/log.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/log.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/log.pt_BR.po b/modules/po/log.pt_BR.po index b1c855e7..0731711a 100644 --- a/modules/po/log.pt_BR.po +++ b/modules/po/log.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/log.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/log.ru_RU.po b/modules/po/log.ru_RU.po index 729dc6e5..8f211911 100644 --- a/modules/po/log.ru_RU.po +++ b/modules/po/log.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/log.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/missingmotd.de_DE.po b/modules/po/missingmotd.de_DE.po index 42334a28..f61b582a 100644 --- a/modules/po/missingmotd.de_DE.po +++ b/modules/po/missingmotd.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/missingmotd.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/missingmotd.es_ES.po b/modules/po/missingmotd.es_ES.po index 16ceb0b0..32c4a0b0 100644 --- a/modules/po/missingmotd.es_ES.po +++ b/modules/po/missingmotd.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/missingmotd.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/missingmotd.id_ID.po b/modules/po/missingmotd.id_ID.po index 16807862..57123ecd 100644 --- a/modules/po/missingmotd.id_ID.po +++ b/modules/po/missingmotd.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/missingmotd.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/missingmotd.nl_NL.po b/modules/po/missingmotd.nl_NL.po index 9be7ea18..2a555bdb 100644 --- a/modules/po/missingmotd.nl_NL.po +++ b/modules/po/missingmotd.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/missingmotd.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/missingmotd.pt_BR.po b/modules/po/missingmotd.pt_BR.po index ea45d369..a9749a9c 100644 --- a/modules/po/missingmotd.pt_BR.po +++ b/modules/po/missingmotd.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/missingmotd.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/missingmotd.ru_RU.po b/modules/po/missingmotd.ru_RU.po index a97809e5..f018aea4 100644 --- a/modules/po/missingmotd.ru_RU.po +++ b/modules/po/missingmotd.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/missingmotd.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/modperl.de_DE.po b/modules/po/modperl.de_DE.po index 3fef6cc3..7e7de77b 100644 --- a/modules/po/modperl.de_DE.po +++ b/modules/po/modperl.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/modperl.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/modperl.es_ES.po b/modules/po/modperl.es_ES.po index 38481911..37e1beac 100644 --- a/modules/po/modperl.es_ES.po +++ b/modules/po/modperl.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/modperl.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/modperl.id_ID.po b/modules/po/modperl.id_ID.po index 5655aa99..24e8fec6 100644 --- a/modules/po/modperl.id_ID.po +++ b/modules/po/modperl.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/modperl.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/modperl.nl_NL.po b/modules/po/modperl.nl_NL.po index 958cee62..e3120864 100644 --- a/modules/po/modperl.nl_NL.po +++ b/modules/po/modperl.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/modperl.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/modperl.pt_BR.po b/modules/po/modperl.pt_BR.po index 8721294c..5c943d92 100644 --- a/modules/po/modperl.pt_BR.po +++ b/modules/po/modperl.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/modperl.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/modperl.ru_RU.po b/modules/po/modperl.ru_RU.po index 1be08164..f321e5c5 100644 --- a/modules/po/modperl.ru_RU.po +++ b/modules/po/modperl.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/modperl.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/modpython.de_DE.po b/modules/po/modpython.de_DE.po index 85d7753c..b472caad 100644 --- a/modules/po/modpython.de_DE.po +++ b/modules/po/modpython.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/modpython.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/modpython.es_ES.po b/modules/po/modpython.es_ES.po index 4c870ccd..61db476a 100644 --- a/modules/po/modpython.es_ES.po +++ b/modules/po/modpython.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/modpython.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/modpython.id_ID.po b/modules/po/modpython.id_ID.po index 89beb60b..39bc1594 100644 --- a/modules/po/modpython.id_ID.po +++ b/modules/po/modpython.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/modpython.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/modpython.nl_NL.po b/modules/po/modpython.nl_NL.po index 790dcb25..9a86dddb 100644 --- a/modules/po/modpython.nl_NL.po +++ b/modules/po/modpython.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/modpython.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/modpython.pt_BR.po b/modules/po/modpython.pt_BR.po index 8560f845..99d65ac3 100644 --- a/modules/po/modpython.pt_BR.po +++ b/modules/po/modpython.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/modpython.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/modpython.ru_RU.po b/modules/po/modpython.ru_RU.po index e8714333..df5a4b50 100644 --- a/modules/po/modpython.ru_RU.po +++ b/modules/po/modpython.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/modpython.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/modules_online.de_DE.po b/modules/po/modules_online.de_DE.po index 9fdbb11a..c8c2ffdb 100644 --- a/modules/po/modules_online.de_DE.po +++ b/modules/po/modules_online.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/modules_online.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/modules_online.es_ES.po b/modules/po/modules_online.es_ES.po index 547a3af3..61f34901 100644 --- a/modules/po/modules_online.es_ES.po +++ b/modules/po/modules_online.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/modules_online.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/modules_online.id_ID.po b/modules/po/modules_online.id_ID.po index 79c141c9..28419491 100644 --- a/modules/po/modules_online.id_ID.po +++ b/modules/po/modules_online.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/modules_online.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/modules_online.nl_NL.po b/modules/po/modules_online.nl_NL.po index 299e31c4..ea0a2e2f 100644 --- a/modules/po/modules_online.nl_NL.po +++ b/modules/po/modules_online.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/modules_online.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/modules_online.pt_BR.po b/modules/po/modules_online.pt_BR.po index 186a2e04..f0b1e31d 100644 --- a/modules/po/modules_online.pt_BR.po +++ b/modules/po/modules_online.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/modules_online.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/modules_online.ru_RU.po b/modules/po/modules_online.ru_RU.po index 96dc3267..80bc8ddd 100644 --- a/modules/po/modules_online.ru_RU.po +++ b/modules/po/modules_online.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/modules_online.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/nickserv.de_DE.po b/modules/po/nickserv.de_DE.po index f76a98de..de1c425c 100644 --- a/modules/po/nickserv.de_DE.po +++ b/modules/po/nickserv.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/nickserv.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/nickserv.es_ES.po b/modules/po/nickserv.es_ES.po index c252612b..dde4e1e9 100644 --- a/modules/po/nickserv.es_ES.po +++ b/modules/po/nickserv.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/nickserv.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/nickserv.id_ID.po b/modules/po/nickserv.id_ID.po index d05a1775..dea2029a 100644 --- a/modules/po/nickserv.id_ID.po +++ b/modules/po/nickserv.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/nickserv.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/nickserv.nl_NL.po b/modules/po/nickserv.nl_NL.po index 29cee46b..44ca0eee 100644 --- a/modules/po/nickserv.nl_NL.po +++ b/modules/po/nickserv.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/nickserv.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/nickserv.pt_BR.po b/modules/po/nickserv.pt_BR.po index 90f258db..5e1c39e8 100644 --- a/modules/po/nickserv.pt_BR.po +++ b/modules/po/nickserv.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/nickserv.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/nickserv.ru_RU.po b/modules/po/nickserv.ru_RU.po index 33b5f640..957cc2d7 100644 --- a/modules/po/nickserv.ru_RU.po +++ b/modules/po/nickserv.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/nickserv.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/notes.de_DE.po b/modules/po/notes.de_DE.po index 031be751..ab1d7b75 100644 --- a/modules/po/notes.de_DE.po +++ b/modules/po/notes.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/notes.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/notes.es_ES.po b/modules/po/notes.es_ES.po index 9fee4969..f6ef25c5 100644 --- a/modules/po/notes.es_ES.po +++ b/modules/po/notes.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/notes.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/notes.id_ID.po b/modules/po/notes.id_ID.po index 256ccb5f..55144915 100644 --- a/modules/po/notes.id_ID.po +++ b/modules/po/notes.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/notes.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/notes.nl_NL.po b/modules/po/notes.nl_NL.po index 040dbd15..1de2df6f 100644 --- a/modules/po/notes.nl_NL.po +++ b/modules/po/notes.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/notes.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/notes.pt_BR.po b/modules/po/notes.pt_BR.po index bdc5b78a..819fde2b 100644 --- a/modules/po/notes.pt_BR.po +++ b/modules/po/notes.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/notes.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/notes.ru_RU.po b/modules/po/notes.ru_RU.po index e999b6ed..91b2e494 100644 --- a/modules/po/notes.ru_RU.po +++ b/modules/po/notes.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/notes.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/notify_connect.de_DE.po b/modules/po/notify_connect.de_DE.po index 3711b6bd..a4795a31 100644 --- a/modules/po/notify_connect.de_DE.po +++ b/modules/po/notify_connect.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/notify_connect.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/notify_connect.es_ES.po b/modules/po/notify_connect.es_ES.po index 2a2097bb..5b472d38 100644 --- a/modules/po/notify_connect.es_ES.po +++ b/modules/po/notify_connect.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/notify_connect.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/notify_connect.id_ID.po b/modules/po/notify_connect.id_ID.po index f6bec696..beb29f81 100644 --- a/modules/po/notify_connect.id_ID.po +++ b/modules/po/notify_connect.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/notify_connect.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/notify_connect.nl_NL.po b/modules/po/notify_connect.nl_NL.po index e3f12817..8bdd39ab 100644 --- a/modules/po/notify_connect.nl_NL.po +++ b/modules/po/notify_connect.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/notify_connect.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/notify_connect.pt_BR.po b/modules/po/notify_connect.pt_BR.po index fbbb13d0..0210d346 100644 --- a/modules/po/notify_connect.pt_BR.po +++ b/modules/po/notify_connect.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/notify_connect.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/notify_connect.ru_RU.po b/modules/po/notify_connect.ru_RU.po index c6d3fc17..b3e77e42 100644 --- a/modules/po/notify_connect.ru_RU.po +++ b/modules/po/notify_connect.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/notify_connect.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/partyline.de_DE.po b/modules/po/partyline.de_DE.po index 0e48f0aa..d51b6b35 100644 --- a/modules/po/partyline.de_DE.po +++ b/modules/po/partyline.de_DE.po @@ -8,34 +8,32 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/partyline.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" #: partyline.cpp:60 msgid "There are no open channels." -msgstr "Es gibt keine offenen Kanäle." +msgstr "" #: partyline.cpp:66 partyline.cpp:73 msgid "Channel" -msgstr "Kanal" +msgstr "" #: partyline.cpp:67 partyline.cpp:74 msgid "Users" -msgstr "Benutzer" +msgstr "" #: partyline.cpp:82 msgid "List all open channels" -msgstr "Liste alle offenen Kanäle auf" +msgstr "" #: partyline.cpp:733 msgid "" "You may enter a list of channels the user joins, when entering the internal " "partyline." msgstr "" -"Du kannst eine Liste von Kanälen angeben, die der Benutzer betritt, wenn er " -"die interne Partyline betritt." #: partyline.cpp:739 msgid "Internal channels and queries for users connected to ZNC" -msgstr "Interne Kanäle und Queries für mit ZNC verbundene Benutzer" +msgstr "" diff --git a/modules/po/partyline.es_ES.po b/modules/po/partyline.es_ES.po index 19ec5512..feef3f8c 100644 --- a/modules/po/partyline.es_ES.po +++ b/modules/po/partyline.es_ES.po @@ -8,34 +8,32 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/partyline.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" #: partyline.cpp:60 msgid "There are no open channels." -msgstr "No hay canales abiertos." +msgstr "" #: partyline.cpp:66 partyline.cpp:73 msgid "Channel" -msgstr "Canal" +msgstr "" #: partyline.cpp:67 partyline.cpp:74 msgid "Users" -msgstr "Usuarios" +msgstr "" #: partyline.cpp:82 msgid "List all open channels" -msgstr "Mostrar canales abiertos" +msgstr "" #: partyline.cpp:733 msgid "" "You may enter a list of channels the user joins, when entering the internal " "partyline." msgstr "" -"Puedes añadir una lista de canales a los que el usuario se meterá cuando se " -"conecte a la partyline." #: partyline.cpp:739 msgid "Internal channels and queries for users connected to ZNC" -msgstr "Privados y canales internos para usuarios conectados a ZNC" +msgstr "" diff --git a/modules/po/partyline.id_ID.po b/modules/po/partyline.id_ID.po index 63a49f45..ff24ccc5 100644 --- a/modules/po/partyline.id_ID.po +++ b/modules/po/partyline.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/partyline.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/partyline.nl_NL.po b/modules/po/partyline.nl_NL.po index 507eefb7..0e47ae5b 100644 --- a/modules/po/partyline.nl_NL.po +++ b/modules/po/partyline.nl_NL.po @@ -8,35 +8,32 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/partyline.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" #: partyline.cpp:60 msgid "There are no open channels." -msgstr "Er zijn geen open kanalen." +msgstr "" #: partyline.cpp:66 partyline.cpp:73 msgid "Channel" -msgstr "Kanaal" +msgstr "" #: partyline.cpp:67 partyline.cpp:74 msgid "Users" -msgstr "Gebruikers" +msgstr "" #: partyline.cpp:82 msgid "List all open channels" -msgstr "Laat alle open kanalen zien" +msgstr "" #: partyline.cpp:733 msgid "" "You may enter a list of channels the user joins, when entering the internal " "partyline." msgstr "" -"Je mag een lijst van kanalen toevoegen wanneer een gebruiker toetreed tot de " -"interne partijlijn." #: partyline.cpp:739 msgid "Internal channels and queries for users connected to ZNC" msgstr "" -"Interne kanalen en privé berichten voor gebruikers die verbonden zijn met ZNC" diff --git a/modules/po/partyline.pt_BR.po b/modules/po/partyline.pt_BR.po index b82651fa..d7497036 100644 --- a/modules/po/partyline.pt_BR.po +++ b/modules/po/partyline.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/partyline.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/partyline.ru_RU.po b/modules/po/partyline.ru_RU.po index 0ea4be17..9a6998b4 100644 --- a/modules/po/partyline.ru_RU.po +++ b/modules/po/partyline.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/partyline.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/perform.de_DE.po b/modules/po/perform.de_DE.po index 2023212f..5909cdb8 100644 --- a/modules/po/perform.de_DE.po +++ b/modules/po/perform.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/perform.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/perform.es_ES.po b/modules/po/perform.es_ES.po index 8c8a43bf..d61a5a2b 100644 --- a/modules/po/perform.es_ES.po +++ b/modules/po/perform.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/perform.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/perform.id_ID.po b/modules/po/perform.id_ID.po index aa256250..d1c1c004 100644 --- a/modules/po/perform.id_ID.po +++ b/modules/po/perform.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/perform.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/perform.nl_NL.po b/modules/po/perform.nl_NL.po index d8dfd91c..7181e7c8 100644 --- a/modules/po/perform.nl_NL.po +++ b/modules/po/perform.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/perform.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/perform.pt_BR.po b/modules/po/perform.pt_BR.po index 1304c1d5..189c584f 100644 --- a/modules/po/perform.pt_BR.po +++ b/modules/po/perform.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/perform.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/perform.ru_RU.po b/modules/po/perform.ru_RU.po index 83d20b36..f8b32bbc 100644 --- a/modules/po/perform.ru_RU.po +++ b/modules/po/perform.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/perform.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/perleval.de_DE.po b/modules/po/perleval.de_DE.po index a801ff4e..5dca4f5e 100644 --- a/modules/po/perleval.de_DE.po +++ b/modules/po/perleval.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/perleval.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/perleval.es_ES.po b/modules/po/perleval.es_ES.po index f8493027..46e542bf 100644 --- a/modules/po/perleval.es_ES.po +++ b/modules/po/perleval.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/perleval.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/perleval.id_ID.po b/modules/po/perleval.id_ID.po index 4f1303de..259d5ecb 100644 --- a/modules/po/perleval.id_ID.po +++ b/modules/po/perleval.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/perleval.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/perleval.nl_NL.po b/modules/po/perleval.nl_NL.po index 99fa2d05..8fb65d90 100644 --- a/modules/po/perleval.nl_NL.po +++ b/modules/po/perleval.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/perleval.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/perleval.pt_BR.po b/modules/po/perleval.pt_BR.po index a4027538..01b498a2 100644 --- a/modules/po/perleval.pt_BR.po +++ b/modules/po/perleval.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/perleval.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/perleval.ru_RU.po b/modules/po/perleval.ru_RU.po index 713dcee4..18edae16 100644 --- a/modules/po/perleval.ru_RU.po +++ b/modules/po/perleval.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/perleval.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/pyeval.de_DE.po b/modules/po/pyeval.de_DE.po index b887508e..321193b3 100644 --- a/modules/po/pyeval.de_DE.po +++ b/modules/po/pyeval.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/pyeval.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/pyeval.es_ES.po b/modules/po/pyeval.es_ES.po index 9fe2971f..54756e2f 100644 --- a/modules/po/pyeval.es_ES.po +++ b/modules/po/pyeval.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/pyeval.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/pyeval.id_ID.po b/modules/po/pyeval.id_ID.po index df19acf1..f42b56a2 100644 --- a/modules/po/pyeval.id_ID.po +++ b/modules/po/pyeval.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/pyeval.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/pyeval.nl_NL.po b/modules/po/pyeval.nl_NL.po index 9a737d8b..9089934b 100644 --- a/modules/po/pyeval.nl_NL.po +++ b/modules/po/pyeval.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/pyeval.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/pyeval.pt_BR.po b/modules/po/pyeval.pt_BR.po index efb14154..d46a20f2 100644 --- a/modules/po/pyeval.pt_BR.po +++ b/modules/po/pyeval.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/pyeval.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/pyeval.ru_RU.po b/modules/po/pyeval.ru_RU.po index 28dd7c85..f3aa0b9b 100644 --- a/modules/po/pyeval.ru_RU.po +++ b/modules/po/pyeval.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/pyeval.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/q.de_DE.po b/modules/po/q.de_DE.po index 213650aa..2ed31788 100644 --- a/modules/po/q.de_DE.po +++ b/modules/po/q.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/q.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/q.es_ES.po b/modules/po/q.es_ES.po index 5cc225ff..f09f5f6f 100644 --- a/modules/po/q.es_ES.po +++ b/modules/po/q.es_ES.po @@ -8,33 +8,33 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/q.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" #: modules/po/../data/q/tmpl/index.tmpl:11 msgid "Username:" -msgstr "Usuario:" +msgstr "" #: modules/po/../data/q/tmpl/index.tmpl:13 msgid "Please enter a username." -msgstr "Introduce un nombre de usuario." +msgstr "" #: modules/po/../data/q/tmpl/index.tmpl:16 msgid "Password:" -msgstr "Contraseña:" +msgstr "" #: modules/po/../data/q/tmpl/index.tmpl:18 msgid "Please enter a password." -msgstr "Introduce una contraseña." +msgstr "" #: modules/po/../data/q/tmpl/index.tmpl:26 msgid "Options" -msgstr "Opciones" +msgstr "" #: modules/po/../data/q/tmpl/index.tmpl:42 msgid "Save" -msgstr "Guardar" +msgstr "" #: q.cpp:74 msgid "" @@ -42,264 +42,255 @@ msgid "" "want to cloak your host now, /msg *q Cloak. You can set your preference " "with /msg *q Set UseCloakedHost true/false." msgstr "" -"Aviso: tu host será enmascarado la próxima vez que conectes al IRC. Si " -"quieres enmascarar tu host ahora, /msg *q Cloak. Puedes configurar tu " -"preferencia con /msg *q SET UseCloakedHost true/false." #: q.cpp:111 msgid "The following commands are available:" -msgstr "Los siguientes comandos están disponibles:" +msgstr "" #: q.cpp:113 q.cpp:116 q.cpp:121 q.cpp:126 q.cpp:130 q.cpp:135 q.cpp:140 msgid "Command" -msgstr "Comando" +msgstr "" #: q.cpp:114 q.cpp:117 q.cpp:123 q.cpp:127 q.cpp:132 q.cpp:136 q.cpp:141 #: q.cpp:150 q.cpp:154 q.cpp:158 q.cpp:162 q.cpp:168 q.cpp:174 q.cpp:180 #: q.cpp:186 msgid "Description" -msgstr "Descripción" +msgstr "" #: q.cpp:116 msgid "Auth [ ]" -msgstr "Auth [ ]" +msgstr "" #: q.cpp:118 msgid "Tries to authenticate you with Q. Both parameters are optional." -msgstr "Intenta autenticarte con Q. Ambos parámetros son opcionales." +msgstr "" #: q.cpp:124 msgid "Tries to set usermode +x to hide your real hostname." -msgstr "Intenta ponerte el modo de usuario +x para ocultar tu host real." +msgstr "" #: q.cpp:128 msgid "Prints the current status of the module." -msgstr "Muestra el estado actual del módulo." +msgstr "" #: q.cpp:133 msgid "Re-requests the current user information from Q." -msgstr "Re-solicita la información actual del usuario desde Q." +msgstr "" #: q.cpp:135 msgid "Set " -msgstr "Set " +msgstr "" #: q.cpp:137 msgid "Changes the value of the given setting. See the list of settings below." -msgstr "Cambia el valor del ajuste. Consulta la lista de ajustes debajo." +msgstr "" #: q.cpp:142 msgid "Prints out the current configuration. See the list of settings below." -msgstr "Muestra la configuración actual. Consulta la lista de ajustes debajo." +msgstr "" #: q.cpp:146 msgid "The following settings are available:" -msgstr "Las siguientes opciones están disponibles:" +msgstr "" #: q.cpp:148 q.cpp:152 q.cpp:156 q.cpp:160 q.cpp:166 q.cpp:172 q.cpp:178 #: q.cpp:183 q.cpp:227 q.cpp:230 q.cpp:233 q.cpp:236 q.cpp:239 q.cpp:242 #: q.cpp:245 q.cpp:248 msgid "Setting" -msgstr "Ajuste" +msgstr "" #: q.cpp:149 q.cpp:153 q.cpp:157 q.cpp:161 q.cpp:167 q.cpp:173 q.cpp:179 #: q.cpp:184 msgid "Type" -msgstr "Tipo" +msgstr "" #: q.cpp:153 q.cpp:157 msgid "String" -msgstr "Cadena" +msgstr "" #: q.cpp:154 msgid "Your Q username." -msgstr "Tu usuario de Q." +msgstr "" #: q.cpp:158 msgid "Your Q password." -msgstr "Tu contraseña de Q." +msgstr "" #: q.cpp:161 q.cpp:167 q.cpp:173 q.cpp:179 q.cpp:184 msgid "Boolean" -msgstr "Booleano" +msgstr "" #: q.cpp:163 q.cpp:373 msgid "Whether to cloak your hostname (+x) automatically on connect." -msgstr "Intentar ocultar tu host (+x) al conectar." +msgstr "" #: q.cpp:169 q.cpp:381 msgid "" "Whether to use the CHALLENGEAUTH mechanism to avoid sending passwords in " "cleartext." msgstr "" -"Intentar usar el mecanismo CHALLENGEAUTH para evitar enviar la contraseña en " -"texto plano." #: q.cpp:175 q.cpp:389 msgid "Whether to request voice/op from Q on join/devoice/deop." -msgstr "Pedir voz/op a Q al entrar/devoice/deop a/de un canal." +msgstr "" #: q.cpp:181 q.cpp:395 msgid "Whether to join channels when Q invites you." -msgstr "Entrar a los canales cuando Q te invite." +msgstr "" #: q.cpp:187 q.cpp:402 msgid "Whether to delay joining channels until after you are cloaked." -msgstr "Retrasar la entrada a canales hasta que tu host haya sido ocultado." +msgstr "" #: q.cpp:192 msgid "This module takes 2 optional parameters: " -msgstr "Este módulo tiene 2 parámetros opcionales: " +msgstr "" #: q.cpp:194 msgid "Module settings are stored between restarts." -msgstr "Los ajustes del módulo se guardan entre reinicios." +msgstr "" #: q.cpp:200 msgid "Syntax: Set " -msgstr "Sintaxis: Set " +msgstr "" #: q.cpp:203 msgid "Username set" -msgstr "Usuario guardado" +msgstr "" #: q.cpp:206 msgid "Password set" -msgstr "Contraseña guardada" +msgstr "" #: q.cpp:209 msgid "UseCloakedHost set" -msgstr "UseCloakedHost guardado" +msgstr "" #: q.cpp:212 msgid "UseChallenge set" -msgstr "UseChallenge guardado" +msgstr "" #: q.cpp:215 msgid "RequestPerms set" -msgstr "RequestPerms guardado" +msgstr "" #: q.cpp:218 msgid "JoinOnInvite set" -msgstr "JoinOnInvite guardado" +msgstr "" #: q.cpp:221 msgid "JoinAfterCloaked set" -msgstr "JoinAfterCloaked guardado" +msgstr "" #: q.cpp:223 msgid "Unknown setting: {1}" -msgstr "Opción desconocida: {1}" +msgstr "" #: q.cpp:228 q.cpp:231 q.cpp:234 q.cpp:237 q.cpp:240 q.cpp:243 q.cpp:246 #: q.cpp:249 msgid "Value" -msgstr "Valor" +msgstr "" #: q.cpp:253 msgid "Connected: yes" -msgstr "Conectado: sí" +msgstr "" #: q.cpp:254 msgid "Connected: no" -msgstr "Conectado: no" +msgstr "" #: q.cpp:255 msgid "Cloacked: yes" -msgstr "Enmascarado: sí" +msgstr "" #: q.cpp:255 msgid "Cloacked: no" -msgstr "Enmascarado: no" +msgstr "" #: q.cpp:256 msgid "Authenticated: yes" -msgstr "Autenticado: sí" +msgstr "" #: q.cpp:257 msgid "Authenticated: no" -msgstr "Autenticado: no" +msgstr "" #: q.cpp:262 msgid "Error: You are not connected to IRC." -msgstr "Error: no estás conectado al IRC." +msgstr "" #: q.cpp:270 msgid "Error: You are already cloaked!" -msgstr "Error: ya estás enmascarado!" +msgstr "" #: q.cpp:276 msgid "Error: You are already authed!" -msgstr "Error: ya estás autenticado!" +msgstr "" #: q.cpp:280 msgid "Update requested." -msgstr "Actualización solicitada." +msgstr "" #: q.cpp:283 msgid "Unknown command. Try 'help'." -msgstr "Comando desconocido. Escribe 'Help'." +msgstr "" #: q.cpp:293 msgid "Cloak successful: Your hostname is now cloaked." -msgstr "Ocultación correcta: ahora tu host está enmascarado." +msgstr "" #: q.cpp:408 msgid "Changes have been saved!" -msgstr "Tus cambios han sido guardados" +msgstr "" #: q.cpp:435 msgid "Cloak: Trying to cloak your hostname, setting +x..." -msgstr "Cloak: intentando ocultar tu host, poniendo +x..." +msgstr "" #: q.cpp:452 msgid "" "You have to set a username and password to use this module! See 'help' for " "details." msgstr "" -"Tienes que configurar un nombre de usuario y una contraseña para usar este " -"módulo. Escribe 'help' para ver más detalles." #: q.cpp:458 msgid "Auth: Requesting CHALLENGE..." -msgstr "Auth: solicitando CHALLENGE..." +msgstr "" #: q.cpp:462 msgid "Auth: Sending AUTH request..." -msgstr "Auth: enviando respuesta AUTH..." +msgstr "" #: q.cpp:479 msgid "Auth: Received challenge, sending CHALLENGEAUTH request..." -msgstr "Auth: reto recibido, enviando petición CHALLENGEAUTH..." +msgstr "" #: q.cpp:521 msgid "Authentication failed: {1}" -msgstr "Fallo de autenticación: {1}" +msgstr "" #: q.cpp:525 msgid "Authentication successful: {1}" -msgstr "Autenticación correcta: {1}" +msgstr "" #: q.cpp:539 msgid "" "Auth failed: Q does not support HMAC-SHA-256 for CHALLENGEAUTH, falling back " "to standard AUTH." msgstr "" -"Fallo en autenticación: Q no soporta HMAC-SHA-256 en CHALLENGEAUTH, " -"intentando autenticación estándar." #: q.cpp:566 msgid "RequestPerms: Requesting op on {1}" -msgstr "RequestPerms: pidiendo op en {1}" +msgstr "" #: q.cpp:579 msgid "RequestPerms: Requesting voice on {1}" -msgstr "RequestPerms: pidiendo voz en {1}" +msgstr "" #: q.cpp:686 msgid "Please provide your username and password for Q." -msgstr "Introduce tu nombre de usuario y contraseña de Q." +msgstr "" #: q.cpp:689 msgid "Auths you with QuakeNet's Q bot." -msgstr "Te identifica con el bot Q de Quakenet." +msgstr "" diff --git a/modules/po/q.id_ID.po b/modules/po/q.id_ID.po index e3fcc166..108f6308 100644 --- a/modules/po/q.id_ID.po +++ b/modules/po/q.id_ID.po @@ -8,33 +8,33 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/q.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" #: modules/po/../data/q/tmpl/index.tmpl:11 msgid "Username:" -msgstr "Nama pengguna:" +msgstr "" #: modules/po/../data/q/tmpl/index.tmpl:13 msgid "Please enter a username." -msgstr "Silahkan masukan nama pengguna." +msgstr "" #: modules/po/../data/q/tmpl/index.tmpl:16 msgid "Password:" -msgstr "Kata Sandi:" +msgstr "" #: modules/po/../data/q/tmpl/index.tmpl:18 msgid "Please enter a password." -msgstr "Silakan masukkan sandi." +msgstr "" #: modules/po/../data/q/tmpl/index.tmpl:26 msgid "Options" -msgstr "Opsi" +msgstr "" #: modules/po/../data/q/tmpl/index.tmpl:42 msgid "Save" -msgstr "Simpan" +msgstr "" #: q.cpp:74 msgid "" @@ -45,45 +45,41 @@ msgstr "" #: q.cpp:111 msgid "The following commands are available:" -msgstr "Perintah berikut tersedia:" +msgstr "" #: q.cpp:113 q.cpp:116 q.cpp:121 q.cpp:126 q.cpp:130 q.cpp:135 q.cpp:140 msgid "Command" -msgstr "Perintah" +msgstr "" #: q.cpp:114 q.cpp:117 q.cpp:123 q.cpp:127 q.cpp:132 q.cpp:136 q.cpp:141 #: q.cpp:150 q.cpp:154 q.cpp:158 q.cpp:162 q.cpp:168 q.cpp:174 q.cpp:180 #: q.cpp:186 msgid "Description" -msgstr "Deskripsi" +msgstr "" #: q.cpp:116 msgid "Auth [ ]" -msgstr "Auth [ ]" +msgstr "" #: q.cpp:118 msgid "Tries to authenticate you with Q. Both parameters are optional." msgstr "" -"Mencoba untuk mengautentikasi anda dengan Q. Kedua parameter bersifat " -"opsional." #: q.cpp:124 msgid "Tries to set usermode +x to hide your real hostname." msgstr "" -"Mencoba untuk menetapkan usermode +x untuk menyembunyikan nama host anda " -"yang sebenarnya." #: q.cpp:128 msgid "Prints the current status of the module." -msgstr "Mencetak status modul saat ini." +msgstr "" #: q.cpp:133 msgid "Re-requests the current user information from Q." -msgstr "Minta ulang informasi pengguna saat ini dari Q." +msgstr "" #: q.cpp:135 msgid "Set " -msgstr "Set " +msgstr "" #: q.cpp:137 msgid "Changes the value of the given setting. See the list of settings below." @@ -101,16 +97,16 @@ msgstr "" #: q.cpp:183 q.cpp:227 q.cpp:230 q.cpp:233 q.cpp:236 q.cpp:239 q.cpp:242 #: q.cpp:245 q.cpp:248 msgid "Setting" -msgstr "Setelan" +msgstr "" #: q.cpp:149 q.cpp:153 q.cpp:157 q.cpp:161 q.cpp:167 q.cpp:173 q.cpp:179 #: q.cpp:184 msgid "Type" -msgstr "Tipe" +msgstr "" #: q.cpp:153 q.cpp:157 msgid "String" -msgstr "String" +msgstr "" #: q.cpp:154 msgid "Your Q username." diff --git a/modules/po/q.nl_NL.po b/modules/po/q.nl_NL.po index 47241478..42a126da 100644 --- a/modules/po/q.nl_NL.po +++ b/modules/po/q.nl_NL.po @@ -8,33 +8,33 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/q.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" #: modules/po/../data/q/tmpl/index.tmpl:11 msgid "Username:" -msgstr "Gebruikersnaam:" +msgstr "" #: modules/po/../data/q/tmpl/index.tmpl:13 msgid "Please enter a username." -msgstr "Voer alsjeblieft een gebruikersnaam in." +msgstr "" #: modules/po/../data/q/tmpl/index.tmpl:16 msgid "Password:" -msgstr "Wachtwoord:" +msgstr "" #: modules/po/../data/q/tmpl/index.tmpl:18 msgid "Please enter a password." -msgstr "Voer alsjeblieft een wachtwoord in." +msgstr "" #: modules/po/../data/q/tmpl/index.tmpl:26 msgid "Options" -msgstr "Opties" +msgstr "" #: modules/po/../data/q/tmpl/index.tmpl:42 msgid "Save" -msgstr "Opslaan" +msgstr "" #: q.cpp:74 msgid "" @@ -42,272 +42,255 @@ msgid "" "want to cloak your host now, /msg *q Cloak. You can set your preference " "with /msg *q Set UseCloakedHost true/false." msgstr "" -"Melding: Je host zal omhuld worden de volgende keer dat je met IRC verbind. " -"Als je dit nu wilt doen, doe dan: /msg *q Cloak. Je kan je voorkeur " -"instellen met /msg *q Set UseCloakedHost true/false." #: q.cpp:111 msgid "The following commands are available:" -msgstr "De volgende commando's zijn beschikbaar:" +msgstr "" #: q.cpp:113 q.cpp:116 q.cpp:121 q.cpp:126 q.cpp:130 q.cpp:135 q.cpp:140 msgid "Command" -msgstr "Commando" +msgstr "" #: q.cpp:114 q.cpp:117 q.cpp:123 q.cpp:127 q.cpp:132 q.cpp:136 q.cpp:141 #: q.cpp:150 q.cpp:154 q.cpp:158 q.cpp:162 q.cpp:168 q.cpp:174 q.cpp:180 #: q.cpp:186 msgid "Description" -msgstr "Beschrijving" +msgstr "" #: q.cpp:116 msgid "Auth [ ]" -msgstr "Auth [ ]" +msgstr "" #: q.cpp:118 msgid "Tries to authenticate you with Q. Both parameters are optional." -msgstr "Probeert je te authenticeren met Q, beide parameters zijn optioneel." +msgstr "" #: q.cpp:124 msgid "Tries to set usermode +x to hide your real hostname." msgstr "" -"Probeert gebruikersmodus +x in te stellen om je echte hostname te verbergen." #: q.cpp:128 msgid "Prints the current status of the module." -msgstr "Toont de huidige status van de module." +msgstr "" #: q.cpp:133 msgid "Re-requests the current user information from Q." -msgstr "Vraagt de huidige gebruikersinformatie opnieuw aan bij Q." +msgstr "" #: q.cpp:135 msgid "Set " -msgstr "Set " +msgstr "" #: q.cpp:137 msgid "Changes the value of the given setting. See the list of settings below." msgstr "" -"Past de waarde aan van de gegeven instelling. Zie de lijst van instellingen " -"hier onder." #: q.cpp:142 msgid "Prints out the current configuration. See the list of settings below." msgstr "" -"Toont de huidige configuratie. Zie de onderstaande lijst van instellingen." #: q.cpp:146 msgid "The following settings are available:" -msgstr "De volgende instellingen zijn beschikbaar:" +msgstr "" #: q.cpp:148 q.cpp:152 q.cpp:156 q.cpp:160 q.cpp:166 q.cpp:172 q.cpp:178 #: q.cpp:183 q.cpp:227 q.cpp:230 q.cpp:233 q.cpp:236 q.cpp:239 q.cpp:242 #: q.cpp:245 q.cpp:248 msgid "Setting" -msgstr "Instelling" +msgstr "" #: q.cpp:149 q.cpp:153 q.cpp:157 q.cpp:161 q.cpp:167 q.cpp:173 q.cpp:179 #: q.cpp:184 msgid "Type" -msgstr "Type" +msgstr "" #: q.cpp:153 q.cpp:157 msgid "String" -msgstr "Tekenreeks" +msgstr "" #: q.cpp:154 msgid "Your Q username." -msgstr "Jouw Q gebruikersnaam." +msgstr "" #: q.cpp:158 msgid "Your Q password." -msgstr "Jouw Q wachtwoord." +msgstr "" #: q.cpp:161 q.cpp:167 q.cpp:173 q.cpp:179 q.cpp:184 msgid "Boolean" -msgstr "Boolen (waar/onwaar)" +msgstr "" #: q.cpp:163 q.cpp:373 msgid "Whether to cloak your hostname (+x) automatically on connect." -msgstr "Je hostname automatisch omhullen (+x) wanneer er verbonden is." +msgstr "" #: q.cpp:169 q.cpp:381 msgid "" "Whether to use the CHALLENGEAUTH mechanism to avoid sending passwords in " "cleartext." msgstr "" -"Of CHALLENGEAUTH mechanisme gebruikt moet worden om te voorkomen dat je " -"wachtwoord onversleuteld verstuurd word." #: q.cpp:175 q.cpp:389 msgid "Whether to request voice/op from Q on join/devoice/deop." msgstr "" -"Of je automatisch stem/beheerdersrechten van Q wilt aanvragen als je " -"toetreed/stem kwijt raakt/beheerdersrechten kwijt raakt." #: q.cpp:181 q.cpp:395 msgid "Whether to join channels when Q invites you." -msgstr "Automatisch kanalen toetreden waar Q je voor uitnodigd." +msgstr "" #: q.cpp:187 q.cpp:402 msgid "Whether to delay joining channels until after you are cloaked." -msgstr "Wachten met het toetreden van kanalen totdat je host omhuld is." +msgstr "" #: q.cpp:192 msgid "This module takes 2 optional parameters: " msgstr "" -"Deze module accepteerd twee optionele parameters: " -"" #: q.cpp:194 msgid "Module settings are stored between restarts." -msgstr "Module instellingen worden opgeslagen tussen herstarts." +msgstr "" #: q.cpp:200 msgid "Syntax: Set " -msgstr "Syntax: Set " +msgstr "" #: q.cpp:203 msgid "Username set" -msgstr "Gebruikersnaam ingesteld" +msgstr "" #: q.cpp:206 msgid "Password set" -msgstr "Wachtwoord ingesteld" +msgstr "" #: q.cpp:209 msgid "UseCloakedHost set" -msgstr "UseCloakedHost ingesteld" +msgstr "" #: q.cpp:212 msgid "UseChallenge set" -msgstr "UseChallenge ingesteld" +msgstr "" #: q.cpp:215 msgid "RequestPerms set" -msgstr "RequestPerms ingesteld" +msgstr "" #: q.cpp:218 msgid "JoinOnInvite set" -msgstr "JoinOnInvite ingesteld" +msgstr "" #: q.cpp:221 msgid "JoinAfterCloaked set" -msgstr "JoinAfterCloaked ingesteld" +msgstr "" #: q.cpp:223 msgid "Unknown setting: {1}" -msgstr "Onbekende instelling: {1}" +msgstr "" #: q.cpp:228 q.cpp:231 q.cpp:234 q.cpp:237 q.cpp:240 q.cpp:243 q.cpp:246 #: q.cpp:249 msgid "Value" -msgstr "Waarde" +msgstr "" #: q.cpp:253 msgid "Connected: yes" -msgstr "Verbonden: ja" +msgstr "" #: q.cpp:254 msgid "Connected: no" -msgstr "Verbonden: nee" +msgstr "" #: q.cpp:255 msgid "Cloacked: yes" -msgstr "Host omhuld: ja" +msgstr "" #: q.cpp:255 msgid "Cloacked: no" -msgstr "Host omhuld: nee" +msgstr "" #: q.cpp:256 msgid "Authenticated: yes" -msgstr "Geauthenticeerd: ja" +msgstr "" #: q.cpp:257 msgid "Authenticated: no" -msgstr "Geauthenticeerd: nee" +msgstr "" #: q.cpp:262 msgid "Error: You are not connected to IRC." -msgstr "Fout: Je bent niet verbonden met IRC." +msgstr "" #: q.cpp:270 msgid "Error: You are already cloaked!" -msgstr "Fout: Je bent al omhuld!" +msgstr "" #: q.cpp:276 msgid "Error: You are already authed!" -msgstr "Fout: Je bent al geauthenticeerd!" +msgstr "" #: q.cpp:280 msgid "Update requested." -msgstr "Update aangevraagd." +msgstr "" #: q.cpp:283 msgid "Unknown command. Try 'help'." -msgstr "Onbekend commando. Probeer 'help'." +msgstr "" #: q.cpp:293 msgid "Cloak successful: Your hostname is now cloaked." -msgstr "Omhulling succesvol: Je host is nu omhuld." +msgstr "" #: q.cpp:408 msgid "Changes have been saved!" -msgstr "Wijzigingen zijn opgeslagen!" +msgstr "" #: q.cpp:435 msgid "Cloak: Trying to cloak your hostname, setting +x..." -msgstr "Omhulling: Proberen je host te omhullen, +x aan het instellen..." +msgstr "" #: q.cpp:452 msgid "" "You have to set a username and password to use this module! See 'help' for " "details." msgstr "" -"Je moet een gebruikersnaam en wachtwoord instellen om deze module te " -"gebruiken! Zie 'help' voor details." #: q.cpp:458 msgid "Auth: Requesting CHALLENGE..." -msgstr "Auth: CHALLENGE aanvragen..." +msgstr "" #: q.cpp:462 msgid "Auth: Sending AUTH request..." -msgstr "Auth: AUTH aanvraag aan het versturen..." +msgstr "" #: q.cpp:479 msgid "Auth: Received challenge, sending CHALLENGEAUTH request..." -msgstr "Auth: Uitdaging ontvangen, nu CHALLENGEAUTH aanvraag sturen..." +msgstr "" #: q.cpp:521 msgid "Authentication failed: {1}" -msgstr "Authenticatie mislukt: {1}" +msgstr "" #: q.cpp:525 msgid "Authentication successful: {1}" -msgstr "Authenticatie gelukt: {1}" +msgstr "" #: q.cpp:539 msgid "" "Auth failed: Q does not support HMAC-SHA-256 for CHALLENGEAUTH, falling back " "to standard AUTH." msgstr "" -"Auth mislukt: Q ondersteund geen HMAC-SHA-256 voor CHALLENGEAUTH, " -"terugvallen naar standaard AUTH." #: q.cpp:566 msgid "RequestPerms: Requesting op on {1}" -msgstr "RequestPerms: Beheerdersrechten aanvragen in {1}" +msgstr "" #: q.cpp:579 msgid "RequestPerms: Requesting voice on {1}" -msgstr "RequestPerms: Stem aanvragen in {1}" +msgstr "" #: q.cpp:686 msgid "Please provide your username and password for Q." -msgstr "Voer alsjeblieft je gebruikersnaam en wachtwoord in voor Q." +msgstr "" #: q.cpp:689 msgid "Auths you with QuakeNet's Q bot." -msgstr "Authenticeert je met QuakeNet's Q bot." +msgstr "" diff --git a/modules/po/q.pt_BR.po b/modules/po/q.pt_BR.po index 424a58c8..14bd8b06 100644 --- a/modules/po/q.pt_BR.po +++ b/modules/po/q.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/q.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/q.ru_RU.po b/modules/po/q.ru_RU.po index ea4a4a36..314cf793 100644 --- a/modules/po/q.ru_RU.po +++ b/modules/po/q.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/q.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/raw.de_DE.po b/modules/po/raw.de_DE.po index b3d7ebe9..4acb9898 100644 --- a/modules/po/raw.de_DE.po +++ b/modules/po/raw.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/raw.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/raw.es_ES.po b/modules/po/raw.es_ES.po index 8701a1d5..48f904f9 100644 --- a/modules/po/raw.es_ES.po +++ b/modules/po/raw.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/raw.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/raw.id_ID.po b/modules/po/raw.id_ID.po index 5e9b4cf4..35f9b40f 100644 --- a/modules/po/raw.id_ID.po +++ b/modules/po/raw.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/raw.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/raw.nl_NL.po b/modules/po/raw.nl_NL.po index feb2807a..d11e42be 100644 --- a/modules/po/raw.nl_NL.po +++ b/modules/po/raw.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/raw.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/raw.pt_BR.po b/modules/po/raw.pt_BR.po index bdd536d9..ab2e15ce 100644 --- a/modules/po/raw.pt_BR.po +++ b/modules/po/raw.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/raw.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/raw.ru_RU.po b/modules/po/raw.ru_RU.po index 2a0569a9..b2d3ed7a 100644 --- a/modules/po/raw.ru_RU.po +++ b/modules/po/raw.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/raw.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/route_replies.de_DE.po b/modules/po/route_replies.de_DE.po index ba1cc0ff..a3eb6884 100644 --- a/modules/po/route_replies.de_DE.po +++ b/modules/po/route_replies.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/route_replies.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/route_replies.es_ES.po b/modules/po/route_replies.es_ES.po index 348338e0..8a4641dd 100644 --- a/modules/po/route_replies.es_ES.po +++ b/modules/po/route_replies.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/route_replies.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/route_replies.id_ID.po b/modules/po/route_replies.id_ID.po index 79376aef..9d8d05f1 100644 --- a/modules/po/route_replies.id_ID.po +++ b/modules/po/route_replies.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/route_replies.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/route_replies.nl_NL.po b/modules/po/route_replies.nl_NL.po index 423b15ff..ca23c4ce 100644 --- a/modules/po/route_replies.nl_NL.po +++ b/modules/po/route_replies.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/route_replies.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/route_replies.pt_BR.po b/modules/po/route_replies.pt_BR.po index b570ca90..db62ca53 100644 --- a/modules/po/route_replies.pt_BR.po +++ b/modules/po/route_replies.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/route_replies.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/route_replies.ru_RU.po b/modules/po/route_replies.ru_RU.po index 3a29cea9..0a444936 100644 --- a/modules/po/route_replies.ru_RU.po +++ b/modules/po/route_replies.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/route_replies.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/sample.de_DE.po b/modules/po/sample.de_DE.po index 6b282fb3..53020901 100644 --- a/modules/po/sample.de_DE.po +++ b/modules/po/sample.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/sample.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/sample.es_ES.po b/modules/po/sample.es_ES.po index 7bc7e88b..97795df7 100644 --- a/modules/po/sample.es_ES.po +++ b/modules/po/sample.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/sample.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/sample.id_ID.po b/modules/po/sample.id_ID.po index 1a1cd54a..619163aa 100644 --- a/modules/po/sample.id_ID.po +++ b/modules/po/sample.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/sample.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/sample.nl_NL.po b/modules/po/sample.nl_NL.po index b2a49c08..cd84ccb5 100644 --- a/modules/po/sample.nl_NL.po +++ b/modules/po/sample.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/sample.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/sample.pt_BR.po b/modules/po/sample.pt_BR.po index cd304ce2..1752a2be 100644 --- a/modules/po/sample.pt_BR.po +++ b/modules/po/sample.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/sample.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/sample.ru_RU.po b/modules/po/sample.ru_RU.po index 5dd0464c..80f260b2 100644 --- a/modules/po/sample.ru_RU.po +++ b/modules/po/sample.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/sample.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/samplewebapi.de_DE.po b/modules/po/samplewebapi.de_DE.po index df225c76..8e9c8e89 100644 --- a/modules/po/samplewebapi.de_DE.po +++ b/modules/po/samplewebapi.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/samplewebapi.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/samplewebapi.es_ES.po b/modules/po/samplewebapi.es_ES.po index 05295478..b5e5c854 100644 --- a/modules/po/samplewebapi.es_ES.po +++ b/modules/po/samplewebapi.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/samplewebapi.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/samplewebapi.id_ID.po b/modules/po/samplewebapi.id_ID.po index 1b3b6188..ee7f9cb4 100644 --- a/modules/po/samplewebapi.id_ID.po +++ b/modules/po/samplewebapi.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/samplewebapi.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/samplewebapi.nl_NL.po b/modules/po/samplewebapi.nl_NL.po index 93ca7339..da2944a0 100644 --- a/modules/po/samplewebapi.nl_NL.po +++ b/modules/po/samplewebapi.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/samplewebapi.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/samplewebapi.pt_BR.po b/modules/po/samplewebapi.pt_BR.po index 5d288b4d..f3523d34 100644 --- a/modules/po/samplewebapi.pt_BR.po +++ b/modules/po/samplewebapi.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/samplewebapi.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/samplewebapi.ru_RU.po b/modules/po/samplewebapi.ru_RU.po index d67749c4..549fe5a5 100644 --- a/modules/po/samplewebapi.ru_RU.po +++ b/modules/po/samplewebapi.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/samplewebapi.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/sasl.de_DE.po b/modules/po/sasl.de_DE.po index 7387e5f9..84a93d57 100644 --- a/modules/po/sasl.de_DE.po +++ b/modules/po/sasl.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/sasl.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/sasl.es_ES.po b/modules/po/sasl.es_ES.po index 1ec13831..3d44d281 100644 --- a/modules/po/sasl.es_ES.po +++ b/modules/po/sasl.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/sasl.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/sasl.id_ID.po b/modules/po/sasl.id_ID.po index 59b57e3b..e89aa120 100644 --- a/modules/po/sasl.id_ID.po +++ b/modules/po/sasl.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/sasl.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/sasl.nl_NL.po b/modules/po/sasl.nl_NL.po index a245e718..26dde218 100644 --- a/modules/po/sasl.nl_NL.po +++ b/modules/po/sasl.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/sasl.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/sasl.pt_BR.po b/modules/po/sasl.pt_BR.po index d456c9d6..1b168704 100644 --- a/modules/po/sasl.pt_BR.po +++ b/modules/po/sasl.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/sasl.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/sasl.ru_RU.po b/modules/po/sasl.ru_RU.po index 7c348f97..2f41d363 100644 --- a/modules/po/sasl.ru_RU.po +++ b/modules/po/sasl.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/sasl.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/savebuff.de_DE.po b/modules/po/savebuff.de_DE.po index c55c4b1b..b3220612 100644 --- a/modules/po/savebuff.de_DE.po +++ b/modules/po/savebuff.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/savebuff.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/savebuff.es_ES.po b/modules/po/savebuff.es_ES.po index a4300666..45362823 100644 --- a/modules/po/savebuff.es_ES.po +++ b/modules/po/savebuff.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/savebuff.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/savebuff.id_ID.po b/modules/po/savebuff.id_ID.po index 8544bc51..3779ce9a 100644 --- a/modules/po/savebuff.id_ID.po +++ b/modules/po/savebuff.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/savebuff.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/savebuff.nl_NL.po b/modules/po/savebuff.nl_NL.po index 8f405634..051a7317 100644 --- a/modules/po/savebuff.nl_NL.po +++ b/modules/po/savebuff.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/savebuff.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/savebuff.pt_BR.po b/modules/po/savebuff.pt_BR.po index 3f2cb677..b320d94d 100644 --- a/modules/po/savebuff.pt_BR.po +++ b/modules/po/savebuff.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/savebuff.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/savebuff.ru_RU.po b/modules/po/savebuff.ru_RU.po index edbed700..14170e85 100644 --- a/modules/po/savebuff.ru_RU.po +++ b/modules/po/savebuff.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/savebuff.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/send_raw.de_DE.po b/modules/po/send_raw.de_DE.po index aac17222..0a984b74 100644 --- a/modules/po/send_raw.de_DE.po +++ b/modules/po/send_raw.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/send_raw.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/send_raw.es_ES.po b/modules/po/send_raw.es_ES.po index 1d926958..976f5c23 100644 --- a/modules/po/send_raw.es_ES.po +++ b/modules/po/send_raw.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/send_raw.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/send_raw.id_ID.po b/modules/po/send_raw.id_ID.po index 0c245fd1..8006e916 100644 --- a/modules/po/send_raw.id_ID.po +++ b/modules/po/send_raw.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/send_raw.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/send_raw.nl_NL.po b/modules/po/send_raw.nl_NL.po index c3d95e89..59aefb5a 100644 --- a/modules/po/send_raw.nl_NL.po +++ b/modules/po/send_raw.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/send_raw.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/send_raw.pt_BR.po b/modules/po/send_raw.pt_BR.po index 21f0d82e..47f25fc1 100644 --- a/modules/po/send_raw.pt_BR.po +++ b/modules/po/send_raw.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/send_raw.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/send_raw.ru_RU.po b/modules/po/send_raw.ru_RU.po index 83e2c937..ef3b5fdc 100644 --- a/modules/po/send_raw.ru_RU.po +++ b/modules/po/send_raw.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/send_raw.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/shell.de_DE.po b/modules/po/shell.de_DE.po index ed89ba14..f61641d2 100644 --- a/modules/po/shell.de_DE.po +++ b/modules/po/shell.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/shell.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/shell.es_ES.po b/modules/po/shell.es_ES.po index d7c30b30..c0204d89 100644 --- a/modules/po/shell.es_ES.po +++ b/modules/po/shell.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/shell.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/shell.id_ID.po b/modules/po/shell.id_ID.po index 6591d9cb..f1d954f6 100644 --- a/modules/po/shell.id_ID.po +++ b/modules/po/shell.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/shell.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/shell.nl_NL.po b/modules/po/shell.nl_NL.po index 6f6ed8f0..a604696d 100644 --- a/modules/po/shell.nl_NL.po +++ b/modules/po/shell.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/shell.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/shell.pt_BR.po b/modules/po/shell.pt_BR.po index 7eff80b0..d344a047 100644 --- a/modules/po/shell.pt_BR.po +++ b/modules/po/shell.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/shell.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/shell.ru_RU.po b/modules/po/shell.ru_RU.po index 71ef2dd2..67921770 100644 --- a/modules/po/shell.ru_RU.po +++ b/modules/po/shell.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/shell.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/simple_away.de_DE.po b/modules/po/simple_away.de_DE.po index aec7c9be..c4b1f802 100644 --- a/modules/po/simple_away.de_DE.po +++ b/modules/po/simple_away.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/simple_away.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/simple_away.es_ES.po b/modules/po/simple_away.es_ES.po index fafae433..edf50309 100644 --- a/modules/po/simple_away.es_ES.po +++ b/modules/po/simple_away.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/simple_away.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/simple_away.id_ID.po b/modules/po/simple_away.id_ID.po index 1697f642..d925cbc3 100644 --- a/modules/po/simple_away.id_ID.po +++ b/modules/po/simple_away.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/simple_away.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/simple_away.nl_NL.po b/modules/po/simple_away.nl_NL.po index 19a45e3b..e7b888d0 100644 --- a/modules/po/simple_away.nl_NL.po +++ b/modules/po/simple_away.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/simple_away.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/simple_away.pt_BR.po b/modules/po/simple_away.pt_BR.po index caf883f5..3d9b03b4 100644 --- a/modules/po/simple_away.pt_BR.po +++ b/modules/po/simple_away.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/simple_away.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/simple_away.ru_RU.po b/modules/po/simple_away.ru_RU.po index 833c4bf8..eed99a75 100644 --- a/modules/po/simple_away.ru_RU.po +++ b/modules/po/simple_away.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/simple_away.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/stickychan.de_DE.po b/modules/po/stickychan.de_DE.po index c1bb279b..3a3f7c09 100644 --- a/modules/po/stickychan.de_DE.po +++ b/modules/po/stickychan.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/stickychan.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/stickychan.es_ES.po b/modules/po/stickychan.es_ES.po index 5d2f1a03..09ad53d9 100644 --- a/modules/po/stickychan.es_ES.po +++ b/modules/po/stickychan.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/stickychan.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/stickychan.id_ID.po b/modules/po/stickychan.id_ID.po index 5b67a637..852957da 100644 --- a/modules/po/stickychan.id_ID.po +++ b/modules/po/stickychan.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/stickychan.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/stickychan.nl_NL.po b/modules/po/stickychan.nl_NL.po index 01dab81e..f860d789 100644 --- a/modules/po/stickychan.nl_NL.po +++ b/modules/po/stickychan.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/stickychan.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/stickychan.pt_BR.po b/modules/po/stickychan.pt_BR.po index 146404c1..f3596afa 100644 --- a/modules/po/stickychan.pt_BR.po +++ b/modules/po/stickychan.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/stickychan.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/stickychan.ru_RU.po b/modules/po/stickychan.ru_RU.po index 069093da..91422224 100644 --- a/modules/po/stickychan.ru_RU.po +++ b/modules/po/stickychan.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/stickychan.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/stripcontrols.de_DE.po b/modules/po/stripcontrols.de_DE.po index c17288be..d01bd9f8 100644 --- a/modules/po/stripcontrols.de_DE.po +++ b/modules/po/stripcontrols.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/stripcontrols.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/stripcontrols.es_ES.po b/modules/po/stripcontrols.es_ES.po index 3e7f48ab..ae18f1e0 100644 --- a/modules/po/stripcontrols.es_ES.po +++ b/modules/po/stripcontrols.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/stripcontrols.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/stripcontrols.id_ID.po b/modules/po/stripcontrols.id_ID.po index b249d592..6e318e88 100644 --- a/modules/po/stripcontrols.id_ID.po +++ b/modules/po/stripcontrols.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/stripcontrols.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/stripcontrols.nl_NL.po b/modules/po/stripcontrols.nl_NL.po index 4f412a5e..90740c53 100644 --- a/modules/po/stripcontrols.nl_NL.po +++ b/modules/po/stripcontrols.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/stripcontrols.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/stripcontrols.pt_BR.po b/modules/po/stripcontrols.pt_BR.po index 28ee2ee9..92004934 100644 --- a/modules/po/stripcontrols.pt_BR.po +++ b/modules/po/stripcontrols.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/stripcontrols.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/stripcontrols.ru_RU.po b/modules/po/stripcontrols.ru_RU.po index 06bbdab2..75259421 100644 --- a/modules/po/stripcontrols.ru_RU.po +++ b/modules/po/stripcontrols.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/stripcontrols.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/watch.de_DE.po b/modules/po/watch.de_DE.po index f5d4c394..0ef49637 100644 --- a/modules/po/watch.de_DE.po +++ b/modules/po/watch.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/watch.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/watch.es_ES.po b/modules/po/watch.es_ES.po index 27c6ffba..96ec6433 100644 --- a/modules/po/watch.es_ES.po +++ b/modules/po/watch.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/watch.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/watch.id_ID.po b/modules/po/watch.id_ID.po index 977bdb3b..936d3a7a 100644 --- a/modules/po/watch.id_ID.po +++ b/modules/po/watch.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/watch.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/watch.nl_NL.po b/modules/po/watch.nl_NL.po index c5bc745e..f597adb2 100644 --- a/modules/po/watch.nl_NL.po +++ b/modules/po/watch.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/watch.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/watch.pt_BR.po b/modules/po/watch.pt_BR.po index 0cae6295..a4cbac17 100644 --- a/modules/po/watch.pt_BR.po +++ b/modules/po/watch.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/watch.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/watch.ru_RU.po b/modules/po/watch.ru_RU.po index f231b796..05892a99 100644 --- a/modules/po/watch.ru_RU.po +++ b/modules/po/watch.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/watch.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/webadmin.de_DE.po b/modules/po/webadmin.de_DE.po index 8ca254ce..3d2e578d 100644 --- a/modules/po/webadmin.de_DE.po +++ b/modules/po/webadmin.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/webadmin.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/webadmin.es_ES.po b/modules/po/webadmin.es_ES.po index 73879c3b..fa4d6654 100644 --- a/modules/po/webadmin.es_ES.po +++ b/modules/po/webadmin.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/webadmin.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/webadmin.id_ID.po b/modules/po/webadmin.id_ID.po index 810bd03d..9d2e06ae 100644 --- a/modules/po/webadmin.id_ID.po +++ b/modules/po/webadmin.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/webadmin.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/webadmin.nl_NL.po b/modules/po/webadmin.nl_NL.po index 67b445a0..ce23af54 100644 --- a/modules/po/webadmin.nl_NL.po +++ b/modules/po/webadmin.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/webadmin.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/webadmin.pt_BR.po b/modules/po/webadmin.pt_BR.po index 76727ac1..d1d3724d 100644 --- a/modules/po/webadmin.pt_BR.po +++ b/modules/po/webadmin.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/webadmin.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/webadmin.ru_RU.po b/modules/po/webadmin.ru_RU.po index 2b7d733e..2f5ab824 100644 --- a/modules/po/webadmin.ru_RU.po +++ b/modules/po/webadmin.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/webadmin.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/src/po/znc.de_DE.po b/src/po/znc.de_DE.po index 379925a4..8b2186a6 100644 --- a/src/po/znc.de_DE.po +++ b/src/po/znc.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/src/po/znc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: German\n" "Language: de_DE\n" @@ -324,58 +324,6 @@ msgid "Unknown command!" msgstr "Unbekannter Befehl!" #: Modules.cpp:1633 -msgid "Module {1} already loaded." -msgstr "Modul {1} bereits geladen." - -#: Modules.cpp:1647 -msgid "Unable to find module {1}" -msgstr "Kann Modul {1} nicht finden" - -#: Modules.cpp:1659 -msgid "Module {1} does not support module type {2}." -msgstr "Modul {1} unterstützt den Modultyp {2} nicht." - -#: Modules.cpp:1666 -msgid "Module {1} requires a user." -msgstr "Modul {1} benötigt einen Benutzer." - -#: Modules.cpp:1672 -msgid "Module {1} requires a network." -msgstr "Modul {1} benötigt ein Netzwerk." - -#: Modules.cpp:1688 -msgid "Caught an exception" -msgstr "Eine Ausnahme wurde gefangen" - -#: Modules.cpp:1694 -msgid "Module {1} aborted: {2}" -msgstr "Modul {1} abgebrochen: {2}" - -#: Modules.cpp:1696 -msgid "Module {1} aborted." -msgstr "Modul {1} abgebrochen." - -#: Modules.cpp:1720 Modules.cpp:1762 -msgid "Module [{1}] not loaded." -msgstr "Modul [{1}] ist nicht geladen." - -#: Modules.cpp:1744 -msgid "Module {1} unloaded." -msgstr "Modul {1} entladen." - -#: Modules.cpp:1749 -msgid "Unable to unload module {1}." -msgstr "Kann Modul {1} nicht entladen." - -#: Modules.cpp:1778 -msgid "Reloaded module {1}." -msgstr "Module {1} neu geladen." - -#: Modules.cpp:1793 -msgid "Unable to find module {1}." -msgstr "Kann Modul {1} nicht finden." - -#: Modules.cpp:1919 msgid "" "Module names can only contain letters, numbers and underscores, [{1}] is " "invalid" @@ -383,19 +331,71 @@ msgstr "" "Modulnamen können nur Buchstaben, Zahlen und Unterstriche enthalten, [{1}] " "ist ungültig" -#: Modules.cpp:1943 +#: Modules.cpp:1652 +msgid "Module {1} already loaded." +msgstr "Modul {1} bereits geladen." + +#: Modules.cpp:1666 +msgid "Unable to find module {1}" +msgstr "Kann Modul {1} nicht finden" + +#: Modules.cpp:1678 +msgid "Module {1} does not support module type {2}." +msgstr "Modul {1} unterstützt den Modultyp {2} nicht." + +#: Modules.cpp:1685 +msgid "Module {1} requires a user." +msgstr "Modul {1} benötigt einen Benutzer." + +#: Modules.cpp:1691 +msgid "Module {1} requires a network." +msgstr "Modul {1} benötigt ein Netzwerk." + +#: Modules.cpp:1707 +msgid "Caught an exception" +msgstr "Eine Ausnahme wurde gefangen" + +#: Modules.cpp:1713 +msgid "Module {1} aborted: {2}" +msgstr "Modul {1} abgebrochen: {2}" + +#: Modules.cpp:1715 +msgid "Module {1} aborted." +msgstr "Modul {1} abgebrochen." + +#: Modules.cpp:1739 Modules.cpp:1781 +msgid "Module [{1}] not loaded." +msgstr "Modul [{1}] ist nicht geladen." + +#: Modules.cpp:1763 +msgid "Module {1} unloaded." +msgstr "Modul {1} entladen." + +#: Modules.cpp:1768 +msgid "Unable to unload module {1}." +msgstr "Kann Modul {1} nicht entladen." + +#: Modules.cpp:1797 +msgid "Reloaded module {1}." +msgstr "Module {1} neu geladen." + +#: Modules.cpp:1816 +msgid "Unable to find module {1}." +msgstr "Kann Modul {1} nicht finden." + +#: Modules.cpp:1963 msgid "Unknown error" msgstr "Unbekannter Fehler" -#: Modules.cpp:1944 +#: Modules.cpp:1964 msgid "Unable to open module {1}: {2}" msgstr "Konnte Modul {1} nicht öffnen: {2}" -#: Modules.cpp:1953 +#: Modules.cpp:1973 msgid "Could not find ZNCModuleEntry in module {1}" msgstr "Konnte ZNCModuleEntry im Modul {1} nicht finden" -#: Modules.cpp:1961 +#: Modules.cpp:1981 msgid "" "Version mismatch for module {1}: core is {2}, module is built for {3}. " "Recompile this module." @@ -403,7 +403,7 @@ msgstr "" "Versionsfehler für Modul {1}: Kern ist {2}, Modul ist für {3} gebaut. " "Rekompiliere dieses Modul." -#: Modules.cpp:1972 +#: Modules.cpp:1992 msgid "" "Module {1} is built incompatibly: core is '{2}', module is '{3}'. Recompile " "this module." @@ -411,12 +411,12 @@ msgstr "" "Modul {1} ist inkompatibel gebaut: Kern ist '{2}', Modul ist '{3}'. Baue das " "Modul neu." -#: Modules.cpp:2002 Modules.cpp:2008 +#: Modules.cpp:2022 Modules.cpp:2028 msgctxt "modhelpcmd" msgid "Command" msgstr "Befehl" -#: Modules.cpp:2003 Modules.cpp:2009 +#: Modules.cpp:2023 Modules.cpp:2029 msgctxt "modhelpcmd" msgid "Description" msgstr "Beschreibung" diff --git a/src/po/znc.es_ES.po b/src/po/znc.es_ES.po index 13da31d5..89a9d5e6 100644 --- a/src/po/znc.es_ES.po +++ b/src/po/znc.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/src/po/znc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Spanish\n" "Language: es_ES\n" @@ -312,58 +312,6 @@ msgid "Unknown command!" msgstr "¡Comando desconocido!" #: Modules.cpp:1633 -msgid "Module {1} already loaded." -msgstr "Módulo {1} ya cargado." - -#: Modules.cpp:1647 -msgid "Unable to find module {1}" -msgstr "No se ha encontrado el módulo {1}" - -#: Modules.cpp:1659 -msgid "Module {1} does not support module type {2}." -msgstr "El módulo {1} no soporta el tipo de módulo {2}." - -#: Modules.cpp:1666 -msgid "Module {1} requires a user." -msgstr "El módulo {1} requiere un usuario." - -#: Modules.cpp:1672 -msgid "Module {1} requires a network." -msgstr "El módulo {1} requiere una red." - -#: Modules.cpp:1688 -msgid "Caught an exception" -msgstr "Capturada una excepción" - -#: Modules.cpp:1694 -msgid "Module {1} aborted: {2}" -msgstr "Módulo {1} abortado: {2}" - -#: Modules.cpp:1696 -msgid "Module {1} aborted." -msgstr "Módulo {1} abortado." - -#: Modules.cpp:1720 Modules.cpp:1762 -msgid "Module [{1}] not loaded." -msgstr "Módulo [{1}] no cargado." - -#: Modules.cpp:1744 -msgid "Module {1} unloaded." -msgstr "Módulo {1} descargado." - -#: Modules.cpp:1749 -msgid "Unable to unload module {1}." -msgstr "Imposible descargar el módulo {1}." - -#: Modules.cpp:1778 -msgid "Reloaded module {1}." -msgstr "Recargado el módulo {1}." - -#: Modules.cpp:1793 -msgid "Unable to find module {1}." -msgstr "No se ha encontrado el módulo {1}." - -#: Modules.cpp:1919 msgid "" "Module names can only contain letters, numbers and underscores, [{1}] is " "invalid" @@ -371,19 +319,71 @@ msgstr "" "Los nombres de módulos solo pueden contener letras, números y guiones bajos, " "[{1}] no es válido" -#: Modules.cpp:1943 +#: Modules.cpp:1652 +msgid "Module {1} already loaded." +msgstr "Módulo {1} ya cargado." + +#: Modules.cpp:1666 +msgid "Unable to find module {1}" +msgstr "No se ha encontrado el módulo {1}" + +#: Modules.cpp:1678 +msgid "Module {1} does not support module type {2}." +msgstr "El módulo {1} no soporta el tipo de módulo {2}." + +#: Modules.cpp:1685 +msgid "Module {1} requires a user." +msgstr "El módulo {1} requiere un usuario." + +#: Modules.cpp:1691 +msgid "Module {1} requires a network." +msgstr "El módulo {1} requiere una red." + +#: Modules.cpp:1707 +msgid "Caught an exception" +msgstr "Capturada una excepción" + +#: Modules.cpp:1713 +msgid "Module {1} aborted: {2}" +msgstr "Módulo {1} abortado: {2}" + +#: Modules.cpp:1715 +msgid "Module {1} aborted." +msgstr "Módulo {1} abortado." + +#: Modules.cpp:1739 Modules.cpp:1781 +msgid "Module [{1}] not loaded." +msgstr "Módulo [{1}] no cargado." + +#: Modules.cpp:1763 +msgid "Module {1} unloaded." +msgstr "Módulo {1} descargado." + +#: Modules.cpp:1768 +msgid "Unable to unload module {1}." +msgstr "Imposible descargar el módulo {1}." + +#: Modules.cpp:1797 +msgid "Reloaded module {1}." +msgstr "Recargado el módulo {1}." + +#: Modules.cpp:1816 +msgid "Unable to find module {1}." +msgstr "No se ha encontrado el módulo {1}." + +#: Modules.cpp:1963 msgid "Unknown error" msgstr "Error desconocido" -#: Modules.cpp:1944 +#: Modules.cpp:1964 msgid "Unable to open module {1}: {2}" msgstr "No se puede abrir el módulo {1}: {2}" -#: Modules.cpp:1953 +#: Modules.cpp:1973 msgid "Could not find ZNCModuleEntry in module {1}" msgstr "No se ha encontrado ZNCModuleEntry en el módulo {1}" -#: Modules.cpp:1961 +#: Modules.cpp:1981 msgid "" "Version mismatch for module {1}: core is {2}, module is built for {3}. " "Recompile this module." @@ -391,7 +391,7 @@ msgstr "" "Versiones no coincidentes para el módulo {1}: el núcleo es {2}, pero el " "módulo está hecho para {3}. Recompila este módulo." -#: Modules.cpp:1972 +#: Modules.cpp:1992 msgid "" "Module {1} is built incompatibly: core is '{2}', module is '{3}'. Recompile " "this module." @@ -399,12 +399,12 @@ msgstr "" "El módulo {1} es incompatible: el núcleo es '{2}', el módulo es '{3}'. " "Recompila este módulo." -#: Modules.cpp:2002 Modules.cpp:2008 +#: Modules.cpp:2022 Modules.cpp:2028 msgctxt "modhelpcmd" msgid "Command" msgstr "Comando" -#: Modules.cpp:2003 Modules.cpp:2009 +#: Modules.cpp:2023 Modules.cpp:2029 msgctxt "modhelpcmd" msgid "Description" msgstr "Descripción" diff --git a/src/po/znc.id_ID.po b/src/po/znc.id_ID.po index 1346649a..679061ed 100644 --- a/src/po/znc.id_ID.po +++ b/src/po/znc.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/src/po/znc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Indonesian\n" "Language: id_ID\n" @@ -309,93 +309,93 @@ msgid "Unknown command!" msgstr "" #: Modules.cpp:1633 -msgid "Module {1} already loaded." -msgstr "" - -#: Modules.cpp:1647 -msgid "Unable to find module {1}" -msgstr "" - -#: Modules.cpp:1659 -msgid "Module {1} does not support module type {2}." -msgstr "" - -#: Modules.cpp:1666 -msgid "Module {1} requires a user." -msgstr "" - -#: Modules.cpp:1672 -msgid "Module {1} requires a network." -msgstr "" - -#: Modules.cpp:1688 -msgid "Caught an exception" -msgstr "" - -#: Modules.cpp:1694 -msgid "Module {1} aborted: {2}" -msgstr "" - -#: Modules.cpp:1696 -msgid "Module {1} aborted." -msgstr "" - -#: Modules.cpp:1720 Modules.cpp:1762 -msgid "Module [{1}] not loaded." -msgstr "" - -#: Modules.cpp:1744 -msgid "Module {1} unloaded." -msgstr "" - -#: Modules.cpp:1749 -msgid "Unable to unload module {1}." -msgstr "" - -#: Modules.cpp:1778 -msgid "Reloaded module {1}." -msgstr "" - -#: Modules.cpp:1793 -msgid "Unable to find module {1}." -msgstr "" - -#: Modules.cpp:1919 msgid "" "Module names can only contain letters, numbers and underscores, [{1}] is " "invalid" msgstr "" -#: Modules.cpp:1943 +#: Modules.cpp:1652 +msgid "Module {1} already loaded." +msgstr "" + +#: Modules.cpp:1666 +msgid "Unable to find module {1}" +msgstr "" + +#: Modules.cpp:1678 +msgid "Module {1} does not support module type {2}." +msgstr "" + +#: Modules.cpp:1685 +msgid "Module {1} requires a user." +msgstr "" + +#: Modules.cpp:1691 +msgid "Module {1} requires a network." +msgstr "" + +#: Modules.cpp:1707 +msgid "Caught an exception" +msgstr "" + +#: Modules.cpp:1713 +msgid "Module {1} aborted: {2}" +msgstr "" + +#: Modules.cpp:1715 +msgid "Module {1} aborted." +msgstr "" + +#: Modules.cpp:1739 Modules.cpp:1781 +msgid "Module [{1}] not loaded." +msgstr "" + +#: Modules.cpp:1763 +msgid "Module {1} unloaded." +msgstr "" + +#: Modules.cpp:1768 +msgid "Unable to unload module {1}." +msgstr "" + +#: Modules.cpp:1797 +msgid "Reloaded module {1}." +msgstr "" + +#: Modules.cpp:1816 +msgid "Unable to find module {1}." +msgstr "" + +#: Modules.cpp:1963 msgid "Unknown error" msgstr "" -#: Modules.cpp:1944 +#: Modules.cpp:1964 msgid "Unable to open module {1}: {2}" msgstr "" -#: Modules.cpp:1953 +#: Modules.cpp:1973 msgid "Could not find ZNCModuleEntry in module {1}" msgstr "" -#: Modules.cpp:1961 +#: Modules.cpp:1981 msgid "" "Version mismatch for module {1}: core is {2}, module is built for {3}. " "Recompile this module." msgstr "" -#: Modules.cpp:1972 +#: Modules.cpp:1992 msgid "" "Module {1} is built incompatibly: core is '{2}', module is '{3}'. Recompile " "this module." msgstr "" -#: Modules.cpp:2002 Modules.cpp:2008 +#: Modules.cpp:2022 Modules.cpp:2028 msgctxt "modhelpcmd" msgid "Command" msgstr "" -#: Modules.cpp:2003 Modules.cpp:2009 +#: Modules.cpp:2023 Modules.cpp:2029 msgctxt "modhelpcmd" msgid "Description" msgstr "" diff --git a/src/po/znc.nl_NL.po b/src/po/znc.nl_NL.po index 3f54c166..b4cabda0 100644 --- a/src/po/znc.nl_NL.po +++ b/src/po/znc.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/src/po/znc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Dutch\n" "Language: nl_NL\n" @@ -327,58 +327,6 @@ msgid "Unknown command!" msgstr "Onbekend commando!" #: Modules.cpp:1633 -msgid "Module {1} already loaded." -msgstr "Module {1} is al geladen." - -#: Modules.cpp:1647 -msgid "Unable to find module {1}" -msgstr "Kon module {1} niet vinden" - -#: Modules.cpp:1659 -msgid "Module {1} does not support module type {2}." -msgstr "Module {1} ondersteund het type {2} niet." - -#: Modules.cpp:1666 -msgid "Module {1} requires a user." -msgstr "Module {1} vereist een gebruiker." - -#: Modules.cpp:1672 -msgid "Module {1} requires a network." -msgstr "Module {1} vereist een netwerk." - -#: Modules.cpp:1688 -msgid "Caught an exception" -msgstr "Uitzondering geconstateerd" - -#: Modules.cpp:1694 -msgid "Module {1} aborted: {2}" -msgstr "Module {1} afgebroken: {2}" - -#: Modules.cpp:1696 -msgid "Module {1} aborted." -msgstr "Module {1} afgebroken." - -#: Modules.cpp:1720 Modules.cpp:1762 -msgid "Module [{1}] not loaded." -msgstr "Module [{1}] niet geladen." - -#: Modules.cpp:1744 -msgid "Module {1} unloaded." -msgstr "Module {1} gestopt." - -#: Modules.cpp:1749 -msgid "Unable to unload module {1}." -msgstr "Niet mogelijk om module {1} te stoppen." - -#: Modules.cpp:1778 -msgid "Reloaded module {1}." -msgstr "Module {1} hergeladen." - -#: Modules.cpp:1793 -msgid "Unable to find module {1}." -msgstr "Module {1} niet gevonden." - -#: Modules.cpp:1919 msgid "" "Module names can only contain letters, numbers and underscores, [{1}] is " "invalid" @@ -386,19 +334,71 @@ msgstr "" "Module namen kunnen alleen letters, nummers en lage streepts bevatten, [{1}] " "is ongeldig" -#: Modules.cpp:1943 +#: Modules.cpp:1652 +msgid "Module {1} already loaded." +msgstr "Module {1} is al geladen." + +#: Modules.cpp:1666 +msgid "Unable to find module {1}" +msgstr "Kon module {1} niet vinden" + +#: Modules.cpp:1678 +msgid "Module {1} does not support module type {2}." +msgstr "Module {1} ondersteund het type {2} niet." + +#: Modules.cpp:1685 +msgid "Module {1} requires a user." +msgstr "Module {1} vereist een gebruiker." + +#: Modules.cpp:1691 +msgid "Module {1} requires a network." +msgstr "Module {1} vereist een netwerk." + +#: Modules.cpp:1707 +msgid "Caught an exception" +msgstr "Uitzondering geconstateerd" + +#: Modules.cpp:1713 +msgid "Module {1} aborted: {2}" +msgstr "Module {1} afgebroken: {2}" + +#: Modules.cpp:1715 +msgid "Module {1} aborted." +msgstr "Module {1} afgebroken." + +#: Modules.cpp:1739 Modules.cpp:1781 +msgid "Module [{1}] not loaded." +msgstr "Module [{1}] niet geladen." + +#: Modules.cpp:1763 +msgid "Module {1} unloaded." +msgstr "Module {1} gestopt." + +#: Modules.cpp:1768 +msgid "Unable to unload module {1}." +msgstr "Niet mogelijk om module {1} te stoppen." + +#: Modules.cpp:1797 +msgid "Reloaded module {1}." +msgstr "Module {1} hergeladen." + +#: Modules.cpp:1816 +msgid "Unable to find module {1}." +msgstr "Module {1} niet gevonden." + +#: Modules.cpp:1963 msgid "Unknown error" msgstr "Onbekende fout" -#: Modules.cpp:1944 +#: Modules.cpp:1964 msgid "Unable to open module {1}: {2}" msgstr "Niet mogelijk om module te openen, {1}: {2}" -#: Modules.cpp:1953 +#: Modules.cpp:1973 msgid "Could not find ZNCModuleEntry in module {1}" msgstr "Kon ZNCModuleEntry niet vinden in module {1}" -#: Modules.cpp:1961 +#: Modules.cpp:1981 msgid "" "Version mismatch for module {1}: core is {2}, module is built for {3}. " "Recompile this module." @@ -406,7 +406,7 @@ msgstr "" "Verkeerde versie voor module {1}, kern is {2}, module is gecompileerd voor " "{3}. Hercompileer deze module." -#: Modules.cpp:1972 +#: Modules.cpp:1992 msgid "" "Module {1} is built incompatibly: core is '{2}', module is '{3}'. Recompile " "this module." @@ -414,12 +414,12 @@ msgstr "" "Module {1} is niet compatible gecompileerd: kern is '{2}', module is '{3}'. " "Hercompileer deze module." -#: Modules.cpp:2002 Modules.cpp:2008 +#: Modules.cpp:2022 Modules.cpp:2028 msgctxt "modhelpcmd" msgid "Command" msgstr "Commando" -#: Modules.cpp:2003 Modules.cpp:2009 +#: Modules.cpp:2023 Modules.cpp:2029 msgctxt "modhelpcmd" msgid "Description" msgstr "Beschrijving" diff --git a/src/po/znc.pot b/src/po/znc.pot index 714b55ab..75d2505c 100644 --- a/src/po/znc.pot +++ b/src/po/znc.pot @@ -287,93 +287,93 @@ msgid "Unknown command!" msgstr "" #: Modules.cpp:1633 -msgid "Module {1} already loaded." -msgstr "" - -#: Modules.cpp:1647 -msgid "Unable to find module {1}" -msgstr "" - -#: Modules.cpp:1659 -msgid "Module {1} does not support module type {2}." -msgstr "" - -#: Modules.cpp:1666 -msgid "Module {1} requires a user." -msgstr "" - -#: Modules.cpp:1672 -msgid "Module {1} requires a network." -msgstr "" - -#: Modules.cpp:1688 -msgid "Caught an exception" -msgstr "" - -#: Modules.cpp:1694 -msgid "Module {1} aborted: {2}" -msgstr "" - -#: Modules.cpp:1696 -msgid "Module {1} aborted." -msgstr "" - -#: Modules.cpp:1720 Modules.cpp:1762 -msgid "Module [{1}] not loaded." -msgstr "" - -#: Modules.cpp:1744 -msgid "Module {1} unloaded." -msgstr "" - -#: Modules.cpp:1749 -msgid "Unable to unload module {1}." -msgstr "" - -#: Modules.cpp:1778 -msgid "Reloaded module {1}." -msgstr "" - -#: Modules.cpp:1793 -msgid "Unable to find module {1}." -msgstr "" - -#: Modules.cpp:1919 msgid "" "Module names can only contain letters, numbers and underscores, [{1}] is " "invalid" msgstr "" -#: Modules.cpp:1943 +#: Modules.cpp:1652 +msgid "Module {1} already loaded." +msgstr "" + +#: Modules.cpp:1666 +msgid "Unable to find module {1}" +msgstr "" + +#: Modules.cpp:1678 +msgid "Module {1} does not support module type {2}." +msgstr "" + +#: Modules.cpp:1685 +msgid "Module {1} requires a user." +msgstr "" + +#: Modules.cpp:1691 +msgid "Module {1} requires a network." +msgstr "" + +#: Modules.cpp:1707 +msgid "Caught an exception" +msgstr "" + +#: Modules.cpp:1713 +msgid "Module {1} aborted: {2}" +msgstr "" + +#: Modules.cpp:1715 +msgid "Module {1} aborted." +msgstr "" + +#: Modules.cpp:1739 Modules.cpp:1781 +msgid "Module [{1}] not loaded." +msgstr "" + +#: Modules.cpp:1763 +msgid "Module {1} unloaded." +msgstr "" + +#: Modules.cpp:1768 +msgid "Unable to unload module {1}." +msgstr "" + +#: Modules.cpp:1797 +msgid "Reloaded module {1}." +msgstr "" + +#: Modules.cpp:1816 +msgid "Unable to find module {1}." +msgstr "" + +#: Modules.cpp:1963 msgid "Unknown error" msgstr "" -#: Modules.cpp:1944 +#: Modules.cpp:1964 msgid "Unable to open module {1}: {2}" msgstr "" -#: Modules.cpp:1953 +#: Modules.cpp:1973 msgid "Could not find ZNCModuleEntry in module {1}" msgstr "" -#: Modules.cpp:1961 +#: Modules.cpp:1981 msgid "" "Version mismatch for module {1}: core is {2}, module is built for {3}. " "Recompile this module." msgstr "" -#: Modules.cpp:1972 +#: Modules.cpp:1992 msgid "" "Module {1} is built incompatibly: core is '{2}', module is '{3}'. Recompile " "this module." msgstr "" -#: Modules.cpp:2002 Modules.cpp:2008 +#: Modules.cpp:2022 Modules.cpp:2028 msgctxt "modhelpcmd" msgid "Command" msgstr "" -#: Modules.cpp:2003 Modules.cpp:2009 +#: Modules.cpp:2023 Modules.cpp:2029 msgctxt "modhelpcmd" msgid "Description" msgstr "" diff --git a/src/po/znc.pt_BR.po b/src/po/znc.pt_BR.po index e4ca2edc..b2c0c5bf 100644 --- a/src/po/znc.pt_BR.po +++ b/src/po/znc.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/src/po/znc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" @@ -310,58 +310,6 @@ msgid "Unknown command!" msgstr "Comando desconhecido!" #: Modules.cpp:1633 -msgid "Module {1} already loaded." -msgstr "O módulo {1} já está carregado." - -#: Modules.cpp:1647 -msgid "Unable to find module {1}" -msgstr "Não foi possível encontrar o módulo {1}" - -#: Modules.cpp:1659 -msgid "Module {1} does not support module type {2}." -msgstr "O módulo {1} não suporta o tipo de módulo {2}." - -#: Modules.cpp:1666 -msgid "Module {1} requires a user." -msgstr "O módulo {1} requer um usuário." - -#: Modules.cpp:1672 -msgid "Module {1} requires a network." -msgstr "O módulo {1} requer uma rede." - -#: Modules.cpp:1688 -msgid "Caught an exception" -msgstr "" - -#: Modules.cpp:1694 -msgid "Module {1} aborted: {2}" -msgstr "Módulo {1} finalizado: {2}" - -#: Modules.cpp:1696 -msgid "Module {1} aborted." -msgstr "Módulo {1} finalizado." - -#: Modules.cpp:1720 Modules.cpp:1762 -msgid "Module [{1}] not loaded." -msgstr "O módulo [{1}] não foi carregado." - -#: Modules.cpp:1744 -msgid "Module {1} unloaded." -msgstr "Módulo {1} desligado." - -#: Modules.cpp:1749 -msgid "Unable to unload module {1}." -msgstr "Não foi possível desativar o módulo {1}." - -#: Modules.cpp:1778 -msgid "Reloaded module {1}." -msgstr "O módulo {1} foi reiniciado." - -#: Modules.cpp:1793 -msgid "Unable to find module {1}." -msgstr "Não foi possível encontrar o módulo {1}." - -#: Modules.cpp:1919 msgid "" "Module names can only contain letters, numbers and underscores, [{1}] is " "invalid" @@ -369,36 +317,88 @@ msgstr "" "Os nomes de módulos podem conter apenas letras, números e underlines. [{1}] " "é inválido" -#: Modules.cpp:1943 +#: Modules.cpp:1652 +msgid "Module {1} already loaded." +msgstr "O módulo {1} já está carregado." + +#: Modules.cpp:1666 +msgid "Unable to find module {1}" +msgstr "Não foi possível encontrar o módulo {1}" + +#: Modules.cpp:1678 +msgid "Module {1} does not support module type {2}." +msgstr "O módulo {1} não suporta o tipo de módulo {2}." + +#: Modules.cpp:1685 +msgid "Module {1} requires a user." +msgstr "O módulo {1} requer um usuário." + +#: Modules.cpp:1691 +msgid "Module {1} requires a network." +msgstr "O módulo {1} requer uma rede." + +#: Modules.cpp:1707 +msgid "Caught an exception" +msgstr "" + +#: Modules.cpp:1713 +msgid "Module {1} aborted: {2}" +msgstr "Módulo {1} finalizado: {2}" + +#: Modules.cpp:1715 +msgid "Module {1} aborted." +msgstr "Módulo {1} finalizado." + +#: Modules.cpp:1739 Modules.cpp:1781 +msgid "Module [{1}] not loaded." +msgstr "O módulo [{1}] não foi carregado." + +#: Modules.cpp:1763 +msgid "Module {1} unloaded." +msgstr "Módulo {1} desligado." + +#: Modules.cpp:1768 +msgid "Unable to unload module {1}." +msgstr "Não foi possível desativar o módulo {1}." + +#: Modules.cpp:1797 +msgid "Reloaded module {1}." +msgstr "O módulo {1} foi reiniciado." + +#: Modules.cpp:1816 +msgid "Unable to find module {1}." +msgstr "Não foi possível encontrar o módulo {1}." + +#: Modules.cpp:1963 msgid "Unknown error" msgstr "Erro desconhecido" -#: Modules.cpp:1944 +#: Modules.cpp:1964 msgid "Unable to open module {1}: {2}" msgstr "Não foi possível abrir o módulo {1}: {2}" -#: Modules.cpp:1953 +#: Modules.cpp:1973 msgid "Could not find ZNCModuleEntry in module {1}" msgstr "" -#: Modules.cpp:1961 +#: Modules.cpp:1981 msgid "" "Version mismatch for module {1}: core is {2}, module is built for {3}. " "Recompile this module." msgstr "" -#: Modules.cpp:1972 +#: Modules.cpp:1992 msgid "" "Module {1} is built incompatibly: core is '{2}', module is '{3}'. Recompile " "this module." msgstr "" -#: Modules.cpp:2002 Modules.cpp:2008 +#: Modules.cpp:2022 Modules.cpp:2028 msgctxt "modhelpcmd" msgid "Command" msgstr "Comando" -#: Modules.cpp:2003 Modules.cpp:2009 +#: Modules.cpp:2023 Modules.cpp:2029 msgctxt "modhelpcmd" msgid "Description" msgstr "Descrição" @@ -414,7 +414,7 @@ msgstr "Você precisa estar conectado a uma rede para usar este comando" #: ClientCommand.cpp:58 msgid "Usage: ListNicks <#chan>" -msgstr "" +msgstr "Uso: ListNicks <#canal>" #: ClientCommand.cpp:65 msgid "You are not on [{1}]" @@ -470,7 +470,7 @@ msgstr "" #: ClientCommand.cpp:455 msgid "Usage: ListChans" -msgstr "" +msgstr "Uso: ListChans" #: ClientCommand.cpp:462 msgid "No such user [{1}]" @@ -573,11 +573,11 @@ msgstr "" #: ClientCommand.cpp:566 msgid "Unable to add that network" -msgstr "" +msgstr "Não foi possível adicionar esta rede" #: ClientCommand.cpp:573 msgid "Usage: DelNetwork " -msgstr "" +msgstr "Uso: DelNetwork " #: ClientCommand.cpp:582 msgid "Network deleted" @@ -589,7 +589,7 @@ msgstr "Falha ao excluir rede. Talvez esta rede não existe." #: ClientCommand.cpp:595 msgid "User {1} not found" -msgstr "" +msgstr "Usuário {1} não encontrado" #: ClientCommand.cpp:603 ClientCommand.cpp:611 msgctxt "listnetworks" @@ -638,6 +638,7 @@ msgstr "Acesso negado." #: ClientCommand.cpp:643 msgid "Usage: MoveNetwork [new network]" msgstr "" +"Uso: MoveNetwork [nova rede]" #: ClientCommand.cpp:653 msgid "Old user {1} not found." @@ -653,7 +654,7 @@ msgstr "" #: ClientCommand.cpp:670 msgid "User {1} already has network {2}." -msgstr "" +msgstr "O usuário {1} já possui a rede {2}." #: ClientCommand.cpp:676 msgid "Invalid network name [{1}]" @@ -665,7 +666,7 @@ msgstr "" #: ClientCommand.cpp:706 msgid "Error adding network: {1}" -msgstr "" +msgstr "Falha ao adicionar rede: {1}" #: ClientCommand.cpp:718 msgid "Success." @@ -765,7 +766,7 @@ msgstr "" #: ClientCommand.cpp:874 ClientCommand.cpp:880 msgctxt "topicscmd" msgid "Channel" -msgstr "" +msgstr "Canal" #: ClientCommand.cpp:875 ClientCommand.cpp:881 msgctxt "topicscmd" @@ -814,32 +815,32 @@ msgstr "" #: ClientCommand.cpp:938 ClientCommand.cpp:944 msgctxt "listavailmods" msgid "Name" -msgstr "" +msgstr "Nome" #: ClientCommand.cpp:939 ClientCommand.cpp:949 msgctxt "listavailmods" msgid "Description" -msgstr "" +msgstr "Descrição" #: ClientCommand.cpp:962 msgid "No global modules available." -msgstr "" +msgstr "Não há módulos globais disponíveis." #: ClientCommand.cpp:973 msgid "No user modules available." -msgstr "" +msgstr "Não há módulos de usuário disponíveis." #: ClientCommand.cpp:984 msgid "No network modules available." -msgstr "" +msgstr "Não há módulos de rede disponíveis." #: ClientCommand.cpp:1012 msgid "Unable to load {1}: Access denied." -msgstr "" +msgstr "Falha ao carregar {1}: acesso negado." #: ClientCommand.cpp:1018 msgid "Usage: LoadMod [--type=global|user|network] [args]" -msgstr "" +msgstr "Uso: LoadMod [--type=global|user|network] [parâmetros]" #: ClientCommand.cpp:1025 msgid "Unable to load {1}: {2}" @@ -859,11 +860,11 @@ msgstr "" #: ClientCommand.cpp:1068 msgid "Loaded module {1}" -msgstr "" +msgstr "Módulo {1} carregado" #: ClientCommand.cpp:1070 msgid "Loaded module {1}: {2}" -msgstr "" +msgstr "Módulo {1} carregado: {2}" #: ClientCommand.cpp:1073 msgid "Unable to load module {1}: {2}" @@ -919,7 +920,7 @@ msgstr "" #: ClientCommand.cpp:1236 msgid "Usage: UpdateMod " -msgstr "" +msgstr "Uso: UpdateMod " #: ClientCommand.cpp:1240 msgid "Reloading {1} everywhere" diff --git a/src/po/znc.ru_RU.po b/src/po/znc.ru_RU.po index d38bcd84..478543f0 100644 --- a/src/po/znc.ru_RU.po +++ b/src/po/znc.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/src/po/znc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: Russian\n" "Language: ru_RU\n" @@ -317,58 +317,6 @@ msgid "Unknown command!" msgstr "Неизвестная команда!" #: Modules.cpp:1633 -msgid "Module {1} already loaded." -msgstr "Модуль {1} уже загружен." - -#: Modules.cpp:1647 -msgid "Unable to find module {1}" -msgstr "Не могу найти модуль {1}" - -#: Modules.cpp:1659 -msgid "Module {1} does not support module type {2}." -msgstr "Модуль {1} не поддерживает тип модулей «{2}»." - -#: Modules.cpp:1666 -msgid "Module {1} requires a user." -msgstr "Модулю {1} необходим пользователь." - -#: Modules.cpp:1672 -msgid "Module {1} requires a network." -msgstr "Модулю {1} необходима сеть." - -#: Modules.cpp:1688 -msgid "Caught an exception" -msgstr "Поймано исключение" - -#: Modules.cpp:1694 -msgid "Module {1} aborted: {2}" -msgstr "Модуль {1} прервал: {2}" - -#: Modules.cpp:1696 -msgid "Module {1} aborted." -msgstr "Модуль {1} прервал." - -#: Modules.cpp:1720 Modules.cpp:1762 -msgid "Module [{1}] not loaded." -msgstr "Модуль [{1}] не загружен." - -#: Modules.cpp:1744 -msgid "Module {1} unloaded." -msgstr "Модуль {1} выгружен." - -#: Modules.cpp:1749 -msgid "Unable to unload module {1}." -msgstr "Не могу выгрузить модуль {1}." - -#: Modules.cpp:1778 -msgid "Reloaded module {1}." -msgstr "Модуль {1} перезагружен." - -#: Modules.cpp:1793 -msgid "Unable to find module {1}." -msgstr "Не могу найти модуль {1}." - -#: Modules.cpp:1919 msgid "" "Module names can only contain letters, numbers and underscores, [{1}] is " "invalid" @@ -376,26 +324,78 @@ msgstr "" "Названия модуля может содержать только латинские буквы, цифры и знак " "подчёркивания; [{1}] не соответствует требованиям" -#: Modules.cpp:1943 +#: Modules.cpp:1652 +msgid "Module {1} already loaded." +msgstr "Модуль {1} уже загружен." + +#: Modules.cpp:1666 +msgid "Unable to find module {1}" +msgstr "Не могу найти модуль {1}" + +#: Modules.cpp:1678 +msgid "Module {1} does not support module type {2}." +msgstr "Модуль {1} не поддерживает тип модулей «{2}»." + +#: Modules.cpp:1685 +msgid "Module {1} requires a user." +msgstr "Модулю {1} необходим пользователь." + +#: Modules.cpp:1691 +msgid "Module {1} requires a network." +msgstr "Модулю {1} необходима сеть." + +#: Modules.cpp:1707 +msgid "Caught an exception" +msgstr "Поймано исключение" + +#: Modules.cpp:1713 +msgid "Module {1} aborted: {2}" +msgstr "Модуль {1} прервал: {2}" + +#: Modules.cpp:1715 +msgid "Module {1} aborted." +msgstr "Модуль {1} прервал." + +#: Modules.cpp:1739 Modules.cpp:1781 +msgid "Module [{1}] not loaded." +msgstr "Модуль [{1}] не загружен." + +#: Modules.cpp:1763 +msgid "Module {1} unloaded." +msgstr "Модуль {1} выгружен." + +#: Modules.cpp:1768 +msgid "Unable to unload module {1}." +msgstr "Не могу выгрузить модуль {1}." + +#: Modules.cpp:1797 +msgid "Reloaded module {1}." +msgstr "Модуль {1} перезагружен." + +#: Modules.cpp:1816 +msgid "Unable to find module {1}." +msgstr "Не могу найти модуль {1}." + +#: Modules.cpp:1963 msgid "Unknown error" msgstr "Неизвестная ошибка" -#: Modules.cpp:1944 +#: Modules.cpp:1964 msgid "Unable to open module {1}: {2}" msgstr "Не могу открыть модуль {1}: {2}" -#: Modules.cpp:1953 +#: Modules.cpp:1973 msgid "Could not find ZNCModuleEntry in module {1}" msgstr "Не могу найти ZNCModuleEntry в модуле {1}" -#: Modules.cpp:1961 +#: Modules.cpp:1981 msgid "" "Version mismatch for module {1}: core is {2}, module is built for {3}. " "Recompile this module." msgstr "" "Ядро имеет версию {2}, а модуль {1} собран для {3}. Пересоберите этот модуль." -#: Modules.cpp:1972 +#: Modules.cpp:1992 msgid "" "Module {1} is built incompatibly: core is '{2}', module is '{3}'. Recompile " "this module." @@ -403,12 +403,12 @@ msgstr "" "Модуль {1} собран не так: ядро — «{2}», а модуль — «{3}». Пересоберите этот " "модуль." -#: Modules.cpp:2002 Modules.cpp:2008 +#: Modules.cpp:2022 Modules.cpp:2028 msgctxt "modhelpcmd" msgid "Command" msgstr "Команда" -#: Modules.cpp:2003 Modules.cpp:2009 +#: Modules.cpp:2023 Modules.cpp:2029 msgctxt "modhelpcmd" msgid "Description" msgstr "Описание" From b068ff0e0d87b27cd7d1d877a098cb020ccbc0c2 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Fri, 21 Jun 2019 23:52:44 +0100 Subject: [PATCH 256/798] Delete bg.zip Sometimes automation fails... --- bg.zip | 5 ----- 1 file changed, 5 deletions(-) delete mode 100644 bg.zip diff --git a/bg.zip b/bg.zip deleted file mode 100644 index c92a8386..00000000 --- a/bg.zip +++ /dev/null @@ -1,5 +0,0 @@ - - - 8 - File was not found - From adcf389a8800c406f334cfaa8bab415fd18cf516 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Sat, 22 Jun 2019 00:27:01 +0000 Subject: [PATCH 257/798] Update translations from Crowdin for bg_BG fr_FR --- modules/po/admindebug.bg_BG.po | 61 + modules/po/admindebug.fr_FR.po | 2 +- modules/po/adminlog.bg_BG.po | 69 + modules/po/adminlog.fr_FR.po | 2 +- modules/po/alias.bg_BG.po | 123 ++ modules/po/alias.fr_FR.po | 2 +- modules/po/autoattach.bg_BG.po | 85 ++ modules/po/autoattach.fr_FR.po | 2 +- modules/po/autocycle.bg_BG.po | 69 + modules/po/autocycle.fr_FR.po | 2 +- modules/po/autoop.bg_BG.po | 168 +++ modules/po/autoop.fr_FR.po | 2 +- modules/po/autoreply.bg_BG.po | 43 + modules/po/autoreply.fr_FR.po | 2 +- modules/po/autovoice.bg_BG.po | 111 ++ modules/po/autovoice.fr_FR.po | 2 +- modules/po/awaystore.bg_BG.po | 110 ++ modules/po/awaystore.fr_FR.po | 2 +- modules/po/block_motd.bg_BG.po | 35 + modules/po/block_motd.fr_FR.po | 2 +- modules/po/blockuser.bg_BG.po | 97 ++ modules/po/blockuser.fr_FR.po | 2 +- modules/po/bouncedcc.bg_BG.po | 131 ++ modules/po/bouncedcc.fr_FR.po | 2 +- modules/po/buffextras.bg_BG.po | 49 + modules/po/buffextras.fr_FR.po | 2 +- modules/po/cert.bg_BG.po | 75 ++ modules/po/cert.fr_FR.po | 2 +- modules/po/certauth.bg_BG.po | 108 ++ modules/po/certauth.fr_FR.po | 2 +- modules/po/chansaver.bg_BG.po | 17 + modules/po/chansaver.fr_FR.po | 2 +- modules/po/clearbufferonmsg.bg_BG.po | 17 + modules/po/clearbufferonmsg.fr_FR.po | 2 +- modules/po/clientnotify.bg_BG.po | 73 ++ modules/po/clientnotify.fr_FR.po | 2 +- modules/po/controlpanel.bg_BG.po | 718 +++++++++++ modules/po/controlpanel.fr_FR.po | 2 +- modules/po/crypt.bg_BG.po | 143 +++ modules/po/crypt.fr_FR.po | 2 +- modules/po/ctcpflood.bg_BG.po | 69 + modules/po/ctcpflood.fr_FR.po | 2 +- modules/po/cyrusauth.bg_BG.po | 73 ++ modules/po/cyrusauth.fr_FR.po | 2 +- modules/po/dcc.bg_BG.po | 227 ++++ modules/po/dcc.fr_FR.po | 2 +- modules/po/disconkick.bg_BG.po | 23 + modules/po/disconkick.fr_FR.po | 2 +- modules/po/fail2ban.bg_BG.po | 117 ++ modules/po/fail2ban.fr_FR.po | 2 +- modules/po/flooddetach.bg_BG.po | 91 ++ modules/po/flooddetach.fr_FR.po | 2 +- modules/po/identfile.bg_BG.po | 83 ++ modules/po/identfile.fr_FR.po | 2 +- modules/po/imapauth.bg_BG.po | 21 + modules/po/imapauth.fr_FR.po | 2 +- modules/po/keepnick.bg_BG.po | 53 + modules/po/keepnick.fr_FR.po | 2 +- modules/po/kickrejoin.bg_BG.po | 61 + modules/po/kickrejoin.fr_FR.po | 2 +- modules/po/lastseen.bg_BG.po | 67 + modules/po/lastseen.fr_FR.po | 2 +- modules/po/listsockets.bg_BG.po | 113 ++ modules/po/listsockets.fr_FR.po | 2 +- modules/po/log.bg_BG.po | 148 +++ modules/po/log.fr_FR.po | 2 +- modules/po/missingmotd.bg_BG.po | 17 + modules/po/missingmotd.fr_FR.po | 2 +- modules/po/modperl.bg_BG.po | 17 + modules/po/modperl.fr_FR.po | 2 +- modules/po/modpython.bg_BG.po | 17 + modules/po/modpython.fr_FR.po | 2 +- modules/po/modules_online.bg_BG.po | 17 + modules/po/modules_online.fr_FR.po | 2 +- modules/po/nickserv.bg_BG.po | 75 ++ modules/po/nickserv.fr_FR.po | 2 +- modules/po/notes.bg_BG.po | 119 ++ modules/po/notes.fr_FR.po | 2 +- modules/po/notify_connect.bg_BG.po | 29 + modules/po/notify_connect.fr_FR.po | 2 +- modules/po/partyline.bg_BG.po | 39 + modules/po/partyline.fr_FR.po | 2 +- modules/po/perform.bg_BG.po | 108 ++ modules/po/perform.fr_FR.po | 2 +- modules/po/perleval.bg_BG.po | 31 + modules/po/perleval.fr_FR.po | 2 +- modules/po/pyeval.bg_BG.po | 21 + modules/po/pyeval.fr_FR.po | 2 +- modules/po/q.bg_BG.po | 296 +++++ modules/po/q.fr_FR.po | 2 +- modules/po/raw.bg_BG.po | 17 + modules/po/raw.fr_FR.po | 2 +- modules/po/route_replies.bg_BG.po | 59 + modules/po/route_replies.fr_FR.po | 2 +- modules/po/sample.bg_BG.po | 119 ++ modules/po/sample.fr_FR.po | 2 +- modules/po/samplewebapi.bg_BG.po | 17 + modules/po/samplewebapi.fr_FR.po | 2 +- modules/po/sasl.bg_BG.po | 174 +++ modules/po/sasl.fr_FR.po | 2 +- modules/po/savebuff.bg_BG.po | 62 + modules/po/savebuff.fr_FR.po | 2 +- modules/po/send_raw.bg_BG.po | 109 ++ modules/po/send_raw.fr_FR.po | 2 +- modules/po/shell.bg_BG.po | 29 + modules/po/shell.fr_FR.po | 2 +- modules/po/simple_away.bg_BG.po | 92 ++ modules/po/simple_away.fr_FR.po | 2 +- modules/po/stickychan.bg_BG.po | 102 ++ modules/po/stickychan.fr_FR.po | 2 +- modules/po/stripcontrols.bg_BG.po | 18 + modules/po/stripcontrols.fr_FR.po | 2 +- modules/po/watch.bg_BG.po | 249 ++++ modules/po/watch.fr_FR.po | 2 +- modules/po/webadmin.bg_BG.po | 1209 ++++++++++++++++++ modules/po/webadmin.fr_FR.po | 2 +- src/po/znc.bg_BG.po | 1726 ++++++++++++++++++++++++++ src/po/znc.fr_FR.po | 120 +- 118 files changed, 8334 insertions(+), 118 deletions(-) create mode 100644 modules/po/admindebug.bg_BG.po create mode 100644 modules/po/adminlog.bg_BG.po create mode 100644 modules/po/alias.bg_BG.po create mode 100644 modules/po/autoattach.bg_BG.po create mode 100644 modules/po/autocycle.bg_BG.po create mode 100644 modules/po/autoop.bg_BG.po create mode 100644 modules/po/autoreply.bg_BG.po create mode 100644 modules/po/autovoice.bg_BG.po create mode 100644 modules/po/awaystore.bg_BG.po create mode 100644 modules/po/block_motd.bg_BG.po create mode 100644 modules/po/blockuser.bg_BG.po create mode 100644 modules/po/bouncedcc.bg_BG.po create mode 100644 modules/po/buffextras.bg_BG.po create mode 100644 modules/po/cert.bg_BG.po create mode 100644 modules/po/certauth.bg_BG.po create mode 100644 modules/po/chansaver.bg_BG.po create mode 100644 modules/po/clearbufferonmsg.bg_BG.po create mode 100644 modules/po/clientnotify.bg_BG.po create mode 100644 modules/po/controlpanel.bg_BG.po create mode 100644 modules/po/crypt.bg_BG.po create mode 100644 modules/po/ctcpflood.bg_BG.po create mode 100644 modules/po/cyrusauth.bg_BG.po create mode 100644 modules/po/dcc.bg_BG.po create mode 100644 modules/po/disconkick.bg_BG.po create mode 100644 modules/po/fail2ban.bg_BG.po create mode 100644 modules/po/flooddetach.bg_BG.po create mode 100644 modules/po/identfile.bg_BG.po create mode 100644 modules/po/imapauth.bg_BG.po create mode 100644 modules/po/keepnick.bg_BG.po create mode 100644 modules/po/kickrejoin.bg_BG.po create mode 100644 modules/po/lastseen.bg_BG.po create mode 100644 modules/po/listsockets.bg_BG.po create mode 100644 modules/po/log.bg_BG.po create mode 100644 modules/po/missingmotd.bg_BG.po create mode 100644 modules/po/modperl.bg_BG.po create mode 100644 modules/po/modpython.bg_BG.po create mode 100644 modules/po/modules_online.bg_BG.po create mode 100644 modules/po/nickserv.bg_BG.po create mode 100644 modules/po/notes.bg_BG.po create mode 100644 modules/po/notify_connect.bg_BG.po create mode 100644 modules/po/partyline.bg_BG.po create mode 100644 modules/po/perform.bg_BG.po create mode 100644 modules/po/perleval.bg_BG.po create mode 100644 modules/po/pyeval.bg_BG.po create mode 100644 modules/po/q.bg_BG.po create mode 100644 modules/po/raw.bg_BG.po create mode 100644 modules/po/route_replies.bg_BG.po create mode 100644 modules/po/sample.bg_BG.po create mode 100644 modules/po/samplewebapi.bg_BG.po create mode 100644 modules/po/sasl.bg_BG.po create mode 100644 modules/po/savebuff.bg_BG.po create mode 100644 modules/po/send_raw.bg_BG.po create mode 100644 modules/po/shell.bg_BG.po create mode 100644 modules/po/simple_away.bg_BG.po create mode 100644 modules/po/stickychan.bg_BG.po create mode 100644 modules/po/stripcontrols.bg_BG.po create mode 100644 modules/po/watch.bg_BG.po create mode 100644 modules/po/webadmin.bg_BG.po create mode 100644 src/po/znc.bg_BG.po diff --git a/modules/po/admindebug.bg_BG.po b/modules/po/admindebug.bg_BG.po new file mode 100644 index 00000000..4d8f86a0 --- /dev/null +++ b/modules/po/admindebug.bg_BG.po @@ -0,0 +1,61 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /1.7.x/modules/po/admindebug.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: admindebug.cpp:30 +msgid "Enable Debug Mode" +msgstr "Активиране на Debug " + +#: admindebug.cpp:32 +msgid "Disable Debug Mode" +msgstr "Деактивиране на Debug " + +#: admindebug.cpp:34 +msgid "Show the Debug Mode status" +msgstr "Покажи статуса на Debug мода" + +#: admindebug.cpp:40 admindebug.cpp:49 +msgid "Access denied!" +msgstr "Достъпът е отказан!" + +#: admindebug.cpp:58 +msgid "" +"Failure. We need to be running with a TTY. (is ZNC running with --" +"foreground?)" +msgstr "" +"Повреда. Трябва да работим с TTY. (Може би ZNC е подкаран с опцията -" +"foreground?)" + +#: admindebug.cpp:66 +msgid "Already enabled." +msgstr "Вече е активиран." + +#: admindebug.cpp:68 +msgid "Already disabled." +msgstr "Вече е деактивиран." + +#: admindebug.cpp:92 +msgid "Debugging mode is on." +msgstr "Debugging mode е включен." + +#: admindebug.cpp:94 +msgid "Debugging mode is off." +msgstr "Debugging mode е изключен." + +#: admindebug.cpp:96 +msgid "Logging to: stdout." +msgstr "Влизане в: stdout." + +#: admindebug.cpp:105 +msgid "Enable Debug mode dynamically." +msgstr "Активирайте Debug модула динамично." diff --git a/modules/po/admindebug.fr_FR.po b/modules/po/admindebug.fr_FR.po index f7732026..7a5dcf6a 100644 --- a/modules/po/admindebug.fr_FR.po +++ b/modules/po/admindebug.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/admindebug.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/adminlog.bg_BG.po b/modules/po/adminlog.bg_BG.po new file mode 100644 index 00000000..6b9ccf66 --- /dev/null +++ b/modules/po/adminlog.bg_BG.po @@ -0,0 +1,69 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /1.7.x/modules/po/adminlog.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: adminlog.cpp:29 +msgid "Show the logging target" +msgstr "" + +#: adminlog.cpp:31 +msgid " [path]" +msgstr "<Файл| Системни Логове |Двете> [директория]" + +#: adminlog.cpp:32 +msgid "Set the logging target" +msgstr "" + +#: adminlog.cpp:142 +msgid "Access denied" +msgstr "Достъпът е отказан" + +#: adminlog.cpp:156 +msgid "Now logging to file" +msgstr "" + +#: adminlog.cpp:160 +msgid "Now only logging to syslog" +msgstr "" + +#: adminlog.cpp:164 +msgid "Now logging to syslog and file" +msgstr "" + +#: adminlog.cpp:168 +msgid "Usage: Target [path]" +msgstr "" + +#: adminlog.cpp:170 +msgid "Unknown target" +msgstr "" + +#: adminlog.cpp:192 +msgid "Logging is enabled for file" +msgstr "" + +#: adminlog.cpp:195 +msgid "Logging is enabled for syslog" +msgstr "" + +#: adminlog.cpp:198 +msgid "Logging is enabled for both, file and syslog" +msgstr "" + +#: adminlog.cpp:204 +msgid "Log file will be written to {1}" +msgstr "" + +#: adminlog.cpp:222 +msgid "Log ZNC events to file and/or syslog." +msgstr "" diff --git a/modules/po/adminlog.fr_FR.po b/modules/po/adminlog.fr_FR.po index 080dc81c..2ba5fe22 100644 --- a/modules/po/adminlog.fr_FR.po +++ b/modules/po/adminlog.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/adminlog.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/alias.bg_BG.po b/modules/po/alias.bg_BG.po new file mode 100644 index 00000000..e6244bad --- /dev/null +++ b/modules/po/alias.bg_BG.po @@ -0,0 +1,123 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /1.7.x/modules/po/alias.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: alias.cpp:141 +msgid "missing required parameter: {1}" +msgstr "" + +#: alias.cpp:201 +msgid "Created alias: {1}" +msgstr "" + +#: alias.cpp:203 +msgid "Alias already exists." +msgstr "" + +#: alias.cpp:210 +msgid "Deleted alias: {1}" +msgstr "" + +#: alias.cpp:213 alias.cpp:224 alias.cpp:246 alias.cpp:265 alias.cpp:276 +#: alias.cpp:333 +msgid "Alias does not exist." +msgstr "" + +#: alias.cpp:222 alias.cpp:244 alias.cpp:263 alias.cpp:274 +msgid "Modified alias." +msgstr "" + +#: alias.cpp:236 alias.cpp:256 +msgid "Invalid index." +msgstr "" + +#: alias.cpp:282 alias.cpp:298 +msgid "There are no aliases." +msgstr "" + +#: alias.cpp:289 +msgid "The following aliases exist: {1}" +msgstr "" + +#: alias.cpp:290 +msgctxt "list|separator" +msgid ", " +msgstr "" + +#: alias.cpp:324 +msgid "Actions for alias {1}:" +msgstr "" + +#: alias.cpp:331 +msgid "End of actions for alias {1}." +msgstr "" + +#: alias.cpp:338 alias.cpp:341 alias.cpp:352 alias.cpp:357 +msgid "" +msgstr "" + +#: alias.cpp:339 +msgid "Creates a new, blank alias called name." +msgstr "" + +#: alias.cpp:341 +msgid "Deletes an existing alias." +msgstr "" + +#: alias.cpp:343 +msgid " " +msgstr "" + +#: alias.cpp:344 +msgid "Adds a line to an existing alias." +msgstr "" + +#: alias.cpp:346 +msgid " " +msgstr "" + +#: alias.cpp:347 +msgid "Inserts a line into an existing alias." +msgstr "" + +#: alias.cpp:349 +msgid " " +msgstr "" + +#: alias.cpp:350 +msgid "Removes a line from an existing alias." +msgstr "" + +#: alias.cpp:353 +msgid "Removes all lines from an existing alias." +msgstr "" + +#: alias.cpp:355 +msgid "Lists all aliases by name." +msgstr "" + +#: alias.cpp:358 +msgid "Reports the actions performed by an alias." +msgstr "" + +#: alias.cpp:362 +msgid "Generate a list of commands to copy your alias config." +msgstr "" + +#: alias.cpp:374 +msgid "Clearing all of them!" +msgstr "" + +#: alias.cpp:409 +msgid "Provides bouncer-side command alias support." +msgstr "" diff --git a/modules/po/alias.fr_FR.po b/modules/po/alias.fr_FR.po index 7d3e7fbd..81e3c56f 100644 --- a/modules/po/alias.fr_FR.po +++ b/modules/po/alias.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/alias.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/autoattach.bg_BG.po b/modules/po/autoattach.bg_BG.po new file mode 100644 index 00000000..0b4dbe9d --- /dev/null +++ b/modules/po/autoattach.bg_BG.po @@ -0,0 +1,85 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /1.7.x/modules/po/autoattach.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: autoattach.cpp:94 +msgid "Added to list" +msgstr "" + +#: autoattach.cpp:96 +msgid "{1} is already added" +msgstr "" + +#: autoattach.cpp:100 +msgid "Usage: Add [!]<#chan> " +msgstr "" + +#: autoattach.cpp:101 +msgid "Wildcards are allowed" +msgstr "" + +#: autoattach.cpp:113 +msgid "Removed {1} from list" +msgstr "" + +#: autoattach.cpp:115 +msgid "Usage: Del [!]<#chan> " +msgstr "" + +#: autoattach.cpp:121 autoattach.cpp:129 +msgid "Neg" +msgstr "" + +#: autoattach.cpp:122 autoattach.cpp:130 +msgid "Chan" +msgstr "" + +#: autoattach.cpp:123 autoattach.cpp:131 +msgid "Search" +msgstr "" + +#: autoattach.cpp:124 autoattach.cpp:132 +msgid "Host" +msgstr "" + +#: autoattach.cpp:138 +msgid "You have no entries." +msgstr "" + +#: autoattach.cpp:146 autoattach.cpp:149 +msgid "[!]<#chan> " +msgstr "" + +#: autoattach.cpp:147 +msgid "Add an entry, use !#chan to negate and * for wildcards" +msgstr "" + +#: autoattach.cpp:150 +msgid "Remove an entry, needs to be an exact match" +msgstr "" + +#: autoattach.cpp:152 +msgid "List all entries" +msgstr "" + +#: autoattach.cpp:171 +msgid "Unable to add [{1}]" +msgstr "" + +#: autoattach.cpp:283 +msgid "List of channel masks and channel masks with ! before them." +msgstr "" + +#: autoattach.cpp:286 +msgid "Reattaches you to channels on activity." +msgstr "" diff --git a/modules/po/autoattach.fr_FR.po b/modules/po/autoattach.fr_FR.po index b92339fa..81ba5e22 100644 --- a/modules/po/autoattach.fr_FR.po +++ b/modules/po/autoattach.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/autoattach.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/autocycle.bg_BG.po b/modules/po/autocycle.bg_BG.po new file mode 100644 index 00000000..f3554f29 --- /dev/null +++ b/modules/po/autocycle.bg_BG.po @@ -0,0 +1,69 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /1.7.x/modules/po/autocycle.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: autocycle.cpp:27 autocycle.cpp:30 +msgid "[!]<#chan>" +msgstr "" + +#: autocycle.cpp:28 +msgid "Add an entry, use !#chan to negate and * for wildcards" +msgstr "" + +#: autocycle.cpp:31 +msgid "Remove an entry, needs to be an exact match" +msgstr "" + +#: autocycle.cpp:33 +msgid "List all entries" +msgstr "" + +#: autocycle.cpp:46 +msgid "Unable to add {1}" +msgstr "" + +#: autocycle.cpp:66 +msgid "{1} is already added" +msgstr "" + +#: autocycle.cpp:68 +msgid "Added {1} to list" +msgstr "" + +#: autocycle.cpp:70 +msgid "Usage: Add [!]<#chan>" +msgstr "" + +#: autocycle.cpp:78 +msgid "Removed {1} from list" +msgstr "" + +#: autocycle.cpp:80 +msgid "Usage: Del [!]<#chan>" +msgstr "" + +#: autocycle.cpp:85 autocycle.cpp:89 autocycle.cpp:94 +msgid "Channel" +msgstr "" + +#: autocycle.cpp:100 +msgid "You have no entries." +msgstr "" + +#: autocycle.cpp:229 +msgid "List of channel masks and channel masks with ! before them." +msgstr "" + +#: autocycle.cpp:234 +msgid "Rejoins channels to gain Op if you're the only user left" +msgstr "" diff --git a/modules/po/autocycle.fr_FR.po b/modules/po/autocycle.fr_FR.po index b75e47b5..2bc8baa3 100644 --- a/modules/po/autocycle.fr_FR.po +++ b/modules/po/autocycle.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/autocycle.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/autoop.bg_BG.po b/modules/po/autoop.bg_BG.po new file mode 100644 index 00000000..3f29d411 --- /dev/null +++ b/modules/po/autoop.bg_BG.po @@ -0,0 +1,168 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /1.7.x/modules/po/autoop.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: autoop.cpp:154 +msgid "List all users" +msgstr "" + +#: autoop.cpp:156 autoop.cpp:159 +msgid " [channel] ..." +msgstr "" + +#: autoop.cpp:157 +msgid "Adds channels to a user" +msgstr "" + +#: autoop.cpp:160 +msgid "Removes channels from a user" +msgstr "" + +#: autoop.cpp:162 autoop.cpp:165 +msgid " ,[mask] ..." +msgstr "" + +#: autoop.cpp:163 +msgid "Adds masks to a user" +msgstr "" + +#: autoop.cpp:166 +msgid "Removes masks from a user" +msgstr "" + +#: autoop.cpp:169 +msgid " [,...] [channels]" +msgstr "" + +#: autoop.cpp:170 +msgid "Adds a user" +msgstr "" + +#: autoop.cpp:172 +msgid "" +msgstr "" + +#: autoop.cpp:172 +msgid "Removes a user" +msgstr "" + +#: autoop.cpp:275 +msgid "Usage: AddUser [,...] [channels]" +msgstr "" + +#: autoop.cpp:291 +msgid "Usage: DelUser " +msgstr "" + +#: autoop.cpp:300 +msgid "There are no users defined" +msgstr "" + +#: autoop.cpp:306 autoop.cpp:317 autoop.cpp:321 autoop.cpp:323 +msgid "User" +msgstr "" + +#: autoop.cpp:307 autoop.cpp:325 +msgid "Hostmasks" +msgstr "" + +#: autoop.cpp:308 autoop.cpp:318 +msgid "Key" +msgstr "" + +#: autoop.cpp:309 autoop.cpp:319 +msgid "Channels" +msgstr "" + +#: autoop.cpp:337 +msgid "Usage: AddChans [channel] ..." +msgstr "" + +#: autoop.cpp:344 autoop.cpp:365 autoop.cpp:387 autoop.cpp:408 autoop.cpp:472 +msgid "No such user" +msgstr "" + +#: autoop.cpp:349 +msgid "Channel(s) added to user {1}" +msgstr "" + +#: autoop.cpp:358 +msgid "Usage: DelChans [channel] ..." +msgstr "" + +#: autoop.cpp:371 +msgid "Channel(s) Removed from user {1}" +msgstr "" + +#: autoop.cpp:380 +msgid "Usage: AddMasks ,[mask] ..." +msgstr "" + +#: autoop.cpp:392 +msgid "Hostmasks(s) added to user {1}" +msgstr "" + +#: autoop.cpp:401 +msgid "Usage: DelMasks ,[mask] ..." +msgstr "" + +#: autoop.cpp:413 +msgid "Removed user {1} with key {2} and channels {3}" +msgstr "" + +#: autoop.cpp:419 +msgid "Hostmasks(s) Removed from user {1}" +msgstr "" + +#: autoop.cpp:478 +msgid "User {1} removed" +msgstr "" + +#: autoop.cpp:484 +msgid "That user already exists" +msgstr "" + +#: autoop.cpp:490 +msgid "User {1} added with hostmask(s) {2}" +msgstr "" + +#: autoop.cpp:532 +msgid "" +"[{1}] sent us a challenge but they are not opped in any defined channels." +msgstr "" + +#: autoop.cpp:536 +msgid "[{1}] sent us a challenge but they do not match a defined user." +msgstr "" + +#: autoop.cpp:544 +msgid "WARNING! [{1}] sent an invalid challenge." +msgstr "" + +#: autoop.cpp:560 +msgid "[{1}] sent an unchallenged response. This could be due to lag." +msgstr "" + +#: autoop.cpp:577 +msgid "" +"WARNING! [{1}] sent a bad response. Please verify that you have their " +"correct password." +msgstr "" + +#: autoop.cpp:586 +msgid "WARNING! [{1}] sent a response but did not match any defined users." +msgstr "" + +#: autoop.cpp:644 +msgid "Auto op the good people" +msgstr "" diff --git a/modules/po/autoop.fr_FR.po b/modules/po/autoop.fr_FR.po index fcd0c95d..a6af05c1 100644 --- a/modules/po/autoop.fr_FR.po +++ b/modules/po/autoop.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/autoop.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/autoreply.bg_BG.po b/modules/po/autoreply.bg_BG.po new file mode 100644 index 00000000..738c6865 --- /dev/null +++ b/modules/po/autoreply.bg_BG.po @@ -0,0 +1,43 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /1.7.x/modules/po/autoreply.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: autoreply.cpp:25 +msgid "" +msgstr "" + +#: autoreply.cpp:25 +msgid "Sets a new reply" +msgstr "" + +#: autoreply.cpp:27 +msgid "Displays the current query reply" +msgstr "" + +#: autoreply.cpp:75 +msgid "Current reply is: {1} ({2})" +msgstr "" + +#: autoreply.cpp:81 +msgid "New reply set to: {1} ({2})" +msgstr "" + +#: autoreply.cpp:94 +msgid "" +"You might specify a reply text. It is used when automatically answering " +"queries, if you are not connected to ZNC." +msgstr "" + +#: autoreply.cpp:98 +msgid "Reply to queries when you are away" +msgstr "" diff --git a/modules/po/autoreply.fr_FR.po b/modules/po/autoreply.fr_FR.po index 355e96a7..50890422 100644 --- a/modules/po/autoreply.fr_FR.po +++ b/modules/po/autoreply.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/autoreply.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/autovoice.bg_BG.po b/modules/po/autovoice.bg_BG.po new file mode 100644 index 00000000..ed2a5d7e --- /dev/null +++ b/modules/po/autovoice.bg_BG.po @@ -0,0 +1,111 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /1.7.x/modules/po/autovoice.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: autovoice.cpp:120 +msgid "List all users" +msgstr "" + +#: autovoice.cpp:122 autovoice.cpp:125 +msgid " [channel] ..." +msgstr "" + +#: autovoice.cpp:123 +msgid "Adds channels to a user" +msgstr "" + +#: autovoice.cpp:126 +msgid "Removes channels from a user" +msgstr "" + +#: autovoice.cpp:128 +msgid " [channels]" +msgstr "" + +#: autovoice.cpp:129 +msgid "Adds a user" +msgstr "" + +#: autovoice.cpp:131 +msgid "" +msgstr "" + +#: autovoice.cpp:131 +msgid "Removes a user" +msgstr "" + +#: autovoice.cpp:215 +msgid "Usage: AddUser [channels]" +msgstr "" + +#: autovoice.cpp:229 +msgid "Usage: DelUser " +msgstr "" + +#: autovoice.cpp:238 +msgid "There are no users defined" +msgstr "" + +#: autovoice.cpp:244 autovoice.cpp:250 +msgid "User" +msgstr "" + +#: autovoice.cpp:245 autovoice.cpp:251 +msgid "Hostmask" +msgstr "" + +#: autovoice.cpp:246 autovoice.cpp:252 +msgid "Channels" +msgstr "" + +#: autovoice.cpp:263 +msgid "Usage: AddChans [channel] ..." +msgstr "" + +#: autovoice.cpp:270 autovoice.cpp:292 autovoice.cpp:329 +msgid "No such user" +msgstr "" + +#: autovoice.cpp:275 +msgid "Channel(s) added to user {1}" +msgstr "" + +#: autovoice.cpp:285 +msgid "Usage: DelChans [channel] ..." +msgstr "" + +#: autovoice.cpp:298 +msgid "Channel(s) Removed from user {1}" +msgstr "" + +#: autovoice.cpp:335 +msgid "User {1} removed" +msgstr "" + +#: autovoice.cpp:341 +msgid "That user already exists" +msgstr "" + +#: autovoice.cpp:347 +msgid "User {1} added with hostmask {2}" +msgstr "" + +#: autovoice.cpp:360 +msgid "" +"Each argument is either a channel you want autovoice for (which can include " +"wildcards) or, if it starts with !, it is an exception for autovoice." +msgstr "" + +#: autovoice.cpp:365 +msgid "Auto voice the good people" +msgstr "" diff --git a/modules/po/autovoice.fr_FR.po b/modules/po/autovoice.fr_FR.po index 5e6b4d4a..1ce96fc6 100644 --- a/modules/po/autovoice.fr_FR.po +++ b/modules/po/autovoice.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/autovoice.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/awaystore.bg_BG.po b/modules/po/awaystore.bg_BG.po new file mode 100644 index 00000000..3e7c301d --- /dev/null +++ b/modules/po/awaystore.bg_BG.po @@ -0,0 +1,110 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /1.7.x/modules/po/awaystore.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: awaystore.cpp:67 +msgid "You have been marked as away" +msgstr "" + +#: awaystore.cpp:78 awaystore.cpp:385 awaystore.cpp:388 +msgid "Welcome back!" +msgstr "" + +#: awaystore.cpp:100 +msgid "Deleted {1} messages" +msgstr "" + +#: awaystore.cpp:104 +msgid "USAGE: delete " +msgstr "" + +#: awaystore.cpp:109 +msgid "Illegal message # requested" +msgstr "" + +#: awaystore.cpp:113 +msgid "Message erased" +msgstr "" + +#: awaystore.cpp:122 +msgid "Messages saved to disk" +msgstr "" + +#: awaystore.cpp:124 +msgid "There are no messages to save" +msgstr "" + +#: awaystore.cpp:135 +msgid "Password updated to [{1}]" +msgstr "" + +#: awaystore.cpp:147 +msgid "Corrupt message! [{1}]" +msgstr "" + +#: awaystore.cpp:159 +msgid "Corrupt time stamp! [{1}]" +msgstr "" + +#: awaystore.cpp:178 +msgid "#--- End of messages" +msgstr "" + +#: awaystore.cpp:183 +msgid "Timer set to 300 seconds" +msgstr "" + +#: awaystore.cpp:188 awaystore.cpp:197 +msgid "Timer disabled" +msgstr "" + +#: awaystore.cpp:199 +msgid "Timer set to {1} seconds" +msgstr "" + +#: awaystore.cpp:203 +msgid "Current timer setting: {1} seconds" +msgstr "" + +#: awaystore.cpp:278 +msgid "This module needs as an argument a keyphrase used for encryption" +msgstr "" + +#: awaystore.cpp:285 +msgid "" +"Failed to decrypt your saved messages - Did you give the right encryption " +"key as an argument to this module?" +msgstr "" + +#: awaystore.cpp:386 awaystore.cpp:389 +msgid "You have {1} messages!" +msgstr "" + +#: awaystore.cpp:456 +msgid "Unable to find buffer" +msgstr "" + +#: awaystore.cpp:469 +msgid "Unable to decode encrypted messages" +msgstr "" + +#: awaystore.cpp:516 +msgid "" +"[ -notimer | -timer N ] [-chans] passw0rd . N is number of seconds, 600 by " +"default." +msgstr "" + +#: awaystore.cpp:521 +msgid "" +"Adds auto-away with logging, useful when you use ZNC from different locations" +msgstr "" diff --git a/modules/po/awaystore.fr_FR.po b/modules/po/awaystore.fr_FR.po index 3661b498..a232886b 100644 --- a/modules/po/awaystore.fr_FR.po +++ b/modules/po/awaystore.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/awaystore.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/block_motd.bg_BG.po b/modules/po/block_motd.bg_BG.po new file mode 100644 index 00000000..1320c7c4 --- /dev/null +++ b/modules/po/block_motd.bg_BG.po @@ -0,0 +1,35 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /1.7.x/modules/po/block_motd.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: block_motd.cpp:26 +msgid "[]" +msgstr "" + +#: block_motd.cpp:27 +msgid "" +"Override the block with this command. Can optionally specify which server to " +"query." +msgstr "" + +#: block_motd.cpp:36 +msgid "You are not connected to an IRC Server." +msgstr "" + +#: block_motd.cpp:58 +msgid "MOTD blocked by ZNC" +msgstr "" + +#: block_motd.cpp:104 +msgid "Block the MOTD from IRC so it's not sent to your client(s)." +msgstr "" diff --git a/modules/po/block_motd.fr_FR.po b/modules/po/block_motd.fr_FR.po index 2d1570ee..b74cba09 100644 --- a/modules/po/block_motd.fr_FR.po +++ b/modules/po/block_motd.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/block_motd.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/blockuser.bg_BG.po b/modules/po/blockuser.bg_BG.po new file mode 100644 index 00000000..4103a24e --- /dev/null +++ b/modules/po/blockuser.bg_BG.po @@ -0,0 +1,97 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /1.7.x/modules/po/blockuser.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: modules/po/../data/blockuser/tmpl/blockuser_WebadminUser.tmpl:9 +msgid "Account is blocked" +msgstr "" + +#: blockuser.cpp:23 +msgid "Your account has been disabled. Contact your administrator." +msgstr "" + +#: blockuser.cpp:29 +msgid "List blocked users" +msgstr "" + +#: blockuser.cpp:31 blockuser.cpp:33 +msgid "" +msgstr "" + +#: blockuser.cpp:31 +msgid "Block a user" +msgstr "" + +#: blockuser.cpp:33 +msgid "Unblock a user" +msgstr "" + +#: blockuser.cpp:55 +msgid "Could not block {1}" +msgstr "" + +#: blockuser.cpp:76 +msgid "Access denied" +msgstr "" + +#: blockuser.cpp:85 +msgid "No users are blocked" +msgstr "" + +#: blockuser.cpp:88 +msgid "Blocked users:" +msgstr "" + +#: blockuser.cpp:100 +msgid "Usage: Block " +msgstr "" + +#: blockuser.cpp:105 blockuser.cpp:147 +msgid "You can't block yourself" +msgstr "" + +#: blockuser.cpp:110 blockuser.cpp:152 +msgid "Blocked {1}" +msgstr "" + +#: blockuser.cpp:112 +msgid "Could not block {1} (misspelled?)" +msgstr "" + +#: blockuser.cpp:120 +msgid "Usage: Unblock " +msgstr "" + +#: blockuser.cpp:125 blockuser.cpp:161 +msgid "Unblocked {1}" +msgstr "" + +#: blockuser.cpp:127 +msgid "This user is not blocked" +msgstr "" + +#: blockuser.cpp:155 +msgid "Couldn't block {1}" +msgstr "" + +#: blockuser.cpp:164 +msgid "User {1} is not blocked" +msgstr "" + +#: blockuser.cpp:216 +msgid "Enter one or more user names. Separate them by spaces." +msgstr "" + +#: blockuser.cpp:219 +msgid "Block certain users from logging in." +msgstr "" diff --git a/modules/po/blockuser.fr_FR.po b/modules/po/blockuser.fr_FR.po index f2fbd4e0..d7747d75 100644 --- a/modules/po/blockuser.fr_FR.po +++ b/modules/po/blockuser.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/blockuser.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/bouncedcc.bg_BG.po b/modules/po/bouncedcc.bg_BG.po new file mode 100644 index 00000000..4fea7351 --- /dev/null +++ b/modules/po/bouncedcc.bg_BG.po @@ -0,0 +1,131 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /1.7.x/modules/po/bouncedcc.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: bouncedcc.cpp:101 bouncedcc.cpp:119 bouncedcc.cpp:121 +msgctxt "list" +msgid "Type" +msgstr "" + +#: bouncedcc.cpp:102 bouncedcc.cpp:132 +msgctxt "list" +msgid "State" +msgstr "" + +#: bouncedcc.cpp:103 +msgctxt "list" +msgid "Speed" +msgstr "" + +#: bouncedcc.cpp:104 bouncedcc.cpp:115 +msgctxt "list" +msgid "Nick" +msgstr "" + +#: bouncedcc.cpp:105 bouncedcc.cpp:116 +msgctxt "list" +msgid "IP" +msgstr "" + +#: bouncedcc.cpp:106 bouncedcc.cpp:122 +msgctxt "list" +msgid "File" +msgstr "" + +#: bouncedcc.cpp:119 +msgctxt "list" +msgid "Chat" +msgstr "" + +#: bouncedcc.cpp:121 +msgctxt "list" +msgid "Xfer" +msgstr "" + +#: bouncedcc.cpp:125 +msgid "Waiting" +msgstr "" + +#: bouncedcc.cpp:127 +msgid "Halfway" +msgstr "" + +#: bouncedcc.cpp:129 +msgid "Connected" +msgstr "" + +#: bouncedcc.cpp:137 +msgid "You have no active DCCs." +msgstr "" + +#: bouncedcc.cpp:148 +msgid "Use client IP: {1}" +msgstr "" + +#: bouncedcc.cpp:153 +msgid "List all active DCCs" +msgstr "" + +#: bouncedcc.cpp:156 +msgid "Change the option to use IP of client" +msgstr "" + +#: bouncedcc.cpp:383 bouncedcc.cpp:412 bouncedcc.cpp:436 bouncedcc.cpp:451 +msgctxt "type" +msgid "Chat" +msgstr "" + +#: bouncedcc.cpp:383 bouncedcc.cpp:412 bouncedcc.cpp:436 bouncedcc.cpp:451 +msgctxt "type" +msgid "Xfer" +msgstr "" + +#: bouncedcc.cpp:385 +msgid "DCC {1} Bounce ({2}): Too long line received" +msgstr "" + +#: bouncedcc.cpp:418 +msgid "DCC {1} Bounce ({2}): Timeout while connecting to {3} {4}" +msgstr "" + +#: bouncedcc.cpp:422 +msgid "DCC {1} Bounce ({2}): Timeout while connecting." +msgstr "" + +#: bouncedcc.cpp:427 +msgid "" +"DCC {1} Bounce ({2}): Timeout while waiting for incoming connection on {3} " +"{4}" +msgstr "" + +#: bouncedcc.cpp:440 +msgid "DCC {1} Bounce ({2}): Connection refused while connecting to {3} {4}" +msgstr "" + +#: bouncedcc.cpp:444 +msgid "DCC {1} Bounce ({2}): Connection refused while connecting." +msgstr "" + +#: bouncedcc.cpp:457 bouncedcc.cpp:465 +msgid "DCC {1} Bounce ({2}): Socket error on {3} {4}: {5}" +msgstr "" + +#: bouncedcc.cpp:460 +msgid "DCC {1} Bounce ({2}): Socket error: {3}" +msgstr "" + +#: bouncedcc.cpp:547 +msgid "" +"Bounces DCC transfers through ZNC instead of sending them directly to the " +"user. " +msgstr "" diff --git a/modules/po/bouncedcc.fr_FR.po b/modules/po/bouncedcc.fr_FR.po index 6fcabbaf..154df2cc 100644 --- a/modules/po/bouncedcc.fr_FR.po +++ b/modules/po/bouncedcc.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/bouncedcc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/buffextras.bg_BG.po b/modules/po/buffextras.bg_BG.po new file mode 100644 index 00000000..0266fe89 --- /dev/null +++ b/modules/po/buffextras.bg_BG.po @@ -0,0 +1,49 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /1.7.x/modules/po/buffextras.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: buffextras.cpp:45 +msgid "Server" +msgstr "" + +#: buffextras.cpp:47 +msgid "{1} set mode: {2} {3}" +msgstr "" + +#: buffextras.cpp:55 +msgid "{1} kicked {2} with reason: {3}" +msgstr "" + +#: buffextras.cpp:64 +msgid "{1} quit: {2}" +msgstr "" + +#: buffextras.cpp:73 +msgid "{1} joined" +msgstr "" + +#: buffextras.cpp:81 +msgid "{1} parted: {2}" +msgstr "" + +#: buffextras.cpp:90 +msgid "{1} is now known as {2}" +msgstr "" + +#: buffextras.cpp:100 +msgid "{1} changed the topic to: {2}" +msgstr "" + +#: buffextras.cpp:115 +msgid "Adds joins, parts etc. to the playback buffer" +msgstr "" diff --git a/modules/po/buffextras.fr_FR.po b/modules/po/buffextras.fr_FR.po index ddf53bc5..8283a824 100644 --- a/modules/po/buffextras.fr_FR.po +++ b/modules/po/buffextras.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/buffextras.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/cert.bg_BG.po b/modules/po/cert.bg_BG.po new file mode 100644 index 00000000..f13e714e --- /dev/null +++ b/modules/po/cert.bg_BG.po @@ -0,0 +1,75 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /1.7.x/modules/po/cert.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +# this text is inserted into `click here` in the other string +#: modules/po/../data/cert/tmpl/index.tmpl:5 +msgid "here" +msgstr "" + +# {1} is `here`, translateable in the other string +#: modules/po/../data/cert/tmpl/index.tmpl:6 +msgid "" +"You already have a certificate set, use the form below to overwrite the " +"current certificate. Alternatively click {1} to delete your certificate." +msgstr "" + +#: modules/po/../data/cert/tmpl/index.tmpl:8 +msgid "You do not have a certificate yet." +msgstr "" + +#: modules/po/../data/cert/tmpl/index.tmpl:14 cert.cpp:72 +msgid "Certificate" +msgstr "" + +#: modules/po/../data/cert/tmpl/index.tmpl:18 +msgid "PEM File:" +msgstr "" + +#: modules/po/../data/cert/tmpl/index.tmpl:22 +msgid "Update" +msgstr "" + +#: cert.cpp:28 +msgid "Pem file deleted" +msgstr "" + +#: cert.cpp:31 +msgid "The pem file doesn't exist or there was a error deleting the pem file." +msgstr "" + +#: cert.cpp:38 +msgid "You have a certificate in {1}" +msgstr "" + +#: cert.cpp:41 +msgid "" +"You do not have a certificate. Please use the web interface to add a " +"certificate" +msgstr "" + +#: cert.cpp:44 +msgid "Alternatively you can either place one at {1}" +msgstr "" + +#: cert.cpp:52 +msgid "Delete the current certificate" +msgstr "" + +#: cert.cpp:54 +msgid "Show the current certificate" +msgstr "" + +#: cert.cpp:105 +msgid "Use a ssl certificate to connect to a server" +msgstr "" diff --git a/modules/po/cert.fr_FR.po b/modules/po/cert.fr_FR.po index 41a963e7..a32410e4 100644 --- a/modules/po/cert.fr_FR.po +++ b/modules/po/cert.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/cert.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/certauth.bg_BG.po b/modules/po/certauth.bg_BG.po new file mode 100644 index 00000000..b783ac97 --- /dev/null +++ b/modules/po/certauth.bg_BG.po @@ -0,0 +1,108 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /1.7.x/modules/po/certauth.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: modules/po/../data/certauth/tmpl/index.tmpl:7 +msgid "Add a key" +msgstr "" + +#: modules/po/../data/certauth/tmpl/index.tmpl:11 +msgid "Key:" +msgstr "" + +#: modules/po/../data/certauth/tmpl/index.tmpl:15 +msgid "Add Key" +msgstr "" + +#: modules/po/../data/certauth/tmpl/index.tmpl:23 +msgid "You have no keys." +msgstr "" + +#: modules/po/../data/certauth/tmpl/index.tmpl:30 +msgctxt "web" +msgid "Key" +msgstr "" + +#: modules/po/../data/certauth/tmpl/index.tmpl:36 +msgid "del" +msgstr "" + +#: certauth.cpp:31 +msgid "[pubkey]" +msgstr "" + +#: certauth.cpp:32 +msgid "Add a public key. If key is not provided will use the current key" +msgstr "" + +#: certauth.cpp:35 +msgid "id" +msgstr "" + +#: certauth.cpp:35 +msgid "Delete a key by its number in List" +msgstr "" + +#: certauth.cpp:37 +msgid "List your public keys" +msgstr "" + +#: certauth.cpp:39 +msgid "Print your current key" +msgstr "" + +#: certauth.cpp:142 +msgid "You are not connected with any valid public key" +msgstr "" + +#: certauth.cpp:144 +msgid "Your current public key is: {1}" +msgstr "" + +#: certauth.cpp:157 +msgid "You did not supply a public key or connect with one." +msgstr "" + +#: certauth.cpp:160 +msgid "Key '{1}' added." +msgstr "" + +#: certauth.cpp:162 +msgid "The key '{1}' is already added." +msgstr "" + +#: certauth.cpp:170 certauth.cpp:182 +msgctxt "list" +msgid "Id" +msgstr "" + +#: certauth.cpp:171 certauth.cpp:183 +msgctxt "list" +msgid "Key" +msgstr "" + +#: certauth.cpp:175 certauth.cpp:189 certauth.cpp:198 +msgid "No keys set for your user" +msgstr "" + +#: certauth.cpp:203 +msgid "Invalid #, check \"list\"" +msgstr "" + +#: certauth.cpp:215 +msgid "Removed" +msgstr "" + +#: certauth.cpp:290 +msgid "Allows users to authenticate via SSL client certificates." +msgstr "" diff --git a/modules/po/certauth.fr_FR.po b/modules/po/certauth.fr_FR.po index 04d58123..9a802a2f 100644 --- a/modules/po/certauth.fr_FR.po +++ b/modules/po/certauth.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/certauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/chansaver.bg_BG.po b/modules/po/chansaver.bg_BG.po new file mode 100644 index 00000000..80a2d2d1 --- /dev/null +++ b/modules/po/chansaver.bg_BG.po @@ -0,0 +1,17 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /1.7.x/modules/po/chansaver.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: chansaver.cpp:91 +msgid "Keeps config up-to-date when user joins/parts." +msgstr "" diff --git a/modules/po/chansaver.fr_FR.po b/modules/po/chansaver.fr_FR.po index a069a8b3..e5c2f30a 100644 --- a/modules/po/chansaver.fr_FR.po +++ b/modules/po/chansaver.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/chansaver.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/clearbufferonmsg.bg_BG.po b/modules/po/clearbufferonmsg.bg_BG.po new file mode 100644 index 00000000..6c5c0523 --- /dev/null +++ b/modules/po/clearbufferonmsg.bg_BG.po @@ -0,0 +1,17 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /1.7.x/modules/po/clearbufferonmsg.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: clearbufferonmsg.cpp:160 +msgid "Clears all channel and query buffers whenever the user does something" +msgstr "" diff --git a/modules/po/clearbufferonmsg.fr_FR.po b/modules/po/clearbufferonmsg.fr_FR.po index 9700351c..66abc0c4 100644 --- a/modules/po/clearbufferonmsg.fr_FR.po +++ b/modules/po/clearbufferonmsg.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/clearbufferonmsg.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/clientnotify.bg_BG.po b/modules/po/clientnotify.bg_BG.po new file mode 100644 index 00000000..04c3bba1 --- /dev/null +++ b/modules/po/clientnotify.bg_BG.po @@ -0,0 +1,73 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /1.7.x/modules/po/clientnotify.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: clientnotify.cpp:47 +msgid "" +msgstr "" + +#: clientnotify.cpp:48 +msgid "Sets the notify method" +msgstr "" + +#: clientnotify.cpp:50 clientnotify.cpp:54 +msgid "" +msgstr "" + +#: clientnotify.cpp:51 +msgid "Turns notifications for unseen IP addresses on or off" +msgstr "" + +#: clientnotify.cpp:55 +msgid "Turns notifications for clients disconnecting on or off" +msgstr "" + +#: clientnotify.cpp:57 +msgid "Shows the current settings" +msgstr "" + +#: clientnotify.cpp:81 clientnotify.cpp:95 +msgid "" +msgid_plural "" +"Another client authenticated as your user. Use the 'ListClients' command to " +"see all {1} clients." +msgstr[0] "" +msgstr[1] "" + +#: clientnotify.cpp:108 +msgid "Usage: Method " +msgstr "" + +#: clientnotify.cpp:114 clientnotify.cpp:127 clientnotify.cpp:140 +msgid "Saved." +msgstr "" + +#: clientnotify.cpp:121 +msgid "Usage: NewOnly " +msgstr "" + +#: clientnotify.cpp:134 +msgid "Usage: OnDisconnect " +msgstr "" + +#: clientnotify.cpp:145 +msgid "" +"Current settings: Method: {1}, for unseen IP addresses only: {2}, notify on " +"disconnecting clients: {3}" +msgstr "" + +#: clientnotify.cpp:157 +msgid "" +"Notifies you when another IRC client logs into or out of your account. " +"Configurable." +msgstr "" diff --git a/modules/po/clientnotify.fr_FR.po b/modules/po/clientnotify.fr_FR.po index c30df329..687bef6f 100644 --- a/modules/po/clientnotify.fr_FR.po +++ b/modules/po/clientnotify.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/clientnotify.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/controlpanel.bg_BG.po b/modules/po/controlpanel.bg_BG.po new file mode 100644 index 00000000..4b6f43e2 --- /dev/null +++ b/modules/po/controlpanel.bg_BG.po @@ -0,0 +1,718 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /1.7.x/modules/po/controlpanel.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: controlpanel.cpp:51 controlpanel.cpp:63 +msgctxt "helptable" +msgid "Type" +msgstr "" + +#: controlpanel.cpp:52 controlpanel.cpp:65 +msgctxt "helptable" +msgid "Variables" +msgstr "" + +#: controlpanel.cpp:77 +msgid "String" +msgstr "" + +#: controlpanel.cpp:78 +msgid "Boolean (true/false)" +msgstr "" + +#: controlpanel.cpp:79 +msgid "Integer" +msgstr "" + +#: controlpanel.cpp:80 +msgid "Number" +msgstr "" + +#: controlpanel.cpp:123 +msgid "The following variables are available when using the Set/Get commands:" +msgstr "" + +#: controlpanel.cpp:146 +msgid "" +"The following variables are available when using the SetNetwork/GetNetwork " +"commands:" +msgstr "" + +#: controlpanel.cpp:159 +msgid "" +"The following variables are available when using the SetChan/GetChan " +"commands:" +msgstr "" + +#: controlpanel.cpp:165 +msgid "" +"You can use $user as the user name and $network as the network name for " +"modifying your own user and network." +msgstr "" + +#: controlpanel.cpp:174 controlpanel.cpp:961 controlpanel.cpp:998 +msgid "Error: User [{1}] does not exist!" +msgstr "" + +#: controlpanel.cpp:179 +msgid "Error: You need to have admin rights to modify other users!" +msgstr "" + +#: controlpanel.cpp:189 +msgid "Error: You cannot use $network to modify other users!" +msgstr "" + +#: controlpanel.cpp:197 +msgid "Error: User {1} does not have a network named [{2}]." +msgstr "" + +#: controlpanel.cpp:209 +msgid "Usage: Get [username]" +msgstr "" + +#: controlpanel.cpp:299 controlpanel.cpp:502 controlpanel.cpp:577 +#: controlpanel.cpp:653 controlpanel.cpp:788 controlpanel.cpp:873 +msgid "Error: Unknown variable" +msgstr "" + +#: controlpanel.cpp:308 +msgid "Usage: Set " +msgstr "" + +#: controlpanel.cpp:330 controlpanel.cpp:618 +msgid "This bind host is already set!" +msgstr "" + +#: controlpanel.cpp:337 controlpanel.cpp:349 controlpanel.cpp:357 +#: controlpanel.cpp:420 controlpanel.cpp:439 controlpanel.cpp:455 +#: controlpanel.cpp:465 controlpanel.cpp:625 +msgid "Access denied!" +msgstr "" + +#: controlpanel.cpp:371 controlpanel.cpp:380 controlpanel.cpp:837 +msgid "Setting failed, limit for buffer size is {1}" +msgstr "" + +#: controlpanel.cpp:400 +msgid "Password has been changed!" +msgstr "" + +#: controlpanel.cpp:408 +msgid "Timeout can't be less than 30 seconds!" +msgstr "" + +#: controlpanel.cpp:472 +msgid "That would be a bad idea!" +msgstr "" + +#: controlpanel.cpp:490 +msgid "Supported languages: {1}" +msgstr "" + +#: controlpanel.cpp:514 +msgid "Usage: GetNetwork [username] [network]" +msgstr "" + +#: controlpanel.cpp:533 +msgid "Error: A network must be specified to get another users settings." +msgstr "" + +#: controlpanel.cpp:539 +msgid "You are not currently attached to a network." +msgstr "" + +#: controlpanel.cpp:545 +msgid "Error: Invalid network." +msgstr "" + +#: controlpanel.cpp:589 +msgid "Usage: SetNetwork " +msgstr "" + +#: controlpanel.cpp:663 +msgid "Usage: AddChan " +msgstr "" + +#: controlpanel.cpp:676 +msgid "Error: User {1} already has a channel named {2}." +msgstr "" + +#: controlpanel.cpp:683 +msgid "Channel {1} for user {2} added to network {3}." +msgstr "" + +#: controlpanel.cpp:687 +msgid "" +"Could not add channel {1} for user {2} to network {3}, does it already exist?" +msgstr "" + +#: controlpanel.cpp:697 +msgid "Usage: DelChan " +msgstr "" + +#: controlpanel.cpp:712 +msgid "Error: User {1} does not have any channel matching [{2}] in network {3}" +msgstr "" + +#: controlpanel.cpp:725 +msgid "Channel {1} is deleted from network {2} of user {3}" +msgid_plural "Channels {1} are deleted from network {2} of user {3}" +msgstr[0] "" +msgstr[1] "" + +#: controlpanel.cpp:740 +msgid "Usage: GetChan " +msgstr "" + +#: controlpanel.cpp:754 controlpanel.cpp:818 +msgid "Error: No channels matching [{1}] found." +msgstr "" + +#: controlpanel.cpp:803 +msgid "Usage: SetChan " +msgstr "" + +#: controlpanel.cpp:884 controlpanel.cpp:894 +msgctxt "listusers" +msgid "Username" +msgstr "" + +#: controlpanel.cpp:885 controlpanel.cpp:895 +msgctxt "listusers" +msgid "Realname" +msgstr "" + +#: controlpanel.cpp:886 controlpanel.cpp:898 controlpanel.cpp:900 +msgctxt "listusers" +msgid "IsAdmin" +msgstr "" + +#: controlpanel.cpp:887 controlpanel.cpp:901 +msgctxt "listusers" +msgid "Nick" +msgstr "" + +#: controlpanel.cpp:888 controlpanel.cpp:902 +msgctxt "listusers" +msgid "AltNick" +msgstr "" + +#: controlpanel.cpp:889 controlpanel.cpp:903 +msgctxt "listusers" +msgid "Ident" +msgstr "" + +#: controlpanel.cpp:890 controlpanel.cpp:904 +msgctxt "listusers" +msgid "BindHost" +msgstr "" + +#: controlpanel.cpp:898 controlpanel.cpp:1138 +msgid "No" +msgstr "" + +#: controlpanel.cpp:900 controlpanel.cpp:1130 +msgid "Yes" +msgstr "" + +#: controlpanel.cpp:914 controlpanel.cpp:983 +msgid "Error: You need to have admin rights to add new users!" +msgstr "" + +#: controlpanel.cpp:920 +msgid "Usage: AddUser " +msgstr "" + +#: controlpanel.cpp:925 +msgid "Error: User {1} already exists!" +msgstr "" + +#: controlpanel.cpp:937 controlpanel.cpp:1012 +msgid "Error: User not added: {1}" +msgstr "" + +#: controlpanel.cpp:941 controlpanel.cpp:1016 +msgid "User {1} added!" +msgstr "" + +#: controlpanel.cpp:948 +msgid "Error: You need to have admin rights to delete users!" +msgstr "" + +#: controlpanel.cpp:954 +msgid "Usage: DelUser " +msgstr "" + +#: controlpanel.cpp:966 +msgid "Error: You can't delete yourself!" +msgstr "" + +#: controlpanel.cpp:972 +msgid "Error: Internal error!" +msgstr "" + +#: controlpanel.cpp:976 +msgid "User {1} deleted!" +msgstr "" + +#: controlpanel.cpp:991 +msgid "Usage: CloneUser " +msgstr "" + +#: controlpanel.cpp:1006 +msgid "Error: Cloning failed: {1}" +msgstr "" + +#: controlpanel.cpp:1035 +msgid "Usage: AddNetwork [user] network" +msgstr "" + +#: controlpanel.cpp:1041 +msgid "" +"Network number limit reached. Ask an admin to increase the limit for you, or " +"delete unneeded networks using /znc DelNetwork " +msgstr "" + +#: controlpanel.cpp:1049 +msgid "Error: User {1} already has a network with the name {2}" +msgstr "" + +#: controlpanel.cpp:1056 +msgid "Network {1} added to user {2}." +msgstr "" + +#: controlpanel.cpp:1060 +msgid "Error: Network [{1}] could not be added for user {2}: {3}" +msgstr "" + +#: controlpanel.cpp:1080 +msgid "Usage: DelNetwork [user] network" +msgstr "" + +#: controlpanel.cpp:1091 +msgid "The currently active network can be deleted via {1}status" +msgstr "" + +#: controlpanel.cpp:1097 +msgid "Network {1} deleted for user {2}." +msgstr "" + +#: controlpanel.cpp:1101 +msgid "Error: Network {1} could not be deleted for user {2}." +msgstr "" + +#: controlpanel.cpp:1120 controlpanel.cpp:1128 +msgctxt "listnetworks" +msgid "Network" +msgstr "" + +#: controlpanel.cpp:1121 controlpanel.cpp:1130 controlpanel.cpp:1138 +msgctxt "listnetworks" +msgid "OnIRC" +msgstr "" + +#: controlpanel.cpp:1122 controlpanel.cpp:1131 +msgctxt "listnetworks" +msgid "IRC Server" +msgstr "" + +#: controlpanel.cpp:1123 controlpanel.cpp:1133 +msgctxt "listnetworks" +msgid "IRC User" +msgstr "" + +#: controlpanel.cpp:1124 controlpanel.cpp:1135 +msgctxt "listnetworks" +msgid "Channels" +msgstr "" + +#: controlpanel.cpp:1143 +msgid "No networks" +msgstr "" + +#: controlpanel.cpp:1154 +msgid "Usage: AddServer [[+]port] [password]" +msgstr "" + +#: controlpanel.cpp:1168 +msgid "Added IRC Server {1} to network {2} for user {3}." +msgstr "" + +#: controlpanel.cpp:1172 +msgid "Error: Could not add IRC server {1} to network {2} for user {3}." +msgstr "" + +#: controlpanel.cpp:1185 +msgid "Usage: DelServer [[+]port] [password]" +msgstr "" + +#: controlpanel.cpp:1200 +msgid "Deleted IRC Server {1} from network {2} for user {3}." +msgstr "" + +#: controlpanel.cpp:1204 +msgid "Error: Could not delete IRC server {1} from network {2} for user {3}." +msgstr "" + +#: controlpanel.cpp:1214 +msgid "Usage: Reconnect " +msgstr "" + +#: controlpanel.cpp:1241 +msgid "Queued network {1} of user {2} for a reconnect." +msgstr "" + +#: controlpanel.cpp:1250 +msgid "Usage: Disconnect " +msgstr "" + +#: controlpanel.cpp:1265 +msgid "Closed IRC connection for network {1} of user {2}." +msgstr "" + +#: controlpanel.cpp:1280 controlpanel.cpp:1284 +msgctxt "listctcp" +msgid "Request" +msgstr "" + +#: controlpanel.cpp:1281 controlpanel.cpp:1285 +msgctxt "listctcp" +msgid "Reply" +msgstr "" + +#: controlpanel.cpp:1289 +msgid "No CTCP replies for user {1} are configured" +msgstr "" + +#: controlpanel.cpp:1292 +msgid "CTCP replies for user {1}:" +msgstr "" + +#: controlpanel.cpp:1308 +msgid "Usage: AddCTCP [user] [request] [reply]" +msgstr "" + +#: controlpanel.cpp:1310 +msgid "" +"This will cause ZNC to reply to the CTCP instead of forwarding it to clients." +msgstr "" + +#: controlpanel.cpp:1313 +msgid "An empty reply will cause the CTCP request to be blocked." +msgstr "" + +#: controlpanel.cpp:1322 +msgid "CTCP requests {1} to user {2} will now be blocked." +msgstr "" + +#: controlpanel.cpp:1326 +msgid "CTCP requests {1} to user {2} will now get reply: {3}" +msgstr "" + +#: controlpanel.cpp:1343 +msgid "Usage: DelCTCP [user] [request]" +msgstr "" + +#: controlpanel.cpp:1349 +msgid "CTCP requests {1} to user {2} will now be sent to IRC clients" +msgstr "" + +#: controlpanel.cpp:1353 +msgid "" +"CTCP requests {1} to user {2} will be sent to IRC clients (nothing has " +"changed)" +msgstr "" + +#: controlpanel.cpp:1363 controlpanel.cpp:1437 +msgid "Loading modules has been disabled." +msgstr "" + +#: controlpanel.cpp:1372 +msgid "Error: Unable to load module {1}: {2}" +msgstr "" + +#: controlpanel.cpp:1375 +msgid "Loaded module {1}" +msgstr "" + +#: controlpanel.cpp:1380 +msgid "Error: Unable to reload module {1}: {2}" +msgstr "" + +#: controlpanel.cpp:1383 +msgid "Reloaded module {1}" +msgstr "" + +#: controlpanel.cpp:1387 +msgid "Error: Unable to load module {1} because it is already loaded" +msgstr "" + +#: controlpanel.cpp:1398 +msgid "Usage: LoadModule [args]" +msgstr "" + +#: controlpanel.cpp:1417 +msgid "Usage: LoadNetModule [args]" +msgstr "" + +#: controlpanel.cpp:1442 +msgid "Please use /znc unloadmod {1}" +msgstr "" + +#: controlpanel.cpp:1448 +msgid "Error: Unable to unload module {1}: {2}" +msgstr "" + +#: controlpanel.cpp:1451 +msgid "Unloaded module {1}" +msgstr "" + +#: controlpanel.cpp:1460 +msgid "Usage: UnloadModule " +msgstr "" + +#: controlpanel.cpp:1477 +msgid "Usage: UnloadNetModule " +msgstr "" + +#: controlpanel.cpp:1494 controlpanel.cpp:1499 +msgctxt "listmodules" +msgid "Name" +msgstr "" + +#: controlpanel.cpp:1495 controlpanel.cpp:1500 +msgctxt "listmodules" +msgid "Arguments" +msgstr "" + +#: controlpanel.cpp:1519 +msgid "User {1} has no modules loaded." +msgstr "" + +#: controlpanel.cpp:1523 +msgid "Modules loaded for user {1}:" +msgstr "" + +#: controlpanel.cpp:1543 +msgid "Network {1} of user {2} has no modules loaded." +msgstr "" + +#: controlpanel.cpp:1548 +msgid "Modules loaded for network {1} of user {2}:" +msgstr "" + +#: controlpanel.cpp:1555 +msgid "[command] [variable]" +msgstr "" + +#: controlpanel.cpp:1556 +msgid "Prints help for matching commands and variables" +msgstr "" + +#: controlpanel.cpp:1559 +msgid " [username]" +msgstr "" + +#: controlpanel.cpp:1560 +msgid "Prints the variable's value for the given or current user" +msgstr "" + +#: controlpanel.cpp:1562 +msgid " " +msgstr "" + +#: controlpanel.cpp:1563 +msgid "Sets the variable's value for the given user" +msgstr "" + +#: controlpanel.cpp:1565 +msgid " [username] [network]" +msgstr "" + +#: controlpanel.cpp:1566 +msgid "Prints the variable's value for the given network" +msgstr "" + +#: controlpanel.cpp:1568 +msgid " " +msgstr "" + +#: controlpanel.cpp:1569 +msgid "Sets the variable's value for the given network" +msgstr "" + +#: controlpanel.cpp:1571 +msgid " [username] " +msgstr "" + +#: controlpanel.cpp:1572 +msgid "Prints the variable's value for the given channel" +msgstr "" + +#: controlpanel.cpp:1575 +msgid " " +msgstr "" + +#: controlpanel.cpp:1576 +msgid "Sets the variable's value for the given channel" +msgstr "" + +#: controlpanel.cpp:1578 controlpanel.cpp:1581 +msgid " " +msgstr "" + +#: controlpanel.cpp:1579 +msgid "Adds a new channel" +msgstr "" + +#: controlpanel.cpp:1582 +msgid "Deletes a channel" +msgstr "" + +#: controlpanel.cpp:1584 +msgid "Lists users" +msgstr "" + +#: controlpanel.cpp:1586 +msgid " " +msgstr "" + +#: controlpanel.cpp:1587 +msgid "Adds a new user" +msgstr "" + +#: controlpanel.cpp:1589 controlpanel.cpp:1612 controlpanel.cpp:1626 +msgid "" +msgstr "" + +#: controlpanel.cpp:1589 +msgid "Deletes a user" +msgstr "" + +#: controlpanel.cpp:1591 +msgid " " +msgstr "" + +#: controlpanel.cpp:1592 +msgid "Clones a user" +msgstr "" + +#: controlpanel.cpp:1594 controlpanel.cpp:1597 +msgid " " +msgstr "" + +#: controlpanel.cpp:1595 +msgid "Adds a new IRC server for the given or current user" +msgstr "" + +#: controlpanel.cpp:1598 +msgid "Deletes an IRC server from the given or current user" +msgstr "" + +#: controlpanel.cpp:1600 controlpanel.cpp:1603 controlpanel.cpp:1623 +msgid " " +msgstr "" + +#: controlpanel.cpp:1601 +msgid "Cycles the user's IRC server connection" +msgstr "" + +#: controlpanel.cpp:1604 +msgid "Disconnects the user from their IRC server" +msgstr "" + +#: controlpanel.cpp:1606 +msgid " [args]" +msgstr "" + +#: controlpanel.cpp:1607 +msgid "Loads a Module for a user" +msgstr "" + +#: controlpanel.cpp:1609 +msgid " " +msgstr "" + +#: controlpanel.cpp:1610 +msgid "Removes a Module of a user" +msgstr "" + +#: controlpanel.cpp:1613 +msgid "Get the list of modules for a user" +msgstr "" + +#: controlpanel.cpp:1616 +msgid " [args]" +msgstr "" + +#: controlpanel.cpp:1617 +msgid "Loads a Module for a network" +msgstr "" + +#: controlpanel.cpp:1620 +msgid " " +msgstr "" + +#: controlpanel.cpp:1621 +msgid "Removes a Module of a network" +msgstr "" + +#: controlpanel.cpp:1624 +msgid "Get the list of modules for a network" +msgstr "" + +#: controlpanel.cpp:1627 +msgid "List the configured CTCP replies" +msgstr "" + +#: controlpanel.cpp:1629 +msgid " [reply]" +msgstr "" + +#: controlpanel.cpp:1630 +msgid "Configure a new CTCP reply" +msgstr "" + +#: controlpanel.cpp:1632 +msgid " " +msgstr "" + +#: controlpanel.cpp:1633 +msgid "Remove a CTCP reply" +msgstr "" + +#: controlpanel.cpp:1637 controlpanel.cpp:1640 +msgid "[username] " +msgstr "" + +#: controlpanel.cpp:1638 +msgid "Add a network for a user" +msgstr "" + +#: controlpanel.cpp:1641 +msgid "Delete a network for a user" +msgstr "" + +#: controlpanel.cpp:1643 +msgid "[username]" +msgstr "" + +#: controlpanel.cpp:1644 +msgid "List all networks for a user" +msgstr "" + +#: controlpanel.cpp:1657 +msgid "" +"Dynamic configuration through IRC. Allows editing only yourself if you're " +"not ZNC admin." +msgstr "" diff --git a/modules/po/controlpanel.fr_FR.po b/modules/po/controlpanel.fr_FR.po index 55ad1530..1f6f1a0c 100644 --- a/modules/po/controlpanel.fr_FR.po +++ b/modules/po/controlpanel.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/controlpanel.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/crypt.bg_BG.po b/modules/po/crypt.bg_BG.po new file mode 100644 index 00000000..4598d577 --- /dev/null +++ b/modules/po/crypt.bg_BG.po @@ -0,0 +1,143 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /1.7.x/modules/po/crypt.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: crypt.cpp:198 +msgid "<#chan|Nick>" +msgstr "" + +#: crypt.cpp:199 +msgid "Remove a key for nick or channel" +msgstr "" + +#: crypt.cpp:201 +msgid "<#chan|Nick> " +msgstr "" + +#: crypt.cpp:202 +msgid "Set a key for nick or channel" +msgstr "" + +#: crypt.cpp:204 +msgid "List all keys" +msgstr "" + +#: crypt.cpp:206 +msgid "" +msgstr "" + +#: crypt.cpp:207 +msgid "Start a DH1080 key exchange with nick" +msgstr "" + +#: crypt.cpp:210 +msgid "Get the nick prefix" +msgstr "" + +#: crypt.cpp:213 +msgid "[Prefix]" +msgstr "" + +#: crypt.cpp:214 +msgid "Set the nick prefix, with no argument it's disabled." +msgstr "" + +#: crypt.cpp:270 +msgid "Received DH1080 public key from {1}, sending mine..." +msgstr "" + +#: crypt.cpp:275 crypt.cpp:296 +msgid "Key for {1} successfully set." +msgstr "" + +#: crypt.cpp:278 crypt.cpp:299 +msgid "Error in {1} with {2}: {3}" +msgstr "" + +#: crypt.cpp:280 crypt.cpp:301 +msgid "no secret key computed" +msgstr "" + +#: crypt.cpp:395 +msgid "Target [{1}] deleted" +msgstr "" + +#: crypt.cpp:397 +msgid "Target [{1}] not found" +msgstr "" + +#: crypt.cpp:400 +msgid "Usage DelKey <#chan|Nick>" +msgstr "" + +#: crypt.cpp:415 +msgid "Set encryption key for [{1}] to [{2}]" +msgstr "" + +#: crypt.cpp:417 +msgid "Usage: SetKey <#chan|Nick> " +msgstr "" + +#: crypt.cpp:428 +msgid "Sent my DH1080 public key to {1}, waiting for reply ..." +msgstr "" + +#: crypt.cpp:430 +msgid "Error generating our keys, nothing sent." +msgstr "" + +#: crypt.cpp:433 +msgid "Usage: KeyX " +msgstr "" + +#: crypt.cpp:440 +msgid "Nick Prefix disabled." +msgstr "" + +#: crypt.cpp:442 +msgid "Nick Prefix: {1}" +msgstr "" + +#: crypt.cpp:451 +msgid "You cannot use :, even followed by other symbols, as Nick Prefix." +msgstr "" + +#: crypt.cpp:460 +msgid "Overlap with Status Prefix ({1}), this Nick Prefix will not be used!" +msgstr "" + +#: crypt.cpp:465 +msgid "Disabling Nick Prefix." +msgstr "" + +#: crypt.cpp:467 +msgid "Setting Nick Prefix to {1}" +msgstr "" + +#: crypt.cpp:474 crypt.cpp:480 +msgctxt "listkeys" +msgid "Target" +msgstr "" + +#: crypt.cpp:475 crypt.cpp:481 +msgctxt "listkeys" +msgid "Key" +msgstr "" + +#: crypt.cpp:485 +msgid "You have no encryption keys set." +msgstr "" + +#: crypt.cpp:507 +msgid "Encryption for channel/private messages" +msgstr "" diff --git a/modules/po/crypt.fr_FR.po b/modules/po/crypt.fr_FR.po index 687008e2..cd53d418 100644 --- a/modules/po/crypt.fr_FR.po +++ b/modules/po/crypt.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/crypt.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/ctcpflood.bg_BG.po b/modules/po/ctcpflood.bg_BG.po new file mode 100644 index 00000000..e1f8aadd --- /dev/null +++ b/modules/po/ctcpflood.bg_BG.po @@ -0,0 +1,69 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /1.7.x/modules/po/ctcpflood.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: ctcpflood.cpp:25 ctcpflood.cpp:27 +msgid "" +msgstr "" + +#: ctcpflood.cpp:25 +msgid "Set seconds limit" +msgstr "" + +#: ctcpflood.cpp:27 +msgid "Set lines limit" +msgstr "" + +#: ctcpflood.cpp:29 +msgid "Show the current limits" +msgstr "" + +#: ctcpflood.cpp:76 +msgid "Limit reached by {1}, blocking all CTCP" +msgstr "" + +#: ctcpflood.cpp:98 +msgid "Usage: Secs " +msgstr "" + +#: ctcpflood.cpp:113 +msgid "Usage: Lines " +msgstr "" + +#: ctcpflood.cpp:125 +msgid "1 CTCP message" +msgid_plural "{1} CTCP messages" +msgstr[0] "" +msgstr[1] "" + +#: ctcpflood.cpp:127 +msgid "every second" +msgid_plural "every {1} seconds" +msgstr[0] "" +msgstr[1] "" + +#: ctcpflood.cpp:129 +msgid "Current limit is {1} {2}" +msgstr "" + +#: ctcpflood.cpp:145 +msgid "" +"This user module takes none to two arguments. The first argument is the " +"number of lines after which the flood-protection is triggered. The second " +"argument is the time (sec) to in which the number of lines is reached. The " +"default setting is 4 CTCPs in 2 seconds" +msgstr "" + +#: ctcpflood.cpp:151 +msgid "Don't forward CTCP floods to clients" +msgstr "" diff --git a/modules/po/ctcpflood.fr_FR.po b/modules/po/ctcpflood.fr_FR.po index a9046195..6ba70e62 100644 --- a/modules/po/ctcpflood.fr_FR.po +++ b/modules/po/ctcpflood.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/ctcpflood.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/cyrusauth.bg_BG.po b/modules/po/cyrusauth.bg_BG.po new file mode 100644 index 00000000..f6be35f2 --- /dev/null +++ b/modules/po/cyrusauth.bg_BG.po @@ -0,0 +1,73 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /1.7.x/modules/po/cyrusauth.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: cyrusauth.cpp:42 +msgid "Shows current settings" +msgstr "" + +#: cyrusauth.cpp:44 +msgid "yes|clone |no" +msgstr "" + +#: cyrusauth.cpp:45 +msgid "" +"Create ZNC users upon first successful login, optionally from a template" +msgstr "" + +#: cyrusauth.cpp:56 +msgid "Access denied" +msgstr "" + +#: cyrusauth.cpp:70 +msgid "Ignoring invalid SASL pwcheck method: {1}" +msgstr "" + +#: cyrusauth.cpp:71 +msgid "Ignored invalid SASL pwcheck method" +msgstr "" + +#: cyrusauth.cpp:79 +msgid "Need a pwcheck method as argument (saslauthd, auxprop)" +msgstr "" + +#: cyrusauth.cpp:84 +msgid "SASL Could Not Be Initialized - Halting Startup" +msgstr "" + +#: cyrusauth.cpp:171 cyrusauth.cpp:186 +msgid "We will not create users on their first login" +msgstr "" + +#: cyrusauth.cpp:174 cyrusauth.cpp:195 +msgid "" +"We will create users on their first login, using user [{1}] as a template" +msgstr "" + +#: cyrusauth.cpp:177 cyrusauth.cpp:190 +msgid "We will create users on their first login" +msgstr "" + +#: cyrusauth.cpp:199 +msgid "Usage: CreateUsers yes, CreateUsers no, or CreateUsers clone " +msgstr "" + +#: cyrusauth.cpp:232 +msgid "" +"This global module takes up to two arguments - the methods of authentication " +"- auxprop and saslauthd" +msgstr "" + +#: cyrusauth.cpp:238 +msgid "Allow users to authenticate via SASL password verification method" +msgstr "" diff --git a/modules/po/cyrusauth.fr_FR.po b/modules/po/cyrusauth.fr_FR.po index b7a465ba..ef654270 100644 --- a/modules/po/cyrusauth.fr_FR.po +++ b/modules/po/cyrusauth.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/cyrusauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/dcc.bg_BG.po b/modules/po/dcc.bg_BG.po new file mode 100644 index 00000000..c58e51c8 --- /dev/null +++ b/modules/po/dcc.bg_BG.po @@ -0,0 +1,227 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /1.7.x/modules/po/dcc.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: dcc.cpp:88 +msgid " " +msgstr "" + +#: dcc.cpp:89 +msgid "Send a file from ZNC to someone" +msgstr "" + +#: dcc.cpp:91 +msgid "" +msgstr "" + +#: dcc.cpp:92 +msgid "Send a file from ZNC to your client" +msgstr "" + +#: dcc.cpp:94 +msgid "List current transfers" +msgstr "" + +#: dcc.cpp:103 +msgid "You must be admin to use the DCC module" +msgstr "" + +#: dcc.cpp:140 +msgid "Attempting to send [{1}] to [{2}]." +msgstr "" + +#: dcc.cpp:149 dcc.cpp:554 +msgid "Receiving [{1}] from [{2}]: File already exists." +msgstr "" + +#: dcc.cpp:167 +msgid "" +"Attempting to connect to [{1} {2}] in order to download [{3}] from [{4}]." +msgstr "" + +#: dcc.cpp:179 +msgid "Usage: Send " +msgstr "" + +#: dcc.cpp:186 dcc.cpp:206 +msgid "Illegal path." +msgstr "" + +#: dcc.cpp:199 +msgid "Usage: Get " +msgstr "" + +#: dcc.cpp:215 dcc.cpp:232 dcc.cpp:234 +msgctxt "list" +msgid "Type" +msgstr "" + +#: dcc.cpp:216 dcc.cpp:238 dcc.cpp:241 +msgctxt "list" +msgid "State" +msgstr "" + +#: dcc.cpp:217 dcc.cpp:243 +msgctxt "list" +msgid "Speed" +msgstr "" + +#: dcc.cpp:218 dcc.cpp:227 +msgctxt "list" +msgid "Nick" +msgstr "" + +#: dcc.cpp:219 dcc.cpp:228 +msgctxt "list" +msgid "IP" +msgstr "" + +#: dcc.cpp:220 dcc.cpp:229 +msgctxt "list" +msgid "File" +msgstr "" + +#: dcc.cpp:232 +msgctxt "list-type" +msgid "Sending" +msgstr "" + +#: dcc.cpp:234 +msgctxt "list-type" +msgid "Getting" +msgstr "" + +#: dcc.cpp:239 +msgctxt "list-state" +msgid "Waiting" +msgstr "" + +#: dcc.cpp:244 +msgid "{1} KiB/s" +msgstr "" + +#: dcc.cpp:250 +msgid "You have no active DCC transfers." +msgstr "" + +#: dcc.cpp:267 +msgid "Attempting to resume send from position {1} of file [{2}] for [{3}]" +msgstr "" + +#: dcc.cpp:277 +msgid "Couldn't resume file [{1}] for [{2}]: not sending anything." +msgstr "" + +#: dcc.cpp:286 +msgid "Bad DCC file: {1}" +msgstr "" + +#: dcc.cpp:341 +msgid "Sending [{1}] to [{2}]: File not open!" +msgstr "" + +#: dcc.cpp:345 +msgid "Receiving [{1}] from [{2}]: File not open!" +msgstr "" + +#: dcc.cpp:385 +msgid "Sending [{1}] to [{2}]: Connection refused." +msgstr "" + +#: dcc.cpp:389 +msgid "Receiving [{1}] from [{2}]: Connection refused." +msgstr "" + +#: dcc.cpp:397 +msgid "Sending [{1}] to [{2}]: Timeout." +msgstr "" + +#: dcc.cpp:401 +msgid "Receiving [{1}] from [{2}]: Timeout." +msgstr "" + +#: dcc.cpp:411 +msgid "Sending [{1}] to [{2}]: Socket error {3}: {4}" +msgstr "" + +#: dcc.cpp:415 +msgid "Receiving [{1}] from [{2}]: Socket error {3}: {4}" +msgstr "" + +#: dcc.cpp:423 +msgid "Sending [{1}] to [{2}]: Transfer started." +msgstr "" + +#: dcc.cpp:427 +msgid "Receiving [{1}] from [{2}]: Transfer started." +msgstr "" + +#: dcc.cpp:446 +msgid "Sending [{1}] to [{2}]: Too much data!" +msgstr "" + +#: dcc.cpp:450 +msgid "Receiving [{1}] from [{2}]: Too much data!" +msgstr "" + +#: dcc.cpp:456 +msgid "Sending [{1}] to [{2}] completed at {3} KiB/s" +msgstr "" + +#: dcc.cpp:461 +msgid "Receiving [{1}] from [{2}] completed at {3} KiB/s" +msgstr "" + +#: dcc.cpp:474 +msgid "Sending [{1}] to [{2}]: File closed prematurely." +msgstr "" + +#: dcc.cpp:478 +msgid "Receiving [{1}] from [{2}]: File closed prematurely." +msgstr "" + +#: dcc.cpp:501 +msgid "Sending [{1}] to [{2}]: Error reading from file." +msgstr "" + +#: dcc.cpp:505 +msgid "Receiving [{1}] from [{2}]: Error reading from file." +msgstr "" + +#: dcc.cpp:537 +msgid "Sending [{1}] to [{2}]: Unable to open file." +msgstr "" + +#: dcc.cpp:541 +msgid "Receiving [{1}] from [{2}]: Unable to open file." +msgstr "" + +#: dcc.cpp:563 +msgid "Receiving [{1}] from [{2}]: Could not open file." +msgstr "" + +#: dcc.cpp:572 +msgid "Sending [{1}] to [{2}]: Not a file." +msgstr "" + +#: dcc.cpp:581 +msgid "Sending [{1}] to [{2}]: Could not open file." +msgstr "" + +#: dcc.cpp:593 +msgid "Sending [{1}] to [{2}]: File too large (>4 GiB)." +msgstr "" + +#: dcc.cpp:623 +msgid "This module allows you to transfer files to and from ZNC" +msgstr "" diff --git a/modules/po/dcc.fr_FR.po b/modules/po/dcc.fr_FR.po index 4a7ee1ac..be5776c3 100644 --- a/modules/po/dcc.fr_FR.po +++ b/modules/po/dcc.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/dcc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/disconkick.bg_BG.po b/modules/po/disconkick.bg_BG.po new file mode 100644 index 00000000..3f9f40e1 --- /dev/null +++ b/modules/po/disconkick.bg_BG.po @@ -0,0 +1,23 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /1.7.x/modules/po/disconkick.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: disconkick.cpp:32 +msgid "You have been disconnected from the IRC server" +msgstr "" + +#: disconkick.cpp:45 +msgid "" +"Kicks the client from all channels when the connection to the IRC server is " +"lost" +msgstr "" diff --git a/modules/po/disconkick.fr_FR.po b/modules/po/disconkick.fr_FR.po index 066ed367..bce7b3b0 100644 --- a/modules/po/disconkick.fr_FR.po +++ b/modules/po/disconkick.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/disconkick.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/fail2ban.bg_BG.po b/modules/po/fail2ban.bg_BG.po new file mode 100644 index 00000000..fb22e37c --- /dev/null +++ b/modules/po/fail2ban.bg_BG.po @@ -0,0 +1,117 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /1.7.x/modules/po/fail2ban.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: fail2ban.cpp:25 +msgid "[minutes]" +msgstr "" + +#: fail2ban.cpp:26 +msgid "The number of minutes IPs are blocked after a failed login." +msgstr "" + +#: fail2ban.cpp:28 +msgid "[count]" +msgstr "" + +#: fail2ban.cpp:29 +msgid "The number of allowed failed login attempts." +msgstr "" + +#: fail2ban.cpp:31 fail2ban.cpp:33 +msgid "" +msgstr "" + +#: fail2ban.cpp:31 +msgid "Ban the specified hosts." +msgstr "" + +#: fail2ban.cpp:33 +msgid "Unban the specified hosts." +msgstr "" + +#: fail2ban.cpp:35 +msgid "List banned hosts." +msgstr "" + +#: fail2ban.cpp:55 +msgid "" +"Invalid argument, must be the number of minutes IPs are blocked after a " +"failed login and can be followed by number of allowed failed login attempts" +msgstr "" + +#: fail2ban.cpp:77 fail2ban.cpp:100 fail2ban.cpp:123 fail2ban.cpp:146 +#: fail2ban.cpp:172 +msgid "Access denied" +msgstr "" + +#: fail2ban.cpp:86 +msgid "Usage: Timeout [minutes]" +msgstr "" + +#: fail2ban.cpp:91 fail2ban.cpp:94 +msgid "Timeout: {1} min" +msgstr "" + +#: fail2ban.cpp:109 +msgid "Usage: Attempts [count]" +msgstr "" + +#: fail2ban.cpp:114 fail2ban.cpp:117 +msgid "Attempts: {1}" +msgstr "" + +#: fail2ban.cpp:130 +msgid "Usage: Ban " +msgstr "" + +#: fail2ban.cpp:140 +msgid "Banned: {1}" +msgstr "" + +#: fail2ban.cpp:153 +msgid "Usage: Unban " +msgstr "" + +#: fail2ban.cpp:163 +msgid "Unbanned: {1}" +msgstr "" + +#: fail2ban.cpp:165 +msgid "Ignored: {1}" +msgstr "" + +#: fail2ban.cpp:177 fail2ban.cpp:182 +msgctxt "list" +msgid "Host" +msgstr "" + +#: fail2ban.cpp:178 fail2ban.cpp:183 +msgctxt "list" +msgid "Attempts" +msgstr "" + +#: fail2ban.cpp:187 +msgctxt "list" +msgid "No bans" +msgstr "" + +#: fail2ban.cpp:244 +msgid "" +"You might enter the time in minutes for the IP banning and the number of " +"failed logins before any action is taken." +msgstr "" + +#: fail2ban.cpp:249 +msgid "Block IPs for some time after a failed login." +msgstr "" diff --git a/modules/po/fail2ban.fr_FR.po b/modules/po/fail2ban.fr_FR.po index 77ff608f..650932cc 100644 --- a/modules/po/fail2ban.fr_FR.po +++ b/modules/po/fail2ban.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/fail2ban.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/flooddetach.bg_BG.po b/modules/po/flooddetach.bg_BG.po new file mode 100644 index 00000000..c15c1558 --- /dev/null +++ b/modules/po/flooddetach.bg_BG.po @@ -0,0 +1,91 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /1.7.x/modules/po/flooddetach.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: flooddetach.cpp:30 +msgid "Show current limits" +msgstr "" + +#: flooddetach.cpp:32 flooddetach.cpp:35 +msgid "[]" +msgstr "" + +#: flooddetach.cpp:33 +msgid "Show or set number of seconds in the time interval" +msgstr "" + +#: flooddetach.cpp:36 +msgid "Show or set number of lines in the time interval" +msgstr "" + +#: flooddetach.cpp:39 +msgid "Show or set whether to notify you about detaching and attaching back" +msgstr "" + +#: flooddetach.cpp:93 +msgid "Flood in {1} is over, reattaching..." +msgstr "" + +#: flooddetach.cpp:150 +msgid "Channel {1} was flooded, you've been detached" +msgstr "" + +#: flooddetach.cpp:187 +msgid "1 line" +msgid_plural "{1} lines" +msgstr[0] "" +msgstr[1] "" + +#: flooddetach.cpp:188 +msgid "every second" +msgid_plural "every {1} seconds" +msgstr[0] "" +msgstr[1] "" + +#: flooddetach.cpp:190 +msgid "Current limit is {1} {2}" +msgstr "" + +#: flooddetach.cpp:197 +msgid "Seconds limit is {1}" +msgstr "" + +#: flooddetach.cpp:202 +msgid "Set seconds limit to {1}" +msgstr "" + +#: flooddetach.cpp:211 +msgid "Lines limit is {1}" +msgstr "" + +#: flooddetach.cpp:216 +msgid "Set lines limit to {1}" +msgstr "" + +#: flooddetach.cpp:229 +msgid "Module messages are disabled" +msgstr "" + +#: flooddetach.cpp:231 +msgid "Module messages are enabled" +msgstr "" + +#: flooddetach.cpp:247 +msgid "" +"This user module takes up to two arguments. Arguments are numbers of " +"messages and seconds." +msgstr "" + +#: flooddetach.cpp:251 +msgid "Detach channels when flooded" +msgstr "" diff --git a/modules/po/flooddetach.fr_FR.po b/modules/po/flooddetach.fr_FR.po index 37098c90..d6793528 100644 --- a/modules/po/flooddetach.fr_FR.po +++ b/modules/po/flooddetach.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/flooddetach.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/identfile.bg_BG.po b/modules/po/identfile.bg_BG.po new file mode 100644 index 00000000..dcd535f6 --- /dev/null +++ b/modules/po/identfile.bg_BG.po @@ -0,0 +1,83 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /1.7.x/modules/po/identfile.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: identfile.cpp:30 +msgid "Show file name" +msgstr "" + +#: identfile.cpp:32 +msgid "" +msgstr "" + +#: identfile.cpp:32 +msgid "Set file name" +msgstr "" + +#: identfile.cpp:34 +msgid "Show file format" +msgstr "" + +#: identfile.cpp:36 +msgid "" +msgstr "" + +#: identfile.cpp:36 +msgid "Set file format" +msgstr "" + +#: identfile.cpp:38 +msgid "Show current state" +msgstr "" + +#: identfile.cpp:48 +msgid "File is set to: {1}" +msgstr "" + +#: identfile.cpp:53 +msgid "File has been set to: {1}" +msgstr "" + +#: identfile.cpp:58 +msgid "Format has been set to: {1}" +msgstr "" + +#: identfile.cpp:59 identfile.cpp:65 +msgid "Format would be expanded to: {1}" +msgstr "" + +#: identfile.cpp:64 +msgid "Format is set to: {1}" +msgstr "" + +#: identfile.cpp:78 +msgid "identfile is free" +msgstr "" + +#: identfile.cpp:86 +msgid "Access denied" +msgstr "" + +#: identfile.cpp:181 +msgid "" +"Aborting connection, another user or network is currently connecting and " +"using the ident spoof file" +msgstr "" + +#: identfile.cpp:189 +msgid "[{1}] could not be written, retrying..." +msgstr "" + +#: identfile.cpp:223 +msgid "Write the ident of a user to a file when they are trying to connect." +msgstr "" diff --git a/modules/po/identfile.fr_FR.po b/modules/po/identfile.fr_FR.po index 48e74ef6..f3fff5e1 100644 --- a/modules/po/identfile.fr_FR.po +++ b/modules/po/identfile.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/identfile.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/imapauth.bg_BG.po b/modules/po/imapauth.bg_BG.po new file mode 100644 index 00000000..283c1218 --- /dev/null +++ b/modules/po/imapauth.bg_BG.po @@ -0,0 +1,21 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /1.7.x/modules/po/imapauth.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: imapauth.cpp:168 +msgid "[ server [+]port [ UserFormatString ] ]" +msgstr "" + +#: imapauth.cpp:171 +msgid "Allow users to authenticate via IMAP." +msgstr "" diff --git a/modules/po/imapauth.fr_FR.po b/modules/po/imapauth.fr_FR.po index ee68d452..2455f5c9 100644 --- a/modules/po/imapauth.fr_FR.po +++ b/modules/po/imapauth.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/imapauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/keepnick.bg_BG.po b/modules/po/keepnick.bg_BG.po new file mode 100644 index 00000000..a60b9e1d --- /dev/null +++ b/modules/po/keepnick.bg_BG.po @@ -0,0 +1,53 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /1.7.x/modules/po/keepnick.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: keepnick.cpp:39 +msgid "Try to get your primary nick" +msgstr "" + +#: keepnick.cpp:42 keepnick.cpp:196 +msgid "No longer trying to get your primary nick" +msgstr "" + +#: keepnick.cpp:44 +msgid "Show the current state" +msgstr "" + +#: keepnick.cpp:158 +msgid "ZNC is already trying to get this nickname" +msgstr "" + +#: keepnick.cpp:173 +msgid "Unable to obtain nick {1}: {2}, {3}" +msgstr "" + +#: keepnick.cpp:181 +msgid "Unable to obtain nick {1}" +msgstr "" + +#: keepnick.cpp:191 +msgid "Trying to get your primary nick" +msgstr "" + +#: keepnick.cpp:201 +msgid "Currently trying to get your primary nick" +msgstr "" + +#: keepnick.cpp:203 +msgid "Currently disabled, try 'enable'" +msgstr "" + +#: keepnick.cpp:224 +msgid "Keeps trying for your primary nick" +msgstr "" diff --git a/modules/po/keepnick.fr_FR.po b/modules/po/keepnick.fr_FR.po index b0b19631..a1eec018 100644 --- a/modules/po/keepnick.fr_FR.po +++ b/modules/po/keepnick.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/keepnick.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/kickrejoin.bg_BG.po b/modules/po/kickrejoin.bg_BG.po new file mode 100644 index 00000000..420489ed --- /dev/null +++ b/modules/po/kickrejoin.bg_BG.po @@ -0,0 +1,61 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /1.7.x/modules/po/kickrejoin.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: kickrejoin.cpp:56 +msgid "" +msgstr "" + +#: kickrejoin.cpp:56 +msgid "Set the rejoin delay" +msgstr "" + +#: kickrejoin.cpp:58 +msgid "Show the rejoin delay" +msgstr "" + +#: kickrejoin.cpp:77 +msgid "Illegal argument, must be a positive number or 0" +msgstr "" + +#: kickrejoin.cpp:90 +msgid "Negative delays don't make any sense!" +msgstr "" + +#: kickrejoin.cpp:98 +msgid "Rejoin delay set to 1 second" +msgid_plural "Rejoin delay set to {1} seconds" +msgstr[0] "" +msgstr[1] "" + +#: kickrejoin.cpp:101 +msgid "Rejoin delay disabled" +msgstr "" + +#: kickrejoin.cpp:106 +msgid "Rejoin delay is set to 1 second" +msgid_plural "Rejoin delay is set to {1} seconds" +msgstr[0] "" +msgstr[1] "" + +#: kickrejoin.cpp:109 +msgid "Rejoin delay is disabled" +msgstr "" + +#: kickrejoin.cpp:131 +msgid "You might enter the number of seconds to wait before rejoining." +msgstr "" + +#: kickrejoin.cpp:134 +msgid "Autorejoins on kick" +msgstr "" diff --git a/modules/po/kickrejoin.fr_FR.po b/modules/po/kickrejoin.fr_FR.po index f31b00e2..283138a2 100644 --- a/modules/po/kickrejoin.fr_FR.po +++ b/modules/po/kickrejoin.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/kickrejoin.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/lastseen.bg_BG.po b/modules/po/lastseen.bg_BG.po new file mode 100644 index 00000000..8f82f0a9 --- /dev/null +++ b/modules/po/lastseen.bg_BG.po @@ -0,0 +1,67 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /1.7.x/modules/po/lastseen.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: modules/po/../data/lastseen/tmpl/index.tmpl:8 +msgid "User" +msgstr "" + +#: modules/po/../data/lastseen/tmpl/index.tmpl:9 lastseen.cpp:98 +msgid "Last Seen" +msgstr "" + +#: modules/po/../data/lastseen/tmpl/index.tmpl:10 +msgid "Info" +msgstr "" + +#: modules/po/../data/lastseen/tmpl/index.tmpl:11 +msgid "Action" +msgstr "" + +#: modules/po/../data/lastseen/tmpl/index.tmpl:21 +msgid "Edit" +msgstr "" + +#: modules/po/../data/lastseen/tmpl/index.tmpl:22 +msgid "Delete" +msgstr "" + +#: modules/po/../data/lastseen/tmpl/lastseen_WebadminUser.tmpl:6 +msgid "Last login time:" +msgstr "" + +#: lastseen.cpp:53 +msgid "Access denied" +msgstr "" + +#: lastseen.cpp:61 lastseen.cpp:66 +msgctxt "show" +msgid "User" +msgstr "" + +#: lastseen.cpp:62 lastseen.cpp:67 +msgctxt "show" +msgid "Last Seen" +msgstr "" + +#: lastseen.cpp:68 lastseen.cpp:124 +msgid "never" +msgstr "" + +#: lastseen.cpp:78 +msgid "Shows list of users and when they last logged in" +msgstr "" + +#: lastseen.cpp:153 +msgid "Collects data about when a user last logged in." +msgstr "" diff --git a/modules/po/lastseen.fr_FR.po b/modules/po/lastseen.fr_FR.po index e475d6d1..0d4e59e0 100644 --- a/modules/po/lastseen.fr_FR.po +++ b/modules/po/lastseen.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/lastseen.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/listsockets.bg_BG.po b/modules/po/listsockets.bg_BG.po new file mode 100644 index 00000000..eb2f4864 --- /dev/null +++ b/modules/po/listsockets.bg_BG.po @@ -0,0 +1,113 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /1.7.x/modules/po/listsockets.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:7 listsockets.cpp:214 +#: listsockets.cpp:230 +msgid "Name" +msgstr "" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:8 listsockets.cpp:215 +#: listsockets.cpp:231 +msgid "Created" +msgstr "" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:9 listsockets.cpp:216 +#: listsockets.cpp:232 +msgid "State" +msgstr "" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:10 listsockets.cpp:218 +#: listsockets.cpp:235 +msgid "SSL" +msgstr "" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:11 listsockets.cpp:220 +#: listsockets.cpp:240 +msgid "Local" +msgstr "" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:12 listsockets.cpp:221 +#: listsockets.cpp:242 +msgid "Remote" +msgstr "" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:13 +msgid "Data In" +msgstr "" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:14 +msgid "Data Out" +msgstr "" + +#: listsockets.cpp:62 +msgid "[-n]" +msgstr "" + +#: listsockets.cpp:62 +msgid "Shows the list of active sockets. Pass -n to show IP addresses" +msgstr "" + +#: listsockets.cpp:70 +msgid "You must be admin to use this module" +msgstr "" + +#: listsockets.cpp:96 +msgid "List sockets" +msgstr "" + +#: listsockets.cpp:116 listsockets.cpp:236 +msgctxt "ssl" +msgid "Yes" +msgstr "" + +#: listsockets.cpp:116 listsockets.cpp:237 +msgctxt "ssl" +msgid "No" +msgstr "" + +#: listsockets.cpp:142 +msgid "Listener" +msgstr "" + +#: listsockets.cpp:144 +msgid "Inbound" +msgstr "" + +#: listsockets.cpp:147 +msgid "Outbound" +msgstr "" + +#: listsockets.cpp:149 +msgid "Connecting" +msgstr "" + +#: listsockets.cpp:152 +msgid "UNKNOWN" +msgstr "" + +#: listsockets.cpp:207 +msgid "You have no open sockets." +msgstr "" + +#: listsockets.cpp:222 listsockets.cpp:244 +msgid "In" +msgstr "" + +#: listsockets.cpp:223 listsockets.cpp:246 +msgid "Out" +msgstr "" + +#: listsockets.cpp:262 +msgid "Lists active sockets" +msgstr "" diff --git a/modules/po/listsockets.fr_FR.po b/modules/po/listsockets.fr_FR.po index c71305c6..89a5809d 100644 --- a/modules/po/listsockets.fr_FR.po +++ b/modules/po/listsockets.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/listsockets.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/log.bg_BG.po b/modules/po/log.bg_BG.po new file mode 100644 index 00000000..205009fe --- /dev/null +++ b/modules/po/log.bg_BG.po @@ -0,0 +1,148 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /1.7.x/modules/po/log.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: log.cpp:59 +msgid "" +msgstr "" + +#: log.cpp:60 +msgid "Set logging rules, use !#chan or !query to negate and * " +msgstr "" + +#: log.cpp:62 +msgid "Clear all logging rules" +msgstr "" + +#: log.cpp:64 +msgid "List all logging rules" +msgstr "" + +#: log.cpp:67 +msgid " true|false" +msgstr "" + +#: log.cpp:68 +msgid "Set one of the following options: joins, quits, nickchanges" +msgstr "" + +#: log.cpp:71 +msgid "Show current settings set by Set command" +msgstr "" + +#: log.cpp:143 +msgid "Usage: SetRules " +msgstr "" + +#: log.cpp:144 +msgid "Wildcards are allowed" +msgstr "" + +#: log.cpp:156 log.cpp:178 +msgid "No logging rules. Everything is logged." +msgstr "" + +#: log.cpp:161 +msgid "1 rule removed: {2}" +msgid_plural "{1} rules removed: {2}" +msgstr[0] "" +msgstr[1] "" + +#: log.cpp:168 log.cpp:173 +msgctxt "listrules" +msgid "Rule" +msgstr "" + +#: log.cpp:169 log.cpp:174 +msgctxt "listrules" +msgid "Logging enabled" +msgstr "" + +#: log.cpp:189 +msgid "" +"Usage: Set true|false, where is one of: joins, quits, nickchanges" +msgstr "" + +#: log.cpp:196 +msgid "Will log joins" +msgstr "" + +#: log.cpp:196 +msgid "Will not log joins" +msgstr "" + +#: log.cpp:197 +msgid "Will log quits" +msgstr "" + +#: log.cpp:197 +msgid "Will not log quits" +msgstr "" + +#: log.cpp:199 +msgid "Will log nick changes" +msgstr "" + +#: log.cpp:199 +msgid "Will not log nick changes" +msgstr "" + +#: log.cpp:203 +msgid "Unknown variable. Known variables: joins, quits, nickchanges" +msgstr "" + +#: log.cpp:211 +msgid "Logging joins" +msgstr "" + +#: log.cpp:211 +msgid "Not logging joins" +msgstr "" + +#: log.cpp:212 +msgid "Logging quits" +msgstr "" + +#: log.cpp:212 +msgid "Not logging quits" +msgstr "" + +#: log.cpp:213 +msgid "Logging nick changes" +msgstr "" + +#: log.cpp:214 +msgid "Not logging nick changes" +msgstr "" + +#: log.cpp:351 +msgid "" +"Invalid args [{1}]. Only one log path allowed. Check that there are no " +"spaces in the path." +msgstr "" + +#: log.cpp:401 +msgid "Invalid log path [{1}]" +msgstr "" + +#: log.cpp:404 +msgid "Logging to [{1}]. Using timestamp format '{2}'" +msgstr "" + +#: log.cpp:559 +msgid "[-sanitize] Optional path where to store logs." +msgstr "" + +#: log.cpp:563 +msgid "Writes IRC logs." +msgstr "" diff --git a/modules/po/log.fr_FR.po b/modules/po/log.fr_FR.po index 7640c56a..c36abe67 100644 --- a/modules/po/log.fr_FR.po +++ b/modules/po/log.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/log.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/missingmotd.bg_BG.po b/modules/po/missingmotd.bg_BG.po new file mode 100644 index 00000000..8d6b58c3 --- /dev/null +++ b/modules/po/missingmotd.bg_BG.po @@ -0,0 +1,17 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /1.7.x/modules/po/missingmotd.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: missingmotd.cpp:36 +msgid "Sends 422 to clients when they login" +msgstr "" diff --git a/modules/po/missingmotd.fr_FR.po b/modules/po/missingmotd.fr_FR.po index c548ed5b..4b27421a 100644 --- a/modules/po/missingmotd.fr_FR.po +++ b/modules/po/missingmotd.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/missingmotd.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/modperl.bg_BG.po b/modules/po/modperl.bg_BG.po new file mode 100644 index 00000000..89128410 --- /dev/null +++ b/modules/po/modperl.bg_BG.po @@ -0,0 +1,17 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /1.7.x/modules/po/modperl.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: modperl.cpp:382 +msgid "Loads perl scripts as ZNC modules" +msgstr "" diff --git a/modules/po/modperl.fr_FR.po b/modules/po/modperl.fr_FR.po index f072263d..373ddaee 100644 --- a/modules/po/modperl.fr_FR.po +++ b/modules/po/modperl.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/modperl.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/modpython.bg_BG.po b/modules/po/modpython.bg_BG.po new file mode 100644 index 00000000..b69c1f31 --- /dev/null +++ b/modules/po/modpython.bg_BG.po @@ -0,0 +1,17 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /1.7.x/modules/po/modpython.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: modpython.cpp:512 +msgid "Loads python scripts as ZNC modules" +msgstr "" diff --git a/modules/po/modpython.fr_FR.po b/modules/po/modpython.fr_FR.po index bdfb3a6c..b7df0f3a 100644 --- a/modules/po/modpython.fr_FR.po +++ b/modules/po/modpython.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/modpython.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/modules_online.bg_BG.po b/modules/po/modules_online.bg_BG.po new file mode 100644 index 00000000..4384cd72 --- /dev/null +++ b/modules/po/modules_online.bg_BG.po @@ -0,0 +1,17 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /1.7.x/modules/po/modules_online.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: modules_online.cpp:117 +msgid "Makes ZNC's *modules to be \"online\"." +msgstr "" diff --git a/modules/po/modules_online.fr_FR.po b/modules/po/modules_online.fr_FR.po index eb0ff135..55d58523 100644 --- a/modules/po/modules_online.fr_FR.po +++ b/modules/po/modules_online.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/modules_online.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/nickserv.bg_BG.po b/modules/po/nickserv.bg_BG.po new file mode 100644 index 00000000..d0075b43 --- /dev/null +++ b/modules/po/nickserv.bg_BG.po @@ -0,0 +1,75 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /1.7.x/modules/po/nickserv.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: nickserv.cpp:31 +msgid "Password set" +msgstr "" + +#: nickserv.cpp:38 +msgid "NickServ name set" +msgstr "" + +#: nickserv.cpp:54 +msgid "No such editable command. See ViewCommands for list." +msgstr "" + +#: nickserv.cpp:57 +msgid "Ok" +msgstr "" + +#: nickserv.cpp:62 +msgid "password" +msgstr "" + +#: nickserv.cpp:62 +msgid "Set your nickserv password" +msgstr "" + +#: nickserv.cpp:64 +msgid "Clear your nickserv password" +msgstr "" + +#: nickserv.cpp:66 +msgid "nickname" +msgstr "" + +#: nickserv.cpp:67 +msgid "" +"Set NickServ name (Useful on networks like EpiKnet, where NickServ is named " +"Themis" +msgstr "" + +#: nickserv.cpp:71 +msgid "Reset NickServ name to default (NickServ)" +msgstr "" + +#: nickserv.cpp:75 +msgid "Show patterns for lines, which are being sent to NickServ" +msgstr "" + +#: nickserv.cpp:77 +msgid "cmd new-pattern" +msgstr "" + +#: nickserv.cpp:78 +msgid "Set pattern for commands" +msgstr "" + +#: nickserv.cpp:140 +msgid "Please enter your nickserv password." +msgstr "" + +#: nickserv.cpp:144 +msgid "Auths you with NickServ (prefer SASL module instead)" +msgstr "" diff --git a/modules/po/nickserv.fr_FR.po b/modules/po/nickserv.fr_FR.po index c67c0a34..0222aed0 100644 --- a/modules/po/nickserv.fr_FR.po +++ b/modules/po/nickserv.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/nickserv.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/notes.bg_BG.po b/modules/po/notes.bg_BG.po new file mode 100644 index 00000000..2397bb0b --- /dev/null +++ b/modules/po/notes.bg_BG.po @@ -0,0 +1,119 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /1.7.x/modules/po/notes.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: modules/po/../data/notes/tmpl/index.tmpl:7 +msgid "Add A Note" +msgstr "" + +#: modules/po/../data/notes/tmpl/index.tmpl:11 +msgid "Key:" +msgstr "" + +#: modules/po/../data/notes/tmpl/index.tmpl:15 +msgid "Note:" +msgstr "" + +#: modules/po/../data/notes/tmpl/index.tmpl:19 +msgid "Add Note" +msgstr "" + +#: modules/po/../data/notes/tmpl/index.tmpl:27 +msgid "You have no notes to display." +msgstr "" + +#: modules/po/../data/notes/tmpl/index.tmpl:34 notes.cpp:164 notes.cpp:169 +msgid "Key" +msgstr "" + +#: modules/po/../data/notes/tmpl/index.tmpl:35 notes.cpp:165 notes.cpp:170 +msgid "Note" +msgstr "" + +#: modules/po/../data/notes/tmpl/index.tmpl:41 +msgid "[del]" +msgstr "" + +#: notes.cpp:32 +msgid "That note already exists. Use MOD to overwrite." +msgstr "" + +#: notes.cpp:35 notes.cpp:137 +msgid "Added note {1}" +msgstr "" + +#: notes.cpp:37 notes.cpp:48 notes.cpp:142 +msgid "Unable to add note {1}" +msgstr "" + +#: notes.cpp:46 notes.cpp:139 +msgid "Set note for {1}" +msgstr "" + +#: notes.cpp:56 +msgid "This note doesn't exist." +msgstr "" + +#: notes.cpp:66 notes.cpp:116 +msgid "Deleted note {1}" +msgstr "" + +#: notes.cpp:68 notes.cpp:118 +msgid "Unable to delete note {1}" +msgstr "" + +#: notes.cpp:75 +msgid "List notes" +msgstr "" + +#: notes.cpp:77 notes.cpp:81 +msgid " " +msgstr "" + +#: notes.cpp:77 +msgid "Add a note" +msgstr "" + +#: notes.cpp:79 notes.cpp:83 +msgid "" +msgstr "" + +#: notes.cpp:79 +msgid "Delete a note" +msgstr "" + +#: notes.cpp:81 +msgid "Modify a note" +msgstr "" + +#: notes.cpp:94 +msgid "Notes" +msgstr "" + +#: notes.cpp:133 +msgid "That note already exists. Use /#+ to overwrite." +msgstr "" + +#: notes.cpp:185 notes.cpp:187 +msgid "You have no entries." +msgstr "" + +#: notes.cpp:223 +msgid "" +"This user module takes up to one arguments. It can be -disableNotesOnLogin " +"not to show notes upon client login" +msgstr "" + +#: notes.cpp:227 +msgid "Keep and replay notes" +msgstr "" diff --git a/modules/po/notes.fr_FR.po b/modules/po/notes.fr_FR.po index 073db42f..b8732aea 100644 --- a/modules/po/notes.fr_FR.po +++ b/modules/po/notes.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/notes.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/notify_connect.bg_BG.po b/modules/po/notify_connect.bg_BG.po new file mode 100644 index 00000000..43d003b1 --- /dev/null +++ b/modules/po/notify_connect.bg_BG.po @@ -0,0 +1,29 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /1.7.x/modules/po/notify_connect.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: notify_connect.cpp:24 +msgid "attached" +msgstr "" + +#: notify_connect.cpp:26 +msgid "detached" +msgstr "" + +#: notify_connect.cpp:41 +msgid "{1} {2} from {3}" +msgstr "" + +#: notify_connect.cpp:52 +msgid "Notifies all admin users when a client connects or disconnects." +msgstr "" diff --git a/modules/po/notify_connect.fr_FR.po b/modules/po/notify_connect.fr_FR.po index bb150a9b..75297c2c 100644 --- a/modules/po/notify_connect.fr_FR.po +++ b/modules/po/notify_connect.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/notify_connect.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/partyline.bg_BG.po b/modules/po/partyline.bg_BG.po new file mode 100644 index 00000000..9ab1f12c --- /dev/null +++ b/modules/po/partyline.bg_BG.po @@ -0,0 +1,39 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /1.7.x/modules/po/partyline.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: partyline.cpp:60 +msgid "There are no open channels." +msgstr "" + +#: partyline.cpp:66 partyline.cpp:73 +msgid "Channel" +msgstr "" + +#: partyline.cpp:67 partyline.cpp:74 +msgid "Users" +msgstr "" + +#: partyline.cpp:82 +msgid "List all open channels" +msgstr "" + +#: partyline.cpp:733 +msgid "" +"You may enter a list of channels the user joins, when entering the internal " +"partyline." +msgstr "" + +#: partyline.cpp:739 +msgid "Internal channels and queries for users connected to ZNC" +msgstr "" diff --git a/modules/po/partyline.fr_FR.po b/modules/po/partyline.fr_FR.po index 99f362f7..fea33984 100644 --- a/modules/po/partyline.fr_FR.po +++ b/modules/po/partyline.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/partyline.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/perform.bg_BG.po b/modules/po/perform.bg_BG.po new file mode 100644 index 00000000..cdc7bbf0 --- /dev/null +++ b/modules/po/perform.bg_BG.po @@ -0,0 +1,108 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /1.7.x/modules/po/perform.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: modules/po/../data/perform/tmpl/index.tmpl:7 perform.cpp:143 +msgid "Perform" +msgstr "" + +#: modules/po/../data/perform/tmpl/index.tmpl:11 +msgid "Perform commands:" +msgstr "" + +#: modules/po/../data/perform/tmpl/index.tmpl:15 +msgid "Commands sent to the IRC server on connect, one per line." +msgstr "" + +#: modules/po/../data/perform/tmpl/index.tmpl:18 +msgid "Save" +msgstr "" + +#: perform.cpp:24 +msgid "Usage: add " +msgstr "" + +#: perform.cpp:29 +msgid "Added!" +msgstr "" + +#: perform.cpp:37 perform.cpp:82 +msgid "Illegal # Requested" +msgstr "" + +#: perform.cpp:41 +msgid "Command Erased." +msgstr "" + +#: perform.cpp:50 perform.cpp:56 +msgctxt "list" +msgid "Id" +msgstr "" + +#: perform.cpp:51 perform.cpp:57 +msgctxt "list" +msgid "Perform" +msgstr "" + +#: perform.cpp:52 perform.cpp:62 +msgctxt "list" +msgid "Expanded" +msgstr "" + +#: perform.cpp:67 +msgid "No commands in your perform list." +msgstr "" + +#: perform.cpp:73 +msgid "perform commands sent" +msgstr "" + +#: perform.cpp:86 +msgid "Commands Swapped." +msgstr "" + +#: perform.cpp:95 +msgid "" +msgstr "" + +#: perform.cpp:96 +msgid "Adds perform command to be sent to the server on connect" +msgstr "" + +#: perform.cpp:98 +msgid "" +msgstr "" + +#: perform.cpp:98 +msgid "Delete a perform command" +msgstr "" + +#: perform.cpp:100 +msgid "List the perform commands" +msgstr "" + +#: perform.cpp:103 +msgid "Send the perform commands to the server now" +msgstr "" + +#: perform.cpp:105 +msgid " " +msgstr "" + +#: perform.cpp:106 +msgid "Swap two perform commands" +msgstr "" + +#: perform.cpp:192 +msgid "Keeps a list of commands to be executed when ZNC connects to IRC." +msgstr "" diff --git a/modules/po/perform.fr_FR.po b/modules/po/perform.fr_FR.po index 6da61e4f..a649abce 100644 --- a/modules/po/perform.fr_FR.po +++ b/modules/po/perform.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/perform.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/perleval.bg_BG.po b/modules/po/perleval.bg_BG.po new file mode 100644 index 00000000..e13e702c --- /dev/null +++ b/modules/po/perleval.bg_BG.po @@ -0,0 +1,31 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /1.7.x/modules/po/perleval.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: perleval.pm:23 +msgid "Evaluates perl code" +msgstr "" + +#: perleval.pm:33 +msgid "Only admin can load this module" +msgstr "" + +#: perleval.pm:44 +#, perl-format +msgid "Error: %s" +msgstr "" + +#: perleval.pm:46 +#, perl-format +msgid "Result: %s" +msgstr "" diff --git a/modules/po/perleval.fr_FR.po b/modules/po/perleval.fr_FR.po index 8862cc74..ed321b74 100644 --- a/modules/po/perleval.fr_FR.po +++ b/modules/po/perleval.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/perleval.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/pyeval.bg_BG.po b/modules/po/pyeval.bg_BG.po new file mode 100644 index 00000000..2ce0da8e --- /dev/null +++ b/modules/po/pyeval.bg_BG.po @@ -0,0 +1,21 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /1.7.x/modules/po/pyeval.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: pyeval.py:49 +msgid "You must have admin privileges to load this module." +msgstr "" + +#: pyeval.py:82 +msgid "Evaluates python code" +msgstr "" diff --git a/modules/po/pyeval.fr_FR.po b/modules/po/pyeval.fr_FR.po index e95f422d..bf45d099 100644 --- a/modules/po/pyeval.fr_FR.po +++ b/modules/po/pyeval.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/pyeval.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/q.bg_BG.po b/modules/po/q.bg_BG.po new file mode 100644 index 00000000..af965ca9 --- /dev/null +++ b/modules/po/q.bg_BG.po @@ -0,0 +1,296 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /1.7.x/modules/po/q.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: modules/po/../data/q/tmpl/index.tmpl:11 +msgid "Username:" +msgstr "" + +#: modules/po/../data/q/tmpl/index.tmpl:13 +msgid "Please enter a username." +msgstr "" + +#: modules/po/../data/q/tmpl/index.tmpl:16 +msgid "Password:" +msgstr "" + +#: modules/po/../data/q/tmpl/index.tmpl:18 +msgid "Please enter a password." +msgstr "" + +#: modules/po/../data/q/tmpl/index.tmpl:26 +msgid "Options" +msgstr "" + +#: modules/po/../data/q/tmpl/index.tmpl:42 +msgid "Save" +msgstr "" + +#: q.cpp:74 +msgid "" +"Notice: Your host will be cloaked the next time you reconnect to IRC. If you " +"want to cloak your host now, /msg *q Cloak. You can set your preference " +"with /msg *q Set UseCloakedHost true/false." +msgstr "" + +#: q.cpp:111 +msgid "The following commands are available:" +msgstr "" + +#: q.cpp:113 q.cpp:116 q.cpp:121 q.cpp:126 q.cpp:130 q.cpp:135 q.cpp:140 +msgid "Command" +msgstr "" + +#: q.cpp:114 q.cpp:117 q.cpp:123 q.cpp:127 q.cpp:132 q.cpp:136 q.cpp:141 +#: q.cpp:150 q.cpp:154 q.cpp:158 q.cpp:162 q.cpp:168 q.cpp:174 q.cpp:180 +#: q.cpp:186 +msgid "Description" +msgstr "" + +#: q.cpp:116 +msgid "Auth [ ]" +msgstr "" + +#: q.cpp:118 +msgid "Tries to authenticate you with Q. Both parameters are optional." +msgstr "" + +#: q.cpp:124 +msgid "Tries to set usermode +x to hide your real hostname." +msgstr "" + +#: q.cpp:128 +msgid "Prints the current status of the module." +msgstr "" + +#: q.cpp:133 +msgid "Re-requests the current user information from Q." +msgstr "" + +#: q.cpp:135 +msgid "Set " +msgstr "" + +#: q.cpp:137 +msgid "Changes the value of the given setting. See the list of settings below." +msgstr "" + +#: q.cpp:142 +msgid "Prints out the current configuration. See the list of settings below." +msgstr "" + +#: q.cpp:146 +msgid "The following settings are available:" +msgstr "" + +#: q.cpp:148 q.cpp:152 q.cpp:156 q.cpp:160 q.cpp:166 q.cpp:172 q.cpp:178 +#: q.cpp:183 q.cpp:227 q.cpp:230 q.cpp:233 q.cpp:236 q.cpp:239 q.cpp:242 +#: q.cpp:245 q.cpp:248 +msgid "Setting" +msgstr "" + +#: q.cpp:149 q.cpp:153 q.cpp:157 q.cpp:161 q.cpp:167 q.cpp:173 q.cpp:179 +#: q.cpp:184 +msgid "Type" +msgstr "" + +#: q.cpp:153 q.cpp:157 +msgid "String" +msgstr "" + +#: q.cpp:154 +msgid "Your Q username." +msgstr "" + +#: q.cpp:158 +msgid "Your Q password." +msgstr "" + +#: q.cpp:161 q.cpp:167 q.cpp:173 q.cpp:179 q.cpp:184 +msgid "Boolean" +msgstr "" + +#: q.cpp:163 q.cpp:373 +msgid "Whether to cloak your hostname (+x) automatically on connect." +msgstr "" + +#: q.cpp:169 q.cpp:381 +msgid "" +"Whether to use the CHALLENGEAUTH mechanism to avoid sending passwords in " +"cleartext." +msgstr "" + +#: q.cpp:175 q.cpp:389 +msgid "Whether to request voice/op from Q on join/devoice/deop." +msgstr "" + +#: q.cpp:181 q.cpp:395 +msgid "Whether to join channels when Q invites you." +msgstr "" + +#: q.cpp:187 q.cpp:402 +msgid "Whether to delay joining channels until after you are cloaked." +msgstr "" + +#: q.cpp:192 +msgid "This module takes 2 optional parameters: " +msgstr "" + +#: q.cpp:194 +msgid "Module settings are stored between restarts." +msgstr "" + +#: q.cpp:200 +msgid "Syntax: Set " +msgstr "" + +#: q.cpp:203 +msgid "Username set" +msgstr "" + +#: q.cpp:206 +msgid "Password set" +msgstr "" + +#: q.cpp:209 +msgid "UseCloakedHost set" +msgstr "" + +#: q.cpp:212 +msgid "UseChallenge set" +msgstr "" + +#: q.cpp:215 +msgid "RequestPerms set" +msgstr "" + +#: q.cpp:218 +msgid "JoinOnInvite set" +msgstr "" + +#: q.cpp:221 +msgid "JoinAfterCloaked set" +msgstr "" + +#: q.cpp:223 +msgid "Unknown setting: {1}" +msgstr "" + +#: q.cpp:228 q.cpp:231 q.cpp:234 q.cpp:237 q.cpp:240 q.cpp:243 q.cpp:246 +#: q.cpp:249 +msgid "Value" +msgstr "" + +#: q.cpp:253 +msgid "Connected: yes" +msgstr "" + +#: q.cpp:254 +msgid "Connected: no" +msgstr "" + +#: q.cpp:255 +msgid "Cloacked: yes" +msgstr "" + +#: q.cpp:255 +msgid "Cloacked: no" +msgstr "" + +#: q.cpp:256 +msgid "Authenticated: yes" +msgstr "" + +#: q.cpp:257 +msgid "Authenticated: no" +msgstr "" + +#: q.cpp:262 +msgid "Error: You are not connected to IRC." +msgstr "" + +#: q.cpp:270 +msgid "Error: You are already cloaked!" +msgstr "" + +#: q.cpp:276 +msgid "Error: You are already authed!" +msgstr "" + +#: q.cpp:280 +msgid "Update requested." +msgstr "" + +#: q.cpp:283 +msgid "Unknown command. Try 'help'." +msgstr "" + +#: q.cpp:293 +msgid "Cloak successful: Your hostname is now cloaked." +msgstr "" + +#: q.cpp:408 +msgid "Changes have been saved!" +msgstr "" + +#: q.cpp:435 +msgid "Cloak: Trying to cloak your hostname, setting +x..." +msgstr "" + +#: q.cpp:452 +msgid "" +"You have to set a username and password to use this module! See 'help' for " +"details." +msgstr "" + +#: q.cpp:458 +msgid "Auth: Requesting CHALLENGE..." +msgstr "" + +#: q.cpp:462 +msgid "Auth: Sending AUTH request..." +msgstr "" + +#: q.cpp:479 +msgid "Auth: Received challenge, sending CHALLENGEAUTH request..." +msgstr "" + +#: q.cpp:521 +msgid "Authentication failed: {1}" +msgstr "" + +#: q.cpp:525 +msgid "Authentication successful: {1}" +msgstr "" + +#: q.cpp:539 +msgid "" +"Auth failed: Q does not support HMAC-SHA-256 for CHALLENGEAUTH, falling back " +"to standard AUTH." +msgstr "" + +#: q.cpp:566 +msgid "RequestPerms: Requesting op on {1}" +msgstr "" + +#: q.cpp:579 +msgid "RequestPerms: Requesting voice on {1}" +msgstr "" + +#: q.cpp:686 +msgid "Please provide your username and password for Q." +msgstr "" + +#: q.cpp:689 +msgid "Auths you with QuakeNet's Q bot." +msgstr "" diff --git a/modules/po/q.fr_FR.po b/modules/po/q.fr_FR.po index e765b62e..ae85bfd8 100644 --- a/modules/po/q.fr_FR.po +++ b/modules/po/q.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/q.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/raw.bg_BG.po b/modules/po/raw.bg_BG.po new file mode 100644 index 00000000..fe0b11e8 --- /dev/null +++ b/modules/po/raw.bg_BG.po @@ -0,0 +1,17 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /1.7.x/modules/po/raw.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: raw.cpp:43 +msgid "View all of the raw traffic" +msgstr "" diff --git a/modules/po/raw.fr_FR.po b/modules/po/raw.fr_FR.po index 7ca436d1..9fd36a66 100644 --- a/modules/po/raw.fr_FR.po +++ b/modules/po/raw.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/raw.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/route_replies.bg_BG.po b/modules/po/route_replies.bg_BG.po new file mode 100644 index 00000000..9a1f6b31 --- /dev/null +++ b/modules/po/route_replies.bg_BG.po @@ -0,0 +1,59 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /1.7.x/modules/po/route_replies.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: route_replies.cpp:209 +msgid "[yes|no]" +msgstr "" + +#: route_replies.cpp:210 +msgid "Decides whether to show the timeout messages or not" +msgstr "" + +#: route_replies.cpp:350 +msgid "This module hit a timeout which is probably a connectivity issue." +msgstr "" + +#: route_replies.cpp:353 +msgid "" +"However, if you can provide steps to reproduce this issue, please do report " +"a bug." +msgstr "" + +#: route_replies.cpp:356 +msgid "To disable this message, do \"/msg {1} silent yes\"" +msgstr "" + +#: route_replies.cpp:358 +msgid "Last request: {1}" +msgstr "" + +#: route_replies.cpp:359 +msgid "Expected replies:" +msgstr "" + +#: route_replies.cpp:363 +msgid "{1} (last)" +msgstr "" + +#: route_replies.cpp:435 +msgid "Timeout messages are disabled." +msgstr "" + +#: route_replies.cpp:436 +msgid "Timeout messages are enabled." +msgstr "" + +#: route_replies.cpp:457 +msgid "Send replies (e.g. to /who) to the right client only" +msgstr "" diff --git a/modules/po/route_replies.fr_FR.po b/modules/po/route_replies.fr_FR.po index c21d508c..4fcaa448 100644 --- a/modules/po/route_replies.fr_FR.po +++ b/modules/po/route_replies.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/route_replies.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/sample.bg_BG.po b/modules/po/sample.bg_BG.po new file mode 100644 index 00000000..f1f6072b --- /dev/null +++ b/modules/po/sample.bg_BG.po @@ -0,0 +1,119 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /1.7.x/modules/po/sample.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: sample.cpp:31 +msgid "Sample job cancelled" +msgstr "" + +#: sample.cpp:33 +msgid "Sample job destroyed" +msgstr "" + +#: sample.cpp:50 +msgid "Sample job done" +msgstr "" + +#: sample.cpp:65 +msgid "TEST!!!!" +msgstr "" + +#: sample.cpp:74 +msgid "I'm being loaded with the arguments: {1}" +msgstr "" + +#: sample.cpp:85 +msgid "I'm being unloaded!" +msgstr "" + +#: sample.cpp:94 +msgid "You got connected BoyOh." +msgstr "" + +#: sample.cpp:98 +msgid "You got disconnected BoyOh." +msgstr "" + +#: sample.cpp:116 +msgid "{1} {2} set mode on {3} {4}{5} {6}" +msgstr "" + +#: sample.cpp:123 +msgid "{1} {2} opped {3} on {4}" +msgstr "" + +#: sample.cpp:129 +msgid "{1} {2} deopped {3} on {4}" +msgstr "" + +#: sample.cpp:135 +msgid "{1} {2} voiced {3} on {4}" +msgstr "" + +#: sample.cpp:141 +msgid "{1} {2} devoiced {3} on {4}" +msgstr "" + +#: sample.cpp:147 +msgid "* {1} sets mode: {2} {3} on {4}" +msgstr "" + +#: sample.cpp:163 +msgid "{1} kicked {2} from {3} with the msg {4}" +msgstr "" + +#: sample.cpp:169 +msgid "* {1} ({2}@{3}) quits ({4}) from channel: {6}" +msgid_plural "* {1} ({2}@{3}) quits ({4}) from {5} channels: {6}" +msgstr[0] "" +msgstr[1] "" + +#: sample.cpp:177 +msgid "Attempting to join {1}" +msgstr "" + +#: sample.cpp:182 +msgid "* {1} ({2}@{3}) joins {4}" +msgstr "" + +#: sample.cpp:189 +msgid "* {1} ({2}@{3}) parts {4}" +msgstr "" + +#: sample.cpp:196 +msgid "{1} invited us to {2}, ignoring invites to {2}" +msgstr "" + +#: sample.cpp:201 +msgid "{1} invited us to {2}" +msgstr "" + +#: sample.cpp:207 +msgid "{1} is now known as {2}" +msgstr "" + +#: sample.cpp:269 sample.cpp:276 +msgid "{1} changes topic on {2} to {3}" +msgstr "" + +#: sample.cpp:317 +msgid "Hi, I'm your friendly sample module." +msgstr "" + +#: sample.cpp:330 +msgid "Description of module arguments goes here." +msgstr "" + +#: sample.cpp:333 +msgid "To be used as a sample for writing modules" +msgstr "" diff --git a/modules/po/sample.fr_FR.po b/modules/po/sample.fr_FR.po index c7e0c607..a1bcc757 100644 --- a/modules/po/sample.fr_FR.po +++ b/modules/po/sample.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/sample.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/samplewebapi.bg_BG.po b/modules/po/samplewebapi.bg_BG.po new file mode 100644 index 00000000..145e30b9 --- /dev/null +++ b/modules/po/samplewebapi.bg_BG.po @@ -0,0 +1,17 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /1.7.x/modules/po/samplewebapi.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: samplewebapi.cpp:59 +msgid "Sample Web API module." +msgstr "" diff --git a/modules/po/samplewebapi.fr_FR.po b/modules/po/samplewebapi.fr_FR.po index 27687dd3..9a580650 100644 --- a/modules/po/samplewebapi.fr_FR.po +++ b/modules/po/samplewebapi.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/samplewebapi.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/sasl.bg_BG.po b/modules/po/sasl.bg_BG.po new file mode 100644 index 00000000..8adde60a --- /dev/null +++ b/modules/po/sasl.bg_BG.po @@ -0,0 +1,174 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /1.7.x/modules/po/sasl.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:290 +msgid "SASL" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:11 +msgid "Username:" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:13 +msgid "Please enter a username." +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:16 +msgid "Password:" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:18 +msgid "Please enter a password." +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:22 +msgid "Options" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:25 +msgid "Connect only if SASL authentication succeeds." +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:27 +msgid "Require authentication" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:35 +msgid "Mechanisms" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:42 +msgid "Name" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:43 sasl.cpp:89 sasl.cpp:94 +msgid "Description" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:57 +msgid "Selected mechanisms and their order:" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:74 +msgid "Save" +msgstr "" + +#: sasl.cpp:54 +msgid "TLS certificate, for use with the *cert module" +msgstr "" + +#: sasl.cpp:56 +msgid "" +"Plain text negotiation, this should work always if the network supports SASL" +msgstr "" + +#: sasl.cpp:62 +msgid "search" +msgstr "" + +#: sasl.cpp:62 +msgid "Generate this output" +msgstr "" + +#: sasl.cpp:64 +msgid "[ []]" +msgstr "" + +#: sasl.cpp:65 +msgid "" +"Set username and password for the mechanisms that need them. Password is " +"optional. Without parameters, returns information about current settings." +msgstr "" + +#: sasl.cpp:69 +msgid "[mechanism[ ...]]" +msgstr "" + +#: sasl.cpp:70 +msgid "Set the mechanisms to be attempted (in order)" +msgstr "" + +#: sasl.cpp:72 +msgid "[yes|no]" +msgstr "" + +#: sasl.cpp:73 +msgid "Don't connect unless SASL authentication succeeds" +msgstr "" + +#: sasl.cpp:88 sasl.cpp:93 +msgid "Mechanism" +msgstr "" + +#: sasl.cpp:97 +msgid "The following mechanisms are available:" +msgstr "" + +#: sasl.cpp:107 +msgid "Username is currently not set" +msgstr "" + +#: sasl.cpp:109 +msgid "Username is currently set to '{1}'" +msgstr "" + +#: sasl.cpp:112 +msgid "Password was not supplied" +msgstr "" + +#: sasl.cpp:114 +msgid "Password was supplied" +msgstr "" + +#: sasl.cpp:122 +msgid "Username has been set to [{1}]" +msgstr "" + +#: sasl.cpp:123 +msgid "Password has been set to [{1}]" +msgstr "" + +#: sasl.cpp:143 +msgid "Current mechanisms set: {1}" +msgstr "" + +#: sasl.cpp:152 +msgid "We require SASL negotiation to connect" +msgstr "" + +#: sasl.cpp:154 +msgid "We will connect even if SASL fails" +msgstr "" + +#: sasl.cpp:191 +msgid "Disabling network, we require authentication." +msgstr "" + +#: sasl.cpp:192 +msgid "Use 'RequireAuth no' to disable." +msgstr "" + +#: sasl.cpp:245 +msgid "{1} mechanism succeeded." +msgstr "" + +#: sasl.cpp:257 +msgid "{1} mechanism failed." +msgstr "" + +#: sasl.cpp:335 +msgid "" +"Adds support for sasl authentication capability to authenticate to an IRC " +"server" +msgstr "" diff --git a/modules/po/sasl.fr_FR.po b/modules/po/sasl.fr_FR.po index ff91693c..0e3644fd 100644 --- a/modules/po/sasl.fr_FR.po +++ b/modules/po/sasl.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/sasl.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/savebuff.bg_BG.po b/modules/po/savebuff.bg_BG.po new file mode 100644 index 00000000..3bfdc8bc --- /dev/null +++ b/modules/po/savebuff.bg_BG.po @@ -0,0 +1,62 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /1.7.x/modules/po/savebuff.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: savebuff.cpp:65 +msgid "" +msgstr "" + +#: savebuff.cpp:65 +msgid "Sets the password" +msgstr "" + +#: savebuff.cpp:67 +msgid "" +msgstr "" + +#: savebuff.cpp:67 +msgid "Replays the buffer" +msgstr "" + +#: savebuff.cpp:69 +msgid "Saves all buffers" +msgstr "" + +#: savebuff.cpp:221 +msgid "" +"Password is unset usually meaning the decryption failed. You can setpass to " +"the appropriate pass and things should start working, or setpass to a new " +"pass and save to reinstantiate" +msgstr "" + +#: savebuff.cpp:232 +msgid "Password set to [{1}]" +msgstr "" + +#: savebuff.cpp:262 +msgid "Replayed {1}" +msgstr "" + +#: savebuff.cpp:341 +msgid "Unable to decode Encrypted file {1}" +msgstr "" + +#: savebuff.cpp:358 +msgid "" +"This user module takes up to one arguments. Either --ask-pass or the " +"password itself (which may contain spaces) or nothing" +msgstr "" + +#: savebuff.cpp:363 +msgid "Stores channel and query buffers to disk, encrypted" +msgstr "" diff --git a/modules/po/savebuff.fr_FR.po b/modules/po/savebuff.fr_FR.po index 2a6b43a6..1c58f2d4 100644 --- a/modules/po/savebuff.fr_FR.po +++ b/modules/po/savebuff.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/savebuff.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/send_raw.bg_BG.po b/modules/po/send_raw.bg_BG.po new file mode 100644 index 00000000..d8ce56b3 --- /dev/null +++ b/modules/po/send_raw.bg_BG.po @@ -0,0 +1,109 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /1.7.x/modules/po/send_raw.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:9 +msgid "Send a raw IRC line" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:14 +msgid "User:" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:15 +msgid "To change user, click to Network selector" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:19 +msgid "User/Network:" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:32 +msgid "Send to:" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:34 +msgid "Client" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:35 +msgid "Server" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:40 +msgid "Line:" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:45 +msgid "Send" +msgstr "" + +#: send_raw.cpp:32 +msgid "Sent [{1}] to {2}/{3}" +msgstr "" + +#: send_raw.cpp:36 send_raw.cpp:56 +msgid "Network {1} not found for user {2}" +msgstr "" + +#: send_raw.cpp:40 send_raw.cpp:60 +msgid "User {1} not found" +msgstr "" + +#: send_raw.cpp:52 +msgid "Sent [{1}] to IRC server of {2}/{3}" +msgstr "" + +#: send_raw.cpp:75 +msgid "You must have admin privileges to load this module" +msgstr "" + +#: send_raw.cpp:82 +msgid "Send Raw" +msgstr "" + +#: send_raw.cpp:92 +msgid "User not found" +msgstr "" + +#: send_raw.cpp:99 +msgid "Network not found" +msgstr "" + +#: send_raw.cpp:116 +msgid "Line sent" +msgstr "" + +#: send_raw.cpp:140 send_raw.cpp:143 +msgid "[user] [network] [data to send]" +msgstr "" + +#: send_raw.cpp:141 +msgid "The data will be sent to the user's IRC client(s)" +msgstr "" + +#: send_raw.cpp:144 +msgid "The data will be sent to the IRC server the user is connected to" +msgstr "" + +#: send_raw.cpp:147 +msgid "[data to send]" +msgstr "" + +#: send_raw.cpp:148 +msgid "The data will be sent to your current client" +msgstr "" + +#: send_raw.cpp:159 +msgid "Lets you send some raw IRC lines as/to someone else" +msgstr "" diff --git a/modules/po/send_raw.fr_FR.po b/modules/po/send_raw.fr_FR.po index 95725a76..ca95fda3 100644 --- a/modules/po/send_raw.fr_FR.po +++ b/modules/po/send_raw.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/send_raw.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/shell.bg_BG.po b/modules/po/shell.bg_BG.po new file mode 100644 index 00000000..16bebee5 --- /dev/null +++ b/modules/po/shell.bg_BG.po @@ -0,0 +1,29 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /1.7.x/modules/po/shell.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: shell.cpp:37 +msgid "Failed to execute: {1}" +msgstr "" + +#: shell.cpp:75 +msgid "You must be admin to use the shell module" +msgstr "" + +#: shell.cpp:169 +msgid "Gives shell access" +msgstr "" + +#: shell.cpp:172 +msgid "Gives shell access. Only ZNC admins can use it." +msgstr "" diff --git a/modules/po/shell.fr_FR.po b/modules/po/shell.fr_FR.po index 57a23b6c..fb6dc5f6 100644 --- a/modules/po/shell.fr_FR.po +++ b/modules/po/shell.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/shell.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/simple_away.bg_BG.po b/modules/po/simple_away.bg_BG.po new file mode 100644 index 00000000..6e3e9570 --- /dev/null +++ b/modules/po/simple_away.bg_BG.po @@ -0,0 +1,92 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /1.7.x/modules/po/simple_away.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: simple_away.cpp:56 +msgid "[]" +msgstr "" + +#: simple_away.cpp:57 +#, c-format +msgid "" +"Prints or sets the away reason (%awaytime% is replaced with the time you " +"were set away, supports substitutions using ExpandString)" +msgstr "" + +#: simple_away.cpp:63 +msgid "Prints the current time to wait before setting you away" +msgstr "" + +#: simple_away.cpp:65 +msgid "" +msgstr "" + +#: simple_away.cpp:66 +msgid "Sets the time to wait before setting you away" +msgstr "" + +#: simple_away.cpp:69 +msgid "Disables the wait time before setting you away" +msgstr "" + +#: simple_away.cpp:73 +msgid "Get or set the minimum number of clients before going away" +msgstr "" + +#: simple_away.cpp:136 +msgid "Away reason set" +msgstr "" + +#: simple_away.cpp:138 +msgid "Away reason: {1}" +msgstr "" + +#: simple_away.cpp:139 +msgid "Current away reason would be: {1}" +msgstr "" + +#: simple_away.cpp:144 +msgid "Current timer setting: 1 second" +msgid_plural "Current timer setting: {1} seconds" +msgstr[0] "" +msgstr[1] "" + +#: simple_away.cpp:153 simple_away.cpp:161 +msgid "Timer disabled" +msgstr "" + +#: simple_away.cpp:155 +msgid "Timer set to 1 second" +msgid_plural "Timer set to: {1} seconds" +msgstr[0] "" +msgstr[1] "" + +#: simple_away.cpp:166 +msgid "Current MinClients setting: {1}" +msgstr "" + +#: simple_away.cpp:169 +msgid "MinClients set to {1}" +msgstr "" + +#: simple_away.cpp:248 +msgid "" +"You might enter up to 3 arguments, like -notimer awaymessage or -timer 5 " +"awaymessage." +msgstr "" + +#: simple_away.cpp:253 +msgid "" +"This module will automatically set you away on IRC while you are " +"disconnected from the bouncer." +msgstr "" diff --git a/modules/po/simple_away.fr_FR.po b/modules/po/simple_away.fr_FR.po index 4bc3c446..7e3a65cc 100644 --- a/modules/po/simple_away.fr_FR.po +++ b/modules/po/simple_away.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/simple_away.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/stickychan.bg_BG.po b/modules/po/stickychan.bg_BG.po new file mode 100644 index 00000000..6ca52a10 --- /dev/null +++ b/modules/po/stickychan.bg_BG.po @@ -0,0 +1,102 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /1.7.x/modules/po/stickychan.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: modules/po/../data/stickychan/tmpl/index.tmpl:9 +msgid "Name" +msgstr "" + +#: modules/po/../data/stickychan/tmpl/index.tmpl:10 +msgid "Sticky" +msgstr "" + +#: modules/po/../data/stickychan/tmpl/index.tmpl:25 +msgid "Save" +msgstr "" + +#: modules/po/../data/stickychan/tmpl/stickychan_WebadminChan.tmpl:8 +msgid "Channel is sticky" +msgstr "" + +#: stickychan.cpp:28 +msgid "<#channel> [key]" +msgstr "" + +#: stickychan.cpp:28 +msgid "Sticks a channel" +msgstr "" + +#: stickychan.cpp:30 +msgid "<#channel>" +msgstr "" + +#: stickychan.cpp:30 +msgid "Unsticks a channel" +msgstr "" + +#: stickychan.cpp:32 +msgid "Lists sticky channels" +msgstr "" + +#: stickychan.cpp:75 +msgid "Usage: Stick <#channel> [key]" +msgstr "" + +#: stickychan.cpp:79 +msgid "Stuck {1}" +msgstr "" + +#: stickychan.cpp:85 +msgid "Usage: Unstick <#channel>" +msgstr "" + +#: stickychan.cpp:89 +msgid "Unstuck {1}" +msgstr "" + +#: stickychan.cpp:101 +msgid " -- End of List" +msgstr "" + +#: stickychan.cpp:115 +msgid "Could not join {1} (# prefix missing?)" +msgstr "" + +#: stickychan.cpp:128 +msgid "Sticky Channels" +msgstr "" + +#: stickychan.cpp:160 +msgid "Changes have been saved!" +msgstr "" + +#: stickychan.cpp:185 +msgid "Channel became sticky!" +msgstr "" + +#: stickychan.cpp:189 +msgid "Channel stopped being sticky!" +msgstr "" + +#: stickychan.cpp:209 +msgid "" +"Channel {1} cannot be joined, it is an illegal channel name. Unsticking." +msgstr "" + +#: stickychan.cpp:246 +msgid "List of channels, separated by comma." +msgstr "" + +#: stickychan.cpp:251 +msgid "configless sticky chans, keeps you there very stickily even" +msgstr "" diff --git a/modules/po/stickychan.fr_FR.po b/modules/po/stickychan.fr_FR.po index f1c30b47..ddf1367c 100644 --- a/modules/po/stickychan.fr_FR.po +++ b/modules/po/stickychan.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/stickychan.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/stripcontrols.bg_BG.po b/modules/po/stripcontrols.bg_BG.po new file mode 100644 index 00000000..4c6bb8e7 --- /dev/null +++ b/modules/po/stripcontrols.bg_BG.po @@ -0,0 +1,18 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /1.7.x/modules/po/stripcontrols.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: stripcontrols.cpp:63 +msgid "" +"Strips control codes (Colors, Bold, ..) from channel and private messages." +msgstr "" diff --git a/modules/po/stripcontrols.fr_FR.po b/modules/po/stripcontrols.fr_FR.po index 37febbf1..a4079a74 100644 --- a/modules/po/stripcontrols.fr_FR.po +++ b/modules/po/stripcontrols.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/stripcontrols.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/watch.bg_BG.po b/modules/po/watch.bg_BG.po new file mode 100644 index 00000000..cd6f9d1b --- /dev/null +++ b/modules/po/watch.bg_BG.po @@ -0,0 +1,249 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /1.7.x/modules/po/watch.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: watch.cpp:334 +msgid "All entries cleared." +msgstr "" + +#: watch.cpp:344 +msgid "Buffer count is set to {1}" +msgstr "" + +#: watch.cpp:348 +msgid "Unknown command: {1}" +msgstr "" + +#: watch.cpp:397 +msgid "Disabled all entries." +msgstr "" + +#: watch.cpp:398 +msgid "Enabled all entries." +msgstr "" + +#: watch.cpp:405 watch.cpp:437 watch.cpp:470 watch.cpp:570 watch.cpp:585 +msgid "Invalid Id" +msgstr "" + +#: watch.cpp:414 +msgid "Id {1} disabled" +msgstr "" + +#: watch.cpp:416 +msgid "Id {1} enabled" +msgstr "" + +#: watch.cpp:428 +msgid "Set DetachedClientOnly for all entries to Yes" +msgstr "" + +#: watch.cpp:430 +msgid "Set DetachedClientOnly for all entries to No" +msgstr "" + +#: watch.cpp:446 watch.cpp:479 +msgid "Id {1} set to Yes" +msgstr "" + +#: watch.cpp:448 watch.cpp:481 +msgid "Id {1} set to No" +msgstr "" + +#: watch.cpp:461 +msgid "Set DetachedChannelOnly for all entries to Yes" +msgstr "" + +#: watch.cpp:463 +msgid "Set DetachedChannelOnly for all entries to No" +msgstr "" + +#: watch.cpp:487 watch.cpp:503 +msgid "Id" +msgstr "" + +#: watch.cpp:488 watch.cpp:504 +msgid "HostMask" +msgstr "" + +#: watch.cpp:489 watch.cpp:505 +msgid "Target" +msgstr "" + +#: watch.cpp:490 watch.cpp:506 +msgid "Pattern" +msgstr "" + +#: watch.cpp:491 watch.cpp:507 +msgid "Sources" +msgstr "" + +#: watch.cpp:492 watch.cpp:508 watch.cpp:509 +msgid "Off" +msgstr "" + +#: watch.cpp:493 watch.cpp:511 +msgid "DetachedClientOnly" +msgstr "" + +#: watch.cpp:494 watch.cpp:514 +msgid "DetachedChannelOnly" +msgstr "" + +#: watch.cpp:512 watch.cpp:515 +msgid "Yes" +msgstr "" + +#: watch.cpp:512 watch.cpp:515 +msgid "No" +msgstr "" + +#: watch.cpp:521 watch.cpp:527 +msgid "You have no entries." +msgstr "" + +#: watch.cpp:578 +msgid "Sources set for Id {1}." +msgstr "" + +#: watch.cpp:593 +msgid "Id {1} removed." +msgstr "" + +#: watch.cpp:600 watch.cpp:604 watch.cpp:609 watch.cpp:614 watch.cpp:620 +#: watch.cpp:625 watch.cpp:629 watch.cpp:633 watch.cpp:638 watch.cpp:645 +#: watch.cpp:652 watch.cpp:658 watch.cpp:664 +msgid "Command" +msgstr "" + +#: watch.cpp:601 watch.cpp:605 watch.cpp:610 watch.cpp:616 watch.cpp:621 +#: watch.cpp:626 watch.cpp:630 watch.cpp:634 watch.cpp:641 watch.cpp:648 +#: watch.cpp:654 watch.cpp:660 watch.cpp:665 +msgid "Description" +msgstr "" + +#: watch.cpp:604 +msgid "Add [Target] [Pattern]" +msgstr "" + +#: watch.cpp:606 +msgid "Used to add an entry to watch for." +msgstr "" + +#: watch.cpp:609 +msgid "List" +msgstr "" + +#: watch.cpp:611 +msgid "List all entries being watched." +msgstr "" + +#: watch.cpp:614 +msgid "Dump" +msgstr "" + +#: watch.cpp:617 +msgid "Dump a list of all current entries to be used later." +msgstr "" + +#: watch.cpp:620 +msgid "Del " +msgstr "" + +#: watch.cpp:622 +msgid "Deletes Id from the list of watched entries." +msgstr "" + +#: watch.cpp:625 +msgid "Clear" +msgstr "" + +#: watch.cpp:626 +msgid "Delete all entries." +msgstr "" + +#: watch.cpp:629 +msgid "Enable " +msgstr "" + +#: watch.cpp:630 +msgid "Enable a disabled entry." +msgstr "" + +#: watch.cpp:633 +msgid "Disable " +msgstr "" + +#: watch.cpp:635 +msgid "Disable (but don't delete) an entry." +msgstr "" + +#: watch.cpp:639 +msgid "SetDetachedClientOnly " +msgstr "" + +#: watch.cpp:642 +msgid "Enable or disable detached client only for an entry." +msgstr "" + +#: watch.cpp:646 +msgid "SetDetachedChannelOnly " +msgstr "" + +#: watch.cpp:649 +msgid "Enable or disable detached channel only for an entry." +msgstr "" + +#: watch.cpp:652 +msgid "Buffer [Count]" +msgstr "" + +#: watch.cpp:655 +msgid "Show/Set the amount of buffered lines while detached." +msgstr "" + +#: watch.cpp:659 +msgid "SetSources [#chan priv #foo* !#bar]" +msgstr "" + +#: watch.cpp:661 +msgid "Set the source channels that you care about." +msgstr "" + +#: watch.cpp:664 +msgid "Help" +msgstr "" + +#: watch.cpp:665 +msgid "This help." +msgstr "" + +#: watch.cpp:681 +msgid "Entry for {1} already exists." +msgstr "" + +#: watch.cpp:689 +msgid "Adding entry: {1} watching for [{2}] -> {3}" +msgstr "" + +#: watch.cpp:695 +msgid "Watch: Not enough arguments. Try Help" +msgstr "" + +#: watch.cpp:764 +msgid "WARNING: malformed entry found while loading" +msgstr "" + +#: watch.cpp:778 +msgid "Copy activity from a specific user into a separate window" +msgstr "" diff --git a/modules/po/watch.fr_FR.po b/modules/po/watch.fr_FR.po index 8344e7b1..64fef4ca 100644 --- a/modules/po/watch.fr_FR.po +++ b/modules/po/watch.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/watch.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/webadmin.bg_BG.po b/modules/po/webadmin.bg_BG.po new file mode 100644 index 00000000..acf97c85 --- /dev/null +++ b/modules/po/webadmin.bg_BG.po @@ -0,0 +1,1209 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /1.7.x/modules/po/webadmin.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:12 +msgid "Channel Info" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:17 +msgid "Channel Name:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:19 +msgid "The channel name." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:24 +msgid "Key:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:26 +msgid "The password of the channel, if there is one." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:30 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:241 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:260 +msgid "Buffer Size:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:32 +msgid "The buffer count." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:36 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:235 +msgid "Default Modes:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:38 +msgid "The default modes of the channel." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:46 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:270 +msgid "Flags" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:51 +msgid "Save to config" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:67 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:282 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:410 +msgid "Module {1}" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:75 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:290 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:419 +msgid "Save and return" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:76 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:291 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:420 +msgid "Save and continue" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:78 +msgid "Add Channel and return" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:79 +msgid "Add Channel and continue" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:8 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:11 +msgid "<password>" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:11 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:12 +msgid "<network>" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:14 +msgid "" +"To connect to this network from your IRC client, you can set the server " +"password field as {1} or username field as {2}" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:24 +msgid "Network Info" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:25 +msgid "" +"Nick, AltNick, Ident, RealName, BindHost can be left empty to use the value " +"from the user." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:29 +msgid "Network Name:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:31 +msgid "The name of the IRC network." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:35 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:69 +msgid "Nickname:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:37 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:71 +msgid "Your nickname on IRC." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:40 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:74 +msgid "Alt. Nickname:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:42 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:76 +msgid "Your secondary nickname, if the first is not available on IRC." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:46 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:80 +msgid "Ident:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:48 +msgid "Your ident." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:51 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:91 +msgid "Realname:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:53 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:93 +msgid "Your real name." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:58 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:99 +msgid "BindHost:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:65 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:112 +msgid "Quit Message:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:67 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:114 +msgid "You may define a Message shown, when you quit IRC." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:71 +msgid "Active:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:73 +msgid "Connect to IRC & automatically re-connect" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:77 +msgid "Trust all certs:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:79 +msgid "" +"Disable certificate validation (takes precedence over TrustPKI). INSECURE!" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:83 +msgid "Trust the PKI:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:85 +msgid "" +"Setting this to false will trust only certificates you added fingerprints " +"for." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:89 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:96 +msgid "Servers of this IRC network:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:93 +msgid "One server per line, “host [[+]port] [password]”, + means SSL" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:101 +msgid "Hostname" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:102 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:13 +msgid "Port" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:103 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:15 +msgid "SSL" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:104 +msgid "Password" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:116 +msgid "SHA-256 fingerprints of trusted SSL certificates of this IRC network:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:120 +msgid "" +"When these certificates are encountered, checks for hostname, expiration " +"date, CA are skipped" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:124 +msgid "Flood protection:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:127 +msgid "" +"You might enable the flood protection. This prevents “excess flood” errors, " +"which occur, when your IRC bot is command flooded or spammed. After changing " +"this, reconnect ZNC to server." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:130 +msgctxt "Flood Protection" +msgid "Enabled" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:134 +msgid "Flood protection rate:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:137 +msgid "" +"The number of seconds per line. After changing this, reconnect ZNC to server." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:140 +msgid "{1} seconds per line" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:144 +msgid "Flood protection burst:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:147 +msgid "" +"Defines the number of lines, which can be sent immediately. After changing " +"this, reconnect ZNC to server." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:150 +msgid "{1} lines can be sent immediately" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:154 +msgid "Channel join delay:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:157 +msgid "" +"Defines the delay in seconds, until channels are joined after getting " +"connected." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:160 +msgid "{1} seconds" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:165 +msgid "Character encoding used between ZNC and IRC server." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:166 +msgid "Server encoding:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:176 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:231 +msgid "Channels" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:178 +msgid "" +"You will be able to add + modify channels here after you created the network." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:185 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:129 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:354 +#: modules/po/../data/webadmin/tmpl/listusers.tmpl:15 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:72 +msgid "Add" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:187 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:430 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:237 +msgid "Save" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:188 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:228 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:131 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:174 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:176 +msgid "Name" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:189 +msgid "CurModes" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:190 +msgid "DefModes" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:191 +msgid "BufferSize" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:192 +msgid "Options" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:194 +msgid "← Add a channel (opens in same page)" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:204 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:146 +#: modules/po/../data/webadmin/tmpl/listusers.tmpl:27 +msgid "Edit" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:204 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:146 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:53 +msgid "Del" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:222 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:168 +msgid "Modules" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:229 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:175 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:177 +msgid "Arguments" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:230 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:176 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:178 +msgid "Description" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:231 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:177 +msgid "Loaded globally" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:232 +msgid "Loaded by user" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:293 +msgid "Add Network and return" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:294 +msgid "Add Network and continue" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:15 +msgid "Authentication" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:19 +msgid "Username:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:29 +msgid "Please enter a username." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:34 +msgid "Password:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:36 +msgid "Please enter a password." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:39 +msgid "Confirm password:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:41 +msgid "Please re-type the above password." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:44 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:151 +msgid "Auth Only Via Module:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:46 +msgid "" +"Allow user authentication by external modules only, disabling built-in " +"password authentication." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:50 +msgid "Allowed IPs:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:54 +msgid "" +"Leave empty to allow connections from all IPs.
Otherwise, one entry per " +"line, wildcards * and ? are available." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:62 +msgid "IRC Information" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:64 +msgid "" +"Nick, AltNick, Ident, RealName and QuitMsg can be left empty to use default " +"values." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:82 +msgid "The Ident is sent to server as username." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:85 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:102 +msgid "Status Prefix:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:87 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:104 +msgid "The prefix for the status and module queries." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:105 +msgid "DCCBindHost:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:122 +#: modules/po/../data/webadmin/tmpl/listusers.tmpl:17 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:39 +msgid "Networks" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:132 +#: modules/po/../data/webadmin/tmpl/listusers.tmpl:18 +msgid "Clients" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:133 +msgid "Current Server" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:134 +msgid "Nick" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:136 +msgid "← Add a network (opens in same page)" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:160 +msgid "" +"You will be able to add + modify networks here after you have cloned the " +"user." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:162 +msgid "" +"You will be able to add + modify networks here after you have created the " +"user." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:178 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:179 +msgid "Loaded by networks" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:237 +msgid "" +"These are the default modes ZNC will set when you join an empty channel." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:238 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:244 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:263 +msgid "Empty = use standard value" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:243 +msgid "" +"This is the amount of lines that the playback buffer will store for channels " +"before dropping off the oldest line. The buffers are stored in the memory by " +"default." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:251 +msgid "Queries" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:255 +msgid "Max Buffers:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:257 +msgid "Maximum number of query buffers. 0 is unlimited." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:262 +msgid "" +"This is the amount of lines that the playback buffer will store for queries " +"before dropping off the oldest line. The buffers are stored in the memory by " +"default." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:285 +msgid "ZNC Behavior" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:286 +msgid "" +"Any of the following text boxes can be left empty to use their default value." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:290 +msgid "Timestamp Format:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:292 +msgid "" +"The format for the timestamps used in buffers, for example [%H:%M:%S]. This " +"setting is ignored in new IRC clients, which use server-time. If your client " +"supports server-time, change timestamp format in client settings instead." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:295 +msgid "Timezone:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:298 +msgid "E.g. Europe/Berlin, or GMT-6" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:306 +msgid "Character encoding used between IRC client and ZNC." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:307 +msgid "Client encoding:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:312 +msgid "Join Tries:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:314 +msgid "" +"This defines how many times ZNC tries to join a channel, if the first join " +"failed, e.g. due to channel mode +i/+k or if you are banned." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:317 +msgid "Join speed:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:319 +msgid "" +"How many channels are joined in one JOIN command. 0 is unlimited (default). " +"Set to small positive value if you get disconnected with “Max SendQ Exceeded”" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:322 +msgid "Timeout before reconnect:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:324 +msgid "" +"How much time ZNC waits (in seconds) until it receives something from " +"network or declares the connection timeout. This happens after attempts to " +"ping the peer." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:327 +msgid "Max IRC Networks Number:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:329 +msgid "Maximum number of IRC networks allowed for this user." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:332 +msgid "Substitutions" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:334 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:342 +msgid "CTCP Replies:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:338 +msgid "One reply per line. Example: TIME Buy a watch!" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:339 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:355 +msgid "{1} are available" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:341 +msgid "Empty value means this CTCP request will be ignored" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:347 +msgid "Request" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:348 +msgid "Response" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:373 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:90 +msgid "Skin:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:377 +msgid "- Global -" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:379 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:94 +msgid "Default" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:383 +msgid "No other skins found" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:389 +msgid "Language:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:422 +msgid "Clone and return" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:423 +msgid "Clone and continue" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:425 +msgid "Create and return" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:426 +msgid "Create and continue" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:432 +#: modules/po/../data/webadmin/tmpl/listusers.tmpl:28 +msgid "Clone" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:434 +msgid "Create" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/del_network.tmpl:5 +msgid "Confirm Network Deletion" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/del_network.tmpl:9 +msgid "Are you sure you want to delete network “{2}” of user “{1}”?" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/del_network.tmpl:14 +#: modules/po/../data/webadmin/tmpl/del_user.tmpl:14 +msgid "Yes" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/del_network.tmpl:17 +#: modules/po/../data/webadmin/tmpl/del_user.tmpl:17 +msgid "No" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/del_user.tmpl:5 +msgid "Confirm User Deletion" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/del_user.tmpl:9 +msgid "Are you sure you want to delete user “{1}”?" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:6 +msgid "ZNC is compiled without encodings support. {1} is required for it." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:11 +msgid "Legacy mode is disabled by modpython." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:18 +msgid "Don't ensure any encoding at all (legacy mode, not recommended)" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:22 +msgid "Try to parse as UTF-8 and as {1}, send as UTF-8 (recommended)" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:26 +msgid "Try to parse as UTF-8 and as {1}, send as {1}" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:30 +msgid "Parse and send as {1} only" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:36 +msgid "E.g. UTF-8, or ISO-8859-15" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/index.tmpl:5 +msgid "Welcome to the ZNC webadmin module." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/index.tmpl:6 +msgid "" +"All changes you make will be in effect immediately after you submitted them." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/listusers.tmpl:16 +msgid "Username" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/listusers.tmpl:29 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:21 +msgid "Delete" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:6 +msgid "Listen Port(s)" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:14 +msgid "BindHost" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:16 +msgid "IPv4" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:17 +msgid "IPv6" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:18 +msgid "IRC" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:19 +msgid "HTTP" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:20 +msgid "URIPrefix" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:56 +msgid "" +"To delete port which you use to access webadmin itself, either connect to " +"webadmin via another port, or do it in IRC (/znc DelPort)" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:56 +msgid "Current" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:86 +msgid "Settings" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:105 +msgid "Default for new users only." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:110 +msgid "Maximum Buffer Size:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:112 +msgid "Sets the global Max Buffer Size a user can have." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:117 +msgid "Connect Delay:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:119 +msgid "" +"The time between connection attempts to IRC servers, in seconds. This " +"affects the connection between ZNC and the IRC server; not the connection " +"between your IRC client and ZNC." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:124 +msgid "Server Throttle:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:126 +msgid "" +"The minimal time between two connect attempts to the same hostname, in " +"seconds. Some servers refuse your connection if you reconnect too fast." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:131 +msgid "Anonymous Connection Limit per IP:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:133 +msgid "Limits the number of unidentified connections per IP." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:138 +msgid "Protect Web Sessions:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:140 +msgid "Disallow IP changing during each web session" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:145 +msgid "Hide ZNC Version:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:147 +msgid "Hide version number from non-ZNC users" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:153 +msgid "Allow user authentication by external modules only" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:158 +msgid "MOTD:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:162 +msgid "“Message of the Day”, sent to all ZNC users on connect." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:170 +msgid "Global Modules" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:180 +msgid "Loaded by users" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:7 +msgid "Information" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:13 +msgid "Uptime" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:18 +msgid "Total Users" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:22 +msgid "Total Networks" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:26 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:43 +msgid "Attached Networks" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:30 +msgid "Total Client Connections" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:34 +msgid "Total IRC Connections" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:47 +msgid "Client Connections" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:51 +msgid "IRC Connections" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:63 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:72 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:89 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:117 +msgid "Total" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:70 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:115 +msgctxt "Traffic" +msgid "In" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:71 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:116 +msgctxt "Traffic" +msgid "Out" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:77 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:104 +msgid "Users" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:106 +msgid "Traffic" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:113 +msgid "User" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:114 +msgid "Network" +msgstr "" + +#: webadmin.cpp:91 webadmin.cpp:1872 +msgid "Global Settings" +msgstr "" + +#: webadmin.cpp:93 +msgid "Your Settings" +msgstr "" + +#: webadmin.cpp:94 webadmin.cpp:1684 +msgid "Traffic Info" +msgstr "" + +#: webadmin.cpp:97 webadmin.cpp:1663 +msgid "Manage Users" +msgstr "" + +#: webadmin.cpp:188 +msgid "Invalid Submission [Username is required]" +msgstr "" + +#: webadmin.cpp:201 +msgid "Invalid Submission [Passwords do not match]" +msgstr "" + +#: webadmin.cpp:323 +msgid "Timeout can't be less than 30 seconds!" +msgstr "" + +#: webadmin.cpp:407 webadmin.cpp:435 webadmin.cpp:1182 webadmin.cpp:2057 +msgid "Unable to load module [{1}]: {2}" +msgstr "" + +#: webadmin.cpp:412 webadmin.cpp:440 +msgid "Unable to load module [{1}] with arguments [{2}]" +msgstr "" + +#: webadmin.cpp:521 webadmin.cpp:625 webadmin.cpp:650 webadmin.cpp:672 +#: webadmin.cpp:706 webadmin.cpp:1249 +msgid "No such user" +msgstr "" + +#: webadmin.cpp:534 webadmin.cpp:566 webadmin.cpp:595 webadmin.cpp:611 +msgid "No such user or network" +msgstr "" + +#: webadmin.cpp:576 +msgid "No such channel" +msgstr "" + +#: webadmin.cpp:642 +msgid "Please don't delete yourself, suicide is not the answer!" +msgstr "" + +#: webadmin.cpp:715 webadmin.cpp:972 webadmin.cpp:1314 +msgid "Edit User [{1}]" +msgstr "" + +#: webadmin.cpp:719 webadmin.cpp:906 +msgid "Edit Network [{1}]" +msgstr "" + +#: webadmin.cpp:729 +msgid "Edit Channel [{1}] of Network [{2}] of User [{3}]" +msgstr "" + +#: webadmin.cpp:736 +msgid "Edit Channel [{1}]" +msgstr "" + +#: webadmin.cpp:744 +msgid "Add Channel to Network [{1}] of User [{2}]" +msgstr "" + +#: webadmin.cpp:749 +msgid "Add Channel" +msgstr "" + +#: webadmin.cpp:756 webadmin.cpp:1510 +msgid "Auto Clear Chan Buffer" +msgstr "" + +#: webadmin.cpp:758 +msgid "Automatically Clear Channel Buffer After Playback" +msgstr "" + +#: webadmin.cpp:766 +msgid "Detached" +msgstr "" + +#: webadmin.cpp:773 +msgid "Enabled" +msgstr "" + +#: webadmin.cpp:797 +msgid "Channel name is a required argument" +msgstr "" + +#: webadmin.cpp:806 +msgid "Channel [{1}] already exists" +msgstr "" + +#: webadmin.cpp:813 +msgid "Could not add channel [{1}]" +msgstr "" + +#: webadmin.cpp:861 +msgid "Channel was added/modified, but config file was not written" +msgstr "" + +#: webadmin.cpp:888 +msgid "" +"Network number limit reached. Ask an admin to increase the limit for you, or " +"delete unneeded networks from Your Settings." +msgstr "" + +#: webadmin.cpp:903 +msgid "Edit Network [{1}] of User [{2}]" +msgstr "" + +#: webadmin.cpp:910 +msgid "Add Network for User [{1}]" +msgstr "" + +#: webadmin.cpp:911 +msgid "Add Network" +msgstr "" + +#: webadmin.cpp:1073 +msgid "Network name is a required argument" +msgstr "" + +#: webadmin.cpp:1189 webadmin.cpp:2064 +msgid "Unable to reload module [{1}]: {2}" +msgstr "" + +#: webadmin.cpp:1226 +msgid "Network was added/modified, but config file was not written" +msgstr "" + +#: webadmin.cpp:1255 +msgid "That network doesn't exist for this user" +msgstr "" + +#: webadmin.cpp:1272 +msgid "Network was deleted, but config file was not written" +msgstr "" + +#: webadmin.cpp:1286 +msgid "That channel doesn't exist for this network" +msgstr "" + +#: webadmin.cpp:1295 +msgid "Channel was deleted, but config file was not written" +msgstr "" + +#: webadmin.cpp:1323 +msgid "Clone User [{1}]" +msgstr "" + +#: webadmin.cpp:1512 +msgid "" +"Automatically Clear Channel Buffer After Playback (the default value for new " +"channels)" +msgstr "" + +#: webadmin.cpp:1522 +msgid "Multi Clients" +msgstr "" + +#: webadmin.cpp:1529 +msgid "Append Timestamps" +msgstr "" + +#: webadmin.cpp:1536 +msgid "Prepend Timestamps" +msgstr "" + +#: webadmin.cpp:1544 +msgid "Deny LoadMod" +msgstr "" + +#: webadmin.cpp:1551 +msgid "Admin" +msgstr "" + +#: webadmin.cpp:1561 +msgid "Deny SetBindHost" +msgstr "" + +#: webadmin.cpp:1569 +msgid "Auto Clear Query Buffer" +msgstr "" + +#: webadmin.cpp:1571 +msgid "Automatically Clear Query Buffer After Playback" +msgstr "" + +#: webadmin.cpp:1595 +msgid "Invalid Submission: User {1} already exists" +msgstr "" + +#: webadmin.cpp:1617 webadmin.cpp:1628 +msgid "Invalid submission: {1}" +msgstr "" + +#: webadmin.cpp:1623 +msgid "User was added, but config file was not written" +msgstr "" + +#: webadmin.cpp:1634 +msgid "User was edited, but config file was not written" +msgstr "" + +#: webadmin.cpp:1792 +msgid "Choose either IPv4 or IPv6 or both." +msgstr "" + +#: webadmin.cpp:1809 +msgid "Choose either IRC or HTTP or both." +msgstr "" + +#: webadmin.cpp:1822 webadmin.cpp:1858 +msgid "Port was changed, but config file was not written" +msgstr "" + +#: webadmin.cpp:1848 +msgid "Invalid request." +msgstr "" + +#: webadmin.cpp:1862 +msgid "The specified listener was not found." +msgstr "" + +#: webadmin.cpp:2093 +msgid "Settings were changed, but config file was not written" +msgstr "" diff --git a/modules/po/webadmin.fr_FR.po b/modules/po/webadmin.fr_FR.po index 3f3c82c5..1e1cb599 100644 --- a/modules/po/webadmin.fr_FR.po +++ b/modules/po/webadmin.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/webadmin.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/src/po/znc.bg_BG.po b/src/po/znc.bg_BG.po new file mode 100644 index 00000000..c83a6e17 --- /dev/null +++ b/src/po/znc.bg_BG.po @@ -0,0 +1,1726 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: bg\n" +"X-Crowdin-File: /1.7.x/src/po/znc.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Bulgarian\n" +"Language: bg_BG\n" + +#: webskins/_default_/tmpl/InfoBar.tmpl:6 +msgid "Logged in as: {1}" +msgstr "" + +#: webskins/_default_/tmpl/InfoBar.tmpl:8 +msgid "Not logged in" +msgstr "" + +#: webskins/_default_/tmpl/LoginBar.tmpl:3 +msgid "Logout" +msgstr "" + +#: webskins/_default_/tmpl/Menu.tmpl:4 +msgid "Home" +msgstr "" + +#: webskins/_default_/tmpl/Menu.tmpl:7 +msgid "Global Modules" +msgstr "" + +#: webskins/_default_/tmpl/Menu.tmpl:20 +msgid "User Modules" +msgstr "" + +#: webskins/_default_/tmpl/Menu.tmpl:35 +msgid "Network Modules ({1})" +msgstr "" + +#: webskins/_default_/tmpl/index.tmpl:6 +msgid "Welcome to ZNC's web interface!" +msgstr "" + +#: webskins/_default_/tmpl/index.tmpl:11 +msgid "" +"No Web-enabled modules have been loaded. Load modules from IRC (“/msg " +"*status help” and “/msg *status loadmod <module>”). Once you have loaded some Web-enabled modules, the menu will expand." +msgstr "" + +#: znc.cpp:1563 +msgid "User already exists" +msgstr "" + +#: znc.cpp:1671 +msgid "IPv6 is not enabled" +msgstr "" + +#: znc.cpp:1679 +msgid "SSL is not enabled" +msgstr "" + +#: znc.cpp:1687 +msgid "Unable to locate pem file: {1}" +msgstr "" + +#: znc.cpp:1706 +msgid "Invalid port" +msgstr "" + +#: znc.cpp:1822 ClientCommand.cpp:1629 +msgid "Unable to bind: {1}" +msgstr "" + +#: IRCNetwork.cpp:235 +msgid "Jumping servers because this server is no longer in the list" +msgstr "" + +#: IRCNetwork.cpp:640 User.cpp:678 +msgid "Welcome to ZNC" +msgstr "" + +#: IRCNetwork.cpp:728 +msgid "You are currently disconnected from IRC. Use 'connect' to reconnect." +msgstr "" + +#: IRCNetwork.cpp:758 +msgid "This network is being deleted or moved to another user." +msgstr "" + +#: IRCNetwork.cpp:987 +msgid "The channel {1} could not be joined, disabling it." +msgstr "" + +#: IRCNetwork.cpp:1116 +msgid "Your current server was removed, jumping..." +msgstr "" + +#: IRCNetwork.cpp:1279 +msgid "Cannot connect to {1}, because ZNC is not compiled with SSL support." +msgstr "" + +#: IRCNetwork.cpp:1300 +msgid "Some module aborted the connection attempt" +msgstr "" + +#: IRCSock.cpp:490 +msgid "Error from server: {1}" +msgstr "" + +#: IRCSock.cpp:692 +msgid "ZNC seems to be connected to itself, disconnecting..." +msgstr "" + +#: IRCSock.cpp:739 +msgid "Server {1} redirects us to {2}:{3} with reason: {4}" +msgstr "Сървъра{1} ни пренасочва към {2}:{3} с причина: {4}" + +#: IRCSock.cpp:743 +msgid "Perhaps you want to add it as a new server." +msgstr "" + +#: IRCSock.cpp:973 +msgid "Channel {1} is linked to another channel and was thus disabled." +msgstr "" + +#: IRCSock.cpp:985 +msgid "Switched to SSL (STARTTLS)" +msgstr "" + +#: IRCSock.cpp:1038 +msgid "You quit: {1}" +msgstr "" + +#: IRCSock.cpp:1244 +msgid "Disconnected from IRC. Reconnecting..." +msgstr "" + +#: IRCSock.cpp:1275 +msgid "Cannot connect to IRC ({1}). Retrying..." +msgstr "" + +#: IRCSock.cpp:1278 +msgid "Disconnected from IRC ({1}). Reconnecting..." +msgstr "" + +#: IRCSock.cpp:1308 +msgid "If you trust this certificate, do /znc AddTrustedServerFingerprint {1}" +msgstr "" + +#: IRCSock.cpp:1325 +msgid "IRC connection timed out. Reconnecting..." +msgstr "" + +#: IRCSock.cpp:1337 +msgid "Connection Refused. Reconnecting..." +msgstr "" + +#: IRCSock.cpp:1345 +msgid "Received a too long line from the IRC server!" +msgstr "" + +#: IRCSock.cpp:1449 +msgid "No free nick available" +msgstr "" + +#: IRCSock.cpp:1457 +msgid "No free nick found" +msgstr "" + +#: Client.cpp:74 +msgid "No such module {1}" +msgstr "" + +#: Client.cpp:359 +msgid "A client from {1} attempted to login as you, but was rejected: {2}" +msgstr "" + +#: Client.cpp:394 +msgid "Network {1} doesn't exist." +msgstr "" + +#: Client.cpp:408 +msgid "" +"You have several networks configured, but no network was specified for the " +"connection." +msgstr "" + +#: Client.cpp:411 +msgid "" +"Selecting network {1}. To see list of all configured networks, use /znc " +"ListNetworks" +msgstr "" + +#: Client.cpp:414 +msgid "" +"If you want to choose another network, use /znc JumpNetwork , or " +"connect to ZNC with username {1}/ (instead of just {1})" +msgstr "" + +#: Client.cpp:420 +msgid "" +"You have no networks configured. Use /znc AddNetwork to add one." +msgstr "" + +#: Client.cpp:431 +msgid "Closing link: Timeout" +msgstr "" + +#: Client.cpp:453 +msgid "Closing link: Too long raw line" +msgstr "" + +#: Client.cpp:460 +msgid "" +"You are being disconnected because another user just authenticated as you." +msgstr "" + +#: Client.cpp:1015 +msgid "Your CTCP to {1} got lost, you are not connected to IRC!" +msgstr "" + +#: Client.cpp:1142 +msgid "Your notice to {1} got lost, you are not connected to IRC!" +msgstr "" + +#: Client.cpp:1181 +msgid "Removing channel {1}" +msgstr "" + +#: Client.cpp:1257 +msgid "Your message to {1} got lost, you are not connected to IRC!" +msgstr "" + +#: Client.cpp:1310 Client.cpp:1316 +msgid "Hello. How may I help you?" +msgstr "" + +#: Client.cpp:1330 +msgid "Usage: /attach <#chans>" +msgstr "" + +#: Client.cpp:1337 Client.cpp:1359 ClientCommand.cpp:129 ClientCommand.cpp:151 +msgid "There was {1} channel matching [{2}]" +msgid_plural "There were {1} channels matching [{2}]" +msgstr[0] "" +msgstr[1] "" + +#: Client.cpp:1340 ClientCommand.cpp:132 +msgid "Attached {1} channel" +msgid_plural "Attached {1} channels" +msgstr[0] "" +msgstr[1] "" + +#: Client.cpp:1352 +msgid "Usage: /detach <#chans>" +msgstr "" + +#: Client.cpp:1362 ClientCommand.cpp:154 +msgid "Detached {1} channel" +msgid_plural "Detached {1} channels" +msgstr[0] "" +msgstr[1] "" + +#: Chan.cpp:638 +msgid "Buffer Playback..." +msgstr "" + +#: Chan.cpp:676 +msgid "Playback Complete." +msgstr "" + +#: Modules.cpp:528 +msgctxt "modhelpcmd" +msgid "" +msgstr "" + +#: Modules.cpp:529 +msgctxt "modhelpcmd" +msgid "Generate this output" +msgstr "" + +#: Modules.cpp:573 ClientCommand.cpp:1894 +msgid "No matches for '{1}'" +msgstr "" + +#: Modules.cpp:691 +msgid "This module doesn't implement any commands." +msgstr "" + +#: Modules.cpp:693 +msgid "Unknown command!" +msgstr "" + +#: Modules.cpp:1633 +msgid "" +"Module names can only contain letters, numbers and underscores, [{1}] is " +"invalid" +msgstr "" + +#: Modules.cpp:1652 +msgid "Module {1} already loaded." +msgstr "" + +#: Modules.cpp:1666 +msgid "Unable to find module {1}" +msgstr "" + +#: Modules.cpp:1678 +msgid "Module {1} does not support module type {2}." +msgstr "" + +#: Modules.cpp:1685 +msgid "Module {1} requires a user." +msgstr "" + +#: Modules.cpp:1691 +msgid "Module {1} requires a network." +msgstr "" + +#: Modules.cpp:1707 +msgid "Caught an exception" +msgstr "" + +#: Modules.cpp:1713 +msgid "Module {1} aborted: {2}" +msgstr "" + +#: Modules.cpp:1715 +msgid "Module {1} aborted." +msgstr "" + +#: Modules.cpp:1739 Modules.cpp:1781 +msgid "Module [{1}] not loaded." +msgstr "" + +#: Modules.cpp:1763 +msgid "Module {1} unloaded." +msgstr "" + +#: Modules.cpp:1768 +msgid "Unable to unload module {1}." +msgstr "" + +#: Modules.cpp:1797 +msgid "Reloaded module {1}." +msgstr "" + +#: Modules.cpp:1816 +msgid "Unable to find module {1}." +msgstr "" + +#: Modules.cpp:1963 +msgid "Unknown error" +msgstr "" + +#: Modules.cpp:1964 +msgid "Unable to open module {1}: {2}" +msgstr "" + +#: Modules.cpp:1973 +msgid "Could not find ZNCModuleEntry in module {1}" +msgstr "" + +#: Modules.cpp:1981 +msgid "" +"Version mismatch for module {1}: core is {2}, module is built for {3}. " +"Recompile this module." +msgstr "" + +#: Modules.cpp:1992 +msgid "" +"Module {1} is built incompatibly: core is '{2}', module is '{3}'. Recompile " +"this module." +msgstr "" + +#: Modules.cpp:2022 Modules.cpp:2028 +msgctxt "modhelpcmd" +msgid "Command" +msgstr "" + +#: Modules.cpp:2023 Modules.cpp:2029 +msgctxt "modhelpcmd" +msgid "Description" +msgstr "" + +#: ClientCommand.cpp:51 ClientCommand.cpp:115 ClientCommand.cpp:137 +#: ClientCommand.cpp:749 ClientCommand.cpp:768 ClientCommand.cpp:794 +#: ClientCommand.cpp:827 ClientCommand.cpp:840 ClientCommand.cpp:853 +#: ClientCommand.cpp:868 ClientCommand.cpp:1321 ClientCommand.cpp:1369 +#: ClientCommand.cpp:1401 ClientCommand.cpp:1412 ClientCommand.cpp:1421 +#: ClientCommand.cpp:1433 +msgid "You must be connected with a network to use this command" +msgstr "" + +#: ClientCommand.cpp:58 +msgid "Usage: ListNicks <#chan>" +msgstr "" + +#: ClientCommand.cpp:65 +msgid "You are not on [{1}]" +msgstr "" + +#: ClientCommand.cpp:70 +msgid "You are not on [{1}] (trying)" +msgstr "" + +#: ClientCommand.cpp:79 +msgid "No nicks on [{1}]" +msgstr "" + +#: ClientCommand.cpp:91 ClientCommand.cpp:106 +msgid "Nick" +msgstr "" + +#: ClientCommand.cpp:92 ClientCommand.cpp:107 +msgid "Ident" +msgstr "" + +#: ClientCommand.cpp:93 ClientCommand.cpp:108 +msgid "Host" +msgstr "" + +#: ClientCommand.cpp:122 +msgid "Usage: Attach <#chans>" +msgstr "" + +#: ClientCommand.cpp:144 +msgid "Usage: Detach <#chans>" +msgstr "" + +#: ClientCommand.cpp:161 +msgid "There is no MOTD set." +msgstr "" + +#: ClientCommand.cpp:167 +msgid "Rehashing succeeded!" +msgstr "" + +#: ClientCommand.cpp:169 +msgid "Rehashing failed: {1}" +msgstr "" + +#: ClientCommand.cpp:173 +msgid "Wrote config to {1}" +msgstr "" + +#: ClientCommand.cpp:175 +msgid "Error while trying to write config." +msgstr "" + +#: ClientCommand.cpp:455 +msgid "Usage: ListChans" +msgstr "" + +#: ClientCommand.cpp:462 +msgid "No such user [{1}]" +msgstr "" + +#: ClientCommand.cpp:468 +msgid "User [{1}] doesn't have network [{2}]" +msgstr "" + +#: ClientCommand.cpp:479 +msgid "There are no channels defined." +msgstr "" + +#: ClientCommand.cpp:484 ClientCommand.cpp:500 +msgctxt "listchans" +msgid "Name" +msgstr "" + +#: ClientCommand.cpp:485 ClientCommand.cpp:503 +msgctxt "listchans" +msgid "Status" +msgstr "" + +#: ClientCommand.cpp:486 ClientCommand.cpp:510 +msgctxt "listchans" +msgid "In config" +msgstr "" + +#: ClientCommand.cpp:487 ClientCommand.cpp:512 +msgctxt "listchans" +msgid "Buffer" +msgstr "" + +#: ClientCommand.cpp:488 ClientCommand.cpp:516 +msgctxt "listchans" +msgid "Clear" +msgstr "" + +#: ClientCommand.cpp:489 ClientCommand.cpp:521 +msgctxt "listchans" +msgid "Modes" +msgstr "" + +#: ClientCommand.cpp:490 ClientCommand.cpp:522 +msgctxt "listchans" +msgid "Users" +msgstr "" + +#: ClientCommand.cpp:505 +msgctxt "listchans" +msgid "Detached" +msgstr "" + +#: ClientCommand.cpp:506 +msgctxt "listchans" +msgid "Joined" +msgstr "" + +#: ClientCommand.cpp:507 +msgctxt "listchans" +msgid "Disabled" +msgstr "" + +#: ClientCommand.cpp:508 +msgctxt "listchans" +msgid "Trying" +msgstr "" + +#: ClientCommand.cpp:511 ClientCommand.cpp:519 +msgctxt "listchans" +msgid "yes" +msgstr "" + +#: ClientCommand.cpp:536 +msgid "Total: {1}, Joined: {2}, Detached: {3}, Disabled: {4}" +msgstr "" + +#: ClientCommand.cpp:541 +msgid "" +"Network number limit reached. Ask an admin to increase the limit for you, or " +"delete unneeded networks using /znc DelNetwork " +msgstr "" + +#: ClientCommand.cpp:550 +msgid "Usage: AddNetwork " +msgstr "" + +#: ClientCommand.cpp:554 +msgid "Network name should be alphanumeric" +msgstr "" + +#: ClientCommand.cpp:561 +msgid "" +"Network added. Use /znc JumpNetwork {1}, or connect to ZNC with username {2} " +"(instead of just {3}) to connect to it." +msgstr "" + +#: ClientCommand.cpp:566 +msgid "Unable to add that network" +msgstr "" + +#: ClientCommand.cpp:573 +msgid "Usage: DelNetwork " +msgstr "" + +#: ClientCommand.cpp:582 +msgid "Network deleted" +msgstr "" + +#: ClientCommand.cpp:585 +msgid "Failed to delete network, perhaps this network doesn't exist" +msgstr "" + +#: ClientCommand.cpp:595 +msgid "User {1} not found" +msgstr "" + +#: ClientCommand.cpp:603 ClientCommand.cpp:611 +msgctxt "listnetworks" +msgid "Network" +msgstr "" + +#: ClientCommand.cpp:604 ClientCommand.cpp:613 ClientCommand.cpp:622 +msgctxt "listnetworks" +msgid "On IRC" +msgstr "" + +#: ClientCommand.cpp:605 ClientCommand.cpp:615 +msgctxt "listnetworks" +msgid "IRC Server" +msgstr "" + +#: ClientCommand.cpp:606 ClientCommand.cpp:617 +msgctxt "listnetworks" +msgid "IRC User" +msgstr "" + +#: ClientCommand.cpp:607 ClientCommand.cpp:619 +msgctxt "listnetworks" +msgid "Channels" +msgstr "" + +#: ClientCommand.cpp:614 +msgctxt "listnetworks" +msgid "Yes" +msgstr "" + +#: ClientCommand.cpp:623 +msgctxt "listnetworks" +msgid "No" +msgstr "" + +#: ClientCommand.cpp:628 +msgctxt "listnetworks" +msgid "No networks" +msgstr "" + +#: ClientCommand.cpp:632 ClientCommand.cpp:932 +msgid "Access denied." +msgstr "" + +#: ClientCommand.cpp:643 +msgid "Usage: MoveNetwork [new network]" +msgstr "" + +#: ClientCommand.cpp:653 +msgid "Old user {1} not found." +msgstr "" + +#: ClientCommand.cpp:659 +msgid "Old network {1} not found." +msgstr "" + +#: ClientCommand.cpp:665 +msgid "New user {1} not found." +msgstr "" + +#: ClientCommand.cpp:670 +msgid "User {1} already has network {2}." +msgstr "" + +#: ClientCommand.cpp:676 +msgid "Invalid network name [{1}]" +msgstr "" + +#: ClientCommand.cpp:692 +msgid "Some files seem to be in {1}. You might want to move them to {2}" +msgstr "" + +#: ClientCommand.cpp:706 +msgid "Error adding network: {1}" +msgstr "" + +#: ClientCommand.cpp:718 +msgid "Success." +msgstr "" + +#: ClientCommand.cpp:721 +msgid "Copied the network to new user, but failed to delete old network" +msgstr "" + +#: ClientCommand.cpp:728 +msgid "No network supplied." +msgstr "" + +#: ClientCommand.cpp:733 +msgid "You are already connected with this network." +msgstr "" + +#: ClientCommand.cpp:739 +msgid "Switched to {1}" +msgstr "" + +#: ClientCommand.cpp:742 +msgid "You don't have a network named {1}" +msgstr "" + +#: ClientCommand.cpp:754 +msgid "Usage: AddServer [[+]port] [pass]" +msgstr "" + +#: ClientCommand.cpp:759 +msgid "Server added" +msgstr "" + +#: ClientCommand.cpp:762 +msgid "" +"Unable to add that server. Perhaps the server is already added or openssl is " +"disabled?" +msgstr "" + +#: ClientCommand.cpp:777 +msgid "Usage: DelServer [port] [pass]" +msgstr "" + +#: ClientCommand.cpp:782 ClientCommand.cpp:822 +msgid "You don't have any servers added." +msgstr "" + +#: ClientCommand.cpp:787 +msgid "Server removed" +msgstr "" + +#: ClientCommand.cpp:789 +msgid "No such server" +msgstr "" + +#: ClientCommand.cpp:802 ClientCommand.cpp:809 +msgctxt "listservers" +msgid "Host" +msgstr "" + +#: ClientCommand.cpp:803 ClientCommand.cpp:811 +msgctxt "listservers" +msgid "Port" +msgstr "" + +#: ClientCommand.cpp:804 ClientCommand.cpp:814 +msgctxt "listservers" +msgid "SSL" +msgstr "" + +#: ClientCommand.cpp:805 ClientCommand.cpp:816 +msgctxt "listservers" +msgid "Password" +msgstr "" + +#: ClientCommand.cpp:815 +msgctxt "listservers|cell" +msgid "SSL" +msgstr "" + +#: ClientCommand.cpp:832 +msgid "Usage: AddTrustedServerFingerprint " +msgstr "" + +#: ClientCommand.cpp:836 ClientCommand.cpp:849 +msgid "Done." +msgstr "" + +#: ClientCommand.cpp:845 +msgid "Usage: DelTrustedServerFingerprint " +msgstr "" + +#: ClientCommand.cpp:858 +msgid "No fingerprints added." +msgstr "" + +#: ClientCommand.cpp:874 ClientCommand.cpp:880 +msgctxt "topicscmd" +msgid "Channel" +msgstr "" + +#: ClientCommand.cpp:875 ClientCommand.cpp:881 +msgctxt "topicscmd" +msgid "Set By" +msgstr "" + +#: ClientCommand.cpp:876 ClientCommand.cpp:882 +msgctxt "topicscmd" +msgid "Topic" +msgstr "" + +#: ClientCommand.cpp:889 ClientCommand.cpp:893 +msgctxt "listmods" +msgid "Name" +msgstr "" + +#: ClientCommand.cpp:890 ClientCommand.cpp:894 +msgctxt "listmods" +msgid "Arguments" +msgstr "" + +#: ClientCommand.cpp:902 +msgid "No global modules loaded." +msgstr "" + +#: ClientCommand.cpp:904 ClientCommand.cpp:964 +msgid "Global modules:" +msgstr "" + +#: ClientCommand.cpp:912 +msgid "Your user has no modules loaded." +msgstr "" + +#: ClientCommand.cpp:914 ClientCommand.cpp:975 +msgid "User modules:" +msgstr "" + +#: ClientCommand.cpp:921 +msgid "This network has no modules loaded." +msgstr "" + +#: ClientCommand.cpp:923 ClientCommand.cpp:986 +msgid "Network modules:" +msgstr "" + +#: ClientCommand.cpp:938 ClientCommand.cpp:944 +msgctxt "listavailmods" +msgid "Name" +msgstr "" + +#: ClientCommand.cpp:939 ClientCommand.cpp:949 +msgctxt "listavailmods" +msgid "Description" +msgstr "" + +#: ClientCommand.cpp:962 +msgid "No global modules available." +msgstr "" + +#: ClientCommand.cpp:973 +msgid "No user modules available." +msgstr "" + +#: ClientCommand.cpp:984 +msgid "No network modules available." +msgstr "" + +#: ClientCommand.cpp:1012 +msgid "Unable to load {1}: Access denied." +msgstr "" + +#: ClientCommand.cpp:1018 +msgid "Usage: LoadMod [--type=global|user|network] [args]" +msgstr "" + +#: ClientCommand.cpp:1025 +msgid "Unable to load {1}: {2}" +msgstr "" + +#: ClientCommand.cpp:1035 +msgid "Unable to load global module {1}: Access denied." +msgstr "" + +#: ClientCommand.cpp:1041 +msgid "Unable to load network module {1}: Not connected with a network." +msgstr "" + +#: ClientCommand.cpp:1063 +msgid "Unknown module type" +msgstr "" + +#: ClientCommand.cpp:1068 +msgid "Loaded module {1}" +msgstr "" + +#: ClientCommand.cpp:1070 +msgid "Loaded module {1}: {2}" +msgstr "" + +#: ClientCommand.cpp:1073 +msgid "Unable to load module {1}: {2}" +msgstr "" + +#: ClientCommand.cpp:1096 +msgid "Unable to unload {1}: Access denied." +msgstr "" + +#: ClientCommand.cpp:1102 +msgid "Usage: UnloadMod [--type=global|user|network] " +msgstr "" + +#: ClientCommand.cpp:1111 +msgid "Unable to determine type of {1}: {2}" +msgstr "" + +#: ClientCommand.cpp:1119 +msgid "Unable to unload global module {1}: Access denied." +msgstr "" + +#: ClientCommand.cpp:1126 +msgid "Unable to unload network module {1}: Not connected with a network." +msgstr "" + +#: ClientCommand.cpp:1145 +msgid "Unable to unload module {1}: Unknown module type" +msgstr "" + +#: ClientCommand.cpp:1158 +msgid "Unable to reload modules. Access denied." +msgstr "" + +#: ClientCommand.cpp:1179 +msgid "Usage: ReloadMod [--type=global|user|network] [args]" +msgstr "" + +#: ClientCommand.cpp:1188 +msgid "Unable to reload {1}: {2}" +msgstr "" + +#: ClientCommand.cpp:1196 +msgid "Unable to reload global module {1}: Access denied." +msgstr "" + +#: ClientCommand.cpp:1203 +msgid "Unable to reload network module {1}: Not connected with a network." +msgstr "" + +#: ClientCommand.cpp:1225 +msgid "Unable to reload module {1}: Unknown module type" +msgstr "" + +#: ClientCommand.cpp:1236 +msgid "Usage: UpdateMod " +msgstr "" + +#: ClientCommand.cpp:1240 +msgid "Reloading {1} everywhere" +msgstr "" + +#: ClientCommand.cpp:1242 +msgid "Done" +msgstr "" + +#: ClientCommand.cpp:1245 +msgid "" +"Done, but there were errors, module {1} could not be reloaded everywhere." +msgstr "" + +#: ClientCommand.cpp:1253 +msgid "" +"You must be connected with a network to use this command. Try " +"SetUserBindHost instead" +msgstr "" + +#: ClientCommand.cpp:1260 +msgid "Usage: SetBindHost " +msgstr "" + +#: ClientCommand.cpp:1265 ClientCommand.cpp:1282 +msgid "You already have this bind host!" +msgstr "" + +#: ClientCommand.cpp:1270 +msgid "Set bind host for network {1} to {2}" +msgstr "" + +#: ClientCommand.cpp:1277 +msgid "Usage: SetUserBindHost " +msgstr "" + +#: ClientCommand.cpp:1287 +msgid "Set default bind host to {1}" +msgstr "" + +#: ClientCommand.cpp:1293 +msgid "" +"You must be connected with a network to use this command. Try " +"ClearUserBindHost instead" +msgstr "" + +#: ClientCommand.cpp:1298 +msgid "Bind host cleared for this network." +msgstr "" + +#: ClientCommand.cpp:1302 +msgid "Default bind host cleared for your user." +msgstr "" + +#: ClientCommand.cpp:1305 +msgid "This user's default bind host not set" +msgstr "" + +#: ClientCommand.cpp:1307 +msgid "This user's default bind host is {1}" +msgstr "" + +#: ClientCommand.cpp:1312 +msgid "This network's bind host not set" +msgstr "" + +#: ClientCommand.cpp:1314 +msgid "This network's default bind host is {1}" +msgstr "" + +#: ClientCommand.cpp:1328 +msgid "Usage: PlayBuffer <#chan|query>" +msgstr "" + +#: ClientCommand.cpp:1336 +msgid "You are not on {1}" +msgstr "" + +#: ClientCommand.cpp:1341 +msgid "You are not on {1} (trying to join)" +msgstr "" + +#: ClientCommand.cpp:1346 +msgid "The buffer for channel {1} is empty" +msgstr "" + +#: ClientCommand.cpp:1355 +msgid "No active query with {1}" +msgstr "" + +#: ClientCommand.cpp:1360 +msgid "The buffer for {1} is empty" +msgstr "" + +#: ClientCommand.cpp:1376 +msgid "Usage: ClearBuffer <#chan|query>" +msgstr "" + +#: ClientCommand.cpp:1395 +msgid "{1} buffer matching {2} has been cleared" +msgid_plural "{1} buffers matching {2} have been cleared" +msgstr[0] "" +msgstr[1] "" + +#: ClientCommand.cpp:1408 +msgid "All channel buffers have been cleared" +msgstr "" + +#: ClientCommand.cpp:1417 +msgid "All query buffers have been cleared" +msgstr "" + +#: ClientCommand.cpp:1429 +msgid "All buffers have been cleared" +msgstr "" + +#: ClientCommand.cpp:1440 +msgid "Usage: SetBuffer <#chan|query> [linecount]" +msgstr "" + +#: ClientCommand.cpp:1461 +msgid "Setting buffer size failed for {1} buffer" +msgid_plural "Setting buffer size failed for {1} buffers" +msgstr[0] "" +msgstr[1] "" + +#: ClientCommand.cpp:1464 +msgid "Maximum buffer size is {1} line" +msgid_plural "Maximum buffer size is {1} lines" +msgstr[0] "" +msgstr[1] "" + +#: ClientCommand.cpp:1469 +msgid "Size of every buffer was set to {1} line" +msgid_plural "Size of every buffer was set to {1} lines" +msgstr[0] "" +msgstr[1] "" + +#: ClientCommand.cpp:1479 ClientCommand.cpp:1486 ClientCommand.cpp:1497 +#: ClientCommand.cpp:1506 ClientCommand.cpp:1514 +msgctxt "trafficcmd" +msgid "Username" +msgstr "" + +#: ClientCommand.cpp:1480 ClientCommand.cpp:1487 ClientCommand.cpp:1499 +#: ClientCommand.cpp:1508 ClientCommand.cpp:1516 +msgctxt "trafficcmd" +msgid "In" +msgstr "" + +#: ClientCommand.cpp:1481 ClientCommand.cpp:1489 ClientCommand.cpp:1500 +#: ClientCommand.cpp:1509 ClientCommand.cpp:1517 +msgctxt "trafficcmd" +msgid "Out" +msgstr "" + +#: ClientCommand.cpp:1482 ClientCommand.cpp:1492 ClientCommand.cpp:1502 +#: ClientCommand.cpp:1510 ClientCommand.cpp:1519 +msgctxt "trafficcmd" +msgid "Total" +msgstr "" + +#: ClientCommand.cpp:1498 +msgctxt "trafficcmd" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1507 +msgctxt "trafficcmd" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1515 +msgctxt "trafficcmd" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1524 +msgid "Running for {1}" +msgstr "" + +#: ClientCommand.cpp:1530 +msgid "Unknown command, try 'Help'" +msgstr "" + +#: ClientCommand.cpp:1539 ClientCommand.cpp:1550 +msgctxt "listports" +msgid "Port" +msgstr "" + +#: ClientCommand.cpp:1540 ClientCommand.cpp:1551 +msgctxt "listports" +msgid "BindHost" +msgstr "" + +#: ClientCommand.cpp:1541 ClientCommand.cpp:1554 +msgctxt "listports" +msgid "SSL" +msgstr "" + +#: ClientCommand.cpp:1542 ClientCommand.cpp:1559 +msgctxt "listports" +msgid "Protocol" +msgstr "" + +#: ClientCommand.cpp:1543 ClientCommand.cpp:1566 +msgctxt "listports" +msgid "IRC" +msgstr "" + +#: ClientCommand.cpp:1544 ClientCommand.cpp:1571 +msgctxt "listports" +msgid "Web" +msgstr "" + +#: ClientCommand.cpp:1555 +msgctxt "listports|ssl" +msgid "yes" +msgstr "" + +#: ClientCommand.cpp:1556 +msgctxt "listports|ssl" +msgid "no" +msgstr "" + +#: ClientCommand.cpp:1560 +msgctxt "listports" +msgid "IPv4 and IPv6" +msgstr "" + +#: ClientCommand.cpp:1562 +msgctxt "listports" +msgid "IPv4" +msgstr "" + +#: ClientCommand.cpp:1563 +msgctxt "listports" +msgid "IPv6" +msgstr "" + +#: ClientCommand.cpp:1569 +msgctxt "listports|irc" +msgid "yes" +msgstr "" + +#: ClientCommand.cpp:1570 +msgctxt "listports|irc" +msgid "no" +msgstr "" + +#: ClientCommand.cpp:1574 +msgctxt "listports|irc" +msgid "yes, on {1}" +msgstr "" + +#: ClientCommand.cpp:1576 +msgctxt "listports|web" +msgid "no" +msgstr "" + +#: ClientCommand.cpp:1616 +msgid "" +"Usage: AddPort <[+]port> [bindhost [uriprefix]]" +msgstr "" + +#: ClientCommand.cpp:1632 +msgid "Port added" +msgstr "" + +#: ClientCommand.cpp:1634 +msgid "Couldn't add port" +msgstr "" + +#: ClientCommand.cpp:1640 +msgid "Usage: DelPort [bindhost]" +msgstr "" + +#: ClientCommand.cpp:1649 +msgid "Deleted Port" +msgstr "" + +#: ClientCommand.cpp:1651 +msgid "Unable to find a matching port" +msgstr "" + +#: ClientCommand.cpp:1659 ClientCommand.cpp:1673 +msgctxt "helpcmd" +msgid "Command" +msgstr "" + +#: ClientCommand.cpp:1660 ClientCommand.cpp:1674 +msgctxt "helpcmd" +msgid "Description" +msgstr "" + +#: ClientCommand.cpp:1664 +msgid "" +"In the following list all occurrences of <#chan> support wildcards (* and ?) " +"except ListNicks" +msgstr "" + +#: ClientCommand.cpp:1680 +msgctxt "helpcmd|Version|desc" +msgid "Print which version of ZNC this is" +msgstr "" + +#: ClientCommand.cpp:1683 +msgctxt "helpcmd|ListMods|desc" +msgid "List all loaded modules" +msgstr "" + +#: ClientCommand.cpp:1686 +msgctxt "helpcmd|ListAvailMods|desc" +msgid "List all available modules" +msgstr "" + +#: ClientCommand.cpp:1690 ClientCommand.cpp:1876 +msgctxt "helpcmd|ListChans|desc" +msgid "List all channels" +msgstr "" + +#: ClientCommand.cpp:1693 +msgctxt "helpcmd|ListNicks|args" +msgid "<#chan>" +msgstr "" + +#: ClientCommand.cpp:1694 +msgctxt "helpcmd|ListNicks|desc" +msgid "List all nicks on a channel" +msgstr "" + +#: ClientCommand.cpp:1697 +msgctxt "helpcmd|ListClients|desc" +msgid "List all clients connected to your ZNC user" +msgstr "" + +#: ClientCommand.cpp:1701 +msgctxt "helpcmd|ListServers|desc" +msgid "List all servers of current IRC network" +msgstr "" + +#: ClientCommand.cpp:1705 +msgctxt "helpcmd|AddNetwork|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1706 +msgctxt "helpcmd|AddNetwork|desc" +msgid "Add a network to your user" +msgstr "" + +#: ClientCommand.cpp:1708 +msgctxt "helpcmd|DelNetwork|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1709 +msgctxt "helpcmd|DelNetwork|desc" +msgid "Delete a network from your user" +msgstr "" + +#: ClientCommand.cpp:1711 +msgctxt "helpcmd|ListNetworks|desc" +msgid "List all networks" +msgstr "" + +#: ClientCommand.cpp:1714 +msgctxt "helpcmd|MoveNetwork|args" +msgid " [new network]" +msgstr "" + +#: ClientCommand.cpp:1716 +msgctxt "helpcmd|MoveNetwork|desc" +msgid "Move an IRC network from one user to another" +msgstr "" + +#: ClientCommand.cpp:1720 +msgctxt "helpcmd|JumpNetwork|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1721 +msgctxt "helpcmd|JumpNetwork|desc" +msgid "" +"Jump to another network (Alternatively, you can connect to ZNC several " +"times, using `user/network` as username)" +msgstr "" + +#: ClientCommand.cpp:1726 +msgctxt "helpcmd|AddServer|args" +msgid " [[+]port] [pass]" +msgstr "" + +#: ClientCommand.cpp:1727 +msgctxt "helpcmd|AddServer|desc" +msgid "" +"Add a server to the list of alternate/backup servers of current IRC network." +msgstr "" + +#: ClientCommand.cpp:1731 +msgctxt "helpcmd|DelServer|args" +msgid " [port] [pass]" +msgstr "" + +#: ClientCommand.cpp:1732 +msgctxt "helpcmd|DelServer|desc" +msgid "" +"Remove a server from the list of alternate/backup servers of current IRC " +"network" +msgstr "" + +#: ClientCommand.cpp:1738 +msgctxt "helpcmd|AddTrustedServerFingerprint|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1739 +msgctxt "helpcmd|AddTrustedServerFingerprint|desc" +msgid "" +"Add a trusted server SSL certificate fingerprint (SHA-256) to current IRC " +"network." +msgstr "" + +#: ClientCommand.cpp:1744 +msgctxt "helpcmd|DelTrustedServerFingerprint|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1745 +msgctxt "helpcmd|DelTrustedServerFingerprint|desc" +msgid "Delete a trusted server SSL certificate from current IRC network." +msgstr "" + +#: ClientCommand.cpp:1749 +msgctxt "helpcmd|ListTrustedServerFingerprints|desc" +msgid "List all trusted server SSL certificates of current IRC network." +msgstr "" + +#: ClientCommand.cpp:1752 +msgctxt "helpcmd|EnableChan|args" +msgid "<#chans>" +msgstr "" + +#: ClientCommand.cpp:1753 +msgctxt "helpcmd|EnableChan|desc" +msgid "Enable channels" +msgstr "" + +#: ClientCommand.cpp:1754 +msgctxt "helpcmd|DisableChan|args" +msgid "<#chans>" +msgstr "" + +#: ClientCommand.cpp:1755 +msgctxt "helpcmd|DisableChan|desc" +msgid "Disable channels" +msgstr "" + +#: ClientCommand.cpp:1756 +msgctxt "helpcmd|Attach|args" +msgid "<#chans>" +msgstr "" + +#: ClientCommand.cpp:1757 +msgctxt "helpcmd|Attach|desc" +msgid "Attach to channels" +msgstr "" + +#: ClientCommand.cpp:1758 +msgctxt "helpcmd|Detach|args" +msgid "<#chans>" +msgstr "" + +#: ClientCommand.cpp:1759 +msgctxt "helpcmd|Detach|desc" +msgid "Detach from channels" +msgstr "" + +#: ClientCommand.cpp:1762 +msgctxt "helpcmd|Topics|desc" +msgid "Show topics in all your channels" +msgstr "" + +#: ClientCommand.cpp:1765 +msgctxt "helpcmd|PlayBuffer|args" +msgid "<#chan|query>" +msgstr "" + +#: ClientCommand.cpp:1766 +msgctxt "helpcmd|PlayBuffer|desc" +msgid "Play back the specified buffer" +msgstr "" + +#: ClientCommand.cpp:1768 +msgctxt "helpcmd|ClearBuffer|args" +msgid "<#chan|query>" +msgstr "" + +#: ClientCommand.cpp:1769 +msgctxt "helpcmd|ClearBuffer|desc" +msgid "Clear the specified buffer" +msgstr "" + +#: ClientCommand.cpp:1771 +msgctxt "helpcmd|ClearAllBuffers|desc" +msgid "Clear all channel and query buffers" +msgstr "" + +#: ClientCommand.cpp:1774 +msgctxt "helpcmd|ClearAllChannelBuffers|desc" +msgid "Clear the channel buffers" +msgstr "" + +#: ClientCommand.cpp:1778 +msgctxt "helpcmd|ClearAllQueryBuffers|desc" +msgid "Clear the query buffers" +msgstr "" + +#: ClientCommand.cpp:1780 +msgctxt "helpcmd|SetBuffer|args" +msgid "<#chan|query> [linecount]" +msgstr "" + +#: ClientCommand.cpp:1781 +msgctxt "helpcmd|SetBuffer|desc" +msgid "Set the buffer count" +msgstr "" + +#: ClientCommand.cpp:1785 +msgctxt "helpcmd|SetBindHost|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1786 +msgctxt "helpcmd|SetBindHost|desc" +msgid "Set the bind host for this network" +msgstr "" + +#: ClientCommand.cpp:1790 +msgctxt "helpcmd|SetUserBindHost|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1791 +msgctxt "helpcmd|SetUserBindHost|desc" +msgid "Set the default bind host for this user" +msgstr "" + +#: ClientCommand.cpp:1794 +msgctxt "helpcmd|ClearBindHost|desc" +msgid "Clear the bind host for this network" +msgstr "" + +#: ClientCommand.cpp:1797 +msgctxt "helpcmd|ClearUserBindHost|desc" +msgid "Clear the default bind host for this user" +msgstr "" + +#: ClientCommand.cpp:1803 +msgctxt "helpcmd|ShowBindHost|desc" +msgid "Show currently selected bind host" +msgstr "" + +#: ClientCommand.cpp:1805 +msgctxt "helpcmd|Jump|args" +msgid "[server]" +msgstr "" + +#: ClientCommand.cpp:1806 +msgctxt "helpcmd|Jump|desc" +msgid "Jump to the next or the specified server" +msgstr "" + +#: ClientCommand.cpp:1807 +msgctxt "helpcmd|Disconnect|args" +msgid "[message]" +msgstr "" + +#: ClientCommand.cpp:1808 +msgctxt "helpcmd|Disconnect|desc" +msgid "Disconnect from IRC" +msgstr "" + +#: ClientCommand.cpp:1810 +msgctxt "helpcmd|Connect|desc" +msgid "Reconnect to IRC" +msgstr "" + +#: ClientCommand.cpp:1813 +msgctxt "helpcmd|Uptime|desc" +msgid "Show for how long ZNC has been running" +msgstr "" + +#: ClientCommand.cpp:1817 +msgctxt "helpcmd|LoadMod|args" +msgid "[--type=global|user|network] " +msgstr "" + +#: ClientCommand.cpp:1819 +msgctxt "helpcmd|LoadMod|desc" +msgid "Load a module" +msgstr "" + +#: ClientCommand.cpp:1821 +msgctxt "helpcmd|UnloadMod|args" +msgid "[--type=global|user|network] " +msgstr "" + +#: ClientCommand.cpp:1823 +msgctxt "helpcmd|UnloadMod|desc" +msgid "Unload a module" +msgstr "" + +#: ClientCommand.cpp:1825 +msgctxt "helpcmd|ReloadMod|args" +msgid "[--type=global|user|network] " +msgstr "" + +#: ClientCommand.cpp:1827 +msgctxt "helpcmd|ReloadMod|desc" +msgid "Reload a module" +msgstr "" + +#: ClientCommand.cpp:1830 +msgctxt "helpcmd|UpdateMod|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1831 +msgctxt "helpcmd|UpdateMod|desc" +msgid "Reload a module everywhere" +msgstr "" + +#: ClientCommand.cpp:1837 +msgctxt "helpcmd|ShowMOTD|desc" +msgid "Show ZNC's message of the day" +msgstr "" + +#: ClientCommand.cpp:1841 +msgctxt "helpcmd|SetMOTD|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1842 +msgctxt "helpcmd|SetMOTD|desc" +msgid "Set ZNC's message of the day" +msgstr "" + +#: ClientCommand.cpp:1844 +msgctxt "helpcmd|AddMOTD|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1845 +msgctxt "helpcmd|AddMOTD|desc" +msgid "Append to ZNC's MOTD" +msgstr "" + +#: ClientCommand.cpp:1847 +msgctxt "helpcmd|ClearMOTD|desc" +msgid "Clear ZNC's MOTD" +msgstr "" + +#: ClientCommand.cpp:1850 +msgctxt "helpcmd|ListPorts|desc" +msgid "Show all active listeners" +msgstr "" + +#: ClientCommand.cpp:1852 +msgctxt "helpcmd|AddPort|args" +msgid "<[+]port> [bindhost [uriprefix]]" +msgstr "" + +#: ClientCommand.cpp:1855 +msgctxt "helpcmd|AddPort|desc" +msgid "Add another port for ZNC to listen on" +msgstr "" + +#: ClientCommand.cpp:1859 +msgctxt "helpcmd|DelPort|args" +msgid " [bindhost]" +msgstr "" + +#: ClientCommand.cpp:1860 +msgctxt "helpcmd|DelPort|desc" +msgid "Remove a port from ZNC" +msgstr "" + +#: ClientCommand.cpp:1863 +msgctxt "helpcmd|Rehash|desc" +msgid "Reload global settings, modules, and listeners from znc.conf" +msgstr "" + +#: ClientCommand.cpp:1866 +msgctxt "helpcmd|SaveConfig|desc" +msgid "Save the current settings to disk" +msgstr "" + +#: ClientCommand.cpp:1869 +msgctxt "helpcmd|ListUsers|desc" +msgid "List all ZNC users and their connection status" +msgstr "" + +#: ClientCommand.cpp:1872 +msgctxt "helpcmd|ListAllUserNetworks|desc" +msgid "List all ZNC users and their networks" +msgstr "" + +#: ClientCommand.cpp:1875 +msgctxt "helpcmd|ListChans|args" +msgid "[user ]" +msgstr "" + +#: ClientCommand.cpp:1878 +msgctxt "helpcmd|ListClients|args" +msgid "[user]" +msgstr "" + +#: ClientCommand.cpp:1879 +msgctxt "helpcmd|ListClients|desc" +msgid "List all connected clients" +msgstr "" + +#: ClientCommand.cpp:1881 +msgctxt "helpcmd|Traffic|desc" +msgid "Show basic traffic stats for all ZNC users" +msgstr "" + +#: ClientCommand.cpp:1883 +msgctxt "helpcmd|Broadcast|args" +msgid "[message]" +msgstr "" + +#: ClientCommand.cpp:1884 +msgctxt "helpcmd|Broadcast|desc" +msgid "Broadcast a message to all ZNC users" +msgstr "" + +#: ClientCommand.cpp:1887 +msgctxt "helpcmd|Shutdown|args" +msgid "[message]" +msgstr "" + +#: ClientCommand.cpp:1888 +msgctxt "helpcmd|Shutdown|desc" +msgid "Shut down ZNC completely" +msgstr "" + +#: ClientCommand.cpp:1889 +msgctxt "helpcmd|Restart|args" +msgid "[message]" +msgstr "" + +#: ClientCommand.cpp:1890 +msgctxt "helpcmd|Restart|desc" +msgid "Restart ZNC" +msgstr "" + +#: Socket.cpp:336 +msgid "Can't resolve server hostname" +msgstr "" + +#: Socket.cpp:343 +msgid "" +"Can't resolve bind hostname. Try /znc ClearBindHost and /znc " +"ClearUserBindHost" +msgstr "" + +#: Socket.cpp:348 +msgid "Server address is IPv4-only, but bindhost is IPv6-only" +msgstr "" + +#: Socket.cpp:357 +msgid "Server address is IPv6-only, but bindhost is IPv4-only" +msgstr "" + +#: Socket.cpp:515 +msgid "Some socket reached its max buffer limit and was closed!" +msgstr "" + +#: SSLVerifyHost.cpp:448 +msgid "hostname doesn't match" +msgstr "" + +#: SSLVerifyHost.cpp:452 +msgid "malformed hostname in certificate" +msgstr "" + +#: SSLVerifyHost.cpp:456 +msgid "hostname verification error" +msgstr "" + +#: User.cpp:507 +msgid "" +"Invalid network name. It should be alphanumeric. Not to be confused with " +"server name" +msgstr "" + +#: User.cpp:511 +msgid "Network {1} already exists" +msgstr "" + +#: User.cpp:777 +msgid "" +"You are being disconnected because your IP is no longer allowed to connect " +"to this user" +msgstr "" + +#: User.cpp:907 +msgid "Password is empty" +msgstr "" + +#: User.cpp:912 +msgid "Username is empty" +msgstr "" + +#: User.cpp:917 +msgid "Username is invalid" +msgstr "" + +#: User.cpp:1188 +msgid "Unable to find modinfo {1}: {2}" +msgstr "" diff --git a/src/po/znc.fr_FR.po b/src/po/znc.fr_FR.po index 6d27b368..6034eab7 100644 --- a/src/po/znc.fr_FR.po +++ b/src/po/znc.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/src/po/znc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf \n" +"Last-Translator: DarthGandalf\n" "Language-Team: French\n" "Language: fr_FR\n" @@ -321,58 +321,6 @@ msgid "Unknown command!" msgstr "Commande inconnue !" #: Modules.cpp:1633 -msgid "Module {1} already loaded." -msgstr "Le module {1} est déjà chargé." - -#: Modules.cpp:1647 -msgid "Unable to find module {1}" -msgstr "Impossible de trouver le module {1}" - -#: Modules.cpp:1659 -msgid "Module {1} does not support module type {2}." -msgstr "Le module {1} le supporte pas le type {2}." - -#: Modules.cpp:1666 -msgid "Module {1} requires a user." -msgstr "Le module {1} requiert un utilisateur." - -#: Modules.cpp:1672 -msgid "Module {1} requires a network." -msgstr "Le module {1} requiert un réseau." - -#: Modules.cpp:1688 -msgid "Caught an exception" -msgstr "Une exception a été reçue" - -#: Modules.cpp:1694 -msgid "Module {1} aborted: {2}" -msgstr "Le module {1} a annulé : {2}" - -#: Modules.cpp:1696 -msgid "Module {1} aborted." -msgstr "Module {1} stoppé." - -#: Modules.cpp:1720 Modules.cpp:1762 -msgid "Module [{1}] not loaded." -msgstr "Le module [{1}] n'est pas chargé." - -#: Modules.cpp:1744 -msgid "Module {1} unloaded." -msgstr "Le module {1} a été déchargé." - -#: Modules.cpp:1749 -msgid "Unable to unload module {1}." -msgstr "Impossible de décharger le module {1}." - -#: Modules.cpp:1778 -msgid "Reloaded module {1}." -msgstr "Le module {1} a été rechargé." - -#: Modules.cpp:1793 -msgid "Unable to find module {1}." -msgstr "Impossible de trouver le module {1}." - -#: Modules.cpp:1919 msgid "" "Module names can only contain letters, numbers and underscores, [{1}] is " "invalid" @@ -380,19 +328,71 @@ msgstr "" "Les noms de module ne peuvent contenir que des lettres, des chiffres et des " "underscores, [{1}] est invalide" -#: Modules.cpp:1943 +#: Modules.cpp:1652 +msgid "Module {1} already loaded." +msgstr "Le module {1} est déjà chargé." + +#: Modules.cpp:1666 +msgid "Unable to find module {1}" +msgstr "Impossible de trouver le module {1}" + +#: Modules.cpp:1678 +msgid "Module {1} does not support module type {2}." +msgstr "Le module {1} le supporte pas le type {2}." + +#: Modules.cpp:1685 +msgid "Module {1} requires a user." +msgstr "Le module {1} requiert un utilisateur." + +#: Modules.cpp:1691 +msgid "Module {1} requires a network." +msgstr "Le module {1} requiert un réseau." + +#: Modules.cpp:1707 +msgid "Caught an exception" +msgstr "Une exception a été reçue" + +#: Modules.cpp:1713 +msgid "Module {1} aborted: {2}" +msgstr "Le module {1} a annulé : {2}" + +#: Modules.cpp:1715 +msgid "Module {1} aborted." +msgstr "Module {1} stoppé." + +#: Modules.cpp:1739 Modules.cpp:1781 +msgid "Module [{1}] not loaded." +msgstr "Le module [{1}] n'est pas chargé." + +#: Modules.cpp:1763 +msgid "Module {1} unloaded." +msgstr "Le module {1} a été déchargé." + +#: Modules.cpp:1768 +msgid "Unable to unload module {1}." +msgstr "Impossible de décharger le module {1}." + +#: Modules.cpp:1797 +msgid "Reloaded module {1}." +msgstr "Le module {1} a été rechargé." + +#: Modules.cpp:1816 +msgid "Unable to find module {1}." +msgstr "Impossible de trouver le module {1}." + +#: Modules.cpp:1963 msgid "Unknown error" msgstr "Erreur inconnue" -#: Modules.cpp:1944 +#: Modules.cpp:1964 msgid "Unable to open module {1}: {2}" msgstr "Impossible d'ouvrir le module {1} : {2}" -#: Modules.cpp:1953 +#: Modules.cpp:1973 msgid "Could not find ZNCModuleEntry in module {1}" msgstr "Impossible de trouver ZNCModuleEntry dans le module {1}" -#: Modules.cpp:1961 +#: Modules.cpp:1981 msgid "" "Version mismatch for module {1}: core is {2}, module is built for {3}. " "Recompile this module." @@ -400,7 +400,7 @@ msgstr "" "Les versions ne correspondent pas pour le module {1} : le cœur est {2}, le " "module est conçu pour {3}. Recompilez ce module." -#: Modules.cpp:1972 +#: Modules.cpp:1992 msgid "" "Module {1} is built incompatibly: core is '{2}', module is '{3}'. Recompile " "this module." @@ -408,12 +408,12 @@ msgstr "" "Le module {1} a été compilé de façon incompatible : le cœur est '{2}', le " "module est '{3}'. Recompilez ce module." -#: Modules.cpp:2002 Modules.cpp:2008 +#: Modules.cpp:2022 Modules.cpp:2028 msgctxt "modhelpcmd" msgid "Command" msgstr "Commande" -#: Modules.cpp:2003 Modules.cpp:2009 +#: Modules.cpp:2023 Modules.cpp:2029 msgctxt "modhelpcmd" msgid "Description" msgstr "Description" From 6929a0b2e228132e2888cb2ec93054a86f95ae6e Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Mon, 24 Jun 2019 00:26:40 +0000 Subject: [PATCH 258/798] Update translations from Crowdin for it_IT --- modules/po/admindebug.it_IT.po | 59 + modules/po/adminlog.it_IT.po | 69 + modules/po/alias.it_IT.po | 123 ++ modules/po/autoattach.it_IT.po | 85 ++ modules/po/autocycle.it_IT.po | 69 + modules/po/autoop.it_IT.po | 168 +++ modules/po/autoreply.it_IT.po | 43 + modules/po/autovoice.it_IT.po | 111 ++ modules/po/awaystore.it_IT.po | 110 ++ modules/po/block_motd.it_IT.po | 35 + modules/po/blockuser.it_IT.po | 97 ++ modules/po/bouncedcc.it_IT.po | 131 ++ modules/po/buffextras.it_IT.po | 49 + modules/po/cert.it_IT.po | 75 ++ modules/po/certauth.it_IT.po | 108 ++ modules/po/chansaver.it_IT.po | 17 + modules/po/clearbufferonmsg.it_IT.po | 17 + modules/po/clientnotify.it_IT.po | 73 ++ modules/po/controlpanel.it_IT.po | 718 +++++++++++ modules/po/crypt.it_IT.po | 143 +++ modules/po/ctcpflood.it_IT.po | 69 + modules/po/cyrusauth.it_IT.po | 73 ++ modules/po/dcc.it_IT.po | 227 ++++ modules/po/disconkick.it_IT.po | 23 + modules/po/fail2ban.it_IT.po | 117 ++ modules/po/flooddetach.it_IT.po | 91 ++ modules/po/identfile.it_IT.po | 83 ++ modules/po/imapauth.it_IT.po | 21 + modules/po/keepnick.it_IT.po | 53 + modules/po/kickrejoin.it_IT.po | 61 + modules/po/lastseen.it_IT.po | 67 + modules/po/listsockets.it_IT.po | 113 ++ modules/po/log.it_IT.po | 148 +++ modules/po/missingmotd.it_IT.po | 17 + modules/po/modperl.it_IT.po | 17 + modules/po/modpython.it_IT.po | 17 + modules/po/modules_online.it_IT.po | 17 + modules/po/nickserv.it_IT.po | 75 ++ modules/po/notes.it_IT.po | 119 ++ modules/po/notify_connect.it_IT.po | 29 + modules/po/perform.it_IT.po | 108 ++ modules/po/perleval.it_IT.po | 31 + modules/po/pyeval.it_IT.po | 21 + modules/po/raw.it_IT.po | 17 + modules/po/route_replies.it_IT.po | 59 + modules/po/sample.it_IT.po | 119 ++ modules/po/samplewebapi.it_IT.po | 17 + modules/po/sasl.it_IT.po | 174 +++ modules/po/savebuff.it_IT.po | 62 + modules/po/send_raw.it_IT.po | 109 ++ modules/po/shell.it_IT.po | 29 + modules/po/simple_away.it_IT.po | 92 ++ modules/po/stickychan.it_IT.po | 102 ++ modules/po/stripcontrols.it_IT.po | 18 + modules/po/watch.it_IT.po | 249 ++++ modules/po/webadmin.it_IT.po | 1209 ++++++++++++++++++ src/po/znc.it_IT.po | 1726 ++++++++++++++++++++++++++ 57 files changed, 7879 insertions(+) create mode 100644 modules/po/admindebug.it_IT.po create mode 100644 modules/po/adminlog.it_IT.po create mode 100644 modules/po/alias.it_IT.po create mode 100644 modules/po/autoattach.it_IT.po create mode 100644 modules/po/autocycle.it_IT.po create mode 100644 modules/po/autoop.it_IT.po create mode 100644 modules/po/autoreply.it_IT.po create mode 100644 modules/po/autovoice.it_IT.po create mode 100644 modules/po/awaystore.it_IT.po create mode 100644 modules/po/block_motd.it_IT.po create mode 100644 modules/po/blockuser.it_IT.po create mode 100644 modules/po/bouncedcc.it_IT.po create mode 100644 modules/po/buffextras.it_IT.po create mode 100644 modules/po/cert.it_IT.po create mode 100644 modules/po/certauth.it_IT.po create mode 100644 modules/po/chansaver.it_IT.po create mode 100644 modules/po/clearbufferonmsg.it_IT.po create mode 100644 modules/po/clientnotify.it_IT.po create mode 100644 modules/po/controlpanel.it_IT.po create mode 100644 modules/po/crypt.it_IT.po create mode 100644 modules/po/ctcpflood.it_IT.po create mode 100644 modules/po/cyrusauth.it_IT.po create mode 100644 modules/po/dcc.it_IT.po create mode 100644 modules/po/disconkick.it_IT.po create mode 100644 modules/po/fail2ban.it_IT.po create mode 100644 modules/po/flooddetach.it_IT.po create mode 100644 modules/po/identfile.it_IT.po create mode 100644 modules/po/imapauth.it_IT.po create mode 100644 modules/po/keepnick.it_IT.po create mode 100644 modules/po/kickrejoin.it_IT.po create mode 100644 modules/po/lastseen.it_IT.po create mode 100644 modules/po/listsockets.it_IT.po create mode 100644 modules/po/log.it_IT.po create mode 100644 modules/po/missingmotd.it_IT.po create mode 100644 modules/po/modperl.it_IT.po create mode 100644 modules/po/modpython.it_IT.po create mode 100644 modules/po/modules_online.it_IT.po create mode 100644 modules/po/nickserv.it_IT.po create mode 100644 modules/po/notes.it_IT.po create mode 100644 modules/po/notify_connect.it_IT.po create mode 100644 modules/po/perform.it_IT.po create mode 100644 modules/po/perleval.it_IT.po create mode 100644 modules/po/pyeval.it_IT.po create mode 100644 modules/po/raw.it_IT.po create mode 100644 modules/po/route_replies.it_IT.po create mode 100644 modules/po/sample.it_IT.po create mode 100644 modules/po/samplewebapi.it_IT.po create mode 100644 modules/po/sasl.it_IT.po create mode 100644 modules/po/savebuff.it_IT.po create mode 100644 modules/po/send_raw.it_IT.po create mode 100644 modules/po/shell.it_IT.po create mode 100644 modules/po/simple_away.it_IT.po create mode 100644 modules/po/stickychan.it_IT.po create mode 100644 modules/po/stripcontrols.it_IT.po create mode 100644 modules/po/watch.it_IT.po create mode 100644 modules/po/webadmin.it_IT.po create mode 100644 src/po/znc.it_IT.po diff --git a/modules/po/admindebug.it_IT.po b/modules/po/admindebug.it_IT.po new file mode 100644 index 00000000..050dc0ac --- /dev/null +++ b/modules/po/admindebug.it_IT.po @@ -0,0 +1,59 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /master/modules/po/admindebug.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: admindebug.cpp:30 +msgid "Enable Debug Mode" +msgstr "" + +#: admindebug.cpp:32 +msgid "Disable Debug Mode" +msgstr "" + +#: admindebug.cpp:34 +msgid "Show the Debug Mode status" +msgstr "" + +#: admindebug.cpp:40 admindebug.cpp:49 +msgid "Access denied!" +msgstr "" + +#: admindebug.cpp:58 +msgid "" +"Failure. We need to be running with a TTY. (is ZNC running with --" +"foreground?)" +msgstr "" + +#: admindebug.cpp:66 +msgid "Already enabled." +msgstr "" + +#: admindebug.cpp:68 +msgid "Already disabled." +msgstr "" + +#: admindebug.cpp:92 +msgid "Debugging mode is on." +msgstr "" + +#: admindebug.cpp:94 +msgid "Debugging mode is off." +msgstr "" + +#: admindebug.cpp:96 +msgid "Logging to: stdout." +msgstr "" + +#: admindebug.cpp:105 +msgid "Enable Debug mode dynamically." +msgstr "" diff --git a/modules/po/adminlog.it_IT.po b/modules/po/adminlog.it_IT.po new file mode 100644 index 00000000..bec5432e --- /dev/null +++ b/modules/po/adminlog.it_IT.po @@ -0,0 +1,69 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /master/modules/po/adminlog.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: adminlog.cpp:29 +msgid "Show the logging target" +msgstr "" + +#: adminlog.cpp:31 +msgid " [path]" +msgstr "" + +#: adminlog.cpp:32 +msgid "Set the logging target" +msgstr "" + +#: adminlog.cpp:142 +msgid "Access denied" +msgstr "" + +#: adminlog.cpp:156 +msgid "Now logging to file" +msgstr "" + +#: adminlog.cpp:160 +msgid "Now only logging to syslog" +msgstr "" + +#: adminlog.cpp:164 +msgid "Now logging to syslog and file" +msgstr "" + +#: adminlog.cpp:168 +msgid "Usage: Target [path]" +msgstr "" + +#: adminlog.cpp:170 +msgid "Unknown target" +msgstr "" + +#: adminlog.cpp:192 +msgid "Logging is enabled for file" +msgstr "" + +#: adminlog.cpp:195 +msgid "Logging is enabled for syslog" +msgstr "" + +#: adminlog.cpp:198 +msgid "Logging is enabled for both, file and syslog" +msgstr "" + +#: adminlog.cpp:204 +msgid "Log file will be written to {1}" +msgstr "" + +#: adminlog.cpp:222 +msgid "Log ZNC events to file and/or syslog." +msgstr "" diff --git a/modules/po/alias.it_IT.po b/modules/po/alias.it_IT.po new file mode 100644 index 00000000..91c0db4e --- /dev/null +++ b/modules/po/alias.it_IT.po @@ -0,0 +1,123 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /master/modules/po/alias.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: alias.cpp:141 +msgid "missing required parameter: {1}" +msgstr "" + +#: alias.cpp:201 +msgid "Created alias: {1}" +msgstr "" + +#: alias.cpp:203 +msgid "Alias already exists." +msgstr "" + +#: alias.cpp:210 +msgid "Deleted alias: {1}" +msgstr "" + +#: alias.cpp:213 alias.cpp:224 alias.cpp:246 alias.cpp:265 alias.cpp:276 +#: alias.cpp:333 +msgid "Alias does not exist." +msgstr "" + +#: alias.cpp:222 alias.cpp:244 alias.cpp:263 alias.cpp:274 +msgid "Modified alias." +msgstr "" + +#: alias.cpp:236 alias.cpp:256 +msgid "Invalid index." +msgstr "" + +#: alias.cpp:282 alias.cpp:298 +msgid "There are no aliases." +msgstr "" + +#: alias.cpp:289 +msgid "The following aliases exist: {1}" +msgstr "" + +#: alias.cpp:290 +msgctxt "list|separator" +msgid ", " +msgstr "" + +#: alias.cpp:324 +msgid "Actions for alias {1}:" +msgstr "" + +#: alias.cpp:331 +msgid "End of actions for alias {1}." +msgstr "" + +#: alias.cpp:338 alias.cpp:341 alias.cpp:352 alias.cpp:357 +msgid "" +msgstr "" + +#: alias.cpp:339 +msgid "Creates a new, blank alias called name." +msgstr "" + +#: alias.cpp:341 +msgid "Deletes an existing alias." +msgstr "" + +#: alias.cpp:343 +msgid " " +msgstr "" + +#: alias.cpp:344 +msgid "Adds a line to an existing alias." +msgstr "" + +#: alias.cpp:346 +msgid " " +msgstr "" + +#: alias.cpp:347 +msgid "Inserts a line into an existing alias." +msgstr "" + +#: alias.cpp:349 +msgid " " +msgstr "" + +#: alias.cpp:350 +msgid "Removes a line from an existing alias." +msgstr "" + +#: alias.cpp:353 +msgid "Removes all lines from an existing alias." +msgstr "" + +#: alias.cpp:355 +msgid "Lists all aliases by name." +msgstr "" + +#: alias.cpp:358 +msgid "Reports the actions performed by an alias." +msgstr "" + +#: alias.cpp:362 +msgid "Generate a list of commands to copy your alias config." +msgstr "" + +#: alias.cpp:374 +msgid "Clearing all of them!" +msgstr "" + +#: alias.cpp:409 +msgid "Provides bouncer-side command alias support." +msgstr "" diff --git a/modules/po/autoattach.it_IT.po b/modules/po/autoattach.it_IT.po new file mode 100644 index 00000000..6f96de78 --- /dev/null +++ b/modules/po/autoattach.it_IT.po @@ -0,0 +1,85 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /master/modules/po/autoattach.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: autoattach.cpp:94 +msgid "Added to list" +msgstr "" + +#: autoattach.cpp:96 +msgid "{1} is already added" +msgstr "" + +#: autoattach.cpp:100 +msgid "Usage: Add [!]<#chan> " +msgstr "" + +#: autoattach.cpp:101 +msgid "Wildcards are allowed" +msgstr "" + +#: autoattach.cpp:113 +msgid "Removed {1} from list" +msgstr "" + +#: autoattach.cpp:115 +msgid "Usage: Del [!]<#chan> " +msgstr "" + +#: autoattach.cpp:121 autoattach.cpp:129 +msgid "Neg" +msgstr "" + +#: autoattach.cpp:122 autoattach.cpp:130 +msgid "Chan" +msgstr "" + +#: autoattach.cpp:123 autoattach.cpp:131 +msgid "Search" +msgstr "" + +#: autoattach.cpp:124 autoattach.cpp:132 +msgid "Host" +msgstr "" + +#: autoattach.cpp:138 +msgid "You have no entries." +msgstr "" + +#: autoattach.cpp:146 autoattach.cpp:149 +msgid "[!]<#chan> " +msgstr "" + +#: autoattach.cpp:147 +msgid "Add an entry, use !#chan to negate and * for wildcards" +msgstr "" + +#: autoattach.cpp:150 +msgid "Remove an entry, needs to be an exact match" +msgstr "" + +#: autoattach.cpp:152 +msgid "List all entries" +msgstr "" + +#: autoattach.cpp:171 +msgid "Unable to add [{1}]" +msgstr "" + +#: autoattach.cpp:283 +msgid "List of channel masks and channel masks with ! before them." +msgstr "" + +#: autoattach.cpp:286 +msgid "Reattaches you to channels on activity." +msgstr "" diff --git a/modules/po/autocycle.it_IT.po b/modules/po/autocycle.it_IT.po new file mode 100644 index 00000000..a5a9a4ed --- /dev/null +++ b/modules/po/autocycle.it_IT.po @@ -0,0 +1,69 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /master/modules/po/autocycle.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: autocycle.cpp:27 autocycle.cpp:30 +msgid "[!]<#chan>" +msgstr "" + +#: autocycle.cpp:28 +msgid "Add an entry, use !#chan to negate and * for wildcards" +msgstr "" + +#: autocycle.cpp:31 +msgid "Remove an entry, needs to be an exact match" +msgstr "" + +#: autocycle.cpp:33 +msgid "List all entries" +msgstr "" + +#: autocycle.cpp:46 +msgid "Unable to add {1}" +msgstr "" + +#: autocycle.cpp:66 +msgid "{1} is already added" +msgstr "" + +#: autocycle.cpp:68 +msgid "Added {1} to list" +msgstr "" + +#: autocycle.cpp:70 +msgid "Usage: Add [!]<#chan>" +msgstr "" + +#: autocycle.cpp:78 +msgid "Removed {1} from list" +msgstr "" + +#: autocycle.cpp:80 +msgid "Usage: Del [!]<#chan>" +msgstr "" + +#: autocycle.cpp:85 autocycle.cpp:90 autocycle.cpp:95 +msgid "Channel" +msgstr "" + +#: autocycle.cpp:101 +msgid "You have no entries." +msgstr "" + +#: autocycle.cpp:230 +msgid "List of channel masks and channel masks with ! before them." +msgstr "" + +#: autocycle.cpp:235 +msgid "Rejoins channels to gain Op if you're the only user left" +msgstr "" diff --git a/modules/po/autoop.it_IT.po b/modules/po/autoop.it_IT.po new file mode 100644 index 00000000..00ad3365 --- /dev/null +++ b/modules/po/autoop.it_IT.po @@ -0,0 +1,168 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /master/modules/po/autoop.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: autoop.cpp:154 +msgid "List all users" +msgstr "" + +#: autoop.cpp:156 autoop.cpp:159 +msgid " [channel] ..." +msgstr "" + +#: autoop.cpp:157 +msgid "Adds channels to a user" +msgstr "" + +#: autoop.cpp:160 +msgid "Removes channels from a user" +msgstr "" + +#: autoop.cpp:162 autoop.cpp:165 +msgid " ,[mask] ..." +msgstr "" + +#: autoop.cpp:163 +msgid "Adds masks to a user" +msgstr "" + +#: autoop.cpp:166 +msgid "Removes masks from a user" +msgstr "" + +#: autoop.cpp:169 +msgid " [,...] [channels]" +msgstr "" + +#: autoop.cpp:170 +msgid "Adds a user" +msgstr "" + +#: autoop.cpp:172 +msgid "" +msgstr "" + +#: autoop.cpp:172 +msgid "Removes a user" +msgstr "" + +#: autoop.cpp:275 +msgid "Usage: AddUser [,...] [channels]" +msgstr "" + +#: autoop.cpp:291 +msgid "Usage: DelUser " +msgstr "" + +#: autoop.cpp:300 +msgid "There are no users defined" +msgstr "" + +#: autoop.cpp:306 autoop.cpp:317 autoop.cpp:321 autoop.cpp:323 +msgid "User" +msgstr "" + +#: autoop.cpp:307 autoop.cpp:325 +msgid "Hostmasks" +msgstr "" + +#: autoop.cpp:308 autoop.cpp:318 +msgid "Key" +msgstr "" + +#: autoop.cpp:309 autoop.cpp:319 +msgid "Channels" +msgstr "" + +#: autoop.cpp:337 +msgid "Usage: AddChans [channel] ..." +msgstr "" + +#: autoop.cpp:344 autoop.cpp:365 autoop.cpp:387 autoop.cpp:408 autoop.cpp:472 +msgid "No such user" +msgstr "" + +#: autoop.cpp:349 +msgid "Channel(s) added to user {1}" +msgstr "" + +#: autoop.cpp:358 +msgid "Usage: DelChans [channel] ..." +msgstr "" + +#: autoop.cpp:371 +msgid "Channel(s) Removed from user {1}" +msgstr "" + +#: autoop.cpp:380 +msgid "Usage: AddMasks ,[mask] ..." +msgstr "" + +#: autoop.cpp:392 +msgid "Hostmasks(s) added to user {1}" +msgstr "" + +#: autoop.cpp:401 +msgid "Usage: DelMasks ,[mask] ..." +msgstr "" + +#: autoop.cpp:413 +msgid "Removed user {1} with key {2} and channels {3}" +msgstr "" + +#: autoop.cpp:419 +msgid "Hostmasks(s) Removed from user {1}" +msgstr "" + +#: autoop.cpp:478 +msgid "User {1} removed" +msgstr "" + +#: autoop.cpp:484 +msgid "That user already exists" +msgstr "" + +#: autoop.cpp:490 +msgid "User {1} added with hostmask(s) {2}" +msgstr "" + +#: autoop.cpp:532 +msgid "" +"[{1}] sent us a challenge but they are not opped in any defined channels." +msgstr "" + +#: autoop.cpp:536 +msgid "[{1}] sent us a challenge but they do not match a defined user." +msgstr "" + +#: autoop.cpp:544 +msgid "WARNING! [{1}] sent an invalid challenge." +msgstr "" + +#: autoop.cpp:560 +msgid "[{1}] sent an unchallenged response. This could be due to lag." +msgstr "" + +#: autoop.cpp:577 +msgid "" +"WARNING! [{1}] sent a bad response. Please verify that you have their " +"correct password." +msgstr "" + +#: autoop.cpp:586 +msgid "WARNING! [{1}] sent a response but did not match any defined users." +msgstr "" + +#: autoop.cpp:644 +msgid "Auto op the good people" +msgstr "" diff --git a/modules/po/autoreply.it_IT.po b/modules/po/autoreply.it_IT.po new file mode 100644 index 00000000..3f5aad22 --- /dev/null +++ b/modules/po/autoreply.it_IT.po @@ -0,0 +1,43 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /master/modules/po/autoreply.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: autoreply.cpp:25 +msgid "" +msgstr "" + +#: autoreply.cpp:25 +msgid "Sets a new reply" +msgstr "" + +#: autoreply.cpp:27 +msgid "Displays the current query reply" +msgstr "" + +#: autoreply.cpp:75 +msgid "Current reply is: {1} ({2})" +msgstr "" + +#: autoreply.cpp:81 +msgid "New reply set to: {1} ({2})" +msgstr "" + +#: autoreply.cpp:94 +msgid "" +"You might specify a reply text. It is used when automatically answering " +"queries, if you are not connected to ZNC." +msgstr "" + +#: autoreply.cpp:98 +msgid "Reply to queries when you are away" +msgstr "" diff --git a/modules/po/autovoice.it_IT.po b/modules/po/autovoice.it_IT.po new file mode 100644 index 00000000..1dca7ffa --- /dev/null +++ b/modules/po/autovoice.it_IT.po @@ -0,0 +1,111 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /master/modules/po/autovoice.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: autovoice.cpp:120 +msgid "List all users" +msgstr "" + +#: autovoice.cpp:122 autovoice.cpp:125 +msgid " [channel] ..." +msgstr "" + +#: autovoice.cpp:123 +msgid "Adds channels to a user" +msgstr "" + +#: autovoice.cpp:126 +msgid "Removes channels from a user" +msgstr "" + +#: autovoice.cpp:128 +msgid " [channels]" +msgstr "" + +#: autovoice.cpp:129 +msgid "Adds a user" +msgstr "" + +#: autovoice.cpp:131 +msgid "" +msgstr "" + +#: autovoice.cpp:131 +msgid "Removes a user" +msgstr "" + +#: autovoice.cpp:215 +msgid "Usage: AddUser [channels]" +msgstr "" + +#: autovoice.cpp:229 +msgid "Usage: DelUser " +msgstr "" + +#: autovoice.cpp:238 +msgid "There are no users defined" +msgstr "" + +#: autovoice.cpp:244 autovoice.cpp:250 +msgid "User" +msgstr "" + +#: autovoice.cpp:245 autovoice.cpp:251 +msgid "Hostmask" +msgstr "" + +#: autovoice.cpp:246 autovoice.cpp:252 +msgid "Channels" +msgstr "" + +#: autovoice.cpp:263 +msgid "Usage: AddChans [channel] ..." +msgstr "" + +#: autovoice.cpp:270 autovoice.cpp:292 autovoice.cpp:329 +msgid "No such user" +msgstr "" + +#: autovoice.cpp:275 +msgid "Channel(s) added to user {1}" +msgstr "" + +#: autovoice.cpp:285 +msgid "Usage: DelChans [channel] ..." +msgstr "" + +#: autovoice.cpp:298 +msgid "Channel(s) Removed from user {1}" +msgstr "" + +#: autovoice.cpp:335 +msgid "User {1} removed" +msgstr "" + +#: autovoice.cpp:341 +msgid "That user already exists" +msgstr "" + +#: autovoice.cpp:347 +msgid "User {1} added with hostmask {2}" +msgstr "" + +#: autovoice.cpp:360 +msgid "" +"Each argument is either a channel you want autovoice for (which can include " +"wildcards) or, if it starts with !, it is an exception for autovoice." +msgstr "" + +#: autovoice.cpp:365 +msgid "Auto voice the good people" +msgstr "" diff --git a/modules/po/awaystore.it_IT.po b/modules/po/awaystore.it_IT.po new file mode 100644 index 00000000..280c04a5 --- /dev/null +++ b/modules/po/awaystore.it_IT.po @@ -0,0 +1,110 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /master/modules/po/awaystore.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: awaystore.cpp:67 +msgid "You have been marked as away" +msgstr "" + +#: awaystore.cpp:78 awaystore.cpp:385 awaystore.cpp:388 +msgid "Welcome back!" +msgstr "" + +#: awaystore.cpp:100 +msgid "Deleted {1} messages" +msgstr "" + +#: awaystore.cpp:104 +msgid "USAGE: delete " +msgstr "" + +#: awaystore.cpp:109 +msgid "Illegal message # requested" +msgstr "" + +#: awaystore.cpp:113 +msgid "Message erased" +msgstr "" + +#: awaystore.cpp:122 +msgid "Messages saved to disk" +msgstr "" + +#: awaystore.cpp:124 +msgid "There are no messages to save" +msgstr "" + +#: awaystore.cpp:135 +msgid "Password updated to [{1}]" +msgstr "" + +#: awaystore.cpp:147 +msgid "Corrupt message! [{1}]" +msgstr "" + +#: awaystore.cpp:159 +msgid "Corrupt time stamp! [{1}]" +msgstr "" + +#: awaystore.cpp:178 +msgid "#--- End of messages" +msgstr "" + +#: awaystore.cpp:183 +msgid "Timer set to 300 seconds" +msgstr "" + +#: awaystore.cpp:188 awaystore.cpp:197 +msgid "Timer disabled" +msgstr "" + +#: awaystore.cpp:199 +msgid "Timer set to {1} seconds" +msgstr "" + +#: awaystore.cpp:203 +msgid "Current timer setting: {1} seconds" +msgstr "" + +#: awaystore.cpp:278 +msgid "This module needs as an argument a keyphrase used for encryption" +msgstr "" + +#: awaystore.cpp:285 +msgid "" +"Failed to decrypt your saved messages - Did you give the right encryption " +"key as an argument to this module?" +msgstr "" + +#: awaystore.cpp:386 awaystore.cpp:389 +msgid "You have {1} messages!" +msgstr "" + +#: awaystore.cpp:456 +msgid "Unable to find buffer" +msgstr "" + +#: awaystore.cpp:469 +msgid "Unable to decode encrypted messages" +msgstr "" + +#: awaystore.cpp:516 +msgid "" +"[ -notimer | -timer N ] [-chans] passw0rd . N is number of seconds, 600 by " +"default." +msgstr "" + +#: awaystore.cpp:521 +msgid "" +"Adds auto-away with logging, useful when you use ZNC from different locations" +msgstr "" diff --git a/modules/po/block_motd.it_IT.po b/modules/po/block_motd.it_IT.po new file mode 100644 index 00000000..579f211a --- /dev/null +++ b/modules/po/block_motd.it_IT.po @@ -0,0 +1,35 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /master/modules/po/block_motd.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: block_motd.cpp:26 +msgid "[]" +msgstr "" + +#: block_motd.cpp:27 +msgid "" +"Override the block with this command. Can optionally specify which server to " +"query." +msgstr "" + +#: block_motd.cpp:36 +msgid "You are not connected to an IRC Server." +msgstr "" + +#: block_motd.cpp:58 +msgid "MOTD blocked by ZNC" +msgstr "" + +#: block_motd.cpp:104 +msgid "Block the MOTD from IRC so it's not sent to your client(s)." +msgstr "" diff --git a/modules/po/blockuser.it_IT.po b/modules/po/blockuser.it_IT.po new file mode 100644 index 00000000..84ee85c3 --- /dev/null +++ b/modules/po/blockuser.it_IT.po @@ -0,0 +1,97 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /master/modules/po/blockuser.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: modules/po/../data/blockuser/tmpl/blockuser_WebadminUser.tmpl:9 +msgid "Account is blocked" +msgstr "" + +#: blockuser.cpp:23 +msgid "Your account has been disabled. Contact your administrator." +msgstr "" + +#: blockuser.cpp:29 +msgid "List blocked users" +msgstr "" + +#: blockuser.cpp:31 blockuser.cpp:33 +msgid "" +msgstr "" + +#: blockuser.cpp:31 +msgid "Block a user" +msgstr "" + +#: blockuser.cpp:33 +msgid "Unblock a user" +msgstr "" + +#: blockuser.cpp:55 +msgid "Could not block {1}" +msgstr "" + +#: blockuser.cpp:76 +msgid "Access denied" +msgstr "" + +#: blockuser.cpp:85 +msgid "No users are blocked" +msgstr "" + +#: blockuser.cpp:88 +msgid "Blocked users:" +msgstr "" + +#: blockuser.cpp:100 +msgid "Usage: Block " +msgstr "" + +#: blockuser.cpp:105 blockuser.cpp:147 +msgid "You can't block yourself" +msgstr "" + +#: blockuser.cpp:110 blockuser.cpp:152 +msgid "Blocked {1}" +msgstr "" + +#: blockuser.cpp:112 +msgid "Could not block {1} (misspelled?)" +msgstr "" + +#: blockuser.cpp:120 +msgid "Usage: Unblock " +msgstr "" + +#: blockuser.cpp:125 blockuser.cpp:161 +msgid "Unblocked {1}" +msgstr "" + +#: blockuser.cpp:127 +msgid "This user is not blocked" +msgstr "" + +#: blockuser.cpp:155 +msgid "Couldn't block {1}" +msgstr "" + +#: blockuser.cpp:164 +msgid "User {1} is not blocked" +msgstr "" + +#: blockuser.cpp:216 +msgid "Enter one or more user names. Separate them by spaces." +msgstr "" + +#: blockuser.cpp:219 +msgid "Block certain users from logging in." +msgstr "" diff --git a/modules/po/bouncedcc.it_IT.po b/modules/po/bouncedcc.it_IT.po new file mode 100644 index 00000000..028c619e --- /dev/null +++ b/modules/po/bouncedcc.it_IT.po @@ -0,0 +1,131 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /master/modules/po/bouncedcc.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: bouncedcc.cpp:101 bouncedcc.cpp:119 bouncedcc.cpp:121 +msgctxt "list" +msgid "Type" +msgstr "" + +#: bouncedcc.cpp:102 bouncedcc.cpp:132 +msgctxt "list" +msgid "State" +msgstr "" + +#: bouncedcc.cpp:103 +msgctxt "list" +msgid "Speed" +msgstr "" + +#: bouncedcc.cpp:104 bouncedcc.cpp:115 +msgctxt "list" +msgid "Nick" +msgstr "" + +#: bouncedcc.cpp:105 bouncedcc.cpp:116 +msgctxt "list" +msgid "IP" +msgstr "" + +#: bouncedcc.cpp:106 bouncedcc.cpp:122 +msgctxt "list" +msgid "File" +msgstr "" + +#: bouncedcc.cpp:119 +msgctxt "list" +msgid "Chat" +msgstr "" + +#: bouncedcc.cpp:121 +msgctxt "list" +msgid "Xfer" +msgstr "" + +#: bouncedcc.cpp:125 +msgid "Waiting" +msgstr "" + +#: bouncedcc.cpp:127 +msgid "Halfway" +msgstr "" + +#: bouncedcc.cpp:129 +msgid "Connected" +msgstr "" + +#: bouncedcc.cpp:137 +msgid "You have no active DCCs." +msgstr "" + +#: bouncedcc.cpp:148 +msgid "Use client IP: {1}" +msgstr "" + +#: bouncedcc.cpp:153 +msgid "List all active DCCs" +msgstr "" + +#: bouncedcc.cpp:156 +msgid "Change the option to use IP of client" +msgstr "" + +#: bouncedcc.cpp:383 bouncedcc.cpp:412 bouncedcc.cpp:436 bouncedcc.cpp:451 +msgctxt "type" +msgid "Chat" +msgstr "" + +#: bouncedcc.cpp:383 bouncedcc.cpp:412 bouncedcc.cpp:436 bouncedcc.cpp:451 +msgctxt "type" +msgid "Xfer" +msgstr "" + +#: bouncedcc.cpp:385 +msgid "DCC {1} Bounce ({2}): Too long line received" +msgstr "" + +#: bouncedcc.cpp:418 +msgid "DCC {1} Bounce ({2}): Timeout while connecting to {3} {4}" +msgstr "" + +#: bouncedcc.cpp:422 +msgid "DCC {1} Bounce ({2}): Timeout while connecting." +msgstr "" + +#: bouncedcc.cpp:427 +msgid "" +"DCC {1} Bounce ({2}): Timeout while waiting for incoming connection on {3} " +"{4}" +msgstr "" + +#: bouncedcc.cpp:440 +msgid "DCC {1} Bounce ({2}): Connection refused while connecting to {3} {4}" +msgstr "" + +#: bouncedcc.cpp:444 +msgid "DCC {1} Bounce ({2}): Connection refused while connecting." +msgstr "" + +#: bouncedcc.cpp:457 bouncedcc.cpp:465 +msgid "DCC {1} Bounce ({2}): Socket error on {3} {4}: {5}" +msgstr "" + +#: bouncedcc.cpp:460 +msgid "DCC {1} Bounce ({2}): Socket error: {3}" +msgstr "" + +#: bouncedcc.cpp:547 +msgid "" +"Bounces DCC transfers through ZNC instead of sending them directly to the " +"user. " +msgstr "" diff --git a/modules/po/buffextras.it_IT.po b/modules/po/buffextras.it_IT.po new file mode 100644 index 00000000..6bc486f5 --- /dev/null +++ b/modules/po/buffextras.it_IT.po @@ -0,0 +1,49 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /master/modules/po/buffextras.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: buffextras.cpp:45 +msgid "Server" +msgstr "" + +#: buffextras.cpp:47 +msgid "{1} set mode: {2} {3}" +msgstr "" + +#: buffextras.cpp:55 +msgid "{1} kicked {2} with reason: {3}" +msgstr "" + +#: buffextras.cpp:64 +msgid "{1} quit: {2}" +msgstr "" + +#: buffextras.cpp:73 +msgid "{1} joined" +msgstr "" + +#: buffextras.cpp:81 +msgid "{1} parted: {2}" +msgstr "" + +#: buffextras.cpp:90 +msgid "{1} is now known as {2}" +msgstr "" + +#: buffextras.cpp:100 +msgid "{1} changed the topic to: {2}" +msgstr "" + +#: buffextras.cpp:115 +msgid "Adds joins, parts etc. to the playback buffer" +msgstr "" diff --git a/modules/po/cert.it_IT.po b/modules/po/cert.it_IT.po new file mode 100644 index 00000000..8daa7e15 --- /dev/null +++ b/modules/po/cert.it_IT.po @@ -0,0 +1,75 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /master/modules/po/cert.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +# this text is inserted into `click here` in the other string +#: modules/po/../data/cert/tmpl/index.tmpl:5 +msgid "here" +msgstr "" + +# {1} is `here`, translateable in the other string +#: modules/po/../data/cert/tmpl/index.tmpl:6 +msgid "" +"You already have a certificate set, use the form below to overwrite the " +"current certificate. Alternatively click {1} to delete your certificate." +msgstr "" + +#: modules/po/../data/cert/tmpl/index.tmpl:8 +msgid "You do not have a certificate yet." +msgstr "" + +#: modules/po/../data/cert/tmpl/index.tmpl:14 cert.cpp:72 +msgid "Certificate" +msgstr "" + +#: modules/po/../data/cert/tmpl/index.tmpl:18 +msgid "PEM File:" +msgstr "" + +#: modules/po/../data/cert/tmpl/index.tmpl:22 +msgid "Update" +msgstr "" + +#: cert.cpp:28 +msgid "Pem file deleted" +msgstr "" + +#: cert.cpp:31 +msgid "The pem file doesn't exist or there was a error deleting the pem file." +msgstr "" + +#: cert.cpp:38 +msgid "You have a certificate in {1}" +msgstr "" + +#: cert.cpp:41 +msgid "" +"You do not have a certificate. Please use the web interface to add a " +"certificate" +msgstr "" + +#: cert.cpp:44 +msgid "Alternatively you can either place one at {1}" +msgstr "" + +#: cert.cpp:52 +msgid "Delete the current certificate" +msgstr "" + +#: cert.cpp:54 +msgid "Show the current certificate" +msgstr "" + +#: cert.cpp:105 +msgid "Use a ssl certificate to connect to a server" +msgstr "" diff --git a/modules/po/certauth.it_IT.po b/modules/po/certauth.it_IT.po new file mode 100644 index 00000000..f1877a2b --- /dev/null +++ b/modules/po/certauth.it_IT.po @@ -0,0 +1,108 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /master/modules/po/certauth.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: modules/po/../data/certauth/tmpl/index.tmpl:7 +msgid "Add a key" +msgstr "" + +#: modules/po/../data/certauth/tmpl/index.tmpl:11 +msgid "Key:" +msgstr "" + +#: modules/po/../data/certauth/tmpl/index.tmpl:15 +msgid "Add Key" +msgstr "" + +#: modules/po/../data/certauth/tmpl/index.tmpl:23 +msgid "You have no keys." +msgstr "" + +#: modules/po/../data/certauth/tmpl/index.tmpl:30 +msgctxt "web" +msgid "Key" +msgstr "" + +#: modules/po/../data/certauth/tmpl/index.tmpl:36 +msgid "del" +msgstr "" + +#: certauth.cpp:31 +msgid "[pubkey]" +msgstr "" + +#: certauth.cpp:32 +msgid "Add a public key. If key is not provided will use the current key" +msgstr "" + +#: certauth.cpp:35 +msgid "id" +msgstr "" + +#: certauth.cpp:35 +msgid "Delete a key by its number in List" +msgstr "" + +#: certauth.cpp:37 +msgid "List your public keys" +msgstr "" + +#: certauth.cpp:39 +msgid "Print your current key" +msgstr "" + +#: certauth.cpp:142 +msgid "You are not connected with any valid public key" +msgstr "" + +#: certauth.cpp:144 +msgid "Your current public key is: {1}" +msgstr "" + +#: certauth.cpp:157 +msgid "You did not supply a public key or connect with one." +msgstr "" + +#: certauth.cpp:160 +msgid "Key '{1}' added." +msgstr "" + +#: certauth.cpp:162 +msgid "The key '{1}' is already added." +msgstr "" + +#: certauth.cpp:170 certauth.cpp:183 +msgctxt "list" +msgid "Id" +msgstr "" + +#: certauth.cpp:171 certauth.cpp:184 +msgctxt "list" +msgid "Key" +msgstr "" + +#: certauth.cpp:176 certauth.cpp:190 certauth.cpp:199 +msgid "No keys set for your user" +msgstr "" + +#: certauth.cpp:204 +msgid "Invalid #, check \"list\"" +msgstr "" + +#: certauth.cpp:216 +msgid "Removed" +msgstr "" + +#: certauth.cpp:291 +msgid "Allows users to authenticate via SSL client certificates." +msgstr "" diff --git a/modules/po/chansaver.it_IT.po b/modules/po/chansaver.it_IT.po new file mode 100644 index 00000000..82a91c54 --- /dev/null +++ b/modules/po/chansaver.it_IT.po @@ -0,0 +1,17 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /master/modules/po/chansaver.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: chansaver.cpp:91 +msgid "Keeps config up-to-date when user joins/parts." +msgstr "" diff --git a/modules/po/clearbufferonmsg.it_IT.po b/modules/po/clearbufferonmsg.it_IT.po new file mode 100644 index 00000000..66201a05 --- /dev/null +++ b/modules/po/clearbufferonmsg.it_IT.po @@ -0,0 +1,17 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /master/modules/po/clearbufferonmsg.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: clearbufferonmsg.cpp:160 +msgid "Clears all channel and query buffers whenever the user does something" +msgstr "" diff --git a/modules/po/clientnotify.it_IT.po b/modules/po/clientnotify.it_IT.po new file mode 100644 index 00000000..44aa12d8 --- /dev/null +++ b/modules/po/clientnotify.it_IT.po @@ -0,0 +1,73 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /master/modules/po/clientnotify.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: clientnotify.cpp:47 +msgid "" +msgstr "" + +#: clientnotify.cpp:48 +msgid "Sets the notify method" +msgstr "" + +#: clientnotify.cpp:50 clientnotify.cpp:54 +msgid "" +msgstr "" + +#: clientnotify.cpp:51 +msgid "Turns notifications for unseen IP addresses on or off" +msgstr "" + +#: clientnotify.cpp:55 +msgid "Turns notifications for clients disconnecting on or off" +msgstr "" + +#: clientnotify.cpp:57 +msgid "Shows the current settings" +msgstr "" + +#: clientnotify.cpp:81 clientnotify.cpp:95 +msgid "" +msgid_plural "" +"Another client authenticated as your user. Use the 'ListClients' command to " +"see all {1} clients." +msgstr[0] "" +msgstr[1] "" + +#: clientnotify.cpp:108 +msgid "Usage: Method " +msgstr "" + +#: clientnotify.cpp:114 clientnotify.cpp:127 clientnotify.cpp:140 +msgid "Saved." +msgstr "" + +#: clientnotify.cpp:121 +msgid "Usage: NewOnly " +msgstr "" + +#: clientnotify.cpp:134 +msgid "Usage: OnDisconnect " +msgstr "" + +#: clientnotify.cpp:145 +msgid "" +"Current settings: Method: {1}, for unseen IP addresses only: {2}, notify on " +"disconnecting clients: {3}" +msgstr "" + +#: clientnotify.cpp:157 +msgid "" +"Notifies you when another IRC client logs into or out of your account. " +"Configurable." +msgstr "" diff --git a/modules/po/controlpanel.it_IT.po b/modules/po/controlpanel.it_IT.po new file mode 100644 index 00000000..c62682b5 --- /dev/null +++ b/modules/po/controlpanel.it_IT.po @@ -0,0 +1,718 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /master/modules/po/controlpanel.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: controlpanel.cpp:51 controlpanel.cpp:64 +msgctxt "helptable" +msgid "Type" +msgstr "" + +#: controlpanel.cpp:52 controlpanel.cpp:66 +msgctxt "helptable" +msgid "Variables" +msgstr "" + +#: controlpanel.cpp:78 +msgid "String" +msgstr "" + +#: controlpanel.cpp:79 +msgid "Boolean (true/false)" +msgstr "" + +#: controlpanel.cpp:80 +msgid "Integer" +msgstr "" + +#: controlpanel.cpp:81 +msgid "Number" +msgstr "" + +#: controlpanel.cpp:125 +msgid "The following variables are available when using the Set/Get commands:" +msgstr "" + +#: controlpanel.cpp:149 +msgid "" +"The following variables are available when using the SetNetwork/GetNetwork " +"commands:" +msgstr "" + +#: controlpanel.cpp:163 +msgid "" +"The following variables are available when using the SetChan/GetChan " +"commands:" +msgstr "" + +#: controlpanel.cpp:170 +msgid "" +"You can use $user as the user name and $network as the network name for " +"modifying your own user and network." +msgstr "" + +#: controlpanel.cpp:179 controlpanel.cpp:966 controlpanel.cpp:1003 +msgid "Error: User [{1}] does not exist!" +msgstr "" + +#: controlpanel.cpp:184 +msgid "Error: You need to have admin rights to modify other users!" +msgstr "" + +#: controlpanel.cpp:194 +msgid "Error: You cannot use $network to modify other users!" +msgstr "" + +#: controlpanel.cpp:202 +msgid "Error: User {1} does not have a network named [{2}]." +msgstr "" + +#: controlpanel.cpp:214 +msgid "Usage: Get [username]" +msgstr "" + +#: controlpanel.cpp:304 controlpanel.cpp:507 controlpanel.cpp:582 +#: controlpanel.cpp:658 controlpanel.cpp:793 controlpanel.cpp:878 +msgid "Error: Unknown variable" +msgstr "" + +#: controlpanel.cpp:313 +msgid "Usage: Set " +msgstr "" + +#: controlpanel.cpp:335 controlpanel.cpp:623 +msgid "This bind host is already set!" +msgstr "" + +#: controlpanel.cpp:342 controlpanel.cpp:354 controlpanel.cpp:362 +#: controlpanel.cpp:425 controlpanel.cpp:444 controlpanel.cpp:460 +#: controlpanel.cpp:470 controlpanel.cpp:630 +msgid "Access denied!" +msgstr "" + +#: controlpanel.cpp:376 controlpanel.cpp:385 controlpanel.cpp:842 +msgid "Setting failed, limit for buffer size is {1}" +msgstr "" + +#: controlpanel.cpp:405 +msgid "Password has been changed!" +msgstr "" + +#: controlpanel.cpp:413 +msgid "Timeout can't be less than 30 seconds!" +msgstr "" + +#: controlpanel.cpp:477 +msgid "That would be a bad idea!" +msgstr "" + +#: controlpanel.cpp:495 +msgid "Supported languages: {1}" +msgstr "" + +#: controlpanel.cpp:519 +msgid "Usage: GetNetwork [username] [network]" +msgstr "" + +#: controlpanel.cpp:538 +msgid "Error: A network must be specified to get another users settings." +msgstr "" + +#: controlpanel.cpp:544 +msgid "You are not currently attached to a network." +msgstr "" + +#: controlpanel.cpp:550 +msgid "Error: Invalid network." +msgstr "" + +#: controlpanel.cpp:594 +msgid "Usage: SetNetwork " +msgstr "" + +#: controlpanel.cpp:668 +msgid "Usage: AddChan " +msgstr "" + +#: controlpanel.cpp:681 +msgid "Error: User {1} already has a channel named {2}." +msgstr "" + +#: controlpanel.cpp:688 +msgid "Channel {1} for user {2} added to network {3}." +msgstr "" + +#: controlpanel.cpp:692 +msgid "" +"Could not add channel {1} for user {2} to network {3}, does it already exist?" +msgstr "" + +#: controlpanel.cpp:702 +msgid "Usage: DelChan " +msgstr "" + +#: controlpanel.cpp:717 +msgid "Error: User {1} does not have any channel matching [{2}] in network {3}" +msgstr "" + +#: controlpanel.cpp:730 +msgid "Channel {1} is deleted from network {2} of user {3}" +msgid_plural "Channels {1} are deleted from network {2} of user {3}" +msgstr[0] "" +msgstr[1] "" + +#: controlpanel.cpp:745 +msgid "Usage: GetChan " +msgstr "" + +#: controlpanel.cpp:759 controlpanel.cpp:823 +msgid "Error: No channels matching [{1}] found." +msgstr "" + +#: controlpanel.cpp:808 +msgid "Usage: SetChan " +msgstr "" + +#: controlpanel.cpp:889 controlpanel.cpp:899 +msgctxt "listusers" +msgid "Username" +msgstr "" + +#: controlpanel.cpp:890 controlpanel.cpp:900 +msgctxt "listusers" +msgid "Realname" +msgstr "" + +#: controlpanel.cpp:891 controlpanel.cpp:903 controlpanel.cpp:905 +msgctxt "listusers" +msgid "IsAdmin" +msgstr "" + +#: controlpanel.cpp:892 controlpanel.cpp:906 +msgctxt "listusers" +msgid "Nick" +msgstr "" + +#: controlpanel.cpp:893 controlpanel.cpp:907 +msgctxt "listusers" +msgid "AltNick" +msgstr "" + +#: controlpanel.cpp:894 controlpanel.cpp:908 +msgctxt "listusers" +msgid "Ident" +msgstr "" + +#: controlpanel.cpp:895 controlpanel.cpp:909 +msgctxt "listusers" +msgid "BindHost" +msgstr "" + +#: controlpanel.cpp:903 controlpanel.cpp:1143 +msgid "No" +msgstr "" + +#: controlpanel.cpp:905 controlpanel.cpp:1135 +msgid "Yes" +msgstr "" + +#: controlpanel.cpp:919 controlpanel.cpp:988 +msgid "Error: You need to have admin rights to add new users!" +msgstr "" + +#: controlpanel.cpp:925 +msgid "Usage: AddUser " +msgstr "" + +#: controlpanel.cpp:930 +msgid "Error: User {1} already exists!" +msgstr "" + +#: controlpanel.cpp:942 controlpanel.cpp:1017 +msgid "Error: User not added: {1}" +msgstr "" + +#: controlpanel.cpp:946 controlpanel.cpp:1021 +msgid "User {1} added!" +msgstr "" + +#: controlpanel.cpp:953 +msgid "Error: You need to have admin rights to delete users!" +msgstr "" + +#: controlpanel.cpp:959 +msgid "Usage: DelUser " +msgstr "" + +#: controlpanel.cpp:971 +msgid "Error: You can't delete yourself!" +msgstr "" + +#: controlpanel.cpp:977 +msgid "Error: Internal error!" +msgstr "" + +#: controlpanel.cpp:981 +msgid "User {1} deleted!" +msgstr "" + +#: controlpanel.cpp:996 +msgid "Usage: CloneUser " +msgstr "" + +#: controlpanel.cpp:1011 +msgid "Error: Cloning failed: {1}" +msgstr "" + +#: controlpanel.cpp:1040 +msgid "Usage: AddNetwork [user] network" +msgstr "" + +#: controlpanel.cpp:1046 +msgid "" +"Network number limit reached. Ask an admin to increase the limit for you, or " +"delete unneeded networks using /znc DelNetwork " +msgstr "" + +#: controlpanel.cpp:1054 +msgid "Error: User {1} already has a network with the name {2}" +msgstr "" + +#: controlpanel.cpp:1061 +msgid "Network {1} added to user {2}." +msgstr "" + +#: controlpanel.cpp:1065 +msgid "Error: Network [{1}] could not be added for user {2}: {3}" +msgstr "" + +#: controlpanel.cpp:1085 +msgid "Usage: DelNetwork [user] network" +msgstr "" + +#: controlpanel.cpp:1096 +msgid "The currently active network can be deleted via {1}status" +msgstr "" + +#: controlpanel.cpp:1102 +msgid "Network {1} deleted for user {2}." +msgstr "" + +#: controlpanel.cpp:1106 +msgid "Error: Network {1} could not be deleted for user {2}." +msgstr "" + +#: controlpanel.cpp:1125 controlpanel.cpp:1133 +msgctxt "listnetworks" +msgid "Network" +msgstr "" + +#: controlpanel.cpp:1126 controlpanel.cpp:1135 controlpanel.cpp:1143 +msgctxt "listnetworks" +msgid "OnIRC" +msgstr "" + +#: controlpanel.cpp:1127 controlpanel.cpp:1136 +msgctxt "listnetworks" +msgid "IRC Server" +msgstr "" + +#: controlpanel.cpp:1128 controlpanel.cpp:1138 +msgctxt "listnetworks" +msgid "IRC User" +msgstr "" + +#: controlpanel.cpp:1129 controlpanel.cpp:1140 +msgctxt "listnetworks" +msgid "Channels" +msgstr "" + +#: controlpanel.cpp:1148 +msgid "No networks" +msgstr "" + +#: controlpanel.cpp:1159 +msgid "Usage: AddServer [[+]port] [password]" +msgstr "" + +#: controlpanel.cpp:1173 +msgid "Added IRC Server {1} to network {2} for user {3}." +msgstr "" + +#: controlpanel.cpp:1177 +msgid "Error: Could not add IRC server {1} to network {2} for user {3}." +msgstr "" + +#: controlpanel.cpp:1190 +msgid "Usage: DelServer [[+]port] [password]" +msgstr "" + +#: controlpanel.cpp:1205 +msgid "Deleted IRC Server {1} from network {2} for user {3}." +msgstr "" + +#: controlpanel.cpp:1209 +msgid "Error: Could not delete IRC server {1} from network {2} for user {3}." +msgstr "" + +#: controlpanel.cpp:1219 +msgid "Usage: Reconnect " +msgstr "" + +#: controlpanel.cpp:1246 +msgid "Queued network {1} of user {2} for a reconnect." +msgstr "" + +#: controlpanel.cpp:1255 +msgid "Usage: Disconnect " +msgstr "" + +#: controlpanel.cpp:1270 +msgid "Closed IRC connection for network {1} of user {2}." +msgstr "" + +#: controlpanel.cpp:1285 controlpanel.cpp:1290 +msgctxt "listctcp" +msgid "Request" +msgstr "" + +#: controlpanel.cpp:1286 controlpanel.cpp:1291 +msgctxt "listctcp" +msgid "Reply" +msgstr "" + +#: controlpanel.cpp:1295 +msgid "No CTCP replies for user {1} are configured" +msgstr "" + +#: controlpanel.cpp:1298 +msgid "CTCP replies for user {1}:" +msgstr "" + +#: controlpanel.cpp:1314 +msgid "Usage: AddCTCP [user] [request] [reply]" +msgstr "" + +#: controlpanel.cpp:1316 +msgid "" +"This will cause ZNC to reply to the CTCP instead of forwarding it to clients." +msgstr "" + +#: controlpanel.cpp:1319 +msgid "An empty reply will cause the CTCP request to be blocked." +msgstr "" + +#: controlpanel.cpp:1328 +msgid "CTCP requests {1} to user {2} will now be blocked." +msgstr "" + +#: controlpanel.cpp:1332 +msgid "CTCP requests {1} to user {2} will now get reply: {3}" +msgstr "" + +#: controlpanel.cpp:1349 +msgid "Usage: DelCTCP [user] [request]" +msgstr "" + +#: controlpanel.cpp:1355 +msgid "CTCP requests {1} to user {2} will now be sent to IRC clients" +msgstr "" + +#: controlpanel.cpp:1359 +msgid "" +"CTCP requests {1} to user {2} will be sent to IRC clients (nothing has " +"changed)" +msgstr "" + +#: controlpanel.cpp:1369 controlpanel.cpp:1443 +msgid "Loading modules has been disabled." +msgstr "" + +#: controlpanel.cpp:1378 +msgid "Error: Unable to load module {1}: {2}" +msgstr "" + +#: controlpanel.cpp:1381 +msgid "Loaded module {1}" +msgstr "" + +#: controlpanel.cpp:1386 +msgid "Error: Unable to reload module {1}: {2}" +msgstr "" + +#: controlpanel.cpp:1389 +msgid "Reloaded module {1}" +msgstr "" + +#: controlpanel.cpp:1393 +msgid "Error: Unable to load module {1} because it is already loaded" +msgstr "" + +#: controlpanel.cpp:1404 +msgid "Usage: LoadModule [args]" +msgstr "" + +#: controlpanel.cpp:1423 +msgid "Usage: LoadNetModule [args]" +msgstr "" + +#: controlpanel.cpp:1448 +msgid "Please use /znc unloadmod {1}" +msgstr "" + +#: controlpanel.cpp:1454 +msgid "Error: Unable to unload module {1}: {2}" +msgstr "" + +#: controlpanel.cpp:1457 +msgid "Unloaded module {1}" +msgstr "" + +#: controlpanel.cpp:1466 +msgid "Usage: UnloadModule " +msgstr "" + +#: controlpanel.cpp:1483 +msgid "Usage: UnloadNetModule " +msgstr "" + +#: controlpanel.cpp:1500 controlpanel.cpp:1506 +msgctxt "listmodules" +msgid "Name" +msgstr "" + +#: controlpanel.cpp:1501 controlpanel.cpp:1507 +msgctxt "listmodules" +msgid "Arguments" +msgstr "" + +#: controlpanel.cpp:1526 +msgid "User {1} has no modules loaded." +msgstr "" + +#: controlpanel.cpp:1530 +msgid "Modules loaded for user {1}:" +msgstr "" + +#: controlpanel.cpp:1550 +msgid "Network {1} of user {2} has no modules loaded." +msgstr "" + +#: controlpanel.cpp:1555 +msgid "Modules loaded for network {1} of user {2}:" +msgstr "" + +#: controlpanel.cpp:1562 +msgid "[command] [variable]" +msgstr "" + +#: controlpanel.cpp:1563 +msgid "Prints help for matching commands and variables" +msgstr "" + +#: controlpanel.cpp:1566 +msgid " [username]" +msgstr "" + +#: controlpanel.cpp:1567 +msgid "Prints the variable's value for the given or current user" +msgstr "" + +#: controlpanel.cpp:1569 +msgid " " +msgstr "" + +#: controlpanel.cpp:1570 +msgid "Sets the variable's value for the given user" +msgstr "" + +#: controlpanel.cpp:1572 +msgid " [username] [network]" +msgstr "" + +#: controlpanel.cpp:1573 +msgid "Prints the variable's value for the given network" +msgstr "" + +#: controlpanel.cpp:1575 +msgid " " +msgstr "" + +#: controlpanel.cpp:1576 +msgid "Sets the variable's value for the given network" +msgstr "" + +#: controlpanel.cpp:1578 +msgid " [username] " +msgstr "" + +#: controlpanel.cpp:1579 +msgid "Prints the variable's value for the given channel" +msgstr "" + +#: controlpanel.cpp:1582 +msgid " " +msgstr "" + +#: controlpanel.cpp:1583 +msgid "Sets the variable's value for the given channel" +msgstr "" + +#: controlpanel.cpp:1585 controlpanel.cpp:1588 +msgid " " +msgstr "" + +#: controlpanel.cpp:1586 +msgid "Adds a new channel" +msgstr "" + +#: controlpanel.cpp:1589 +msgid "Deletes a channel" +msgstr "" + +#: controlpanel.cpp:1591 +msgid "Lists users" +msgstr "" + +#: controlpanel.cpp:1593 +msgid " " +msgstr "" + +#: controlpanel.cpp:1594 +msgid "Adds a new user" +msgstr "" + +#: controlpanel.cpp:1596 controlpanel.cpp:1619 controlpanel.cpp:1633 +msgid "" +msgstr "" + +#: controlpanel.cpp:1596 +msgid "Deletes a user" +msgstr "" + +#: controlpanel.cpp:1598 +msgid " " +msgstr "" + +#: controlpanel.cpp:1599 +msgid "Clones a user" +msgstr "" + +#: controlpanel.cpp:1601 controlpanel.cpp:1604 +msgid " " +msgstr "" + +#: controlpanel.cpp:1602 +msgid "Adds a new IRC server for the given or current user" +msgstr "" + +#: controlpanel.cpp:1605 +msgid "Deletes an IRC server from the given or current user" +msgstr "" + +#: controlpanel.cpp:1607 controlpanel.cpp:1610 controlpanel.cpp:1630 +msgid " " +msgstr "" + +#: controlpanel.cpp:1608 +msgid "Cycles the user's IRC server connection" +msgstr "" + +#: controlpanel.cpp:1611 +msgid "Disconnects the user from their IRC server" +msgstr "" + +#: controlpanel.cpp:1613 +msgid " [args]" +msgstr "" + +#: controlpanel.cpp:1614 +msgid "Loads a Module for a user" +msgstr "" + +#: controlpanel.cpp:1616 +msgid " " +msgstr "" + +#: controlpanel.cpp:1617 +msgid "Removes a Module of a user" +msgstr "" + +#: controlpanel.cpp:1620 +msgid "Get the list of modules for a user" +msgstr "" + +#: controlpanel.cpp:1623 +msgid " [args]" +msgstr "" + +#: controlpanel.cpp:1624 +msgid "Loads a Module for a network" +msgstr "" + +#: controlpanel.cpp:1627 +msgid " " +msgstr "" + +#: controlpanel.cpp:1628 +msgid "Removes a Module of a network" +msgstr "" + +#: controlpanel.cpp:1631 +msgid "Get the list of modules for a network" +msgstr "" + +#: controlpanel.cpp:1634 +msgid "List the configured CTCP replies" +msgstr "" + +#: controlpanel.cpp:1636 +msgid " [reply]" +msgstr "" + +#: controlpanel.cpp:1637 +msgid "Configure a new CTCP reply" +msgstr "" + +#: controlpanel.cpp:1639 +msgid " " +msgstr "" + +#: controlpanel.cpp:1640 +msgid "Remove a CTCP reply" +msgstr "" + +#: controlpanel.cpp:1644 controlpanel.cpp:1647 +msgid "[username] " +msgstr "" + +#: controlpanel.cpp:1645 +msgid "Add a network for a user" +msgstr "" + +#: controlpanel.cpp:1648 +msgid "Delete a network for a user" +msgstr "" + +#: controlpanel.cpp:1650 +msgid "[username]" +msgstr "" + +#: controlpanel.cpp:1651 +msgid "List all networks for a user" +msgstr "" + +#: controlpanel.cpp:1664 +msgid "" +"Dynamic configuration through IRC. Allows editing only yourself if you're " +"not ZNC admin." +msgstr "" diff --git a/modules/po/crypt.it_IT.po b/modules/po/crypt.it_IT.po new file mode 100644 index 00000000..cf309053 --- /dev/null +++ b/modules/po/crypt.it_IT.po @@ -0,0 +1,143 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /master/modules/po/crypt.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: crypt.cpp:198 +msgid "<#chan|Nick>" +msgstr "" + +#: crypt.cpp:199 +msgid "Remove a key for nick or channel" +msgstr "" + +#: crypt.cpp:201 +msgid "<#chan|Nick> " +msgstr "" + +#: crypt.cpp:202 +msgid "Set a key for nick or channel" +msgstr "" + +#: crypt.cpp:204 +msgid "List all keys" +msgstr "" + +#: crypt.cpp:206 +msgid "" +msgstr "" + +#: crypt.cpp:207 +msgid "Start a DH1080 key exchange with nick" +msgstr "" + +#: crypt.cpp:210 +msgid "Get the nick prefix" +msgstr "" + +#: crypt.cpp:213 +msgid "[Prefix]" +msgstr "" + +#: crypt.cpp:214 +msgid "Set the nick prefix, with no argument it's disabled." +msgstr "" + +#: crypt.cpp:270 +msgid "Received DH1080 public key from {1}, sending mine..." +msgstr "" + +#: crypt.cpp:275 crypt.cpp:296 +msgid "Key for {1} successfully set." +msgstr "" + +#: crypt.cpp:278 crypt.cpp:299 +msgid "Error in {1} with {2}: {3}" +msgstr "" + +#: crypt.cpp:280 crypt.cpp:301 +msgid "no secret key computed" +msgstr "" + +#: crypt.cpp:395 +msgid "Target [{1}] deleted" +msgstr "" + +#: crypt.cpp:397 +msgid "Target [{1}] not found" +msgstr "" + +#: crypt.cpp:400 +msgid "Usage DelKey <#chan|Nick>" +msgstr "" + +#: crypt.cpp:415 +msgid "Set encryption key for [{1}] to [{2}]" +msgstr "" + +#: crypt.cpp:417 +msgid "Usage: SetKey <#chan|Nick> " +msgstr "" + +#: crypt.cpp:428 +msgid "Sent my DH1080 public key to {1}, waiting for reply ..." +msgstr "" + +#: crypt.cpp:430 +msgid "Error generating our keys, nothing sent." +msgstr "" + +#: crypt.cpp:433 +msgid "Usage: KeyX " +msgstr "" + +#: crypt.cpp:440 +msgid "Nick Prefix disabled." +msgstr "" + +#: crypt.cpp:442 +msgid "Nick Prefix: {1}" +msgstr "" + +#: crypt.cpp:451 +msgid "You cannot use :, even followed by other symbols, as Nick Prefix." +msgstr "" + +#: crypt.cpp:460 +msgid "Overlap with Status Prefix ({1}), this Nick Prefix will not be used!" +msgstr "" + +#: crypt.cpp:465 +msgid "Disabling Nick Prefix." +msgstr "" + +#: crypt.cpp:467 +msgid "Setting Nick Prefix to {1}" +msgstr "" + +#: crypt.cpp:474 crypt.cpp:481 +msgctxt "listkeys" +msgid "Target" +msgstr "" + +#: crypt.cpp:475 crypt.cpp:482 +msgctxt "listkeys" +msgid "Key" +msgstr "" + +#: crypt.cpp:486 +msgid "You have no encryption keys set." +msgstr "" + +#: crypt.cpp:508 +msgid "Encryption for channel/private messages" +msgstr "" diff --git a/modules/po/ctcpflood.it_IT.po b/modules/po/ctcpflood.it_IT.po new file mode 100644 index 00000000..67cbb523 --- /dev/null +++ b/modules/po/ctcpflood.it_IT.po @@ -0,0 +1,69 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /master/modules/po/ctcpflood.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: ctcpflood.cpp:25 ctcpflood.cpp:27 +msgid "" +msgstr "" + +#: ctcpflood.cpp:25 +msgid "Set seconds limit" +msgstr "" + +#: ctcpflood.cpp:27 +msgid "Set lines limit" +msgstr "" + +#: ctcpflood.cpp:29 +msgid "Show the current limits" +msgstr "" + +#: ctcpflood.cpp:76 +msgid "Limit reached by {1}, blocking all CTCP" +msgstr "" + +#: ctcpflood.cpp:98 +msgid "Usage: Secs " +msgstr "" + +#: ctcpflood.cpp:113 +msgid "Usage: Lines " +msgstr "" + +#: ctcpflood.cpp:125 +msgid "1 CTCP message" +msgid_plural "{1} CTCP messages" +msgstr[0] "" +msgstr[1] "" + +#: ctcpflood.cpp:127 +msgid "every second" +msgid_plural "every {1} seconds" +msgstr[0] "" +msgstr[1] "" + +#: ctcpflood.cpp:129 +msgid "Current limit is {1} {2}" +msgstr "" + +#: ctcpflood.cpp:145 +msgid "" +"This user module takes none to two arguments. The first argument is the " +"number of lines after which the flood-protection is triggered. The second " +"argument is the time (sec) to in which the number of lines is reached. The " +"default setting is 4 CTCPs in 2 seconds" +msgstr "" + +#: ctcpflood.cpp:151 +msgid "Don't forward CTCP floods to clients" +msgstr "" diff --git a/modules/po/cyrusauth.it_IT.po b/modules/po/cyrusauth.it_IT.po new file mode 100644 index 00000000..e929418e --- /dev/null +++ b/modules/po/cyrusauth.it_IT.po @@ -0,0 +1,73 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /master/modules/po/cyrusauth.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: cyrusauth.cpp:42 +msgid "Shows current settings" +msgstr "" + +#: cyrusauth.cpp:44 +msgid "yes|clone |no" +msgstr "" + +#: cyrusauth.cpp:45 +msgid "" +"Create ZNC users upon first successful login, optionally from a template" +msgstr "" + +#: cyrusauth.cpp:56 +msgid "Access denied" +msgstr "" + +#: cyrusauth.cpp:70 +msgid "Ignoring invalid SASL pwcheck method: {1}" +msgstr "" + +#: cyrusauth.cpp:71 +msgid "Ignored invalid SASL pwcheck method" +msgstr "" + +#: cyrusauth.cpp:79 +msgid "Need a pwcheck method as argument (saslauthd, auxprop)" +msgstr "" + +#: cyrusauth.cpp:84 +msgid "SASL Could Not Be Initialized - Halting Startup" +msgstr "" + +#: cyrusauth.cpp:171 cyrusauth.cpp:186 +msgid "We will not create users on their first login" +msgstr "" + +#: cyrusauth.cpp:174 cyrusauth.cpp:195 +msgid "" +"We will create users on their first login, using user [{1}] as a template" +msgstr "" + +#: cyrusauth.cpp:177 cyrusauth.cpp:190 +msgid "We will create users on their first login" +msgstr "" + +#: cyrusauth.cpp:199 +msgid "Usage: CreateUsers yes, CreateUsers no, or CreateUsers clone " +msgstr "" + +#: cyrusauth.cpp:232 +msgid "" +"This global module takes up to two arguments - the methods of authentication " +"- auxprop and saslauthd" +msgstr "" + +#: cyrusauth.cpp:238 +msgid "Allow users to authenticate via SASL password verification method" +msgstr "" diff --git a/modules/po/dcc.it_IT.po b/modules/po/dcc.it_IT.po new file mode 100644 index 00000000..a0a5c9ec --- /dev/null +++ b/modules/po/dcc.it_IT.po @@ -0,0 +1,227 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /master/modules/po/dcc.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: dcc.cpp:88 +msgid " " +msgstr "" + +#: dcc.cpp:89 +msgid "Send a file from ZNC to someone" +msgstr "" + +#: dcc.cpp:91 +msgid "" +msgstr "" + +#: dcc.cpp:92 +msgid "Send a file from ZNC to your client" +msgstr "" + +#: dcc.cpp:94 +msgid "List current transfers" +msgstr "" + +#: dcc.cpp:103 +msgid "You must be admin to use the DCC module" +msgstr "" + +#: dcc.cpp:140 +msgid "Attempting to send [{1}] to [{2}]." +msgstr "" + +#: dcc.cpp:149 dcc.cpp:554 +msgid "Receiving [{1}] from [{2}]: File already exists." +msgstr "" + +#: dcc.cpp:167 +msgid "" +"Attempting to connect to [{1} {2}] in order to download [{3}] from [{4}]." +msgstr "" + +#: dcc.cpp:179 +msgid "Usage: Send " +msgstr "" + +#: dcc.cpp:186 dcc.cpp:206 +msgid "Illegal path." +msgstr "" + +#: dcc.cpp:199 +msgid "Usage: Get " +msgstr "" + +#: dcc.cpp:215 dcc.cpp:232 dcc.cpp:234 +msgctxt "list" +msgid "Type" +msgstr "" + +#: dcc.cpp:216 dcc.cpp:238 dcc.cpp:241 +msgctxt "list" +msgid "State" +msgstr "" + +#: dcc.cpp:217 dcc.cpp:243 +msgctxt "list" +msgid "Speed" +msgstr "" + +#: dcc.cpp:218 dcc.cpp:227 +msgctxt "list" +msgid "Nick" +msgstr "" + +#: dcc.cpp:219 dcc.cpp:228 +msgctxt "list" +msgid "IP" +msgstr "" + +#: dcc.cpp:220 dcc.cpp:229 +msgctxt "list" +msgid "File" +msgstr "" + +#: dcc.cpp:232 +msgctxt "list-type" +msgid "Sending" +msgstr "" + +#: dcc.cpp:234 +msgctxt "list-type" +msgid "Getting" +msgstr "" + +#: dcc.cpp:239 +msgctxt "list-state" +msgid "Waiting" +msgstr "" + +#: dcc.cpp:244 +msgid "{1} KiB/s" +msgstr "" + +#: dcc.cpp:250 +msgid "You have no active DCC transfers." +msgstr "" + +#: dcc.cpp:267 +msgid "Attempting to resume send from position {1} of file [{2}] for [{3}]" +msgstr "" + +#: dcc.cpp:277 +msgid "Couldn't resume file [{1}] for [{2}]: not sending anything." +msgstr "" + +#: dcc.cpp:286 +msgid "Bad DCC file: {1}" +msgstr "" + +#: dcc.cpp:341 +msgid "Sending [{1}] to [{2}]: File not open!" +msgstr "" + +#: dcc.cpp:345 +msgid "Receiving [{1}] from [{2}]: File not open!" +msgstr "" + +#: dcc.cpp:385 +msgid "Sending [{1}] to [{2}]: Connection refused." +msgstr "" + +#: dcc.cpp:389 +msgid "Receiving [{1}] from [{2}]: Connection refused." +msgstr "" + +#: dcc.cpp:397 +msgid "Sending [{1}] to [{2}]: Timeout." +msgstr "" + +#: dcc.cpp:401 +msgid "Receiving [{1}] from [{2}]: Timeout." +msgstr "" + +#: dcc.cpp:411 +msgid "Sending [{1}] to [{2}]: Socket error {3}: {4}" +msgstr "" + +#: dcc.cpp:415 +msgid "Receiving [{1}] from [{2}]: Socket error {3}: {4}" +msgstr "" + +#: dcc.cpp:423 +msgid "Sending [{1}] to [{2}]: Transfer started." +msgstr "" + +#: dcc.cpp:427 +msgid "Receiving [{1}] from [{2}]: Transfer started." +msgstr "" + +#: dcc.cpp:446 +msgid "Sending [{1}] to [{2}]: Too much data!" +msgstr "" + +#: dcc.cpp:450 +msgid "Receiving [{1}] from [{2}]: Too much data!" +msgstr "" + +#: dcc.cpp:456 +msgid "Sending [{1}] to [{2}] completed at {3} KiB/s" +msgstr "" + +#: dcc.cpp:461 +msgid "Receiving [{1}] from [{2}] completed at {3} KiB/s" +msgstr "" + +#: dcc.cpp:474 +msgid "Sending [{1}] to [{2}]: File closed prematurely." +msgstr "" + +#: dcc.cpp:478 +msgid "Receiving [{1}] from [{2}]: File closed prematurely." +msgstr "" + +#: dcc.cpp:501 +msgid "Sending [{1}] to [{2}]: Error reading from file." +msgstr "" + +#: dcc.cpp:505 +msgid "Receiving [{1}] from [{2}]: Error reading from file." +msgstr "" + +#: dcc.cpp:537 +msgid "Sending [{1}] to [{2}]: Unable to open file." +msgstr "" + +#: dcc.cpp:541 +msgid "Receiving [{1}] from [{2}]: Unable to open file." +msgstr "" + +#: dcc.cpp:563 +msgid "Receiving [{1}] from [{2}]: Could not open file." +msgstr "" + +#: dcc.cpp:572 +msgid "Sending [{1}] to [{2}]: Not a file." +msgstr "" + +#: dcc.cpp:581 +msgid "Sending [{1}] to [{2}]: Could not open file." +msgstr "" + +#: dcc.cpp:593 +msgid "Sending [{1}] to [{2}]: File too large (>4 GiB)." +msgstr "" + +#: dcc.cpp:623 +msgid "This module allows you to transfer files to and from ZNC" +msgstr "" diff --git a/modules/po/disconkick.it_IT.po b/modules/po/disconkick.it_IT.po new file mode 100644 index 00000000..3921964a --- /dev/null +++ b/modules/po/disconkick.it_IT.po @@ -0,0 +1,23 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /master/modules/po/disconkick.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: disconkick.cpp:32 +msgid "You have been disconnected from the IRC server" +msgstr "" + +#: disconkick.cpp:45 +msgid "" +"Kicks the client from all channels when the connection to the IRC server is " +"lost" +msgstr "" diff --git a/modules/po/fail2ban.it_IT.po b/modules/po/fail2ban.it_IT.po new file mode 100644 index 00000000..db5b9a83 --- /dev/null +++ b/modules/po/fail2ban.it_IT.po @@ -0,0 +1,117 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /master/modules/po/fail2ban.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: fail2ban.cpp:25 +msgid "[minutes]" +msgstr "" + +#: fail2ban.cpp:26 +msgid "The number of minutes IPs are blocked after a failed login." +msgstr "" + +#: fail2ban.cpp:28 +msgid "[count]" +msgstr "" + +#: fail2ban.cpp:29 +msgid "The number of allowed failed login attempts." +msgstr "" + +#: fail2ban.cpp:31 fail2ban.cpp:33 +msgid "" +msgstr "" + +#: fail2ban.cpp:31 +msgid "Ban the specified hosts." +msgstr "" + +#: fail2ban.cpp:33 +msgid "Unban the specified hosts." +msgstr "" + +#: fail2ban.cpp:35 +msgid "List banned hosts." +msgstr "" + +#: fail2ban.cpp:55 +msgid "" +"Invalid argument, must be the number of minutes IPs are blocked after a " +"failed login and can be followed by number of allowed failed login attempts" +msgstr "" + +#: fail2ban.cpp:77 fail2ban.cpp:100 fail2ban.cpp:123 fail2ban.cpp:146 +#: fail2ban.cpp:172 +msgid "Access denied" +msgstr "" + +#: fail2ban.cpp:86 +msgid "Usage: Timeout [minutes]" +msgstr "" + +#: fail2ban.cpp:91 fail2ban.cpp:94 +msgid "Timeout: {1} min" +msgstr "" + +#: fail2ban.cpp:109 +msgid "Usage: Attempts [count]" +msgstr "" + +#: fail2ban.cpp:114 fail2ban.cpp:117 +msgid "Attempts: {1}" +msgstr "" + +#: fail2ban.cpp:130 +msgid "Usage: Ban " +msgstr "" + +#: fail2ban.cpp:140 +msgid "Banned: {1}" +msgstr "" + +#: fail2ban.cpp:153 +msgid "Usage: Unban " +msgstr "" + +#: fail2ban.cpp:163 +msgid "Unbanned: {1}" +msgstr "" + +#: fail2ban.cpp:165 +msgid "Ignored: {1}" +msgstr "" + +#: fail2ban.cpp:177 fail2ban.cpp:183 +msgctxt "list" +msgid "Host" +msgstr "" + +#: fail2ban.cpp:178 fail2ban.cpp:184 +msgctxt "list" +msgid "Attempts" +msgstr "" + +#: fail2ban.cpp:188 +msgctxt "list" +msgid "No bans" +msgstr "" + +#: fail2ban.cpp:245 +msgid "" +"You might enter the time in minutes for the IP banning and the number of " +"failed logins before any action is taken." +msgstr "" + +#: fail2ban.cpp:250 +msgid "Block IPs for some time after a failed login." +msgstr "" diff --git a/modules/po/flooddetach.it_IT.po b/modules/po/flooddetach.it_IT.po new file mode 100644 index 00000000..ba1a5f61 --- /dev/null +++ b/modules/po/flooddetach.it_IT.po @@ -0,0 +1,91 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /master/modules/po/flooddetach.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: flooddetach.cpp:30 +msgid "Show current limits" +msgstr "" + +#: flooddetach.cpp:32 flooddetach.cpp:35 +msgid "[]" +msgstr "" + +#: flooddetach.cpp:33 +msgid "Show or set number of seconds in the time interval" +msgstr "" + +#: flooddetach.cpp:36 +msgid "Show or set number of lines in the time interval" +msgstr "" + +#: flooddetach.cpp:39 +msgid "Show or set whether to notify you about detaching and attaching back" +msgstr "" + +#: flooddetach.cpp:93 +msgid "Flood in {1} is over, reattaching..." +msgstr "" + +#: flooddetach.cpp:150 +msgid "Channel {1} was flooded, you've been detached" +msgstr "" + +#: flooddetach.cpp:187 +msgid "1 line" +msgid_plural "{1} lines" +msgstr[0] "" +msgstr[1] "" + +#: flooddetach.cpp:188 +msgid "every second" +msgid_plural "every {1} seconds" +msgstr[0] "" +msgstr[1] "" + +#: flooddetach.cpp:190 +msgid "Current limit is {1} {2}" +msgstr "" + +#: flooddetach.cpp:197 +msgid "Seconds limit is {1}" +msgstr "" + +#: flooddetach.cpp:202 +msgid "Set seconds limit to {1}" +msgstr "" + +#: flooddetach.cpp:211 +msgid "Lines limit is {1}" +msgstr "" + +#: flooddetach.cpp:216 +msgid "Set lines limit to {1}" +msgstr "" + +#: flooddetach.cpp:229 +msgid "Module messages are disabled" +msgstr "" + +#: flooddetach.cpp:231 +msgid "Module messages are enabled" +msgstr "" + +#: flooddetach.cpp:247 +msgid "" +"This user module takes up to two arguments. Arguments are numbers of " +"messages and seconds." +msgstr "" + +#: flooddetach.cpp:251 +msgid "Detach channels when flooded" +msgstr "" diff --git a/modules/po/identfile.it_IT.po b/modules/po/identfile.it_IT.po new file mode 100644 index 00000000..b34fd35f --- /dev/null +++ b/modules/po/identfile.it_IT.po @@ -0,0 +1,83 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /master/modules/po/identfile.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: identfile.cpp:30 +msgid "Show file name" +msgstr "" + +#: identfile.cpp:32 +msgid "" +msgstr "" + +#: identfile.cpp:32 +msgid "Set file name" +msgstr "" + +#: identfile.cpp:34 +msgid "Show file format" +msgstr "" + +#: identfile.cpp:36 +msgid "" +msgstr "" + +#: identfile.cpp:36 +msgid "Set file format" +msgstr "" + +#: identfile.cpp:38 +msgid "Show current state" +msgstr "" + +#: identfile.cpp:48 +msgid "File is set to: {1}" +msgstr "" + +#: identfile.cpp:53 +msgid "File has been set to: {1}" +msgstr "" + +#: identfile.cpp:58 +msgid "Format has been set to: {1}" +msgstr "" + +#: identfile.cpp:59 identfile.cpp:65 +msgid "Format would be expanded to: {1}" +msgstr "" + +#: identfile.cpp:64 +msgid "Format is set to: {1}" +msgstr "" + +#: identfile.cpp:78 +msgid "identfile is free" +msgstr "" + +#: identfile.cpp:86 +msgid "Access denied" +msgstr "" + +#: identfile.cpp:181 +msgid "" +"Aborting connection, another user or network is currently connecting and " +"using the ident spoof file" +msgstr "" + +#: identfile.cpp:189 +msgid "[{1}] could not be written, retrying..." +msgstr "" + +#: identfile.cpp:223 +msgid "Write the ident of a user to a file when they are trying to connect." +msgstr "" diff --git a/modules/po/imapauth.it_IT.po b/modules/po/imapauth.it_IT.po new file mode 100644 index 00000000..f46c4924 --- /dev/null +++ b/modules/po/imapauth.it_IT.po @@ -0,0 +1,21 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /master/modules/po/imapauth.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: imapauth.cpp:168 +msgid "[ server [+]port [ UserFormatString ] ]" +msgstr "" + +#: imapauth.cpp:171 +msgid "Allow users to authenticate via IMAP." +msgstr "" diff --git a/modules/po/keepnick.it_IT.po b/modules/po/keepnick.it_IT.po new file mode 100644 index 00000000..d97e0860 --- /dev/null +++ b/modules/po/keepnick.it_IT.po @@ -0,0 +1,53 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /master/modules/po/keepnick.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: keepnick.cpp:39 +msgid "Try to get your primary nick" +msgstr "" + +#: keepnick.cpp:42 keepnick.cpp:196 +msgid "No longer trying to get your primary nick" +msgstr "" + +#: keepnick.cpp:44 +msgid "Show the current state" +msgstr "" + +#: keepnick.cpp:158 +msgid "ZNC is already trying to get this nickname" +msgstr "" + +#: keepnick.cpp:173 +msgid "Unable to obtain nick {1}: {2}, {3}" +msgstr "" + +#: keepnick.cpp:181 +msgid "Unable to obtain nick {1}" +msgstr "" + +#: keepnick.cpp:191 +msgid "Trying to get your primary nick" +msgstr "" + +#: keepnick.cpp:201 +msgid "Currently trying to get your primary nick" +msgstr "" + +#: keepnick.cpp:203 +msgid "Currently disabled, try 'enable'" +msgstr "" + +#: keepnick.cpp:224 +msgid "Keeps trying for your primary nick" +msgstr "" diff --git a/modules/po/kickrejoin.it_IT.po b/modules/po/kickrejoin.it_IT.po new file mode 100644 index 00000000..57074dd9 --- /dev/null +++ b/modules/po/kickrejoin.it_IT.po @@ -0,0 +1,61 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /master/modules/po/kickrejoin.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: kickrejoin.cpp:56 +msgid "" +msgstr "" + +#: kickrejoin.cpp:56 +msgid "Set the rejoin delay" +msgstr "" + +#: kickrejoin.cpp:58 +msgid "Show the rejoin delay" +msgstr "" + +#: kickrejoin.cpp:77 +msgid "Illegal argument, must be a positive number or 0" +msgstr "" + +#: kickrejoin.cpp:90 +msgid "Negative delays don't make any sense!" +msgstr "" + +#: kickrejoin.cpp:98 +msgid "Rejoin delay set to 1 second" +msgid_plural "Rejoin delay set to {1} seconds" +msgstr[0] "" +msgstr[1] "" + +#: kickrejoin.cpp:101 +msgid "Rejoin delay disabled" +msgstr "" + +#: kickrejoin.cpp:106 +msgid "Rejoin delay is set to 1 second" +msgid_plural "Rejoin delay is set to {1} seconds" +msgstr[0] "" +msgstr[1] "" + +#: kickrejoin.cpp:109 +msgid "Rejoin delay is disabled" +msgstr "" + +#: kickrejoin.cpp:131 +msgid "You might enter the number of seconds to wait before rejoining." +msgstr "" + +#: kickrejoin.cpp:134 +msgid "Autorejoins on kick" +msgstr "" diff --git a/modules/po/lastseen.it_IT.po b/modules/po/lastseen.it_IT.po new file mode 100644 index 00000000..61c5bb87 --- /dev/null +++ b/modules/po/lastseen.it_IT.po @@ -0,0 +1,67 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /master/modules/po/lastseen.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: modules/po/../data/lastseen/tmpl/index.tmpl:8 +msgid "User" +msgstr "" + +#: modules/po/../data/lastseen/tmpl/index.tmpl:9 lastseen.cpp:99 +msgid "Last Seen" +msgstr "" + +#: modules/po/../data/lastseen/tmpl/index.tmpl:10 +msgid "Info" +msgstr "" + +#: modules/po/../data/lastseen/tmpl/index.tmpl:11 +msgid "Action" +msgstr "" + +#: modules/po/../data/lastseen/tmpl/index.tmpl:21 +msgid "Edit" +msgstr "" + +#: modules/po/../data/lastseen/tmpl/index.tmpl:22 +msgid "Delete" +msgstr "" + +#: modules/po/../data/lastseen/tmpl/lastseen_WebadminUser.tmpl:6 +msgid "Last login time:" +msgstr "" + +#: lastseen.cpp:53 +msgid "Access denied" +msgstr "" + +#: lastseen.cpp:61 lastseen.cpp:67 +msgctxt "show" +msgid "User" +msgstr "" + +#: lastseen.cpp:62 lastseen.cpp:68 +msgctxt "show" +msgid "Last Seen" +msgstr "" + +#: lastseen.cpp:69 lastseen.cpp:125 +msgid "never" +msgstr "" + +#: lastseen.cpp:79 +msgid "Shows list of users and when they last logged in" +msgstr "" + +#: lastseen.cpp:154 +msgid "Collects data about when a user last logged in." +msgstr "" diff --git a/modules/po/listsockets.it_IT.po b/modules/po/listsockets.it_IT.po new file mode 100644 index 00000000..12ba3f5a --- /dev/null +++ b/modules/po/listsockets.it_IT.po @@ -0,0 +1,113 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /master/modules/po/listsockets.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:7 listsockets.cpp:214 +#: listsockets.cpp:230 +msgid "Name" +msgstr "" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:8 listsockets.cpp:215 +#: listsockets.cpp:231 +msgid "Created" +msgstr "" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:9 listsockets.cpp:216 +#: listsockets.cpp:232 +msgid "State" +msgstr "" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:10 listsockets.cpp:218 +#: listsockets.cpp:235 +msgid "SSL" +msgstr "" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:11 listsockets.cpp:220 +#: listsockets.cpp:240 +msgid "Local" +msgstr "" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:12 listsockets.cpp:221 +#: listsockets.cpp:242 +msgid "Remote" +msgstr "" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:13 +msgid "Data In" +msgstr "" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:14 +msgid "Data Out" +msgstr "" + +#: listsockets.cpp:62 +msgid "[-n]" +msgstr "" + +#: listsockets.cpp:62 +msgid "Shows the list of active sockets. Pass -n to show IP addresses" +msgstr "" + +#: listsockets.cpp:70 +msgid "You must be admin to use this module" +msgstr "" + +#: listsockets.cpp:96 +msgid "List sockets" +msgstr "" + +#: listsockets.cpp:116 listsockets.cpp:236 +msgctxt "ssl" +msgid "Yes" +msgstr "" + +#: listsockets.cpp:116 listsockets.cpp:237 +msgctxt "ssl" +msgid "No" +msgstr "" + +#: listsockets.cpp:142 +msgid "Listener" +msgstr "" + +#: listsockets.cpp:144 +msgid "Inbound" +msgstr "" + +#: listsockets.cpp:147 +msgid "Outbound" +msgstr "" + +#: listsockets.cpp:149 +msgid "Connecting" +msgstr "" + +#: listsockets.cpp:152 +msgid "UNKNOWN" +msgstr "" + +#: listsockets.cpp:207 +msgid "You have no open sockets." +msgstr "" + +#: listsockets.cpp:222 listsockets.cpp:244 +msgid "In" +msgstr "" + +#: listsockets.cpp:223 listsockets.cpp:246 +msgid "Out" +msgstr "" + +#: listsockets.cpp:262 +msgid "Lists active sockets" +msgstr "" diff --git a/modules/po/log.it_IT.po b/modules/po/log.it_IT.po new file mode 100644 index 00000000..55d2b16a --- /dev/null +++ b/modules/po/log.it_IT.po @@ -0,0 +1,148 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /master/modules/po/log.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: log.cpp:59 +msgid "" +msgstr "" + +#: log.cpp:60 +msgid "Set logging rules, use !#chan or !query to negate and * " +msgstr "" + +#: log.cpp:62 +msgid "Clear all logging rules" +msgstr "" + +#: log.cpp:64 +msgid "List all logging rules" +msgstr "" + +#: log.cpp:67 +msgid " true|false" +msgstr "" + +#: log.cpp:68 +msgid "Set one of the following options: joins, quits, nickchanges" +msgstr "" + +#: log.cpp:71 +msgid "Show current settings set by Set command" +msgstr "" + +#: log.cpp:143 +msgid "Usage: SetRules " +msgstr "" + +#: log.cpp:144 +msgid "Wildcards are allowed" +msgstr "" + +#: log.cpp:156 log.cpp:179 +msgid "No logging rules. Everything is logged." +msgstr "" + +#: log.cpp:161 +msgid "1 rule removed: {2}" +msgid_plural "{1} rules removed: {2}" +msgstr[0] "" +msgstr[1] "" + +#: log.cpp:168 log.cpp:174 +msgctxt "listrules" +msgid "Rule" +msgstr "" + +#: log.cpp:169 log.cpp:175 +msgctxt "listrules" +msgid "Logging enabled" +msgstr "" + +#: log.cpp:190 +msgid "" +"Usage: Set true|false, where is one of: joins, quits, nickchanges" +msgstr "" + +#: log.cpp:197 +msgid "Will log joins" +msgstr "" + +#: log.cpp:197 +msgid "Will not log joins" +msgstr "" + +#: log.cpp:198 +msgid "Will log quits" +msgstr "" + +#: log.cpp:198 +msgid "Will not log quits" +msgstr "" + +#: log.cpp:200 +msgid "Will log nick changes" +msgstr "" + +#: log.cpp:200 +msgid "Will not log nick changes" +msgstr "" + +#: log.cpp:204 +msgid "Unknown variable. Known variables: joins, quits, nickchanges" +msgstr "" + +#: log.cpp:212 +msgid "Logging joins" +msgstr "" + +#: log.cpp:212 +msgid "Not logging joins" +msgstr "" + +#: log.cpp:213 +msgid "Logging quits" +msgstr "" + +#: log.cpp:213 +msgid "Not logging quits" +msgstr "" + +#: log.cpp:214 +msgid "Logging nick changes" +msgstr "" + +#: log.cpp:215 +msgid "Not logging nick changes" +msgstr "" + +#: log.cpp:352 +msgid "" +"Invalid args [{1}]. Only one log path allowed. Check that there are no " +"spaces in the path." +msgstr "" + +#: log.cpp:402 +msgid "Invalid log path [{1}]" +msgstr "" + +#: log.cpp:405 +msgid "Logging to [{1}]. Using timestamp format '{2}'" +msgstr "" + +#: log.cpp:560 +msgid "[-sanitize] Optional path where to store logs." +msgstr "" + +#: log.cpp:564 +msgid "Writes IRC logs." +msgstr "" diff --git a/modules/po/missingmotd.it_IT.po b/modules/po/missingmotd.it_IT.po new file mode 100644 index 00000000..fcac78cb --- /dev/null +++ b/modules/po/missingmotd.it_IT.po @@ -0,0 +1,17 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /master/modules/po/missingmotd.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: missingmotd.cpp:36 +msgid "Sends 422 to clients when they login" +msgstr "" diff --git a/modules/po/modperl.it_IT.po b/modules/po/modperl.it_IT.po new file mode 100644 index 00000000..963923da --- /dev/null +++ b/modules/po/modperl.it_IT.po @@ -0,0 +1,17 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /master/modules/po/modperl.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: modperl.cpp:382 +msgid "Loads perl scripts as ZNC modules" +msgstr "" diff --git a/modules/po/modpython.it_IT.po b/modules/po/modpython.it_IT.po new file mode 100644 index 00000000..297f0b41 --- /dev/null +++ b/modules/po/modpython.it_IT.po @@ -0,0 +1,17 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /master/modules/po/modpython.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: modpython.cpp:512 +msgid "Loads python scripts as ZNC modules" +msgstr "" diff --git a/modules/po/modules_online.it_IT.po b/modules/po/modules_online.it_IT.po new file mode 100644 index 00000000..c70612cd --- /dev/null +++ b/modules/po/modules_online.it_IT.po @@ -0,0 +1,17 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /master/modules/po/modules_online.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: modules_online.cpp:117 +msgid "Makes ZNC's *modules to be \"online\"." +msgstr "" diff --git a/modules/po/nickserv.it_IT.po b/modules/po/nickserv.it_IT.po new file mode 100644 index 00000000..7b21a896 --- /dev/null +++ b/modules/po/nickserv.it_IT.po @@ -0,0 +1,75 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /master/modules/po/nickserv.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: nickserv.cpp:31 +msgid "Password set" +msgstr "" + +#: nickserv.cpp:38 +msgid "NickServ name set" +msgstr "" + +#: nickserv.cpp:54 +msgid "No such editable command. See ViewCommands for list." +msgstr "" + +#: nickserv.cpp:57 +msgid "Ok" +msgstr "" + +#: nickserv.cpp:62 +msgid "password" +msgstr "" + +#: nickserv.cpp:62 +msgid "Set your nickserv password" +msgstr "" + +#: nickserv.cpp:64 +msgid "Clear your nickserv password" +msgstr "" + +#: nickserv.cpp:66 +msgid "nickname" +msgstr "" + +#: nickserv.cpp:67 +msgid "" +"Set NickServ name (Useful on networks like EpiKnet, where NickServ is named " +"Themis" +msgstr "" + +#: nickserv.cpp:71 +msgid "Reset NickServ name to default (NickServ)" +msgstr "" + +#: nickserv.cpp:75 +msgid "Show patterns for lines, which are being sent to NickServ" +msgstr "" + +#: nickserv.cpp:77 +msgid "cmd new-pattern" +msgstr "" + +#: nickserv.cpp:78 +msgid "Set pattern for commands" +msgstr "" + +#: nickserv.cpp:140 +msgid "Please enter your nickserv password." +msgstr "" + +#: nickserv.cpp:144 +msgid "Auths you with NickServ (prefer SASL module instead)" +msgstr "" diff --git a/modules/po/notes.it_IT.po b/modules/po/notes.it_IT.po new file mode 100644 index 00000000..68370a04 --- /dev/null +++ b/modules/po/notes.it_IT.po @@ -0,0 +1,119 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /master/modules/po/notes.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: modules/po/../data/notes/tmpl/index.tmpl:7 +msgid "Add A Note" +msgstr "" + +#: modules/po/../data/notes/tmpl/index.tmpl:11 +msgid "Key:" +msgstr "" + +#: modules/po/../data/notes/tmpl/index.tmpl:15 +msgid "Note:" +msgstr "" + +#: modules/po/../data/notes/tmpl/index.tmpl:19 +msgid "Add Note" +msgstr "" + +#: modules/po/../data/notes/tmpl/index.tmpl:27 +msgid "You have no notes to display." +msgstr "" + +#: modules/po/../data/notes/tmpl/index.tmpl:34 notes.cpp:164 notes.cpp:170 +msgid "Key" +msgstr "" + +#: modules/po/../data/notes/tmpl/index.tmpl:35 notes.cpp:165 notes.cpp:171 +msgid "Note" +msgstr "" + +#: modules/po/../data/notes/tmpl/index.tmpl:41 +msgid "[del]" +msgstr "" + +#: notes.cpp:32 +msgid "That note already exists. Use MOD to overwrite." +msgstr "" + +#: notes.cpp:35 notes.cpp:137 +msgid "Added note {1}" +msgstr "" + +#: notes.cpp:37 notes.cpp:48 notes.cpp:142 +msgid "Unable to add note {1}" +msgstr "" + +#: notes.cpp:46 notes.cpp:139 +msgid "Set note for {1}" +msgstr "" + +#: notes.cpp:56 +msgid "This note doesn't exist." +msgstr "" + +#: notes.cpp:66 notes.cpp:116 +msgid "Deleted note {1}" +msgstr "" + +#: notes.cpp:68 notes.cpp:118 +msgid "Unable to delete note {1}" +msgstr "" + +#: notes.cpp:75 +msgid "List notes" +msgstr "" + +#: notes.cpp:77 notes.cpp:81 +msgid " " +msgstr "" + +#: notes.cpp:77 +msgid "Add a note" +msgstr "" + +#: notes.cpp:79 notes.cpp:83 +msgid "" +msgstr "" + +#: notes.cpp:79 +msgid "Delete a note" +msgstr "" + +#: notes.cpp:81 +msgid "Modify a note" +msgstr "" + +#: notes.cpp:94 +msgid "Notes" +msgstr "" + +#: notes.cpp:133 +msgid "That note already exists. Use /#+ to overwrite." +msgstr "" + +#: notes.cpp:186 notes.cpp:188 +msgid "You have no entries." +msgstr "" + +#: notes.cpp:224 +msgid "" +"This user module takes up to one arguments. It can be -disableNotesOnLogin " +"not to show notes upon client login" +msgstr "" + +#: notes.cpp:228 +msgid "Keep and replay notes" +msgstr "" diff --git a/modules/po/notify_connect.it_IT.po b/modules/po/notify_connect.it_IT.po new file mode 100644 index 00000000..c5947fa9 --- /dev/null +++ b/modules/po/notify_connect.it_IT.po @@ -0,0 +1,29 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /master/modules/po/notify_connect.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: notify_connect.cpp:24 +msgid "attached" +msgstr "" + +#: notify_connect.cpp:26 +msgid "detached" +msgstr "" + +#: notify_connect.cpp:41 +msgid "{1} {2} from {3}" +msgstr "" + +#: notify_connect.cpp:52 +msgid "Notifies all admin users when a client connects or disconnects." +msgstr "" diff --git a/modules/po/perform.it_IT.po b/modules/po/perform.it_IT.po new file mode 100644 index 00000000..2faa3d81 --- /dev/null +++ b/modules/po/perform.it_IT.po @@ -0,0 +1,108 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /master/modules/po/perform.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: modules/po/../data/perform/tmpl/index.tmpl:7 perform.cpp:143 +msgid "Perform" +msgstr "" + +#: modules/po/../data/perform/tmpl/index.tmpl:11 +msgid "Perform commands:" +msgstr "" + +#: modules/po/../data/perform/tmpl/index.tmpl:15 +msgid "Commands sent to the IRC server on connect, one per line." +msgstr "" + +#: modules/po/../data/perform/tmpl/index.tmpl:18 +msgid "Save" +msgstr "" + +#: perform.cpp:24 +msgid "Usage: add " +msgstr "" + +#: perform.cpp:29 +msgid "Added!" +msgstr "" + +#: perform.cpp:37 perform.cpp:82 +msgid "Illegal # Requested" +msgstr "" + +#: perform.cpp:41 +msgid "Command Erased." +msgstr "" + +#: perform.cpp:50 perform.cpp:56 +msgctxt "list" +msgid "Id" +msgstr "" + +#: perform.cpp:51 perform.cpp:57 +msgctxt "list" +msgid "Perform" +msgstr "" + +#: perform.cpp:52 perform.cpp:62 +msgctxt "list" +msgid "Expanded" +msgstr "" + +#: perform.cpp:67 +msgid "No commands in your perform list." +msgstr "" + +#: perform.cpp:73 +msgid "perform commands sent" +msgstr "" + +#: perform.cpp:86 +msgid "Commands Swapped." +msgstr "" + +#: perform.cpp:95 +msgid "" +msgstr "" + +#: perform.cpp:96 +msgid "Adds perform command to be sent to the server on connect" +msgstr "" + +#: perform.cpp:98 +msgid "" +msgstr "" + +#: perform.cpp:98 +msgid "Delete a perform command" +msgstr "" + +#: perform.cpp:100 +msgid "List the perform commands" +msgstr "" + +#: perform.cpp:103 +msgid "Send the perform commands to the server now" +msgstr "" + +#: perform.cpp:105 +msgid " " +msgstr "" + +#: perform.cpp:106 +msgid "Swap two perform commands" +msgstr "" + +#: perform.cpp:192 +msgid "Keeps a list of commands to be executed when ZNC connects to IRC." +msgstr "" diff --git a/modules/po/perleval.it_IT.po b/modules/po/perleval.it_IT.po new file mode 100644 index 00000000..431c01ed --- /dev/null +++ b/modules/po/perleval.it_IT.po @@ -0,0 +1,31 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /master/modules/po/perleval.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: perleval.pm:23 +msgid "Evaluates perl code" +msgstr "" + +#: perleval.pm:33 +msgid "Only admin can load this module" +msgstr "" + +#: perleval.pm:44 +#, perl-format +msgid "Error: %s" +msgstr "" + +#: perleval.pm:46 +#, perl-format +msgid "Result: %s" +msgstr "" diff --git a/modules/po/pyeval.it_IT.po b/modules/po/pyeval.it_IT.po new file mode 100644 index 00000000..705352ff --- /dev/null +++ b/modules/po/pyeval.it_IT.po @@ -0,0 +1,21 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /master/modules/po/pyeval.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: pyeval.py:49 +msgid "You must have admin privileges to load this module." +msgstr "" + +#: pyeval.py:82 +msgid "Evaluates python code" +msgstr "" diff --git a/modules/po/raw.it_IT.po b/modules/po/raw.it_IT.po new file mode 100644 index 00000000..ecc2988d --- /dev/null +++ b/modules/po/raw.it_IT.po @@ -0,0 +1,17 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /master/modules/po/raw.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: raw.cpp:43 +msgid "View all of the raw traffic" +msgstr "" diff --git a/modules/po/route_replies.it_IT.po b/modules/po/route_replies.it_IT.po new file mode 100644 index 00000000..5db2d414 --- /dev/null +++ b/modules/po/route_replies.it_IT.po @@ -0,0 +1,59 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /master/modules/po/route_replies.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: route_replies.cpp:215 +msgid "[yes|no]" +msgstr "" + +#: route_replies.cpp:216 +msgid "Decides whether to show the timeout messages or not" +msgstr "" + +#: route_replies.cpp:356 +msgid "This module hit a timeout which is probably a connectivity issue." +msgstr "" + +#: route_replies.cpp:359 +msgid "" +"However, if you can provide steps to reproduce this issue, please do report " +"a bug." +msgstr "" + +#: route_replies.cpp:362 +msgid "To disable this message, do \"/msg {1} silent yes\"" +msgstr "" + +#: route_replies.cpp:364 +msgid "Last request: {1}" +msgstr "" + +#: route_replies.cpp:365 +msgid "Expected replies:" +msgstr "" + +#: route_replies.cpp:369 +msgid "{1} (last)" +msgstr "" + +#: route_replies.cpp:441 +msgid "Timeout messages are disabled." +msgstr "" + +#: route_replies.cpp:442 +msgid "Timeout messages are enabled." +msgstr "" + +#: route_replies.cpp:463 +msgid "Send replies (e.g. to /who) to the right client only" +msgstr "" diff --git a/modules/po/sample.it_IT.po b/modules/po/sample.it_IT.po new file mode 100644 index 00000000..46f6c010 --- /dev/null +++ b/modules/po/sample.it_IT.po @@ -0,0 +1,119 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /master/modules/po/sample.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: sample.cpp:31 +msgid "Sample job cancelled" +msgstr "" + +#: sample.cpp:33 +msgid "Sample job destroyed" +msgstr "" + +#: sample.cpp:50 +msgid "Sample job done" +msgstr "" + +#: sample.cpp:65 +msgid "TEST!!!!" +msgstr "" + +#: sample.cpp:74 +msgid "I'm being loaded with the arguments: {1}" +msgstr "" + +#: sample.cpp:85 +msgid "I'm being unloaded!" +msgstr "" + +#: sample.cpp:94 +msgid "You got connected BoyOh." +msgstr "" + +#: sample.cpp:98 +msgid "You got disconnected BoyOh." +msgstr "" + +#: sample.cpp:116 +msgid "{1} {2} set mode on {3} {4}{5} {6}" +msgstr "" + +#: sample.cpp:123 +msgid "{1} {2} opped {3} on {4}" +msgstr "" + +#: sample.cpp:129 +msgid "{1} {2} deopped {3} on {4}" +msgstr "" + +#: sample.cpp:135 +msgid "{1} {2} voiced {3} on {4}" +msgstr "" + +#: sample.cpp:141 +msgid "{1} {2} devoiced {3} on {4}" +msgstr "" + +#: sample.cpp:147 +msgid "* {1} sets mode: {2} {3} on {4}" +msgstr "" + +#: sample.cpp:163 +msgid "{1} kicked {2} from {3} with the msg {4}" +msgstr "" + +#: sample.cpp:169 +msgid "* {1} ({2}@{3}) quits ({4}) from channel: {6}" +msgid_plural "* {1} ({2}@{3}) quits ({4}) from {5} channels: {6}" +msgstr[0] "" +msgstr[1] "" + +#: sample.cpp:177 +msgid "Attempting to join {1}" +msgstr "" + +#: sample.cpp:182 +msgid "* {1} ({2}@{3}) joins {4}" +msgstr "" + +#: sample.cpp:189 +msgid "* {1} ({2}@{3}) parts {4}" +msgstr "" + +#: sample.cpp:196 +msgid "{1} invited us to {2}, ignoring invites to {2}" +msgstr "" + +#: sample.cpp:201 +msgid "{1} invited us to {2}" +msgstr "" + +#: sample.cpp:207 +msgid "{1} is now known as {2}" +msgstr "" + +#: sample.cpp:269 sample.cpp:276 +msgid "{1} changes topic on {2} to {3}" +msgstr "" + +#: sample.cpp:317 +msgid "Hi, I'm your friendly sample module." +msgstr "" + +#: sample.cpp:330 +msgid "Description of module arguments goes here." +msgstr "" + +#: sample.cpp:333 +msgid "To be used as a sample for writing modules" +msgstr "" diff --git a/modules/po/samplewebapi.it_IT.po b/modules/po/samplewebapi.it_IT.po new file mode 100644 index 00000000..7fea24bc --- /dev/null +++ b/modules/po/samplewebapi.it_IT.po @@ -0,0 +1,17 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /master/modules/po/samplewebapi.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: samplewebapi.cpp:59 +msgid "Sample Web API module." +msgstr "" diff --git a/modules/po/sasl.it_IT.po b/modules/po/sasl.it_IT.po new file mode 100644 index 00000000..d3eb6d32 --- /dev/null +++ b/modules/po/sasl.it_IT.po @@ -0,0 +1,174 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /master/modules/po/sasl.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:292 +msgid "SASL" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:11 +msgid "Username:" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:13 +msgid "Please enter a username." +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:16 +msgid "Password:" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:18 +msgid "Please enter a password." +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:22 +msgid "Options" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:25 +msgid "Connect only if SASL authentication succeeds." +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:27 +msgid "Require authentication" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:35 +msgid "Mechanisms" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:42 +msgid "Name" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:43 sasl.cpp:89 sasl.cpp:95 +msgid "Description" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:57 +msgid "Selected mechanisms and their order:" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:74 +msgid "Save" +msgstr "" + +#: sasl.cpp:54 +msgid "TLS certificate, for use with the *cert module" +msgstr "" + +#: sasl.cpp:56 +msgid "" +"Plain text negotiation, this should work always if the network supports SASL" +msgstr "" + +#: sasl.cpp:62 +msgid "search" +msgstr "" + +#: sasl.cpp:62 +msgid "Generate this output" +msgstr "" + +#: sasl.cpp:64 +msgid "[ []]" +msgstr "" + +#: sasl.cpp:65 +msgid "" +"Set username and password for the mechanisms that need them. Password is " +"optional. Without parameters, returns information about current settings." +msgstr "" + +#: sasl.cpp:69 +msgid "[mechanism[ ...]]" +msgstr "" + +#: sasl.cpp:70 +msgid "Set the mechanisms to be attempted (in order)" +msgstr "" + +#: sasl.cpp:72 +msgid "[yes|no]" +msgstr "" + +#: sasl.cpp:73 +msgid "Don't connect unless SASL authentication succeeds" +msgstr "" + +#: sasl.cpp:88 sasl.cpp:94 +msgid "Mechanism" +msgstr "" + +#: sasl.cpp:99 +msgid "The following mechanisms are available:" +msgstr "" + +#: sasl.cpp:109 +msgid "Username is currently not set" +msgstr "" + +#: sasl.cpp:111 +msgid "Username is currently set to '{1}'" +msgstr "" + +#: sasl.cpp:114 +msgid "Password was not supplied" +msgstr "" + +#: sasl.cpp:116 +msgid "Password was supplied" +msgstr "" + +#: sasl.cpp:124 +msgid "Username has been set to [{1}]" +msgstr "" + +#: sasl.cpp:125 +msgid "Password has been set to [{1}]" +msgstr "" + +#: sasl.cpp:145 +msgid "Current mechanisms set: {1}" +msgstr "" + +#: sasl.cpp:154 +msgid "We require SASL negotiation to connect" +msgstr "" + +#: sasl.cpp:156 +msgid "We will connect even if SASL fails" +msgstr "" + +#: sasl.cpp:193 +msgid "Disabling network, we require authentication." +msgstr "" + +#: sasl.cpp:194 +msgid "Use 'RequireAuth no' to disable." +msgstr "" + +#: sasl.cpp:247 +msgid "{1} mechanism succeeded." +msgstr "" + +#: sasl.cpp:259 +msgid "{1} mechanism failed." +msgstr "" + +#: sasl.cpp:337 +msgid "" +"Adds support for sasl authentication capability to authenticate to an IRC " +"server" +msgstr "" diff --git a/modules/po/savebuff.it_IT.po b/modules/po/savebuff.it_IT.po new file mode 100644 index 00000000..f11ffc07 --- /dev/null +++ b/modules/po/savebuff.it_IT.po @@ -0,0 +1,62 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /master/modules/po/savebuff.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: savebuff.cpp:65 +msgid "" +msgstr "" + +#: savebuff.cpp:65 +msgid "Sets the password" +msgstr "" + +#: savebuff.cpp:67 +msgid "" +msgstr "" + +#: savebuff.cpp:67 +msgid "Replays the buffer" +msgstr "" + +#: savebuff.cpp:69 +msgid "Saves all buffers" +msgstr "" + +#: savebuff.cpp:221 +msgid "" +"Password is unset usually meaning the decryption failed. You can setpass to " +"the appropriate pass and things should start working, or setpass to a new " +"pass and save to reinstantiate" +msgstr "" + +#: savebuff.cpp:232 +msgid "Password set to [{1}]" +msgstr "" + +#: savebuff.cpp:262 +msgid "Replayed {1}" +msgstr "" + +#: savebuff.cpp:341 +msgid "Unable to decode Encrypted file {1}" +msgstr "" + +#: savebuff.cpp:358 +msgid "" +"This user module takes up to one arguments. Either --ask-pass or the " +"password itself (which may contain spaces) or nothing" +msgstr "" + +#: savebuff.cpp:363 +msgid "Stores channel and query buffers to disk, encrypted" +msgstr "" diff --git a/modules/po/send_raw.it_IT.po b/modules/po/send_raw.it_IT.po new file mode 100644 index 00000000..a10cf506 --- /dev/null +++ b/modules/po/send_raw.it_IT.po @@ -0,0 +1,109 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /master/modules/po/send_raw.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:9 +msgid "Send a raw IRC line" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:14 +msgid "User:" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:15 +msgid "To change user, click to Network selector" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:19 +msgid "User/Network:" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:32 +msgid "Send to:" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:34 +msgid "Client" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:35 +msgid "Server" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:40 +msgid "Line:" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:45 +msgid "Send" +msgstr "" + +#: send_raw.cpp:32 +msgid "Sent [{1}] to {2}/{3}" +msgstr "" + +#: send_raw.cpp:36 send_raw.cpp:56 +msgid "Network {1} not found for user {2}" +msgstr "" + +#: send_raw.cpp:40 send_raw.cpp:60 +msgid "User {1} not found" +msgstr "" + +#: send_raw.cpp:52 +msgid "Sent [{1}] to IRC server of {2}/{3}" +msgstr "" + +#: send_raw.cpp:75 +msgid "You must have admin privileges to load this module" +msgstr "" + +#: send_raw.cpp:82 +msgid "Send Raw" +msgstr "" + +#: send_raw.cpp:92 +msgid "User not found" +msgstr "" + +#: send_raw.cpp:99 +msgid "Network not found" +msgstr "" + +#: send_raw.cpp:116 +msgid "Line sent" +msgstr "" + +#: send_raw.cpp:140 send_raw.cpp:143 +msgid "[user] [network] [data to send]" +msgstr "" + +#: send_raw.cpp:141 +msgid "The data will be sent to the user's IRC client(s)" +msgstr "" + +#: send_raw.cpp:144 +msgid "The data will be sent to the IRC server the user is connected to" +msgstr "" + +#: send_raw.cpp:147 +msgid "[data to send]" +msgstr "" + +#: send_raw.cpp:148 +msgid "The data will be sent to your current client" +msgstr "" + +#: send_raw.cpp:159 +msgid "Lets you send some raw IRC lines as/to someone else" +msgstr "" diff --git a/modules/po/shell.it_IT.po b/modules/po/shell.it_IT.po new file mode 100644 index 00000000..06fb3d24 --- /dev/null +++ b/modules/po/shell.it_IT.po @@ -0,0 +1,29 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /master/modules/po/shell.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: shell.cpp:37 +msgid "Failed to execute: {1}" +msgstr "" + +#: shell.cpp:75 +msgid "You must be admin to use the shell module" +msgstr "" + +#: shell.cpp:169 +msgid "Gives shell access" +msgstr "" + +#: shell.cpp:172 +msgid "Gives shell access. Only ZNC admins can use it." +msgstr "" diff --git a/modules/po/simple_away.it_IT.po b/modules/po/simple_away.it_IT.po new file mode 100644 index 00000000..21a996ab --- /dev/null +++ b/modules/po/simple_away.it_IT.po @@ -0,0 +1,92 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /master/modules/po/simple_away.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: simple_away.cpp:56 +msgid "[]" +msgstr "" + +#: simple_away.cpp:57 +#, c-format +msgid "" +"Prints or sets the away reason (%awaytime% is replaced with the time you " +"were set away, supports substitutions using ExpandString)" +msgstr "" + +#: simple_away.cpp:63 +msgid "Prints the current time to wait before setting you away" +msgstr "" + +#: simple_away.cpp:65 +msgid "" +msgstr "" + +#: simple_away.cpp:66 +msgid "Sets the time to wait before setting you away" +msgstr "" + +#: simple_away.cpp:69 +msgid "Disables the wait time before setting you away" +msgstr "" + +#: simple_away.cpp:73 +msgid "Get or set the minimum number of clients before going away" +msgstr "" + +#: simple_away.cpp:136 +msgid "Away reason set" +msgstr "" + +#: simple_away.cpp:138 +msgid "Away reason: {1}" +msgstr "" + +#: simple_away.cpp:139 +msgid "Current away reason would be: {1}" +msgstr "" + +#: simple_away.cpp:144 +msgid "Current timer setting: 1 second" +msgid_plural "Current timer setting: {1} seconds" +msgstr[0] "" +msgstr[1] "" + +#: simple_away.cpp:153 simple_away.cpp:161 +msgid "Timer disabled" +msgstr "" + +#: simple_away.cpp:155 +msgid "Timer set to 1 second" +msgid_plural "Timer set to: {1} seconds" +msgstr[0] "" +msgstr[1] "" + +#: simple_away.cpp:166 +msgid "Current MinClients setting: {1}" +msgstr "" + +#: simple_away.cpp:169 +msgid "MinClients set to {1}" +msgstr "" + +#: simple_away.cpp:248 +msgid "" +"You might enter up to 3 arguments, like -notimer awaymessage or -timer 5 " +"awaymessage." +msgstr "" + +#: simple_away.cpp:253 +msgid "" +"This module will automatically set you away on IRC while you are " +"disconnected from the bouncer." +msgstr "" diff --git a/modules/po/stickychan.it_IT.po b/modules/po/stickychan.it_IT.po new file mode 100644 index 00000000..d57ddeaa --- /dev/null +++ b/modules/po/stickychan.it_IT.po @@ -0,0 +1,102 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /master/modules/po/stickychan.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: modules/po/../data/stickychan/tmpl/index.tmpl:9 +msgid "Name" +msgstr "" + +#: modules/po/../data/stickychan/tmpl/index.tmpl:10 +msgid "Sticky" +msgstr "" + +#: modules/po/../data/stickychan/tmpl/index.tmpl:25 +msgid "Save" +msgstr "" + +#: modules/po/../data/stickychan/tmpl/stickychan_WebadminChan.tmpl:8 +msgid "Channel is sticky" +msgstr "" + +#: stickychan.cpp:28 +msgid "<#channel> [key]" +msgstr "" + +#: stickychan.cpp:28 +msgid "Sticks a channel" +msgstr "" + +#: stickychan.cpp:30 +msgid "<#channel>" +msgstr "" + +#: stickychan.cpp:30 +msgid "Unsticks a channel" +msgstr "" + +#: stickychan.cpp:32 +msgid "Lists sticky channels" +msgstr "" + +#: stickychan.cpp:75 +msgid "Usage: Stick <#channel> [key]" +msgstr "" + +#: stickychan.cpp:79 +msgid "Stuck {1}" +msgstr "" + +#: stickychan.cpp:85 +msgid "Usage: Unstick <#channel>" +msgstr "" + +#: stickychan.cpp:89 +msgid "Unstuck {1}" +msgstr "" + +#: stickychan.cpp:101 +msgid " -- End of List" +msgstr "" + +#: stickychan.cpp:115 +msgid "Could not join {1} (# prefix missing?)" +msgstr "" + +#: stickychan.cpp:128 +msgid "Sticky Channels" +msgstr "" + +#: stickychan.cpp:160 +msgid "Changes have been saved!" +msgstr "" + +#: stickychan.cpp:185 +msgid "Channel became sticky!" +msgstr "" + +#: stickychan.cpp:189 +msgid "Channel stopped being sticky!" +msgstr "" + +#: stickychan.cpp:209 +msgid "" +"Channel {1} cannot be joined, it is an illegal channel name. Unsticking." +msgstr "" + +#: stickychan.cpp:246 +msgid "List of channels, separated by comma." +msgstr "" + +#: stickychan.cpp:251 +msgid "configless sticky chans, keeps you there very stickily even" +msgstr "" diff --git a/modules/po/stripcontrols.it_IT.po b/modules/po/stripcontrols.it_IT.po new file mode 100644 index 00000000..17141290 --- /dev/null +++ b/modules/po/stripcontrols.it_IT.po @@ -0,0 +1,18 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /master/modules/po/stripcontrols.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: stripcontrols.cpp:63 +msgid "" +"Strips control codes (Colors, Bold, ..) from channel and private messages." +msgstr "" diff --git a/modules/po/watch.it_IT.po b/modules/po/watch.it_IT.po new file mode 100644 index 00000000..28059a45 --- /dev/null +++ b/modules/po/watch.it_IT.po @@ -0,0 +1,249 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /master/modules/po/watch.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: watch.cpp:334 +msgid "All entries cleared." +msgstr "" + +#: watch.cpp:344 +msgid "Buffer count is set to {1}" +msgstr "" + +#: watch.cpp:348 +msgid "Unknown command: {1}" +msgstr "" + +#: watch.cpp:397 +msgid "Disabled all entries." +msgstr "" + +#: watch.cpp:398 +msgid "Enabled all entries." +msgstr "" + +#: watch.cpp:405 watch.cpp:437 watch.cpp:470 watch.cpp:570 watch.cpp:585 +msgid "Invalid Id" +msgstr "" + +#: watch.cpp:414 +msgid "Id {1} disabled" +msgstr "" + +#: watch.cpp:416 +msgid "Id {1} enabled" +msgstr "" + +#: watch.cpp:428 +msgid "Set DetachedClientOnly for all entries to Yes" +msgstr "" + +#: watch.cpp:430 +msgid "Set DetachedClientOnly for all entries to No" +msgstr "" + +#: watch.cpp:446 watch.cpp:479 +msgid "Id {1} set to Yes" +msgstr "" + +#: watch.cpp:448 watch.cpp:481 +msgid "Id {1} set to No" +msgstr "" + +#: watch.cpp:461 +msgid "Set DetachedChannelOnly for all entries to Yes" +msgstr "" + +#: watch.cpp:463 +msgid "Set DetachedChannelOnly for all entries to No" +msgstr "" + +#: watch.cpp:487 watch.cpp:503 +msgid "Id" +msgstr "" + +#: watch.cpp:488 watch.cpp:504 +msgid "HostMask" +msgstr "" + +#: watch.cpp:489 watch.cpp:505 +msgid "Target" +msgstr "" + +#: watch.cpp:490 watch.cpp:506 +msgid "Pattern" +msgstr "" + +#: watch.cpp:491 watch.cpp:507 +msgid "Sources" +msgstr "" + +#: watch.cpp:492 watch.cpp:508 watch.cpp:509 +msgid "Off" +msgstr "" + +#: watch.cpp:493 watch.cpp:511 +msgid "DetachedClientOnly" +msgstr "" + +#: watch.cpp:494 watch.cpp:514 +msgid "DetachedChannelOnly" +msgstr "" + +#: watch.cpp:512 watch.cpp:515 +msgid "Yes" +msgstr "" + +#: watch.cpp:512 watch.cpp:515 +msgid "No" +msgstr "" + +#: watch.cpp:521 watch.cpp:527 +msgid "You have no entries." +msgstr "" + +#: watch.cpp:578 +msgid "Sources set for Id {1}." +msgstr "" + +#: watch.cpp:593 +msgid "Id {1} removed." +msgstr "" + +#: watch.cpp:600 watch.cpp:605 watch.cpp:610 watch.cpp:615 watch.cpp:621 +#: watch.cpp:626 watch.cpp:630 watch.cpp:634 watch.cpp:639 watch.cpp:646 +#: watch.cpp:653 watch.cpp:659 watch.cpp:665 +msgid "Command" +msgstr "" + +#: watch.cpp:601 watch.cpp:606 watch.cpp:611 watch.cpp:617 watch.cpp:622 +#: watch.cpp:627 watch.cpp:631 watch.cpp:635 watch.cpp:642 watch.cpp:649 +#: watch.cpp:655 watch.cpp:661 watch.cpp:666 +msgid "Description" +msgstr "" + +#: watch.cpp:605 +msgid "Add [Target] [Pattern]" +msgstr "" + +#: watch.cpp:607 +msgid "Used to add an entry to watch for." +msgstr "" + +#: watch.cpp:610 +msgid "List" +msgstr "" + +#: watch.cpp:612 +msgid "List all entries being watched." +msgstr "" + +#: watch.cpp:615 +msgid "Dump" +msgstr "" + +#: watch.cpp:618 +msgid "Dump a list of all current entries to be used later." +msgstr "" + +#: watch.cpp:621 +msgid "Del " +msgstr "" + +#: watch.cpp:623 +msgid "Deletes Id from the list of watched entries." +msgstr "" + +#: watch.cpp:626 +msgid "Clear" +msgstr "" + +#: watch.cpp:627 +msgid "Delete all entries." +msgstr "" + +#: watch.cpp:630 +msgid "Enable " +msgstr "" + +#: watch.cpp:631 +msgid "Enable a disabled entry." +msgstr "" + +#: watch.cpp:634 +msgid "Disable " +msgstr "" + +#: watch.cpp:636 +msgid "Disable (but don't delete) an entry." +msgstr "" + +#: watch.cpp:640 +msgid "SetDetachedClientOnly " +msgstr "" + +#: watch.cpp:643 +msgid "Enable or disable detached client only for an entry." +msgstr "" + +#: watch.cpp:647 +msgid "SetDetachedChannelOnly " +msgstr "" + +#: watch.cpp:650 +msgid "Enable or disable detached channel only for an entry." +msgstr "" + +#: watch.cpp:653 +msgid "Buffer [Count]" +msgstr "" + +#: watch.cpp:656 +msgid "Show/Set the amount of buffered lines while detached." +msgstr "" + +#: watch.cpp:660 +msgid "SetSources [#chan priv #foo* !#bar]" +msgstr "" + +#: watch.cpp:662 +msgid "Set the source channels that you care about." +msgstr "" + +#: watch.cpp:665 +msgid "Help" +msgstr "" + +#: watch.cpp:666 +msgid "This help." +msgstr "" + +#: watch.cpp:682 +msgid "Entry for {1} already exists." +msgstr "" + +#: watch.cpp:690 +msgid "Adding entry: {1} watching for [{2}] -> {3}" +msgstr "" + +#: watch.cpp:696 +msgid "Watch: Not enough arguments. Try Help" +msgstr "" + +#: watch.cpp:765 +msgid "WARNING: malformed entry found while loading" +msgstr "" + +#: watch.cpp:779 +msgid "Copy activity from a specific user into a separate window" +msgstr "" diff --git a/modules/po/webadmin.it_IT.po b/modules/po/webadmin.it_IT.po new file mode 100644 index 00000000..4c7d4499 --- /dev/null +++ b/modules/po/webadmin.it_IT.po @@ -0,0 +1,1209 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /master/modules/po/webadmin.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:12 +msgid "Channel Info" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:17 +msgid "Channel Name:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:19 +msgid "The channel name." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:24 +msgid "Key:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:26 +msgid "The password of the channel, if there is one." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:30 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:241 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:260 +msgid "Buffer Size:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:32 +msgid "The buffer count." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:36 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:235 +msgid "Default Modes:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:38 +msgid "The default modes of the channel." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:46 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:270 +msgid "Flags" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:51 +msgid "Save to config" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:67 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:282 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:410 +msgid "Module {1}" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:75 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:290 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:419 +msgid "Save and return" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:76 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:291 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:420 +msgid "Save and continue" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:78 +msgid "Add Channel and return" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:79 +msgid "Add Channel and continue" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:8 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:11 +msgid "<password>" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:11 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:12 +msgid "<network>" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:14 +msgid "" +"To connect to this network from your IRC client, you can set the server " +"password field as {1} or username field as {2}" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:24 +msgid "Network Info" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:25 +msgid "" +"Nick, AltNick, Ident, RealName, BindHost can be left empty to use the value " +"from the user." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:29 +msgid "Network Name:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:31 +msgid "The name of the IRC network." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:35 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:69 +msgid "Nickname:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:37 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:71 +msgid "Your nickname on IRC." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:40 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:74 +msgid "Alt. Nickname:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:42 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:76 +msgid "Your secondary nickname, if the first is not available on IRC." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:46 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:80 +msgid "Ident:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:48 +msgid "Your ident." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:51 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:91 +msgid "Realname:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:53 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:93 +msgid "Your real name." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:58 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:99 +msgid "BindHost:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:65 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:112 +msgid "Quit Message:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:67 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:114 +msgid "You may define a Message shown, when you quit IRC." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:71 +msgid "Active:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:73 +msgid "Connect to IRC & automatically re-connect" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:77 +msgid "Trust all certs:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:79 +msgid "" +"Disable certificate validation (takes precedence over TrustPKI). INSECURE!" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:83 +msgid "Trust the PKI:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:85 +msgid "" +"Setting this to false will trust only certificates you added fingerprints " +"for." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:89 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:96 +msgid "Servers of this IRC network:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:93 +msgid "One server per line, “host [[+]port] [password]”, + means SSL" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:101 +msgid "Hostname" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:102 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:13 +msgid "Port" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:103 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:15 +msgid "SSL" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:104 +msgid "Password" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:116 +msgid "SHA-256 fingerprints of trusted SSL certificates of this IRC network:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:120 +msgid "" +"When these certificates are encountered, checks for hostname, expiration " +"date, CA are skipped" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:124 +msgid "Flood protection:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:127 +msgid "" +"You might enable the flood protection. This prevents “excess flood” errors, " +"which occur, when your IRC bot is command flooded or spammed. After changing " +"this, reconnect ZNC to server." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:130 +msgctxt "Flood Protection" +msgid "Enabled" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:134 +msgid "Flood protection rate:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:137 +msgid "" +"The number of seconds per line. After changing this, reconnect ZNC to server." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:140 +msgid "{1} seconds per line" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:144 +msgid "Flood protection burst:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:147 +msgid "" +"Defines the number of lines, which can be sent immediately. After changing " +"this, reconnect ZNC to server." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:150 +msgid "{1} lines can be sent immediately" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:154 +msgid "Channel join delay:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:157 +msgid "" +"Defines the delay in seconds, until channels are joined after getting " +"connected." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:160 +msgid "{1} seconds" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:165 +msgid "Character encoding used between ZNC and IRC server." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:166 +msgid "Server encoding:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:176 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:231 +msgid "Channels" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:178 +msgid "" +"You will be able to add + modify channels here after you created the network." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:185 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:129 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:354 +#: modules/po/../data/webadmin/tmpl/listusers.tmpl:15 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:72 +msgid "Add" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:187 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:430 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:237 +msgid "Save" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:188 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:228 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:131 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:174 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:176 +msgid "Name" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:189 +msgid "CurModes" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:190 +msgid "DefModes" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:191 +msgid "BufferSize" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:192 +msgid "Options" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:194 +msgid "← Add a channel (opens in same page)" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:204 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:146 +#: modules/po/../data/webadmin/tmpl/listusers.tmpl:27 +msgid "Edit" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:204 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:146 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:53 +msgid "Del" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:222 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:168 +msgid "Modules" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:229 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:175 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:177 +msgid "Arguments" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:230 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:176 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:178 +msgid "Description" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:231 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:177 +msgid "Loaded globally" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:232 +msgid "Loaded by user" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:293 +msgid "Add Network and return" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:294 +msgid "Add Network and continue" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:15 +msgid "Authentication" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:19 +msgid "Username:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:29 +msgid "Please enter a username." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:34 +msgid "Password:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:36 +msgid "Please enter a password." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:39 +msgid "Confirm password:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:41 +msgid "Please re-type the above password." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:44 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:151 +msgid "Auth Only Via Module:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:46 +msgid "" +"Allow user authentication by external modules only, disabling built-in " +"password authentication." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:50 +msgid "Allowed IPs:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:54 +msgid "" +"Leave empty to allow connections from all IPs.
Otherwise, one entry per " +"line, wildcards * and ? are available." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:62 +msgid "IRC Information" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:64 +msgid "" +"Nick, AltNick, Ident, RealName and QuitMsg can be left empty to use default " +"values." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:82 +msgid "The Ident is sent to server as username." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:85 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:102 +msgid "Status Prefix:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:87 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:104 +msgid "The prefix for the status and module queries." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:105 +msgid "DCCBindHost:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:122 +#: modules/po/../data/webadmin/tmpl/listusers.tmpl:17 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:39 +msgid "Networks" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:132 +#: modules/po/../data/webadmin/tmpl/listusers.tmpl:18 +msgid "Clients" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:133 +msgid "Current Server" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:134 +msgid "Nick" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:136 +msgid "← Add a network (opens in same page)" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:160 +msgid "" +"You will be able to add + modify networks here after you have cloned the " +"user." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:162 +msgid "" +"You will be able to add + modify networks here after you have created the " +"user." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:178 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:179 +msgid "Loaded by networks" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:237 +msgid "" +"These are the default modes ZNC will set when you join an empty channel." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:238 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:244 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:263 +msgid "Empty = use standard value" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:243 +msgid "" +"This is the amount of lines that the playback buffer will store for channels " +"before dropping off the oldest line. The buffers are stored in the memory by " +"default." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:251 +msgid "Queries" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:255 +msgid "Max Buffers:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:257 +msgid "Maximum number of query buffers. 0 is unlimited." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:262 +msgid "" +"This is the amount of lines that the playback buffer will store for queries " +"before dropping off the oldest line. The buffers are stored in the memory by " +"default." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:285 +msgid "ZNC Behavior" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:286 +msgid "" +"Any of the following text boxes can be left empty to use their default value." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:290 +msgid "Timestamp Format:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:292 +msgid "" +"The format for the timestamps used in buffers, for example [%H:%M:%S]. This " +"setting is ignored in new IRC clients, which use server-time. If your client " +"supports server-time, change timestamp format in client settings instead." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:295 +msgid "Timezone:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:298 +msgid "E.g. Europe/Berlin, or GMT-6" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:306 +msgid "Character encoding used between IRC client and ZNC." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:307 +msgid "Client encoding:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:312 +msgid "Join Tries:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:314 +msgid "" +"This defines how many times ZNC tries to join a channel, if the first join " +"failed, e.g. due to channel mode +i/+k or if you are banned." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:317 +msgid "Join speed:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:319 +msgid "" +"How many channels are joined in one JOIN command. 0 is unlimited (default). " +"Set to small positive value if you get disconnected with “Max SendQ Exceeded”" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:322 +msgid "Timeout before reconnect:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:324 +msgid "" +"How much time ZNC waits (in seconds) until it receives something from " +"network or declares the connection timeout. This happens after attempts to " +"ping the peer." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:327 +msgid "Max IRC Networks Number:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:329 +msgid "Maximum number of IRC networks allowed for this user." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:332 +msgid "Substitutions" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:334 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:342 +msgid "CTCP Replies:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:338 +msgid "One reply per line. Example: TIME Buy a watch!" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:339 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:355 +msgid "{1} are available" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:341 +msgid "Empty value means this CTCP request will be ignored" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:347 +msgid "Request" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:348 +msgid "Response" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:373 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:90 +msgid "Skin:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:377 +msgid "- Global -" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:379 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:94 +msgid "Default" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:383 +msgid "No other skins found" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:389 +msgid "Language:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:422 +msgid "Clone and return" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:423 +msgid "Clone and continue" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:425 +msgid "Create and return" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:426 +msgid "Create and continue" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:432 +#: modules/po/../data/webadmin/tmpl/listusers.tmpl:28 +msgid "Clone" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:434 +msgid "Create" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/del_network.tmpl:5 +msgid "Confirm Network Deletion" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/del_network.tmpl:9 +msgid "Are you sure you want to delete network “{2}” of user “{1}”?" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/del_network.tmpl:14 +#: modules/po/../data/webadmin/tmpl/del_user.tmpl:14 +msgid "Yes" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/del_network.tmpl:17 +#: modules/po/../data/webadmin/tmpl/del_user.tmpl:17 +msgid "No" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/del_user.tmpl:5 +msgid "Confirm User Deletion" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/del_user.tmpl:9 +msgid "Are you sure you want to delete user “{1}”?" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:6 +msgid "ZNC is compiled without encodings support. {1} is required for it." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:11 +msgid "Legacy mode is disabled by modpython." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:18 +msgid "Don't ensure any encoding at all (legacy mode, not recommended)" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:22 +msgid "Try to parse as UTF-8 and as {1}, send as UTF-8 (recommended)" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:26 +msgid "Try to parse as UTF-8 and as {1}, send as {1}" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:30 +msgid "Parse and send as {1} only" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:36 +msgid "E.g. UTF-8, or ISO-8859-15" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/index.tmpl:5 +msgid "Welcome to the ZNC webadmin module." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/index.tmpl:6 +msgid "" +"All changes you make will be in effect immediately after you submitted them." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/listusers.tmpl:16 +msgid "Username" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/listusers.tmpl:29 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:21 +msgid "Delete" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:6 +msgid "Listen Port(s)" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:14 +msgid "BindHost" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:16 +msgid "IPv4" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:17 +msgid "IPv6" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:18 +msgid "IRC" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:19 +msgid "HTTP" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:20 +msgid "URIPrefix" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:56 +msgid "" +"To delete port which you use to access webadmin itself, either connect to " +"webadmin via another port, or do it in IRC (/znc DelPort)" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:56 +msgid "Current" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:86 +msgid "Settings" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:105 +msgid "Default for new users only." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:110 +msgid "Maximum Buffer Size:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:112 +msgid "Sets the global Max Buffer Size a user can have." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:117 +msgid "Connect Delay:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:119 +msgid "" +"The time between connection attempts to IRC servers, in seconds. This " +"affects the connection between ZNC and the IRC server; not the connection " +"between your IRC client and ZNC." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:124 +msgid "Server Throttle:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:126 +msgid "" +"The minimal time between two connect attempts to the same hostname, in " +"seconds. Some servers refuse your connection if you reconnect too fast." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:131 +msgid "Anonymous Connection Limit per IP:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:133 +msgid "Limits the number of unidentified connections per IP." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:138 +msgid "Protect Web Sessions:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:140 +msgid "Disallow IP changing during each web session" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:145 +msgid "Hide ZNC Version:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:147 +msgid "Hide version number from non-ZNC users" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:153 +msgid "Allow user authentication by external modules only" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:158 +msgid "MOTD:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:162 +msgid "“Message of the Day”, sent to all ZNC users on connect." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:170 +msgid "Global Modules" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:180 +msgid "Loaded by users" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:7 +msgid "Information" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:13 +msgid "Uptime" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:18 +msgid "Total Users" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:22 +msgid "Total Networks" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:26 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:43 +msgid "Attached Networks" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:30 +msgid "Total Client Connections" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:34 +msgid "Total IRC Connections" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:47 +msgid "Client Connections" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:51 +msgid "IRC Connections" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:63 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:72 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:89 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:117 +msgid "Total" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:70 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:115 +msgctxt "Traffic" +msgid "In" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:71 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:116 +msgctxt "Traffic" +msgid "Out" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:77 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:104 +msgid "Users" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:106 +msgid "Traffic" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:113 +msgid "User" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:114 +msgid "Network" +msgstr "" + +#: webadmin.cpp:91 webadmin.cpp:1872 +msgid "Global Settings" +msgstr "" + +#: webadmin.cpp:93 +msgid "Your Settings" +msgstr "" + +#: webadmin.cpp:94 webadmin.cpp:1684 +msgid "Traffic Info" +msgstr "" + +#: webadmin.cpp:97 webadmin.cpp:1663 +msgid "Manage Users" +msgstr "" + +#: webadmin.cpp:188 +msgid "Invalid Submission [Username is required]" +msgstr "" + +#: webadmin.cpp:201 +msgid "Invalid Submission [Passwords do not match]" +msgstr "" + +#: webadmin.cpp:323 +msgid "Timeout can't be less than 30 seconds!" +msgstr "" + +#: webadmin.cpp:407 webadmin.cpp:435 webadmin.cpp:1182 webadmin.cpp:2057 +msgid "Unable to load module [{1}]: {2}" +msgstr "" + +#: webadmin.cpp:412 webadmin.cpp:440 +msgid "Unable to load module [{1}] with arguments [{2}]" +msgstr "" + +#: webadmin.cpp:521 webadmin.cpp:625 webadmin.cpp:650 webadmin.cpp:672 +#: webadmin.cpp:706 webadmin.cpp:1249 +msgid "No such user" +msgstr "" + +#: webadmin.cpp:534 webadmin.cpp:566 webadmin.cpp:595 webadmin.cpp:611 +msgid "No such user or network" +msgstr "" + +#: webadmin.cpp:576 +msgid "No such channel" +msgstr "" + +#: webadmin.cpp:642 +msgid "Please don't delete yourself, suicide is not the answer!" +msgstr "" + +#: webadmin.cpp:715 webadmin.cpp:972 webadmin.cpp:1314 +msgid "Edit User [{1}]" +msgstr "" + +#: webadmin.cpp:719 webadmin.cpp:906 +msgid "Edit Network [{1}]" +msgstr "" + +#: webadmin.cpp:729 +msgid "Edit Channel [{1}] of Network [{2}] of User [{3}]" +msgstr "" + +#: webadmin.cpp:736 +msgid "Edit Channel [{1}]" +msgstr "" + +#: webadmin.cpp:744 +msgid "Add Channel to Network [{1}] of User [{2}]" +msgstr "" + +#: webadmin.cpp:749 +msgid "Add Channel" +msgstr "" + +#: webadmin.cpp:756 webadmin.cpp:1510 +msgid "Auto Clear Chan Buffer" +msgstr "" + +#: webadmin.cpp:758 +msgid "Automatically Clear Channel Buffer After Playback" +msgstr "" + +#: webadmin.cpp:766 +msgid "Detached" +msgstr "" + +#: webadmin.cpp:773 +msgid "Enabled" +msgstr "" + +#: webadmin.cpp:797 +msgid "Channel name is a required argument" +msgstr "" + +#: webadmin.cpp:806 +msgid "Channel [{1}] already exists" +msgstr "" + +#: webadmin.cpp:813 +msgid "Could not add channel [{1}]" +msgstr "" + +#: webadmin.cpp:861 +msgid "Channel was added/modified, but config file was not written" +msgstr "" + +#: webadmin.cpp:888 +msgid "" +"Network number limit reached. Ask an admin to increase the limit for you, or " +"delete unneeded networks from Your Settings." +msgstr "" + +#: webadmin.cpp:903 +msgid "Edit Network [{1}] of User [{2}]" +msgstr "" + +#: webadmin.cpp:910 +msgid "Add Network for User [{1}]" +msgstr "" + +#: webadmin.cpp:911 +msgid "Add Network" +msgstr "" + +#: webadmin.cpp:1073 +msgid "Network name is a required argument" +msgstr "" + +#: webadmin.cpp:1189 webadmin.cpp:2064 +msgid "Unable to reload module [{1}]: {2}" +msgstr "" + +#: webadmin.cpp:1226 +msgid "Network was added/modified, but config file was not written" +msgstr "" + +#: webadmin.cpp:1255 +msgid "That network doesn't exist for this user" +msgstr "" + +#: webadmin.cpp:1272 +msgid "Network was deleted, but config file was not written" +msgstr "" + +#: webadmin.cpp:1286 +msgid "That channel doesn't exist for this network" +msgstr "" + +#: webadmin.cpp:1295 +msgid "Channel was deleted, but config file was not written" +msgstr "" + +#: webadmin.cpp:1323 +msgid "Clone User [{1}]" +msgstr "" + +#: webadmin.cpp:1512 +msgid "" +"Automatically Clear Channel Buffer After Playback (the default value for new " +"channels)" +msgstr "" + +#: webadmin.cpp:1522 +msgid "Multi Clients" +msgstr "" + +#: webadmin.cpp:1529 +msgid "Append Timestamps" +msgstr "" + +#: webadmin.cpp:1536 +msgid "Prepend Timestamps" +msgstr "" + +#: webadmin.cpp:1544 +msgid "Deny LoadMod" +msgstr "" + +#: webadmin.cpp:1551 +msgid "Admin" +msgstr "" + +#: webadmin.cpp:1561 +msgid "Deny SetBindHost" +msgstr "" + +#: webadmin.cpp:1569 +msgid "Auto Clear Query Buffer" +msgstr "" + +#: webadmin.cpp:1571 +msgid "Automatically Clear Query Buffer After Playback" +msgstr "" + +#: webadmin.cpp:1595 +msgid "Invalid Submission: User {1} already exists" +msgstr "" + +#: webadmin.cpp:1617 webadmin.cpp:1628 +msgid "Invalid submission: {1}" +msgstr "" + +#: webadmin.cpp:1623 +msgid "User was added, but config file was not written" +msgstr "" + +#: webadmin.cpp:1634 +msgid "User was edited, but config file was not written" +msgstr "" + +#: webadmin.cpp:1792 +msgid "Choose either IPv4 or IPv6 or both." +msgstr "" + +#: webadmin.cpp:1809 +msgid "Choose either IRC or HTTP or both." +msgstr "" + +#: webadmin.cpp:1822 webadmin.cpp:1858 +msgid "Port was changed, but config file was not written" +msgstr "" + +#: webadmin.cpp:1848 +msgid "Invalid request." +msgstr "" + +#: webadmin.cpp:1862 +msgid "The specified listener was not found." +msgstr "" + +#: webadmin.cpp:2093 +msgid "Settings were changed, but config file was not written" +msgstr "" diff --git a/src/po/znc.it_IT.po b/src/po/znc.it_IT.po new file mode 100644 index 00000000..14660859 --- /dev/null +++ b/src/po/znc.it_IT.po @@ -0,0 +1,1726 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /master/src/po/znc.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: webskins/_default_/tmpl/InfoBar.tmpl:6 +msgid "Logged in as: {1}" +msgstr "" + +#: webskins/_default_/tmpl/InfoBar.tmpl:8 +msgid "Not logged in" +msgstr "" + +#: webskins/_default_/tmpl/LoginBar.tmpl:3 +msgid "Logout" +msgstr "" + +#: webskins/_default_/tmpl/Menu.tmpl:4 +msgid "Home" +msgstr "" + +#: webskins/_default_/tmpl/Menu.tmpl:7 +msgid "Global Modules" +msgstr "" + +#: webskins/_default_/tmpl/Menu.tmpl:20 +msgid "User Modules" +msgstr "" + +#: webskins/_default_/tmpl/Menu.tmpl:35 +msgid "Network Modules ({1})" +msgstr "" + +#: webskins/_default_/tmpl/index.tmpl:6 +msgid "Welcome to ZNC's web interface!" +msgstr "" + +#: webskins/_default_/tmpl/index.tmpl:11 +msgid "" +"No Web-enabled modules have been loaded. Load modules from IRC (“/msg " +"*status help” and “/msg *status loadmod <module>”). Once you have loaded some Web-enabled modules, the menu will expand." +msgstr "" + +#: znc.cpp:1562 +msgid "User already exists" +msgstr "" + +#: znc.cpp:1670 +msgid "IPv6 is not enabled" +msgstr "" + +#: znc.cpp:1678 +msgid "SSL is not enabled" +msgstr "" + +#: znc.cpp:1686 +msgid "Unable to locate pem file: {1}" +msgstr "" + +#: znc.cpp:1705 +msgid "Invalid port" +msgstr "" + +#: znc.cpp:1821 ClientCommand.cpp:1637 +msgid "Unable to bind: {1}" +msgstr "" + +#: IRCNetwork.cpp:235 +msgid "Jumping servers because this server is no longer in the list" +msgstr "" + +#: IRCNetwork.cpp:669 User.cpp:678 +msgid "Welcome to ZNC" +msgstr "" + +#: IRCNetwork.cpp:757 +msgid "You are currently disconnected from IRC. Use 'connect' to reconnect." +msgstr "" + +#: IRCNetwork.cpp:787 +msgid "This network is being deleted or moved to another user." +msgstr "" + +#: IRCNetwork.cpp:1016 +msgid "The channel {1} could not be joined, disabling it." +msgstr "" + +#: IRCNetwork.cpp:1145 +msgid "Your current server was removed, jumping..." +msgstr "" + +#: IRCNetwork.cpp:1308 +msgid "Cannot connect to {1}, because ZNC is not compiled with SSL support." +msgstr "" + +#: IRCNetwork.cpp:1329 +msgid "Some module aborted the connection attempt" +msgstr "" + +#: IRCSock.cpp:490 +msgid "Error from server: {1}" +msgstr "" + +#: IRCSock.cpp:692 +msgid "ZNC seems to be connected to itself, disconnecting..." +msgstr "" + +#: IRCSock.cpp:739 +msgid "Server {1} redirects us to {2}:{3} with reason: {4}" +msgstr "" + +#: IRCSock.cpp:743 +msgid "Perhaps you want to add it as a new server." +msgstr "" + +#: IRCSock.cpp:973 +msgid "Channel {1} is linked to another channel and was thus disabled." +msgstr "" + +#: IRCSock.cpp:985 +msgid "Switched to SSL (STARTTLS)" +msgstr "" + +#: IRCSock.cpp:1038 +msgid "You quit: {1}" +msgstr "" + +#: IRCSock.cpp:1244 +msgid "Disconnected from IRC. Reconnecting..." +msgstr "" + +#: IRCSock.cpp:1275 +msgid "Cannot connect to IRC ({1}). Retrying..." +msgstr "" + +#: IRCSock.cpp:1278 +msgid "Disconnected from IRC ({1}). Reconnecting..." +msgstr "" + +#: IRCSock.cpp:1308 +msgid "If you trust this certificate, do /znc AddTrustedServerFingerprint {1}" +msgstr "" + +#: IRCSock.cpp:1325 +msgid "IRC connection timed out. Reconnecting..." +msgstr "" + +#: IRCSock.cpp:1337 +msgid "Connection Refused. Reconnecting..." +msgstr "" + +#: IRCSock.cpp:1345 +msgid "Received a too long line from the IRC server!" +msgstr "" + +#: IRCSock.cpp:1449 +msgid "No free nick available" +msgstr "" + +#: IRCSock.cpp:1457 +msgid "No free nick found" +msgstr "" + +#: Client.cpp:74 +msgid "No such module {1}" +msgstr "" + +#: Client.cpp:359 +msgid "A client from {1} attempted to login as you, but was rejected: {2}" +msgstr "" + +#: Client.cpp:394 +msgid "Network {1} doesn't exist." +msgstr "" + +#: Client.cpp:408 +msgid "" +"You have several networks configured, but no network was specified for the " +"connection." +msgstr "" + +#: Client.cpp:411 +msgid "" +"Selecting network {1}. To see list of all configured networks, use /znc " +"ListNetworks" +msgstr "" + +#: Client.cpp:414 +msgid "" +"If you want to choose another network, use /znc JumpNetwork , or " +"connect to ZNC with username {1}/ (instead of just {1})" +msgstr "" + +#: Client.cpp:420 +msgid "" +"You have no networks configured. Use /znc AddNetwork to add one." +msgstr "" + +#: Client.cpp:431 +msgid "Closing link: Timeout" +msgstr "" + +#: Client.cpp:453 +msgid "Closing link: Too long raw line" +msgstr "" + +#: Client.cpp:460 +msgid "" +"You are being disconnected because another user just authenticated as you." +msgstr "" + +#: Client.cpp:1015 +msgid "Your CTCP to {1} got lost, you are not connected to IRC!" +msgstr "" + +#: Client.cpp:1142 +msgid "Your notice to {1} got lost, you are not connected to IRC!" +msgstr "" + +#: Client.cpp:1181 +msgid "Removing channel {1}" +msgstr "" + +#: Client.cpp:1257 +msgid "Your message to {1} got lost, you are not connected to IRC!" +msgstr "" + +#: Client.cpp:1310 Client.cpp:1316 +msgid "Hello. How may I help you?" +msgstr "" + +#: Client.cpp:1330 +msgid "Usage: /attach <#chans>" +msgstr "" + +#: Client.cpp:1337 Client.cpp:1359 ClientCommand.cpp:129 ClientCommand.cpp:151 +msgid "There was {1} channel matching [{2}]" +msgid_plural "There were {1} channels matching [{2}]" +msgstr[0] "" +msgstr[1] "" + +#: Client.cpp:1340 ClientCommand.cpp:132 +msgid "Attached {1} channel" +msgid_plural "Attached {1} channels" +msgstr[0] "" +msgstr[1] "" + +#: Client.cpp:1352 +msgid "Usage: /detach <#chans>" +msgstr "" + +#: Client.cpp:1362 ClientCommand.cpp:154 +msgid "Detached {1} channel" +msgid_plural "Detached {1} channels" +msgstr[0] "" +msgstr[1] "" + +#: Chan.cpp:638 +msgid "Buffer Playback..." +msgstr "" + +#: Chan.cpp:676 +msgid "Playback Complete." +msgstr "" + +#: Modules.cpp:528 +msgctxt "modhelpcmd" +msgid "" +msgstr "" + +#: Modules.cpp:529 +msgctxt "modhelpcmd" +msgid "Generate this output" +msgstr "" + +#: Modules.cpp:573 ClientCommand.cpp:1904 +msgid "No matches for '{1}'" +msgstr "" + +#: Modules.cpp:691 +msgid "This module doesn't implement any commands." +msgstr "" + +#: Modules.cpp:693 +msgid "Unknown command!" +msgstr "" + +#: Modules.cpp:1633 +msgid "" +"Module names can only contain letters, numbers and underscores, [{1}] is " +"invalid" +msgstr "" + +#: Modules.cpp:1652 +msgid "Module {1} already loaded." +msgstr "" + +#: Modules.cpp:1666 +msgid "Unable to find module {1}" +msgstr "" + +#: Modules.cpp:1678 +msgid "Module {1} does not support module type {2}." +msgstr "" + +#: Modules.cpp:1685 +msgid "Module {1} requires a user." +msgstr "" + +#: Modules.cpp:1691 +msgid "Module {1} requires a network." +msgstr "" + +#: Modules.cpp:1707 +msgid "Caught an exception" +msgstr "" + +#: Modules.cpp:1713 +msgid "Module {1} aborted: {2}" +msgstr "" + +#: Modules.cpp:1715 +msgid "Module {1} aborted." +msgstr "" + +#: Modules.cpp:1739 Modules.cpp:1781 +msgid "Module [{1}] not loaded." +msgstr "" + +#: Modules.cpp:1763 +msgid "Module {1} unloaded." +msgstr "" + +#: Modules.cpp:1768 +msgid "Unable to unload module {1}." +msgstr "" + +#: Modules.cpp:1797 +msgid "Reloaded module {1}." +msgstr "" + +#: Modules.cpp:1816 +msgid "Unable to find module {1}." +msgstr "" + +#: Modules.cpp:1963 +msgid "Unknown error" +msgstr "" + +#: Modules.cpp:1964 +msgid "Unable to open module {1}: {2}" +msgstr "" + +#: Modules.cpp:1973 +msgid "Could not find ZNCModuleEntry in module {1}" +msgstr "" + +#: Modules.cpp:1981 +msgid "" +"Version mismatch for module {1}: core is {2}, module is built for {3}. " +"Recompile this module." +msgstr "" + +#: Modules.cpp:1992 +msgid "" +"Module {1} is built incompatibly: core is '{2}', module is '{3}'. Recompile " +"this module." +msgstr "" + +#: Modules.cpp:2023 Modules.cpp:2029 +msgctxt "modhelpcmd" +msgid "Command" +msgstr "" + +#: Modules.cpp:2024 Modules.cpp:2031 +msgctxt "modhelpcmd" +msgid "Description" +msgstr "" + +#: ClientCommand.cpp:51 ClientCommand.cpp:115 ClientCommand.cpp:137 +#: ClientCommand.cpp:749 ClientCommand.cpp:768 ClientCommand.cpp:794 +#: ClientCommand.cpp:827 ClientCommand.cpp:840 ClientCommand.cpp:853 +#: ClientCommand.cpp:868 ClientCommand.cpp:1329 ClientCommand.cpp:1377 +#: ClientCommand.cpp:1409 ClientCommand.cpp:1420 ClientCommand.cpp:1429 +#: ClientCommand.cpp:1441 +msgid "You must be connected with a network to use this command" +msgstr "" + +#: ClientCommand.cpp:58 +msgid "Usage: ListNicks <#chan>" +msgstr "" + +#: ClientCommand.cpp:65 +msgid "You are not on [{1}]" +msgstr "" + +#: ClientCommand.cpp:70 +msgid "You are not on [{1}] (trying)" +msgstr "" + +#: ClientCommand.cpp:79 +msgid "No nicks on [{1}]" +msgstr "" + +#: ClientCommand.cpp:91 ClientCommand.cpp:106 +msgid "Nick" +msgstr "" + +#: ClientCommand.cpp:92 ClientCommand.cpp:107 +msgid "Ident" +msgstr "" + +#: ClientCommand.cpp:93 ClientCommand.cpp:108 +msgid "Host" +msgstr "" + +#: ClientCommand.cpp:122 +msgid "Usage: Attach <#chans>" +msgstr "" + +#: ClientCommand.cpp:144 +msgid "Usage: Detach <#chans>" +msgstr "" + +#: ClientCommand.cpp:161 +msgid "There is no MOTD set." +msgstr "" + +#: ClientCommand.cpp:167 +msgid "Rehashing succeeded!" +msgstr "" + +#: ClientCommand.cpp:169 +msgid "Rehashing failed: {1}" +msgstr "" + +#: ClientCommand.cpp:173 +msgid "Wrote config to {1}" +msgstr "" + +#: ClientCommand.cpp:175 +msgid "Error while trying to write config." +msgstr "" + +#: ClientCommand.cpp:455 +msgid "Usage: ListChans" +msgstr "" + +#: ClientCommand.cpp:462 +msgid "No such user [{1}]" +msgstr "" + +#: ClientCommand.cpp:468 +msgid "User [{1}] doesn't have network [{2}]" +msgstr "" + +#: ClientCommand.cpp:479 +msgid "There are no channels defined." +msgstr "" + +#: ClientCommand.cpp:484 ClientCommand.cpp:500 +msgctxt "listchans" +msgid "Name" +msgstr "" + +#: ClientCommand.cpp:485 ClientCommand.cpp:503 +msgctxt "listchans" +msgid "Status" +msgstr "" + +#: ClientCommand.cpp:486 ClientCommand.cpp:510 +msgctxt "listchans" +msgid "In config" +msgstr "" + +#: ClientCommand.cpp:487 ClientCommand.cpp:512 +msgctxt "listchans" +msgid "Buffer" +msgstr "" + +#: ClientCommand.cpp:488 ClientCommand.cpp:516 +msgctxt "listchans" +msgid "Clear" +msgstr "" + +#: ClientCommand.cpp:489 ClientCommand.cpp:521 +msgctxt "listchans" +msgid "Modes" +msgstr "" + +#: ClientCommand.cpp:490 ClientCommand.cpp:522 +msgctxt "listchans" +msgid "Users" +msgstr "" + +#: ClientCommand.cpp:505 +msgctxt "listchans" +msgid "Detached" +msgstr "" + +#: ClientCommand.cpp:506 +msgctxt "listchans" +msgid "Joined" +msgstr "" + +#: ClientCommand.cpp:507 +msgctxt "listchans" +msgid "Disabled" +msgstr "" + +#: ClientCommand.cpp:508 +msgctxt "listchans" +msgid "Trying" +msgstr "" + +#: ClientCommand.cpp:511 ClientCommand.cpp:519 +msgctxt "listchans" +msgid "yes" +msgstr "" + +#: ClientCommand.cpp:536 +msgid "Total: {1}, Joined: {2}, Detached: {3}, Disabled: {4}" +msgstr "" + +#: ClientCommand.cpp:541 +msgid "" +"Network number limit reached. Ask an admin to increase the limit for you, or " +"delete unneeded networks using /znc DelNetwork " +msgstr "" + +#: ClientCommand.cpp:550 +msgid "Usage: AddNetwork " +msgstr "" + +#: ClientCommand.cpp:554 +msgid "Network name should be alphanumeric" +msgstr "" + +#: ClientCommand.cpp:561 +msgid "" +"Network added. Use /znc JumpNetwork {1}, or connect to ZNC with username {2} " +"(instead of just {3}) to connect to it." +msgstr "" + +#: ClientCommand.cpp:566 +msgid "Unable to add that network" +msgstr "" + +#: ClientCommand.cpp:573 +msgid "Usage: DelNetwork " +msgstr "" + +#: ClientCommand.cpp:582 +msgid "Network deleted" +msgstr "" + +#: ClientCommand.cpp:585 +msgid "Failed to delete network, perhaps this network doesn't exist" +msgstr "" + +#: ClientCommand.cpp:595 +msgid "User {1} not found" +msgstr "" + +#: ClientCommand.cpp:603 ClientCommand.cpp:611 +msgctxt "listnetworks" +msgid "Network" +msgstr "" + +#: ClientCommand.cpp:604 ClientCommand.cpp:613 ClientCommand.cpp:622 +msgctxt "listnetworks" +msgid "On IRC" +msgstr "" + +#: ClientCommand.cpp:605 ClientCommand.cpp:615 +msgctxt "listnetworks" +msgid "IRC Server" +msgstr "" + +#: ClientCommand.cpp:606 ClientCommand.cpp:617 +msgctxt "listnetworks" +msgid "IRC User" +msgstr "" + +#: ClientCommand.cpp:607 ClientCommand.cpp:619 +msgctxt "listnetworks" +msgid "Channels" +msgstr "" + +#: ClientCommand.cpp:614 +msgctxt "listnetworks" +msgid "Yes" +msgstr "" + +#: ClientCommand.cpp:623 +msgctxt "listnetworks" +msgid "No" +msgstr "" + +#: ClientCommand.cpp:628 +msgctxt "listnetworks" +msgid "No networks" +msgstr "" + +#: ClientCommand.cpp:632 ClientCommand.cpp:936 +msgid "Access denied." +msgstr "" + +#: ClientCommand.cpp:643 +msgid "Usage: MoveNetwork [new network]" +msgstr "" + +#: ClientCommand.cpp:653 +msgid "Old user {1} not found." +msgstr "" + +#: ClientCommand.cpp:659 +msgid "Old network {1} not found." +msgstr "" + +#: ClientCommand.cpp:665 +msgid "New user {1} not found." +msgstr "" + +#: ClientCommand.cpp:670 +msgid "User {1} already has network {2}." +msgstr "" + +#: ClientCommand.cpp:676 +msgid "Invalid network name [{1}]" +msgstr "" + +#: ClientCommand.cpp:692 +msgid "Some files seem to be in {1}. You might want to move them to {2}" +msgstr "" + +#: ClientCommand.cpp:706 +msgid "Error adding network: {1}" +msgstr "" + +#: ClientCommand.cpp:718 +msgid "Success." +msgstr "" + +#: ClientCommand.cpp:721 +msgid "Copied the network to new user, but failed to delete old network" +msgstr "" + +#: ClientCommand.cpp:728 +msgid "No network supplied." +msgstr "" + +#: ClientCommand.cpp:733 +msgid "You are already connected with this network." +msgstr "" + +#: ClientCommand.cpp:739 +msgid "Switched to {1}" +msgstr "" + +#: ClientCommand.cpp:742 +msgid "You don't have a network named {1}" +msgstr "" + +#: ClientCommand.cpp:754 +msgid "Usage: AddServer [[+]port] [pass]" +msgstr "" + +#: ClientCommand.cpp:759 +msgid "Server added" +msgstr "" + +#: ClientCommand.cpp:762 +msgid "" +"Unable to add that server. Perhaps the server is already added or openssl is " +"disabled?" +msgstr "" + +#: ClientCommand.cpp:777 +msgid "Usage: DelServer [port] [pass]" +msgstr "" + +#: ClientCommand.cpp:782 ClientCommand.cpp:822 +msgid "You don't have any servers added." +msgstr "" + +#: ClientCommand.cpp:787 +msgid "Server removed" +msgstr "" + +#: ClientCommand.cpp:789 +msgid "No such server" +msgstr "" + +#: ClientCommand.cpp:802 ClientCommand.cpp:809 +msgctxt "listservers" +msgid "Host" +msgstr "" + +#: ClientCommand.cpp:803 ClientCommand.cpp:811 +msgctxt "listservers" +msgid "Port" +msgstr "" + +#: ClientCommand.cpp:804 ClientCommand.cpp:814 +msgctxt "listservers" +msgid "SSL" +msgstr "" + +#: ClientCommand.cpp:805 ClientCommand.cpp:816 +msgctxt "listservers" +msgid "Password" +msgstr "" + +#: ClientCommand.cpp:815 +msgctxt "listservers|cell" +msgid "SSL" +msgstr "" + +#: ClientCommand.cpp:832 +msgid "Usage: AddTrustedServerFingerprint " +msgstr "" + +#: ClientCommand.cpp:836 ClientCommand.cpp:849 +msgid "Done." +msgstr "" + +#: ClientCommand.cpp:845 +msgid "Usage: DelTrustedServerFingerprint " +msgstr "" + +#: ClientCommand.cpp:858 +msgid "No fingerprints added." +msgstr "" + +#: ClientCommand.cpp:874 ClientCommand.cpp:880 +msgctxt "topicscmd" +msgid "Channel" +msgstr "" + +#: ClientCommand.cpp:875 ClientCommand.cpp:881 +msgctxt "topicscmd" +msgid "Set By" +msgstr "" + +#: ClientCommand.cpp:876 ClientCommand.cpp:882 +msgctxt "topicscmd" +msgid "Topic" +msgstr "" + +#: ClientCommand.cpp:889 ClientCommand.cpp:894 +msgctxt "listmods" +msgid "Name" +msgstr "" + +#: ClientCommand.cpp:890 ClientCommand.cpp:895 +msgctxt "listmods" +msgid "Arguments" +msgstr "" + +#: ClientCommand.cpp:904 +msgid "No global modules loaded." +msgstr "" + +#: ClientCommand.cpp:906 ClientCommand.cpp:970 +msgid "Global modules:" +msgstr "" + +#: ClientCommand.cpp:915 +msgid "Your user has no modules loaded." +msgstr "" + +#: ClientCommand.cpp:917 ClientCommand.cpp:982 +msgid "User modules:" +msgstr "" + +#: ClientCommand.cpp:925 +msgid "This network has no modules loaded." +msgstr "" + +#: ClientCommand.cpp:927 ClientCommand.cpp:994 +msgid "Network modules:" +msgstr "" + +#: ClientCommand.cpp:942 ClientCommand.cpp:949 +msgctxt "listavailmods" +msgid "Name" +msgstr "" + +#: ClientCommand.cpp:943 ClientCommand.cpp:954 +msgctxt "listavailmods" +msgid "Description" +msgstr "" + +#: ClientCommand.cpp:968 +msgid "No global modules available." +msgstr "" + +#: ClientCommand.cpp:980 +msgid "No user modules available." +msgstr "" + +#: ClientCommand.cpp:992 +msgid "No network modules available." +msgstr "" + +#: ClientCommand.cpp:1020 +msgid "Unable to load {1}: Access denied." +msgstr "" + +#: ClientCommand.cpp:1026 +msgid "Usage: LoadMod [--type=global|user|network] [args]" +msgstr "" + +#: ClientCommand.cpp:1033 +msgid "Unable to load {1}: {2}" +msgstr "" + +#: ClientCommand.cpp:1043 +msgid "Unable to load global module {1}: Access denied." +msgstr "" + +#: ClientCommand.cpp:1049 +msgid "Unable to load network module {1}: Not connected with a network." +msgstr "" + +#: ClientCommand.cpp:1071 +msgid "Unknown module type" +msgstr "" + +#: ClientCommand.cpp:1076 +msgid "Loaded module {1}" +msgstr "" + +#: ClientCommand.cpp:1078 +msgid "Loaded module {1}: {2}" +msgstr "" + +#: ClientCommand.cpp:1081 +msgid "Unable to load module {1}: {2}" +msgstr "" + +#: ClientCommand.cpp:1104 +msgid "Unable to unload {1}: Access denied." +msgstr "" + +#: ClientCommand.cpp:1110 +msgid "Usage: UnloadMod [--type=global|user|network] " +msgstr "" + +#: ClientCommand.cpp:1119 +msgid "Unable to determine type of {1}: {2}" +msgstr "" + +#: ClientCommand.cpp:1127 +msgid "Unable to unload global module {1}: Access denied." +msgstr "" + +#: ClientCommand.cpp:1134 +msgid "Unable to unload network module {1}: Not connected with a network." +msgstr "" + +#: ClientCommand.cpp:1153 +msgid "Unable to unload module {1}: Unknown module type" +msgstr "" + +#: ClientCommand.cpp:1166 +msgid "Unable to reload modules. Access denied." +msgstr "" + +#: ClientCommand.cpp:1187 +msgid "Usage: ReloadMod [--type=global|user|network] [args]" +msgstr "" + +#: ClientCommand.cpp:1196 +msgid "Unable to reload {1}: {2}" +msgstr "" + +#: ClientCommand.cpp:1204 +msgid "Unable to reload global module {1}: Access denied." +msgstr "" + +#: ClientCommand.cpp:1211 +msgid "Unable to reload network module {1}: Not connected with a network." +msgstr "" + +#: ClientCommand.cpp:1233 +msgid "Unable to reload module {1}: Unknown module type" +msgstr "" + +#: ClientCommand.cpp:1244 +msgid "Usage: UpdateMod " +msgstr "" + +#: ClientCommand.cpp:1248 +msgid "Reloading {1} everywhere" +msgstr "" + +#: ClientCommand.cpp:1250 +msgid "Done" +msgstr "" + +#: ClientCommand.cpp:1253 +msgid "" +"Done, but there were errors, module {1} could not be reloaded everywhere." +msgstr "" + +#: ClientCommand.cpp:1261 +msgid "" +"You must be connected with a network to use this command. Try " +"SetUserBindHost instead" +msgstr "" + +#: ClientCommand.cpp:1268 +msgid "Usage: SetBindHost " +msgstr "" + +#: ClientCommand.cpp:1273 ClientCommand.cpp:1290 +msgid "You already have this bind host!" +msgstr "" + +#: ClientCommand.cpp:1278 +msgid "Set bind host for network {1} to {2}" +msgstr "" + +#: ClientCommand.cpp:1285 +msgid "Usage: SetUserBindHost " +msgstr "" + +#: ClientCommand.cpp:1295 +msgid "Set default bind host to {1}" +msgstr "" + +#: ClientCommand.cpp:1301 +msgid "" +"You must be connected with a network to use this command. Try " +"ClearUserBindHost instead" +msgstr "" + +#: ClientCommand.cpp:1306 +msgid "Bind host cleared for this network." +msgstr "" + +#: ClientCommand.cpp:1310 +msgid "Default bind host cleared for your user." +msgstr "" + +#: ClientCommand.cpp:1313 +msgid "This user's default bind host not set" +msgstr "" + +#: ClientCommand.cpp:1315 +msgid "This user's default bind host is {1}" +msgstr "" + +#: ClientCommand.cpp:1320 +msgid "This network's bind host not set" +msgstr "" + +#: ClientCommand.cpp:1322 +msgid "This network's default bind host is {1}" +msgstr "" + +#: ClientCommand.cpp:1336 +msgid "Usage: PlayBuffer <#chan|query>" +msgstr "" + +#: ClientCommand.cpp:1344 +msgid "You are not on {1}" +msgstr "" + +#: ClientCommand.cpp:1349 +msgid "You are not on {1} (trying to join)" +msgstr "" + +#: ClientCommand.cpp:1354 +msgid "The buffer for channel {1} is empty" +msgstr "" + +#: ClientCommand.cpp:1363 +msgid "No active query with {1}" +msgstr "" + +#: ClientCommand.cpp:1368 +msgid "The buffer for {1} is empty" +msgstr "" + +#: ClientCommand.cpp:1384 +msgid "Usage: ClearBuffer <#chan|query>" +msgstr "" + +#: ClientCommand.cpp:1403 +msgid "{1} buffer matching {2} has been cleared" +msgid_plural "{1} buffers matching {2} have been cleared" +msgstr[0] "" +msgstr[1] "" + +#: ClientCommand.cpp:1416 +msgid "All channel buffers have been cleared" +msgstr "" + +#: ClientCommand.cpp:1425 +msgid "All query buffers have been cleared" +msgstr "" + +#: ClientCommand.cpp:1437 +msgid "All buffers have been cleared" +msgstr "" + +#: ClientCommand.cpp:1448 +msgid "Usage: SetBuffer <#chan|query> [linecount]" +msgstr "" + +#: ClientCommand.cpp:1469 +msgid "Setting buffer size failed for {1} buffer" +msgid_plural "Setting buffer size failed for {1} buffers" +msgstr[0] "" +msgstr[1] "" + +#: ClientCommand.cpp:1472 +msgid "Maximum buffer size is {1} line" +msgid_plural "Maximum buffer size is {1} lines" +msgstr[0] "" +msgstr[1] "" + +#: ClientCommand.cpp:1477 +msgid "Size of every buffer was set to {1} line" +msgid_plural "Size of every buffer was set to {1} lines" +msgstr[0] "" +msgstr[1] "" + +#: ClientCommand.cpp:1487 ClientCommand.cpp:1494 ClientCommand.cpp:1505 +#: ClientCommand.cpp:1514 ClientCommand.cpp:1522 +msgctxt "trafficcmd" +msgid "Username" +msgstr "" + +#: ClientCommand.cpp:1488 ClientCommand.cpp:1495 ClientCommand.cpp:1507 +#: ClientCommand.cpp:1516 ClientCommand.cpp:1524 +msgctxt "trafficcmd" +msgid "In" +msgstr "" + +#: ClientCommand.cpp:1489 ClientCommand.cpp:1497 ClientCommand.cpp:1508 +#: ClientCommand.cpp:1517 ClientCommand.cpp:1525 +msgctxt "trafficcmd" +msgid "Out" +msgstr "" + +#: ClientCommand.cpp:1490 ClientCommand.cpp:1500 ClientCommand.cpp:1510 +#: ClientCommand.cpp:1518 ClientCommand.cpp:1527 +msgctxt "trafficcmd" +msgid "Total" +msgstr "" + +#: ClientCommand.cpp:1506 +msgctxt "trafficcmd" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1515 +msgctxt "trafficcmd" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1523 +msgctxt "trafficcmd" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1532 +msgid "Running for {1}" +msgstr "" + +#: ClientCommand.cpp:1538 +msgid "Unknown command, try 'Help'" +msgstr "" + +#: ClientCommand.cpp:1547 ClientCommand.cpp:1558 +msgctxt "listports" +msgid "Port" +msgstr "" + +#: ClientCommand.cpp:1548 ClientCommand.cpp:1559 +msgctxt "listports" +msgid "BindHost" +msgstr "" + +#: ClientCommand.cpp:1549 ClientCommand.cpp:1562 +msgctxt "listports" +msgid "SSL" +msgstr "" + +#: ClientCommand.cpp:1550 ClientCommand.cpp:1567 +msgctxt "listports" +msgid "Protocol" +msgstr "" + +#: ClientCommand.cpp:1551 ClientCommand.cpp:1574 +msgctxt "listports" +msgid "IRC" +msgstr "" + +#: ClientCommand.cpp:1552 ClientCommand.cpp:1579 +msgctxt "listports" +msgid "Web" +msgstr "" + +#: ClientCommand.cpp:1563 +msgctxt "listports|ssl" +msgid "yes" +msgstr "" + +#: ClientCommand.cpp:1564 +msgctxt "listports|ssl" +msgid "no" +msgstr "" + +#: ClientCommand.cpp:1568 +msgctxt "listports" +msgid "IPv4 and IPv6" +msgstr "" + +#: ClientCommand.cpp:1570 +msgctxt "listports" +msgid "IPv4" +msgstr "" + +#: ClientCommand.cpp:1571 +msgctxt "listports" +msgid "IPv6" +msgstr "" + +#: ClientCommand.cpp:1577 +msgctxt "listports|irc" +msgid "yes" +msgstr "" + +#: ClientCommand.cpp:1578 +msgctxt "listports|irc" +msgid "no" +msgstr "" + +#: ClientCommand.cpp:1582 +msgctxt "listports|irc" +msgid "yes, on {1}" +msgstr "" + +#: ClientCommand.cpp:1584 +msgctxt "listports|web" +msgid "no" +msgstr "" + +#: ClientCommand.cpp:1624 +msgid "" +"Usage: AddPort <[+]port> [bindhost [uriprefix]]" +msgstr "" + +#: ClientCommand.cpp:1640 +msgid "Port added" +msgstr "" + +#: ClientCommand.cpp:1642 +msgid "Couldn't add port" +msgstr "" + +#: ClientCommand.cpp:1648 +msgid "Usage: DelPort [bindhost]" +msgstr "" + +#: ClientCommand.cpp:1657 +msgid "Deleted Port" +msgstr "" + +#: ClientCommand.cpp:1659 +msgid "Unable to find a matching port" +msgstr "" + +#: ClientCommand.cpp:1667 ClientCommand.cpp:1682 +msgctxt "helpcmd" +msgid "Command" +msgstr "" + +#: ClientCommand.cpp:1668 ClientCommand.cpp:1684 +msgctxt "helpcmd" +msgid "Description" +msgstr "" + +#: ClientCommand.cpp:1673 +msgid "" +"In the following list all occurrences of <#chan> support wildcards (* and ?) " +"except ListNicks" +msgstr "" + +#: ClientCommand.cpp:1690 +msgctxt "helpcmd|Version|desc" +msgid "Print which version of ZNC this is" +msgstr "" + +#: ClientCommand.cpp:1693 +msgctxt "helpcmd|ListMods|desc" +msgid "List all loaded modules" +msgstr "" + +#: ClientCommand.cpp:1696 +msgctxt "helpcmd|ListAvailMods|desc" +msgid "List all available modules" +msgstr "" + +#: ClientCommand.cpp:1700 ClientCommand.cpp:1886 +msgctxt "helpcmd|ListChans|desc" +msgid "List all channels" +msgstr "" + +#: ClientCommand.cpp:1703 +msgctxt "helpcmd|ListNicks|args" +msgid "<#chan>" +msgstr "" + +#: ClientCommand.cpp:1704 +msgctxt "helpcmd|ListNicks|desc" +msgid "List all nicks on a channel" +msgstr "" + +#: ClientCommand.cpp:1707 +msgctxt "helpcmd|ListClients|desc" +msgid "List all clients connected to your ZNC user" +msgstr "" + +#: ClientCommand.cpp:1711 +msgctxt "helpcmd|ListServers|desc" +msgid "List all servers of current IRC network" +msgstr "" + +#: ClientCommand.cpp:1715 +msgctxt "helpcmd|AddNetwork|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1716 +msgctxt "helpcmd|AddNetwork|desc" +msgid "Add a network to your user" +msgstr "" + +#: ClientCommand.cpp:1718 +msgctxt "helpcmd|DelNetwork|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1719 +msgctxt "helpcmd|DelNetwork|desc" +msgid "Delete a network from your user" +msgstr "" + +#: ClientCommand.cpp:1721 +msgctxt "helpcmd|ListNetworks|desc" +msgid "List all networks" +msgstr "" + +#: ClientCommand.cpp:1724 +msgctxt "helpcmd|MoveNetwork|args" +msgid " [new network]" +msgstr "" + +#: ClientCommand.cpp:1726 +msgctxt "helpcmd|MoveNetwork|desc" +msgid "Move an IRC network from one user to another" +msgstr "" + +#: ClientCommand.cpp:1730 +msgctxt "helpcmd|JumpNetwork|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1731 +msgctxt "helpcmd|JumpNetwork|desc" +msgid "" +"Jump to another network (Alternatively, you can connect to ZNC several " +"times, using `user/network` as username)" +msgstr "" + +#: ClientCommand.cpp:1736 +msgctxt "helpcmd|AddServer|args" +msgid " [[+]port] [pass]" +msgstr "" + +#: ClientCommand.cpp:1737 +msgctxt "helpcmd|AddServer|desc" +msgid "" +"Add a server to the list of alternate/backup servers of current IRC network." +msgstr "" + +#: ClientCommand.cpp:1741 +msgctxt "helpcmd|DelServer|args" +msgid " [port] [pass]" +msgstr "" + +#: ClientCommand.cpp:1742 +msgctxt "helpcmd|DelServer|desc" +msgid "" +"Remove a server from the list of alternate/backup servers of current IRC " +"network" +msgstr "" + +#: ClientCommand.cpp:1748 +msgctxt "helpcmd|AddTrustedServerFingerprint|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1749 +msgctxt "helpcmd|AddTrustedServerFingerprint|desc" +msgid "" +"Add a trusted server SSL certificate fingerprint (SHA-256) to current IRC " +"network." +msgstr "" + +#: ClientCommand.cpp:1754 +msgctxt "helpcmd|DelTrustedServerFingerprint|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1755 +msgctxt "helpcmd|DelTrustedServerFingerprint|desc" +msgid "Delete a trusted server SSL certificate from current IRC network." +msgstr "" + +#: ClientCommand.cpp:1759 +msgctxt "helpcmd|ListTrustedServerFingerprints|desc" +msgid "List all trusted server SSL certificates of current IRC network." +msgstr "" + +#: ClientCommand.cpp:1762 +msgctxt "helpcmd|EnableChan|args" +msgid "<#chans>" +msgstr "" + +#: ClientCommand.cpp:1763 +msgctxt "helpcmd|EnableChan|desc" +msgid "Enable channels" +msgstr "" + +#: ClientCommand.cpp:1764 +msgctxt "helpcmd|DisableChan|args" +msgid "<#chans>" +msgstr "" + +#: ClientCommand.cpp:1765 +msgctxt "helpcmd|DisableChan|desc" +msgid "Disable channels" +msgstr "" + +#: ClientCommand.cpp:1766 +msgctxt "helpcmd|Attach|args" +msgid "<#chans>" +msgstr "" + +#: ClientCommand.cpp:1767 +msgctxt "helpcmd|Attach|desc" +msgid "Attach to channels" +msgstr "" + +#: ClientCommand.cpp:1768 +msgctxt "helpcmd|Detach|args" +msgid "<#chans>" +msgstr "" + +#: ClientCommand.cpp:1769 +msgctxt "helpcmd|Detach|desc" +msgid "Detach from channels" +msgstr "" + +#: ClientCommand.cpp:1772 +msgctxt "helpcmd|Topics|desc" +msgid "Show topics in all your channels" +msgstr "" + +#: ClientCommand.cpp:1775 +msgctxt "helpcmd|PlayBuffer|args" +msgid "<#chan|query>" +msgstr "" + +#: ClientCommand.cpp:1776 +msgctxt "helpcmd|PlayBuffer|desc" +msgid "Play back the specified buffer" +msgstr "" + +#: ClientCommand.cpp:1778 +msgctxt "helpcmd|ClearBuffer|args" +msgid "<#chan|query>" +msgstr "" + +#: ClientCommand.cpp:1779 +msgctxt "helpcmd|ClearBuffer|desc" +msgid "Clear the specified buffer" +msgstr "" + +#: ClientCommand.cpp:1781 +msgctxt "helpcmd|ClearAllBuffers|desc" +msgid "Clear all channel and query buffers" +msgstr "" + +#: ClientCommand.cpp:1784 +msgctxt "helpcmd|ClearAllChannelBuffers|desc" +msgid "Clear the channel buffers" +msgstr "" + +#: ClientCommand.cpp:1788 +msgctxt "helpcmd|ClearAllQueryBuffers|desc" +msgid "Clear the query buffers" +msgstr "" + +#: ClientCommand.cpp:1790 +msgctxt "helpcmd|SetBuffer|args" +msgid "<#chan|query> [linecount]" +msgstr "" + +#: ClientCommand.cpp:1791 +msgctxt "helpcmd|SetBuffer|desc" +msgid "Set the buffer count" +msgstr "" + +#: ClientCommand.cpp:1795 +msgctxt "helpcmd|SetBindHost|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1796 +msgctxt "helpcmd|SetBindHost|desc" +msgid "Set the bind host for this network" +msgstr "" + +#: ClientCommand.cpp:1800 +msgctxt "helpcmd|SetUserBindHost|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1801 +msgctxt "helpcmd|SetUserBindHost|desc" +msgid "Set the default bind host for this user" +msgstr "" + +#: ClientCommand.cpp:1804 +msgctxt "helpcmd|ClearBindHost|desc" +msgid "Clear the bind host for this network" +msgstr "" + +#: ClientCommand.cpp:1807 +msgctxt "helpcmd|ClearUserBindHost|desc" +msgid "Clear the default bind host for this user" +msgstr "" + +#: ClientCommand.cpp:1813 +msgctxt "helpcmd|ShowBindHost|desc" +msgid "Show currently selected bind host" +msgstr "" + +#: ClientCommand.cpp:1815 +msgctxt "helpcmd|Jump|args" +msgid "[server]" +msgstr "" + +#: ClientCommand.cpp:1816 +msgctxt "helpcmd|Jump|desc" +msgid "Jump to the next or the specified server" +msgstr "" + +#: ClientCommand.cpp:1817 +msgctxt "helpcmd|Disconnect|args" +msgid "[message]" +msgstr "" + +#: ClientCommand.cpp:1818 +msgctxt "helpcmd|Disconnect|desc" +msgid "Disconnect from IRC" +msgstr "" + +#: ClientCommand.cpp:1820 +msgctxt "helpcmd|Connect|desc" +msgid "Reconnect to IRC" +msgstr "" + +#: ClientCommand.cpp:1823 +msgctxt "helpcmd|Uptime|desc" +msgid "Show for how long ZNC has been running" +msgstr "" + +#: ClientCommand.cpp:1827 +msgctxt "helpcmd|LoadMod|args" +msgid "[--type=global|user|network] " +msgstr "" + +#: ClientCommand.cpp:1829 +msgctxt "helpcmd|LoadMod|desc" +msgid "Load a module" +msgstr "" + +#: ClientCommand.cpp:1831 +msgctxt "helpcmd|UnloadMod|args" +msgid "[--type=global|user|network] " +msgstr "" + +#: ClientCommand.cpp:1833 +msgctxt "helpcmd|UnloadMod|desc" +msgid "Unload a module" +msgstr "" + +#: ClientCommand.cpp:1835 +msgctxt "helpcmd|ReloadMod|args" +msgid "[--type=global|user|network] " +msgstr "" + +#: ClientCommand.cpp:1837 +msgctxt "helpcmd|ReloadMod|desc" +msgid "Reload a module" +msgstr "" + +#: ClientCommand.cpp:1840 +msgctxt "helpcmd|UpdateMod|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1841 +msgctxt "helpcmd|UpdateMod|desc" +msgid "Reload a module everywhere" +msgstr "" + +#: ClientCommand.cpp:1847 +msgctxt "helpcmd|ShowMOTD|desc" +msgid "Show ZNC's message of the day" +msgstr "" + +#: ClientCommand.cpp:1851 +msgctxt "helpcmd|SetMOTD|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1852 +msgctxt "helpcmd|SetMOTD|desc" +msgid "Set ZNC's message of the day" +msgstr "" + +#: ClientCommand.cpp:1854 +msgctxt "helpcmd|AddMOTD|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1855 +msgctxt "helpcmd|AddMOTD|desc" +msgid "Append to ZNC's MOTD" +msgstr "" + +#: ClientCommand.cpp:1857 +msgctxt "helpcmd|ClearMOTD|desc" +msgid "Clear ZNC's MOTD" +msgstr "" + +#: ClientCommand.cpp:1860 +msgctxt "helpcmd|ListPorts|desc" +msgid "Show all active listeners" +msgstr "" + +#: ClientCommand.cpp:1862 +msgctxt "helpcmd|AddPort|args" +msgid "<[+]port> [bindhost [uriprefix]]" +msgstr "" + +#: ClientCommand.cpp:1865 +msgctxt "helpcmd|AddPort|desc" +msgid "Add another port for ZNC to listen on" +msgstr "" + +#: ClientCommand.cpp:1869 +msgctxt "helpcmd|DelPort|args" +msgid " [bindhost]" +msgstr "" + +#: ClientCommand.cpp:1870 +msgctxt "helpcmd|DelPort|desc" +msgid "Remove a port from ZNC" +msgstr "" + +#: ClientCommand.cpp:1873 +msgctxt "helpcmd|Rehash|desc" +msgid "Reload global settings, modules, and listeners from znc.conf" +msgstr "" + +#: ClientCommand.cpp:1876 +msgctxt "helpcmd|SaveConfig|desc" +msgid "Save the current settings to disk" +msgstr "" + +#: ClientCommand.cpp:1879 +msgctxt "helpcmd|ListUsers|desc" +msgid "List all ZNC users and their connection status" +msgstr "" + +#: ClientCommand.cpp:1882 +msgctxt "helpcmd|ListAllUserNetworks|desc" +msgid "List all ZNC users and their networks" +msgstr "" + +#: ClientCommand.cpp:1885 +msgctxt "helpcmd|ListChans|args" +msgid "[user ]" +msgstr "" + +#: ClientCommand.cpp:1888 +msgctxt "helpcmd|ListClients|args" +msgid "[user]" +msgstr "" + +#: ClientCommand.cpp:1889 +msgctxt "helpcmd|ListClients|desc" +msgid "List all connected clients" +msgstr "" + +#: ClientCommand.cpp:1891 +msgctxt "helpcmd|Traffic|desc" +msgid "Show basic traffic stats for all ZNC users" +msgstr "" + +#: ClientCommand.cpp:1893 +msgctxt "helpcmd|Broadcast|args" +msgid "[message]" +msgstr "" + +#: ClientCommand.cpp:1894 +msgctxt "helpcmd|Broadcast|desc" +msgid "Broadcast a message to all ZNC users" +msgstr "" + +#: ClientCommand.cpp:1897 +msgctxt "helpcmd|Shutdown|args" +msgid "[message]" +msgstr "" + +#: ClientCommand.cpp:1898 +msgctxt "helpcmd|Shutdown|desc" +msgid "Shut down ZNC completely" +msgstr "" + +#: ClientCommand.cpp:1899 +msgctxt "helpcmd|Restart|args" +msgid "[message]" +msgstr "" + +#: ClientCommand.cpp:1900 +msgctxt "helpcmd|Restart|desc" +msgid "Restart ZNC" +msgstr "" + +#: Socket.cpp:336 +msgid "Can't resolve server hostname" +msgstr "" + +#: Socket.cpp:343 +msgid "" +"Can't resolve bind hostname. Try /znc ClearBindHost and /znc " +"ClearUserBindHost" +msgstr "" + +#: Socket.cpp:348 +msgid "Server address is IPv4-only, but bindhost is IPv6-only" +msgstr "" + +#: Socket.cpp:357 +msgid "Server address is IPv6-only, but bindhost is IPv4-only" +msgstr "" + +#: Socket.cpp:515 +msgid "Some socket reached its max buffer limit and was closed!" +msgstr "" + +#: SSLVerifyHost.cpp:481 +msgid "hostname doesn't match" +msgstr "" + +#: SSLVerifyHost.cpp:485 +msgid "malformed hostname in certificate" +msgstr "" + +#: SSLVerifyHost.cpp:489 +msgid "hostname verification error" +msgstr "" + +#: User.cpp:507 +msgid "" +"Invalid network name. It should be alphanumeric. Not to be confused with " +"server name" +msgstr "" + +#: User.cpp:511 +msgid "Network {1} already exists" +msgstr "" + +#: User.cpp:777 +msgid "" +"You are being disconnected because your IP is no longer allowed to connect " +"to this user" +msgstr "" + +#: User.cpp:912 +msgid "Password is empty" +msgstr "" + +#: User.cpp:917 +msgid "Username is empty" +msgstr "" + +#: User.cpp:922 +msgid "Username is invalid" +msgstr "" + +#: User.cpp:1199 +msgid "Unable to find modinfo {1}: {2}" +msgstr "" From ad69c372ff4de7c1294aeb7df002ec33d5e5e05e Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Mon, 24 Jun 2019 00:27:24 +0000 Subject: [PATCH 259/798] Update translations from Crowdin for it_IT --- modules/po/admindebug.it_IT.po | 59 + modules/po/adminlog.it_IT.po | 69 + modules/po/alias.it_IT.po | 123 ++ modules/po/autoattach.it_IT.po | 85 ++ modules/po/autocycle.it_IT.po | 69 + modules/po/autoop.it_IT.po | 168 +++ modules/po/autoreply.it_IT.po | 43 + modules/po/autovoice.it_IT.po | 111 ++ modules/po/awaystore.it_IT.po | 110 ++ modules/po/block_motd.it_IT.po | 35 + modules/po/blockuser.it_IT.po | 97 ++ modules/po/bouncedcc.it_IT.po | 131 ++ modules/po/buffextras.it_IT.po | 49 + modules/po/cert.it_IT.po | 75 ++ modules/po/certauth.it_IT.po | 108 ++ modules/po/chansaver.it_IT.po | 17 + modules/po/clearbufferonmsg.it_IT.po | 17 + modules/po/clientnotify.it_IT.po | 73 ++ modules/po/controlpanel.it_IT.po | 718 +++++++++++ modules/po/crypt.it_IT.po | 143 +++ modules/po/ctcpflood.it_IT.po | 69 + modules/po/cyrusauth.it_IT.po | 73 ++ modules/po/dcc.it_IT.po | 227 ++++ modules/po/disconkick.it_IT.po | 23 + modules/po/fail2ban.it_IT.po | 117 ++ modules/po/flooddetach.it_IT.po | 91 ++ modules/po/identfile.it_IT.po | 83 ++ modules/po/imapauth.it_IT.po | 21 + modules/po/keepnick.it_IT.po | 53 + modules/po/kickrejoin.it_IT.po | 61 + modules/po/lastseen.it_IT.po | 67 + modules/po/listsockets.it_IT.po | 113 ++ modules/po/log.it_IT.po | 148 +++ modules/po/missingmotd.it_IT.po | 17 + modules/po/modperl.it_IT.po | 17 + modules/po/modpython.it_IT.po | 17 + modules/po/modules_online.it_IT.po | 17 + modules/po/nickserv.it_IT.po | 75 ++ modules/po/notes.it_IT.po | 119 ++ modules/po/notify_connect.it_IT.po | 29 + modules/po/partyline.it_IT.po | 39 + modules/po/perform.it_IT.po | 108 ++ modules/po/perleval.it_IT.po | 31 + modules/po/pyeval.it_IT.po | 21 + modules/po/q.it_IT.po | 296 +++++ modules/po/raw.it_IT.po | 17 + modules/po/route_replies.it_IT.po | 59 + modules/po/sample.it_IT.po | 119 ++ modules/po/samplewebapi.it_IT.po | 17 + modules/po/sasl.it_IT.po | 174 +++ modules/po/savebuff.it_IT.po | 62 + modules/po/send_raw.it_IT.po | 109 ++ modules/po/shell.it_IT.po | 29 + modules/po/simple_away.it_IT.po | 92 ++ modules/po/stickychan.it_IT.po | 102 ++ modules/po/stripcontrols.it_IT.po | 18 + modules/po/watch.it_IT.po | 249 ++++ modules/po/webadmin.it_IT.po | 1209 ++++++++++++++++++ src/po/znc.it_IT.po | 1726 ++++++++++++++++++++++++++ 59 files changed, 8214 insertions(+) create mode 100644 modules/po/admindebug.it_IT.po create mode 100644 modules/po/adminlog.it_IT.po create mode 100644 modules/po/alias.it_IT.po create mode 100644 modules/po/autoattach.it_IT.po create mode 100644 modules/po/autocycle.it_IT.po create mode 100644 modules/po/autoop.it_IT.po create mode 100644 modules/po/autoreply.it_IT.po create mode 100644 modules/po/autovoice.it_IT.po create mode 100644 modules/po/awaystore.it_IT.po create mode 100644 modules/po/block_motd.it_IT.po create mode 100644 modules/po/blockuser.it_IT.po create mode 100644 modules/po/bouncedcc.it_IT.po create mode 100644 modules/po/buffextras.it_IT.po create mode 100644 modules/po/cert.it_IT.po create mode 100644 modules/po/certauth.it_IT.po create mode 100644 modules/po/chansaver.it_IT.po create mode 100644 modules/po/clearbufferonmsg.it_IT.po create mode 100644 modules/po/clientnotify.it_IT.po create mode 100644 modules/po/controlpanel.it_IT.po create mode 100644 modules/po/crypt.it_IT.po create mode 100644 modules/po/ctcpflood.it_IT.po create mode 100644 modules/po/cyrusauth.it_IT.po create mode 100644 modules/po/dcc.it_IT.po create mode 100644 modules/po/disconkick.it_IT.po create mode 100644 modules/po/fail2ban.it_IT.po create mode 100644 modules/po/flooddetach.it_IT.po create mode 100644 modules/po/identfile.it_IT.po create mode 100644 modules/po/imapauth.it_IT.po create mode 100644 modules/po/keepnick.it_IT.po create mode 100644 modules/po/kickrejoin.it_IT.po create mode 100644 modules/po/lastseen.it_IT.po create mode 100644 modules/po/listsockets.it_IT.po create mode 100644 modules/po/log.it_IT.po create mode 100644 modules/po/missingmotd.it_IT.po create mode 100644 modules/po/modperl.it_IT.po create mode 100644 modules/po/modpython.it_IT.po create mode 100644 modules/po/modules_online.it_IT.po create mode 100644 modules/po/nickserv.it_IT.po create mode 100644 modules/po/notes.it_IT.po create mode 100644 modules/po/notify_connect.it_IT.po create mode 100644 modules/po/partyline.it_IT.po create mode 100644 modules/po/perform.it_IT.po create mode 100644 modules/po/perleval.it_IT.po create mode 100644 modules/po/pyeval.it_IT.po create mode 100644 modules/po/q.it_IT.po create mode 100644 modules/po/raw.it_IT.po create mode 100644 modules/po/route_replies.it_IT.po create mode 100644 modules/po/sample.it_IT.po create mode 100644 modules/po/samplewebapi.it_IT.po create mode 100644 modules/po/sasl.it_IT.po create mode 100644 modules/po/savebuff.it_IT.po create mode 100644 modules/po/send_raw.it_IT.po create mode 100644 modules/po/shell.it_IT.po create mode 100644 modules/po/simple_away.it_IT.po create mode 100644 modules/po/stickychan.it_IT.po create mode 100644 modules/po/stripcontrols.it_IT.po create mode 100644 modules/po/watch.it_IT.po create mode 100644 modules/po/webadmin.it_IT.po create mode 100644 src/po/znc.it_IT.po diff --git a/modules/po/admindebug.it_IT.po b/modules/po/admindebug.it_IT.po new file mode 100644 index 00000000..bcc390b6 --- /dev/null +++ b/modules/po/admindebug.it_IT.po @@ -0,0 +1,59 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /1.7.x/modules/po/admindebug.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: admindebug.cpp:30 +msgid "Enable Debug Mode" +msgstr "" + +#: admindebug.cpp:32 +msgid "Disable Debug Mode" +msgstr "" + +#: admindebug.cpp:34 +msgid "Show the Debug Mode status" +msgstr "" + +#: admindebug.cpp:40 admindebug.cpp:49 +msgid "Access denied!" +msgstr "" + +#: admindebug.cpp:58 +msgid "" +"Failure. We need to be running with a TTY. (is ZNC running with --" +"foreground?)" +msgstr "" + +#: admindebug.cpp:66 +msgid "Already enabled." +msgstr "" + +#: admindebug.cpp:68 +msgid "Already disabled." +msgstr "" + +#: admindebug.cpp:92 +msgid "Debugging mode is on." +msgstr "" + +#: admindebug.cpp:94 +msgid "Debugging mode is off." +msgstr "" + +#: admindebug.cpp:96 +msgid "Logging to: stdout." +msgstr "" + +#: admindebug.cpp:105 +msgid "Enable Debug mode dynamically." +msgstr "" diff --git a/modules/po/adminlog.it_IT.po b/modules/po/adminlog.it_IT.po new file mode 100644 index 00000000..5c12afae --- /dev/null +++ b/modules/po/adminlog.it_IT.po @@ -0,0 +1,69 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /1.7.x/modules/po/adminlog.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: adminlog.cpp:29 +msgid "Show the logging target" +msgstr "" + +#: adminlog.cpp:31 +msgid " [path]" +msgstr "" + +#: adminlog.cpp:32 +msgid "Set the logging target" +msgstr "" + +#: adminlog.cpp:142 +msgid "Access denied" +msgstr "" + +#: adminlog.cpp:156 +msgid "Now logging to file" +msgstr "" + +#: adminlog.cpp:160 +msgid "Now only logging to syslog" +msgstr "" + +#: adminlog.cpp:164 +msgid "Now logging to syslog and file" +msgstr "" + +#: adminlog.cpp:168 +msgid "Usage: Target [path]" +msgstr "" + +#: adminlog.cpp:170 +msgid "Unknown target" +msgstr "" + +#: adminlog.cpp:192 +msgid "Logging is enabled for file" +msgstr "" + +#: adminlog.cpp:195 +msgid "Logging is enabled for syslog" +msgstr "" + +#: adminlog.cpp:198 +msgid "Logging is enabled for both, file and syslog" +msgstr "" + +#: adminlog.cpp:204 +msgid "Log file will be written to {1}" +msgstr "" + +#: adminlog.cpp:222 +msgid "Log ZNC events to file and/or syslog." +msgstr "" diff --git a/modules/po/alias.it_IT.po b/modules/po/alias.it_IT.po new file mode 100644 index 00000000..6ccc2c67 --- /dev/null +++ b/modules/po/alias.it_IT.po @@ -0,0 +1,123 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /1.7.x/modules/po/alias.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: alias.cpp:141 +msgid "missing required parameter: {1}" +msgstr "" + +#: alias.cpp:201 +msgid "Created alias: {1}" +msgstr "" + +#: alias.cpp:203 +msgid "Alias already exists." +msgstr "" + +#: alias.cpp:210 +msgid "Deleted alias: {1}" +msgstr "" + +#: alias.cpp:213 alias.cpp:224 alias.cpp:246 alias.cpp:265 alias.cpp:276 +#: alias.cpp:333 +msgid "Alias does not exist." +msgstr "" + +#: alias.cpp:222 alias.cpp:244 alias.cpp:263 alias.cpp:274 +msgid "Modified alias." +msgstr "" + +#: alias.cpp:236 alias.cpp:256 +msgid "Invalid index." +msgstr "" + +#: alias.cpp:282 alias.cpp:298 +msgid "There are no aliases." +msgstr "" + +#: alias.cpp:289 +msgid "The following aliases exist: {1}" +msgstr "" + +#: alias.cpp:290 +msgctxt "list|separator" +msgid ", " +msgstr "" + +#: alias.cpp:324 +msgid "Actions for alias {1}:" +msgstr "" + +#: alias.cpp:331 +msgid "End of actions for alias {1}." +msgstr "" + +#: alias.cpp:338 alias.cpp:341 alias.cpp:352 alias.cpp:357 +msgid "" +msgstr "" + +#: alias.cpp:339 +msgid "Creates a new, blank alias called name." +msgstr "" + +#: alias.cpp:341 +msgid "Deletes an existing alias." +msgstr "" + +#: alias.cpp:343 +msgid " " +msgstr "" + +#: alias.cpp:344 +msgid "Adds a line to an existing alias." +msgstr "" + +#: alias.cpp:346 +msgid " " +msgstr "" + +#: alias.cpp:347 +msgid "Inserts a line into an existing alias." +msgstr "" + +#: alias.cpp:349 +msgid " " +msgstr "" + +#: alias.cpp:350 +msgid "Removes a line from an existing alias." +msgstr "" + +#: alias.cpp:353 +msgid "Removes all lines from an existing alias." +msgstr "" + +#: alias.cpp:355 +msgid "Lists all aliases by name." +msgstr "" + +#: alias.cpp:358 +msgid "Reports the actions performed by an alias." +msgstr "" + +#: alias.cpp:362 +msgid "Generate a list of commands to copy your alias config." +msgstr "" + +#: alias.cpp:374 +msgid "Clearing all of them!" +msgstr "" + +#: alias.cpp:409 +msgid "Provides bouncer-side command alias support." +msgstr "" diff --git a/modules/po/autoattach.it_IT.po b/modules/po/autoattach.it_IT.po new file mode 100644 index 00000000..9960920f --- /dev/null +++ b/modules/po/autoattach.it_IT.po @@ -0,0 +1,85 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /1.7.x/modules/po/autoattach.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: autoattach.cpp:94 +msgid "Added to list" +msgstr "" + +#: autoattach.cpp:96 +msgid "{1} is already added" +msgstr "" + +#: autoattach.cpp:100 +msgid "Usage: Add [!]<#chan> " +msgstr "" + +#: autoattach.cpp:101 +msgid "Wildcards are allowed" +msgstr "" + +#: autoattach.cpp:113 +msgid "Removed {1} from list" +msgstr "" + +#: autoattach.cpp:115 +msgid "Usage: Del [!]<#chan> " +msgstr "" + +#: autoattach.cpp:121 autoattach.cpp:129 +msgid "Neg" +msgstr "" + +#: autoattach.cpp:122 autoattach.cpp:130 +msgid "Chan" +msgstr "" + +#: autoattach.cpp:123 autoattach.cpp:131 +msgid "Search" +msgstr "" + +#: autoattach.cpp:124 autoattach.cpp:132 +msgid "Host" +msgstr "" + +#: autoattach.cpp:138 +msgid "You have no entries." +msgstr "" + +#: autoattach.cpp:146 autoattach.cpp:149 +msgid "[!]<#chan> " +msgstr "" + +#: autoattach.cpp:147 +msgid "Add an entry, use !#chan to negate and * for wildcards" +msgstr "" + +#: autoattach.cpp:150 +msgid "Remove an entry, needs to be an exact match" +msgstr "" + +#: autoattach.cpp:152 +msgid "List all entries" +msgstr "" + +#: autoattach.cpp:171 +msgid "Unable to add [{1}]" +msgstr "" + +#: autoattach.cpp:283 +msgid "List of channel masks and channel masks with ! before them." +msgstr "" + +#: autoattach.cpp:286 +msgid "Reattaches you to channels on activity." +msgstr "" diff --git a/modules/po/autocycle.it_IT.po b/modules/po/autocycle.it_IT.po new file mode 100644 index 00000000..526ae249 --- /dev/null +++ b/modules/po/autocycle.it_IT.po @@ -0,0 +1,69 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /1.7.x/modules/po/autocycle.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: autocycle.cpp:27 autocycle.cpp:30 +msgid "[!]<#chan>" +msgstr "" + +#: autocycle.cpp:28 +msgid "Add an entry, use !#chan to negate and * for wildcards" +msgstr "" + +#: autocycle.cpp:31 +msgid "Remove an entry, needs to be an exact match" +msgstr "" + +#: autocycle.cpp:33 +msgid "List all entries" +msgstr "" + +#: autocycle.cpp:46 +msgid "Unable to add {1}" +msgstr "" + +#: autocycle.cpp:66 +msgid "{1} is already added" +msgstr "" + +#: autocycle.cpp:68 +msgid "Added {1} to list" +msgstr "" + +#: autocycle.cpp:70 +msgid "Usage: Add [!]<#chan>" +msgstr "" + +#: autocycle.cpp:78 +msgid "Removed {1} from list" +msgstr "" + +#: autocycle.cpp:80 +msgid "Usage: Del [!]<#chan>" +msgstr "" + +#: autocycle.cpp:85 autocycle.cpp:89 autocycle.cpp:94 +msgid "Channel" +msgstr "" + +#: autocycle.cpp:100 +msgid "You have no entries." +msgstr "" + +#: autocycle.cpp:229 +msgid "List of channel masks and channel masks with ! before them." +msgstr "" + +#: autocycle.cpp:234 +msgid "Rejoins channels to gain Op if you're the only user left" +msgstr "" diff --git a/modules/po/autoop.it_IT.po b/modules/po/autoop.it_IT.po new file mode 100644 index 00000000..3b038acd --- /dev/null +++ b/modules/po/autoop.it_IT.po @@ -0,0 +1,168 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /1.7.x/modules/po/autoop.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: autoop.cpp:154 +msgid "List all users" +msgstr "" + +#: autoop.cpp:156 autoop.cpp:159 +msgid " [channel] ..." +msgstr "" + +#: autoop.cpp:157 +msgid "Adds channels to a user" +msgstr "" + +#: autoop.cpp:160 +msgid "Removes channels from a user" +msgstr "" + +#: autoop.cpp:162 autoop.cpp:165 +msgid " ,[mask] ..." +msgstr "" + +#: autoop.cpp:163 +msgid "Adds masks to a user" +msgstr "" + +#: autoop.cpp:166 +msgid "Removes masks from a user" +msgstr "" + +#: autoop.cpp:169 +msgid " [,...] [channels]" +msgstr "" + +#: autoop.cpp:170 +msgid "Adds a user" +msgstr "" + +#: autoop.cpp:172 +msgid "" +msgstr "" + +#: autoop.cpp:172 +msgid "Removes a user" +msgstr "" + +#: autoop.cpp:275 +msgid "Usage: AddUser [,...] [channels]" +msgstr "" + +#: autoop.cpp:291 +msgid "Usage: DelUser " +msgstr "" + +#: autoop.cpp:300 +msgid "There are no users defined" +msgstr "" + +#: autoop.cpp:306 autoop.cpp:317 autoop.cpp:321 autoop.cpp:323 +msgid "User" +msgstr "" + +#: autoop.cpp:307 autoop.cpp:325 +msgid "Hostmasks" +msgstr "" + +#: autoop.cpp:308 autoop.cpp:318 +msgid "Key" +msgstr "" + +#: autoop.cpp:309 autoop.cpp:319 +msgid "Channels" +msgstr "" + +#: autoop.cpp:337 +msgid "Usage: AddChans [channel] ..." +msgstr "" + +#: autoop.cpp:344 autoop.cpp:365 autoop.cpp:387 autoop.cpp:408 autoop.cpp:472 +msgid "No such user" +msgstr "" + +#: autoop.cpp:349 +msgid "Channel(s) added to user {1}" +msgstr "" + +#: autoop.cpp:358 +msgid "Usage: DelChans [channel] ..." +msgstr "" + +#: autoop.cpp:371 +msgid "Channel(s) Removed from user {1}" +msgstr "" + +#: autoop.cpp:380 +msgid "Usage: AddMasks ,[mask] ..." +msgstr "" + +#: autoop.cpp:392 +msgid "Hostmasks(s) added to user {1}" +msgstr "" + +#: autoop.cpp:401 +msgid "Usage: DelMasks ,[mask] ..." +msgstr "" + +#: autoop.cpp:413 +msgid "Removed user {1} with key {2} and channels {3}" +msgstr "" + +#: autoop.cpp:419 +msgid "Hostmasks(s) Removed from user {1}" +msgstr "" + +#: autoop.cpp:478 +msgid "User {1} removed" +msgstr "" + +#: autoop.cpp:484 +msgid "That user already exists" +msgstr "" + +#: autoop.cpp:490 +msgid "User {1} added with hostmask(s) {2}" +msgstr "" + +#: autoop.cpp:532 +msgid "" +"[{1}] sent us a challenge but they are not opped in any defined channels." +msgstr "" + +#: autoop.cpp:536 +msgid "[{1}] sent us a challenge but they do not match a defined user." +msgstr "" + +#: autoop.cpp:544 +msgid "WARNING! [{1}] sent an invalid challenge." +msgstr "" + +#: autoop.cpp:560 +msgid "[{1}] sent an unchallenged response. This could be due to lag." +msgstr "" + +#: autoop.cpp:577 +msgid "" +"WARNING! [{1}] sent a bad response. Please verify that you have their " +"correct password." +msgstr "" + +#: autoop.cpp:586 +msgid "WARNING! [{1}] sent a response but did not match any defined users." +msgstr "" + +#: autoop.cpp:644 +msgid "Auto op the good people" +msgstr "" diff --git a/modules/po/autoreply.it_IT.po b/modules/po/autoreply.it_IT.po new file mode 100644 index 00000000..2627a4f2 --- /dev/null +++ b/modules/po/autoreply.it_IT.po @@ -0,0 +1,43 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /1.7.x/modules/po/autoreply.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: autoreply.cpp:25 +msgid "" +msgstr "" + +#: autoreply.cpp:25 +msgid "Sets a new reply" +msgstr "" + +#: autoreply.cpp:27 +msgid "Displays the current query reply" +msgstr "" + +#: autoreply.cpp:75 +msgid "Current reply is: {1} ({2})" +msgstr "" + +#: autoreply.cpp:81 +msgid "New reply set to: {1} ({2})" +msgstr "" + +#: autoreply.cpp:94 +msgid "" +"You might specify a reply text. It is used when automatically answering " +"queries, if you are not connected to ZNC." +msgstr "" + +#: autoreply.cpp:98 +msgid "Reply to queries when you are away" +msgstr "" diff --git a/modules/po/autovoice.it_IT.po b/modules/po/autovoice.it_IT.po new file mode 100644 index 00000000..6758cfdb --- /dev/null +++ b/modules/po/autovoice.it_IT.po @@ -0,0 +1,111 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /1.7.x/modules/po/autovoice.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: autovoice.cpp:120 +msgid "List all users" +msgstr "" + +#: autovoice.cpp:122 autovoice.cpp:125 +msgid " [channel] ..." +msgstr "" + +#: autovoice.cpp:123 +msgid "Adds channels to a user" +msgstr "" + +#: autovoice.cpp:126 +msgid "Removes channels from a user" +msgstr "" + +#: autovoice.cpp:128 +msgid " [channels]" +msgstr "" + +#: autovoice.cpp:129 +msgid "Adds a user" +msgstr "" + +#: autovoice.cpp:131 +msgid "" +msgstr "" + +#: autovoice.cpp:131 +msgid "Removes a user" +msgstr "" + +#: autovoice.cpp:215 +msgid "Usage: AddUser [channels]" +msgstr "" + +#: autovoice.cpp:229 +msgid "Usage: DelUser " +msgstr "" + +#: autovoice.cpp:238 +msgid "There are no users defined" +msgstr "" + +#: autovoice.cpp:244 autovoice.cpp:250 +msgid "User" +msgstr "" + +#: autovoice.cpp:245 autovoice.cpp:251 +msgid "Hostmask" +msgstr "" + +#: autovoice.cpp:246 autovoice.cpp:252 +msgid "Channels" +msgstr "" + +#: autovoice.cpp:263 +msgid "Usage: AddChans [channel] ..." +msgstr "" + +#: autovoice.cpp:270 autovoice.cpp:292 autovoice.cpp:329 +msgid "No such user" +msgstr "" + +#: autovoice.cpp:275 +msgid "Channel(s) added to user {1}" +msgstr "" + +#: autovoice.cpp:285 +msgid "Usage: DelChans [channel] ..." +msgstr "" + +#: autovoice.cpp:298 +msgid "Channel(s) Removed from user {1}" +msgstr "" + +#: autovoice.cpp:335 +msgid "User {1} removed" +msgstr "" + +#: autovoice.cpp:341 +msgid "That user already exists" +msgstr "" + +#: autovoice.cpp:347 +msgid "User {1} added with hostmask {2}" +msgstr "" + +#: autovoice.cpp:360 +msgid "" +"Each argument is either a channel you want autovoice for (which can include " +"wildcards) or, if it starts with !, it is an exception for autovoice." +msgstr "" + +#: autovoice.cpp:365 +msgid "Auto voice the good people" +msgstr "" diff --git a/modules/po/awaystore.it_IT.po b/modules/po/awaystore.it_IT.po new file mode 100644 index 00000000..e291dc08 --- /dev/null +++ b/modules/po/awaystore.it_IT.po @@ -0,0 +1,110 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /1.7.x/modules/po/awaystore.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: awaystore.cpp:67 +msgid "You have been marked as away" +msgstr "" + +#: awaystore.cpp:78 awaystore.cpp:385 awaystore.cpp:388 +msgid "Welcome back!" +msgstr "" + +#: awaystore.cpp:100 +msgid "Deleted {1} messages" +msgstr "" + +#: awaystore.cpp:104 +msgid "USAGE: delete " +msgstr "" + +#: awaystore.cpp:109 +msgid "Illegal message # requested" +msgstr "" + +#: awaystore.cpp:113 +msgid "Message erased" +msgstr "" + +#: awaystore.cpp:122 +msgid "Messages saved to disk" +msgstr "" + +#: awaystore.cpp:124 +msgid "There are no messages to save" +msgstr "" + +#: awaystore.cpp:135 +msgid "Password updated to [{1}]" +msgstr "" + +#: awaystore.cpp:147 +msgid "Corrupt message! [{1}]" +msgstr "" + +#: awaystore.cpp:159 +msgid "Corrupt time stamp! [{1}]" +msgstr "" + +#: awaystore.cpp:178 +msgid "#--- End of messages" +msgstr "" + +#: awaystore.cpp:183 +msgid "Timer set to 300 seconds" +msgstr "" + +#: awaystore.cpp:188 awaystore.cpp:197 +msgid "Timer disabled" +msgstr "" + +#: awaystore.cpp:199 +msgid "Timer set to {1} seconds" +msgstr "" + +#: awaystore.cpp:203 +msgid "Current timer setting: {1} seconds" +msgstr "" + +#: awaystore.cpp:278 +msgid "This module needs as an argument a keyphrase used for encryption" +msgstr "" + +#: awaystore.cpp:285 +msgid "" +"Failed to decrypt your saved messages - Did you give the right encryption " +"key as an argument to this module?" +msgstr "" + +#: awaystore.cpp:386 awaystore.cpp:389 +msgid "You have {1} messages!" +msgstr "" + +#: awaystore.cpp:456 +msgid "Unable to find buffer" +msgstr "" + +#: awaystore.cpp:469 +msgid "Unable to decode encrypted messages" +msgstr "" + +#: awaystore.cpp:516 +msgid "" +"[ -notimer | -timer N ] [-chans] passw0rd . N is number of seconds, 600 by " +"default." +msgstr "" + +#: awaystore.cpp:521 +msgid "" +"Adds auto-away with logging, useful when you use ZNC from different locations" +msgstr "" diff --git a/modules/po/block_motd.it_IT.po b/modules/po/block_motd.it_IT.po new file mode 100644 index 00000000..9fe85138 --- /dev/null +++ b/modules/po/block_motd.it_IT.po @@ -0,0 +1,35 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /1.7.x/modules/po/block_motd.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: block_motd.cpp:26 +msgid "[]" +msgstr "" + +#: block_motd.cpp:27 +msgid "" +"Override the block with this command. Can optionally specify which server to " +"query." +msgstr "" + +#: block_motd.cpp:36 +msgid "You are not connected to an IRC Server." +msgstr "" + +#: block_motd.cpp:58 +msgid "MOTD blocked by ZNC" +msgstr "" + +#: block_motd.cpp:104 +msgid "Block the MOTD from IRC so it's not sent to your client(s)." +msgstr "" diff --git a/modules/po/blockuser.it_IT.po b/modules/po/blockuser.it_IT.po new file mode 100644 index 00000000..4b9a2ef4 --- /dev/null +++ b/modules/po/blockuser.it_IT.po @@ -0,0 +1,97 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /1.7.x/modules/po/blockuser.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: modules/po/../data/blockuser/tmpl/blockuser_WebadminUser.tmpl:9 +msgid "Account is blocked" +msgstr "" + +#: blockuser.cpp:23 +msgid "Your account has been disabled. Contact your administrator." +msgstr "" + +#: blockuser.cpp:29 +msgid "List blocked users" +msgstr "" + +#: blockuser.cpp:31 blockuser.cpp:33 +msgid "" +msgstr "" + +#: blockuser.cpp:31 +msgid "Block a user" +msgstr "" + +#: blockuser.cpp:33 +msgid "Unblock a user" +msgstr "" + +#: blockuser.cpp:55 +msgid "Could not block {1}" +msgstr "" + +#: blockuser.cpp:76 +msgid "Access denied" +msgstr "" + +#: blockuser.cpp:85 +msgid "No users are blocked" +msgstr "" + +#: blockuser.cpp:88 +msgid "Blocked users:" +msgstr "" + +#: blockuser.cpp:100 +msgid "Usage: Block " +msgstr "" + +#: blockuser.cpp:105 blockuser.cpp:147 +msgid "You can't block yourself" +msgstr "" + +#: blockuser.cpp:110 blockuser.cpp:152 +msgid "Blocked {1}" +msgstr "" + +#: blockuser.cpp:112 +msgid "Could not block {1} (misspelled?)" +msgstr "" + +#: blockuser.cpp:120 +msgid "Usage: Unblock " +msgstr "" + +#: blockuser.cpp:125 blockuser.cpp:161 +msgid "Unblocked {1}" +msgstr "" + +#: blockuser.cpp:127 +msgid "This user is not blocked" +msgstr "" + +#: blockuser.cpp:155 +msgid "Couldn't block {1}" +msgstr "" + +#: blockuser.cpp:164 +msgid "User {1} is not blocked" +msgstr "" + +#: blockuser.cpp:216 +msgid "Enter one or more user names. Separate them by spaces." +msgstr "" + +#: blockuser.cpp:219 +msgid "Block certain users from logging in." +msgstr "" diff --git a/modules/po/bouncedcc.it_IT.po b/modules/po/bouncedcc.it_IT.po new file mode 100644 index 00000000..00c20fc2 --- /dev/null +++ b/modules/po/bouncedcc.it_IT.po @@ -0,0 +1,131 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /1.7.x/modules/po/bouncedcc.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: bouncedcc.cpp:101 bouncedcc.cpp:119 bouncedcc.cpp:121 +msgctxt "list" +msgid "Type" +msgstr "" + +#: bouncedcc.cpp:102 bouncedcc.cpp:132 +msgctxt "list" +msgid "State" +msgstr "" + +#: bouncedcc.cpp:103 +msgctxt "list" +msgid "Speed" +msgstr "" + +#: bouncedcc.cpp:104 bouncedcc.cpp:115 +msgctxt "list" +msgid "Nick" +msgstr "" + +#: bouncedcc.cpp:105 bouncedcc.cpp:116 +msgctxt "list" +msgid "IP" +msgstr "" + +#: bouncedcc.cpp:106 bouncedcc.cpp:122 +msgctxt "list" +msgid "File" +msgstr "" + +#: bouncedcc.cpp:119 +msgctxt "list" +msgid "Chat" +msgstr "" + +#: bouncedcc.cpp:121 +msgctxt "list" +msgid "Xfer" +msgstr "" + +#: bouncedcc.cpp:125 +msgid "Waiting" +msgstr "" + +#: bouncedcc.cpp:127 +msgid "Halfway" +msgstr "" + +#: bouncedcc.cpp:129 +msgid "Connected" +msgstr "" + +#: bouncedcc.cpp:137 +msgid "You have no active DCCs." +msgstr "" + +#: bouncedcc.cpp:148 +msgid "Use client IP: {1}" +msgstr "" + +#: bouncedcc.cpp:153 +msgid "List all active DCCs" +msgstr "" + +#: bouncedcc.cpp:156 +msgid "Change the option to use IP of client" +msgstr "" + +#: bouncedcc.cpp:383 bouncedcc.cpp:412 bouncedcc.cpp:436 bouncedcc.cpp:451 +msgctxt "type" +msgid "Chat" +msgstr "" + +#: bouncedcc.cpp:383 bouncedcc.cpp:412 bouncedcc.cpp:436 bouncedcc.cpp:451 +msgctxt "type" +msgid "Xfer" +msgstr "" + +#: bouncedcc.cpp:385 +msgid "DCC {1} Bounce ({2}): Too long line received" +msgstr "" + +#: bouncedcc.cpp:418 +msgid "DCC {1} Bounce ({2}): Timeout while connecting to {3} {4}" +msgstr "" + +#: bouncedcc.cpp:422 +msgid "DCC {1} Bounce ({2}): Timeout while connecting." +msgstr "" + +#: bouncedcc.cpp:427 +msgid "" +"DCC {1} Bounce ({2}): Timeout while waiting for incoming connection on {3} " +"{4}" +msgstr "" + +#: bouncedcc.cpp:440 +msgid "DCC {1} Bounce ({2}): Connection refused while connecting to {3} {4}" +msgstr "" + +#: bouncedcc.cpp:444 +msgid "DCC {1} Bounce ({2}): Connection refused while connecting." +msgstr "" + +#: bouncedcc.cpp:457 bouncedcc.cpp:465 +msgid "DCC {1} Bounce ({2}): Socket error on {3} {4}: {5}" +msgstr "" + +#: bouncedcc.cpp:460 +msgid "DCC {1} Bounce ({2}): Socket error: {3}" +msgstr "" + +#: bouncedcc.cpp:547 +msgid "" +"Bounces DCC transfers through ZNC instead of sending them directly to the " +"user. " +msgstr "" diff --git a/modules/po/buffextras.it_IT.po b/modules/po/buffextras.it_IT.po new file mode 100644 index 00000000..b513a598 --- /dev/null +++ b/modules/po/buffextras.it_IT.po @@ -0,0 +1,49 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /1.7.x/modules/po/buffextras.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: buffextras.cpp:45 +msgid "Server" +msgstr "" + +#: buffextras.cpp:47 +msgid "{1} set mode: {2} {3}" +msgstr "" + +#: buffextras.cpp:55 +msgid "{1} kicked {2} with reason: {3}" +msgstr "" + +#: buffextras.cpp:64 +msgid "{1} quit: {2}" +msgstr "" + +#: buffextras.cpp:73 +msgid "{1} joined" +msgstr "" + +#: buffextras.cpp:81 +msgid "{1} parted: {2}" +msgstr "" + +#: buffextras.cpp:90 +msgid "{1} is now known as {2}" +msgstr "" + +#: buffextras.cpp:100 +msgid "{1} changed the topic to: {2}" +msgstr "" + +#: buffextras.cpp:115 +msgid "Adds joins, parts etc. to the playback buffer" +msgstr "" diff --git a/modules/po/cert.it_IT.po b/modules/po/cert.it_IT.po new file mode 100644 index 00000000..e669a5a9 --- /dev/null +++ b/modules/po/cert.it_IT.po @@ -0,0 +1,75 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /1.7.x/modules/po/cert.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +# this text is inserted into `click here` in the other string +#: modules/po/../data/cert/tmpl/index.tmpl:5 +msgid "here" +msgstr "" + +# {1} is `here`, translateable in the other string +#: modules/po/../data/cert/tmpl/index.tmpl:6 +msgid "" +"You already have a certificate set, use the form below to overwrite the " +"current certificate. Alternatively click {1} to delete your certificate." +msgstr "" + +#: modules/po/../data/cert/tmpl/index.tmpl:8 +msgid "You do not have a certificate yet." +msgstr "" + +#: modules/po/../data/cert/tmpl/index.tmpl:14 cert.cpp:72 +msgid "Certificate" +msgstr "" + +#: modules/po/../data/cert/tmpl/index.tmpl:18 +msgid "PEM File:" +msgstr "" + +#: modules/po/../data/cert/tmpl/index.tmpl:22 +msgid "Update" +msgstr "" + +#: cert.cpp:28 +msgid "Pem file deleted" +msgstr "" + +#: cert.cpp:31 +msgid "The pem file doesn't exist or there was a error deleting the pem file." +msgstr "" + +#: cert.cpp:38 +msgid "You have a certificate in {1}" +msgstr "" + +#: cert.cpp:41 +msgid "" +"You do not have a certificate. Please use the web interface to add a " +"certificate" +msgstr "" + +#: cert.cpp:44 +msgid "Alternatively you can either place one at {1}" +msgstr "" + +#: cert.cpp:52 +msgid "Delete the current certificate" +msgstr "" + +#: cert.cpp:54 +msgid "Show the current certificate" +msgstr "" + +#: cert.cpp:105 +msgid "Use a ssl certificate to connect to a server" +msgstr "" diff --git a/modules/po/certauth.it_IT.po b/modules/po/certauth.it_IT.po new file mode 100644 index 00000000..a2bc4405 --- /dev/null +++ b/modules/po/certauth.it_IT.po @@ -0,0 +1,108 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /1.7.x/modules/po/certauth.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: modules/po/../data/certauth/tmpl/index.tmpl:7 +msgid "Add a key" +msgstr "" + +#: modules/po/../data/certauth/tmpl/index.tmpl:11 +msgid "Key:" +msgstr "" + +#: modules/po/../data/certauth/tmpl/index.tmpl:15 +msgid "Add Key" +msgstr "" + +#: modules/po/../data/certauth/tmpl/index.tmpl:23 +msgid "You have no keys." +msgstr "" + +#: modules/po/../data/certauth/tmpl/index.tmpl:30 +msgctxt "web" +msgid "Key" +msgstr "" + +#: modules/po/../data/certauth/tmpl/index.tmpl:36 +msgid "del" +msgstr "" + +#: certauth.cpp:31 +msgid "[pubkey]" +msgstr "" + +#: certauth.cpp:32 +msgid "Add a public key. If key is not provided will use the current key" +msgstr "" + +#: certauth.cpp:35 +msgid "id" +msgstr "" + +#: certauth.cpp:35 +msgid "Delete a key by its number in List" +msgstr "" + +#: certauth.cpp:37 +msgid "List your public keys" +msgstr "" + +#: certauth.cpp:39 +msgid "Print your current key" +msgstr "" + +#: certauth.cpp:142 +msgid "You are not connected with any valid public key" +msgstr "" + +#: certauth.cpp:144 +msgid "Your current public key is: {1}" +msgstr "" + +#: certauth.cpp:157 +msgid "You did not supply a public key or connect with one." +msgstr "" + +#: certauth.cpp:160 +msgid "Key '{1}' added." +msgstr "" + +#: certauth.cpp:162 +msgid "The key '{1}' is already added." +msgstr "" + +#: certauth.cpp:170 certauth.cpp:182 +msgctxt "list" +msgid "Id" +msgstr "" + +#: certauth.cpp:171 certauth.cpp:183 +msgctxt "list" +msgid "Key" +msgstr "" + +#: certauth.cpp:175 certauth.cpp:189 certauth.cpp:198 +msgid "No keys set for your user" +msgstr "" + +#: certauth.cpp:203 +msgid "Invalid #, check \"list\"" +msgstr "" + +#: certauth.cpp:215 +msgid "Removed" +msgstr "" + +#: certauth.cpp:290 +msgid "Allows users to authenticate via SSL client certificates." +msgstr "" diff --git a/modules/po/chansaver.it_IT.po b/modules/po/chansaver.it_IT.po new file mode 100644 index 00000000..d37275d9 --- /dev/null +++ b/modules/po/chansaver.it_IT.po @@ -0,0 +1,17 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /1.7.x/modules/po/chansaver.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: chansaver.cpp:91 +msgid "Keeps config up-to-date when user joins/parts." +msgstr "" diff --git a/modules/po/clearbufferonmsg.it_IT.po b/modules/po/clearbufferonmsg.it_IT.po new file mode 100644 index 00000000..02ae2ca6 --- /dev/null +++ b/modules/po/clearbufferonmsg.it_IT.po @@ -0,0 +1,17 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /1.7.x/modules/po/clearbufferonmsg.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: clearbufferonmsg.cpp:160 +msgid "Clears all channel and query buffers whenever the user does something" +msgstr "" diff --git a/modules/po/clientnotify.it_IT.po b/modules/po/clientnotify.it_IT.po new file mode 100644 index 00000000..bf160c7a --- /dev/null +++ b/modules/po/clientnotify.it_IT.po @@ -0,0 +1,73 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /1.7.x/modules/po/clientnotify.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: clientnotify.cpp:47 +msgid "" +msgstr "" + +#: clientnotify.cpp:48 +msgid "Sets the notify method" +msgstr "" + +#: clientnotify.cpp:50 clientnotify.cpp:54 +msgid "" +msgstr "" + +#: clientnotify.cpp:51 +msgid "Turns notifications for unseen IP addresses on or off" +msgstr "" + +#: clientnotify.cpp:55 +msgid "Turns notifications for clients disconnecting on or off" +msgstr "" + +#: clientnotify.cpp:57 +msgid "Shows the current settings" +msgstr "" + +#: clientnotify.cpp:81 clientnotify.cpp:95 +msgid "" +msgid_plural "" +"Another client authenticated as your user. Use the 'ListClients' command to " +"see all {1} clients." +msgstr[0] "" +msgstr[1] "" + +#: clientnotify.cpp:108 +msgid "Usage: Method " +msgstr "" + +#: clientnotify.cpp:114 clientnotify.cpp:127 clientnotify.cpp:140 +msgid "Saved." +msgstr "" + +#: clientnotify.cpp:121 +msgid "Usage: NewOnly " +msgstr "" + +#: clientnotify.cpp:134 +msgid "Usage: OnDisconnect " +msgstr "" + +#: clientnotify.cpp:145 +msgid "" +"Current settings: Method: {1}, for unseen IP addresses only: {2}, notify on " +"disconnecting clients: {3}" +msgstr "" + +#: clientnotify.cpp:157 +msgid "" +"Notifies you when another IRC client logs into or out of your account. " +"Configurable." +msgstr "" diff --git a/modules/po/controlpanel.it_IT.po b/modules/po/controlpanel.it_IT.po new file mode 100644 index 00000000..115daf0f --- /dev/null +++ b/modules/po/controlpanel.it_IT.po @@ -0,0 +1,718 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /1.7.x/modules/po/controlpanel.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: controlpanel.cpp:51 controlpanel.cpp:63 +msgctxt "helptable" +msgid "Type" +msgstr "" + +#: controlpanel.cpp:52 controlpanel.cpp:65 +msgctxt "helptable" +msgid "Variables" +msgstr "" + +#: controlpanel.cpp:77 +msgid "String" +msgstr "" + +#: controlpanel.cpp:78 +msgid "Boolean (true/false)" +msgstr "" + +#: controlpanel.cpp:79 +msgid "Integer" +msgstr "" + +#: controlpanel.cpp:80 +msgid "Number" +msgstr "" + +#: controlpanel.cpp:123 +msgid "The following variables are available when using the Set/Get commands:" +msgstr "" + +#: controlpanel.cpp:146 +msgid "" +"The following variables are available when using the SetNetwork/GetNetwork " +"commands:" +msgstr "" + +#: controlpanel.cpp:159 +msgid "" +"The following variables are available when using the SetChan/GetChan " +"commands:" +msgstr "" + +#: controlpanel.cpp:165 +msgid "" +"You can use $user as the user name and $network as the network name for " +"modifying your own user and network." +msgstr "" + +#: controlpanel.cpp:174 controlpanel.cpp:961 controlpanel.cpp:998 +msgid "Error: User [{1}] does not exist!" +msgstr "" + +#: controlpanel.cpp:179 +msgid "Error: You need to have admin rights to modify other users!" +msgstr "" + +#: controlpanel.cpp:189 +msgid "Error: You cannot use $network to modify other users!" +msgstr "" + +#: controlpanel.cpp:197 +msgid "Error: User {1} does not have a network named [{2}]." +msgstr "" + +#: controlpanel.cpp:209 +msgid "Usage: Get [username]" +msgstr "" + +#: controlpanel.cpp:299 controlpanel.cpp:502 controlpanel.cpp:577 +#: controlpanel.cpp:653 controlpanel.cpp:788 controlpanel.cpp:873 +msgid "Error: Unknown variable" +msgstr "" + +#: controlpanel.cpp:308 +msgid "Usage: Set " +msgstr "" + +#: controlpanel.cpp:330 controlpanel.cpp:618 +msgid "This bind host is already set!" +msgstr "" + +#: controlpanel.cpp:337 controlpanel.cpp:349 controlpanel.cpp:357 +#: controlpanel.cpp:420 controlpanel.cpp:439 controlpanel.cpp:455 +#: controlpanel.cpp:465 controlpanel.cpp:625 +msgid "Access denied!" +msgstr "" + +#: controlpanel.cpp:371 controlpanel.cpp:380 controlpanel.cpp:837 +msgid "Setting failed, limit for buffer size is {1}" +msgstr "" + +#: controlpanel.cpp:400 +msgid "Password has been changed!" +msgstr "" + +#: controlpanel.cpp:408 +msgid "Timeout can't be less than 30 seconds!" +msgstr "" + +#: controlpanel.cpp:472 +msgid "That would be a bad idea!" +msgstr "" + +#: controlpanel.cpp:490 +msgid "Supported languages: {1}" +msgstr "" + +#: controlpanel.cpp:514 +msgid "Usage: GetNetwork [username] [network]" +msgstr "" + +#: controlpanel.cpp:533 +msgid "Error: A network must be specified to get another users settings." +msgstr "" + +#: controlpanel.cpp:539 +msgid "You are not currently attached to a network." +msgstr "" + +#: controlpanel.cpp:545 +msgid "Error: Invalid network." +msgstr "" + +#: controlpanel.cpp:589 +msgid "Usage: SetNetwork " +msgstr "" + +#: controlpanel.cpp:663 +msgid "Usage: AddChan " +msgstr "" + +#: controlpanel.cpp:676 +msgid "Error: User {1} already has a channel named {2}." +msgstr "" + +#: controlpanel.cpp:683 +msgid "Channel {1} for user {2} added to network {3}." +msgstr "" + +#: controlpanel.cpp:687 +msgid "" +"Could not add channel {1} for user {2} to network {3}, does it already exist?" +msgstr "" + +#: controlpanel.cpp:697 +msgid "Usage: DelChan " +msgstr "" + +#: controlpanel.cpp:712 +msgid "Error: User {1} does not have any channel matching [{2}] in network {3}" +msgstr "" + +#: controlpanel.cpp:725 +msgid "Channel {1} is deleted from network {2} of user {3}" +msgid_plural "Channels {1} are deleted from network {2} of user {3}" +msgstr[0] "" +msgstr[1] "" + +#: controlpanel.cpp:740 +msgid "Usage: GetChan " +msgstr "" + +#: controlpanel.cpp:754 controlpanel.cpp:818 +msgid "Error: No channels matching [{1}] found." +msgstr "" + +#: controlpanel.cpp:803 +msgid "Usage: SetChan " +msgstr "" + +#: controlpanel.cpp:884 controlpanel.cpp:894 +msgctxt "listusers" +msgid "Username" +msgstr "" + +#: controlpanel.cpp:885 controlpanel.cpp:895 +msgctxt "listusers" +msgid "Realname" +msgstr "" + +#: controlpanel.cpp:886 controlpanel.cpp:898 controlpanel.cpp:900 +msgctxt "listusers" +msgid "IsAdmin" +msgstr "" + +#: controlpanel.cpp:887 controlpanel.cpp:901 +msgctxt "listusers" +msgid "Nick" +msgstr "" + +#: controlpanel.cpp:888 controlpanel.cpp:902 +msgctxt "listusers" +msgid "AltNick" +msgstr "" + +#: controlpanel.cpp:889 controlpanel.cpp:903 +msgctxt "listusers" +msgid "Ident" +msgstr "" + +#: controlpanel.cpp:890 controlpanel.cpp:904 +msgctxt "listusers" +msgid "BindHost" +msgstr "" + +#: controlpanel.cpp:898 controlpanel.cpp:1138 +msgid "No" +msgstr "" + +#: controlpanel.cpp:900 controlpanel.cpp:1130 +msgid "Yes" +msgstr "" + +#: controlpanel.cpp:914 controlpanel.cpp:983 +msgid "Error: You need to have admin rights to add new users!" +msgstr "" + +#: controlpanel.cpp:920 +msgid "Usage: AddUser " +msgstr "" + +#: controlpanel.cpp:925 +msgid "Error: User {1} already exists!" +msgstr "" + +#: controlpanel.cpp:937 controlpanel.cpp:1012 +msgid "Error: User not added: {1}" +msgstr "" + +#: controlpanel.cpp:941 controlpanel.cpp:1016 +msgid "User {1} added!" +msgstr "" + +#: controlpanel.cpp:948 +msgid "Error: You need to have admin rights to delete users!" +msgstr "" + +#: controlpanel.cpp:954 +msgid "Usage: DelUser " +msgstr "" + +#: controlpanel.cpp:966 +msgid "Error: You can't delete yourself!" +msgstr "" + +#: controlpanel.cpp:972 +msgid "Error: Internal error!" +msgstr "" + +#: controlpanel.cpp:976 +msgid "User {1} deleted!" +msgstr "" + +#: controlpanel.cpp:991 +msgid "Usage: CloneUser " +msgstr "" + +#: controlpanel.cpp:1006 +msgid "Error: Cloning failed: {1}" +msgstr "" + +#: controlpanel.cpp:1035 +msgid "Usage: AddNetwork [user] network" +msgstr "" + +#: controlpanel.cpp:1041 +msgid "" +"Network number limit reached. Ask an admin to increase the limit for you, or " +"delete unneeded networks using /znc DelNetwork " +msgstr "" + +#: controlpanel.cpp:1049 +msgid "Error: User {1} already has a network with the name {2}" +msgstr "" + +#: controlpanel.cpp:1056 +msgid "Network {1} added to user {2}." +msgstr "" + +#: controlpanel.cpp:1060 +msgid "Error: Network [{1}] could not be added for user {2}: {3}" +msgstr "" + +#: controlpanel.cpp:1080 +msgid "Usage: DelNetwork [user] network" +msgstr "" + +#: controlpanel.cpp:1091 +msgid "The currently active network can be deleted via {1}status" +msgstr "" + +#: controlpanel.cpp:1097 +msgid "Network {1} deleted for user {2}." +msgstr "" + +#: controlpanel.cpp:1101 +msgid "Error: Network {1} could not be deleted for user {2}." +msgstr "" + +#: controlpanel.cpp:1120 controlpanel.cpp:1128 +msgctxt "listnetworks" +msgid "Network" +msgstr "" + +#: controlpanel.cpp:1121 controlpanel.cpp:1130 controlpanel.cpp:1138 +msgctxt "listnetworks" +msgid "OnIRC" +msgstr "" + +#: controlpanel.cpp:1122 controlpanel.cpp:1131 +msgctxt "listnetworks" +msgid "IRC Server" +msgstr "" + +#: controlpanel.cpp:1123 controlpanel.cpp:1133 +msgctxt "listnetworks" +msgid "IRC User" +msgstr "" + +#: controlpanel.cpp:1124 controlpanel.cpp:1135 +msgctxt "listnetworks" +msgid "Channels" +msgstr "" + +#: controlpanel.cpp:1143 +msgid "No networks" +msgstr "" + +#: controlpanel.cpp:1154 +msgid "Usage: AddServer [[+]port] [password]" +msgstr "" + +#: controlpanel.cpp:1168 +msgid "Added IRC Server {1} to network {2} for user {3}." +msgstr "" + +#: controlpanel.cpp:1172 +msgid "Error: Could not add IRC server {1} to network {2} for user {3}." +msgstr "" + +#: controlpanel.cpp:1185 +msgid "Usage: DelServer [[+]port] [password]" +msgstr "" + +#: controlpanel.cpp:1200 +msgid "Deleted IRC Server {1} from network {2} for user {3}." +msgstr "" + +#: controlpanel.cpp:1204 +msgid "Error: Could not delete IRC server {1} from network {2} for user {3}." +msgstr "" + +#: controlpanel.cpp:1214 +msgid "Usage: Reconnect " +msgstr "" + +#: controlpanel.cpp:1241 +msgid "Queued network {1} of user {2} for a reconnect." +msgstr "" + +#: controlpanel.cpp:1250 +msgid "Usage: Disconnect " +msgstr "" + +#: controlpanel.cpp:1265 +msgid "Closed IRC connection for network {1} of user {2}." +msgstr "" + +#: controlpanel.cpp:1280 controlpanel.cpp:1284 +msgctxt "listctcp" +msgid "Request" +msgstr "" + +#: controlpanel.cpp:1281 controlpanel.cpp:1285 +msgctxt "listctcp" +msgid "Reply" +msgstr "" + +#: controlpanel.cpp:1289 +msgid "No CTCP replies for user {1} are configured" +msgstr "" + +#: controlpanel.cpp:1292 +msgid "CTCP replies for user {1}:" +msgstr "" + +#: controlpanel.cpp:1308 +msgid "Usage: AddCTCP [user] [request] [reply]" +msgstr "" + +#: controlpanel.cpp:1310 +msgid "" +"This will cause ZNC to reply to the CTCP instead of forwarding it to clients." +msgstr "" + +#: controlpanel.cpp:1313 +msgid "An empty reply will cause the CTCP request to be blocked." +msgstr "" + +#: controlpanel.cpp:1322 +msgid "CTCP requests {1} to user {2} will now be blocked." +msgstr "" + +#: controlpanel.cpp:1326 +msgid "CTCP requests {1} to user {2} will now get reply: {3}" +msgstr "" + +#: controlpanel.cpp:1343 +msgid "Usage: DelCTCP [user] [request]" +msgstr "" + +#: controlpanel.cpp:1349 +msgid "CTCP requests {1} to user {2} will now be sent to IRC clients" +msgstr "" + +#: controlpanel.cpp:1353 +msgid "" +"CTCP requests {1} to user {2} will be sent to IRC clients (nothing has " +"changed)" +msgstr "" + +#: controlpanel.cpp:1363 controlpanel.cpp:1437 +msgid "Loading modules has been disabled." +msgstr "" + +#: controlpanel.cpp:1372 +msgid "Error: Unable to load module {1}: {2}" +msgstr "" + +#: controlpanel.cpp:1375 +msgid "Loaded module {1}" +msgstr "" + +#: controlpanel.cpp:1380 +msgid "Error: Unable to reload module {1}: {2}" +msgstr "" + +#: controlpanel.cpp:1383 +msgid "Reloaded module {1}" +msgstr "" + +#: controlpanel.cpp:1387 +msgid "Error: Unable to load module {1} because it is already loaded" +msgstr "" + +#: controlpanel.cpp:1398 +msgid "Usage: LoadModule [args]" +msgstr "" + +#: controlpanel.cpp:1417 +msgid "Usage: LoadNetModule [args]" +msgstr "" + +#: controlpanel.cpp:1442 +msgid "Please use /znc unloadmod {1}" +msgstr "" + +#: controlpanel.cpp:1448 +msgid "Error: Unable to unload module {1}: {2}" +msgstr "" + +#: controlpanel.cpp:1451 +msgid "Unloaded module {1}" +msgstr "" + +#: controlpanel.cpp:1460 +msgid "Usage: UnloadModule " +msgstr "" + +#: controlpanel.cpp:1477 +msgid "Usage: UnloadNetModule " +msgstr "" + +#: controlpanel.cpp:1494 controlpanel.cpp:1499 +msgctxt "listmodules" +msgid "Name" +msgstr "" + +#: controlpanel.cpp:1495 controlpanel.cpp:1500 +msgctxt "listmodules" +msgid "Arguments" +msgstr "" + +#: controlpanel.cpp:1519 +msgid "User {1} has no modules loaded." +msgstr "" + +#: controlpanel.cpp:1523 +msgid "Modules loaded for user {1}:" +msgstr "" + +#: controlpanel.cpp:1543 +msgid "Network {1} of user {2} has no modules loaded." +msgstr "" + +#: controlpanel.cpp:1548 +msgid "Modules loaded for network {1} of user {2}:" +msgstr "" + +#: controlpanel.cpp:1555 +msgid "[command] [variable]" +msgstr "" + +#: controlpanel.cpp:1556 +msgid "Prints help for matching commands and variables" +msgstr "" + +#: controlpanel.cpp:1559 +msgid " [username]" +msgstr "" + +#: controlpanel.cpp:1560 +msgid "Prints the variable's value for the given or current user" +msgstr "" + +#: controlpanel.cpp:1562 +msgid " " +msgstr "" + +#: controlpanel.cpp:1563 +msgid "Sets the variable's value for the given user" +msgstr "" + +#: controlpanel.cpp:1565 +msgid " [username] [network]" +msgstr "" + +#: controlpanel.cpp:1566 +msgid "Prints the variable's value for the given network" +msgstr "" + +#: controlpanel.cpp:1568 +msgid " " +msgstr "" + +#: controlpanel.cpp:1569 +msgid "Sets the variable's value for the given network" +msgstr "" + +#: controlpanel.cpp:1571 +msgid " [username] " +msgstr "" + +#: controlpanel.cpp:1572 +msgid "Prints the variable's value for the given channel" +msgstr "" + +#: controlpanel.cpp:1575 +msgid " " +msgstr "" + +#: controlpanel.cpp:1576 +msgid "Sets the variable's value for the given channel" +msgstr "" + +#: controlpanel.cpp:1578 controlpanel.cpp:1581 +msgid " " +msgstr "" + +#: controlpanel.cpp:1579 +msgid "Adds a new channel" +msgstr "" + +#: controlpanel.cpp:1582 +msgid "Deletes a channel" +msgstr "" + +#: controlpanel.cpp:1584 +msgid "Lists users" +msgstr "" + +#: controlpanel.cpp:1586 +msgid " " +msgstr "" + +#: controlpanel.cpp:1587 +msgid "Adds a new user" +msgstr "" + +#: controlpanel.cpp:1589 controlpanel.cpp:1612 controlpanel.cpp:1626 +msgid "" +msgstr "" + +#: controlpanel.cpp:1589 +msgid "Deletes a user" +msgstr "" + +#: controlpanel.cpp:1591 +msgid " " +msgstr "" + +#: controlpanel.cpp:1592 +msgid "Clones a user" +msgstr "" + +#: controlpanel.cpp:1594 controlpanel.cpp:1597 +msgid " " +msgstr "" + +#: controlpanel.cpp:1595 +msgid "Adds a new IRC server for the given or current user" +msgstr "" + +#: controlpanel.cpp:1598 +msgid "Deletes an IRC server from the given or current user" +msgstr "" + +#: controlpanel.cpp:1600 controlpanel.cpp:1603 controlpanel.cpp:1623 +msgid " " +msgstr "" + +#: controlpanel.cpp:1601 +msgid "Cycles the user's IRC server connection" +msgstr "" + +#: controlpanel.cpp:1604 +msgid "Disconnects the user from their IRC server" +msgstr "" + +#: controlpanel.cpp:1606 +msgid " [args]" +msgstr "" + +#: controlpanel.cpp:1607 +msgid "Loads a Module for a user" +msgstr "" + +#: controlpanel.cpp:1609 +msgid " " +msgstr "" + +#: controlpanel.cpp:1610 +msgid "Removes a Module of a user" +msgstr "" + +#: controlpanel.cpp:1613 +msgid "Get the list of modules for a user" +msgstr "" + +#: controlpanel.cpp:1616 +msgid " [args]" +msgstr "" + +#: controlpanel.cpp:1617 +msgid "Loads a Module for a network" +msgstr "" + +#: controlpanel.cpp:1620 +msgid " " +msgstr "" + +#: controlpanel.cpp:1621 +msgid "Removes a Module of a network" +msgstr "" + +#: controlpanel.cpp:1624 +msgid "Get the list of modules for a network" +msgstr "" + +#: controlpanel.cpp:1627 +msgid "List the configured CTCP replies" +msgstr "" + +#: controlpanel.cpp:1629 +msgid " [reply]" +msgstr "" + +#: controlpanel.cpp:1630 +msgid "Configure a new CTCP reply" +msgstr "" + +#: controlpanel.cpp:1632 +msgid " " +msgstr "" + +#: controlpanel.cpp:1633 +msgid "Remove a CTCP reply" +msgstr "" + +#: controlpanel.cpp:1637 controlpanel.cpp:1640 +msgid "[username] " +msgstr "" + +#: controlpanel.cpp:1638 +msgid "Add a network for a user" +msgstr "" + +#: controlpanel.cpp:1641 +msgid "Delete a network for a user" +msgstr "" + +#: controlpanel.cpp:1643 +msgid "[username]" +msgstr "" + +#: controlpanel.cpp:1644 +msgid "List all networks for a user" +msgstr "" + +#: controlpanel.cpp:1657 +msgid "" +"Dynamic configuration through IRC. Allows editing only yourself if you're " +"not ZNC admin." +msgstr "" diff --git a/modules/po/crypt.it_IT.po b/modules/po/crypt.it_IT.po new file mode 100644 index 00000000..8ca76d57 --- /dev/null +++ b/modules/po/crypt.it_IT.po @@ -0,0 +1,143 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /1.7.x/modules/po/crypt.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: crypt.cpp:198 +msgid "<#chan|Nick>" +msgstr "" + +#: crypt.cpp:199 +msgid "Remove a key for nick or channel" +msgstr "" + +#: crypt.cpp:201 +msgid "<#chan|Nick> " +msgstr "" + +#: crypt.cpp:202 +msgid "Set a key for nick or channel" +msgstr "" + +#: crypt.cpp:204 +msgid "List all keys" +msgstr "" + +#: crypt.cpp:206 +msgid "" +msgstr "" + +#: crypt.cpp:207 +msgid "Start a DH1080 key exchange with nick" +msgstr "" + +#: crypt.cpp:210 +msgid "Get the nick prefix" +msgstr "" + +#: crypt.cpp:213 +msgid "[Prefix]" +msgstr "" + +#: crypt.cpp:214 +msgid "Set the nick prefix, with no argument it's disabled." +msgstr "" + +#: crypt.cpp:270 +msgid "Received DH1080 public key from {1}, sending mine..." +msgstr "" + +#: crypt.cpp:275 crypt.cpp:296 +msgid "Key for {1} successfully set." +msgstr "" + +#: crypt.cpp:278 crypt.cpp:299 +msgid "Error in {1} with {2}: {3}" +msgstr "" + +#: crypt.cpp:280 crypt.cpp:301 +msgid "no secret key computed" +msgstr "" + +#: crypt.cpp:395 +msgid "Target [{1}] deleted" +msgstr "" + +#: crypt.cpp:397 +msgid "Target [{1}] not found" +msgstr "" + +#: crypt.cpp:400 +msgid "Usage DelKey <#chan|Nick>" +msgstr "" + +#: crypt.cpp:415 +msgid "Set encryption key for [{1}] to [{2}]" +msgstr "" + +#: crypt.cpp:417 +msgid "Usage: SetKey <#chan|Nick> " +msgstr "" + +#: crypt.cpp:428 +msgid "Sent my DH1080 public key to {1}, waiting for reply ..." +msgstr "" + +#: crypt.cpp:430 +msgid "Error generating our keys, nothing sent." +msgstr "" + +#: crypt.cpp:433 +msgid "Usage: KeyX " +msgstr "" + +#: crypt.cpp:440 +msgid "Nick Prefix disabled." +msgstr "" + +#: crypt.cpp:442 +msgid "Nick Prefix: {1}" +msgstr "" + +#: crypt.cpp:451 +msgid "You cannot use :, even followed by other symbols, as Nick Prefix." +msgstr "" + +#: crypt.cpp:460 +msgid "Overlap with Status Prefix ({1}), this Nick Prefix will not be used!" +msgstr "" + +#: crypt.cpp:465 +msgid "Disabling Nick Prefix." +msgstr "" + +#: crypt.cpp:467 +msgid "Setting Nick Prefix to {1}" +msgstr "" + +#: crypt.cpp:474 crypt.cpp:480 +msgctxt "listkeys" +msgid "Target" +msgstr "" + +#: crypt.cpp:475 crypt.cpp:481 +msgctxt "listkeys" +msgid "Key" +msgstr "" + +#: crypt.cpp:485 +msgid "You have no encryption keys set." +msgstr "" + +#: crypt.cpp:507 +msgid "Encryption for channel/private messages" +msgstr "" diff --git a/modules/po/ctcpflood.it_IT.po b/modules/po/ctcpflood.it_IT.po new file mode 100644 index 00000000..b9c782a5 --- /dev/null +++ b/modules/po/ctcpflood.it_IT.po @@ -0,0 +1,69 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /1.7.x/modules/po/ctcpflood.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: ctcpflood.cpp:25 ctcpflood.cpp:27 +msgid "" +msgstr "" + +#: ctcpflood.cpp:25 +msgid "Set seconds limit" +msgstr "" + +#: ctcpflood.cpp:27 +msgid "Set lines limit" +msgstr "" + +#: ctcpflood.cpp:29 +msgid "Show the current limits" +msgstr "" + +#: ctcpflood.cpp:76 +msgid "Limit reached by {1}, blocking all CTCP" +msgstr "" + +#: ctcpflood.cpp:98 +msgid "Usage: Secs " +msgstr "" + +#: ctcpflood.cpp:113 +msgid "Usage: Lines " +msgstr "" + +#: ctcpflood.cpp:125 +msgid "1 CTCP message" +msgid_plural "{1} CTCP messages" +msgstr[0] "" +msgstr[1] "" + +#: ctcpflood.cpp:127 +msgid "every second" +msgid_plural "every {1} seconds" +msgstr[0] "" +msgstr[1] "" + +#: ctcpflood.cpp:129 +msgid "Current limit is {1} {2}" +msgstr "" + +#: ctcpflood.cpp:145 +msgid "" +"This user module takes none to two arguments. The first argument is the " +"number of lines after which the flood-protection is triggered. The second " +"argument is the time (sec) to in which the number of lines is reached. The " +"default setting is 4 CTCPs in 2 seconds" +msgstr "" + +#: ctcpflood.cpp:151 +msgid "Don't forward CTCP floods to clients" +msgstr "" diff --git a/modules/po/cyrusauth.it_IT.po b/modules/po/cyrusauth.it_IT.po new file mode 100644 index 00000000..3f1bbd43 --- /dev/null +++ b/modules/po/cyrusauth.it_IT.po @@ -0,0 +1,73 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /1.7.x/modules/po/cyrusauth.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: cyrusauth.cpp:42 +msgid "Shows current settings" +msgstr "" + +#: cyrusauth.cpp:44 +msgid "yes|clone |no" +msgstr "" + +#: cyrusauth.cpp:45 +msgid "" +"Create ZNC users upon first successful login, optionally from a template" +msgstr "" + +#: cyrusauth.cpp:56 +msgid "Access denied" +msgstr "" + +#: cyrusauth.cpp:70 +msgid "Ignoring invalid SASL pwcheck method: {1}" +msgstr "" + +#: cyrusauth.cpp:71 +msgid "Ignored invalid SASL pwcheck method" +msgstr "" + +#: cyrusauth.cpp:79 +msgid "Need a pwcheck method as argument (saslauthd, auxprop)" +msgstr "" + +#: cyrusauth.cpp:84 +msgid "SASL Could Not Be Initialized - Halting Startup" +msgstr "" + +#: cyrusauth.cpp:171 cyrusauth.cpp:186 +msgid "We will not create users on their first login" +msgstr "" + +#: cyrusauth.cpp:174 cyrusauth.cpp:195 +msgid "" +"We will create users on their first login, using user [{1}] as a template" +msgstr "" + +#: cyrusauth.cpp:177 cyrusauth.cpp:190 +msgid "We will create users on their first login" +msgstr "" + +#: cyrusauth.cpp:199 +msgid "Usage: CreateUsers yes, CreateUsers no, or CreateUsers clone " +msgstr "" + +#: cyrusauth.cpp:232 +msgid "" +"This global module takes up to two arguments - the methods of authentication " +"- auxprop and saslauthd" +msgstr "" + +#: cyrusauth.cpp:238 +msgid "Allow users to authenticate via SASL password verification method" +msgstr "" diff --git a/modules/po/dcc.it_IT.po b/modules/po/dcc.it_IT.po new file mode 100644 index 00000000..1802feb4 --- /dev/null +++ b/modules/po/dcc.it_IT.po @@ -0,0 +1,227 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /1.7.x/modules/po/dcc.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: dcc.cpp:88 +msgid " " +msgstr "" + +#: dcc.cpp:89 +msgid "Send a file from ZNC to someone" +msgstr "" + +#: dcc.cpp:91 +msgid "" +msgstr "" + +#: dcc.cpp:92 +msgid "Send a file from ZNC to your client" +msgstr "" + +#: dcc.cpp:94 +msgid "List current transfers" +msgstr "" + +#: dcc.cpp:103 +msgid "You must be admin to use the DCC module" +msgstr "" + +#: dcc.cpp:140 +msgid "Attempting to send [{1}] to [{2}]." +msgstr "" + +#: dcc.cpp:149 dcc.cpp:554 +msgid "Receiving [{1}] from [{2}]: File already exists." +msgstr "" + +#: dcc.cpp:167 +msgid "" +"Attempting to connect to [{1} {2}] in order to download [{3}] from [{4}]." +msgstr "" + +#: dcc.cpp:179 +msgid "Usage: Send " +msgstr "" + +#: dcc.cpp:186 dcc.cpp:206 +msgid "Illegal path." +msgstr "" + +#: dcc.cpp:199 +msgid "Usage: Get " +msgstr "" + +#: dcc.cpp:215 dcc.cpp:232 dcc.cpp:234 +msgctxt "list" +msgid "Type" +msgstr "" + +#: dcc.cpp:216 dcc.cpp:238 dcc.cpp:241 +msgctxt "list" +msgid "State" +msgstr "" + +#: dcc.cpp:217 dcc.cpp:243 +msgctxt "list" +msgid "Speed" +msgstr "" + +#: dcc.cpp:218 dcc.cpp:227 +msgctxt "list" +msgid "Nick" +msgstr "" + +#: dcc.cpp:219 dcc.cpp:228 +msgctxt "list" +msgid "IP" +msgstr "" + +#: dcc.cpp:220 dcc.cpp:229 +msgctxt "list" +msgid "File" +msgstr "" + +#: dcc.cpp:232 +msgctxt "list-type" +msgid "Sending" +msgstr "" + +#: dcc.cpp:234 +msgctxt "list-type" +msgid "Getting" +msgstr "" + +#: dcc.cpp:239 +msgctxt "list-state" +msgid "Waiting" +msgstr "" + +#: dcc.cpp:244 +msgid "{1} KiB/s" +msgstr "" + +#: dcc.cpp:250 +msgid "You have no active DCC transfers." +msgstr "" + +#: dcc.cpp:267 +msgid "Attempting to resume send from position {1} of file [{2}] for [{3}]" +msgstr "" + +#: dcc.cpp:277 +msgid "Couldn't resume file [{1}] for [{2}]: not sending anything." +msgstr "" + +#: dcc.cpp:286 +msgid "Bad DCC file: {1}" +msgstr "" + +#: dcc.cpp:341 +msgid "Sending [{1}] to [{2}]: File not open!" +msgstr "" + +#: dcc.cpp:345 +msgid "Receiving [{1}] from [{2}]: File not open!" +msgstr "" + +#: dcc.cpp:385 +msgid "Sending [{1}] to [{2}]: Connection refused." +msgstr "" + +#: dcc.cpp:389 +msgid "Receiving [{1}] from [{2}]: Connection refused." +msgstr "" + +#: dcc.cpp:397 +msgid "Sending [{1}] to [{2}]: Timeout." +msgstr "" + +#: dcc.cpp:401 +msgid "Receiving [{1}] from [{2}]: Timeout." +msgstr "" + +#: dcc.cpp:411 +msgid "Sending [{1}] to [{2}]: Socket error {3}: {4}" +msgstr "" + +#: dcc.cpp:415 +msgid "Receiving [{1}] from [{2}]: Socket error {3}: {4}" +msgstr "" + +#: dcc.cpp:423 +msgid "Sending [{1}] to [{2}]: Transfer started." +msgstr "" + +#: dcc.cpp:427 +msgid "Receiving [{1}] from [{2}]: Transfer started." +msgstr "" + +#: dcc.cpp:446 +msgid "Sending [{1}] to [{2}]: Too much data!" +msgstr "" + +#: dcc.cpp:450 +msgid "Receiving [{1}] from [{2}]: Too much data!" +msgstr "" + +#: dcc.cpp:456 +msgid "Sending [{1}] to [{2}] completed at {3} KiB/s" +msgstr "" + +#: dcc.cpp:461 +msgid "Receiving [{1}] from [{2}] completed at {3} KiB/s" +msgstr "" + +#: dcc.cpp:474 +msgid "Sending [{1}] to [{2}]: File closed prematurely." +msgstr "" + +#: dcc.cpp:478 +msgid "Receiving [{1}] from [{2}]: File closed prematurely." +msgstr "" + +#: dcc.cpp:501 +msgid "Sending [{1}] to [{2}]: Error reading from file." +msgstr "" + +#: dcc.cpp:505 +msgid "Receiving [{1}] from [{2}]: Error reading from file." +msgstr "" + +#: dcc.cpp:537 +msgid "Sending [{1}] to [{2}]: Unable to open file." +msgstr "" + +#: dcc.cpp:541 +msgid "Receiving [{1}] from [{2}]: Unable to open file." +msgstr "" + +#: dcc.cpp:563 +msgid "Receiving [{1}] from [{2}]: Could not open file." +msgstr "" + +#: dcc.cpp:572 +msgid "Sending [{1}] to [{2}]: Not a file." +msgstr "" + +#: dcc.cpp:581 +msgid "Sending [{1}] to [{2}]: Could not open file." +msgstr "" + +#: dcc.cpp:593 +msgid "Sending [{1}] to [{2}]: File too large (>4 GiB)." +msgstr "" + +#: dcc.cpp:623 +msgid "This module allows you to transfer files to and from ZNC" +msgstr "" diff --git a/modules/po/disconkick.it_IT.po b/modules/po/disconkick.it_IT.po new file mode 100644 index 00000000..9b07822c --- /dev/null +++ b/modules/po/disconkick.it_IT.po @@ -0,0 +1,23 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /1.7.x/modules/po/disconkick.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: disconkick.cpp:32 +msgid "You have been disconnected from the IRC server" +msgstr "" + +#: disconkick.cpp:45 +msgid "" +"Kicks the client from all channels when the connection to the IRC server is " +"lost" +msgstr "" diff --git a/modules/po/fail2ban.it_IT.po b/modules/po/fail2ban.it_IT.po new file mode 100644 index 00000000..05f94946 --- /dev/null +++ b/modules/po/fail2ban.it_IT.po @@ -0,0 +1,117 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /1.7.x/modules/po/fail2ban.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: fail2ban.cpp:25 +msgid "[minutes]" +msgstr "" + +#: fail2ban.cpp:26 +msgid "The number of minutes IPs are blocked after a failed login." +msgstr "" + +#: fail2ban.cpp:28 +msgid "[count]" +msgstr "" + +#: fail2ban.cpp:29 +msgid "The number of allowed failed login attempts." +msgstr "" + +#: fail2ban.cpp:31 fail2ban.cpp:33 +msgid "" +msgstr "" + +#: fail2ban.cpp:31 +msgid "Ban the specified hosts." +msgstr "" + +#: fail2ban.cpp:33 +msgid "Unban the specified hosts." +msgstr "" + +#: fail2ban.cpp:35 +msgid "List banned hosts." +msgstr "" + +#: fail2ban.cpp:55 +msgid "" +"Invalid argument, must be the number of minutes IPs are blocked after a " +"failed login and can be followed by number of allowed failed login attempts" +msgstr "" + +#: fail2ban.cpp:77 fail2ban.cpp:100 fail2ban.cpp:123 fail2ban.cpp:146 +#: fail2ban.cpp:172 +msgid "Access denied" +msgstr "" + +#: fail2ban.cpp:86 +msgid "Usage: Timeout [minutes]" +msgstr "" + +#: fail2ban.cpp:91 fail2ban.cpp:94 +msgid "Timeout: {1} min" +msgstr "" + +#: fail2ban.cpp:109 +msgid "Usage: Attempts [count]" +msgstr "" + +#: fail2ban.cpp:114 fail2ban.cpp:117 +msgid "Attempts: {1}" +msgstr "" + +#: fail2ban.cpp:130 +msgid "Usage: Ban " +msgstr "" + +#: fail2ban.cpp:140 +msgid "Banned: {1}" +msgstr "" + +#: fail2ban.cpp:153 +msgid "Usage: Unban " +msgstr "" + +#: fail2ban.cpp:163 +msgid "Unbanned: {1}" +msgstr "" + +#: fail2ban.cpp:165 +msgid "Ignored: {1}" +msgstr "" + +#: fail2ban.cpp:177 fail2ban.cpp:182 +msgctxt "list" +msgid "Host" +msgstr "" + +#: fail2ban.cpp:178 fail2ban.cpp:183 +msgctxt "list" +msgid "Attempts" +msgstr "" + +#: fail2ban.cpp:187 +msgctxt "list" +msgid "No bans" +msgstr "" + +#: fail2ban.cpp:244 +msgid "" +"You might enter the time in minutes for the IP banning and the number of " +"failed logins before any action is taken." +msgstr "" + +#: fail2ban.cpp:249 +msgid "Block IPs for some time after a failed login." +msgstr "" diff --git a/modules/po/flooddetach.it_IT.po b/modules/po/flooddetach.it_IT.po new file mode 100644 index 00000000..7c0db5ad --- /dev/null +++ b/modules/po/flooddetach.it_IT.po @@ -0,0 +1,91 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /1.7.x/modules/po/flooddetach.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: flooddetach.cpp:30 +msgid "Show current limits" +msgstr "" + +#: flooddetach.cpp:32 flooddetach.cpp:35 +msgid "[]" +msgstr "" + +#: flooddetach.cpp:33 +msgid "Show or set number of seconds in the time interval" +msgstr "" + +#: flooddetach.cpp:36 +msgid "Show or set number of lines in the time interval" +msgstr "" + +#: flooddetach.cpp:39 +msgid "Show or set whether to notify you about detaching and attaching back" +msgstr "" + +#: flooddetach.cpp:93 +msgid "Flood in {1} is over, reattaching..." +msgstr "" + +#: flooddetach.cpp:150 +msgid "Channel {1} was flooded, you've been detached" +msgstr "" + +#: flooddetach.cpp:187 +msgid "1 line" +msgid_plural "{1} lines" +msgstr[0] "" +msgstr[1] "" + +#: flooddetach.cpp:188 +msgid "every second" +msgid_plural "every {1} seconds" +msgstr[0] "" +msgstr[1] "" + +#: flooddetach.cpp:190 +msgid "Current limit is {1} {2}" +msgstr "" + +#: flooddetach.cpp:197 +msgid "Seconds limit is {1}" +msgstr "" + +#: flooddetach.cpp:202 +msgid "Set seconds limit to {1}" +msgstr "" + +#: flooddetach.cpp:211 +msgid "Lines limit is {1}" +msgstr "" + +#: flooddetach.cpp:216 +msgid "Set lines limit to {1}" +msgstr "" + +#: flooddetach.cpp:229 +msgid "Module messages are disabled" +msgstr "" + +#: flooddetach.cpp:231 +msgid "Module messages are enabled" +msgstr "" + +#: flooddetach.cpp:247 +msgid "" +"This user module takes up to two arguments. Arguments are numbers of " +"messages and seconds." +msgstr "" + +#: flooddetach.cpp:251 +msgid "Detach channels when flooded" +msgstr "" diff --git a/modules/po/identfile.it_IT.po b/modules/po/identfile.it_IT.po new file mode 100644 index 00000000..baa353e9 --- /dev/null +++ b/modules/po/identfile.it_IT.po @@ -0,0 +1,83 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /1.7.x/modules/po/identfile.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: identfile.cpp:30 +msgid "Show file name" +msgstr "" + +#: identfile.cpp:32 +msgid "" +msgstr "" + +#: identfile.cpp:32 +msgid "Set file name" +msgstr "" + +#: identfile.cpp:34 +msgid "Show file format" +msgstr "" + +#: identfile.cpp:36 +msgid "" +msgstr "" + +#: identfile.cpp:36 +msgid "Set file format" +msgstr "" + +#: identfile.cpp:38 +msgid "Show current state" +msgstr "" + +#: identfile.cpp:48 +msgid "File is set to: {1}" +msgstr "" + +#: identfile.cpp:53 +msgid "File has been set to: {1}" +msgstr "" + +#: identfile.cpp:58 +msgid "Format has been set to: {1}" +msgstr "" + +#: identfile.cpp:59 identfile.cpp:65 +msgid "Format would be expanded to: {1}" +msgstr "" + +#: identfile.cpp:64 +msgid "Format is set to: {1}" +msgstr "" + +#: identfile.cpp:78 +msgid "identfile is free" +msgstr "" + +#: identfile.cpp:86 +msgid "Access denied" +msgstr "" + +#: identfile.cpp:181 +msgid "" +"Aborting connection, another user or network is currently connecting and " +"using the ident spoof file" +msgstr "" + +#: identfile.cpp:189 +msgid "[{1}] could not be written, retrying..." +msgstr "" + +#: identfile.cpp:223 +msgid "Write the ident of a user to a file when they are trying to connect." +msgstr "" diff --git a/modules/po/imapauth.it_IT.po b/modules/po/imapauth.it_IT.po new file mode 100644 index 00000000..2c172ac9 --- /dev/null +++ b/modules/po/imapauth.it_IT.po @@ -0,0 +1,21 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /1.7.x/modules/po/imapauth.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: imapauth.cpp:168 +msgid "[ server [+]port [ UserFormatString ] ]" +msgstr "" + +#: imapauth.cpp:171 +msgid "Allow users to authenticate via IMAP." +msgstr "" diff --git a/modules/po/keepnick.it_IT.po b/modules/po/keepnick.it_IT.po new file mode 100644 index 00000000..6db5314b --- /dev/null +++ b/modules/po/keepnick.it_IT.po @@ -0,0 +1,53 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /1.7.x/modules/po/keepnick.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: keepnick.cpp:39 +msgid "Try to get your primary nick" +msgstr "" + +#: keepnick.cpp:42 keepnick.cpp:196 +msgid "No longer trying to get your primary nick" +msgstr "" + +#: keepnick.cpp:44 +msgid "Show the current state" +msgstr "" + +#: keepnick.cpp:158 +msgid "ZNC is already trying to get this nickname" +msgstr "" + +#: keepnick.cpp:173 +msgid "Unable to obtain nick {1}: {2}, {3}" +msgstr "" + +#: keepnick.cpp:181 +msgid "Unable to obtain nick {1}" +msgstr "" + +#: keepnick.cpp:191 +msgid "Trying to get your primary nick" +msgstr "" + +#: keepnick.cpp:201 +msgid "Currently trying to get your primary nick" +msgstr "" + +#: keepnick.cpp:203 +msgid "Currently disabled, try 'enable'" +msgstr "" + +#: keepnick.cpp:224 +msgid "Keeps trying for your primary nick" +msgstr "" diff --git a/modules/po/kickrejoin.it_IT.po b/modules/po/kickrejoin.it_IT.po new file mode 100644 index 00000000..f6480fcd --- /dev/null +++ b/modules/po/kickrejoin.it_IT.po @@ -0,0 +1,61 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /1.7.x/modules/po/kickrejoin.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: kickrejoin.cpp:56 +msgid "" +msgstr "" + +#: kickrejoin.cpp:56 +msgid "Set the rejoin delay" +msgstr "" + +#: kickrejoin.cpp:58 +msgid "Show the rejoin delay" +msgstr "" + +#: kickrejoin.cpp:77 +msgid "Illegal argument, must be a positive number or 0" +msgstr "" + +#: kickrejoin.cpp:90 +msgid "Negative delays don't make any sense!" +msgstr "" + +#: kickrejoin.cpp:98 +msgid "Rejoin delay set to 1 second" +msgid_plural "Rejoin delay set to {1} seconds" +msgstr[0] "" +msgstr[1] "" + +#: kickrejoin.cpp:101 +msgid "Rejoin delay disabled" +msgstr "" + +#: kickrejoin.cpp:106 +msgid "Rejoin delay is set to 1 second" +msgid_plural "Rejoin delay is set to {1} seconds" +msgstr[0] "" +msgstr[1] "" + +#: kickrejoin.cpp:109 +msgid "Rejoin delay is disabled" +msgstr "" + +#: kickrejoin.cpp:131 +msgid "You might enter the number of seconds to wait before rejoining." +msgstr "" + +#: kickrejoin.cpp:134 +msgid "Autorejoins on kick" +msgstr "" diff --git a/modules/po/lastseen.it_IT.po b/modules/po/lastseen.it_IT.po new file mode 100644 index 00000000..034fe016 --- /dev/null +++ b/modules/po/lastseen.it_IT.po @@ -0,0 +1,67 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /1.7.x/modules/po/lastseen.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: modules/po/../data/lastseen/tmpl/index.tmpl:8 +msgid "User" +msgstr "" + +#: modules/po/../data/lastseen/tmpl/index.tmpl:9 lastseen.cpp:98 +msgid "Last Seen" +msgstr "" + +#: modules/po/../data/lastseen/tmpl/index.tmpl:10 +msgid "Info" +msgstr "" + +#: modules/po/../data/lastseen/tmpl/index.tmpl:11 +msgid "Action" +msgstr "" + +#: modules/po/../data/lastseen/tmpl/index.tmpl:21 +msgid "Edit" +msgstr "" + +#: modules/po/../data/lastseen/tmpl/index.tmpl:22 +msgid "Delete" +msgstr "" + +#: modules/po/../data/lastseen/tmpl/lastseen_WebadminUser.tmpl:6 +msgid "Last login time:" +msgstr "" + +#: lastseen.cpp:53 +msgid "Access denied" +msgstr "" + +#: lastseen.cpp:61 lastseen.cpp:66 +msgctxt "show" +msgid "User" +msgstr "" + +#: lastseen.cpp:62 lastseen.cpp:67 +msgctxt "show" +msgid "Last Seen" +msgstr "" + +#: lastseen.cpp:68 lastseen.cpp:124 +msgid "never" +msgstr "" + +#: lastseen.cpp:78 +msgid "Shows list of users and when they last logged in" +msgstr "" + +#: lastseen.cpp:153 +msgid "Collects data about when a user last logged in." +msgstr "" diff --git a/modules/po/listsockets.it_IT.po b/modules/po/listsockets.it_IT.po new file mode 100644 index 00000000..f3e2edce --- /dev/null +++ b/modules/po/listsockets.it_IT.po @@ -0,0 +1,113 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /1.7.x/modules/po/listsockets.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:7 listsockets.cpp:214 +#: listsockets.cpp:230 +msgid "Name" +msgstr "" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:8 listsockets.cpp:215 +#: listsockets.cpp:231 +msgid "Created" +msgstr "" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:9 listsockets.cpp:216 +#: listsockets.cpp:232 +msgid "State" +msgstr "" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:10 listsockets.cpp:218 +#: listsockets.cpp:235 +msgid "SSL" +msgstr "" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:11 listsockets.cpp:220 +#: listsockets.cpp:240 +msgid "Local" +msgstr "" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:12 listsockets.cpp:221 +#: listsockets.cpp:242 +msgid "Remote" +msgstr "" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:13 +msgid "Data In" +msgstr "" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:14 +msgid "Data Out" +msgstr "" + +#: listsockets.cpp:62 +msgid "[-n]" +msgstr "" + +#: listsockets.cpp:62 +msgid "Shows the list of active sockets. Pass -n to show IP addresses" +msgstr "" + +#: listsockets.cpp:70 +msgid "You must be admin to use this module" +msgstr "" + +#: listsockets.cpp:96 +msgid "List sockets" +msgstr "" + +#: listsockets.cpp:116 listsockets.cpp:236 +msgctxt "ssl" +msgid "Yes" +msgstr "" + +#: listsockets.cpp:116 listsockets.cpp:237 +msgctxt "ssl" +msgid "No" +msgstr "" + +#: listsockets.cpp:142 +msgid "Listener" +msgstr "" + +#: listsockets.cpp:144 +msgid "Inbound" +msgstr "" + +#: listsockets.cpp:147 +msgid "Outbound" +msgstr "" + +#: listsockets.cpp:149 +msgid "Connecting" +msgstr "" + +#: listsockets.cpp:152 +msgid "UNKNOWN" +msgstr "" + +#: listsockets.cpp:207 +msgid "You have no open sockets." +msgstr "" + +#: listsockets.cpp:222 listsockets.cpp:244 +msgid "In" +msgstr "" + +#: listsockets.cpp:223 listsockets.cpp:246 +msgid "Out" +msgstr "" + +#: listsockets.cpp:262 +msgid "Lists active sockets" +msgstr "" diff --git a/modules/po/log.it_IT.po b/modules/po/log.it_IT.po new file mode 100644 index 00000000..8a197d51 --- /dev/null +++ b/modules/po/log.it_IT.po @@ -0,0 +1,148 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /1.7.x/modules/po/log.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: log.cpp:59 +msgid "" +msgstr "" + +#: log.cpp:60 +msgid "Set logging rules, use !#chan or !query to negate and * " +msgstr "" + +#: log.cpp:62 +msgid "Clear all logging rules" +msgstr "" + +#: log.cpp:64 +msgid "List all logging rules" +msgstr "" + +#: log.cpp:67 +msgid " true|false" +msgstr "" + +#: log.cpp:68 +msgid "Set one of the following options: joins, quits, nickchanges" +msgstr "" + +#: log.cpp:71 +msgid "Show current settings set by Set command" +msgstr "" + +#: log.cpp:143 +msgid "Usage: SetRules " +msgstr "" + +#: log.cpp:144 +msgid "Wildcards are allowed" +msgstr "" + +#: log.cpp:156 log.cpp:178 +msgid "No logging rules. Everything is logged." +msgstr "" + +#: log.cpp:161 +msgid "1 rule removed: {2}" +msgid_plural "{1} rules removed: {2}" +msgstr[0] "" +msgstr[1] "" + +#: log.cpp:168 log.cpp:173 +msgctxt "listrules" +msgid "Rule" +msgstr "" + +#: log.cpp:169 log.cpp:174 +msgctxt "listrules" +msgid "Logging enabled" +msgstr "" + +#: log.cpp:189 +msgid "" +"Usage: Set true|false, where is one of: joins, quits, nickchanges" +msgstr "" + +#: log.cpp:196 +msgid "Will log joins" +msgstr "" + +#: log.cpp:196 +msgid "Will not log joins" +msgstr "" + +#: log.cpp:197 +msgid "Will log quits" +msgstr "" + +#: log.cpp:197 +msgid "Will not log quits" +msgstr "" + +#: log.cpp:199 +msgid "Will log nick changes" +msgstr "" + +#: log.cpp:199 +msgid "Will not log nick changes" +msgstr "" + +#: log.cpp:203 +msgid "Unknown variable. Known variables: joins, quits, nickchanges" +msgstr "" + +#: log.cpp:211 +msgid "Logging joins" +msgstr "" + +#: log.cpp:211 +msgid "Not logging joins" +msgstr "" + +#: log.cpp:212 +msgid "Logging quits" +msgstr "" + +#: log.cpp:212 +msgid "Not logging quits" +msgstr "" + +#: log.cpp:213 +msgid "Logging nick changes" +msgstr "" + +#: log.cpp:214 +msgid "Not logging nick changes" +msgstr "" + +#: log.cpp:351 +msgid "" +"Invalid args [{1}]. Only one log path allowed. Check that there are no " +"spaces in the path." +msgstr "" + +#: log.cpp:401 +msgid "Invalid log path [{1}]" +msgstr "" + +#: log.cpp:404 +msgid "Logging to [{1}]. Using timestamp format '{2}'" +msgstr "" + +#: log.cpp:559 +msgid "[-sanitize] Optional path where to store logs." +msgstr "" + +#: log.cpp:563 +msgid "Writes IRC logs." +msgstr "" diff --git a/modules/po/missingmotd.it_IT.po b/modules/po/missingmotd.it_IT.po new file mode 100644 index 00000000..6696b2e3 --- /dev/null +++ b/modules/po/missingmotd.it_IT.po @@ -0,0 +1,17 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /1.7.x/modules/po/missingmotd.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: missingmotd.cpp:36 +msgid "Sends 422 to clients when they login" +msgstr "" diff --git a/modules/po/modperl.it_IT.po b/modules/po/modperl.it_IT.po new file mode 100644 index 00000000..13dec322 --- /dev/null +++ b/modules/po/modperl.it_IT.po @@ -0,0 +1,17 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /1.7.x/modules/po/modperl.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: modperl.cpp:382 +msgid "Loads perl scripts as ZNC modules" +msgstr "" diff --git a/modules/po/modpython.it_IT.po b/modules/po/modpython.it_IT.po new file mode 100644 index 00000000..7df310b3 --- /dev/null +++ b/modules/po/modpython.it_IT.po @@ -0,0 +1,17 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /1.7.x/modules/po/modpython.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: modpython.cpp:512 +msgid "Loads python scripts as ZNC modules" +msgstr "" diff --git a/modules/po/modules_online.it_IT.po b/modules/po/modules_online.it_IT.po new file mode 100644 index 00000000..e5c15983 --- /dev/null +++ b/modules/po/modules_online.it_IT.po @@ -0,0 +1,17 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /1.7.x/modules/po/modules_online.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: modules_online.cpp:117 +msgid "Makes ZNC's *modules to be \"online\"." +msgstr "" diff --git a/modules/po/nickserv.it_IT.po b/modules/po/nickserv.it_IT.po new file mode 100644 index 00000000..5b91d231 --- /dev/null +++ b/modules/po/nickserv.it_IT.po @@ -0,0 +1,75 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /1.7.x/modules/po/nickserv.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: nickserv.cpp:31 +msgid "Password set" +msgstr "" + +#: nickserv.cpp:38 +msgid "NickServ name set" +msgstr "" + +#: nickserv.cpp:54 +msgid "No such editable command. See ViewCommands for list." +msgstr "" + +#: nickserv.cpp:57 +msgid "Ok" +msgstr "" + +#: nickserv.cpp:62 +msgid "password" +msgstr "" + +#: nickserv.cpp:62 +msgid "Set your nickserv password" +msgstr "" + +#: nickserv.cpp:64 +msgid "Clear your nickserv password" +msgstr "" + +#: nickserv.cpp:66 +msgid "nickname" +msgstr "" + +#: nickserv.cpp:67 +msgid "" +"Set NickServ name (Useful on networks like EpiKnet, where NickServ is named " +"Themis" +msgstr "" + +#: nickserv.cpp:71 +msgid "Reset NickServ name to default (NickServ)" +msgstr "" + +#: nickserv.cpp:75 +msgid "Show patterns for lines, which are being sent to NickServ" +msgstr "" + +#: nickserv.cpp:77 +msgid "cmd new-pattern" +msgstr "" + +#: nickserv.cpp:78 +msgid "Set pattern for commands" +msgstr "" + +#: nickserv.cpp:140 +msgid "Please enter your nickserv password." +msgstr "" + +#: nickserv.cpp:144 +msgid "Auths you with NickServ (prefer SASL module instead)" +msgstr "" diff --git a/modules/po/notes.it_IT.po b/modules/po/notes.it_IT.po new file mode 100644 index 00000000..8bae824f --- /dev/null +++ b/modules/po/notes.it_IT.po @@ -0,0 +1,119 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /1.7.x/modules/po/notes.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: modules/po/../data/notes/tmpl/index.tmpl:7 +msgid "Add A Note" +msgstr "" + +#: modules/po/../data/notes/tmpl/index.tmpl:11 +msgid "Key:" +msgstr "" + +#: modules/po/../data/notes/tmpl/index.tmpl:15 +msgid "Note:" +msgstr "" + +#: modules/po/../data/notes/tmpl/index.tmpl:19 +msgid "Add Note" +msgstr "" + +#: modules/po/../data/notes/tmpl/index.tmpl:27 +msgid "You have no notes to display." +msgstr "" + +#: modules/po/../data/notes/tmpl/index.tmpl:34 notes.cpp:164 notes.cpp:169 +msgid "Key" +msgstr "" + +#: modules/po/../data/notes/tmpl/index.tmpl:35 notes.cpp:165 notes.cpp:170 +msgid "Note" +msgstr "" + +#: modules/po/../data/notes/tmpl/index.tmpl:41 +msgid "[del]" +msgstr "" + +#: notes.cpp:32 +msgid "That note already exists. Use MOD to overwrite." +msgstr "" + +#: notes.cpp:35 notes.cpp:137 +msgid "Added note {1}" +msgstr "" + +#: notes.cpp:37 notes.cpp:48 notes.cpp:142 +msgid "Unable to add note {1}" +msgstr "" + +#: notes.cpp:46 notes.cpp:139 +msgid "Set note for {1}" +msgstr "" + +#: notes.cpp:56 +msgid "This note doesn't exist." +msgstr "" + +#: notes.cpp:66 notes.cpp:116 +msgid "Deleted note {1}" +msgstr "" + +#: notes.cpp:68 notes.cpp:118 +msgid "Unable to delete note {1}" +msgstr "" + +#: notes.cpp:75 +msgid "List notes" +msgstr "" + +#: notes.cpp:77 notes.cpp:81 +msgid " " +msgstr "" + +#: notes.cpp:77 +msgid "Add a note" +msgstr "" + +#: notes.cpp:79 notes.cpp:83 +msgid "" +msgstr "" + +#: notes.cpp:79 +msgid "Delete a note" +msgstr "" + +#: notes.cpp:81 +msgid "Modify a note" +msgstr "" + +#: notes.cpp:94 +msgid "Notes" +msgstr "" + +#: notes.cpp:133 +msgid "That note already exists. Use /#+ to overwrite." +msgstr "" + +#: notes.cpp:185 notes.cpp:187 +msgid "You have no entries." +msgstr "" + +#: notes.cpp:223 +msgid "" +"This user module takes up to one arguments. It can be -disableNotesOnLogin " +"not to show notes upon client login" +msgstr "" + +#: notes.cpp:227 +msgid "Keep and replay notes" +msgstr "" diff --git a/modules/po/notify_connect.it_IT.po b/modules/po/notify_connect.it_IT.po new file mode 100644 index 00000000..ef9fdd0c --- /dev/null +++ b/modules/po/notify_connect.it_IT.po @@ -0,0 +1,29 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /1.7.x/modules/po/notify_connect.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: notify_connect.cpp:24 +msgid "attached" +msgstr "" + +#: notify_connect.cpp:26 +msgid "detached" +msgstr "" + +#: notify_connect.cpp:41 +msgid "{1} {2} from {3}" +msgstr "" + +#: notify_connect.cpp:52 +msgid "Notifies all admin users when a client connects or disconnects." +msgstr "" diff --git a/modules/po/partyline.it_IT.po b/modules/po/partyline.it_IT.po new file mode 100644 index 00000000..446a667b --- /dev/null +++ b/modules/po/partyline.it_IT.po @@ -0,0 +1,39 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /1.7.x/modules/po/partyline.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: partyline.cpp:60 +msgid "There are no open channels." +msgstr "" + +#: partyline.cpp:66 partyline.cpp:73 +msgid "Channel" +msgstr "" + +#: partyline.cpp:67 partyline.cpp:74 +msgid "Users" +msgstr "" + +#: partyline.cpp:82 +msgid "List all open channels" +msgstr "" + +#: partyline.cpp:733 +msgid "" +"You may enter a list of channels the user joins, when entering the internal " +"partyline." +msgstr "" + +#: partyline.cpp:739 +msgid "Internal channels and queries for users connected to ZNC" +msgstr "" diff --git a/modules/po/perform.it_IT.po b/modules/po/perform.it_IT.po new file mode 100644 index 00000000..1deb41bf --- /dev/null +++ b/modules/po/perform.it_IT.po @@ -0,0 +1,108 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /1.7.x/modules/po/perform.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: modules/po/../data/perform/tmpl/index.tmpl:7 perform.cpp:143 +msgid "Perform" +msgstr "" + +#: modules/po/../data/perform/tmpl/index.tmpl:11 +msgid "Perform commands:" +msgstr "" + +#: modules/po/../data/perform/tmpl/index.tmpl:15 +msgid "Commands sent to the IRC server on connect, one per line." +msgstr "" + +#: modules/po/../data/perform/tmpl/index.tmpl:18 +msgid "Save" +msgstr "" + +#: perform.cpp:24 +msgid "Usage: add " +msgstr "" + +#: perform.cpp:29 +msgid "Added!" +msgstr "" + +#: perform.cpp:37 perform.cpp:82 +msgid "Illegal # Requested" +msgstr "" + +#: perform.cpp:41 +msgid "Command Erased." +msgstr "" + +#: perform.cpp:50 perform.cpp:56 +msgctxt "list" +msgid "Id" +msgstr "" + +#: perform.cpp:51 perform.cpp:57 +msgctxt "list" +msgid "Perform" +msgstr "" + +#: perform.cpp:52 perform.cpp:62 +msgctxt "list" +msgid "Expanded" +msgstr "" + +#: perform.cpp:67 +msgid "No commands in your perform list." +msgstr "" + +#: perform.cpp:73 +msgid "perform commands sent" +msgstr "" + +#: perform.cpp:86 +msgid "Commands Swapped." +msgstr "" + +#: perform.cpp:95 +msgid "" +msgstr "" + +#: perform.cpp:96 +msgid "Adds perform command to be sent to the server on connect" +msgstr "" + +#: perform.cpp:98 +msgid "" +msgstr "" + +#: perform.cpp:98 +msgid "Delete a perform command" +msgstr "" + +#: perform.cpp:100 +msgid "List the perform commands" +msgstr "" + +#: perform.cpp:103 +msgid "Send the perform commands to the server now" +msgstr "" + +#: perform.cpp:105 +msgid " " +msgstr "" + +#: perform.cpp:106 +msgid "Swap two perform commands" +msgstr "" + +#: perform.cpp:192 +msgid "Keeps a list of commands to be executed when ZNC connects to IRC." +msgstr "" diff --git a/modules/po/perleval.it_IT.po b/modules/po/perleval.it_IT.po new file mode 100644 index 00000000..eb9fa475 --- /dev/null +++ b/modules/po/perleval.it_IT.po @@ -0,0 +1,31 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /1.7.x/modules/po/perleval.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: perleval.pm:23 +msgid "Evaluates perl code" +msgstr "" + +#: perleval.pm:33 +msgid "Only admin can load this module" +msgstr "" + +#: perleval.pm:44 +#, perl-format +msgid "Error: %s" +msgstr "" + +#: perleval.pm:46 +#, perl-format +msgid "Result: %s" +msgstr "" diff --git a/modules/po/pyeval.it_IT.po b/modules/po/pyeval.it_IT.po new file mode 100644 index 00000000..7f38d9d4 --- /dev/null +++ b/modules/po/pyeval.it_IT.po @@ -0,0 +1,21 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /1.7.x/modules/po/pyeval.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: pyeval.py:49 +msgid "You must have admin privileges to load this module." +msgstr "" + +#: pyeval.py:82 +msgid "Evaluates python code" +msgstr "" diff --git a/modules/po/q.it_IT.po b/modules/po/q.it_IT.po new file mode 100644 index 00000000..08d7b21f --- /dev/null +++ b/modules/po/q.it_IT.po @@ -0,0 +1,296 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /1.7.x/modules/po/q.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: modules/po/../data/q/tmpl/index.tmpl:11 +msgid "Username:" +msgstr "" + +#: modules/po/../data/q/tmpl/index.tmpl:13 +msgid "Please enter a username." +msgstr "" + +#: modules/po/../data/q/tmpl/index.tmpl:16 +msgid "Password:" +msgstr "" + +#: modules/po/../data/q/tmpl/index.tmpl:18 +msgid "Please enter a password." +msgstr "" + +#: modules/po/../data/q/tmpl/index.tmpl:26 +msgid "Options" +msgstr "" + +#: modules/po/../data/q/tmpl/index.tmpl:42 +msgid "Save" +msgstr "" + +#: q.cpp:74 +msgid "" +"Notice: Your host will be cloaked the next time you reconnect to IRC. If you " +"want to cloak your host now, /msg *q Cloak. You can set your preference " +"with /msg *q Set UseCloakedHost true/false." +msgstr "" + +#: q.cpp:111 +msgid "The following commands are available:" +msgstr "" + +#: q.cpp:113 q.cpp:116 q.cpp:121 q.cpp:126 q.cpp:130 q.cpp:135 q.cpp:140 +msgid "Command" +msgstr "" + +#: q.cpp:114 q.cpp:117 q.cpp:123 q.cpp:127 q.cpp:132 q.cpp:136 q.cpp:141 +#: q.cpp:150 q.cpp:154 q.cpp:158 q.cpp:162 q.cpp:168 q.cpp:174 q.cpp:180 +#: q.cpp:186 +msgid "Description" +msgstr "" + +#: q.cpp:116 +msgid "Auth [ ]" +msgstr "" + +#: q.cpp:118 +msgid "Tries to authenticate you with Q. Both parameters are optional." +msgstr "" + +#: q.cpp:124 +msgid "Tries to set usermode +x to hide your real hostname." +msgstr "" + +#: q.cpp:128 +msgid "Prints the current status of the module." +msgstr "" + +#: q.cpp:133 +msgid "Re-requests the current user information from Q." +msgstr "" + +#: q.cpp:135 +msgid "Set " +msgstr "" + +#: q.cpp:137 +msgid "Changes the value of the given setting. See the list of settings below." +msgstr "" + +#: q.cpp:142 +msgid "Prints out the current configuration. See the list of settings below." +msgstr "" + +#: q.cpp:146 +msgid "The following settings are available:" +msgstr "" + +#: q.cpp:148 q.cpp:152 q.cpp:156 q.cpp:160 q.cpp:166 q.cpp:172 q.cpp:178 +#: q.cpp:183 q.cpp:227 q.cpp:230 q.cpp:233 q.cpp:236 q.cpp:239 q.cpp:242 +#: q.cpp:245 q.cpp:248 +msgid "Setting" +msgstr "" + +#: q.cpp:149 q.cpp:153 q.cpp:157 q.cpp:161 q.cpp:167 q.cpp:173 q.cpp:179 +#: q.cpp:184 +msgid "Type" +msgstr "" + +#: q.cpp:153 q.cpp:157 +msgid "String" +msgstr "" + +#: q.cpp:154 +msgid "Your Q username." +msgstr "" + +#: q.cpp:158 +msgid "Your Q password." +msgstr "" + +#: q.cpp:161 q.cpp:167 q.cpp:173 q.cpp:179 q.cpp:184 +msgid "Boolean" +msgstr "" + +#: q.cpp:163 q.cpp:373 +msgid "Whether to cloak your hostname (+x) automatically on connect." +msgstr "" + +#: q.cpp:169 q.cpp:381 +msgid "" +"Whether to use the CHALLENGEAUTH mechanism to avoid sending passwords in " +"cleartext." +msgstr "" + +#: q.cpp:175 q.cpp:389 +msgid "Whether to request voice/op from Q on join/devoice/deop." +msgstr "" + +#: q.cpp:181 q.cpp:395 +msgid "Whether to join channels when Q invites you." +msgstr "" + +#: q.cpp:187 q.cpp:402 +msgid "Whether to delay joining channels until after you are cloaked." +msgstr "" + +#: q.cpp:192 +msgid "This module takes 2 optional parameters: " +msgstr "" + +#: q.cpp:194 +msgid "Module settings are stored between restarts." +msgstr "" + +#: q.cpp:200 +msgid "Syntax: Set " +msgstr "" + +#: q.cpp:203 +msgid "Username set" +msgstr "" + +#: q.cpp:206 +msgid "Password set" +msgstr "" + +#: q.cpp:209 +msgid "UseCloakedHost set" +msgstr "" + +#: q.cpp:212 +msgid "UseChallenge set" +msgstr "" + +#: q.cpp:215 +msgid "RequestPerms set" +msgstr "" + +#: q.cpp:218 +msgid "JoinOnInvite set" +msgstr "" + +#: q.cpp:221 +msgid "JoinAfterCloaked set" +msgstr "" + +#: q.cpp:223 +msgid "Unknown setting: {1}" +msgstr "" + +#: q.cpp:228 q.cpp:231 q.cpp:234 q.cpp:237 q.cpp:240 q.cpp:243 q.cpp:246 +#: q.cpp:249 +msgid "Value" +msgstr "" + +#: q.cpp:253 +msgid "Connected: yes" +msgstr "" + +#: q.cpp:254 +msgid "Connected: no" +msgstr "" + +#: q.cpp:255 +msgid "Cloacked: yes" +msgstr "" + +#: q.cpp:255 +msgid "Cloacked: no" +msgstr "" + +#: q.cpp:256 +msgid "Authenticated: yes" +msgstr "" + +#: q.cpp:257 +msgid "Authenticated: no" +msgstr "" + +#: q.cpp:262 +msgid "Error: You are not connected to IRC." +msgstr "" + +#: q.cpp:270 +msgid "Error: You are already cloaked!" +msgstr "" + +#: q.cpp:276 +msgid "Error: You are already authed!" +msgstr "" + +#: q.cpp:280 +msgid "Update requested." +msgstr "" + +#: q.cpp:283 +msgid "Unknown command. Try 'help'." +msgstr "" + +#: q.cpp:293 +msgid "Cloak successful: Your hostname is now cloaked." +msgstr "" + +#: q.cpp:408 +msgid "Changes have been saved!" +msgstr "" + +#: q.cpp:435 +msgid "Cloak: Trying to cloak your hostname, setting +x..." +msgstr "" + +#: q.cpp:452 +msgid "" +"You have to set a username and password to use this module! See 'help' for " +"details." +msgstr "" + +#: q.cpp:458 +msgid "Auth: Requesting CHALLENGE..." +msgstr "" + +#: q.cpp:462 +msgid "Auth: Sending AUTH request..." +msgstr "" + +#: q.cpp:479 +msgid "Auth: Received challenge, sending CHALLENGEAUTH request..." +msgstr "" + +#: q.cpp:521 +msgid "Authentication failed: {1}" +msgstr "" + +#: q.cpp:525 +msgid "Authentication successful: {1}" +msgstr "" + +#: q.cpp:539 +msgid "" +"Auth failed: Q does not support HMAC-SHA-256 for CHALLENGEAUTH, falling back " +"to standard AUTH." +msgstr "" + +#: q.cpp:566 +msgid "RequestPerms: Requesting op on {1}" +msgstr "" + +#: q.cpp:579 +msgid "RequestPerms: Requesting voice on {1}" +msgstr "" + +#: q.cpp:686 +msgid "Please provide your username and password for Q." +msgstr "" + +#: q.cpp:689 +msgid "Auths you with QuakeNet's Q bot." +msgstr "" diff --git a/modules/po/raw.it_IT.po b/modules/po/raw.it_IT.po new file mode 100644 index 00000000..25083c27 --- /dev/null +++ b/modules/po/raw.it_IT.po @@ -0,0 +1,17 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /1.7.x/modules/po/raw.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: raw.cpp:43 +msgid "View all of the raw traffic" +msgstr "" diff --git a/modules/po/route_replies.it_IT.po b/modules/po/route_replies.it_IT.po new file mode 100644 index 00000000..71b34bb1 --- /dev/null +++ b/modules/po/route_replies.it_IT.po @@ -0,0 +1,59 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /1.7.x/modules/po/route_replies.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: route_replies.cpp:209 +msgid "[yes|no]" +msgstr "" + +#: route_replies.cpp:210 +msgid "Decides whether to show the timeout messages or not" +msgstr "" + +#: route_replies.cpp:350 +msgid "This module hit a timeout which is probably a connectivity issue." +msgstr "" + +#: route_replies.cpp:353 +msgid "" +"However, if you can provide steps to reproduce this issue, please do report " +"a bug." +msgstr "" + +#: route_replies.cpp:356 +msgid "To disable this message, do \"/msg {1} silent yes\"" +msgstr "" + +#: route_replies.cpp:358 +msgid "Last request: {1}" +msgstr "" + +#: route_replies.cpp:359 +msgid "Expected replies:" +msgstr "" + +#: route_replies.cpp:363 +msgid "{1} (last)" +msgstr "" + +#: route_replies.cpp:435 +msgid "Timeout messages are disabled." +msgstr "" + +#: route_replies.cpp:436 +msgid "Timeout messages are enabled." +msgstr "" + +#: route_replies.cpp:457 +msgid "Send replies (e.g. to /who) to the right client only" +msgstr "" diff --git a/modules/po/sample.it_IT.po b/modules/po/sample.it_IT.po new file mode 100644 index 00000000..9ba54057 --- /dev/null +++ b/modules/po/sample.it_IT.po @@ -0,0 +1,119 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /1.7.x/modules/po/sample.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: sample.cpp:31 +msgid "Sample job cancelled" +msgstr "" + +#: sample.cpp:33 +msgid "Sample job destroyed" +msgstr "" + +#: sample.cpp:50 +msgid "Sample job done" +msgstr "" + +#: sample.cpp:65 +msgid "TEST!!!!" +msgstr "" + +#: sample.cpp:74 +msgid "I'm being loaded with the arguments: {1}" +msgstr "" + +#: sample.cpp:85 +msgid "I'm being unloaded!" +msgstr "" + +#: sample.cpp:94 +msgid "You got connected BoyOh." +msgstr "" + +#: sample.cpp:98 +msgid "You got disconnected BoyOh." +msgstr "" + +#: sample.cpp:116 +msgid "{1} {2} set mode on {3} {4}{5} {6}" +msgstr "" + +#: sample.cpp:123 +msgid "{1} {2} opped {3} on {4}" +msgstr "" + +#: sample.cpp:129 +msgid "{1} {2} deopped {3} on {4}" +msgstr "" + +#: sample.cpp:135 +msgid "{1} {2} voiced {3} on {4}" +msgstr "" + +#: sample.cpp:141 +msgid "{1} {2} devoiced {3} on {4}" +msgstr "" + +#: sample.cpp:147 +msgid "* {1} sets mode: {2} {3} on {4}" +msgstr "" + +#: sample.cpp:163 +msgid "{1} kicked {2} from {3} with the msg {4}" +msgstr "" + +#: sample.cpp:169 +msgid "* {1} ({2}@{3}) quits ({4}) from channel: {6}" +msgid_plural "* {1} ({2}@{3}) quits ({4}) from {5} channels: {6}" +msgstr[0] "" +msgstr[1] "" + +#: sample.cpp:177 +msgid "Attempting to join {1}" +msgstr "" + +#: sample.cpp:182 +msgid "* {1} ({2}@{3}) joins {4}" +msgstr "" + +#: sample.cpp:189 +msgid "* {1} ({2}@{3}) parts {4}" +msgstr "" + +#: sample.cpp:196 +msgid "{1} invited us to {2}, ignoring invites to {2}" +msgstr "" + +#: sample.cpp:201 +msgid "{1} invited us to {2}" +msgstr "" + +#: sample.cpp:207 +msgid "{1} is now known as {2}" +msgstr "" + +#: sample.cpp:269 sample.cpp:276 +msgid "{1} changes topic on {2} to {3}" +msgstr "" + +#: sample.cpp:317 +msgid "Hi, I'm your friendly sample module." +msgstr "" + +#: sample.cpp:330 +msgid "Description of module arguments goes here." +msgstr "" + +#: sample.cpp:333 +msgid "To be used as a sample for writing modules" +msgstr "" diff --git a/modules/po/samplewebapi.it_IT.po b/modules/po/samplewebapi.it_IT.po new file mode 100644 index 00000000..5d689726 --- /dev/null +++ b/modules/po/samplewebapi.it_IT.po @@ -0,0 +1,17 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /1.7.x/modules/po/samplewebapi.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: samplewebapi.cpp:59 +msgid "Sample Web API module." +msgstr "" diff --git a/modules/po/sasl.it_IT.po b/modules/po/sasl.it_IT.po new file mode 100644 index 00000000..76432171 --- /dev/null +++ b/modules/po/sasl.it_IT.po @@ -0,0 +1,174 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /1.7.x/modules/po/sasl.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:290 +msgid "SASL" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:11 +msgid "Username:" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:13 +msgid "Please enter a username." +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:16 +msgid "Password:" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:18 +msgid "Please enter a password." +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:22 +msgid "Options" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:25 +msgid "Connect only if SASL authentication succeeds." +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:27 +msgid "Require authentication" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:35 +msgid "Mechanisms" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:42 +msgid "Name" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:43 sasl.cpp:89 sasl.cpp:94 +msgid "Description" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:57 +msgid "Selected mechanisms and their order:" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:74 +msgid "Save" +msgstr "" + +#: sasl.cpp:54 +msgid "TLS certificate, for use with the *cert module" +msgstr "" + +#: sasl.cpp:56 +msgid "" +"Plain text negotiation, this should work always if the network supports SASL" +msgstr "" + +#: sasl.cpp:62 +msgid "search" +msgstr "" + +#: sasl.cpp:62 +msgid "Generate this output" +msgstr "" + +#: sasl.cpp:64 +msgid "[ []]" +msgstr "" + +#: sasl.cpp:65 +msgid "" +"Set username and password for the mechanisms that need them. Password is " +"optional. Without parameters, returns information about current settings." +msgstr "" + +#: sasl.cpp:69 +msgid "[mechanism[ ...]]" +msgstr "" + +#: sasl.cpp:70 +msgid "Set the mechanisms to be attempted (in order)" +msgstr "" + +#: sasl.cpp:72 +msgid "[yes|no]" +msgstr "" + +#: sasl.cpp:73 +msgid "Don't connect unless SASL authentication succeeds" +msgstr "" + +#: sasl.cpp:88 sasl.cpp:93 +msgid "Mechanism" +msgstr "" + +#: sasl.cpp:97 +msgid "The following mechanisms are available:" +msgstr "" + +#: sasl.cpp:107 +msgid "Username is currently not set" +msgstr "" + +#: sasl.cpp:109 +msgid "Username is currently set to '{1}'" +msgstr "" + +#: sasl.cpp:112 +msgid "Password was not supplied" +msgstr "" + +#: sasl.cpp:114 +msgid "Password was supplied" +msgstr "" + +#: sasl.cpp:122 +msgid "Username has been set to [{1}]" +msgstr "" + +#: sasl.cpp:123 +msgid "Password has been set to [{1}]" +msgstr "" + +#: sasl.cpp:143 +msgid "Current mechanisms set: {1}" +msgstr "" + +#: sasl.cpp:152 +msgid "We require SASL negotiation to connect" +msgstr "" + +#: sasl.cpp:154 +msgid "We will connect even if SASL fails" +msgstr "" + +#: sasl.cpp:191 +msgid "Disabling network, we require authentication." +msgstr "" + +#: sasl.cpp:192 +msgid "Use 'RequireAuth no' to disable." +msgstr "" + +#: sasl.cpp:245 +msgid "{1} mechanism succeeded." +msgstr "" + +#: sasl.cpp:257 +msgid "{1} mechanism failed." +msgstr "" + +#: sasl.cpp:335 +msgid "" +"Adds support for sasl authentication capability to authenticate to an IRC " +"server" +msgstr "" diff --git a/modules/po/savebuff.it_IT.po b/modules/po/savebuff.it_IT.po new file mode 100644 index 00000000..4830ab60 --- /dev/null +++ b/modules/po/savebuff.it_IT.po @@ -0,0 +1,62 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /1.7.x/modules/po/savebuff.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: savebuff.cpp:65 +msgid "" +msgstr "" + +#: savebuff.cpp:65 +msgid "Sets the password" +msgstr "" + +#: savebuff.cpp:67 +msgid "" +msgstr "" + +#: savebuff.cpp:67 +msgid "Replays the buffer" +msgstr "" + +#: savebuff.cpp:69 +msgid "Saves all buffers" +msgstr "" + +#: savebuff.cpp:221 +msgid "" +"Password is unset usually meaning the decryption failed. You can setpass to " +"the appropriate pass and things should start working, or setpass to a new " +"pass and save to reinstantiate" +msgstr "" + +#: savebuff.cpp:232 +msgid "Password set to [{1}]" +msgstr "" + +#: savebuff.cpp:262 +msgid "Replayed {1}" +msgstr "" + +#: savebuff.cpp:341 +msgid "Unable to decode Encrypted file {1}" +msgstr "" + +#: savebuff.cpp:358 +msgid "" +"This user module takes up to one arguments. Either --ask-pass or the " +"password itself (which may contain spaces) or nothing" +msgstr "" + +#: savebuff.cpp:363 +msgid "Stores channel and query buffers to disk, encrypted" +msgstr "" diff --git a/modules/po/send_raw.it_IT.po b/modules/po/send_raw.it_IT.po new file mode 100644 index 00000000..65e10b95 --- /dev/null +++ b/modules/po/send_raw.it_IT.po @@ -0,0 +1,109 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /1.7.x/modules/po/send_raw.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:9 +msgid "Send a raw IRC line" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:14 +msgid "User:" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:15 +msgid "To change user, click to Network selector" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:19 +msgid "User/Network:" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:32 +msgid "Send to:" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:34 +msgid "Client" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:35 +msgid "Server" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:40 +msgid "Line:" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:45 +msgid "Send" +msgstr "" + +#: send_raw.cpp:32 +msgid "Sent [{1}] to {2}/{3}" +msgstr "" + +#: send_raw.cpp:36 send_raw.cpp:56 +msgid "Network {1} not found for user {2}" +msgstr "" + +#: send_raw.cpp:40 send_raw.cpp:60 +msgid "User {1} not found" +msgstr "" + +#: send_raw.cpp:52 +msgid "Sent [{1}] to IRC server of {2}/{3}" +msgstr "" + +#: send_raw.cpp:75 +msgid "You must have admin privileges to load this module" +msgstr "" + +#: send_raw.cpp:82 +msgid "Send Raw" +msgstr "" + +#: send_raw.cpp:92 +msgid "User not found" +msgstr "" + +#: send_raw.cpp:99 +msgid "Network not found" +msgstr "" + +#: send_raw.cpp:116 +msgid "Line sent" +msgstr "" + +#: send_raw.cpp:140 send_raw.cpp:143 +msgid "[user] [network] [data to send]" +msgstr "" + +#: send_raw.cpp:141 +msgid "The data will be sent to the user's IRC client(s)" +msgstr "" + +#: send_raw.cpp:144 +msgid "The data will be sent to the IRC server the user is connected to" +msgstr "" + +#: send_raw.cpp:147 +msgid "[data to send]" +msgstr "" + +#: send_raw.cpp:148 +msgid "The data will be sent to your current client" +msgstr "" + +#: send_raw.cpp:159 +msgid "Lets you send some raw IRC lines as/to someone else" +msgstr "" diff --git a/modules/po/shell.it_IT.po b/modules/po/shell.it_IT.po new file mode 100644 index 00000000..634513e9 --- /dev/null +++ b/modules/po/shell.it_IT.po @@ -0,0 +1,29 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /1.7.x/modules/po/shell.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: shell.cpp:37 +msgid "Failed to execute: {1}" +msgstr "" + +#: shell.cpp:75 +msgid "You must be admin to use the shell module" +msgstr "" + +#: shell.cpp:169 +msgid "Gives shell access" +msgstr "" + +#: shell.cpp:172 +msgid "Gives shell access. Only ZNC admins can use it." +msgstr "" diff --git a/modules/po/simple_away.it_IT.po b/modules/po/simple_away.it_IT.po new file mode 100644 index 00000000..bb79c65f --- /dev/null +++ b/modules/po/simple_away.it_IT.po @@ -0,0 +1,92 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /1.7.x/modules/po/simple_away.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: simple_away.cpp:56 +msgid "[]" +msgstr "" + +#: simple_away.cpp:57 +#, c-format +msgid "" +"Prints or sets the away reason (%awaytime% is replaced with the time you " +"were set away, supports substitutions using ExpandString)" +msgstr "" + +#: simple_away.cpp:63 +msgid "Prints the current time to wait before setting you away" +msgstr "" + +#: simple_away.cpp:65 +msgid "" +msgstr "" + +#: simple_away.cpp:66 +msgid "Sets the time to wait before setting you away" +msgstr "" + +#: simple_away.cpp:69 +msgid "Disables the wait time before setting you away" +msgstr "" + +#: simple_away.cpp:73 +msgid "Get or set the minimum number of clients before going away" +msgstr "" + +#: simple_away.cpp:136 +msgid "Away reason set" +msgstr "" + +#: simple_away.cpp:138 +msgid "Away reason: {1}" +msgstr "" + +#: simple_away.cpp:139 +msgid "Current away reason would be: {1}" +msgstr "" + +#: simple_away.cpp:144 +msgid "Current timer setting: 1 second" +msgid_plural "Current timer setting: {1} seconds" +msgstr[0] "" +msgstr[1] "" + +#: simple_away.cpp:153 simple_away.cpp:161 +msgid "Timer disabled" +msgstr "" + +#: simple_away.cpp:155 +msgid "Timer set to 1 second" +msgid_plural "Timer set to: {1} seconds" +msgstr[0] "" +msgstr[1] "" + +#: simple_away.cpp:166 +msgid "Current MinClients setting: {1}" +msgstr "" + +#: simple_away.cpp:169 +msgid "MinClients set to {1}" +msgstr "" + +#: simple_away.cpp:248 +msgid "" +"You might enter up to 3 arguments, like -notimer awaymessage or -timer 5 " +"awaymessage." +msgstr "" + +#: simple_away.cpp:253 +msgid "" +"This module will automatically set you away on IRC while you are " +"disconnected from the bouncer." +msgstr "" diff --git a/modules/po/stickychan.it_IT.po b/modules/po/stickychan.it_IT.po new file mode 100644 index 00000000..2c83a680 --- /dev/null +++ b/modules/po/stickychan.it_IT.po @@ -0,0 +1,102 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /1.7.x/modules/po/stickychan.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: modules/po/../data/stickychan/tmpl/index.tmpl:9 +msgid "Name" +msgstr "" + +#: modules/po/../data/stickychan/tmpl/index.tmpl:10 +msgid "Sticky" +msgstr "" + +#: modules/po/../data/stickychan/tmpl/index.tmpl:25 +msgid "Save" +msgstr "" + +#: modules/po/../data/stickychan/tmpl/stickychan_WebadminChan.tmpl:8 +msgid "Channel is sticky" +msgstr "" + +#: stickychan.cpp:28 +msgid "<#channel> [key]" +msgstr "" + +#: stickychan.cpp:28 +msgid "Sticks a channel" +msgstr "" + +#: stickychan.cpp:30 +msgid "<#channel>" +msgstr "" + +#: stickychan.cpp:30 +msgid "Unsticks a channel" +msgstr "" + +#: stickychan.cpp:32 +msgid "Lists sticky channels" +msgstr "" + +#: stickychan.cpp:75 +msgid "Usage: Stick <#channel> [key]" +msgstr "" + +#: stickychan.cpp:79 +msgid "Stuck {1}" +msgstr "" + +#: stickychan.cpp:85 +msgid "Usage: Unstick <#channel>" +msgstr "" + +#: stickychan.cpp:89 +msgid "Unstuck {1}" +msgstr "" + +#: stickychan.cpp:101 +msgid " -- End of List" +msgstr "" + +#: stickychan.cpp:115 +msgid "Could not join {1} (# prefix missing?)" +msgstr "" + +#: stickychan.cpp:128 +msgid "Sticky Channels" +msgstr "" + +#: stickychan.cpp:160 +msgid "Changes have been saved!" +msgstr "" + +#: stickychan.cpp:185 +msgid "Channel became sticky!" +msgstr "" + +#: stickychan.cpp:189 +msgid "Channel stopped being sticky!" +msgstr "" + +#: stickychan.cpp:209 +msgid "" +"Channel {1} cannot be joined, it is an illegal channel name. Unsticking." +msgstr "" + +#: stickychan.cpp:246 +msgid "List of channels, separated by comma." +msgstr "" + +#: stickychan.cpp:251 +msgid "configless sticky chans, keeps you there very stickily even" +msgstr "" diff --git a/modules/po/stripcontrols.it_IT.po b/modules/po/stripcontrols.it_IT.po new file mode 100644 index 00000000..6212fc85 --- /dev/null +++ b/modules/po/stripcontrols.it_IT.po @@ -0,0 +1,18 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /1.7.x/modules/po/stripcontrols.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: stripcontrols.cpp:63 +msgid "" +"Strips control codes (Colors, Bold, ..) from channel and private messages." +msgstr "" diff --git a/modules/po/watch.it_IT.po b/modules/po/watch.it_IT.po new file mode 100644 index 00000000..37761a02 --- /dev/null +++ b/modules/po/watch.it_IT.po @@ -0,0 +1,249 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /1.7.x/modules/po/watch.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: watch.cpp:334 +msgid "All entries cleared." +msgstr "" + +#: watch.cpp:344 +msgid "Buffer count is set to {1}" +msgstr "" + +#: watch.cpp:348 +msgid "Unknown command: {1}" +msgstr "" + +#: watch.cpp:397 +msgid "Disabled all entries." +msgstr "" + +#: watch.cpp:398 +msgid "Enabled all entries." +msgstr "" + +#: watch.cpp:405 watch.cpp:437 watch.cpp:470 watch.cpp:570 watch.cpp:585 +msgid "Invalid Id" +msgstr "" + +#: watch.cpp:414 +msgid "Id {1} disabled" +msgstr "" + +#: watch.cpp:416 +msgid "Id {1} enabled" +msgstr "" + +#: watch.cpp:428 +msgid "Set DetachedClientOnly for all entries to Yes" +msgstr "" + +#: watch.cpp:430 +msgid "Set DetachedClientOnly for all entries to No" +msgstr "" + +#: watch.cpp:446 watch.cpp:479 +msgid "Id {1} set to Yes" +msgstr "" + +#: watch.cpp:448 watch.cpp:481 +msgid "Id {1} set to No" +msgstr "" + +#: watch.cpp:461 +msgid "Set DetachedChannelOnly for all entries to Yes" +msgstr "" + +#: watch.cpp:463 +msgid "Set DetachedChannelOnly for all entries to No" +msgstr "" + +#: watch.cpp:487 watch.cpp:503 +msgid "Id" +msgstr "" + +#: watch.cpp:488 watch.cpp:504 +msgid "HostMask" +msgstr "" + +#: watch.cpp:489 watch.cpp:505 +msgid "Target" +msgstr "" + +#: watch.cpp:490 watch.cpp:506 +msgid "Pattern" +msgstr "" + +#: watch.cpp:491 watch.cpp:507 +msgid "Sources" +msgstr "" + +#: watch.cpp:492 watch.cpp:508 watch.cpp:509 +msgid "Off" +msgstr "" + +#: watch.cpp:493 watch.cpp:511 +msgid "DetachedClientOnly" +msgstr "" + +#: watch.cpp:494 watch.cpp:514 +msgid "DetachedChannelOnly" +msgstr "" + +#: watch.cpp:512 watch.cpp:515 +msgid "Yes" +msgstr "" + +#: watch.cpp:512 watch.cpp:515 +msgid "No" +msgstr "" + +#: watch.cpp:521 watch.cpp:527 +msgid "You have no entries." +msgstr "" + +#: watch.cpp:578 +msgid "Sources set for Id {1}." +msgstr "" + +#: watch.cpp:593 +msgid "Id {1} removed." +msgstr "" + +#: watch.cpp:600 watch.cpp:604 watch.cpp:609 watch.cpp:614 watch.cpp:620 +#: watch.cpp:625 watch.cpp:629 watch.cpp:633 watch.cpp:638 watch.cpp:645 +#: watch.cpp:652 watch.cpp:658 watch.cpp:664 +msgid "Command" +msgstr "" + +#: watch.cpp:601 watch.cpp:605 watch.cpp:610 watch.cpp:616 watch.cpp:621 +#: watch.cpp:626 watch.cpp:630 watch.cpp:634 watch.cpp:641 watch.cpp:648 +#: watch.cpp:654 watch.cpp:660 watch.cpp:665 +msgid "Description" +msgstr "" + +#: watch.cpp:604 +msgid "Add [Target] [Pattern]" +msgstr "" + +#: watch.cpp:606 +msgid "Used to add an entry to watch for." +msgstr "" + +#: watch.cpp:609 +msgid "List" +msgstr "" + +#: watch.cpp:611 +msgid "List all entries being watched." +msgstr "" + +#: watch.cpp:614 +msgid "Dump" +msgstr "" + +#: watch.cpp:617 +msgid "Dump a list of all current entries to be used later." +msgstr "" + +#: watch.cpp:620 +msgid "Del " +msgstr "" + +#: watch.cpp:622 +msgid "Deletes Id from the list of watched entries." +msgstr "" + +#: watch.cpp:625 +msgid "Clear" +msgstr "" + +#: watch.cpp:626 +msgid "Delete all entries." +msgstr "" + +#: watch.cpp:629 +msgid "Enable " +msgstr "" + +#: watch.cpp:630 +msgid "Enable a disabled entry." +msgstr "" + +#: watch.cpp:633 +msgid "Disable " +msgstr "" + +#: watch.cpp:635 +msgid "Disable (but don't delete) an entry." +msgstr "" + +#: watch.cpp:639 +msgid "SetDetachedClientOnly " +msgstr "" + +#: watch.cpp:642 +msgid "Enable or disable detached client only for an entry." +msgstr "" + +#: watch.cpp:646 +msgid "SetDetachedChannelOnly " +msgstr "" + +#: watch.cpp:649 +msgid "Enable or disable detached channel only for an entry." +msgstr "" + +#: watch.cpp:652 +msgid "Buffer [Count]" +msgstr "" + +#: watch.cpp:655 +msgid "Show/Set the amount of buffered lines while detached." +msgstr "" + +#: watch.cpp:659 +msgid "SetSources [#chan priv #foo* !#bar]" +msgstr "" + +#: watch.cpp:661 +msgid "Set the source channels that you care about." +msgstr "" + +#: watch.cpp:664 +msgid "Help" +msgstr "" + +#: watch.cpp:665 +msgid "This help." +msgstr "" + +#: watch.cpp:681 +msgid "Entry for {1} already exists." +msgstr "" + +#: watch.cpp:689 +msgid "Adding entry: {1} watching for [{2}] -> {3}" +msgstr "" + +#: watch.cpp:695 +msgid "Watch: Not enough arguments. Try Help" +msgstr "" + +#: watch.cpp:764 +msgid "WARNING: malformed entry found while loading" +msgstr "" + +#: watch.cpp:778 +msgid "Copy activity from a specific user into a separate window" +msgstr "" diff --git a/modules/po/webadmin.it_IT.po b/modules/po/webadmin.it_IT.po new file mode 100644 index 00000000..b282606d --- /dev/null +++ b/modules/po/webadmin.it_IT.po @@ -0,0 +1,1209 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /1.7.x/modules/po/webadmin.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:12 +msgid "Channel Info" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:17 +msgid "Channel Name:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:19 +msgid "The channel name." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:24 +msgid "Key:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:26 +msgid "The password of the channel, if there is one." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:30 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:241 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:260 +msgid "Buffer Size:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:32 +msgid "The buffer count." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:36 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:235 +msgid "Default Modes:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:38 +msgid "The default modes of the channel." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:46 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:270 +msgid "Flags" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:51 +msgid "Save to config" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:67 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:282 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:410 +msgid "Module {1}" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:75 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:290 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:419 +msgid "Save and return" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:76 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:291 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:420 +msgid "Save and continue" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:78 +msgid "Add Channel and return" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:79 +msgid "Add Channel and continue" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:8 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:11 +msgid "<password>" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:11 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:12 +msgid "<network>" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:14 +msgid "" +"To connect to this network from your IRC client, you can set the server " +"password field as {1} or username field as {2}" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:24 +msgid "Network Info" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:25 +msgid "" +"Nick, AltNick, Ident, RealName, BindHost can be left empty to use the value " +"from the user." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:29 +msgid "Network Name:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:31 +msgid "The name of the IRC network." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:35 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:69 +msgid "Nickname:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:37 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:71 +msgid "Your nickname on IRC." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:40 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:74 +msgid "Alt. Nickname:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:42 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:76 +msgid "Your secondary nickname, if the first is not available on IRC." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:46 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:80 +msgid "Ident:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:48 +msgid "Your ident." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:51 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:91 +msgid "Realname:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:53 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:93 +msgid "Your real name." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:58 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:99 +msgid "BindHost:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:65 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:112 +msgid "Quit Message:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:67 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:114 +msgid "You may define a Message shown, when you quit IRC." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:71 +msgid "Active:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:73 +msgid "Connect to IRC & automatically re-connect" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:77 +msgid "Trust all certs:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:79 +msgid "" +"Disable certificate validation (takes precedence over TrustPKI). INSECURE!" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:83 +msgid "Trust the PKI:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:85 +msgid "" +"Setting this to false will trust only certificates you added fingerprints " +"for." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:89 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:96 +msgid "Servers of this IRC network:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:93 +msgid "One server per line, “host [[+]port] [password]”, + means SSL" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:101 +msgid "Hostname" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:102 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:13 +msgid "Port" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:103 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:15 +msgid "SSL" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:104 +msgid "Password" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:116 +msgid "SHA-256 fingerprints of trusted SSL certificates of this IRC network:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:120 +msgid "" +"When these certificates are encountered, checks for hostname, expiration " +"date, CA are skipped" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:124 +msgid "Flood protection:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:127 +msgid "" +"You might enable the flood protection. This prevents “excess flood” errors, " +"which occur, when your IRC bot is command flooded or spammed. After changing " +"this, reconnect ZNC to server." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:130 +msgctxt "Flood Protection" +msgid "Enabled" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:134 +msgid "Flood protection rate:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:137 +msgid "" +"The number of seconds per line. After changing this, reconnect ZNC to server." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:140 +msgid "{1} seconds per line" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:144 +msgid "Flood protection burst:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:147 +msgid "" +"Defines the number of lines, which can be sent immediately. After changing " +"this, reconnect ZNC to server." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:150 +msgid "{1} lines can be sent immediately" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:154 +msgid "Channel join delay:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:157 +msgid "" +"Defines the delay in seconds, until channels are joined after getting " +"connected." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:160 +msgid "{1} seconds" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:165 +msgid "Character encoding used between ZNC and IRC server." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:166 +msgid "Server encoding:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:176 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:231 +msgid "Channels" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:178 +msgid "" +"You will be able to add + modify channels here after you created the network." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:185 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:129 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:354 +#: modules/po/../data/webadmin/tmpl/listusers.tmpl:15 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:72 +msgid "Add" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:187 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:430 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:237 +msgid "Save" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:188 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:228 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:131 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:174 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:176 +msgid "Name" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:189 +msgid "CurModes" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:190 +msgid "DefModes" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:191 +msgid "BufferSize" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:192 +msgid "Options" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:194 +msgid "← Add a channel (opens in same page)" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:204 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:146 +#: modules/po/../data/webadmin/tmpl/listusers.tmpl:27 +msgid "Edit" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:204 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:146 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:53 +msgid "Del" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:222 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:168 +msgid "Modules" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:229 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:175 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:177 +msgid "Arguments" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:230 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:176 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:178 +msgid "Description" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:231 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:177 +msgid "Loaded globally" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:232 +msgid "Loaded by user" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:293 +msgid "Add Network and return" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:294 +msgid "Add Network and continue" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:15 +msgid "Authentication" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:19 +msgid "Username:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:29 +msgid "Please enter a username." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:34 +msgid "Password:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:36 +msgid "Please enter a password." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:39 +msgid "Confirm password:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:41 +msgid "Please re-type the above password." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:44 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:151 +msgid "Auth Only Via Module:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:46 +msgid "" +"Allow user authentication by external modules only, disabling built-in " +"password authentication." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:50 +msgid "Allowed IPs:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:54 +msgid "" +"Leave empty to allow connections from all IPs.
Otherwise, one entry per " +"line, wildcards * and ? are available." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:62 +msgid "IRC Information" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:64 +msgid "" +"Nick, AltNick, Ident, RealName and QuitMsg can be left empty to use default " +"values." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:82 +msgid "The Ident is sent to server as username." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:85 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:102 +msgid "Status Prefix:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:87 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:104 +msgid "The prefix for the status and module queries." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:105 +msgid "DCCBindHost:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:122 +#: modules/po/../data/webadmin/tmpl/listusers.tmpl:17 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:39 +msgid "Networks" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:132 +#: modules/po/../data/webadmin/tmpl/listusers.tmpl:18 +msgid "Clients" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:133 +msgid "Current Server" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:134 +msgid "Nick" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:136 +msgid "← Add a network (opens in same page)" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:160 +msgid "" +"You will be able to add + modify networks here after you have cloned the " +"user." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:162 +msgid "" +"You will be able to add + modify networks here after you have created the " +"user." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:178 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:179 +msgid "Loaded by networks" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:237 +msgid "" +"These are the default modes ZNC will set when you join an empty channel." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:238 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:244 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:263 +msgid "Empty = use standard value" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:243 +msgid "" +"This is the amount of lines that the playback buffer will store for channels " +"before dropping off the oldest line. The buffers are stored in the memory by " +"default." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:251 +msgid "Queries" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:255 +msgid "Max Buffers:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:257 +msgid "Maximum number of query buffers. 0 is unlimited." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:262 +msgid "" +"This is the amount of lines that the playback buffer will store for queries " +"before dropping off the oldest line. The buffers are stored in the memory by " +"default." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:285 +msgid "ZNC Behavior" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:286 +msgid "" +"Any of the following text boxes can be left empty to use their default value." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:290 +msgid "Timestamp Format:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:292 +msgid "" +"The format for the timestamps used in buffers, for example [%H:%M:%S]. This " +"setting is ignored in new IRC clients, which use server-time. If your client " +"supports server-time, change timestamp format in client settings instead." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:295 +msgid "Timezone:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:298 +msgid "E.g. Europe/Berlin, or GMT-6" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:306 +msgid "Character encoding used between IRC client and ZNC." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:307 +msgid "Client encoding:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:312 +msgid "Join Tries:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:314 +msgid "" +"This defines how many times ZNC tries to join a channel, if the first join " +"failed, e.g. due to channel mode +i/+k or if you are banned." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:317 +msgid "Join speed:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:319 +msgid "" +"How many channels are joined in one JOIN command. 0 is unlimited (default). " +"Set to small positive value if you get disconnected with “Max SendQ Exceeded”" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:322 +msgid "Timeout before reconnect:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:324 +msgid "" +"How much time ZNC waits (in seconds) until it receives something from " +"network or declares the connection timeout. This happens after attempts to " +"ping the peer." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:327 +msgid "Max IRC Networks Number:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:329 +msgid "Maximum number of IRC networks allowed for this user." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:332 +msgid "Substitutions" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:334 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:342 +msgid "CTCP Replies:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:338 +msgid "One reply per line. Example: TIME Buy a watch!" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:339 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:355 +msgid "{1} are available" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:341 +msgid "Empty value means this CTCP request will be ignored" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:347 +msgid "Request" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:348 +msgid "Response" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:373 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:90 +msgid "Skin:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:377 +msgid "- Global -" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:379 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:94 +msgid "Default" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:383 +msgid "No other skins found" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:389 +msgid "Language:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:422 +msgid "Clone and return" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:423 +msgid "Clone and continue" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:425 +msgid "Create and return" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:426 +msgid "Create and continue" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:432 +#: modules/po/../data/webadmin/tmpl/listusers.tmpl:28 +msgid "Clone" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:434 +msgid "Create" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/del_network.tmpl:5 +msgid "Confirm Network Deletion" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/del_network.tmpl:9 +msgid "Are you sure you want to delete network “{2}” of user “{1}”?" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/del_network.tmpl:14 +#: modules/po/../data/webadmin/tmpl/del_user.tmpl:14 +msgid "Yes" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/del_network.tmpl:17 +#: modules/po/../data/webadmin/tmpl/del_user.tmpl:17 +msgid "No" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/del_user.tmpl:5 +msgid "Confirm User Deletion" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/del_user.tmpl:9 +msgid "Are you sure you want to delete user “{1}”?" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:6 +msgid "ZNC is compiled without encodings support. {1} is required for it." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:11 +msgid "Legacy mode is disabled by modpython." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:18 +msgid "Don't ensure any encoding at all (legacy mode, not recommended)" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:22 +msgid "Try to parse as UTF-8 and as {1}, send as UTF-8 (recommended)" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:26 +msgid "Try to parse as UTF-8 and as {1}, send as {1}" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:30 +msgid "Parse and send as {1} only" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:36 +msgid "E.g. UTF-8, or ISO-8859-15" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/index.tmpl:5 +msgid "Welcome to the ZNC webadmin module." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/index.tmpl:6 +msgid "" +"All changes you make will be in effect immediately after you submitted them." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/listusers.tmpl:16 +msgid "Username" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/listusers.tmpl:29 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:21 +msgid "Delete" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:6 +msgid "Listen Port(s)" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:14 +msgid "BindHost" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:16 +msgid "IPv4" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:17 +msgid "IPv6" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:18 +msgid "IRC" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:19 +msgid "HTTP" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:20 +msgid "URIPrefix" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:56 +msgid "" +"To delete port which you use to access webadmin itself, either connect to " +"webadmin via another port, or do it in IRC (/znc DelPort)" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:56 +msgid "Current" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:86 +msgid "Settings" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:105 +msgid "Default for new users only." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:110 +msgid "Maximum Buffer Size:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:112 +msgid "Sets the global Max Buffer Size a user can have." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:117 +msgid "Connect Delay:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:119 +msgid "" +"The time between connection attempts to IRC servers, in seconds. This " +"affects the connection between ZNC and the IRC server; not the connection " +"between your IRC client and ZNC." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:124 +msgid "Server Throttle:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:126 +msgid "" +"The minimal time between two connect attempts to the same hostname, in " +"seconds. Some servers refuse your connection if you reconnect too fast." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:131 +msgid "Anonymous Connection Limit per IP:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:133 +msgid "Limits the number of unidentified connections per IP." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:138 +msgid "Protect Web Sessions:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:140 +msgid "Disallow IP changing during each web session" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:145 +msgid "Hide ZNC Version:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:147 +msgid "Hide version number from non-ZNC users" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:153 +msgid "Allow user authentication by external modules only" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:158 +msgid "MOTD:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:162 +msgid "“Message of the Day”, sent to all ZNC users on connect." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:170 +msgid "Global Modules" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:180 +msgid "Loaded by users" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:7 +msgid "Information" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:13 +msgid "Uptime" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:18 +msgid "Total Users" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:22 +msgid "Total Networks" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:26 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:43 +msgid "Attached Networks" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:30 +msgid "Total Client Connections" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:34 +msgid "Total IRC Connections" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:47 +msgid "Client Connections" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:51 +msgid "IRC Connections" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:63 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:72 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:89 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:117 +msgid "Total" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:70 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:115 +msgctxt "Traffic" +msgid "In" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:71 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:116 +msgctxt "Traffic" +msgid "Out" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:77 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:104 +msgid "Users" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:106 +msgid "Traffic" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:113 +msgid "User" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:114 +msgid "Network" +msgstr "" + +#: webadmin.cpp:91 webadmin.cpp:1872 +msgid "Global Settings" +msgstr "" + +#: webadmin.cpp:93 +msgid "Your Settings" +msgstr "" + +#: webadmin.cpp:94 webadmin.cpp:1684 +msgid "Traffic Info" +msgstr "" + +#: webadmin.cpp:97 webadmin.cpp:1663 +msgid "Manage Users" +msgstr "" + +#: webadmin.cpp:188 +msgid "Invalid Submission [Username is required]" +msgstr "" + +#: webadmin.cpp:201 +msgid "Invalid Submission [Passwords do not match]" +msgstr "" + +#: webadmin.cpp:323 +msgid "Timeout can't be less than 30 seconds!" +msgstr "" + +#: webadmin.cpp:407 webadmin.cpp:435 webadmin.cpp:1182 webadmin.cpp:2057 +msgid "Unable to load module [{1}]: {2}" +msgstr "" + +#: webadmin.cpp:412 webadmin.cpp:440 +msgid "Unable to load module [{1}] with arguments [{2}]" +msgstr "" + +#: webadmin.cpp:521 webadmin.cpp:625 webadmin.cpp:650 webadmin.cpp:672 +#: webadmin.cpp:706 webadmin.cpp:1249 +msgid "No such user" +msgstr "" + +#: webadmin.cpp:534 webadmin.cpp:566 webadmin.cpp:595 webadmin.cpp:611 +msgid "No such user or network" +msgstr "" + +#: webadmin.cpp:576 +msgid "No such channel" +msgstr "" + +#: webadmin.cpp:642 +msgid "Please don't delete yourself, suicide is not the answer!" +msgstr "" + +#: webadmin.cpp:715 webadmin.cpp:972 webadmin.cpp:1314 +msgid "Edit User [{1}]" +msgstr "" + +#: webadmin.cpp:719 webadmin.cpp:906 +msgid "Edit Network [{1}]" +msgstr "" + +#: webadmin.cpp:729 +msgid "Edit Channel [{1}] of Network [{2}] of User [{3}]" +msgstr "" + +#: webadmin.cpp:736 +msgid "Edit Channel [{1}]" +msgstr "" + +#: webadmin.cpp:744 +msgid "Add Channel to Network [{1}] of User [{2}]" +msgstr "" + +#: webadmin.cpp:749 +msgid "Add Channel" +msgstr "" + +#: webadmin.cpp:756 webadmin.cpp:1510 +msgid "Auto Clear Chan Buffer" +msgstr "" + +#: webadmin.cpp:758 +msgid "Automatically Clear Channel Buffer After Playback" +msgstr "" + +#: webadmin.cpp:766 +msgid "Detached" +msgstr "" + +#: webadmin.cpp:773 +msgid "Enabled" +msgstr "" + +#: webadmin.cpp:797 +msgid "Channel name is a required argument" +msgstr "" + +#: webadmin.cpp:806 +msgid "Channel [{1}] already exists" +msgstr "" + +#: webadmin.cpp:813 +msgid "Could not add channel [{1}]" +msgstr "" + +#: webadmin.cpp:861 +msgid "Channel was added/modified, but config file was not written" +msgstr "" + +#: webadmin.cpp:888 +msgid "" +"Network number limit reached. Ask an admin to increase the limit for you, or " +"delete unneeded networks from Your Settings." +msgstr "" + +#: webadmin.cpp:903 +msgid "Edit Network [{1}] of User [{2}]" +msgstr "" + +#: webadmin.cpp:910 +msgid "Add Network for User [{1}]" +msgstr "" + +#: webadmin.cpp:911 +msgid "Add Network" +msgstr "" + +#: webadmin.cpp:1073 +msgid "Network name is a required argument" +msgstr "" + +#: webadmin.cpp:1189 webadmin.cpp:2064 +msgid "Unable to reload module [{1}]: {2}" +msgstr "" + +#: webadmin.cpp:1226 +msgid "Network was added/modified, but config file was not written" +msgstr "" + +#: webadmin.cpp:1255 +msgid "That network doesn't exist for this user" +msgstr "" + +#: webadmin.cpp:1272 +msgid "Network was deleted, but config file was not written" +msgstr "" + +#: webadmin.cpp:1286 +msgid "That channel doesn't exist for this network" +msgstr "" + +#: webadmin.cpp:1295 +msgid "Channel was deleted, but config file was not written" +msgstr "" + +#: webadmin.cpp:1323 +msgid "Clone User [{1}]" +msgstr "" + +#: webadmin.cpp:1512 +msgid "" +"Automatically Clear Channel Buffer After Playback (the default value for new " +"channels)" +msgstr "" + +#: webadmin.cpp:1522 +msgid "Multi Clients" +msgstr "" + +#: webadmin.cpp:1529 +msgid "Append Timestamps" +msgstr "" + +#: webadmin.cpp:1536 +msgid "Prepend Timestamps" +msgstr "" + +#: webadmin.cpp:1544 +msgid "Deny LoadMod" +msgstr "" + +#: webadmin.cpp:1551 +msgid "Admin" +msgstr "" + +#: webadmin.cpp:1561 +msgid "Deny SetBindHost" +msgstr "" + +#: webadmin.cpp:1569 +msgid "Auto Clear Query Buffer" +msgstr "" + +#: webadmin.cpp:1571 +msgid "Automatically Clear Query Buffer After Playback" +msgstr "" + +#: webadmin.cpp:1595 +msgid "Invalid Submission: User {1} already exists" +msgstr "" + +#: webadmin.cpp:1617 webadmin.cpp:1628 +msgid "Invalid submission: {1}" +msgstr "" + +#: webadmin.cpp:1623 +msgid "User was added, but config file was not written" +msgstr "" + +#: webadmin.cpp:1634 +msgid "User was edited, but config file was not written" +msgstr "" + +#: webadmin.cpp:1792 +msgid "Choose either IPv4 or IPv6 or both." +msgstr "" + +#: webadmin.cpp:1809 +msgid "Choose either IRC or HTTP or both." +msgstr "" + +#: webadmin.cpp:1822 webadmin.cpp:1858 +msgid "Port was changed, but config file was not written" +msgstr "" + +#: webadmin.cpp:1848 +msgid "Invalid request." +msgstr "" + +#: webadmin.cpp:1862 +msgid "The specified listener was not found." +msgstr "" + +#: webadmin.cpp:2093 +msgid "Settings were changed, but config file was not written" +msgstr "" diff --git a/src/po/znc.it_IT.po b/src/po/znc.it_IT.po new file mode 100644 index 00000000..c8221d8d --- /dev/null +++ b/src/po/znc.it_IT.po @@ -0,0 +1,1726 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: crowdin.com\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Language: it\n" +"X-Crowdin-File: /1.7.x/src/po/znc.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Last-Translator: DarthGandalf\n" +"Language-Team: Italian\n" +"Language: it_IT\n" + +#: webskins/_default_/tmpl/InfoBar.tmpl:6 +msgid "Logged in as: {1}" +msgstr "" + +#: webskins/_default_/tmpl/InfoBar.tmpl:8 +msgid "Not logged in" +msgstr "" + +#: webskins/_default_/tmpl/LoginBar.tmpl:3 +msgid "Logout" +msgstr "" + +#: webskins/_default_/tmpl/Menu.tmpl:4 +msgid "Home" +msgstr "" + +#: webskins/_default_/tmpl/Menu.tmpl:7 +msgid "Global Modules" +msgstr "" + +#: webskins/_default_/tmpl/Menu.tmpl:20 +msgid "User Modules" +msgstr "" + +#: webskins/_default_/tmpl/Menu.tmpl:35 +msgid "Network Modules ({1})" +msgstr "" + +#: webskins/_default_/tmpl/index.tmpl:6 +msgid "Welcome to ZNC's web interface!" +msgstr "" + +#: webskins/_default_/tmpl/index.tmpl:11 +msgid "" +"No Web-enabled modules have been loaded. Load modules from IRC (“/msg " +"*status help” and “/msg *status loadmod <module>”). Once you have loaded some Web-enabled modules, the menu will expand." +msgstr "" + +#: znc.cpp:1563 +msgid "User already exists" +msgstr "" + +#: znc.cpp:1671 +msgid "IPv6 is not enabled" +msgstr "" + +#: znc.cpp:1679 +msgid "SSL is not enabled" +msgstr "" + +#: znc.cpp:1687 +msgid "Unable to locate pem file: {1}" +msgstr "" + +#: znc.cpp:1706 +msgid "Invalid port" +msgstr "" + +#: znc.cpp:1822 ClientCommand.cpp:1629 +msgid "Unable to bind: {1}" +msgstr "" + +#: IRCNetwork.cpp:235 +msgid "Jumping servers because this server is no longer in the list" +msgstr "" + +#: IRCNetwork.cpp:640 User.cpp:678 +msgid "Welcome to ZNC" +msgstr "" + +#: IRCNetwork.cpp:728 +msgid "You are currently disconnected from IRC. Use 'connect' to reconnect." +msgstr "" + +#: IRCNetwork.cpp:758 +msgid "This network is being deleted or moved to another user." +msgstr "" + +#: IRCNetwork.cpp:987 +msgid "The channel {1} could not be joined, disabling it." +msgstr "" + +#: IRCNetwork.cpp:1116 +msgid "Your current server was removed, jumping..." +msgstr "" + +#: IRCNetwork.cpp:1279 +msgid "Cannot connect to {1}, because ZNC is not compiled with SSL support." +msgstr "" + +#: IRCNetwork.cpp:1300 +msgid "Some module aborted the connection attempt" +msgstr "" + +#: IRCSock.cpp:490 +msgid "Error from server: {1}" +msgstr "" + +#: IRCSock.cpp:692 +msgid "ZNC seems to be connected to itself, disconnecting..." +msgstr "" + +#: IRCSock.cpp:739 +msgid "Server {1} redirects us to {2}:{3} with reason: {4}" +msgstr "" + +#: IRCSock.cpp:743 +msgid "Perhaps you want to add it as a new server." +msgstr "" + +#: IRCSock.cpp:973 +msgid "Channel {1} is linked to another channel and was thus disabled." +msgstr "" + +#: IRCSock.cpp:985 +msgid "Switched to SSL (STARTTLS)" +msgstr "" + +#: IRCSock.cpp:1038 +msgid "You quit: {1}" +msgstr "" + +#: IRCSock.cpp:1244 +msgid "Disconnected from IRC. Reconnecting..." +msgstr "" + +#: IRCSock.cpp:1275 +msgid "Cannot connect to IRC ({1}). Retrying..." +msgstr "" + +#: IRCSock.cpp:1278 +msgid "Disconnected from IRC ({1}). Reconnecting..." +msgstr "" + +#: IRCSock.cpp:1308 +msgid "If you trust this certificate, do /znc AddTrustedServerFingerprint {1}" +msgstr "" + +#: IRCSock.cpp:1325 +msgid "IRC connection timed out. Reconnecting..." +msgstr "" + +#: IRCSock.cpp:1337 +msgid "Connection Refused. Reconnecting..." +msgstr "" + +#: IRCSock.cpp:1345 +msgid "Received a too long line from the IRC server!" +msgstr "" + +#: IRCSock.cpp:1449 +msgid "No free nick available" +msgstr "" + +#: IRCSock.cpp:1457 +msgid "No free nick found" +msgstr "" + +#: Client.cpp:74 +msgid "No such module {1}" +msgstr "" + +#: Client.cpp:359 +msgid "A client from {1} attempted to login as you, but was rejected: {2}" +msgstr "" + +#: Client.cpp:394 +msgid "Network {1} doesn't exist." +msgstr "" + +#: Client.cpp:408 +msgid "" +"You have several networks configured, but no network was specified for the " +"connection." +msgstr "" + +#: Client.cpp:411 +msgid "" +"Selecting network {1}. To see list of all configured networks, use /znc " +"ListNetworks" +msgstr "" + +#: Client.cpp:414 +msgid "" +"If you want to choose another network, use /znc JumpNetwork , or " +"connect to ZNC with username {1}/ (instead of just {1})" +msgstr "" + +#: Client.cpp:420 +msgid "" +"You have no networks configured. Use /znc AddNetwork to add one." +msgstr "" + +#: Client.cpp:431 +msgid "Closing link: Timeout" +msgstr "" + +#: Client.cpp:453 +msgid "Closing link: Too long raw line" +msgstr "" + +#: Client.cpp:460 +msgid "" +"You are being disconnected because another user just authenticated as you." +msgstr "" + +#: Client.cpp:1015 +msgid "Your CTCP to {1} got lost, you are not connected to IRC!" +msgstr "" + +#: Client.cpp:1142 +msgid "Your notice to {1} got lost, you are not connected to IRC!" +msgstr "" + +#: Client.cpp:1181 +msgid "Removing channel {1}" +msgstr "" + +#: Client.cpp:1257 +msgid "Your message to {1} got lost, you are not connected to IRC!" +msgstr "" + +#: Client.cpp:1310 Client.cpp:1316 +msgid "Hello. How may I help you?" +msgstr "" + +#: Client.cpp:1330 +msgid "Usage: /attach <#chans>" +msgstr "" + +#: Client.cpp:1337 Client.cpp:1359 ClientCommand.cpp:129 ClientCommand.cpp:151 +msgid "There was {1} channel matching [{2}]" +msgid_plural "There were {1} channels matching [{2}]" +msgstr[0] "" +msgstr[1] "" + +#: Client.cpp:1340 ClientCommand.cpp:132 +msgid "Attached {1} channel" +msgid_plural "Attached {1} channels" +msgstr[0] "" +msgstr[1] "" + +#: Client.cpp:1352 +msgid "Usage: /detach <#chans>" +msgstr "" + +#: Client.cpp:1362 ClientCommand.cpp:154 +msgid "Detached {1} channel" +msgid_plural "Detached {1} channels" +msgstr[0] "" +msgstr[1] "" + +#: Chan.cpp:638 +msgid "Buffer Playback..." +msgstr "" + +#: Chan.cpp:676 +msgid "Playback Complete." +msgstr "" + +#: Modules.cpp:528 +msgctxt "modhelpcmd" +msgid "" +msgstr "" + +#: Modules.cpp:529 +msgctxt "modhelpcmd" +msgid "Generate this output" +msgstr "" + +#: Modules.cpp:573 ClientCommand.cpp:1894 +msgid "No matches for '{1}'" +msgstr "" + +#: Modules.cpp:691 +msgid "This module doesn't implement any commands." +msgstr "" + +#: Modules.cpp:693 +msgid "Unknown command!" +msgstr "" + +#: Modules.cpp:1633 +msgid "" +"Module names can only contain letters, numbers and underscores, [{1}] is " +"invalid" +msgstr "" + +#: Modules.cpp:1652 +msgid "Module {1} already loaded." +msgstr "" + +#: Modules.cpp:1666 +msgid "Unable to find module {1}" +msgstr "" + +#: Modules.cpp:1678 +msgid "Module {1} does not support module type {2}." +msgstr "" + +#: Modules.cpp:1685 +msgid "Module {1} requires a user." +msgstr "" + +#: Modules.cpp:1691 +msgid "Module {1} requires a network." +msgstr "" + +#: Modules.cpp:1707 +msgid "Caught an exception" +msgstr "" + +#: Modules.cpp:1713 +msgid "Module {1} aborted: {2}" +msgstr "" + +#: Modules.cpp:1715 +msgid "Module {1} aborted." +msgstr "" + +#: Modules.cpp:1739 Modules.cpp:1781 +msgid "Module [{1}] not loaded." +msgstr "" + +#: Modules.cpp:1763 +msgid "Module {1} unloaded." +msgstr "" + +#: Modules.cpp:1768 +msgid "Unable to unload module {1}." +msgstr "" + +#: Modules.cpp:1797 +msgid "Reloaded module {1}." +msgstr "" + +#: Modules.cpp:1816 +msgid "Unable to find module {1}." +msgstr "" + +#: Modules.cpp:1963 +msgid "Unknown error" +msgstr "" + +#: Modules.cpp:1964 +msgid "Unable to open module {1}: {2}" +msgstr "" + +#: Modules.cpp:1973 +msgid "Could not find ZNCModuleEntry in module {1}" +msgstr "" + +#: Modules.cpp:1981 +msgid "" +"Version mismatch for module {1}: core is {2}, module is built for {3}. " +"Recompile this module." +msgstr "" + +#: Modules.cpp:1992 +msgid "" +"Module {1} is built incompatibly: core is '{2}', module is '{3}'. Recompile " +"this module." +msgstr "" + +#: Modules.cpp:2022 Modules.cpp:2028 +msgctxt "modhelpcmd" +msgid "Command" +msgstr "" + +#: Modules.cpp:2023 Modules.cpp:2029 +msgctxt "modhelpcmd" +msgid "Description" +msgstr "" + +#: ClientCommand.cpp:51 ClientCommand.cpp:115 ClientCommand.cpp:137 +#: ClientCommand.cpp:749 ClientCommand.cpp:768 ClientCommand.cpp:794 +#: ClientCommand.cpp:827 ClientCommand.cpp:840 ClientCommand.cpp:853 +#: ClientCommand.cpp:868 ClientCommand.cpp:1321 ClientCommand.cpp:1369 +#: ClientCommand.cpp:1401 ClientCommand.cpp:1412 ClientCommand.cpp:1421 +#: ClientCommand.cpp:1433 +msgid "You must be connected with a network to use this command" +msgstr "" + +#: ClientCommand.cpp:58 +msgid "Usage: ListNicks <#chan>" +msgstr "" + +#: ClientCommand.cpp:65 +msgid "You are not on [{1}]" +msgstr "" + +#: ClientCommand.cpp:70 +msgid "You are not on [{1}] (trying)" +msgstr "" + +#: ClientCommand.cpp:79 +msgid "No nicks on [{1}]" +msgstr "" + +#: ClientCommand.cpp:91 ClientCommand.cpp:106 +msgid "Nick" +msgstr "" + +#: ClientCommand.cpp:92 ClientCommand.cpp:107 +msgid "Ident" +msgstr "" + +#: ClientCommand.cpp:93 ClientCommand.cpp:108 +msgid "Host" +msgstr "" + +#: ClientCommand.cpp:122 +msgid "Usage: Attach <#chans>" +msgstr "" + +#: ClientCommand.cpp:144 +msgid "Usage: Detach <#chans>" +msgstr "" + +#: ClientCommand.cpp:161 +msgid "There is no MOTD set." +msgstr "" + +#: ClientCommand.cpp:167 +msgid "Rehashing succeeded!" +msgstr "" + +#: ClientCommand.cpp:169 +msgid "Rehashing failed: {1}" +msgstr "" + +#: ClientCommand.cpp:173 +msgid "Wrote config to {1}" +msgstr "" + +#: ClientCommand.cpp:175 +msgid "Error while trying to write config." +msgstr "" + +#: ClientCommand.cpp:455 +msgid "Usage: ListChans" +msgstr "" + +#: ClientCommand.cpp:462 +msgid "No such user [{1}]" +msgstr "" + +#: ClientCommand.cpp:468 +msgid "User [{1}] doesn't have network [{2}]" +msgstr "" + +#: ClientCommand.cpp:479 +msgid "There are no channels defined." +msgstr "" + +#: ClientCommand.cpp:484 ClientCommand.cpp:500 +msgctxt "listchans" +msgid "Name" +msgstr "" + +#: ClientCommand.cpp:485 ClientCommand.cpp:503 +msgctxt "listchans" +msgid "Status" +msgstr "" + +#: ClientCommand.cpp:486 ClientCommand.cpp:510 +msgctxt "listchans" +msgid "In config" +msgstr "" + +#: ClientCommand.cpp:487 ClientCommand.cpp:512 +msgctxt "listchans" +msgid "Buffer" +msgstr "" + +#: ClientCommand.cpp:488 ClientCommand.cpp:516 +msgctxt "listchans" +msgid "Clear" +msgstr "" + +#: ClientCommand.cpp:489 ClientCommand.cpp:521 +msgctxt "listchans" +msgid "Modes" +msgstr "" + +#: ClientCommand.cpp:490 ClientCommand.cpp:522 +msgctxt "listchans" +msgid "Users" +msgstr "" + +#: ClientCommand.cpp:505 +msgctxt "listchans" +msgid "Detached" +msgstr "" + +#: ClientCommand.cpp:506 +msgctxt "listchans" +msgid "Joined" +msgstr "" + +#: ClientCommand.cpp:507 +msgctxt "listchans" +msgid "Disabled" +msgstr "" + +#: ClientCommand.cpp:508 +msgctxt "listchans" +msgid "Trying" +msgstr "" + +#: ClientCommand.cpp:511 ClientCommand.cpp:519 +msgctxt "listchans" +msgid "yes" +msgstr "" + +#: ClientCommand.cpp:536 +msgid "Total: {1}, Joined: {2}, Detached: {3}, Disabled: {4}" +msgstr "" + +#: ClientCommand.cpp:541 +msgid "" +"Network number limit reached. Ask an admin to increase the limit for you, or " +"delete unneeded networks using /znc DelNetwork " +msgstr "" + +#: ClientCommand.cpp:550 +msgid "Usage: AddNetwork " +msgstr "" + +#: ClientCommand.cpp:554 +msgid "Network name should be alphanumeric" +msgstr "" + +#: ClientCommand.cpp:561 +msgid "" +"Network added. Use /znc JumpNetwork {1}, or connect to ZNC with username {2} " +"(instead of just {3}) to connect to it." +msgstr "" + +#: ClientCommand.cpp:566 +msgid "Unable to add that network" +msgstr "" + +#: ClientCommand.cpp:573 +msgid "Usage: DelNetwork " +msgstr "" + +#: ClientCommand.cpp:582 +msgid "Network deleted" +msgstr "" + +#: ClientCommand.cpp:585 +msgid "Failed to delete network, perhaps this network doesn't exist" +msgstr "" + +#: ClientCommand.cpp:595 +msgid "User {1} not found" +msgstr "" + +#: ClientCommand.cpp:603 ClientCommand.cpp:611 +msgctxt "listnetworks" +msgid "Network" +msgstr "" + +#: ClientCommand.cpp:604 ClientCommand.cpp:613 ClientCommand.cpp:622 +msgctxt "listnetworks" +msgid "On IRC" +msgstr "" + +#: ClientCommand.cpp:605 ClientCommand.cpp:615 +msgctxt "listnetworks" +msgid "IRC Server" +msgstr "" + +#: ClientCommand.cpp:606 ClientCommand.cpp:617 +msgctxt "listnetworks" +msgid "IRC User" +msgstr "" + +#: ClientCommand.cpp:607 ClientCommand.cpp:619 +msgctxt "listnetworks" +msgid "Channels" +msgstr "" + +#: ClientCommand.cpp:614 +msgctxt "listnetworks" +msgid "Yes" +msgstr "" + +#: ClientCommand.cpp:623 +msgctxt "listnetworks" +msgid "No" +msgstr "" + +#: ClientCommand.cpp:628 +msgctxt "listnetworks" +msgid "No networks" +msgstr "" + +#: ClientCommand.cpp:632 ClientCommand.cpp:932 +msgid "Access denied." +msgstr "" + +#: ClientCommand.cpp:643 +msgid "Usage: MoveNetwork [new network]" +msgstr "" + +#: ClientCommand.cpp:653 +msgid "Old user {1} not found." +msgstr "" + +#: ClientCommand.cpp:659 +msgid "Old network {1} not found." +msgstr "" + +#: ClientCommand.cpp:665 +msgid "New user {1} not found." +msgstr "" + +#: ClientCommand.cpp:670 +msgid "User {1} already has network {2}." +msgstr "" + +#: ClientCommand.cpp:676 +msgid "Invalid network name [{1}]" +msgstr "" + +#: ClientCommand.cpp:692 +msgid "Some files seem to be in {1}. You might want to move them to {2}" +msgstr "" + +#: ClientCommand.cpp:706 +msgid "Error adding network: {1}" +msgstr "" + +#: ClientCommand.cpp:718 +msgid "Success." +msgstr "" + +#: ClientCommand.cpp:721 +msgid "Copied the network to new user, but failed to delete old network" +msgstr "" + +#: ClientCommand.cpp:728 +msgid "No network supplied." +msgstr "" + +#: ClientCommand.cpp:733 +msgid "You are already connected with this network." +msgstr "" + +#: ClientCommand.cpp:739 +msgid "Switched to {1}" +msgstr "" + +#: ClientCommand.cpp:742 +msgid "You don't have a network named {1}" +msgstr "" + +#: ClientCommand.cpp:754 +msgid "Usage: AddServer [[+]port] [pass]" +msgstr "" + +#: ClientCommand.cpp:759 +msgid "Server added" +msgstr "" + +#: ClientCommand.cpp:762 +msgid "" +"Unable to add that server. Perhaps the server is already added or openssl is " +"disabled?" +msgstr "" + +#: ClientCommand.cpp:777 +msgid "Usage: DelServer [port] [pass]" +msgstr "" + +#: ClientCommand.cpp:782 ClientCommand.cpp:822 +msgid "You don't have any servers added." +msgstr "" + +#: ClientCommand.cpp:787 +msgid "Server removed" +msgstr "" + +#: ClientCommand.cpp:789 +msgid "No such server" +msgstr "" + +#: ClientCommand.cpp:802 ClientCommand.cpp:809 +msgctxt "listservers" +msgid "Host" +msgstr "" + +#: ClientCommand.cpp:803 ClientCommand.cpp:811 +msgctxt "listservers" +msgid "Port" +msgstr "" + +#: ClientCommand.cpp:804 ClientCommand.cpp:814 +msgctxt "listservers" +msgid "SSL" +msgstr "" + +#: ClientCommand.cpp:805 ClientCommand.cpp:816 +msgctxt "listservers" +msgid "Password" +msgstr "" + +#: ClientCommand.cpp:815 +msgctxt "listservers|cell" +msgid "SSL" +msgstr "" + +#: ClientCommand.cpp:832 +msgid "Usage: AddTrustedServerFingerprint " +msgstr "" + +#: ClientCommand.cpp:836 ClientCommand.cpp:849 +msgid "Done." +msgstr "" + +#: ClientCommand.cpp:845 +msgid "Usage: DelTrustedServerFingerprint " +msgstr "" + +#: ClientCommand.cpp:858 +msgid "No fingerprints added." +msgstr "" + +#: ClientCommand.cpp:874 ClientCommand.cpp:880 +msgctxt "topicscmd" +msgid "Channel" +msgstr "" + +#: ClientCommand.cpp:875 ClientCommand.cpp:881 +msgctxt "topicscmd" +msgid "Set By" +msgstr "" + +#: ClientCommand.cpp:876 ClientCommand.cpp:882 +msgctxt "topicscmd" +msgid "Topic" +msgstr "" + +#: ClientCommand.cpp:889 ClientCommand.cpp:893 +msgctxt "listmods" +msgid "Name" +msgstr "" + +#: ClientCommand.cpp:890 ClientCommand.cpp:894 +msgctxt "listmods" +msgid "Arguments" +msgstr "" + +#: ClientCommand.cpp:902 +msgid "No global modules loaded." +msgstr "" + +#: ClientCommand.cpp:904 ClientCommand.cpp:964 +msgid "Global modules:" +msgstr "" + +#: ClientCommand.cpp:912 +msgid "Your user has no modules loaded." +msgstr "" + +#: ClientCommand.cpp:914 ClientCommand.cpp:975 +msgid "User modules:" +msgstr "" + +#: ClientCommand.cpp:921 +msgid "This network has no modules loaded." +msgstr "" + +#: ClientCommand.cpp:923 ClientCommand.cpp:986 +msgid "Network modules:" +msgstr "" + +#: ClientCommand.cpp:938 ClientCommand.cpp:944 +msgctxt "listavailmods" +msgid "Name" +msgstr "" + +#: ClientCommand.cpp:939 ClientCommand.cpp:949 +msgctxt "listavailmods" +msgid "Description" +msgstr "" + +#: ClientCommand.cpp:962 +msgid "No global modules available." +msgstr "" + +#: ClientCommand.cpp:973 +msgid "No user modules available." +msgstr "" + +#: ClientCommand.cpp:984 +msgid "No network modules available." +msgstr "" + +#: ClientCommand.cpp:1012 +msgid "Unable to load {1}: Access denied." +msgstr "" + +#: ClientCommand.cpp:1018 +msgid "Usage: LoadMod [--type=global|user|network] [args]" +msgstr "" + +#: ClientCommand.cpp:1025 +msgid "Unable to load {1}: {2}" +msgstr "" + +#: ClientCommand.cpp:1035 +msgid "Unable to load global module {1}: Access denied." +msgstr "" + +#: ClientCommand.cpp:1041 +msgid "Unable to load network module {1}: Not connected with a network." +msgstr "" + +#: ClientCommand.cpp:1063 +msgid "Unknown module type" +msgstr "" + +#: ClientCommand.cpp:1068 +msgid "Loaded module {1}" +msgstr "" + +#: ClientCommand.cpp:1070 +msgid "Loaded module {1}: {2}" +msgstr "" + +#: ClientCommand.cpp:1073 +msgid "Unable to load module {1}: {2}" +msgstr "" + +#: ClientCommand.cpp:1096 +msgid "Unable to unload {1}: Access denied." +msgstr "" + +#: ClientCommand.cpp:1102 +msgid "Usage: UnloadMod [--type=global|user|network] " +msgstr "" + +#: ClientCommand.cpp:1111 +msgid "Unable to determine type of {1}: {2}" +msgstr "" + +#: ClientCommand.cpp:1119 +msgid "Unable to unload global module {1}: Access denied." +msgstr "" + +#: ClientCommand.cpp:1126 +msgid "Unable to unload network module {1}: Not connected with a network." +msgstr "" + +#: ClientCommand.cpp:1145 +msgid "Unable to unload module {1}: Unknown module type" +msgstr "" + +#: ClientCommand.cpp:1158 +msgid "Unable to reload modules. Access denied." +msgstr "" + +#: ClientCommand.cpp:1179 +msgid "Usage: ReloadMod [--type=global|user|network] [args]" +msgstr "" + +#: ClientCommand.cpp:1188 +msgid "Unable to reload {1}: {2}" +msgstr "" + +#: ClientCommand.cpp:1196 +msgid "Unable to reload global module {1}: Access denied." +msgstr "" + +#: ClientCommand.cpp:1203 +msgid "Unable to reload network module {1}: Not connected with a network." +msgstr "" + +#: ClientCommand.cpp:1225 +msgid "Unable to reload module {1}: Unknown module type" +msgstr "" + +#: ClientCommand.cpp:1236 +msgid "Usage: UpdateMod " +msgstr "" + +#: ClientCommand.cpp:1240 +msgid "Reloading {1} everywhere" +msgstr "" + +#: ClientCommand.cpp:1242 +msgid "Done" +msgstr "" + +#: ClientCommand.cpp:1245 +msgid "" +"Done, but there were errors, module {1} could not be reloaded everywhere." +msgstr "" + +#: ClientCommand.cpp:1253 +msgid "" +"You must be connected with a network to use this command. Try " +"SetUserBindHost instead" +msgstr "" + +#: ClientCommand.cpp:1260 +msgid "Usage: SetBindHost " +msgstr "" + +#: ClientCommand.cpp:1265 ClientCommand.cpp:1282 +msgid "You already have this bind host!" +msgstr "" + +#: ClientCommand.cpp:1270 +msgid "Set bind host for network {1} to {2}" +msgstr "" + +#: ClientCommand.cpp:1277 +msgid "Usage: SetUserBindHost " +msgstr "" + +#: ClientCommand.cpp:1287 +msgid "Set default bind host to {1}" +msgstr "" + +#: ClientCommand.cpp:1293 +msgid "" +"You must be connected with a network to use this command. Try " +"ClearUserBindHost instead" +msgstr "" + +#: ClientCommand.cpp:1298 +msgid "Bind host cleared for this network." +msgstr "" + +#: ClientCommand.cpp:1302 +msgid "Default bind host cleared for your user." +msgstr "" + +#: ClientCommand.cpp:1305 +msgid "This user's default bind host not set" +msgstr "" + +#: ClientCommand.cpp:1307 +msgid "This user's default bind host is {1}" +msgstr "" + +#: ClientCommand.cpp:1312 +msgid "This network's bind host not set" +msgstr "" + +#: ClientCommand.cpp:1314 +msgid "This network's default bind host is {1}" +msgstr "" + +#: ClientCommand.cpp:1328 +msgid "Usage: PlayBuffer <#chan|query>" +msgstr "" + +#: ClientCommand.cpp:1336 +msgid "You are not on {1}" +msgstr "" + +#: ClientCommand.cpp:1341 +msgid "You are not on {1} (trying to join)" +msgstr "" + +#: ClientCommand.cpp:1346 +msgid "The buffer for channel {1} is empty" +msgstr "" + +#: ClientCommand.cpp:1355 +msgid "No active query with {1}" +msgstr "" + +#: ClientCommand.cpp:1360 +msgid "The buffer for {1} is empty" +msgstr "" + +#: ClientCommand.cpp:1376 +msgid "Usage: ClearBuffer <#chan|query>" +msgstr "" + +#: ClientCommand.cpp:1395 +msgid "{1} buffer matching {2} has been cleared" +msgid_plural "{1} buffers matching {2} have been cleared" +msgstr[0] "" +msgstr[1] "" + +#: ClientCommand.cpp:1408 +msgid "All channel buffers have been cleared" +msgstr "" + +#: ClientCommand.cpp:1417 +msgid "All query buffers have been cleared" +msgstr "" + +#: ClientCommand.cpp:1429 +msgid "All buffers have been cleared" +msgstr "" + +#: ClientCommand.cpp:1440 +msgid "Usage: SetBuffer <#chan|query> [linecount]" +msgstr "" + +#: ClientCommand.cpp:1461 +msgid "Setting buffer size failed for {1} buffer" +msgid_plural "Setting buffer size failed for {1} buffers" +msgstr[0] "" +msgstr[1] "" + +#: ClientCommand.cpp:1464 +msgid "Maximum buffer size is {1} line" +msgid_plural "Maximum buffer size is {1} lines" +msgstr[0] "" +msgstr[1] "" + +#: ClientCommand.cpp:1469 +msgid "Size of every buffer was set to {1} line" +msgid_plural "Size of every buffer was set to {1} lines" +msgstr[0] "" +msgstr[1] "" + +#: ClientCommand.cpp:1479 ClientCommand.cpp:1486 ClientCommand.cpp:1497 +#: ClientCommand.cpp:1506 ClientCommand.cpp:1514 +msgctxt "trafficcmd" +msgid "Username" +msgstr "" + +#: ClientCommand.cpp:1480 ClientCommand.cpp:1487 ClientCommand.cpp:1499 +#: ClientCommand.cpp:1508 ClientCommand.cpp:1516 +msgctxt "trafficcmd" +msgid "In" +msgstr "" + +#: ClientCommand.cpp:1481 ClientCommand.cpp:1489 ClientCommand.cpp:1500 +#: ClientCommand.cpp:1509 ClientCommand.cpp:1517 +msgctxt "trafficcmd" +msgid "Out" +msgstr "" + +#: ClientCommand.cpp:1482 ClientCommand.cpp:1492 ClientCommand.cpp:1502 +#: ClientCommand.cpp:1510 ClientCommand.cpp:1519 +msgctxt "trafficcmd" +msgid "Total" +msgstr "" + +#: ClientCommand.cpp:1498 +msgctxt "trafficcmd" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1507 +msgctxt "trafficcmd" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1515 +msgctxt "trafficcmd" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1524 +msgid "Running for {1}" +msgstr "" + +#: ClientCommand.cpp:1530 +msgid "Unknown command, try 'Help'" +msgstr "" + +#: ClientCommand.cpp:1539 ClientCommand.cpp:1550 +msgctxt "listports" +msgid "Port" +msgstr "" + +#: ClientCommand.cpp:1540 ClientCommand.cpp:1551 +msgctxt "listports" +msgid "BindHost" +msgstr "" + +#: ClientCommand.cpp:1541 ClientCommand.cpp:1554 +msgctxt "listports" +msgid "SSL" +msgstr "" + +#: ClientCommand.cpp:1542 ClientCommand.cpp:1559 +msgctxt "listports" +msgid "Protocol" +msgstr "" + +#: ClientCommand.cpp:1543 ClientCommand.cpp:1566 +msgctxt "listports" +msgid "IRC" +msgstr "" + +#: ClientCommand.cpp:1544 ClientCommand.cpp:1571 +msgctxt "listports" +msgid "Web" +msgstr "" + +#: ClientCommand.cpp:1555 +msgctxt "listports|ssl" +msgid "yes" +msgstr "" + +#: ClientCommand.cpp:1556 +msgctxt "listports|ssl" +msgid "no" +msgstr "" + +#: ClientCommand.cpp:1560 +msgctxt "listports" +msgid "IPv4 and IPv6" +msgstr "" + +#: ClientCommand.cpp:1562 +msgctxt "listports" +msgid "IPv4" +msgstr "" + +#: ClientCommand.cpp:1563 +msgctxt "listports" +msgid "IPv6" +msgstr "" + +#: ClientCommand.cpp:1569 +msgctxt "listports|irc" +msgid "yes" +msgstr "" + +#: ClientCommand.cpp:1570 +msgctxt "listports|irc" +msgid "no" +msgstr "" + +#: ClientCommand.cpp:1574 +msgctxt "listports|irc" +msgid "yes, on {1}" +msgstr "" + +#: ClientCommand.cpp:1576 +msgctxt "listports|web" +msgid "no" +msgstr "" + +#: ClientCommand.cpp:1616 +msgid "" +"Usage: AddPort <[+]port> [bindhost [uriprefix]]" +msgstr "" + +#: ClientCommand.cpp:1632 +msgid "Port added" +msgstr "" + +#: ClientCommand.cpp:1634 +msgid "Couldn't add port" +msgstr "" + +#: ClientCommand.cpp:1640 +msgid "Usage: DelPort [bindhost]" +msgstr "" + +#: ClientCommand.cpp:1649 +msgid "Deleted Port" +msgstr "" + +#: ClientCommand.cpp:1651 +msgid "Unable to find a matching port" +msgstr "" + +#: ClientCommand.cpp:1659 ClientCommand.cpp:1673 +msgctxt "helpcmd" +msgid "Command" +msgstr "" + +#: ClientCommand.cpp:1660 ClientCommand.cpp:1674 +msgctxt "helpcmd" +msgid "Description" +msgstr "" + +#: ClientCommand.cpp:1664 +msgid "" +"In the following list all occurrences of <#chan> support wildcards (* and ?) " +"except ListNicks" +msgstr "" + +#: ClientCommand.cpp:1680 +msgctxt "helpcmd|Version|desc" +msgid "Print which version of ZNC this is" +msgstr "" + +#: ClientCommand.cpp:1683 +msgctxt "helpcmd|ListMods|desc" +msgid "List all loaded modules" +msgstr "" + +#: ClientCommand.cpp:1686 +msgctxt "helpcmd|ListAvailMods|desc" +msgid "List all available modules" +msgstr "" + +#: ClientCommand.cpp:1690 ClientCommand.cpp:1876 +msgctxt "helpcmd|ListChans|desc" +msgid "List all channels" +msgstr "" + +#: ClientCommand.cpp:1693 +msgctxt "helpcmd|ListNicks|args" +msgid "<#chan>" +msgstr "" + +#: ClientCommand.cpp:1694 +msgctxt "helpcmd|ListNicks|desc" +msgid "List all nicks on a channel" +msgstr "" + +#: ClientCommand.cpp:1697 +msgctxt "helpcmd|ListClients|desc" +msgid "List all clients connected to your ZNC user" +msgstr "" + +#: ClientCommand.cpp:1701 +msgctxt "helpcmd|ListServers|desc" +msgid "List all servers of current IRC network" +msgstr "" + +#: ClientCommand.cpp:1705 +msgctxt "helpcmd|AddNetwork|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1706 +msgctxt "helpcmd|AddNetwork|desc" +msgid "Add a network to your user" +msgstr "" + +#: ClientCommand.cpp:1708 +msgctxt "helpcmd|DelNetwork|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1709 +msgctxt "helpcmd|DelNetwork|desc" +msgid "Delete a network from your user" +msgstr "" + +#: ClientCommand.cpp:1711 +msgctxt "helpcmd|ListNetworks|desc" +msgid "List all networks" +msgstr "" + +#: ClientCommand.cpp:1714 +msgctxt "helpcmd|MoveNetwork|args" +msgid " [new network]" +msgstr "" + +#: ClientCommand.cpp:1716 +msgctxt "helpcmd|MoveNetwork|desc" +msgid "Move an IRC network from one user to another" +msgstr "" + +#: ClientCommand.cpp:1720 +msgctxt "helpcmd|JumpNetwork|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1721 +msgctxt "helpcmd|JumpNetwork|desc" +msgid "" +"Jump to another network (Alternatively, you can connect to ZNC several " +"times, using `user/network` as username)" +msgstr "" + +#: ClientCommand.cpp:1726 +msgctxt "helpcmd|AddServer|args" +msgid " [[+]port] [pass]" +msgstr "" + +#: ClientCommand.cpp:1727 +msgctxt "helpcmd|AddServer|desc" +msgid "" +"Add a server to the list of alternate/backup servers of current IRC network." +msgstr "" + +#: ClientCommand.cpp:1731 +msgctxt "helpcmd|DelServer|args" +msgid " [port] [pass]" +msgstr "" + +#: ClientCommand.cpp:1732 +msgctxt "helpcmd|DelServer|desc" +msgid "" +"Remove a server from the list of alternate/backup servers of current IRC " +"network" +msgstr "" + +#: ClientCommand.cpp:1738 +msgctxt "helpcmd|AddTrustedServerFingerprint|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1739 +msgctxt "helpcmd|AddTrustedServerFingerprint|desc" +msgid "" +"Add a trusted server SSL certificate fingerprint (SHA-256) to current IRC " +"network." +msgstr "" + +#: ClientCommand.cpp:1744 +msgctxt "helpcmd|DelTrustedServerFingerprint|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1745 +msgctxt "helpcmd|DelTrustedServerFingerprint|desc" +msgid "Delete a trusted server SSL certificate from current IRC network." +msgstr "" + +#: ClientCommand.cpp:1749 +msgctxt "helpcmd|ListTrustedServerFingerprints|desc" +msgid "List all trusted server SSL certificates of current IRC network." +msgstr "" + +#: ClientCommand.cpp:1752 +msgctxt "helpcmd|EnableChan|args" +msgid "<#chans>" +msgstr "" + +#: ClientCommand.cpp:1753 +msgctxt "helpcmd|EnableChan|desc" +msgid "Enable channels" +msgstr "" + +#: ClientCommand.cpp:1754 +msgctxt "helpcmd|DisableChan|args" +msgid "<#chans>" +msgstr "" + +#: ClientCommand.cpp:1755 +msgctxt "helpcmd|DisableChan|desc" +msgid "Disable channels" +msgstr "" + +#: ClientCommand.cpp:1756 +msgctxt "helpcmd|Attach|args" +msgid "<#chans>" +msgstr "" + +#: ClientCommand.cpp:1757 +msgctxt "helpcmd|Attach|desc" +msgid "Attach to channels" +msgstr "" + +#: ClientCommand.cpp:1758 +msgctxt "helpcmd|Detach|args" +msgid "<#chans>" +msgstr "" + +#: ClientCommand.cpp:1759 +msgctxt "helpcmd|Detach|desc" +msgid "Detach from channels" +msgstr "" + +#: ClientCommand.cpp:1762 +msgctxt "helpcmd|Topics|desc" +msgid "Show topics in all your channels" +msgstr "" + +#: ClientCommand.cpp:1765 +msgctxt "helpcmd|PlayBuffer|args" +msgid "<#chan|query>" +msgstr "" + +#: ClientCommand.cpp:1766 +msgctxt "helpcmd|PlayBuffer|desc" +msgid "Play back the specified buffer" +msgstr "" + +#: ClientCommand.cpp:1768 +msgctxt "helpcmd|ClearBuffer|args" +msgid "<#chan|query>" +msgstr "" + +#: ClientCommand.cpp:1769 +msgctxt "helpcmd|ClearBuffer|desc" +msgid "Clear the specified buffer" +msgstr "" + +#: ClientCommand.cpp:1771 +msgctxt "helpcmd|ClearAllBuffers|desc" +msgid "Clear all channel and query buffers" +msgstr "" + +#: ClientCommand.cpp:1774 +msgctxt "helpcmd|ClearAllChannelBuffers|desc" +msgid "Clear the channel buffers" +msgstr "" + +#: ClientCommand.cpp:1778 +msgctxt "helpcmd|ClearAllQueryBuffers|desc" +msgid "Clear the query buffers" +msgstr "" + +#: ClientCommand.cpp:1780 +msgctxt "helpcmd|SetBuffer|args" +msgid "<#chan|query> [linecount]" +msgstr "" + +#: ClientCommand.cpp:1781 +msgctxt "helpcmd|SetBuffer|desc" +msgid "Set the buffer count" +msgstr "" + +#: ClientCommand.cpp:1785 +msgctxt "helpcmd|SetBindHost|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1786 +msgctxt "helpcmd|SetBindHost|desc" +msgid "Set the bind host for this network" +msgstr "" + +#: ClientCommand.cpp:1790 +msgctxt "helpcmd|SetUserBindHost|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1791 +msgctxt "helpcmd|SetUserBindHost|desc" +msgid "Set the default bind host for this user" +msgstr "" + +#: ClientCommand.cpp:1794 +msgctxt "helpcmd|ClearBindHost|desc" +msgid "Clear the bind host for this network" +msgstr "" + +#: ClientCommand.cpp:1797 +msgctxt "helpcmd|ClearUserBindHost|desc" +msgid "Clear the default bind host for this user" +msgstr "" + +#: ClientCommand.cpp:1803 +msgctxt "helpcmd|ShowBindHost|desc" +msgid "Show currently selected bind host" +msgstr "" + +#: ClientCommand.cpp:1805 +msgctxt "helpcmd|Jump|args" +msgid "[server]" +msgstr "" + +#: ClientCommand.cpp:1806 +msgctxt "helpcmd|Jump|desc" +msgid "Jump to the next or the specified server" +msgstr "" + +#: ClientCommand.cpp:1807 +msgctxt "helpcmd|Disconnect|args" +msgid "[message]" +msgstr "" + +#: ClientCommand.cpp:1808 +msgctxt "helpcmd|Disconnect|desc" +msgid "Disconnect from IRC" +msgstr "" + +#: ClientCommand.cpp:1810 +msgctxt "helpcmd|Connect|desc" +msgid "Reconnect to IRC" +msgstr "" + +#: ClientCommand.cpp:1813 +msgctxt "helpcmd|Uptime|desc" +msgid "Show for how long ZNC has been running" +msgstr "" + +#: ClientCommand.cpp:1817 +msgctxt "helpcmd|LoadMod|args" +msgid "[--type=global|user|network] " +msgstr "" + +#: ClientCommand.cpp:1819 +msgctxt "helpcmd|LoadMod|desc" +msgid "Load a module" +msgstr "" + +#: ClientCommand.cpp:1821 +msgctxt "helpcmd|UnloadMod|args" +msgid "[--type=global|user|network] " +msgstr "" + +#: ClientCommand.cpp:1823 +msgctxt "helpcmd|UnloadMod|desc" +msgid "Unload a module" +msgstr "" + +#: ClientCommand.cpp:1825 +msgctxt "helpcmd|ReloadMod|args" +msgid "[--type=global|user|network] " +msgstr "" + +#: ClientCommand.cpp:1827 +msgctxt "helpcmd|ReloadMod|desc" +msgid "Reload a module" +msgstr "" + +#: ClientCommand.cpp:1830 +msgctxt "helpcmd|UpdateMod|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1831 +msgctxt "helpcmd|UpdateMod|desc" +msgid "Reload a module everywhere" +msgstr "" + +#: ClientCommand.cpp:1837 +msgctxt "helpcmd|ShowMOTD|desc" +msgid "Show ZNC's message of the day" +msgstr "" + +#: ClientCommand.cpp:1841 +msgctxt "helpcmd|SetMOTD|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1842 +msgctxt "helpcmd|SetMOTD|desc" +msgid "Set ZNC's message of the day" +msgstr "" + +#: ClientCommand.cpp:1844 +msgctxt "helpcmd|AddMOTD|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1845 +msgctxt "helpcmd|AddMOTD|desc" +msgid "Append to ZNC's MOTD" +msgstr "" + +#: ClientCommand.cpp:1847 +msgctxt "helpcmd|ClearMOTD|desc" +msgid "Clear ZNC's MOTD" +msgstr "" + +#: ClientCommand.cpp:1850 +msgctxt "helpcmd|ListPorts|desc" +msgid "Show all active listeners" +msgstr "" + +#: ClientCommand.cpp:1852 +msgctxt "helpcmd|AddPort|args" +msgid "<[+]port> [bindhost [uriprefix]]" +msgstr "" + +#: ClientCommand.cpp:1855 +msgctxt "helpcmd|AddPort|desc" +msgid "Add another port for ZNC to listen on" +msgstr "" + +#: ClientCommand.cpp:1859 +msgctxt "helpcmd|DelPort|args" +msgid " [bindhost]" +msgstr "" + +#: ClientCommand.cpp:1860 +msgctxt "helpcmd|DelPort|desc" +msgid "Remove a port from ZNC" +msgstr "" + +#: ClientCommand.cpp:1863 +msgctxt "helpcmd|Rehash|desc" +msgid "Reload global settings, modules, and listeners from znc.conf" +msgstr "" + +#: ClientCommand.cpp:1866 +msgctxt "helpcmd|SaveConfig|desc" +msgid "Save the current settings to disk" +msgstr "" + +#: ClientCommand.cpp:1869 +msgctxt "helpcmd|ListUsers|desc" +msgid "List all ZNC users and their connection status" +msgstr "" + +#: ClientCommand.cpp:1872 +msgctxt "helpcmd|ListAllUserNetworks|desc" +msgid "List all ZNC users and their networks" +msgstr "" + +#: ClientCommand.cpp:1875 +msgctxt "helpcmd|ListChans|args" +msgid "[user ]" +msgstr "" + +#: ClientCommand.cpp:1878 +msgctxt "helpcmd|ListClients|args" +msgid "[user]" +msgstr "" + +#: ClientCommand.cpp:1879 +msgctxt "helpcmd|ListClients|desc" +msgid "List all connected clients" +msgstr "" + +#: ClientCommand.cpp:1881 +msgctxt "helpcmd|Traffic|desc" +msgid "Show basic traffic stats for all ZNC users" +msgstr "" + +#: ClientCommand.cpp:1883 +msgctxt "helpcmd|Broadcast|args" +msgid "[message]" +msgstr "" + +#: ClientCommand.cpp:1884 +msgctxt "helpcmd|Broadcast|desc" +msgid "Broadcast a message to all ZNC users" +msgstr "" + +#: ClientCommand.cpp:1887 +msgctxt "helpcmd|Shutdown|args" +msgid "[message]" +msgstr "" + +#: ClientCommand.cpp:1888 +msgctxt "helpcmd|Shutdown|desc" +msgid "Shut down ZNC completely" +msgstr "" + +#: ClientCommand.cpp:1889 +msgctxt "helpcmd|Restart|args" +msgid "[message]" +msgstr "" + +#: ClientCommand.cpp:1890 +msgctxt "helpcmd|Restart|desc" +msgid "Restart ZNC" +msgstr "" + +#: Socket.cpp:336 +msgid "Can't resolve server hostname" +msgstr "" + +#: Socket.cpp:343 +msgid "" +"Can't resolve bind hostname. Try /znc ClearBindHost and /znc " +"ClearUserBindHost" +msgstr "" + +#: Socket.cpp:348 +msgid "Server address is IPv4-only, but bindhost is IPv6-only" +msgstr "" + +#: Socket.cpp:357 +msgid "Server address is IPv6-only, but bindhost is IPv4-only" +msgstr "" + +#: Socket.cpp:515 +msgid "Some socket reached its max buffer limit and was closed!" +msgstr "" + +#: SSLVerifyHost.cpp:448 +msgid "hostname doesn't match" +msgstr "" + +#: SSLVerifyHost.cpp:452 +msgid "malformed hostname in certificate" +msgstr "" + +#: SSLVerifyHost.cpp:456 +msgid "hostname verification error" +msgstr "" + +#: User.cpp:507 +msgid "" +"Invalid network name. It should be alphanumeric. Not to be confused with " +"server name" +msgstr "" + +#: User.cpp:511 +msgid "Network {1} already exists" +msgstr "" + +#: User.cpp:777 +msgid "" +"You are being disconnected because your IP is no longer allowed to connect " +"to this user" +msgstr "" + +#: User.cpp:907 +msgid "Password is empty" +msgstr "" + +#: User.cpp:912 +msgid "Username is empty" +msgstr "" + +#: User.cpp:917 +msgid "Username is invalid" +msgstr "" + +#: User.cpp:1188 +msgid "Unable to find modinfo {1}: {2}" +msgstr "" From aa4e6c53ab49e184b42210f12d847e6ca95242cb Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Tue, 25 Jun 2019 00:27:38 +0000 Subject: [PATCH 260/798] Update translations from Crowdin for it_IT --- modules/po/adminlog.it_IT.po | 2 +- modules/po/autoop.it_IT.po | 8 +- modules/po/autovoice.it_IT.po | 12 +-- modules/po/awaystore.it_IT.po | 6 +- modules/po/blockuser.it_IT.po | 4 +- modules/po/bouncedcc.it_IT.po | 18 ++-- modules/po/buffextras.it_IT.po | 2 +- modules/po/certauth.it_IT.po | 4 +- modules/po/controlpanel.it_IT.po | 12 +-- src/po/znc.it_IT.po | 144 +++++++++++++++---------------- 10 files changed, 106 insertions(+), 106 deletions(-) diff --git a/modules/po/adminlog.it_IT.po b/modules/po/adminlog.it_IT.po index bec5432e..3471f967 100644 --- a/modules/po/adminlog.it_IT.po +++ b/modules/po/adminlog.it_IT.po @@ -26,7 +26,7 @@ msgstr "" #: adminlog.cpp:142 msgid "Access denied" -msgstr "" +msgstr "Accesso negato" #: adminlog.cpp:156 msgid "Now logging to file" diff --git a/modules/po/autoop.it_IT.po b/modules/po/autoop.it_IT.po index 00ad3365..0ff67ad8 100644 --- a/modules/po/autoop.it_IT.po +++ b/modules/po/autoop.it_IT.po @@ -14,7 +14,7 @@ msgstr "" #: autoop.cpp:154 msgid "List all users" -msgstr "" +msgstr "Elenca tutti gli utenti" #: autoop.cpp:156 autoop.cpp:159 msgid " [channel] ..." @@ -78,11 +78,11 @@ msgstr "" #: autoop.cpp:308 autoop.cpp:318 msgid "Key" -msgstr "" +msgstr "Key" #: autoop.cpp:309 autoop.cpp:319 msgid "Channels" -msgstr "" +msgstr "Canali" #: autoop.cpp:337 msgid "Usage: AddChans [channel] ..." @@ -90,7 +90,7 @@ msgstr "" #: autoop.cpp:344 autoop.cpp:365 autoop.cpp:387 autoop.cpp:408 autoop.cpp:472 msgid "No such user" -msgstr "" +msgstr "Utente non presente" #: autoop.cpp:349 msgid "Channel(s) added to user {1}" diff --git a/modules/po/autovoice.it_IT.po b/modules/po/autovoice.it_IT.po index 1dca7ffa..50f29e5d 100644 --- a/modules/po/autovoice.it_IT.po +++ b/modules/po/autovoice.it_IT.po @@ -14,7 +14,7 @@ msgstr "" #: autovoice.cpp:120 msgid "List all users" -msgstr "" +msgstr "Elenca tutti gli utenti" #: autovoice.cpp:122 autovoice.cpp:125 msgid " [channel] ..." @@ -34,7 +34,7 @@ msgstr "" #: autovoice.cpp:129 msgid "Adds a user" -msgstr "" +msgstr "Aggiungi un utente" #: autovoice.cpp:131 msgid "" @@ -42,7 +42,7 @@ msgstr "" #: autovoice.cpp:131 msgid "Removes a user" -msgstr "" +msgstr "Rimuovi un utente" #: autovoice.cpp:215 msgid "Usage: AddUser [channels]" @@ -58,7 +58,7 @@ msgstr "" #: autovoice.cpp:244 autovoice.cpp:250 msgid "User" -msgstr "" +msgstr "Utente" #: autovoice.cpp:245 autovoice.cpp:251 msgid "Hostmask" @@ -66,7 +66,7 @@ msgstr "" #: autovoice.cpp:246 autovoice.cpp:252 msgid "Channels" -msgstr "" +msgstr "Canali" #: autovoice.cpp:263 msgid "Usage: AddChans [channel] ..." @@ -74,7 +74,7 @@ msgstr "" #: autovoice.cpp:270 autovoice.cpp:292 autovoice.cpp:329 msgid "No such user" -msgstr "" +msgstr "Utente non presente" #: autovoice.cpp:275 msgid "Channel(s) added to user {1}" diff --git a/modules/po/awaystore.it_IT.po b/modules/po/awaystore.it_IT.po index 280c04a5..853407a4 100644 --- a/modules/po/awaystore.it_IT.po +++ b/modules/po/awaystore.it_IT.po @@ -18,7 +18,7 @@ msgstr "" #: awaystore.cpp:78 awaystore.cpp:385 awaystore.cpp:388 msgid "Welcome back!" -msgstr "" +msgstr "Bentornato!" #: awaystore.cpp:100 msgid "Deleted {1} messages" @@ -42,7 +42,7 @@ msgstr "" #: awaystore.cpp:124 msgid "There are no messages to save" -msgstr "" +msgstr "Non sono presenti messaggi da salvare" #: awaystore.cpp:135 msgid "Password updated to [{1}]" @@ -66,7 +66,7 @@ msgstr "" #: awaystore.cpp:188 awaystore.cpp:197 msgid "Timer disabled" -msgstr "" +msgstr "Timer disabilitato" #: awaystore.cpp:199 msgid "Timer set to {1} seconds" diff --git a/modules/po/blockuser.it_IT.po b/modules/po/blockuser.it_IT.po index 84ee85c3..81dc6bf6 100644 --- a/modules/po/blockuser.it_IT.po +++ b/modules/po/blockuser.it_IT.po @@ -42,7 +42,7 @@ msgstr "" #: blockuser.cpp:76 msgid "Access denied" -msgstr "" +msgstr "Accesso negato" #: blockuser.cpp:85 msgid "No users are blocked" @@ -50,7 +50,7 @@ msgstr "" #: blockuser.cpp:88 msgid "Blocked users:" -msgstr "" +msgstr "Utenti bloccati:" #: blockuser.cpp:100 msgid "Usage: Block " diff --git a/modules/po/bouncedcc.it_IT.po b/modules/po/bouncedcc.it_IT.po index 028c619e..5ecf839b 100644 --- a/modules/po/bouncedcc.it_IT.po +++ b/modules/po/bouncedcc.it_IT.po @@ -15,37 +15,37 @@ msgstr "" #: bouncedcc.cpp:101 bouncedcc.cpp:119 bouncedcc.cpp:121 msgctxt "list" msgid "Type" -msgstr "" +msgstr "Tipo" #: bouncedcc.cpp:102 bouncedcc.cpp:132 msgctxt "list" msgid "State" -msgstr "" +msgstr "Stato" #: bouncedcc.cpp:103 msgctxt "list" msgid "Speed" -msgstr "" +msgstr "Velocità" #: bouncedcc.cpp:104 bouncedcc.cpp:115 msgctxt "list" msgid "Nick" -msgstr "" +msgstr "Nick" #: bouncedcc.cpp:105 bouncedcc.cpp:116 msgctxt "list" msgid "IP" -msgstr "" +msgstr "IP" #: bouncedcc.cpp:106 bouncedcc.cpp:122 msgctxt "list" msgid "File" -msgstr "" +msgstr "File" #: bouncedcc.cpp:119 msgctxt "list" msgid "Chat" -msgstr "" +msgstr "Chat" #: bouncedcc.cpp:121 msgctxt "list" @@ -62,7 +62,7 @@ msgstr "" #: bouncedcc.cpp:129 msgid "Connected" -msgstr "" +msgstr "Connesso" #: bouncedcc.cpp:137 msgid "You have no active DCCs." @@ -83,7 +83,7 @@ msgstr "" #: bouncedcc.cpp:383 bouncedcc.cpp:412 bouncedcc.cpp:436 bouncedcc.cpp:451 msgctxt "type" msgid "Chat" -msgstr "" +msgstr "Chat" #: bouncedcc.cpp:383 bouncedcc.cpp:412 bouncedcc.cpp:436 bouncedcc.cpp:451 msgctxt "type" diff --git a/modules/po/buffextras.it_IT.po b/modules/po/buffextras.it_IT.po index 6bc486f5..06846cf6 100644 --- a/modules/po/buffextras.it_IT.po +++ b/modules/po/buffextras.it_IT.po @@ -30,7 +30,7 @@ msgstr "" #: buffextras.cpp:73 msgid "{1} joined" -msgstr "" +msgstr "{1} è entrato" #: buffextras.cpp:81 msgid "{1} parted: {2}" diff --git a/modules/po/certauth.it_IT.po b/modules/po/certauth.it_IT.po index f1877a2b..fdfd43ca 100644 --- a/modules/po/certauth.it_IT.po +++ b/modules/po/certauth.it_IT.po @@ -18,7 +18,7 @@ msgstr "" #: modules/po/../data/certauth/tmpl/index.tmpl:11 msgid "Key:" -msgstr "" +msgstr "Key:" #: modules/po/../data/certauth/tmpl/index.tmpl:15 msgid "Add Key" @@ -101,7 +101,7 @@ msgstr "" #: certauth.cpp:216 msgid "Removed" -msgstr "" +msgstr "Rimosso" #: certauth.cpp:291 msgid "Allows users to authenticate via SSL client certificates." diff --git a/modules/po/controlpanel.it_IT.po b/modules/po/controlpanel.it_IT.po index c62682b5..f4d570f6 100644 --- a/modules/po/controlpanel.it_IT.po +++ b/modules/po/controlpanel.it_IT.po @@ -15,28 +15,28 @@ msgstr "" #: controlpanel.cpp:51 controlpanel.cpp:64 msgctxt "helptable" msgid "Type" -msgstr "" +msgstr "Tipo" #: controlpanel.cpp:52 controlpanel.cpp:66 msgctxt "helptable" msgid "Variables" -msgstr "" +msgstr "Variabili" #: controlpanel.cpp:78 msgid "String" -msgstr "" +msgstr "Stringa" #: controlpanel.cpp:79 msgid "Boolean (true/false)" -msgstr "" +msgstr "Boolean (vero / falso)" #: controlpanel.cpp:80 msgid "Integer" -msgstr "" +msgstr "Numero intero" #: controlpanel.cpp:81 msgid "Number" -msgstr "" +msgstr "Numero" #: controlpanel.cpp:125 msgid "The following variables are available when using the Set/Get commands:" diff --git a/src/po/znc.it_IT.po b/src/po/znc.it_IT.po index 14660859..e514544c 100644 --- a/src/po/znc.it_IT.po +++ b/src/po/znc.it_IT.po @@ -14,27 +14,27 @@ msgstr "" #: webskins/_default_/tmpl/InfoBar.tmpl:6 msgid "Logged in as: {1}" -msgstr "" +msgstr "Collegato come: {1}" #: webskins/_default_/tmpl/InfoBar.tmpl:8 msgid "Not logged in" -msgstr "" +msgstr "Non sei loggato" #: webskins/_default_/tmpl/LoginBar.tmpl:3 msgid "Logout" -msgstr "" +msgstr "Esci" #: webskins/_default_/tmpl/Menu.tmpl:4 msgid "Home" -msgstr "" +msgstr "Home" #: webskins/_default_/tmpl/Menu.tmpl:7 msgid "Global Modules" -msgstr "" +msgstr "Moduli Globali" #: webskins/_default_/tmpl/Menu.tmpl:20 msgid "User Modules" -msgstr "" +msgstr "Moduli Utente" #: webskins/_default_/tmpl/Menu.tmpl:35 msgid "Network Modules ({1})" @@ -53,15 +53,15 @@ msgstr "" #: znc.cpp:1562 msgid "User already exists" -msgstr "" +msgstr "Utente già esistente" #: znc.cpp:1670 msgid "IPv6 is not enabled" -msgstr "" +msgstr "IPv6 non è abilitato" #: znc.cpp:1678 msgid "SSL is not enabled" -msgstr "" +msgstr "SSL non è abilitato" #: znc.cpp:1686 msgid "Unable to locate pem file: {1}" @@ -69,7 +69,7 @@ msgstr "" #: znc.cpp:1705 msgid "Invalid port" -msgstr "" +msgstr "Porta non valida" #: znc.cpp:1821 ClientCommand.cpp:1637 msgid "Unable to bind: {1}" @@ -137,7 +137,7 @@ msgstr "" #: IRCSock.cpp:1244 msgid "Disconnected from IRC. Reconnecting..." -msgstr "" +msgstr "Disconnesso da IRC. Riconnessione in corso..." #: IRCSock.cpp:1275 msgid "Cannot connect to IRC ({1}). Retrying..." @@ -173,7 +173,7 @@ msgstr "" #: Client.cpp:74 msgid "No such module {1}" -msgstr "" +msgstr "Modulo non trovato {1}" #: Client.cpp:359 msgid "A client from {1} attempted to login as you, but was rejected: {2}" @@ -293,7 +293,7 @@ msgstr "" #: Modules.cpp:693 msgid "Unknown command!" -msgstr "" +msgstr "Comando sconosciuto!" #: Modules.cpp:1633 msgid "" @@ -303,11 +303,11 @@ msgstr "" #: Modules.cpp:1652 msgid "Module {1} already loaded." -msgstr "" +msgstr "Modulo {1} già caricato." #: Modules.cpp:1666 msgid "Unable to find module {1}" -msgstr "" +msgstr "Impossibile trovare il modulo {1}" #: Modules.cpp:1678 msgid "Module {1} does not support module type {2}." @@ -380,12 +380,12 @@ msgstr "" #: Modules.cpp:2023 Modules.cpp:2029 msgctxt "modhelpcmd" msgid "Command" -msgstr "" +msgstr "Comando" #: Modules.cpp:2024 Modules.cpp:2031 msgctxt "modhelpcmd" msgid "Description" -msgstr "" +msgstr "Descrizione" #: ClientCommand.cpp:51 ClientCommand.cpp:115 ClientCommand.cpp:137 #: ClientCommand.cpp:749 ClientCommand.cpp:768 ClientCommand.cpp:794 @@ -414,15 +414,15 @@ msgstr "" #: ClientCommand.cpp:91 ClientCommand.cpp:106 msgid "Nick" -msgstr "" +msgstr "Nick" #: ClientCommand.cpp:92 ClientCommand.cpp:107 msgid "Ident" -msgstr "" +msgstr "Ident" #: ClientCommand.cpp:93 ClientCommand.cpp:108 msgid "Host" -msgstr "" +msgstr "Host" #: ClientCommand.cpp:122 msgid "Usage: Attach <#chans>" @@ -471,12 +471,12 @@ msgstr "" #: ClientCommand.cpp:484 ClientCommand.cpp:500 msgctxt "listchans" msgid "Name" -msgstr "" +msgstr "Nome" #: ClientCommand.cpp:485 ClientCommand.cpp:503 msgctxt "listchans" msgid "Status" -msgstr "" +msgstr "Stato" #: ClientCommand.cpp:486 ClientCommand.cpp:510 msgctxt "listchans" @@ -486,22 +486,22 @@ msgstr "" #: ClientCommand.cpp:487 ClientCommand.cpp:512 msgctxt "listchans" msgid "Buffer" -msgstr "" +msgstr "Buffer" #: ClientCommand.cpp:488 ClientCommand.cpp:516 msgctxt "listchans" msgid "Clear" -msgstr "" +msgstr "Annulla" #: ClientCommand.cpp:489 ClientCommand.cpp:521 msgctxt "listchans" msgid "Modes" -msgstr "" +msgstr "Modi" #: ClientCommand.cpp:490 ClientCommand.cpp:522 msgctxt "listchans" msgid "Users" -msgstr "" +msgstr "Utenti" #: ClientCommand.cpp:505 msgctxt "listchans" @@ -570,51 +570,51 @@ msgstr "" #: ClientCommand.cpp:595 msgid "User {1} not found" -msgstr "" +msgstr "Utente {1} non trovato" #: ClientCommand.cpp:603 ClientCommand.cpp:611 msgctxt "listnetworks" msgid "Network" -msgstr "" +msgstr "Rete (Network)" #: ClientCommand.cpp:604 ClientCommand.cpp:613 ClientCommand.cpp:622 msgctxt "listnetworks" msgid "On IRC" -msgstr "" +msgstr "Su IRC" #: ClientCommand.cpp:605 ClientCommand.cpp:615 msgctxt "listnetworks" msgid "IRC Server" -msgstr "" +msgstr "Server IRC" #: ClientCommand.cpp:606 ClientCommand.cpp:617 msgctxt "listnetworks" msgid "IRC User" -msgstr "" +msgstr "Utente IRC" #: ClientCommand.cpp:607 ClientCommand.cpp:619 msgctxt "listnetworks" msgid "Channels" -msgstr "" +msgstr "Canali" #: ClientCommand.cpp:614 msgctxt "listnetworks" msgid "Yes" -msgstr "" +msgstr "Sì" #: ClientCommand.cpp:623 msgctxt "listnetworks" msgid "No" -msgstr "" +msgstr "No" #: ClientCommand.cpp:628 msgctxt "listnetworks" msgid "No networks" -msgstr "" +msgstr "Nessuna rete" #: ClientCommand.cpp:632 ClientCommand.cpp:936 msgid "Access denied." -msgstr "" +msgstr "Accesso negato." #: ClientCommand.cpp:643 msgid "Usage: MoveNetwork [new network]" @@ -705,27 +705,27 @@ msgstr "" #: ClientCommand.cpp:802 ClientCommand.cpp:809 msgctxt "listservers" msgid "Host" -msgstr "" +msgstr "Host" #: ClientCommand.cpp:803 ClientCommand.cpp:811 msgctxt "listservers" msgid "Port" -msgstr "" +msgstr "Porta" #: ClientCommand.cpp:804 ClientCommand.cpp:814 msgctxt "listservers" msgid "SSL" -msgstr "" +msgstr "SSL" #: ClientCommand.cpp:805 ClientCommand.cpp:816 msgctxt "listservers" msgid "Password" -msgstr "" +msgstr "Password" #: ClientCommand.cpp:815 msgctxt "listservers|cell" msgid "SSL" -msgstr "" +msgstr "SSL" #: ClientCommand.cpp:832 msgid "Usage: AddTrustedServerFingerprint " @@ -733,7 +733,7 @@ msgstr "" #: ClientCommand.cpp:836 ClientCommand.cpp:849 msgid "Done." -msgstr "" +msgstr "Fatto." #: ClientCommand.cpp:845 msgid "Usage: DelTrustedServerFingerprint " @@ -741,32 +741,32 @@ msgstr "" #: ClientCommand.cpp:858 msgid "No fingerprints added." -msgstr "" +msgstr "Nessuna impronta digitale registrata." #: ClientCommand.cpp:874 ClientCommand.cpp:880 msgctxt "topicscmd" msgid "Channel" -msgstr "" +msgstr "Canale" #: ClientCommand.cpp:875 ClientCommand.cpp:881 msgctxt "topicscmd" msgid "Set By" -msgstr "" +msgstr "Impostato da" #: ClientCommand.cpp:876 ClientCommand.cpp:882 msgctxt "topicscmd" msgid "Topic" -msgstr "" +msgstr "Topic" #: ClientCommand.cpp:889 ClientCommand.cpp:894 msgctxt "listmods" msgid "Name" -msgstr "" +msgstr "Nome" #: ClientCommand.cpp:890 ClientCommand.cpp:895 msgctxt "listmods" msgid "Arguments" -msgstr "" +msgstr "Parametri" #: ClientCommand.cpp:904 msgid "No global modules loaded." @@ -774,7 +774,7 @@ msgstr "" #: ClientCommand.cpp:906 ClientCommand.cpp:970 msgid "Global modules:" -msgstr "" +msgstr "Moduli Globali:" #: ClientCommand.cpp:915 msgid "Your user has no modules loaded." @@ -782,7 +782,7 @@ msgstr "" #: ClientCommand.cpp:917 ClientCommand.cpp:982 msgid "User modules:" -msgstr "" +msgstr "Moduli Utente:" #: ClientCommand.cpp:925 msgid "This network has no modules loaded." @@ -908,7 +908,7 @@ msgstr "" #: ClientCommand.cpp:1250 msgid "Done" -msgstr "" +msgstr "Fatto" #: ClientCommand.cpp:1253 msgid "" @@ -1043,25 +1043,25 @@ msgstr[1] "" #: ClientCommand.cpp:1514 ClientCommand.cpp:1522 msgctxt "trafficcmd" msgid "Username" -msgstr "" +msgstr "Nome Utente" #: ClientCommand.cpp:1488 ClientCommand.cpp:1495 ClientCommand.cpp:1507 #: ClientCommand.cpp:1516 ClientCommand.cpp:1524 msgctxt "trafficcmd" msgid "In" -msgstr "" +msgstr "In" #: ClientCommand.cpp:1489 ClientCommand.cpp:1497 ClientCommand.cpp:1508 #: ClientCommand.cpp:1517 ClientCommand.cpp:1525 msgctxt "trafficcmd" msgid "Out" -msgstr "" +msgstr "Out" #: ClientCommand.cpp:1490 ClientCommand.cpp:1500 ClientCommand.cpp:1510 #: ClientCommand.cpp:1518 ClientCommand.cpp:1527 msgctxt "trafficcmd" msgid "Total" -msgstr "" +msgstr "Totale" #: ClientCommand.cpp:1506 msgctxt "trafficcmd" @@ -1089,7 +1089,7 @@ msgstr "" #: ClientCommand.cpp:1547 ClientCommand.cpp:1558 msgctxt "listports" msgid "Port" -msgstr "" +msgstr "Porta" #: ClientCommand.cpp:1548 ClientCommand.cpp:1559 msgctxt "listports" @@ -1099,22 +1099,22 @@ msgstr "" #: ClientCommand.cpp:1549 ClientCommand.cpp:1562 msgctxt "listports" msgid "SSL" -msgstr "" +msgstr "SSL" #: ClientCommand.cpp:1550 ClientCommand.cpp:1567 msgctxt "listports" msgid "Protocol" -msgstr "" +msgstr "Protocollo" #: ClientCommand.cpp:1551 ClientCommand.cpp:1574 msgctxt "listports" msgid "IRC" -msgstr "" +msgstr "IRC" #: ClientCommand.cpp:1552 ClientCommand.cpp:1579 msgctxt "listports" msgid "Web" -msgstr "" +msgstr "Web" #: ClientCommand.cpp:1563 msgctxt "listports|ssl" @@ -1168,11 +1168,11 @@ msgstr "" #: ClientCommand.cpp:1640 msgid "Port added" -msgstr "" +msgstr "Porta aggiunta" #: ClientCommand.cpp:1642 msgid "Couldn't add port" -msgstr "" +msgstr "Impossibile aggiungere la porta" #: ClientCommand.cpp:1648 msgid "Usage: DelPort [bindhost]" @@ -1189,12 +1189,12 @@ msgstr "" #: ClientCommand.cpp:1667 ClientCommand.cpp:1682 msgctxt "helpcmd" msgid "Command" -msgstr "" +msgstr "Comando" #: ClientCommand.cpp:1668 ClientCommand.cpp:1684 msgctxt "helpcmd" msgid "Description" -msgstr "" +msgstr "Descrizione" #: ClientCommand.cpp:1673 msgid "" @@ -1250,7 +1250,7 @@ msgstr "" #: ClientCommand.cpp:1716 msgctxt "helpcmd|AddNetwork|desc" msgid "Add a network to your user" -msgstr "" +msgstr "Aggiungi un network al tuo account" #: ClientCommand.cpp:1718 msgctxt "helpcmd|DelNetwork|args" @@ -1265,7 +1265,7 @@ msgstr "" #: ClientCommand.cpp:1721 msgctxt "helpcmd|ListNetworks|desc" msgid "List all networks" -msgstr "" +msgstr "Mostra tutte le reti" #: ClientCommand.cpp:1724 msgctxt "helpcmd|MoveNetwork|args" @@ -1347,7 +1347,7 @@ msgstr "" #: ClientCommand.cpp:1763 msgctxt "helpcmd|EnableChan|desc" msgid "Enable channels" -msgstr "" +msgstr "Abilita i canali" #: ClientCommand.cpp:1764 msgctxt "helpcmd|DisableChan|args" @@ -1357,7 +1357,7 @@ msgstr "" #: ClientCommand.cpp:1765 msgctxt "helpcmd|DisableChan|desc" msgid "Disable channels" -msgstr "" +msgstr "Disabilita canali" #: ClientCommand.cpp:1766 msgctxt "helpcmd|Attach|args" @@ -1482,12 +1482,12 @@ msgstr "" #: ClientCommand.cpp:1818 msgctxt "helpcmd|Disconnect|desc" msgid "Disconnect from IRC" -msgstr "" +msgstr "Disconnetti da IRC" #: ClientCommand.cpp:1820 msgctxt "helpcmd|Connect|desc" msgid "Reconnect to IRC" -msgstr "" +msgstr "Riconnetti a IRC" #: ClientCommand.cpp:1823 msgctxt "helpcmd|Uptime|desc" @@ -1502,7 +1502,7 @@ msgstr "" #: ClientCommand.cpp:1829 msgctxt "helpcmd|LoadMod|desc" msgid "Load a module" -msgstr "" +msgstr "Carica un modulo" #: ClientCommand.cpp:1831 msgctxt "helpcmd|UnloadMod|args" @@ -1522,7 +1522,7 @@ msgstr "" #: ClientCommand.cpp:1837 msgctxt "helpcmd|ReloadMod|desc" msgid "Reload a module" -msgstr "" +msgstr "Ricarica un modulo" #: ClientCommand.cpp:1840 msgctxt "helpcmd|UpdateMod|args" From a657f1933cb3b4ea8b3556552b494bef74d90abf Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Tue, 25 Jun 2019 00:28:09 +0000 Subject: [PATCH 261/798] Update translations from Crowdin for it_IT --- modules/po/adminlog.it_IT.po | 2 +- modules/po/autoop.it_IT.po | 8 +- modules/po/autovoice.it_IT.po | 12 +-- modules/po/awaystore.it_IT.po | 6 +- modules/po/blockuser.it_IT.po | 4 +- modules/po/bouncedcc.it_IT.po | 18 ++-- modules/po/buffextras.it_IT.po | 2 +- modules/po/certauth.it_IT.po | 4 +- modules/po/controlpanel.it_IT.po | 12 +-- src/po/znc.it_IT.po | 144 +++++++++++++++---------------- 10 files changed, 106 insertions(+), 106 deletions(-) diff --git a/modules/po/adminlog.it_IT.po b/modules/po/adminlog.it_IT.po index 5c12afae..f8d46307 100644 --- a/modules/po/adminlog.it_IT.po +++ b/modules/po/adminlog.it_IT.po @@ -26,7 +26,7 @@ msgstr "" #: adminlog.cpp:142 msgid "Access denied" -msgstr "" +msgstr "Accesso negato" #: adminlog.cpp:156 msgid "Now logging to file" diff --git a/modules/po/autoop.it_IT.po b/modules/po/autoop.it_IT.po index 3b038acd..7f2e169b 100644 --- a/modules/po/autoop.it_IT.po +++ b/modules/po/autoop.it_IT.po @@ -14,7 +14,7 @@ msgstr "" #: autoop.cpp:154 msgid "List all users" -msgstr "" +msgstr "Elenca tutti gli utenti" #: autoop.cpp:156 autoop.cpp:159 msgid " [channel] ..." @@ -78,11 +78,11 @@ msgstr "" #: autoop.cpp:308 autoop.cpp:318 msgid "Key" -msgstr "" +msgstr "Key" #: autoop.cpp:309 autoop.cpp:319 msgid "Channels" -msgstr "" +msgstr "Canali" #: autoop.cpp:337 msgid "Usage: AddChans [channel] ..." @@ -90,7 +90,7 @@ msgstr "" #: autoop.cpp:344 autoop.cpp:365 autoop.cpp:387 autoop.cpp:408 autoop.cpp:472 msgid "No such user" -msgstr "" +msgstr "Utente non presente" #: autoop.cpp:349 msgid "Channel(s) added to user {1}" diff --git a/modules/po/autovoice.it_IT.po b/modules/po/autovoice.it_IT.po index 6758cfdb..64caa8a7 100644 --- a/modules/po/autovoice.it_IT.po +++ b/modules/po/autovoice.it_IT.po @@ -14,7 +14,7 @@ msgstr "" #: autovoice.cpp:120 msgid "List all users" -msgstr "" +msgstr "Elenca tutti gli utenti" #: autovoice.cpp:122 autovoice.cpp:125 msgid " [channel] ..." @@ -34,7 +34,7 @@ msgstr "" #: autovoice.cpp:129 msgid "Adds a user" -msgstr "" +msgstr "Aggiungi un utente" #: autovoice.cpp:131 msgid "" @@ -42,7 +42,7 @@ msgstr "" #: autovoice.cpp:131 msgid "Removes a user" -msgstr "" +msgstr "Rimuovi un utente" #: autovoice.cpp:215 msgid "Usage: AddUser [channels]" @@ -58,7 +58,7 @@ msgstr "" #: autovoice.cpp:244 autovoice.cpp:250 msgid "User" -msgstr "" +msgstr "Utente" #: autovoice.cpp:245 autovoice.cpp:251 msgid "Hostmask" @@ -66,7 +66,7 @@ msgstr "" #: autovoice.cpp:246 autovoice.cpp:252 msgid "Channels" -msgstr "" +msgstr "Canali" #: autovoice.cpp:263 msgid "Usage: AddChans [channel] ..." @@ -74,7 +74,7 @@ msgstr "" #: autovoice.cpp:270 autovoice.cpp:292 autovoice.cpp:329 msgid "No such user" -msgstr "" +msgstr "Utente non presente" #: autovoice.cpp:275 msgid "Channel(s) added to user {1}" diff --git a/modules/po/awaystore.it_IT.po b/modules/po/awaystore.it_IT.po index e291dc08..fc9d1fe3 100644 --- a/modules/po/awaystore.it_IT.po +++ b/modules/po/awaystore.it_IT.po @@ -18,7 +18,7 @@ msgstr "" #: awaystore.cpp:78 awaystore.cpp:385 awaystore.cpp:388 msgid "Welcome back!" -msgstr "" +msgstr "Bentornato!" #: awaystore.cpp:100 msgid "Deleted {1} messages" @@ -42,7 +42,7 @@ msgstr "" #: awaystore.cpp:124 msgid "There are no messages to save" -msgstr "" +msgstr "Non sono presenti messaggi da salvare" #: awaystore.cpp:135 msgid "Password updated to [{1}]" @@ -66,7 +66,7 @@ msgstr "" #: awaystore.cpp:188 awaystore.cpp:197 msgid "Timer disabled" -msgstr "" +msgstr "Timer disabilitato" #: awaystore.cpp:199 msgid "Timer set to {1} seconds" diff --git a/modules/po/blockuser.it_IT.po b/modules/po/blockuser.it_IT.po index 4b9a2ef4..6f986d5b 100644 --- a/modules/po/blockuser.it_IT.po +++ b/modules/po/blockuser.it_IT.po @@ -42,7 +42,7 @@ msgstr "" #: blockuser.cpp:76 msgid "Access denied" -msgstr "" +msgstr "Accesso negato" #: blockuser.cpp:85 msgid "No users are blocked" @@ -50,7 +50,7 @@ msgstr "" #: blockuser.cpp:88 msgid "Blocked users:" -msgstr "" +msgstr "Utenti bloccati:" #: blockuser.cpp:100 msgid "Usage: Block " diff --git a/modules/po/bouncedcc.it_IT.po b/modules/po/bouncedcc.it_IT.po index 00c20fc2..bf9cdcb1 100644 --- a/modules/po/bouncedcc.it_IT.po +++ b/modules/po/bouncedcc.it_IT.po @@ -15,37 +15,37 @@ msgstr "" #: bouncedcc.cpp:101 bouncedcc.cpp:119 bouncedcc.cpp:121 msgctxt "list" msgid "Type" -msgstr "" +msgstr "Tipo" #: bouncedcc.cpp:102 bouncedcc.cpp:132 msgctxt "list" msgid "State" -msgstr "" +msgstr "Stato" #: bouncedcc.cpp:103 msgctxt "list" msgid "Speed" -msgstr "" +msgstr "Velocità" #: bouncedcc.cpp:104 bouncedcc.cpp:115 msgctxt "list" msgid "Nick" -msgstr "" +msgstr "Nick" #: bouncedcc.cpp:105 bouncedcc.cpp:116 msgctxt "list" msgid "IP" -msgstr "" +msgstr "IP" #: bouncedcc.cpp:106 bouncedcc.cpp:122 msgctxt "list" msgid "File" -msgstr "" +msgstr "File" #: bouncedcc.cpp:119 msgctxt "list" msgid "Chat" -msgstr "" +msgstr "Chat" #: bouncedcc.cpp:121 msgctxt "list" @@ -62,7 +62,7 @@ msgstr "" #: bouncedcc.cpp:129 msgid "Connected" -msgstr "" +msgstr "Connesso" #: bouncedcc.cpp:137 msgid "You have no active DCCs." @@ -83,7 +83,7 @@ msgstr "" #: bouncedcc.cpp:383 bouncedcc.cpp:412 bouncedcc.cpp:436 bouncedcc.cpp:451 msgctxt "type" msgid "Chat" -msgstr "" +msgstr "Chat" #: bouncedcc.cpp:383 bouncedcc.cpp:412 bouncedcc.cpp:436 bouncedcc.cpp:451 msgctxt "type" diff --git a/modules/po/buffextras.it_IT.po b/modules/po/buffextras.it_IT.po index b513a598..9c35f3b5 100644 --- a/modules/po/buffextras.it_IT.po +++ b/modules/po/buffextras.it_IT.po @@ -30,7 +30,7 @@ msgstr "" #: buffextras.cpp:73 msgid "{1} joined" -msgstr "" +msgstr "{1} è entrato" #: buffextras.cpp:81 msgid "{1} parted: {2}" diff --git a/modules/po/certauth.it_IT.po b/modules/po/certauth.it_IT.po index a2bc4405..705431f7 100644 --- a/modules/po/certauth.it_IT.po +++ b/modules/po/certauth.it_IT.po @@ -18,7 +18,7 @@ msgstr "" #: modules/po/../data/certauth/tmpl/index.tmpl:11 msgid "Key:" -msgstr "" +msgstr "Key:" #: modules/po/../data/certauth/tmpl/index.tmpl:15 msgid "Add Key" @@ -101,7 +101,7 @@ msgstr "" #: certauth.cpp:215 msgid "Removed" -msgstr "" +msgstr "Rimosso" #: certauth.cpp:290 msgid "Allows users to authenticate via SSL client certificates." diff --git a/modules/po/controlpanel.it_IT.po b/modules/po/controlpanel.it_IT.po index 115daf0f..45b4874f 100644 --- a/modules/po/controlpanel.it_IT.po +++ b/modules/po/controlpanel.it_IT.po @@ -15,28 +15,28 @@ msgstr "" #: controlpanel.cpp:51 controlpanel.cpp:63 msgctxt "helptable" msgid "Type" -msgstr "" +msgstr "Tipo" #: controlpanel.cpp:52 controlpanel.cpp:65 msgctxt "helptable" msgid "Variables" -msgstr "" +msgstr "Variabili" #: controlpanel.cpp:77 msgid "String" -msgstr "" +msgstr "Stringa" #: controlpanel.cpp:78 msgid "Boolean (true/false)" -msgstr "" +msgstr "Boolean (vero / falso)" #: controlpanel.cpp:79 msgid "Integer" -msgstr "" +msgstr "Numero intero" #: controlpanel.cpp:80 msgid "Number" -msgstr "" +msgstr "Numero" #: controlpanel.cpp:123 msgid "The following variables are available when using the Set/Get commands:" diff --git a/src/po/znc.it_IT.po b/src/po/znc.it_IT.po index c8221d8d..9a7061ee 100644 --- a/src/po/znc.it_IT.po +++ b/src/po/znc.it_IT.po @@ -14,27 +14,27 @@ msgstr "" #: webskins/_default_/tmpl/InfoBar.tmpl:6 msgid "Logged in as: {1}" -msgstr "" +msgstr "Collegato come: {1}" #: webskins/_default_/tmpl/InfoBar.tmpl:8 msgid "Not logged in" -msgstr "" +msgstr "Non sei loggato" #: webskins/_default_/tmpl/LoginBar.tmpl:3 msgid "Logout" -msgstr "" +msgstr "Esci" #: webskins/_default_/tmpl/Menu.tmpl:4 msgid "Home" -msgstr "" +msgstr "Home" #: webskins/_default_/tmpl/Menu.tmpl:7 msgid "Global Modules" -msgstr "" +msgstr "Moduli Globali" #: webskins/_default_/tmpl/Menu.tmpl:20 msgid "User Modules" -msgstr "" +msgstr "Moduli Utente" #: webskins/_default_/tmpl/Menu.tmpl:35 msgid "Network Modules ({1})" @@ -53,15 +53,15 @@ msgstr "" #: znc.cpp:1563 msgid "User already exists" -msgstr "" +msgstr "Utente già esistente" #: znc.cpp:1671 msgid "IPv6 is not enabled" -msgstr "" +msgstr "IPv6 non è abilitato" #: znc.cpp:1679 msgid "SSL is not enabled" -msgstr "" +msgstr "SSL non è abilitato" #: znc.cpp:1687 msgid "Unable to locate pem file: {1}" @@ -69,7 +69,7 @@ msgstr "" #: znc.cpp:1706 msgid "Invalid port" -msgstr "" +msgstr "Porta non valida" #: znc.cpp:1822 ClientCommand.cpp:1629 msgid "Unable to bind: {1}" @@ -137,7 +137,7 @@ msgstr "" #: IRCSock.cpp:1244 msgid "Disconnected from IRC. Reconnecting..." -msgstr "" +msgstr "Disconnesso da IRC. Riconnessione in corso..." #: IRCSock.cpp:1275 msgid "Cannot connect to IRC ({1}). Retrying..." @@ -173,7 +173,7 @@ msgstr "" #: Client.cpp:74 msgid "No such module {1}" -msgstr "" +msgstr "Modulo non trovato {1}" #: Client.cpp:359 msgid "A client from {1} attempted to login as you, but was rejected: {2}" @@ -293,7 +293,7 @@ msgstr "" #: Modules.cpp:693 msgid "Unknown command!" -msgstr "" +msgstr "Comando sconosciuto!" #: Modules.cpp:1633 msgid "" @@ -303,11 +303,11 @@ msgstr "" #: Modules.cpp:1652 msgid "Module {1} already loaded." -msgstr "" +msgstr "Modulo {1} già caricato." #: Modules.cpp:1666 msgid "Unable to find module {1}" -msgstr "" +msgstr "Impossibile trovare il modulo {1}" #: Modules.cpp:1678 msgid "Module {1} does not support module type {2}." @@ -380,12 +380,12 @@ msgstr "" #: Modules.cpp:2022 Modules.cpp:2028 msgctxt "modhelpcmd" msgid "Command" -msgstr "" +msgstr "Comando" #: Modules.cpp:2023 Modules.cpp:2029 msgctxt "modhelpcmd" msgid "Description" -msgstr "" +msgstr "Descrizione" #: ClientCommand.cpp:51 ClientCommand.cpp:115 ClientCommand.cpp:137 #: ClientCommand.cpp:749 ClientCommand.cpp:768 ClientCommand.cpp:794 @@ -414,15 +414,15 @@ msgstr "" #: ClientCommand.cpp:91 ClientCommand.cpp:106 msgid "Nick" -msgstr "" +msgstr "Nick" #: ClientCommand.cpp:92 ClientCommand.cpp:107 msgid "Ident" -msgstr "" +msgstr "Ident" #: ClientCommand.cpp:93 ClientCommand.cpp:108 msgid "Host" -msgstr "" +msgstr "Host" #: ClientCommand.cpp:122 msgid "Usage: Attach <#chans>" @@ -471,12 +471,12 @@ msgstr "" #: ClientCommand.cpp:484 ClientCommand.cpp:500 msgctxt "listchans" msgid "Name" -msgstr "" +msgstr "Nome" #: ClientCommand.cpp:485 ClientCommand.cpp:503 msgctxt "listchans" msgid "Status" -msgstr "" +msgstr "Stato" #: ClientCommand.cpp:486 ClientCommand.cpp:510 msgctxt "listchans" @@ -486,22 +486,22 @@ msgstr "" #: ClientCommand.cpp:487 ClientCommand.cpp:512 msgctxt "listchans" msgid "Buffer" -msgstr "" +msgstr "Buffer" #: ClientCommand.cpp:488 ClientCommand.cpp:516 msgctxt "listchans" msgid "Clear" -msgstr "" +msgstr "Annulla" #: ClientCommand.cpp:489 ClientCommand.cpp:521 msgctxt "listchans" msgid "Modes" -msgstr "" +msgstr "Modi" #: ClientCommand.cpp:490 ClientCommand.cpp:522 msgctxt "listchans" msgid "Users" -msgstr "" +msgstr "Utenti" #: ClientCommand.cpp:505 msgctxt "listchans" @@ -570,51 +570,51 @@ msgstr "" #: ClientCommand.cpp:595 msgid "User {1} not found" -msgstr "" +msgstr "Utente {1} non trovato" #: ClientCommand.cpp:603 ClientCommand.cpp:611 msgctxt "listnetworks" msgid "Network" -msgstr "" +msgstr "Rete (Network)" #: ClientCommand.cpp:604 ClientCommand.cpp:613 ClientCommand.cpp:622 msgctxt "listnetworks" msgid "On IRC" -msgstr "" +msgstr "Su IRC" #: ClientCommand.cpp:605 ClientCommand.cpp:615 msgctxt "listnetworks" msgid "IRC Server" -msgstr "" +msgstr "Server IRC" #: ClientCommand.cpp:606 ClientCommand.cpp:617 msgctxt "listnetworks" msgid "IRC User" -msgstr "" +msgstr "Utente IRC" #: ClientCommand.cpp:607 ClientCommand.cpp:619 msgctxt "listnetworks" msgid "Channels" -msgstr "" +msgstr "Canali" #: ClientCommand.cpp:614 msgctxt "listnetworks" msgid "Yes" -msgstr "" +msgstr "Sì" #: ClientCommand.cpp:623 msgctxt "listnetworks" msgid "No" -msgstr "" +msgstr "No" #: ClientCommand.cpp:628 msgctxt "listnetworks" msgid "No networks" -msgstr "" +msgstr "Nessuna rete" #: ClientCommand.cpp:632 ClientCommand.cpp:932 msgid "Access denied." -msgstr "" +msgstr "Accesso negato." #: ClientCommand.cpp:643 msgid "Usage: MoveNetwork [new network]" @@ -705,27 +705,27 @@ msgstr "" #: ClientCommand.cpp:802 ClientCommand.cpp:809 msgctxt "listservers" msgid "Host" -msgstr "" +msgstr "Host" #: ClientCommand.cpp:803 ClientCommand.cpp:811 msgctxt "listservers" msgid "Port" -msgstr "" +msgstr "Porta" #: ClientCommand.cpp:804 ClientCommand.cpp:814 msgctxt "listservers" msgid "SSL" -msgstr "" +msgstr "SSL" #: ClientCommand.cpp:805 ClientCommand.cpp:816 msgctxt "listservers" msgid "Password" -msgstr "" +msgstr "Password" #: ClientCommand.cpp:815 msgctxt "listservers|cell" msgid "SSL" -msgstr "" +msgstr "SSL" #: ClientCommand.cpp:832 msgid "Usage: AddTrustedServerFingerprint " @@ -733,7 +733,7 @@ msgstr "" #: ClientCommand.cpp:836 ClientCommand.cpp:849 msgid "Done." -msgstr "" +msgstr "Fatto." #: ClientCommand.cpp:845 msgid "Usage: DelTrustedServerFingerprint " @@ -741,32 +741,32 @@ msgstr "" #: ClientCommand.cpp:858 msgid "No fingerprints added." -msgstr "" +msgstr "Nessuna impronta digitale registrata." #: ClientCommand.cpp:874 ClientCommand.cpp:880 msgctxt "topicscmd" msgid "Channel" -msgstr "" +msgstr "Canale" #: ClientCommand.cpp:875 ClientCommand.cpp:881 msgctxt "topicscmd" msgid "Set By" -msgstr "" +msgstr "Impostato da" #: ClientCommand.cpp:876 ClientCommand.cpp:882 msgctxt "topicscmd" msgid "Topic" -msgstr "" +msgstr "Topic" #: ClientCommand.cpp:889 ClientCommand.cpp:893 msgctxt "listmods" msgid "Name" -msgstr "" +msgstr "Nome" #: ClientCommand.cpp:890 ClientCommand.cpp:894 msgctxt "listmods" msgid "Arguments" -msgstr "" +msgstr "Parametri" #: ClientCommand.cpp:902 msgid "No global modules loaded." @@ -774,7 +774,7 @@ msgstr "" #: ClientCommand.cpp:904 ClientCommand.cpp:964 msgid "Global modules:" -msgstr "" +msgstr "Moduli Globali:" #: ClientCommand.cpp:912 msgid "Your user has no modules loaded." @@ -782,7 +782,7 @@ msgstr "" #: ClientCommand.cpp:914 ClientCommand.cpp:975 msgid "User modules:" -msgstr "" +msgstr "Moduli Utente:" #: ClientCommand.cpp:921 msgid "This network has no modules loaded." @@ -908,7 +908,7 @@ msgstr "" #: ClientCommand.cpp:1242 msgid "Done" -msgstr "" +msgstr "Fatto" #: ClientCommand.cpp:1245 msgid "" @@ -1043,25 +1043,25 @@ msgstr[1] "" #: ClientCommand.cpp:1506 ClientCommand.cpp:1514 msgctxt "trafficcmd" msgid "Username" -msgstr "" +msgstr "Nome Utente" #: ClientCommand.cpp:1480 ClientCommand.cpp:1487 ClientCommand.cpp:1499 #: ClientCommand.cpp:1508 ClientCommand.cpp:1516 msgctxt "trafficcmd" msgid "In" -msgstr "" +msgstr "In" #: ClientCommand.cpp:1481 ClientCommand.cpp:1489 ClientCommand.cpp:1500 #: ClientCommand.cpp:1509 ClientCommand.cpp:1517 msgctxt "trafficcmd" msgid "Out" -msgstr "" +msgstr "Out" #: ClientCommand.cpp:1482 ClientCommand.cpp:1492 ClientCommand.cpp:1502 #: ClientCommand.cpp:1510 ClientCommand.cpp:1519 msgctxt "trafficcmd" msgid "Total" -msgstr "" +msgstr "Totale" #: ClientCommand.cpp:1498 msgctxt "trafficcmd" @@ -1089,7 +1089,7 @@ msgstr "" #: ClientCommand.cpp:1539 ClientCommand.cpp:1550 msgctxt "listports" msgid "Port" -msgstr "" +msgstr "Porta" #: ClientCommand.cpp:1540 ClientCommand.cpp:1551 msgctxt "listports" @@ -1099,22 +1099,22 @@ msgstr "" #: ClientCommand.cpp:1541 ClientCommand.cpp:1554 msgctxt "listports" msgid "SSL" -msgstr "" +msgstr "SSL" #: ClientCommand.cpp:1542 ClientCommand.cpp:1559 msgctxt "listports" msgid "Protocol" -msgstr "" +msgstr "Protocollo" #: ClientCommand.cpp:1543 ClientCommand.cpp:1566 msgctxt "listports" msgid "IRC" -msgstr "" +msgstr "IRC" #: ClientCommand.cpp:1544 ClientCommand.cpp:1571 msgctxt "listports" msgid "Web" -msgstr "" +msgstr "Web" #: ClientCommand.cpp:1555 msgctxt "listports|ssl" @@ -1168,11 +1168,11 @@ msgstr "" #: ClientCommand.cpp:1632 msgid "Port added" -msgstr "" +msgstr "Porta aggiunta" #: ClientCommand.cpp:1634 msgid "Couldn't add port" -msgstr "" +msgstr "Impossibile aggiungere la porta" #: ClientCommand.cpp:1640 msgid "Usage: DelPort [bindhost]" @@ -1189,12 +1189,12 @@ msgstr "" #: ClientCommand.cpp:1659 ClientCommand.cpp:1673 msgctxt "helpcmd" msgid "Command" -msgstr "" +msgstr "Comando" #: ClientCommand.cpp:1660 ClientCommand.cpp:1674 msgctxt "helpcmd" msgid "Description" -msgstr "" +msgstr "Descrizione" #: ClientCommand.cpp:1664 msgid "" @@ -1250,7 +1250,7 @@ msgstr "" #: ClientCommand.cpp:1706 msgctxt "helpcmd|AddNetwork|desc" msgid "Add a network to your user" -msgstr "" +msgstr "Aggiungi un network al tuo account" #: ClientCommand.cpp:1708 msgctxt "helpcmd|DelNetwork|args" @@ -1265,7 +1265,7 @@ msgstr "" #: ClientCommand.cpp:1711 msgctxt "helpcmd|ListNetworks|desc" msgid "List all networks" -msgstr "" +msgstr "Mostra tutte le reti" #: ClientCommand.cpp:1714 msgctxt "helpcmd|MoveNetwork|args" @@ -1347,7 +1347,7 @@ msgstr "" #: ClientCommand.cpp:1753 msgctxt "helpcmd|EnableChan|desc" msgid "Enable channels" -msgstr "" +msgstr "Abilita i canali" #: ClientCommand.cpp:1754 msgctxt "helpcmd|DisableChan|args" @@ -1357,7 +1357,7 @@ msgstr "" #: ClientCommand.cpp:1755 msgctxt "helpcmd|DisableChan|desc" msgid "Disable channels" -msgstr "" +msgstr "Disabilita canali" #: ClientCommand.cpp:1756 msgctxt "helpcmd|Attach|args" @@ -1482,12 +1482,12 @@ msgstr "" #: ClientCommand.cpp:1808 msgctxt "helpcmd|Disconnect|desc" msgid "Disconnect from IRC" -msgstr "" +msgstr "Disconnetti da IRC" #: ClientCommand.cpp:1810 msgctxt "helpcmd|Connect|desc" msgid "Reconnect to IRC" -msgstr "" +msgstr "Riconnetti a IRC" #: ClientCommand.cpp:1813 msgctxt "helpcmd|Uptime|desc" @@ -1502,7 +1502,7 @@ msgstr "" #: ClientCommand.cpp:1819 msgctxt "helpcmd|LoadMod|desc" msgid "Load a module" -msgstr "" +msgstr "Carica un modulo" #: ClientCommand.cpp:1821 msgctxt "helpcmd|UnloadMod|args" @@ -1522,7 +1522,7 @@ msgstr "" #: ClientCommand.cpp:1827 msgctxt "helpcmd|ReloadMod|desc" msgid "Reload a module" -msgstr "" +msgstr "Ricarica un modulo" #: ClientCommand.cpp:1830 msgctxt "helpcmd|UpdateMod|args" From ebbe9f259274a7f390acdcbec675fccddb590a19 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Tue, 25 Jun 2019 23:45:30 +0100 Subject: [PATCH 262/798] crowdin: don't claim that I translated everything --- .ci/cleanup-po.pl | 4 +++- 1 file changed, 3 insertions(+), 1 deletion(-) diff --git a/.ci/cleanup-po.pl b/.ci/cleanup-po.pl index 7415b251..392e890b 100755 --- a/.ci/cleanup-po.pl +++ b/.ci/cleanup-po.pl @@ -11,6 +11,8 @@ if ($ENV{MSGFILTER_MSGID}) { print $text; } else { for (split(/^/, $text)) { - print unless /^PO-Revision-Date:/; + next if /^PO-Revision-Date:/; + s/^Last-Translator: \K.*/Various people/; + print; } } From 65bce1c51fed4328e4777994c3d52164936da1a6 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Wed, 26 Jun 2019 00:26:40 +0000 Subject: [PATCH 263/798] Update translations from Crowdin for bg_BG de_DE es_ES fr_FR id_ID it_IT nl_NL pt_BR ru_RU --- modules/po/admindebug.bg_BG.po | 2 +- modules/po/admindebug.de_DE.po | 2 +- modules/po/admindebug.es_ES.po | 2 +- modules/po/admindebug.fr_FR.po | 2 +- modules/po/admindebug.id_ID.po | 2 +- modules/po/admindebug.it_IT.po | 2 +- modules/po/admindebug.nl_NL.po | 2 +- modules/po/admindebug.pt_BR.po | 2 +- modules/po/admindebug.ru_RU.po | 2 +- modules/po/adminlog.bg_BG.po | 2 +- modules/po/adminlog.de_DE.po | 2 +- modules/po/adminlog.es_ES.po | 2 +- modules/po/adminlog.fr_FR.po | 2 +- modules/po/adminlog.id_ID.po | 2 +- modules/po/adminlog.it_IT.po | 2 +- modules/po/adminlog.nl_NL.po | 2 +- modules/po/adminlog.pt_BR.po | 2 +- modules/po/adminlog.ru_RU.po | 2 +- modules/po/alias.bg_BG.po | 2 +- modules/po/alias.de_DE.po | 2 +- modules/po/alias.es_ES.po | 2 +- modules/po/alias.fr_FR.po | 2 +- modules/po/alias.id_ID.po | 2 +- modules/po/alias.it_IT.po | 2 +- modules/po/alias.nl_NL.po | 2 +- modules/po/alias.pt_BR.po | 2 +- modules/po/alias.ru_RU.po | 2 +- modules/po/autoattach.bg_BG.po | 2 +- modules/po/autoattach.de_DE.po | 2 +- modules/po/autoattach.es_ES.po | 2 +- modules/po/autoattach.fr_FR.po | 2 +- modules/po/autoattach.id_ID.po | 2 +- modules/po/autoattach.it_IT.po | 2 +- modules/po/autoattach.nl_NL.po | 2 +- modules/po/autoattach.pt_BR.po | 2 +- modules/po/autoattach.ru_RU.po | 2 +- modules/po/autocycle.bg_BG.po | 2 +- modules/po/autocycle.de_DE.po | 2 +- modules/po/autocycle.es_ES.po | 2 +- modules/po/autocycle.fr_FR.po | 2 +- modules/po/autocycle.id_ID.po | 2 +- modules/po/autocycle.it_IT.po | 2 +- modules/po/autocycle.nl_NL.po | 2 +- modules/po/autocycle.pt_BR.po | 2 +- modules/po/autocycle.ru_RU.po | 2 +- modules/po/autoop.bg_BG.po | 2 +- modules/po/autoop.de_DE.po | 2 +- modules/po/autoop.es_ES.po | 2 +- modules/po/autoop.fr_FR.po | 2 +- modules/po/autoop.id_ID.po | 2 +- modules/po/autoop.it_IT.po | 2 +- modules/po/autoop.nl_NL.po | 2 +- modules/po/autoop.pt_BR.po | 2 +- modules/po/autoop.ru_RU.po | 2 +- modules/po/autoreply.bg_BG.po | 2 +- modules/po/autoreply.de_DE.po | 2 +- modules/po/autoreply.es_ES.po | 2 +- modules/po/autoreply.fr_FR.po | 2 +- modules/po/autoreply.id_ID.po | 2 +- modules/po/autoreply.it_IT.po | 2 +- modules/po/autoreply.nl_NL.po | 2 +- modules/po/autoreply.pt_BR.po | 2 +- modules/po/autoreply.ru_RU.po | 2 +- modules/po/autovoice.bg_BG.po | 2 +- modules/po/autovoice.de_DE.po | 2 +- modules/po/autovoice.es_ES.po | 2 +- modules/po/autovoice.fr_FR.po | 2 +- modules/po/autovoice.id_ID.po | 2 +- modules/po/autovoice.it_IT.po | 2 +- modules/po/autovoice.nl_NL.po | 2 +- modules/po/autovoice.pt_BR.po | 2 +- modules/po/autovoice.ru_RU.po | 2 +- modules/po/awaystore.bg_BG.po | 2 +- modules/po/awaystore.de_DE.po | 2 +- modules/po/awaystore.es_ES.po | 2 +- modules/po/awaystore.fr_FR.po | 2 +- modules/po/awaystore.id_ID.po | 2 +- modules/po/awaystore.it_IT.po | 2 +- modules/po/awaystore.nl_NL.po | 2 +- modules/po/awaystore.pt_BR.po | 2 +- modules/po/awaystore.ru_RU.po | 2 +- modules/po/block_motd.bg_BG.po | 2 +- modules/po/block_motd.de_DE.po | 2 +- modules/po/block_motd.es_ES.po | 2 +- modules/po/block_motd.fr_FR.po | 2 +- modules/po/block_motd.id_ID.po | 2 +- modules/po/block_motd.it_IT.po | 2 +- modules/po/block_motd.nl_NL.po | 2 +- modules/po/block_motd.pt_BR.po | 2 +- modules/po/block_motd.ru_RU.po | 2 +- modules/po/blockuser.bg_BG.po | 2 +- modules/po/blockuser.de_DE.po | 2 +- modules/po/blockuser.es_ES.po | 2 +- modules/po/blockuser.fr_FR.po | 2 +- modules/po/blockuser.id_ID.po | 2 +- modules/po/blockuser.it_IT.po | 2 +- modules/po/blockuser.nl_NL.po | 2 +- modules/po/blockuser.pt_BR.po | 2 +- modules/po/blockuser.ru_RU.po | 2 +- modules/po/bouncedcc.bg_BG.po | 2 +- modules/po/bouncedcc.de_DE.po | 2 +- modules/po/bouncedcc.es_ES.po | 2 +- modules/po/bouncedcc.fr_FR.po | 2 +- modules/po/bouncedcc.id_ID.po | 2 +- modules/po/bouncedcc.it_IT.po | 2 +- modules/po/bouncedcc.nl_NL.po | 2 +- modules/po/bouncedcc.pt_BR.po | 2 +- modules/po/bouncedcc.ru_RU.po | 2 +- modules/po/buffextras.bg_BG.po | 2 +- modules/po/buffextras.de_DE.po | 2 +- modules/po/buffextras.es_ES.po | 2 +- modules/po/buffextras.fr_FR.po | 2 +- modules/po/buffextras.id_ID.po | 2 +- modules/po/buffextras.it_IT.po | 2 +- modules/po/buffextras.nl_NL.po | 2 +- modules/po/buffextras.pt_BR.po | 2 +- modules/po/buffextras.ru_RU.po | 2 +- modules/po/cert.bg_BG.po | 2 +- modules/po/cert.de_DE.po | 2 +- modules/po/cert.es_ES.po | 2 +- modules/po/cert.fr_FR.po | 2 +- modules/po/cert.id_ID.po | 2 +- modules/po/cert.it_IT.po | 2 +- modules/po/cert.nl_NL.po | 2 +- modules/po/cert.pt_BR.po | 2 +- modules/po/cert.ru_RU.po | 2 +- modules/po/certauth.bg_BG.po | 2 +- modules/po/certauth.de_DE.po | 2 +- modules/po/certauth.es_ES.po | 2 +- modules/po/certauth.fr_FR.po | 2 +- modules/po/certauth.id_ID.po | 2 +- modules/po/certauth.it_IT.po | 2 +- modules/po/certauth.nl_NL.po | 2 +- modules/po/certauth.pt_BR.po | 2 +- modules/po/certauth.ru_RU.po | 2 +- modules/po/chansaver.bg_BG.po | 2 +- modules/po/chansaver.de_DE.po | 2 +- modules/po/chansaver.es_ES.po | 2 +- modules/po/chansaver.fr_FR.po | 2 +- modules/po/chansaver.id_ID.po | 2 +- modules/po/chansaver.it_IT.po | 2 +- modules/po/chansaver.nl_NL.po | 2 +- modules/po/chansaver.pt_BR.po | 2 +- modules/po/chansaver.ru_RU.po | 2 +- modules/po/clearbufferonmsg.bg_BG.po | 2 +- modules/po/clearbufferonmsg.de_DE.po | 2 +- modules/po/clearbufferonmsg.es_ES.po | 2 +- modules/po/clearbufferonmsg.fr_FR.po | 2 +- modules/po/clearbufferonmsg.id_ID.po | 2 +- modules/po/clearbufferonmsg.it_IT.po | 2 +- modules/po/clearbufferonmsg.nl_NL.po | 2 +- modules/po/clearbufferonmsg.pt_BR.po | 2 +- modules/po/clearbufferonmsg.ru_RU.po | 2 +- modules/po/clientnotify.bg_BG.po | 2 +- modules/po/clientnotify.de_DE.po | 2 +- modules/po/clientnotify.es_ES.po | 2 +- modules/po/clientnotify.fr_FR.po | 2 +- modules/po/clientnotify.id_ID.po | 2 +- modules/po/clientnotify.it_IT.po | 2 +- modules/po/clientnotify.nl_NL.po | 2 +- modules/po/clientnotify.pt_BR.po | 2 +- modules/po/clientnotify.ru_RU.po | 2 +- modules/po/controlpanel.bg_BG.po | 2 +- modules/po/controlpanel.de_DE.po | 2 +- modules/po/controlpanel.es_ES.po | 2 +- modules/po/controlpanel.fr_FR.po | 2 +- modules/po/controlpanel.id_ID.po | 2 +- modules/po/controlpanel.it_IT.po | 2 +- modules/po/controlpanel.nl_NL.po | 2 +- modules/po/controlpanel.pt_BR.po | 2 +- modules/po/controlpanel.ru_RU.po | 2 +- modules/po/crypt.bg_BG.po | 2 +- modules/po/crypt.de_DE.po | 2 +- modules/po/crypt.es_ES.po | 2 +- modules/po/crypt.fr_FR.po | 2 +- modules/po/crypt.id_ID.po | 2 +- modules/po/crypt.it_IT.po | 2 +- modules/po/crypt.nl_NL.po | 2 +- modules/po/crypt.pt_BR.po | 2 +- modules/po/crypt.ru_RU.po | 2 +- modules/po/ctcpflood.bg_BG.po | 2 +- modules/po/ctcpflood.de_DE.po | 2 +- modules/po/ctcpflood.es_ES.po | 2 +- modules/po/ctcpflood.fr_FR.po | 2 +- modules/po/ctcpflood.id_ID.po | 2 +- modules/po/ctcpflood.it_IT.po | 2 +- modules/po/ctcpflood.nl_NL.po | 2 +- modules/po/ctcpflood.pt_BR.po | 2 +- modules/po/ctcpflood.ru_RU.po | 2 +- modules/po/cyrusauth.bg_BG.po | 2 +- modules/po/cyrusauth.de_DE.po | 2 +- modules/po/cyrusauth.es_ES.po | 2 +- modules/po/cyrusauth.fr_FR.po | 2 +- modules/po/cyrusauth.id_ID.po | 2 +- modules/po/cyrusauth.it_IT.po | 2 +- modules/po/cyrusauth.nl_NL.po | 2 +- modules/po/cyrusauth.pt_BR.po | 2 +- modules/po/cyrusauth.ru_RU.po | 2 +- modules/po/dcc.bg_BG.po | 2 +- modules/po/dcc.de_DE.po | 2 +- modules/po/dcc.es_ES.po | 2 +- modules/po/dcc.fr_FR.po | 2 +- modules/po/dcc.id_ID.po | 2 +- modules/po/dcc.it_IT.po | 2 +- modules/po/dcc.nl_NL.po | 2 +- modules/po/dcc.pt_BR.po | 2 +- modules/po/dcc.ru_RU.po | 2 +- modules/po/disconkick.bg_BG.po | 2 +- modules/po/disconkick.de_DE.po | 2 +- modules/po/disconkick.es_ES.po | 2 +- modules/po/disconkick.fr_FR.po | 2 +- modules/po/disconkick.id_ID.po | 2 +- modules/po/disconkick.it_IT.po | 2 +- modules/po/disconkick.nl_NL.po | 2 +- modules/po/disconkick.pt_BR.po | 2 +- modules/po/disconkick.ru_RU.po | 2 +- modules/po/fail2ban.bg_BG.po | 2 +- modules/po/fail2ban.de_DE.po | 2 +- modules/po/fail2ban.es_ES.po | 2 +- modules/po/fail2ban.fr_FR.po | 2 +- modules/po/fail2ban.id_ID.po | 2 +- modules/po/fail2ban.it_IT.po | 2 +- modules/po/fail2ban.nl_NL.po | 2 +- modules/po/fail2ban.pt_BR.po | 2 +- modules/po/fail2ban.ru_RU.po | 2 +- modules/po/flooddetach.bg_BG.po | 2 +- modules/po/flooddetach.de_DE.po | 2 +- modules/po/flooddetach.es_ES.po | 2 +- modules/po/flooddetach.fr_FR.po | 2 +- modules/po/flooddetach.id_ID.po | 2 +- modules/po/flooddetach.it_IT.po | 2 +- modules/po/flooddetach.nl_NL.po | 2 +- modules/po/flooddetach.pt_BR.po | 2 +- modules/po/flooddetach.ru_RU.po | 2 +- modules/po/identfile.bg_BG.po | 2 +- modules/po/identfile.de_DE.po | 2 +- modules/po/identfile.es_ES.po | 2 +- modules/po/identfile.fr_FR.po | 2 +- modules/po/identfile.id_ID.po | 2 +- modules/po/identfile.it_IT.po | 2 +- modules/po/identfile.nl_NL.po | 2 +- modules/po/identfile.pt_BR.po | 2 +- modules/po/identfile.ru_RU.po | 2 +- modules/po/imapauth.bg_BG.po | 2 +- modules/po/imapauth.de_DE.po | 2 +- modules/po/imapauth.es_ES.po | 2 +- modules/po/imapauth.fr_FR.po | 2 +- modules/po/imapauth.id_ID.po | 2 +- modules/po/imapauth.it_IT.po | 2 +- modules/po/imapauth.nl_NL.po | 2 +- modules/po/imapauth.pt_BR.po | 2 +- modules/po/imapauth.ru_RU.po | 2 +- modules/po/keepnick.bg_BG.po | 2 +- modules/po/keepnick.de_DE.po | 2 +- modules/po/keepnick.es_ES.po | 2 +- modules/po/keepnick.fr_FR.po | 2 +- modules/po/keepnick.id_ID.po | 2 +- modules/po/keepnick.it_IT.po | 2 +- modules/po/keepnick.nl_NL.po | 2 +- modules/po/keepnick.pt_BR.po | 2 +- modules/po/keepnick.ru_RU.po | 2 +- modules/po/kickrejoin.bg_BG.po | 2 +- modules/po/kickrejoin.de_DE.po | 2 +- modules/po/kickrejoin.es_ES.po | 2 +- modules/po/kickrejoin.fr_FR.po | 2 +- modules/po/kickrejoin.id_ID.po | 2 +- modules/po/kickrejoin.it_IT.po | 2 +- modules/po/kickrejoin.nl_NL.po | 2 +- modules/po/kickrejoin.pt_BR.po | 2 +- modules/po/kickrejoin.ru_RU.po | 2 +- modules/po/lastseen.bg_BG.po | 2 +- modules/po/lastseen.de_DE.po | 2 +- modules/po/lastseen.es_ES.po | 2 +- modules/po/lastseen.fr_FR.po | 2 +- modules/po/lastseen.id_ID.po | 2 +- modules/po/lastseen.it_IT.po | 2 +- modules/po/lastseen.nl_NL.po | 2 +- modules/po/lastseen.pt_BR.po | 2 +- modules/po/lastseen.ru_RU.po | 2 +- modules/po/listsockets.bg_BG.po | 2 +- modules/po/listsockets.de_DE.po | 2 +- modules/po/listsockets.es_ES.po | 2 +- modules/po/listsockets.fr_FR.po | 2 +- modules/po/listsockets.id_ID.po | 2 +- modules/po/listsockets.it_IT.po | 2 +- modules/po/listsockets.nl_NL.po | 2 +- modules/po/listsockets.pt_BR.po | 2 +- modules/po/listsockets.ru_RU.po | 2 +- modules/po/log.bg_BG.po | 2 +- modules/po/log.de_DE.po | 2 +- modules/po/log.es_ES.po | 2 +- modules/po/log.fr_FR.po | 2 +- modules/po/log.id_ID.po | 2 +- modules/po/log.it_IT.po | 2 +- modules/po/log.nl_NL.po | 2 +- modules/po/log.pt_BR.po | 2 +- modules/po/log.ru_RU.po | 2 +- modules/po/missingmotd.bg_BG.po | 2 +- modules/po/missingmotd.de_DE.po | 2 +- modules/po/missingmotd.es_ES.po | 2 +- modules/po/missingmotd.fr_FR.po | 2 +- modules/po/missingmotd.id_ID.po | 2 +- modules/po/missingmotd.it_IT.po | 2 +- modules/po/missingmotd.nl_NL.po | 2 +- modules/po/missingmotd.pt_BR.po | 2 +- modules/po/missingmotd.ru_RU.po | 2 +- modules/po/modperl.bg_BG.po | 2 +- modules/po/modperl.de_DE.po | 2 +- modules/po/modperl.es_ES.po | 2 +- modules/po/modperl.fr_FR.po | 2 +- modules/po/modperl.id_ID.po | 2 +- modules/po/modperl.it_IT.po | 2 +- modules/po/modperl.nl_NL.po | 2 +- modules/po/modperl.pt_BR.po | 2 +- modules/po/modperl.ru_RU.po | 2 +- modules/po/modpython.bg_BG.po | 2 +- modules/po/modpython.de_DE.po | 2 +- modules/po/modpython.es_ES.po | 2 +- modules/po/modpython.fr_FR.po | 2 +- modules/po/modpython.id_ID.po | 2 +- modules/po/modpython.it_IT.po | 2 +- modules/po/modpython.nl_NL.po | 2 +- modules/po/modpython.pt_BR.po | 2 +- modules/po/modpython.ru_RU.po | 2 +- modules/po/modules_online.bg_BG.po | 2 +- modules/po/modules_online.de_DE.po | 2 +- modules/po/modules_online.es_ES.po | 2 +- modules/po/modules_online.fr_FR.po | 2 +- modules/po/modules_online.id_ID.po | 2 +- modules/po/modules_online.it_IT.po | 2 +- modules/po/modules_online.nl_NL.po | 2 +- modules/po/modules_online.pt_BR.po | 2 +- modules/po/modules_online.ru_RU.po | 2 +- modules/po/nickserv.bg_BG.po | 2 +- modules/po/nickserv.de_DE.po | 2 +- modules/po/nickserv.es_ES.po | 2 +- modules/po/nickserv.fr_FR.po | 2 +- modules/po/nickserv.id_ID.po | 2 +- modules/po/nickserv.it_IT.po | 2 +- modules/po/nickserv.nl_NL.po | 2 +- modules/po/nickserv.pt_BR.po | 2 +- modules/po/nickserv.ru_RU.po | 2 +- modules/po/notes.bg_BG.po | 2 +- modules/po/notes.de_DE.po | 2 +- modules/po/notes.es_ES.po | 2 +- modules/po/notes.fr_FR.po | 2 +- modules/po/notes.id_ID.po | 2 +- modules/po/notes.it_IT.po | 2 +- modules/po/notes.nl_NL.po | 2 +- modules/po/notes.pt_BR.po | 2 +- modules/po/notes.ru_RU.po | 2 +- modules/po/notify_connect.bg_BG.po | 2 +- modules/po/notify_connect.de_DE.po | 2 +- modules/po/notify_connect.es_ES.po | 2 +- modules/po/notify_connect.fr_FR.po | 2 +- modules/po/notify_connect.id_ID.po | 2 +- modules/po/notify_connect.it_IT.po | 2 +- modules/po/notify_connect.nl_NL.po | 2 +- modules/po/notify_connect.pt_BR.po | 2 +- modules/po/notify_connect.ru_RU.po | 2 +- modules/po/perform.bg_BG.po | 2 +- modules/po/perform.de_DE.po | 2 +- modules/po/perform.es_ES.po | 2 +- modules/po/perform.fr_FR.po | 2 +- modules/po/perform.id_ID.po | 2 +- modules/po/perform.it_IT.po | 2 +- modules/po/perform.nl_NL.po | 2 +- modules/po/perform.pt_BR.po | 2 +- modules/po/perform.ru_RU.po | 2 +- modules/po/perleval.bg_BG.po | 2 +- modules/po/perleval.de_DE.po | 2 +- modules/po/perleval.es_ES.po | 2 +- modules/po/perleval.fr_FR.po | 2 +- modules/po/perleval.id_ID.po | 2 +- modules/po/perleval.it_IT.po | 2 +- modules/po/perleval.nl_NL.po | 2 +- modules/po/perleval.pt_BR.po | 2 +- modules/po/perleval.ru_RU.po | 2 +- modules/po/pyeval.bg_BG.po | 2 +- modules/po/pyeval.de_DE.po | 2 +- modules/po/pyeval.es_ES.po | 2 +- modules/po/pyeval.fr_FR.po | 2 +- modules/po/pyeval.id_ID.po | 2 +- modules/po/pyeval.it_IT.po | 2 +- modules/po/pyeval.nl_NL.po | 2 +- modules/po/pyeval.pt_BR.po | 2 +- modules/po/pyeval.ru_RU.po | 2 +- modules/po/raw.bg_BG.po | 2 +- modules/po/raw.de_DE.po | 2 +- modules/po/raw.es_ES.po | 2 +- modules/po/raw.fr_FR.po | 2 +- modules/po/raw.id_ID.po | 2 +- modules/po/raw.it_IT.po | 2 +- modules/po/raw.nl_NL.po | 2 +- modules/po/raw.pt_BR.po | 2 +- modules/po/raw.ru_RU.po | 2 +- modules/po/route_replies.bg_BG.po | 2 +- modules/po/route_replies.de_DE.po | 2 +- modules/po/route_replies.es_ES.po | 2 +- modules/po/route_replies.fr_FR.po | 2 +- modules/po/route_replies.id_ID.po | 2 +- modules/po/route_replies.it_IT.po | 2 +- modules/po/route_replies.nl_NL.po | 2 +- modules/po/route_replies.pt_BR.po | 2 +- modules/po/route_replies.ru_RU.po | 2 +- modules/po/sample.bg_BG.po | 2 +- modules/po/sample.de_DE.po | 2 +- modules/po/sample.es_ES.po | 2 +- modules/po/sample.fr_FR.po | 2 +- modules/po/sample.id_ID.po | 2 +- modules/po/sample.it_IT.po | 2 +- modules/po/sample.nl_NL.po | 2 +- modules/po/sample.pt_BR.po | 2 +- modules/po/sample.ru_RU.po | 2 +- modules/po/samplewebapi.bg_BG.po | 2 +- modules/po/samplewebapi.de_DE.po | 2 +- modules/po/samplewebapi.es_ES.po | 2 +- modules/po/samplewebapi.fr_FR.po | 2 +- modules/po/samplewebapi.id_ID.po | 2 +- modules/po/samplewebapi.it_IT.po | 2 +- modules/po/samplewebapi.nl_NL.po | 2 +- modules/po/samplewebapi.pt_BR.po | 2 +- modules/po/samplewebapi.ru_RU.po | 2 +- modules/po/sasl.bg_BG.po | 2 +- modules/po/sasl.de_DE.po | 2 +- modules/po/sasl.es_ES.po | 2 +- modules/po/sasl.fr_FR.po | 2 +- modules/po/sasl.id_ID.po | 2 +- modules/po/sasl.it_IT.po | 2 +- modules/po/sasl.nl_NL.po | 2 +- modules/po/sasl.pt_BR.po | 2 +- modules/po/sasl.ru_RU.po | 2 +- modules/po/savebuff.bg_BG.po | 2 +- modules/po/savebuff.de_DE.po | 2 +- modules/po/savebuff.es_ES.po | 2 +- modules/po/savebuff.fr_FR.po | 2 +- modules/po/savebuff.id_ID.po | 2 +- modules/po/savebuff.it_IT.po | 2 +- modules/po/savebuff.nl_NL.po | 2 +- modules/po/savebuff.pt_BR.po | 2 +- modules/po/savebuff.ru_RU.po | 2 +- modules/po/send_raw.bg_BG.po | 2 +- modules/po/send_raw.de_DE.po | 2 +- modules/po/send_raw.es_ES.po | 2 +- modules/po/send_raw.fr_FR.po | 2 +- modules/po/send_raw.id_ID.po | 2 +- modules/po/send_raw.it_IT.po | 2 +- modules/po/send_raw.nl_NL.po | 2 +- modules/po/send_raw.pt_BR.po | 2 +- modules/po/send_raw.ru_RU.po | 2 +- modules/po/shell.bg_BG.po | 2 +- modules/po/shell.de_DE.po | 2 +- modules/po/shell.es_ES.po | 2 +- modules/po/shell.fr_FR.po | 2 +- modules/po/shell.id_ID.po | 2 +- modules/po/shell.it_IT.po | 2 +- modules/po/shell.nl_NL.po | 2 +- modules/po/shell.pt_BR.po | 2 +- modules/po/shell.ru_RU.po | 2 +- modules/po/simple_away.bg_BG.po | 2 +- modules/po/simple_away.de_DE.po | 2 +- modules/po/simple_away.es_ES.po | 2 +- modules/po/simple_away.fr_FR.po | 2 +- modules/po/simple_away.id_ID.po | 2 +- modules/po/simple_away.it_IT.po | 2 +- modules/po/simple_away.nl_NL.po | 2 +- modules/po/simple_away.pt_BR.po | 2 +- modules/po/simple_away.ru_RU.po | 2 +- modules/po/stickychan.bg_BG.po | 2 +- modules/po/stickychan.de_DE.po | 2 +- modules/po/stickychan.es_ES.po | 2 +- modules/po/stickychan.fr_FR.po | 2 +- modules/po/stickychan.id_ID.po | 2 +- modules/po/stickychan.it_IT.po | 2 +- modules/po/stickychan.nl_NL.po | 2 +- modules/po/stickychan.pt_BR.po | 2 +- modules/po/stickychan.ru_RU.po | 2 +- modules/po/stripcontrols.bg_BG.po | 2 +- modules/po/stripcontrols.de_DE.po | 2 +- modules/po/stripcontrols.es_ES.po | 2 +- modules/po/stripcontrols.fr_FR.po | 2 +- modules/po/stripcontrols.id_ID.po | 2 +- modules/po/stripcontrols.it_IT.po | 2 +- modules/po/stripcontrols.nl_NL.po | 2 +- modules/po/stripcontrols.pt_BR.po | 2 +- modules/po/stripcontrols.ru_RU.po | 2 +- modules/po/watch.bg_BG.po | 2 +- modules/po/watch.de_DE.po | 2 +- modules/po/watch.es_ES.po | 2 +- modules/po/watch.fr_FR.po | 2 +- modules/po/watch.id_ID.po | 2 +- modules/po/watch.it_IT.po | 2 +- modules/po/watch.nl_NL.po | 2 +- modules/po/watch.pt_BR.po | 2 +- modules/po/watch.ru_RU.po | 2 +- modules/po/webadmin.bg_BG.po | 2 +- modules/po/webadmin.de_DE.po | 2 +- modules/po/webadmin.es_ES.po | 2 +- modules/po/webadmin.fr_FR.po | 2 +- modules/po/webadmin.id_ID.po | 2 +- modules/po/webadmin.it_IT.po | 2 +- modules/po/webadmin.nl_NL.po | 2 +- modules/po/webadmin.pt_BR.po | 2 +- modules/po/webadmin.ru_RU.po | 2 +- src/po/znc.bg_BG.po | 2 +- src/po/znc.de_DE.po | 2 +- src/po/znc.es_ES.po | 2 +- src/po/znc.fr_FR.po | 2 +- src/po/znc.id_ID.po | 2 +- src/po/znc.it_IT.po | 2 +- src/po/znc.nl_NL.po | 2 +- src/po/znc.pt_BR.po | 2 +- src/po/znc.ru_RU.po | 2 +- 513 files changed, 513 insertions(+), 513 deletions(-) diff --git a/modules/po/admindebug.bg_BG.po b/modules/po/admindebug.bg_BG.po index 18aacddf..dd4060ea 100644 --- a/modules/po/admindebug.bg_BG.po +++ b/modules/po/admindebug.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/admindebug.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/admindebug.de_DE.po b/modules/po/admindebug.de_DE.po index 68ec1daf..4413da9e 100644 --- a/modules/po/admindebug.de_DE.po +++ b/modules/po/admindebug.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/admindebug.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/admindebug.es_ES.po b/modules/po/admindebug.es_ES.po index 8362b205..469bbcc7 100644 --- a/modules/po/admindebug.es_ES.po +++ b/modules/po/admindebug.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/admindebug.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/admindebug.fr_FR.po b/modules/po/admindebug.fr_FR.po index 13a93e93..3840f15f 100644 --- a/modules/po/admindebug.fr_FR.po +++ b/modules/po/admindebug.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/admindebug.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/admindebug.id_ID.po b/modules/po/admindebug.id_ID.po index 71a4b5b7..e4a356eb 100644 --- a/modules/po/admindebug.id_ID.po +++ b/modules/po/admindebug.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/admindebug.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/admindebug.it_IT.po b/modules/po/admindebug.it_IT.po index 050dc0ac..eb6c1be0 100644 --- a/modules/po/admindebug.it_IT.po +++ b/modules/po/admindebug.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/admindebug.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/admindebug.nl_NL.po b/modules/po/admindebug.nl_NL.po index 0dc24273..aee7e626 100644 --- a/modules/po/admindebug.nl_NL.po +++ b/modules/po/admindebug.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/admindebug.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/admindebug.pt_BR.po b/modules/po/admindebug.pt_BR.po index 3fc5316c..fe991e88 100644 --- a/modules/po/admindebug.pt_BR.po +++ b/modules/po/admindebug.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/admindebug.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/admindebug.ru_RU.po b/modules/po/admindebug.ru_RU.po index 06193f57..58d898d6 100644 --- a/modules/po/admindebug.ru_RU.po +++ b/modules/po/admindebug.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/admindebug.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/adminlog.bg_BG.po b/modules/po/adminlog.bg_BG.po index d11d117d..8fae2066 100644 --- a/modules/po/adminlog.bg_BG.po +++ b/modules/po/adminlog.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/adminlog.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/adminlog.de_DE.po b/modules/po/adminlog.de_DE.po index fa6785d5..136643b2 100644 --- a/modules/po/adminlog.de_DE.po +++ b/modules/po/adminlog.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/adminlog.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/adminlog.es_ES.po b/modules/po/adminlog.es_ES.po index 83c65e09..8191ea4b 100644 --- a/modules/po/adminlog.es_ES.po +++ b/modules/po/adminlog.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/adminlog.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/adminlog.fr_FR.po b/modules/po/adminlog.fr_FR.po index 2970b7f3..b84dceb5 100644 --- a/modules/po/adminlog.fr_FR.po +++ b/modules/po/adminlog.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/adminlog.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/adminlog.id_ID.po b/modules/po/adminlog.id_ID.po index be8cd654..f8e4bcf7 100644 --- a/modules/po/adminlog.id_ID.po +++ b/modules/po/adminlog.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/adminlog.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/adminlog.it_IT.po b/modules/po/adminlog.it_IT.po index 3471f967..730a35ab 100644 --- a/modules/po/adminlog.it_IT.po +++ b/modules/po/adminlog.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/adminlog.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/adminlog.nl_NL.po b/modules/po/adminlog.nl_NL.po index 6f096124..25cb416d 100644 --- a/modules/po/adminlog.nl_NL.po +++ b/modules/po/adminlog.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/adminlog.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/adminlog.pt_BR.po b/modules/po/adminlog.pt_BR.po index 6d8c4d58..360f5772 100644 --- a/modules/po/adminlog.pt_BR.po +++ b/modules/po/adminlog.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/adminlog.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/adminlog.ru_RU.po b/modules/po/adminlog.ru_RU.po index 6f3e9091..ba28b042 100644 --- a/modules/po/adminlog.ru_RU.po +++ b/modules/po/adminlog.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/adminlog.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/alias.bg_BG.po b/modules/po/alias.bg_BG.po index 1f7c4c69..8eb30726 100644 --- a/modules/po/alias.bg_BG.po +++ b/modules/po/alias.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/alias.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/alias.de_DE.po b/modules/po/alias.de_DE.po index 36789b75..2e9988c7 100644 --- a/modules/po/alias.de_DE.po +++ b/modules/po/alias.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/alias.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/alias.es_ES.po b/modules/po/alias.es_ES.po index 558015a7..f05140f1 100644 --- a/modules/po/alias.es_ES.po +++ b/modules/po/alias.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/alias.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/alias.fr_FR.po b/modules/po/alias.fr_FR.po index bf17c26f..8a5bb5f6 100644 --- a/modules/po/alias.fr_FR.po +++ b/modules/po/alias.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/alias.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/alias.id_ID.po b/modules/po/alias.id_ID.po index 184f53a4..5d67ecef 100644 --- a/modules/po/alias.id_ID.po +++ b/modules/po/alias.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/alias.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/alias.it_IT.po b/modules/po/alias.it_IT.po index 91c0db4e..b284698a 100644 --- a/modules/po/alias.it_IT.po +++ b/modules/po/alias.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/alias.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/alias.nl_NL.po b/modules/po/alias.nl_NL.po index 9b069a5a..20e8b76e 100644 --- a/modules/po/alias.nl_NL.po +++ b/modules/po/alias.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/alias.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/alias.pt_BR.po b/modules/po/alias.pt_BR.po index f0dcaa9f..4348bbb1 100644 --- a/modules/po/alias.pt_BR.po +++ b/modules/po/alias.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/alias.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/alias.ru_RU.po b/modules/po/alias.ru_RU.po index 730ea191..81ddf964 100644 --- a/modules/po/alias.ru_RU.po +++ b/modules/po/alias.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/alias.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/autoattach.bg_BG.po b/modules/po/autoattach.bg_BG.po index 57693f5d..4ee5b1ca 100644 --- a/modules/po/autoattach.bg_BG.po +++ b/modules/po/autoattach.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/autoattach.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/autoattach.de_DE.po b/modules/po/autoattach.de_DE.po index abf077cb..36ae82ac 100644 --- a/modules/po/autoattach.de_DE.po +++ b/modules/po/autoattach.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/autoattach.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/autoattach.es_ES.po b/modules/po/autoattach.es_ES.po index ec72cec6..ca9417fc 100644 --- a/modules/po/autoattach.es_ES.po +++ b/modules/po/autoattach.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/autoattach.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/autoattach.fr_FR.po b/modules/po/autoattach.fr_FR.po index 0fba3077..f427a466 100644 --- a/modules/po/autoattach.fr_FR.po +++ b/modules/po/autoattach.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/autoattach.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/autoattach.id_ID.po b/modules/po/autoattach.id_ID.po index b8c1e942..73b5a69b 100644 --- a/modules/po/autoattach.id_ID.po +++ b/modules/po/autoattach.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/autoattach.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/autoattach.it_IT.po b/modules/po/autoattach.it_IT.po index 6f96de78..bf99c339 100644 --- a/modules/po/autoattach.it_IT.po +++ b/modules/po/autoattach.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/autoattach.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/autoattach.nl_NL.po b/modules/po/autoattach.nl_NL.po index d2049704..d3aad432 100644 --- a/modules/po/autoattach.nl_NL.po +++ b/modules/po/autoattach.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/autoattach.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/autoattach.pt_BR.po b/modules/po/autoattach.pt_BR.po index 4707d44a..be22cd28 100644 --- a/modules/po/autoattach.pt_BR.po +++ b/modules/po/autoattach.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/autoattach.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/autoattach.ru_RU.po b/modules/po/autoattach.ru_RU.po index 5def0975..1fb0ec3c 100644 --- a/modules/po/autoattach.ru_RU.po +++ b/modules/po/autoattach.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/autoattach.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/autocycle.bg_BG.po b/modules/po/autocycle.bg_BG.po index 615c39f9..a6b967d8 100644 --- a/modules/po/autocycle.bg_BG.po +++ b/modules/po/autocycle.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/autocycle.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/autocycle.de_DE.po b/modules/po/autocycle.de_DE.po index b66893fc..146b5bfe 100644 --- a/modules/po/autocycle.de_DE.po +++ b/modules/po/autocycle.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/autocycle.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/autocycle.es_ES.po b/modules/po/autocycle.es_ES.po index de44ea81..0fee230e 100644 --- a/modules/po/autocycle.es_ES.po +++ b/modules/po/autocycle.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/autocycle.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/autocycle.fr_FR.po b/modules/po/autocycle.fr_FR.po index 505b4dd2..39bc3a29 100644 --- a/modules/po/autocycle.fr_FR.po +++ b/modules/po/autocycle.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/autocycle.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/autocycle.id_ID.po b/modules/po/autocycle.id_ID.po index e8788729..fb212006 100644 --- a/modules/po/autocycle.id_ID.po +++ b/modules/po/autocycle.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/autocycle.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/autocycle.it_IT.po b/modules/po/autocycle.it_IT.po index a5a9a4ed..00a7b106 100644 --- a/modules/po/autocycle.it_IT.po +++ b/modules/po/autocycle.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/autocycle.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/autocycle.nl_NL.po b/modules/po/autocycle.nl_NL.po index 0b3df9f9..a2319dda 100644 --- a/modules/po/autocycle.nl_NL.po +++ b/modules/po/autocycle.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/autocycle.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/autocycle.pt_BR.po b/modules/po/autocycle.pt_BR.po index 77256399..79e9f16b 100644 --- a/modules/po/autocycle.pt_BR.po +++ b/modules/po/autocycle.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/autocycle.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/autocycle.ru_RU.po b/modules/po/autocycle.ru_RU.po index a5a98475..6ab69a4f 100644 --- a/modules/po/autocycle.ru_RU.po +++ b/modules/po/autocycle.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/autocycle.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/autoop.bg_BG.po b/modules/po/autoop.bg_BG.po index d6e9fe3e..a9cb45ce 100644 --- a/modules/po/autoop.bg_BG.po +++ b/modules/po/autoop.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/autoop.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/autoop.de_DE.po b/modules/po/autoop.de_DE.po index 0739cf3e..d3182bad 100644 --- a/modules/po/autoop.de_DE.po +++ b/modules/po/autoop.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/autoop.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/autoop.es_ES.po b/modules/po/autoop.es_ES.po index 00151829..75bb9d1e 100644 --- a/modules/po/autoop.es_ES.po +++ b/modules/po/autoop.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/autoop.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/autoop.fr_FR.po b/modules/po/autoop.fr_FR.po index bc91e8ec..76a87905 100644 --- a/modules/po/autoop.fr_FR.po +++ b/modules/po/autoop.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/autoop.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/autoop.id_ID.po b/modules/po/autoop.id_ID.po index 6246e058..3adaa6e8 100644 --- a/modules/po/autoop.id_ID.po +++ b/modules/po/autoop.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/autoop.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/autoop.it_IT.po b/modules/po/autoop.it_IT.po index 0ff67ad8..3458920c 100644 --- a/modules/po/autoop.it_IT.po +++ b/modules/po/autoop.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/autoop.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/autoop.nl_NL.po b/modules/po/autoop.nl_NL.po index dc6fc9a3..e8ff8695 100644 --- a/modules/po/autoop.nl_NL.po +++ b/modules/po/autoop.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/autoop.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/autoop.pt_BR.po b/modules/po/autoop.pt_BR.po index 6f568ee0..c224c8ab 100644 --- a/modules/po/autoop.pt_BR.po +++ b/modules/po/autoop.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/autoop.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/autoop.ru_RU.po b/modules/po/autoop.ru_RU.po index 6252b3a5..028f5a6f 100644 --- a/modules/po/autoop.ru_RU.po +++ b/modules/po/autoop.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/autoop.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/autoreply.bg_BG.po b/modules/po/autoreply.bg_BG.po index 2ce3a3bd..48a714f2 100644 --- a/modules/po/autoreply.bg_BG.po +++ b/modules/po/autoreply.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/autoreply.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/autoreply.de_DE.po b/modules/po/autoreply.de_DE.po index 5c2c1941..91b8dccf 100644 --- a/modules/po/autoreply.de_DE.po +++ b/modules/po/autoreply.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/autoreply.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/autoreply.es_ES.po b/modules/po/autoreply.es_ES.po index 9956d41a..87ce34d6 100644 --- a/modules/po/autoreply.es_ES.po +++ b/modules/po/autoreply.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/autoreply.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/autoreply.fr_FR.po b/modules/po/autoreply.fr_FR.po index 6c9328bb..1a025f34 100644 --- a/modules/po/autoreply.fr_FR.po +++ b/modules/po/autoreply.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/autoreply.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/autoreply.id_ID.po b/modules/po/autoreply.id_ID.po index d191ab95..94188533 100644 --- a/modules/po/autoreply.id_ID.po +++ b/modules/po/autoreply.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/autoreply.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/autoreply.it_IT.po b/modules/po/autoreply.it_IT.po index 3f5aad22..965724c0 100644 --- a/modules/po/autoreply.it_IT.po +++ b/modules/po/autoreply.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/autoreply.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/autoreply.nl_NL.po b/modules/po/autoreply.nl_NL.po index 404cbcad..691ebe4e 100644 --- a/modules/po/autoreply.nl_NL.po +++ b/modules/po/autoreply.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/autoreply.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/autoreply.pt_BR.po b/modules/po/autoreply.pt_BR.po index 35800ba7..9c205a88 100644 --- a/modules/po/autoreply.pt_BR.po +++ b/modules/po/autoreply.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/autoreply.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/autoreply.ru_RU.po b/modules/po/autoreply.ru_RU.po index b13f27c2..ee488dad 100644 --- a/modules/po/autoreply.ru_RU.po +++ b/modules/po/autoreply.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/autoreply.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/autovoice.bg_BG.po b/modules/po/autovoice.bg_BG.po index b83e58d1..e4c71ffa 100644 --- a/modules/po/autovoice.bg_BG.po +++ b/modules/po/autovoice.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/autovoice.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/autovoice.de_DE.po b/modules/po/autovoice.de_DE.po index 180e3f99..0a7ec8fb 100644 --- a/modules/po/autovoice.de_DE.po +++ b/modules/po/autovoice.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/autovoice.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/autovoice.es_ES.po b/modules/po/autovoice.es_ES.po index f947ec75..2170f39f 100644 --- a/modules/po/autovoice.es_ES.po +++ b/modules/po/autovoice.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/autovoice.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/autovoice.fr_FR.po b/modules/po/autovoice.fr_FR.po index 4e1bbd4f..74092368 100644 --- a/modules/po/autovoice.fr_FR.po +++ b/modules/po/autovoice.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/autovoice.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/autovoice.id_ID.po b/modules/po/autovoice.id_ID.po index de7c57b1..3f003b80 100644 --- a/modules/po/autovoice.id_ID.po +++ b/modules/po/autovoice.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/autovoice.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/autovoice.it_IT.po b/modules/po/autovoice.it_IT.po index 50f29e5d..8014d56c 100644 --- a/modules/po/autovoice.it_IT.po +++ b/modules/po/autovoice.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/autovoice.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/autovoice.nl_NL.po b/modules/po/autovoice.nl_NL.po index 48718137..aa84aa10 100644 --- a/modules/po/autovoice.nl_NL.po +++ b/modules/po/autovoice.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/autovoice.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/autovoice.pt_BR.po b/modules/po/autovoice.pt_BR.po index eb0d5963..9afcafab 100644 --- a/modules/po/autovoice.pt_BR.po +++ b/modules/po/autovoice.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/autovoice.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/autovoice.ru_RU.po b/modules/po/autovoice.ru_RU.po index c54a3c2c..510ef0c1 100644 --- a/modules/po/autovoice.ru_RU.po +++ b/modules/po/autovoice.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/autovoice.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/awaystore.bg_BG.po b/modules/po/awaystore.bg_BG.po index 41da7b9d..de923c19 100644 --- a/modules/po/awaystore.bg_BG.po +++ b/modules/po/awaystore.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/awaystore.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/awaystore.de_DE.po b/modules/po/awaystore.de_DE.po index 8c9e8c6d..b4848850 100644 --- a/modules/po/awaystore.de_DE.po +++ b/modules/po/awaystore.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/awaystore.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/awaystore.es_ES.po b/modules/po/awaystore.es_ES.po index 57e1f8f5..bf33ceb0 100644 --- a/modules/po/awaystore.es_ES.po +++ b/modules/po/awaystore.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/awaystore.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/awaystore.fr_FR.po b/modules/po/awaystore.fr_FR.po index dfd78a81..fad4ae42 100644 --- a/modules/po/awaystore.fr_FR.po +++ b/modules/po/awaystore.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/awaystore.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/awaystore.id_ID.po b/modules/po/awaystore.id_ID.po index 09551c20..661c44f1 100644 --- a/modules/po/awaystore.id_ID.po +++ b/modules/po/awaystore.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/awaystore.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/awaystore.it_IT.po b/modules/po/awaystore.it_IT.po index 853407a4..a0425aa9 100644 --- a/modules/po/awaystore.it_IT.po +++ b/modules/po/awaystore.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/awaystore.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/awaystore.nl_NL.po b/modules/po/awaystore.nl_NL.po index a6b8e83a..2f654145 100644 --- a/modules/po/awaystore.nl_NL.po +++ b/modules/po/awaystore.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/awaystore.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/awaystore.pt_BR.po b/modules/po/awaystore.pt_BR.po index c6cad3af..fb4865ec 100644 --- a/modules/po/awaystore.pt_BR.po +++ b/modules/po/awaystore.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/awaystore.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/awaystore.ru_RU.po b/modules/po/awaystore.ru_RU.po index 46b9e393..fe62391a 100644 --- a/modules/po/awaystore.ru_RU.po +++ b/modules/po/awaystore.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/awaystore.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/block_motd.bg_BG.po b/modules/po/block_motd.bg_BG.po index 799dd02b..687f1dd1 100644 --- a/modules/po/block_motd.bg_BG.po +++ b/modules/po/block_motd.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/block_motd.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/block_motd.de_DE.po b/modules/po/block_motd.de_DE.po index 80b37ca9..db0658c6 100644 --- a/modules/po/block_motd.de_DE.po +++ b/modules/po/block_motd.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/block_motd.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/block_motd.es_ES.po b/modules/po/block_motd.es_ES.po index 5cd050ea..1626eca6 100644 --- a/modules/po/block_motd.es_ES.po +++ b/modules/po/block_motd.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/block_motd.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/block_motd.fr_FR.po b/modules/po/block_motd.fr_FR.po index b3800ef2..1ab2b234 100644 --- a/modules/po/block_motd.fr_FR.po +++ b/modules/po/block_motd.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/block_motd.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/block_motd.id_ID.po b/modules/po/block_motd.id_ID.po index 738fe0e9..1202e529 100644 --- a/modules/po/block_motd.id_ID.po +++ b/modules/po/block_motd.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/block_motd.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/block_motd.it_IT.po b/modules/po/block_motd.it_IT.po index 579f211a..9bdd0b98 100644 --- a/modules/po/block_motd.it_IT.po +++ b/modules/po/block_motd.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/block_motd.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/block_motd.nl_NL.po b/modules/po/block_motd.nl_NL.po index c5556845..b5f45e34 100644 --- a/modules/po/block_motd.nl_NL.po +++ b/modules/po/block_motd.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/block_motd.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/block_motd.pt_BR.po b/modules/po/block_motd.pt_BR.po index dc8074d6..cbc38077 100644 --- a/modules/po/block_motd.pt_BR.po +++ b/modules/po/block_motd.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/block_motd.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/block_motd.ru_RU.po b/modules/po/block_motd.ru_RU.po index 82cf673e..3f2d08b7 100644 --- a/modules/po/block_motd.ru_RU.po +++ b/modules/po/block_motd.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/block_motd.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/blockuser.bg_BG.po b/modules/po/blockuser.bg_BG.po index 146e1df1..238ea410 100644 --- a/modules/po/blockuser.bg_BG.po +++ b/modules/po/blockuser.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/blockuser.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/blockuser.de_DE.po b/modules/po/blockuser.de_DE.po index 31ce2eca..9ee66a49 100644 --- a/modules/po/blockuser.de_DE.po +++ b/modules/po/blockuser.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/blockuser.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/blockuser.es_ES.po b/modules/po/blockuser.es_ES.po index a54016b9..ac895618 100644 --- a/modules/po/blockuser.es_ES.po +++ b/modules/po/blockuser.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/blockuser.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/blockuser.fr_FR.po b/modules/po/blockuser.fr_FR.po index 68b7ef25..4483cfac 100644 --- a/modules/po/blockuser.fr_FR.po +++ b/modules/po/blockuser.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/blockuser.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/blockuser.id_ID.po b/modules/po/blockuser.id_ID.po index 3ab3e79b..8b4e9cef 100644 --- a/modules/po/blockuser.id_ID.po +++ b/modules/po/blockuser.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/blockuser.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/blockuser.it_IT.po b/modules/po/blockuser.it_IT.po index 81dc6bf6..7d8fa1d7 100644 --- a/modules/po/blockuser.it_IT.po +++ b/modules/po/blockuser.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/blockuser.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/blockuser.nl_NL.po b/modules/po/blockuser.nl_NL.po index f008161f..94413c9d 100644 --- a/modules/po/blockuser.nl_NL.po +++ b/modules/po/blockuser.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/blockuser.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/blockuser.pt_BR.po b/modules/po/blockuser.pt_BR.po index df849232..112e96d5 100644 --- a/modules/po/blockuser.pt_BR.po +++ b/modules/po/blockuser.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/blockuser.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/blockuser.ru_RU.po b/modules/po/blockuser.ru_RU.po index 05d6d817..2fddaf2f 100644 --- a/modules/po/blockuser.ru_RU.po +++ b/modules/po/blockuser.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/blockuser.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/bouncedcc.bg_BG.po b/modules/po/bouncedcc.bg_BG.po index 67354a12..419087de 100644 --- a/modules/po/bouncedcc.bg_BG.po +++ b/modules/po/bouncedcc.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/bouncedcc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/bouncedcc.de_DE.po b/modules/po/bouncedcc.de_DE.po index 4ead4b91..31c89383 100644 --- a/modules/po/bouncedcc.de_DE.po +++ b/modules/po/bouncedcc.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/bouncedcc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/bouncedcc.es_ES.po b/modules/po/bouncedcc.es_ES.po index 3091f941..aa9dade7 100644 --- a/modules/po/bouncedcc.es_ES.po +++ b/modules/po/bouncedcc.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/bouncedcc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/bouncedcc.fr_FR.po b/modules/po/bouncedcc.fr_FR.po index 57511db4..6ad85549 100644 --- a/modules/po/bouncedcc.fr_FR.po +++ b/modules/po/bouncedcc.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/bouncedcc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/bouncedcc.id_ID.po b/modules/po/bouncedcc.id_ID.po index 67265639..8ab2006e 100644 --- a/modules/po/bouncedcc.id_ID.po +++ b/modules/po/bouncedcc.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/bouncedcc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/bouncedcc.it_IT.po b/modules/po/bouncedcc.it_IT.po index 5ecf839b..2b2b5aa6 100644 --- a/modules/po/bouncedcc.it_IT.po +++ b/modules/po/bouncedcc.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/bouncedcc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/bouncedcc.nl_NL.po b/modules/po/bouncedcc.nl_NL.po index b54b6317..2f40db3d 100644 --- a/modules/po/bouncedcc.nl_NL.po +++ b/modules/po/bouncedcc.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/bouncedcc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/bouncedcc.pt_BR.po b/modules/po/bouncedcc.pt_BR.po index 956445bb..1e54ca68 100644 --- a/modules/po/bouncedcc.pt_BR.po +++ b/modules/po/bouncedcc.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/bouncedcc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/bouncedcc.ru_RU.po b/modules/po/bouncedcc.ru_RU.po index 0fa99d62..6dfeb267 100644 --- a/modules/po/bouncedcc.ru_RU.po +++ b/modules/po/bouncedcc.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/bouncedcc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/buffextras.bg_BG.po b/modules/po/buffextras.bg_BG.po index 5fe83d9f..d87827f1 100644 --- a/modules/po/buffextras.bg_BG.po +++ b/modules/po/buffextras.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/buffextras.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/buffextras.de_DE.po b/modules/po/buffextras.de_DE.po index af40c49a..24f927ea 100644 --- a/modules/po/buffextras.de_DE.po +++ b/modules/po/buffextras.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/buffextras.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/buffextras.es_ES.po b/modules/po/buffextras.es_ES.po index aaa75c2e..6db96d13 100644 --- a/modules/po/buffextras.es_ES.po +++ b/modules/po/buffextras.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/buffextras.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/buffextras.fr_FR.po b/modules/po/buffextras.fr_FR.po index 73c5da54..a60e05ff 100644 --- a/modules/po/buffextras.fr_FR.po +++ b/modules/po/buffextras.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/buffextras.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/buffextras.id_ID.po b/modules/po/buffextras.id_ID.po index 83a89718..9c38a3ee 100644 --- a/modules/po/buffextras.id_ID.po +++ b/modules/po/buffextras.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/buffextras.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/buffextras.it_IT.po b/modules/po/buffextras.it_IT.po index 06846cf6..c2be961d 100644 --- a/modules/po/buffextras.it_IT.po +++ b/modules/po/buffextras.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/buffextras.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/buffextras.nl_NL.po b/modules/po/buffextras.nl_NL.po index 6d182090..6c9da941 100644 --- a/modules/po/buffextras.nl_NL.po +++ b/modules/po/buffextras.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/buffextras.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/buffextras.pt_BR.po b/modules/po/buffextras.pt_BR.po index 3111c0e5..bb7d927f 100644 --- a/modules/po/buffextras.pt_BR.po +++ b/modules/po/buffextras.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/buffextras.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/buffextras.ru_RU.po b/modules/po/buffextras.ru_RU.po index 0a2b5778..7cc2bd0e 100644 --- a/modules/po/buffextras.ru_RU.po +++ b/modules/po/buffextras.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/buffextras.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/cert.bg_BG.po b/modules/po/cert.bg_BG.po index 16812142..2768764e 100644 --- a/modules/po/cert.bg_BG.po +++ b/modules/po/cert.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/cert.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/cert.de_DE.po b/modules/po/cert.de_DE.po index 9b3b6c30..ec158626 100644 --- a/modules/po/cert.de_DE.po +++ b/modules/po/cert.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/cert.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/cert.es_ES.po b/modules/po/cert.es_ES.po index e0a131f4..7369e3a5 100644 --- a/modules/po/cert.es_ES.po +++ b/modules/po/cert.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/cert.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/cert.fr_FR.po b/modules/po/cert.fr_FR.po index 35565813..dc024396 100644 --- a/modules/po/cert.fr_FR.po +++ b/modules/po/cert.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/cert.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/cert.id_ID.po b/modules/po/cert.id_ID.po index 98bf7a8e..c875fbfa 100644 --- a/modules/po/cert.id_ID.po +++ b/modules/po/cert.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/cert.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/cert.it_IT.po b/modules/po/cert.it_IT.po index 8daa7e15..beb953f4 100644 --- a/modules/po/cert.it_IT.po +++ b/modules/po/cert.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/cert.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/cert.nl_NL.po b/modules/po/cert.nl_NL.po index 72e19ac0..f0154a12 100644 --- a/modules/po/cert.nl_NL.po +++ b/modules/po/cert.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/cert.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/cert.pt_BR.po b/modules/po/cert.pt_BR.po index 453da4f1..207dee08 100644 --- a/modules/po/cert.pt_BR.po +++ b/modules/po/cert.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/cert.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/cert.ru_RU.po b/modules/po/cert.ru_RU.po index e5f4cb3b..e4a6f6f6 100644 --- a/modules/po/cert.ru_RU.po +++ b/modules/po/cert.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/cert.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/certauth.bg_BG.po b/modules/po/certauth.bg_BG.po index 03d70689..d9e7df5b 100644 --- a/modules/po/certauth.bg_BG.po +++ b/modules/po/certauth.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/certauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/certauth.de_DE.po b/modules/po/certauth.de_DE.po index 21538f31..f33d0c11 100644 --- a/modules/po/certauth.de_DE.po +++ b/modules/po/certauth.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/certauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/certauth.es_ES.po b/modules/po/certauth.es_ES.po index 6fe0efff..352efe1e 100644 --- a/modules/po/certauth.es_ES.po +++ b/modules/po/certauth.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/certauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/certauth.fr_FR.po b/modules/po/certauth.fr_FR.po index 82bc484d..3d6cb2c6 100644 --- a/modules/po/certauth.fr_FR.po +++ b/modules/po/certauth.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/certauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/certauth.id_ID.po b/modules/po/certauth.id_ID.po index 29f34733..76938b2c 100644 --- a/modules/po/certauth.id_ID.po +++ b/modules/po/certauth.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/certauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/certauth.it_IT.po b/modules/po/certauth.it_IT.po index fdfd43ca..a1b178a1 100644 --- a/modules/po/certauth.it_IT.po +++ b/modules/po/certauth.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/certauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/certauth.nl_NL.po b/modules/po/certauth.nl_NL.po index 7b18e8c4..26d8d6a7 100644 --- a/modules/po/certauth.nl_NL.po +++ b/modules/po/certauth.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/certauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/certauth.pt_BR.po b/modules/po/certauth.pt_BR.po index e0674a17..232caddb 100644 --- a/modules/po/certauth.pt_BR.po +++ b/modules/po/certauth.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/certauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/certauth.ru_RU.po b/modules/po/certauth.ru_RU.po index 94550706..c3a3f786 100644 --- a/modules/po/certauth.ru_RU.po +++ b/modules/po/certauth.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/certauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/chansaver.bg_BG.po b/modules/po/chansaver.bg_BG.po index 04a651c4..490c356d 100644 --- a/modules/po/chansaver.bg_BG.po +++ b/modules/po/chansaver.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/chansaver.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/chansaver.de_DE.po b/modules/po/chansaver.de_DE.po index e3f38978..15de7e9b 100644 --- a/modules/po/chansaver.de_DE.po +++ b/modules/po/chansaver.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/chansaver.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/chansaver.es_ES.po b/modules/po/chansaver.es_ES.po index c6dfefc9..df725332 100644 --- a/modules/po/chansaver.es_ES.po +++ b/modules/po/chansaver.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/chansaver.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/chansaver.fr_FR.po b/modules/po/chansaver.fr_FR.po index f2df7450..5456fcef 100644 --- a/modules/po/chansaver.fr_FR.po +++ b/modules/po/chansaver.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/chansaver.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/chansaver.id_ID.po b/modules/po/chansaver.id_ID.po index db1b41b2..fdb9122c 100644 --- a/modules/po/chansaver.id_ID.po +++ b/modules/po/chansaver.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/chansaver.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/chansaver.it_IT.po b/modules/po/chansaver.it_IT.po index 82a91c54..66b0e483 100644 --- a/modules/po/chansaver.it_IT.po +++ b/modules/po/chansaver.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/chansaver.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/chansaver.nl_NL.po b/modules/po/chansaver.nl_NL.po index 59ab80ab..f46b1c77 100644 --- a/modules/po/chansaver.nl_NL.po +++ b/modules/po/chansaver.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/chansaver.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/chansaver.pt_BR.po b/modules/po/chansaver.pt_BR.po index 542c6fee..7dea4c23 100644 --- a/modules/po/chansaver.pt_BR.po +++ b/modules/po/chansaver.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/chansaver.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/chansaver.ru_RU.po b/modules/po/chansaver.ru_RU.po index bb2cbea7..894d9668 100644 --- a/modules/po/chansaver.ru_RU.po +++ b/modules/po/chansaver.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/chansaver.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/clearbufferonmsg.bg_BG.po b/modules/po/clearbufferonmsg.bg_BG.po index b1ccfe79..2cdcde1f 100644 --- a/modules/po/clearbufferonmsg.bg_BG.po +++ b/modules/po/clearbufferonmsg.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/clearbufferonmsg.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/clearbufferonmsg.de_DE.po b/modules/po/clearbufferonmsg.de_DE.po index 183a677f..e12da02c 100644 --- a/modules/po/clearbufferonmsg.de_DE.po +++ b/modules/po/clearbufferonmsg.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/clearbufferonmsg.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/clearbufferonmsg.es_ES.po b/modules/po/clearbufferonmsg.es_ES.po index 0ef26e5e..6301411b 100644 --- a/modules/po/clearbufferonmsg.es_ES.po +++ b/modules/po/clearbufferonmsg.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/clearbufferonmsg.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/clearbufferonmsg.fr_FR.po b/modules/po/clearbufferonmsg.fr_FR.po index 07c99d09..ad523337 100644 --- a/modules/po/clearbufferonmsg.fr_FR.po +++ b/modules/po/clearbufferonmsg.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/clearbufferonmsg.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/clearbufferonmsg.id_ID.po b/modules/po/clearbufferonmsg.id_ID.po index 00bdd7ae..4df9e183 100644 --- a/modules/po/clearbufferonmsg.id_ID.po +++ b/modules/po/clearbufferonmsg.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/clearbufferonmsg.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/clearbufferonmsg.it_IT.po b/modules/po/clearbufferonmsg.it_IT.po index 66201a05..4bbcfbe6 100644 --- a/modules/po/clearbufferonmsg.it_IT.po +++ b/modules/po/clearbufferonmsg.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/clearbufferonmsg.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/clearbufferonmsg.nl_NL.po b/modules/po/clearbufferonmsg.nl_NL.po index d31dedd6..d8547fec 100644 --- a/modules/po/clearbufferonmsg.nl_NL.po +++ b/modules/po/clearbufferonmsg.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/clearbufferonmsg.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/clearbufferonmsg.pt_BR.po b/modules/po/clearbufferonmsg.pt_BR.po index 77f4d7d7..23bfe4ef 100644 --- a/modules/po/clearbufferonmsg.pt_BR.po +++ b/modules/po/clearbufferonmsg.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/clearbufferonmsg.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/clearbufferonmsg.ru_RU.po b/modules/po/clearbufferonmsg.ru_RU.po index d7a58d21..610d3f37 100644 --- a/modules/po/clearbufferonmsg.ru_RU.po +++ b/modules/po/clearbufferonmsg.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/clearbufferonmsg.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/clientnotify.bg_BG.po b/modules/po/clientnotify.bg_BG.po index 1d0920bf..4b6b54fd 100644 --- a/modules/po/clientnotify.bg_BG.po +++ b/modules/po/clientnotify.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/clientnotify.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/clientnotify.de_DE.po b/modules/po/clientnotify.de_DE.po index 2bb3973f..d2531af3 100644 --- a/modules/po/clientnotify.de_DE.po +++ b/modules/po/clientnotify.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/clientnotify.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/clientnotify.es_ES.po b/modules/po/clientnotify.es_ES.po index 512263ea..362eac07 100644 --- a/modules/po/clientnotify.es_ES.po +++ b/modules/po/clientnotify.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/clientnotify.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/clientnotify.fr_FR.po b/modules/po/clientnotify.fr_FR.po index 04ce9fdd..dab0b607 100644 --- a/modules/po/clientnotify.fr_FR.po +++ b/modules/po/clientnotify.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/clientnotify.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/clientnotify.id_ID.po b/modules/po/clientnotify.id_ID.po index 148b6020..10bf81ef 100644 --- a/modules/po/clientnotify.id_ID.po +++ b/modules/po/clientnotify.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/clientnotify.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/clientnotify.it_IT.po b/modules/po/clientnotify.it_IT.po index 44aa12d8..9bfa1489 100644 --- a/modules/po/clientnotify.it_IT.po +++ b/modules/po/clientnotify.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/clientnotify.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/clientnotify.nl_NL.po b/modules/po/clientnotify.nl_NL.po index e913bdd1..6940ef05 100644 --- a/modules/po/clientnotify.nl_NL.po +++ b/modules/po/clientnotify.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/clientnotify.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/clientnotify.pt_BR.po b/modules/po/clientnotify.pt_BR.po index 3438c734..bcff83e4 100644 --- a/modules/po/clientnotify.pt_BR.po +++ b/modules/po/clientnotify.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/clientnotify.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/clientnotify.ru_RU.po b/modules/po/clientnotify.ru_RU.po index 1883d691..f7b935f6 100644 --- a/modules/po/clientnotify.ru_RU.po +++ b/modules/po/clientnotify.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/clientnotify.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/controlpanel.bg_BG.po b/modules/po/controlpanel.bg_BG.po index 5906b517..6473c800 100644 --- a/modules/po/controlpanel.bg_BG.po +++ b/modules/po/controlpanel.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/controlpanel.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/controlpanel.de_DE.po b/modules/po/controlpanel.de_DE.po index 9d0bda0c..99fc41d7 100644 --- a/modules/po/controlpanel.de_DE.po +++ b/modules/po/controlpanel.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/controlpanel.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/controlpanel.es_ES.po b/modules/po/controlpanel.es_ES.po index 4da86e71..3b9081c3 100644 --- a/modules/po/controlpanel.es_ES.po +++ b/modules/po/controlpanel.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/controlpanel.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/controlpanel.fr_FR.po b/modules/po/controlpanel.fr_FR.po index 70d84028..785be51c 100644 --- a/modules/po/controlpanel.fr_FR.po +++ b/modules/po/controlpanel.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/controlpanel.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/controlpanel.id_ID.po b/modules/po/controlpanel.id_ID.po index 5290df41..65a57d41 100644 --- a/modules/po/controlpanel.id_ID.po +++ b/modules/po/controlpanel.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/controlpanel.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/controlpanel.it_IT.po b/modules/po/controlpanel.it_IT.po index f4d570f6..b4ffd2de 100644 --- a/modules/po/controlpanel.it_IT.po +++ b/modules/po/controlpanel.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/controlpanel.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/controlpanel.nl_NL.po b/modules/po/controlpanel.nl_NL.po index 33b9223b..d2325971 100644 --- a/modules/po/controlpanel.nl_NL.po +++ b/modules/po/controlpanel.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/controlpanel.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/controlpanel.pt_BR.po b/modules/po/controlpanel.pt_BR.po index 723682ae..c6a61c42 100644 --- a/modules/po/controlpanel.pt_BR.po +++ b/modules/po/controlpanel.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/controlpanel.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/controlpanel.ru_RU.po b/modules/po/controlpanel.ru_RU.po index 391206a3..95789e1b 100644 --- a/modules/po/controlpanel.ru_RU.po +++ b/modules/po/controlpanel.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/controlpanel.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/crypt.bg_BG.po b/modules/po/crypt.bg_BG.po index 2a3b854d..f5e889d8 100644 --- a/modules/po/crypt.bg_BG.po +++ b/modules/po/crypt.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/crypt.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/crypt.de_DE.po b/modules/po/crypt.de_DE.po index 5b677bea..d16955b1 100644 --- a/modules/po/crypt.de_DE.po +++ b/modules/po/crypt.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/crypt.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/crypt.es_ES.po b/modules/po/crypt.es_ES.po index f7468834..0c67cd6c 100644 --- a/modules/po/crypt.es_ES.po +++ b/modules/po/crypt.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/crypt.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/crypt.fr_FR.po b/modules/po/crypt.fr_FR.po index 38403665..7d86683f 100644 --- a/modules/po/crypt.fr_FR.po +++ b/modules/po/crypt.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/crypt.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/crypt.id_ID.po b/modules/po/crypt.id_ID.po index 05213380..2daac836 100644 --- a/modules/po/crypt.id_ID.po +++ b/modules/po/crypt.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/crypt.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/crypt.it_IT.po b/modules/po/crypt.it_IT.po index cf309053..8c6d9140 100644 --- a/modules/po/crypt.it_IT.po +++ b/modules/po/crypt.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/crypt.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/crypt.nl_NL.po b/modules/po/crypt.nl_NL.po index eea1d2ec..bdb32aca 100644 --- a/modules/po/crypt.nl_NL.po +++ b/modules/po/crypt.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/crypt.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/crypt.pt_BR.po b/modules/po/crypt.pt_BR.po index ea177cfd..2b93cbfb 100644 --- a/modules/po/crypt.pt_BR.po +++ b/modules/po/crypt.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/crypt.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/crypt.ru_RU.po b/modules/po/crypt.ru_RU.po index c72c06ab..5d1f5f3c 100644 --- a/modules/po/crypt.ru_RU.po +++ b/modules/po/crypt.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/crypt.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/ctcpflood.bg_BG.po b/modules/po/ctcpflood.bg_BG.po index f743ba16..4598217a 100644 --- a/modules/po/ctcpflood.bg_BG.po +++ b/modules/po/ctcpflood.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/ctcpflood.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/ctcpflood.de_DE.po b/modules/po/ctcpflood.de_DE.po index 705427ff..e08c9e3d 100644 --- a/modules/po/ctcpflood.de_DE.po +++ b/modules/po/ctcpflood.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/ctcpflood.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/ctcpflood.es_ES.po b/modules/po/ctcpflood.es_ES.po index 1f146281..3f13d550 100644 --- a/modules/po/ctcpflood.es_ES.po +++ b/modules/po/ctcpflood.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/ctcpflood.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/ctcpflood.fr_FR.po b/modules/po/ctcpflood.fr_FR.po index 6b0e44ff..4566fbaf 100644 --- a/modules/po/ctcpflood.fr_FR.po +++ b/modules/po/ctcpflood.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/ctcpflood.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/ctcpflood.id_ID.po b/modules/po/ctcpflood.id_ID.po index 61aba161..952d4d2a 100644 --- a/modules/po/ctcpflood.id_ID.po +++ b/modules/po/ctcpflood.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/ctcpflood.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/ctcpflood.it_IT.po b/modules/po/ctcpflood.it_IT.po index 67cbb523..d6aa33d6 100644 --- a/modules/po/ctcpflood.it_IT.po +++ b/modules/po/ctcpflood.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/ctcpflood.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/ctcpflood.nl_NL.po b/modules/po/ctcpflood.nl_NL.po index caa8783d..11ba1692 100644 --- a/modules/po/ctcpflood.nl_NL.po +++ b/modules/po/ctcpflood.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/ctcpflood.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/ctcpflood.pt_BR.po b/modules/po/ctcpflood.pt_BR.po index fc57db6d..6761947d 100644 --- a/modules/po/ctcpflood.pt_BR.po +++ b/modules/po/ctcpflood.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/ctcpflood.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/ctcpflood.ru_RU.po b/modules/po/ctcpflood.ru_RU.po index 2c38cc0f..bb6e6295 100644 --- a/modules/po/ctcpflood.ru_RU.po +++ b/modules/po/ctcpflood.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/ctcpflood.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/cyrusauth.bg_BG.po b/modules/po/cyrusauth.bg_BG.po index 385d5799..a3b4869f 100644 --- a/modules/po/cyrusauth.bg_BG.po +++ b/modules/po/cyrusauth.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/cyrusauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/cyrusauth.de_DE.po b/modules/po/cyrusauth.de_DE.po index 9de591eb..14a0845e 100644 --- a/modules/po/cyrusauth.de_DE.po +++ b/modules/po/cyrusauth.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/cyrusauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/cyrusauth.es_ES.po b/modules/po/cyrusauth.es_ES.po index c236d873..a66d1003 100644 --- a/modules/po/cyrusauth.es_ES.po +++ b/modules/po/cyrusauth.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/cyrusauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/cyrusauth.fr_FR.po b/modules/po/cyrusauth.fr_FR.po index 146db93e..d34fa100 100644 --- a/modules/po/cyrusauth.fr_FR.po +++ b/modules/po/cyrusauth.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/cyrusauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/cyrusauth.id_ID.po b/modules/po/cyrusauth.id_ID.po index 4970469d..612b26ee 100644 --- a/modules/po/cyrusauth.id_ID.po +++ b/modules/po/cyrusauth.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/cyrusauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/cyrusauth.it_IT.po b/modules/po/cyrusauth.it_IT.po index e929418e..807cb2e7 100644 --- a/modules/po/cyrusauth.it_IT.po +++ b/modules/po/cyrusauth.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/cyrusauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/cyrusauth.nl_NL.po b/modules/po/cyrusauth.nl_NL.po index 76103c2e..9b9bc329 100644 --- a/modules/po/cyrusauth.nl_NL.po +++ b/modules/po/cyrusauth.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/cyrusauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/cyrusauth.pt_BR.po b/modules/po/cyrusauth.pt_BR.po index 3e3ea575..61a93c9b 100644 --- a/modules/po/cyrusauth.pt_BR.po +++ b/modules/po/cyrusauth.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/cyrusauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/cyrusauth.ru_RU.po b/modules/po/cyrusauth.ru_RU.po index b70683bf..a30b1014 100644 --- a/modules/po/cyrusauth.ru_RU.po +++ b/modules/po/cyrusauth.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/cyrusauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/dcc.bg_BG.po b/modules/po/dcc.bg_BG.po index 710ca52a..e96cf350 100644 --- a/modules/po/dcc.bg_BG.po +++ b/modules/po/dcc.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/dcc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/dcc.de_DE.po b/modules/po/dcc.de_DE.po index bd2916e1..7d260073 100644 --- a/modules/po/dcc.de_DE.po +++ b/modules/po/dcc.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/dcc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/dcc.es_ES.po b/modules/po/dcc.es_ES.po index beede9da..258ecf09 100644 --- a/modules/po/dcc.es_ES.po +++ b/modules/po/dcc.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/dcc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/dcc.fr_FR.po b/modules/po/dcc.fr_FR.po index a0d4b1b0..65e69647 100644 --- a/modules/po/dcc.fr_FR.po +++ b/modules/po/dcc.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/dcc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/dcc.id_ID.po b/modules/po/dcc.id_ID.po index c291ea57..655be7f1 100644 --- a/modules/po/dcc.id_ID.po +++ b/modules/po/dcc.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/dcc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/dcc.it_IT.po b/modules/po/dcc.it_IT.po index a0a5c9ec..b2443cc6 100644 --- a/modules/po/dcc.it_IT.po +++ b/modules/po/dcc.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/dcc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/dcc.nl_NL.po b/modules/po/dcc.nl_NL.po index dbbf1b95..971c5530 100644 --- a/modules/po/dcc.nl_NL.po +++ b/modules/po/dcc.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/dcc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/dcc.pt_BR.po b/modules/po/dcc.pt_BR.po index 3f98e46d..b70b8696 100644 --- a/modules/po/dcc.pt_BR.po +++ b/modules/po/dcc.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/dcc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/dcc.ru_RU.po b/modules/po/dcc.ru_RU.po index 6f9173ed..60095a68 100644 --- a/modules/po/dcc.ru_RU.po +++ b/modules/po/dcc.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/dcc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/disconkick.bg_BG.po b/modules/po/disconkick.bg_BG.po index 3a1fdcac..1b68505d 100644 --- a/modules/po/disconkick.bg_BG.po +++ b/modules/po/disconkick.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/disconkick.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/disconkick.de_DE.po b/modules/po/disconkick.de_DE.po index 6232b684..704a13e7 100644 --- a/modules/po/disconkick.de_DE.po +++ b/modules/po/disconkick.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/disconkick.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/disconkick.es_ES.po b/modules/po/disconkick.es_ES.po index 79509a68..bfbad97e 100644 --- a/modules/po/disconkick.es_ES.po +++ b/modules/po/disconkick.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/disconkick.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/disconkick.fr_FR.po b/modules/po/disconkick.fr_FR.po index cfcf9f1b..46e322e8 100644 --- a/modules/po/disconkick.fr_FR.po +++ b/modules/po/disconkick.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/disconkick.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/disconkick.id_ID.po b/modules/po/disconkick.id_ID.po index 017c7659..875b0eb1 100644 --- a/modules/po/disconkick.id_ID.po +++ b/modules/po/disconkick.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/disconkick.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/disconkick.it_IT.po b/modules/po/disconkick.it_IT.po index 3921964a..e128c59b 100644 --- a/modules/po/disconkick.it_IT.po +++ b/modules/po/disconkick.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/disconkick.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/disconkick.nl_NL.po b/modules/po/disconkick.nl_NL.po index 9db2e7f0..a39376ab 100644 --- a/modules/po/disconkick.nl_NL.po +++ b/modules/po/disconkick.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/disconkick.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/disconkick.pt_BR.po b/modules/po/disconkick.pt_BR.po index 92e34375..52eb3498 100644 --- a/modules/po/disconkick.pt_BR.po +++ b/modules/po/disconkick.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/disconkick.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/disconkick.ru_RU.po b/modules/po/disconkick.ru_RU.po index c6d7c383..ebd4e8e6 100644 --- a/modules/po/disconkick.ru_RU.po +++ b/modules/po/disconkick.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/disconkick.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/fail2ban.bg_BG.po b/modules/po/fail2ban.bg_BG.po index f6cfcd8d..d47ebd9c 100644 --- a/modules/po/fail2ban.bg_BG.po +++ b/modules/po/fail2ban.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/fail2ban.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/fail2ban.de_DE.po b/modules/po/fail2ban.de_DE.po index 9fb782fb..ba1ac4f5 100644 --- a/modules/po/fail2ban.de_DE.po +++ b/modules/po/fail2ban.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/fail2ban.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/fail2ban.es_ES.po b/modules/po/fail2ban.es_ES.po index 1a1653c2..391dd15e 100644 --- a/modules/po/fail2ban.es_ES.po +++ b/modules/po/fail2ban.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/fail2ban.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/fail2ban.fr_FR.po b/modules/po/fail2ban.fr_FR.po index fea2df0d..d2d20040 100644 --- a/modules/po/fail2ban.fr_FR.po +++ b/modules/po/fail2ban.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/fail2ban.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/fail2ban.id_ID.po b/modules/po/fail2ban.id_ID.po index a39d59c6..c4e2eaba 100644 --- a/modules/po/fail2ban.id_ID.po +++ b/modules/po/fail2ban.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/fail2ban.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/fail2ban.it_IT.po b/modules/po/fail2ban.it_IT.po index db5b9a83..512afe05 100644 --- a/modules/po/fail2ban.it_IT.po +++ b/modules/po/fail2ban.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/fail2ban.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/fail2ban.nl_NL.po b/modules/po/fail2ban.nl_NL.po index ff7000a9..04861bd8 100644 --- a/modules/po/fail2ban.nl_NL.po +++ b/modules/po/fail2ban.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/fail2ban.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/fail2ban.pt_BR.po b/modules/po/fail2ban.pt_BR.po index 241e8eb9..fbd5c36d 100644 --- a/modules/po/fail2ban.pt_BR.po +++ b/modules/po/fail2ban.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/fail2ban.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/fail2ban.ru_RU.po b/modules/po/fail2ban.ru_RU.po index ad84f166..a2a6b647 100644 --- a/modules/po/fail2ban.ru_RU.po +++ b/modules/po/fail2ban.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/fail2ban.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/flooddetach.bg_BG.po b/modules/po/flooddetach.bg_BG.po index 279c4c07..d699c6fd 100644 --- a/modules/po/flooddetach.bg_BG.po +++ b/modules/po/flooddetach.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/flooddetach.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/flooddetach.de_DE.po b/modules/po/flooddetach.de_DE.po index d659b30d..ba6aa473 100644 --- a/modules/po/flooddetach.de_DE.po +++ b/modules/po/flooddetach.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/flooddetach.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/flooddetach.es_ES.po b/modules/po/flooddetach.es_ES.po index bb982d63..a7a57b4e 100644 --- a/modules/po/flooddetach.es_ES.po +++ b/modules/po/flooddetach.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/flooddetach.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/flooddetach.fr_FR.po b/modules/po/flooddetach.fr_FR.po index e5be1b43..287466f4 100644 --- a/modules/po/flooddetach.fr_FR.po +++ b/modules/po/flooddetach.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/flooddetach.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/flooddetach.id_ID.po b/modules/po/flooddetach.id_ID.po index ac836161..adcedbf6 100644 --- a/modules/po/flooddetach.id_ID.po +++ b/modules/po/flooddetach.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/flooddetach.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/flooddetach.it_IT.po b/modules/po/flooddetach.it_IT.po index ba1a5f61..40a98d60 100644 --- a/modules/po/flooddetach.it_IT.po +++ b/modules/po/flooddetach.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/flooddetach.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/flooddetach.nl_NL.po b/modules/po/flooddetach.nl_NL.po index 608f878d..f3f67921 100644 --- a/modules/po/flooddetach.nl_NL.po +++ b/modules/po/flooddetach.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/flooddetach.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/flooddetach.pt_BR.po b/modules/po/flooddetach.pt_BR.po index bc9bc4f5..ea93da1b 100644 --- a/modules/po/flooddetach.pt_BR.po +++ b/modules/po/flooddetach.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/flooddetach.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/flooddetach.ru_RU.po b/modules/po/flooddetach.ru_RU.po index 790c3ca4..851f1c50 100644 --- a/modules/po/flooddetach.ru_RU.po +++ b/modules/po/flooddetach.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/flooddetach.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/identfile.bg_BG.po b/modules/po/identfile.bg_BG.po index dd54be58..ed64c929 100644 --- a/modules/po/identfile.bg_BG.po +++ b/modules/po/identfile.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/identfile.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/identfile.de_DE.po b/modules/po/identfile.de_DE.po index b1849969..bb58273a 100644 --- a/modules/po/identfile.de_DE.po +++ b/modules/po/identfile.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/identfile.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/identfile.es_ES.po b/modules/po/identfile.es_ES.po index b2f85f79..5966719d 100644 --- a/modules/po/identfile.es_ES.po +++ b/modules/po/identfile.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/identfile.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/identfile.fr_FR.po b/modules/po/identfile.fr_FR.po index 2862e454..f9369f2c 100644 --- a/modules/po/identfile.fr_FR.po +++ b/modules/po/identfile.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/identfile.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/identfile.id_ID.po b/modules/po/identfile.id_ID.po index 07b7d971..7d770d25 100644 --- a/modules/po/identfile.id_ID.po +++ b/modules/po/identfile.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/identfile.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/identfile.it_IT.po b/modules/po/identfile.it_IT.po index b34fd35f..ca8cf3b1 100644 --- a/modules/po/identfile.it_IT.po +++ b/modules/po/identfile.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/identfile.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/identfile.nl_NL.po b/modules/po/identfile.nl_NL.po index 2a88bab3..58071354 100644 --- a/modules/po/identfile.nl_NL.po +++ b/modules/po/identfile.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/identfile.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/identfile.pt_BR.po b/modules/po/identfile.pt_BR.po index fc487ffe..dca39204 100644 --- a/modules/po/identfile.pt_BR.po +++ b/modules/po/identfile.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/identfile.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/identfile.ru_RU.po b/modules/po/identfile.ru_RU.po index f7af28c2..f88ecc08 100644 --- a/modules/po/identfile.ru_RU.po +++ b/modules/po/identfile.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/identfile.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/imapauth.bg_BG.po b/modules/po/imapauth.bg_BG.po index 0df36084..8df800a1 100644 --- a/modules/po/imapauth.bg_BG.po +++ b/modules/po/imapauth.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/imapauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/imapauth.de_DE.po b/modules/po/imapauth.de_DE.po index f1145d8c..10ee95de 100644 --- a/modules/po/imapauth.de_DE.po +++ b/modules/po/imapauth.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/imapauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/imapauth.es_ES.po b/modules/po/imapauth.es_ES.po index 9a94a6f2..fc601ce8 100644 --- a/modules/po/imapauth.es_ES.po +++ b/modules/po/imapauth.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/imapauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/imapauth.fr_FR.po b/modules/po/imapauth.fr_FR.po index c6b88df4..d54ccc66 100644 --- a/modules/po/imapauth.fr_FR.po +++ b/modules/po/imapauth.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/imapauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/imapauth.id_ID.po b/modules/po/imapauth.id_ID.po index bde3008c..55d21c41 100644 --- a/modules/po/imapauth.id_ID.po +++ b/modules/po/imapauth.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/imapauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/imapauth.it_IT.po b/modules/po/imapauth.it_IT.po index f46c4924..4d7864f0 100644 --- a/modules/po/imapauth.it_IT.po +++ b/modules/po/imapauth.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/imapauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/imapauth.nl_NL.po b/modules/po/imapauth.nl_NL.po index 38e83c65..9a3a6308 100644 --- a/modules/po/imapauth.nl_NL.po +++ b/modules/po/imapauth.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/imapauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/imapauth.pt_BR.po b/modules/po/imapauth.pt_BR.po index 39ee87cc..73bb976d 100644 --- a/modules/po/imapauth.pt_BR.po +++ b/modules/po/imapauth.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/imapauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/imapauth.ru_RU.po b/modules/po/imapauth.ru_RU.po index adc18894..14e19730 100644 --- a/modules/po/imapauth.ru_RU.po +++ b/modules/po/imapauth.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/imapauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/keepnick.bg_BG.po b/modules/po/keepnick.bg_BG.po index 4bf1c7bd..642ebc0e 100644 --- a/modules/po/keepnick.bg_BG.po +++ b/modules/po/keepnick.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/keepnick.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/keepnick.de_DE.po b/modules/po/keepnick.de_DE.po index 4370c94b..9c416f50 100644 --- a/modules/po/keepnick.de_DE.po +++ b/modules/po/keepnick.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/keepnick.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/keepnick.es_ES.po b/modules/po/keepnick.es_ES.po index add6a528..3d15390c 100644 --- a/modules/po/keepnick.es_ES.po +++ b/modules/po/keepnick.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/keepnick.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/keepnick.fr_FR.po b/modules/po/keepnick.fr_FR.po index 420d06eb..3e0f9127 100644 --- a/modules/po/keepnick.fr_FR.po +++ b/modules/po/keepnick.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/keepnick.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/keepnick.id_ID.po b/modules/po/keepnick.id_ID.po index 4fdb7f54..2aad9f59 100644 --- a/modules/po/keepnick.id_ID.po +++ b/modules/po/keepnick.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/keepnick.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/keepnick.it_IT.po b/modules/po/keepnick.it_IT.po index d97e0860..72aa59ea 100644 --- a/modules/po/keepnick.it_IT.po +++ b/modules/po/keepnick.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/keepnick.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/keepnick.nl_NL.po b/modules/po/keepnick.nl_NL.po index a9c75ffd..d72b0f9c 100644 --- a/modules/po/keepnick.nl_NL.po +++ b/modules/po/keepnick.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/keepnick.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/keepnick.pt_BR.po b/modules/po/keepnick.pt_BR.po index f81c8bb7..a5d54830 100644 --- a/modules/po/keepnick.pt_BR.po +++ b/modules/po/keepnick.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/keepnick.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/keepnick.ru_RU.po b/modules/po/keepnick.ru_RU.po index 82b1b34a..3b564f60 100644 --- a/modules/po/keepnick.ru_RU.po +++ b/modules/po/keepnick.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/keepnick.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/kickrejoin.bg_BG.po b/modules/po/kickrejoin.bg_BG.po index cf7a5a7c..0455692f 100644 --- a/modules/po/kickrejoin.bg_BG.po +++ b/modules/po/kickrejoin.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/kickrejoin.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/kickrejoin.de_DE.po b/modules/po/kickrejoin.de_DE.po index 7f00d9e2..9ef6b7ea 100644 --- a/modules/po/kickrejoin.de_DE.po +++ b/modules/po/kickrejoin.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/kickrejoin.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/kickrejoin.es_ES.po b/modules/po/kickrejoin.es_ES.po index e17f96c4..cbacfeb9 100644 --- a/modules/po/kickrejoin.es_ES.po +++ b/modules/po/kickrejoin.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/kickrejoin.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/kickrejoin.fr_FR.po b/modules/po/kickrejoin.fr_FR.po index b4575ffe..84d66e55 100644 --- a/modules/po/kickrejoin.fr_FR.po +++ b/modules/po/kickrejoin.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/kickrejoin.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/kickrejoin.id_ID.po b/modules/po/kickrejoin.id_ID.po index a532be48..a2f91880 100644 --- a/modules/po/kickrejoin.id_ID.po +++ b/modules/po/kickrejoin.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/kickrejoin.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/kickrejoin.it_IT.po b/modules/po/kickrejoin.it_IT.po index 57074dd9..f1c4215c 100644 --- a/modules/po/kickrejoin.it_IT.po +++ b/modules/po/kickrejoin.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/kickrejoin.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/kickrejoin.nl_NL.po b/modules/po/kickrejoin.nl_NL.po index 5e45ff0c..abaf844f 100644 --- a/modules/po/kickrejoin.nl_NL.po +++ b/modules/po/kickrejoin.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/kickrejoin.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/kickrejoin.pt_BR.po b/modules/po/kickrejoin.pt_BR.po index e20e1482..06ba6315 100644 --- a/modules/po/kickrejoin.pt_BR.po +++ b/modules/po/kickrejoin.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/kickrejoin.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/kickrejoin.ru_RU.po b/modules/po/kickrejoin.ru_RU.po index 1fa61e6c..05b285bc 100644 --- a/modules/po/kickrejoin.ru_RU.po +++ b/modules/po/kickrejoin.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/kickrejoin.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/lastseen.bg_BG.po b/modules/po/lastseen.bg_BG.po index 215d51d7..59b8700f 100644 --- a/modules/po/lastseen.bg_BG.po +++ b/modules/po/lastseen.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/lastseen.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/lastseen.de_DE.po b/modules/po/lastseen.de_DE.po index aac0a1db..ddc6a82e 100644 --- a/modules/po/lastseen.de_DE.po +++ b/modules/po/lastseen.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/lastseen.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/lastseen.es_ES.po b/modules/po/lastseen.es_ES.po index 2d44dd5a..df803807 100644 --- a/modules/po/lastseen.es_ES.po +++ b/modules/po/lastseen.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/lastseen.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/lastseen.fr_FR.po b/modules/po/lastseen.fr_FR.po index 3813b1d5..24204078 100644 --- a/modules/po/lastseen.fr_FR.po +++ b/modules/po/lastseen.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/lastseen.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/lastseen.id_ID.po b/modules/po/lastseen.id_ID.po index d5903c26..e6c98188 100644 --- a/modules/po/lastseen.id_ID.po +++ b/modules/po/lastseen.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/lastseen.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/lastseen.it_IT.po b/modules/po/lastseen.it_IT.po index 61c5bb87..5212e764 100644 --- a/modules/po/lastseen.it_IT.po +++ b/modules/po/lastseen.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/lastseen.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/lastseen.nl_NL.po b/modules/po/lastseen.nl_NL.po index ed96eb80..275738c5 100644 --- a/modules/po/lastseen.nl_NL.po +++ b/modules/po/lastseen.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/lastseen.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/lastseen.pt_BR.po b/modules/po/lastseen.pt_BR.po index 00f88f01..095ce971 100644 --- a/modules/po/lastseen.pt_BR.po +++ b/modules/po/lastseen.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/lastseen.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/lastseen.ru_RU.po b/modules/po/lastseen.ru_RU.po index fb05a1ee..03ffb2d2 100644 --- a/modules/po/lastseen.ru_RU.po +++ b/modules/po/lastseen.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/lastseen.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/listsockets.bg_BG.po b/modules/po/listsockets.bg_BG.po index d55f2092..54472c3a 100644 --- a/modules/po/listsockets.bg_BG.po +++ b/modules/po/listsockets.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/listsockets.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/listsockets.de_DE.po b/modules/po/listsockets.de_DE.po index 5bd97ec9..60b6a469 100644 --- a/modules/po/listsockets.de_DE.po +++ b/modules/po/listsockets.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/listsockets.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/listsockets.es_ES.po b/modules/po/listsockets.es_ES.po index fe82fe59..7e2011d6 100644 --- a/modules/po/listsockets.es_ES.po +++ b/modules/po/listsockets.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/listsockets.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/listsockets.fr_FR.po b/modules/po/listsockets.fr_FR.po index 97d25d02..f006ed1c 100644 --- a/modules/po/listsockets.fr_FR.po +++ b/modules/po/listsockets.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/listsockets.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/listsockets.id_ID.po b/modules/po/listsockets.id_ID.po index 6ff9fb83..e1fe1af8 100644 --- a/modules/po/listsockets.id_ID.po +++ b/modules/po/listsockets.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/listsockets.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/listsockets.it_IT.po b/modules/po/listsockets.it_IT.po index 12ba3f5a..58a3a18b 100644 --- a/modules/po/listsockets.it_IT.po +++ b/modules/po/listsockets.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/listsockets.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/listsockets.nl_NL.po b/modules/po/listsockets.nl_NL.po index 9d9a135b..e3b0634b 100644 --- a/modules/po/listsockets.nl_NL.po +++ b/modules/po/listsockets.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/listsockets.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/listsockets.pt_BR.po b/modules/po/listsockets.pt_BR.po index 8e956774..a25ed589 100644 --- a/modules/po/listsockets.pt_BR.po +++ b/modules/po/listsockets.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/listsockets.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/listsockets.ru_RU.po b/modules/po/listsockets.ru_RU.po index 9ebce89b..8b0904c5 100644 --- a/modules/po/listsockets.ru_RU.po +++ b/modules/po/listsockets.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/listsockets.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/log.bg_BG.po b/modules/po/log.bg_BG.po index 0efc60b1..d6b6a645 100644 --- a/modules/po/log.bg_BG.po +++ b/modules/po/log.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/log.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/log.de_DE.po b/modules/po/log.de_DE.po index 23257ff4..6d119424 100644 --- a/modules/po/log.de_DE.po +++ b/modules/po/log.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/log.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/log.es_ES.po b/modules/po/log.es_ES.po index ab036559..00a4f780 100644 --- a/modules/po/log.es_ES.po +++ b/modules/po/log.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/log.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/log.fr_FR.po b/modules/po/log.fr_FR.po index a36cfdf0..b65b2748 100644 --- a/modules/po/log.fr_FR.po +++ b/modules/po/log.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/log.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/log.id_ID.po b/modules/po/log.id_ID.po index e2d8f70e..ee95fc67 100644 --- a/modules/po/log.id_ID.po +++ b/modules/po/log.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/log.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/log.it_IT.po b/modules/po/log.it_IT.po index 55d2b16a..f4099ac0 100644 --- a/modules/po/log.it_IT.po +++ b/modules/po/log.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/log.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/log.nl_NL.po b/modules/po/log.nl_NL.po index 9d6ea8e1..5c467668 100644 --- a/modules/po/log.nl_NL.po +++ b/modules/po/log.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/log.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/log.pt_BR.po b/modules/po/log.pt_BR.po index 3da0f42a..acfc931b 100644 --- a/modules/po/log.pt_BR.po +++ b/modules/po/log.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/log.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/log.ru_RU.po b/modules/po/log.ru_RU.po index 70e53089..17fe3f93 100644 --- a/modules/po/log.ru_RU.po +++ b/modules/po/log.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/log.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/missingmotd.bg_BG.po b/modules/po/missingmotd.bg_BG.po index 6d2c6fd1..582c236a 100644 --- a/modules/po/missingmotd.bg_BG.po +++ b/modules/po/missingmotd.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/missingmotd.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/missingmotd.de_DE.po b/modules/po/missingmotd.de_DE.po index d3511560..b18df902 100644 --- a/modules/po/missingmotd.de_DE.po +++ b/modules/po/missingmotd.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/missingmotd.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/missingmotd.es_ES.po b/modules/po/missingmotd.es_ES.po index 939df423..7446aa5c 100644 --- a/modules/po/missingmotd.es_ES.po +++ b/modules/po/missingmotd.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/missingmotd.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/missingmotd.fr_FR.po b/modules/po/missingmotd.fr_FR.po index 930bdaae..37612886 100644 --- a/modules/po/missingmotd.fr_FR.po +++ b/modules/po/missingmotd.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/missingmotd.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/missingmotd.id_ID.po b/modules/po/missingmotd.id_ID.po index 96be0ef7..d8eb9544 100644 --- a/modules/po/missingmotd.id_ID.po +++ b/modules/po/missingmotd.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/missingmotd.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/missingmotd.it_IT.po b/modules/po/missingmotd.it_IT.po index fcac78cb..67b6715a 100644 --- a/modules/po/missingmotd.it_IT.po +++ b/modules/po/missingmotd.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/missingmotd.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/missingmotd.nl_NL.po b/modules/po/missingmotd.nl_NL.po index ca1c3513..fedc542e 100644 --- a/modules/po/missingmotd.nl_NL.po +++ b/modules/po/missingmotd.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/missingmotd.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/missingmotd.pt_BR.po b/modules/po/missingmotd.pt_BR.po index 499c42d8..b07af526 100644 --- a/modules/po/missingmotd.pt_BR.po +++ b/modules/po/missingmotd.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/missingmotd.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/missingmotd.ru_RU.po b/modules/po/missingmotd.ru_RU.po index b5747643..27717940 100644 --- a/modules/po/missingmotd.ru_RU.po +++ b/modules/po/missingmotd.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/missingmotd.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/modperl.bg_BG.po b/modules/po/modperl.bg_BG.po index 4e72f030..79c51b2d 100644 --- a/modules/po/modperl.bg_BG.po +++ b/modules/po/modperl.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/modperl.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/modperl.de_DE.po b/modules/po/modperl.de_DE.po index a74d4398..9032236f 100644 --- a/modules/po/modperl.de_DE.po +++ b/modules/po/modperl.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/modperl.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/modperl.es_ES.po b/modules/po/modperl.es_ES.po index 8156a586..b1b45883 100644 --- a/modules/po/modperl.es_ES.po +++ b/modules/po/modperl.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/modperl.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/modperl.fr_FR.po b/modules/po/modperl.fr_FR.po index f34224ec..db20797f 100644 --- a/modules/po/modperl.fr_FR.po +++ b/modules/po/modperl.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/modperl.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/modperl.id_ID.po b/modules/po/modperl.id_ID.po index 4808ba1d..323454fd 100644 --- a/modules/po/modperl.id_ID.po +++ b/modules/po/modperl.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/modperl.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/modperl.it_IT.po b/modules/po/modperl.it_IT.po index 963923da..a2c0e048 100644 --- a/modules/po/modperl.it_IT.po +++ b/modules/po/modperl.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/modperl.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/modperl.nl_NL.po b/modules/po/modperl.nl_NL.po index 5294c254..9b68fb73 100644 --- a/modules/po/modperl.nl_NL.po +++ b/modules/po/modperl.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/modperl.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/modperl.pt_BR.po b/modules/po/modperl.pt_BR.po index 9e1f7c50..b9a14268 100644 --- a/modules/po/modperl.pt_BR.po +++ b/modules/po/modperl.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/modperl.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/modperl.ru_RU.po b/modules/po/modperl.ru_RU.po index f41a6da7..8e1e3db6 100644 --- a/modules/po/modperl.ru_RU.po +++ b/modules/po/modperl.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/modperl.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/modpython.bg_BG.po b/modules/po/modpython.bg_BG.po index 3edffd52..8afae359 100644 --- a/modules/po/modpython.bg_BG.po +++ b/modules/po/modpython.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/modpython.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/modpython.de_DE.po b/modules/po/modpython.de_DE.po index 9fddefdd..4fd978eb 100644 --- a/modules/po/modpython.de_DE.po +++ b/modules/po/modpython.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/modpython.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/modpython.es_ES.po b/modules/po/modpython.es_ES.po index cde73209..b2a6bc25 100644 --- a/modules/po/modpython.es_ES.po +++ b/modules/po/modpython.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/modpython.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/modpython.fr_FR.po b/modules/po/modpython.fr_FR.po index 49a2ae4a..ea9b65fe 100644 --- a/modules/po/modpython.fr_FR.po +++ b/modules/po/modpython.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/modpython.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/modpython.id_ID.po b/modules/po/modpython.id_ID.po index 5837e9c6..0b760841 100644 --- a/modules/po/modpython.id_ID.po +++ b/modules/po/modpython.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/modpython.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/modpython.it_IT.po b/modules/po/modpython.it_IT.po index 297f0b41..4a2bbafc 100644 --- a/modules/po/modpython.it_IT.po +++ b/modules/po/modpython.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/modpython.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/modpython.nl_NL.po b/modules/po/modpython.nl_NL.po index ed535dad..06fd3814 100644 --- a/modules/po/modpython.nl_NL.po +++ b/modules/po/modpython.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/modpython.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/modpython.pt_BR.po b/modules/po/modpython.pt_BR.po index d92c1c7d..8672fd0a 100644 --- a/modules/po/modpython.pt_BR.po +++ b/modules/po/modpython.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/modpython.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/modpython.ru_RU.po b/modules/po/modpython.ru_RU.po index 2e312747..851a6fb1 100644 --- a/modules/po/modpython.ru_RU.po +++ b/modules/po/modpython.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/modpython.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/modules_online.bg_BG.po b/modules/po/modules_online.bg_BG.po index 22e6ebe0..9cbfaefb 100644 --- a/modules/po/modules_online.bg_BG.po +++ b/modules/po/modules_online.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/modules_online.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/modules_online.de_DE.po b/modules/po/modules_online.de_DE.po index 5a432903..51a48fb2 100644 --- a/modules/po/modules_online.de_DE.po +++ b/modules/po/modules_online.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/modules_online.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/modules_online.es_ES.po b/modules/po/modules_online.es_ES.po index 39c0c906..2735ab67 100644 --- a/modules/po/modules_online.es_ES.po +++ b/modules/po/modules_online.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/modules_online.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/modules_online.fr_FR.po b/modules/po/modules_online.fr_FR.po index 2bd18be1..42a1734f 100644 --- a/modules/po/modules_online.fr_FR.po +++ b/modules/po/modules_online.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/modules_online.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/modules_online.id_ID.po b/modules/po/modules_online.id_ID.po index ad1ea6ed..b828c1a3 100644 --- a/modules/po/modules_online.id_ID.po +++ b/modules/po/modules_online.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/modules_online.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/modules_online.it_IT.po b/modules/po/modules_online.it_IT.po index c70612cd..514b19b8 100644 --- a/modules/po/modules_online.it_IT.po +++ b/modules/po/modules_online.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/modules_online.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/modules_online.nl_NL.po b/modules/po/modules_online.nl_NL.po index 8bcbd9b8..ce7956bf 100644 --- a/modules/po/modules_online.nl_NL.po +++ b/modules/po/modules_online.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/modules_online.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/modules_online.pt_BR.po b/modules/po/modules_online.pt_BR.po index ed3256d6..92a94664 100644 --- a/modules/po/modules_online.pt_BR.po +++ b/modules/po/modules_online.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/modules_online.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/modules_online.ru_RU.po b/modules/po/modules_online.ru_RU.po index 457a0d4c..d5b885b9 100644 --- a/modules/po/modules_online.ru_RU.po +++ b/modules/po/modules_online.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/modules_online.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/nickserv.bg_BG.po b/modules/po/nickserv.bg_BG.po index 61f7aec6..8bbf05da 100644 --- a/modules/po/nickserv.bg_BG.po +++ b/modules/po/nickserv.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/nickserv.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/nickserv.de_DE.po b/modules/po/nickserv.de_DE.po index 427b47bb..a71b3e1a 100644 --- a/modules/po/nickserv.de_DE.po +++ b/modules/po/nickserv.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/nickserv.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/nickserv.es_ES.po b/modules/po/nickserv.es_ES.po index 4d6c8811..baa79c2a 100644 --- a/modules/po/nickserv.es_ES.po +++ b/modules/po/nickserv.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/nickserv.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/nickserv.fr_FR.po b/modules/po/nickserv.fr_FR.po index b5288e44..0120c941 100644 --- a/modules/po/nickserv.fr_FR.po +++ b/modules/po/nickserv.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/nickserv.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/nickserv.id_ID.po b/modules/po/nickserv.id_ID.po index 6e7509c1..83fc27da 100644 --- a/modules/po/nickserv.id_ID.po +++ b/modules/po/nickserv.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/nickserv.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/nickserv.it_IT.po b/modules/po/nickserv.it_IT.po index 7b21a896..6a2e187a 100644 --- a/modules/po/nickserv.it_IT.po +++ b/modules/po/nickserv.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/nickserv.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/nickserv.nl_NL.po b/modules/po/nickserv.nl_NL.po index ae9062b1..2922e0c9 100644 --- a/modules/po/nickserv.nl_NL.po +++ b/modules/po/nickserv.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/nickserv.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/nickserv.pt_BR.po b/modules/po/nickserv.pt_BR.po index 2b6e5847..e92edac9 100644 --- a/modules/po/nickserv.pt_BR.po +++ b/modules/po/nickserv.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/nickserv.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/nickserv.ru_RU.po b/modules/po/nickserv.ru_RU.po index f0f5b19d..7170fc5a 100644 --- a/modules/po/nickserv.ru_RU.po +++ b/modules/po/nickserv.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/nickserv.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/notes.bg_BG.po b/modules/po/notes.bg_BG.po index 47f32b92..dc357ac2 100644 --- a/modules/po/notes.bg_BG.po +++ b/modules/po/notes.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/notes.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/notes.de_DE.po b/modules/po/notes.de_DE.po index d22f6410..5a6e68a4 100644 --- a/modules/po/notes.de_DE.po +++ b/modules/po/notes.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/notes.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/notes.es_ES.po b/modules/po/notes.es_ES.po index 9dfa297e..bfab4cb4 100644 --- a/modules/po/notes.es_ES.po +++ b/modules/po/notes.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/notes.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/notes.fr_FR.po b/modules/po/notes.fr_FR.po index 3891ed72..bc1710d9 100644 --- a/modules/po/notes.fr_FR.po +++ b/modules/po/notes.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/notes.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/notes.id_ID.po b/modules/po/notes.id_ID.po index 57bdd5ab..12ee0b30 100644 --- a/modules/po/notes.id_ID.po +++ b/modules/po/notes.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/notes.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/notes.it_IT.po b/modules/po/notes.it_IT.po index 68370a04..e63923fa 100644 --- a/modules/po/notes.it_IT.po +++ b/modules/po/notes.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/notes.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/notes.nl_NL.po b/modules/po/notes.nl_NL.po index 7d06d045..95351975 100644 --- a/modules/po/notes.nl_NL.po +++ b/modules/po/notes.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/notes.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/notes.pt_BR.po b/modules/po/notes.pt_BR.po index b139debb..1d89b544 100644 --- a/modules/po/notes.pt_BR.po +++ b/modules/po/notes.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/notes.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/notes.ru_RU.po b/modules/po/notes.ru_RU.po index dc37097d..bb179d9e 100644 --- a/modules/po/notes.ru_RU.po +++ b/modules/po/notes.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/notes.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/notify_connect.bg_BG.po b/modules/po/notify_connect.bg_BG.po index 67fea934..543fe774 100644 --- a/modules/po/notify_connect.bg_BG.po +++ b/modules/po/notify_connect.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/notify_connect.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/notify_connect.de_DE.po b/modules/po/notify_connect.de_DE.po index b832e841..e14bdf79 100644 --- a/modules/po/notify_connect.de_DE.po +++ b/modules/po/notify_connect.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/notify_connect.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/notify_connect.es_ES.po b/modules/po/notify_connect.es_ES.po index 8c816045..5f10d164 100644 --- a/modules/po/notify_connect.es_ES.po +++ b/modules/po/notify_connect.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/notify_connect.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/notify_connect.fr_FR.po b/modules/po/notify_connect.fr_FR.po index 8e0b692e..6ec4df87 100644 --- a/modules/po/notify_connect.fr_FR.po +++ b/modules/po/notify_connect.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/notify_connect.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/notify_connect.id_ID.po b/modules/po/notify_connect.id_ID.po index 7fe4d367..ad82ec99 100644 --- a/modules/po/notify_connect.id_ID.po +++ b/modules/po/notify_connect.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/notify_connect.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/notify_connect.it_IT.po b/modules/po/notify_connect.it_IT.po index c5947fa9..2c8d946a 100644 --- a/modules/po/notify_connect.it_IT.po +++ b/modules/po/notify_connect.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/notify_connect.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/notify_connect.nl_NL.po b/modules/po/notify_connect.nl_NL.po index b03639b5..98707dd9 100644 --- a/modules/po/notify_connect.nl_NL.po +++ b/modules/po/notify_connect.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/notify_connect.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/notify_connect.pt_BR.po b/modules/po/notify_connect.pt_BR.po index da432b1e..19ebaca8 100644 --- a/modules/po/notify_connect.pt_BR.po +++ b/modules/po/notify_connect.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/notify_connect.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/notify_connect.ru_RU.po b/modules/po/notify_connect.ru_RU.po index 9446d604..c820d6a3 100644 --- a/modules/po/notify_connect.ru_RU.po +++ b/modules/po/notify_connect.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/notify_connect.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/perform.bg_BG.po b/modules/po/perform.bg_BG.po index 8d1f1c50..be02bad7 100644 --- a/modules/po/perform.bg_BG.po +++ b/modules/po/perform.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/perform.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/perform.de_DE.po b/modules/po/perform.de_DE.po index 74486c16..fc551f0a 100644 --- a/modules/po/perform.de_DE.po +++ b/modules/po/perform.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/perform.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/perform.es_ES.po b/modules/po/perform.es_ES.po index acc4fbb5..debd3cd4 100644 --- a/modules/po/perform.es_ES.po +++ b/modules/po/perform.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/perform.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/perform.fr_FR.po b/modules/po/perform.fr_FR.po index be17f25f..4eb86452 100644 --- a/modules/po/perform.fr_FR.po +++ b/modules/po/perform.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/perform.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/perform.id_ID.po b/modules/po/perform.id_ID.po index 31b8de00..11ce0202 100644 --- a/modules/po/perform.id_ID.po +++ b/modules/po/perform.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/perform.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/perform.it_IT.po b/modules/po/perform.it_IT.po index 2faa3d81..27f911fc 100644 --- a/modules/po/perform.it_IT.po +++ b/modules/po/perform.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/perform.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/perform.nl_NL.po b/modules/po/perform.nl_NL.po index 249a8cb9..27d24ca5 100644 --- a/modules/po/perform.nl_NL.po +++ b/modules/po/perform.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/perform.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/perform.pt_BR.po b/modules/po/perform.pt_BR.po index 280ae390..51a8d970 100644 --- a/modules/po/perform.pt_BR.po +++ b/modules/po/perform.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/perform.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/perform.ru_RU.po b/modules/po/perform.ru_RU.po index 389fa798..3de074fd 100644 --- a/modules/po/perform.ru_RU.po +++ b/modules/po/perform.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/perform.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/perleval.bg_BG.po b/modules/po/perleval.bg_BG.po index 1eda22d2..ec6170c0 100644 --- a/modules/po/perleval.bg_BG.po +++ b/modules/po/perleval.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/perleval.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/perleval.de_DE.po b/modules/po/perleval.de_DE.po index 65265023..4c10bf4f 100644 --- a/modules/po/perleval.de_DE.po +++ b/modules/po/perleval.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/perleval.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/perleval.es_ES.po b/modules/po/perleval.es_ES.po index 44c8abfa..13f5fc95 100644 --- a/modules/po/perleval.es_ES.po +++ b/modules/po/perleval.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/perleval.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/perleval.fr_FR.po b/modules/po/perleval.fr_FR.po index e2452aca..cb97b3de 100644 --- a/modules/po/perleval.fr_FR.po +++ b/modules/po/perleval.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/perleval.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/perleval.id_ID.po b/modules/po/perleval.id_ID.po index ceb3a300..11548eb7 100644 --- a/modules/po/perleval.id_ID.po +++ b/modules/po/perleval.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/perleval.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/perleval.it_IT.po b/modules/po/perleval.it_IT.po index 431c01ed..bdf78261 100644 --- a/modules/po/perleval.it_IT.po +++ b/modules/po/perleval.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/perleval.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/perleval.nl_NL.po b/modules/po/perleval.nl_NL.po index 70cfa581..46cebe24 100644 --- a/modules/po/perleval.nl_NL.po +++ b/modules/po/perleval.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/perleval.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/perleval.pt_BR.po b/modules/po/perleval.pt_BR.po index f4dd6011..e103529d 100644 --- a/modules/po/perleval.pt_BR.po +++ b/modules/po/perleval.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/perleval.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/perleval.ru_RU.po b/modules/po/perleval.ru_RU.po index 50d852e6..86b2c662 100644 --- a/modules/po/perleval.ru_RU.po +++ b/modules/po/perleval.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/perleval.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/pyeval.bg_BG.po b/modules/po/pyeval.bg_BG.po index 78f8ff7f..66fdf2f8 100644 --- a/modules/po/pyeval.bg_BG.po +++ b/modules/po/pyeval.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/pyeval.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/pyeval.de_DE.po b/modules/po/pyeval.de_DE.po index 5a1105e7..7cc1d984 100644 --- a/modules/po/pyeval.de_DE.po +++ b/modules/po/pyeval.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/pyeval.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/pyeval.es_ES.po b/modules/po/pyeval.es_ES.po index bc72c733..6a971d35 100644 --- a/modules/po/pyeval.es_ES.po +++ b/modules/po/pyeval.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/pyeval.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/pyeval.fr_FR.po b/modules/po/pyeval.fr_FR.po index eb6e5fb6..940a1dcd 100644 --- a/modules/po/pyeval.fr_FR.po +++ b/modules/po/pyeval.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/pyeval.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/pyeval.id_ID.po b/modules/po/pyeval.id_ID.po index 5d214acd..cdfd18eb 100644 --- a/modules/po/pyeval.id_ID.po +++ b/modules/po/pyeval.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/pyeval.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/pyeval.it_IT.po b/modules/po/pyeval.it_IT.po index 705352ff..f0dec8c5 100644 --- a/modules/po/pyeval.it_IT.po +++ b/modules/po/pyeval.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/pyeval.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/pyeval.nl_NL.po b/modules/po/pyeval.nl_NL.po index 5cdb6c92..dfe6d979 100644 --- a/modules/po/pyeval.nl_NL.po +++ b/modules/po/pyeval.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/pyeval.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/pyeval.pt_BR.po b/modules/po/pyeval.pt_BR.po index 7613508d..031b8d4d 100644 --- a/modules/po/pyeval.pt_BR.po +++ b/modules/po/pyeval.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/pyeval.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/pyeval.ru_RU.po b/modules/po/pyeval.ru_RU.po index d3b6f226..10ccd04a 100644 --- a/modules/po/pyeval.ru_RU.po +++ b/modules/po/pyeval.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/pyeval.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/raw.bg_BG.po b/modules/po/raw.bg_BG.po index f4341282..d73e7d32 100644 --- a/modules/po/raw.bg_BG.po +++ b/modules/po/raw.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/raw.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/raw.de_DE.po b/modules/po/raw.de_DE.po index c6e7500b..527c1a49 100644 --- a/modules/po/raw.de_DE.po +++ b/modules/po/raw.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/raw.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/raw.es_ES.po b/modules/po/raw.es_ES.po index cd33abcc..02daba0e 100644 --- a/modules/po/raw.es_ES.po +++ b/modules/po/raw.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/raw.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/raw.fr_FR.po b/modules/po/raw.fr_FR.po index 42ca85a2..34aa778f 100644 --- a/modules/po/raw.fr_FR.po +++ b/modules/po/raw.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/raw.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/raw.id_ID.po b/modules/po/raw.id_ID.po index e396b959..293815f1 100644 --- a/modules/po/raw.id_ID.po +++ b/modules/po/raw.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/raw.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/raw.it_IT.po b/modules/po/raw.it_IT.po index ecc2988d..6dc7d74a 100644 --- a/modules/po/raw.it_IT.po +++ b/modules/po/raw.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/raw.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/raw.nl_NL.po b/modules/po/raw.nl_NL.po index f90d818a..a8e10794 100644 --- a/modules/po/raw.nl_NL.po +++ b/modules/po/raw.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/raw.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/raw.pt_BR.po b/modules/po/raw.pt_BR.po index 819bef9e..12b4b748 100644 --- a/modules/po/raw.pt_BR.po +++ b/modules/po/raw.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/raw.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/raw.ru_RU.po b/modules/po/raw.ru_RU.po index e5e814c7..d7f20b19 100644 --- a/modules/po/raw.ru_RU.po +++ b/modules/po/raw.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/raw.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/route_replies.bg_BG.po b/modules/po/route_replies.bg_BG.po index 38fa407e..ded2b5ec 100644 --- a/modules/po/route_replies.bg_BG.po +++ b/modules/po/route_replies.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/route_replies.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/route_replies.de_DE.po b/modules/po/route_replies.de_DE.po index 453cb3b7..aa9efc70 100644 --- a/modules/po/route_replies.de_DE.po +++ b/modules/po/route_replies.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/route_replies.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/route_replies.es_ES.po b/modules/po/route_replies.es_ES.po index fffcf90c..4ad03572 100644 --- a/modules/po/route_replies.es_ES.po +++ b/modules/po/route_replies.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/route_replies.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/route_replies.fr_FR.po b/modules/po/route_replies.fr_FR.po index ac80b01a..1ccfc3b2 100644 --- a/modules/po/route_replies.fr_FR.po +++ b/modules/po/route_replies.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/route_replies.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/route_replies.id_ID.po b/modules/po/route_replies.id_ID.po index 5aacfda5..ca8a2369 100644 --- a/modules/po/route_replies.id_ID.po +++ b/modules/po/route_replies.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/route_replies.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/route_replies.it_IT.po b/modules/po/route_replies.it_IT.po index 5db2d414..a087af54 100644 --- a/modules/po/route_replies.it_IT.po +++ b/modules/po/route_replies.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/route_replies.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/route_replies.nl_NL.po b/modules/po/route_replies.nl_NL.po index 30a17803..372df636 100644 --- a/modules/po/route_replies.nl_NL.po +++ b/modules/po/route_replies.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/route_replies.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/route_replies.pt_BR.po b/modules/po/route_replies.pt_BR.po index 55a71ba7..2bcfc5a4 100644 --- a/modules/po/route_replies.pt_BR.po +++ b/modules/po/route_replies.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/route_replies.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/route_replies.ru_RU.po b/modules/po/route_replies.ru_RU.po index 6b14679d..1a7f1aeb 100644 --- a/modules/po/route_replies.ru_RU.po +++ b/modules/po/route_replies.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/route_replies.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/sample.bg_BG.po b/modules/po/sample.bg_BG.po index 18de444b..2c3bcfc8 100644 --- a/modules/po/sample.bg_BG.po +++ b/modules/po/sample.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/sample.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/sample.de_DE.po b/modules/po/sample.de_DE.po index 23807b7a..c7ba9d5c 100644 --- a/modules/po/sample.de_DE.po +++ b/modules/po/sample.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/sample.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/sample.es_ES.po b/modules/po/sample.es_ES.po index 7242747d..5cf197b5 100644 --- a/modules/po/sample.es_ES.po +++ b/modules/po/sample.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/sample.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/sample.fr_FR.po b/modules/po/sample.fr_FR.po index c410973c..8d2caba1 100644 --- a/modules/po/sample.fr_FR.po +++ b/modules/po/sample.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/sample.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/sample.id_ID.po b/modules/po/sample.id_ID.po index d1b5d3bb..026d0544 100644 --- a/modules/po/sample.id_ID.po +++ b/modules/po/sample.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/sample.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/sample.it_IT.po b/modules/po/sample.it_IT.po index 46f6c010..451c6b8d 100644 --- a/modules/po/sample.it_IT.po +++ b/modules/po/sample.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/sample.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/sample.nl_NL.po b/modules/po/sample.nl_NL.po index 4a04a3f6..474f17e0 100644 --- a/modules/po/sample.nl_NL.po +++ b/modules/po/sample.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/sample.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/sample.pt_BR.po b/modules/po/sample.pt_BR.po index d11ee2e3..1eebf8dd 100644 --- a/modules/po/sample.pt_BR.po +++ b/modules/po/sample.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/sample.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/sample.ru_RU.po b/modules/po/sample.ru_RU.po index 5fabb6f0..16e9a54e 100644 --- a/modules/po/sample.ru_RU.po +++ b/modules/po/sample.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/sample.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/samplewebapi.bg_BG.po b/modules/po/samplewebapi.bg_BG.po index 50859036..e62d2785 100644 --- a/modules/po/samplewebapi.bg_BG.po +++ b/modules/po/samplewebapi.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/samplewebapi.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/samplewebapi.de_DE.po b/modules/po/samplewebapi.de_DE.po index 47d68d84..9583b005 100644 --- a/modules/po/samplewebapi.de_DE.po +++ b/modules/po/samplewebapi.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/samplewebapi.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/samplewebapi.es_ES.po b/modules/po/samplewebapi.es_ES.po index 6e6f0609..7188c0d8 100644 --- a/modules/po/samplewebapi.es_ES.po +++ b/modules/po/samplewebapi.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/samplewebapi.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/samplewebapi.fr_FR.po b/modules/po/samplewebapi.fr_FR.po index 48892692..3bf58b51 100644 --- a/modules/po/samplewebapi.fr_FR.po +++ b/modules/po/samplewebapi.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/samplewebapi.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/samplewebapi.id_ID.po b/modules/po/samplewebapi.id_ID.po index fdd20ada..0e21c2c4 100644 --- a/modules/po/samplewebapi.id_ID.po +++ b/modules/po/samplewebapi.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/samplewebapi.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/samplewebapi.it_IT.po b/modules/po/samplewebapi.it_IT.po index 7fea24bc..982c95c2 100644 --- a/modules/po/samplewebapi.it_IT.po +++ b/modules/po/samplewebapi.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/samplewebapi.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/samplewebapi.nl_NL.po b/modules/po/samplewebapi.nl_NL.po index e34a857e..d07fe530 100644 --- a/modules/po/samplewebapi.nl_NL.po +++ b/modules/po/samplewebapi.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/samplewebapi.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/samplewebapi.pt_BR.po b/modules/po/samplewebapi.pt_BR.po index 4b16c871..98368767 100644 --- a/modules/po/samplewebapi.pt_BR.po +++ b/modules/po/samplewebapi.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/samplewebapi.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/samplewebapi.ru_RU.po b/modules/po/samplewebapi.ru_RU.po index 95758b83..1e96b360 100644 --- a/modules/po/samplewebapi.ru_RU.po +++ b/modules/po/samplewebapi.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/samplewebapi.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/sasl.bg_BG.po b/modules/po/sasl.bg_BG.po index 0c0557b5..39ce1b18 100644 --- a/modules/po/sasl.bg_BG.po +++ b/modules/po/sasl.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/sasl.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/sasl.de_DE.po b/modules/po/sasl.de_DE.po index a1ad8056..72601930 100644 --- a/modules/po/sasl.de_DE.po +++ b/modules/po/sasl.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/sasl.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/sasl.es_ES.po b/modules/po/sasl.es_ES.po index f7449db7..2f1eea18 100644 --- a/modules/po/sasl.es_ES.po +++ b/modules/po/sasl.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/sasl.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/sasl.fr_FR.po b/modules/po/sasl.fr_FR.po index c59202aa..0421956e 100644 --- a/modules/po/sasl.fr_FR.po +++ b/modules/po/sasl.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/sasl.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/sasl.id_ID.po b/modules/po/sasl.id_ID.po index efa83997..35e711bd 100644 --- a/modules/po/sasl.id_ID.po +++ b/modules/po/sasl.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/sasl.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/sasl.it_IT.po b/modules/po/sasl.it_IT.po index d3eb6d32..8baf807a 100644 --- a/modules/po/sasl.it_IT.po +++ b/modules/po/sasl.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/sasl.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/sasl.nl_NL.po b/modules/po/sasl.nl_NL.po index 33cfa3ba..ee18f3e7 100644 --- a/modules/po/sasl.nl_NL.po +++ b/modules/po/sasl.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/sasl.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/sasl.pt_BR.po b/modules/po/sasl.pt_BR.po index 64c324ef..63e6f585 100644 --- a/modules/po/sasl.pt_BR.po +++ b/modules/po/sasl.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/sasl.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/sasl.ru_RU.po b/modules/po/sasl.ru_RU.po index 8190cf40..615358ed 100644 --- a/modules/po/sasl.ru_RU.po +++ b/modules/po/sasl.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/sasl.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/savebuff.bg_BG.po b/modules/po/savebuff.bg_BG.po index 8b9fa379..004bcafa 100644 --- a/modules/po/savebuff.bg_BG.po +++ b/modules/po/savebuff.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/savebuff.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/savebuff.de_DE.po b/modules/po/savebuff.de_DE.po index d4475ffa..3a61e461 100644 --- a/modules/po/savebuff.de_DE.po +++ b/modules/po/savebuff.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/savebuff.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/savebuff.es_ES.po b/modules/po/savebuff.es_ES.po index 97af1558..a04f38e8 100644 --- a/modules/po/savebuff.es_ES.po +++ b/modules/po/savebuff.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/savebuff.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/savebuff.fr_FR.po b/modules/po/savebuff.fr_FR.po index c3e54273..de21141f 100644 --- a/modules/po/savebuff.fr_FR.po +++ b/modules/po/savebuff.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/savebuff.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/savebuff.id_ID.po b/modules/po/savebuff.id_ID.po index 12b8b5a1..a5502cf6 100644 --- a/modules/po/savebuff.id_ID.po +++ b/modules/po/savebuff.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/savebuff.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/savebuff.it_IT.po b/modules/po/savebuff.it_IT.po index f11ffc07..7c9e3bff 100644 --- a/modules/po/savebuff.it_IT.po +++ b/modules/po/savebuff.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/savebuff.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/savebuff.nl_NL.po b/modules/po/savebuff.nl_NL.po index fbfedb7b..f451beba 100644 --- a/modules/po/savebuff.nl_NL.po +++ b/modules/po/savebuff.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/savebuff.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/savebuff.pt_BR.po b/modules/po/savebuff.pt_BR.po index a9bc3696..e3e7d82a 100644 --- a/modules/po/savebuff.pt_BR.po +++ b/modules/po/savebuff.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/savebuff.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/savebuff.ru_RU.po b/modules/po/savebuff.ru_RU.po index c76589e4..0d5b6d45 100644 --- a/modules/po/savebuff.ru_RU.po +++ b/modules/po/savebuff.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/savebuff.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/send_raw.bg_BG.po b/modules/po/send_raw.bg_BG.po index 38eedc4c..1f5482c5 100644 --- a/modules/po/send_raw.bg_BG.po +++ b/modules/po/send_raw.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/send_raw.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/send_raw.de_DE.po b/modules/po/send_raw.de_DE.po index a8ff48e3..0c28ee46 100644 --- a/modules/po/send_raw.de_DE.po +++ b/modules/po/send_raw.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/send_raw.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/send_raw.es_ES.po b/modules/po/send_raw.es_ES.po index da33f613..de67196f 100644 --- a/modules/po/send_raw.es_ES.po +++ b/modules/po/send_raw.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/send_raw.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/send_raw.fr_FR.po b/modules/po/send_raw.fr_FR.po index fccfddaf..a22c93f3 100644 --- a/modules/po/send_raw.fr_FR.po +++ b/modules/po/send_raw.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/send_raw.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/send_raw.id_ID.po b/modules/po/send_raw.id_ID.po index 45dff147..58b97a74 100644 --- a/modules/po/send_raw.id_ID.po +++ b/modules/po/send_raw.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/send_raw.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/send_raw.it_IT.po b/modules/po/send_raw.it_IT.po index a10cf506..e80932c0 100644 --- a/modules/po/send_raw.it_IT.po +++ b/modules/po/send_raw.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/send_raw.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/send_raw.nl_NL.po b/modules/po/send_raw.nl_NL.po index ad1922da..03516aaa 100644 --- a/modules/po/send_raw.nl_NL.po +++ b/modules/po/send_raw.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/send_raw.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/send_raw.pt_BR.po b/modules/po/send_raw.pt_BR.po index 784a9ee3..26ebb856 100644 --- a/modules/po/send_raw.pt_BR.po +++ b/modules/po/send_raw.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/send_raw.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/send_raw.ru_RU.po b/modules/po/send_raw.ru_RU.po index 8fb9ea4f..4994fa80 100644 --- a/modules/po/send_raw.ru_RU.po +++ b/modules/po/send_raw.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/send_raw.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/shell.bg_BG.po b/modules/po/shell.bg_BG.po index 0469d6aa..9c5ff933 100644 --- a/modules/po/shell.bg_BG.po +++ b/modules/po/shell.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/shell.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/shell.de_DE.po b/modules/po/shell.de_DE.po index 399d23a0..82d524a1 100644 --- a/modules/po/shell.de_DE.po +++ b/modules/po/shell.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/shell.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/shell.es_ES.po b/modules/po/shell.es_ES.po index c72a13b7..b4bc7125 100644 --- a/modules/po/shell.es_ES.po +++ b/modules/po/shell.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/shell.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/shell.fr_FR.po b/modules/po/shell.fr_FR.po index 27a54d99..fc058541 100644 --- a/modules/po/shell.fr_FR.po +++ b/modules/po/shell.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/shell.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/shell.id_ID.po b/modules/po/shell.id_ID.po index 48b29da6..2a924bed 100644 --- a/modules/po/shell.id_ID.po +++ b/modules/po/shell.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/shell.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/shell.it_IT.po b/modules/po/shell.it_IT.po index 06fb3d24..47a0a56d 100644 --- a/modules/po/shell.it_IT.po +++ b/modules/po/shell.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/shell.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/shell.nl_NL.po b/modules/po/shell.nl_NL.po index edaea20b..354460b1 100644 --- a/modules/po/shell.nl_NL.po +++ b/modules/po/shell.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/shell.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/shell.pt_BR.po b/modules/po/shell.pt_BR.po index 57200d21..624e89ba 100644 --- a/modules/po/shell.pt_BR.po +++ b/modules/po/shell.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/shell.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/shell.ru_RU.po b/modules/po/shell.ru_RU.po index b6373d0a..831653d9 100644 --- a/modules/po/shell.ru_RU.po +++ b/modules/po/shell.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/shell.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/simple_away.bg_BG.po b/modules/po/simple_away.bg_BG.po index 30802506..cb78a11a 100644 --- a/modules/po/simple_away.bg_BG.po +++ b/modules/po/simple_away.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/simple_away.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/simple_away.de_DE.po b/modules/po/simple_away.de_DE.po index c428087f..0f9830fc 100644 --- a/modules/po/simple_away.de_DE.po +++ b/modules/po/simple_away.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/simple_away.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/simple_away.es_ES.po b/modules/po/simple_away.es_ES.po index 2dad2bd2..077e0353 100644 --- a/modules/po/simple_away.es_ES.po +++ b/modules/po/simple_away.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/simple_away.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/simple_away.fr_FR.po b/modules/po/simple_away.fr_FR.po index a30336fb..70682ae4 100644 --- a/modules/po/simple_away.fr_FR.po +++ b/modules/po/simple_away.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/simple_away.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/simple_away.id_ID.po b/modules/po/simple_away.id_ID.po index b0bfbbbd..a7ebcd2f 100644 --- a/modules/po/simple_away.id_ID.po +++ b/modules/po/simple_away.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/simple_away.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/simple_away.it_IT.po b/modules/po/simple_away.it_IT.po index 21a996ab..a0b684dd 100644 --- a/modules/po/simple_away.it_IT.po +++ b/modules/po/simple_away.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/simple_away.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/simple_away.nl_NL.po b/modules/po/simple_away.nl_NL.po index 272096ef..64ebda77 100644 --- a/modules/po/simple_away.nl_NL.po +++ b/modules/po/simple_away.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/simple_away.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/simple_away.pt_BR.po b/modules/po/simple_away.pt_BR.po index 2c2f6bda..a1821c21 100644 --- a/modules/po/simple_away.pt_BR.po +++ b/modules/po/simple_away.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/simple_away.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/simple_away.ru_RU.po b/modules/po/simple_away.ru_RU.po index ac82d1e6..0f042b1a 100644 --- a/modules/po/simple_away.ru_RU.po +++ b/modules/po/simple_away.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/simple_away.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/stickychan.bg_BG.po b/modules/po/stickychan.bg_BG.po index f274dcea..7451002d 100644 --- a/modules/po/stickychan.bg_BG.po +++ b/modules/po/stickychan.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/stickychan.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/stickychan.de_DE.po b/modules/po/stickychan.de_DE.po index be07105c..9002c51a 100644 --- a/modules/po/stickychan.de_DE.po +++ b/modules/po/stickychan.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/stickychan.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/stickychan.es_ES.po b/modules/po/stickychan.es_ES.po index 8afb19c7..ff7ed05d 100644 --- a/modules/po/stickychan.es_ES.po +++ b/modules/po/stickychan.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/stickychan.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/stickychan.fr_FR.po b/modules/po/stickychan.fr_FR.po index 5a4fffb8..50a9a4ff 100644 --- a/modules/po/stickychan.fr_FR.po +++ b/modules/po/stickychan.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/stickychan.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/stickychan.id_ID.po b/modules/po/stickychan.id_ID.po index 37ec7260..f27be880 100644 --- a/modules/po/stickychan.id_ID.po +++ b/modules/po/stickychan.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/stickychan.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/stickychan.it_IT.po b/modules/po/stickychan.it_IT.po index d57ddeaa..12ad984b 100644 --- a/modules/po/stickychan.it_IT.po +++ b/modules/po/stickychan.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/stickychan.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/stickychan.nl_NL.po b/modules/po/stickychan.nl_NL.po index 8a04bf9e..66b0b5b5 100644 --- a/modules/po/stickychan.nl_NL.po +++ b/modules/po/stickychan.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/stickychan.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/stickychan.pt_BR.po b/modules/po/stickychan.pt_BR.po index 031ee5b4..97fea509 100644 --- a/modules/po/stickychan.pt_BR.po +++ b/modules/po/stickychan.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/stickychan.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/stickychan.ru_RU.po b/modules/po/stickychan.ru_RU.po index 9b508c46..d0ced1e9 100644 --- a/modules/po/stickychan.ru_RU.po +++ b/modules/po/stickychan.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/stickychan.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/stripcontrols.bg_BG.po b/modules/po/stripcontrols.bg_BG.po index cde65100..cbefc622 100644 --- a/modules/po/stripcontrols.bg_BG.po +++ b/modules/po/stripcontrols.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/stripcontrols.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/stripcontrols.de_DE.po b/modules/po/stripcontrols.de_DE.po index 9cd5c90b..c516d02a 100644 --- a/modules/po/stripcontrols.de_DE.po +++ b/modules/po/stripcontrols.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/stripcontrols.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/stripcontrols.es_ES.po b/modules/po/stripcontrols.es_ES.po index c7ef653a..f23cab73 100644 --- a/modules/po/stripcontrols.es_ES.po +++ b/modules/po/stripcontrols.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/stripcontrols.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/stripcontrols.fr_FR.po b/modules/po/stripcontrols.fr_FR.po index 76955fad..c9d8dfe7 100644 --- a/modules/po/stripcontrols.fr_FR.po +++ b/modules/po/stripcontrols.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/stripcontrols.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/stripcontrols.id_ID.po b/modules/po/stripcontrols.id_ID.po index 0e6a9909..5f5f1d2a 100644 --- a/modules/po/stripcontrols.id_ID.po +++ b/modules/po/stripcontrols.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/stripcontrols.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/stripcontrols.it_IT.po b/modules/po/stripcontrols.it_IT.po index 17141290..91ec0055 100644 --- a/modules/po/stripcontrols.it_IT.po +++ b/modules/po/stripcontrols.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/stripcontrols.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/stripcontrols.nl_NL.po b/modules/po/stripcontrols.nl_NL.po index 12ac9b85..02f818e9 100644 --- a/modules/po/stripcontrols.nl_NL.po +++ b/modules/po/stripcontrols.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/stripcontrols.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/stripcontrols.pt_BR.po b/modules/po/stripcontrols.pt_BR.po index 4a0ebce7..92750235 100644 --- a/modules/po/stripcontrols.pt_BR.po +++ b/modules/po/stripcontrols.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/stripcontrols.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/stripcontrols.ru_RU.po b/modules/po/stripcontrols.ru_RU.po index 320e653d..70ee9ab2 100644 --- a/modules/po/stripcontrols.ru_RU.po +++ b/modules/po/stripcontrols.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/stripcontrols.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/watch.bg_BG.po b/modules/po/watch.bg_BG.po index 208a3c24..000419d1 100644 --- a/modules/po/watch.bg_BG.po +++ b/modules/po/watch.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/watch.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/watch.de_DE.po b/modules/po/watch.de_DE.po index b2b19b78..cb8a06a3 100644 --- a/modules/po/watch.de_DE.po +++ b/modules/po/watch.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/watch.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/watch.es_ES.po b/modules/po/watch.es_ES.po index e5ef03ee..a1905471 100644 --- a/modules/po/watch.es_ES.po +++ b/modules/po/watch.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/watch.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/watch.fr_FR.po b/modules/po/watch.fr_FR.po index 245bee67..c825b2d5 100644 --- a/modules/po/watch.fr_FR.po +++ b/modules/po/watch.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/watch.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/watch.id_ID.po b/modules/po/watch.id_ID.po index 6344cc07..18a0f10d 100644 --- a/modules/po/watch.id_ID.po +++ b/modules/po/watch.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/watch.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/watch.it_IT.po b/modules/po/watch.it_IT.po index 28059a45..71264a4f 100644 --- a/modules/po/watch.it_IT.po +++ b/modules/po/watch.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/watch.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/watch.nl_NL.po b/modules/po/watch.nl_NL.po index ebafa342..c91dba1d 100644 --- a/modules/po/watch.nl_NL.po +++ b/modules/po/watch.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/watch.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/watch.pt_BR.po b/modules/po/watch.pt_BR.po index 6feb19e8..d45205df 100644 --- a/modules/po/watch.pt_BR.po +++ b/modules/po/watch.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/watch.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/watch.ru_RU.po b/modules/po/watch.ru_RU.po index ea382bad..39bacf06 100644 --- a/modules/po/watch.ru_RU.po +++ b/modules/po/watch.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/watch.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/webadmin.bg_BG.po b/modules/po/webadmin.bg_BG.po index 8b39386c..79b3c208 100644 --- a/modules/po/webadmin.bg_BG.po +++ b/modules/po/webadmin.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/webadmin.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/webadmin.de_DE.po b/modules/po/webadmin.de_DE.po index 10f4aea3..acd9a203 100644 --- a/modules/po/webadmin.de_DE.po +++ b/modules/po/webadmin.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/webadmin.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/webadmin.es_ES.po b/modules/po/webadmin.es_ES.po index da0a59d9..43e7a015 100644 --- a/modules/po/webadmin.es_ES.po +++ b/modules/po/webadmin.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/webadmin.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/webadmin.fr_FR.po b/modules/po/webadmin.fr_FR.po index 2514a0da..67f4656b 100644 --- a/modules/po/webadmin.fr_FR.po +++ b/modules/po/webadmin.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/webadmin.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/webadmin.id_ID.po b/modules/po/webadmin.id_ID.po index 0daa3019..42f2f3c2 100644 --- a/modules/po/webadmin.id_ID.po +++ b/modules/po/webadmin.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/webadmin.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/webadmin.it_IT.po b/modules/po/webadmin.it_IT.po index 4c7d4499..1eba8fca 100644 --- a/modules/po/webadmin.it_IT.po +++ b/modules/po/webadmin.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/webadmin.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/webadmin.nl_NL.po b/modules/po/webadmin.nl_NL.po index 8c1160fb..ad49ad1a 100644 --- a/modules/po/webadmin.nl_NL.po +++ b/modules/po/webadmin.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/webadmin.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/webadmin.pt_BR.po b/modules/po/webadmin.pt_BR.po index 7f722707..37b92c72 100644 --- a/modules/po/webadmin.pt_BR.po +++ b/modules/po/webadmin.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/webadmin.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/webadmin.ru_RU.po b/modules/po/webadmin.ru_RU.po index fba18dc5..a8f61f6a 100644 --- a/modules/po/webadmin.ru_RU.po +++ b/modules/po/webadmin.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/webadmin.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/src/po/znc.bg_BG.po b/src/po/znc.bg_BG.po index 2b1dcd69..aff707d8 100644 --- a/src/po/znc.bg_BG.po +++ b/src/po/znc.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/src/po/znc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/src/po/znc.de_DE.po b/src/po/znc.de_DE.po index ccbb5bce..da5ea106 100644 --- a/src/po/znc.de_DE.po +++ b/src/po/znc.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/src/po/znc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/src/po/znc.es_ES.po b/src/po/znc.es_ES.po index ef3a452b..d9069c3e 100644 --- a/src/po/znc.es_ES.po +++ b/src/po/znc.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/src/po/znc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/src/po/znc.fr_FR.po b/src/po/znc.fr_FR.po index 63077f4d..ee381cf4 100644 --- a/src/po/znc.fr_FR.po +++ b/src/po/znc.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/src/po/znc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/src/po/znc.id_ID.po b/src/po/znc.id_ID.po index 5dbc7cd2..f62658a2 100644 --- a/src/po/znc.id_ID.po +++ b/src/po/znc.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/src/po/znc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/src/po/znc.it_IT.po b/src/po/znc.it_IT.po index e514544c..3ea3caf4 100644 --- a/src/po/znc.it_IT.po +++ b/src/po/znc.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/src/po/znc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/src/po/znc.nl_NL.po b/src/po/znc.nl_NL.po index fa643e7c..295faa76 100644 --- a/src/po/znc.nl_NL.po +++ b/src/po/znc.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/src/po/znc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/src/po/znc.pt_BR.po b/src/po/znc.pt_BR.po index 9f412c68..81142d41 100644 --- a/src/po/znc.pt_BR.po +++ b/src/po/znc.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/src/po/znc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/src/po/znc.ru_RU.po b/src/po/znc.ru_RU.po index 7b252130..8a64f7bf 100644 --- a/src/po/znc.ru_RU.po +++ b/src/po/znc.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/src/po/znc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" From 207d47f1dac9dc0072a809a4189ca419b8f60eb0 Mon Sep 17 00:00:00 2001 From: Jos Ahrens Date: Sun, 30 Jun 2019 08:00:05 +0000 Subject: [PATCH 264/798] TrustPKI: Better wording in webadmin --- modules/data/webadmin/tmpl/add_edit_network.tmpl | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/modules/data/webadmin/tmpl/add_edit_network.tmpl b/modules/data/webadmin/tmpl/add_edit_network.tmpl index a1d05f7a..ae66a35d 100644 --- a/modules/data/webadmin/tmpl/add_edit_network.tmpl +++ b/modules/data/webadmin/tmpl/add_edit_network.tmpl @@ -80,9 +80,9 @@
-
+
checked="checked" /> -
+
From e99cad4c25ce6c0e6c0d8e99359c87220fb7e5bd Mon Sep 17 00:00:00 2001 From: Jonathan Herlin Date: Fri, 5 Jul 2019 21:03:46 +0200 Subject: [PATCH 265/798] Fix crypt module test (#1673) --- test/integration/tests/modules.cpp | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/test/integration/tests/modules.cpp b/test/integration/tests/modules.cpp index 2f6af109..0589e246 100644 --- a/test/integration/tests/modules.cpp +++ b/test/integration/tests/modules.cpp @@ -119,11 +119,11 @@ TEST_F(ZNCTest, ModuleCrypt) { client1.Write("PRIVMSG *crypt :listkeys"); QByteArray key1(""); - client1.ReadUntilAndGet("| nick2 | ", key1); + client1.ReadUntilAndGet("\002nick2\017: ", key1); client2.Write("PRIVMSG *crypt :listkeys"); QByteArray key2(""); - client2.ReadUntilAndGet("| user | ", key2); - ASSERT_EQ(key1.mid(11), key2.mid(11)); + client2.ReadUntilAndGet("\002user\017: ", key2); + ASSERT_EQ(key1.mid(9), key2.mid(8)); client1.Write("CAP REQ :echo-message"); client1.Write("PRIVMSG .nick2 :Hello"); QByteArray secretmsg; From d77f9a9ece2d70abdc85f5ced2a4c43b3f22ba5a Mon Sep 17 00:00:00 2001 From: greenxx <34824480+greenxx@users.noreply.github.com> Date: Wed, 3 Jul 2019 21:37:59 +0200 Subject: [PATCH 266/798] Update error message to let the user know to initialize submodules or get the tarball from the website Close #1671 Close #1672 --- CMakeLists.txt | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/CMakeLists.txt b/CMakeLists.txt index 64ebbd0e..fa8bf180 100644 --- a/CMakeLists.txt +++ b/CMakeLists.txt @@ -250,7 +250,8 @@ if(csocket_files STREQUAL "") if(git_status_var) message(FATAL_ERROR " It looks like git submodules are not initialized.\n" - " Either this is not a git clone, or you don't have git installed") + " Either this is not a git clone, or you don't have git installed.\n" + " Fetch the tarball from the website: https://znc.in/releases/ ") else() message(FATAL_ERROR " It looks like git submodules are not initialized.\n" From 0ad4e51b391c08267a40922bd274b4b722308c13 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Fri, 12 Jul 2019 08:24:58 +0100 Subject: [PATCH 267/798] Fix merge conflict --- modules/po/admindebug.bg_BG.po | 6 - modules/po/admindebug.de_DE.po | 4 - modules/po/admindebug.es_ES.po | 4 - modules/po/admindebug.fr_FR.po | 4 - modules/po/admindebug.id_ID.po | 4 - modules/po/admindebug.it_IT.po | 6 - modules/po/admindebug.nl_NL.po | 4 - modules/po/admindebug.pt_BR.po | 4 - modules/po/admindebug.ru_RU.po | 4 - modules/po/adminlog.bg_BG.po | 6 - modules/po/adminlog.de_DE.po | 4 - modules/po/adminlog.es_ES.po | 4 - modules/po/adminlog.fr_FR.po | 4 - modules/po/adminlog.id_ID.po | 4 - modules/po/adminlog.it_IT.po | 6 - modules/po/adminlog.nl_NL.po | 4 - modules/po/adminlog.pt_BR.po | 4 - modules/po/adminlog.ru_RU.po | 4 - modules/po/alias.bg_BG.po | 6 - modules/po/alias.de_DE.po | 4 - modules/po/alias.es_ES.po | 4 - modules/po/alias.fr_FR.po | 4 - modules/po/alias.id_ID.po | 4 - modules/po/alias.it_IT.po | 6 - modules/po/alias.nl_NL.po | 4 - modules/po/alias.pt_BR.po | 4 - modules/po/alias.ru_RU.po | 4 - modules/po/autoattach.bg_BG.po | 6 - modules/po/autoattach.de_DE.po | 4 - modules/po/autoattach.es_ES.po | 4 - modules/po/autoattach.fr_FR.po | 4 - modules/po/autoattach.id_ID.po | 4 - modules/po/autoattach.it_IT.po | 6 - modules/po/autoattach.nl_NL.po | 4 - modules/po/autoattach.pt_BR.po | 4 - modules/po/autoattach.ru_RU.po | 4 - modules/po/autocycle.bg_BG.po | 22 - modules/po/autocycle.de_DE.po | 4 - modules/po/autocycle.es_ES.po | 4 - modules/po/autocycle.fr_FR.po | 4 - modules/po/autocycle.id_ID.po | 4 - modules/po/autocycle.it_IT.po | 22 - modules/po/autocycle.nl_NL.po | 4 - modules/po/autocycle.pt_BR.po | 4 - modules/po/autocycle.ru_RU.po | 4 - modules/po/autoop.bg_BG.po | 6 - modules/po/autoop.de_DE.po | 4 - modules/po/autoop.es_ES.po | 4 - modules/po/autoop.fr_FR.po | 4 - modules/po/autoop.id_ID.po | 4 - modules/po/autoop.it_IT.po | 6 - modules/po/autoop.nl_NL.po | 4 - modules/po/autoop.pt_BR.po | 4 - modules/po/autoop.ru_RU.po | 4 - modules/po/autoreply.bg_BG.po | 6 - modules/po/autoreply.de_DE.po | 4 - modules/po/autoreply.es_ES.po | 4 - modules/po/autoreply.fr_FR.po | 4 - modules/po/autoreply.id_ID.po | 4 - modules/po/autoreply.it_IT.po | 6 - modules/po/autoreply.nl_NL.po | 4 - modules/po/autoreply.pt_BR.po | 4 - modules/po/autoreply.ru_RU.po | 4 - modules/po/autovoice.bg_BG.po | 6 - modules/po/autovoice.de_DE.po | 4 - modules/po/autovoice.es_ES.po | 4 - modules/po/autovoice.fr_FR.po | 4 - modules/po/autovoice.id_ID.po | 4 - modules/po/autovoice.it_IT.po | 6 - modules/po/autovoice.nl_NL.po | 4 - modules/po/autovoice.pt_BR.po | 4 - modules/po/autovoice.ru_RU.po | 4 - modules/po/awaystore.bg_BG.po | 6 - modules/po/awaystore.de_DE.po | 4 - modules/po/awaystore.es_ES.po | 4 - modules/po/awaystore.fr_FR.po | 4 - modules/po/awaystore.id_ID.po | 4 - modules/po/awaystore.it_IT.po | 6 - modules/po/awaystore.nl_NL.po | 4 - modules/po/awaystore.pt_BR.po | 4 - modules/po/awaystore.ru_RU.po | 4 - modules/po/block_motd.bg_BG.po | 6 - modules/po/block_motd.de_DE.po | 4 - modules/po/block_motd.es_ES.po | 4 - modules/po/block_motd.fr_FR.po | 4 - modules/po/block_motd.id_ID.po | 4 - modules/po/block_motd.it_IT.po | 6 - modules/po/block_motd.nl_NL.po | 4 - modules/po/block_motd.pt_BR.po | 4 - modules/po/block_motd.ru_RU.po | 4 - modules/po/blockuser.bg_BG.po | 6 - modules/po/blockuser.de_DE.po | 4 - modules/po/blockuser.es_ES.po | 4 - modules/po/blockuser.fr_FR.po | 4 - modules/po/blockuser.id_ID.po | 4 - modules/po/blockuser.it_IT.po | 6 - modules/po/blockuser.nl_NL.po | 4 - modules/po/blockuser.pt_BR.po | 4 - modules/po/blockuser.ru_RU.po | 4 - modules/po/bouncedcc.bg_BG.po | 6 - modules/po/bouncedcc.de_DE.po | 4 - modules/po/bouncedcc.es_ES.po | 4 - modules/po/bouncedcc.fr_FR.po | 4 - modules/po/bouncedcc.id_ID.po | 4 - modules/po/bouncedcc.it_IT.po | 6 - modules/po/bouncedcc.nl_NL.po | 4 - modules/po/bouncedcc.pt_BR.po | 4 - modules/po/bouncedcc.ru_RU.po | 4 - modules/po/buffextras.bg_BG.po | 6 - modules/po/buffextras.de_DE.po | 4 - modules/po/buffextras.es_ES.po | 4 - modules/po/buffextras.fr_FR.po | 4 - modules/po/buffextras.id_ID.po | 4 - modules/po/buffextras.it_IT.po | 6 - modules/po/buffextras.nl_NL.po | 4 - modules/po/buffextras.pt_BR.po | 4 - modules/po/buffextras.ru_RU.po | 4 - modules/po/cert.bg_BG.po | 6 - modules/po/cert.de_DE.po | 4 - modules/po/cert.es_ES.po | 4 - modules/po/cert.fr_FR.po | 4 - modules/po/cert.id_ID.po | 4 - modules/po/cert.it_IT.po | 6 - modules/po/cert.nl_NL.po | 4 - modules/po/cert.pt_BR.po | 4 - modules/po/cert.ru_RU.po | 4 - modules/po/certauth.bg_BG.po | 30 - modules/po/certauth.de_DE.po | 4 - modules/po/certauth.es_ES.po | 4 - modules/po/certauth.fr_FR.po | 4 - modules/po/certauth.id_ID.po | 4 - modules/po/certauth.it_IT.po | 30 - modules/po/certauth.nl_NL.po | 4 - modules/po/certauth.pt_BR.po | 4 - modules/po/certauth.ru_RU.po | 4 - modules/po/chansaver.bg_BG.po | 6 - modules/po/chansaver.de_DE.po | 4 - modules/po/chansaver.es_ES.po | 4 - modules/po/chansaver.fr_FR.po | 4 - modules/po/chansaver.id_ID.po | 4 - modules/po/chansaver.it_IT.po | 6 - modules/po/chansaver.nl_NL.po | 4 - modules/po/chansaver.pt_BR.po | 4 - modules/po/chansaver.ru_RU.po | 4 - modules/po/clearbufferonmsg.bg_BG.po | 6 - modules/po/clearbufferonmsg.de_DE.po | 4 - modules/po/clearbufferonmsg.es_ES.po | 4 - modules/po/clearbufferonmsg.fr_FR.po | 4 - modules/po/clearbufferonmsg.id_ID.po | 4 - modules/po/clearbufferonmsg.it_IT.po | 6 - modules/po/clearbufferonmsg.nl_NL.po | 4 - modules/po/clearbufferonmsg.pt_BR.po | 4 - modules/po/clearbufferonmsg.ru_RU.po | 4 - modules/po/clientnotify.bg_BG.po | 6 - modules/po/clientnotify.de_DE.po | 4 - modules/po/clientnotify.es_ES.po | 4 - modules/po/clientnotify.fr_FR.po | 4 - modules/po/clientnotify.id_ID.po | 4 - modules/po/clientnotify.it_IT.po | 6 - modules/po/clientnotify.nl_NL.po | 4 - modules/po/clientnotify.pt_BR.po | 4 - modules/po/clientnotify.ru_RU.po | 4 - modules/po/controlpanel.bg_BG.po | 677 --------------------- modules/po/controlpanel.de_DE.po | 4 - modules/po/controlpanel.es_ES.po | 4 - modules/po/controlpanel.fr_FR.po | 4 - modules/po/controlpanel.id_ID.po | 4 - modules/po/controlpanel.it_IT.po | 677 --------------------- modules/po/controlpanel.nl_NL.po | 4 - modules/po/controlpanel.pt_BR.po | 4 - modules/po/controlpanel.ru_RU.po | 4 - modules/po/crypt.bg_BG.po | 22 - modules/po/crypt.de_DE.po | 4 - modules/po/crypt.es_ES.po | 4 - modules/po/crypt.fr_FR.po | 4 - modules/po/crypt.id_ID.po | 4 - modules/po/crypt.it_IT.po | 22 - modules/po/crypt.nl_NL.po | 4 - modules/po/crypt.pt_BR.po | 4 - modules/po/crypt.ru_RU.po | 4 - modules/po/ctcpflood.bg_BG.po | 6 - modules/po/ctcpflood.de_DE.po | 4 - modules/po/ctcpflood.es_ES.po | 4 - modules/po/ctcpflood.fr_FR.po | 4 - modules/po/ctcpflood.id_ID.po | 4 - modules/po/ctcpflood.it_IT.po | 6 - modules/po/ctcpflood.nl_NL.po | 4 - modules/po/ctcpflood.pt_BR.po | 4 - modules/po/ctcpflood.ru_RU.po | 4 - modules/po/cyrusauth.bg_BG.po | 6 - modules/po/cyrusauth.de_DE.po | 4 - modules/po/cyrusauth.es_ES.po | 4 - modules/po/cyrusauth.fr_FR.po | 4 - modules/po/cyrusauth.id_ID.po | 4 - modules/po/cyrusauth.it_IT.po | 6 - modules/po/cyrusauth.nl_NL.po | 4 - modules/po/cyrusauth.pt_BR.po | 4 - modules/po/cyrusauth.ru_RU.po | 4 - modules/po/dcc.bg_BG.po | 6 - modules/po/dcc.de_DE.po | 4 - modules/po/dcc.es_ES.po | 4 - modules/po/dcc.fr_FR.po | 4 - modules/po/dcc.id_ID.po | 4 - modules/po/dcc.it_IT.po | 6 - modules/po/dcc.nl_NL.po | 4 - modules/po/dcc.pt_BR.po | 4 - modules/po/dcc.ru_RU.po | 4 - modules/po/disconkick.bg_BG.po | 6 - modules/po/disconkick.de_DE.po | 4 - modules/po/disconkick.es_ES.po | 4 - modules/po/disconkick.fr_FR.po | 4 - modules/po/disconkick.id_ID.po | 4 - modules/po/disconkick.it_IT.po | 6 - modules/po/disconkick.nl_NL.po | 4 - modules/po/disconkick.pt_BR.po | 4 - modules/po/disconkick.ru_RU.po | 4 - modules/po/fail2ban.bg_BG.po | 26 - modules/po/fail2ban.de_DE.po | 4 - modules/po/fail2ban.es_ES.po | 4 - modules/po/fail2ban.fr_FR.po | 4 - modules/po/fail2ban.id_ID.po | 4 - modules/po/fail2ban.it_IT.po | 26 - modules/po/fail2ban.nl_NL.po | 4 - modules/po/fail2ban.pt_BR.po | 4 - modules/po/fail2ban.ru_RU.po | 4 - modules/po/flooddetach.bg_BG.po | 6 - modules/po/flooddetach.de_DE.po | 4 - modules/po/flooddetach.es_ES.po | 4 - modules/po/flooddetach.fr_FR.po | 4 - modules/po/flooddetach.id_ID.po | 4 - modules/po/flooddetach.it_IT.po | 6 - modules/po/flooddetach.nl_NL.po | 4 - modules/po/flooddetach.pt_BR.po | 4 - modules/po/flooddetach.ru_RU.po | 4 - modules/po/identfile.bg_BG.po | 6 - modules/po/identfile.de_DE.po | 4 - modules/po/identfile.es_ES.po | 4 - modules/po/identfile.fr_FR.po | 4 - modules/po/identfile.id_ID.po | 4 - modules/po/identfile.it_IT.po | 6 - modules/po/identfile.nl_NL.po | 4 - modules/po/identfile.pt_BR.po | 4 - modules/po/identfile.ru_RU.po | 4 - modules/po/imapauth.bg_BG.po | 6 - modules/po/imapauth.de_DE.po | 4 - modules/po/imapauth.es_ES.po | 4 - modules/po/imapauth.fr_FR.po | 4 - modules/po/imapauth.id_ID.po | 4 - modules/po/imapauth.it_IT.po | 6 - modules/po/imapauth.nl_NL.po | 4 - modules/po/imapauth.pt_BR.po | 4 - modules/po/imapauth.ru_RU.po | 4 - modules/po/keepnick.bg_BG.po | 6 - modules/po/keepnick.de_DE.po | 4 - modules/po/keepnick.es_ES.po | 4 - modules/po/keepnick.fr_FR.po | 4 - modules/po/keepnick.id_ID.po | 4 - modules/po/keepnick.it_IT.po | 6 - modules/po/keepnick.nl_NL.po | 4 - modules/po/keepnick.pt_BR.po | 4 - modules/po/keepnick.ru_RU.po | 4 - modules/po/kickrejoin.bg_BG.po | 6 - modules/po/kickrejoin.de_DE.po | 4 - modules/po/kickrejoin.es_ES.po | 4 - modules/po/kickrejoin.fr_FR.po | 4 - modules/po/kickrejoin.id_ID.po | 4 - modules/po/kickrejoin.it_IT.po | 6 - modules/po/kickrejoin.nl_NL.po | 4 - modules/po/kickrejoin.pt_BR.po | 4 - modules/po/kickrejoin.ru_RU.po | 4 - modules/po/lastseen.bg_BG.po | 30 - modules/po/lastseen.de_DE.po | 4 - modules/po/lastseen.es_ES.po | 4 - modules/po/lastseen.fr_FR.po | 4 - modules/po/lastseen.id_ID.po | 4 - modules/po/lastseen.it_IT.po | 30 - modules/po/lastseen.nl_NL.po | 4 - modules/po/lastseen.pt_BR.po | 4 - modules/po/lastseen.ru_RU.po | 4 - modules/po/listsockets.bg_BG.po | 6 - modules/po/listsockets.de_DE.po | 4 - modules/po/listsockets.es_ES.po | 4 - modules/po/listsockets.fr_FR.po | 4 - modules/po/listsockets.id_ID.po | 4 - modules/po/listsockets.it_IT.po | 6 - modules/po/listsockets.nl_NL.po | 4 - modules/po/listsockets.pt_BR.po | 4 - modules/po/listsockets.ru_RU.po | 4 - modules/po/log.bg_BG.po | 94 --- modules/po/log.de_DE.po | 4 - modules/po/log.es_ES.po | 4 - modules/po/log.fr_FR.po | 4 - modules/po/log.id_ID.po | 4 - modules/po/log.it_IT.po | 94 --- modules/po/log.nl_NL.po | 4 - modules/po/log.pt_BR.po | 4 - modules/po/log.ru_RU.po | 4 - modules/po/missingmotd.bg_BG.po | 6 - modules/po/missingmotd.de_DE.po | 4 - modules/po/missingmotd.es_ES.po | 4 - modules/po/missingmotd.fr_FR.po | 4 - modules/po/missingmotd.id_ID.po | 4 - modules/po/missingmotd.it_IT.po | 6 - modules/po/missingmotd.nl_NL.po | 4 - modules/po/missingmotd.pt_BR.po | 4 - modules/po/missingmotd.ru_RU.po | 4 - modules/po/modperl.bg_BG.po | 6 - modules/po/modperl.de_DE.po | 4 - modules/po/modperl.es_ES.po | 4 - modules/po/modperl.fr_FR.po | 4 - modules/po/modperl.id_ID.po | 4 - modules/po/modperl.it_IT.po | 6 - modules/po/modperl.nl_NL.po | 4 - modules/po/modperl.pt_BR.po | 4 - modules/po/modperl.ru_RU.po | 4 - modules/po/modpython.bg_BG.po | 6 - modules/po/modpython.de_DE.po | 4 - modules/po/modpython.es_ES.po | 4 - modules/po/modpython.fr_FR.po | 4 - modules/po/modpython.id_ID.po | 4 - modules/po/modpython.it_IT.po | 6 - modules/po/modpython.nl_NL.po | 4 - modules/po/modpython.pt_BR.po | 4 - modules/po/modpython.ru_RU.po | 4 - modules/po/modules_online.bg_BG.po | 6 - modules/po/modules_online.de_DE.po | 4 - modules/po/modules_online.es_ES.po | 4 - modules/po/modules_online.fr_FR.po | 4 - modules/po/modules_online.id_ID.po | 4 - modules/po/modules_online.it_IT.po | 6 - modules/po/modules_online.nl_NL.po | 4 - modules/po/modules_online.pt_BR.po | 4 - modules/po/modules_online.ru_RU.po | 4 - modules/po/nickserv.bg_BG.po | 6 - modules/po/nickserv.de_DE.po | 4 - modules/po/nickserv.es_ES.po | 4 - modules/po/nickserv.fr_FR.po | 4 - modules/po/nickserv.id_ID.po | 4 - modules/po/nickserv.it_IT.po | 6 - modules/po/nickserv.nl_NL.po | 4 - modules/po/nickserv.pt_BR.po | 4 - modules/po/nickserv.ru_RU.po | 4 - modules/po/notes.bg_BG.po | 26 - modules/po/notes.de_DE.po | 4 - modules/po/notes.es_ES.po | 4 - modules/po/notes.fr_FR.po | 4 - modules/po/notes.id_ID.po | 4 - modules/po/notes.it_IT.po | 26 - modules/po/notes.nl_NL.po | 4 - modules/po/notes.pt_BR.po | 4 - modules/po/notes.ru_RU.po | 4 - modules/po/notify_connect.bg_BG.po | 6 - modules/po/notify_connect.de_DE.po | 4 - modules/po/notify_connect.es_ES.po | 4 - modules/po/notify_connect.fr_FR.po | 4 - modules/po/notify_connect.id_ID.po | 4 - modules/po/notify_connect.it_IT.po | 6 - modules/po/notify_connect.nl_NL.po | 4 - modules/po/notify_connect.pt_BR.po | 4 - modules/po/notify_connect.ru_RU.po | 4 - modules/po/perform.bg_BG.po | 6 - modules/po/perform.de_DE.po | 4 - modules/po/perform.es_ES.po | 4 - modules/po/perform.fr_FR.po | 4 - modules/po/perform.id_ID.po | 4 - modules/po/perform.it_IT.po | 6 - modules/po/perform.nl_NL.po | 4 - modules/po/perform.pt_BR.po | 4 - modules/po/perform.ru_RU.po | 4 - modules/po/perleval.bg_BG.po | 6 - modules/po/perleval.de_DE.po | 4 - modules/po/perleval.es_ES.po | 4 - modules/po/perleval.fr_FR.po | 4 - modules/po/perleval.id_ID.po | 4 - modules/po/perleval.it_IT.po | 6 - modules/po/perleval.nl_NL.po | 4 - modules/po/perleval.pt_BR.po | 4 - modules/po/perleval.ru_RU.po | 4 - modules/po/pyeval.bg_BG.po | 6 - modules/po/pyeval.de_DE.po | 4 - modules/po/pyeval.es_ES.po | 4 - modules/po/pyeval.fr_FR.po | 4 - modules/po/pyeval.id_ID.po | 4 - modules/po/pyeval.it_IT.po | 6 - modules/po/pyeval.nl_NL.po | 4 - modules/po/pyeval.pt_BR.po | 4 - modules/po/pyeval.ru_RU.po | 4 - modules/po/raw.bg_BG.po | 6 - modules/po/raw.de_DE.po | 4 - modules/po/raw.es_ES.po | 4 - modules/po/raw.fr_FR.po | 4 - modules/po/raw.id_ID.po | 4 - modules/po/raw.it_IT.po | 6 - modules/po/raw.nl_NL.po | 4 - modules/po/raw.pt_BR.po | 4 - modules/po/raw.ru_RU.po | 4 - modules/po/route_replies.bg_BG.po | 50 -- modules/po/route_replies.de_DE.po | 4 - modules/po/route_replies.es_ES.po | 4 - modules/po/route_replies.fr_FR.po | 4 - modules/po/route_replies.id_ID.po | 4 - modules/po/route_replies.it_IT.po | 50 -- modules/po/route_replies.nl_NL.po | 4 - modules/po/route_replies.pt_BR.po | 4 - modules/po/route_replies.ru_RU.po | 4 - modules/po/sample.bg_BG.po | 6 - modules/po/sample.de_DE.po | 4 - modules/po/sample.es_ES.po | 4 - modules/po/sample.fr_FR.po | 4 - modules/po/sample.id_ID.po | 4 - modules/po/sample.it_IT.po | 6 - modules/po/sample.nl_NL.po | 4 - modules/po/sample.pt_BR.po | 4 - modules/po/sample.ru_RU.po | 4 - modules/po/samplewebapi.bg_BG.po | 6 - modules/po/samplewebapi.de_DE.po | 4 - modules/po/samplewebapi.es_ES.po | 4 - modules/po/samplewebapi.fr_FR.po | 4 - modules/po/samplewebapi.id_ID.po | 4 - modules/po/samplewebapi.it_IT.po | 6 - modules/po/samplewebapi.nl_NL.po | 4 - modules/po/samplewebapi.pt_BR.po | 4 - modules/po/samplewebapi.ru_RU.po | 4 - modules/po/sasl.bg_BG.po | 78 --- modules/po/sasl.de_DE.po | 4 - modules/po/sasl.es_ES.po | 4 - modules/po/sasl.fr_FR.po | 4 - modules/po/sasl.id_ID.po | 4 - modules/po/sasl.it_IT.po | 78 --- modules/po/sasl.nl_NL.po | 4 - modules/po/sasl.pt_BR.po | 4 - modules/po/sasl.ru_RU.po | 4 - modules/po/savebuff.bg_BG.po | 6 - modules/po/savebuff.de_DE.po | 4 - modules/po/savebuff.es_ES.po | 4 - modules/po/savebuff.fr_FR.po | 4 - modules/po/savebuff.id_ID.po | 4 - modules/po/savebuff.it_IT.po | 6 - modules/po/savebuff.nl_NL.po | 4 - modules/po/savebuff.pt_BR.po | 4 - modules/po/savebuff.ru_RU.po | 4 - modules/po/send_raw.bg_BG.po | 6 - modules/po/send_raw.de_DE.po | 4 - modules/po/send_raw.es_ES.po | 4 - modules/po/send_raw.fr_FR.po | 4 - modules/po/send_raw.id_ID.po | 4 - modules/po/send_raw.it_IT.po | 6 - modules/po/send_raw.nl_NL.po | 4 - modules/po/send_raw.pt_BR.po | 4 - modules/po/send_raw.ru_RU.po | 4 - modules/po/shell.bg_BG.po | 6 - modules/po/shell.de_DE.po | 4 - modules/po/shell.es_ES.po | 4 - modules/po/shell.fr_FR.po | 4 - modules/po/shell.id_ID.po | 4 - modules/po/shell.it_IT.po | 6 - modules/po/shell.nl_NL.po | 4 - modules/po/shell.pt_BR.po | 4 - modules/po/shell.ru_RU.po | 4 - modules/po/simple_away.bg_BG.po | 6 - modules/po/simple_away.de_DE.po | 4 - modules/po/simple_away.es_ES.po | 4 - modules/po/simple_away.fr_FR.po | 4 - modules/po/simple_away.id_ID.po | 4 - modules/po/simple_away.it_IT.po | 6 - modules/po/simple_away.nl_NL.po | 4 - modules/po/simple_away.pt_BR.po | 4 - modules/po/simple_away.ru_RU.po | 4 - modules/po/stickychan.bg_BG.po | 6 - modules/po/stickychan.de_DE.po | 4 - modules/po/stickychan.es_ES.po | 4 - modules/po/stickychan.fr_FR.po | 4 - modules/po/stickychan.id_ID.po | 4 - modules/po/stickychan.it_IT.po | 6 - modules/po/stickychan.nl_NL.po | 4 - modules/po/stickychan.pt_BR.po | 4 - modules/po/stickychan.ru_RU.po | 4 - modules/po/stripcontrols.bg_BG.po | 6 - modules/po/stripcontrols.de_DE.po | 4 - modules/po/stripcontrols.es_ES.po | 4 - modules/po/stripcontrols.fr_FR.po | 4 - modules/po/stripcontrols.id_ID.po | 4 - modules/po/stripcontrols.it_IT.po | 6 - modules/po/stripcontrols.nl_NL.po | 4 - modules/po/stripcontrols.pt_BR.po | 4 - modules/po/stripcontrols.ru_RU.po | 4 - modules/po/watch.bg_BG.po | 134 ----- modules/po/watch.de_DE.po | 4 - modules/po/watch.es_ES.po | 4 - modules/po/watch.fr_FR.po | 4 - modules/po/watch.id_ID.po | 4 - modules/po/watch.it_IT.po | 134 ----- modules/po/watch.nl_NL.po | 4 - modules/po/watch.pt_BR.po | 4 - modules/po/watch.ru_RU.po | 4 - modules/po/webadmin.bg_BG.po | 6 - modules/po/webadmin.de_DE.po | 4 - modules/po/webadmin.es_ES.po | 4 - modules/po/webadmin.fr_FR.po | 4 - modules/po/webadmin.id_ID.po | 4 - modules/po/webadmin.it_IT.po | 6 - modules/po/webadmin.nl_NL.po | 4 - modules/po/webadmin.pt_BR.po | 4 - modules/po/webadmin.ru_RU.po | 4 - src/po/znc.bg_BG.po | 868 --------------------------- src/po/znc.de_DE.po | 12 - src/po/znc.es_ES.po | 12 - src/po/znc.fr_FR.po | 12 - src/po/znc.id_ID.po | 12 - src/po/znc.it_IT.po | 868 --------------------------- src/po/znc.nl_NL.po | 12 - src/po/znc.pt_BR.po | 12 - src/po/znc.ru_RU.po | 12 - 513 files changed, 6306 deletions(-) diff --git a/modules/po/admindebug.bg_BG.po b/modules/po/admindebug.bg_BG.po index 9dd3d364..dd4060ea 100644 --- a/modules/po/admindebug.bg_BG.po +++ b/modules/po/admindebug.bg_BG.po @@ -6,15 +6,9 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/admindebug.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" -======= -"X-Crowdin-File: /1.7.x/modules/po/admindebug.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/admindebug.de_DE.po b/modules/po/admindebug.de_DE.po index 1c50e51b..4413da9e 100644 --- a/modules/po/admindebug.de_DE.po +++ b/modules/po/admindebug.de_DE.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/admindebug.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/admindebug.es_ES.po b/modules/po/admindebug.es_ES.po index 6b5974d6..469bbcc7 100644 --- a/modules/po/admindebug.es_ES.po +++ b/modules/po/admindebug.es_ES.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/admindebug.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/admindebug.fr_FR.po b/modules/po/admindebug.fr_FR.po index 2ec7dc3c..3840f15f 100644 --- a/modules/po/admindebug.fr_FR.po +++ b/modules/po/admindebug.fr_FR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/admindebug.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/admindebug.id_ID.po b/modules/po/admindebug.id_ID.po index f17d8d08..e4a356eb 100644 --- a/modules/po/admindebug.id_ID.po +++ b/modules/po/admindebug.id_ID.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/admindebug.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/admindebug.it_IT.po b/modules/po/admindebug.it_IT.po index d41b3b0d..eb6c1be0 100644 --- a/modules/po/admindebug.it_IT.po +++ b/modules/po/admindebug.it_IT.po @@ -6,15 +6,9 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/admindebug.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" -======= -"X-Crowdin-File: /1.7.x/modules/po/admindebug.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/admindebug.nl_NL.po b/modules/po/admindebug.nl_NL.po index 29859a4a..aee7e626 100644 --- a/modules/po/admindebug.nl_NL.po +++ b/modules/po/admindebug.nl_NL.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/admindebug.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/admindebug.pt_BR.po b/modules/po/admindebug.pt_BR.po index 419dc312..fe991e88 100644 --- a/modules/po/admindebug.pt_BR.po +++ b/modules/po/admindebug.pt_BR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/admindebug.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/admindebug.ru_RU.po b/modules/po/admindebug.ru_RU.po index 10e36fe3..58d898d6 100644 --- a/modules/po/admindebug.ru_RU.po +++ b/modules/po/admindebug.ru_RU.po @@ -10,11 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/admindebug.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/adminlog.bg_BG.po b/modules/po/adminlog.bg_BG.po index fba67204..8fae2066 100644 --- a/modules/po/adminlog.bg_BG.po +++ b/modules/po/adminlog.bg_BG.po @@ -6,15 +6,9 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/adminlog.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" -======= -"X-Crowdin-File: /1.7.x/modules/po/adminlog.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/adminlog.de_DE.po b/modules/po/adminlog.de_DE.po index b64384b6..136643b2 100644 --- a/modules/po/adminlog.de_DE.po +++ b/modules/po/adminlog.de_DE.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/adminlog.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/adminlog.es_ES.po b/modules/po/adminlog.es_ES.po index de9dc917..8191ea4b 100644 --- a/modules/po/adminlog.es_ES.po +++ b/modules/po/adminlog.es_ES.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/adminlog.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/adminlog.fr_FR.po b/modules/po/adminlog.fr_FR.po index 253abf1b..b84dceb5 100644 --- a/modules/po/adminlog.fr_FR.po +++ b/modules/po/adminlog.fr_FR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/adminlog.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/adminlog.id_ID.po b/modules/po/adminlog.id_ID.po index f5723e8f..f8e4bcf7 100644 --- a/modules/po/adminlog.id_ID.po +++ b/modules/po/adminlog.id_ID.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/adminlog.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/adminlog.it_IT.po b/modules/po/adminlog.it_IT.po index c969a240..730a35ab 100644 --- a/modules/po/adminlog.it_IT.po +++ b/modules/po/adminlog.it_IT.po @@ -6,15 +6,9 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/adminlog.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" -======= -"X-Crowdin-File: /1.7.x/modules/po/adminlog.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/adminlog.nl_NL.po b/modules/po/adminlog.nl_NL.po index 73d05efb..25cb416d 100644 --- a/modules/po/adminlog.nl_NL.po +++ b/modules/po/adminlog.nl_NL.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/adminlog.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/adminlog.pt_BR.po b/modules/po/adminlog.pt_BR.po index 430d2e4d..360f5772 100644 --- a/modules/po/adminlog.pt_BR.po +++ b/modules/po/adminlog.pt_BR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/adminlog.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/adminlog.ru_RU.po b/modules/po/adminlog.ru_RU.po index 1efe9261..ba28b042 100644 --- a/modules/po/adminlog.ru_RU.po +++ b/modules/po/adminlog.ru_RU.po @@ -10,11 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/adminlog.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/alias.bg_BG.po b/modules/po/alias.bg_BG.po index 5b3873ab..8eb30726 100644 --- a/modules/po/alias.bg_BG.po +++ b/modules/po/alias.bg_BG.po @@ -6,15 +6,9 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/alias.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" -======= -"X-Crowdin-File: /1.7.x/modules/po/alias.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/alias.de_DE.po b/modules/po/alias.de_DE.po index 639fccbb..2e9988c7 100644 --- a/modules/po/alias.de_DE.po +++ b/modules/po/alias.de_DE.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/alias.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/alias.es_ES.po b/modules/po/alias.es_ES.po index a2999afe..f05140f1 100644 --- a/modules/po/alias.es_ES.po +++ b/modules/po/alias.es_ES.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/alias.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/alias.fr_FR.po b/modules/po/alias.fr_FR.po index eca8a14c..8a5bb5f6 100644 --- a/modules/po/alias.fr_FR.po +++ b/modules/po/alias.fr_FR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/alias.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/alias.id_ID.po b/modules/po/alias.id_ID.po index 7bec85fb..5d67ecef 100644 --- a/modules/po/alias.id_ID.po +++ b/modules/po/alias.id_ID.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/alias.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/alias.it_IT.po b/modules/po/alias.it_IT.po index 69ba547b..b284698a 100644 --- a/modules/po/alias.it_IT.po +++ b/modules/po/alias.it_IT.po @@ -6,15 +6,9 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/alias.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" -======= -"X-Crowdin-File: /1.7.x/modules/po/alias.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/alias.nl_NL.po b/modules/po/alias.nl_NL.po index f6406029..20e8b76e 100644 --- a/modules/po/alias.nl_NL.po +++ b/modules/po/alias.nl_NL.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/alias.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/alias.pt_BR.po b/modules/po/alias.pt_BR.po index 0b6ecf04..4348bbb1 100644 --- a/modules/po/alias.pt_BR.po +++ b/modules/po/alias.pt_BR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/alias.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/alias.ru_RU.po b/modules/po/alias.ru_RU.po index 93ef4e36..81ddf964 100644 --- a/modules/po/alias.ru_RU.po +++ b/modules/po/alias.ru_RU.po @@ -10,11 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/alias.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/autoattach.bg_BG.po b/modules/po/autoattach.bg_BG.po index b1ca426a..4ee5b1ca 100644 --- a/modules/po/autoattach.bg_BG.po +++ b/modules/po/autoattach.bg_BG.po @@ -6,15 +6,9 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/autoattach.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" -======= -"X-Crowdin-File: /1.7.x/modules/po/autoattach.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/autoattach.de_DE.po b/modules/po/autoattach.de_DE.po index 012ee688..36ae82ac 100644 --- a/modules/po/autoattach.de_DE.po +++ b/modules/po/autoattach.de_DE.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/autoattach.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/autoattach.es_ES.po b/modules/po/autoattach.es_ES.po index 35516fd3..ca9417fc 100644 --- a/modules/po/autoattach.es_ES.po +++ b/modules/po/autoattach.es_ES.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/autoattach.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/autoattach.fr_FR.po b/modules/po/autoattach.fr_FR.po index 61b65e1f..f427a466 100644 --- a/modules/po/autoattach.fr_FR.po +++ b/modules/po/autoattach.fr_FR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/autoattach.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/autoattach.id_ID.po b/modules/po/autoattach.id_ID.po index 31feb3fc..73b5a69b 100644 --- a/modules/po/autoattach.id_ID.po +++ b/modules/po/autoattach.id_ID.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/autoattach.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/autoattach.it_IT.po b/modules/po/autoattach.it_IT.po index a6041943..bf99c339 100644 --- a/modules/po/autoattach.it_IT.po +++ b/modules/po/autoattach.it_IT.po @@ -6,15 +6,9 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/autoattach.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" -======= -"X-Crowdin-File: /1.7.x/modules/po/autoattach.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/autoattach.nl_NL.po b/modules/po/autoattach.nl_NL.po index 530dc8f0..d3aad432 100644 --- a/modules/po/autoattach.nl_NL.po +++ b/modules/po/autoattach.nl_NL.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/autoattach.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/autoattach.pt_BR.po b/modules/po/autoattach.pt_BR.po index 8bca6f0f..be22cd28 100644 --- a/modules/po/autoattach.pt_BR.po +++ b/modules/po/autoattach.pt_BR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/autoattach.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/autoattach.ru_RU.po b/modules/po/autoattach.ru_RU.po index c8ed39d2..1fb0ec3c 100644 --- a/modules/po/autoattach.ru_RU.po +++ b/modules/po/autoattach.ru_RU.po @@ -10,11 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/autoattach.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/autocycle.bg_BG.po b/modules/po/autocycle.bg_BG.po index 0a8dbb90..a6b967d8 100644 --- a/modules/po/autocycle.bg_BG.po +++ b/modules/po/autocycle.bg_BG.po @@ -6,15 +6,9 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/autocycle.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" -======= -"X-Crowdin-File: /1.7.x/modules/po/autocycle.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Bulgarian\n" "Language: bg_BG\n" @@ -58,7 +52,6 @@ msgstr "" msgid "Usage: Del [!]<#chan>" msgstr "" -<<<<<<< HEAD #: autocycle.cpp:85 autocycle.cpp:90 autocycle.cpp:95 msgid "Channel" msgstr "" @@ -72,20 +65,5 @@ msgid "List of channel masks and channel masks with ! before them." msgstr "" #: autocycle.cpp:235 -======= -#: autocycle.cpp:85 autocycle.cpp:89 autocycle.cpp:94 -msgid "Channel" -msgstr "" - -#: autocycle.cpp:100 -msgid "You have no entries." -msgstr "" - -#: autocycle.cpp:229 -msgid "List of channel masks and channel masks with ! before them." -msgstr "" - -#: autocycle.cpp:234 ->>>>>>> 1.7.x msgid "Rejoins channels to gain Op if you're the only user left" msgstr "" diff --git a/modules/po/autocycle.de_DE.po b/modules/po/autocycle.de_DE.po index ea78c459..146b5bfe 100644 --- a/modules/po/autocycle.de_DE.po +++ b/modules/po/autocycle.de_DE.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/autocycle.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/autocycle.es_ES.po b/modules/po/autocycle.es_ES.po index 8f7d9bb0..0fee230e 100644 --- a/modules/po/autocycle.es_ES.po +++ b/modules/po/autocycle.es_ES.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/autocycle.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/autocycle.fr_FR.po b/modules/po/autocycle.fr_FR.po index 54ad87ee..39bc3a29 100644 --- a/modules/po/autocycle.fr_FR.po +++ b/modules/po/autocycle.fr_FR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/autocycle.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/autocycle.id_ID.po b/modules/po/autocycle.id_ID.po index 0a33df69..fb212006 100644 --- a/modules/po/autocycle.id_ID.po +++ b/modules/po/autocycle.id_ID.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/autocycle.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/autocycle.it_IT.po b/modules/po/autocycle.it_IT.po index de51a97f..00a7b106 100644 --- a/modules/po/autocycle.it_IT.po +++ b/modules/po/autocycle.it_IT.po @@ -6,15 +6,9 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/autocycle.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" -======= -"X-Crowdin-File: /1.7.x/modules/po/autocycle.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Italian\n" "Language: it_IT\n" @@ -58,7 +52,6 @@ msgstr "" msgid "Usage: Del [!]<#chan>" msgstr "" -<<<<<<< HEAD #: autocycle.cpp:85 autocycle.cpp:90 autocycle.cpp:95 msgid "Channel" msgstr "" @@ -72,20 +65,5 @@ msgid "List of channel masks and channel masks with ! before them." msgstr "" #: autocycle.cpp:235 -======= -#: autocycle.cpp:85 autocycle.cpp:89 autocycle.cpp:94 -msgid "Channel" -msgstr "" - -#: autocycle.cpp:100 -msgid "You have no entries." -msgstr "" - -#: autocycle.cpp:229 -msgid "List of channel masks and channel masks with ! before them." -msgstr "" - -#: autocycle.cpp:234 ->>>>>>> 1.7.x msgid "Rejoins channels to gain Op if you're the only user left" msgstr "" diff --git a/modules/po/autocycle.nl_NL.po b/modules/po/autocycle.nl_NL.po index 50900bbc..a2319dda 100644 --- a/modules/po/autocycle.nl_NL.po +++ b/modules/po/autocycle.nl_NL.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/autocycle.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/autocycle.pt_BR.po b/modules/po/autocycle.pt_BR.po index 46e91e72..79e9f16b 100644 --- a/modules/po/autocycle.pt_BR.po +++ b/modules/po/autocycle.pt_BR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/autocycle.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/autocycle.ru_RU.po b/modules/po/autocycle.ru_RU.po index 076e25fd..6ab69a4f 100644 --- a/modules/po/autocycle.ru_RU.po +++ b/modules/po/autocycle.ru_RU.po @@ -10,11 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/autocycle.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/autoop.bg_BG.po b/modules/po/autoop.bg_BG.po index fddd3155..a9cb45ce 100644 --- a/modules/po/autoop.bg_BG.po +++ b/modules/po/autoop.bg_BG.po @@ -6,15 +6,9 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/autoop.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" -======= -"X-Crowdin-File: /1.7.x/modules/po/autoop.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/autoop.de_DE.po b/modules/po/autoop.de_DE.po index cccc8ee8..d3182bad 100644 --- a/modules/po/autoop.de_DE.po +++ b/modules/po/autoop.de_DE.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/autoop.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/autoop.es_ES.po b/modules/po/autoop.es_ES.po index e5c52733..75bb9d1e 100644 --- a/modules/po/autoop.es_ES.po +++ b/modules/po/autoop.es_ES.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/autoop.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/autoop.fr_FR.po b/modules/po/autoop.fr_FR.po index 88031335..76a87905 100644 --- a/modules/po/autoop.fr_FR.po +++ b/modules/po/autoop.fr_FR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/autoop.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/autoop.id_ID.po b/modules/po/autoop.id_ID.po index 8a61ed76..3adaa6e8 100644 --- a/modules/po/autoop.id_ID.po +++ b/modules/po/autoop.id_ID.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/autoop.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/autoop.it_IT.po b/modules/po/autoop.it_IT.po index bf0ab587..3458920c 100644 --- a/modules/po/autoop.it_IT.po +++ b/modules/po/autoop.it_IT.po @@ -6,15 +6,9 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/autoop.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" -======= -"X-Crowdin-File: /1.7.x/modules/po/autoop.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/autoop.nl_NL.po b/modules/po/autoop.nl_NL.po index 500d176e..e8ff8695 100644 --- a/modules/po/autoop.nl_NL.po +++ b/modules/po/autoop.nl_NL.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/autoop.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/autoop.pt_BR.po b/modules/po/autoop.pt_BR.po index 85cc641c..c224c8ab 100644 --- a/modules/po/autoop.pt_BR.po +++ b/modules/po/autoop.pt_BR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/autoop.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/autoop.ru_RU.po b/modules/po/autoop.ru_RU.po index 85f721f1..028f5a6f 100644 --- a/modules/po/autoop.ru_RU.po +++ b/modules/po/autoop.ru_RU.po @@ -10,11 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/autoop.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/autoreply.bg_BG.po b/modules/po/autoreply.bg_BG.po index cb0252a4..48a714f2 100644 --- a/modules/po/autoreply.bg_BG.po +++ b/modules/po/autoreply.bg_BG.po @@ -6,15 +6,9 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/autoreply.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" -======= -"X-Crowdin-File: /1.7.x/modules/po/autoreply.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/autoreply.de_DE.po b/modules/po/autoreply.de_DE.po index 662c95ff..91b8dccf 100644 --- a/modules/po/autoreply.de_DE.po +++ b/modules/po/autoreply.de_DE.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/autoreply.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/autoreply.es_ES.po b/modules/po/autoreply.es_ES.po index 3d219079..87ce34d6 100644 --- a/modules/po/autoreply.es_ES.po +++ b/modules/po/autoreply.es_ES.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/autoreply.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/autoreply.fr_FR.po b/modules/po/autoreply.fr_FR.po index 433b61f6..1a025f34 100644 --- a/modules/po/autoreply.fr_FR.po +++ b/modules/po/autoreply.fr_FR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/autoreply.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/autoreply.id_ID.po b/modules/po/autoreply.id_ID.po index f8ec540e..94188533 100644 --- a/modules/po/autoreply.id_ID.po +++ b/modules/po/autoreply.id_ID.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/autoreply.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/autoreply.it_IT.po b/modules/po/autoreply.it_IT.po index 47148fef..965724c0 100644 --- a/modules/po/autoreply.it_IT.po +++ b/modules/po/autoreply.it_IT.po @@ -6,15 +6,9 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/autoreply.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" -======= -"X-Crowdin-File: /1.7.x/modules/po/autoreply.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/autoreply.nl_NL.po b/modules/po/autoreply.nl_NL.po index 249517ed..691ebe4e 100644 --- a/modules/po/autoreply.nl_NL.po +++ b/modules/po/autoreply.nl_NL.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/autoreply.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/autoreply.pt_BR.po b/modules/po/autoreply.pt_BR.po index 4edea4c0..9c205a88 100644 --- a/modules/po/autoreply.pt_BR.po +++ b/modules/po/autoreply.pt_BR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/autoreply.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/autoreply.ru_RU.po b/modules/po/autoreply.ru_RU.po index 5c3cdd4d..ee488dad 100644 --- a/modules/po/autoreply.ru_RU.po +++ b/modules/po/autoreply.ru_RU.po @@ -10,11 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/autoreply.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/autovoice.bg_BG.po b/modules/po/autovoice.bg_BG.po index 283ba68f..e4c71ffa 100644 --- a/modules/po/autovoice.bg_BG.po +++ b/modules/po/autovoice.bg_BG.po @@ -6,15 +6,9 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/autovoice.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" -======= -"X-Crowdin-File: /1.7.x/modules/po/autovoice.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/autovoice.de_DE.po b/modules/po/autovoice.de_DE.po index db89f893..0a7ec8fb 100644 --- a/modules/po/autovoice.de_DE.po +++ b/modules/po/autovoice.de_DE.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/autovoice.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/autovoice.es_ES.po b/modules/po/autovoice.es_ES.po index 5922c9a3..2170f39f 100644 --- a/modules/po/autovoice.es_ES.po +++ b/modules/po/autovoice.es_ES.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/autovoice.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/autovoice.fr_FR.po b/modules/po/autovoice.fr_FR.po index ae189509..74092368 100644 --- a/modules/po/autovoice.fr_FR.po +++ b/modules/po/autovoice.fr_FR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/autovoice.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/autovoice.id_ID.po b/modules/po/autovoice.id_ID.po index af8edf07..3f003b80 100644 --- a/modules/po/autovoice.id_ID.po +++ b/modules/po/autovoice.id_ID.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/autovoice.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/autovoice.it_IT.po b/modules/po/autovoice.it_IT.po index aa5f6cd8..8014d56c 100644 --- a/modules/po/autovoice.it_IT.po +++ b/modules/po/autovoice.it_IT.po @@ -6,15 +6,9 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/autovoice.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" -======= -"X-Crowdin-File: /1.7.x/modules/po/autovoice.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/autovoice.nl_NL.po b/modules/po/autovoice.nl_NL.po index 97f2709d..aa84aa10 100644 --- a/modules/po/autovoice.nl_NL.po +++ b/modules/po/autovoice.nl_NL.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/autovoice.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/autovoice.pt_BR.po b/modules/po/autovoice.pt_BR.po index a18dfded..9afcafab 100644 --- a/modules/po/autovoice.pt_BR.po +++ b/modules/po/autovoice.pt_BR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/autovoice.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/autovoice.ru_RU.po b/modules/po/autovoice.ru_RU.po index f3d8e9cb..510ef0c1 100644 --- a/modules/po/autovoice.ru_RU.po +++ b/modules/po/autovoice.ru_RU.po @@ -10,11 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/autovoice.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/awaystore.bg_BG.po b/modules/po/awaystore.bg_BG.po index b9e67039..de923c19 100644 --- a/modules/po/awaystore.bg_BG.po +++ b/modules/po/awaystore.bg_BG.po @@ -6,15 +6,9 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/awaystore.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" -======= -"X-Crowdin-File: /1.7.x/modules/po/awaystore.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/awaystore.de_DE.po b/modules/po/awaystore.de_DE.po index fa6ced75..b4848850 100644 --- a/modules/po/awaystore.de_DE.po +++ b/modules/po/awaystore.de_DE.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/awaystore.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/awaystore.es_ES.po b/modules/po/awaystore.es_ES.po index 8cbebf0e..bf33ceb0 100644 --- a/modules/po/awaystore.es_ES.po +++ b/modules/po/awaystore.es_ES.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/awaystore.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/awaystore.fr_FR.po b/modules/po/awaystore.fr_FR.po index 2c9c267b..fad4ae42 100644 --- a/modules/po/awaystore.fr_FR.po +++ b/modules/po/awaystore.fr_FR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/awaystore.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/awaystore.id_ID.po b/modules/po/awaystore.id_ID.po index 4cacbc05..661c44f1 100644 --- a/modules/po/awaystore.id_ID.po +++ b/modules/po/awaystore.id_ID.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/awaystore.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/awaystore.it_IT.po b/modules/po/awaystore.it_IT.po index c20e243a..a0425aa9 100644 --- a/modules/po/awaystore.it_IT.po +++ b/modules/po/awaystore.it_IT.po @@ -6,15 +6,9 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/awaystore.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" -======= -"X-Crowdin-File: /1.7.x/modules/po/awaystore.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/awaystore.nl_NL.po b/modules/po/awaystore.nl_NL.po index 713dac2a..2f654145 100644 --- a/modules/po/awaystore.nl_NL.po +++ b/modules/po/awaystore.nl_NL.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/awaystore.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/awaystore.pt_BR.po b/modules/po/awaystore.pt_BR.po index 41e1f9fd..fb4865ec 100644 --- a/modules/po/awaystore.pt_BR.po +++ b/modules/po/awaystore.pt_BR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/awaystore.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/awaystore.ru_RU.po b/modules/po/awaystore.ru_RU.po index c8a338a2..fe62391a 100644 --- a/modules/po/awaystore.ru_RU.po +++ b/modules/po/awaystore.ru_RU.po @@ -10,11 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/awaystore.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/block_motd.bg_BG.po b/modules/po/block_motd.bg_BG.po index e31a2518..687f1dd1 100644 --- a/modules/po/block_motd.bg_BG.po +++ b/modules/po/block_motd.bg_BG.po @@ -6,15 +6,9 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/block_motd.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" -======= -"X-Crowdin-File: /1.7.x/modules/po/block_motd.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/block_motd.de_DE.po b/modules/po/block_motd.de_DE.po index 29669518..db0658c6 100644 --- a/modules/po/block_motd.de_DE.po +++ b/modules/po/block_motd.de_DE.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/block_motd.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/block_motd.es_ES.po b/modules/po/block_motd.es_ES.po index f0320528..1626eca6 100644 --- a/modules/po/block_motd.es_ES.po +++ b/modules/po/block_motd.es_ES.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/block_motd.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/block_motd.fr_FR.po b/modules/po/block_motd.fr_FR.po index e8484b4f..1ab2b234 100644 --- a/modules/po/block_motd.fr_FR.po +++ b/modules/po/block_motd.fr_FR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/block_motd.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/block_motd.id_ID.po b/modules/po/block_motd.id_ID.po index 98ce85ea..1202e529 100644 --- a/modules/po/block_motd.id_ID.po +++ b/modules/po/block_motd.id_ID.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/block_motd.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/block_motd.it_IT.po b/modules/po/block_motd.it_IT.po index d0f11a10..9bdd0b98 100644 --- a/modules/po/block_motd.it_IT.po +++ b/modules/po/block_motd.it_IT.po @@ -6,15 +6,9 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/block_motd.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" -======= -"X-Crowdin-File: /1.7.x/modules/po/block_motd.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/block_motd.nl_NL.po b/modules/po/block_motd.nl_NL.po index 2f9692c7..b5f45e34 100644 --- a/modules/po/block_motd.nl_NL.po +++ b/modules/po/block_motd.nl_NL.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/block_motd.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/block_motd.pt_BR.po b/modules/po/block_motd.pt_BR.po index 65c9632d..cbc38077 100644 --- a/modules/po/block_motd.pt_BR.po +++ b/modules/po/block_motd.pt_BR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/block_motd.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/block_motd.ru_RU.po b/modules/po/block_motd.ru_RU.po index 8f0f2fde..3f2d08b7 100644 --- a/modules/po/block_motd.ru_RU.po +++ b/modules/po/block_motd.ru_RU.po @@ -10,11 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/block_motd.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/blockuser.bg_BG.po b/modules/po/blockuser.bg_BG.po index 736ef6b2..238ea410 100644 --- a/modules/po/blockuser.bg_BG.po +++ b/modules/po/blockuser.bg_BG.po @@ -6,15 +6,9 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/blockuser.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" -======= -"X-Crowdin-File: /1.7.x/modules/po/blockuser.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/blockuser.de_DE.po b/modules/po/blockuser.de_DE.po index d09ac600..9ee66a49 100644 --- a/modules/po/blockuser.de_DE.po +++ b/modules/po/blockuser.de_DE.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/blockuser.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/blockuser.es_ES.po b/modules/po/blockuser.es_ES.po index 6d54106c..ac895618 100644 --- a/modules/po/blockuser.es_ES.po +++ b/modules/po/blockuser.es_ES.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/blockuser.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/blockuser.fr_FR.po b/modules/po/blockuser.fr_FR.po index 68837ac0..4483cfac 100644 --- a/modules/po/blockuser.fr_FR.po +++ b/modules/po/blockuser.fr_FR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/blockuser.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/blockuser.id_ID.po b/modules/po/blockuser.id_ID.po index 536ca1b5..8b4e9cef 100644 --- a/modules/po/blockuser.id_ID.po +++ b/modules/po/blockuser.id_ID.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/blockuser.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/blockuser.it_IT.po b/modules/po/blockuser.it_IT.po index e998b590..7d8fa1d7 100644 --- a/modules/po/blockuser.it_IT.po +++ b/modules/po/blockuser.it_IT.po @@ -6,15 +6,9 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/blockuser.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" -======= -"X-Crowdin-File: /1.7.x/modules/po/blockuser.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/blockuser.nl_NL.po b/modules/po/blockuser.nl_NL.po index 391a6240..94413c9d 100644 --- a/modules/po/blockuser.nl_NL.po +++ b/modules/po/blockuser.nl_NL.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/blockuser.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/blockuser.pt_BR.po b/modules/po/blockuser.pt_BR.po index 5125454c..112e96d5 100644 --- a/modules/po/blockuser.pt_BR.po +++ b/modules/po/blockuser.pt_BR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/blockuser.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/blockuser.ru_RU.po b/modules/po/blockuser.ru_RU.po index c27debaf..2fddaf2f 100644 --- a/modules/po/blockuser.ru_RU.po +++ b/modules/po/blockuser.ru_RU.po @@ -10,11 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/blockuser.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/bouncedcc.bg_BG.po b/modules/po/bouncedcc.bg_BG.po index ed56dea9..419087de 100644 --- a/modules/po/bouncedcc.bg_BG.po +++ b/modules/po/bouncedcc.bg_BG.po @@ -6,15 +6,9 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/bouncedcc.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" -======= -"X-Crowdin-File: /1.7.x/modules/po/bouncedcc.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/bouncedcc.de_DE.po b/modules/po/bouncedcc.de_DE.po index 037a9231..31c89383 100644 --- a/modules/po/bouncedcc.de_DE.po +++ b/modules/po/bouncedcc.de_DE.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/bouncedcc.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/bouncedcc.es_ES.po b/modules/po/bouncedcc.es_ES.po index 572ee0dc..aa9dade7 100644 --- a/modules/po/bouncedcc.es_ES.po +++ b/modules/po/bouncedcc.es_ES.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/bouncedcc.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/bouncedcc.fr_FR.po b/modules/po/bouncedcc.fr_FR.po index 58ff67de..6ad85549 100644 --- a/modules/po/bouncedcc.fr_FR.po +++ b/modules/po/bouncedcc.fr_FR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/bouncedcc.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/bouncedcc.id_ID.po b/modules/po/bouncedcc.id_ID.po index 48080f6f..8ab2006e 100644 --- a/modules/po/bouncedcc.id_ID.po +++ b/modules/po/bouncedcc.id_ID.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/bouncedcc.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/bouncedcc.it_IT.po b/modules/po/bouncedcc.it_IT.po index 3e5f7805..2b2b5aa6 100644 --- a/modules/po/bouncedcc.it_IT.po +++ b/modules/po/bouncedcc.it_IT.po @@ -6,15 +6,9 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/bouncedcc.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" -======= -"X-Crowdin-File: /1.7.x/modules/po/bouncedcc.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/bouncedcc.nl_NL.po b/modules/po/bouncedcc.nl_NL.po index 61705a30..2f40db3d 100644 --- a/modules/po/bouncedcc.nl_NL.po +++ b/modules/po/bouncedcc.nl_NL.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/bouncedcc.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/bouncedcc.pt_BR.po b/modules/po/bouncedcc.pt_BR.po index ae171080..1e54ca68 100644 --- a/modules/po/bouncedcc.pt_BR.po +++ b/modules/po/bouncedcc.pt_BR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/bouncedcc.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/bouncedcc.ru_RU.po b/modules/po/bouncedcc.ru_RU.po index 2b5a8343..6dfeb267 100644 --- a/modules/po/bouncedcc.ru_RU.po +++ b/modules/po/bouncedcc.ru_RU.po @@ -10,11 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/bouncedcc.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/buffextras.bg_BG.po b/modules/po/buffextras.bg_BG.po index 710ec01b..d87827f1 100644 --- a/modules/po/buffextras.bg_BG.po +++ b/modules/po/buffextras.bg_BG.po @@ -6,15 +6,9 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/buffextras.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" -======= -"X-Crowdin-File: /1.7.x/modules/po/buffextras.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/buffextras.de_DE.po b/modules/po/buffextras.de_DE.po index b23a3e6f..24f927ea 100644 --- a/modules/po/buffextras.de_DE.po +++ b/modules/po/buffextras.de_DE.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/buffextras.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/buffextras.es_ES.po b/modules/po/buffextras.es_ES.po index 660b820a..6db96d13 100644 --- a/modules/po/buffextras.es_ES.po +++ b/modules/po/buffextras.es_ES.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/buffextras.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/buffextras.fr_FR.po b/modules/po/buffextras.fr_FR.po index c53c6da3..a60e05ff 100644 --- a/modules/po/buffextras.fr_FR.po +++ b/modules/po/buffextras.fr_FR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/buffextras.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/buffextras.id_ID.po b/modules/po/buffextras.id_ID.po index 4a3f8d17..9c38a3ee 100644 --- a/modules/po/buffextras.id_ID.po +++ b/modules/po/buffextras.id_ID.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/buffextras.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/buffextras.it_IT.po b/modules/po/buffextras.it_IT.po index 0120ec42..c2be961d 100644 --- a/modules/po/buffextras.it_IT.po +++ b/modules/po/buffextras.it_IT.po @@ -6,15 +6,9 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/buffextras.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" -======= -"X-Crowdin-File: /1.7.x/modules/po/buffextras.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/buffextras.nl_NL.po b/modules/po/buffextras.nl_NL.po index c5161aca..6c9da941 100644 --- a/modules/po/buffextras.nl_NL.po +++ b/modules/po/buffextras.nl_NL.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/buffextras.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/buffextras.pt_BR.po b/modules/po/buffextras.pt_BR.po index f1479629..bb7d927f 100644 --- a/modules/po/buffextras.pt_BR.po +++ b/modules/po/buffextras.pt_BR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/buffextras.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/buffextras.ru_RU.po b/modules/po/buffextras.ru_RU.po index 3c490295..7cc2bd0e 100644 --- a/modules/po/buffextras.ru_RU.po +++ b/modules/po/buffextras.ru_RU.po @@ -10,11 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/buffextras.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/cert.bg_BG.po b/modules/po/cert.bg_BG.po index 61d4e9a1..2768764e 100644 --- a/modules/po/cert.bg_BG.po +++ b/modules/po/cert.bg_BG.po @@ -6,15 +6,9 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/cert.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" -======= -"X-Crowdin-File: /1.7.x/modules/po/cert.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/cert.de_DE.po b/modules/po/cert.de_DE.po index 1af9398e..ec158626 100644 --- a/modules/po/cert.de_DE.po +++ b/modules/po/cert.de_DE.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/cert.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/cert.es_ES.po b/modules/po/cert.es_ES.po index 28505d4c..7369e3a5 100644 --- a/modules/po/cert.es_ES.po +++ b/modules/po/cert.es_ES.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/cert.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/cert.fr_FR.po b/modules/po/cert.fr_FR.po index 41dc56ea..dc024396 100644 --- a/modules/po/cert.fr_FR.po +++ b/modules/po/cert.fr_FR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/cert.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/cert.id_ID.po b/modules/po/cert.id_ID.po index be00f6e3..c875fbfa 100644 --- a/modules/po/cert.id_ID.po +++ b/modules/po/cert.id_ID.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/cert.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/cert.it_IT.po b/modules/po/cert.it_IT.po index 10df78c9..beb953f4 100644 --- a/modules/po/cert.it_IT.po +++ b/modules/po/cert.it_IT.po @@ -6,15 +6,9 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/cert.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" -======= -"X-Crowdin-File: /1.7.x/modules/po/cert.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/cert.nl_NL.po b/modules/po/cert.nl_NL.po index 3567599c..f0154a12 100644 --- a/modules/po/cert.nl_NL.po +++ b/modules/po/cert.nl_NL.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/cert.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/cert.pt_BR.po b/modules/po/cert.pt_BR.po index 046239fe..207dee08 100644 --- a/modules/po/cert.pt_BR.po +++ b/modules/po/cert.pt_BR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/cert.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/cert.ru_RU.po b/modules/po/cert.ru_RU.po index 2064e16f..e4a6f6f6 100644 --- a/modules/po/cert.ru_RU.po +++ b/modules/po/cert.ru_RU.po @@ -10,11 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/cert.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/certauth.bg_BG.po b/modules/po/certauth.bg_BG.po index b419dbfd..d9e7df5b 100644 --- a/modules/po/certauth.bg_BG.po +++ b/modules/po/certauth.bg_BG.po @@ -6,15 +6,9 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/certauth.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" -======= -"X-Crowdin-File: /1.7.x/modules/po/certauth.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Bulgarian\n" "Language: bg_BG\n" @@ -87,25 +81,16 @@ msgstr "" msgid "The key '{1}' is already added." msgstr "" -<<<<<<< HEAD #: certauth.cpp:170 certauth.cpp:183 -======= -#: certauth.cpp:170 certauth.cpp:182 ->>>>>>> 1.7.x msgctxt "list" msgid "Id" msgstr "" -<<<<<<< HEAD #: certauth.cpp:171 certauth.cpp:184 -======= -#: certauth.cpp:171 certauth.cpp:183 ->>>>>>> 1.7.x msgctxt "list" msgid "Key" msgstr "" -<<<<<<< HEAD #: certauth.cpp:176 certauth.cpp:190 certauth.cpp:199 msgid "No keys set for your user" msgstr "" @@ -119,20 +104,5 @@ msgid "Removed" msgstr "" #: certauth.cpp:291 -======= -#: certauth.cpp:175 certauth.cpp:189 certauth.cpp:198 -msgid "No keys set for your user" -msgstr "" - -#: certauth.cpp:203 -msgid "Invalid #, check \"list\"" -msgstr "" - -#: certauth.cpp:215 -msgid "Removed" -msgstr "" - -#: certauth.cpp:290 ->>>>>>> 1.7.x msgid "Allows users to authenticate via SSL client certificates." msgstr "" diff --git a/modules/po/certauth.de_DE.po b/modules/po/certauth.de_DE.po index 20598f39..f33d0c11 100644 --- a/modules/po/certauth.de_DE.po +++ b/modules/po/certauth.de_DE.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/certauth.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/certauth.es_ES.po b/modules/po/certauth.es_ES.po index 34032d59..352efe1e 100644 --- a/modules/po/certauth.es_ES.po +++ b/modules/po/certauth.es_ES.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/certauth.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/certauth.fr_FR.po b/modules/po/certauth.fr_FR.po index 029e34f9..3d6cb2c6 100644 --- a/modules/po/certauth.fr_FR.po +++ b/modules/po/certauth.fr_FR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/certauth.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/certauth.id_ID.po b/modules/po/certauth.id_ID.po index 3b61f738..76938b2c 100644 --- a/modules/po/certauth.id_ID.po +++ b/modules/po/certauth.id_ID.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/certauth.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/certauth.it_IT.po b/modules/po/certauth.it_IT.po index 25d96ef3..a1b178a1 100644 --- a/modules/po/certauth.it_IT.po +++ b/modules/po/certauth.it_IT.po @@ -6,15 +6,9 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/certauth.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" -======= -"X-Crowdin-File: /1.7.x/modules/po/certauth.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Italian\n" "Language: it_IT\n" @@ -87,25 +81,16 @@ msgstr "" msgid "The key '{1}' is already added." msgstr "" -<<<<<<< HEAD #: certauth.cpp:170 certauth.cpp:183 -======= -#: certauth.cpp:170 certauth.cpp:182 ->>>>>>> 1.7.x msgctxt "list" msgid "Id" msgstr "" -<<<<<<< HEAD #: certauth.cpp:171 certauth.cpp:184 -======= -#: certauth.cpp:171 certauth.cpp:183 ->>>>>>> 1.7.x msgctxt "list" msgid "Key" msgstr "" -<<<<<<< HEAD #: certauth.cpp:176 certauth.cpp:190 certauth.cpp:199 msgid "No keys set for your user" msgstr "" @@ -119,20 +104,5 @@ msgid "Removed" msgstr "Rimosso" #: certauth.cpp:291 -======= -#: certauth.cpp:175 certauth.cpp:189 certauth.cpp:198 -msgid "No keys set for your user" -msgstr "" - -#: certauth.cpp:203 -msgid "Invalid #, check \"list\"" -msgstr "" - -#: certauth.cpp:215 -msgid "Removed" -msgstr "Rimosso" - -#: certauth.cpp:290 ->>>>>>> 1.7.x msgid "Allows users to authenticate via SSL client certificates." msgstr "" diff --git a/modules/po/certauth.nl_NL.po b/modules/po/certauth.nl_NL.po index 7a7bbaa5..26d8d6a7 100644 --- a/modules/po/certauth.nl_NL.po +++ b/modules/po/certauth.nl_NL.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/certauth.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/certauth.pt_BR.po b/modules/po/certauth.pt_BR.po index 2ecc45b5..232caddb 100644 --- a/modules/po/certauth.pt_BR.po +++ b/modules/po/certauth.pt_BR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/certauth.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/certauth.ru_RU.po b/modules/po/certauth.ru_RU.po index 63fe19ca..c3a3f786 100644 --- a/modules/po/certauth.ru_RU.po +++ b/modules/po/certauth.ru_RU.po @@ -10,11 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/certauth.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/chansaver.bg_BG.po b/modules/po/chansaver.bg_BG.po index 04ba01d3..490c356d 100644 --- a/modules/po/chansaver.bg_BG.po +++ b/modules/po/chansaver.bg_BG.po @@ -6,15 +6,9 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/chansaver.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" -======= -"X-Crowdin-File: /1.7.x/modules/po/chansaver.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/chansaver.de_DE.po b/modules/po/chansaver.de_DE.po index d36ea3eb..15de7e9b 100644 --- a/modules/po/chansaver.de_DE.po +++ b/modules/po/chansaver.de_DE.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/chansaver.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/chansaver.es_ES.po b/modules/po/chansaver.es_ES.po index bd60d68d..df725332 100644 --- a/modules/po/chansaver.es_ES.po +++ b/modules/po/chansaver.es_ES.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/chansaver.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/chansaver.fr_FR.po b/modules/po/chansaver.fr_FR.po index 14b1af43..5456fcef 100644 --- a/modules/po/chansaver.fr_FR.po +++ b/modules/po/chansaver.fr_FR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/chansaver.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/chansaver.id_ID.po b/modules/po/chansaver.id_ID.po index 3b0be13b..fdb9122c 100644 --- a/modules/po/chansaver.id_ID.po +++ b/modules/po/chansaver.id_ID.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/chansaver.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/chansaver.it_IT.po b/modules/po/chansaver.it_IT.po index e42cbe4a..66b0e483 100644 --- a/modules/po/chansaver.it_IT.po +++ b/modules/po/chansaver.it_IT.po @@ -6,15 +6,9 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/chansaver.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" -======= -"X-Crowdin-File: /1.7.x/modules/po/chansaver.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/chansaver.nl_NL.po b/modules/po/chansaver.nl_NL.po index b4a551ad..f46b1c77 100644 --- a/modules/po/chansaver.nl_NL.po +++ b/modules/po/chansaver.nl_NL.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/chansaver.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/chansaver.pt_BR.po b/modules/po/chansaver.pt_BR.po index af5f4dec..7dea4c23 100644 --- a/modules/po/chansaver.pt_BR.po +++ b/modules/po/chansaver.pt_BR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/chansaver.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/chansaver.ru_RU.po b/modules/po/chansaver.ru_RU.po index 09e0453d..894d9668 100644 --- a/modules/po/chansaver.ru_RU.po +++ b/modules/po/chansaver.ru_RU.po @@ -10,11 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/chansaver.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/clearbufferonmsg.bg_BG.po b/modules/po/clearbufferonmsg.bg_BG.po index 55fcbe20..2cdcde1f 100644 --- a/modules/po/clearbufferonmsg.bg_BG.po +++ b/modules/po/clearbufferonmsg.bg_BG.po @@ -6,15 +6,9 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/clearbufferonmsg.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" -======= -"X-Crowdin-File: /1.7.x/modules/po/clearbufferonmsg.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/clearbufferonmsg.de_DE.po b/modules/po/clearbufferonmsg.de_DE.po index d5e385df..e12da02c 100644 --- a/modules/po/clearbufferonmsg.de_DE.po +++ b/modules/po/clearbufferonmsg.de_DE.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/clearbufferonmsg.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/clearbufferonmsg.es_ES.po b/modules/po/clearbufferonmsg.es_ES.po index 43566ad5..6301411b 100644 --- a/modules/po/clearbufferonmsg.es_ES.po +++ b/modules/po/clearbufferonmsg.es_ES.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/clearbufferonmsg.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/clearbufferonmsg.fr_FR.po b/modules/po/clearbufferonmsg.fr_FR.po index 7ebd44d1..ad523337 100644 --- a/modules/po/clearbufferonmsg.fr_FR.po +++ b/modules/po/clearbufferonmsg.fr_FR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/clearbufferonmsg.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/clearbufferonmsg.id_ID.po b/modules/po/clearbufferonmsg.id_ID.po index a3664a09..4df9e183 100644 --- a/modules/po/clearbufferonmsg.id_ID.po +++ b/modules/po/clearbufferonmsg.id_ID.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/clearbufferonmsg.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/clearbufferonmsg.it_IT.po b/modules/po/clearbufferonmsg.it_IT.po index 733ce6d8..4bbcfbe6 100644 --- a/modules/po/clearbufferonmsg.it_IT.po +++ b/modules/po/clearbufferonmsg.it_IT.po @@ -6,15 +6,9 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/clearbufferonmsg.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" -======= -"X-Crowdin-File: /1.7.x/modules/po/clearbufferonmsg.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/clearbufferonmsg.nl_NL.po b/modules/po/clearbufferonmsg.nl_NL.po index 531c8e20..d8547fec 100644 --- a/modules/po/clearbufferonmsg.nl_NL.po +++ b/modules/po/clearbufferonmsg.nl_NL.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/clearbufferonmsg.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/clearbufferonmsg.pt_BR.po b/modules/po/clearbufferonmsg.pt_BR.po index 3f5e61c5..23bfe4ef 100644 --- a/modules/po/clearbufferonmsg.pt_BR.po +++ b/modules/po/clearbufferonmsg.pt_BR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/clearbufferonmsg.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/clearbufferonmsg.ru_RU.po b/modules/po/clearbufferonmsg.ru_RU.po index 83a330a9..610d3f37 100644 --- a/modules/po/clearbufferonmsg.ru_RU.po +++ b/modules/po/clearbufferonmsg.ru_RU.po @@ -10,11 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/clearbufferonmsg.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/clientnotify.bg_BG.po b/modules/po/clientnotify.bg_BG.po index 67067341..4b6b54fd 100644 --- a/modules/po/clientnotify.bg_BG.po +++ b/modules/po/clientnotify.bg_BG.po @@ -6,15 +6,9 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/clientnotify.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" -======= -"X-Crowdin-File: /1.7.x/modules/po/clientnotify.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/clientnotify.de_DE.po b/modules/po/clientnotify.de_DE.po index dadf3b8b..d2531af3 100644 --- a/modules/po/clientnotify.de_DE.po +++ b/modules/po/clientnotify.de_DE.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/clientnotify.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/clientnotify.es_ES.po b/modules/po/clientnotify.es_ES.po index 6b3ae5a7..362eac07 100644 --- a/modules/po/clientnotify.es_ES.po +++ b/modules/po/clientnotify.es_ES.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/clientnotify.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/clientnotify.fr_FR.po b/modules/po/clientnotify.fr_FR.po index bbbdbc8c..dab0b607 100644 --- a/modules/po/clientnotify.fr_FR.po +++ b/modules/po/clientnotify.fr_FR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/clientnotify.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/clientnotify.id_ID.po b/modules/po/clientnotify.id_ID.po index 054c7c4f..10bf81ef 100644 --- a/modules/po/clientnotify.id_ID.po +++ b/modules/po/clientnotify.id_ID.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/clientnotify.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/clientnotify.it_IT.po b/modules/po/clientnotify.it_IT.po index 723d78d2..9bfa1489 100644 --- a/modules/po/clientnotify.it_IT.po +++ b/modules/po/clientnotify.it_IT.po @@ -6,15 +6,9 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/clientnotify.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" -======= -"X-Crowdin-File: /1.7.x/modules/po/clientnotify.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/clientnotify.nl_NL.po b/modules/po/clientnotify.nl_NL.po index 24590f7f..6940ef05 100644 --- a/modules/po/clientnotify.nl_NL.po +++ b/modules/po/clientnotify.nl_NL.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/clientnotify.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/clientnotify.pt_BR.po b/modules/po/clientnotify.pt_BR.po index 1bcbb43e..bcff83e4 100644 --- a/modules/po/clientnotify.pt_BR.po +++ b/modules/po/clientnotify.pt_BR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/clientnotify.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/clientnotify.ru_RU.po b/modules/po/clientnotify.ru_RU.po index 8818bd29..f7b935f6 100644 --- a/modules/po/clientnotify.ru_RU.po +++ b/modules/po/clientnotify.ru_RU.po @@ -10,11 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/clientnotify.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/controlpanel.bg_BG.po b/modules/po/controlpanel.bg_BG.po index 35e0f190..6473c800 100644 --- a/modules/po/controlpanel.bg_BG.po +++ b/modules/po/controlpanel.bg_BG.po @@ -6,7 +6,6 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/controlpanel.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" @@ -14,29 +13,15 @@ msgstr "" "Language: bg_BG\n" #: controlpanel.cpp:51 controlpanel.cpp:64 -======= -"X-Crowdin-File: /1.7.x/modules/po/controlpanel.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" -"Language-Team: Bulgarian\n" -"Language: bg_BG\n" - -#: controlpanel.cpp:51 controlpanel.cpp:63 ->>>>>>> 1.7.x msgctxt "helptable" msgid "Type" msgstr "" -<<<<<<< HEAD #: controlpanel.cpp:52 controlpanel.cpp:66 -======= -#: controlpanel.cpp:52 controlpanel.cpp:65 ->>>>>>> 1.7.x msgctxt "helptable" msgid "Variables" msgstr "" -<<<<<<< HEAD #: controlpanel.cpp:78 msgid "String" msgstr "" @@ -58,55 +43,23 @@ msgid "The following variables are available when using the Set/Get commands:" msgstr "" #: controlpanel.cpp:149 -======= -#: controlpanel.cpp:77 -msgid "String" -msgstr "" - -#: controlpanel.cpp:78 -msgid "Boolean (true/false)" -msgstr "" - -#: controlpanel.cpp:79 -msgid "Integer" -msgstr "" - -#: controlpanel.cpp:80 -msgid "Number" -msgstr "" - -#: controlpanel.cpp:123 -msgid "The following variables are available when using the Set/Get commands:" -msgstr "" - -#: controlpanel.cpp:146 ->>>>>>> 1.7.x msgid "" "The following variables are available when using the SetNetwork/GetNetwork " "commands:" msgstr "" -<<<<<<< HEAD #: controlpanel.cpp:163 -======= -#: controlpanel.cpp:159 ->>>>>>> 1.7.x msgid "" "The following variables are available when using the SetChan/GetChan " "commands:" msgstr "" -<<<<<<< HEAD #: controlpanel.cpp:170 -======= -#: controlpanel.cpp:165 ->>>>>>> 1.7.x msgid "" "You can use $user as the user name and $network as the network name for " "modifying your own user and network." msgstr "" -<<<<<<< HEAD #: controlpanel.cpp:179 controlpanel.cpp:966 controlpanel.cpp:1003 msgid "Error: User [{1}] does not exist!" msgstr "" @@ -199,105 +152,10 @@ msgid "Channel {1} for user {2} added to network {3}." msgstr "" #: controlpanel.cpp:692 -======= -#: controlpanel.cpp:174 controlpanel.cpp:961 controlpanel.cpp:998 -msgid "Error: User [{1}] does not exist!" -msgstr "" - -#: controlpanel.cpp:179 -msgid "Error: You need to have admin rights to modify other users!" -msgstr "" - -#: controlpanel.cpp:189 -msgid "Error: You cannot use $network to modify other users!" -msgstr "" - -#: controlpanel.cpp:197 -msgid "Error: User {1} does not have a network named [{2}]." -msgstr "" - -#: controlpanel.cpp:209 -msgid "Usage: Get [username]" -msgstr "" - -#: controlpanel.cpp:299 controlpanel.cpp:502 controlpanel.cpp:577 -#: controlpanel.cpp:653 controlpanel.cpp:788 controlpanel.cpp:873 -msgid "Error: Unknown variable" -msgstr "" - -#: controlpanel.cpp:308 -msgid "Usage: Set " -msgstr "" - -#: controlpanel.cpp:330 controlpanel.cpp:618 -msgid "This bind host is already set!" -msgstr "" - -#: controlpanel.cpp:337 controlpanel.cpp:349 controlpanel.cpp:357 -#: controlpanel.cpp:420 controlpanel.cpp:439 controlpanel.cpp:455 -#: controlpanel.cpp:465 controlpanel.cpp:625 -msgid "Access denied!" -msgstr "" - -#: controlpanel.cpp:371 controlpanel.cpp:380 controlpanel.cpp:837 -msgid "Setting failed, limit for buffer size is {1}" -msgstr "" - -#: controlpanel.cpp:400 -msgid "Password has been changed!" -msgstr "" - -#: controlpanel.cpp:408 -msgid "Timeout can't be less than 30 seconds!" -msgstr "" - -#: controlpanel.cpp:472 -msgid "That would be a bad idea!" -msgstr "" - -#: controlpanel.cpp:490 -msgid "Supported languages: {1}" -msgstr "" - -#: controlpanel.cpp:514 -msgid "Usage: GetNetwork [username] [network]" -msgstr "" - -#: controlpanel.cpp:533 -msgid "Error: A network must be specified to get another users settings." -msgstr "" - -#: controlpanel.cpp:539 -msgid "You are not currently attached to a network." -msgstr "" - -#: controlpanel.cpp:545 -msgid "Error: Invalid network." -msgstr "" - -#: controlpanel.cpp:589 -msgid "Usage: SetNetwork " -msgstr "" - -#: controlpanel.cpp:663 -msgid "Usage: AddChan " -msgstr "" - -#: controlpanel.cpp:676 -msgid "Error: User {1} already has a channel named {2}." -msgstr "" - -#: controlpanel.cpp:683 -msgid "Channel {1} for user {2} added to network {3}." -msgstr "" - -#: controlpanel.cpp:687 ->>>>>>> 1.7.x msgid "" "Could not add channel {1} for user {2} to network {3}, does it already exist?" msgstr "" -<<<<<<< HEAD #: controlpanel.cpp:702 msgid "Usage: DelChan " msgstr "" @@ -307,23 +165,11 @@ msgid "Error: User {1} does not have any channel matching [{2}] in network {3}" msgstr "" #: controlpanel.cpp:730 -======= -#: controlpanel.cpp:697 -msgid "Usage: DelChan " -msgstr "" - -#: controlpanel.cpp:712 -msgid "Error: User {1} does not have any channel matching [{2}] in network {3}" -msgstr "" - -#: controlpanel.cpp:725 ->>>>>>> 1.7.x msgid "Channel {1} is deleted from network {2} of user {3}" msgid_plural "Channels {1} are deleted from network {2} of user {3}" msgstr[0] "" msgstr[1] "" -<<<<<<< HEAD #: controlpanel.cpp:745 msgid "Usage: GetChan " msgstr "" @@ -337,80 +183,40 @@ msgid "Usage: SetChan " msgstr "" #: controlpanel.cpp:889 controlpanel.cpp:899 -======= -#: controlpanel.cpp:740 -msgid "Usage: GetChan " -msgstr "" - -#: controlpanel.cpp:754 controlpanel.cpp:818 -msgid "Error: No channels matching [{1}] found." -msgstr "" - -#: controlpanel.cpp:803 -msgid "Usage: SetChan " -msgstr "" - -#: controlpanel.cpp:884 controlpanel.cpp:894 ->>>>>>> 1.7.x msgctxt "listusers" msgid "Username" msgstr "" -<<<<<<< HEAD #: controlpanel.cpp:890 controlpanel.cpp:900 -======= -#: controlpanel.cpp:885 controlpanel.cpp:895 ->>>>>>> 1.7.x msgctxt "listusers" msgid "Realname" msgstr "" -<<<<<<< HEAD #: controlpanel.cpp:891 controlpanel.cpp:903 controlpanel.cpp:905 -======= -#: controlpanel.cpp:886 controlpanel.cpp:898 controlpanel.cpp:900 ->>>>>>> 1.7.x msgctxt "listusers" msgid "IsAdmin" msgstr "" -<<<<<<< HEAD #: controlpanel.cpp:892 controlpanel.cpp:906 -======= -#: controlpanel.cpp:887 controlpanel.cpp:901 ->>>>>>> 1.7.x msgctxt "listusers" msgid "Nick" msgstr "" -<<<<<<< HEAD #: controlpanel.cpp:893 controlpanel.cpp:907 -======= -#: controlpanel.cpp:888 controlpanel.cpp:902 ->>>>>>> 1.7.x msgctxt "listusers" msgid "AltNick" msgstr "" -<<<<<<< HEAD #: controlpanel.cpp:894 controlpanel.cpp:908 -======= -#: controlpanel.cpp:889 controlpanel.cpp:903 ->>>>>>> 1.7.x msgctxt "listusers" msgid "Ident" msgstr "" -<<<<<<< HEAD #: controlpanel.cpp:895 controlpanel.cpp:909 -======= -#: controlpanel.cpp:890 controlpanel.cpp:904 ->>>>>>> 1.7.x msgctxt "listusers" msgid "BindHost" msgstr "" -<<<<<<< HEAD #: controlpanel.cpp:903 controlpanel.cpp:1143 msgid "No" msgstr "" @@ -472,75 +278,11 @@ msgid "Usage: AddNetwork [user] network" msgstr "" #: controlpanel.cpp:1046 -======= -#: controlpanel.cpp:898 controlpanel.cpp:1138 -msgid "No" -msgstr "" - -#: controlpanel.cpp:900 controlpanel.cpp:1130 -msgid "Yes" -msgstr "" - -#: controlpanel.cpp:914 controlpanel.cpp:983 -msgid "Error: You need to have admin rights to add new users!" -msgstr "" - -#: controlpanel.cpp:920 -msgid "Usage: AddUser " -msgstr "" - -#: controlpanel.cpp:925 -msgid "Error: User {1} already exists!" -msgstr "" - -#: controlpanel.cpp:937 controlpanel.cpp:1012 -msgid "Error: User not added: {1}" -msgstr "" - -#: controlpanel.cpp:941 controlpanel.cpp:1016 -msgid "User {1} added!" -msgstr "" - -#: controlpanel.cpp:948 -msgid "Error: You need to have admin rights to delete users!" -msgstr "" - -#: controlpanel.cpp:954 -msgid "Usage: DelUser " -msgstr "" - -#: controlpanel.cpp:966 -msgid "Error: You can't delete yourself!" -msgstr "" - -#: controlpanel.cpp:972 -msgid "Error: Internal error!" -msgstr "" - -#: controlpanel.cpp:976 -msgid "User {1} deleted!" -msgstr "" - -#: controlpanel.cpp:991 -msgid "Usage: CloneUser " -msgstr "" - -#: controlpanel.cpp:1006 -msgid "Error: Cloning failed: {1}" -msgstr "" - -#: controlpanel.cpp:1035 -msgid "Usage: AddNetwork [user] network" -msgstr "" - -#: controlpanel.cpp:1041 ->>>>>>> 1.7.x msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks using /znc DelNetwork " msgstr "" -<<<<<<< HEAD #: controlpanel.cpp:1054 msgid "Error: User {1} already has a network with the name {2}" msgstr "" @@ -570,78 +312,30 @@ msgid "Error: Network {1} could not be deleted for user {2}." msgstr "" #: controlpanel.cpp:1125 controlpanel.cpp:1133 -======= -#: controlpanel.cpp:1049 -msgid "Error: User {1} already has a network with the name {2}" -msgstr "" - -#: controlpanel.cpp:1056 -msgid "Network {1} added to user {2}." -msgstr "" - -#: controlpanel.cpp:1060 -msgid "Error: Network [{1}] could not be added for user {2}: {3}" -msgstr "" - -#: controlpanel.cpp:1080 -msgid "Usage: DelNetwork [user] network" -msgstr "" - -#: controlpanel.cpp:1091 -msgid "The currently active network can be deleted via {1}status" -msgstr "" - -#: controlpanel.cpp:1097 -msgid "Network {1} deleted for user {2}." -msgstr "" - -#: controlpanel.cpp:1101 -msgid "Error: Network {1} could not be deleted for user {2}." -msgstr "" - -#: controlpanel.cpp:1120 controlpanel.cpp:1128 ->>>>>>> 1.7.x msgctxt "listnetworks" msgid "Network" msgstr "" -<<<<<<< HEAD #: controlpanel.cpp:1126 controlpanel.cpp:1135 controlpanel.cpp:1143 -======= -#: controlpanel.cpp:1121 controlpanel.cpp:1130 controlpanel.cpp:1138 ->>>>>>> 1.7.x msgctxt "listnetworks" msgid "OnIRC" msgstr "" -<<<<<<< HEAD #: controlpanel.cpp:1127 controlpanel.cpp:1136 -======= -#: controlpanel.cpp:1122 controlpanel.cpp:1131 ->>>>>>> 1.7.x msgctxt "listnetworks" msgid "IRC Server" msgstr "" -<<<<<<< HEAD #: controlpanel.cpp:1128 controlpanel.cpp:1138 -======= -#: controlpanel.cpp:1123 controlpanel.cpp:1133 ->>>>>>> 1.7.x msgctxt "listnetworks" msgid "IRC User" msgstr "" -<<<<<<< HEAD #: controlpanel.cpp:1129 controlpanel.cpp:1140 -======= -#: controlpanel.cpp:1124 controlpanel.cpp:1135 ->>>>>>> 1.7.x msgctxt "listnetworks" msgid "Channels" msgstr "" -<<<<<<< HEAD #: controlpanel.cpp:1148 msgid "No networks" msgstr "" @@ -687,67 +381,15 @@ msgid "Closed IRC connection for network {1} of user {2}." msgstr "" #: controlpanel.cpp:1285 controlpanel.cpp:1290 -======= -#: controlpanel.cpp:1143 -msgid "No networks" -msgstr "" - -#: controlpanel.cpp:1154 -msgid "Usage: AddServer [[+]port] [password]" -msgstr "" - -#: controlpanel.cpp:1168 -msgid "Added IRC Server {1} to network {2} for user {3}." -msgstr "" - -#: controlpanel.cpp:1172 -msgid "Error: Could not add IRC server {1} to network {2} for user {3}." -msgstr "" - -#: controlpanel.cpp:1185 -msgid "Usage: DelServer [[+]port] [password]" -msgstr "" - -#: controlpanel.cpp:1200 -msgid "Deleted IRC Server {1} from network {2} for user {3}." -msgstr "" - -#: controlpanel.cpp:1204 -msgid "Error: Could not delete IRC server {1} from network {2} for user {3}." -msgstr "" - -#: controlpanel.cpp:1214 -msgid "Usage: Reconnect " -msgstr "" - -#: controlpanel.cpp:1241 -msgid "Queued network {1} of user {2} for a reconnect." -msgstr "" - -#: controlpanel.cpp:1250 -msgid "Usage: Disconnect " -msgstr "" - -#: controlpanel.cpp:1265 -msgid "Closed IRC connection for network {1} of user {2}." -msgstr "" - -#: controlpanel.cpp:1280 controlpanel.cpp:1284 ->>>>>>> 1.7.x msgctxt "listctcp" msgid "Request" msgstr "" -<<<<<<< HEAD #: controlpanel.cpp:1286 controlpanel.cpp:1291 -======= -#: controlpanel.cpp:1281 controlpanel.cpp:1285 ->>>>>>> 1.7.x msgctxt "listctcp" msgid "Reply" msgstr "" -<<<<<<< HEAD #: controlpanel.cpp:1295 msgid "No CTCP replies for user {1} are configured" msgstr "" @@ -761,26 +403,10 @@ msgid "Usage: AddCTCP [user] [request] [reply]" msgstr "" #: controlpanel.cpp:1316 -======= -#: controlpanel.cpp:1289 -msgid "No CTCP replies for user {1} are configured" -msgstr "" - -#: controlpanel.cpp:1292 -msgid "CTCP replies for user {1}:" -msgstr "" - -#: controlpanel.cpp:1308 -msgid "Usage: AddCTCP [user] [request] [reply]" -msgstr "" - -#: controlpanel.cpp:1310 ->>>>>>> 1.7.x msgid "" "This will cause ZNC to reply to the CTCP instead of forwarding it to clients." msgstr "" -<<<<<<< HEAD #: controlpanel.cpp:1319 msgid "An empty reply will cause the CTCP request to be blocked." msgstr "" @@ -802,35 +428,11 @@ msgid "CTCP requests {1} to user {2} will now be sent to IRC clients" msgstr "" #: controlpanel.cpp:1359 -======= -#: controlpanel.cpp:1313 -msgid "An empty reply will cause the CTCP request to be blocked." -msgstr "" - -#: controlpanel.cpp:1322 -msgid "CTCP requests {1} to user {2} will now be blocked." -msgstr "" - -#: controlpanel.cpp:1326 -msgid "CTCP requests {1} to user {2} will now get reply: {3}" -msgstr "" - -#: controlpanel.cpp:1343 -msgid "Usage: DelCTCP [user] [request]" -msgstr "" - -#: controlpanel.cpp:1349 -msgid "CTCP requests {1} to user {2} will now be sent to IRC clients" -msgstr "" - -#: controlpanel.cpp:1353 ->>>>>>> 1.7.x msgid "" "CTCP requests {1} to user {2} will be sent to IRC clients (nothing has " "changed)" msgstr "" -<<<<<<< HEAD #: controlpanel.cpp:1369 controlpanel.cpp:1443 msgid "Loading modules has been disabled." msgstr "" @@ -884,75 +486,15 @@ msgid "Usage: UnloadNetModule " msgstr "" #: controlpanel.cpp:1500 controlpanel.cpp:1506 -======= -#: controlpanel.cpp:1363 controlpanel.cpp:1437 -msgid "Loading modules has been disabled." -msgstr "" - -#: controlpanel.cpp:1372 -msgid "Error: Unable to load module {1}: {2}" -msgstr "" - -#: controlpanel.cpp:1375 -msgid "Loaded module {1}" -msgstr "" - -#: controlpanel.cpp:1380 -msgid "Error: Unable to reload module {1}: {2}" -msgstr "" - -#: controlpanel.cpp:1383 -msgid "Reloaded module {1}" -msgstr "" - -#: controlpanel.cpp:1387 -msgid "Error: Unable to load module {1} because it is already loaded" -msgstr "" - -#: controlpanel.cpp:1398 -msgid "Usage: LoadModule [args]" -msgstr "" - -#: controlpanel.cpp:1417 -msgid "Usage: LoadNetModule [args]" -msgstr "" - -#: controlpanel.cpp:1442 -msgid "Please use /znc unloadmod {1}" -msgstr "" - -#: controlpanel.cpp:1448 -msgid "Error: Unable to unload module {1}: {2}" -msgstr "" - -#: controlpanel.cpp:1451 -msgid "Unloaded module {1}" -msgstr "" - -#: controlpanel.cpp:1460 -msgid "Usage: UnloadModule " -msgstr "" - -#: controlpanel.cpp:1477 -msgid "Usage: UnloadNetModule " -msgstr "" - -#: controlpanel.cpp:1494 controlpanel.cpp:1499 ->>>>>>> 1.7.x msgctxt "listmodules" msgid "Name" msgstr "" -<<<<<<< HEAD #: controlpanel.cpp:1501 controlpanel.cpp:1507 -======= -#: controlpanel.cpp:1495 controlpanel.cpp:1500 ->>>>>>> 1.7.x msgctxt "listmodules" msgid "Arguments" msgstr "" -<<<<<<< HEAD #: controlpanel.cpp:1526 msgid "User {1} has no modules loaded." msgstr "" @@ -1170,225 +712,6 @@ msgid "List all networks for a user" msgstr "" #: controlpanel.cpp:1664 -======= -#: controlpanel.cpp:1519 -msgid "User {1} has no modules loaded." -msgstr "" - -#: controlpanel.cpp:1523 -msgid "Modules loaded for user {1}:" -msgstr "" - -#: controlpanel.cpp:1543 -msgid "Network {1} of user {2} has no modules loaded." -msgstr "" - -#: controlpanel.cpp:1548 -msgid "Modules loaded for network {1} of user {2}:" -msgstr "" - -#: controlpanel.cpp:1555 -msgid "[command] [variable]" -msgstr "" - -#: controlpanel.cpp:1556 -msgid "Prints help for matching commands and variables" -msgstr "" - -#: controlpanel.cpp:1559 -msgid " [username]" -msgstr "" - -#: controlpanel.cpp:1560 -msgid "Prints the variable's value for the given or current user" -msgstr "" - -#: controlpanel.cpp:1562 -msgid " " -msgstr "" - -#: controlpanel.cpp:1563 -msgid "Sets the variable's value for the given user" -msgstr "" - -#: controlpanel.cpp:1565 -msgid " [username] [network]" -msgstr "" - -#: controlpanel.cpp:1566 -msgid "Prints the variable's value for the given network" -msgstr "" - -#: controlpanel.cpp:1568 -msgid " " -msgstr "" - -#: controlpanel.cpp:1569 -msgid "Sets the variable's value for the given network" -msgstr "" - -#: controlpanel.cpp:1571 -msgid " [username] " -msgstr "" - -#: controlpanel.cpp:1572 -msgid "Prints the variable's value for the given channel" -msgstr "" - -#: controlpanel.cpp:1575 -msgid " " -msgstr "" - -#: controlpanel.cpp:1576 -msgid "Sets the variable's value for the given channel" -msgstr "" - -#: controlpanel.cpp:1578 controlpanel.cpp:1581 -msgid " " -msgstr "" - -#: controlpanel.cpp:1579 -msgid "Adds a new channel" -msgstr "" - -#: controlpanel.cpp:1582 -msgid "Deletes a channel" -msgstr "" - -#: controlpanel.cpp:1584 -msgid "Lists users" -msgstr "" - -#: controlpanel.cpp:1586 -msgid " " -msgstr "" - -#: controlpanel.cpp:1587 -msgid "Adds a new user" -msgstr "" - -#: controlpanel.cpp:1589 controlpanel.cpp:1612 controlpanel.cpp:1626 -msgid "" -msgstr "" - -#: controlpanel.cpp:1589 -msgid "Deletes a user" -msgstr "" - -#: controlpanel.cpp:1591 -msgid " " -msgstr "" - -#: controlpanel.cpp:1592 -msgid "Clones a user" -msgstr "" - -#: controlpanel.cpp:1594 controlpanel.cpp:1597 -msgid " " -msgstr "" - -#: controlpanel.cpp:1595 -msgid "Adds a new IRC server for the given or current user" -msgstr "" - -#: controlpanel.cpp:1598 -msgid "Deletes an IRC server from the given or current user" -msgstr "" - -#: controlpanel.cpp:1600 controlpanel.cpp:1603 controlpanel.cpp:1623 -msgid " " -msgstr "" - -#: controlpanel.cpp:1601 -msgid "Cycles the user's IRC server connection" -msgstr "" - -#: controlpanel.cpp:1604 -msgid "Disconnects the user from their IRC server" -msgstr "" - -#: controlpanel.cpp:1606 -msgid " [args]" -msgstr "" - -#: controlpanel.cpp:1607 -msgid "Loads a Module for a user" -msgstr "" - -#: controlpanel.cpp:1609 -msgid " " -msgstr "" - -#: controlpanel.cpp:1610 -msgid "Removes a Module of a user" -msgstr "" - -#: controlpanel.cpp:1613 -msgid "Get the list of modules for a user" -msgstr "" - -#: controlpanel.cpp:1616 -msgid " [args]" -msgstr "" - -#: controlpanel.cpp:1617 -msgid "Loads a Module for a network" -msgstr "" - -#: controlpanel.cpp:1620 -msgid " " -msgstr "" - -#: controlpanel.cpp:1621 -msgid "Removes a Module of a network" -msgstr "" - -#: controlpanel.cpp:1624 -msgid "Get the list of modules for a network" -msgstr "" - -#: controlpanel.cpp:1627 -msgid "List the configured CTCP replies" -msgstr "" - -#: controlpanel.cpp:1629 -msgid " [reply]" -msgstr "" - -#: controlpanel.cpp:1630 -msgid "Configure a new CTCP reply" -msgstr "" - -#: controlpanel.cpp:1632 -msgid " " -msgstr "" - -#: controlpanel.cpp:1633 -msgid "Remove a CTCP reply" -msgstr "" - -#: controlpanel.cpp:1637 controlpanel.cpp:1640 -msgid "[username] " -msgstr "" - -#: controlpanel.cpp:1638 -msgid "Add a network for a user" -msgstr "" - -#: controlpanel.cpp:1641 -msgid "Delete a network for a user" -msgstr "" - -#: controlpanel.cpp:1643 -msgid "[username]" -msgstr "" - -#: controlpanel.cpp:1644 -msgid "List all networks for a user" -msgstr "" - -#: controlpanel.cpp:1657 ->>>>>>> 1.7.x msgid "" "Dynamic configuration through IRC. Allows editing only yourself if you're " "not ZNC admin." diff --git a/modules/po/controlpanel.de_DE.po b/modules/po/controlpanel.de_DE.po index 039d82ed..99fc41d7 100644 --- a/modules/po/controlpanel.de_DE.po +++ b/modules/po/controlpanel.de_DE.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/controlpanel.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/controlpanel.es_ES.po b/modules/po/controlpanel.es_ES.po index 4ff4e95d..3b9081c3 100644 --- a/modules/po/controlpanel.es_ES.po +++ b/modules/po/controlpanel.es_ES.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/controlpanel.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/controlpanel.fr_FR.po b/modules/po/controlpanel.fr_FR.po index 24d51808..785be51c 100644 --- a/modules/po/controlpanel.fr_FR.po +++ b/modules/po/controlpanel.fr_FR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/controlpanel.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/controlpanel.id_ID.po b/modules/po/controlpanel.id_ID.po index cf853b64..65a57d41 100644 --- a/modules/po/controlpanel.id_ID.po +++ b/modules/po/controlpanel.id_ID.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/controlpanel.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/controlpanel.it_IT.po b/modules/po/controlpanel.it_IT.po index 28f7be7f..b4ffd2de 100644 --- a/modules/po/controlpanel.it_IT.po +++ b/modules/po/controlpanel.it_IT.po @@ -6,7 +6,6 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/controlpanel.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" @@ -14,29 +13,15 @@ msgstr "" "Language: it_IT\n" #: controlpanel.cpp:51 controlpanel.cpp:64 -======= -"X-Crowdin-File: /1.7.x/modules/po/controlpanel.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" -"Language-Team: Italian\n" -"Language: it_IT\n" - -#: controlpanel.cpp:51 controlpanel.cpp:63 ->>>>>>> 1.7.x msgctxt "helptable" msgid "Type" msgstr "Tipo" -<<<<<<< HEAD #: controlpanel.cpp:52 controlpanel.cpp:66 -======= -#: controlpanel.cpp:52 controlpanel.cpp:65 ->>>>>>> 1.7.x msgctxt "helptable" msgid "Variables" msgstr "Variabili" -<<<<<<< HEAD #: controlpanel.cpp:78 msgid "String" msgstr "Stringa" @@ -58,55 +43,23 @@ msgid "The following variables are available when using the Set/Get commands:" msgstr "" #: controlpanel.cpp:149 -======= -#: controlpanel.cpp:77 -msgid "String" -msgstr "Stringa" - -#: controlpanel.cpp:78 -msgid "Boolean (true/false)" -msgstr "Boolean (vero / falso)" - -#: controlpanel.cpp:79 -msgid "Integer" -msgstr "Numero intero" - -#: controlpanel.cpp:80 -msgid "Number" -msgstr "Numero" - -#: controlpanel.cpp:123 -msgid "The following variables are available when using the Set/Get commands:" -msgstr "" - -#: controlpanel.cpp:146 ->>>>>>> 1.7.x msgid "" "The following variables are available when using the SetNetwork/GetNetwork " "commands:" msgstr "" -<<<<<<< HEAD #: controlpanel.cpp:163 -======= -#: controlpanel.cpp:159 ->>>>>>> 1.7.x msgid "" "The following variables are available when using the SetChan/GetChan " "commands:" msgstr "" -<<<<<<< HEAD #: controlpanel.cpp:170 -======= -#: controlpanel.cpp:165 ->>>>>>> 1.7.x msgid "" "You can use $user as the user name and $network as the network name for " "modifying your own user and network." msgstr "" -<<<<<<< HEAD #: controlpanel.cpp:179 controlpanel.cpp:966 controlpanel.cpp:1003 msgid "Error: User [{1}] does not exist!" msgstr "" @@ -199,105 +152,10 @@ msgid "Channel {1} for user {2} added to network {3}." msgstr "" #: controlpanel.cpp:692 -======= -#: controlpanel.cpp:174 controlpanel.cpp:961 controlpanel.cpp:998 -msgid "Error: User [{1}] does not exist!" -msgstr "" - -#: controlpanel.cpp:179 -msgid "Error: You need to have admin rights to modify other users!" -msgstr "" - -#: controlpanel.cpp:189 -msgid "Error: You cannot use $network to modify other users!" -msgstr "" - -#: controlpanel.cpp:197 -msgid "Error: User {1} does not have a network named [{2}]." -msgstr "" - -#: controlpanel.cpp:209 -msgid "Usage: Get [username]" -msgstr "" - -#: controlpanel.cpp:299 controlpanel.cpp:502 controlpanel.cpp:577 -#: controlpanel.cpp:653 controlpanel.cpp:788 controlpanel.cpp:873 -msgid "Error: Unknown variable" -msgstr "" - -#: controlpanel.cpp:308 -msgid "Usage: Set " -msgstr "" - -#: controlpanel.cpp:330 controlpanel.cpp:618 -msgid "This bind host is already set!" -msgstr "" - -#: controlpanel.cpp:337 controlpanel.cpp:349 controlpanel.cpp:357 -#: controlpanel.cpp:420 controlpanel.cpp:439 controlpanel.cpp:455 -#: controlpanel.cpp:465 controlpanel.cpp:625 -msgid "Access denied!" -msgstr "" - -#: controlpanel.cpp:371 controlpanel.cpp:380 controlpanel.cpp:837 -msgid "Setting failed, limit for buffer size is {1}" -msgstr "" - -#: controlpanel.cpp:400 -msgid "Password has been changed!" -msgstr "" - -#: controlpanel.cpp:408 -msgid "Timeout can't be less than 30 seconds!" -msgstr "" - -#: controlpanel.cpp:472 -msgid "That would be a bad idea!" -msgstr "" - -#: controlpanel.cpp:490 -msgid "Supported languages: {1}" -msgstr "" - -#: controlpanel.cpp:514 -msgid "Usage: GetNetwork [username] [network]" -msgstr "" - -#: controlpanel.cpp:533 -msgid "Error: A network must be specified to get another users settings." -msgstr "" - -#: controlpanel.cpp:539 -msgid "You are not currently attached to a network." -msgstr "" - -#: controlpanel.cpp:545 -msgid "Error: Invalid network." -msgstr "" - -#: controlpanel.cpp:589 -msgid "Usage: SetNetwork " -msgstr "" - -#: controlpanel.cpp:663 -msgid "Usage: AddChan " -msgstr "" - -#: controlpanel.cpp:676 -msgid "Error: User {1} already has a channel named {2}." -msgstr "" - -#: controlpanel.cpp:683 -msgid "Channel {1} for user {2} added to network {3}." -msgstr "" - -#: controlpanel.cpp:687 ->>>>>>> 1.7.x msgid "" "Could not add channel {1} for user {2} to network {3}, does it already exist?" msgstr "" -<<<<<<< HEAD #: controlpanel.cpp:702 msgid "Usage: DelChan " msgstr "" @@ -307,23 +165,11 @@ msgid "Error: User {1} does not have any channel matching [{2}] in network {3}" msgstr "" #: controlpanel.cpp:730 -======= -#: controlpanel.cpp:697 -msgid "Usage: DelChan " -msgstr "" - -#: controlpanel.cpp:712 -msgid "Error: User {1} does not have any channel matching [{2}] in network {3}" -msgstr "" - -#: controlpanel.cpp:725 ->>>>>>> 1.7.x msgid "Channel {1} is deleted from network {2} of user {3}" msgid_plural "Channels {1} are deleted from network {2} of user {3}" msgstr[0] "" msgstr[1] "" -<<<<<<< HEAD #: controlpanel.cpp:745 msgid "Usage: GetChan " msgstr "" @@ -337,80 +183,40 @@ msgid "Usage: SetChan " msgstr "" #: controlpanel.cpp:889 controlpanel.cpp:899 -======= -#: controlpanel.cpp:740 -msgid "Usage: GetChan " -msgstr "" - -#: controlpanel.cpp:754 controlpanel.cpp:818 -msgid "Error: No channels matching [{1}] found." -msgstr "" - -#: controlpanel.cpp:803 -msgid "Usage: SetChan " -msgstr "" - -#: controlpanel.cpp:884 controlpanel.cpp:894 ->>>>>>> 1.7.x msgctxt "listusers" msgid "Username" msgstr "" -<<<<<<< HEAD #: controlpanel.cpp:890 controlpanel.cpp:900 -======= -#: controlpanel.cpp:885 controlpanel.cpp:895 ->>>>>>> 1.7.x msgctxt "listusers" msgid "Realname" msgstr "" -<<<<<<< HEAD #: controlpanel.cpp:891 controlpanel.cpp:903 controlpanel.cpp:905 -======= -#: controlpanel.cpp:886 controlpanel.cpp:898 controlpanel.cpp:900 ->>>>>>> 1.7.x msgctxt "listusers" msgid "IsAdmin" msgstr "" -<<<<<<< HEAD #: controlpanel.cpp:892 controlpanel.cpp:906 -======= -#: controlpanel.cpp:887 controlpanel.cpp:901 ->>>>>>> 1.7.x msgctxt "listusers" msgid "Nick" msgstr "" -<<<<<<< HEAD #: controlpanel.cpp:893 controlpanel.cpp:907 -======= -#: controlpanel.cpp:888 controlpanel.cpp:902 ->>>>>>> 1.7.x msgctxt "listusers" msgid "AltNick" msgstr "" -<<<<<<< HEAD #: controlpanel.cpp:894 controlpanel.cpp:908 -======= -#: controlpanel.cpp:889 controlpanel.cpp:903 ->>>>>>> 1.7.x msgctxt "listusers" msgid "Ident" msgstr "" -<<<<<<< HEAD #: controlpanel.cpp:895 controlpanel.cpp:909 -======= -#: controlpanel.cpp:890 controlpanel.cpp:904 ->>>>>>> 1.7.x msgctxt "listusers" msgid "BindHost" msgstr "" -<<<<<<< HEAD #: controlpanel.cpp:903 controlpanel.cpp:1143 msgid "No" msgstr "" @@ -472,75 +278,11 @@ msgid "Usage: AddNetwork [user] network" msgstr "" #: controlpanel.cpp:1046 -======= -#: controlpanel.cpp:898 controlpanel.cpp:1138 -msgid "No" -msgstr "" - -#: controlpanel.cpp:900 controlpanel.cpp:1130 -msgid "Yes" -msgstr "" - -#: controlpanel.cpp:914 controlpanel.cpp:983 -msgid "Error: You need to have admin rights to add new users!" -msgstr "" - -#: controlpanel.cpp:920 -msgid "Usage: AddUser " -msgstr "" - -#: controlpanel.cpp:925 -msgid "Error: User {1} already exists!" -msgstr "" - -#: controlpanel.cpp:937 controlpanel.cpp:1012 -msgid "Error: User not added: {1}" -msgstr "" - -#: controlpanel.cpp:941 controlpanel.cpp:1016 -msgid "User {1} added!" -msgstr "" - -#: controlpanel.cpp:948 -msgid "Error: You need to have admin rights to delete users!" -msgstr "" - -#: controlpanel.cpp:954 -msgid "Usage: DelUser " -msgstr "" - -#: controlpanel.cpp:966 -msgid "Error: You can't delete yourself!" -msgstr "" - -#: controlpanel.cpp:972 -msgid "Error: Internal error!" -msgstr "" - -#: controlpanel.cpp:976 -msgid "User {1} deleted!" -msgstr "" - -#: controlpanel.cpp:991 -msgid "Usage: CloneUser " -msgstr "" - -#: controlpanel.cpp:1006 -msgid "Error: Cloning failed: {1}" -msgstr "" - -#: controlpanel.cpp:1035 -msgid "Usage: AddNetwork [user] network" -msgstr "" - -#: controlpanel.cpp:1041 ->>>>>>> 1.7.x msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks using /znc DelNetwork " msgstr "" -<<<<<<< HEAD #: controlpanel.cpp:1054 msgid "Error: User {1} already has a network with the name {2}" msgstr "" @@ -570,78 +312,30 @@ msgid "Error: Network {1} could not be deleted for user {2}." msgstr "" #: controlpanel.cpp:1125 controlpanel.cpp:1133 -======= -#: controlpanel.cpp:1049 -msgid "Error: User {1} already has a network with the name {2}" -msgstr "" - -#: controlpanel.cpp:1056 -msgid "Network {1} added to user {2}." -msgstr "" - -#: controlpanel.cpp:1060 -msgid "Error: Network [{1}] could not be added for user {2}: {3}" -msgstr "" - -#: controlpanel.cpp:1080 -msgid "Usage: DelNetwork [user] network" -msgstr "" - -#: controlpanel.cpp:1091 -msgid "The currently active network can be deleted via {1}status" -msgstr "" - -#: controlpanel.cpp:1097 -msgid "Network {1} deleted for user {2}." -msgstr "" - -#: controlpanel.cpp:1101 -msgid "Error: Network {1} could not be deleted for user {2}." -msgstr "" - -#: controlpanel.cpp:1120 controlpanel.cpp:1128 ->>>>>>> 1.7.x msgctxt "listnetworks" msgid "Network" msgstr "" -<<<<<<< HEAD #: controlpanel.cpp:1126 controlpanel.cpp:1135 controlpanel.cpp:1143 -======= -#: controlpanel.cpp:1121 controlpanel.cpp:1130 controlpanel.cpp:1138 ->>>>>>> 1.7.x msgctxt "listnetworks" msgid "OnIRC" msgstr "" -<<<<<<< HEAD #: controlpanel.cpp:1127 controlpanel.cpp:1136 -======= -#: controlpanel.cpp:1122 controlpanel.cpp:1131 ->>>>>>> 1.7.x msgctxt "listnetworks" msgid "IRC Server" msgstr "" -<<<<<<< HEAD #: controlpanel.cpp:1128 controlpanel.cpp:1138 -======= -#: controlpanel.cpp:1123 controlpanel.cpp:1133 ->>>>>>> 1.7.x msgctxt "listnetworks" msgid "IRC User" msgstr "" -<<<<<<< HEAD #: controlpanel.cpp:1129 controlpanel.cpp:1140 -======= -#: controlpanel.cpp:1124 controlpanel.cpp:1135 ->>>>>>> 1.7.x msgctxt "listnetworks" msgid "Channels" msgstr "" -<<<<<<< HEAD #: controlpanel.cpp:1148 msgid "No networks" msgstr "" @@ -687,67 +381,15 @@ msgid "Closed IRC connection for network {1} of user {2}." msgstr "" #: controlpanel.cpp:1285 controlpanel.cpp:1290 -======= -#: controlpanel.cpp:1143 -msgid "No networks" -msgstr "" - -#: controlpanel.cpp:1154 -msgid "Usage: AddServer [[+]port] [password]" -msgstr "" - -#: controlpanel.cpp:1168 -msgid "Added IRC Server {1} to network {2} for user {3}." -msgstr "" - -#: controlpanel.cpp:1172 -msgid "Error: Could not add IRC server {1} to network {2} for user {3}." -msgstr "" - -#: controlpanel.cpp:1185 -msgid "Usage: DelServer [[+]port] [password]" -msgstr "" - -#: controlpanel.cpp:1200 -msgid "Deleted IRC Server {1} from network {2} for user {3}." -msgstr "" - -#: controlpanel.cpp:1204 -msgid "Error: Could not delete IRC server {1} from network {2} for user {3}." -msgstr "" - -#: controlpanel.cpp:1214 -msgid "Usage: Reconnect " -msgstr "" - -#: controlpanel.cpp:1241 -msgid "Queued network {1} of user {2} for a reconnect." -msgstr "" - -#: controlpanel.cpp:1250 -msgid "Usage: Disconnect " -msgstr "" - -#: controlpanel.cpp:1265 -msgid "Closed IRC connection for network {1} of user {2}." -msgstr "" - -#: controlpanel.cpp:1280 controlpanel.cpp:1284 ->>>>>>> 1.7.x msgctxt "listctcp" msgid "Request" msgstr "" -<<<<<<< HEAD #: controlpanel.cpp:1286 controlpanel.cpp:1291 -======= -#: controlpanel.cpp:1281 controlpanel.cpp:1285 ->>>>>>> 1.7.x msgctxt "listctcp" msgid "Reply" msgstr "" -<<<<<<< HEAD #: controlpanel.cpp:1295 msgid "No CTCP replies for user {1} are configured" msgstr "" @@ -761,26 +403,10 @@ msgid "Usage: AddCTCP [user] [request] [reply]" msgstr "" #: controlpanel.cpp:1316 -======= -#: controlpanel.cpp:1289 -msgid "No CTCP replies for user {1} are configured" -msgstr "" - -#: controlpanel.cpp:1292 -msgid "CTCP replies for user {1}:" -msgstr "" - -#: controlpanel.cpp:1308 -msgid "Usage: AddCTCP [user] [request] [reply]" -msgstr "" - -#: controlpanel.cpp:1310 ->>>>>>> 1.7.x msgid "" "This will cause ZNC to reply to the CTCP instead of forwarding it to clients." msgstr "" -<<<<<<< HEAD #: controlpanel.cpp:1319 msgid "An empty reply will cause the CTCP request to be blocked." msgstr "" @@ -802,35 +428,11 @@ msgid "CTCP requests {1} to user {2} will now be sent to IRC clients" msgstr "" #: controlpanel.cpp:1359 -======= -#: controlpanel.cpp:1313 -msgid "An empty reply will cause the CTCP request to be blocked." -msgstr "" - -#: controlpanel.cpp:1322 -msgid "CTCP requests {1} to user {2} will now be blocked." -msgstr "" - -#: controlpanel.cpp:1326 -msgid "CTCP requests {1} to user {2} will now get reply: {3}" -msgstr "" - -#: controlpanel.cpp:1343 -msgid "Usage: DelCTCP [user] [request]" -msgstr "" - -#: controlpanel.cpp:1349 -msgid "CTCP requests {1} to user {2} will now be sent to IRC clients" -msgstr "" - -#: controlpanel.cpp:1353 ->>>>>>> 1.7.x msgid "" "CTCP requests {1} to user {2} will be sent to IRC clients (nothing has " "changed)" msgstr "" -<<<<<<< HEAD #: controlpanel.cpp:1369 controlpanel.cpp:1443 msgid "Loading modules has been disabled." msgstr "" @@ -884,75 +486,15 @@ msgid "Usage: UnloadNetModule " msgstr "" #: controlpanel.cpp:1500 controlpanel.cpp:1506 -======= -#: controlpanel.cpp:1363 controlpanel.cpp:1437 -msgid "Loading modules has been disabled." -msgstr "" - -#: controlpanel.cpp:1372 -msgid "Error: Unable to load module {1}: {2}" -msgstr "" - -#: controlpanel.cpp:1375 -msgid "Loaded module {1}" -msgstr "" - -#: controlpanel.cpp:1380 -msgid "Error: Unable to reload module {1}: {2}" -msgstr "" - -#: controlpanel.cpp:1383 -msgid "Reloaded module {1}" -msgstr "" - -#: controlpanel.cpp:1387 -msgid "Error: Unable to load module {1} because it is already loaded" -msgstr "" - -#: controlpanel.cpp:1398 -msgid "Usage: LoadModule [args]" -msgstr "" - -#: controlpanel.cpp:1417 -msgid "Usage: LoadNetModule [args]" -msgstr "" - -#: controlpanel.cpp:1442 -msgid "Please use /znc unloadmod {1}" -msgstr "" - -#: controlpanel.cpp:1448 -msgid "Error: Unable to unload module {1}: {2}" -msgstr "" - -#: controlpanel.cpp:1451 -msgid "Unloaded module {1}" -msgstr "" - -#: controlpanel.cpp:1460 -msgid "Usage: UnloadModule " -msgstr "" - -#: controlpanel.cpp:1477 -msgid "Usage: UnloadNetModule " -msgstr "" - -#: controlpanel.cpp:1494 controlpanel.cpp:1499 ->>>>>>> 1.7.x msgctxt "listmodules" msgid "Name" msgstr "" -<<<<<<< HEAD #: controlpanel.cpp:1501 controlpanel.cpp:1507 -======= -#: controlpanel.cpp:1495 controlpanel.cpp:1500 ->>>>>>> 1.7.x msgctxt "listmodules" msgid "Arguments" msgstr "" -<<<<<<< HEAD #: controlpanel.cpp:1526 msgid "User {1} has no modules loaded." msgstr "" @@ -1170,225 +712,6 @@ msgid "List all networks for a user" msgstr "" #: controlpanel.cpp:1664 -======= -#: controlpanel.cpp:1519 -msgid "User {1} has no modules loaded." -msgstr "" - -#: controlpanel.cpp:1523 -msgid "Modules loaded for user {1}:" -msgstr "" - -#: controlpanel.cpp:1543 -msgid "Network {1} of user {2} has no modules loaded." -msgstr "" - -#: controlpanel.cpp:1548 -msgid "Modules loaded for network {1} of user {2}:" -msgstr "" - -#: controlpanel.cpp:1555 -msgid "[command] [variable]" -msgstr "" - -#: controlpanel.cpp:1556 -msgid "Prints help for matching commands and variables" -msgstr "" - -#: controlpanel.cpp:1559 -msgid " [username]" -msgstr "" - -#: controlpanel.cpp:1560 -msgid "Prints the variable's value for the given or current user" -msgstr "" - -#: controlpanel.cpp:1562 -msgid " " -msgstr "" - -#: controlpanel.cpp:1563 -msgid "Sets the variable's value for the given user" -msgstr "" - -#: controlpanel.cpp:1565 -msgid " [username] [network]" -msgstr "" - -#: controlpanel.cpp:1566 -msgid "Prints the variable's value for the given network" -msgstr "" - -#: controlpanel.cpp:1568 -msgid " " -msgstr "" - -#: controlpanel.cpp:1569 -msgid "Sets the variable's value for the given network" -msgstr "" - -#: controlpanel.cpp:1571 -msgid " [username] " -msgstr "" - -#: controlpanel.cpp:1572 -msgid "Prints the variable's value for the given channel" -msgstr "" - -#: controlpanel.cpp:1575 -msgid " " -msgstr "" - -#: controlpanel.cpp:1576 -msgid "Sets the variable's value for the given channel" -msgstr "" - -#: controlpanel.cpp:1578 controlpanel.cpp:1581 -msgid " " -msgstr "" - -#: controlpanel.cpp:1579 -msgid "Adds a new channel" -msgstr "" - -#: controlpanel.cpp:1582 -msgid "Deletes a channel" -msgstr "" - -#: controlpanel.cpp:1584 -msgid "Lists users" -msgstr "" - -#: controlpanel.cpp:1586 -msgid " " -msgstr "" - -#: controlpanel.cpp:1587 -msgid "Adds a new user" -msgstr "" - -#: controlpanel.cpp:1589 controlpanel.cpp:1612 controlpanel.cpp:1626 -msgid "" -msgstr "" - -#: controlpanel.cpp:1589 -msgid "Deletes a user" -msgstr "" - -#: controlpanel.cpp:1591 -msgid " " -msgstr "" - -#: controlpanel.cpp:1592 -msgid "Clones a user" -msgstr "" - -#: controlpanel.cpp:1594 controlpanel.cpp:1597 -msgid " " -msgstr "" - -#: controlpanel.cpp:1595 -msgid "Adds a new IRC server for the given or current user" -msgstr "" - -#: controlpanel.cpp:1598 -msgid "Deletes an IRC server from the given or current user" -msgstr "" - -#: controlpanel.cpp:1600 controlpanel.cpp:1603 controlpanel.cpp:1623 -msgid " " -msgstr "" - -#: controlpanel.cpp:1601 -msgid "Cycles the user's IRC server connection" -msgstr "" - -#: controlpanel.cpp:1604 -msgid "Disconnects the user from their IRC server" -msgstr "" - -#: controlpanel.cpp:1606 -msgid " [args]" -msgstr "" - -#: controlpanel.cpp:1607 -msgid "Loads a Module for a user" -msgstr "" - -#: controlpanel.cpp:1609 -msgid " " -msgstr "" - -#: controlpanel.cpp:1610 -msgid "Removes a Module of a user" -msgstr "" - -#: controlpanel.cpp:1613 -msgid "Get the list of modules for a user" -msgstr "" - -#: controlpanel.cpp:1616 -msgid " [args]" -msgstr "" - -#: controlpanel.cpp:1617 -msgid "Loads a Module for a network" -msgstr "" - -#: controlpanel.cpp:1620 -msgid " " -msgstr "" - -#: controlpanel.cpp:1621 -msgid "Removes a Module of a network" -msgstr "" - -#: controlpanel.cpp:1624 -msgid "Get the list of modules for a network" -msgstr "" - -#: controlpanel.cpp:1627 -msgid "List the configured CTCP replies" -msgstr "" - -#: controlpanel.cpp:1629 -msgid " [reply]" -msgstr "" - -#: controlpanel.cpp:1630 -msgid "Configure a new CTCP reply" -msgstr "" - -#: controlpanel.cpp:1632 -msgid " " -msgstr "" - -#: controlpanel.cpp:1633 -msgid "Remove a CTCP reply" -msgstr "" - -#: controlpanel.cpp:1637 controlpanel.cpp:1640 -msgid "[username] " -msgstr "" - -#: controlpanel.cpp:1638 -msgid "Add a network for a user" -msgstr "" - -#: controlpanel.cpp:1641 -msgid "Delete a network for a user" -msgstr "" - -#: controlpanel.cpp:1643 -msgid "[username]" -msgstr "" - -#: controlpanel.cpp:1644 -msgid "List all networks for a user" -msgstr "" - -#: controlpanel.cpp:1657 ->>>>>>> 1.7.x msgid "" "Dynamic configuration through IRC. Allows editing only yourself if you're " "not ZNC admin." diff --git a/modules/po/controlpanel.nl_NL.po b/modules/po/controlpanel.nl_NL.po index 32085203..d2325971 100644 --- a/modules/po/controlpanel.nl_NL.po +++ b/modules/po/controlpanel.nl_NL.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/controlpanel.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/controlpanel.pt_BR.po b/modules/po/controlpanel.pt_BR.po index ed81040b..c6a61c42 100644 --- a/modules/po/controlpanel.pt_BR.po +++ b/modules/po/controlpanel.pt_BR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/controlpanel.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/controlpanel.ru_RU.po b/modules/po/controlpanel.ru_RU.po index cfdbb810..95789e1b 100644 --- a/modules/po/controlpanel.ru_RU.po +++ b/modules/po/controlpanel.ru_RU.po @@ -10,11 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/controlpanel.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/crypt.bg_BG.po b/modules/po/crypt.bg_BG.po index aa225925..f5e889d8 100644 --- a/modules/po/crypt.bg_BG.po +++ b/modules/po/crypt.bg_BG.po @@ -6,15 +6,9 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/crypt.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" -======= -"X-Crowdin-File: /1.7.x/modules/po/crypt.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Bulgarian\n" "Language: bg_BG\n" @@ -130,36 +124,20 @@ msgstr "" msgid "Setting Nick Prefix to {1}" msgstr "" -<<<<<<< HEAD #: crypt.cpp:474 crypt.cpp:481 -======= -#: crypt.cpp:474 crypt.cpp:480 ->>>>>>> 1.7.x msgctxt "listkeys" msgid "Target" msgstr "" -<<<<<<< HEAD #: crypt.cpp:475 crypt.cpp:482 -======= -#: crypt.cpp:475 crypt.cpp:481 ->>>>>>> 1.7.x msgctxt "listkeys" msgid "Key" msgstr "" -<<<<<<< HEAD #: crypt.cpp:486 msgid "You have no encryption keys set." msgstr "" #: crypt.cpp:508 -======= -#: crypt.cpp:485 -msgid "You have no encryption keys set." -msgstr "" - -#: crypt.cpp:507 ->>>>>>> 1.7.x msgid "Encryption for channel/private messages" msgstr "" diff --git a/modules/po/crypt.de_DE.po b/modules/po/crypt.de_DE.po index e641e60e..d16955b1 100644 --- a/modules/po/crypt.de_DE.po +++ b/modules/po/crypt.de_DE.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/crypt.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/crypt.es_ES.po b/modules/po/crypt.es_ES.po index d5873108..0c67cd6c 100644 --- a/modules/po/crypt.es_ES.po +++ b/modules/po/crypt.es_ES.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/crypt.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/crypt.fr_FR.po b/modules/po/crypt.fr_FR.po index 43269cf4..7d86683f 100644 --- a/modules/po/crypt.fr_FR.po +++ b/modules/po/crypt.fr_FR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/crypt.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/crypt.id_ID.po b/modules/po/crypt.id_ID.po index 8ffacd61..2daac836 100644 --- a/modules/po/crypt.id_ID.po +++ b/modules/po/crypt.id_ID.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/crypt.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/crypt.it_IT.po b/modules/po/crypt.it_IT.po index 212a5979..8c6d9140 100644 --- a/modules/po/crypt.it_IT.po +++ b/modules/po/crypt.it_IT.po @@ -6,15 +6,9 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/crypt.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" -======= -"X-Crowdin-File: /1.7.x/modules/po/crypt.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Italian\n" "Language: it_IT\n" @@ -130,36 +124,20 @@ msgstr "" msgid "Setting Nick Prefix to {1}" msgstr "" -<<<<<<< HEAD #: crypt.cpp:474 crypt.cpp:481 -======= -#: crypt.cpp:474 crypt.cpp:480 ->>>>>>> 1.7.x msgctxt "listkeys" msgid "Target" msgstr "" -<<<<<<< HEAD #: crypt.cpp:475 crypt.cpp:482 -======= -#: crypt.cpp:475 crypt.cpp:481 ->>>>>>> 1.7.x msgctxt "listkeys" msgid "Key" msgstr "" -<<<<<<< HEAD #: crypt.cpp:486 msgid "You have no encryption keys set." msgstr "" #: crypt.cpp:508 -======= -#: crypt.cpp:485 -msgid "You have no encryption keys set." -msgstr "" - -#: crypt.cpp:507 ->>>>>>> 1.7.x msgid "Encryption for channel/private messages" msgstr "" diff --git a/modules/po/crypt.nl_NL.po b/modules/po/crypt.nl_NL.po index ad884aab..bdb32aca 100644 --- a/modules/po/crypt.nl_NL.po +++ b/modules/po/crypt.nl_NL.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/crypt.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/crypt.pt_BR.po b/modules/po/crypt.pt_BR.po index e4383d1e..2b93cbfb 100644 --- a/modules/po/crypt.pt_BR.po +++ b/modules/po/crypt.pt_BR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/crypt.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/crypt.ru_RU.po b/modules/po/crypt.ru_RU.po index fc0d8a40..5d1f5f3c 100644 --- a/modules/po/crypt.ru_RU.po +++ b/modules/po/crypt.ru_RU.po @@ -10,11 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/crypt.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/ctcpflood.bg_BG.po b/modules/po/ctcpflood.bg_BG.po index 7e48c2f7..4598217a 100644 --- a/modules/po/ctcpflood.bg_BG.po +++ b/modules/po/ctcpflood.bg_BG.po @@ -6,15 +6,9 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/ctcpflood.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" -======= -"X-Crowdin-File: /1.7.x/modules/po/ctcpflood.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/ctcpflood.de_DE.po b/modules/po/ctcpflood.de_DE.po index 0ce668ba..e08c9e3d 100644 --- a/modules/po/ctcpflood.de_DE.po +++ b/modules/po/ctcpflood.de_DE.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/ctcpflood.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/ctcpflood.es_ES.po b/modules/po/ctcpflood.es_ES.po index a28e9775..3f13d550 100644 --- a/modules/po/ctcpflood.es_ES.po +++ b/modules/po/ctcpflood.es_ES.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/ctcpflood.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/ctcpflood.fr_FR.po b/modules/po/ctcpflood.fr_FR.po index 795616b5..4566fbaf 100644 --- a/modules/po/ctcpflood.fr_FR.po +++ b/modules/po/ctcpflood.fr_FR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/ctcpflood.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/ctcpflood.id_ID.po b/modules/po/ctcpflood.id_ID.po index 1a1aaa56..952d4d2a 100644 --- a/modules/po/ctcpflood.id_ID.po +++ b/modules/po/ctcpflood.id_ID.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/ctcpflood.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/ctcpflood.it_IT.po b/modules/po/ctcpflood.it_IT.po index 825344cb..d6aa33d6 100644 --- a/modules/po/ctcpflood.it_IT.po +++ b/modules/po/ctcpflood.it_IT.po @@ -6,15 +6,9 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/ctcpflood.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" -======= -"X-Crowdin-File: /1.7.x/modules/po/ctcpflood.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/ctcpflood.nl_NL.po b/modules/po/ctcpflood.nl_NL.po index 3bc78a7f..11ba1692 100644 --- a/modules/po/ctcpflood.nl_NL.po +++ b/modules/po/ctcpflood.nl_NL.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/ctcpflood.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/ctcpflood.pt_BR.po b/modules/po/ctcpflood.pt_BR.po index 1163e29d..6761947d 100644 --- a/modules/po/ctcpflood.pt_BR.po +++ b/modules/po/ctcpflood.pt_BR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/ctcpflood.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/ctcpflood.ru_RU.po b/modules/po/ctcpflood.ru_RU.po index 85839210..bb6e6295 100644 --- a/modules/po/ctcpflood.ru_RU.po +++ b/modules/po/ctcpflood.ru_RU.po @@ -10,11 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/ctcpflood.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/cyrusauth.bg_BG.po b/modules/po/cyrusauth.bg_BG.po index f31a28e0..a3b4869f 100644 --- a/modules/po/cyrusauth.bg_BG.po +++ b/modules/po/cyrusauth.bg_BG.po @@ -6,15 +6,9 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/cyrusauth.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" -======= -"X-Crowdin-File: /1.7.x/modules/po/cyrusauth.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/cyrusauth.de_DE.po b/modules/po/cyrusauth.de_DE.po index aa892816..14a0845e 100644 --- a/modules/po/cyrusauth.de_DE.po +++ b/modules/po/cyrusauth.de_DE.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/cyrusauth.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/cyrusauth.es_ES.po b/modules/po/cyrusauth.es_ES.po index 192293a0..a66d1003 100644 --- a/modules/po/cyrusauth.es_ES.po +++ b/modules/po/cyrusauth.es_ES.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/cyrusauth.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/cyrusauth.fr_FR.po b/modules/po/cyrusauth.fr_FR.po index 56d6200a..d34fa100 100644 --- a/modules/po/cyrusauth.fr_FR.po +++ b/modules/po/cyrusauth.fr_FR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/cyrusauth.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/cyrusauth.id_ID.po b/modules/po/cyrusauth.id_ID.po index 654b82f0..612b26ee 100644 --- a/modules/po/cyrusauth.id_ID.po +++ b/modules/po/cyrusauth.id_ID.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/cyrusauth.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/cyrusauth.it_IT.po b/modules/po/cyrusauth.it_IT.po index 1b6f091a..807cb2e7 100644 --- a/modules/po/cyrusauth.it_IT.po +++ b/modules/po/cyrusauth.it_IT.po @@ -6,15 +6,9 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/cyrusauth.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" -======= -"X-Crowdin-File: /1.7.x/modules/po/cyrusauth.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/cyrusauth.nl_NL.po b/modules/po/cyrusauth.nl_NL.po index 27097251..9b9bc329 100644 --- a/modules/po/cyrusauth.nl_NL.po +++ b/modules/po/cyrusauth.nl_NL.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/cyrusauth.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/cyrusauth.pt_BR.po b/modules/po/cyrusauth.pt_BR.po index c3a27eaa..61a93c9b 100644 --- a/modules/po/cyrusauth.pt_BR.po +++ b/modules/po/cyrusauth.pt_BR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/cyrusauth.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/cyrusauth.ru_RU.po b/modules/po/cyrusauth.ru_RU.po index d9dc2166..a30b1014 100644 --- a/modules/po/cyrusauth.ru_RU.po +++ b/modules/po/cyrusauth.ru_RU.po @@ -10,11 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/cyrusauth.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/dcc.bg_BG.po b/modules/po/dcc.bg_BG.po index b449294f..e96cf350 100644 --- a/modules/po/dcc.bg_BG.po +++ b/modules/po/dcc.bg_BG.po @@ -6,15 +6,9 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/dcc.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" -======= -"X-Crowdin-File: /1.7.x/modules/po/dcc.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/dcc.de_DE.po b/modules/po/dcc.de_DE.po index bd798dd2..7d260073 100644 --- a/modules/po/dcc.de_DE.po +++ b/modules/po/dcc.de_DE.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/dcc.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/dcc.es_ES.po b/modules/po/dcc.es_ES.po index 6c915a1c..258ecf09 100644 --- a/modules/po/dcc.es_ES.po +++ b/modules/po/dcc.es_ES.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/dcc.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/dcc.fr_FR.po b/modules/po/dcc.fr_FR.po index 8bd0c82b..65e69647 100644 --- a/modules/po/dcc.fr_FR.po +++ b/modules/po/dcc.fr_FR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/dcc.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/dcc.id_ID.po b/modules/po/dcc.id_ID.po index 0c53f146..655be7f1 100644 --- a/modules/po/dcc.id_ID.po +++ b/modules/po/dcc.id_ID.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/dcc.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/dcc.it_IT.po b/modules/po/dcc.it_IT.po index e6daa93e..b2443cc6 100644 --- a/modules/po/dcc.it_IT.po +++ b/modules/po/dcc.it_IT.po @@ -6,15 +6,9 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/dcc.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" -======= -"X-Crowdin-File: /1.7.x/modules/po/dcc.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/dcc.nl_NL.po b/modules/po/dcc.nl_NL.po index bba6a0e8..971c5530 100644 --- a/modules/po/dcc.nl_NL.po +++ b/modules/po/dcc.nl_NL.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/dcc.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/dcc.pt_BR.po b/modules/po/dcc.pt_BR.po index 9721a7c2..b70b8696 100644 --- a/modules/po/dcc.pt_BR.po +++ b/modules/po/dcc.pt_BR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/dcc.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/dcc.ru_RU.po b/modules/po/dcc.ru_RU.po index 9df886d9..60095a68 100644 --- a/modules/po/dcc.ru_RU.po +++ b/modules/po/dcc.ru_RU.po @@ -10,11 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/dcc.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/disconkick.bg_BG.po b/modules/po/disconkick.bg_BG.po index 118e0673..1b68505d 100644 --- a/modules/po/disconkick.bg_BG.po +++ b/modules/po/disconkick.bg_BG.po @@ -6,15 +6,9 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/disconkick.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" -======= -"X-Crowdin-File: /1.7.x/modules/po/disconkick.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/disconkick.de_DE.po b/modules/po/disconkick.de_DE.po index 9f58b8f8..704a13e7 100644 --- a/modules/po/disconkick.de_DE.po +++ b/modules/po/disconkick.de_DE.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/disconkick.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/disconkick.es_ES.po b/modules/po/disconkick.es_ES.po index 76f8092b..bfbad97e 100644 --- a/modules/po/disconkick.es_ES.po +++ b/modules/po/disconkick.es_ES.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/disconkick.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/disconkick.fr_FR.po b/modules/po/disconkick.fr_FR.po index 9b1e3f56..46e322e8 100644 --- a/modules/po/disconkick.fr_FR.po +++ b/modules/po/disconkick.fr_FR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/disconkick.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/disconkick.id_ID.po b/modules/po/disconkick.id_ID.po index 62df3b4b..875b0eb1 100644 --- a/modules/po/disconkick.id_ID.po +++ b/modules/po/disconkick.id_ID.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/disconkick.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/disconkick.it_IT.po b/modules/po/disconkick.it_IT.po index b6aec038..e128c59b 100644 --- a/modules/po/disconkick.it_IT.po +++ b/modules/po/disconkick.it_IT.po @@ -6,15 +6,9 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/disconkick.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" -======= -"X-Crowdin-File: /1.7.x/modules/po/disconkick.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/disconkick.nl_NL.po b/modules/po/disconkick.nl_NL.po index facac481..a39376ab 100644 --- a/modules/po/disconkick.nl_NL.po +++ b/modules/po/disconkick.nl_NL.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/disconkick.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/disconkick.pt_BR.po b/modules/po/disconkick.pt_BR.po index 81ede5b8..52eb3498 100644 --- a/modules/po/disconkick.pt_BR.po +++ b/modules/po/disconkick.pt_BR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/disconkick.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/disconkick.ru_RU.po b/modules/po/disconkick.ru_RU.po index 11ff9b0f..ebd4e8e6 100644 --- a/modules/po/disconkick.ru_RU.po +++ b/modules/po/disconkick.ru_RU.po @@ -10,11 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/disconkick.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/fail2ban.bg_BG.po b/modules/po/fail2ban.bg_BG.po index 3a119a6d..d47ebd9c 100644 --- a/modules/po/fail2ban.bg_BG.po +++ b/modules/po/fail2ban.bg_BG.po @@ -6,15 +6,9 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/fail2ban.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" -======= -"X-Crowdin-File: /1.7.x/modules/po/fail2ban.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Bulgarian\n" "Language: bg_BG\n" @@ -97,47 +91,27 @@ msgstr "" msgid "Ignored: {1}" msgstr "" -<<<<<<< HEAD #: fail2ban.cpp:177 fail2ban.cpp:183 -======= -#: fail2ban.cpp:177 fail2ban.cpp:182 ->>>>>>> 1.7.x msgctxt "list" msgid "Host" msgstr "" -<<<<<<< HEAD #: fail2ban.cpp:178 fail2ban.cpp:184 -======= -#: fail2ban.cpp:178 fail2ban.cpp:183 ->>>>>>> 1.7.x msgctxt "list" msgid "Attempts" msgstr "" -<<<<<<< HEAD #: fail2ban.cpp:188 -======= -#: fail2ban.cpp:187 ->>>>>>> 1.7.x msgctxt "list" msgid "No bans" msgstr "" -<<<<<<< HEAD #: fail2ban.cpp:245 -======= -#: fail2ban.cpp:244 ->>>>>>> 1.7.x msgid "" "You might enter the time in minutes for the IP banning and the number of " "failed logins before any action is taken." msgstr "" -<<<<<<< HEAD #: fail2ban.cpp:250 -======= -#: fail2ban.cpp:249 ->>>>>>> 1.7.x msgid "Block IPs for some time after a failed login." msgstr "" diff --git a/modules/po/fail2ban.de_DE.po b/modules/po/fail2ban.de_DE.po index 261d1c98..ba1ac4f5 100644 --- a/modules/po/fail2ban.de_DE.po +++ b/modules/po/fail2ban.de_DE.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/fail2ban.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/fail2ban.es_ES.po b/modules/po/fail2ban.es_ES.po index 5e9d3b78..391dd15e 100644 --- a/modules/po/fail2ban.es_ES.po +++ b/modules/po/fail2ban.es_ES.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/fail2ban.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/fail2ban.fr_FR.po b/modules/po/fail2ban.fr_FR.po index e228cd40..d2d20040 100644 --- a/modules/po/fail2ban.fr_FR.po +++ b/modules/po/fail2ban.fr_FR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/fail2ban.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/fail2ban.id_ID.po b/modules/po/fail2ban.id_ID.po index faf48efb..c4e2eaba 100644 --- a/modules/po/fail2ban.id_ID.po +++ b/modules/po/fail2ban.id_ID.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/fail2ban.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/fail2ban.it_IT.po b/modules/po/fail2ban.it_IT.po index 389af2f5..512afe05 100644 --- a/modules/po/fail2ban.it_IT.po +++ b/modules/po/fail2ban.it_IT.po @@ -6,15 +6,9 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/fail2ban.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" -======= -"X-Crowdin-File: /1.7.x/modules/po/fail2ban.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Italian\n" "Language: it_IT\n" @@ -97,47 +91,27 @@ msgstr "" msgid "Ignored: {1}" msgstr "" -<<<<<<< HEAD #: fail2ban.cpp:177 fail2ban.cpp:183 -======= -#: fail2ban.cpp:177 fail2ban.cpp:182 ->>>>>>> 1.7.x msgctxt "list" msgid "Host" msgstr "" -<<<<<<< HEAD #: fail2ban.cpp:178 fail2ban.cpp:184 -======= -#: fail2ban.cpp:178 fail2ban.cpp:183 ->>>>>>> 1.7.x msgctxt "list" msgid "Attempts" msgstr "" -<<<<<<< HEAD #: fail2ban.cpp:188 -======= -#: fail2ban.cpp:187 ->>>>>>> 1.7.x msgctxt "list" msgid "No bans" msgstr "" -<<<<<<< HEAD #: fail2ban.cpp:245 -======= -#: fail2ban.cpp:244 ->>>>>>> 1.7.x msgid "" "You might enter the time in minutes for the IP banning and the number of " "failed logins before any action is taken." msgstr "" -<<<<<<< HEAD #: fail2ban.cpp:250 -======= -#: fail2ban.cpp:249 ->>>>>>> 1.7.x msgid "Block IPs for some time after a failed login." msgstr "" diff --git a/modules/po/fail2ban.nl_NL.po b/modules/po/fail2ban.nl_NL.po index e5ff37e4..04861bd8 100644 --- a/modules/po/fail2ban.nl_NL.po +++ b/modules/po/fail2ban.nl_NL.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/fail2ban.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/fail2ban.pt_BR.po b/modules/po/fail2ban.pt_BR.po index 82470d21..fbd5c36d 100644 --- a/modules/po/fail2ban.pt_BR.po +++ b/modules/po/fail2ban.pt_BR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/fail2ban.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/fail2ban.ru_RU.po b/modules/po/fail2ban.ru_RU.po index 08357ea6..a2a6b647 100644 --- a/modules/po/fail2ban.ru_RU.po +++ b/modules/po/fail2ban.ru_RU.po @@ -10,11 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/fail2ban.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/flooddetach.bg_BG.po b/modules/po/flooddetach.bg_BG.po index 6e4c37fd..d699c6fd 100644 --- a/modules/po/flooddetach.bg_BG.po +++ b/modules/po/flooddetach.bg_BG.po @@ -6,15 +6,9 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/flooddetach.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" -======= -"X-Crowdin-File: /1.7.x/modules/po/flooddetach.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/flooddetach.de_DE.po b/modules/po/flooddetach.de_DE.po index 15755eea..ba6aa473 100644 --- a/modules/po/flooddetach.de_DE.po +++ b/modules/po/flooddetach.de_DE.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/flooddetach.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/flooddetach.es_ES.po b/modules/po/flooddetach.es_ES.po index 889149f2..a7a57b4e 100644 --- a/modules/po/flooddetach.es_ES.po +++ b/modules/po/flooddetach.es_ES.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/flooddetach.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/flooddetach.fr_FR.po b/modules/po/flooddetach.fr_FR.po index e9f032b7..287466f4 100644 --- a/modules/po/flooddetach.fr_FR.po +++ b/modules/po/flooddetach.fr_FR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/flooddetach.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/flooddetach.id_ID.po b/modules/po/flooddetach.id_ID.po index 7738d1b6..adcedbf6 100644 --- a/modules/po/flooddetach.id_ID.po +++ b/modules/po/flooddetach.id_ID.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/flooddetach.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/flooddetach.it_IT.po b/modules/po/flooddetach.it_IT.po index f86ce406..40a98d60 100644 --- a/modules/po/flooddetach.it_IT.po +++ b/modules/po/flooddetach.it_IT.po @@ -6,15 +6,9 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/flooddetach.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" -======= -"X-Crowdin-File: /1.7.x/modules/po/flooddetach.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/flooddetach.nl_NL.po b/modules/po/flooddetach.nl_NL.po index 75105acc..f3f67921 100644 --- a/modules/po/flooddetach.nl_NL.po +++ b/modules/po/flooddetach.nl_NL.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/flooddetach.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/flooddetach.pt_BR.po b/modules/po/flooddetach.pt_BR.po index b8c44bd8..ea93da1b 100644 --- a/modules/po/flooddetach.pt_BR.po +++ b/modules/po/flooddetach.pt_BR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/flooddetach.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/flooddetach.ru_RU.po b/modules/po/flooddetach.ru_RU.po index 3aa8e1d2..851f1c50 100644 --- a/modules/po/flooddetach.ru_RU.po +++ b/modules/po/flooddetach.ru_RU.po @@ -10,11 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/flooddetach.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/identfile.bg_BG.po b/modules/po/identfile.bg_BG.po index b5949d0a..ed64c929 100644 --- a/modules/po/identfile.bg_BG.po +++ b/modules/po/identfile.bg_BG.po @@ -6,15 +6,9 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/identfile.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" -======= -"X-Crowdin-File: /1.7.x/modules/po/identfile.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/identfile.de_DE.po b/modules/po/identfile.de_DE.po index 41f38276..bb58273a 100644 --- a/modules/po/identfile.de_DE.po +++ b/modules/po/identfile.de_DE.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/identfile.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/identfile.es_ES.po b/modules/po/identfile.es_ES.po index 158c1fa2..5966719d 100644 --- a/modules/po/identfile.es_ES.po +++ b/modules/po/identfile.es_ES.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/identfile.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/identfile.fr_FR.po b/modules/po/identfile.fr_FR.po index 1122a879..f9369f2c 100644 --- a/modules/po/identfile.fr_FR.po +++ b/modules/po/identfile.fr_FR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/identfile.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/identfile.id_ID.po b/modules/po/identfile.id_ID.po index c1b4bba3..7d770d25 100644 --- a/modules/po/identfile.id_ID.po +++ b/modules/po/identfile.id_ID.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/identfile.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/identfile.it_IT.po b/modules/po/identfile.it_IT.po index a81a79ae..ca8cf3b1 100644 --- a/modules/po/identfile.it_IT.po +++ b/modules/po/identfile.it_IT.po @@ -6,15 +6,9 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/identfile.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" -======= -"X-Crowdin-File: /1.7.x/modules/po/identfile.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/identfile.nl_NL.po b/modules/po/identfile.nl_NL.po index 46af5c48..58071354 100644 --- a/modules/po/identfile.nl_NL.po +++ b/modules/po/identfile.nl_NL.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/identfile.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/identfile.pt_BR.po b/modules/po/identfile.pt_BR.po index 3f3d285d..dca39204 100644 --- a/modules/po/identfile.pt_BR.po +++ b/modules/po/identfile.pt_BR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/identfile.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/identfile.ru_RU.po b/modules/po/identfile.ru_RU.po index b154cb48..f88ecc08 100644 --- a/modules/po/identfile.ru_RU.po +++ b/modules/po/identfile.ru_RU.po @@ -10,11 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/identfile.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/imapauth.bg_BG.po b/modules/po/imapauth.bg_BG.po index 91320f05..8df800a1 100644 --- a/modules/po/imapauth.bg_BG.po +++ b/modules/po/imapauth.bg_BG.po @@ -6,15 +6,9 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/imapauth.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" -======= -"X-Crowdin-File: /1.7.x/modules/po/imapauth.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/imapauth.de_DE.po b/modules/po/imapauth.de_DE.po index 4e0e68b2..10ee95de 100644 --- a/modules/po/imapauth.de_DE.po +++ b/modules/po/imapauth.de_DE.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/imapauth.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/imapauth.es_ES.po b/modules/po/imapauth.es_ES.po index d7cb808a..fc601ce8 100644 --- a/modules/po/imapauth.es_ES.po +++ b/modules/po/imapauth.es_ES.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/imapauth.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/imapauth.fr_FR.po b/modules/po/imapauth.fr_FR.po index 2fcfa61f..d54ccc66 100644 --- a/modules/po/imapauth.fr_FR.po +++ b/modules/po/imapauth.fr_FR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/imapauth.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/imapauth.id_ID.po b/modules/po/imapauth.id_ID.po index 2e0e0392..55d21c41 100644 --- a/modules/po/imapauth.id_ID.po +++ b/modules/po/imapauth.id_ID.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/imapauth.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/imapauth.it_IT.po b/modules/po/imapauth.it_IT.po index 43d763f7..4d7864f0 100644 --- a/modules/po/imapauth.it_IT.po +++ b/modules/po/imapauth.it_IT.po @@ -6,15 +6,9 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/imapauth.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" -======= -"X-Crowdin-File: /1.7.x/modules/po/imapauth.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/imapauth.nl_NL.po b/modules/po/imapauth.nl_NL.po index e588cfe1..9a3a6308 100644 --- a/modules/po/imapauth.nl_NL.po +++ b/modules/po/imapauth.nl_NL.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/imapauth.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/imapauth.pt_BR.po b/modules/po/imapauth.pt_BR.po index 7636f7bd..73bb976d 100644 --- a/modules/po/imapauth.pt_BR.po +++ b/modules/po/imapauth.pt_BR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/imapauth.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/imapauth.ru_RU.po b/modules/po/imapauth.ru_RU.po index 49bebc0b..14e19730 100644 --- a/modules/po/imapauth.ru_RU.po +++ b/modules/po/imapauth.ru_RU.po @@ -10,11 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/imapauth.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/keepnick.bg_BG.po b/modules/po/keepnick.bg_BG.po index ccdae429..642ebc0e 100644 --- a/modules/po/keepnick.bg_BG.po +++ b/modules/po/keepnick.bg_BG.po @@ -6,15 +6,9 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/keepnick.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" -======= -"X-Crowdin-File: /1.7.x/modules/po/keepnick.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/keepnick.de_DE.po b/modules/po/keepnick.de_DE.po index 1faf22dc..9c416f50 100644 --- a/modules/po/keepnick.de_DE.po +++ b/modules/po/keepnick.de_DE.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/keepnick.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/keepnick.es_ES.po b/modules/po/keepnick.es_ES.po index 748286d3..3d15390c 100644 --- a/modules/po/keepnick.es_ES.po +++ b/modules/po/keepnick.es_ES.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/keepnick.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/keepnick.fr_FR.po b/modules/po/keepnick.fr_FR.po index a5750ee0..3e0f9127 100644 --- a/modules/po/keepnick.fr_FR.po +++ b/modules/po/keepnick.fr_FR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/keepnick.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/keepnick.id_ID.po b/modules/po/keepnick.id_ID.po index ffdac758..2aad9f59 100644 --- a/modules/po/keepnick.id_ID.po +++ b/modules/po/keepnick.id_ID.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/keepnick.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/keepnick.it_IT.po b/modules/po/keepnick.it_IT.po index ed56795a..72aa59ea 100644 --- a/modules/po/keepnick.it_IT.po +++ b/modules/po/keepnick.it_IT.po @@ -6,15 +6,9 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/keepnick.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" -======= -"X-Crowdin-File: /1.7.x/modules/po/keepnick.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/keepnick.nl_NL.po b/modules/po/keepnick.nl_NL.po index 355f2f68..d72b0f9c 100644 --- a/modules/po/keepnick.nl_NL.po +++ b/modules/po/keepnick.nl_NL.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/keepnick.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/keepnick.pt_BR.po b/modules/po/keepnick.pt_BR.po index 26bdc1f1..a5d54830 100644 --- a/modules/po/keepnick.pt_BR.po +++ b/modules/po/keepnick.pt_BR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/keepnick.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/keepnick.ru_RU.po b/modules/po/keepnick.ru_RU.po index 3d41e9a4..3b564f60 100644 --- a/modules/po/keepnick.ru_RU.po +++ b/modules/po/keepnick.ru_RU.po @@ -10,11 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/keepnick.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/kickrejoin.bg_BG.po b/modules/po/kickrejoin.bg_BG.po index 4d526931..0455692f 100644 --- a/modules/po/kickrejoin.bg_BG.po +++ b/modules/po/kickrejoin.bg_BG.po @@ -6,15 +6,9 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/kickrejoin.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" -======= -"X-Crowdin-File: /1.7.x/modules/po/kickrejoin.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/kickrejoin.de_DE.po b/modules/po/kickrejoin.de_DE.po index 1a985445..9ef6b7ea 100644 --- a/modules/po/kickrejoin.de_DE.po +++ b/modules/po/kickrejoin.de_DE.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/kickrejoin.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/kickrejoin.es_ES.po b/modules/po/kickrejoin.es_ES.po index 6331da00..cbacfeb9 100644 --- a/modules/po/kickrejoin.es_ES.po +++ b/modules/po/kickrejoin.es_ES.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/kickrejoin.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/kickrejoin.fr_FR.po b/modules/po/kickrejoin.fr_FR.po index 8be03ec2..84d66e55 100644 --- a/modules/po/kickrejoin.fr_FR.po +++ b/modules/po/kickrejoin.fr_FR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/kickrejoin.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/kickrejoin.id_ID.po b/modules/po/kickrejoin.id_ID.po index b82d7acf..a2f91880 100644 --- a/modules/po/kickrejoin.id_ID.po +++ b/modules/po/kickrejoin.id_ID.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/kickrejoin.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/kickrejoin.it_IT.po b/modules/po/kickrejoin.it_IT.po index f6321fb5..f1c4215c 100644 --- a/modules/po/kickrejoin.it_IT.po +++ b/modules/po/kickrejoin.it_IT.po @@ -6,15 +6,9 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/kickrejoin.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" -======= -"X-Crowdin-File: /1.7.x/modules/po/kickrejoin.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/kickrejoin.nl_NL.po b/modules/po/kickrejoin.nl_NL.po index a934559c..abaf844f 100644 --- a/modules/po/kickrejoin.nl_NL.po +++ b/modules/po/kickrejoin.nl_NL.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/kickrejoin.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/kickrejoin.pt_BR.po b/modules/po/kickrejoin.pt_BR.po index 8fecc6a8..06ba6315 100644 --- a/modules/po/kickrejoin.pt_BR.po +++ b/modules/po/kickrejoin.pt_BR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/kickrejoin.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/kickrejoin.ru_RU.po b/modules/po/kickrejoin.ru_RU.po index b6c25fb5..05b285bc 100644 --- a/modules/po/kickrejoin.ru_RU.po +++ b/modules/po/kickrejoin.ru_RU.po @@ -10,11 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/kickrejoin.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/lastseen.bg_BG.po b/modules/po/lastseen.bg_BG.po index 489378c3..59b8700f 100644 --- a/modules/po/lastseen.bg_BG.po +++ b/modules/po/lastseen.bg_BG.po @@ -6,15 +6,9 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/lastseen.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" -======= -"X-Crowdin-File: /1.7.x/modules/po/lastseen.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Bulgarian\n" "Language: bg_BG\n" @@ -22,11 +16,7 @@ msgstr "" msgid "User" msgstr "" -<<<<<<< HEAD #: modules/po/../data/lastseen/tmpl/index.tmpl:9 lastseen.cpp:99 -======= -#: modules/po/../data/lastseen/tmpl/index.tmpl:9 lastseen.cpp:98 ->>>>>>> 1.7.x msgid "Last Seen" msgstr "" @@ -54,25 +44,16 @@ msgstr "" msgid "Access denied" msgstr "" -<<<<<<< HEAD #: lastseen.cpp:61 lastseen.cpp:67 -======= -#: lastseen.cpp:61 lastseen.cpp:66 ->>>>>>> 1.7.x msgctxt "show" msgid "User" msgstr "" -<<<<<<< HEAD #: lastseen.cpp:62 lastseen.cpp:68 -======= -#: lastseen.cpp:62 lastseen.cpp:67 ->>>>>>> 1.7.x msgctxt "show" msgid "Last Seen" msgstr "" -<<<<<<< HEAD #: lastseen.cpp:69 lastseen.cpp:125 msgid "never" msgstr "" @@ -82,16 +63,5 @@ msgid "Shows list of users and when they last logged in" msgstr "" #: lastseen.cpp:154 -======= -#: lastseen.cpp:68 lastseen.cpp:124 -msgid "never" -msgstr "" - -#: lastseen.cpp:78 -msgid "Shows list of users and when they last logged in" -msgstr "" - -#: lastseen.cpp:153 ->>>>>>> 1.7.x msgid "Collects data about when a user last logged in." msgstr "" diff --git a/modules/po/lastseen.de_DE.po b/modules/po/lastseen.de_DE.po index 1e724139..ddc6a82e 100644 --- a/modules/po/lastseen.de_DE.po +++ b/modules/po/lastseen.de_DE.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/lastseen.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/lastseen.es_ES.po b/modules/po/lastseen.es_ES.po index 677af061..df803807 100644 --- a/modules/po/lastseen.es_ES.po +++ b/modules/po/lastseen.es_ES.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/lastseen.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/lastseen.fr_FR.po b/modules/po/lastseen.fr_FR.po index d58e2f2c..24204078 100644 --- a/modules/po/lastseen.fr_FR.po +++ b/modules/po/lastseen.fr_FR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/lastseen.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/lastseen.id_ID.po b/modules/po/lastseen.id_ID.po index aadb874f..e6c98188 100644 --- a/modules/po/lastseen.id_ID.po +++ b/modules/po/lastseen.id_ID.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/lastseen.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/lastseen.it_IT.po b/modules/po/lastseen.it_IT.po index beafd9ee..5212e764 100644 --- a/modules/po/lastseen.it_IT.po +++ b/modules/po/lastseen.it_IT.po @@ -6,15 +6,9 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/lastseen.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" -======= -"X-Crowdin-File: /1.7.x/modules/po/lastseen.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Italian\n" "Language: it_IT\n" @@ -22,11 +16,7 @@ msgstr "" msgid "User" msgstr "" -<<<<<<< HEAD #: modules/po/../data/lastseen/tmpl/index.tmpl:9 lastseen.cpp:99 -======= -#: modules/po/../data/lastseen/tmpl/index.tmpl:9 lastseen.cpp:98 ->>>>>>> 1.7.x msgid "Last Seen" msgstr "" @@ -54,25 +44,16 @@ msgstr "" msgid "Access denied" msgstr "" -<<<<<<< HEAD #: lastseen.cpp:61 lastseen.cpp:67 -======= -#: lastseen.cpp:61 lastseen.cpp:66 ->>>>>>> 1.7.x msgctxt "show" msgid "User" msgstr "" -<<<<<<< HEAD #: lastseen.cpp:62 lastseen.cpp:68 -======= -#: lastseen.cpp:62 lastseen.cpp:67 ->>>>>>> 1.7.x msgctxt "show" msgid "Last Seen" msgstr "" -<<<<<<< HEAD #: lastseen.cpp:69 lastseen.cpp:125 msgid "never" msgstr "" @@ -82,16 +63,5 @@ msgid "Shows list of users and when they last logged in" msgstr "" #: lastseen.cpp:154 -======= -#: lastseen.cpp:68 lastseen.cpp:124 -msgid "never" -msgstr "" - -#: lastseen.cpp:78 -msgid "Shows list of users and when they last logged in" -msgstr "" - -#: lastseen.cpp:153 ->>>>>>> 1.7.x msgid "Collects data about when a user last logged in." msgstr "" diff --git a/modules/po/lastseen.nl_NL.po b/modules/po/lastseen.nl_NL.po index 17a6bd7b..275738c5 100644 --- a/modules/po/lastseen.nl_NL.po +++ b/modules/po/lastseen.nl_NL.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/lastseen.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/lastseen.pt_BR.po b/modules/po/lastseen.pt_BR.po index e69366e6..095ce971 100644 --- a/modules/po/lastseen.pt_BR.po +++ b/modules/po/lastseen.pt_BR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/lastseen.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/lastseen.ru_RU.po b/modules/po/lastseen.ru_RU.po index 22b674fd..03ffb2d2 100644 --- a/modules/po/lastseen.ru_RU.po +++ b/modules/po/lastseen.ru_RU.po @@ -10,11 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/lastseen.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/listsockets.bg_BG.po b/modules/po/listsockets.bg_BG.po index e3e5a53d..54472c3a 100644 --- a/modules/po/listsockets.bg_BG.po +++ b/modules/po/listsockets.bg_BG.po @@ -6,15 +6,9 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/listsockets.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" -======= -"X-Crowdin-File: /1.7.x/modules/po/listsockets.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/listsockets.de_DE.po b/modules/po/listsockets.de_DE.po index 971f64dc..60b6a469 100644 --- a/modules/po/listsockets.de_DE.po +++ b/modules/po/listsockets.de_DE.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/listsockets.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/listsockets.es_ES.po b/modules/po/listsockets.es_ES.po index bb457fed..7e2011d6 100644 --- a/modules/po/listsockets.es_ES.po +++ b/modules/po/listsockets.es_ES.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/listsockets.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/listsockets.fr_FR.po b/modules/po/listsockets.fr_FR.po index d7596f43..f006ed1c 100644 --- a/modules/po/listsockets.fr_FR.po +++ b/modules/po/listsockets.fr_FR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/listsockets.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/listsockets.id_ID.po b/modules/po/listsockets.id_ID.po index 608c0107..e1fe1af8 100644 --- a/modules/po/listsockets.id_ID.po +++ b/modules/po/listsockets.id_ID.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/listsockets.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/listsockets.it_IT.po b/modules/po/listsockets.it_IT.po index 7185fe40..58a3a18b 100644 --- a/modules/po/listsockets.it_IT.po +++ b/modules/po/listsockets.it_IT.po @@ -6,15 +6,9 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/listsockets.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" -======= -"X-Crowdin-File: /1.7.x/modules/po/listsockets.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/listsockets.nl_NL.po b/modules/po/listsockets.nl_NL.po index b8cb474d..e3b0634b 100644 --- a/modules/po/listsockets.nl_NL.po +++ b/modules/po/listsockets.nl_NL.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/listsockets.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/listsockets.pt_BR.po b/modules/po/listsockets.pt_BR.po index 8f4d1d3f..a25ed589 100644 --- a/modules/po/listsockets.pt_BR.po +++ b/modules/po/listsockets.pt_BR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/listsockets.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/listsockets.ru_RU.po b/modules/po/listsockets.ru_RU.po index 917cd0cc..8b0904c5 100644 --- a/modules/po/listsockets.ru_RU.po +++ b/modules/po/listsockets.ru_RU.po @@ -10,11 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/listsockets.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/log.bg_BG.po b/modules/po/log.bg_BG.po index dfc7e5f6..d6b6a645 100644 --- a/modules/po/log.bg_BG.po +++ b/modules/po/log.bg_BG.po @@ -6,15 +6,9 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/log.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" -======= -"X-Crowdin-File: /1.7.x/modules/po/log.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Bulgarian\n" "Language: bg_BG\n" @@ -54,11 +48,7 @@ msgstr "" msgid "Wildcards are allowed" msgstr "" -<<<<<<< HEAD #: log.cpp:156 log.cpp:179 -======= -#: log.cpp:156 log.cpp:178 ->>>>>>> 1.7.x msgid "No logging rules. Everything is logged." msgstr "" @@ -68,34 +58,21 @@ msgid_plural "{1} rules removed: {2}" msgstr[0] "" msgstr[1] "" -<<<<<<< HEAD #: log.cpp:168 log.cpp:174 -======= -#: log.cpp:168 log.cpp:173 ->>>>>>> 1.7.x msgctxt "listrules" msgid "Rule" msgstr "" -<<<<<<< HEAD #: log.cpp:169 log.cpp:175 -======= -#: log.cpp:169 log.cpp:174 ->>>>>>> 1.7.x msgctxt "listrules" msgid "Logging enabled" msgstr "" -<<<<<<< HEAD #: log.cpp:190 -======= -#: log.cpp:189 ->>>>>>> 1.7.x msgid "" "Usage: Set true|false, where is one of: joins, quits, nickchanges" msgstr "" -<<<<<<< HEAD #: log.cpp:197 msgid "Will log joins" msgstr "" @@ -149,67 +126,11 @@ msgid "Not logging nick changes" msgstr "" #: log.cpp:352 -======= -#: log.cpp:196 -msgid "Will log joins" -msgstr "" - -#: log.cpp:196 -msgid "Will not log joins" -msgstr "" - -#: log.cpp:197 -msgid "Will log quits" -msgstr "" - -#: log.cpp:197 -msgid "Will not log quits" -msgstr "" - -#: log.cpp:199 -msgid "Will log nick changes" -msgstr "" - -#: log.cpp:199 -msgid "Will not log nick changes" -msgstr "" - -#: log.cpp:203 -msgid "Unknown variable. Known variables: joins, quits, nickchanges" -msgstr "" - -#: log.cpp:211 -msgid "Logging joins" -msgstr "" - -#: log.cpp:211 -msgid "Not logging joins" -msgstr "" - -#: log.cpp:212 -msgid "Logging quits" -msgstr "" - -#: log.cpp:212 -msgid "Not logging quits" -msgstr "" - -#: log.cpp:213 -msgid "Logging nick changes" -msgstr "" - -#: log.cpp:214 -msgid "Not logging nick changes" -msgstr "" - -#: log.cpp:351 ->>>>>>> 1.7.x msgid "" "Invalid args [{1}]. Only one log path allowed. Check that there are no " "spaces in the path." msgstr "" -<<<<<<< HEAD #: log.cpp:402 msgid "Invalid log path [{1}]" msgstr "" @@ -223,20 +144,5 @@ msgid "[-sanitize] Optional path where to store logs." msgstr "" #: log.cpp:564 -======= -#: log.cpp:401 -msgid "Invalid log path [{1}]" -msgstr "" - -#: log.cpp:404 -msgid "Logging to [{1}]. Using timestamp format '{2}'" -msgstr "" - -#: log.cpp:559 -msgid "[-sanitize] Optional path where to store logs." -msgstr "" - -#: log.cpp:563 ->>>>>>> 1.7.x msgid "Writes IRC logs." msgstr "" diff --git a/modules/po/log.de_DE.po b/modules/po/log.de_DE.po index 0d1a74b1..6d119424 100644 --- a/modules/po/log.de_DE.po +++ b/modules/po/log.de_DE.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/log.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/log.es_ES.po b/modules/po/log.es_ES.po index cbfb9031..00a4f780 100644 --- a/modules/po/log.es_ES.po +++ b/modules/po/log.es_ES.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/log.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/log.fr_FR.po b/modules/po/log.fr_FR.po index f3da6256..b65b2748 100644 --- a/modules/po/log.fr_FR.po +++ b/modules/po/log.fr_FR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/log.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/log.id_ID.po b/modules/po/log.id_ID.po index ad034acc..ee95fc67 100644 --- a/modules/po/log.id_ID.po +++ b/modules/po/log.id_ID.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/log.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/log.it_IT.po b/modules/po/log.it_IT.po index 8435b63a..f4099ac0 100644 --- a/modules/po/log.it_IT.po +++ b/modules/po/log.it_IT.po @@ -6,15 +6,9 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/log.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" -======= -"X-Crowdin-File: /1.7.x/modules/po/log.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Italian\n" "Language: it_IT\n" @@ -54,11 +48,7 @@ msgstr "" msgid "Wildcards are allowed" msgstr "" -<<<<<<< HEAD #: log.cpp:156 log.cpp:179 -======= -#: log.cpp:156 log.cpp:178 ->>>>>>> 1.7.x msgid "No logging rules. Everything is logged." msgstr "" @@ -68,34 +58,21 @@ msgid_plural "{1} rules removed: {2}" msgstr[0] "" msgstr[1] "" -<<<<<<< HEAD #: log.cpp:168 log.cpp:174 -======= -#: log.cpp:168 log.cpp:173 ->>>>>>> 1.7.x msgctxt "listrules" msgid "Rule" msgstr "" -<<<<<<< HEAD #: log.cpp:169 log.cpp:175 -======= -#: log.cpp:169 log.cpp:174 ->>>>>>> 1.7.x msgctxt "listrules" msgid "Logging enabled" msgstr "" -<<<<<<< HEAD #: log.cpp:190 -======= -#: log.cpp:189 ->>>>>>> 1.7.x msgid "" "Usage: Set true|false, where is one of: joins, quits, nickchanges" msgstr "" -<<<<<<< HEAD #: log.cpp:197 msgid "Will log joins" msgstr "" @@ -149,67 +126,11 @@ msgid "Not logging nick changes" msgstr "" #: log.cpp:352 -======= -#: log.cpp:196 -msgid "Will log joins" -msgstr "" - -#: log.cpp:196 -msgid "Will not log joins" -msgstr "" - -#: log.cpp:197 -msgid "Will log quits" -msgstr "" - -#: log.cpp:197 -msgid "Will not log quits" -msgstr "" - -#: log.cpp:199 -msgid "Will log nick changes" -msgstr "" - -#: log.cpp:199 -msgid "Will not log nick changes" -msgstr "" - -#: log.cpp:203 -msgid "Unknown variable. Known variables: joins, quits, nickchanges" -msgstr "" - -#: log.cpp:211 -msgid "Logging joins" -msgstr "" - -#: log.cpp:211 -msgid "Not logging joins" -msgstr "" - -#: log.cpp:212 -msgid "Logging quits" -msgstr "" - -#: log.cpp:212 -msgid "Not logging quits" -msgstr "" - -#: log.cpp:213 -msgid "Logging nick changes" -msgstr "" - -#: log.cpp:214 -msgid "Not logging nick changes" -msgstr "" - -#: log.cpp:351 ->>>>>>> 1.7.x msgid "" "Invalid args [{1}]. Only one log path allowed. Check that there are no " "spaces in the path." msgstr "" -<<<<<<< HEAD #: log.cpp:402 msgid "Invalid log path [{1}]" msgstr "" @@ -223,20 +144,5 @@ msgid "[-sanitize] Optional path where to store logs." msgstr "" #: log.cpp:564 -======= -#: log.cpp:401 -msgid "Invalid log path [{1}]" -msgstr "" - -#: log.cpp:404 -msgid "Logging to [{1}]. Using timestamp format '{2}'" -msgstr "" - -#: log.cpp:559 -msgid "[-sanitize] Optional path where to store logs." -msgstr "" - -#: log.cpp:563 ->>>>>>> 1.7.x msgid "Writes IRC logs." msgstr "" diff --git a/modules/po/log.nl_NL.po b/modules/po/log.nl_NL.po index 0e77a9ac..5c467668 100644 --- a/modules/po/log.nl_NL.po +++ b/modules/po/log.nl_NL.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/log.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/log.pt_BR.po b/modules/po/log.pt_BR.po index fcfb36ef..acfc931b 100644 --- a/modules/po/log.pt_BR.po +++ b/modules/po/log.pt_BR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/log.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/log.ru_RU.po b/modules/po/log.ru_RU.po index a0cae8d1..17fe3f93 100644 --- a/modules/po/log.ru_RU.po +++ b/modules/po/log.ru_RU.po @@ -10,11 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/log.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/missingmotd.bg_BG.po b/modules/po/missingmotd.bg_BG.po index fd8c2546..582c236a 100644 --- a/modules/po/missingmotd.bg_BG.po +++ b/modules/po/missingmotd.bg_BG.po @@ -6,15 +6,9 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/missingmotd.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" -======= -"X-Crowdin-File: /1.7.x/modules/po/missingmotd.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/missingmotd.de_DE.po b/modules/po/missingmotd.de_DE.po index 7bcde73c..b18df902 100644 --- a/modules/po/missingmotd.de_DE.po +++ b/modules/po/missingmotd.de_DE.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/missingmotd.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/missingmotd.es_ES.po b/modules/po/missingmotd.es_ES.po index f38863cf..7446aa5c 100644 --- a/modules/po/missingmotd.es_ES.po +++ b/modules/po/missingmotd.es_ES.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/missingmotd.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/missingmotd.fr_FR.po b/modules/po/missingmotd.fr_FR.po index 7296a496..37612886 100644 --- a/modules/po/missingmotd.fr_FR.po +++ b/modules/po/missingmotd.fr_FR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/missingmotd.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/missingmotd.id_ID.po b/modules/po/missingmotd.id_ID.po index 630cff3c..d8eb9544 100644 --- a/modules/po/missingmotd.id_ID.po +++ b/modules/po/missingmotd.id_ID.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/missingmotd.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/missingmotd.it_IT.po b/modules/po/missingmotd.it_IT.po index f0085df3..67b6715a 100644 --- a/modules/po/missingmotd.it_IT.po +++ b/modules/po/missingmotd.it_IT.po @@ -6,15 +6,9 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/missingmotd.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" -======= -"X-Crowdin-File: /1.7.x/modules/po/missingmotd.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/missingmotd.nl_NL.po b/modules/po/missingmotd.nl_NL.po index c4d86d4c..fedc542e 100644 --- a/modules/po/missingmotd.nl_NL.po +++ b/modules/po/missingmotd.nl_NL.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/missingmotd.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/missingmotd.pt_BR.po b/modules/po/missingmotd.pt_BR.po index d33fee81..b07af526 100644 --- a/modules/po/missingmotd.pt_BR.po +++ b/modules/po/missingmotd.pt_BR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/missingmotd.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/missingmotd.ru_RU.po b/modules/po/missingmotd.ru_RU.po index e1553e3e..27717940 100644 --- a/modules/po/missingmotd.ru_RU.po +++ b/modules/po/missingmotd.ru_RU.po @@ -10,11 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/missingmotd.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/modperl.bg_BG.po b/modules/po/modperl.bg_BG.po index fc24fc0e..79c51b2d 100644 --- a/modules/po/modperl.bg_BG.po +++ b/modules/po/modperl.bg_BG.po @@ -6,15 +6,9 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/modperl.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" -======= -"X-Crowdin-File: /1.7.x/modules/po/modperl.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/modperl.de_DE.po b/modules/po/modperl.de_DE.po index db582ba5..9032236f 100644 --- a/modules/po/modperl.de_DE.po +++ b/modules/po/modperl.de_DE.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/modperl.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/modperl.es_ES.po b/modules/po/modperl.es_ES.po index 62ea178d..b1b45883 100644 --- a/modules/po/modperl.es_ES.po +++ b/modules/po/modperl.es_ES.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/modperl.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/modperl.fr_FR.po b/modules/po/modperl.fr_FR.po index c7d3956e..db20797f 100644 --- a/modules/po/modperl.fr_FR.po +++ b/modules/po/modperl.fr_FR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/modperl.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/modperl.id_ID.po b/modules/po/modperl.id_ID.po index 87723623..323454fd 100644 --- a/modules/po/modperl.id_ID.po +++ b/modules/po/modperl.id_ID.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/modperl.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/modperl.it_IT.po b/modules/po/modperl.it_IT.po index beae8a89..a2c0e048 100644 --- a/modules/po/modperl.it_IT.po +++ b/modules/po/modperl.it_IT.po @@ -6,15 +6,9 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/modperl.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" -======= -"X-Crowdin-File: /1.7.x/modules/po/modperl.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/modperl.nl_NL.po b/modules/po/modperl.nl_NL.po index 8769f208..9b68fb73 100644 --- a/modules/po/modperl.nl_NL.po +++ b/modules/po/modperl.nl_NL.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/modperl.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/modperl.pt_BR.po b/modules/po/modperl.pt_BR.po index 5951f9d4..b9a14268 100644 --- a/modules/po/modperl.pt_BR.po +++ b/modules/po/modperl.pt_BR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/modperl.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/modperl.ru_RU.po b/modules/po/modperl.ru_RU.po index 080b32b9..8e1e3db6 100644 --- a/modules/po/modperl.ru_RU.po +++ b/modules/po/modperl.ru_RU.po @@ -10,11 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/modperl.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/modpython.bg_BG.po b/modules/po/modpython.bg_BG.po index 9e413b08..8afae359 100644 --- a/modules/po/modpython.bg_BG.po +++ b/modules/po/modpython.bg_BG.po @@ -6,15 +6,9 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/modpython.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" -======= -"X-Crowdin-File: /1.7.x/modules/po/modpython.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/modpython.de_DE.po b/modules/po/modpython.de_DE.po index 861a83c7..4fd978eb 100644 --- a/modules/po/modpython.de_DE.po +++ b/modules/po/modpython.de_DE.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/modpython.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/modpython.es_ES.po b/modules/po/modpython.es_ES.po index ae58958a..b2a6bc25 100644 --- a/modules/po/modpython.es_ES.po +++ b/modules/po/modpython.es_ES.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/modpython.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/modpython.fr_FR.po b/modules/po/modpython.fr_FR.po index 9159aa84..ea9b65fe 100644 --- a/modules/po/modpython.fr_FR.po +++ b/modules/po/modpython.fr_FR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/modpython.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/modpython.id_ID.po b/modules/po/modpython.id_ID.po index 966014a2..0b760841 100644 --- a/modules/po/modpython.id_ID.po +++ b/modules/po/modpython.id_ID.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/modpython.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/modpython.it_IT.po b/modules/po/modpython.it_IT.po index db479cc9..4a2bbafc 100644 --- a/modules/po/modpython.it_IT.po +++ b/modules/po/modpython.it_IT.po @@ -6,15 +6,9 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/modpython.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" -======= -"X-Crowdin-File: /1.7.x/modules/po/modpython.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/modpython.nl_NL.po b/modules/po/modpython.nl_NL.po index 1402abaa..06fd3814 100644 --- a/modules/po/modpython.nl_NL.po +++ b/modules/po/modpython.nl_NL.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/modpython.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/modpython.pt_BR.po b/modules/po/modpython.pt_BR.po index ea504fbe..8672fd0a 100644 --- a/modules/po/modpython.pt_BR.po +++ b/modules/po/modpython.pt_BR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/modpython.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/modpython.ru_RU.po b/modules/po/modpython.ru_RU.po index b2285a6b..851a6fb1 100644 --- a/modules/po/modpython.ru_RU.po +++ b/modules/po/modpython.ru_RU.po @@ -10,11 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/modpython.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/modules_online.bg_BG.po b/modules/po/modules_online.bg_BG.po index a6d54db6..9cbfaefb 100644 --- a/modules/po/modules_online.bg_BG.po +++ b/modules/po/modules_online.bg_BG.po @@ -6,15 +6,9 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/modules_online.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" -======= -"X-Crowdin-File: /1.7.x/modules/po/modules_online.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/modules_online.de_DE.po b/modules/po/modules_online.de_DE.po index d98d14c6..51a48fb2 100644 --- a/modules/po/modules_online.de_DE.po +++ b/modules/po/modules_online.de_DE.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/modules_online.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/modules_online.es_ES.po b/modules/po/modules_online.es_ES.po index e11fae6a..2735ab67 100644 --- a/modules/po/modules_online.es_ES.po +++ b/modules/po/modules_online.es_ES.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/modules_online.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/modules_online.fr_FR.po b/modules/po/modules_online.fr_FR.po index e18b411a..42a1734f 100644 --- a/modules/po/modules_online.fr_FR.po +++ b/modules/po/modules_online.fr_FR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/modules_online.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/modules_online.id_ID.po b/modules/po/modules_online.id_ID.po index 37bc5839..b828c1a3 100644 --- a/modules/po/modules_online.id_ID.po +++ b/modules/po/modules_online.id_ID.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/modules_online.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/modules_online.it_IT.po b/modules/po/modules_online.it_IT.po index ca9edd3b..514b19b8 100644 --- a/modules/po/modules_online.it_IT.po +++ b/modules/po/modules_online.it_IT.po @@ -6,15 +6,9 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/modules_online.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" -======= -"X-Crowdin-File: /1.7.x/modules/po/modules_online.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/modules_online.nl_NL.po b/modules/po/modules_online.nl_NL.po index 4b9e8105..ce7956bf 100644 --- a/modules/po/modules_online.nl_NL.po +++ b/modules/po/modules_online.nl_NL.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/modules_online.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/modules_online.pt_BR.po b/modules/po/modules_online.pt_BR.po index faa4343b..92a94664 100644 --- a/modules/po/modules_online.pt_BR.po +++ b/modules/po/modules_online.pt_BR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/modules_online.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/modules_online.ru_RU.po b/modules/po/modules_online.ru_RU.po index bde18d76..d5b885b9 100644 --- a/modules/po/modules_online.ru_RU.po +++ b/modules/po/modules_online.ru_RU.po @@ -10,11 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/modules_online.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/nickserv.bg_BG.po b/modules/po/nickserv.bg_BG.po index db57cb17..8bbf05da 100644 --- a/modules/po/nickserv.bg_BG.po +++ b/modules/po/nickserv.bg_BG.po @@ -6,15 +6,9 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/nickserv.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" -======= -"X-Crowdin-File: /1.7.x/modules/po/nickserv.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/nickserv.de_DE.po b/modules/po/nickserv.de_DE.po index 6c593b14..a71b3e1a 100644 --- a/modules/po/nickserv.de_DE.po +++ b/modules/po/nickserv.de_DE.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/nickserv.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/nickserv.es_ES.po b/modules/po/nickserv.es_ES.po index e8673151..baa79c2a 100644 --- a/modules/po/nickserv.es_ES.po +++ b/modules/po/nickserv.es_ES.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/nickserv.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/nickserv.fr_FR.po b/modules/po/nickserv.fr_FR.po index e4f8f2eb..0120c941 100644 --- a/modules/po/nickserv.fr_FR.po +++ b/modules/po/nickserv.fr_FR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/nickserv.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/nickserv.id_ID.po b/modules/po/nickserv.id_ID.po index 0df8ceaa..83fc27da 100644 --- a/modules/po/nickserv.id_ID.po +++ b/modules/po/nickserv.id_ID.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/nickserv.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/nickserv.it_IT.po b/modules/po/nickserv.it_IT.po index 99a40c53..6a2e187a 100644 --- a/modules/po/nickserv.it_IT.po +++ b/modules/po/nickserv.it_IT.po @@ -6,15 +6,9 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/nickserv.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" -======= -"X-Crowdin-File: /1.7.x/modules/po/nickserv.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/nickserv.nl_NL.po b/modules/po/nickserv.nl_NL.po index 0aa74a53..2922e0c9 100644 --- a/modules/po/nickserv.nl_NL.po +++ b/modules/po/nickserv.nl_NL.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/nickserv.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/nickserv.pt_BR.po b/modules/po/nickserv.pt_BR.po index b414e166..e92edac9 100644 --- a/modules/po/nickserv.pt_BR.po +++ b/modules/po/nickserv.pt_BR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/nickserv.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/nickserv.ru_RU.po b/modules/po/nickserv.ru_RU.po index dd42bcb7..7170fc5a 100644 --- a/modules/po/nickserv.ru_RU.po +++ b/modules/po/nickserv.ru_RU.po @@ -10,11 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/nickserv.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/notes.bg_BG.po b/modules/po/notes.bg_BG.po index 8284be87..dc357ac2 100644 --- a/modules/po/notes.bg_BG.po +++ b/modules/po/notes.bg_BG.po @@ -6,15 +6,9 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/notes.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" -======= -"X-Crowdin-File: /1.7.x/modules/po/notes.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Bulgarian\n" "Language: bg_BG\n" @@ -38,19 +32,11 @@ msgstr "" msgid "You have no notes to display." msgstr "" -<<<<<<< HEAD #: modules/po/../data/notes/tmpl/index.tmpl:34 notes.cpp:164 notes.cpp:170 msgid "Key" msgstr "" #: modules/po/../data/notes/tmpl/index.tmpl:35 notes.cpp:165 notes.cpp:171 -======= -#: modules/po/../data/notes/tmpl/index.tmpl:34 notes.cpp:164 notes.cpp:169 -msgid "Key" -msgstr "" - -#: modules/po/../data/notes/tmpl/index.tmpl:35 notes.cpp:165 notes.cpp:170 ->>>>>>> 1.7.x msgid "Note" msgstr "" @@ -118,28 +104,16 @@ msgstr "" msgid "That note already exists. Use /#+ to overwrite." msgstr "" -<<<<<<< HEAD #: notes.cpp:186 notes.cpp:188 msgid "You have no entries." msgstr "" #: notes.cpp:224 -======= -#: notes.cpp:185 notes.cpp:187 -msgid "You have no entries." -msgstr "" - -#: notes.cpp:223 ->>>>>>> 1.7.x msgid "" "This user module takes up to one arguments. It can be -disableNotesOnLogin " "not to show notes upon client login" msgstr "" -<<<<<<< HEAD #: notes.cpp:228 -======= -#: notes.cpp:227 ->>>>>>> 1.7.x msgid "Keep and replay notes" msgstr "" diff --git a/modules/po/notes.de_DE.po b/modules/po/notes.de_DE.po index dfca2253..5a6e68a4 100644 --- a/modules/po/notes.de_DE.po +++ b/modules/po/notes.de_DE.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/notes.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/notes.es_ES.po b/modules/po/notes.es_ES.po index 588d30eb..bfab4cb4 100644 --- a/modules/po/notes.es_ES.po +++ b/modules/po/notes.es_ES.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/notes.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/notes.fr_FR.po b/modules/po/notes.fr_FR.po index f66e68ab..bc1710d9 100644 --- a/modules/po/notes.fr_FR.po +++ b/modules/po/notes.fr_FR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/notes.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/notes.id_ID.po b/modules/po/notes.id_ID.po index d815549f..12ee0b30 100644 --- a/modules/po/notes.id_ID.po +++ b/modules/po/notes.id_ID.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/notes.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/notes.it_IT.po b/modules/po/notes.it_IT.po index 1b22f332..e63923fa 100644 --- a/modules/po/notes.it_IT.po +++ b/modules/po/notes.it_IT.po @@ -6,15 +6,9 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/notes.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" -======= -"X-Crowdin-File: /1.7.x/modules/po/notes.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Italian\n" "Language: it_IT\n" @@ -38,19 +32,11 @@ msgstr "" msgid "You have no notes to display." msgstr "" -<<<<<<< HEAD #: modules/po/../data/notes/tmpl/index.tmpl:34 notes.cpp:164 notes.cpp:170 msgid "Key" msgstr "" #: modules/po/../data/notes/tmpl/index.tmpl:35 notes.cpp:165 notes.cpp:171 -======= -#: modules/po/../data/notes/tmpl/index.tmpl:34 notes.cpp:164 notes.cpp:169 -msgid "Key" -msgstr "" - -#: modules/po/../data/notes/tmpl/index.tmpl:35 notes.cpp:165 notes.cpp:170 ->>>>>>> 1.7.x msgid "Note" msgstr "" @@ -118,28 +104,16 @@ msgstr "" msgid "That note already exists. Use /#+ to overwrite." msgstr "" -<<<<<<< HEAD #: notes.cpp:186 notes.cpp:188 msgid "You have no entries." msgstr "" #: notes.cpp:224 -======= -#: notes.cpp:185 notes.cpp:187 -msgid "You have no entries." -msgstr "" - -#: notes.cpp:223 ->>>>>>> 1.7.x msgid "" "This user module takes up to one arguments. It can be -disableNotesOnLogin " "not to show notes upon client login" msgstr "" -<<<<<<< HEAD #: notes.cpp:228 -======= -#: notes.cpp:227 ->>>>>>> 1.7.x msgid "Keep and replay notes" msgstr "" diff --git a/modules/po/notes.nl_NL.po b/modules/po/notes.nl_NL.po index d25324f2..95351975 100644 --- a/modules/po/notes.nl_NL.po +++ b/modules/po/notes.nl_NL.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/notes.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/notes.pt_BR.po b/modules/po/notes.pt_BR.po index 759ee8c0..1d89b544 100644 --- a/modules/po/notes.pt_BR.po +++ b/modules/po/notes.pt_BR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/notes.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/notes.ru_RU.po b/modules/po/notes.ru_RU.po index 4aea7075..bb179d9e 100644 --- a/modules/po/notes.ru_RU.po +++ b/modules/po/notes.ru_RU.po @@ -10,11 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/notes.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/notify_connect.bg_BG.po b/modules/po/notify_connect.bg_BG.po index a7a4cbd3..543fe774 100644 --- a/modules/po/notify_connect.bg_BG.po +++ b/modules/po/notify_connect.bg_BG.po @@ -6,15 +6,9 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/notify_connect.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" -======= -"X-Crowdin-File: /1.7.x/modules/po/notify_connect.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/notify_connect.de_DE.po b/modules/po/notify_connect.de_DE.po index 12fdfa52..e14bdf79 100644 --- a/modules/po/notify_connect.de_DE.po +++ b/modules/po/notify_connect.de_DE.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/notify_connect.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/notify_connect.es_ES.po b/modules/po/notify_connect.es_ES.po index cbf7bf65..5f10d164 100644 --- a/modules/po/notify_connect.es_ES.po +++ b/modules/po/notify_connect.es_ES.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/notify_connect.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/notify_connect.fr_FR.po b/modules/po/notify_connect.fr_FR.po index 6c5c9fab..6ec4df87 100644 --- a/modules/po/notify_connect.fr_FR.po +++ b/modules/po/notify_connect.fr_FR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/notify_connect.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/notify_connect.id_ID.po b/modules/po/notify_connect.id_ID.po index 9f6b8203..ad82ec99 100644 --- a/modules/po/notify_connect.id_ID.po +++ b/modules/po/notify_connect.id_ID.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/notify_connect.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/notify_connect.it_IT.po b/modules/po/notify_connect.it_IT.po index de51f67a..2c8d946a 100644 --- a/modules/po/notify_connect.it_IT.po +++ b/modules/po/notify_connect.it_IT.po @@ -6,15 +6,9 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/notify_connect.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" -======= -"X-Crowdin-File: /1.7.x/modules/po/notify_connect.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/notify_connect.nl_NL.po b/modules/po/notify_connect.nl_NL.po index da59d532..98707dd9 100644 --- a/modules/po/notify_connect.nl_NL.po +++ b/modules/po/notify_connect.nl_NL.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/notify_connect.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/notify_connect.pt_BR.po b/modules/po/notify_connect.pt_BR.po index 6d0a4661..19ebaca8 100644 --- a/modules/po/notify_connect.pt_BR.po +++ b/modules/po/notify_connect.pt_BR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/notify_connect.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/notify_connect.ru_RU.po b/modules/po/notify_connect.ru_RU.po index 55fa3885..c820d6a3 100644 --- a/modules/po/notify_connect.ru_RU.po +++ b/modules/po/notify_connect.ru_RU.po @@ -10,11 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/notify_connect.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/perform.bg_BG.po b/modules/po/perform.bg_BG.po index 51e89b1d..be02bad7 100644 --- a/modules/po/perform.bg_BG.po +++ b/modules/po/perform.bg_BG.po @@ -6,15 +6,9 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/perform.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" -======= -"X-Crowdin-File: /1.7.x/modules/po/perform.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/perform.de_DE.po b/modules/po/perform.de_DE.po index e3fc8f9e..fc551f0a 100644 --- a/modules/po/perform.de_DE.po +++ b/modules/po/perform.de_DE.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/perform.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/perform.es_ES.po b/modules/po/perform.es_ES.po index dc720a1f..debd3cd4 100644 --- a/modules/po/perform.es_ES.po +++ b/modules/po/perform.es_ES.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/perform.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/perform.fr_FR.po b/modules/po/perform.fr_FR.po index dd20e9f2..4eb86452 100644 --- a/modules/po/perform.fr_FR.po +++ b/modules/po/perform.fr_FR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/perform.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/perform.id_ID.po b/modules/po/perform.id_ID.po index 6587636b..11ce0202 100644 --- a/modules/po/perform.id_ID.po +++ b/modules/po/perform.id_ID.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/perform.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/perform.it_IT.po b/modules/po/perform.it_IT.po index a751bc04..27f911fc 100644 --- a/modules/po/perform.it_IT.po +++ b/modules/po/perform.it_IT.po @@ -6,15 +6,9 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/perform.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" -======= -"X-Crowdin-File: /1.7.x/modules/po/perform.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/perform.nl_NL.po b/modules/po/perform.nl_NL.po index df2591e9..27d24ca5 100644 --- a/modules/po/perform.nl_NL.po +++ b/modules/po/perform.nl_NL.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/perform.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/perform.pt_BR.po b/modules/po/perform.pt_BR.po index b482aef6..51a8d970 100644 --- a/modules/po/perform.pt_BR.po +++ b/modules/po/perform.pt_BR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/perform.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/perform.ru_RU.po b/modules/po/perform.ru_RU.po index 5685cb03..3de074fd 100644 --- a/modules/po/perform.ru_RU.po +++ b/modules/po/perform.ru_RU.po @@ -10,11 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/perform.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/perleval.bg_BG.po b/modules/po/perleval.bg_BG.po index 029e15b0..ec6170c0 100644 --- a/modules/po/perleval.bg_BG.po +++ b/modules/po/perleval.bg_BG.po @@ -6,15 +6,9 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/perleval.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" -======= -"X-Crowdin-File: /1.7.x/modules/po/perleval.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/perleval.de_DE.po b/modules/po/perleval.de_DE.po index f646b795..4c10bf4f 100644 --- a/modules/po/perleval.de_DE.po +++ b/modules/po/perleval.de_DE.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/perleval.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/perleval.es_ES.po b/modules/po/perleval.es_ES.po index dcb33b90..13f5fc95 100644 --- a/modules/po/perleval.es_ES.po +++ b/modules/po/perleval.es_ES.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/perleval.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/perleval.fr_FR.po b/modules/po/perleval.fr_FR.po index ef20ef28..cb97b3de 100644 --- a/modules/po/perleval.fr_FR.po +++ b/modules/po/perleval.fr_FR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/perleval.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/perleval.id_ID.po b/modules/po/perleval.id_ID.po index e4de03da..11548eb7 100644 --- a/modules/po/perleval.id_ID.po +++ b/modules/po/perleval.id_ID.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/perleval.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/perleval.it_IT.po b/modules/po/perleval.it_IT.po index bdc7ca3a..bdf78261 100644 --- a/modules/po/perleval.it_IT.po +++ b/modules/po/perleval.it_IT.po @@ -6,15 +6,9 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/perleval.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" -======= -"X-Crowdin-File: /1.7.x/modules/po/perleval.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/perleval.nl_NL.po b/modules/po/perleval.nl_NL.po index c4dac9b0..46cebe24 100644 --- a/modules/po/perleval.nl_NL.po +++ b/modules/po/perleval.nl_NL.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/perleval.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/perleval.pt_BR.po b/modules/po/perleval.pt_BR.po index 8d554f7f..e103529d 100644 --- a/modules/po/perleval.pt_BR.po +++ b/modules/po/perleval.pt_BR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/perleval.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/perleval.ru_RU.po b/modules/po/perleval.ru_RU.po index 0f62a1ef..86b2c662 100644 --- a/modules/po/perleval.ru_RU.po +++ b/modules/po/perleval.ru_RU.po @@ -10,11 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/perleval.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/pyeval.bg_BG.po b/modules/po/pyeval.bg_BG.po index 61712191..66fdf2f8 100644 --- a/modules/po/pyeval.bg_BG.po +++ b/modules/po/pyeval.bg_BG.po @@ -6,15 +6,9 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/pyeval.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" -======= -"X-Crowdin-File: /1.7.x/modules/po/pyeval.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/pyeval.de_DE.po b/modules/po/pyeval.de_DE.po index 962f0b9c..7cc1d984 100644 --- a/modules/po/pyeval.de_DE.po +++ b/modules/po/pyeval.de_DE.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/pyeval.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/pyeval.es_ES.po b/modules/po/pyeval.es_ES.po index 1740bd3c..6a971d35 100644 --- a/modules/po/pyeval.es_ES.po +++ b/modules/po/pyeval.es_ES.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/pyeval.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/pyeval.fr_FR.po b/modules/po/pyeval.fr_FR.po index 1f9809b1..940a1dcd 100644 --- a/modules/po/pyeval.fr_FR.po +++ b/modules/po/pyeval.fr_FR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/pyeval.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/pyeval.id_ID.po b/modules/po/pyeval.id_ID.po index 0b712f16..cdfd18eb 100644 --- a/modules/po/pyeval.id_ID.po +++ b/modules/po/pyeval.id_ID.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/pyeval.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/pyeval.it_IT.po b/modules/po/pyeval.it_IT.po index 38008750..f0dec8c5 100644 --- a/modules/po/pyeval.it_IT.po +++ b/modules/po/pyeval.it_IT.po @@ -6,15 +6,9 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/pyeval.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" -======= -"X-Crowdin-File: /1.7.x/modules/po/pyeval.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/pyeval.nl_NL.po b/modules/po/pyeval.nl_NL.po index f1e15d98..dfe6d979 100644 --- a/modules/po/pyeval.nl_NL.po +++ b/modules/po/pyeval.nl_NL.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/pyeval.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/pyeval.pt_BR.po b/modules/po/pyeval.pt_BR.po index b214260f..031b8d4d 100644 --- a/modules/po/pyeval.pt_BR.po +++ b/modules/po/pyeval.pt_BR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/pyeval.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/pyeval.ru_RU.po b/modules/po/pyeval.ru_RU.po index d3ebf007..10ccd04a 100644 --- a/modules/po/pyeval.ru_RU.po +++ b/modules/po/pyeval.ru_RU.po @@ -10,11 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/pyeval.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/raw.bg_BG.po b/modules/po/raw.bg_BG.po index 8087a043..d73e7d32 100644 --- a/modules/po/raw.bg_BG.po +++ b/modules/po/raw.bg_BG.po @@ -6,15 +6,9 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/raw.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" -======= -"X-Crowdin-File: /1.7.x/modules/po/raw.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/raw.de_DE.po b/modules/po/raw.de_DE.po index a670ad18..527c1a49 100644 --- a/modules/po/raw.de_DE.po +++ b/modules/po/raw.de_DE.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/raw.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/raw.es_ES.po b/modules/po/raw.es_ES.po index 0b0b1d42..02daba0e 100644 --- a/modules/po/raw.es_ES.po +++ b/modules/po/raw.es_ES.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/raw.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/raw.fr_FR.po b/modules/po/raw.fr_FR.po index 6d37d23e..34aa778f 100644 --- a/modules/po/raw.fr_FR.po +++ b/modules/po/raw.fr_FR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/raw.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/raw.id_ID.po b/modules/po/raw.id_ID.po index 99baf73e..293815f1 100644 --- a/modules/po/raw.id_ID.po +++ b/modules/po/raw.id_ID.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/raw.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/raw.it_IT.po b/modules/po/raw.it_IT.po index b3763ea6..6dc7d74a 100644 --- a/modules/po/raw.it_IT.po +++ b/modules/po/raw.it_IT.po @@ -6,15 +6,9 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/raw.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" -======= -"X-Crowdin-File: /1.7.x/modules/po/raw.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/raw.nl_NL.po b/modules/po/raw.nl_NL.po index 1feabe45..a8e10794 100644 --- a/modules/po/raw.nl_NL.po +++ b/modules/po/raw.nl_NL.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/raw.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/raw.pt_BR.po b/modules/po/raw.pt_BR.po index 604d0012..12b4b748 100644 --- a/modules/po/raw.pt_BR.po +++ b/modules/po/raw.pt_BR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/raw.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/raw.ru_RU.po b/modules/po/raw.ru_RU.po index b940dbeb..d7f20b19 100644 --- a/modules/po/raw.ru_RU.po +++ b/modules/po/raw.ru_RU.po @@ -10,11 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/raw.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/route_replies.bg_BG.po b/modules/po/route_replies.bg_BG.po index 60bc1723..ded2b5ec 100644 --- a/modules/po/route_replies.bg_BG.po +++ b/modules/po/route_replies.bg_BG.po @@ -6,7 +6,6 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/route_replies.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" @@ -26,33 +25,11 @@ msgid "This module hit a timeout which is probably a connectivity issue." msgstr "" #: route_replies.cpp:359 -======= -"X-Crowdin-File: /1.7.x/modules/po/route_replies.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" -"Language-Team: Bulgarian\n" -"Language: bg_BG\n" - -#: route_replies.cpp:209 -msgid "[yes|no]" -msgstr "" - -#: route_replies.cpp:210 -msgid "Decides whether to show the timeout messages or not" -msgstr "" - -#: route_replies.cpp:350 -msgid "This module hit a timeout which is probably a connectivity issue." -msgstr "" - -#: route_replies.cpp:353 ->>>>>>> 1.7.x msgid "" "However, if you can provide steps to reproduce this issue, please do report " "a bug." msgstr "" -<<<<<<< HEAD #: route_replies.cpp:362 msgid "To disable this message, do \"/msg {1} silent yes\"" msgstr "" @@ -78,32 +55,5 @@ msgid "Timeout messages are enabled." msgstr "" #: route_replies.cpp:463 -======= -#: route_replies.cpp:356 -msgid "To disable this message, do \"/msg {1} silent yes\"" -msgstr "" - -#: route_replies.cpp:358 -msgid "Last request: {1}" -msgstr "" - -#: route_replies.cpp:359 -msgid "Expected replies:" -msgstr "" - -#: route_replies.cpp:363 -msgid "{1} (last)" -msgstr "" - -#: route_replies.cpp:435 -msgid "Timeout messages are disabled." -msgstr "" - -#: route_replies.cpp:436 -msgid "Timeout messages are enabled." -msgstr "" - -#: route_replies.cpp:457 ->>>>>>> 1.7.x msgid "Send replies (e.g. to /who) to the right client only" msgstr "" diff --git a/modules/po/route_replies.de_DE.po b/modules/po/route_replies.de_DE.po index 01a153bc..aa9efc70 100644 --- a/modules/po/route_replies.de_DE.po +++ b/modules/po/route_replies.de_DE.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/route_replies.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/route_replies.es_ES.po b/modules/po/route_replies.es_ES.po index 6a240183..4ad03572 100644 --- a/modules/po/route_replies.es_ES.po +++ b/modules/po/route_replies.es_ES.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/route_replies.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/route_replies.fr_FR.po b/modules/po/route_replies.fr_FR.po index 8f008c42..1ccfc3b2 100644 --- a/modules/po/route_replies.fr_FR.po +++ b/modules/po/route_replies.fr_FR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/route_replies.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/route_replies.id_ID.po b/modules/po/route_replies.id_ID.po index 3dbfe4c4..ca8a2369 100644 --- a/modules/po/route_replies.id_ID.po +++ b/modules/po/route_replies.id_ID.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/route_replies.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/route_replies.it_IT.po b/modules/po/route_replies.it_IT.po index 559b371c..a087af54 100644 --- a/modules/po/route_replies.it_IT.po +++ b/modules/po/route_replies.it_IT.po @@ -6,7 +6,6 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/route_replies.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" @@ -26,33 +25,11 @@ msgid "This module hit a timeout which is probably a connectivity issue." msgstr "" #: route_replies.cpp:359 -======= -"X-Crowdin-File: /1.7.x/modules/po/route_replies.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" -"Language-Team: Italian\n" -"Language: it_IT\n" - -#: route_replies.cpp:209 -msgid "[yes|no]" -msgstr "" - -#: route_replies.cpp:210 -msgid "Decides whether to show the timeout messages or not" -msgstr "" - -#: route_replies.cpp:350 -msgid "This module hit a timeout which is probably a connectivity issue." -msgstr "" - -#: route_replies.cpp:353 ->>>>>>> 1.7.x msgid "" "However, if you can provide steps to reproduce this issue, please do report " "a bug." msgstr "" -<<<<<<< HEAD #: route_replies.cpp:362 msgid "To disable this message, do \"/msg {1} silent yes\"" msgstr "" @@ -78,32 +55,5 @@ msgid "Timeout messages are enabled." msgstr "" #: route_replies.cpp:463 -======= -#: route_replies.cpp:356 -msgid "To disable this message, do \"/msg {1} silent yes\"" -msgstr "" - -#: route_replies.cpp:358 -msgid "Last request: {1}" -msgstr "" - -#: route_replies.cpp:359 -msgid "Expected replies:" -msgstr "" - -#: route_replies.cpp:363 -msgid "{1} (last)" -msgstr "" - -#: route_replies.cpp:435 -msgid "Timeout messages are disabled." -msgstr "" - -#: route_replies.cpp:436 -msgid "Timeout messages are enabled." -msgstr "" - -#: route_replies.cpp:457 ->>>>>>> 1.7.x msgid "Send replies (e.g. to /who) to the right client only" msgstr "" diff --git a/modules/po/route_replies.nl_NL.po b/modules/po/route_replies.nl_NL.po index 94acbc61..372df636 100644 --- a/modules/po/route_replies.nl_NL.po +++ b/modules/po/route_replies.nl_NL.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/route_replies.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/route_replies.pt_BR.po b/modules/po/route_replies.pt_BR.po index 32efa767..2bcfc5a4 100644 --- a/modules/po/route_replies.pt_BR.po +++ b/modules/po/route_replies.pt_BR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/route_replies.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/route_replies.ru_RU.po b/modules/po/route_replies.ru_RU.po index 5e1d50e6..1a7f1aeb 100644 --- a/modules/po/route_replies.ru_RU.po +++ b/modules/po/route_replies.ru_RU.po @@ -10,11 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/route_replies.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/sample.bg_BG.po b/modules/po/sample.bg_BG.po index 9e0176db..2c3bcfc8 100644 --- a/modules/po/sample.bg_BG.po +++ b/modules/po/sample.bg_BG.po @@ -6,15 +6,9 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/sample.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" -======= -"X-Crowdin-File: /1.7.x/modules/po/sample.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/sample.de_DE.po b/modules/po/sample.de_DE.po index 1b63f917..c7ba9d5c 100644 --- a/modules/po/sample.de_DE.po +++ b/modules/po/sample.de_DE.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/sample.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/sample.es_ES.po b/modules/po/sample.es_ES.po index 560e95fb..5cf197b5 100644 --- a/modules/po/sample.es_ES.po +++ b/modules/po/sample.es_ES.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/sample.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/sample.fr_FR.po b/modules/po/sample.fr_FR.po index b44498b5..8d2caba1 100644 --- a/modules/po/sample.fr_FR.po +++ b/modules/po/sample.fr_FR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/sample.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/sample.id_ID.po b/modules/po/sample.id_ID.po index 0c168860..026d0544 100644 --- a/modules/po/sample.id_ID.po +++ b/modules/po/sample.id_ID.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/sample.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/sample.it_IT.po b/modules/po/sample.it_IT.po index 4d18d8c2..451c6b8d 100644 --- a/modules/po/sample.it_IT.po +++ b/modules/po/sample.it_IT.po @@ -6,15 +6,9 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/sample.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" -======= -"X-Crowdin-File: /1.7.x/modules/po/sample.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/sample.nl_NL.po b/modules/po/sample.nl_NL.po index 18b40a3d..474f17e0 100644 --- a/modules/po/sample.nl_NL.po +++ b/modules/po/sample.nl_NL.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/sample.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/sample.pt_BR.po b/modules/po/sample.pt_BR.po index 57b0ecf5..1eebf8dd 100644 --- a/modules/po/sample.pt_BR.po +++ b/modules/po/sample.pt_BR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/sample.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/sample.ru_RU.po b/modules/po/sample.ru_RU.po index bf4ddf34..16e9a54e 100644 --- a/modules/po/sample.ru_RU.po +++ b/modules/po/sample.ru_RU.po @@ -10,11 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/sample.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/samplewebapi.bg_BG.po b/modules/po/samplewebapi.bg_BG.po index 6d773477..e62d2785 100644 --- a/modules/po/samplewebapi.bg_BG.po +++ b/modules/po/samplewebapi.bg_BG.po @@ -6,15 +6,9 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/samplewebapi.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" -======= -"X-Crowdin-File: /1.7.x/modules/po/samplewebapi.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/samplewebapi.de_DE.po b/modules/po/samplewebapi.de_DE.po index 7e727737..9583b005 100644 --- a/modules/po/samplewebapi.de_DE.po +++ b/modules/po/samplewebapi.de_DE.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/samplewebapi.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/samplewebapi.es_ES.po b/modules/po/samplewebapi.es_ES.po index 74029bbf..7188c0d8 100644 --- a/modules/po/samplewebapi.es_ES.po +++ b/modules/po/samplewebapi.es_ES.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/samplewebapi.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/samplewebapi.fr_FR.po b/modules/po/samplewebapi.fr_FR.po index e6b74458..3bf58b51 100644 --- a/modules/po/samplewebapi.fr_FR.po +++ b/modules/po/samplewebapi.fr_FR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/samplewebapi.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/samplewebapi.id_ID.po b/modules/po/samplewebapi.id_ID.po index 8bbaba16..0e21c2c4 100644 --- a/modules/po/samplewebapi.id_ID.po +++ b/modules/po/samplewebapi.id_ID.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/samplewebapi.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/samplewebapi.it_IT.po b/modules/po/samplewebapi.it_IT.po index 0d22b2a8..982c95c2 100644 --- a/modules/po/samplewebapi.it_IT.po +++ b/modules/po/samplewebapi.it_IT.po @@ -6,15 +6,9 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/samplewebapi.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" -======= -"X-Crowdin-File: /1.7.x/modules/po/samplewebapi.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/samplewebapi.nl_NL.po b/modules/po/samplewebapi.nl_NL.po index 0bd75b87..d07fe530 100644 --- a/modules/po/samplewebapi.nl_NL.po +++ b/modules/po/samplewebapi.nl_NL.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/samplewebapi.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/samplewebapi.pt_BR.po b/modules/po/samplewebapi.pt_BR.po index e24a72a8..98368767 100644 --- a/modules/po/samplewebapi.pt_BR.po +++ b/modules/po/samplewebapi.pt_BR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/samplewebapi.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/samplewebapi.ru_RU.po b/modules/po/samplewebapi.ru_RU.po index 37af4f32..1e96b360 100644 --- a/modules/po/samplewebapi.ru_RU.po +++ b/modules/po/samplewebapi.ru_RU.po @@ -10,11 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/samplewebapi.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/sasl.bg_BG.po b/modules/po/sasl.bg_BG.po index f517f2d3..39ce1b18 100644 --- a/modules/po/sasl.bg_BG.po +++ b/modules/po/sasl.bg_BG.po @@ -6,7 +6,6 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/sasl.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" @@ -14,15 +13,6 @@ msgstr "" "Language: bg_BG\n" #: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:292 -======= -"X-Crowdin-File: /1.7.x/modules/po/sasl.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" -"Language-Team: Bulgarian\n" -"Language: bg_BG\n" - -#: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:290 ->>>>>>> 1.7.x msgid "SASL" msgstr "" @@ -62,11 +52,7 @@ msgstr "" msgid "Name" msgstr "" -<<<<<<< HEAD #: modules/po/../data/sasl/tmpl/index.tmpl:43 sasl.cpp:89 sasl.cpp:95 -======= -#: modules/po/../data/sasl/tmpl/index.tmpl:43 sasl.cpp:89 sasl.cpp:94 ->>>>>>> 1.7.x msgid "Description" msgstr "" @@ -121,7 +107,6 @@ msgstr "" msgid "Don't connect unless SASL authentication succeeds" msgstr "" -<<<<<<< HEAD #: sasl.cpp:88 sasl.cpp:94 msgid "Mechanism" msgstr "" @@ -183,69 +168,6 @@ msgid "{1} mechanism failed." msgstr "" #: sasl.cpp:337 -======= -#: sasl.cpp:88 sasl.cpp:93 -msgid "Mechanism" -msgstr "" - -#: sasl.cpp:97 -msgid "The following mechanisms are available:" -msgstr "" - -#: sasl.cpp:107 -msgid "Username is currently not set" -msgstr "" - -#: sasl.cpp:109 -msgid "Username is currently set to '{1}'" -msgstr "" - -#: sasl.cpp:112 -msgid "Password was not supplied" -msgstr "" - -#: sasl.cpp:114 -msgid "Password was supplied" -msgstr "" - -#: sasl.cpp:122 -msgid "Username has been set to [{1}]" -msgstr "" - -#: sasl.cpp:123 -msgid "Password has been set to [{1}]" -msgstr "" - -#: sasl.cpp:143 -msgid "Current mechanisms set: {1}" -msgstr "" - -#: sasl.cpp:152 -msgid "We require SASL negotiation to connect" -msgstr "" - -#: sasl.cpp:154 -msgid "We will connect even if SASL fails" -msgstr "" - -#: sasl.cpp:191 -msgid "Disabling network, we require authentication." -msgstr "" - -#: sasl.cpp:192 -msgid "Use 'RequireAuth no' to disable." -msgstr "" - -#: sasl.cpp:245 -msgid "{1} mechanism succeeded." -msgstr "" - -#: sasl.cpp:257 -msgid "{1} mechanism failed." -msgstr "" - -#: sasl.cpp:335 ->>>>>>> 1.7.x msgid "" "Adds support for sasl authentication capability to authenticate to an IRC " "server" diff --git a/modules/po/sasl.de_DE.po b/modules/po/sasl.de_DE.po index 1fc9d040..72601930 100644 --- a/modules/po/sasl.de_DE.po +++ b/modules/po/sasl.de_DE.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/sasl.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/sasl.es_ES.po b/modules/po/sasl.es_ES.po index 5cc3df9b..2f1eea18 100644 --- a/modules/po/sasl.es_ES.po +++ b/modules/po/sasl.es_ES.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/sasl.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/sasl.fr_FR.po b/modules/po/sasl.fr_FR.po index 15c30bc3..0421956e 100644 --- a/modules/po/sasl.fr_FR.po +++ b/modules/po/sasl.fr_FR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/sasl.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/sasl.id_ID.po b/modules/po/sasl.id_ID.po index ca9b22d9..35e711bd 100644 --- a/modules/po/sasl.id_ID.po +++ b/modules/po/sasl.id_ID.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/sasl.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/sasl.it_IT.po b/modules/po/sasl.it_IT.po index 1bba5d0c..8baf807a 100644 --- a/modules/po/sasl.it_IT.po +++ b/modules/po/sasl.it_IT.po @@ -6,7 +6,6 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/sasl.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" @@ -14,15 +13,6 @@ msgstr "" "Language: it_IT\n" #: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:292 -======= -"X-Crowdin-File: /1.7.x/modules/po/sasl.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" -"Language-Team: Italian\n" -"Language: it_IT\n" - -#: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:290 ->>>>>>> 1.7.x msgid "SASL" msgstr "" @@ -62,11 +52,7 @@ msgstr "" msgid "Name" msgstr "" -<<<<<<< HEAD #: modules/po/../data/sasl/tmpl/index.tmpl:43 sasl.cpp:89 sasl.cpp:95 -======= -#: modules/po/../data/sasl/tmpl/index.tmpl:43 sasl.cpp:89 sasl.cpp:94 ->>>>>>> 1.7.x msgid "Description" msgstr "" @@ -121,7 +107,6 @@ msgstr "" msgid "Don't connect unless SASL authentication succeeds" msgstr "" -<<<<<<< HEAD #: sasl.cpp:88 sasl.cpp:94 msgid "Mechanism" msgstr "" @@ -183,69 +168,6 @@ msgid "{1} mechanism failed." msgstr "" #: sasl.cpp:337 -======= -#: sasl.cpp:88 sasl.cpp:93 -msgid "Mechanism" -msgstr "" - -#: sasl.cpp:97 -msgid "The following mechanisms are available:" -msgstr "" - -#: sasl.cpp:107 -msgid "Username is currently not set" -msgstr "" - -#: sasl.cpp:109 -msgid "Username is currently set to '{1}'" -msgstr "" - -#: sasl.cpp:112 -msgid "Password was not supplied" -msgstr "" - -#: sasl.cpp:114 -msgid "Password was supplied" -msgstr "" - -#: sasl.cpp:122 -msgid "Username has been set to [{1}]" -msgstr "" - -#: sasl.cpp:123 -msgid "Password has been set to [{1}]" -msgstr "" - -#: sasl.cpp:143 -msgid "Current mechanisms set: {1}" -msgstr "" - -#: sasl.cpp:152 -msgid "We require SASL negotiation to connect" -msgstr "" - -#: sasl.cpp:154 -msgid "We will connect even if SASL fails" -msgstr "" - -#: sasl.cpp:191 -msgid "Disabling network, we require authentication." -msgstr "" - -#: sasl.cpp:192 -msgid "Use 'RequireAuth no' to disable." -msgstr "" - -#: sasl.cpp:245 -msgid "{1} mechanism succeeded." -msgstr "" - -#: sasl.cpp:257 -msgid "{1} mechanism failed." -msgstr "" - -#: sasl.cpp:335 ->>>>>>> 1.7.x msgid "" "Adds support for sasl authentication capability to authenticate to an IRC " "server" diff --git a/modules/po/sasl.nl_NL.po b/modules/po/sasl.nl_NL.po index 03e0c2ce..ee18f3e7 100644 --- a/modules/po/sasl.nl_NL.po +++ b/modules/po/sasl.nl_NL.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/sasl.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/sasl.pt_BR.po b/modules/po/sasl.pt_BR.po index 504a6367..63e6f585 100644 --- a/modules/po/sasl.pt_BR.po +++ b/modules/po/sasl.pt_BR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/sasl.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/sasl.ru_RU.po b/modules/po/sasl.ru_RU.po index d858d56a..615358ed 100644 --- a/modules/po/sasl.ru_RU.po +++ b/modules/po/sasl.ru_RU.po @@ -10,11 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/sasl.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/savebuff.bg_BG.po b/modules/po/savebuff.bg_BG.po index d920945f..004bcafa 100644 --- a/modules/po/savebuff.bg_BG.po +++ b/modules/po/savebuff.bg_BG.po @@ -6,15 +6,9 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/savebuff.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" -======= -"X-Crowdin-File: /1.7.x/modules/po/savebuff.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/savebuff.de_DE.po b/modules/po/savebuff.de_DE.po index 182dce21..3a61e461 100644 --- a/modules/po/savebuff.de_DE.po +++ b/modules/po/savebuff.de_DE.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/savebuff.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/savebuff.es_ES.po b/modules/po/savebuff.es_ES.po index 67310b49..a04f38e8 100644 --- a/modules/po/savebuff.es_ES.po +++ b/modules/po/savebuff.es_ES.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/savebuff.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/savebuff.fr_FR.po b/modules/po/savebuff.fr_FR.po index 77a2e4e7..de21141f 100644 --- a/modules/po/savebuff.fr_FR.po +++ b/modules/po/savebuff.fr_FR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/savebuff.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/savebuff.id_ID.po b/modules/po/savebuff.id_ID.po index 67265bef..a5502cf6 100644 --- a/modules/po/savebuff.id_ID.po +++ b/modules/po/savebuff.id_ID.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/savebuff.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/savebuff.it_IT.po b/modules/po/savebuff.it_IT.po index 9d196d8c..7c9e3bff 100644 --- a/modules/po/savebuff.it_IT.po +++ b/modules/po/savebuff.it_IT.po @@ -6,15 +6,9 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/savebuff.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" -======= -"X-Crowdin-File: /1.7.x/modules/po/savebuff.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/savebuff.nl_NL.po b/modules/po/savebuff.nl_NL.po index 23ce112a..f451beba 100644 --- a/modules/po/savebuff.nl_NL.po +++ b/modules/po/savebuff.nl_NL.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/savebuff.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/savebuff.pt_BR.po b/modules/po/savebuff.pt_BR.po index 39163f9d..e3e7d82a 100644 --- a/modules/po/savebuff.pt_BR.po +++ b/modules/po/savebuff.pt_BR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/savebuff.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/savebuff.ru_RU.po b/modules/po/savebuff.ru_RU.po index 662a780e..0d5b6d45 100644 --- a/modules/po/savebuff.ru_RU.po +++ b/modules/po/savebuff.ru_RU.po @@ -10,11 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/savebuff.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/send_raw.bg_BG.po b/modules/po/send_raw.bg_BG.po index 061a6777..1f5482c5 100644 --- a/modules/po/send_raw.bg_BG.po +++ b/modules/po/send_raw.bg_BG.po @@ -6,15 +6,9 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/send_raw.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" -======= -"X-Crowdin-File: /1.7.x/modules/po/send_raw.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/send_raw.de_DE.po b/modules/po/send_raw.de_DE.po index a305704e..0c28ee46 100644 --- a/modules/po/send_raw.de_DE.po +++ b/modules/po/send_raw.de_DE.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/send_raw.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/send_raw.es_ES.po b/modules/po/send_raw.es_ES.po index 5e7eab42..de67196f 100644 --- a/modules/po/send_raw.es_ES.po +++ b/modules/po/send_raw.es_ES.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/send_raw.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/send_raw.fr_FR.po b/modules/po/send_raw.fr_FR.po index f201d71e..a22c93f3 100644 --- a/modules/po/send_raw.fr_FR.po +++ b/modules/po/send_raw.fr_FR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/send_raw.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/send_raw.id_ID.po b/modules/po/send_raw.id_ID.po index f8b6a8e1..58b97a74 100644 --- a/modules/po/send_raw.id_ID.po +++ b/modules/po/send_raw.id_ID.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/send_raw.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/send_raw.it_IT.po b/modules/po/send_raw.it_IT.po index b78332f3..e80932c0 100644 --- a/modules/po/send_raw.it_IT.po +++ b/modules/po/send_raw.it_IT.po @@ -6,15 +6,9 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/send_raw.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" -======= -"X-Crowdin-File: /1.7.x/modules/po/send_raw.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/send_raw.nl_NL.po b/modules/po/send_raw.nl_NL.po index d34ff5c4..03516aaa 100644 --- a/modules/po/send_raw.nl_NL.po +++ b/modules/po/send_raw.nl_NL.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/send_raw.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/send_raw.pt_BR.po b/modules/po/send_raw.pt_BR.po index d60d87ba..26ebb856 100644 --- a/modules/po/send_raw.pt_BR.po +++ b/modules/po/send_raw.pt_BR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/send_raw.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/send_raw.ru_RU.po b/modules/po/send_raw.ru_RU.po index 9c10c9c3..4994fa80 100644 --- a/modules/po/send_raw.ru_RU.po +++ b/modules/po/send_raw.ru_RU.po @@ -10,11 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/send_raw.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/shell.bg_BG.po b/modules/po/shell.bg_BG.po index 24f7d24d..9c5ff933 100644 --- a/modules/po/shell.bg_BG.po +++ b/modules/po/shell.bg_BG.po @@ -6,15 +6,9 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/shell.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" -======= -"X-Crowdin-File: /1.7.x/modules/po/shell.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/shell.de_DE.po b/modules/po/shell.de_DE.po index ed91b52c..82d524a1 100644 --- a/modules/po/shell.de_DE.po +++ b/modules/po/shell.de_DE.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/shell.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/shell.es_ES.po b/modules/po/shell.es_ES.po index 9722f819..b4bc7125 100644 --- a/modules/po/shell.es_ES.po +++ b/modules/po/shell.es_ES.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/shell.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/shell.fr_FR.po b/modules/po/shell.fr_FR.po index 17856265..fc058541 100644 --- a/modules/po/shell.fr_FR.po +++ b/modules/po/shell.fr_FR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/shell.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/shell.id_ID.po b/modules/po/shell.id_ID.po index bd718e48..2a924bed 100644 --- a/modules/po/shell.id_ID.po +++ b/modules/po/shell.id_ID.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/shell.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/shell.it_IT.po b/modules/po/shell.it_IT.po index 19488869..47a0a56d 100644 --- a/modules/po/shell.it_IT.po +++ b/modules/po/shell.it_IT.po @@ -6,15 +6,9 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/shell.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" -======= -"X-Crowdin-File: /1.7.x/modules/po/shell.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/shell.nl_NL.po b/modules/po/shell.nl_NL.po index 6aae23c2..354460b1 100644 --- a/modules/po/shell.nl_NL.po +++ b/modules/po/shell.nl_NL.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/shell.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/shell.pt_BR.po b/modules/po/shell.pt_BR.po index 76775077..624e89ba 100644 --- a/modules/po/shell.pt_BR.po +++ b/modules/po/shell.pt_BR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/shell.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/shell.ru_RU.po b/modules/po/shell.ru_RU.po index 30da848c..831653d9 100644 --- a/modules/po/shell.ru_RU.po +++ b/modules/po/shell.ru_RU.po @@ -10,11 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/shell.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/simple_away.bg_BG.po b/modules/po/simple_away.bg_BG.po index 7441fa6e..cb78a11a 100644 --- a/modules/po/simple_away.bg_BG.po +++ b/modules/po/simple_away.bg_BG.po @@ -6,15 +6,9 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/simple_away.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" -======= -"X-Crowdin-File: /1.7.x/modules/po/simple_away.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/simple_away.de_DE.po b/modules/po/simple_away.de_DE.po index a316874c..0f9830fc 100644 --- a/modules/po/simple_away.de_DE.po +++ b/modules/po/simple_away.de_DE.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/simple_away.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/simple_away.es_ES.po b/modules/po/simple_away.es_ES.po index da8b1c2a..077e0353 100644 --- a/modules/po/simple_away.es_ES.po +++ b/modules/po/simple_away.es_ES.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/simple_away.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/simple_away.fr_FR.po b/modules/po/simple_away.fr_FR.po index 6fc033db..70682ae4 100644 --- a/modules/po/simple_away.fr_FR.po +++ b/modules/po/simple_away.fr_FR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/simple_away.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/simple_away.id_ID.po b/modules/po/simple_away.id_ID.po index 4898e7c8..a7ebcd2f 100644 --- a/modules/po/simple_away.id_ID.po +++ b/modules/po/simple_away.id_ID.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/simple_away.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/simple_away.it_IT.po b/modules/po/simple_away.it_IT.po index 264f6b11..a0b684dd 100644 --- a/modules/po/simple_away.it_IT.po +++ b/modules/po/simple_away.it_IT.po @@ -6,15 +6,9 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/simple_away.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" -======= -"X-Crowdin-File: /1.7.x/modules/po/simple_away.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/simple_away.nl_NL.po b/modules/po/simple_away.nl_NL.po index d949037c..64ebda77 100644 --- a/modules/po/simple_away.nl_NL.po +++ b/modules/po/simple_away.nl_NL.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/simple_away.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/simple_away.pt_BR.po b/modules/po/simple_away.pt_BR.po index 333a2d1c..a1821c21 100644 --- a/modules/po/simple_away.pt_BR.po +++ b/modules/po/simple_away.pt_BR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/simple_away.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/simple_away.ru_RU.po b/modules/po/simple_away.ru_RU.po index a79ba401..0f042b1a 100644 --- a/modules/po/simple_away.ru_RU.po +++ b/modules/po/simple_away.ru_RU.po @@ -10,11 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/simple_away.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/stickychan.bg_BG.po b/modules/po/stickychan.bg_BG.po index 5c514fde..7451002d 100644 --- a/modules/po/stickychan.bg_BG.po +++ b/modules/po/stickychan.bg_BG.po @@ -6,15 +6,9 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/stickychan.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" -======= -"X-Crowdin-File: /1.7.x/modules/po/stickychan.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/stickychan.de_DE.po b/modules/po/stickychan.de_DE.po index 90137bb7..9002c51a 100644 --- a/modules/po/stickychan.de_DE.po +++ b/modules/po/stickychan.de_DE.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/stickychan.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/stickychan.es_ES.po b/modules/po/stickychan.es_ES.po index a88aacc6..ff7ed05d 100644 --- a/modules/po/stickychan.es_ES.po +++ b/modules/po/stickychan.es_ES.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/stickychan.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/stickychan.fr_FR.po b/modules/po/stickychan.fr_FR.po index 5689aa1f..50a9a4ff 100644 --- a/modules/po/stickychan.fr_FR.po +++ b/modules/po/stickychan.fr_FR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/stickychan.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/stickychan.id_ID.po b/modules/po/stickychan.id_ID.po index 90f3ba9b..f27be880 100644 --- a/modules/po/stickychan.id_ID.po +++ b/modules/po/stickychan.id_ID.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/stickychan.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/stickychan.it_IT.po b/modules/po/stickychan.it_IT.po index ac762ba7..12ad984b 100644 --- a/modules/po/stickychan.it_IT.po +++ b/modules/po/stickychan.it_IT.po @@ -6,15 +6,9 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/stickychan.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" -======= -"X-Crowdin-File: /1.7.x/modules/po/stickychan.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/stickychan.nl_NL.po b/modules/po/stickychan.nl_NL.po index e56f89e3..66b0b5b5 100644 --- a/modules/po/stickychan.nl_NL.po +++ b/modules/po/stickychan.nl_NL.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/stickychan.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/stickychan.pt_BR.po b/modules/po/stickychan.pt_BR.po index c25e5464..97fea509 100644 --- a/modules/po/stickychan.pt_BR.po +++ b/modules/po/stickychan.pt_BR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/stickychan.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/stickychan.ru_RU.po b/modules/po/stickychan.ru_RU.po index f9ece309..d0ced1e9 100644 --- a/modules/po/stickychan.ru_RU.po +++ b/modules/po/stickychan.ru_RU.po @@ -10,11 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/stickychan.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/stripcontrols.bg_BG.po b/modules/po/stripcontrols.bg_BG.po index ec090ce0..cbefc622 100644 --- a/modules/po/stripcontrols.bg_BG.po +++ b/modules/po/stripcontrols.bg_BG.po @@ -6,15 +6,9 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/stripcontrols.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" -======= -"X-Crowdin-File: /1.7.x/modules/po/stripcontrols.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/stripcontrols.de_DE.po b/modules/po/stripcontrols.de_DE.po index b68007f6..c516d02a 100644 --- a/modules/po/stripcontrols.de_DE.po +++ b/modules/po/stripcontrols.de_DE.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/stripcontrols.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/stripcontrols.es_ES.po b/modules/po/stripcontrols.es_ES.po index a8795d31..f23cab73 100644 --- a/modules/po/stripcontrols.es_ES.po +++ b/modules/po/stripcontrols.es_ES.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/stripcontrols.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/stripcontrols.fr_FR.po b/modules/po/stripcontrols.fr_FR.po index 56a3bb2d..c9d8dfe7 100644 --- a/modules/po/stripcontrols.fr_FR.po +++ b/modules/po/stripcontrols.fr_FR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/stripcontrols.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/stripcontrols.id_ID.po b/modules/po/stripcontrols.id_ID.po index 912c4a7f..5f5f1d2a 100644 --- a/modules/po/stripcontrols.id_ID.po +++ b/modules/po/stripcontrols.id_ID.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/stripcontrols.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/stripcontrols.it_IT.po b/modules/po/stripcontrols.it_IT.po index 7f6c7e24..91ec0055 100644 --- a/modules/po/stripcontrols.it_IT.po +++ b/modules/po/stripcontrols.it_IT.po @@ -6,15 +6,9 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/stripcontrols.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" -======= -"X-Crowdin-File: /1.7.x/modules/po/stripcontrols.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/stripcontrols.nl_NL.po b/modules/po/stripcontrols.nl_NL.po index 61249615..02f818e9 100644 --- a/modules/po/stripcontrols.nl_NL.po +++ b/modules/po/stripcontrols.nl_NL.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/stripcontrols.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/stripcontrols.pt_BR.po b/modules/po/stripcontrols.pt_BR.po index 066135d9..92750235 100644 --- a/modules/po/stripcontrols.pt_BR.po +++ b/modules/po/stripcontrols.pt_BR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/stripcontrols.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/stripcontrols.ru_RU.po b/modules/po/stripcontrols.ru_RU.po index 485e8854..70ee9ab2 100644 --- a/modules/po/stripcontrols.ru_RU.po +++ b/modules/po/stripcontrols.ru_RU.po @@ -10,11 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/stripcontrols.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/watch.bg_BG.po b/modules/po/watch.bg_BG.po index 374188ca..000419d1 100644 --- a/modules/po/watch.bg_BG.po +++ b/modules/po/watch.bg_BG.po @@ -6,15 +6,9 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/watch.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" -======= -"X-Crowdin-File: /1.7.x/modules/po/watch.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Bulgarian\n" "Language: bg_BG\n" @@ -126,7 +120,6 @@ msgstr "" msgid "Id {1} removed." msgstr "" -<<<<<<< HEAD #: watch.cpp:600 watch.cpp:605 watch.cpp:610 watch.cpp:615 watch.cpp:621 #: watch.cpp:626 watch.cpp:630 watch.cpp:634 watch.cpp:639 watch.cpp:646 #: watch.cpp:653 watch.cpp:659 watch.cpp:665 @@ -252,132 +245,5 @@ msgid "WARNING: malformed entry found while loading" msgstr "" #: watch.cpp:779 -======= -#: watch.cpp:600 watch.cpp:604 watch.cpp:609 watch.cpp:614 watch.cpp:620 -#: watch.cpp:625 watch.cpp:629 watch.cpp:633 watch.cpp:638 watch.cpp:645 -#: watch.cpp:652 watch.cpp:658 watch.cpp:664 -msgid "Command" -msgstr "" - -#: watch.cpp:601 watch.cpp:605 watch.cpp:610 watch.cpp:616 watch.cpp:621 -#: watch.cpp:626 watch.cpp:630 watch.cpp:634 watch.cpp:641 watch.cpp:648 -#: watch.cpp:654 watch.cpp:660 watch.cpp:665 -msgid "Description" -msgstr "" - -#: watch.cpp:604 -msgid "Add [Target] [Pattern]" -msgstr "" - -#: watch.cpp:606 -msgid "Used to add an entry to watch for." -msgstr "" - -#: watch.cpp:609 -msgid "List" -msgstr "" - -#: watch.cpp:611 -msgid "List all entries being watched." -msgstr "" - -#: watch.cpp:614 -msgid "Dump" -msgstr "" - -#: watch.cpp:617 -msgid "Dump a list of all current entries to be used later." -msgstr "" - -#: watch.cpp:620 -msgid "Del " -msgstr "" - -#: watch.cpp:622 -msgid "Deletes Id from the list of watched entries." -msgstr "" - -#: watch.cpp:625 -msgid "Clear" -msgstr "" - -#: watch.cpp:626 -msgid "Delete all entries." -msgstr "" - -#: watch.cpp:629 -msgid "Enable " -msgstr "" - -#: watch.cpp:630 -msgid "Enable a disabled entry." -msgstr "" - -#: watch.cpp:633 -msgid "Disable " -msgstr "" - -#: watch.cpp:635 -msgid "Disable (but don't delete) an entry." -msgstr "" - -#: watch.cpp:639 -msgid "SetDetachedClientOnly " -msgstr "" - -#: watch.cpp:642 -msgid "Enable or disable detached client only for an entry." -msgstr "" - -#: watch.cpp:646 -msgid "SetDetachedChannelOnly " -msgstr "" - -#: watch.cpp:649 -msgid "Enable or disable detached channel only for an entry." -msgstr "" - -#: watch.cpp:652 -msgid "Buffer [Count]" -msgstr "" - -#: watch.cpp:655 -msgid "Show/Set the amount of buffered lines while detached." -msgstr "" - -#: watch.cpp:659 -msgid "SetSources [#chan priv #foo* !#bar]" -msgstr "" - -#: watch.cpp:661 -msgid "Set the source channels that you care about." -msgstr "" - -#: watch.cpp:664 -msgid "Help" -msgstr "" - -#: watch.cpp:665 -msgid "This help." -msgstr "" - -#: watch.cpp:681 -msgid "Entry for {1} already exists." -msgstr "" - -#: watch.cpp:689 -msgid "Adding entry: {1} watching for [{2}] -> {3}" -msgstr "" - -#: watch.cpp:695 -msgid "Watch: Not enough arguments. Try Help" -msgstr "" - -#: watch.cpp:764 -msgid "WARNING: malformed entry found while loading" -msgstr "" - -#: watch.cpp:778 ->>>>>>> 1.7.x msgid "Copy activity from a specific user into a separate window" msgstr "" diff --git a/modules/po/watch.de_DE.po b/modules/po/watch.de_DE.po index a3705797..cb8a06a3 100644 --- a/modules/po/watch.de_DE.po +++ b/modules/po/watch.de_DE.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/watch.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/watch.es_ES.po b/modules/po/watch.es_ES.po index 41f45053..a1905471 100644 --- a/modules/po/watch.es_ES.po +++ b/modules/po/watch.es_ES.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/watch.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/watch.fr_FR.po b/modules/po/watch.fr_FR.po index 8b74bd4d..c825b2d5 100644 --- a/modules/po/watch.fr_FR.po +++ b/modules/po/watch.fr_FR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/watch.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/watch.id_ID.po b/modules/po/watch.id_ID.po index d314cfd1..18a0f10d 100644 --- a/modules/po/watch.id_ID.po +++ b/modules/po/watch.id_ID.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/watch.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/watch.it_IT.po b/modules/po/watch.it_IT.po index 9c9c0c32..71264a4f 100644 --- a/modules/po/watch.it_IT.po +++ b/modules/po/watch.it_IT.po @@ -6,15 +6,9 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/watch.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" -======= -"X-Crowdin-File: /1.7.x/modules/po/watch.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Italian\n" "Language: it_IT\n" @@ -126,7 +120,6 @@ msgstr "" msgid "Id {1} removed." msgstr "" -<<<<<<< HEAD #: watch.cpp:600 watch.cpp:605 watch.cpp:610 watch.cpp:615 watch.cpp:621 #: watch.cpp:626 watch.cpp:630 watch.cpp:634 watch.cpp:639 watch.cpp:646 #: watch.cpp:653 watch.cpp:659 watch.cpp:665 @@ -252,132 +245,5 @@ msgid "WARNING: malformed entry found while loading" msgstr "" #: watch.cpp:779 -======= -#: watch.cpp:600 watch.cpp:604 watch.cpp:609 watch.cpp:614 watch.cpp:620 -#: watch.cpp:625 watch.cpp:629 watch.cpp:633 watch.cpp:638 watch.cpp:645 -#: watch.cpp:652 watch.cpp:658 watch.cpp:664 -msgid "Command" -msgstr "" - -#: watch.cpp:601 watch.cpp:605 watch.cpp:610 watch.cpp:616 watch.cpp:621 -#: watch.cpp:626 watch.cpp:630 watch.cpp:634 watch.cpp:641 watch.cpp:648 -#: watch.cpp:654 watch.cpp:660 watch.cpp:665 -msgid "Description" -msgstr "" - -#: watch.cpp:604 -msgid "Add [Target] [Pattern]" -msgstr "" - -#: watch.cpp:606 -msgid "Used to add an entry to watch for." -msgstr "" - -#: watch.cpp:609 -msgid "List" -msgstr "" - -#: watch.cpp:611 -msgid "List all entries being watched." -msgstr "" - -#: watch.cpp:614 -msgid "Dump" -msgstr "" - -#: watch.cpp:617 -msgid "Dump a list of all current entries to be used later." -msgstr "" - -#: watch.cpp:620 -msgid "Del " -msgstr "" - -#: watch.cpp:622 -msgid "Deletes Id from the list of watched entries." -msgstr "" - -#: watch.cpp:625 -msgid "Clear" -msgstr "" - -#: watch.cpp:626 -msgid "Delete all entries." -msgstr "" - -#: watch.cpp:629 -msgid "Enable " -msgstr "" - -#: watch.cpp:630 -msgid "Enable a disabled entry." -msgstr "" - -#: watch.cpp:633 -msgid "Disable " -msgstr "" - -#: watch.cpp:635 -msgid "Disable (but don't delete) an entry." -msgstr "" - -#: watch.cpp:639 -msgid "SetDetachedClientOnly " -msgstr "" - -#: watch.cpp:642 -msgid "Enable or disable detached client only for an entry." -msgstr "" - -#: watch.cpp:646 -msgid "SetDetachedChannelOnly " -msgstr "" - -#: watch.cpp:649 -msgid "Enable or disable detached channel only for an entry." -msgstr "" - -#: watch.cpp:652 -msgid "Buffer [Count]" -msgstr "" - -#: watch.cpp:655 -msgid "Show/Set the amount of buffered lines while detached." -msgstr "" - -#: watch.cpp:659 -msgid "SetSources [#chan priv #foo* !#bar]" -msgstr "" - -#: watch.cpp:661 -msgid "Set the source channels that you care about." -msgstr "" - -#: watch.cpp:664 -msgid "Help" -msgstr "" - -#: watch.cpp:665 -msgid "This help." -msgstr "" - -#: watch.cpp:681 -msgid "Entry for {1} already exists." -msgstr "" - -#: watch.cpp:689 -msgid "Adding entry: {1} watching for [{2}] -> {3}" -msgstr "" - -#: watch.cpp:695 -msgid "Watch: Not enough arguments. Try Help" -msgstr "" - -#: watch.cpp:764 -msgid "WARNING: malformed entry found while loading" -msgstr "" - -#: watch.cpp:778 ->>>>>>> 1.7.x msgid "Copy activity from a specific user into a separate window" msgstr "" diff --git a/modules/po/watch.nl_NL.po b/modules/po/watch.nl_NL.po index 776ae12b..c91dba1d 100644 --- a/modules/po/watch.nl_NL.po +++ b/modules/po/watch.nl_NL.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/watch.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/watch.pt_BR.po b/modules/po/watch.pt_BR.po index a3c0ad3f..d45205df 100644 --- a/modules/po/watch.pt_BR.po +++ b/modules/po/watch.pt_BR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/watch.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/watch.ru_RU.po b/modules/po/watch.ru_RU.po index 001cf9d4..39bacf06 100644 --- a/modules/po/watch.ru_RU.po +++ b/modules/po/watch.ru_RU.po @@ -10,11 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/watch.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/webadmin.bg_BG.po b/modules/po/webadmin.bg_BG.po index fbba4e4b..79b3c208 100644 --- a/modules/po/webadmin.bg_BG.po +++ b/modules/po/webadmin.bg_BG.po @@ -6,15 +6,9 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/webadmin.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" -======= -"X-Crowdin-File: /1.7.x/modules/po/webadmin.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/webadmin.de_DE.po b/modules/po/webadmin.de_DE.po index 9a89c267..acd9a203 100644 --- a/modules/po/webadmin.de_DE.po +++ b/modules/po/webadmin.de_DE.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/webadmin.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/webadmin.es_ES.po b/modules/po/webadmin.es_ES.po index 418d8a75..43e7a015 100644 --- a/modules/po/webadmin.es_ES.po +++ b/modules/po/webadmin.es_ES.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/webadmin.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/webadmin.fr_FR.po b/modules/po/webadmin.fr_FR.po index e9599eec..67f4656b 100644 --- a/modules/po/webadmin.fr_FR.po +++ b/modules/po/webadmin.fr_FR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/webadmin.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/webadmin.id_ID.po b/modules/po/webadmin.id_ID.po index 1d23eb04..42f2f3c2 100644 --- a/modules/po/webadmin.id_ID.po +++ b/modules/po/webadmin.id_ID.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/webadmin.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/webadmin.it_IT.po b/modules/po/webadmin.it_IT.po index c32812af..1eba8fca 100644 --- a/modules/po/webadmin.it_IT.po +++ b/modules/po/webadmin.it_IT.po @@ -6,15 +6,9 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/webadmin.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" -======= -"X-Crowdin-File: /1.7.x/modules/po/webadmin.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/webadmin.nl_NL.po b/modules/po/webadmin.nl_NL.po index 663379cd..ad49ad1a 100644 --- a/modules/po/webadmin.nl_NL.po +++ b/modules/po/webadmin.nl_NL.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/webadmin.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/webadmin.pt_BR.po b/modules/po/webadmin.pt_BR.po index d49fc9ba..37b92c72 100644 --- a/modules/po/webadmin.pt_BR.po +++ b/modules/po/webadmin.pt_BR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/webadmin.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/webadmin.ru_RU.po b/modules/po/webadmin.ru_RU.po index 03270838..a8f61f6a 100644 --- a/modules/po/webadmin.ru_RU.po +++ b/modules/po/webadmin.ru_RU.po @@ -10,11 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/webadmin.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/src/po/znc.bg_BG.po b/src/po/znc.bg_BG.po index 001823ed..aff707d8 100644 --- a/src/po/znc.bg_BG.po +++ b/src/po/znc.bg_BG.po @@ -6,15 +6,9 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/src/po/znc.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" -======= -"X-Crowdin-File: /1.7.x/src/po/znc.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Bulgarian\n" "Language: bg_BG\n" @@ -57,7 +51,6 @@ msgid "" "code>”). Once you have loaded some Web-enabled modules, the menu will expand." msgstr "" -<<<<<<< HEAD #: znc.cpp:1562 msgid "User already exists" msgstr "" @@ -79,29 +72,6 @@ msgid "Invalid port" msgstr "" #: znc.cpp:1821 ClientCommand.cpp:1637 -======= -#: znc.cpp:1563 -msgid "User already exists" -msgstr "" - -#: znc.cpp:1671 -msgid "IPv6 is not enabled" -msgstr "" - -#: znc.cpp:1679 -msgid "SSL is not enabled" -msgstr "" - -#: znc.cpp:1687 -msgid "Unable to locate pem file: {1}" -msgstr "" - -#: znc.cpp:1706 -msgid "Invalid port" -msgstr "" - -#: znc.cpp:1822 ClientCommand.cpp:1629 ->>>>>>> 1.7.x msgid "Unable to bind: {1}" msgstr "" @@ -109,7 +79,6 @@ msgstr "" msgid "Jumping servers because this server is no longer in the list" msgstr "" -<<<<<<< HEAD #: IRCNetwork.cpp:669 User.cpp:678 msgid "Welcome to ZNC" msgstr "" @@ -135,33 +104,6 @@ msgid "Cannot connect to {1}, because ZNC is not compiled with SSL support." msgstr "" #: IRCNetwork.cpp:1329 -======= -#: IRCNetwork.cpp:640 User.cpp:678 -msgid "Welcome to ZNC" -msgstr "" - -#: IRCNetwork.cpp:728 -msgid "You are currently disconnected from IRC. Use 'connect' to reconnect." -msgstr "" - -#: IRCNetwork.cpp:758 -msgid "This network is being deleted or moved to another user." -msgstr "" - -#: IRCNetwork.cpp:987 -msgid "The channel {1} could not be joined, disabling it." -msgstr "" - -#: IRCNetwork.cpp:1116 -msgid "Your current server was removed, jumping..." -msgstr "" - -#: IRCNetwork.cpp:1279 -msgid "Cannot connect to {1}, because ZNC is not compiled with SSL support." -msgstr "" - -#: IRCNetwork.cpp:1300 ->>>>>>> 1.7.x msgid "Some module aborted the connection attempt" msgstr "" @@ -341,11 +283,7 @@ msgctxt "modhelpcmd" msgid "Generate this output" msgstr "" -<<<<<<< HEAD #: Modules.cpp:573 ClientCommand.cpp:1904 -======= -#: Modules.cpp:573 ClientCommand.cpp:1894 ->>>>>>> 1.7.x msgid "No matches for '{1}'" msgstr "" @@ -439,20 +377,12 @@ msgid "" "this module." msgstr "" -<<<<<<< HEAD #: Modules.cpp:2023 Modules.cpp:2029 -======= -#: Modules.cpp:2022 Modules.cpp:2028 ->>>>>>> 1.7.x msgctxt "modhelpcmd" msgid "Command" msgstr "" -<<<<<<< HEAD #: Modules.cpp:2024 Modules.cpp:2031 -======= -#: Modules.cpp:2023 Modules.cpp:2029 ->>>>>>> 1.7.x msgctxt "modhelpcmd" msgid "Description" msgstr "" @@ -460,15 +390,9 @@ msgstr "" #: ClientCommand.cpp:51 ClientCommand.cpp:115 ClientCommand.cpp:137 #: ClientCommand.cpp:749 ClientCommand.cpp:768 ClientCommand.cpp:794 #: ClientCommand.cpp:827 ClientCommand.cpp:840 ClientCommand.cpp:853 -<<<<<<< HEAD #: ClientCommand.cpp:868 ClientCommand.cpp:1329 ClientCommand.cpp:1377 #: ClientCommand.cpp:1409 ClientCommand.cpp:1420 ClientCommand.cpp:1429 #: ClientCommand.cpp:1441 -======= -#: ClientCommand.cpp:868 ClientCommand.cpp:1321 ClientCommand.cpp:1369 -#: ClientCommand.cpp:1401 ClientCommand.cpp:1412 ClientCommand.cpp:1421 -#: ClientCommand.cpp:1433 ->>>>>>> 1.7.x msgid "You must be connected with a network to use this command" msgstr "" @@ -688,11 +612,7 @@ msgctxt "listnetworks" msgid "No networks" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:632 ClientCommand.cpp:936 -======= -#: ClientCommand.cpp:632 ClientCommand.cpp:932 ->>>>>>> 1.7.x msgid "Access denied." msgstr "" @@ -838,25 +758,16 @@ msgctxt "topicscmd" msgid "Topic" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:889 ClientCommand.cpp:894 -======= -#: ClientCommand.cpp:889 ClientCommand.cpp:893 ->>>>>>> 1.7.x msgctxt "listmods" msgid "Name" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:890 ClientCommand.cpp:895 -======= -#: ClientCommand.cpp:890 ClientCommand.cpp:894 ->>>>>>> 1.7.x msgctxt "listmods" msgid "Arguments" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:904 msgid "No global modules loaded." msgstr "" @@ -882,47 +793,15 @@ msgid "Network modules:" msgstr "" #: ClientCommand.cpp:942 ClientCommand.cpp:949 -======= -#: ClientCommand.cpp:902 -msgid "No global modules loaded." -msgstr "" - -#: ClientCommand.cpp:904 ClientCommand.cpp:964 -msgid "Global modules:" -msgstr "" - -#: ClientCommand.cpp:912 -msgid "Your user has no modules loaded." -msgstr "" - -#: ClientCommand.cpp:914 ClientCommand.cpp:975 -msgid "User modules:" -msgstr "" - -#: ClientCommand.cpp:921 -msgid "This network has no modules loaded." -msgstr "" - -#: ClientCommand.cpp:923 ClientCommand.cpp:986 -msgid "Network modules:" -msgstr "" - -#: ClientCommand.cpp:938 ClientCommand.cpp:944 ->>>>>>> 1.7.x msgctxt "listavailmods" msgid "Name" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:943 ClientCommand.cpp:954 -======= -#: ClientCommand.cpp:939 ClientCommand.cpp:949 ->>>>>>> 1.7.x msgctxt "listavailmods" msgid "Description" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:968 msgid "No global modules available." msgstr "" @@ -1032,132 +911,16 @@ msgid "Done" msgstr "" #: ClientCommand.cpp:1253 -======= -#: ClientCommand.cpp:962 -msgid "No global modules available." -msgstr "" - -#: ClientCommand.cpp:973 -msgid "No user modules available." -msgstr "" - -#: ClientCommand.cpp:984 -msgid "No network modules available." -msgstr "" - -#: ClientCommand.cpp:1012 -msgid "Unable to load {1}: Access denied." -msgstr "" - -#: ClientCommand.cpp:1018 -msgid "Usage: LoadMod [--type=global|user|network] [args]" -msgstr "" - -#: ClientCommand.cpp:1025 -msgid "Unable to load {1}: {2}" -msgstr "" - -#: ClientCommand.cpp:1035 -msgid "Unable to load global module {1}: Access denied." -msgstr "" - -#: ClientCommand.cpp:1041 -msgid "Unable to load network module {1}: Not connected with a network." -msgstr "" - -#: ClientCommand.cpp:1063 -msgid "Unknown module type" -msgstr "" - -#: ClientCommand.cpp:1068 -msgid "Loaded module {1}" -msgstr "" - -#: ClientCommand.cpp:1070 -msgid "Loaded module {1}: {2}" -msgstr "" - -#: ClientCommand.cpp:1073 -msgid "Unable to load module {1}: {2}" -msgstr "" - -#: ClientCommand.cpp:1096 -msgid "Unable to unload {1}: Access denied." -msgstr "" - -#: ClientCommand.cpp:1102 -msgid "Usage: UnloadMod [--type=global|user|network] " -msgstr "" - -#: ClientCommand.cpp:1111 -msgid "Unable to determine type of {1}: {2}" -msgstr "" - -#: ClientCommand.cpp:1119 -msgid "Unable to unload global module {1}: Access denied." -msgstr "" - -#: ClientCommand.cpp:1126 -msgid "Unable to unload network module {1}: Not connected with a network." -msgstr "" - -#: ClientCommand.cpp:1145 -msgid "Unable to unload module {1}: Unknown module type" -msgstr "" - -#: ClientCommand.cpp:1158 -msgid "Unable to reload modules. Access denied." -msgstr "" - -#: ClientCommand.cpp:1179 -msgid "Usage: ReloadMod [--type=global|user|network] [args]" -msgstr "" - -#: ClientCommand.cpp:1188 -msgid "Unable to reload {1}: {2}" -msgstr "" - -#: ClientCommand.cpp:1196 -msgid "Unable to reload global module {1}: Access denied." -msgstr "" - -#: ClientCommand.cpp:1203 -msgid "Unable to reload network module {1}: Not connected with a network." -msgstr "" - -#: ClientCommand.cpp:1225 -msgid "Unable to reload module {1}: Unknown module type" -msgstr "" - -#: ClientCommand.cpp:1236 -msgid "Usage: UpdateMod " -msgstr "" - -#: ClientCommand.cpp:1240 -msgid "Reloading {1} everywhere" -msgstr "" - -#: ClientCommand.cpp:1242 -msgid "Done" -msgstr "" - -#: ClientCommand.cpp:1245 ->>>>>>> 1.7.x msgid "" "Done, but there were errors, module {1} could not be reloaded everywhere." msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1261 -======= -#: ClientCommand.cpp:1253 ->>>>>>> 1.7.x msgid "" "You must be connected with a network to use this command. Try " "SetUserBindHost instead" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1268 msgid "Usage: SetBindHost " msgstr "" @@ -1179,35 +942,11 @@ msgid "Set default bind host to {1}" msgstr "" #: ClientCommand.cpp:1301 -======= -#: ClientCommand.cpp:1260 -msgid "Usage: SetBindHost " -msgstr "" - -#: ClientCommand.cpp:1265 ClientCommand.cpp:1282 -msgid "You already have this bind host!" -msgstr "" - -#: ClientCommand.cpp:1270 -msgid "Set bind host for network {1} to {2}" -msgstr "" - -#: ClientCommand.cpp:1277 -msgid "Usage: SetUserBindHost " -msgstr "" - -#: ClientCommand.cpp:1287 -msgid "Set default bind host to {1}" -msgstr "" - -#: ClientCommand.cpp:1293 ->>>>>>> 1.7.x msgid "" "You must be connected with a network to use this command. Try " "ClearUserBindHost instead" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1306 msgid "Bind host cleared for this network." msgstr "" @@ -1261,67 +1000,11 @@ msgid "Usage: ClearBuffer <#chan|query>" msgstr "" #: ClientCommand.cpp:1403 -======= -#: ClientCommand.cpp:1298 -msgid "Bind host cleared for this network." -msgstr "" - -#: ClientCommand.cpp:1302 -msgid "Default bind host cleared for your user." -msgstr "" - -#: ClientCommand.cpp:1305 -msgid "This user's default bind host not set" -msgstr "" - -#: ClientCommand.cpp:1307 -msgid "This user's default bind host is {1}" -msgstr "" - -#: ClientCommand.cpp:1312 -msgid "This network's bind host not set" -msgstr "" - -#: ClientCommand.cpp:1314 -msgid "This network's default bind host is {1}" -msgstr "" - -#: ClientCommand.cpp:1328 -msgid "Usage: PlayBuffer <#chan|query>" -msgstr "" - -#: ClientCommand.cpp:1336 -msgid "You are not on {1}" -msgstr "" - -#: ClientCommand.cpp:1341 -msgid "You are not on {1} (trying to join)" -msgstr "" - -#: ClientCommand.cpp:1346 -msgid "The buffer for channel {1} is empty" -msgstr "" - -#: ClientCommand.cpp:1355 -msgid "No active query with {1}" -msgstr "" - -#: ClientCommand.cpp:1360 -msgid "The buffer for {1} is empty" -msgstr "" - -#: ClientCommand.cpp:1376 -msgid "Usage: ClearBuffer <#chan|query>" -msgstr "" - -#: ClientCommand.cpp:1395 ->>>>>>> 1.7.x msgid "{1} buffer matching {2} has been cleared" msgid_plural "{1} buffers matching {2} have been cleared" msgstr[0] "" msgstr[1] "" -<<<<<<< HEAD #: ClientCommand.cpp:1416 msgid "All channel buffers have been cleared" msgstr "" @@ -1339,122 +1022,62 @@ msgid "Usage: SetBuffer <#chan|query> [linecount]" msgstr "" #: ClientCommand.cpp:1469 -======= -#: ClientCommand.cpp:1408 -msgid "All channel buffers have been cleared" -msgstr "" - -#: ClientCommand.cpp:1417 -msgid "All query buffers have been cleared" -msgstr "" - -#: ClientCommand.cpp:1429 -msgid "All buffers have been cleared" -msgstr "" - -#: ClientCommand.cpp:1440 -msgid "Usage: SetBuffer <#chan|query> [linecount]" -msgstr "" - -#: ClientCommand.cpp:1461 ->>>>>>> 1.7.x msgid "Setting buffer size failed for {1} buffer" msgid_plural "Setting buffer size failed for {1} buffers" msgstr[0] "" msgstr[1] "" -<<<<<<< HEAD #: ClientCommand.cpp:1472 -======= -#: ClientCommand.cpp:1464 ->>>>>>> 1.7.x msgid "Maximum buffer size is {1} line" msgid_plural "Maximum buffer size is {1} lines" msgstr[0] "" msgstr[1] "" -<<<<<<< HEAD #: ClientCommand.cpp:1477 -======= -#: ClientCommand.cpp:1469 ->>>>>>> 1.7.x msgid "Size of every buffer was set to {1} line" msgid_plural "Size of every buffer was set to {1} lines" msgstr[0] "" msgstr[1] "" -<<<<<<< HEAD #: ClientCommand.cpp:1487 ClientCommand.cpp:1494 ClientCommand.cpp:1505 #: ClientCommand.cpp:1514 ClientCommand.cpp:1522 -======= -#: ClientCommand.cpp:1479 ClientCommand.cpp:1486 ClientCommand.cpp:1497 -#: ClientCommand.cpp:1506 ClientCommand.cpp:1514 ->>>>>>> 1.7.x msgctxt "trafficcmd" msgid "Username" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1488 ClientCommand.cpp:1495 ClientCommand.cpp:1507 #: ClientCommand.cpp:1516 ClientCommand.cpp:1524 -======= -#: ClientCommand.cpp:1480 ClientCommand.cpp:1487 ClientCommand.cpp:1499 -#: ClientCommand.cpp:1508 ClientCommand.cpp:1516 ->>>>>>> 1.7.x msgctxt "trafficcmd" msgid "In" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1489 ClientCommand.cpp:1497 ClientCommand.cpp:1508 #: ClientCommand.cpp:1517 ClientCommand.cpp:1525 -======= -#: ClientCommand.cpp:1481 ClientCommand.cpp:1489 ClientCommand.cpp:1500 -#: ClientCommand.cpp:1509 ClientCommand.cpp:1517 ->>>>>>> 1.7.x msgctxt "trafficcmd" msgid "Out" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1490 ClientCommand.cpp:1500 ClientCommand.cpp:1510 #: ClientCommand.cpp:1518 ClientCommand.cpp:1527 -======= -#: ClientCommand.cpp:1482 ClientCommand.cpp:1492 ClientCommand.cpp:1502 -#: ClientCommand.cpp:1510 ClientCommand.cpp:1519 ->>>>>>> 1.7.x msgctxt "trafficcmd" msgid "Total" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1506 -======= -#: ClientCommand.cpp:1498 ->>>>>>> 1.7.x msgctxt "trafficcmd" msgid "" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1515 -======= -#: ClientCommand.cpp:1507 ->>>>>>> 1.7.x msgctxt "trafficcmd" msgid "" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1523 -======= -#: ClientCommand.cpp:1515 ->>>>>>> 1.7.x msgctxt "trafficcmd" msgid "" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1532 msgid "Running for {1}" msgstr "" @@ -1464,157 +1087,85 @@ msgid "Unknown command, try 'Help'" msgstr "" #: ClientCommand.cpp:1547 ClientCommand.cpp:1558 -======= -#: ClientCommand.cpp:1524 -msgid "Running for {1}" -msgstr "" - -#: ClientCommand.cpp:1530 -msgid "Unknown command, try 'Help'" -msgstr "" - -#: ClientCommand.cpp:1539 ClientCommand.cpp:1550 ->>>>>>> 1.7.x msgctxt "listports" msgid "Port" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1548 ClientCommand.cpp:1559 -======= -#: ClientCommand.cpp:1540 ClientCommand.cpp:1551 ->>>>>>> 1.7.x msgctxt "listports" msgid "BindHost" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1549 ClientCommand.cpp:1562 -======= -#: ClientCommand.cpp:1541 ClientCommand.cpp:1554 ->>>>>>> 1.7.x msgctxt "listports" msgid "SSL" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1550 ClientCommand.cpp:1567 -======= -#: ClientCommand.cpp:1542 ClientCommand.cpp:1559 ->>>>>>> 1.7.x msgctxt "listports" msgid "Protocol" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1551 ClientCommand.cpp:1574 -======= -#: ClientCommand.cpp:1543 ClientCommand.cpp:1566 ->>>>>>> 1.7.x msgctxt "listports" msgid "IRC" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1552 ClientCommand.cpp:1579 -======= -#: ClientCommand.cpp:1544 ClientCommand.cpp:1571 ->>>>>>> 1.7.x msgctxt "listports" msgid "Web" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1563 -======= -#: ClientCommand.cpp:1555 ->>>>>>> 1.7.x msgctxt "listports|ssl" msgid "yes" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1564 -======= -#: ClientCommand.cpp:1556 ->>>>>>> 1.7.x msgctxt "listports|ssl" msgid "no" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1568 -======= -#: ClientCommand.cpp:1560 ->>>>>>> 1.7.x msgctxt "listports" msgid "IPv4 and IPv6" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1570 -======= -#: ClientCommand.cpp:1562 ->>>>>>> 1.7.x msgctxt "listports" msgid "IPv4" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1571 -======= -#: ClientCommand.cpp:1563 ->>>>>>> 1.7.x msgctxt "listports" msgid "IPv6" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1577 -======= -#: ClientCommand.cpp:1569 ->>>>>>> 1.7.x msgctxt "listports|irc" msgid "yes" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1578 -======= -#: ClientCommand.cpp:1570 ->>>>>>> 1.7.x msgctxt "listports|irc" msgid "no" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1582 -======= -#: ClientCommand.cpp:1574 ->>>>>>> 1.7.x msgctxt "listports|irc" msgid "yes, on {1}" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1584 -======= -#: ClientCommand.cpp:1576 ->>>>>>> 1.7.x msgctxt "listports|web" msgid "no" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1624 -======= -#: ClientCommand.cpp:1616 ->>>>>>> 1.7.x msgid "" "Usage: AddPort <[+]port> [bindhost [uriprefix]]" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1640 msgid "Port added" msgstr "" @@ -1636,865 +1187,474 @@ msgid "Unable to find a matching port" msgstr "" #: ClientCommand.cpp:1667 ClientCommand.cpp:1682 -======= -#: ClientCommand.cpp:1632 -msgid "Port added" -msgstr "" - -#: ClientCommand.cpp:1634 -msgid "Couldn't add port" -msgstr "" - -#: ClientCommand.cpp:1640 -msgid "Usage: DelPort [bindhost]" -msgstr "" - -#: ClientCommand.cpp:1649 -msgid "Deleted Port" -msgstr "" - -#: ClientCommand.cpp:1651 -msgid "Unable to find a matching port" -msgstr "" - -#: ClientCommand.cpp:1659 ClientCommand.cpp:1673 ->>>>>>> 1.7.x msgctxt "helpcmd" msgid "Command" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1668 ClientCommand.cpp:1684 -======= -#: ClientCommand.cpp:1660 ClientCommand.cpp:1674 ->>>>>>> 1.7.x msgctxt "helpcmd" msgid "Description" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1673 -======= -#: ClientCommand.cpp:1664 ->>>>>>> 1.7.x msgid "" "In the following list all occurrences of <#chan> support wildcards (* and ?) " "except ListNicks" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1690 -======= -#: ClientCommand.cpp:1680 ->>>>>>> 1.7.x msgctxt "helpcmd|Version|desc" msgid "Print which version of ZNC this is" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1693 -======= -#: ClientCommand.cpp:1683 ->>>>>>> 1.7.x msgctxt "helpcmd|ListMods|desc" msgid "List all loaded modules" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1696 -======= -#: ClientCommand.cpp:1686 ->>>>>>> 1.7.x msgctxt "helpcmd|ListAvailMods|desc" msgid "List all available modules" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1700 ClientCommand.cpp:1886 -======= -#: ClientCommand.cpp:1690 ClientCommand.cpp:1876 ->>>>>>> 1.7.x msgctxt "helpcmd|ListChans|desc" msgid "List all channels" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1703 -======= -#: ClientCommand.cpp:1693 ->>>>>>> 1.7.x msgctxt "helpcmd|ListNicks|args" msgid "<#chan>" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1704 -======= -#: ClientCommand.cpp:1694 ->>>>>>> 1.7.x msgctxt "helpcmd|ListNicks|desc" msgid "List all nicks on a channel" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1707 -======= -#: ClientCommand.cpp:1697 ->>>>>>> 1.7.x msgctxt "helpcmd|ListClients|desc" msgid "List all clients connected to your ZNC user" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1711 -======= -#: ClientCommand.cpp:1701 ->>>>>>> 1.7.x msgctxt "helpcmd|ListServers|desc" msgid "List all servers of current IRC network" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1715 -======= -#: ClientCommand.cpp:1705 ->>>>>>> 1.7.x msgctxt "helpcmd|AddNetwork|args" msgid "" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1716 -======= -#: ClientCommand.cpp:1706 ->>>>>>> 1.7.x msgctxt "helpcmd|AddNetwork|desc" msgid "Add a network to your user" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1718 -======= -#: ClientCommand.cpp:1708 ->>>>>>> 1.7.x msgctxt "helpcmd|DelNetwork|args" msgid "" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1719 -======= -#: ClientCommand.cpp:1709 ->>>>>>> 1.7.x msgctxt "helpcmd|DelNetwork|desc" msgid "Delete a network from your user" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1721 -======= -#: ClientCommand.cpp:1711 ->>>>>>> 1.7.x msgctxt "helpcmd|ListNetworks|desc" msgid "List all networks" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1724 -======= -#: ClientCommand.cpp:1714 ->>>>>>> 1.7.x msgctxt "helpcmd|MoveNetwork|args" msgid " [new network]" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1726 -======= -#: ClientCommand.cpp:1716 ->>>>>>> 1.7.x msgctxt "helpcmd|MoveNetwork|desc" msgid "Move an IRC network from one user to another" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1730 -======= -#: ClientCommand.cpp:1720 ->>>>>>> 1.7.x msgctxt "helpcmd|JumpNetwork|args" msgid "" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1731 -======= -#: ClientCommand.cpp:1721 ->>>>>>> 1.7.x msgctxt "helpcmd|JumpNetwork|desc" msgid "" "Jump to another network (Alternatively, you can connect to ZNC several " "times, using `user/network` as username)" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1736 -======= -#: ClientCommand.cpp:1726 ->>>>>>> 1.7.x msgctxt "helpcmd|AddServer|args" msgid " [[+]port] [pass]" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1737 -======= -#: ClientCommand.cpp:1727 ->>>>>>> 1.7.x msgctxt "helpcmd|AddServer|desc" msgid "" "Add a server to the list of alternate/backup servers of current IRC network." msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1741 -======= -#: ClientCommand.cpp:1731 ->>>>>>> 1.7.x msgctxt "helpcmd|DelServer|args" msgid " [port] [pass]" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1742 -======= -#: ClientCommand.cpp:1732 ->>>>>>> 1.7.x msgctxt "helpcmd|DelServer|desc" msgid "" "Remove a server from the list of alternate/backup servers of current IRC " "network" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1748 -======= -#: ClientCommand.cpp:1738 ->>>>>>> 1.7.x msgctxt "helpcmd|AddTrustedServerFingerprint|args" msgid "" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1749 -======= -#: ClientCommand.cpp:1739 ->>>>>>> 1.7.x msgctxt "helpcmd|AddTrustedServerFingerprint|desc" msgid "" "Add a trusted server SSL certificate fingerprint (SHA-256) to current IRC " "network." msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1754 -======= -#: ClientCommand.cpp:1744 ->>>>>>> 1.7.x msgctxt "helpcmd|DelTrustedServerFingerprint|args" msgid "" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1755 -======= -#: ClientCommand.cpp:1745 ->>>>>>> 1.7.x msgctxt "helpcmd|DelTrustedServerFingerprint|desc" msgid "Delete a trusted server SSL certificate from current IRC network." msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1759 -======= -#: ClientCommand.cpp:1749 ->>>>>>> 1.7.x msgctxt "helpcmd|ListTrustedServerFingerprints|desc" msgid "List all trusted server SSL certificates of current IRC network." msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1762 -======= -#: ClientCommand.cpp:1752 ->>>>>>> 1.7.x msgctxt "helpcmd|EnableChan|args" msgid "<#chans>" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1763 -======= -#: ClientCommand.cpp:1753 ->>>>>>> 1.7.x msgctxt "helpcmd|EnableChan|desc" msgid "Enable channels" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1764 -======= -#: ClientCommand.cpp:1754 ->>>>>>> 1.7.x msgctxt "helpcmd|DisableChan|args" msgid "<#chans>" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1765 -======= -#: ClientCommand.cpp:1755 ->>>>>>> 1.7.x msgctxt "helpcmd|DisableChan|desc" msgid "Disable channels" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1766 -======= -#: ClientCommand.cpp:1756 ->>>>>>> 1.7.x msgctxt "helpcmd|Attach|args" msgid "<#chans>" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1767 -======= -#: ClientCommand.cpp:1757 ->>>>>>> 1.7.x msgctxt "helpcmd|Attach|desc" msgid "Attach to channels" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1768 -======= -#: ClientCommand.cpp:1758 ->>>>>>> 1.7.x msgctxt "helpcmd|Detach|args" msgid "<#chans>" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1769 -======= -#: ClientCommand.cpp:1759 ->>>>>>> 1.7.x msgctxt "helpcmd|Detach|desc" msgid "Detach from channels" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1772 -======= -#: ClientCommand.cpp:1762 ->>>>>>> 1.7.x msgctxt "helpcmd|Topics|desc" msgid "Show topics in all your channels" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1775 -======= -#: ClientCommand.cpp:1765 ->>>>>>> 1.7.x msgctxt "helpcmd|PlayBuffer|args" msgid "<#chan|query>" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1776 -======= -#: ClientCommand.cpp:1766 ->>>>>>> 1.7.x msgctxt "helpcmd|PlayBuffer|desc" msgid "Play back the specified buffer" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1778 -======= -#: ClientCommand.cpp:1768 ->>>>>>> 1.7.x msgctxt "helpcmd|ClearBuffer|args" msgid "<#chan|query>" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1779 -======= -#: ClientCommand.cpp:1769 ->>>>>>> 1.7.x msgctxt "helpcmd|ClearBuffer|desc" msgid "Clear the specified buffer" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1781 -======= -#: ClientCommand.cpp:1771 ->>>>>>> 1.7.x msgctxt "helpcmd|ClearAllBuffers|desc" msgid "Clear all channel and query buffers" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1784 -======= -#: ClientCommand.cpp:1774 ->>>>>>> 1.7.x msgctxt "helpcmd|ClearAllChannelBuffers|desc" msgid "Clear the channel buffers" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1788 -======= -#: ClientCommand.cpp:1778 ->>>>>>> 1.7.x msgctxt "helpcmd|ClearAllQueryBuffers|desc" msgid "Clear the query buffers" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1790 -======= -#: ClientCommand.cpp:1780 ->>>>>>> 1.7.x msgctxt "helpcmd|SetBuffer|args" msgid "<#chan|query> [linecount]" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1791 -======= -#: ClientCommand.cpp:1781 ->>>>>>> 1.7.x msgctxt "helpcmd|SetBuffer|desc" msgid "Set the buffer count" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1795 -======= -#: ClientCommand.cpp:1785 ->>>>>>> 1.7.x msgctxt "helpcmd|SetBindHost|args" msgid "" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1796 -======= -#: ClientCommand.cpp:1786 ->>>>>>> 1.7.x msgctxt "helpcmd|SetBindHost|desc" msgid "Set the bind host for this network" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1800 -======= -#: ClientCommand.cpp:1790 ->>>>>>> 1.7.x msgctxt "helpcmd|SetUserBindHost|args" msgid "" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1801 -======= -#: ClientCommand.cpp:1791 ->>>>>>> 1.7.x msgctxt "helpcmd|SetUserBindHost|desc" msgid "Set the default bind host for this user" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1804 -======= -#: ClientCommand.cpp:1794 ->>>>>>> 1.7.x msgctxt "helpcmd|ClearBindHost|desc" msgid "Clear the bind host for this network" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1807 -======= -#: ClientCommand.cpp:1797 ->>>>>>> 1.7.x msgctxt "helpcmd|ClearUserBindHost|desc" msgid "Clear the default bind host for this user" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1813 -======= -#: ClientCommand.cpp:1803 ->>>>>>> 1.7.x msgctxt "helpcmd|ShowBindHost|desc" msgid "Show currently selected bind host" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1815 -======= -#: ClientCommand.cpp:1805 ->>>>>>> 1.7.x msgctxt "helpcmd|Jump|args" msgid "[server]" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1816 -======= -#: ClientCommand.cpp:1806 ->>>>>>> 1.7.x msgctxt "helpcmd|Jump|desc" msgid "Jump to the next or the specified server" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1817 -======= -#: ClientCommand.cpp:1807 ->>>>>>> 1.7.x msgctxt "helpcmd|Disconnect|args" msgid "[message]" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1818 -======= -#: ClientCommand.cpp:1808 ->>>>>>> 1.7.x msgctxt "helpcmd|Disconnect|desc" msgid "Disconnect from IRC" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1820 -======= -#: ClientCommand.cpp:1810 ->>>>>>> 1.7.x msgctxt "helpcmd|Connect|desc" msgid "Reconnect to IRC" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1823 -======= -#: ClientCommand.cpp:1813 ->>>>>>> 1.7.x msgctxt "helpcmd|Uptime|desc" msgid "Show for how long ZNC has been running" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1827 -======= -#: ClientCommand.cpp:1817 ->>>>>>> 1.7.x msgctxt "helpcmd|LoadMod|args" msgid "[--type=global|user|network] " msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1829 -======= -#: ClientCommand.cpp:1819 ->>>>>>> 1.7.x msgctxt "helpcmd|LoadMod|desc" msgid "Load a module" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1831 -======= -#: ClientCommand.cpp:1821 ->>>>>>> 1.7.x msgctxt "helpcmd|UnloadMod|args" msgid "[--type=global|user|network] " msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1833 -======= -#: ClientCommand.cpp:1823 ->>>>>>> 1.7.x msgctxt "helpcmd|UnloadMod|desc" msgid "Unload a module" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1835 -======= -#: ClientCommand.cpp:1825 ->>>>>>> 1.7.x msgctxt "helpcmd|ReloadMod|args" msgid "[--type=global|user|network] " msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1837 -======= -#: ClientCommand.cpp:1827 ->>>>>>> 1.7.x msgctxt "helpcmd|ReloadMod|desc" msgid "Reload a module" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1840 -======= -#: ClientCommand.cpp:1830 ->>>>>>> 1.7.x msgctxt "helpcmd|UpdateMod|args" msgid "" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1841 -======= -#: ClientCommand.cpp:1831 ->>>>>>> 1.7.x msgctxt "helpcmd|UpdateMod|desc" msgid "Reload a module everywhere" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1847 -======= -#: ClientCommand.cpp:1837 ->>>>>>> 1.7.x msgctxt "helpcmd|ShowMOTD|desc" msgid "Show ZNC's message of the day" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1851 -======= -#: ClientCommand.cpp:1841 ->>>>>>> 1.7.x msgctxt "helpcmd|SetMOTD|args" msgid "" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1852 -======= -#: ClientCommand.cpp:1842 ->>>>>>> 1.7.x msgctxt "helpcmd|SetMOTD|desc" msgid "Set ZNC's message of the day" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1854 -======= -#: ClientCommand.cpp:1844 ->>>>>>> 1.7.x msgctxt "helpcmd|AddMOTD|args" msgid "" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1855 -======= -#: ClientCommand.cpp:1845 ->>>>>>> 1.7.x msgctxt "helpcmd|AddMOTD|desc" msgid "Append to ZNC's MOTD" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1857 -======= -#: ClientCommand.cpp:1847 ->>>>>>> 1.7.x msgctxt "helpcmd|ClearMOTD|desc" msgid "Clear ZNC's MOTD" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1860 -======= -#: ClientCommand.cpp:1850 ->>>>>>> 1.7.x msgctxt "helpcmd|ListPorts|desc" msgid "Show all active listeners" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1862 -======= -#: ClientCommand.cpp:1852 ->>>>>>> 1.7.x msgctxt "helpcmd|AddPort|args" msgid "<[+]port> [bindhost [uriprefix]]" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1865 -======= -#: ClientCommand.cpp:1855 ->>>>>>> 1.7.x msgctxt "helpcmd|AddPort|desc" msgid "Add another port for ZNC to listen on" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1869 -======= -#: ClientCommand.cpp:1859 ->>>>>>> 1.7.x msgctxt "helpcmd|DelPort|args" msgid " [bindhost]" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1870 -======= -#: ClientCommand.cpp:1860 ->>>>>>> 1.7.x msgctxt "helpcmd|DelPort|desc" msgid "Remove a port from ZNC" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1873 -======= -#: ClientCommand.cpp:1863 ->>>>>>> 1.7.x msgctxt "helpcmd|Rehash|desc" msgid "Reload global settings, modules, and listeners from znc.conf" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1876 -======= -#: ClientCommand.cpp:1866 ->>>>>>> 1.7.x msgctxt "helpcmd|SaveConfig|desc" msgid "Save the current settings to disk" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1879 -======= -#: ClientCommand.cpp:1869 ->>>>>>> 1.7.x msgctxt "helpcmd|ListUsers|desc" msgid "List all ZNC users and their connection status" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1882 -======= -#: ClientCommand.cpp:1872 ->>>>>>> 1.7.x msgctxt "helpcmd|ListAllUserNetworks|desc" msgid "List all ZNC users and their networks" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1885 -======= -#: ClientCommand.cpp:1875 ->>>>>>> 1.7.x msgctxt "helpcmd|ListChans|args" msgid "[user ]" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1888 -======= -#: ClientCommand.cpp:1878 ->>>>>>> 1.7.x msgctxt "helpcmd|ListClients|args" msgid "[user]" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1889 -======= -#: ClientCommand.cpp:1879 ->>>>>>> 1.7.x msgctxt "helpcmd|ListClients|desc" msgid "List all connected clients" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1891 -======= -#: ClientCommand.cpp:1881 ->>>>>>> 1.7.x msgctxt "helpcmd|Traffic|desc" msgid "Show basic traffic stats for all ZNC users" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1893 -======= -#: ClientCommand.cpp:1883 ->>>>>>> 1.7.x msgctxt "helpcmd|Broadcast|args" msgid "[message]" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1894 -======= -#: ClientCommand.cpp:1884 ->>>>>>> 1.7.x msgctxt "helpcmd|Broadcast|desc" msgid "Broadcast a message to all ZNC users" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1897 -======= -#: ClientCommand.cpp:1887 ->>>>>>> 1.7.x msgctxt "helpcmd|Shutdown|args" msgid "[message]" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1898 -======= -#: ClientCommand.cpp:1888 ->>>>>>> 1.7.x msgctxt "helpcmd|Shutdown|desc" msgid "Shut down ZNC completely" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1899 -======= -#: ClientCommand.cpp:1889 ->>>>>>> 1.7.x msgctxt "helpcmd|Restart|args" msgid "[message]" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1900 -======= -#: ClientCommand.cpp:1890 ->>>>>>> 1.7.x msgctxt "helpcmd|Restart|desc" msgid "Restart ZNC" msgstr "" @@ -2521,7 +1681,6 @@ msgstr "" msgid "Some socket reached its max buffer limit and was closed!" msgstr "" -<<<<<<< HEAD #: SSLVerifyHost.cpp:481 msgid "hostname doesn't match" msgstr "" @@ -2531,17 +1690,6 @@ msgid "malformed hostname in certificate" msgstr "" #: SSLVerifyHost.cpp:489 -======= -#: SSLVerifyHost.cpp:448 -msgid "hostname doesn't match" -msgstr "" - -#: SSLVerifyHost.cpp:452 -msgid "malformed hostname in certificate" -msgstr "" - -#: SSLVerifyHost.cpp:456 ->>>>>>> 1.7.x msgid "hostname verification error" msgstr "" @@ -2561,7 +1709,6 @@ msgid "" "to this user" msgstr "" -<<<<<<< HEAD #: User.cpp:912 msgid "Password is empty" msgstr "" @@ -2575,20 +1722,5 @@ msgid "Username is invalid" msgstr "" #: User.cpp:1199 -======= -#: User.cpp:907 -msgid "Password is empty" -msgstr "" - -#: User.cpp:912 -msgid "Username is empty" -msgstr "" - -#: User.cpp:917 -msgid "Username is invalid" -msgstr "" - -#: User.cpp:1188 ->>>>>>> 1.7.x msgid "Unable to find modinfo {1}: {2}" msgstr "" diff --git a/src/po/znc.de_DE.po b/src/po/znc.de_DE.po index 319c0c25..da5ea106 100644 --- a/src/po/znc.de_DE.po +++ b/src/po/znc.de_DE.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/src/po/znc.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: German\n" "Language: de_DE\n" @@ -415,20 +411,12 @@ msgstr "" "Modul {1} ist inkompatibel gebaut: Kern ist '{2}', Modul ist '{3}'. Baue das " "Modul neu." -<<<<<<< HEAD #: Modules.cpp:2023 Modules.cpp:2029 -======= -#: Modules.cpp:2022 Modules.cpp:2028 ->>>>>>> 1.7.x msgctxt "modhelpcmd" msgid "Command" msgstr "Befehl" -<<<<<<< HEAD #: Modules.cpp:2024 Modules.cpp:2031 -======= -#: Modules.cpp:2023 Modules.cpp:2029 ->>>>>>> 1.7.x msgctxt "modhelpcmd" msgid "Description" msgstr "Beschreibung" diff --git a/src/po/znc.es_ES.po b/src/po/znc.es_ES.po index bc056c7b..d9069c3e 100644 --- a/src/po/znc.es_ES.po +++ b/src/po/znc.es_ES.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/src/po/znc.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Spanish\n" "Language: es_ES\n" @@ -403,20 +399,12 @@ msgstr "" "El módulo {1} es incompatible: el núcleo es '{2}', el módulo es '{3}'. " "Recompila este módulo." -<<<<<<< HEAD #: Modules.cpp:2023 Modules.cpp:2029 -======= -#: Modules.cpp:2022 Modules.cpp:2028 ->>>>>>> 1.7.x msgctxt "modhelpcmd" msgid "Command" msgstr "Comando" -<<<<<<< HEAD #: Modules.cpp:2024 Modules.cpp:2031 -======= -#: Modules.cpp:2023 Modules.cpp:2029 ->>>>>>> 1.7.x msgctxt "modhelpcmd" msgid "Description" msgstr "Descripción" diff --git a/src/po/znc.fr_FR.po b/src/po/znc.fr_FR.po index 552fce68..ee381cf4 100644 --- a/src/po/znc.fr_FR.po +++ b/src/po/znc.fr_FR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/src/po/znc.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: French\n" "Language: fr_FR\n" @@ -412,20 +408,12 @@ msgstr "" "Le module {1} a été compilé de façon incompatible : le cœur est '{2}', le " "module est '{3}'. Recompilez ce module." -<<<<<<< HEAD #: Modules.cpp:2023 Modules.cpp:2029 -======= -#: Modules.cpp:2022 Modules.cpp:2028 ->>>>>>> 1.7.x msgctxt "modhelpcmd" msgid "Command" msgstr "Commande" -<<<<<<< HEAD #: Modules.cpp:2024 Modules.cpp:2031 -======= -#: Modules.cpp:2023 Modules.cpp:2029 ->>>>>>> 1.7.x msgctxt "modhelpcmd" msgid "Description" msgstr "Description" diff --git a/src/po/znc.id_ID.po b/src/po/znc.id_ID.po index fbc26ba7..f62658a2 100644 --- a/src/po/znc.id_ID.po +++ b/src/po/znc.id_ID.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/src/po/znc.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Indonesian\n" "Language: id_ID\n" @@ -394,20 +390,12 @@ msgid "" "this module." msgstr "" -<<<<<<< HEAD #: Modules.cpp:2023 Modules.cpp:2029 -======= -#: Modules.cpp:2022 Modules.cpp:2028 ->>>>>>> 1.7.x msgctxt "modhelpcmd" msgid "Command" msgstr "" -<<<<<<< HEAD #: Modules.cpp:2024 Modules.cpp:2031 -======= -#: Modules.cpp:2023 Modules.cpp:2029 ->>>>>>> 1.7.x msgctxt "modhelpcmd" msgid "Description" msgstr "" diff --git a/src/po/znc.it_IT.po b/src/po/znc.it_IT.po index 95eb7f3e..3ea3caf4 100644 --- a/src/po/znc.it_IT.po +++ b/src/po/znc.it_IT.po @@ -6,15 +6,9 @@ msgstr "" "X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/src/po/znc.pot\n" "Project-Id-Version: znc-bouncer\n" "Last-Translator: Various people\n" -======= -"X-Crowdin-File: /1.7.x/src/po/znc.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Italian\n" "Language: it_IT\n" @@ -57,7 +51,6 @@ msgid "" "code>”). Once you have loaded some Web-enabled modules, the menu will expand." msgstr "" -<<<<<<< HEAD #: znc.cpp:1562 msgid "User already exists" msgstr "Utente già esistente" @@ -79,29 +72,6 @@ msgid "Invalid port" msgstr "Porta non valida" #: znc.cpp:1821 ClientCommand.cpp:1637 -======= -#: znc.cpp:1563 -msgid "User already exists" -msgstr "Utente già esistente" - -#: znc.cpp:1671 -msgid "IPv6 is not enabled" -msgstr "IPv6 non è abilitato" - -#: znc.cpp:1679 -msgid "SSL is not enabled" -msgstr "SSL non è abilitato" - -#: znc.cpp:1687 -msgid "Unable to locate pem file: {1}" -msgstr "" - -#: znc.cpp:1706 -msgid "Invalid port" -msgstr "Porta non valida" - -#: znc.cpp:1822 ClientCommand.cpp:1629 ->>>>>>> 1.7.x msgid "Unable to bind: {1}" msgstr "" @@ -109,7 +79,6 @@ msgstr "" msgid "Jumping servers because this server is no longer in the list" msgstr "" -<<<<<<< HEAD #: IRCNetwork.cpp:669 User.cpp:678 msgid "Welcome to ZNC" msgstr "" @@ -135,33 +104,6 @@ msgid "Cannot connect to {1}, because ZNC is not compiled with SSL support." msgstr "" #: IRCNetwork.cpp:1329 -======= -#: IRCNetwork.cpp:640 User.cpp:678 -msgid "Welcome to ZNC" -msgstr "" - -#: IRCNetwork.cpp:728 -msgid "You are currently disconnected from IRC. Use 'connect' to reconnect." -msgstr "" - -#: IRCNetwork.cpp:758 -msgid "This network is being deleted or moved to another user." -msgstr "" - -#: IRCNetwork.cpp:987 -msgid "The channel {1} could not be joined, disabling it." -msgstr "" - -#: IRCNetwork.cpp:1116 -msgid "Your current server was removed, jumping..." -msgstr "" - -#: IRCNetwork.cpp:1279 -msgid "Cannot connect to {1}, because ZNC is not compiled with SSL support." -msgstr "" - -#: IRCNetwork.cpp:1300 ->>>>>>> 1.7.x msgid "Some module aborted the connection attempt" msgstr "" @@ -341,11 +283,7 @@ msgctxt "modhelpcmd" msgid "Generate this output" msgstr "" -<<<<<<< HEAD #: Modules.cpp:573 ClientCommand.cpp:1904 -======= -#: Modules.cpp:573 ClientCommand.cpp:1894 ->>>>>>> 1.7.x msgid "No matches for '{1}'" msgstr "" @@ -439,20 +377,12 @@ msgid "" "this module." msgstr "" -<<<<<<< HEAD #: Modules.cpp:2023 Modules.cpp:2029 -======= -#: Modules.cpp:2022 Modules.cpp:2028 ->>>>>>> 1.7.x msgctxt "modhelpcmd" msgid "Command" msgstr "Comando" -<<<<<<< HEAD #: Modules.cpp:2024 Modules.cpp:2031 -======= -#: Modules.cpp:2023 Modules.cpp:2029 ->>>>>>> 1.7.x msgctxt "modhelpcmd" msgid "Description" msgstr "Descrizione" @@ -460,15 +390,9 @@ msgstr "Descrizione" #: ClientCommand.cpp:51 ClientCommand.cpp:115 ClientCommand.cpp:137 #: ClientCommand.cpp:749 ClientCommand.cpp:768 ClientCommand.cpp:794 #: ClientCommand.cpp:827 ClientCommand.cpp:840 ClientCommand.cpp:853 -<<<<<<< HEAD #: ClientCommand.cpp:868 ClientCommand.cpp:1329 ClientCommand.cpp:1377 #: ClientCommand.cpp:1409 ClientCommand.cpp:1420 ClientCommand.cpp:1429 #: ClientCommand.cpp:1441 -======= -#: ClientCommand.cpp:868 ClientCommand.cpp:1321 ClientCommand.cpp:1369 -#: ClientCommand.cpp:1401 ClientCommand.cpp:1412 ClientCommand.cpp:1421 -#: ClientCommand.cpp:1433 ->>>>>>> 1.7.x msgid "You must be connected with a network to use this command" msgstr "" @@ -688,11 +612,7 @@ msgctxt "listnetworks" msgid "No networks" msgstr "Nessuna rete" -<<<<<<< HEAD #: ClientCommand.cpp:632 ClientCommand.cpp:936 -======= -#: ClientCommand.cpp:632 ClientCommand.cpp:932 ->>>>>>> 1.7.x msgid "Access denied." msgstr "Accesso negato." @@ -838,25 +758,16 @@ msgctxt "topicscmd" msgid "Topic" msgstr "Topic" -<<<<<<< HEAD #: ClientCommand.cpp:889 ClientCommand.cpp:894 -======= -#: ClientCommand.cpp:889 ClientCommand.cpp:893 ->>>>>>> 1.7.x msgctxt "listmods" msgid "Name" msgstr "Nome" -<<<<<<< HEAD #: ClientCommand.cpp:890 ClientCommand.cpp:895 -======= -#: ClientCommand.cpp:890 ClientCommand.cpp:894 ->>>>>>> 1.7.x msgctxt "listmods" msgid "Arguments" msgstr "Parametri" -<<<<<<< HEAD #: ClientCommand.cpp:904 msgid "No global modules loaded." msgstr "" @@ -882,47 +793,15 @@ msgid "Network modules:" msgstr "" #: ClientCommand.cpp:942 ClientCommand.cpp:949 -======= -#: ClientCommand.cpp:902 -msgid "No global modules loaded." -msgstr "" - -#: ClientCommand.cpp:904 ClientCommand.cpp:964 -msgid "Global modules:" -msgstr "Moduli Globali:" - -#: ClientCommand.cpp:912 -msgid "Your user has no modules loaded." -msgstr "" - -#: ClientCommand.cpp:914 ClientCommand.cpp:975 -msgid "User modules:" -msgstr "Moduli Utente:" - -#: ClientCommand.cpp:921 -msgid "This network has no modules loaded." -msgstr "" - -#: ClientCommand.cpp:923 ClientCommand.cpp:986 -msgid "Network modules:" -msgstr "" - -#: ClientCommand.cpp:938 ClientCommand.cpp:944 ->>>>>>> 1.7.x msgctxt "listavailmods" msgid "Name" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:943 ClientCommand.cpp:954 -======= -#: ClientCommand.cpp:939 ClientCommand.cpp:949 ->>>>>>> 1.7.x msgctxt "listavailmods" msgid "Description" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:968 msgid "No global modules available." msgstr "" @@ -1032,132 +911,16 @@ msgid "Done" msgstr "Fatto" #: ClientCommand.cpp:1253 -======= -#: ClientCommand.cpp:962 -msgid "No global modules available." -msgstr "" - -#: ClientCommand.cpp:973 -msgid "No user modules available." -msgstr "" - -#: ClientCommand.cpp:984 -msgid "No network modules available." -msgstr "" - -#: ClientCommand.cpp:1012 -msgid "Unable to load {1}: Access denied." -msgstr "" - -#: ClientCommand.cpp:1018 -msgid "Usage: LoadMod [--type=global|user|network] [args]" -msgstr "" - -#: ClientCommand.cpp:1025 -msgid "Unable to load {1}: {2}" -msgstr "" - -#: ClientCommand.cpp:1035 -msgid "Unable to load global module {1}: Access denied." -msgstr "" - -#: ClientCommand.cpp:1041 -msgid "Unable to load network module {1}: Not connected with a network." -msgstr "" - -#: ClientCommand.cpp:1063 -msgid "Unknown module type" -msgstr "" - -#: ClientCommand.cpp:1068 -msgid "Loaded module {1}" -msgstr "" - -#: ClientCommand.cpp:1070 -msgid "Loaded module {1}: {2}" -msgstr "" - -#: ClientCommand.cpp:1073 -msgid "Unable to load module {1}: {2}" -msgstr "" - -#: ClientCommand.cpp:1096 -msgid "Unable to unload {1}: Access denied." -msgstr "" - -#: ClientCommand.cpp:1102 -msgid "Usage: UnloadMod [--type=global|user|network] " -msgstr "" - -#: ClientCommand.cpp:1111 -msgid "Unable to determine type of {1}: {2}" -msgstr "" - -#: ClientCommand.cpp:1119 -msgid "Unable to unload global module {1}: Access denied." -msgstr "" - -#: ClientCommand.cpp:1126 -msgid "Unable to unload network module {1}: Not connected with a network." -msgstr "" - -#: ClientCommand.cpp:1145 -msgid "Unable to unload module {1}: Unknown module type" -msgstr "" - -#: ClientCommand.cpp:1158 -msgid "Unable to reload modules. Access denied." -msgstr "" - -#: ClientCommand.cpp:1179 -msgid "Usage: ReloadMod [--type=global|user|network] [args]" -msgstr "" - -#: ClientCommand.cpp:1188 -msgid "Unable to reload {1}: {2}" -msgstr "" - -#: ClientCommand.cpp:1196 -msgid "Unable to reload global module {1}: Access denied." -msgstr "" - -#: ClientCommand.cpp:1203 -msgid "Unable to reload network module {1}: Not connected with a network." -msgstr "" - -#: ClientCommand.cpp:1225 -msgid "Unable to reload module {1}: Unknown module type" -msgstr "" - -#: ClientCommand.cpp:1236 -msgid "Usage: UpdateMod " -msgstr "" - -#: ClientCommand.cpp:1240 -msgid "Reloading {1} everywhere" -msgstr "" - -#: ClientCommand.cpp:1242 -msgid "Done" -msgstr "Fatto" - -#: ClientCommand.cpp:1245 ->>>>>>> 1.7.x msgid "" "Done, but there were errors, module {1} could not be reloaded everywhere." msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1261 -======= -#: ClientCommand.cpp:1253 ->>>>>>> 1.7.x msgid "" "You must be connected with a network to use this command. Try " "SetUserBindHost instead" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1268 msgid "Usage: SetBindHost " msgstr "" @@ -1179,35 +942,11 @@ msgid "Set default bind host to {1}" msgstr "" #: ClientCommand.cpp:1301 -======= -#: ClientCommand.cpp:1260 -msgid "Usage: SetBindHost " -msgstr "" - -#: ClientCommand.cpp:1265 ClientCommand.cpp:1282 -msgid "You already have this bind host!" -msgstr "" - -#: ClientCommand.cpp:1270 -msgid "Set bind host for network {1} to {2}" -msgstr "" - -#: ClientCommand.cpp:1277 -msgid "Usage: SetUserBindHost " -msgstr "" - -#: ClientCommand.cpp:1287 -msgid "Set default bind host to {1}" -msgstr "" - -#: ClientCommand.cpp:1293 ->>>>>>> 1.7.x msgid "" "You must be connected with a network to use this command. Try " "ClearUserBindHost instead" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1306 msgid "Bind host cleared for this network." msgstr "" @@ -1261,67 +1000,11 @@ msgid "Usage: ClearBuffer <#chan|query>" msgstr "" #: ClientCommand.cpp:1403 -======= -#: ClientCommand.cpp:1298 -msgid "Bind host cleared for this network." -msgstr "" - -#: ClientCommand.cpp:1302 -msgid "Default bind host cleared for your user." -msgstr "" - -#: ClientCommand.cpp:1305 -msgid "This user's default bind host not set" -msgstr "" - -#: ClientCommand.cpp:1307 -msgid "This user's default bind host is {1}" -msgstr "" - -#: ClientCommand.cpp:1312 -msgid "This network's bind host not set" -msgstr "" - -#: ClientCommand.cpp:1314 -msgid "This network's default bind host is {1}" -msgstr "" - -#: ClientCommand.cpp:1328 -msgid "Usage: PlayBuffer <#chan|query>" -msgstr "" - -#: ClientCommand.cpp:1336 -msgid "You are not on {1}" -msgstr "" - -#: ClientCommand.cpp:1341 -msgid "You are not on {1} (trying to join)" -msgstr "" - -#: ClientCommand.cpp:1346 -msgid "The buffer for channel {1} is empty" -msgstr "" - -#: ClientCommand.cpp:1355 -msgid "No active query with {1}" -msgstr "" - -#: ClientCommand.cpp:1360 -msgid "The buffer for {1} is empty" -msgstr "" - -#: ClientCommand.cpp:1376 -msgid "Usage: ClearBuffer <#chan|query>" -msgstr "" - -#: ClientCommand.cpp:1395 ->>>>>>> 1.7.x msgid "{1} buffer matching {2} has been cleared" msgid_plural "{1} buffers matching {2} have been cleared" msgstr[0] "" msgstr[1] "" -<<<<<<< HEAD #: ClientCommand.cpp:1416 msgid "All channel buffers have been cleared" msgstr "" @@ -1339,122 +1022,62 @@ msgid "Usage: SetBuffer <#chan|query> [linecount]" msgstr "" #: ClientCommand.cpp:1469 -======= -#: ClientCommand.cpp:1408 -msgid "All channel buffers have been cleared" -msgstr "" - -#: ClientCommand.cpp:1417 -msgid "All query buffers have been cleared" -msgstr "" - -#: ClientCommand.cpp:1429 -msgid "All buffers have been cleared" -msgstr "" - -#: ClientCommand.cpp:1440 -msgid "Usage: SetBuffer <#chan|query> [linecount]" -msgstr "" - -#: ClientCommand.cpp:1461 ->>>>>>> 1.7.x msgid "Setting buffer size failed for {1} buffer" msgid_plural "Setting buffer size failed for {1} buffers" msgstr[0] "" msgstr[1] "" -<<<<<<< HEAD #: ClientCommand.cpp:1472 -======= -#: ClientCommand.cpp:1464 ->>>>>>> 1.7.x msgid "Maximum buffer size is {1} line" msgid_plural "Maximum buffer size is {1} lines" msgstr[0] "" msgstr[1] "" -<<<<<<< HEAD #: ClientCommand.cpp:1477 -======= -#: ClientCommand.cpp:1469 ->>>>>>> 1.7.x msgid "Size of every buffer was set to {1} line" msgid_plural "Size of every buffer was set to {1} lines" msgstr[0] "" msgstr[1] "" -<<<<<<< HEAD #: ClientCommand.cpp:1487 ClientCommand.cpp:1494 ClientCommand.cpp:1505 #: ClientCommand.cpp:1514 ClientCommand.cpp:1522 -======= -#: ClientCommand.cpp:1479 ClientCommand.cpp:1486 ClientCommand.cpp:1497 -#: ClientCommand.cpp:1506 ClientCommand.cpp:1514 ->>>>>>> 1.7.x msgctxt "trafficcmd" msgid "Username" msgstr "Nome Utente" -<<<<<<< HEAD #: ClientCommand.cpp:1488 ClientCommand.cpp:1495 ClientCommand.cpp:1507 #: ClientCommand.cpp:1516 ClientCommand.cpp:1524 -======= -#: ClientCommand.cpp:1480 ClientCommand.cpp:1487 ClientCommand.cpp:1499 -#: ClientCommand.cpp:1508 ClientCommand.cpp:1516 ->>>>>>> 1.7.x msgctxt "trafficcmd" msgid "In" msgstr "In" -<<<<<<< HEAD #: ClientCommand.cpp:1489 ClientCommand.cpp:1497 ClientCommand.cpp:1508 #: ClientCommand.cpp:1517 ClientCommand.cpp:1525 -======= -#: ClientCommand.cpp:1481 ClientCommand.cpp:1489 ClientCommand.cpp:1500 -#: ClientCommand.cpp:1509 ClientCommand.cpp:1517 ->>>>>>> 1.7.x msgctxt "trafficcmd" msgid "Out" msgstr "Out" -<<<<<<< HEAD #: ClientCommand.cpp:1490 ClientCommand.cpp:1500 ClientCommand.cpp:1510 #: ClientCommand.cpp:1518 ClientCommand.cpp:1527 -======= -#: ClientCommand.cpp:1482 ClientCommand.cpp:1492 ClientCommand.cpp:1502 -#: ClientCommand.cpp:1510 ClientCommand.cpp:1519 ->>>>>>> 1.7.x msgctxt "trafficcmd" msgid "Total" msgstr "Totale" -<<<<<<< HEAD #: ClientCommand.cpp:1506 -======= -#: ClientCommand.cpp:1498 ->>>>>>> 1.7.x msgctxt "trafficcmd" msgid "" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1515 -======= -#: ClientCommand.cpp:1507 ->>>>>>> 1.7.x msgctxt "trafficcmd" msgid "" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1523 -======= -#: ClientCommand.cpp:1515 ->>>>>>> 1.7.x msgctxt "trafficcmd" msgid "" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1532 msgid "Running for {1}" msgstr "" @@ -1464,157 +1087,85 @@ msgid "Unknown command, try 'Help'" msgstr "" #: ClientCommand.cpp:1547 ClientCommand.cpp:1558 -======= -#: ClientCommand.cpp:1524 -msgid "Running for {1}" -msgstr "" - -#: ClientCommand.cpp:1530 -msgid "Unknown command, try 'Help'" -msgstr "" - -#: ClientCommand.cpp:1539 ClientCommand.cpp:1550 ->>>>>>> 1.7.x msgctxt "listports" msgid "Port" msgstr "Porta" -<<<<<<< HEAD #: ClientCommand.cpp:1548 ClientCommand.cpp:1559 -======= -#: ClientCommand.cpp:1540 ClientCommand.cpp:1551 ->>>>>>> 1.7.x msgctxt "listports" msgid "BindHost" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1549 ClientCommand.cpp:1562 -======= -#: ClientCommand.cpp:1541 ClientCommand.cpp:1554 ->>>>>>> 1.7.x msgctxt "listports" msgid "SSL" msgstr "SSL" -<<<<<<< HEAD #: ClientCommand.cpp:1550 ClientCommand.cpp:1567 -======= -#: ClientCommand.cpp:1542 ClientCommand.cpp:1559 ->>>>>>> 1.7.x msgctxt "listports" msgid "Protocol" msgstr "Protocollo" -<<<<<<< HEAD #: ClientCommand.cpp:1551 ClientCommand.cpp:1574 -======= -#: ClientCommand.cpp:1543 ClientCommand.cpp:1566 ->>>>>>> 1.7.x msgctxt "listports" msgid "IRC" msgstr "IRC" -<<<<<<< HEAD #: ClientCommand.cpp:1552 ClientCommand.cpp:1579 -======= -#: ClientCommand.cpp:1544 ClientCommand.cpp:1571 ->>>>>>> 1.7.x msgctxt "listports" msgid "Web" msgstr "Web" -<<<<<<< HEAD #: ClientCommand.cpp:1563 -======= -#: ClientCommand.cpp:1555 ->>>>>>> 1.7.x msgctxt "listports|ssl" msgid "yes" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1564 -======= -#: ClientCommand.cpp:1556 ->>>>>>> 1.7.x msgctxt "listports|ssl" msgid "no" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1568 -======= -#: ClientCommand.cpp:1560 ->>>>>>> 1.7.x msgctxt "listports" msgid "IPv4 and IPv6" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1570 -======= -#: ClientCommand.cpp:1562 ->>>>>>> 1.7.x msgctxt "listports" msgid "IPv4" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1571 -======= -#: ClientCommand.cpp:1563 ->>>>>>> 1.7.x msgctxt "listports" msgid "IPv6" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1577 -======= -#: ClientCommand.cpp:1569 ->>>>>>> 1.7.x msgctxt "listports|irc" msgid "yes" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1578 -======= -#: ClientCommand.cpp:1570 ->>>>>>> 1.7.x msgctxt "listports|irc" msgid "no" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1582 -======= -#: ClientCommand.cpp:1574 ->>>>>>> 1.7.x msgctxt "listports|irc" msgid "yes, on {1}" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1584 -======= -#: ClientCommand.cpp:1576 ->>>>>>> 1.7.x msgctxt "listports|web" msgid "no" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1624 -======= -#: ClientCommand.cpp:1616 ->>>>>>> 1.7.x msgid "" "Usage: AddPort <[+]port> [bindhost [uriprefix]]" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1640 msgid "Port added" msgstr "Porta aggiunta" @@ -1636,865 +1187,474 @@ msgid "Unable to find a matching port" msgstr "" #: ClientCommand.cpp:1667 ClientCommand.cpp:1682 -======= -#: ClientCommand.cpp:1632 -msgid "Port added" -msgstr "Porta aggiunta" - -#: ClientCommand.cpp:1634 -msgid "Couldn't add port" -msgstr "Impossibile aggiungere la porta" - -#: ClientCommand.cpp:1640 -msgid "Usage: DelPort [bindhost]" -msgstr "" - -#: ClientCommand.cpp:1649 -msgid "Deleted Port" -msgstr "" - -#: ClientCommand.cpp:1651 -msgid "Unable to find a matching port" -msgstr "" - -#: ClientCommand.cpp:1659 ClientCommand.cpp:1673 ->>>>>>> 1.7.x msgctxt "helpcmd" msgid "Command" msgstr "Comando" -<<<<<<< HEAD #: ClientCommand.cpp:1668 ClientCommand.cpp:1684 -======= -#: ClientCommand.cpp:1660 ClientCommand.cpp:1674 ->>>>>>> 1.7.x msgctxt "helpcmd" msgid "Description" msgstr "Descrizione" -<<<<<<< HEAD #: ClientCommand.cpp:1673 -======= -#: ClientCommand.cpp:1664 ->>>>>>> 1.7.x msgid "" "In the following list all occurrences of <#chan> support wildcards (* and ?) " "except ListNicks" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1690 -======= -#: ClientCommand.cpp:1680 ->>>>>>> 1.7.x msgctxt "helpcmd|Version|desc" msgid "Print which version of ZNC this is" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1693 -======= -#: ClientCommand.cpp:1683 ->>>>>>> 1.7.x msgctxt "helpcmd|ListMods|desc" msgid "List all loaded modules" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1696 -======= -#: ClientCommand.cpp:1686 ->>>>>>> 1.7.x msgctxt "helpcmd|ListAvailMods|desc" msgid "List all available modules" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1700 ClientCommand.cpp:1886 -======= -#: ClientCommand.cpp:1690 ClientCommand.cpp:1876 ->>>>>>> 1.7.x msgctxt "helpcmd|ListChans|desc" msgid "List all channels" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1703 -======= -#: ClientCommand.cpp:1693 ->>>>>>> 1.7.x msgctxt "helpcmd|ListNicks|args" msgid "<#chan>" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1704 -======= -#: ClientCommand.cpp:1694 ->>>>>>> 1.7.x msgctxt "helpcmd|ListNicks|desc" msgid "List all nicks on a channel" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1707 -======= -#: ClientCommand.cpp:1697 ->>>>>>> 1.7.x msgctxt "helpcmd|ListClients|desc" msgid "List all clients connected to your ZNC user" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1711 -======= -#: ClientCommand.cpp:1701 ->>>>>>> 1.7.x msgctxt "helpcmd|ListServers|desc" msgid "List all servers of current IRC network" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1715 -======= -#: ClientCommand.cpp:1705 ->>>>>>> 1.7.x msgctxt "helpcmd|AddNetwork|args" msgid "" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1716 -======= -#: ClientCommand.cpp:1706 ->>>>>>> 1.7.x msgctxt "helpcmd|AddNetwork|desc" msgid "Add a network to your user" msgstr "Aggiungi un network al tuo account" -<<<<<<< HEAD #: ClientCommand.cpp:1718 -======= -#: ClientCommand.cpp:1708 ->>>>>>> 1.7.x msgctxt "helpcmd|DelNetwork|args" msgid "" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1719 -======= -#: ClientCommand.cpp:1709 ->>>>>>> 1.7.x msgctxt "helpcmd|DelNetwork|desc" msgid "Delete a network from your user" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1721 -======= -#: ClientCommand.cpp:1711 ->>>>>>> 1.7.x msgctxt "helpcmd|ListNetworks|desc" msgid "List all networks" msgstr "Mostra tutte le reti" -<<<<<<< HEAD #: ClientCommand.cpp:1724 -======= -#: ClientCommand.cpp:1714 ->>>>>>> 1.7.x msgctxt "helpcmd|MoveNetwork|args" msgid " [new network]" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1726 -======= -#: ClientCommand.cpp:1716 ->>>>>>> 1.7.x msgctxt "helpcmd|MoveNetwork|desc" msgid "Move an IRC network from one user to another" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1730 -======= -#: ClientCommand.cpp:1720 ->>>>>>> 1.7.x msgctxt "helpcmd|JumpNetwork|args" msgid "" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1731 -======= -#: ClientCommand.cpp:1721 ->>>>>>> 1.7.x msgctxt "helpcmd|JumpNetwork|desc" msgid "" "Jump to another network (Alternatively, you can connect to ZNC several " "times, using `user/network` as username)" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1736 -======= -#: ClientCommand.cpp:1726 ->>>>>>> 1.7.x msgctxt "helpcmd|AddServer|args" msgid " [[+]port] [pass]" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1737 -======= -#: ClientCommand.cpp:1727 ->>>>>>> 1.7.x msgctxt "helpcmd|AddServer|desc" msgid "" "Add a server to the list of alternate/backup servers of current IRC network." msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1741 -======= -#: ClientCommand.cpp:1731 ->>>>>>> 1.7.x msgctxt "helpcmd|DelServer|args" msgid " [port] [pass]" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1742 -======= -#: ClientCommand.cpp:1732 ->>>>>>> 1.7.x msgctxt "helpcmd|DelServer|desc" msgid "" "Remove a server from the list of alternate/backup servers of current IRC " "network" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1748 -======= -#: ClientCommand.cpp:1738 ->>>>>>> 1.7.x msgctxt "helpcmd|AddTrustedServerFingerprint|args" msgid "" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1749 -======= -#: ClientCommand.cpp:1739 ->>>>>>> 1.7.x msgctxt "helpcmd|AddTrustedServerFingerprint|desc" msgid "" "Add a trusted server SSL certificate fingerprint (SHA-256) to current IRC " "network." msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1754 -======= -#: ClientCommand.cpp:1744 ->>>>>>> 1.7.x msgctxt "helpcmd|DelTrustedServerFingerprint|args" msgid "" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1755 -======= -#: ClientCommand.cpp:1745 ->>>>>>> 1.7.x msgctxt "helpcmd|DelTrustedServerFingerprint|desc" msgid "Delete a trusted server SSL certificate from current IRC network." msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1759 -======= -#: ClientCommand.cpp:1749 ->>>>>>> 1.7.x msgctxt "helpcmd|ListTrustedServerFingerprints|desc" msgid "List all trusted server SSL certificates of current IRC network." msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1762 -======= -#: ClientCommand.cpp:1752 ->>>>>>> 1.7.x msgctxt "helpcmd|EnableChan|args" msgid "<#chans>" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1763 -======= -#: ClientCommand.cpp:1753 ->>>>>>> 1.7.x msgctxt "helpcmd|EnableChan|desc" msgid "Enable channels" msgstr "Abilita i canali" -<<<<<<< HEAD #: ClientCommand.cpp:1764 -======= -#: ClientCommand.cpp:1754 ->>>>>>> 1.7.x msgctxt "helpcmd|DisableChan|args" msgid "<#chans>" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1765 -======= -#: ClientCommand.cpp:1755 ->>>>>>> 1.7.x msgctxt "helpcmd|DisableChan|desc" msgid "Disable channels" msgstr "Disabilita canali" -<<<<<<< HEAD #: ClientCommand.cpp:1766 -======= -#: ClientCommand.cpp:1756 ->>>>>>> 1.7.x msgctxt "helpcmd|Attach|args" msgid "<#chans>" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1767 -======= -#: ClientCommand.cpp:1757 ->>>>>>> 1.7.x msgctxt "helpcmd|Attach|desc" msgid "Attach to channels" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1768 -======= -#: ClientCommand.cpp:1758 ->>>>>>> 1.7.x msgctxt "helpcmd|Detach|args" msgid "<#chans>" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1769 -======= -#: ClientCommand.cpp:1759 ->>>>>>> 1.7.x msgctxt "helpcmd|Detach|desc" msgid "Detach from channels" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1772 -======= -#: ClientCommand.cpp:1762 ->>>>>>> 1.7.x msgctxt "helpcmd|Topics|desc" msgid "Show topics in all your channels" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1775 -======= -#: ClientCommand.cpp:1765 ->>>>>>> 1.7.x msgctxt "helpcmd|PlayBuffer|args" msgid "<#chan|query>" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1776 -======= -#: ClientCommand.cpp:1766 ->>>>>>> 1.7.x msgctxt "helpcmd|PlayBuffer|desc" msgid "Play back the specified buffer" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1778 -======= -#: ClientCommand.cpp:1768 ->>>>>>> 1.7.x msgctxt "helpcmd|ClearBuffer|args" msgid "<#chan|query>" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1779 -======= -#: ClientCommand.cpp:1769 ->>>>>>> 1.7.x msgctxt "helpcmd|ClearBuffer|desc" msgid "Clear the specified buffer" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1781 -======= -#: ClientCommand.cpp:1771 ->>>>>>> 1.7.x msgctxt "helpcmd|ClearAllBuffers|desc" msgid "Clear all channel and query buffers" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1784 -======= -#: ClientCommand.cpp:1774 ->>>>>>> 1.7.x msgctxt "helpcmd|ClearAllChannelBuffers|desc" msgid "Clear the channel buffers" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1788 -======= -#: ClientCommand.cpp:1778 ->>>>>>> 1.7.x msgctxt "helpcmd|ClearAllQueryBuffers|desc" msgid "Clear the query buffers" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1790 -======= -#: ClientCommand.cpp:1780 ->>>>>>> 1.7.x msgctxt "helpcmd|SetBuffer|args" msgid "<#chan|query> [linecount]" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1791 -======= -#: ClientCommand.cpp:1781 ->>>>>>> 1.7.x msgctxt "helpcmd|SetBuffer|desc" msgid "Set the buffer count" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1795 -======= -#: ClientCommand.cpp:1785 ->>>>>>> 1.7.x msgctxt "helpcmd|SetBindHost|args" msgid "" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1796 -======= -#: ClientCommand.cpp:1786 ->>>>>>> 1.7.x msgctxt "helpcmd|SetBindHost|desc" msgid "Set the bind host for this network" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1800 -======= -#: ClientCommand.cpp:1790 ->>>>>>> 1.7.x msgctxt "helpcmd|SetUserBindHost|args" msgid "" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1801 -======= -#: ClientCommand.cpp:1791 ->>>>>>> 1.7.x msgctxt "helpcmd|SetUserBindHost|desc" msgid "Set the default bind host for this user" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1804 -======= -#: ClientCommand.cpp:1794 ->>>>>>> 1.7.x msgctxt "helpcmd|ClearBindHost|desc" msgid "Clear the bind host for this network" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1807 -======= -#: ClientCommand.cpp:1797 ->>>>>>> 1.7.x msgctxt "helpcmd|ClearUserBindHost|desc" msgid "Clear the default bind host for this user" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1813 -======= -#: ClientCommand.cpp:1803 ->>>>>>> 1.7.x msgctxt "helpcmd|ShowBindHost|desc" msgid "Show currently selected bind host" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1815 -======= -#: ClientCommand.cpp:1805 ->>>>>>> 1.7.x msgctxt "helpcmd|Jump|args" msgid "[server]" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1816 -======= -#: ClientCommand.cpp:1806 ->>>>>>> 1.7.x msgctxt "helpcmd|Jump|desc" msgid "Jump to the next or the specified server" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1817 -======= -#: ClientCommand.cpp:1807 ->>>>>>> 1.7.x msgctxt "helpcmd|Disconnect|args" msgid "[message]" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1818 -======= -#: ClientCommand.cpp:1808 ->>>>>>> 1.7.x msgctxt "helpcmd|Disconnect|desc" msgid "Disconnect from IRC" msgstr "Disconnetti da IRC" -<<<<<<< HEAD #: ClientCommand.cpp:1820 -======= -#: ClientCommand.cpp:1810 ->>>>>>> 1.7.x msgctxt "helpcmd|Connect|desc" msgid "Reconnect to IRC" msgstr "Riconnetti a IRC" -<<<<<<< HEAD #: ClientCommand.cpp:1823 -======= -#: ClientCommand.cpp:1813 ->>>>>>> 1.7.x msgctxt "helpcmd|Uptime|desc" msgid "Show for how long ZNC has been running" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1827 -======= -#: ClientCommand.cpp:1817 ->>>>>>> 1.7.x msgctxt "helpcmd|LoadMod|args" msgid "[--type=global|user|network] " msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1829 -======= -#: ClientCommand.cpp:1819 ->>>>>>> 1.7.x msgctxt "helpcmd|LoadMod|desc" msgid "Load a module" msgstr "Carica un modulo" -<<<<<<< HEAD #: ClientCommand.cpp:1831 -======= -#: ClientCommand.cpp:1821 ->>>>>>> 1.7.x msgctxt "helpcmd|UnloadMod|args" msgid "[--type=global|user|network] " msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1833 -======= -#: ClientCommand.cpp:1823 ->>>>>>> 1.7.x msgctxt "helpcmd|UnloadMod|desc" msgid "Unload a module" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1835 -======= -#: ClientCommand.cpp:1825 ->>>>>>> 1.7.x msgctxt "helpcmd|ReloadMod|args" msgid "[--type=global|user|network] " msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1837 -======= -#: ClientCommand.cpp:1827 ->>>>>>> 1.7.x msgctxt "helpcmd|ReloadMod|desc" msgid "Reload a module" msgstr "Ricarica un modulo" -<<<<<<< HEAD #: ClientCommand.cpp:1840 -======= -#: ClientCommand.cpp:1830 ->>>>>>> 1.7.x msgctxt "helpcmd|UpdateMod|args" msgid "" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1841 -======= -#: ClientCommand.cpp:1831 ->>>>>>> 1.7.x msgctxt "helpcmd|UpdateMod|desc" msgid "Reload a module everywhere" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1847 -======= -#: ClientCommand.cpp:1837 ->>>>>>> 1.7.x msgctxt "helpcmd|ShowMOTD|desc" msgid "Show ZNC's message of the day" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1851 -======= -#: ClientCommand.cpp:1841 ->>>>>>> 1.7.x msgctxt "helpcmd|SetMOTD|args" msgid "" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1852 -======= -#: ClientCommand.cpp:1842 ->>>>>>> 1.7.x msgctxt "helpcmd|SetMOTD|desc" msgid "Set ZNC's message of the day" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1854 -======= -#: ClientCommand.cpp:1844 ->>>>>>> 1.7.x msgctxt "helpcmd|AddMOTD|args" msgid "" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1855 -======= -#: ClientCommand.cpp:1845 ->>>>>>> 1.7.x msgctxt "helpcmd|AddMOTD|desc" msgid "Append to ZNC's MOTD" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1857 -======= -#: ClientCommand.cpp:1847 ->>>>>>> 1.7.x msgctxt "helpcmd|ClearMOTD|desc" msgid "Clear ZNC's MOTD" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1860 -======= -#: ClientCommand.cpp:1850 ->>>>>>> 1.7.x msgctxt "helpcmd|ListPorts|desc" msgid "Show all active listeners" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1862 -======= -#: ClientCommand.cpp:1852 ->>>>>>> 1.7.x msgctxt "helpcmd|AddPort|args" msgid "<[+]port> [bindhost [uriprefix]]" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1865 -======= -#: ClientCommand.cpp:1855 ->>>>>>> 1.7.x msgctxt "helpcmd|AddPort|desc" msgid "Add another port for ZNC to listen on" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1869 -======= -#: ClientCommand.cpp:1859 ->>>>>>> 1.7.x msgctxt "helpcmd|DelPort|args" msgid " [bindhost]" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1870 -======= -#: ClientCommand.cpp:1860 ->>>>>>> 1.7.x msgctxt "helpcmd|DelPort|desc" msgid "Remove a port from ZNC" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1873 -======= -#: ClientCommand.cpp:1863 ->>>>>>> 1.7.x msgctxt "helpcmd|Rehash|desc" msgid "Reload global settings, modules, and listeners from znc.conf" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1876 -======= -#: ClientCommand.cpp:1866 ->>>>>>> 1.7.x msgctxt "helpcmd|SaveConfig|desc" msgid "Save the current settings to disk" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1879 -======= -#: ClientCommand.cpp:1869 ->>>>>>> 1.7.x msgctxt "helpcmd|ListUsers|desc" msgid "List all ZNC users and their connection status" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1882 -======= -#: ClientCommand.cpp:1872 ->>>>>>> 1.7.x msgctxt "helpcmd|ListAllUserNetworks|desc" msgid "List all ZNC users and their networks" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1885 -======= -#: ClientCommand.cpp:1875 ->>>>>>> 1.7.x msgctxt "helpcmd|ListChans|args" msgid "[user ]" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1888 -======= -#: ClientCommand.cpp:1878 ->>>>>>> 1.7.x msgctxt "helpcmd|ListClients|args" msgid "[user]" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1889 -======= -#: ClientCommand.cpp:1879 ->>>>>>> 1.7.x msgctxt "helpcmd|ListClients|desc" msgid "List all connected clients" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1891 -======= -#: ClientCommand.cpp:1881 ->>>>>>> 1.7.x msgctxt "helpcmd|Traffic|desc" msgid "Show basic traffic stats for all ZNC users" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1893 -======= -#: ClientCommand.cpp:1883 ->>>>>>> 1.7.x msgctxt "helpcmd|Broadcast|args" msgid "[message]" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1894 -======= -#: ClientCommand.cpp:1884 ->>>>>>> 1.7.x msgctxt "helpcmd|Broadcast|desc" msgid "Broadcast a message to all ZNC users" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1897 -======= -#: ClientCommand.cpp:1887 ->>>>>>> 1.7.x msgctxt "helpcmd|Shutdown|args" msgid "[message]" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1898 -======= -#: ClientCommand.cpp:1888 ->>>>>>> 1.7.x msgctxt "helpcmd|Shutdown|desc" msgid "Shut down ZNC completely" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1899 -======= -#: ClientCommand.cpp:1889 ->>>>>>> 1.7.x msgctxt "helpcmd|Restart|args" msgid "[message]" msgstr "" -<<<<<<< HEAD #: ClientCommand.cpp:1900 -======= -#: ClientCommand.cpp:1890 ->>>>>>> 1.7.x msgctxt "helpcmd|Restart|desc" msgid "Restart ZNC" msgstr "" @@ -2521,7 +1681,6 @@ msgstr "" msgid "Some socket reached its max buffer limit and was closed!" msgstr "" -<<<<<<< HEAD #: SSLVerifyHost.cpp:481 msgid "hostname doesn't match" msgstr "" @@ -2531,17 +1690,6 @@ msgid "malformed hostname in certificate" msgstr "" #: SSLVerifyHost.cpp:489 -======= -#: SSLVerifyHost.cpp:448 -msgid "hostname doesn't match" -msgstr "" - -#: SSLVerifyHost.cpp:452 -msgid "malformed hostname in certificate" -msgstr "" - -#: SSLVerifyHost.cpp:456 ->>>>>>> 1.7.x msgid "hostname verification error" msgstr "" @@ -2561,7 +1709,6 @@ msgid "" "to this user" msgstr "" -<<<<<<< HEAD #: User.cpp:912 msgid "Password is empty" msgstr "" @@ -2575,20 +1722,5 @@ msgid "Username is invalid" msgstr "" #: User.cpp:1199 -======= -#: User.cpp:907 -msgid "Password is empty" -msgstr "" - -#: User.cpp:912 -msgid "Username is empty" -msgstr "" - -#: User.cpp:917 -msgid "Username is invalid" -msgstr "" - -#: User.cpp:1188 ->>>>>>> 1.7.x msgid "Unable to find modinfo {1}: {2}" msgstr "" diff --git a/src/po/znc.nl_NL.po b/src/po/znc.nl_NL.po index f1d36296..295faa76 100644 --- a/src/po/znc.nl_NL.po +++ b/src/po/znc.nl_NL.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/src/po/znc.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Dutch\n" "Language: nl_NL\n" @@ -418,20 +414,12 @@ msgstr "" "Module {1} is niet compatible gecompileerd: kern is '{2}', module is '{3}'. " "Hercompileer deze module." -<<<<<<< HEAD #: Modules.cpp:2023 Modules.cpp:2029 -======= -#: Modules.cpp:2022 Modules.cpp:2028 ->>>>>>> 1.7.x msgctxt "modhelpcmd" msgid "Command" msgstr "Commando" -<<<<<<< HEAD #: Modules.cpp:2024 Modules.cpp:2031 -======= -#: Modules.cpp:2023 Modules.cpp:2029 ->>>>>>> 1.7.x msgctxt "modhelpcmd" msgid "Description" msgstr "Beschrijving" diff --git a/src/po/znc.pt_BR.po b/src/po/znc.pt_BR.po index 24a7d1e4..81142d41 100644 --- a/src/po/znc.pt_BR.po +++ b/src/po/znc.pt_BR.po @@ -8,11 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/src/po/znc.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" @@ -397,20 +393,12 @@ msgid "" "this module." msgstr "" -<<<<<<< HEAD #: Modules.cpp:2023 Modules.cpp:2029 -======= -#: Modules.cpp:2022 Modules.cpp:2028 ->>>>>>> 1.7.x msgctxt "modhelpcmd" msgid "Command" msgstr "Comando" -<<<<<<< HEAD #: Modules.cpp:2024 Modules.cpp:2031 -======= -#: Modules.cpp:2023 Modules.cpp:2029 ->>>>>>> 1.7.x msgctxt "modhelpcmd" msgid "Description" msgstr "Descrição" diff --git a/src/po/znc.ru_RU.po b/src/po/znc.ru_RU.po index d3c18f03..8a64f7bf 100644 --- a/src/po/znc.ru_RU.po +++ b/src/po/znc.ru_RU.po @@ -10,11 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/src/po/znc.pot\n" "Project-Id-Version: znc-bouncer\n" -<<<<<<< HEAD "Last-Translator: Various people\n" -======= -"Last-Translator: DarthGandalf\n" ->>>>>>> 1.7.x "Language-Team: Russian\n" "Language: ru_RU\n" @@ -407,20 +403,12 @@ msgstr "" "Модуль {1} собран не так: ядро — «{2}», а модуль — «{3}». Пересоберите этот " "модуль." -<<<<<<< HEAD #: Modules.cpp:2023 Modules.cpp:2029 -======= -#: Modules.cpp:2022 Modules.cpp:2028 ->>>>>>> 1.7.x msgctxt "modhelpcmd" msgid "Command" msgstr "Команда" -<<<<<<< HEAD #: Modules.cpp:2024 Modules.cpp:2031 -======= -#: Modules.cpp:2023 Modules.cpp:2029 ->>>>>>> 1.7.x msgctxt "modhelpcmd" msgid "Description" msgstr "Описание" From 61f5ca2bc079f8a97c393fb6b2d77ace29ebc449 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Fri, 12 Jul 2019 08:39:56 +0100 Subject: [PATCH 268/798] Modtcl: install .tcl files when building with CMake MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit Thanks to Patrick Matthäi for report. --- modules/modtcl/CMakeLists.txt | 3 +++ 1 file changed, 3 insertions(+) diff --git a/modules/modtcl/CMakeLists.txt b/modules/modtcl/CMakeLists.txt index b0f7ce38..e24dbc5e 100644 --- a/modules/modtcl/CMakeLists.txt +++ b/modules/modtcl/CMakeLists.txt @@ -16,3 +16,6 @@ set(modinclude_modtcl PRIVATE ${TCL_INCLUDE_PATH} PARENT_SCOPE) set(modlink_modtcl PRIVATE ${TCL_LIBRARY} PARENT_SCOPE) + +install(FILES "modtcl.tcl" "binds.tcl" + DESTINATION "${CMAKE_INSTALL_DATADIR}/znc/modtcl") From fa3d503865db8a001b2dd7aafb1d33ebb37fb6b0 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Tue, 25 Jun 2019 23:45:30 +0100 Subject: [PATCH 269/798] crowdin: don't claim that I translated everything (cherry picked from commit ebbe9f259274a7f390acdcbec675fccddb590a19) --- .ci/cleanup-po.pl | 4 +++- 1 file changed, 3 insertions(+), 1 deletion(-) diff --git a/.ci/cleanup-po.pl b/.ci/cleanup-po.pl index 7415b251..392e890b 100755 --- a/.ci/cleanup-po.pl +++ b/.ci/cleanup-po.pl @@ -11,6 +11,8 @@ if ($ENV{MSGFILTER_MSGID}) { print $text; } else { for (split(/^/, $text)) { - print unless /^PO-Revision-Date:/; + next if /^PO-Revision-Date:/; + s/^Last-Translator: \K.*/Various people/; + print; } } From 0b2be5245c98807a1c007e2b6aced022a0360505 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Sat, 13 Jul 2019 00:27:49 +0000 Subject: [PATCH 270/798] Update translations from Crowdin for bg_BG de_DE es_ES fr_FR id_ID it_IT nl_NL pt_BR ru_RU --- modules/po/admindebug.bg_BG.po | 2 +- modules/po/admindebug.de_DE.po | 2 +- modules/po/admindebug.es_ES.po | 2 +- modules/po/admindebug.fr_FR.po | 2 +- modules/po/admindebug.id_ID.po | 2 +- modules/po/admindebug.it_IT.po | 2 +- modules/po/admindebug.nl_NL.po | 2 +- modules/po/admindebug.pt_BR.po | 2 +- modules/po/admindebug.ru_RU.po | 2 +- modules/po/adminlog.bg_BG.po | 2 +- modules/po/adminlog.de_DE.po | 2 +- modules/po/adminlog.es_ES.po | 2 +- modules/po/adminlog.fr_FR.po | 2 +- modules/po/adminlog.id_ID.po | 2 +- modules/po/adminlog.it_IT.po | 28 +- modules/po/adminlog.nl_NL.po | 2 +- modules/po/adminlog.pt_BR.po | 2 +- modules/po/adminlog.ru_RU.po | 2 +- modules/po/alias.bg_BG.po | 2 +- modules/po/alias.de_DE.po | 2 +- modules/po/alias.es_ES.po | 2 +- modules/po/alias.fr_FR.po | 2 +- modules/po/alias.id_ID.po | 2 +- modules/po/alias.it_IT.po | 55 ++-- modules/po/alias.nl_NL.po | 2 +- modules/po/alias.pt_BR.po | 2 +- modules/po/alias.ru_RU.po | 2 +- modules/po/autoattach.bg_BG.po | 2 +- modules/po/autoattach.de_DE.po | 2 +- modules/po/autoattach.es_ES.po | 2 +- modules/po/autoattach.fr_FR.po | 2 +- modules/po/autoattach.id_ID.po | 2 +- modules/po/autoattach.it_IT.po | 38 +-- modules/po/autoattach.nl_NL.po | 2 +- modules/po/autoattach.pt_BR.po | 2 +- modules/po/autoattach.ru_RU.po | 2 +- modules/po/autocycle.bg_BG.po | 2 +- modules/po/autocycle.de_DE.po | 2 +- modules/po/autocycle.es_ES.po | 2 +- modules/po/autocycle.fr_FR.po | 2 +- modules/po/autocycle.id_ID.po | 2 +- modules/po/autocycle.it_IT.po | 2 +- modules/po/autocycle.nl_NL.po | 2 +- modules/po/autocycle.pt_BR.po | 2 +- modules/po/autocycle.ru_RU.po | 2 +- modules/po/autoop.bg_BG.po | 2 +- modules/po/autoop.de_DE.po | 2 +- modules/po/autoop.es_ES.po | 2 +- modules/po/autoop.fr_FR.po | 2 +- modules/po/autoop.id_ID.po | 2 +- modules/po/autoop.it_IT.po | 50 +-- modules/po/autoop.nl_NL.po | 2 +- modules/po/autoop.pt_BR.po | 2 +- modules/po/autoop.ru_RU.po | 2 +- modules/po/autoreply.bg_BG.po | 2 +- modules/po/autoreply.de_DE.po | 2 +- modules/po/autoreply.es_ES.po | 2 +- modules/po/autoreply.fr_FR.po | 2 +- modules/po/autoreply.id_ID.po | 2 +- modules/po/autoreply.it_IT.po | 2 +- modules/po/autoreply.nl_NL.po | 2 +- modules/po/autoreply.pt_BR.po | 2 +- modules/po/autoreply.ru_RU.po | 2 +- modules/po/autovoice.bg_BG.po | 2 +- modules/po/autovoice.de_DE.po | 2 +- modules/po/autovoice.es_ES.po | 2 +- modules/po/autovoice.fr_FR.po | 2 +- modules/po/autovoice.id_ID.po | 2 +- modules/po/autovoice.it_IT.po | 2 +- modules/po/autovoice.nl_NL.po | 2 +- modules/po/autovoice.pt_BR.po | 2 +- modules/po/autovoice.ru_RU.po | 2 +- modules/po/awaystore.bg_BG.po | 2 +- modules/po/awaystore.de_DE.po | 2 +- modules/po/awaystore.es_ES.po | 2 +- modules/po/awaystore.fr_FR.po | 2 +- modules/po/awaystore.id_ID.po | 2 +- modules/po/awaystore.it_IT.po | 2 +- modules/po/awaystore.nl_NL.po | 2 +- modules/po/awaystore.pt_BR.po | 2 +- modules/po/awaystore.ru_RU.po | 2 +- modules/po/block_motd.bg_BG.po | 2 +- modules/po/block_motd.de_DE.po | 2 +- modules/po/block_motd.es_ES.po | 2 +- modules/po/block_motd.fr_FR.po | 2 +- modules/po/block_motd.id_ID.po | 2 +- modules/po/block_motd.it_IT.po | 2 +- modules/po/block_motd.nl_NL.po | 2 +- modules/po/block_motd.pt_BR.po | 2 +- modules/po/block_motd.ru_RU.po | 2 +- modules/po/blockuser.bg_BG.po | 2 +- modules/po/blockuser.de_DE.po | 2 +- modules/po/blockuser.es_ES.po | 2 +- modules/po/blockuser.fr_FR.po | 2 +- modules/po/blockuser.id_ID.po | 2 +- modules/po/blockuser.it_IT.po | 2 +- modules/po/blockuser.nl_NL.po | 2 +- modules/po/blockuser.pt_BR.po | 2 +- modules/po/blockuser.ru_RU.po | 2 +- modules/po/bouncedcc.bg_BG.po | 2 +- modules/po/bouncedcc.de_DE.po | 2 +- modules/po/bouncedcc.es_ES.po | 2 +- modules/po/bouncedcc.fr_FR.po | 2 +- modules/po/bouncedcc.id_ID.po | 2 +- modules/po/bouncedcc.it_IT.po | 2 +- modules/po/bouncedcc.nl_NL.po | 2 +- modules/po/bouncedcc.pt_BR.po | 2 +- modules/po/bouncedcc.ru_RU.po | 2 +- modules/po/buffextras.bg_BG.po | 2 +- modules/po/buffextras.de_DE.po | 2 +- modules/po/buffextras.es_ES.po | 2 +- modules/po/buffextras.fr_FR.po | 2 +- modules/po/buffextras.id_ID.po | 2 +- modules/po/buffextras.it_IT.po | 2 +- modules/po/buffextras.nl_NL.po | 2 +- modules/po/buffextras.pt_BR.po | 2 +- modules/po/buffextras.ru_RU.po | 2 +- modules/po/cert.bg_BG.po | 2 +- modules/po/cert.de_DE.po | 2 +- modules/po/cert.es_ES.po | 2 +- modules/po/cert.fr_FR.po | 2 +- modules/po/cert.id_ID.po | 2 +- modules/po/cert.it_IT.po | 2 +- modules/po/cert.nl_NL.po | 2 +- modules/po/cert.pt_BR.po | 2 +- modules/po/cert.ru_RU.po | 2 +- modules/po/certauth.bg_BG.po | 2 +- modules/po/certauth.de_DE.po | 2 +- modules/po/certauth.es_ES.po | 2 +- modules/po/certauth.fr_FR.po | 2 +- modules/po/certauth.id_ID.po | 2 +- modules/po/certauth.it_IT.po | 2 +- modules/po/certauth.nl_NL.po | 2 +- modules/po/certauth.pt_BR.po | 2 +- modules/po/certauth.ru_RU.po | 2 +- modules/po/chansaver.bg_BG.po | 2 +- modules/po/chansaver.de_DE.po | 2 +- modules/po/chansaver.es_ES.po | 2 +- modules/po/chansaver.fr_FR.po | 2 +- modules/po/chansaver.id_ID.po | 2 +- modules/po/chansaver.it_IT.po | 2 +- modules/po/chansaver.nl_NL.po | 2 +- modules/po/chansaver.pt_BR.po | 2 +- modules/po/chansaver.ru_RU.po | 2 +- modules/po/clearbufferonmsg.bg_BG.po | 2 +- modules/po/clearbufferonmsg.de_DE.po | 2 +- modules/po/clearbufferonmsg.es_ES.po | 2 +- modules/po/clearbufferonmsg.fr_FR.po | 2 +- modules/po/clearbufferonmsg.id_ID.po | 2 +- modules/po/clearbufferonmsg.it_IT.po | 2 +- modules/po/clearbufferonmsg.nl_NL.po | 2 +- modules/po/clearbufferonmsg.pt_BR.po | 2 +- modules/po/clearbufferonmsg.ru_RU.po | 2 +- modules/po/clientnotify.bg_BG.po | 2 +- modules/po/clientnotify.de_DE.po | 2 +- modules/po/clientnotify.es_ES.po | 2 +- modules/po/clientnotify.fr_FR.po | 2 +- modules/po/clientnotify.id_ID.po | 2 +- modules/po/clientnotify.it_IT.po | 2 +- modules/po/clientnotify.nl_NL.po | 2 +- modules/po/clientnotify.pt_BR.po | 2 +- modules/po/clientnotify.ru_RU.po | 2 +- modules/po/controlpanel.bg_BG.po | 2 +- modules/po/controlpanel.de_DE.po | 2 +- modules/po/controlpanel.es_ES.po | 2 +- modules/po/controlpanel.fr_FR.po | 2 +- modules/po/controlpanel.id_ID.po | 2 +- modules/po/controlpanel.it_IT.po | 2 +- modules/po/controlpanel.nl_NL.po | 2 +- modules/po/controlpanel.pt_BR.po | 2 +- modules/po/controlpanel.ru_RU.po | 2 +- modules/po/crypt.bg_BG.po | 2 +- modules/po/crypt.de_DE.po | 2 +- modules/po/crypt.es_ES.po | 2 +- modules/po/crypt.fr_FR.po | 2 +- modules/po/crypt.id_ID.po | 2 +- modules/po/crypt.it_IT.po | 2 +- modules/po/crypt.nl_NL.po | 2 +- modules/po/crypt.pt_BR.po | 2 +- modules/po/crypt.ru_RU.po | 2 +- modules/po/ctcpflood.bg_BG.po | 2 +- modules/po/ctcpflood.de_DE.po | 2 +- modules/po/ctcpflood.es_ES.po | 2 +- modules/po/ctcpflood.fr_FR.po | 2 +- modules/po/ctcpflood.id_ID.po | 2 +- modules/po/ctcpflood.it_IT.po | 2 +- modules/po/ctcpflood.nl_NL.po | 2 +- modules/po/ctcpflood.pt_BR.po | 2 +- modules/po/ctcpflood.ru_RU.po | 2 +- modules/po/cyrusauth.bg_BG.po | 2 +- modules/po/cyrusauth.de_DE.po | 2 +- modules/po/cyrusauth.es_ES.po | 2 +- modules/po/cyrusauth.fr_FR.po | 2 +- modules/po/cyrusauth.id_ID.po | 2 +- modules/po/cyrusauth.it_IT.po | 2 +- modules/po/cyrusauth.nl_NL.po | 2 +- modules/po/cyrusauth.pt_BR.po | 2 +- modules/po/cyrusauth.ru_RU.po | 2 +- modules/po/dcc.bg_BG.po | 2 +- modules/po/dcc.de_DE.po | 2 +- modules/po/dcc.es_ES.po | 2 +- modules/po/dcc.fr_FR.po | 2 +- modules/po/dcc.id_ID.po | 2 +- modules/po/dcc.it_IT.po | 2 +- modules/po/dcc.nl_NL.po | 2 +- modules/po/dcc.pt_BR.po | 2 +- modules/po/dcc.ru_RU.po | 2 +- modules/po/disconkick.bg_BG.po | 2 +- modules/po/disconkick.de_DE.po | 2 +- modules/po/disconkick.es_ES.po | 2 +- modules/po/disconkick.fr_FR.po | 2 +- modules/po/disconkick.id_ID.po | 2 +- modules/po/disconkick.it_IT.po | 2 +- modules/po/disconkick.nl_NL.po | 2 +- modules/po/disconkick.pt_BR.po | 2 +- modules/po/disconkick.ru_RU.po | 2 +- modules/po/fail2ban.bg_BG.po | 2 +- modules/po/fail2ban.de_DE.po | 2 +- modules/po/fail2ban.es_ES.po | 2 +- modules/po/fail2ban.fr_FR.po | 2 +- modules/po/fail2ban.id_ID.po | 2 +- modules/po/fail2ban.it_IT.po | 2 +- modules/po/fail2ban.nl_NL.po | 2 +- modules/po/fail2ban.pt_BR.po | 2 +- modules/po/fail2ban.ru_RU.po | 2 +- modules/po/flooddetach.bg_BG.po | 2 +- modules/po/flooddetach.de_DE.po | 2 +- modules/po/flooddetach.es_ES.po | 2 +- modules/po/flooddetach.fr_FR.po | 2 +- modules/po/flooddetach.id_ID.po | 2 +- modules/po/flooddetach.it_IT.po | 2 +- modules/po/flooddetach.nl_NL.po | 2 +- modules/po/flooddetach.pt_BR.po | 2 +- modules/po/flooddetach.ru_RU.po | 2 +- modules/po/identfile.bg_BG.po | 2 +- modules/po/identfile.de_DE.po | 2 +- modules/po/identfile.es_ES.po | 2 +- modules/po/identfile.fr_FR.po | 2 +- modules/po/identfile.id_ID.po | 2 +- modules/po/identfile.it_IT.po | 2 +- modules/po/identfile.nl_NL.po | 2 +- modules/po/identfile.pt_BR.po | 2 +- modules/po/identfile.ru_RU.po | 2 +- modules/po/imapauth.bg_BG.po | 2 +- modules/po/imapauth.de_DE.po | 2 +- modules/po/imapauth.es_ES.po | 2 +- modules/po/imapauth.fr_FR.po | 2 +- modules/po/imapauth.id_ID.po | 2 +- modules/po/imapauth.it_IT.po | 2 +- modules/po/imapauth.nl_NL.po | 2 +- modules/po/imapauth.pt_BR.po | 2 +- modules/po/imapauth.ru_RU.po | 2 +- modules/po/keepnick.bg_BG.po | 2 +- modules/po/keepnick.de_DE.po | 2 +- modules/po/keepnick.es_ES.po | 2 +- modules/po/keepnick.fr_FR.po | 2 +- modules/po/keepnick.id_ID.po | 2 +- modules/po/keepnick.it_IT.po | 2 +- modules/po/keepnick.nl_NL.po | 2 +- modules/po/keepnick.pt_BR.po | 2 +- modules/po/keepnick.ru_RU.po | 2 +- modules/po/kickrejoin.bg_BG.po | 2 +- modules/po/kickrejoin.de_DE.po | 2 +- modules/po/kickrejoin.es_ES.po | 2 +- modules/po/kickrejoin.fr_FR.po | 2 +- modules/po/kickrejoin.id_ID.po | 2 +- modules/po/kickrejoin.it_IT.po | 2 +- modules/po/kickrejoin.nl_NL.po | 2 +- modules/po/kickrejoin.pt_BR.po | 2 +- modules/po/kickrejoin.ru_RU.po | 2 +- modules/po/lastseen.bg_BG.po | 2 +- modules/po/lastseen.de_DE.po | 2 +- modules/po/lastseen.es_ES.po | 2 +- modules/po/lastseen.fr_FR.po | 2 +- modules/po/lastseen.id_ID.po | 2 +- modules/po/lastseen.it_IT.po | 2 +- modules/po/lastseen.nl_NL.po | 2 +- modules/po/lastseen.pt_BR.po | 2 +- modules/po/lastseen.ru_RU.po | 2 +- modules/po/listsockets.bg_BG.po | 2 +- modules/po/listsockets.de_DE.po | 2 +- modules/po/listsockets.es_ES.po | 2 +- modules/po/listsockets.fr_FR.po | 2 +- modules/po/listsockets.id_ID.po | 2 +- modules/po/listsockets.it_IT.po | 2 +- modules/po/listsockets.nl_NL.po | 2 +- modules/po/listsockets.pt_BR.po | 2 +- modules/po/listsockets.ru_RU.po | 2 +- modules/po/log.bg_BG.po | 2 +- modules/po/log.de_DE.po | 2 +- modules/po/log.es_ES.po | 2 +- modules/po/log.fr_FR.po | 2 +- modules/po/log.id_ID.po | 2 +- modules/po/log.it_IT.po | 2 +- modules/po/log.nl_NL.po | 2 +- modules/po/log.pt_BR.po | 2 +- modules/po/log.ru_RU.po | 2 +- modules/po/missingmotd.bg_BG.po | 2 +- modules/po/missingmotd.de_DE.po | 2 +- modules/po/missingmotd.es_ES.po | 2 +- modules/po/missingmotd.fr_FR.po | 2 +- modules/po/missingmotd.id_ID.po | 2 +- modules/po/missingmotd.it_IT.po | 2 +- modules/po/missingmotd.nl_NL.po | 2 +- modules/po/missingmotd.pt_BR.po | 2 +- modules/po/missingmotd.ru_RU.po | 2 +- modules/po/modperl.bg_BG.po | 2 +- modules/po/modperl.de_DE.po | 2 +- modules/po/modperl.es_ES.po | 2 +- modules/po/modperl.fr_FR.po | 2 +- modules/po/modperl.id_ID.po | 2 +- modules/po/modperl.it_IT.po | 2 +- modules/po/modperl.nl_NL.po | 2 +- modules/po/modperl.pt_BR.po | 2 +- modules/po/modperl.ru_RU.po | 2 +- modules/po/modpython.bg_BG.po | 2 +- modules/po/modpython.de_DE.po | 2 +- modules/po/modpython.es_ES.po | 2 +- modules/po/modpython.fr_FR.po | 2 +- modules/po/modpython.id_ID.po | 2 +- modules/po/modpython.it_IT.po | 2 +- modules/po/modpython.nl_NL.po | 2 +- modules/po/modpython.pt_BR.po | 2 +- modules/po/modpython.ru_RU.po | 2 +- modules/po/modules_online.bg_BG.po | 2 +- modules/po/modules_online.de_DE.po | 2 +- modules/po/modules_online.es_ES.po | 2 +- modules/po/modules_online.fr_FR.po | 2 +- modules/po/modules_online.id_ID.po | 2 +- modules/po/modules_online.it_IT.po | 2 +- modules/po/modules_online.nl_NL.po | 2 +- modules/po/modules_online.pt_BR.po | 2 +- modules/po/modules_online.ru_RU.po | 2 +- modules/po/nickserv.bg_BG.po | 2 +- modules/po/nickserv.de_DE.po | 2 +- modules/po/nickserv.es_ES.po | 2 +- modules/po/nickserv.fr_FR.po | 2 +- modules/po/nickserv.id_ID.po | 2 +- modules/po/nickserv.it_IT.po | 2 +- modules/po/nickserv.nl_NL.po | 2 +- modules/po/nickserv.pt_BR.po | 2 +- modules/po/nickserv.ru_RU.po | 2 +- modules/po/notes.bg_BG.po | 2 +- modules/po/notes.de_DE.po | 2 +- modules/po/notes.es_ES.po | 2 +- modules/po/notes.fr_FR.po | 2 +- modules/po/notes.id_ID.po | 2 +- modules/po/notes.it_IT.po | 2 +- modules/po/notes.nl_NL.po | 2 +- modules/po/notes.pt_BR.po | 2 +- modules/po/notes.ru_RU.po | 2 +- modules/po/notify_connect.bg_BG.po | 2 +- modules/po/notify_connect.de_DE.po | 2 +- modules/po/notify_connect.es_ES.po | 2 +- modules/po/notify_connect.fr_FR.po | 2 +- modules/po/notify_connect.id_ID.po | 2 +- modules/po/notify_connect.it_IT.po | 2 +- modules/po/notify_connect.nl_NL.po | 2 +- modules/po/notify_connect.pt_BR.po | 2 +- modules/po/notify_connect.ru_RU.po | 2 +- modules/po/partyline.bg_BG.po | 2 +- modules/po/partyline.de_DE.po | 2 +- modules/po/partyline.es_ES.po | 2 +- modules/po/partyline.fr_FR.po | 2 +- modules/po/partyline.id_ID.po | 2 +- modules/po/partyline.it_IT.po | 2 +- modules/po/partyline.nl_NL.po | 2 +- modules/po/partyline.pt_BR.po | 2 +- modules/po/partyline.ru_RU.po | 2 +- modules/po/perform.bg_BG.po | 2 +- modules/po/perform.de_DE.po | 2 +- modules/po/perform.es_ES.po | 2 +- modules/po/perform.fr_FR.po | 2 +- modules/po/perform.id_ID.po | 2 +- modules/po/perform.it_IT.po | 2 +- modules/po/perform.nl_NL.po | 2 +- modules/po/perform.pt_BR.po | 2 +- modules/po/perform.ru_RU.po | 2 +- modules/po/perleval.bg_BG.po | 2 +- modules/po/perleval.de_DE.po | 2 +- modules/po/perleval.es_ES.po | 2 +- modules/po/perleval.fr_FR.po | 2 +- modules/po/perleval.id_ID.po | 2 +- modules/po/perleval.it_IT.po | 2 +- modules/po/perleval.nl_NL.po | 2 +- modules/po/perleval.pt_BR.po | 2 +- modules/po/perleval.ru_RU.po | 2 +- modules/po/pyeval.bg_BG.po | 2 +- modules/po/pyeval.de_DE.po | 2 +- modules/po/pyeval.es_ES.po | 2 +- modules/po/pyeval.fr_FR.po | 2 +- modules/po/pyeval.id_ID.po | 2 +- modules/po/pyeval.it_IT.po | 2 +- modules/po/pyeval.nl_NL.po | 2 +- modules/po/pyeval.pt_BR.po | 2 +- modules/po/pyeval.ru_RU.po | 2 +- modules/po/q.bg_BG.po | 2 +- modules/po/q.de_DE.po | 2 +- modules/po/q.es_ES.po | 2 +- modules/po/q.fr_FR.po | 2 +- modules/po/q.id_ID.po | 2 +- modules/po/q.it_IT.po | 2 +- modules/po/q.nl_NL.po | 2 +- modules/po/q.pt_BR.po | 2 +- modules/po/q.ru_RU.po | 2 +- modules/po/raw.bg_BG.po | 2 +- modules/po/raw.de_DE.po | 2 +- modules/po/raw.es_ES.po | 2 +- modules/po/raw.fr_FR.po | 2 +- modules/po/raw.id_ID.po | 2 +- modules/po/raw.it_IT.po | 2 +- modules/po/raw.nl_NL.po | 2 +- modules/po/raw.pt_BR.po | 2 +- modules/po/raw.ru_RU.po | 2 +- modules/po/route_replies.bg_BG.po | 2 +- modules/po/route_replies.de_DE.po | 2 +- modules/po/route_replies.es_ES.po | 2 +- modules/po/route_replies.fr_FR.po | 2 +- modules/po/route_replies.id_ID.po | 2 +- modules/po/route_replies.it_IT.po | 2 +- modules/po/route_replies.nl_NL.po | 2 +- modules/po/route_replies.pt_BR.po | 2 +- modules/po/route_replies.ru_RU.po | 2 +- modules/po/sample.bg_BG.po | 2 +- modules/po/sample.de_DE.po | 2 +- modules/po/sample.es_ES.po | 2 +- modules/po/sample.fr_FR.po | 2 +- modules/po/sample.id_ID.po | 2 +- modules/po/sample.it_IT.po | 2 +- modules/po/sample.nl_NL.po | 2 +- modules/po/sample.pt_BR.po | 2 +- modules/po/sample.ru_RU.po | 2 +- modules/po/samplewebapi.bg_BG.po | 2 +- modules/po/samplewebapi.de_DE.po | 2 +- modules/po/samplewebapi.es_ES.po | 2 +- modules/po/samplewebapi.fr_FR.po | 2 +- modules/po/samplewebapi.id_ID.po | 2 +- modules/po/samplewebapi.it_IT.po | 2 +- modules/po/samplewebapi.nl_NL.po | 2 +- modules/po/samplewebapi.pt_BR.po | 2 +- modules/po/samplewebapi.ru_RU.po | 2 +- modules/po/sasl.bg_BG.po | 2 +- modules/po/sasl.de_DE.po | 2 +- modules/po/sasl.es_ES.po | 2 +- modules/po/sasl.fr_FR.po | 2 +- modules/po/sasl.id_ID.po | 2 +- modules/po/sasl.it_IT.po | 2 +- modules/po/sasl.nl_NL.po | 2 +- modules/po/sasl.pt_BR.po | 2 +- modules/po/sasl.ru_RU.po | 2 +- modules/po/savebuff.bg_BG.po | 2 +- modules/po/savebuff.de_DE.po | 2 +- modules/po/savebuff.es_ES.po | 2 +- modules/po/savebuff.fr_FR.po | 2 +- modules/po/savebuff.id_ID.po | 2 +- modules/po/savebuff.it_IT.po | 2 +- modules/po/savebuff.nl_NL.po | 2 +- modules/po/savebuff.pt_BR.po | 2 +- modules/po/savebuff.ru_RU.po | 2 +- modules/po/send_raw.bg_BG.po | 2 +- modules/po/send_raw.de_DE.po | 2 +- modules/po/send_raw.es_ES.po | 2 +- modules/po/send_raw.fr_FR.po | 2 +- modules/po/send_raw.id_ID.po | 2 +- modules/po/send_raw.it_IT.po | 2 +- modules/po/send_raw.nl_NL.po | 2 +- modules/po/send_raw.pt_BR.po | 2 +- modules/po/send_raw.ru_RU.po | 2 +- modules/po/shell.bg_BG.po | 2 +- modules/po/shell.de_DE.po | 2 +- modules/po/shell.es_ES.po | 2 +- modules/po/shell.fr_FR.po | 2 +- modules/po/shell.id_ID.po | 2 +- modules/po/shell.it_IT.po | 2 +- modules/po/shell.nl_NL.po | 2 +- modules/po/shell.pt_BR.po | 2 +- modules/po/shell.ru_RU.po | 2 +- modules/po/simple_away.bg_BG.po | 2 +- modules/po/simple_away.de_DE.po | 2 +- modules/po/simple_away.es_ES.po | 2 +- modules/po/simple_away.fr_FR.po | 2 +- modules/po/simple_away.id_ID.po | 2 +- modules/po/simple_away.it_IT.po | 2 +- modules/po/simple_away.nl_NL.po | 2 +- modules/po/simple_away.pt_BR.po | 2 +- modules/po/simple_away.ru_RU.po | 2 +- modules/po/stickychan.bg_BG.po | 2 +- modules/po/stickychan.de_DE.po | 2 +- modules/po/stickychan.es_ES.po | 2 +- modules/po/stickychan.fr_FR.po | 2 +- modules/po/stickychan.id_ID.po | 2 +- modules/po/stickychan.it_IT.po | 2 +- modules/po/stickychan.nl_NL.po | 2 +- modules/po/stickychan.pt_BR.po | 2 +- modules/po/stickychan.ru_RU.po | 2 +- modules/po/stripcontrols.bg_BG.po | 2 +- modules/po/stripcontrols.de_DE.po | 2 +- modules/po/stripcontrols.es_ES.po | 2 +- modules/po/stripcontrols.fr_FR.po | 2 +- modules/po/stripcontrols.id_ID.po | 2 +- modules/po/stripcontrols.it_IT.po | 2 +- modules/po/stripcontrols.nl_NL.po | 2 +- modules/po/stripcontrols.pt_BR.po | 2 +- modules/po/stripcontrols.ru_RU.po | 2 +- modules/po/watch.bg_BG.po | 2 +- modules/po/watch.de_DE.po | 2 +- modules/po/watch.es_ES.po | 2 +- modules/po/watch.fr_FR.po | 2 +- modules/po/watch.id_ID.po | 2 +- modules/po/watch.it_IT.po | 2 +- modules/po/watch.nl_NL.po | 2 +- modules/po/watch.pt_BR.po | 2 +- modules/po/watch.ru_RU.po | 2 +- modules/po/webadmin.bg_BG.po | 2 +- modules/po/webadmin.de_DE.po | 2 +- modules/po/webadmin.es_ES.po | 2 +- modules/po/webadmin.fr_FR.po | 2 +- modules/po/webadmin.id_ID.po | 2 +- modules/po/webadmin.it_IT.po | 2 +- modules/po/webadmin.nl_NL.po | 2 +- modules/po/webadmin.pt_BR.po | 2 +- modules/po/webadmin.ru_RU.po | 2 +- src/po/znc.bg_BG.po | 2 +- src/po/znc.de_DE.po | 2 +- src/po/znc.es_ES.po | 2 +- src/po/znc.fr_FR.po | 2 +- src/po/znc.id_ID.po | 2 +- src/po/znc.it_IT.po | 437 ++++++++++++++------------- src/po/znc.nl_NL.po | 2 +- src/po/znc.pt_BR.po | 2 +- src/po/znc.ru_RU.po | 2 +- 531 files changed, 843 insertions(+), 817 deletions(-) diff --git a/modules/po/admindebug.bg_BG.po b/modules/po/admindebug.bg_BG.po index 4d8f86a0..5e3ffa7b 100644 --- a/modules/po/admindebug.bg_BG.po +++ b/modules/po/admindebug.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.7.x/modules/po/admindebug.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/admindebug.de_DE.po b/modules/po/admindebug.de_DE.po index c567a2f7..8b532ca2 100644 --- a/modules/po/admindebug.de_DE.po +++ b/modules/po/admindebug.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/admindebug.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/admindebug.es_ES.po b/modules/po/admindebug.es_ES.po index a7c5f254..f2820beb 100644 --- a/modules/po/admindebug.es_ES.po +++ b/modules/po/admindebug.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/admindebug.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/admindebug.fr_FR.po b/modules/po/admindebug.fr_FR.po index 7a5dcf6a..74687ecf 100644 --- a/modules/po/admindebug.fr_FR.po +++ b/modules/po/admindebug.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/admindebug.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/admindebug.id_ID.po b/modules/po/admindebug.id_ID.po index d2771953..41986910 100644 --- a/modules/po/admindebug.id_ID.po +++ b/modules/po/admindebug.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/admindebug.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/admindebug.it_IT.po b/modules/po/admindebug.it_IT.po index bcc390b6..6434785e 100644 --- a/modules/po/admindebug.it_IT.po +++ b/modules/po/admindebug.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.7.x/modules/po/admindebug.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/admindebug.nl_NL.po b/modules/po/admindebug.nl_NL.po index cd120152..3eec6acb 100644 --- a/modules/po/admindebug.nl_NL.po +++ b/modules/po/admindebug.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/admindebug.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/admindebug.pt_BR.po b/modules/po/admindebug.pt_BR.po index 954be80c..d7cb81a1 100644 --- a/modules/po/admindebug.pt_BR.po +++ b/modules/po/admindebug.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/admindebug.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/admindebug.ru_RU.po b/modules/po/admindebug.ru_RU.po index 569b67e4..4745750c 100644 --- a/modules/po/admindebug.ru_RU.po +++ b/modules/po/admindebug.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/admindebug.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/adminlog.bg_BG.po b/modules/po/adminlog.bg_BG.po index 6b9ccf66..f3d881cb 100644 --- a/modules/po/adminlog.bg_BG.po +++ b/modules/po/adminlog.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.7.x/modules/po/adminlog.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/adminlog.de_DE.po b/modules/po/adminlog.de_DE.po index 42af6ec2..a9ee340d 100644 --- a/modules/po/adminlog.de_DE.po +++ b/modules/po/adminlog.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/adminlog.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/adminlog.es_ES.po b/modules/po/adminlog.es_ES.po index ced9d2a8..a5389fcc 100644 --- a/modules/po/adminlog.es_ES.po +++ b/modules/po/adminlog.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/adminlog.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/adminlog.fr_FR.po b/modules/po/adminlog.fr_FR.po index 2ba5fe22..52dd7635 100644 --- a/modules/po/adminlog.fr_FR.po +++ b/modules/po/adminlog.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/adminlog.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/adminlog.id_ID.po b/modules/po/adminlog.id_ID.po index e492ddce..7d26345e 100644 --- a/modules/po/adminlog.id_ID.po +++ b/modules/po/adminlog.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/adminlog.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/adminlog.it_IT.po b/modules/po/adminlog.it_IT.po index f8d46307..11611b59 100644 --- a/modules/po/adminlog.it_IT.po +++ b/modules/po/adminlog.it_IT.po @@ -8,21 +8,21 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.7.x/modules/po/adminlog.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" #: adminlog.cpp:29 msgid "Show the logging target" -msgstr "" +msgstr "Mostra il target (destinazione) del logging" #: adminlog.cpp:31 msgid " [path]" -msgstr "" +msgstr "Usa: Target [path]" #: adminlog.cpp:32 msgid "Set the logging target" -msgstr "" +msgstr "Imposta il target (destinazione) del logging" #: adminlog.cpp:142 msgid "Access denied" @@ -30,40 +30,40 @@ msgstr "Accesso negato" #: adminlog.cpp:156 msgid "Now logging to file" -msgstr "" +msgstr "Nuovo logging su file" #: adminlog.cpp:160 msgid "Now only logging to syslog" -msgstr "" +msgstr "Ora logging solo su syslog" #: adminlog.cpp:164 msgid "Now logging to syslog and file" -msgstr "" +msgstr "Nuovo logging su syslog e file" #: adminlog.cpp:168 msgid "Usage: Target [path]" -msgstr "" +msgstr "Usa: Target [path]" #: adminlog.cpp:170 msgid "Unknown target" -msgstr "" +msgstr "Target (destinazione) sconosciuto" #: adminlog.cpp:192 msgid "Logging is enabled for file" -msgstr "" +msgstr "Il logging è abilitato per i file" #: adminlog.cpp:195 msgid "Logging is enabled for syslog" -msgstr "" +msgstr "Il logging è abilitato per il syslog" #: adminlog.cpp:198 msgid "Logging is enabled for both, file and syslog" -msgstr "" +msgstr "Il logging è abilitato per entrambi, file e syslog" #: adminlog.cpp:204 msgid "Log file will be written to {1}" -msgstr "" +msgstr "I file di Log verranno scritti su {1}" #: adminlog.cpp:222 msgid "Log ZNC events to file and/or syslog." -msgstr "" +msgstr "Logga gli eventi dello ZNC su file e/o syslog." diff --git a/modules/po/adminlog.nl_NL.po b/modules/po/adminlog.nl_NL.po index 58c19721..b75ec847 100644 --- a/modules/po/adminlog.nl_NL.po +++ b/modules/po/adminlog.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/adminlog.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/adminlog.pt_BR.po b/modules/po/adminlog.pt_BR.po index 85be65b5..b70fce7a 100644 --- a/modules/po/adminlog.pt_BR.po +++ b/modules/po/adminlog.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/adminlog.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/adminlog.ru_RU.po b/modules/po/adminlog.ru_RU.po index e91d89b4..3f2c7a7a 100644 --- a/modules/po/adminlog.ru_RU.po +++ b/modules/po/adminlog.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/adminlog.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/alias.bg_BG.po b/modules/po/alias.bg_BG.po index e6244bad..7d585a3b 100644 --- a/modules/po/alias.bg_BG.po +++ b/modules/po/alias.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.7.x/modules/po/alias.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/alias.de_DE.po b/modules/po/alias.de_DE.po index 5e01f7a5..26271729 100644 --- a/modules/po/alias.de_DE.po +++ b/modules/po/alias.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/alias.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/alias.es_ES.po b/modules/po/alias.es_ES.po index 71a4d9d7..9f36845f 100644 --- a/modules/po/alias.es_ES.po +++ b/modules/po/alias.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/alias.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/alias.fr_FR.po b/modules/po/alias.fr_FR.po index 81e3c56f..0c0c8828 100644 --- a/modules/po/alias.fr_FR.po +++ b/modules/po/alias.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/alias.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/alias.id_ID.po b/modules/po/alias.id_ID.po index d318e4e7..9873a7ac 100644 --- a/modules/po/alias.id_ID.po +++ b/modules/po/alias.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/alias.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/alias.it_IT.po b/modules/po/alias.it_IT.po index 6ccc2c67..c9e9218b 100644 --- a/modules/po/alias.it_IT.po +++ b/modules/po/alias.it_IT.po @@ -8,116 +8,117 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.7.x/modules/po/alias.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" #: alias.cpp:141 msgid "missing required parameter: {1}" -msgstr "" +msgstr "manca il parametro richiesto: {1}" #: alias.cpp:201 msgid "Created alias: {1}" -msgstr "" +msgstr "Alias creato: {1}" #: alias.cpp:203 msgid "Alias already exists." -msgstr "" +msgstr "Alias già esistente." #: alias.cpp:210 msgid "Deleted alias: {1}" -msgstr "" +msgstr "Alias eliminato: {1}" #: alias.cpp:213 alias.cpp:224 alias.cpp:246 alias.cpp:265 alias.cpp:276 #: alias.cpp:333 msgid "Alias does not exist." -msgstr "" +msgstr "Alias inesistente." #: alias.cpp:222 alias.cpp:244 alias.cpp:263 alias.cpp:274 msgid "Modified alias." -msgstr "" +msgstr "Alias modificato." #: alias.cpp:236 alias.cpp:256 msgid "Invalid index." -msgstr "" +msgstr "Indice non valido." #: alias.cpp:282 alias.cpp:298 msgid "There are no aliases." -msgstr "" +msgstr "Non ci sono alias." #: alias.cpp:289 msgid "The following aliases exist: {1}" -msgstr "" +msgstr "Esistono i seguenti alias: {1}" #: alias.cpp:290 msgctxt "list|separator" msgid ", " -msgstr "" +msgstr ", " #: alias.cpp:324 msgid "Actions for alias {1}:" -msgstr "" +msgstr "Azioni dell'alias {1}:" #: alias.cpp:331 msgid "End of actions for alias {1}." -msgstr "" +msgstr "Fine delle azioni per l'alias {1}." #: alias.cpp:338 alias.cpp:341 alias.cpp:352 alias.cpp:357 msgid "" -msgstr "" +msgstr "" #: alias.cpp:339 msgid "Creates a new, blank alias called name." -msgstr "" +msgstr "Crea un nuovo alias vuto, chiamato nome." #: alias.cpp:341 msgid "Deletes an existing alias." -msgstr "" +msgstr "Elimina un alias esistente." #: alias.cpp:343 msgid " " -msgstr "" +msgstr " " #: alias.cpp:344 msgid "Adds a line to an existing alias." -msgstr "" +msgstr "Aggiunge una linea ad un alias esistente." #: alias.cpp:346 msgid " " -msgstr "" +msgstr " " #: alias.cpp:347 msgid "Inserts a line into an existing alias." -msgstr "" +msgstr "Inserisce una linea in un'alias esistente." #: alias.cpp:349 msgid " " -msgstr "" +msgstr " " #: alias.cpp:350 msgid "Removes a line from an existing alias." -msgstr "" +msgstr "Rimuove una linea da un alias esistente." #: alias.cpp:353 msgid "Removes all lines from an existing alias." -msgstr "" +msgstr "Rimuove tutte le linee da un alias esistente." #: alias.cpp:355 msgid "Lists all aliases by name." -msgstr "" +msgstr "Elenca tutti gli alias per nome." #: alias.cpp:358 msgid "Reports the actions performed by an alias." -msgstr "" +msgstr "Riporta le azioni eseguite da un alias." #: alias.cpp:362 msgid "Generate a list of commands to copy your alias config." msgstr "" +"Genera una lista di comandi da copiare nella configurazione dei tuoi alias." #: alias.cpp:374 msgid "Clearing all of them!" -msgstr "" +msgstr "Libera tutti loro!" #: alias.cpp:409 msgid "Provides bouncer-side command alias support." -msgstr "" +msgstr "Fornisce supporto ai comandi alias lato bouncer." diff --git a/modules/po/alias.nl_NL.po b/modules/po/alias.nl_NL.po index 9277a34b..9419dd0c 100644 --- a/modules/po/alias.nl_NL.po +++ b/modules/po/alias.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/alias.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/alias.pt_BR.po b/modules/po/alias.pt_BR.po index c05481b9..2c06eeb1 100644 --- a/modules/po/alias.pt_BR.po +++ b/modules/po/alias.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/alias.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/alias.ru_RU.po b/modules/po/alias.ru_RU.po index 1939a6f7..34bc2200 100644 --- a/modules/po/alias.ru_RU.po +++ b/modules/po/alias.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/alias.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/autoattach.bg_BG.po b/modules/po/autoattach.bg_BG.po index 0b4dbe9d..f0597d0f 100644 --- a/modules/po/autoattach.bg_BG.po +++ b/modules/po/autoattach.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.7.x/modules/po/autoattach.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/autoattach.de_DE.po b/modules/po/autoattach.de_DE.po index f9632ffb..bb794832 100644 --- a/modules/po/autoattach.de_DE.po +++ b/modules/po/autoattach.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/autoattach.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/autoattach.es_ES.po b/modules/po/autoattach.es_ES.po index 7f00163a..9411a95f 100644 --- a/modules/po/autoattach.es_ES.po +++ b/modules/po/autoattach.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/autoattach.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/autoattach.fr_FR.po b/modules/po/autoattach.fr_FR.po index 81ba5e22..c3b44ba8 100644 --- a/modules/po/autoattach.fr_FR.po +++ b/modules/po/autoattach.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/autoattach.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/autoattach.id_ID.po b/modules/po/autoattach.id_ID.po index ed60450d..939cff54 100644 --- a/modules/po/autoattach.id_ID.po +++ b/modules/po/autoattach.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/autoattach.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/autoattach.it_IT.po b/modules/po/autoattach.it_IT.po index 9960920f..e8d627ce 100644 --- a/modules/po/autoattach.it_IT.po +++ b/modules/po/autoattach.it_IT.po @@ -8,78 +8,82 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.7.x/modules/po/autoattach.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" #: autoattach.cpp:94 msgid "Added to list" -msgstr "" +msgstr "Aggiunto alla lista" #: autoattach.cpp:96 msgid "{1} is already added" -msgstr "" +msgstr "{1} è già aggiunto" #: autoattach.cpp:100 msgid "Usage: Add [!]<#chan> " -msgstr "" +msgstr "Usa: Add [!]<#canale> " #: autoattach.cpp:101 msgid "Wildcards are allowed" -msgstr "" +msgstr "Sono ammesse wildcards (caratteri jolly)" #: autoattach.cpp:113 msgid "Removed {1} from list" -msgstr "" +msgstr "Rimosso {1} dalla lista" #: autoattach.cpp:115 msgid "Usage: Del [!]<#chan> " -msgstr "" +msgstr "Usa: Del [!]<#canale> " #: autoattach.cpp:121 autoattach.cpp:129 msgid "Neg" -msgstr "" +msgstr "Neg" #: autoattach.cpp:122 autoattach.cpp:130 msgid "Chan" -msgstr "" +msgstr "Canale" #: autoattach.cpp:123 autoattach.cpp:131 msgid "Search" -msgstr "" +msgstr "Ricerca" #: autoattach.cpp:124 autoattach.cpp:132 msgid "Host" -msgstr "" +msgstr "Host" #: autoattach.cpp:138 msgid "You have no entries." -msgstr "" +msgstr "Non hai voci." #: autoattach.cpp:146 autoattach.cpp:149 msgid "[!]<#chan> " -msgstr "" +msgstr "[!]<#canale> " #: autoattach.cpp:147 msgid "Add an entry, use !#chan to negate and * for wildcards" msgstr "" +"Aggiunge una voce, usa !#canale per negare e * come wildcards (caratteri " +"jolly)" #: autoattach.cpp:150 msgid "Remove an entry, needs to be an exact match" -msgstr "" +msgstr "Rimuove una voce, deve essere una corrispondenza esatta" #: autoattach.cpp:152 msgid "List all entries" -msgstr "" +msgstr "Elenca tutte le voci" #: autoattach.cpp:171 msgid "Unable to add [{1}]" -msgstr "" +msgstr "Impossibile aggiungere [{1}]" #: autoattach.cpp:283 msgid "List of channel masks and channel masks with ! before them." msgstr "" +"Elenco delle maschere di canale e delle maschere di canale con il ! " +"antecedente." #: autoattach.cpp:286 msgid "Reattaches you to channels on activity." -msgstr "" +msgstr "Ricollega i canali quando c'è attività." diff --git a/modules/po/autoattach.nl_NL.po b/modules/po/autoattach.nl_NL.po index 68f71c8e..a8bebb2f 100644 --- a/modules/po/autoattach.nl_NL.po +++ b/modules/po/autoattach.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/autoattach.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/autoattach.pt_BR.po b/modules/po/autoattach.pt_BR.po index 49a57d54..c29e6fb7 100644 --- a/modules/po/autoattach.pt_BR.po +++ b/modules/po/autoattach.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/autoattach.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/autoattach.ru_RU.po b/modules/po/autoattach.ru_RU.po index 838307e5..6bf79270 100644 --- a/modules/po/autoattach.ru_RU.po +++ b/modules/po/autoattach.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/autoattach.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/autocycle.bg_BG.po b/modules/po/autocycle.bg_BG.po index f3554f29..9c96bb93 100644 --- a/modules/po/autocycle.bg_BG.po +++ b/modules/po/autocycle.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.7.x/modules/po/autocycle.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/autocycle.de_DE.po b/modules/po/autocycle.de_DE.po index b7063780..40cdefa3 100644 --- a/modules/po/autocycle.de_DE.po +++ b/modules/po/autocycle.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/autocycle.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/autocycle.es_ES.po b/modules/po/autocycle.es_ES.po index 892e1bbe..e75ee336 100644 --- a/modules/po/autocycle.es_ES.po +++ b/modules/po/autocycle.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/autocycle.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/autocycle.fr_FR.po b/modules/po/autocycle.fr_FR.po index 2bc8baa3..7314f766 100644 --- a/modules/po/autocycle.fr_FR.po +++ b/modules/po/autocycle.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/autocycle.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/autocycle.id_ID.po b/modules/po/autocycle.id_ID.po index ecf68044..d633d22b 100644 --- a/modules/po/autocycle.id_ID.po +++ b/modules/po/autocycle.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/autocycle.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/autocycle.it_IT.po b/modules/po/autocycle.it_IT.po index 526ae249..7f2df798 100644 --- a/modules/po/autocycle.it_IT.po +++ b/modules/po/autocycle.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.7.x/modules/po/autocycle.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/autocycle.nl_NL.po b/modules/po/autocycle.nl_NL.po index dd092ed4..c7ebef86 100644 --- a/modules/po/autocycle.nl_NL.po +++ b/modules/po/autocycle.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/autocycle.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/autocycle.pt_BR.po b/modules/po/autocycle.pt_BR.po index 5c66f528..0e1e9383 100644 --- a/modules/po/autocycle.pt_BR.po +++ b/modules/po/autocycle.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/autocycle.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/autocycle.ru_RU.po b/modules/po/autocycle.ru_RU.po index 33f6132e..c150cc73 100644 --- a/modules/po/autocycle.ru_RU.po +++ b/modules/po/autocycle.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/autocycle.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/autoop.bg_BG.po b/modules/po/autoop.bg_BG.po index 3f29d411..13d166f5 100644 --- a/modules/po/autoop.bg_BG.po +++ b/modules/po/autoop.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.7.x/modules/po/autoop.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/autoop.de_DE.po b/modules/po/autoop.de_DE.po index 78a6d2e6..df7b3c88 100644 --- a/modules/po/autoop.de_DE.po +++ b/modules/po/autoop.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/autoop.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/autoop.es_ES.po b/modules/po/autoop.es_ES.po index 1e29f700..9bfaee16 100644 --- a/modules/po/autoop.es_ES.po +++ b/modules/po/autoop.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/autoop.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/autoop.fr_FR.po b/modules/po/autoop.fr_FR.po index a6af05c1..e1177a47 100644 --- a/modules/po/autoop.fr_FR.po +++ b/modules/po/autoop.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/autoop.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/autoop.id_ID.po b/modules/po/autoop.id_ID.po index cd2b2a3c..44e1dd0b 100644 --- a/modules/po/autoop.id_ID.po +++ b/modules/po/autoop.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/autoop.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/autoop.it_IT.po b/modules/po/autoop.it_IT.po index 7f2e169b..77ac7c47 100644 --- a/modules/po/autoop.it_IT.po +++ b/modules/po/autoop.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.7.x/modules/po/autoop.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" @@ -22,11 +22,11 @@ msgstr "" #: autoop.cpp:157 msgid "Adds channels to a user" -msgstr "" +msgstr "Aggiunge canali ad un utente" #: autoop.cpp:160 msgid "Removes channels from a user" -msgstr "" +msgstr "Rimuove canali da un utente" #: autoop.cpp:162 autoop.cpp:165 msgid " ,[mask] ..." @@ -34,11 +34,11 @@ msgstr "" #: autoop.cpp:163 msgid "Adds masks to a user" -msgstr "" +msgstr "Aggiunge una maschera (masks) ad un utente" #: autoop.cpp:166 msgid "Removes masks from a user" -msgstr "" +msgstr "Rimuove una maschera (masks) da un utente" #: autoop.cpp:169 msgid " [,...] [channels]" @@ -46,7 +46,7 @@ msgstr "" #: autoop.cpp:170 msgid "Adds a user" -msgstr "" +msgstr "Aggiunge un utente" #: autoop.cpp:172 msgid "" @@ -54,23 +54,23 @@ msgstr "" #: autoop.cpp:172 msgid "Removes a user" -msgstr "" +msgstr "Rimuove un utente" #: autoop.cpp:275 msgid "Usage: AddUser [,...] [channels]" -msgstr "" +msgstr "Usa: AddUser [,...] [channels]" #: autoop.cpp:291 msgid "Usage: DelUser " -msgstr "" +msgstr "Usa: DelUser " #: autoop.cpp:300 msgid "There are no users defined" -msgstr "" +msgstr "Non ci sono utenti definiti" #: autoop.cpp:306 autoop.cpp:317 autoop.cpp:321 autoop.cpp:323 msgid "User" -msgstr "" +msgstr "Utente" #: autoop.cpp:307 autoop.cpp:325 msgid "Hostmasks" @@ -86,7 +86,7 @@ msgstr "Canali" #: autoop.cpp:337 msgid "Usage: AddChans [channel] ..." -msgstr "" +msgstr "Usa: AddChans [channel] ..." #: autoop.cpp:344 autoop.cpp:365 autoop.cpp:387 autoop.cpp:408 autoop.cpp:472 msgid "No such user" @@ -94,47 +94,47 @@ msgstr "Utente non presente" #: autoop.cpp:349 msgid "Channel(s) added to user {1}" -msgstr "" +msgstr "Canali aggiunti all'utente {1}" #: autoop.cpp:358 msgid "Usage: DelChans [channel] ..." -msgstr "" +msgstr "Usa: DelChans [channel] ..." #: autoop.cpp:371 msgid "Channel(s) Removed from user {1}" -msgstr "" +msgstr "Canali rimossi dall'utente {1}" #: autoop.cpp:380 msgid "Usage: AddMasks ,[mask] ..." -msgstr "" +msgstr "Usa: AddMasks ,[mask] ..." #: autoop.cpp:392 msgid "Hostmasks(s) added to user {1}" -msgstr "" +msgstr "Hostmasks(s) Aggiunta all'utente {1}" #: autoop.cpp:401 msgid "Usage: DelMasks ,[mask] ..." -msgstr "" +msgstr "Usa: DelMasks ,[mask] ..." #: autoop.cpp:413 msgid "Removed user {1} with key {2} and channels {3}" -msgstr "" +msgstr "Utente rimosso {1} con chiave {2} e canali {3}" #: autoop.cpp:419 msgid "Hostmasks(s) Removed from user {1}" -msgstr "" +msgstr "Hostmasks(s) Rimossa dall'utente {1}" #: autoop.cpp:478 msgid "User {1} removed" -msgstr "" +msgstr "Rimosso l'utente {1}" #: autoop.cpp:484 msgid "That user already exists" -msgstr "" +msgstr "Questo utente esiste già" #: autoop.cpp:490 msgid "User {1} added with hostmask(s) {2}" -msgstr "" +msgstr "L'utente {1} viene aggiunto con la hostmask(s) {2}" #: autoop.cpp:532 msgid "" @@ -158,6 +158,8 @@ msgid "" "WARNING! [{1}] sent a bad response. Please verify that you have their " "correct password." msgstr "" +"AVVISO! [{1}] inviato una brutta risposta. Per favore verifica di avere la " +"loro password corretta." #: autoop.cpp:586 msgid "WARNING! [{1}] sent a response but did not match any defined users." @@ -165,4 +167,4 @@ msgstr "" #: autoop.cpp:644 msgid "Auto op the good people" -msgstr "" +msgstr "Auto Op alle buone persone" diff --git a/modules/po/autoop.nl_NL.po b/modules/po/autoop.nl_NL.po index f2adc906..17ae0523 100644 --- a/modules/po/autoop.nl_NL.po +++ b/modules/po/autoop.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/autoop.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/autoop.pt_BR.po b/modules/po/autoop.pt_BR.po index 1ebf6373..7597fec0 100644 --- a/modules/po/autoop.pt_BR.po +++ b/modules/po/autoop.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/autoop.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/autoop.ru_RU.po b/modules/po/autoop.ru_RU.po index ad91c695..1427a8b7 100644 --- a/modules/po/autoop.ru_RU.po +++ b/modules/po/autoop.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/autoop.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/autoreply.bg_BG.po b/modules/po/autoreply.bg_BG.po index 738c6865..6fe5a7ce 100644 --- a/modules/po/autoreply.bg_BG.po +++ b/modules/po/autoreply.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.7.x/modules/po/autoreply.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/autoreply.de_DE.po b/modules/po/autoreply.de_DE.po index 6e92fb34..96048bcb 100644 --- a/modules/po/autoreply.de_DE.po +++ b/modules/po/autoreply.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/autoreply.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/autoreply.es_ES.po b/modules/po/autoreply.es_ES.po index b01a45de..03909833 100644 --- a/modules/po/autoreply.es_ES.po +++ b/modules/po/autoreply.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/autoreply.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/autoreply.fr_FR.po b/modules/po/autoreply.fr_FR.po index 50890422..511a48c1 100644 --- a/modules/po/autoreply.fr_FR.po +++ b/modules/po/autoreply.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/autoreply.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/autoreply.id_ID.po b/modules/po/autoreply.id_ID.po index 346bdb13..4d485e31 100644 --- a/modules/po/autoreply.id_ID.po +++ b/modules/po/autoreply.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/autoreply.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/autoreply.it_IT.po b/modules/po/autoreply.it_IT.po index 2627a4f2..e28d1f6f 100644 --- a/modules/po/autoreply.it_IT.po +++ b/modules/po/autoreply.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.7.x/modules/po/autoreply.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/autoreply.nl_NL.po b/modules/po/autoreply.nl_NL.po index 27e5f3d1..f1829a81 100644 --- a/modules/po/autoreply.nl_NL.po +++ b/modules/po/autoreply.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/autoreply.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/autoreply.pt_BR.po b/modules/po/autoreply.pt_BR.po index 4582905c..6970614f 100644 --- a/modules/po/autoreply.pt_BR.po +++ b/modules/po/autoreply.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/autoreply.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/autoreply.ru_RU.po b/modules/po/autoreply.ru_RU.po index 55cfb75c..b0bbf6aa 100644 --- a/modules/po/autoreply.ru_RU.po +++ b/modules/po/autoreply.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/autoreply.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/autovoice.bg_BG.po b/modules/po/autovoice.bg_BG.po index ed2a5d7e..c79263fb 100644 --- a/modules/po/autovoice.bg_BG.po +++ b/modules/po/autovoice.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.7.x/modules/po/autovoice.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/autovoice.de_DE.po b/modules/po/autovoice.de_DE.po index 14259681..b8b212a3 100644 --- a/modules/po/autovoice.de_DE.po +++ b/modules/po/autovoice.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/autovoice.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/autovoice.es_ES.po b/modules/po/autovoice.es_ES.po index 9b017a0d..f1c96e69 100644 --- a/modules/po/autovoice.es_ES.po +++ b/modules/po/autovoice.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/autovoice.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/autovoice.fr_FR.po b/modules/po/autovoice.fr_FR.po index 1ce96fc6..ca1d7660 100644 --- a/modules/po/autovoice.fr_FR.po +++ b/modules/po/autovoice.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/autovoice.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/autovoice.id_ID.po b/modules/po/autovoice.id_ID.po index 0098d48c..5d605322 100644 --- a/modules/po/autovoice.id_ID.po +++ b/modules/po/autovoice.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/autovoice.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/autovoice.it_IT.po b/modules/po/autovoice.it_IT.po index 64caa8a7..1d4c22d3 100644 --- a/modules/po/autovoice.it_IT.po +++ b/modules/po/autovoice.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.7.x/modules/po/autovoice.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/autovoice.nl_NL.po b/modules/po/autovoice.nl_NL.po index c0f8468e..c2b32449 100644 --- a/modules/po/autovoice.nl_NL.po +++ b/modules/po/autovoice.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/autovoice.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/autovoice.pt_BR.po b/modules/po/autovoice.pt_BR.po index 376ca551..a2e2c1ad 100644 --- a/modules/po/autovoice.pt_BR.po +++ b/modules/po/autovoice.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/autovoice.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/autovoice.ru_RU.po b/modules/po/autovoice.ru_RU.po index b6d7788f..9faaf086 100644 --- a/modules/po/autovoice.ru_RU.po +++ b/modules/po/autovoice.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/autovoice.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/awaystore.bg_BG.po b/modules/po/awaystore.bg_BG.po index 3e7c301d..af8e0298 100644 --- a/modules/po/awaystore.bg_BG.po +++ b/modules/po/awaystore.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.7.x/modules/po/awaystore.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/awaystore.de_DE.po b/modules/po/awaystore.de_DE.po index a8708af7..9ad246f9 100644 --- a/modules/po/awaystore.de_DE.po +++ b/modules/po/awaystore.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/awaystore.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/awaystore.es_ES.po b/modules/po/awaystore.es_ES.po index 92779d56..40a659a8 100644 --- a/modules/po/awaystore.es_ES.po +++ b/modules/po/awaystore.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/awaystore.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/awaystore.fr_FR.po b/modules/po/awaystore.fr_FR.po index a232886b..bbda8052 100644 --- a/modules/po/awaystore.fr_FR.po +++ b/modules/po/awaystore.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/awaystore.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/awaystore.id_ID.po b/modules/po/awaystore.id_ID.po index b769c20c..064eb738 100644 --- a/modules/po/awaystore.id_ID.po +++ b/modules/po/awaystore.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/awaystore.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/awaystore.it_IT.po b/modules/po/awaystore.it_IT.po index fc9d1fe3..6fd1e31c 100644 --- a/modules/po/awaystore.it_IT.po +++ b/modules/po/awaystore.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.7.x/modules/po/awaystore.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/awaystore.nl_NL.po b/modules/po/awaystore.nl_NL.po index b5e8c5e3..2063854d 100644 --- a/modules/po/awaystore.nl_NL.po +++ b/modules/po/awaystore.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/awaystore.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/awaystore.pt_BR.po b/modules/po/awaystore.pt_BR.po index 0a066ecf..421d777f 100644 --- a/modules/po/awaystore.pt_BR.po +++ b/modules/po/awaystore.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/awaystore.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/awaystore.ru_RU.po b/modules/po/awaystore.ru_RU.po index 28937acd..770113c4 100644 --- a/modules/po/awaystore.ru_RU.po +++ b/modules/po/awaystore.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/awaystore.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/block_motd.bg_BG.po b/modules/po/block_motd.bg_BG.po index 1320c7c4..fe3df0dd 100644 --- a/modules/po/block_motd.bg_BG.po +++ b/modules/po/block_motd.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.7.x/modules/po/block_motd.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/block_motd.de_DE.po b/modules/po/block_motd.de_DE.po index 33fa6d22..1c32d98e 100644 --- a/modules/po/block_motd.de_DE.po +++ b/modules/po/block_motd.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/block_motd.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/block_motd.es_ES.po b/modules/po/block_motd.es_ES.po index fc36543e..c4eeaff6 100644 --- a/modules/po/block_motd.es_ES.po +++ b/modules/po/block_motd.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/block_motd.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/block_motd.fr_FR.po b/modules/po/block_motd.fr_FR.po index b74cba09..e2732513 100644 --- a/modules/po/block_motd.fr_FR.po +++ b/modules/po/block_motd.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/block_motd.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/block_motd.id_ID.po b/modules/po/block_motd.id_ID.po index 2a4d4cda..3a0d8f2e 100644 --- a/modules/po/block_motd.id_ID.po +++ b/modules/po/block_motd.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/block_motd.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/block_motd.it_IT.po b/modules/po/block_motd.it_IT.po index 9fe85138..51fca55c 100644 --- a/modules/po/block_motd.it_IT.po +++ b/modules/po/block_motd.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.7.x/modules/po/block_motd.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/block_motd.nl_NL.po b/modules/po/block_motd.nl_NL.po index f1fac881..3dc73e17 100644 --- a/modules/po/block_motd.nl_NL.po +++ b/modules/po/block_motd.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/block_motd.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/block_motd.pt_BR.po b/modules/po/block_motd.pt_BR.po index 5a325301..536e0a17 100644 --- a/modules/po/block_motd.pt_BR.po +++ b/modules/po/block_motd.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/block_motd.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/block_motd.ru_RU.po b/modules/po/block_motd.ru_RU.po index 5c804f12..40cdaafa 100644 --- a/modules/po/block_motd.ru_RU.po +++ b/modules/po/block_motd.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/block_motd.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/blockuser.bg_BG.po b/modules/po/blockuser.bg_BG.po index 4103a24e..c077fc0e 100644 --- a/modules/po/blockuser.bg_BG.po +++ b/modules/po/blockuser.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.7.x/modules/po/blockuser.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/blockuser.de_DE.po b/modules/po/blockuser.de_DE.po index 9b353a6a..eec8bdb5 100644 --- a/modules/po/blockuser.de_DE.po +++ b/modules/po/blockuser.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/blockuser.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/blockuser.es_ES.po b/modules/po/blockuser.es_ES.po index 6f4f7f34..82920d53 100644 --- a/modules/po/blockuser.es_ES.po +++ b/modules/po/blockuser.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/blockuser.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/blockuser.fr_FR.po b/modules/po/blockuser.fr_FR.po index d7747d75..b6a91d1f 100644 --- a/modules/po/blockuser.fr_FR.po +++ b/modules/po/blockuser.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/blockuser.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/blockuser.id_ID.po b/modules/po/blockuser.id_ID.po index a2fec2a4..1da52d6f 100644 --- a/modules/po/blockuser.id_ID.po +++ b/modules/po/blockuser.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/blockuser.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/blockuser.it_IT.po b/modules/po/blockuser.it_IT.po index 6f986d5b..00368c13 100644 --- a/modules/po/blockuser.it_IT.po +++ b/modules/po/blockuser.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.7.x/modules/po/blockuser.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/blockuser.nl_NL.po b/modules/po/blockuser.nl_NL.po index af09256a..cdd0a5c6 100644 --- a/modules/po/blockuser.nl_NL.po +++ b/modules/po/blockuser.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/blockuser.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/blockuser.pt_BR.po b/modules/po/blockuser.pt_BR.po index d9086bf6..7a2756a0 100644 --- a/modules/po/blockuser.pt_BR.po +++ b/modules/po/blockuser.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/blockuser.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/blockuser.ru_RU.po b/modules/po/blockuser.ru_RU.po index fc5e3b72..c286faee 100644 --- a/modules/po/blockuser.ru_RU.po +++ b/modules/po/blockuser.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/blockuser.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/bouncedcc.bg_BG.po b/modules/po/bouncedcc.bg_BG.po index 4fea7351..e961cf2e 100644 --- a/modules/po/bouncedcc.bg_BG.po +++ b/modules/po/bouncedcc.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.7.x/modules/po/bouncedcc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/bouncedcc.de_DE.po b/modules/po/bouncedcc.de_DE.po index 4ac8a7c9..5f087112 100644 --- a/modules/po/bouncedcc.de_DE.po +++ b/modules/po/bouncedcc.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/bouncedcc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/bouncedcc.es_ES.po b/modules/po/bouncedcc.es_ES.po index 4ca19b22..e42d001a 100644 --- a/modules/po/bouncedcc.es_ES.po +++ b/modules/po/bouncedcc.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/bouncedcc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/bouncedcc.fr_FR.po b/modules/po/bouncedcc.fr_FR.po index 154df2cc..9b73dbf4 100644 --- a/modules/po/bouncedcc.fr_FR.po +++ b/modules/po/bouncedcc.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/bouncedcc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/bouncedcc.id_ID.po b/modules/po/bouncedcc.id_ID.po index 2f068a91..90d13ad9 100644 --- a/modules/po/bouncedcc.id_ID.po +++ b/modules/po/bouncedcc.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/bouncedcc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/bouncedcc.it_IT.po b/modules/po/bouncedcc.it_IT.po index bf9cdcb1..29cdfb40 100644 --- a/modules/po/bouncedcc.it_IT.po +++ b/modules/po/bouncedcc.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.7.x/modules/po/bouncedcc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/bouncedcc.nl_NL.po b/modules/po/bouncedcc.nl_NL.po index dbe2a444..092dd1d2 100644 --- a/modules/po/bouncedcc.nl_NL.po +++ b/modules/po/bouncedcc.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/bouncedcc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/bouncedcc.pt_BR.po b/modules/po/bouncedcc.pt_BR.po index 51ef5baa..f760399f 100644 --- a/modules/po/bouncedcc.pt_BR.po +++ b/modules/po/bouncedcc.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/bouncedcc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/bouncedcc.ru_RU.po b/modules/po/bouncedcc.ru_RU.po index f437f90c..d9b0f7df 100644 --- a/modules/po/bouncedcc.ru_RU.po +++ b/modules/po/bouncedcc.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/bouncedcc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/buffextras.bg_BG.po b/modules/po/buffextras.bg_BG.po index 0266fe89..ec19cccf 100644 --- a/modules/po/buffextras.bg_BG.po +++ b/modules/po/buffextras.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.7.x/modules/po/buffextras.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/buffextras.de_DE.po b/modules/po/buffextras.de_DE.po index 7c12804f..70b59460 100644 --- a/modules/po/buffextras.de_DE.po +++ b/modules/po/buffextras.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/buffextras.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/buffextras.es_ES.po b/modules/po/buffextras.es_ES.po index f60c9c13..8f3119b9 100644 --- a/modules/po/buffextras.es_ES.po +++ b/modules/po/buffextras.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/buffextras.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/buffextras.fr_FR.po b/modules/po/buffextras.fr_FR.po index 8283a824..8482f7ec 100644 --- a/modules/po/buffextras.fr_FR.po +++ b/modules/po/buffextras.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/buffextras.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/buffextras.id_ID.po b/modules/po/buffextras.id_ID.po index 7663fb15..22f4a10b 100644 --- a/modules/po/buffextras.id_ID.po +++ b/modules/po/buffextras.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/buffextras.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/buffextras.it_IT.po b/modules/po/buffextras.it_IT.po index 9c35f3b5..b5a84b22 100644 --- a/modules/po/buffextras.it_IT.po +++ b/modules/po/buffextras.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.7.x/modules/po/buffextras.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/buffextras.nl_NL.po b/modules/po/buffextras.nl_NL.po index 0912df8a..2d08baae 100644 --- a/modules/po/buffextras.nl_NL.po +++ b/modules/po/buffextras.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/buffextras.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/buffextras.pt_BR.po b/modules/po/buffextras.pt_BR.po index d7c8fb81..13b8e894 100644 --- a/modules/po/buffextras.pt_BR.po +++ b/modules/po/buffextras.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/buffextras.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/buffextras.ru_RU.po b/modules/po/buffextras.ru_RU.po index d4cc8f7d..0587cb37 100644 --- a/modules/po/buffextras.ru_RU.po +++ b/modules/po/buffextras.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/buffextras.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/cert.bg_BG.po b/modules/po/cert.bg_BG.po index f13e714e..b3428ba5 100644 --- a/modules/po/cert.bg_BG.po +++ b/modules/po/cert.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.7.x/modules/po/cert.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/cert.de_DE.po b/modules/po/cert.de_DE.po index c5d5d985..1f02f9e6 100644 --- a/modules/po/cert.de_DE.po +++ b/modules/po/cert.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/cert.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/cert.es_ES.po b/modules/po/cert.es_ES.po index cb6c850c..2b1bb340 100644 --- a/modules/po/cert.es_ES.po +++ b/modules/po/cert.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/cert.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/cert.fr_FR.po b/modules/po/cert.fr_FR.po index a32410e4..ad45b63b 100644 --- a/modules/po/cert.fr_FR.po +++ b/modules/po/cert.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/cert.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/cert.id_ID.po b/modules/po/cert.id_ID.po index 4eed7750..3a1faf56 100644 --- a/modules/po/cert.id_ID.po +++ b/modules/po/cert.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/cert.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/cert.it_IT.po b/modules/po/cert.it_IT.po index e669a5a9..b057d0bd 100644 --- a/modules/po/cert.it_IT.po +++ b/modules/po/cert.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.7.x/modules/po/cert.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/cert.nl_NL.po b/modules/po/cert.nl_NL.po index d7b822a3..978415ed 100644 --- a/modules/po/cert.nl_NL.po +++ b/modules/po/cert.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/cert.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/cert.pt_BR.po b/modules/po/cert.pt_BR.po index f3771c45..058b81d2 100644 --- a/modules/po/cert.pt_BR.po +++ b/modules/po/cert.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/cert.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/cert.ru_RU.po b/modules/po/cert.ru_RU.po index be42d053..435284df 100644 --- a/modules/po/cert.ru_RU.po +++ b/modules/po/cert.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/cert.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/certauth.bg_BG.po b/modules/po/certauth.bg_BG.po index b783ac97..46e45a7c 100644 --- a/modules/po/certauth.bg_BG.po +++ b/modules/po/certauth.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.7.x/modules/po/certauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/certauth.de_DE.po b/modules/po/certauth.de_DE.po index e6d5c205..124b3903 100644 --- a/modules/po/certauth.de_DE.po +++ b/modules/po/certauth.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/certauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/certauth.es_ES.po b/modules/po/certauth.es_ES.po index 7faa5120..75a5d6bc 100644 --- a/modules/po/certauth.es_ES.po +++ b/modules/po/certauth.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/certauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/certauth.fr_FR.po b/modules/po/certauth.fr_FR.po index 9a802a2f..acc8cc52 100644 --- a/modules/po/certauth.fr_FR.po +++ b/modules/po/certauth.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/certauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/certauth.id_ID.po b/modules/po/certauth.id_ID.po index 0f073b2d..e450631c 100644 --- a/modules/po/certauth.id_ID.po +++ b/modules/po/certauth.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/certauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/certauth.it_IT.po b/modules/po/certauth.it_IT.po index 705431f7..016f3427 100644 --- a/modules/po/certauth.it_IT.po +++ b/modules/po/certauth.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.7.x/modules/po/certauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/certauth.nl_NL.po b/modules/po/certauth.nl_NL.po index a20841c7..9820f899 100644 --- a/modules/po/certauth.nl_NL.po +++ b/modules/po/certauth.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/certauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/certauth.pt_BR.po b/modules/po/certauth.pt_BR.po index defeb29b..6e50bb91 100644 --- a/modules/po/certauth.pt_BR.po +++ b/modules/po/certauth.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/certauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/certauth.ru_RU.po b/modules/po/certauth.ru_RU.po index 03b23c3d..81ad5b0e 100644 --- a/modules/po/certauth.ru_RU.po +++ b/modules/po/certauth.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/certauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/chansaver.bg_BG.po b/modules/po/chansaver.bg_BG.po index 80a2d2d1..b91d04db 100644 --- a/modules/po/chansaver.bg_BG.po +++ b/modules/po/chansaver.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.7.x/modules/po/chansaver.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/chansaver.de_DE.po b/modules/po/chansaver.de_DE.po index 987e475c..4d748b00 100644 --- a/modules/po/chansaver.de_DE.po +++ b/modules/po/chansaver.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/chansaver.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/chansaver.es_ES.po b/modules/po/chansaver.es_ES.po index 44daea8b..5ec611fc 100644 --- a/modules/po/chansaver.es_ES.po +++ b/modules/po/chansaver.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/chansaver.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/chansaver.fr_FR.po b/modules/po/chansaver.fr_FR.po index e5c2f30a..51c37361 100644 --- a/modules/po/chansaver.fr_FR.po +++ b/modules/po/chansaver.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/chansaver.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/chansaver.id_ID.po b/modules/po/chansaver.id_ID.po index a46539a3..31f329a0 100644 --- a/modules/po/chansaver.id_ID.po +++ b/modules/po/chansaver.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/chansaver.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/chansaver.it_IT.po b/modules/po/chansaver.it_IT.po index d37275d9..719d91f9 100644 --- a/modules/po/chansaver.it_IT.po +++ b/modules/po/chansaver.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.7.x/modules/po/chansaver.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/chansaver.nl_NL.po b/modules/po/chansaver.nl_NL.po index 23352d3d..8af6feab 100644 --- a/modules/po/chansaver.nl_NL.po +++ b/modules/po/chansaver.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/chansaver.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/chansaver.pt_BR.po b/modules/po/chansaver.pt_BR.po index ba6bfbcd..4d52d5c6 100644 --- a/modules/po/chansaver.pt_BR.po +++ b/modules/po/chansaver.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/chansaver.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/chansaver.ru_RU.po b/modules/po/chansaver.ru_RU.po index 4f78e0e7..ba3e80ad 100644 --- a/modules/po/chansaver.ru_RU.po +++ b/modules/po/chansaver.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/chansaver.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/clearbufferonmsg.bg_BG.po b/modules/po/clearbufferonmsg.bg_BG.po index 6c5c0523..391bcab0 100644 --- a/modules/po/clearbufferonmsg.bg_BG.po +++ b/modules/po/clearbufferonmsg.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.7.x/modules/po/clearbufferonmsg.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/clearbufferonmsg.de_DE.po b/modules/po/clearbufferonmsg.de_DE.po index 63ac2994..7966d214 100644 --- a/modules/po/clearbufferonmsg.de_DE.po +++ b/modules/po/clearbufferonmsg.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/clearbufferonmsg.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/clearbufferonmsg.es_ES.po b/modules/po/clearbufferonmsg.es_ES.po index 65c3454f..95f46b42 100644 --- a/modules/po/clearbufferonmsg.es_ES.po +++ b/modules/po/clearbufferonmsg.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/clearbufferonmsg.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/clearbufferonmsg.fr_FR.po b/modules/po/clearbufferonmsg.fr_FR.po index 66abc0c4..200ecad2 100644 --- a/modules/po/clearbufferonmsg.fr_FR.po +++ b/modules/po/clearbufferonmsg.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/clearbufferonmsg.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/clearbufferonmsg.id_ID.po b/modules/po/clearbufferonmsg.id_ID.po index 89420de3..d98dbf45 100644 --- a/modules/po/clearbufferonmsg.id_ID.po +++ b/modules/po/clearbufferonmsg.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/clearbufferonmsg.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/clearbufferonmsg.it_IT.po b/modules/po/clearbufferonmsg.it_IT.po index 02ae2ca6..a37b0b1e 100644 --- a/modules/po/clearbufferonmsg.it_IT.po +++ b/modules/po/clearbufferonmsg.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.7.x/modules/po/clearbufferonmsg.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/clearbufferonmsg.nl_NL.po b/modules/po/clearbufferonmsg.nl_NL.po index 904416f8..ad6e158b 100644 --- a/modules/po/clearbufferonmsg.nl_NL.po +++ b/modules/po/clearbufferonmsg.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/clearbufferonmsg.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/clearbufferonmsg.pt_BR.po b/modules/po/clearbufferonmsg.pt_BR.po index 585f3f88..02b7174a 100644 --- a/modules/po/clearbufferonmsg.pt_BR.po +++ b/modules/po/clearbufferonmsg.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/clearbufferonmsg.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/clearbufferonmsg.ru_RU.po b/modules/po/clearbufferonmsg.ru_RU.po index 76d845ab..5dd9ca08 100644 --- a/modules/po/clearbufferonmsg.ru_RU.po +++ b/modules/po/clearbufferonmsg.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/clearbufferonmsg.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/clientnotify.bg_BG.po b/modules/po/clientnotify.bg_BG.po index 04c3bba1..2754a079 100644 --- a/modules/po/clientnotify.bg_BG.po +++ b/modules/po/clientnotify.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.7.x/modules/po/clientnotify.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/clientnotify.de_DE.po b/modules/po/clientnotify.de_DE.po index 7a973664..8645ed2c 100644 --- a/modules/po/clientnotify.de_DE.po +++ b/modules/po/clientnotify.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/clientnotify.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/clientnotify.es_ES.po b/modules/po/clientnotify.es_ES.po index c142759c..f4d77c57 100644 --- a/modules/po/clientnotify.es_ES.po +++ b/modules/po/clientnotify.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/clientnotify.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/clientnotify.fr_FR.po b/modules/po/clientnotify.fr_FR.po index 687bef6f..66814c5d 100644 --- a/modules/po/clientnotify.fr_FR.po +++ b/modules/po/clientnotify.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/clientnotify.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/clientnotify.id_ID.po b/modules/po/clientnotify.id_ID.po index 74767507..bbdb6c1d 100644 --- a/modules/po/clientnotify.id_ID.po +++ b/modules/po/clientnotify.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/clientnotify.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/clientnotify.it_IT.po b/modules/po/clientnotify.it_IT.po index bf160c7a..db81d983 100644 --- a/modules/po/clientnotify.it_IT.po +++ b/modules/po/clientnotify.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.7.x/modules/po/clientnotify.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/clientnotify.nl_NL.po b/modules/po/clientnotify.nl_NL.po index 321428f0..9110cc41 100644 --- a/modules/po/clientnotify.nl_NL.po +++ b/modules/po/clientnotify.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/clientnotify.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/clientnotify.pt_BR.po b/modules/po/clientnotify.pt_BR.po index 9e084431..04ce47bc 100644 --- a/modules/po/clientnotify.pt_BR.po +++ b/modules/po/clientnotify.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/clientnotify.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/clientnotify.ru_RU.po b/modules/po/clientnotify.ru_RU.po index 53047bf2..11b1819c 100644 --- a/modules/po/clientnotify.ru_RU.po +++ b/modules/po/clientnotify.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/clientnotify.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/controlpanel.bg_BG.po b/modules/po/controlpanel.bg_BG.po index 4b6f43e2..1055d0de 100644 --- a/modules/po/controlpanel.bg_BG.po +++ b/modules/po/controlpanel.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.7.x/modules/po/controlpanel.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/controlpanel.de_DE.po b/modules/po/controlpanel.de_DE.po index 706993e2..2efb5161 100644 --- a/modules/po/controlpanel.de_DE.po +++ b/modules/po/controlpanel.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/controlpanel.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/controlpanel.es_ES.po b/modules/po/controlpanel.es_ES.po index 42e2822f..18943354 100644 --- a/modules/po/controlpanel.es_ES.po +++ b/modules/po/controlpanel.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/controlpanel.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/controlpanel.fr_FR.po b/modules/po/controlpanel.fr_FR.po index 1f6f1a0c..bd35c108 100644 --- a/modules/po/controlpanel.fr_FR.po +++ b/modules/po/controlpanel.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/controlpanel.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/controlpanel.id_ID.po b/modules/po/controlpanel.id_ID.po index be6ef478..9c29052b 100644 --- a/modules/po/controlpanel.id_ID.po +++ b/modules/po/controlpanel.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/controlpanel.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/controlpanel.it_IT.po b/modules/po/controlpanel.it_IT.po index 45b4874f..52cfc5d3 100644 --- a/modules/po/controlpanel.it_IT.po +++ b/modules/po/controlpanel.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.7.x/modules/po/controlpanel.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/controlpanel.nl_NL.po b/modules/po/controlpanel.nl_NL.po index 3b392397..086aec70 100644 --- a/modules/po/controlpanel.nl_NL.po +++ b/modules/po/controlpanel.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/controlpanel.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/controlpanel.pt_BR.po b/modules/po/controlpanel.pt_BR.po index c6b51b9f..37d539d6 100644 --- a/modules/po/controlpanel.pt_BR.po +++ b/modules/po/controlpanel.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/controlpanel.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/controlpanel.ru_RU.po b/modules/po/controlpanel.ru_RU.po index 80eff441..7a6208ec 100644 --- a/modules/po/controlpanel.ru_RU.po +++ b/modules/po/controlpanel.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/controlpanel.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/crypt.bg_BG.po b/modules/po/crypt.bg_BG.po index 4598d577..b9af3939 100644 --- a/modules/po/crypt.bg_BG.po +++ b/modules/po/crypt.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.7.x/modules/po/crypt.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/crypt.de_DE.po b/modules/po/crypt.de_DE.po index 57d39079..1aa45d00 100644 --- a/modules/po/crypt.de_DE.po +++ b/modules/po/crypt.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/crypt.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/crypt.es_ES.po b/modules/po/crypt.es_ES.po index 3eecba46..69b694a8 100644 --- a/modules/po/crypt.es_ES.po +++ b/modules/po/crypt.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/crypt.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/crypt.fr_FR.po b/modules/po/crypt.fr_FR.po index cd53d418..0a1c056b 100644 --- a/modules/po/crypt.fr_FR.po +++ b/modules/po/crypt.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/crypt.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/crypt.id_ID.po b/modules/po/crypt.id_ID.po index d15fc980..a5b39bba 100644 --- a/modules/po/crypt.id_ID.po +++ b/modules/po/crypt.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/crypt.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/crypt.it_IT.po b/modules/po/crypt.it_IT.po index 8ca76d57..efaf7078 100644 --- a/modules/po/crypt.it_IT.po +++ b/modules/po/crypt.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.7.x/modules/po/crypt.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/crypt.nl_NL.po b/modules/po/crypt.nl_NL.po index ad2fef98..087fa771 100644 --- a/modules/po/crypt.nl_NL.po +++ b/modules/po/crypt.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/crypt.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/crypt.pt_BR.po b/modules/po/crypt.pt_BR.po index 10377532..db8f0ae5 100644 --- a/modules/po/crypt.pt_BR.po +++ b/modules/po/crypt.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/crypt.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/crypt.ru_RU.po b/modules/po/crypt.ru_RU.po index 17d82f81..31e9ecc2 100644 --- a/modules/po/crypt.ru_RU.po +++ b/modules/po/crypt.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/crypt.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/ctcpflood.bg_BG.po b/modules/po/ctcpflood.bg_BG.po index e1f8aadd..bc7a8993 100644 --- a/modules/po/ctcpflood.bg_BG.po +++ b/modules/po/ctcpflood.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.7.x/modules/po/ctcpflood.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/ctcpflood.de_DE.po b/modules/po/ctcpflood.de_DE.po index 9f29a31a..ac37b56f 100644 --- a/modules/po/ctcpflood.de_DE.po +++ b/modules/po/ctcpflood.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/ctcpflood.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/ctcpflood.es_ES.po b/modules/po/ctcpflood.es_ES.po index 774e1eaa..fad01a79 100644 --- a/modules/po/ctcpflood.es_ES.po +++ b/modules/po/ctcpflood.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/ctcpflood.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/ctcpflood.fr_FR.po b/modules/po/ctcpflood.fr_FR.po index 6ba70e62..c33cd3bb 100644 --- a/modules/po/ctcpflood.fr_FR.po +++ b/modules/po/ctcpflood.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/ctcpflood.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/ctcpflood.id_ID.po b/modules/po/ctcpflood.id_ID.po index e4249b71..39153884 100644 --- a/modules/po/ctcpflood.id_ID.po +++ b/modules/po/ctcpflood.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/ctcpflood.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/ctcpflood.it_IT.po b/modules/po/ctcpflood.it_IT.po index b9c782a5..cfb95a4b 100644 --- a/modules/po/ctcpflood.it_IT.po +++ b/modules/po/ctcpflood.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.7.x/modules/po/ctcpflood.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/ctcpflood.nl_NL.po b/modules/po/ctcpflood.nl_NL.po index 22a33d80..b54877c9 100644 --- a/modules/po/ctcpflood.nl_NL.po +++ b/modules/po/ctcpflood.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/ctcpflood.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/ctcpflood.pt_BR.po b/modules/po/ctcpflood.pt_BR.po index d5cba801..f81c6dc9 100644 --- a/modules/po/ctcpflood.pt_BR.po +++ b/modules/po/ctcpflood.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/ctcpflood.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/ctcpflood.ru_RU.po b/modules/po/ctcpflood.ru_RU.po index bca044ed..023f4c9c 100644 --- a/modules/po/ctcpflood.ru_RU.po +++ b/modules/po/ctcpflood.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/ctcpflood.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/cyrusauth.bg_BG.po b/modules/po/cyrusauth.bg_BG.po index f6be35f2..416de495 100644 --- a/modules/po/cyrusauth.bg_BG.po +++ b/modules/po/cyrusauth.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.7.x/modules/po/cyrusauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/cyrusauth.de_DE.po b/modules/po/cyrusauth.de_DE.po index 43d63775..b76d8a4d 100644 --- a/modules/po/cyrusauth.de_DE.po +++ b/modules/po/cyrusauth.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/cyrusauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/cyrusauth.es_ES.po b/modules/po/cyrusauth.es_ES.po index 5d1ee629..bb6b9b10 100644 --- a/modules/po/cyrusauth.es_ES.po +++ b/modules/po/cyrusauth.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/cyrusauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/cyrusauth.fr_FR.po b/modules/po/cyrusauth.fr_FR.po index ef654270..d14f0153 100644 --- a/modules/po/cyrusauth.fr_FR.po +++ b/modules/po/cyrusauth.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/cyrusauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/cyrusauth.id_ID.po b/modules/po/cyrusauth.id_ID.po index 604ede3e..5c3f0278 100644 --- a/modules/po/cyrusauth.id_ID.po +++ b/modules/po/cyrusauth.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/cyrusauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/cyrusauth.it_IT.po b/modules/po/cyrusauth.it_IT.po index 3f1bbd43..4455b713 100644 --- a/modules/po/cyrusauth.it_IT.po +++ b/modules/po/cyrusauth.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.7.x/modules/po/cyrusauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/cyrusauth.nl_NL.po b/modules/po/cyrusauth.nl_NL.po index 11003c92..9c145974 100644 --- a/modules/po/cyrusauth.nl_NL.po +++ b/modules/po/cyrusauth.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/cyrusauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/cyrusauth.pt_BR.po b/modules/po/cyrusauth.pt_BR.po index cd3d1f8f..170d9631 100644 --- a/modules/po/cyrusauth.pt_BR.po +++ b/modules/po/cyrusauth.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/cyrusauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/cyrusauth.ru_RU.po b/modules/po/cyrusauth.ru_RU.po index 2c886acd..8d4e44bb 100644 --- a/modules/po/cyrusauth.ru_RU.po +++ b/modules/po/cyrusauth.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/cyrusauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/dcc.bg_BG.po b/modules/po/dcc.bg_BG.po index c58e51c8..3434dfb6 100644 --- a/modules/po/dcc.bg_BG.po +++ b/modules/po/dcc.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.7.x/modules/po/dcc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/dcc.de_DE.po b/modules/po/dcc.de_DE.po index 13a6277f..23cd05d4 100644 --- a/modules/po/dcc.de_DE.po +++ b/modules/po/dcc.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/dcc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/dcc.es_ES.po b/modules/po/dcc.es_ES.po index 54f1d0b0..10fabe73 100644 --- a/modules/po/dcc.es_ES.po +++ b/modules/po/dcc.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/dcc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/dcc.fr_FR.po b/modules/po/dcc.fr_FR.po index be5776c3..a22f7d82 100644 --- a/modules/po/dcc.fr_FR.po +++ b/modules/po/dcc.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/dcc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/dcc.id_ID.po b/modules/po/dcc.id_ID.po index 69ea9dc2..cba3ca1e 100644 --- a/modules/po/dcc.id_ID.po +++ b/modules/po/dcc.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/dcc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/dcc.it_IT.po b/modules/po/dcc.it_IT.po index 1802feb4..e86391e7 100644 --- a/modules/po/dcc.it_IT.po +++ b/modules/po/dcc.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.7.x/modules/po/dcc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/dcc.nl_NL.po b/modules/po/dcc.nl_NL.po index e532900a..9c167461 100644 --- a/modules/po/dcc.nl_NL.po +++ b/modules/po/dcc.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/dcc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/dcc.pt_BR.po b/modules/po/dcc.pt_BR.po index b9ada833..0fb2b94d 100644 --- a/modules/po/dcc.pt_BR.po +++ b/modules/po/dcc.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/dcc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/dcc.ru_RU.po b/modules/po/dcc.ru_RU.po index f5790bcd..0b427cbb 100644 --- a/modules/po/dcc.ru_RU.po +++ b/modules/po/dcc.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/dcc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/disconkick.bg_BG.po b/modules/po/disconkick.bg_BG.po index 3f9f40e1..247f6966 100644 --- a/modules/po/disconkick.bg_BG.po +++ b/modules/po/disconkick.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.7.x/modules/po/disconkick.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/disconkick.de_DE.po b/modules/po/disconkick.de_DE.po index f84e2742..8846e0d5 100644 --- a/modules/po/disconkick.de_DE.po +++ b/modules/po/disconkick.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/disconkick.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/disconkick.es_ES.po b/modules/po/disconkick.es_ES.po index aa376b03..6ab29787 100644 --- a/modules/po/disconkick.es_ES.po +++ b/modules/po/disconkick.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/disconkick.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/disconkick.fr_FR.po b/modules/po/disconkick.fr_FR.po index bce7b3b0..26aadedf 100644 --- a/modules/po/disconkick.fr_FR.po +++ b/modules/po/disconkick.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/disconkick.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/disconkick.id_ID.po b/modules/po/disconkick.id_ID.po index 2f0357ae..789a8a9a 100644 --- a/modules/po/disconkick.id_ID.po +++ b/modules/po/disconkick.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/disconkick.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/disconkick.it_IT.po b/modules/po/disconkick.it_IT.po index 9b07822c..0c29577a 100644 --- a/modules/po/disconkick.it_IT.po +++ b/modules/po/disconkick.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.7.x/modules/po/disconkick.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/disconkick.nl_NL.po b/modules/po/disconkick.nl_NL.po index 9f84cebc..d8701126 100644 --- a/modules/po/disconkick.nl_NL.po +++ b/modules/po/disconkick.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/disconkick.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/disconkick.pt_BR.po b/modules/po/disconkick.pt_BR.po index 48d73d63..a7236745 100644 --- a/modules/po/disconkick.pt_BR.po +++ b/modules/po/disconkick.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/disconkick.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/disconkick.ru_RU.po b/modules/po/disconkick.ru_RU.po index a705452b..ff7d5a15 100644 --- a/modules/po/disconkick.ru_RU.po +++ b/modules/po/disconkick.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/disconkick.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/fail2ban.bg_BG.po b/modules/po/fail2ban.bg_BG.po index fb22e37c..a56a255f 100644 --- a/modules/po/fail2ban.bg_BG.po +++ b/modules/po/fail2ban.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.7.x/modules/po/fail2ban.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/fail2ban.de_DE.po b/modules/po/fail2ban.de_DE.po index 768f7e2f..081866b5 100644 --- a/modules/po/fail2ban.de_DE.po +++ b/modules/po/fail2ban.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/fail2ban.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/fail2ban.es_ES.po b/modules/po/fail2ban.es_ES.po index e66cdd75..0784fcb4 100644 --- a/modules/po/fail2ban.es_ES.po +++ b/modules/po/fail2ban.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/fail2ban.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/fail2ban.fr_FR.po b/modules/po/fail2ban.fr_FR.po index 650932cc..3fcb8096 100644 --- a/modules/po/fail2ban.fr_FR.po +++ b/modules/po/fail2ban.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/fail2ban.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/fail2ban.id_ID.po b/modules/po/fail2ban.id_ID.po index 65eafaf1..1711fc07 100644 --- a/modules/po/fail2ban.id_ID.po +++ b/modules/po/fail2ban.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/fail2ban.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/fail2ban.it_IT.po b/modules/po/fail2ban.it_IT.po index 05f94946..72c00492 100644 --- a/modules/po/fail2ban.it_IT.po +++ b/modules/po/fail2ban.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.7.x/modules/po/fail2ban.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/fail2ban.nl_NL.po b/modules/po/fail2ban.nl_NL.po index 24aef990..275ee621 100644 --- a/modules/po/fail2ban.nl_NL.po +++ b/modules/po/fail2ban.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/fail2ban.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/fail2ban.pt_BR.po b/modules/po/fail2ban.pt_BR.po index 0103c33e..c4d1744f 100644 --- a/modules/po/fail2ban.pt_BR.po +++ b/modules/po/fail2ban.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/fail2ban.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/fail2ban.ru_RU.po b/modules/po/fail2ban.ru_RU.po index ab438ba9..3a2503fe 100644 --- a/modules/po/fail2ban.ru_RU.po +++ b/modules/po/fail2ban.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/fail2ban.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/flooddetach.bg_BG.po b/modules/po/flooddetach.bg_BG.po index c15c1558..c83ef0fd 100644 --- a/modules/po/flooddetach.bg_BG.po +++ b/modules/po/flooddetach.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.7.x/modules/po/flooddetach.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/flooddetach.de_DE.po b/modules/po/flooddetach.de_DE.po index cdf82385..ad8a3191 100644 --- a/modules/po/flooddetach.de_DE.po +++ b/modules/po/flooddetach.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/flooddetach.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/flooddetach.es_ES.po b/modules/po/flooddetach.es_ES.po index ca0c9d16..d8c56ea2 100644 --- a/modules/po/flooddetach.es_ES.po +++ b/modules/po/flooddetach.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/flooddetach.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/flooddetach.fr_FR.po b/modules/po/flooddetach.fr_FR.po index d6793528..8f3bef4a 100644 --- a/modules/po/flooddetach.fr_FR.po +++ b/modules/po/flooddetach.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/flooddetach.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/flooddetach.id_ID.po b/modules/po/flooddetach.id_ID.po index fc346abe..6af846e3 100644 --- a/modules/po/flooddetach.id_ID.po +++ b/modules/po/flooddetach.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/flooddetach.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/flooddetach.it_IT.po b/modules/po/flooddetach.it_IT.po index 7c0db5ad..2b36067e 100644 --- a/modules/po/flooddetach.it_IT.po +++ b/modules/po/flooddetach.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.7.x/modules/po/flooddetach.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/flooddetach.nl_NL.po b/modules/po/flooddetach.nl_NL.po index b6845a5d..70c6bfd0 100644 --- a/modules/po/flooddetach.nl_NL.po +++ b/modules/po/flooddetach.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/flooddetach.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/flooddetach.pt_BR.po b/modules/po/flooddetach.pt_BR.po index 44d4e88e..be7a2c28 100644 --- a/modules/po/flooddetach.pt_BR.po +++ b/modules/po/flooddetach.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/flooddetach.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/flooddetach.ru_RU.po b/modules/po/flooddetach.ru_RU.po index e49db450..0e9e2a98 100644 --- a/modules/po/flooddetach.ru_RU.po +++ b/modules/po/flooddetach.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/flooddetach.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/identfile.bg_BG.po b/modules/po/identfile.bg_BG.po index dcd535f6..322b77a9 100644 --- a/modules/po/identfile.bg_BG.po +++ b/modules/po/identfile.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.7.x/modules/po/identfile.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/identfile.de_DE.po b/modules/po/identfile.de_DE.po index ab1a9829..00e81a66 100644 --- a/modules/po/identfile.de_DE.po +++ b/modules/po/identfile.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/identfile.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/identfile.es_ES.po b/modules/po/identfile.es_ES.po index 89322849..06562380 100644 --- a/modules/po/identfile.es_ES.po +++ b/modules/po/identfile.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/identfile.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/identfile.fr_FR.po b/modules/po/identfile.fr_FR.po index f3fff5e1..88a0f66c 100644 --- a/modules/po/identfile.fr_FR.po +++ b/modules/po/identfile.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/identfile.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/identfile.id_ID.po b/modules/po/identfile.id_ID.po index d3bb0f12..a70c8a55 100644 --- a/modules/po/identfile.id_ID.po +++ b/modules/po/identfile.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/identfile.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/identfile.it_IT.po b/modules/po/identfile.it_IT.po index baa353e9..5062a4ce 100644 --- a/modules/po/identfile.it_IT.po +++ b/modules/po/identfile.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.7.x/modules/po/identfile.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/identfile.nl_NL.po b/modules/po/identfile.nl_NL.po index 55d3bb05..fd7efbde 100644 --- a/modules/po/identfile.nl_NL.po +++ b/modules/po/identfile.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/identfile.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/identfile.pt_BR.po b/modules/po/identfile.pt_BR.po index 835e05d4..79083ef6 100644 --- a/modules/po/identfile.pt_BR.po +++ b/modules/po/identfile.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/identfile.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/identfile.ru_RU.po b/modules/po/identfile.ru_RU.po index 29515674..1ef70ac1 100644 --- a/modules/po/identfile.ru_RU.po +++ b/modules/po/identfile.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/identfile.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/imapauth.bg_BG.po b/modules/po/imapauth.bg_BG.po index 283c1218..2cae2be0 100644 --- a/modules/po/imapauth.bg_BG.po +++ b/modules/po/imapauth.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.7.x/modules/po/imapauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/imapauth.de_DE.po b/modules/po/imapauth.de_DE.po index ccb2b852..cf62cb04 100644 --- a/modules/po/imapauth.de_DE.po +++ b/modules/po/imapauth.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/imapauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/imapauth.es_ES.po b/modules/po/imapauth.es_ES.po index 91d36798..2a49ee3f 100644 --- a/modules/po/imapauth.es_ES.po +++ b/modules/po/imapauth.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/imapauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/imapauth.fr_FR.po b/modules/po/imapauth.fr_FR.po index 2455f5c9..f8e74c0d 100644 --- a/modules/po/imapauth.fr_FR.po +++ b/modules/po/imapauth.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/imapauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/imapauth.id_ID.po b/modules/po/imapauth.id_ID.po index 52163303..03df4c97 100644 --- a/modules/po/imapauth.id_ID.po +++ b/modules/po/imapauth.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/imapauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/imapauth.it_IT.po b/modules/po/imapauth.it_IT.po index 2c172ac9..3261b583 100644 --- a/modules/po/imapauth.it_IT.po +++ b/modules/po/imapauth.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.7.x/modules/po/imapauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/imapauth.nl_NL.po b/modules/po/imapauth.nl_NL.po index 1b24aac2..8a1968a4 100644 --- a/modules/po/imapauth.nl_NL.po +++ b/modules/po/imapauth.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/imapauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/imapauth.pt_BR.po b/modules/po/imapauth.pt_BR.po index be7340f2..1fbbeadf 100644 --- a/modules/po/imapauth.pt_BR.po +++ b/modules/po/imapauth.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/imapauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/imapauth.ru_RU.po b/modules/po/imapauth.ru_RU.po index 8319477c..781ad48c 100644 --- a/modules/po/imapauth.ru_RU.po +++ b/modules/po/imapauth.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/imapauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/keepnick.bg_BG.po b/modules/po/keepnick.bg_BG.po index a60b9e1d..f513ba3e 100644 --- a/modules/po/keepnick.bg_BG.po +++ b/modules/po/keepnick.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.7.x/modules/po/keepnick.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/keepnick.de_DE.po b/modules/po/keepnick.de_DE.po index dd7e0921..31d94642 100644 --- a/modules/po/keepnick.de_DE.po +++ b/modules/po/keepnick.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/keepnick.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/keepnick.es_ES.po b/modules/po/keepnick.es_ES.po index d6843a9c..b7b2269f 100644 --- a/modules/po/keepnick.es_ES.po +++ b/modules/po/keepnick.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/keepnick.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/keepnick.fr_FR.po b/modules/po/keepnick.fr_FR.po index a1eec018..be6e5061 100644 --- a/modules/po/keepnick.fr_FR.po +++ b/modules/po/keepnick.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/keepnick.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/keepnick.id_ID.po b/modules/po/keepnick.id_ID.po index c4ff3586..540b62a3 100644 --- a/modules/po/keepnick.id_ID.po +++ b/modules/po/keepnick.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/keepnick.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/keepnick.it_IT.po b/modules/po/keepnick.it_IT.po index 6db5314b..c0a3d7f0 100644 --- a/modules/po/keepnick.it_IT.po +++ b/modules/po/keepnick.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.7.x/modules/po/keepnick.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/keepnick.nl_NL.po b/modules/po/keepnick.nl_NL.po index 655e66a8..1f675485 100644 --- a/modules/po/keepnick.nl_NL.po +++ b/modules/po/keepnick.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/keepnick.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/keepnick.pt_BR.po b/modules/po/keepnick.pt_BR.po index f1a88e5e..a9a532c0 100644 --- a/modules/po/keepnick.pt_BR.po +++ b/modules/po/keepnick.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/keepnick.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/keepnick.ru_RU.po b/modules/po/keepnick.ru_RU.po index 46dfa4fa..4f724838 100644 --- a/modules/po/keepnick.ru_RU.po +++ b/modules/po/keepnick.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/keepnick.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/kickrejoin.bg_BG.po b/modules/po/kickrejoin.bg_BG.po index 420489ed..48eb490c 100644 --- a/modules/po/kickrejoin.bg_BG.po +++ b/modules/po/kickrejoin.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.7.x/modules/po/kickrejoin.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/kickrejoin.de_DE.po b/modules/po/kickrejoin.de_DE.po index 397b582d..df3bbd05 100644 --- a/modules/po/kickrejoin.de_DE.po +++ b/modules/po/kickrejoin.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/kickrejoin.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/kickrejoin.es_ES.po b/modules/po/kickrejoin.es_ES.po index af9483cc..8062ee14 100644 --- a/modules/po/kickrejoin.es_ES.po +++ b/modules/po/kickrejoin.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/kickrejoin.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/kickrejoin.fr_FR.po b/modules/po/kickrejoin.fr_FR.po index 283138a2..9490dc7d 100644 --- a/modules/po/kickrejoin.fr_FR.po +++ b/modules/po/kickrejoin.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/kickrejoin.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/kickrejoin.id_ID.po b/modules/po/kickrejoin.id_ID.po index fe16dc29..034ea7e7 100644 --- a/modules/po/kickrejoin.id_ID.po +++ b/modules/po/kickrejoin.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/kickrejoin.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/kickrejoin.it_IT.po b/modules/po/kickrejoin.it_IT.po index f6480fcd..1274300c 100644 --- a/modules/po/kickrejoin.it_IT.po +++ b/modules/po/kickrejoin.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.7.x/modules/po/kickrejoin.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/kickrejoin.nl_NL.po b/modules/po/kickrejoin.nl_NL.po index 4598efd6..bf414051 100644 --- a/modules/po/kickrejoin.nl_NL.po +++ b/modules/po/kickrejoin.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/kickrejoin.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/kickrejoin.pt_BR.po b/modules/po/kickrejoin.pt_BR.po index aaca7bf4..e69041c5 100644 --- a/modules/po/kickrejoin.pt_BR.po +++ b/modules/po/kickrejoin.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/kickrejoin.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/kickrejoin.ru_RU.po b/modules/po/kickrejoin.ru_RU.po index 18c59e84..2ab97525 100644 --- a/modules/po/kickrejoin.ru_RU.po +++ b/modules/po/kickrejoin.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/kickrejoin.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/lastseen.bg_BG.po b/modules/po/lastseen.bg_BG.po index 8f82f0a9..330bb465 100644 --- a/modules/po/lastseen.bg_BG.po +++ b/modules/po/lastseen.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.7.x/modules/po/lastseen.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/lastseen.de_DE.po b/modules/po/lastseen.de_DE.po index 42136d0f..b039e492 100644 --- a/modules/po/lastseen.de_DE.po +++ b/modules/po/lastseen.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/lastseen.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/lastseen.es_ES.po b/modules/po/lastseen.es_ES.po index 365525b9..4ab423aa 100644 --- a/modules/po/lastseen.es_ES.po +++ b/modules/po/lastseen.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/lastseen.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/lastseen.fr_FR.po b/modules/po/lastseen.fr_FR.po index 0d4e59e0..7fdd6ae4 100644 --- a/modules/po/lastseen.fr_FR.po +++ b/modules/po/lastseen.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/lastseen.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/lastseen.id_ID.po b/modules/po/lastseen.id_ID.po index d1c38adb..b5e8f416 100644 --- a/modules/po/lastseen.id_ID.po +++ b/modules/po/lastseen.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/lastseen.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/lastseen.it_IT.po b/modules/po/lastseen.it_IT.po index 034fe016..3f5f9e67 100644 --- a/modules/po/lastseen.it_IT.po +++ b/modules/po/lastseen.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.7.x/modules/po/lastseen.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/lastseen.nl_NL.po b/modules/po/lastseen.nl_NL.po index 4428fe16..839668a9 100644 --- a/modules/po/lastseen.nl_NL.po +++ b/modules/po/lastseen.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/lastseen.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/lastseen.pt_BR.po b/modules/po/lastseen.pt_BR.po index fd9826b7..3db1ff39 100644 --- a/modules/po/lastseen.pt_BR.po +++ b/modules/po/lastseen.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/lastseen.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/lastseen.ru_RU.po b/modules/po/lastseen.ru_RU.po index ea1bda61..9cf36bcd 100644 --- a/modules/po/lastseen.ru_RU.po +++ b/modules/po/lastseen.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/lastseen.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/listsockets.bg_BG.po b/modules/po/listsockets.bg_BG.po index eb2f4864..e2084ce6 100644 --- a/modules/po/listsockets.bg_BG.po +++ b/modules/po/listsockets.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.7.x/modules/po/listsockets.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/listsockets.de_DE.po b/modules/po/listsockets.de_DE.po index a30938a6..6f1b9ad9 100644 --- a/modules/po/listsockets.de_DE.po +++ b/modules/po/listsockets.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/listsockets.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/listsockets.es_ES.po b/modules/po/listsockets.es_ES.po index 7a1c217e..21574f24 100644 --- a/modules/po/listsockets.es_ES.po +++ b/modules/po/listsockets.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/listsockets.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/listsockets.fr_FR.po b/modules/po/listsockets.fr_FR.po index 89a5809d..46c681c0 100644 --- a/modules/po/listsockets.fr_FR.po +++ b/modules/po/listsockets.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/listsockets.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/listsockets.id_ID.po b/modules/po/listsockets.id_ID.po index c4f60e39..f037c640 100644 --- a/modules/po/listsockets.id_ID.po +++ b/modules/po/listsockets.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/listsockets.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/listsockets.it_IT.po b/modules/po/listsockets.it_IT.po index f3e2edce..21d3fc64 100644 --- a/modules/po/listsockets.it_IT.po +++ b/modules/po/listsockets.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.7.x/modules/po/listsockets.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/listsockets.nl_NL.po b/modules/po/listsockets.nl_NL.po index 7e7b8082..5365204c 100644 --- a/modules/po/listsockets.nl_NL.po +++ b/modules/po/listsockets.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/listsockets.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/listsockets.pt_BR.po b/modules/po/listsockets.pt_BR.po index eb4fc4b3..f5aa2f8a 100644 --- a/modules/po/listsockets.pt_BR.po +++ b/modules/po/listsockets.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/listsockets.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/listsockets.ru_RU.po b/modules/po/listsockets.ru_RU.po index f13b6c60..d844d6a9 100644 --- a/modules/po/listsockets.ru_RU.po +++ b/modules/po/listsockets.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/listsockets.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/log.bg_BG.po b/modules/po/log.bg_BG.po index 205009fe..a6dcc60f 100644 --- a/modules/po/log.bg_BG.po +++ b/modules/po/log.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.7.x/modules/po/log.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/log.de_DE.po b/modules/po/log.de_DE.po index b16d20b1..94133923 100644 --- a/modules/po/log.de_DE.po +++ b/modules/po/log.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/log.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/log.es_ES.po b/modules/po/log.es_ES.po index 07670162..03de6de5 100644 --- a/modules/po/log.es_ES.po +++ b/modules/po/log.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/log.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/log.fr_FR.po b/modules/po/log.fr_FR.po index c36abe67..fdb78229 100644 --- a/modules/po/log.fr_FR.po +++ b/modules/po/log.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/log.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/log.id_ID.po b/modules/po/log.id_ID.po index 6903d196..f54288b9 100644 --- a/modules/po/log.id_ID.po +++ b/modules/po/log.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/log.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/log.it_IT.po b/modules/po/log.it_IT.po index 8a197d51..caaa464b 100644 --- a/modules/po/log.it_IT.po +++ b/modules/po/log.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.7.x/modules/po/log.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/log.nl_NL.po b/modules/po/log.nl_NL.po index 7644eb71..5d90c76e 100644 --- a/modules/po/log.nl_NL.po +++ b/modules/po/log.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/log.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/log.pt_BR.po b/modules/po/log.pt_BR.po index 0731711a..601768d6 100644 --- a/modules/po/log.pt_BR.po +++ b/modules/po/log.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/log.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/log.ru_RU.po b/modules/po/log.ru_RU.po index 8f211911..3d6657df 100644 --- a/modules/po/log.ru_RU.po +++ b/modules/po/log.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/log.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/missingmotd.bg_BG.po b/modules/po/missingmotd.bg_BG.po index 8d6b58c3..c495e873 100644 --- a/modules/po/missingmotd.bg_BG.po +++ b/modules/po/missingmotd.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.7.x/modules/po/missingmotd.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/missingmotd.de_DE.po b/modules/po/missingmotd.de_DE.po index f61b582a..20e3f21b 100644 --- a/modules/po/missingmotd.de_DE.po +++ b/modules/po/missingmotd.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/missingmotd.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/missingmotd.es_ES.po b/modules/po/missingmotd.es_ES.po index 32c4a0b0..2a14cb40 100644 --- a/modules/po/missingmotd.es_ES.po +++ b/modules/po/missingmotd.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/missingmotd.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/missingmotd.fr_FR.po b/modules/po/missingmotd.fr_FR.po index 4b27421a..f479103b 100644 --- a/modules/po/missingmotd.fr_FR.po +++ b/modules/po/missingmotd.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/missingmotd.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/missingmotd.id_ID.po b/modules/po/missingmotd.id_ID.po index 57123ecd..2e779e44 100644 --- a/modules/po/missingmotd.id_ID.po +++ b/modules/po/missingmotd.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/missingmotd.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/missingmotd.it_IT.po b/modules/po/missingmotd.it_IT.po index 6696b2e3..9f51a4fb 100644 --- a/modules/po/missingmotd.it_IT.po +++ b/modules/po/missingmotd.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.7.x/modules/po/missingmotd.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/missingmotd.nl_NL.po b/modules/po/missingmotd.nl_NL.po index 2a555bdb..5ea817fa 100644 --- a/modules/po/missingmotd.nl_NL.po +++ b/modules/po/missingmotd.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/missingmotd.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/missingmotd.pt_BR.po b/modules/po/missingmotd.pt_BR.po index a9749a9c..4afb6281 100644 --- a/modules/po/missingmotd.pt_BR.po +++ b/modules/po/missingmotd.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/missingmotd.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/missingmotd.ru_RU.po b/modules/po/missingmotd.ru_RU.po index f018aea4..71120b1e 100644 --- a/modules/po/missingmotd.ru_RU.po +++ b/modules/po/missingmotd.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/missingmotd.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/modperl.bg_BG.po b/modules/po/modperl.bg_BG.po index 89128410..94fbd225 100644 --- a/modules/po/modperl.bg_BG.po +++ b/modules/po/modperl.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.7.x/modules/po/modperl.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/modperl.de_DE.po b/modules/po/modperl.de_DE.po index 7e7de77b..90eee0dd 100644 --- a/modules/po/modperl.de_DE.po +++ b/modules/po/modperl.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/modperl.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/modperl.es_ES.po b/modules/po/modperl.es_ES.po index 37e1beac..f420ae9e 100644 --- a/modules/po/modperl.es_ES.po +++ b/modules/po/modperl.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/modperl.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/modperl.fr_FR.po b/modules/po/modperl.fr_FR.po index 373ddaee..be8f0b06 100644 --- a/modules/po/modperl.fr_FR.po +++ b/modules/po/modperl.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/modperl.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/modperl.id_ID.po b/modules/po/modperl.id_ID.po index 24e8fec6..6ccd7b88 100644 --- a/modules/po/modperl.id_ID.po +++ b/modules/po/modperl.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/modperl.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/modperl.it_IT.po b/modules/po/modperl.it_IT.po index 13dec322..2c8098ad 100644 --- a/modules/po/modperl.it_IT.po +++ b/modules/po/modperl.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.7.x/modules/po/modperl.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/modperl.nl_NL.po b/modules/po/modperl.nl_NL.po index e3120864..c3ec6736 100644 --- a/modules/po/modperl.nl_NL.po +++ b/modules/po/modperl.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/modperl.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/modperl.pt_BR.po b/modules/po/modperl.pt_BR.po index 5c943d92..1d7a65fe 100644 --- a/modules/po/modperl.pt_BR.po +++ b/modules/po/modperl.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/modperl.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/modperl.ru_RU.po b/modules/po/modperl.ru_RU.po index f321e5c5..21107ef7 100644 --- a/modules/po/modperl.ru_RU.po +++ b/modules/po/modperl.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/modperl.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/modpython.bg_BG.po b/modules/po/modpython.bg_BG.po index b69c1f31..8d624d2b 100644 --- a/modules/po/modpython.bg_BG.po +++ b/modules/po/modpython.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.7.x/modules/po/modpython.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/modpython.de_DE.po b/modules/po/modpython.de_DE.po index b472caad..d6637548 100644 --- a/modules/po/modpython.de_DE.po +++ b/modules/po/modpython.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/modpython.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/modpython.es_ES.po b/modules/po/modpython.es_ES.po index 61db476a..b3bef1e2 100644 --- a/modules/po/modpython.es_ES.po +++ b/modules/po/modpython.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/modpython.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/modpython.fr_FR.po b/modules/po/modpython.fr_FR.po index b7df0f3a..a034fb14 100644 --- a/modules/po/modpython.fr_FR.po +++ b/modules/po/modpython.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/modpython.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/modpython.id_ID.po b/modules/po/modpython.id_ID.po index 39bc1594..967888fe 100644 --- a/modules/po/modpython.id_ID.po +++ b/modules/po/modpython.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/modpython.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/modpython.it_IT.po b/modules/po/modpython.it_IT.po index 7df310b3..0938bcbd 100644 --- a/modules/po/modpython.it_IT.po +++ b/modules/po/modpython.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.7.x/modules/po/modpython.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/modpython.nl_NL.po b/modules/po/modpython.nl_NL.po index 9a86dddb..04bbeff4 100644 --- a/modules/po/modpython.nl_NL.po +++ b/modules/po/modpython.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/modpython.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/modpython.pt_BR.po b/modules/po/modpython.pt_BR.po index 99d65ac3..bff9c1bd 100644 --- a/modules/po/modpython.pt_BR.po +++ b/modules/po/modpython.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/modpython.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/modpython.ru_RU.po b/modules/po/modpython.ru_RU.po index df5a4b50..1d6a7ecb 100644 --- a/modules/po/modpython.ru_RU.po +++ b/modules/po/modpython.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/modpython.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/modules_online.bg_BG.po b/modules/po/modules_online.bg_BG.po index 4384cd72..7ce19151 100644 --- a/modules/po/modules_online.bg_BG.po +++ b/modules/po/modules_online.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.7.x/modules/po/modules_online.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/modules_online.de_DE.po b/modules/po/modules_online.de_DE.po index c8c2ffdb..17171200 100644 --- a/modules/po/modules_online.de_DE.po +++ b/modules/po/modules_online.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/modules_online.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/modules_online.es_ES.po b/modules/po/modules_online.es_ES.po index 61f34901..bbe6c573 100644 --- a/modules/po/modules_online.es_ES.po +++ b/modules/po/modules_online.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/modules_online.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/modules_online.fr_FR.po b/modules/po/modules_online.fr_FR.po index 55d58523..af08dc0b 100644 --- a/modules/po/modules_online.fr_FR.po +++ b/modules/po/modules_online.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/modules_online.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/modules_online.id_ID.po b/modules/po/modules_online.id_ID.po index 28419491..b6a6c348 100644 --- a/modules/po/modules_online.id_ID.po +++ b/modules/po/modules_online.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/modules_online.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/modules_online.it_IT.po b/modules/po/modules_online.it_IT.po index e5c15983..231c7483 100644 --- a/modules/po/modules_online.it_IT.po +++ b/modules/po/modules_online.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.7.x/modules/po/modules_online.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/modules_online.nl_NL.po b/modules/po/modules_online.nl_NL.po index ea0a2e2f..c4c5c715 100644 --- a/modules/po/modules_online.nl_NL.po +++ b/modules/po/modules_online.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/modules_online.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/modules_online.pt_BR.po b/modules/po/modules_online.pt_BR.po index f0b1e31d..30f86f76 100644 --- a/modules/po/modules_online.pt_BR.po +++ b/modules/po/modules_online.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/modules_online.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/modules_online.ru_RU.po b/modules/po/modules_online.ru_RU.po index 80bc8ddd..8d6d9890 100644 --- a/modules/po/modules_online.ru_RU.po +++ b/modules/po/modules_online.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/modules_online.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/nickserv.bg_BG.po b/modules/po/nickserv.bg_BG.po index d0075b43..77da938d 100644 --- a/modules/po/nickserv.bg_BG.po +++ b/modules/po/nickserv.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.7.x/modules/po/nickserv.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/nickserv.de_DE.po b/modules/po/nickserv.de_DE.po index de1c425c..9fb30f13 100644 --- a/modules/po/nickserv.de_DE.po +++ b/modules/po/nickserv.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/nickserv.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/nickserv.es_ES.po b/modules/po/nickserv.es_ES.po index dde4e1e9..44c484a9 100644 --- a/modules/po/nickserv.es_ES.po +++ b/modules/po/nickserv.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/nickserv.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/nickserv.fr_FR.po b/modules/po/nickserv.fr_FR.po index 0222aed0..bff9a10e 100644 --- a/modules/po/nickserv.fr_FR.po +++ b/modules/po/nickserv.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/nickserv.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/nickserv.id_ID.po b/modules/po/nickserv.id_ID.po index dea2029a..d44469ee 100644 --- a/modules/po/nickserv.id_ID.po +++ b/modules/po/nickserv.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/nickserv.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/nickserv.it_IT.po b/modules/po/nickserv.it_IT.po index 5b91d231..3286b166 100644 --- a/modules/po/nickserv.it_IT.po +++ b/modules/po/nickserv.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.7.x/modules/po/nickserv.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/nickserv.nl_NL.po b/modules/po/nickserv.nl_NL.po index 44ca0eee..6ba3728d 100644 --- a/modules/po/nickserv.nl_NL.po +++ b/modules/po/nickserv.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/nickserv.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/nickserv.pt_BR.po b/modules/po/nickserv.pt_BR.po index 5e1c39e8..495a90e3 100644 --- a/modules/po/nickserv.pt_BR.po +++ b/modules/po/nickserv.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/nickserv.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/nickserv.ru_RU.po b/modules/po/nickserv.ru_RU.po index 957cc2d7..5e4dc23d 100644 --- a/modules/po/nickserv.ru_RU.po +++ b/modules/po/nickserv.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/nickserv.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/notes.bg_BG.po b/modules/po/notes.bg_BG.po index 2397bb0b..69fd9e12 100644 --- a/modules/po/notes.bg_BG.po +++ b/modules/po/notes.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.7.x/modules/po/notes.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/notes.de_DE.po b/modules/po/notes.de_DE.po index ab1d7b75..21a96fc0 100644 --- a/modules/po/notes.de_DE.po +++ b/modules/po/notes.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/notes.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/notes.es_ES.po b/modules/po/notes.es_ES.po index f6ef25c5..07060766 100644 --- a/modules/po/notes.es_ES.po +++ b/modules/po/notes.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/notes.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/notes.fr_FR.po b/modules/po/notes.fr_FR.po index b8732aea..e9b39913 100644 --- a/modules/po/notes.fr_FR.po +++ b/modules/po/notes.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/notes.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/notes.id_ID.po b/modules/po/notes.id_ID.po index 55144915..10b02961 100644 --- a/modules/po/notes.id_ID.po +++ b/modules/po/notes.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/notes.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/notes.it_IT.po b/modules/po/notes.it_IT.po index 8bae824f..1b14e9d2 100644 --- a/modules/po/notes.it_IT.po +++ b/modules/po/notes.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.7.x/modules/po/notes.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/notes.nl_NL.po b/modules/po/notes.nl_NL.po index 1de2df6f..4daea373 100644 --- a/modules/po/notes.nl_NL.po +++ b/modules/po/notes.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/notes.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/notes.pt_BR.po b/modules/po/notes.pt_BR.po index 819fde2b..17861f39 100644 --- a/modules/po/notes.pt_BR.po +++ b/modules/po/notes.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/notes.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/notes.ru_RU.po b/modules/po/notes.ru_RU.po index 91b2e494..e287de13 100644 --- a/modules/po/notes.ru_RU.po +++ b/modules/po/notes.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/notes.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/notify_connect.bg_BG.po b/modules/po/notify_connect.bg_BG.po index 43d003b1..c9595d49 100644 --- a/modules/po/notify_connect.bg_BG.po +++ b/modules/po/notify_connect.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.7.x/modules/po/notify_connect.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/notify_connect.de_DE.po b/modules/po/notify_connect.de_DE.po index a4795a31..9bbcefb7 100644 --- a/modules/po/notify_connect.de_DE.po +++ b/modules/po/notify_connect.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/notify_connect.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/notify_connect.es_ES.po b/modules/po/notify_connect.es_ES.po index 5b472d38..a08aa5f5 100644 --- a/modules/po/notify_connect.es_ES.po +++ b/modules/po/notify_connect.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/notify_connect.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/notify_connect.fr_FR.po b/modules/po/notify_connect.fr_FR.po index 75297c2c..fc8ec739 100644 --- a/modules/po/notify_connect.fr_FR.po +++ b/modules/po/notify_connect.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/notify_connect.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/notify_connect.id_ID.po b/modules/po/notify_connect.id_ID.po index beb29f81..8ab89d66 100644 --- a/modules/po/notify_connect.id_ID.po +++ b/modules/po/notify_connect.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/notify_connect.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/notify_connect.it_IT.po b/modules/po/notify_connect.it_IT.po index ef9fdd0c..619e3b9b 100644 --- a/modules/po/notify_connect.it_IT.po +++ b/modules/po/notify_connect.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.7.x/modules/po/notify_connect.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/notify_connect.nl_NL.po b/modules/po/notify_connect.nl_NL.po index 8bdd39ab..f487fa95 100644 --- a/modules/po/notify_connect.nl_NL.po +++ b/modules/po/notify_connect.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/notify_connect.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/notify_connect.pt_BR.po b/modules/po/notify_connect.pt_BR.po index 0210d346..2b618db9 100644 --- a/modules/po/notify_connect.pt_BR.po +++ b/modules/po/notify_connect.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/notify_connect.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/notify_connect.ru_RU.po b/modules/po/notify_connect.ru_RU.po index b3e77e42..1cdf9551 100644 --- a/modules/po/notify_connect.ru_RU.po +++ b/modules/po/notify_connect.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/notify_connect.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/partyline.bg_BG.po b/modules/po/partyline.bg_BG.po index 9ab1f12c..11a9e494 100644 --- a/modules/po/partyline.bg_BG.po +++ b/modules/po/partyline.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.7.x/modules/po/partyline.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/partyline.de_DE.po b/modules/po/partyline.de_DE.po index d51b6b35..6c93b023 100644 --- a/modules/po/partyline.de_DE.po +++ b/modules/po/partyline.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/partyline.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/partyline.es_ES.po b/modules/po/partyline.es_ES.po index feef3f8c..eb8ba080 100644 --- a/modules/po/partyline.es_ES.po +++ b/modules/po/partyline.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/partyline.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/partyline.fr_FR.po b/modules/po/partyline.fr_FR.po index fea33984..dfcf779a 100644 --- a/modules/po/partyline.fr_FR.po +++ b/modules/po/partyline.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/partyline.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/partyline.id_ID.po b/modules/po/partyline.id_ID.po index ff24ccc5..81acd4b7 100644 --- a/modules/po/partyline.id_ID.po +++ b/modules/po/partyline.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/partyline.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/partyline.it_IT.po b/modules/po/partyline.it_IT.po index 446a667b..13e898b6 100644 --- a/modules/po/partyline.it_IT.po +++ b/modules/po/partyline.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.7.x/modules/po/partyline.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/partyline.nl_NL.po b/modules/po/partyline.nl_NL.po index 0e47ae5b..0631c9a0 100644 --- a/modules/po/partyline.nl_NL.po +++ b/modules/po/partyline.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/partyline.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/partyline.pt_BR.po b/modules/po/partyline.pt_BR.po index d7497036..dac9c33d 100644 --- a/modules/po/partyline.pt_BR.po +++ b/modules/po/partyline.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/partyline.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/partyline.ru_RU.po b/modules/po/partyline.ru_RU.po index 9a6998b4..f9ebc4a5 100644 --- a/modules/po/partyline.ru_RU.po +++ b/modules/po/partyline.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/partyline.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/perform.bg_BG.po b/modules/po/perform.bg_BG.po index cdc7bbf0..b212a37c 100644 --- a/modules/po/perform.bg_BG.po +++ b/modules/po/perform.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.7.x/modules/po/perform.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/perform.de_DE.po b/modules/po/perform.de_DE.po index 5909cdb8..9a817b46 100644 --- a/modules/po/perform.de_DE.po +++ b/modules/po/perform.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/perform.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/perform.es_ES.po b/modules/po/perform.es_ES.po index d61a5a2b..50243d75 100644 --- a/modules/po/perform.es_ES.po +++ b/modules/po/perform.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/perform.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/perform.fr_FR.po b/modules/po/perform.fr_FR.po index a649abce..8dc6b0ca 100644 --- a/modules/po/perform.fr_FR.po +++ b/modules/po/perform.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/perform.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/perform.id_ID.po b/modules/po/perform.id_ID.po index d1c1c004..e33d93a1 100644 --- a/modules/po/perform.id_ID.po +++ b/modules/po/perform.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/perform.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/perform.it_IT.po b/modules/po/perform.it_IT.po index 1deb41bf..e2ed94d5 100644 --- a/modules/po/perform.it_IT.po +++ b/modules/po/perform.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.7.x/modules/po/perform.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/perform.nl_NL.po b/modules/po/perform.nl_NL.po index 7181e7c8..5bfee968 100644 --- a/modules/po/perform.nl_NL.po +++ b/modules/po/perform.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/perform.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/perform.pt_BR.po b/modules/po/perform.pt_BR.po index 189c584f..294dcd42 100644 --- a/modules/po/perform.pt_BR.po +++ b/modules/po/perform.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/perform.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/perform.ru_RU.po b/modules/po/perform.ru_RU.po index f8b32bbc..d553b454 100644 --- a/modules/po/perform.ru_RU.po +++ b/modules/po/perform.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/perform.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/perleval.bg_BG.po b/modules/po/perleval.bg_BG.po index e13e702c..5d6d78e4 100644 --- a/modules/po/perleval.bg_BG.po +++ b/modules/po/perleval.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.7.x/modules/po/perleval.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/perleval.de_DE.po b/modules/po/perleval.de_DE.po index 5dca4f5e..70eafeac 100644 --- a/modules/po/perleval.de_DE.po +++ b/modules/po/perleval.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/perleval.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/perleval.es_ES.po b/modules/po/perleval.es_ES.po index 46e542bf..6b0da030 100644 --- a/modules/po/perleval.es_ES.po +++ b/modules/po/perleval.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/perleval.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/perleval.fr_FR.po b/modules/po/perleval.fr_FR.po index ed321b74..4f87f580 100644 --- a/modules/po/perleval.fr_FR.po +++ b/modules/po/perleval.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/perleval.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/perleval.id_ID.po b/modules/po/perleval.id_ID.po index 259d5ecb..566eebee 100644 --- a/modules/po/perleval.id_ID.po +++ b/modules/po/perleval.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/perleval.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/perleval.it_IT.po b/modules/po/perleval.it_IT.po index eb9fa475..33ff6f37 100644 --- a/modules/po/perleval.it_IT.po +++ b/modules/po/perleval.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.7.x/modules/po/perleval.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/perleval.nl_NL.po b/modules/po/perleval.nl_NL.po index 8fb65d90..2a995868 100644 --- a/modules/po/perleval.nl_NL.po +++ b/modules/po/perleval.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/perleval.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/perleval.pt_BR.po b/modules/po/perleval.pt_BR.po index 01b498a2..f21f81cf 100644 --- a/modules/po/perleval.pt_BR.po +++ b/modules/po/perleval.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/perleval.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/perleval.ru_RU.po b/modules/po/perleval.ru_RU.po index 18edae16..a7feed58 100644 --- a/modules/po/perleval.ru_RU.po +++ b/modules/po/perleval.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/perleval.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/pyeval.bg_BG.po b/modules/po/pyeval.bg_BG.po index 2ce0da8e..62e3b045 100644 --- a/modules/po/pyeval.bg_BG.po +++ b/modules/po/pyeval.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.7.x/modules/po/pyeval.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/pyeval.de_DE.po b/modules/po/pyeval.de_DE.po index 321193b3..719668c7 100644 --- a/modules/po/pyeval.de_DE.po +++ b/modules/po/pyeval.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/pyeval.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/pyeval.es_ES.po b/modules/po/pyeval.es_ES.po index 54756e2f..624fe720 100644 --- a/modules/po/pyeval.es_ES.po +++ b/modules/po/pyeval.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/pyeval.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/pyeval.fr_FR.po b/modules/po/pyeval.fr_FR.po index bf45d099..387ccb87 100644 --- a/modules/po/pyeval.fr_FR.po +++ b/modules/po/pyeval.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/pyeval.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/pyeval.id_ID.po b/modules/po/pyeval.id_ID.po index f42b56a2..d3afa88c 100644 --- a/modules/po/pyeval.id_ID.po +++ b/modules/po/pyeval.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/pyeval.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/pyeval.it_IT.po b/modules/po/pyeval.it_IT.po index 7f38d9d4..66903418 100644 --- a/modules/po/pyeval.it_IT.po +++ b/modules/po/pyeval.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.7.x/modules/po/pyeval.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/pyeval.nl_NL.po b/modules/po/pyeval.nl_NL.po index 9089934b..830ce8c4 100644 --- a/modules/po/pyeval.nl_NL.po +++ b/modules/po/pyeval.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/pyeval.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/pyeval.pt_BR.po b/modules/po/pyeval.pt_BR.po index d46a20f2..1d7fa10c 100644 --- a/modules/po/pyeval.pt_BR.po +++ b/modules/po/pyeval.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/pyeval.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/pyeval.ru_RU.po b/modules/po/pyeval.ru_RU.po index f3aa0b9b..7d3ac433 100644 --- a/modules/po/pyeval.ru_RU.po +++ b/modules/po/pyeval.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/pyeval.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/q.bg_BG.po b/modules/po/q.bg_BG.po index af965ca9..7ffbd47c 100644 --- a/modules/po/q.bg_BG.po +++ b/modules/po/q.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.7.x/modules/po/q.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/q.de_DE.po b/modules/po/q.de_DE.po index 2ed31788..5c9e0dcd 100644 --- a/modules/po/q.de_DE.po +++ b/modules/po/q.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/q.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/q.es_ES.po b/modules/po/q.es_ES.po index f09f5f6f..6c4deb6b 100644 --- a/modules/po/q.es_ES.po +++ b/modules/po/q.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/q.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/q.fr_FR.po b/modules/po/q.fr_FR.po index ae85bfd8..d9b56581 100644 --- a/modules/po/q.fr_FR.po +++ b/modules/po/q.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/q.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/q.id_ID.po b/modules/po/q.id_ID.po index 108f6308..a90c8a23 100644 --- a/modules/po/q.id_ID.po +++ b/modules/po/q.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/q.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/q.it_IT.po b/modules/po/q.it_IT.po index 08d7b21f..0f7ea062 100644 --- a/modules/po/q.it_IT.po +++ b/modules/po/q.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.7.x/modules/po/q.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/q.nl_NL.po b/modules/po/q.nl_NL.po index 42a126da..8f8824bd 100644 --- a/modules/po/q.nl_NL.po +++ b/modules/po/q.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/q.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/q.pt_BR.po b/modules/po/q.pt_BR.po index 14bd8b06..769324a1 100644 --- a/modules/po/q.pt_BR.po +++ b/modules/po/q.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/q.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/q.ru_RU.po b/modules/po/q.ru_RU.po index 314cf793..defa0571 100644 --- a/modules/po/q.ru_RU.po +++ b/modules/po/q.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/q.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/raw.bg_BG.po b/modules/po/raw.bg_BG.po index fe0b11e8..e054482e 100644 --- a/modules/po/raw.bg_BG.po +++ b/modules/po/raw.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.7.x/modules/po/raw.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/raw.de_DE.po b/modules/po/raw.de_DE.po index 4acb9898..85d6c431 100644 --- a/modules/po/raw.de_DE.po +++ b/modules/po/raw.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/raw.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/raw.es_ES.po b/modules/po/raw.es_ES.po index 48f904f9..ad186574 100644 --- a/modules/po/raw.es_ES.po +++ b/modules/po/raw.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/raw.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/raw.fr_FR.po b/modules/po/raw.fr_FR.po index 9fd36a66..8d3d1638 100644 --- a/modules/po/raw.fr_FR.po +++ b/modules/po/raw.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/raw.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/raw.id_ID.po b/modules/po/raw.id_ID.po index 35f9b40f..6ab2c280 100644 --- a/modules/po/raw.id_ID.po +++ b/modules/po/raw.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/raw.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/raw.it_IT.po b/modules/po/raw.it_IT.po index 25083c27..b3c8fd16 100644 --- a/modules/po/raw.it_IT.po +++ b/modules/po/raw.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.7.x/modules/po/raw.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/raw.nl_NL.po b/modules/po/raw.nl_NL.po index d11e42be..78036c5d 100644 --- a/modules/po/raw.nl_NL.po +++ b/modules/po/raw.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/raw.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/raw.pt_BR.po b/modules/po/raw.pt_BR.po index ab2e15ce..a1a4d001 100644 --- a/modules/po/raw.pt_BR.po +++ b/modules/po/raw.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/raw.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/raw.ru_RU.po b/modules/po/raw.ru_RU.po index b2d3ed7a..4ca25532 100644 --- a/modules/po/raw.ru_RU.po +++ b/modules/po/raw.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/raw.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/route_replies.bg_BG.po b/modules/po/route_replies.bg_BG.po index 9a1f6b31..99390a01 100644 --- a/modules/po/route_replies.bg_BG.po +++ b/modules/po/route_replies.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.7.x/modules/po/route_replies.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/route_replies.de_DE.po b/modules/po/route_replies.de_DE.po index a3eb6884..7944d3f7 100644 --- a/modules/po/route_replies.de_DE.po +++ b/modules/po/route_replies.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/route_replies.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/route_replies.es_ES.po b/modules/po/route_replies.es_ES.po index 8a4641dd..37912ec0 100644 --- a/modules/po/route_replies.es_ES.po +++ b/modules/po/route_replies.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/route_replies.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/route_replies.fr_FR.po b/modules/po/route_replies.fr_FR.po index 4fcaa448..8eaaa7d2 100644 --- a/modules/po/route_replies.fr_FR.po +++ b/modules/po/route_replies.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/route_replies.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/route_replies.id_ID.po b/modules/po/route_replies.id_ID.po index 9d8d05f1..58aca79d 100644 --- a/modules/po/route_replies.id_ID.po +++ b/modules/po/route_replies.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/route_replies.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/route_replies.it_IT.po b/modules/po/route_replies.it_IT.po index 71b34bb1..7f329d77 100644 --- a/modules/po/route_replies.it_IT.po +++ b/modules/po/route_replies.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.7.x/modules/po/route_replies.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/route_replies.nl_NL.po b/modules/po/route_replies.nl_NL.po index ca23c4ce..247a10bd 100644 --- a/modules/po/route_replies.nl_NL.po +++ b/modules/po/route_replies.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/route_replies.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/route_replies.pt_BR.po b/modules/po/route_replies.pt_BR.po index db62ca53..a0d2c480 100644 --- a/modules/po/route_replies.pt_BR.po +++ b/modules/po/route_replies.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/route_replies.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/route_replies.ru_RU.po b/modules/po/route_replies.ru_RU.po index 0a444936..c58f5189 100644 --- a/modules/po/route_replies.ru_RU.po +++ b/modules/po/route_replies.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/route_replies.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/sample.bg_BG.po b/modules/po/sample.bg_BG.po index f1f6072b..19daf0e4 100644 --- a/modules/po/sample.bg_BG.po +++ b/modules/po/sample.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.7.x/modules/po/sample.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/sample.de_DE.po b/modules/po/sample.de_DE.po index 53020901..0712eef0 100644 --- a/modules/po/sample.de_DE.po +++ b/modules/po/sample.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/sample.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/sample.es_ES.po b/modules/po/sample.es_ES.po index 97795df7..b01c9869 100644 --- a/modules/po/sample.es_ES.po +++ b/modules/po/sample.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/sample.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/sample.fr_FR.po b/modules/po/sample.fr_FR.po index a1bcc757..ae867959 100644 --- a/modules/po/sample.fr_FR.po +++ b/modules/po/sample.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/sample.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/sample.id_ID.po b/modules/po/sample.id_ID.po index 619163aa..f9974a1e 100644 --- a/modules/po/sample.id_ID.po +++ b/modules/po/sample.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/sample.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/sample.it_IT.po b/modules/po/sample.it_IT.po index 9ba54057..69a1e843 100644 --- a/modules/po/sample.it_IT.po +++ b/modules/po/sample.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.7.x/modules/po/sample.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/sample.nl_NL.po b/modules/po/sample.nl_NL.po index cd84ccb5..1023eef2 100644 --- a/modules/po/sample.nl_NL.po +++ b/modules/po/sample.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/sample.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/sample.pt_BR.po b/modules/po/sample.pt_BR.po index 1752a2be..eecf2588 100644 --- a/modules/po/sample.pt_BR.po +++ b/modules/po/sample.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/sample.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/sample.ru_RU.po b/modules/po/sample.ru_RU.po index 80f260b2..aa6a207c 100644 --- a/modules/po/sample.ru_RU.po +++ b/modules/po/sample.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/sample.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/samplewebapi.bg_BG.po b/modules/po/samplewebapi.bg_BG.po index 145e30b9..87e3806c 100644 --- a/modules/po/samplewebapi.bg_BG.po +++ b/modules/po/samplewebapi.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.7.x/modules/po/samplewebapi.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/samplewebapi.de_DE.po b/modules/po/samplewebapi.de_DE.po index 8e9c8e89..0eafce3d 100644 --- a/modules/po/samplewebapi.de_DE.po +++ b/modules/po/samplewebapi.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/samplewebapi.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/samplewebapi.es_ES.po b/modules/po/samplewebapi.es_ES.po index b5e5c854..370c3f80 100644 --- a/modules/po/samplewebapi.es_ES.po +++ b/modules/po/samplewebapi.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/samplewebapi.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/samplewebapi.fr_FR.po b/modules/po/samplewebapi.fr_FR.po index 9a580650..f3558257 100644 --- a/modules/po/samplewebapi.fr_FR.po +++ b/modules/po/samplewebapi.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/samplewebapi.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/samplewebapi.id_ID.po b/modules/po/samplewebapi.id_ID.po index ee7f9cb4..7a670245 100644 --- a/modules/po/samplewebapi.id_ID.po +++ b/modules/po/samplewebapi.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/samplewebapi.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/samplewebapi.it_IT.po b/modules/po/samplewebapi.it_IT.po index 5d689726..0f069a0b 100644 --- a/modules/po/samplewebapi.it_IT.po +++ b/modules/po/samplewebapi.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.7.x/modules/po/samplewebapi.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/samplewebapi.nl_NL.po b/modules/po/samplewebapi.nl_NL.po index da2944a0..ffe329cb 100644 --- a/modules/po/samplewebapi.nl_NL.po +++ b/modules/po/samplewebapi.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/samplewebapi.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/samplewebapi.pt_BR.po b/modules/po/samplewebapi.pt_BR.po index f3523d34..e094b237 100644 --- a/modules/po/samplewebapi.pt_BR.po +++ b/modules/po/samplewebapi.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/samplewebapi.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/samplewebapi.ru_RU.po b/modules/po/samplewebapi.ru_RU.po index 549fe5a5..80d6eddd 100644 --- a/modules/po/samplewebapi.ru_RU.po +++ b/modules/po/samplewebapi.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/samplewebapi.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/sasl.bg_BG.po b/modules/po/sasl.bg_BG.po index 8adde60a..43c5399f 100644 --- a/modules/po/sasl.bg_BG.po +++ b/modules/po/sasl.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.7.x/modules/po/sasl.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/sasl.de_DE.po b/modules/po/sasl.de_DE.po index 84a93d57..6a6800ff 100644 --- a/modules/po/sasl.de_DE.po +++ b/modules/po/sasl.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/sasl.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/sasl.es_ES.po b/modules/po/sasl.es_ES.po index 3d44d281..e4970fa7 100644 --- a/modules/po/sasl.es_ES.po +++ b/modules/po/sasl.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/sasl.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/sasl.fr_FR.po b/modules/po/sasl.fr_FR.po index 0e3644fd..149ee75f 100644 --- a/modules/po/sasl.fr_FR.po +++ b/modules/po/sasl.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/sasl.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/sasl.id_ID.po b/modules/po/sasl.id_ID.po index e89aa120..1b66f033 100644 --- a/modules/po/sasl.id_ID.po +++ b/modules/po/sasl.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/sasl.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/sasl.it_IT.po b/modules/po/sasl.it_IT.po index 76432171..5f6d2bce 100644 --- a/modules/po/sasl.it_IT.po +++ b/modules/po/sasl.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.7.x/modules/po/sasl.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/sasl.nl_NL.po b/modules/po/sasl.nl_NL.po index 26dde218..72845570 100644 --- a/modules/po/sasl.nl_NL.po +++ b/modules/po/sasl.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/sasl.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/sasl.pt_BR.po b/modules/po/sasl.pt_BR.po index 1b168704..14d25aa9 100644 --- a/modules/po/sasl.pt_BR.po +++ b/modules/po/sasl.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/sasl.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/sasl.ru_RU.po b/modules/po/sasl.ru_RU.po index 2f41d363..bee3fc33 100644 --- a/modules/po/sasl.ru_RU.po +++ b/modules/po/sasl.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/sasl.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/savebuff.bg_BG.po b/modules/po/savebuff.bg_BG.po index 3bfdc8bc..c7758852 100644 --- a/modules/po/savebuff.bg_BG.po +++ b/modules/po/savebuff.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.7.x/modules/po/savebuff.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/savebuff.de_DE.po b/modules/po/savebuff.de_DE.po index b3220612..72a5fc9d 100644 --- a/modules/po/savebuff.de_DE.po +++ b/modules/po/savebuff.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/savebuff.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/savebuff.es_ES.po b/modules/po/savebuff.es_ES.po index 45362823..4ad624a0 100644 --- a/modules/po/savebuff.es_ES.po +++ b/modules/po/savebuff.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/savebuff.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/savebuff.fr_FR.po b/modules/po/savebuff.fr_FR.po index 1c58f2d4..d726ff1a 100644 --- a/modules/po/savebuff.fr_FR.po +++ b/modules/po/savebuff.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/savebuff.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/savebuff.id_ID.po b/modules/po/savebuff.id_ID.po index 3779ce9a..74c36b99 100644 --- a/modules/po/savebuff.id_ID.po +++ b/modules/po/savebuff.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/savebuff.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/savebuff.it_IT.po b/modules/po/savebuff.it_IT.po index 4830ab60..65f4fed9 100644 --- a/modules/po/savebuff.it_IT.po +++ b/modules/po/savebuff.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.7.x/modules/po/savebuff.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/savebuff.nl_NL.po b/modules/po/savebuff.nl_NL.po index 051a7317..c52eb3c4 100644 --- a/modules/po/savebuff.nl_NL.po +++ b/modules/po/savebuff.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/savebuff.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/savebuff.pt_BR.po b/modules/po/savebuff.pt_BR.po index b320d94d..ffbb0225 100644 --- a/modules/po/savebuff.pt_BR.po +++ b/modules/po/savebuff.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/savebuff.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/savebuff.ru_RU.po b/modules/po/savebuff.ru_RU.po index 14170e85..af9d367c 100644 --- a/modules/po/savebuff.ru_RU.po +++ b/modules/po/savebuff.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/savebuff.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/send_raw.bg_BG.po b/modules/po/send_raw.bg_BG.po index d8ce56b3..5d339c55 100644 --- a/modules/po/send_raw.bg_BG.po +++ b/modules/po/send_raw.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.7.x/modules/po/send_raw.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/send_raw.de_DE.po b/modules/po/send_raw.de_DE.po index 0a984b74..d8e3e32a 100644 --- a/modules/po/send_raw.de_DE.po +++ b/modules/po/send_raw.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/send_raw.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/send_raw.es_ES.po b/modules/po/send_raw.es_ES.po index 976f5c23..cee737a5 100644 --- a/modules/po/send_raw.es_ES.po +++ b/modules/po/send_raw.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/send_raw.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/send_raw.fr_FR.po b/modules/po/send_raw.fr_FR.po index ca95fda3..2d971bcd 100644 --- a/modules/po/send_raw.fr_FR.po +++ b/modules/po/send_raw.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/send_raw.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/send_raw.id_ID.po b/modules/po/send_raw.id_ID.po index 8006e916..cefe40d2 100644 --- a/modules/po/send_raw.id_ID.po +++ b/modules/po/send_raw.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/send_raw.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/send_raw.it_IT.po b/modules/po/send_raw.it_IT.po index 65e10b95..2475857b 100644 --- a/modules/po/send_raw.it_IT.po +++ b/modules/po/send_raw.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.7.x/modules/po/send_raw.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/send_raw.nl_NL.po b/modules/po/send_raw.nl_NL.po index 59aefb5a..57688e1a 100644 --- a/modules/po/send_raw.nl_NL.po +++ b/modules/po/send_raw.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/send_raw.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/send_raw.pt_BR.po b/modules/po/send_raw.pt_BR.po index 47f25fc1..fdf8aba3 100644 --- a/modules/po/send_raw.pt_BR.po +++ b/modules/po/send_raw.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/send_raw.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/send_raw.ru_RU.po b/modules/po/send_raw.ru_RU.po index ef3b5fdc..a29ff44e 100644 --- a/modules/po/send_raw.ru_RU.po +++ b/modules/po/send_raw.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/send_raw.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/shell.bg_BG.po b/modules/po/shell.bg_BG.po index 16bebee5..7c95ccd6 100644 --- a/modules/po/shell.bg_BG.po +++ b/modules/po/shell.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.7.x/modules/po/shell.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/shell.de_DE.po b/modules/po/shell.de_DE.po index f61641d2..68930a56 100644 --- a/modules/po/shell.de_DE.po +++ b/modules/po/shell.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/shell.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/shell.es_ES.po b/modules/po/shell.es_ES.po index c0204d89..d6544872 100644 --- a/modules/po/shell.es_ES.po +++ b/modules/po/shell.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/shell.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/shell.fr_FR.po b/modules/po/shell.fr_FR.po index fb6dc5f6..e9230862 100644 --- a/modules/po/shell.fr_FR.po +++ b/modules/po/shell.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/shell.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/shell.id_ID.po b/modules/po/shell.id_ID.po index f1d954f6..4f25216f 100644 --- a/modules/po/shell.id_ID.po +++ b/modules/po/shell.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/shell.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/shell.it_IT.po b/modules/po/shell.it_IT.po index 634513e9..543ebae2 100644 --- a/modules/po/shell.it_IT.po +++ b/modules/po/shell.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.7.x/modules/po/shell.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/shell.nl_NL.po b/modules/po/shell.nl_NL.po index a604696d..7e77bd39 100644 --- a/modules/po/shell.nl_NL.po +++ b/modules/po/shell.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/shell.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/shell.pt_BR.po b/modules/po/shell.pt_BR.po index d344a047..b93d8750 100644 --- a/modules/po/shell.pt_BR.po +++ b/modules/po/shell.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/shell.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/shell.ru_RU.po b/modules/po/shell.ru_RU.po index 67921770..2b1eb63f 100644 --- a/modules/po/shell.ru_RU.po +++ b/modules/po/shell.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/shell.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/simple_away.bg_BG.po b/modules/po/simple_away.bg_BG.po index 6e3e9570..e40a6705 100644 --- a/modules/po/simple_away.bg_BG.po +++ b/modules/po/simple_away.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.7.x/modules/po/simple_away.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/simple_away.de_DE.po b/modules/po/simple_away.de_DE.po index c4b1f802..29764097 100644 --- a/modules/po/simple_away.de_DE.po +++ b/modules/po/simple_away.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/simple_away.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/simple_away.es_ES.po b/modules/po/simple_away.es_ES.po index edf50309..ae637702 100644 --- a/modules/po/simple_away.es_ES.po +++ b/modules/po/simple_away.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/simple_away.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/simple_away.fr_FR.po b/modules/po/simple_away.fr_FR.po index 7e3a65cc..6f11409d 100644 --- a/modules/po/simple_away.fr_FR.po +++ b/modules/po/simple_away.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/simple_away.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/simple_away.id_ID.po b/modules/po/simple_away.id_ID.po index d925cbc3..2dc79ab6 100644 --- a/modules/po/simple_away.id_ID.po +++ b/modules/po/simple_away.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/simple_away.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/simple_away.it_IT.po b/modules/po/simple_away.it_IT.po index bb79c65f..b4b7a8d0 100644 --- a/modules/po/simple_away.it_IT.po +++ b/modules/po/simple_away.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.7.x/modules/po/simple_away.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/simple_away.nl_NL.po b/modules/po/simple_away.nl_NL.po index e7b888d0..4475c58a 100644 --- a/modules/po/simple_away.nl_NL.po +++ b/modules/po/simple_away.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/simple_away.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/simple_away.pt_BR.po b/modules/po/simple_away.pt_BR.po index 3d9b03b4..1b4366a6 100644 --- a/modules/po/simple_away.pt_BR.po +++ b/modules/po/simple_away.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/simple_away.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/simple_away.ru_RU.po b/modules/po/simple_away.ru_RU.po index eed99a75..dcddbd84 100644 --- a/modules/po/simple_away.ru_RU.po +++ b/modules/po/simple_away.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/simple_away.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/stickychan.bg_BG.po b/modules/po/stickychan.bg_BG.po index 6ca52a10..85f3b12d 100644 --- a/modules/po/stickychan.bg_BG.po +++ b/modules/po/stickychan.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.7.x/modules/po/stickychan.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/stickychan.de_DE.po b/modules/po/stickychan.de_DE.po index 3a3f7c09..21399635 100644 --- a/modules/po/stickychan.de_DE.po +++ b/modules/po/stickychan.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/stickychan.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/stickychan.es_ES.po b/modules/po/stickychan.es_ES.po index 09ad53d9..a2549b36 100644 --- a/modules/po/stickychan.es_ES.po +++ b/modules/po/stickychan.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/stickychan.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/stickychan.fr_FR.po b/modules/po/stickychan.fr_FR.po index ddf1367c..7b75ff0e 100644 --- a/modules/po/stickychan.fr_FR.po +++ b/modules/po/stickychan.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/stickychan.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/stickychan.id_ID.po b/modules/po/stickychan.id_ID.po index 852957da..743438ad 100644 --- a/modules/po/stickychan.id_ID.po +++ b/modules/po/stickychan.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/stickychan.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/stickychan.it_IT.po b/modules/po/stickychan.it_IT.po index 2c83a680..37e85900 100644 --- a/modules/po/stickychan.it_IT.po +++ b/modules/po/stickychan.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.7.x/modules/po/stickychan.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/stickychan.nl_NL.po b/modules/po/stickychan.nl_NL.po index f860d789..71acf228 100644 --- a/modules/po/stickychan.nl_NL.po +++ b/modules/po/stickychan.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/stickychan.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/stickychan.pt_BR.po b/modules/po/stickychan.pt_BR.po index f3596afa..9b1ef0c9 100644 --- a/modules/po/stickychan.pt_BR.po +++ b/modules/po/stickychan.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/stickychan.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/stickychan.ru_RU.po b/modules/po/stickychan.ru_RU.po index 91422224..71d7ed8c 100644 --- a/modules/po/stickychan.ru_RU.po +++ b/modules/po/stickychan.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/stickychan.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/stripcontrols.bg_BG.po b/modules/po/stripcontrols.bg_BG.po index 4c6bb8e7..d4d4ef36 100644 --- a/modules/po/stripcontrols.bg_BG.po +++ b/modules/po/stripcontrols.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.7.x/modules/po/stripcontrols.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/stripcontrols.de_DE.po b/modules/po/stripcontrols.de_DE.po index d01bd9f8..a416f446 100644 --- a/modules/po/stripcontrols.de_DE.po +++ b/modules/po/stripcontrols.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/stripcontrols.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/stripcontrols.es_ES.po b/modules/po/stripcontrols.es_ES.po index ae18f1e0..93e39993 100644 --- a/modules/po/stripcontrols.es_ES.po +++ b/modules/po/stripcontrols.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/stripcontrols.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/stripcontrols.fr_FR.po b/modules/po/stripcontrols.fr_FR.po index a4079a74..9839d844 100644 --- a/modules/po/stripcontrols.fr_FR.po +++ b/modules/po/stripcontrols.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/stripcontrols.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/stripcontrols.id_ID.po b/modules/po/stripcontrols.id_ID.po index 6e318e88..2f5f5f78 100644 --- a/modules/po/stripcontrols.id_ID.po +++ b/modules/po/stripcontrols.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/stripcontrols.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/stripcontrols.it_IT.po b/modules/po/stripcontrols.it_IT.po index 6212fc85..68c3a9f3 100644 --- a/modules/po/stripcontrols.it_IT.po +++ b/modules/po/stripcontrols.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.7.x/modules/po/stripcontrols.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/stripcontrols.nl_NL.po b/modules/po/stripcontrols.nl_NL.po index 90740c53..127eb1b9 100644 --- a/modules/po/stripcontrols.nl_NL.po +++ b/modules/po/stripcontrols.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/stripcontrols.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/stripcontrols.pt_BR.po b/modules/po/stripcontrols.pt_BR.po index 92004934..14d09f1f 100644 --- a/modules/po/stripcontrols.pt_BR.po +++ b/modules/po/stripcontrols.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/stripcontrols.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/stripcontrols.ru_RU.po b/modules/po/stripcontrols.ru_RU.po index 75259421..10b297df 100644 --- a/modules/po/stripcontrols.ru_RU.po +++ b/modules/po/stripcontrols.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/stripcontrols.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/watch.bg_BG.po b/modules/po/watch.bg_BG.po index cd6f9d1b..5874ad8e 100644 --- a/modules/po/watch.bg_BG.po +++ b/modules/po/watch.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.7.x/modules/po/watch.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/watch.de_DE.po b/modules/po/watch.de_DE.po index 0ef49637..d1544e2b 100644 --- a/modules/po/watch.de_DE.po +++ b/modules/po/watch.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/watch.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/watch.es_ES.po b/modules/po/watch.es_ES.po index 96ec6433..a9af7525 100644 --- a/modules/po/watch.es_ES.po +++ b/modules/po/watch.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/watch.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/watch.fr_FR.po b/modules/po/watch.fr_FR.po index 64fef4ca..8ffe5e5d 100644 --- a/modules/po/watch.fr_FR.po +++ b/modules/po/watch.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/watch.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/watch.id_ID.po b/modules/po/watch.id_ID.po index 936d3a7a..b42db84a 100644 --- a/modules/po/watch.id_ID.po +++ b/modules/po/watch.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/watch.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/watch.it_IT.po b/modules/po/watch.it_IT.po index 37761a02..fa30e669 100644 --- a/modules/po/watch.it_IT.po +++ b/modules/po/watch.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.7.x/modules/po/watch.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/watch.nl_NL.po b/modules/po/watch.nl_NL.po index f597adb2..df8d2a38 100644 --- a/modules/po/watch.nl_NL.po +++ b/modules/po/watch.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/watch.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/watch.pt_BR.po b/modules/po/watch.pt_BR.po index a4cbac17..bef4ef02 100644 --- a/modules/po/watch.pt_BR.po +++ b/modules/po/watch.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/watch.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/watch.ru_RU.po b/modules/po/watch.ru_RU.po index 05892a99..407722a9 100644 --- a/modules/po/watch.ru_RU.po +++ b/modules/po/watch.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/watch.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/webadmin.bg_BG.po b/modules/po/webadmin.bg_BG.po index acf97c85..2749f37f 100644 --- a/modules/po/webadmin.bg_BG.po +++ b/modules/po/webadmin.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.7.x/modules/po/webadmin.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/webadmin.de_DE.po b/modules/po/webadmin.de_DE.po index 3d2e578d..d6e1bddd 100644 --- a/modules/po/webadmin.de_DE.po +++ b/modules/po/webadmin.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/modules/po/webadmin.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/webadmin.es_ES.po b/modules/po/webadmin.es_ES.po index fa4d6654..f29392bc 100644 --- a/modules/po/webadmin.es_ES.po +++ b/modules/po/webadmin.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/modules/po/webadmin.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/webadmin.fr_FR.po b/modules/po/webadmin.fr_FR.po index 1e1cb599..6bd9f1af 100644 --- a/modules/po/webadmin.fr_FR.po +++ b/modules/po/webadmin.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/modules/po/webadmin.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/webadmin.id_ID.po b/modules/po/webadmin.id_ID.po index 9d2e06ae..fc346cb9 100644 --- a/modules/po/webadmin.id_ID.po +++ b/modules/po/webadmin.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/modules/po/webadmin.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/webadmin.it_IT.po b/modules/po/webadmin.it_IT.po index b282606d..85d39fcd 100644 --- a/modules/po/webadmin.it_IT.po +++ b/modules/po/webadmin.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.7.x/modules/po/webadmin.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/webadmin.nl_NL.po b/modules/po/webadmin.nl_NL.po index ce23af54..1c2ae1d7 100644 --- a/modules/po/webadmin.nl_NL.po +++ b/modules/po/webadmin.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/modules/po/webadmin.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/webadmin.pt_BR.po b/modules/po/webadmin.pt_BR.po index d1d3724d..52cbbeb5 100644 --- a/modules/po/webadmin.pt_BR.po +++ b/modules/po/webadmin.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/modules/po/webadmin.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/webadmin.ru_RU.po b/modules/po/webadmin.ru_RU.po index 2f5ab824..2e9027c2 100644 --- a/modules/po/webadmin.ru_RU.po +++ b/modules/po/webadmin.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/modules/po/webadmin.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/src/po/znc.bg_BG.po b/src/po/znc.bg_BG.po index c83a6e17..76c70333 100644 --- a/src/po/znc.bg_BG.po +++ b/src/po/znc.bg_BG.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.7.x/src/po/znc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/src/po/znc.de_DE.po b/src/po/znc.de_DE.po index 8b2186a6..275f758f 100644 --- a/src/po/znc.de_DE.po +++ b/src/po/znc.de_DE.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: de\n" "X-Crowdin-File: /1.7.x/src/po/znc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/src/po/znc.es_ES.po b/src/po/znc.es_ES.po index 89a9d5e6..c1cbf8cc 100644 --- a/src/po/znc.es_ES.po +++ b/src/po/znc.es_ES.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.7.x/src/po/znc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/src/po/znc.fr_FR.po b/src/po/znc.fr_FR.po index 6034eab7..2f6295ff 100644 --- a/src/po/znc.fr_FR.po +++ b/src/po/znc.fr_FR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.7.x/src/po/znc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/src/po/znc.id_ID.po b/src/po/znc.id_ID.po index 679061ed..c5b1ed73 100644 --- a/src/po/znc.id_ID.po +++ b/src/po/znc.id_ID.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.7.x/src/po/znc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/src/po/znc.it_IT.po b/src/po/znc.it_IT.po index 9a7061ee..9fbe9f14 100644 --- a/src/po/znc.it_IT.po +++ b/src/po/znc.it_IT.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.7.x/src/po/znc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" @@ -22,7 +22,7 @@ msgstr "Non sei loggato" #: webskins/_default_/tmpl/LoginBar.tmpl:3 msgid "Logout" -msgstr "Esci" +msgstr "Disconnettersi" #: webskins/_default_/tmpl/Menu.tmpl:4 msgid "Home" @@ -30,19 +30,19 @@ msgstr "Home" #: webskins/_default_/tmpl/Menu.tmpl:7 msgid "Global Modules" -msgstr "Moduli Globali" +msgstr "Moduli globali" #: webskins/_default_/tmpl/Menu.tmpl:20 msgid "User Modules" -msgstr "Moduli Utente" +msgstr "Moduli utente" #: webskins/_default_/tmpl/Menu.tmpl:35 msgid "Network Modules ({1})" -msgstr "" +msgstr "Moduli del Network ({1})" #: webskins/_default_/tmpl/index.tmpl:6 msgid "Welcome to ZNC's web interface!" -msgstr "" +msgstr "Benvenuti nell'interfaccia web dello ZNC's!" #: webskins/_default_/tmpl/index.tmpl:11 msgid "" @@ -61,11 +61,11 @@ msgstr "IPv6 non è abilitato" #: znc.cpp:1679 msgid "SSL is not enabled" -msgstr "SSL non è abilitato" +msgstr "SSL non è abilitata" #: znc.cpp:1687 msgid "Unable to locate pem file: {1}" -msgstr "" +msgstr "Impossibile localizzare il file pem: {1}" #: znc.cpp:1706 msgid "Invalid port" @@ -81,11 +81,11 @@ msgstr "" #: IRCNetwork.cpp:640 User.cpp:678 msgid "Welcome to ZNC" -msgstr "" +msgstr "Benvenuti nello ZNC" #: IRCNetwork.cpp:728 msgid "You are currently disconnected from IRC. Use 'connect' to reconnect." -msgstr "" +msgstr "Sei attualmente disconnesso da IRC. Usa 'connect' per riconnetterti." #: IRCNetwork.cpp:758 msgid "This network is being deleted or moved to another user." @@ -109,7 +109,7 @@ msgstr "" #: IRCSock.cpp:490 msgid "Error from server: {1}" -msgstr "" +msgstr "Errore dal server: {1}" #: IRCSock.cpp:692 msgid "ZNC seems to be connected to itself, disconnecting..." @@ -133,23 +133,24 @@ msgstr "" #: IRCSock.cpp:1038 msgid "You quit: {1}" -msgstr "" +msgstr "Il tuo quit: {1}" #: IRCSock.cpp:1244 msgid "Disconnected from IRC. Reconnecting..." -msgstr "Disconnesso da IRC. Riconnessione in corso..." +msgstr "Disconnesso da IRC. Riconnessione..." #: IRCSock.cpp:1275 msgid "Cannot connect to IRC ({1}). Retrying..." -msgstr "" +msgstr "Impossibile connettersi a IRC ({1}). Riprovo..." #: IRCSock.cpp:1278 msgid "Disconnected from IRC ({1}). Reconnecting..." -msgstr "" +msgstr "Disconnesso da IRC ({1}). Riconnessione..." #: IRCSock.cpp:1308 msgid "If you trust this certificate, do /znc AddTrustedServerFingerprint {1}" msgstr "" +"Se ti fidi di questo certificato, scrivi /znc AddTrustedServerFingerprint {1}" #: IRCSock.cpp:1325 msgid "IRC connection timed out. Reconnecting..." @@ -157,7 +158,7 @@ msgstr "" #: IRCSock.cpp:1337 msgid "Connection Refused. Reconnecting..." -msgstr "" +msgstr "Connessione rifiutata. Riconnessione..." #: IRCSock.cpp:1345 msgid "Received a too long line from the IRC server!" @@ -181,7 +182,7 @@ msgstr "" #: Client.cpp:394 msgid "Network {1} doesn't exist." -msgstr "" +msgstr "Il network {1} non esiste." #: Client.cpp:408 msgid "" @@ -194,6 +195,8 @@ msgid "" "Selecting network {1}. To see list of all configured networks, use /znc " "ListNetworks" msgstr "" +"Selezione del network {1}. Per visualizzare l'elenco di tutte le reti " +"configurate, scrivi /znc ListNetworks" #: Client.cpp:414 msgid "" @@ -221,11 +224,11 @@ msgstr "" #: Client.cpp:1015 msgid "Your CTCP to {1} got lost, you are not connected to IRC!" -msgstr "" +msgstr "Il tuo CTCP a {1} è andato perso, non sei connesso ad IRC!" #: Client.cpp:1142 msgid "Your notice to {1} got lost, you are not connected to IRC!" -msgstr "" +msgstr "Il tuo NOTICE a {1} è andato perso, non sei connesso ad IRC!" #: Client.cpp:1181 msgid "Removing channel {1}" @@ -233,15 +236,15 @@ msgstr "" #: Client.cpp:1257 msgid "Your message to {1} got lost, you are not connected to IRC!" -msgstr "" +msgstr "Il tuo messaggio a {1} è andato perso, non sei connesso ad IRC!" #: Client.cpp:1310 Client.cpp:1316 msgid "Hello. How may I help you?" -msgstr "" +msgstr "Ciao! Come posso aiutarti? Puoi iniziare a scrivere help" #: Client.cpp:1330 msgid "Usage: /attach <#chans>" -msgstr "" +msgstr "Usa: /attach <#canali>" #: Client.cpp:1337 Client.cpp:1359 ClientCommand.cpp:129 ClientCommand.cpp:151 msgid "There was {1} channel matching [{2}]" @@ -257,7 +260,7 @@ msgstr[1] "" #: Client.cpp:1352 msgid "Usage: /detach <#chans>" -msgstr "" +msgstr "Usa: /detach <#canali>" #: Client.cpp:1362 ClientCommand.cpp:154 msgid "Detached {1} channel" @@ -276,7 +279,7 @@ msgstr "" #: Modules.cpp:528 msgctxt "modhelpcmd" msgid "" -msgstr "" +msgstr "" #: Modules.cpp:529 msgctxt "modhelpcmd" @@ -285,11 +288,11 @@ msgstr "" #: Modules.cpp:573 ClientCommand.cpp:1894 msgid "No matches for '{1}'" -msgstr "" +msgstr "Nessuna corrispondenza per '{1}'" #: Modules.cpp:691 msgid "This module doesn't implement any commands." -msgstr "" +msgstr "Questo modulo non implementa nessun comando." #: Modules.cpp:693 msgid "Unknown command!" @@ -303,7 +306,7 @@ msgstr "" #: Modules.cpp:1652 msgid "Module {1} already loaded." -msgstr "Modulo {1} già caricato." +msgstr "Il modulo {1} è già stato caricato." #: Modules.cpp:1666 msgid "Unable to find module {1}" @@ -315,11 +318,11 @@ msgstr "" #: Modules.cpp:1685 msgid "Module {1} requires a user." -msgstr "" +msgstr "Il modulo {1} richiede un utente." #: Modules.cpp:1691 msgid "Module {1} requires a network." -msgstr "" +msgstr "Il modulo {1} richiede un network." #: Modules.cpp:1707 msgid "Caught an exception" @@ -327,15 +330,15 @@ msgstr "" #: Modules.cpp:1713 msgid "Module {1} aborted: {2}" -msgstr "" +msgstr "Modulo {1} interrotto: {2}" #: Modules.cpp:1715 msgid "Module {1} aborted." -msgstr "" +msgstr "Modulo {1} interrotto." #: Modules.cpp:1739 Modules.cpp:1781 msgid "Module [{1}] not loaded." -msgstr "" +msgstr "Modulo [{1}] non caricato." #: Modules.cpp:1763 msgid "Module {1} unloaded." @@ -343,7 +346,7 @@ msgstr "" #: Modules.cpp:1768 msgid "Unable to unload module {1}." -msgstr "" +msgstr "Impossibile scaricare il modulo {1}." #: Modules.cpp:1797 msgid "Reloaded module {1}." @@ -351,19 +354,19 @@ msgstr "" #: Modules.cpp:1816 msgid "Unable to find module {1}." -msgstr "" +msgstr "Impossibile trovare il modulo {1}." #: Modules.cpp:1963 msgid "Unknown error" -msgstr "" +msgstr "Errore sconosciuto" #: Modules.cpp:1964 msgid "Unable to open module {1}: {2}" -msgstr "" +msgstr "Impossibile aprire il modulo {1}: {2}" #: Modules.cpp:1973 msgid "Could not find ZNCModuleEntry in module {1}" -msgstr "" +msgstr "Impossibile trovare ZNCModuleEntry nel modulo {1}" #: Modules.cpp:1981 msgid "" @@ -376,6 +379,8 @@ msgid "" "Module {1} is built incompatibly: core is '{2}', module is '{3}'. Recompile " "this module." msgstr "" +"Modulo {1} è costruito in modo incompatibile: il nucleo è '{2}', modulo è " +"'{3}'. Ricompilare questo modulo." #: Modules.cpp:2022 Modules.cpp:2028 msgctxt "modhelpcmd" @@ -394,15 +399,15 @@ msgstr "Descrizione" #: ClientCommand.cpp:1401 ClientCommand.cpp:1412 ClientCommand.cpp:1421 #: ClientCommand.cpp:1433 msgid "You must be connected with a network to use this command" -msgstr "" +msgstr "Devi essere connesso ad un network per usare questo comando" #: ClientCommand.cpp:58 msgid "Usage: ListNicks <#chan>" -msgstr "" +msgstr "Usa: ListNicks <#canale>" #: ClientCommand.cpp:65 msgid "You are not on [{1}]" -msgstr "" +msgstr "Non sei su [{1}]" #: ClientCommand.cpp:70 msgid "You are not on [{1}] (trying)" @@ -410,7 +415,7 @@ msgstr "" #: ClientCommand.cpp:79 msgid "No nicks on [{1}]" -msgstr "" +msgstr "Nessun nick su [{1}]" #: ClientCommand.cpp:91 ClientCommand.cpp:106 msgid "Nick" @@ -426,11 +431,11 @@ msgstr "Host" #: ClientCommand.cpp:122 msgid "Usage: Attach <#chans>" -msgstr "" +msgstr "Usa: Attach <#canali>" #: ClientCommand.cpp:144 msgid "Usage: Detach <#chans>" -msgstr "" +msgstr "Usa: Detach <#canali>" #: ClientCommand.cpp:161 msgid "There is no MOTD set." @@ -442,31 +447,31 @@ msgstr "" #: ClientCommand.cpp:169 msgid "Rehashing failed: {1}" -msgstr "" +msgstr "Rehashing fallito: {1}" #: ClientCommand.cpp:173 msgid "Wrote config to {1}" -msgstr "" +msgstr "Scritto config a {1}" #: ClientCommand.cpp:175 msgid "Error while trying to write config." -msgstr "" +msgstr "Errore durante il tentativo di scrivere la configurazione." #: ClientCommand.cpp:455 msgid "Usage: ListChans" -msgstr "" +msgstr "Usa: ListChans" #: ClientCommand.cpp:462 msgid "No such user [{1}]" -msgstr "" +msgstr "Nessun utente [{1}]" #: ClientCommand.cpp:468 msgid "User [{1}] doesn't have network [{2}]" -msgstr "" +msgstr "L'utente [{1}] non ha network [{2}]" #: ClientCommand.cpp:479 msgid "There are no channels defined." -msgstr "" +msgstr "Non ci sono canali definiti." #: ClientCommand.cpp:484 ClientCommand.cpp:500 msgctxt "listchans" @@ -506,7 +511,7 @@ msgstr "Utenti" #: ClientCommand.cpp:505 msgctxt "listchans" msgid "Detached" -msgstr "" +msgstr "Distaccati" #: ClientCommand.cpp:506 msgctxt "listchans" @@ -516,7 +521,7 @@ msgstr "" #: ClientCommand.cpp:507 msgctxt "listchans" msgid "Disabled" -msgstr "" +msgstr "Disabilitati" #: ClientCommand.cpp:508 msgctxt "listchans" @@ -526,25 +531,27 @@ msgstr "" #: ClientCommand.cpp:511 ClientCommand.cpp:519 msgctxt "listchans" msgid "yes" -msgstr "" +msgstr "si" #: ClientCommand.cpp:536 msgid "Total: {1}, Joined: {2}, Detached: {3}, Disabled: {4}" -msgstr "" +msgstr "Totale: {1}, Joined: {2}, Detached: {3}, Disabled: {4}" #: ClientCommand.cpp:541 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks using /znc DelNetwork " msgstr "" +"Numero limite per network raggiunto. Chiedi ad un amministratore di " +"aumentare il limite per te o elimina i networks usando /znc DelNetwork " #: ClientCommand.cpp:550 msgid "Usage: AddNetwork " -msgstr "" +msgstr "Usa: AddNetwork " #: ClientCommand.cpp:554 msgid "Network name should be alphanumeric" -msgstr "" +msgstr "Il nome del network deve essere alfanumerico" #: ClientCommand.cpp:561 msgid "" @@ -554,19 +561,19 @@ msgstr "" #: ClientCommand.cpp:566 msgid "Unable to add that network" -msgstr "" +msgstr "Impossibile aggiungerge questo network" #: ClientCommand.cpp:573 msgid "Usage: DelNetwork " -msgstr "" +msgstr "Usa: DelNetwork " #: ClientCommand.cpp:582 msgid "Network deleted" -msgstr "" +msgstr "Network cancellato" #: ClientCommand.cpp:585 msgid "Failed to delete network, perhaps this network doesn't exist" -msgstr "" +msgstr "Impossibile eliminare il network, forse questo network non esiste" #: ClientCommand.cpp:595 msgid "User {1} not found" @@ -600,7 +607,7 @@ msgstr "Canali" #: ClientCommand.cpp:614 msgctxt "listnetworks" msgid "Yes" -msgstr "Sì" +msgstr "Si" #: ClientCommand.cpp:623 msgctxt "listnetworks" @@ -610,7 +617,7 @@ msgstr "No" #: ClientCommand.cpp:628 msgctxt "listnetworks" msgid "No networks" -msgstr "Nessuna rete" +msgstr "Nessun networks" #: ClientCommand.cpp:632 ClientCommand.cpp:932 msgid "Access denied." @@ -622,15 +629,15 @@ msgstr "" #: ClientCommand.cpp:653 msgid "Old user {1} not found." -msgstr "" +msgstr "Vecchio utente {1} non trovato." #: ClientCommand.cpp:659 msgid "Old network {1} not found." -msgstr "" +msgstr "Vecchio network {1} non trovato." #: ClientCommand.cpp:665 msgid "New user {1} not found." -msgstr "" +msgstr "Nuovo utente {1} non trovato." #: ClientCommand.cpp:670 msgid "User {1} already has network {2}." @@ -638,7 +645,7 @@ msgstr "" #: ClientCommand.cpp:676 msgid "Invalid network name [{1}]" -msgstr "" +msgstr "Nome del network [{1}] non valido" #: ClientCommand.cpp:692 msgid "Some files seem to be in {1}. You might want to move them to {2}" @@ -646,7 +653,7 @@ msgstr "" #: ClientCommand.cpp:706 msgid "Error adding network: {1}" -msgstr "" +msgstr "Errore durante l'aggiunta del network: {1}" #: ClientCommand.cpp:718 msgid "Success." @@ -658,11 +665,11 @@ msgstr "" #: ClientCommand.cpp:728 msgid "No network supplied." -msgstr "" +msgstr "Nessun network fornito." #: ClientCommand.cpp:733 msgid "You are already connected with this network." -msgstr "" +msgstr "Sei già connesso con questo network." #: ClientCommand.cpp:739 msgid "Switched to {1}" @@ -670,15 +677,15 @@ msgstr "" #: ClientCommand.cpp:742 msgid "You don't have a network named {1}" -msgstr "" +msgstr "Non hai un network chiamato {1}" #: ClientCommand.cpp:754 msgid "Usage: AddServer [[+]port] [pass]" -msgstr "" +msgstr "Usa: AddServer [[+]porta] [password]" #: ClientCommand.cpp:759 msgid "Server added" -msgstr "" +msgstr "Server aggiunto" #: ClientCommand.cpp:762 msgid "" @@ -688,19 +695,19 @@ msgstr "" #: ClientCommand.cpp:777 msgid "Usage: DelServer [port] [pass]" -msgstr "" +msgstr "Usa: DelServer [porta] [password]" #: ClientCommand.cpp:782 ClientCommand.cpp:822 msgid "You don't have any servers added." -msgstr "" +msgstr "Non hai nessun server aggiunto." #: ClientCommand.cpp:787 msgid "Server removed" -msgstr "" +msgstr "Server rimosso" #: ClientCommand.cpp:789 msgid "No such server" -msgstr "" +msgstr "Nessun server" #: ClientCommand.cpp:802 ClientCommand.cpp:809 msgctxt "listservers" @@ -729,7 +736,7 @@ msgstr "SSL" #: ClientCommand.cpp:832 msgid "Usage: AddTrustedServerFingerprint " -msgstr "" +msgstr "Usa: AddTrustedServerFingerprint " #: ClientCommand.cpp:836 ClientCommand.cpp:849 msgid "Done." @@ -737,11 +744,11 @@ msgstr "Fatto." #: ClientCommand.cpp:845 msgid "Usage: DelTrustedServerFingerprint " -msgstr "" +msgstr "Usa: DelTrustedServerFingerprint " #: ClientCommand.cpp:858 msgid "No fingerprints added." -msgstr "Nessuna impronta digitale registrata." +msgstr "Nessun fingerprints aggiunto." #: ClientCommand.cpp:874 ClientCommand.cpp:880 msgctxt "topicscmd" @@ -766,15 +773,15 @@ msgstr "Nome" #: ClientCommand.cpp:890 ClientCommand.cpp:894 msgctxt "listmods" msgid "Arguments" -msgstr "Parametri" +msgstr "Argomenti" #: ClientCommand.cpp:902 msgid "No global modules loaded." -msgstr "" +msgstr "Nessun modulo globale caricato." #: ClientCommand.cpp:904 ClientCommand.cpp:964 msgid "Global modules:" -msgstr "Moduli Globali:" +msgstr "Moduli globali:" #: ClientCommand.cpp:912 msgid "Your user has no modules loaded." @@ -782,41 +789,41 @@ msgstr "" #: ClientCommand.cpp:914 ClientCommand.cpp:975 msgid "User modules:" -msgstr "Moduli Utente:" +msgstr "Moduli per l'utente:" #: ClientCommand.cpp:921 msgid "This network has no modules loaded." -msgstr "" +msgstr "Questo network non ha moduli caricati." #: ClientCommand.cpp:923 ClientCommand.cpp:986 msgid "Network modules:" -msgstr "" +msgstr "Moduli per il network:" #: ClientCommand.cpp:938 ClientCommand.cpp:944 msgctxt "listavailmods" msgid "Name" -msgstr "" +msgstr "Nome" #: ClientCommand.cpp:939 ClientCommand.cpp:949 msgctxt "listavailmods" msgid "Description" -msgstr "" +msgstr "Descrizione" #: ClientCommand.cpp:962 msgid "No global modules available." -msgstr "" +msgstr "Nessun modulo globale disponibile." #: ClientCommand.cpp:973 msgid "No user modules available." -msgstr "" +msgstr "Nessun modulo utente disponibile." #: ClientCommand.cpp:984 msgid "No network modules available." -msgstr "" +msgstr "Nessun modulo per network disponibile." #: ClientCommand.cpp:1012 msgid "Unable to load {1}: Access denied." -msgstr "" +msgstr "Impossibile caricare {1}: Accesso negato." #: ClientCommand.cpp:1018 msgid "Usage: LoadMod [--type=global|user|network] [args]" @@ -824,11 +831,11 @@ msgstr "" #: ClientCommand.cpp:1025 msgid "Unable to load {1}: {2}" -msgstr "" +msgstr "Impossibile caricare {1}: {2}" #: ClientCommand.cpp:1035 msgid "Unable to load global module {1}: Access denied." -msgstr "" +msgstr "Impossibile caricare il modulo globale {1}: Accesso negato." #: ClientCommand.cpp:1041 msgid "Unable to load network module {1}: Not connected with a network." @@ -836,31 +843,31 @@ msgstr "" #: ClientCommand.cpp:1063 msgid "Unknown module type" -msgstr "" +msgstr "Tipo di modulo sconosciuto" #: ClientCommand.cpp:1068 msgid "Loaded module {1}" -msgstr "" +msgstr "Modulo caricato {1}" #: ClientCommand.cpp:1070 msgid "Loaded module {1}: {2}" -msgstr "" +msgstr "Modulo caricato {1}: {2}" #: ClientCommand.cpp:1073 msgid "Unable to load module {1}: {2}" -msgstr "" +msgstr "Impossibile caricare il modulo {1}: {2}" #: ClientCommand.cpp:1096 msgid "Unable to unload {1}: Access denied." -msgstr "" +msgstr "Impossibile scaricare {1}: Accesso negato." #: ClientCommand.cpp:1102 msgid "Usage: UnloadMod [--type=global|user|network] " -msgstr "" +msgstr "Usa: UnloadMod [--type=global|user|network] " #: ClientCommand.cpp:1111 msgid "Unable to determine type of {1}: {2}" -msgstr "" +msgstr "Impossibile determinare tipo di {1}: {2}" #: ClientCommand.cpp:1119 msgid "Unable to unload global module {1}: Access denied." @@ -876,7 +883,7 @@ msgstr "" #: ClientCommand.cpp:1158 msgid "Unable to reload modules. Access denied." -msgstr "" +msgstr "Impossibile ricaricare i moduli. Accesso negato." #: ClientCommand.cpp:1179 msgid "Usage: ReloadMod [--type=global|user|network] [args]" @@ -884,7 +891,7 @@ msgstr "" #: ClientCommand.cpp:1188 msgid "Unable to reload {1}: {2}" -msgstr "" +msgstr "Impossibile ricaricare {1}: {2}" #: ClientCommand.cpp:1196 msgid "Unable to reload global module {1}: Access denied." @@ -900,11 +907,11 @@ msgstr "" #: ClientCommand.cpp:1236 msgid "Usage: UpdateMod " -msgstr "" +msgstr "Usa: UpdateMod " #: ClientCommand.cpp:1240 msgid "Reloading {1} everywhere" -msgstr "" +msgstr "Ricarica {1} ovunque" #: ClientCommand.cpp:1242 msgid "Done" @@ -923,11 +930,11 @@ msgstr "" #: ClientCommand.cpp:1260 msgid "Usage: SetBindHost " -msgstr "" +msgstr "Usa: SetBindHost " #: ClientCommand.cpp:1265 ClientCommand.cpp:1282 msgid "You already have this bind host!" -msgstr "" +msgstr "Hai già questo bind host!" #: ClientCommand.cpp:1270 msgid "Set bind host for network {1} to {2}" @@ -935,11 +942,11 @@ msgstr "" #: ClientCommand.cpp:1277 msgid "Usage: SetUserBindHost " -msgstr "" +msgstr "Usa: SetUserBindHost " #: ClientCommand.cpp:1287 msgid "Set default bind host to {1}" -msgstr "" +msgstr "Imposta il bind host di default a {1}" #: ClientCommand.cpp:1293 msgid "" @@ -949,11 +956,11 @@ msgstr "" #: ClientCommand.cpp:1298 msgid "Bind host cleared for this network." -msgstr "" +msgstr "Bind host cancellato per questo network." #: ClientCommand.cpp:1302 msgid "Default bind host cleared for your user." -msgstr "" +msgstr "Bind host di default cancellato per questo utente." #: ClientCommand.cpp:1305 msgid "This user's default bind host not set" @@ -965,7 +972,7 @@ msgstr "" #: ClientCommand.cpp:1312 msgid "This network's bind host not set" -msgstr "" +msgstr "Il bind host di questo network non è impostato" #: ClientCommand.cpp:1314 msgid "This network's default bind host is {1}" @@ -973,31 +980,31 @@ msgstr "" #: ClientCommand.cpp:1328 msgid "Usage: PlayBuffer <#chan|query>" -msgstr "" +msgstr "Usa: PlayBuffer <#canale|query>" #: ClientCommand.cpp:1336 msgid "You are not on {1}" -msgstr "" +msgstr "Non sei su {1}" #: ClientCommand.cpp:1341 msgid "You are not on {1} (trying to join)" -msgstr "" +msgstr "Non sei su {1} (prova ad entrare)" #: ClientCommand.cpp:1346 msgid "The buffer for channel {1} is empty" -msgstr "" +msgstr "Il buffer del canale {1} è vuoto" #: ClientCommand.cpp:1355 msgid "No active query with {1}" -msgstr "" +msgstr "Nessuna query attiva per {1}" #: ClientCommand.cpp:1360 msgid "The buffer for {1} is empty" -msgstr "" +msgstr "Il buffer per {1} è vuoto" #: ClientCommand.cpp:1376 msgid "Usage: ClearBuffer <#chan|query>" -msgstr "" +msgstr "Usa: ClearBuffer <#canale|query>" #: ClientCommand.cpp:1395 msgid "{1} buffer matching {2} has been cleared" @@ -1007,15 +1014,15 @@ msgstr[1] "" #: ClientCommand.cpp:1408 msgid "All channel buffers have been cleared" -msgstr "" +msgstr "I buffers di tutti i canali sono stati cancellati" #: ClientCommand.cpp:1417 msgid "All query buffers have been cleared" -msgstr "" +msgstr "I buffers di tutte le query sono state cancellate" #: ClientCommand.cpp:1429 msgid "All buffers have been cleared" -msgstr "" +msgstr "Tutti i buffers sono stati cancellati" #: ClientCommand.cpp:1440 msgid "Usage: SetBuffer <#chan|query> [linecount]" @@ -1049,13 +1056,13 @@ msgstr "Nome Utente" #: ClientCommand.cpp:1508 ClientCommand.cpp:1516 msgctxt "trafficcmd" msgid "In" -msgstr "In" +msgstr "Dentro (In)" #: ClientCommand.cpp:1481 ClientCommand.cpp:1489 ClientCommand.cpp:1500 #: ClientCommand.cpp:1509 ClientCommand.cpp:1517 msgctxt "trafficcmd" msgid "Out" -msgstr "Out" +msgstr "Fuori (Out)" #: ClientCommand.cpp:1482 ClientCommand.cpp:1492 ClientCommand.cpp:1502 #: ClientCommand.cpp:1510 ClientCommand.cpp:1519 @@ -1066,7 +1073,7 @@ msgstr "Totale" #: ClientCommand.cpp:1498 msgctxt "trafficcmd" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1507 msgctxt "trafficcmd" @@ -1076,7 +1083,7 @@ msgstr "" #: ClientCommand.cpp:1515 msgctxt "trafficcmd" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1524 msgid "Running for {1}" @@ -1084,7 +1091,7 @@ msgstr "" #: ClientCommand.cpp:1530 msgid "Unknown command, try 'Help'" -msgstr "" +msgstr "Comando sconosciuto, prova 'Help'" #: ClientCommand.cpp:1539 ClientCommand.cpp:1550 msgctxt "listports" @@ -1119,7 +1126,7 @@ msgstr "Web" #: ClientCommand.cpp:1555 msgctxt "listports|ssl" msgid "yes" -msgstr "" +msgstr "si" #: ClientCommand.cpp:1556 msgctxt "listports|ssl" @@ -1129,7 +1136,7 @@ msgstr "" #: ClientCommand.cpp:1560 msgctxt "listports" msgid "IPv4 and IPv6" -msgstr "" +msgstr "IPv4 e IPv6" #: ClientCommand.cpp:1562 msgctxt "listports" @@ -1144,7 +1151,7 @@ msgstr "" #: ClientCommand.cpp:1569 msgctxt "listports|irc" msgid "yes" -msgstr "" +msgstr "si" #: ClientCommand.cpp:1570 msgctxt "listports|irc" @@ -1154,7 +1161,7 @@ msgstr "" #: ClientCommand.cpp:1574 msgctxt "listports|irc" msgid "yes, on {1}" -msgstr "" +msgstr "si, su {1}" #: ClientCommand.cpp:1576 msgctxt "listports|web" @@ -1165,6 +1172,7 @@ msgstr "" msgid "" "Usage: AddPort <[+]port> [bindhost [uriprefix]]" msgstr "" +"Usa: AddPort <[+]porta> [bindhost [uriprefix]]" #: ClientCommand.cpp:1632 msgid "Port added" @@ -1176,15 +1184,15 @@ msgstr "Impossibile aggiungere la porta" #: ClientCommand.cpp:1640 msgid "Usage: DelPort [bindhost]" -msgstr "" +msgstr "Usa: DelPort [bindhost]" #: ClientCommand.cpp:1649 msgid "Deleted Port" -msgstr "" +msgstr "Porta eliminata" #: ClientCommand.cpp:1651 msgid "Unable to find a matching port" -msgstr "" +msgstr "Impossibile trovare una porta corrispondente" #: ClientCommand.cpp:1659 ClientCommand.cpp:1673 msgctxt "helpcmd" @@ -1201,51 +1209,53 @@ msgid "" "In the following list all occurrences of <#chan> support wildcards (* and ?) " "except ListNicks" msgstr "" +"Nella seguente lista tutte le occorrenze di <#canale> supportano le " +"wildcards (* e ?) eccetto ListNicks" #: ClientCommand.cpp:1680 msgctxt "helpcmd|Version|desc" msgid "Print which version of ZNC this is" -msgstr "" +msgstr "Mostra la versione di questo ZNC" #: ClientCommand.cpp:1683 msgctxt "helpcmd|ListMods|desc" msgid "List all loaded modules" -msgstr "" +msgstr "Elenca tutti i moduli caricati" #: ClientCommand.cpp:1686 msgctxt "helpcmd|ListAvailMods|desc" msgid "List all available modules" -msgstr "" +msgstr "Elenca tutti i moduli disponibili" #: ClientCommand.cpp:1690 ClientCommand.cpp:1876 msgctxt "helpcmd|ListChans|desc" msgid "List all channels" -msgstr "" +msgstr "Elenca tutti i canali" #: ClientCommand.cpp:1693 msgctxt "helpcmd|ListNicks|args" msgid "<#chan>" -msgstr "" +msgstr "<#canale>" #: ClientCommand.cpp:1694 msgctxt "helpcmd|ListNicks|desc" msgid "List all nicks on a channel" -msgstr "" +msgstr "Elenca tutti i nickname su un canale" #: ClientCommand.cpp:1697 msgctxt "helpcmd|ListClients|desc" msgid "List all clients connected to your ZNC user" -msgstr "" +msgstr "Elenca tutti i client connessi al tuo utente ZNC" #: ClientCommand.cpp:1701 msgctxt "helpcmd|ListServers|desc" msgid "List all servers of current IRC network" -msgstr "" +msgstr "Elenca tutti i servers del network IRC corrente" #: ClientCommand.cpp:1705 msgctxt "helpcmd|AddNetwork|args" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1706 msgctxt "helpcmd|AddNetwork|desc" @@ -1255,27 +1265,27 @@ msgstr "Aggiungi un network al tuo account" #: ClientCommand.cpp:1708 msgctxt "helpcmd|DelNetwork|args" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1709 msgctxt "helpcmd|DelNetwork|desc" msgid "Delete a network from your user" -msgstr "" +msgstr "Elimina un network dal tuo utente" #: ClientCommand.cpp:1711 msgctxt "helpcmd|ListNetworks|desc" msgid "List all networks" -msgstr "Mostra tutte le reti" +msgstr "Elenca tutti i networks" #: ClientCommand.cpp:1714 msgctxt "helpcmd|MoveNetwork|args" msgid " [new network]" -msgstr "" +msgstr " [nuovo network]" #: ClientCommand.cpp:1716 msgctxt "helpcmd|MoveNetwork|desc" msgid "Move an IRC network from one user to another" -msgstr "" +msgstr "Sposta un network IRC da un utente ad un altro" #: ClientCommand.cpp:1720 msgctxt "helpcmd|JumpNetwork|args" @@ -1288,22 +1298,26 @@ msgid "" "Jump to another network (Alternatively, you can connect to ZNC several " "times, using `user/network` as username)" msgstr "" +"Passa ad un altro network (Alternativamente, puoi connetterti più volte allo " +"ZNC, usando `user/network` come username)" #: ClientCommand.cpp:1726 msgctxt "helpcmd|AddServer|args" msgid " [[+]port] [pass]" -msgstr "" +msgstr " [[+]porta] [password]" #: ClientCommand.cpp:1727 msgctxt "helpcmd|AddServer|desc" msgid "" "Add a server to the list of alternate/backup servers of current IRC network." msgstr "" +"Aggiunge un server all'elenco server alternativi/backup del network IRC " +"corrente." #: ClientCommand.cpp:1731 msgctxt "helpcmd|DelServer|args" msgid " [port] [pass]" -msgstr "" +msgstr " [porta] [password]" #: ClientCommand.cpp:1732 msgctxt "helpcmd|DelServer|desc" @@ -1311,6 +1325,8 @@ msgid "" "Remove a server from the list of alternate/backup servers of current IRC " "network" msgstr "" +"Rimuove un server all'elenco server alternativi/backup dell'IRC network " +"corrente" #: ClientCommand.cpp:1738 msgctxt "helpcmd|AddTrustedServerFingerprint|args" @@ -1338,21 +1354,22 @@ msgstr "" msgctxt "helpcmd|ListTrustedServerFingerprints|desc" msgid "List all trusted server SSL certificates of current IRC network." msgstr "" +"Elenca tutti i certificati SSL fidati del server per il corrente network IRC." #: ClientCommand.cpp:1752 msgctxt "helpcmd|EnableChan|args" msgid "<#chans>" -msgstr "" +msgstr "<#canali>" #: ClientCommand.cpp:1753 msgctxt "helpcmd|EnableChan|desc" msgid "Enable channels" -msgstr "Abilita i canali" +msgstr "Abilita canali" #: ClientCommand.cpp:1754 msgctxt "helpcmd|DisableChan|args" msgid "<#chans>" -msgstr "" +msgstr "<#canali>" #: ClientCommand.cpp:1755 msgctxt "helpcmd|DisableChan|desc" @@ -1362,17 +1379,17 @@ msgstr "Disabilita canali" #: ClientCommand.cpp:1756 msgctxt "helpcmd|Attach|args" msgid "<#chans>" -msgstr "" +msgstr "<#canali>" #: ClientCommand.cpp:1757 msgctxt "helpcmd|Attach|desc" msgid "Attach to channels" -msgstr "" +msgstr "Ricollega ai canali (attach)" #: ClientCommand.cpp:1758 msgctxt "helpcmd|Detach|args" msgid "<#chans>" -msgstr "" +msgstr "<#canali>" #: ClientCommand.cpp:1759 msgctxt "helpcmd|Detach|desc" @@ -1382,87 +1399,87 @@ msgstr "" #: ClientCommand.cpp:1762 msgctxt "helpcmd|Topics|desc" msgid "Show topics in all your channels" -msgstr "" +msgstr "Mostra i topics di tutti i tuoi canali" #: ClientCommand.cpp:1765 msgctxt "helpcmd|PlayBuffer|args" msgid "<#chan|query>" -msgstr "" +msgstr "<#canale|query>" #: ClientCommand.cpp:1766 msgctxt "helpcmd|PlayBuffer|desc" msgid "Play back the specified buffer" -msgstr "" +msgstr "Riproduce il buffer specificato" #: ClientCommand.cpp:1768 msgctxt "helpcmd|ClearBuffer|args" msgid "<#chan|query>" -msgstr "" +msgstr "<#canale|query>" #: ClientCommand.cpp:1769 msgctxt "helpcmd|ClearBuffer|desc" msgid "Clear the specified buffer" -msgstr "" +msgstr "Cancella il buffer specificato" #: ClientCommand.cpp:1771 msgctxt "helpcmd|ClearAllBuffers|desc" msgid "Clear all channel and query buffers" -msgstr "" +msgstr "Cancella il buffers da tutti i canali e tute le query" #: ClientCommand.cpp:1774 msgctxt "helpcmd|ClearAllChannelBuffers|desc" msgid "Clear the channel buffers" -msgstr "" +msgstr "Cancella il buffer del canale" #: ClientCommand.cpp:1778 msgctxt "helpcmd|ClearAllQueryBuffers|desc" msgid "Clear the query buffers" -msgstr "" +msgstr "Cancella il buffer della query" #: ClientCommand.cpp:1780 msgctxt "helpcmd|SetBuffer|args" msgid "<#chan|query> [linecount]" -msgstr "" +msgstr "<#canale|query> [linecount]" #: ClientCommand.cpp:1781 msgctxt "helpcmd|SetBuffer|desc" msgid "Set the buffer count" -msgstr "" +msgstr "Imposta il conteggio del buffer" #: ClientCommand.cpp:1785 msgctxt "helpcmd|SetBindHost|args" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1786 msgctxt "helpcmd|SetBindHost|desc" msgid "Set the bind host for this network" -msgstr "" +msgstr "Imposta il bind host per questo network" #: ClientCommand.cpp:1790 msgctxt "helpcmd|SetUserBindHost|args" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1791 msgctxt "helpcmd|SetUserBindHost|desc" msgid "Set the default bind host for this user" -msgstr "" +msgstr "Imposta il bind host di default per questo utente" #: ClientCommand.cpp:1794 msgctxt "helpcmd|ClearBindHost|desc" msgid "Clear the bind host for this network" -msgstr "" +msgstr "Cancella il bind host per questo network" #: ClientCommand.cpp:1797 msgctxt "helpcmd|ClearUserBindHost|desc" msgid "Clear the default bind host for this user" -msgstr "" +msgstr "Cancella il bind host di default per questo utente" #: ClientCommand.cpp:1803 msgctxt "helpcmd|ShowBindHost|desc" msgid "Show currently selected bind host" -msgstr "" +msgstr "Mostra il bind host attualmente selezionato" #: ClientCommand.cpp:1805 msgctxt "helpcmd|Jump|args" @@ -1477,7 +1494,7 @@ msgstr "" #: ClientCommand.cpp:1807 msgctxt "helpcmd|Disconnect|args" msgid "[message]" -msgstr "" +msgstr "[messaggio]" #: ClientCommand.cpp:1808 msgctxt "helpcmd|Disconnect|desc" @@ -1487,17 +1504,17 @@ msgstr "Disconnetti da IRC" #: ClientCommand.cpp:1810 msgctxt "helpcmd|Connect|desc" msgid "Reconnect to IRC" -msgstr "Riconnetti a IRC" +msgstr "Riconnette ad IRC" #: ClientCommand.cpp:1813 msgctxt "helpcmd|Uptime|desc" msgid "Show for how long ZNC has been running" -msgstr "" +msgstr "Mostra da quanto tempo lo ZNC è in esecuzione" #: ClientCommand.cpp:1817 msgctxt "helpcmd|LoadMod|args" msgid "[--type=global|user|network] " -msgstr "" +msgstr "[--type=global|user|network] " #: ClientCommand.cpp:1819 msgctxt "helpcmd|LoadMod|desc" @@ -1507,17 +1524,17 @@ msgstr "Carica un modulo" #: ClientCommand.cpp:1821 msgctxt "helpcmd|UnloadMod|args" msgid "[--type=global|user|network] " -msgstr "" +msgstr "[--type=global|user|network] " #: ClientCommand.cpp:1823 msgctxt "helpcmd|UnloadMod|desc" msgid "Unload a module" -msgstr "" +msgstr "Scarica un modulo" #: ClientCommand.cpp:1825 msgctxt "helpcmd|ReloadMod|args" msgid "[--type=global|user|network] " -msgstr "" +msgstr "[--type=global|user|network] " #: ClientCommand.cpp:1827 msgctxt "helpcmd|ReloadMod|desc" @@ -1527,52 +1544,52 @@ msgstr "Ricarica un modulo" #: ClientCommand.cpp:1830 msgctxt "helpcmd|UpdateMod|args" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1831 msgctxt "helpcmd|UpdateMod|desc" msgid "Reload a module everywhere" -msgstr "" +msgstr "Ricarica un modulo ovunque" #: ClientCommand.cpp:1837 msgctxt "helpcmd|ShowMOTD|desc" msgid "Show ZNC's message of the day" -msgstr "" +msgstr "Mostra il messaggio del giorno dello ZNC's" #: ClientCommand.cpp:1841 msgctxt "helpcmd|SetMOTD|args" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1842 msgctxt "helpcmd|SetMOTD|desc" msgid "Set ZNC's message of the day" -msgstr "" +msgstr "Imposta il messaggio del giorno dello ZNC's" #: ClientCommand.cpp:1844 msgctxt "helpcmd|AddMOTD|args" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1845 msgctxt "helpcmd|AddMOTD|desc" msgid "Append to ZNC's MOTD" -msgstr "" +msgstr "Aggiungi al MOTD dello ZNC's" #: ClientCommand.cpp:1847 msgctxt "helpcmd|ClearMOTD|desc" msgid "Clear ZNC's MOTD" -msgstr "" +msgstr "Cancella il MOTD dello ZNC's" #: ClientCommand.cpp:1850 msgctxt "helpcmd|ListPorts|desc" msgid "Show all active listeners" -msgstr "" +msgstr "Mostra tutti gli ascoltatori attivi" #: ClientCommand.cpp:1852 msgctxt "helpcmd|AddPort|args" msgid "<[+]port> [bindhost [uriprefix]]" -msgstr "" +msgstr "<[+]porta> [bindhost [uriprefix]]" #: ClientCommand.cpp:1855 msgctxt "helpcmd|AddPort|desc" @@ -1582,12 +1599,12 @@ msgstr "" #: ClientCommand.cpp:1859 msgctxt "helpcmd|DelPort|args" msgid " [bindhost]" -msgstr "" +msgstr " [bindhost]" #: ClientCommand.cpp:1860 msgctxt "helpcmd|DelPort|desc" msgid "Remove a port from ZNC" -msgstr "" +msgstr "Rimuove una porta dallo ZNC" #: ClientCommand.cpp:1863 msgctxt "helpcmd|Rehash|desc" @@ -1597,17 +1614,17 @@ msgstr "" #: ClientCommand.cpp:1866 msgctxt "helpcmd|SaveConfig|desc" msgid "Save the current settings to disk" -msgstr "" +msgstr "Salve le impostazioni correnti sul disco" #: ClientCommand.cpp:1869 msgctxt "helpcmd|ListUsers|desc" msgid "List all ZNC users and their connection status" -msgstr "" +msgstr "Elenca tutti gli utenti dello ZNC e lo stato della loro connessione" #: ClientCommand.cpp:1872 msgctxt "helpcmd|ListAllUserNetworks|desc" msgid "List all ZNC users and their networks" -msgstr "" +msgstr "Elenca tutti gli utenti dello ZNC ed i loro networks" #: ClientCommand.cpp:1875 msgctxt "helpcmd|ListChans|args" @@ -1617,12 +1634,12 @@ msgstr "" #: ClientCommand.cpp:1878 msgctxt "helpcmd|ListClients|args" msgid "[user]" -msgstr "" +msgstr "[utente]" #: ClientCommand.cpp:1879 msgctxt "helpcmd|ListClients|desc" msgid "List all connected clients" -msgstr "" +msgstr "Elenca tutti i client connessi" #: ClientCommand.cpp:1881 msgctxt "helpcmd|Traffic|desc" @@ -1632,36 +1649,36 @@ msgstr "" #: ClientCommand.cpp:1883 msgctxt "helpcmd|Broadcast|args" msgid "[message]" -msgstr "" +msgstr "[messaggio]" #: ClientCommand.cpp:1884 msgctxt "helpcmd|Broadcast|desc" msgid "Broadcast a message to all ZNC users" -msgstr "" +msgstr "Trasmetti un messaggio a tutti gli utenti dello ZNC" #: ClientCommand.cpp:1887 msgctxt "helpcmd|Shutdown|args" msgid "[message]" -msgstr "" +msgstr "[messaggio]" #: ClientCommand.cpp:1888 msgctxt "helpcmd|Shutdown|desc" msgid "Shut down ZNC completely" -msgstr "" +msgstr "Spegni completamente lo ZNC" #: ClientCommand.cpp:1889 msgctxt "helpcmd|Restart|args" msgid "[message]" -msgstr "" +msgstr "[messaggio]" #: ClientCommand.cpp:1890 msgctxt "helpcmd|Restart|desc" msgid "Restart ZNC" -msgstr "" +msgstr "Riavvia lo ZNC" #: Socket.cpp:336 msgid "Can't resolve server hostname" -msgstr "" +msgstr "Impossibile risolvere il nome dell'host del server" #: Socket.cpp:343 msgid "" @@ -1675,11 +1692,13 @@ msgstr "" #: Socket.cpp:357 msgid "Server address is IPv6-only, but bindhost is IPv4-only" -msgstr "" +msgstr "L'indirizzo del server è IPv6-only, ma il bindhost è IPv4-only" #: Socket.cpp:515 msgid "Some socket reached its max buffer limit and was closed!" msgstr "" +"Alcuni socket hanno raggiunto il limite massimo di buffer e sono stati " +"chiusi!" #: SSLVerifyHost.cpp:448 msgid "hostname doesn't match" @@ -1701,7 +1720,7 @@ msgstr "" #: User.cpp:511 msgid "Network {1} already exists" -msgstr "" +msgstr "Network {1} già esistente" #: User.cpp:777 msgid "" @@ -1711,16 +1730,16 @@ msgstr "" #: User.cpp:907 msgid "Password is empty" -msgstr "" +msgstr "Password è vuota" #: User.cpp:912 msgid "Username is empty" -msgstr "" +msgstr "Username è vuoto" #: User.cpp:917 msgid "Username is invalid" -msgstr "" +msgstr "Username non è valido" #: User.cpp:1188 msgid "Unable to find modinfo {1}: {2}" -msgstr "" +msgstr "Impossibile trovare modinfo {1}: {2}" diff --git a/src/po/znc.nl_NL.po b/src/po/znc.nl_NL.po index b4cabda0..069fa50d 100644 --- a/src/po/znc.nl_NL.po +++ b/src/po/znc.nl_NL.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.7.x/src/po/znc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/src/po/znc.pt_BR.po b/src/po/znc.pt_BR.po index b2c0c5bf..b7dc1c76 100644 --- a/src/po/znc.pt_BR.po +++ b/src/po/znc.pt_BR.po @@ -8,7 +8,7 @@ msgstr "" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.7.x/src/po/znc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/src/po/znc.ru_RU.po b/src/po/znc.ru_RU.po index 478543f0..241d15d8 100644 --- a/src/po/znc.ru_RU.po +++ b/src/po/znc.ru_RU.po @@ -10,7 +10,7 @@ msgstr "" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.7.x/src/po/znc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: DarthGandalf\n" +"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" From b7cd68249d8fcb300115bb7a83c3c0348c967605 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Sun, 14 Jul 2019 01:08:35 +0000 Subject: [PATCH 271/798] Update translations from Crowdin for it_IT --- modules/po/adminlog.it_IT.po | 26 +- modules/po/alias.it_IT.po | 53 ++-- modules/po/autoattach.it_IT.po | 36 +-- modules/po/autoop.it_IT.po | 68 +++--- modules/po/autoreply.it_IT.po | 14 +- src/po/znc.it_IT.po | 435 +++++++++++++++++---------------- src/po/znc.pot | 8 - 7 files changed, 334 insertions(+), 306 deletions(-) diff --git a/modules/po/adminlog.it_IT.po b/modules/po/adminlog.it_IT.po index 730a35ab..669a6d08 100644 --- a/modules/po/adminlog.it_IT.po +++ b/modules/po/adminlog.it_IT.po @@ -14,15 +14,15 @@ msgstr "" #: adminlog.cpp:29 msgid "Show the logging target" -msgstr "" +msgstr "Mostra il target (destinazione) del logging" #: adminlog.cpp:31 msgid " [path]" -msgstr "" +msgstr "Usa: Target [path]" #: adminlog.cpp:32 msgid "Set the logging target" -msgstr "" +msgstr "Imposta il target (destinazione) del logging" #: adminlog.cpp:142 msgid "Access denied" @@ -30,40 +30,40 @@ msgstr "Accesso negato" #: adminlog.cpp:156 msgid "Now logging to file" -msgstr "" +msgstr "Nuovo logging su file" #: adminlog.cpp:160 msgid "Now only logging to syslog" -msgstr "" +msgstr "Ora logging solo su syslog" #: adminlog.cpp:164 msgid "Now logging to syslog and file" -msgstr "" +msgstr "Nuovo logging su syslog e file" #: adminlog.cpp:168 msgid "Usage: Target [path]" -msgstr "" +msgstr "Usa: Target [path]" #: adminlog.cpp:170 msgid "Unknown target" -msgstr "" +msgstr "Target (destinazione) sconosciuto" #: adminlog.cpp:192 msgid "Logging is enabled for file" -msgstr "" +msgstr "Il logging è abilitato per i file" #: adminlog.cpp:195 msgid "Logging is enabled for syslog" -msgstr "" +msgstr "Il logging è abilitato per il syslog" #: adminlog.cpp:198 msgid "Logging is enabled for both, file and syslog" -msgstr "" +msgstr "Il logging è abilitato per entrambi, file e syslog" #: adminlog.cpp:204 msgid "Log file will be written to {1}" -msgstr "" +msgstr "I file di Log verranno scritti su {1}" #: adminlog.cpp:222 msgid "Log ZNC events to file and/or syslog." -msgstr "" +msgstr "Logga gli eventi dello ZNC su file e/o syslog." diff --git a/modules/po/alias.it_IT.po b/modules/po/alias.it_IT.po index b284698a..47679c05 100644 --- a/modules/po/alias.it_IT.po +++ b/modules/po/alias.it_IT.po @@ -14,110 +14,111 @@ msgstr "" #: alias.cpp:141 msgid "missing required parameter: {1}" -msgstr "" +msgstr "manca il parametro richiesto: {1}" #: alias.cpp:201 msgid "Created alias: {1}" -msgstr "" +msgstr "Alias creato: {1}" #: alias.cpp:203 msgid "Alias already exists." -msgstr "" +msgstr "Alias già esistente." #: alias.cpp:210 msgid "Deleted alias: {1}" -msgstr "" +msgstr "Alias eliminato: {1}" #: alias.cpp:213 alias.cpp:224 alias.cpp:246 alias.cpp:265 alias.cpp:276 #: alias.cpp:333 msgid "Alias does not exist." -msgstr "" +msgstr "Alias inesistente." #: alias.cpp:222 alias.cpp:244 alias.cpp:263 alias.cpp:274 msgid "Modified alias." -msgstr "" +msgstr "Alias modificato." #: alias.cpp:236 alias.cpp:256 msgid "Invalid index." -msgstr "" +msgstr "Indice non valido." #: alias.cpp:282 alias.cpp:298 msgid "There are no aliases." -msgstr "" +msgstr "Non ci sono alias." #: alias.cpp:289 msgid "The following aliases exist: {1}" -msgstr "" +msgstr "Esistono i seguenti alias: {1}" #: alias.cpp:290 msgctxt "list|separator" msgid ", " -msgstr "" +msgstr ", " #: alias.cpp:324 msgid "Actions for alias {1}:" -msgstr "" +msgstr "Azioni dell'alias {1}:" #: alias.cpp:331 msgid "End of actions for alias {1}." -msgstr "" +msgstr "Fine delle azioni per l'alias {1}." #: alias.cpp:338 alias.cpp:341 alias.cpp:352 alias.cpp:357 msgid "" -msgstr "" +msgstr "" #: alias.cpp:339 msgid "Creates a new, blank alias called name." -msgstr "" +msgstr "Crea un nuovo alias vuto, chiamato nome." #: alias.cpp:341 msgid "Deletes an existing alias." -msgstr "" +msgstr "Elimina un alias esistente." #: alias.cpp:343 msgid " " -msgstr "" +msgstr " " #: alias.cpp:344 msgid "Adds a line to an existing alias." -msgstr "" +msgstr "Aggiunge una linea ad un alias esistente." #: alias.cpp:346 msgid " " -msgstr "" +msgstr " " #: alias.cpp:347 msgid "Inserts a line into an existing alias." -msgstr "" +msgstr "Inserisce una linea in un'alias esistente." #: alias.cpp:349 msgid " " -msgstr "" +msgstr " " #: alias.cpp:350 msgid "Removes a line from an existing alias." -msgstr "" +msgstr "Rimuove una linea da un alias esistente." #: alias.cpp:353 msgid "Removes all lines from an existing alias." -msgstr "" +msgstr "Rimuove tutte le linee da un alias esistente." #: alias.cpp:355 msgid "Lists all aliases by name." -msgstr "" +msgstr "Elenca tutti gli alias per nome." #: alias.cpp:358 msgid "Reports the actions performed by an alias." -msgstr "" +msgstr "Riporta le azioni eseguite da un alias." #: alias.cpp:362 msgid "Generate a list of commands to copy your alias config." msgstr "" +"Genera una lista di comandi da copiare nella configurazione dei tuoi alias." #: alias.cpp:374 msgid "Clearing all of them!" -msgstr "" +msgstr "Libera tutti loro!" #: alias.cpp:409 msgid "Provides bouncer-side command alias support." -msgstr "" +msgstr "Fornisce supporto ai comandi alias lato bouncer." diff --git a/modules/po/autoattach.it_IT.po b/modules/po/autoattach.it_IT.po index bf99c339..6664062a 100644 --- a/modules/po/autoattach.it_IT.po +++ b/modules/po/autoattach.it_IT.po @@ -14,72 +14,76 @@ msgstr "" #: autoattach.cpp:94 msgid "Added to list" -msgstr "" +msgstr "Aggiunto alla lista" #: autoattach.cpp:96 msgid "{1} is already added" -msgstr "" +msgstr "{1} è già aggiunto" #: autoattach.cpp:100 msgid "Usage: Add [!]<#chan> " -msgstr "" +msgstr "Usa: Add [!]<#canale> " #: autoattach.cpp:101 msgid "Wildcards are allowed" -msgstr "" +msgstr "Sono ammesse wildcards (caratteri jolly)" #: autoattach.cpp:113 msgid "Removed {1} from list" -msgstr "" +msgstr "Rimosso {1} dalla lista" #: autoattach.cpp:115 msgid "Usage: Del [!]<#chan> " -msgstr "" +msgstr "Usa: Del [!]<#canale> " #: autoattach.cpp:121 autoattach.cpp:129 msgid "Neg" -msgstr "" +msgstr "Neg" #: autoattach.cpp:122 autoattach.cpp:130 msgid "Chan" -msgstr "" +msgstr "Canale" #: autoattach.cpp:123 autoattach.cpp:131 msgid "Search" -msgstr "" +msgstr "Ricerca" #: autoattach.cpp:124 autoattach.cpp:132 msgid "Host" -msgstr "" +msgstr "Host" #: autoattach.cpp:138 msgid "You have no entries." -msgstr "" +msgstr "Non hai voci." #: autoattach.cpp:146 autoattach.cpp:149 msgid "[!]<#chan> " -msgstr "" +msgstr "[!]<#canale> " #: autoattach.cpp:147 msgid "Add an entry, use !#chan to negate and * for wildcards" msgstr "" +"Aggiunge una voce, usa !#canale per negare e * come wildcards (caratteri " +"jolly)" #: autoattach.cpp:150 msgid "Remove an entry, needs to be an exact match" -msgstr "" +msgstr "Rimuove una voce, deve essere una corrispondenza esatta" #: autoattach.cpp:152 msgid "List all entries" -msgstr "" +msgstr "Elenca tutte le voci" #: autoattach.cpp:171 msgid "Unable to add [{1}]" -msgstr "" +msgstr "Impossibile aggiungere [{1}]" #: autoattach.cpp:283 msgid "List of channel masks and channel masks with ! before them." msgstr "" +"Elenco delle maschere di canale e delle maschere di canale con il ! " +"antecedente." #: autoattach.cpp:286 msgid "Reattaches you to channels on activity." -msgstr "" +msgstr "Ricollega i canali quando c'è attività." diff --git a/modules/po/autoop.it_IT.po b/modules/po/autoop.it_IT.po index 3458920c..9706cfc2 100644 --- a/modules/po/autoop.it_IT.po +++ b/modules/po/autoop.it_IT.po @@ -18,63 +18,63 @@ msgstr "Elenca tutti gli utenti" #: autoop.cpp:156 autoop.cpp:159 msgid " [channel] ..." -msgstr "" +msgstr " [canale] ..." #: autoop.cpp:157 msgid "Adds channels to a user" -msgstr "" +msgstr "Aggiunge canali ad un utente" #: autoop.cpp:160 msgid "Removes channels from a user" -msgstr "" +msgstr "Rimuove canali da un utente" #: autoop.cpp:162 autoop.cpp:165 msgid " ,[mask] ..." -msgstr "" +msgstr " ,[maschera] ..." #: autoop.cpp:163 msgid "Adds masks to a user" -msgstr "" +msgstr "Aggiunge una maschera (masks) ad un utente" #: autoop.cpp:166 msgid "Removes masks from a user" -msgstr "" +msgstr "Rimuove una maschera (masks) da un utente" #: autoop.cpp:169 msgid " [,...] [channels]" -msgstr "" +msgstr " [,...] [canali]" #: autoop.cpp:170 msgid "Adds a user" -msgstr "" +msgstr "Aggiunge un utente" #: autoop.cpp:172 msgid "" -msgstr "" +msgstr "" #: autoop.cpp:172 msgid "Removes a user" -msgstr "" +msgstr "Rimuove un utente" #: autoop.cpp:275 msgid "Usage: AddUser [,...] [channels]" -msgstr "" +msgstr "Usa: AddUser [,...] [channels]" #: autoop.cpp:291 msgid "Usage: DelUser " -msgstr "" +msgstr "Usa: DelUser " #: autoop.cpp:300 msgid "There are no users defined" -msgstr "" +msgstr "Non ci sono utenti definiti" #: autoop.cpp:306 autoop.cpp:317 autoop.cpp:321 autoop.cpp:323 msgid "User" -msgstr "" +msgstr "Utente" #: autoop.cpp:307 autoop.cpp:325 msgid "Hostmasks" -msgstr "" +msgstr "Hostmasks" #: autoop.cpp:308 autoop.cpp:318 msgid "Key" @@ -86,7 +86,7 @@ msgstr "Canali" #: autoop.cpp:337 msgid "Usage: AddChans [channel] ..." -msgstr "" +msgstr "Usa: AddChans [channel] ..." #: autoop.cpp:344 autoop.cpp:365 autoop.cpp:387 autoop.cpp:408 autoop.cpp:472 msgid "No such user" @@ -94,75 +94,85 @@ msgstr "Utente non presente" #: autoop.cpp:349 msgid "Channel(s) added to user {1}" -msgstr "" +msgstr "Canali aggiunti all'utente {1}" #: autoop.cpp:358 msgid "Usage: DelChans [channel] ..." -msgstr "" +msgstr "Usa: DelChans [channel] ..." #: autoop.cpp:371 msgid "Channel(s) Removed from user {1}" -msgstr "" +msgstr "Canali rimossi dall'utente {1}" #: autoop.cpp:380 msgid "Usage: AddMasks ,[mask] ..." -msgstr "" +msgstr "Usa: AddMasks ,[mask] ..." #: autoop.cpp:392 msgid "Hostmasks(s) added to user {1}" -msgstr "" +msgstr "Hostmasks(s) Aggiunta all'utente {1}" #: autoop.cpp:401 msgid "Usage: DelMasks ,[mask] ..." -msgstr "" +msgstr "Usa: DelMasks ,[mask] ..." #: autoop.cpp:413 msgid "Removed user {1} with key {2} and channels {3}" -msgstr "" +msgstr "Utente rimosso {1} con chiave {2} e canali {3}" #: autoop.cpp:419 msgid "Hostmasks(s) Removed from user {1}" -msgstr "" +msgstr "Hostmasks(s) Rimossa dall'utente {1}" #: autoop.cpp:478 msgid "User {1} removed" -msgstr "" +msgstr "Rimosso l'utente {1}" #: autoop.cpp:484 msgid "That user already exists" -msgstr "" +msgstr "Questo utente esiste già" #: autoop.cpp:490 msgid "User {1} added with hostmask(s) {2}" -msgstr "" +msgstr "L'utente {1} viene aggiunto con la hostmask(s) {2}" #: autoop.cpp:532 msgid "" "[{1}] sent us a challenge but they are not opped in any defined channels." msgstr "" +"[{1}] ci ha inviato una sfida ma loro non sono appati in nessuno dei canali " +"definiti." #: autoop.cpp:536 msgid "[{1}] sent us a challenge but they do not match a defined user." msgstr "" +"[{1}] ci ha inviato una sfida ma loro non corrispondono a nessuno degli " +"utenti definiti." #: autoop.cpp:544 msgid "WARNING! [{1}] sent an invalid challenge." -msgstr "" +msgstr "AVVISO! [{1}] ha inviato una sfida non valida." #: autoop.cpp:560 msgid "[{1}] sent an unchallenged response. This could be due to lag." msgstr "" +"[{1}] ha inviato una risposta in contrastante. Questo potrebbe essere " +"dovuto ad un ritardo (lag)." #: autoop.cpp:577 msgid "" "WARNING! [{1}] sent a bad response. Please verify that you have their " "correct password." msgstr "" +"AVVISO! [{1}] inviato una brutta risposta. Per favore verifica di avere la " +"loro password corretta." #: autoop.cpp:586 msgid "WARNING! [{1}] sent a response but did not match any defined users." msgstr "" +"AVVISO! [{1}] ha inviato una risposta, ma non corrisponde ad alcun utente " +"definito." #: autoop.cpp:644 msgid "Auto op the good people" -msgstr "" +msgstr "Auto Op alle buone persone" diff --git a/modules/po/autoreply.it_IT.po b/modules/po/autoreply.it_IT.po index 965724c0..46191592 100644 --- a/modules/po/autoreply.it_IT.po +++ b/modules/po/autoreply.it_IT.po @@ -14,30 +14,32 @@ msgstr "" #: autoreply.cpp:25 msgid "" -msgstr "" +msgstr "" #: autoreply.cpp:25 msgid "Sets a new reply" -msgstr "" +msgstr "Imposta una nuova risposta" #: autoreply.cpp:27 msgid "Displays the current query reply" -msgstr "" +msgstr "Mostra l'attuale risposta alle query" #: autoreply.cpp:75 msgid "Current reply is: {1} ({2})" -msgstr "" +msgstr "La risposta attuale è: {1} ({2})" #: autoreply.cpp:81 msgid "New reply set to: {1} ({2})" -msgstr "" +msgstr "Nuova risposta impostata: {1} ({2})" #: autoreply.cpp:94 msgid "" "You might specify a reply text. It is used when automatically answering " "queries, if you are not connected to ZNC." msgstr "" +"Puoi specificare un testo di risposta. Viente utilizzato quando si risponde " +"automaticamente alle query se non si è connessi allo ZNC." #: autoreply.cpp:98 msgid "Reply to queries when you are away" -msgstr "" +msgstr "Risponde alle queries quando sei assente" diff --git a/src/po/znc.it_IT.po b/src/po/znc.it_IT.po index 3ea3caf4..020bcbdf 100644 --- a/src/po/znc.it_IT.po +++ b/src/po/znc.it_IT.po @@ -22,7 +22,7 @@ msgstr "Non sei loggato" #: webskins/_default_/tmpl/LoginBar.tmpl:3 msgid "Logout" -msgstr "Esci" +msgstr "Disconnettersi" #: webskins/_default_/tmpl/Menu.tmpl:4 msgid "Home" @@ -30,19 +30,19 @@ msgstr "Home" #: webskins/_default_/tmpl/Menu.tmpl:7 msgid "Global Modules" -msgstr "Moduli Globali" +msgstr "Moduli globali" #: webskins/_default_/tmpl/Menu.tmpl:20 msgid "User Modules" -msgstr "Moduli Utente" +msgstr "Moduli utente" #: webskins/_default_/tmpl/Menu.tmpl:35 msgid "Network Modules ({1})" -msgstr "" +msgstr "Moduli del Network ({1})" #: webskins/_default_/tmpl/index.tmpl:6 msgid "Welcome to ZNC's web interface!" -msgstr "" +msgstr "Benvenuti nell'interfaccia web dello ZNC's!" #: webskins/_default_/tmpl/index.tmpl:11 msgid "" @@ -61,11 +61,11 @@ msgstr "IPv6 non è abilitato" #: znc.cpp:1678 msgid "SSL is not enabled" -msgstr "SSL non è abilitato" +msgstr "SSL non è abilitata" #: znc.cpp:1686 msgid "Unable to locate pem file: {1}" -msgstr "" +msgstr "Impossibile localizzare il file pem: {1}" #: znc.cpp:1705 msgid "Invalid port" @@ -81,11 +81,11 @@ msgstr "" #: IRCNetwork.cpp:669 User.cpp:678 msgid "Welcome to ZNC" -msgstr "" +msgstr "Benvenuti nello ZNC" #: IRCNetwork.cpp:757 msgid "You are currently disconnected from IRC. Use 'connect' to reconnect." -msgstr "" +msgstr "Sei attualmente disconnesso da IRC. Usa 'connect' per riconnetterti." #: IRCNetwork.cpp:787 msgid "This network is being deleted or moved to another user." @@ -109,7 +109,7 @@ msgstr "" #: IRCSock.cpp:490 msgid "Error from server: {1}" -msgstr "" +msgstr "Errore dal server: {1}" #: IRCSock.cpp:692 msgid "ZNC seems to be connected to itself, disconnecting..." @@ -133,23 +133,24 @@ msgstr "" #: IRCSock.cpp:1038 msgid "You quit: {1}" -msgstr "" +msgstr "Il tuo quit: {1}" #: IRCSock.cpp:1244 msgid "Disconnected from IRC. Reconnecting..." -msgstr "Disconnesso da IRC. Riconnessione in corso..." +msgstr "Disconnesso da IRC. Riconnessione..." #: IRCSock.cpp:1275 msgid "Cannot connect to IRC ({1}). Retrying..." -msgstr "" +msgstr "Impossibile connettersi a IRC ({1}). Riprovo..." #: IRCSock.cpp:1278 msgid "Disconnected from IRC ({1}). Reconnecting..." -msgstr "" +msgstr "Disconnesso da IRC ({1}). Riconnessione..." #: IRCSock.cpp:1308 msgid "If you trust this certificate, do /znc AddTrustedServerFingerprint {1}" msgstr "" +"Se ti fidi di questo certificato, scrivi /znc AddTrustedServerFingerprint {1}" #: IRCSock.cpp:1325 msgid "IRC connection timed out. Reconnecting..." @@ -157,7 +158,7 @@ msgstr "" #: IRCSock.cpp:1337 msgid "Connection Refused. Reconnecting..." -msgstr "" +msgstr "Connessione rifiutata. Riconnessione..." #: IRCSock.cpp:1345 msgid "Received a too long line from the IRC server!" @@ -181,7 +182,7 @@ msgstr "" #: Client.cpp:394 msgid "Network {1} doesn't exist." -msgstr "" +msgstr "Il network {1} non esiste." #: Client.cpp:408 msgid "" @@ -194,6 +195,8 @@ msgid "" "Selecting network {1}. To see list of all configured networks, use /znc " "ListNetworks" msgstr "" +"Selezione del network {1}. Per visualizzare l'elenco di tutte le reti " +"configurate, scrivi /znc ListNetworks" #: Client.cpp:414 msgid "" @@ -221,11 +224,11 @@ msgstr "" #: Client.cpp:1015 msgid "Your CTCP to {1} got lost, you are not connected to IRC!" -msgstr "" +msgstr "Il tuo CTCP a {1} è andato perso, non sei connesso ad IRC!" #: Client.cpp:1142 msgid "Your notice to {1} got lost, you are not connected to IRC!" -msgstr "" +msgstr "Il tuo NOTICE a {1} è andato perso, non sei connesso ad IRC!" #: Client.cpp:1181 msgid "Removing channel {1}" @@ -233,15 +236,15 @@ msgstr "" #: Client.cpp:1257 msgid "Your message to {1} got lost, you are not connected to IRC!" -msgstr "" +msgstr "Il tuo messaggio a {1} è andato perso, non sei connesso ad IRC!" #: Client.cpp:1310 Client.cpp:1316 msgid "Hello. How may I help you?" -msgstr "" +msgstr "Ciao! Come posso aiutarti? Puoi iniziare a scrivere help" #: Client.cpp:1330 msgid "Usage: /attach <#chans>" -msgstr "" +msgstr "Usa: /attach <#canali>" #: Client.cpp:1337 Client.cpp:1359 ClientCommand.cpp:129 ClientCommand.cpp:151 msgid "There was {1} channel matching [{2}]" @@ -257,7 +260,7 @@ msgstr[1] "" #: Client.cpp:1352 msgid "Usage: /detach <#chans>" -msgstr "" +msgstr "Usa: /detach <#canali>" #: Client.cpp:1362 ClientCommand.cpp:154 msgid "Detached {1} channel" @@ -276,7 +279,7 @@ msgstr "" #: Modules.cpp:528 msgctxt "modhelpcmd" msgid "" -msgstr "" +msgstr "" #: Modules.cpp:529 msgctxt "modhelpcmd" @@ -285,11 +288,11 @@ msgstr "" #: Modules.cpp:573 ClientCommand.cpp:1904 msgid "No matches for '{1}'" -msgstr "" +msgstr "Nessuna corrispondenza per '{1}'" #: Modules.cpp:691 msgid "This module doesn't implement any commands." -msgstr "" +msgstr "Questo modulo non implementa nessun comando." #: Modules.cpp:693 msgid "Unknown command!" @@ -303,7 +306,7 @@ msgstr "" #: Modules.cpp:1652 msgid "Module {1} already loaded." -msgstr "Modulo {1} già caricato." +msgstr "Il modulo {1} è già stato caricato." #: Modules.cpp:1666 msgid "Unable to find module {1}" @@ -315,11 +318,11 @@ msgstr "" #: Modules.cpp:1685 msgid "Module {1} requires a user." -msgstr "" +msgstr "Il modulo {1} richiede un utente." #: Modules.cpp:1691 msgid "Module {1} requires a network." -msgstr "" +msgstr "Il modulo {1} richiede un network." #: Modules.cpp:1707 msgid "Caught an exception" @@ -327,15 +330,15 @@ msgstr "" #: Modules.cpp:1713 msgid "Module {1} aborted: {2}" -msgstr "" +msgstr "Modulo {1} interrotto: {2}" #: Modules.cpp:1715 msgid "Module {1} aborted." -msgstr "" +msgstr "Modulo {1} interrotto." #: Modules.cpp:1739 Modules.cpp:1781 msgid "Module [{1}] not loaded." -msgstr "" +msgstr "Modulo [{1}] non caricato." #: Modules.cpp:1763 msgid "Module {1} unloaded." @@ -343,7 +346,7 @@ msgstr "" #: Modules.cpp:1768 msgid "Unable to unload module {1}." -msgstr "" +msgstr "Impossibile scaricare il modulo {1}." #: Modules.cpp:1797 msgid "Reloaded module {1}." @@ -351,19 +354,19 @@ msgstr "" #: Modules.cpp:1816 msgid "Unable to find module {1}." -msgstr "" +msgstr "Impossibile trovare il modulo {1}." #: Modules.cpp:1963 msgid "Unknown error" -msgstr "" +msgstr "Errore sconosciuto" #: Modules.cpp:1964 msgid "Unable to open module {1}: {2}" -msgstr "" +msgstr "Impossibile aprire il modulo {1}: {2}" #: Modules.cpp:1973 msgid "Could not find ZNCModuleEntry in module {1}" -msgstr "" +msgstr "Impossibile trovare ZNCModuleEntry nel modulo {1}" #: Modules.cpp:1981 msgid "" @@ -376,6 +379,8 @@ msgid "" "Module {1} is built incompatibly: core is '{2}', module is '{3}'. Recompile " "this module." msgstr "" +"Modulo {1} è costruito in modo incompatibile: il nucleo è '{2}', modulo è " +"'{3}'. Ricompilare questo modulo." #: Modules.cpp:2023 Modules.cpp:2029 msgctxt "modhelpcmd" @@ -394,15 +399,15 @@ msgstr "Descrizione" #: ClientCommand.cpp:1409 ClientCommand.cpp:1420 ClientCommand.cpp:1429 #: ClientCommand.cpp:1441 msgid "You must be connected with a network to use this command" -msgstr "" +msgstr "Devi essere connesso ad un network per usare questo comando" #: ClientCommand.cpp:58 msgid "Usage: ListNicks <#chan>" -msgstr "" +msgstr "Usa: ListNicks <#canale>" #: ClientCommand.cpp:65 msgid "You are not on [{1}]" -msgstr "" +msgstr "Non sei su [{1}]" #: ClientCommand.cpp:70 msgid "You are not on [{1}] (trying)" @@ -410,7 +415,7 @@ msgstr "" #: ClientCommand.cpp:79 msgid "No nicks on [{1}]" -msgstr "" +msgstr "Nessun nick su [{1}]" #: ClientCommand.cpp:91 ClientCommand.cpp:106 msgid "Nick" @@ -426,11 +431,11 @@ msgstr "Host" #: ClientCommand.cpp:122 msgid "Usage: Attach <#chans>" -msgstr "" +msgstr "Usa: Attach <#canali>" #: ClientCommand.cpp:144 msgid "Usage: Detach <#chans>" -msgstr "" +msgstr "Usa: Detach <#canali>" #: ClientCommand.cpp:161 msgid "There is no MOTD set." @@ -442,31 +447,31 @@ msgstr "" #: ClientCommand.cpp:169 msgid "Rehashing failed: {1}" -msgstr "" +msgstr "Rehashing fallito: {1}" #: ClientCommand.cpp:173 msgid "Wrote config to {1}" -msgstr "" +msgstr "Scritto config a {1}" #: ClientCommand.cpp:175 msgid "Error while trying to write config." -msgstr "" +msgstr "Errore durante il tentativo di scrivere la configurazione." #: ClientCommand.cpp:455 msgid "Usage: ListChans" -msgstr "" +msgstr "Usa: ListChans" #: ClientCommand.cpp:462 msgid "No such user [{1}]" -msgstr "" +msgstr "Nessun utente [{1}]" #: ClientCommand.cpp:468 msgid "User [{1}] doesn't have network [{2}]" -msgstr "" +msgstr "L'utente [{1}] non ha network [{2}]" #: ClientCommand.cpp:479 msgid "There are no channels defined." -msgstr "" +msgstr "Non ci sono canali definiti." #: ClientCommand.cpp:484 ClientCommand.cpp:500 msgctxt "listchans" @@ -506,7 +511,7 @@ msgstr "Utenti" #: ClientCommand.cpp:505 msgctxt "listchans" msgid "Detached" -msgstr "" +msgstr "Distaccati" #: ClientCommand.cpp:506 msgctxt "listchans" @@ -516,7 +521,7 @@ msgstr "" #: ClientCommand.cpp:507 msgctxt "listchans" msgid "Disabled" -msgstr "" +msgstr "Disabilitati" #: ClientCommand.cpp:508 msgctxt "listchans" @@ -526,25 +531,27 @@ msgstr "" #: ClientCommand.cpp:511 ClientCommand.cpp:519 msgctxt "listchans" msgid "yes" -msgstr "" +msgstr "si" #: ClientCommand.cpp:536 msgid "Total: {1}, Joined: {2}, Detached: {3}, Disabled: {4}" -msgstr "" +msgstr "Totale: {1}, Joined: {2}, Detached: {3}, Disabled: {4}" #: ClientCommand.cpp:541 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks using /znc DelNetwork " msgstr "" +"Numero limite per network raggiunto. Chiedi ad un amministratore di " +"aumentare il limite per te o elimina i networks usando /znc DelNetwork " #: ClientCommand.cpp:550 msgid "Usage: AddNetwork " -msgstr "" +msgstr "Usa: AddNetwork " #: ClientCommand.cpp:554 msgid "Network name should be alphanumeric" -msgstr "" +msgstr "Il nome del network deve essere alfanumerico" #: ClientCommand.cpp:561 msgid "" @@ -554,19 +561,19 @@ msgstr "" #: ClientCommand.cpp:566 msgid "Unable to add that network" -msgstr "" +msgstr "Impossibile aggiungerge questo network" #: ClientCommand.cpp:573 msgid "Usage: DelNetwork " -msgstr "" +msgstr "Usa: DelNetwork " #: ClientCommand.cpp:582 msgid "Network deleted" -msgstr "" +msgstr "Network cancellato" #: ClientCommand.cpp:585 msgid "Failed to delete network, perhaps this network doesn't exist" -msgstr "" +msgstr "Impossibile eliminare il network, forse questo network non esiste" #: ClientCommand.cpp:595 msgid "User {1} not found" @@ -600,7 +607,7 @@ msgstr "Canali" #: ClientCommand.cpp:614 msgctxt "listnetworks" msgid "Yes" -msgstr "Sì" +msgstr "Si" #: ClientCommand.cpp:623 msgctxt "listnetworks" @@ -610,7 +617,7 @@ msgstr "No" #: ClientCommand.cpp:628 msgctxt "listnetworks" msgid "No networks" -msgstr "Nessuna rete" +msgstr "Nessun networks" #: ClientCommand.cpp:632 ClientCommand.cpp:936 msgid "Access denied." @@ -622,15 +629,15 @@ msgstr "" #: ClientCommand.cpp:653 msgid "Old user {1} not found." -msgstr "" +msgstr "Vecchio utente {1} non trovato." #: ClientCommand.cpp:659 msgid "Old network {1} not found." -msgstr "" +msgstr "Vecchio network {1} non trovato." #: ClientCommand.cpp:665 msgid "New user {1} not found." -msgstr "" +msgstr "Nuovo utente {1} non trovato." #: ClientCommand.cpp:670 msgid "User {1} already has network {2}." @@ -638,7 +645,7 @@ msgstr "" #: ClientCommand.cpp:676 msgid "Invalid network name [{1}]" -msgstr "" +msgstr "Nome del network [{1}] non valido" #: ClientCommand.cpp:692 msgid "Some files seem to be in {1}. You might want to move them to {2}" @@ -646,7 +653,7 @@ msgstr "" #: ClientCommand.cpp:706 msgid "Error adding network: {1}" -msgstr "" +msgstr "Errore durante l'aggiunta del network: {1}" #: ClientCommand.cpp:718 msgid "Success." @@ -658,11 +665,11 @@ msgstr "" #: ClientCommand.cpp:728 msgid "No network supplied." -msgstr "" +msgstr "Nessun network fornito." #: ClientCommand.cpp:733 msgid "You are already connected with this network." -msgstr "" +msgstr "Sei già connesso con questo network." #: ClientCommand.cpp:739 msgid "Switched to {1}" @@ -670,15 +677,15 @@ msgstr "" #: ClientCommand.cpp:742 msgid "You don't have a network named {1}" -msgstr "" +msgstr "Non hai un network chiamato {1}" #: ClientCommand.cpp:754 msgid "Usage: AddServer [[+]port] [pass]" -msgstr "" +msgstr "Usa: AddServer [[+]porta] [password]" #: ClientCommand.cpp:759 msgid "Server added" -msgstr "" +msgstr "Server aggiunto" #: ClientCommand.cpp:762 msgid "" @@ -688,19 +695,19 @@ msgstr "" #: ClientCommand.cpp:777 msgid "Usage: DelServer [port] [pass]" -msgstr "" +msgstr "Usa: DelServer [porta] [password]" #: ClientCommand.cpp:782 ClientCommand.cpp:822 msgid "You don't have any servers added." -msgstr "" +msgstr "Non hai nessun server aggiunto." #: ClientCommand.cpp:787 msgid "Server removed" -msgstr "" +msgstr "Server rimosso" #: ClientCommand.cpp:789 msgid "No such server" -msgstr "" +msgstr "Nessun server" #: ClientCommand.cpp:802 ClientCommand.cpp:809 msgctxt "listservers" @@ -729,7 +736,7 @@ msgstr "SSL" #: ClientCommand.cpp:832 msgid "Usage: AddTrustedServerFingerprint " -msgstr "" +msgstr "Usa: AddTrustedServerFingerprint " #: ClientCommand.cpp:836 ClientCommand.cpp:849 msgid "Done." @@ -737,11 +744,11 @@ msgstr "Fatto." #: ClientCommand.cpp:845 msgid "Usage: DelTrustedServerFingerprint " -msgstr "" +msgstr "Usa: DelTrustedServerFingerprint " #: ClientCommand.cpp:858 msgid "No fingerprints added." -msgstr "Nessuna impronta digitale registrata." +msgstr "Nessun fingerprints aggiunto." #: ClientCommand.cpp:874 ClientCommand.cpp:880 msgctxt "topicscmd" @@ -766,15 +773,15 @@ msgstr "Nome" #: ClientCommand.cpp:890 ClientCommand.cpp:895 msgctxt "listmods" msgid "Arguments" -msgstr "Parametri" +msgstr "Argomenti" #: ClientCommand.cpp:904 msgid "No global modules loaded." -msgstr "" +msgstr "Nessun modulo globale caricato." #: ClientCommand.cpp:906 ClientCommand.cpp:970 msgid "Global modules:" -msgstr "Moduli Globali:" +msgstr "Moduli globali:" #: ClientCommand.cpp:915 msgid "Your user has no modules loaded." @@ -782,41 +789,41 @@ msgstr "" #: ClientCommand.cpp:917 ClientCommand.cpp:982 msgid "User modules:" -msgstr "Moduli Utente:" +msgstr "Moduli per l'utente:" #: ClientCommand.cpp:925 msgid "This network has no modules loaded." -msgstr "" +msgstr "Questo network non ha moduli caricati." #: ClientCommand.cpp:927 ClientCommand.cpp:994 msgid "Network modules:" -msgstr "" +msgstr "Moduli per il network:" #: ClientCommand.cpp:942 ClientCommand.cpp:949 msgctxt "listavailmods" msgid "Name" -msgstr "" +msgstr "Nome" #: ClientCommand.cpp:943 ClientCommand.cpp:954 msgctxt "listavailmods" msgid "Description" -msgstr "" +msgstr "Descrizione" #: ClientCommand.cpp:968 msgid "No global modules available." -msgstr "" +msgstr "Nessun modulo globale disponibile." #: ClientCommand.cpp:980 msgid "No user modules available." -msgstr "" +msgstr "Nessun modulo utente disponibile." #: ClientCommand.cpp:992 msgid "No network modules available." -msgstr "" +msgstr "Nessun modulo per network disponibile." #: ClientCommand.cpp:1020 msgid "Unable to load {1}: Access denied." -msgstr "" +msgstr "Impossibile caricare {1}: Accesso negato." #: ClientCommand.cpp:1026 msgid "Usage: LoadMod [--type=global|user|network] [args]" @@ -824,11 +831,11 @@ msgstr "" #: ClientCommand.cpp:1033 msgid "Unable to load {1}: {2}" -msgstr "" +msgstr "Impossibile caricare {1}: {2}" #: ClientCommand.cpp:1043 msgid "Unable to load global module {1}: Access denied." -msgstr "" +msgstr "Impossibile caricare il modulo globale {1}: Accesso negato." #: ClientCommand.cpp:1049 msgid "Unable to load network module {1}: Not connected with a network." @@ -836,31 +843,31 @@ msgstr "" #: ClientCommand.cpp:1071 msgid "Unknown module type" -msgstr "" +msgstr "Tipo di modulo sconosciuto" #: ClientCommand.cpp:1076 msgid "Loaded module {1}" -msgstr "" +msgstr "Modulo caricato {1}" #: ClientCommand.cpp:1078 msgid "Loaded module {1}: {2}" -msgstr "" +msgstr "Modulo caricato {1}: {2}" #: ClientCommand.cpp:1081 msgid "Unable to load module {1}: {2}" -msgstr "" +msgstr "Impossibile caricare il modulo {1}: {2}" #: ClientCommand.cpp:1104 msgid "Unable to unload {1}: Access denied." -msgstr "" +msgstr "Impossibile scaricare {1}: Accesso negato." #: ClientCommand.cpp:1110 msgid "Usage: UnloadMod [--type=global|user|network] " -msgstr "" +msgstr "Usa: UnloadMod [--type=global|user|network] " #: ClientCommand.cpp:1119 msgid "Unable to determine type of {1}: {2}" -msgstr "" +msgstr "Impossibile determinare tipo di {1}: {2}" #: ClientCommand.cpp:1127 msgid "Unable to unload global module {1}: Access denied." @@ -876,7 +883,7 @@ msgstr "" #: ClientCommand.cpp:1166 msgid "Unable to reload modules. Access denied." -msgstr "" +msgstr "Impossibile ricaricare i moduli. Accesso negato." #: ClientCommand.cpp:1187 msgid "Usage: ReloadMod [--type=global|user|network] [args]" @@ -884,7 +891,7 @@ msgstr "" #: ClientCommand.cpp:1196 msgid "Unable to reload {1}: {2}" -msgstr "" +msgstr "Impossibile ricaricare {1}: {2}" #: ClientCommand.cpp:1204 msgid "Unable to reload global module {1}: Access denied." @@ -900,11 +907,11 @@ msgstr "" #: ClientCommand.cpp:1244 msgid "Usage: UpdateMod " -msgstr "" +msgstr "Usa: UpdateMod " #: ClientCommand.cpp:1248 msgid "Reloading {1} everywhere" -msgstr "" +msgstr "Ricarica {1} ovunque" #: ClientCommand.cpp:1250 msgid "Done" @@ -923,11 +930,11 @@ msgstr "" #: ClientCommand.cpp:1268 msgid "Usage: SetBindHost " -msgstr "" +msgstr "Usa: SetBindHost " #: ClientCommand.cpp:1273 ClientCommand.cpp:1290 msgid "You already have this bind host!" -msgstr "" +msgstr "Hai già questo bind host!" #: ClientCommand.cpp:1278 msgid "Set bind host for network {1} to {2}" @@ -935,11 +942,11 @@ msgstr "" #: ClientCommand.cpp:1285 msgid "Usage: SetUserBindHost " -msgstr "" +msgstr "Usa: SetUserBindHost " #: ClientCommand.cpp:1295 msgid "Set default bind host to {1}" -msgstr "" +msgstr "Imposta il bind host di default a {1}" #: ClientCommand.cpp:1301 msgid "" @@ -949,11 +956,11 @@ msgstr "" #: ClientCommand.cpp:1306 msgid "Bind host cleared for this network." -msgstr "" +msgstr "Bind host cancellato per questo network." #: ClientCommand.cpp:1310 msgid "Default bind host cleared for your user." -msgstr "" +msgstr "Bind host di default cancellato per questo utente." #: ClientCommand.cpp:1313 msgid "This user's default bind host not set" @@ -965,7 +972,7 @@ msgstr "" #: ClientCommand.cpp:1320 msgid "This network's bind host not set" -msgstr "" +msgstr "Il bind host di questo network non è impostato" #: ClientCommand.cpp:1322 msgid "This network's default bind host is {1}" @@ -973,31 +980,31 @@ msgstr "" #: ClientCommand.cpp:1336 msgid "Usage: PlayBuffer <#chan|query>" -msgstr "" +msgstr "Usa: PlayBuffer <#canale|query>" #: ClientCommand.cpp:1344 msgid "You are not on {1}" -msgstr "" +msgstr "Non sei su {1}" #: ClientCommand.cpp:1349 msgid "You are not on {1} (trying to join)" -msgstr "" +msgstr "Non sei su {1} (prova ad entrare)" #: ClientCommand.cpp:1354 msgid "The buffer for channel {1} is empty" -msgstr "" +msgstr "Il buffer del canale {1} è vuoto" #: ClientCommand.cpp:1363 msgid "No active query with {1}" -msgstr "" +msgstr "Nessuna query attiva per {1}" #: ClientCommand.cpp:1368 msgid "The buffer for {1} is empty" -msgstr "" +msgstr "Il buffer per {1} è vuoto" #: ClientCommand.cpp:1384 msgid "Usage: ClearBuffer <#chan|query>" -msgstr "" +msgstr "Usa: ClearBuffer <#canale|query>" #: ClientCommand.cpp:1403 msgid "{1} buffer matching {2} has been cleared" @@ -1007,15 +1014,15 @@ msgstr[1] "" #: ClientCommand.cpp:1416 msgid "All channel buffers have been cleared" -msgstr "" +msgstr "I buffers di tutti i canali sono stati cancellati" #: ClientCommand.cpp:1425 msgid "All query buffers have been cleared" -msgstr "" +msgstr "I buffers di tutte le query sono state cancellate" #: ClientCommand.cpp:1437 msgid "All buffers have been cleared" -msgstr "" +msgstr "Tutti i buffers sono stati cancellati" #: ClientCommand.cpp:1448 msgid "Usage: SetBuffer <#chan|query> [linecount]" @@ -1049,13 +1056,13 @@ msgstr "Nome Utente" #: ClientCommand.cpp:1516 ClientCommand.cpp:1524 msgctxt "trafficcmd" msgid "In" -msgstr "In" +msgstr "Dentro (In)" #: ClientCommand.cpp:1489 ClientCommand.cpp:1497 ClientCommand.cpp:1508 #: ClientCommand.cpp:1517 ClientCommand.cpp:1525 msgctxt "trafficcmd" msgid "Out" -msgstr "Out" +msgstr "Fuori (Out)" #: ClientCommand.cpp:1490 ClientCommand.cpp:1500 ClientCommand.cpp:1510 #: ClientCommand.cpp:1518 ClientCommand.cpp:1527 @@ -1066,7 +1073,7 @@ msgstr "Totale" #: ClientCommand.cpp:1506 msgctxt "trafficcmd" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1515 msgctxt "trafficcmd" @@ -1076,7 +1083,7 @@ msgstr "" #: ClientCommand.cpp:1523 msgctxt "trafficcmd" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1532 msgid "Running for {1}" @@ -1084,7 +1091,7 @@ msgstr "" #: ClientCommand.cpp:1538 msgid "Unknown command, try 'Help'" -msgstr "" +msgstr "Comando sconosciuto, prova 'Help'" #: ClientCommand.cpp:1547 ClientCommand.cpp:1558 msgctxt "listports" @@ -1119,7 +1126,7 @@ msgstr "Web" #: ClientCommand.cpp:1563 msgctxt "listports|ssl" msgid "yes" -msgstr "" +msgstr "si" #: ClientCommand.cpp:1564 msgctxt "listports|ssl" @@ -1129,7 +1136,7 @@ msgstr "" #: ClientCommand.cpp:1568 msgctxt "listports" msgid "IPv4 and IPv6" -msgstr "" +msgstr "IPv4 e IPv6" #: ClientCommand.cpp:1570 msgctxt "listports" @@ -1144,7 +1151,7 @@ msgstr "" #: ClientCommand.cpp:1577 msgctxt "listports|irc" msgid "yes" -msgstr "" +msgstr "si" #: ClientCommand.cpp:1578 msgctxt "listports|irc" @@ -1154,7 +1161,7 @@ msgstr "" #: ClientCommand.cpp:1582 msgctxt "listports|irc" msgid "yes, on {1}" -msgstr "" +msgstr "si, su {1}" #: ClientCommand.cpp:1584 msgctxt "listports|web" @@ -1165,6 +1172,7 @@ msgstr "" msgid "" "Usage: AddPort <[+]port> [bindhost [uriprefix]]" msgstr "" +"Usa: AddPort <[+]porta> [bindhost [uriprefix]]" #: ClientCommand.cpp:1640 msgid "Port added" @@ -1176,15 +1184,15 @@ msgstr "Impossibile aggiungere la porta" #: ClientCommand.cpp:1648 msgid "Usage: DelPort [bindhost]" -msgstr "" +msgstr "Usa: DelPort [bindhost]" #: ClientCommand.cpp:1657 msgid "Deleted Port" -msgstr "" +msgstr "Porta eliminata" #: ClientCommand.cpp:1659 msgid "Unable to find a matching port" -msgstr "" +msgstr "Impossibile trovare una porta corrispondente" #: ClientCommand.cpp:1667 ClientCommand.cpp:1682 msgctxt "helpcmd" @@ -1201,51 +1209,53 @@ msgid "" "In the following list all occurrences of <#chan> support wildcards (* and ?) " "except ListNicks" msgstr "" +"Nella seguente lista tutte le occorrenze di <#canale> supportano le " +"wildcards (* e ?) eccetto ListNicks" #: ClientCommand.cpp:1690 msgctxt "helpcmd|Version|desc" msgid "Print which version of ZNC this is" -msgstr "" +msgstr "Mostra la versione di questo ZNC" #: ClientCommand.cpp:1693 msgctxt "helpcmd|ListMods|desc" msgid "List all loaded modules" -msgstr "" +msgstr "Elenca tutti i moduli caricati" #: ClientCommand.cpp:1696 msgctxt "helpcmd|ListAvailMods|desc" msgid "List all available modules" -msgstr "" +msgstr "Elenca tutti i moduli disponibili" #: ClientCommand.cpp:1700 ClientCommand.cpp:1886 msgctxt "helpcmd|ListChans|desc" msgid "List all channels" -msgstr "" +msgstr "Elenca tutti i canali" #: ClientCommand.cpp:1703 msgctxt "helpcmd|ListNicks|args" msgid "<#chan>" -msgstr "" +msgstr "<#canale>" #: ClientCommand.cpp:1704 msgctxt "helpcmd|ListNicks|desc" msgid "List all nicks on a channel" -msgstr "" +msgstr "Elenca tutti i nickname su un canale" #: ClientCommand.cpp:1707 msgctxt "helpcmd|ListClients|desc" msgid "List all clients connected to your ZNC user" -msgstr "" +msgstr "Elenca tutti i client connessi al tuo utente ZNC" #: ClientCommand.cpp:1711 msgctxt "helpcmd|ListServers|desc" msgid "List all servers of current IRC network" -msgstr "" +msgstr "Elenca tutti i servers del network IRC corrente" #: ClientCommand.cpp:1715 msgctxt "helpcmd|AddNetwork|args" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1716 msgctxt "helpcmd|AddNetwork|desc" @@ -1255,27 +1265,27 @@ msgstr "Aggiungi un network al tuo account" #: ClientCommand.cpp:1718 msgctxt "helpcmd|DelNetwork|args" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1719 msgctxt "helpcmd|DelNetwork|desc" msgid "Delete a network from your user" -msgstr "" +msgstr "Elimina un network dal tuo utente" #: ClientCommand.cpp:1721 msgctxt "helpcmd|ListNetworks|desc" msgid "List all networks" -msgstr "Mostra tutte le reti" +msgstr "Elenca tutti i networks" #: ClientCommand.cpp:1724 msgctxt "helpcmd|MoveNetwork|args" msgid " [new network]" -msgstr "" +msgstr " [nuovo network]" #: ClientCommand.cpp:1726 msgctxt "helpcmd|MoveNetwork|desc" msgid "Move an IRC network from one user to another" -msgstr "" +msgstr "Sposta un network IRC da un utente ad un altro" #: ClientCommand.cpp:1730 msgctxt "helpcmd|JumpNetwork|args" @@ -1288,22 +1298,26 @@ msgid "" "Jump to another network (Alternatively, you can connect to ZNC several " "times, using `user/network` as username)" msgstr "" +"Passa ad un altro network (Alternativamente, puoi connetterti più volte allo " +"ZNC, usando `user/network` come username)" #: ClientCommand.cpp:1736 msgctxt "helpcmd|AddServer|args" msgid " [[+]port] [pass]" -msgstr "" +msgstr " [[+]porta] [password]" #: ClientCommand.cpp:1737 msgctxt "helpcmd|AddServer|desc" msgid "" "Add a server to the list of alternate/backup servers of current IRC network." msgstr "" +"Aggiunge un server all'elenco server alternativi/backup del network IRC " +"corrente." #: ClientCommand.cpp:1741 msgctxt "helpcmd|DelServer|args" msgid " [port] [pass]" -msgstr "" +msgstr " [porta] [password]" #: ClientCommand.cpp:1742 msgctxt "helpcmd|DelServer|desc" @@ -1311,6 +1325,8 @@ msgid "" "Remove a server from the list of alternate/backup servers of current IRC " "network" msgstr "" +"Rimuove un server all'elenco server alternativi/backup dell'IRC network " +"corrente" #: ClientCommand.cpp:1748 msgctxt "helpcmd|AddTrustedServerFingerprint|args" @@ -1338,21 +1354,22 @@ msgstr "" msgctxt "helpcmd|ListTrustedServerFingerprints|desc" msgid "List all trusted server SSL certificates of current IRC network." msgstr "" +"Elenca tutti i certificati SSL fidati del server per il corrente network IRC." #: ClientCommand.cpp:1762 msgctxt "helpcmd|EnableChan|args" msgid "<#chans>" -msgstr "" +msgstr "<#canali>" #: ClientCommand.cpp:1763 msgctxt "helpcmd|EnableChan|desc" msgid "Enable channels" -msgstr "Abilita i canali" +msgstr "Abilita canali" #: ClientCommand.cpp:1764 msgctxt "helpcmd|DisableChan|args" msgid "<#chans>" -msgstr "" +msgstr "<#canali>" #: ClientCommand.cpp:1765 msgctxt "helpcmd|DisableChan|desc" @@ -1362,17 +1379,17 @@ msgstr "Disabilita canali" #: ClientCommand.cpp:1766 msgctxt "helpcmd|Attach|args" msgid "<#chans>" -msgstr "" +msgstr "<#canali>" #: ClientCommand.cpp:1767 msgctxt "helpcmd|Attach|desc" msgid "Attach to channels" -msgstr "" +msgstr "Ricollega ai canali (attach)" #: ClientCommand.cpp:1768 msgctxt "helpcmd|Detach|args" msgid "<#chans>" -msgstr "" +msgstr "<#canali>" #: ClientCommand.cpp:1769 msgctxt "helpcmd|Detach|desc" @@ -1382,87 +1399,87 @@ msgstr "" #: ClientCommand.cpp:1772 msgctxt "helpcmd|Topics|desc" msgid "Show topics in all your channels" -msgstr "" +msgstr "Mostra i topics di tutti i tuoi canali" #: ClientCommand.cpp:1775 msgctxt "helpcmd|PlayBuffer|args" msgid "<#chan|query>" -msgstr "" +msgstr "<#canale|query>" #: ClientCommand.cpp:1776 msgctxt "helpcmd|PlayBuffer|desc" msgid "Play back the specified buffer" -msgstr "" +msgstr "Riproduce il buffer specificato" #: ClientCommand.cpp:1778 msgctxt "helpcmd|ClearBuffer|args" msgid "<#chan|query>" -msgstr "" +msgstr "<#canale|query>" #: ClientCommand.cpp:1779 msgctxt "helpcmd|ClearBuffer|desc" msgid "Clear the specified buffer" -msgstr "" +msgstr "Cancella il buffer specificato" #: ClientCommand.cpp:1781 msgctxt "helpcmd|ClearAllBuffers|desc" msgid "Clear all channel and query buffers" -msgstr "" +msgstr "Cancella il buffers da tutti i canali e tute le query" #: ClientCommand.cpp:1784 msgctxt "helpcmd|ClearAllChannelBuffers|desc" msgid "Clear the channel buffers" -msgstr "" +msgstr "Cancella il buffer del canale" #: ClientCommand.cpp:1788 msgctxt "helpcmd|ClearAllQueryBuffers|desc" msgid "Clear the query buffers" -msgstr "" +msgstr "Cancella il buffer della query" #: ClientCommand.cpp:1790 msgctxt "helpcmd|SetBuffer|args" msgid "<#chan|query> [linecount]" -msgstr "" +msgstr "<#canale|query> [linecount]" #: ClientCommand.cpp:1791 msgctxt "helpcmd|SetBuffer|desc" msgid "Set the buffer count" -msgstr "" +msgstr "Imposta il conteggio del buffer" #: ClientCommand.cpp:1795 msgctxt "helpcmd|SetBindHost|args" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1796 msgctxt "helpcmd|SetBindHost|desc" msgid "Set the bind host for this network" -msgstr "" +msgstr "Imposta il bind host per questo network" #: ClientCommand.cpp:1800 msgctxt "helpcmd|SetUserBindHost|args" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1801 msgctxt "helpcmd|SetUserBindHost|desc" msgid "Set the default bind host for this user" -msgstr "" +msgstr "Imposta il bind host di default per questo utente" #: ClientCommand.cpp:1804 msgctxt "helpcmd|ClearBindHost|desc" msgid "Clear the bind host for this network" -msgstr "" +msgstr "Cancella il bind host per questo network" #: ClientCommand.cpp:1807 msgctxt "helpcmd|ClearUserBindHost|desc" msgid "Clear the default bind host for this user" -msgstr "" +msgstr "Cancella il bind host di default per questo utente" #: ClientCommand.cpp:1813 msgctxt "helpcmd|ShowBindHost|desc" msgid "Show currently selected bind host" -msgstr "" +msgstr "Mostra il bind host attualmente selezionato" #: ClientCommand.cpp:1815 msgctxt "helpcmd|Jump|args" @@ -1477,7 +1494,7 @@ msgstr "" #: ClientCommand.cpp:1817 msgctxt "helpcmd|Disconnect|args" msgid "[message]" -msgstr "" +msgstr "[messaggio]" #: ClientCommand.cpp:1818 msgctxt "helpcmd|Disconnect|desc" @@ -1487,17 +1504,17 @@ msgstr "Disconnetti da IRC" #: ClientCommand.cpp:1820 msgctxt "helpcmd|Connect|desc" msgid "Reconnect to IRC" -msgstr "Riconnetti a IRC" +msgstr "Riconnette ad IRC" #: ClientCommand.cpp:1823 msgctxt "helpcmd|Uptime|desc" msgid "Show for how long ZNC has been running" -msgstr "" +msgstr "Mostra da quanto tempo lo ZNC è in esecuzione" #: ClientCommand.cpp:1827 msgctxt "helpcmd|LoadMod|args" msgid "[--type=global|user|network] " -msgstr "" +msgstr "[--type=global|user|network] " #: ClientCommand.cpp:1829 msgctxt "helpcmd|LoadMod|desc" @@ -1507,17 +1524,17 @@ msgstr "Carica un modulo" #: ClientCommand.cpp:1831 msgctxt "helpcmd|UnloadMod|args" msgid "[--type=global|user|network] " -msgstr "" +msgstr "[--type=global|user|network] " #: ClientCommand.cpp:1833 msgctxt "helpcmd|UnloadMod|desc" msgid "Unload a module" -msgstr "" +msgstr "Scarica un modulo" #: ClientCommand.cpp:1835 msgctxt "helpcmd|ReloadMod|args" msgid "[--type=global|user|network] " -msgstr "" +msgstr "[--type=global|user|network] " #: ClientCommand.cpp:1837 msgctxt "helpcmd|ReloadMod|desc" @@ -1527,52 +1544,52 @@ msgstr "Ricarica un modulo" #: ClientCommand.cpp:1840 msgctxt "helpcmd|UpdateMod|args" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1841 msgctxt "helpcmd|UpdateMod|desc" msgid "Reload a module everywhere" -msgstr "" +msgstr "Ricarica un modulo ovunque" #: ClientCommand.cpp:1847 msgctxt "helpcmd|ShowMOTD|desc" msgid "Show ZNC's message of the day" -msgstr "" +msgstr "Mostra il messaggio del giorno dello ZNC's" #: ClientCommand.cpp:1851 msgctxt "helpcmd|SetMOTD|args" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1852 msgctxt "helpcmd|SetMOTD|desc" msgid "Set ZNC's message of the day" -msgstr "" +msgstr "Imposta il messaggio del giorno dello ZNC's" #: ClientCommand.cpp:1854 msgctxt "helpcmd|AddMOTD|args" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1855 msgctxt "helpcmd|AddMOTD|desc" msgid "Append to ZNC's MOTD" -msgstr "" +msgstr "Aggiungi al MOTD dello ZNC's" #: ClientCommand.cpp:1857 msgctxt "helpcmd|ClearMOTD|desc" msgid "Clear ZNC's MOTD" -msgstr "" +msgstr "Cancella il MOTD dello ZNC's" #: ClientCommand.cpp:1860 msgctxt "helpcmd|ListPorts|desc" msgid "Show all active listeners" -msgstr "" +msgstr "Mostra tutti gli ascoltatori attivi" #: ClientCommand.cpp:1862 msgctxt "helpcmd|AddPort|args" msgid "<[+]port> [bindhost [uriprefix]]" -msgstr "" +msgstr "<[+]porta> [bindhost [uriprefix]]" #: ClientCommand.cpp:1865 msgctxt "helpcmd|AddPort|desc" @@ -1582,12 +1599,12 @@ msgstr "" #: ClientCommand.cpp:1869 msgctxt "helpcmd|DelPort|args" msgid " [bindhost]" -msgstr "" +msgstr " [bindhost]" #: ClientCommand.cpp:1870 msgctxt "helpcmd|DelPort|desc" msgid "Remove a port from ZNC" -msgstr "" +msgstr "Rimuove una porta dallo ZNC" #: ClientCommand.cpp:1873 msgctxt "helpcmd|Rehash|desc" @@ -1597,17 +1614,17 @@ msgstr "" #: ClientCommand.cpp:1876 msgctxt "helpcmd|SaveConfig|desc" msgid "Save the current settings to disk" -msgstr "" +msgstr "Salve le impostazioni correnti sul disco" #: ClientCommand.cpp:1879 msgctxt "helpcmd|ListUsers|desc" msgid "List all ZNC users and their connection status" -msgstr "" +msgstr "Elenca tutti gli utenti dello ZNC e lo stato della loro connessione" #: ClientCommand.cpp:1882 msgctxt "helpcmd|ListAllUserNetworks|desc" msgid "List all ZNC users and their networks" -msgstr "" +msgstr "Elenca tutti gli utenti dello ZNC ed i loro networks" #: ClientCommand.cpp:1885 msgctxt "helpcmd|ListChans|args" @@ -1617,12 +1634,12 @@ msgstr "" #: ClientCommand.cpp:1888 msgctxt "helpcmd|ListClients|args" msgid "[user]" -msgstr "" +msgstr "[utente]" #: ClientCommand.cpp:1889 msgctxt "helpcmd|ListClients|desc" msgid "List all connected clients" -msgstr "" +msgstr "Elenca tutti i client connessi" #: ClientCommand.cpp:1891 msgctxt "helpcmd|Traffic|desc" @@ -1632,36 +1649,36 @@ msgstr "" #: ClientCommand.cpp:1893 msgctxt "helpcmd|Broadcast|args" msgid "[message]" -msgstr "" +msgstr "[messaggio]" #: ClientCommand.cpp:1894 msgctxt "helpcmd|Broadcast|desc" msgid "Broadcast a message to all ZNC users" -msgstr "" +msgstr "Trasmetti un messaggio a tutti gli utenti dello ZNC" #: ClientCommand.cpp:1897 msgctxt "helpcmd|Shutdown|args" msgid "[message]" -msgstr "" +msgstr "[messaggio]" #: ClientCommand.cpp:1898 msgctxt "helpcmd|Shutdown|desc" msgid "Shut down ZNC completely" -msgstr "" +msgstr "Spegni completamente lo ZNC" #: ClientCommand.cpp:1899 msgctxt "helpcmd|Restart|args" msgid "[message]" -msgstr "" +msgstr "[messaggio]" #: ClientCommand.cpp:1900 msgctxt "helpcmd|Restart|desc" msgid "Restart ZNC" -msgstr "" +msgstr "Riavvia lo ZNC" #: Socket.cpp:336 msgid "Can't resolve server hostname" -msgstr "" +msgstr "Impossibile risolvere il nome dell'host del server" #: Socket.cpp:343 msgid "" @@ -1675,11 +1692,13 @@ msgstr "" #: Socket.cpp:357 msgid "Server address is IPv6-only, but bindhost is IPv4-only" -msgstr "" +msgstr "L'indirizzo del server è IPv6-only, ma il bindhost è IPv4-only" #: Socket.cpp:515 msgid "Some socket reached its max buffer limit and was closed!" msgstr "" +"Alcuni socket hanno raggiunto il limite massimo di buffer e sono stati " +"chiusi!" #: SSLVerifyHost.cpp:481 msgid "hostname doesn't match" @@ -1701,7 +1720,7 @@ msgstr "" #: User.cpp:511 msgid "Network {1} already exists" -msgstr "" +msgstr "Network {1} già esistente" #: User.cpp:777 msgid "" @@ -1711,16 +1730,16 @@ msgstr "" #: User.cpp:912 msgid "Password is empty" -msgstr "" +msgstr "Password è vuota" #: User.cpp:917 msgid "Username is empty" -msgstr "" +msgstr "Username è vuoto" #: User.cpp:922 msgid "Username is invalid" -msgstr "" +msgstr "Username non è valido" #: User.cpp:1199 msgid "Unable to find modinfo {1}: {2}" -msgstr "" +msgstr "Impossibile trovare modinfo {1}: {2}" diff --git a/src/po/znc.pot b/src/po/znc.pot index af67f8c8..7176daf0 100644 --- a/src/po/znc.pot +++ b/src/po/znc.pot @@ -368,20 +368,12 @@ msgid "" "this module." msgstr "" -<<<<<<< HEAD #: Modules.cpp:2023 Modules.cpp:2029 -======= -#: Modules.cpp:2022 Modules.cpp:2028 ->>>>>>> 1.7.x msgctxt "modhelpcmd" msgid "Command" msgstr "" -<<<<<<< HEAD #: Modules.cpp:2024 Modules.cpp:2031 -======= -#: Modules.cpp:2023 Modules.cpp:2029 ->>>>>>> 1.7.x msgctxt "modhelpcmd" msgid "Description" msgstr "" From 68783f7c148db318448874a0492c1f2a39119a28 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Sun, 14 Jul 2019 01:08:54 +0000 Subject: [PATCH 272/798] Update translations from Crowdin for it_IT --- modules/po/autoop.it_IT.po | 20 ++++++++++++++------ modules/po/autoreply.it_IT.po | 14 ++++++++------ 2 files changed, 22 insertions(+), 12 deletions(-) diff --git a/modules/po/autoop.it_IT.po b/modules/po/autoop.it_IT.po index 77ac7c47..91064d85 100644 --- a/modules/po/autoop.it_IT.po +++ b/modules/po/autoop.it_IT.po @@ -18,7 +18,7 @@ msgstr "Elenca tutti gli utenti" #: autoop.cpp:156 autoop.cpp:159 msgid " [channel] ..." -msgstr "" +msgstr " [canale] ..." #: autoop.cpp:157 msgid "Adds channels to a user" @@ -30,7 +30,7 @@ msgstr "Rimuove canali da un utente" #: autoop.cpp:162 autoop.cpp:165 msgid " ,[mask] ..." -msgstr "" +msgstr " ,[maschera] ..." #: autoop.cpp:163 msgid "Adds masks to a user" @@ -42,7 +42,7 @@ msgstr "Rimuove una maschera (masks) da un utente" #: autoop.cpp:169 msgid " [,...] [channels]" -msgstr "" +msgstr " [,...] [canali]" #: autoop.cpp:170 msgid "Adds a user" @@ -50,7 +50,7 @@ msgstr "Aggiunge un utente" #: autoop.cpp:172 msgid "" -msgstr "" +msgstr "" #: autoop.cpp:172 msgid "Removes a user" @@ -74,7 +74,7 @@ msgstr "Utente" #: autoop.cpp:307 autoop.cpp:325 msgid "Hostmasks" -msgstr "" +msgstr "Hostmasks" #: autoop.cpp:308 autoop.cpp:318 msgid "Key" @@ -140,18 +140,24 @@ msgstr "L'utente {1} viene aggiunto con la hostmask(s) {2}" msgid "" "[{1}] sent us a challenge but they are not opped in any defined channels." msgstr "" +"[{1}] ci ha inviato una sfida ma loro non sono appati in nessuno dei canali " +"definiti." #: autoop.cpp:536 msgid "[{1}] sent us a challenge but they do not match a defined user." msgstr "" +"[{1}] ci ha inviato una sfida ma loro non corrispondono a nessuno degli " +"utenti definiti." #: autoop.cpp:544 msgid "WARNING! [{1}] sent an invalid challenge." -msgstr "" +msgstr "AVVISO! [{1}] ha inviato una sfida non valida." #: autoop.cpp:560 msgid "[{1}] sent an unchallenged response. This could be due to lag." msgstr "" +"[{1}] ha inviato una risposta in contrastante. Questo potrebbe essere " +"dovuto ad un ritardo (lag)." #: autoop.cpp:577 msgid "" @@ -164,6 +170,8 @@ msgstr "" #: autoop.cpp:586 msgid "WARNING! [{1}] sent a response but did not match any defined users." msgstr "" +"AVVISO! [{1}] ha inviato una risposta, ma non corrisponde ad alcun utente " +"definito." #: autoop.cpp:644 msgid "Auto op the good people" diff --git a/modules/po/autoreply.it_IT.po b/modules/po/autoreply.it_IT.po index e28d1f6f..9609b03b 100644 --- a/modules/po/autoreply.it_IT.po +++ b/modules/po/autoreply.it_IT.po @@ -14,30 +14,32 @@ msgstr "" #: autoreply.cpp:25 msgid "" -msgstr "" +msgstr "" #: autoreply.cpp:25 msgid "Sets a new reply" -msgstr "" +msgstr "Imposta una nuova risposta" #: autoreply.cpp:27 msgid "Displays the current query reply" -msgstr "" +msgstr "Mostra l'attuale risposta alle query" #: autoreply.cpp:75 msgid "Current reply is: {1} ({2})" -msgstr "" +msgstr "La risposta attuale è: {1} ({2})" #: autoreply.cpp:81 msgid "New reply set to: {1} ({2})" -msgstr "" +msgstr "Nuova risposta impostata: {1} ({2})" #: autoreply.cpp:94 msgid "" "You might specify a reply text. It is used when automatically answering " "queries, if you are not connected to ZNC." msgstr "" +"Puoi specificare un testo di risposta. Viente utilizzato quando si risponde " +"automaticamente alle query se non si è connessi allo ZNC." #: autoreply.cpp:98 msgid "Reply to queries when you are away" -msgstr "" +msgstr "Risponde alle queries quando sei assente" From b87a3565e5bc3b004cccf521ae2630525c0806bc Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Mon, 15 Jul 2019 08:51:56 +0100 Subject: [PATCH 273/798] Crowdin Jenkins: Use sshagent instead of a hack --- .ci/Jenkinsfile.crowdin | 9 ++------- 1 file changed, 2 insertions(+), 7 deletions(-) diff --git a/.ci/Jenkinsfile.crowdin b/.ci/Jenkinsfile.crowdin index 74600b41..9d5449bc 100644 --- a/.ci/Jenkinsfile.crowdin +++ b/.ci/Jenkinsfile.crowdin @@ -53,13 +53,8 @@ timestamps { return } sh "git remote add my github.com:${my_user}/${my_repo}.git" - // TODO simplify when https://issues.jenkins-ci.org/browse/JENKINS-28335 is fixed - withCredentials([sshUserPrivateKey(credentialsId: '6ef10f80-20dc-4661-af45-52a6e1e15749', keyFileVariable: 'GITHUB_KEY')]) { - sh 'echo ssh -i $GITHUB_KEY -l git -o StrictHostKeyChecking=no \\"\\$@\\" > run_ssh.sh' - sh 'chmod +x run_ssh.sh' - withEnv(['GIT_SSH=run_ssh.sh']) { - sh "git push my HEAD:refs/heads/${my_branch} -f" - } + sshagent(credentials: ['6ef10f80-20dc-4661-af45-52a6e1e15749']) { + sh "git push my HEAD:refs/heads/${my_branch} -f" } // Create pull request if it doesn't exist yet withCredentials([string(credentialsId: '7a2546ae-8a29-4eab-921c-6a4803456dce', variable: 'GITHUB_OAUTH_KEY')]) { From 989d1ae8a45bf460b385241612247a44ea0b5612 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Mon, 15 Jul 2019 21:08:12 +0100 Subject: [PATCH 274/798] Remove CI file which is not used anymore. The actual version is in master branch, and it affects both branches: master and 1.7.x --- .ci/Jenkinsfile.crowdin | 73 ----------------------------------------- 1 file changed, 73 deletions(-) delete mode 100644 .ci/Jenkinsfile.crowdin diff --git a/.ci/Jenkinsfile.crowdin b/.ci/Jenkinsfile.crowdin deleted file mode 100644 index 9d5449bc..00000000 --- a/.ci/Jenkinsfile.crowdin +++ /dev/null @@ -1,73 +0,0 @@ -#!groovy -// This script is run daily by https://jenkins.znc.in/ to: -// * upload new English strings to https://crowdin.com/project/znc-bouncer -// * download new translations -// * create a pull request with results to ZNC repo - -import groovy.json.JsonSlurper; - -// TODO refactor this after ZNC 1.7 is released, because we'll need many branches -def upstream_user = 'znc' -def upstream_repo = 'znc' -def upstream_branch = 'master' -def my_user = 'znc-jenkins' -def my_repo = 'znc' -def my_branch = 'l10n_master' - -timestamps { - node { - timeout(time: 30, unit: 'MINUTES') { - def crowdin_cli = "java -jar ${tool 'crowdin-cli'}/crowdin-cli.jar --config .ci/crowdin.yml" - stage('Checkout') { - step([$class: 'WsCleanup']) - checkout([$class: 'GitSCM', branches: [[name: "*/${upstream_branch}"]], doGenerateSubmoduleConfigurations: false, extensions: [[$class: 'SubmoduleOption', recursiveSubmodules: true]], userRemoteConfigs: [[credentialsId: '6ef10f80-20dc-4661-af45-52a6e1e15749', name: 'upstream', url: "github.com:${upstream_user}/${upstream_repo}.git"]]]) - } - stage('Prepare strings') { - dir("build") { - sh "cmake .." - sh 'make translation' - } - sh 'rm -rf build/' - sh 'git status' - } - stage('Crowdin') { - withCredentials([string(credentialsId: '11c7e2b4-f990-4670-98a4-c89d2a5a2f43', variable: 'CROWDIN_API_KEY')]) { - withEnv(['CROWDIN_BASE_PATH='+pwd()]) { - sh "$crowdin_cli upload sources --branch ${upstream_branch}" - // sh "$crowdin_cli upload translations --branch ${upstream_branch}" - sh "$crowdin_cli download --branch ${upstream_branch}" - } - } - sh 'find . -name "*.po" -exec msgfilter -i "{}" -o "{}.replacement" .ci/cleanup-po.pl ";"' - sh 'find . -name "*.po" -exec mv "{}.replacement" "{}" ";"' - } - stage('Push') { - sh 'git config user.name "ZNC-Jenkins"' - sh 'git config user.email jenkins@znc.in' - sh 'git status' - sh 'git add .' - try { - sh 'git commit -m "Update translations from Crowdin"' - } catch(e) { - echo 'No changes found' - return - } - sh "git remote add my github.com:${my_user}/${my_repo}.git" - sshagent(credentials: ['6ef10f80-20dc-4661-af45-52a6e1e15749']) { - sh "git push my HEAD:refs/heads/${my_branch} -f" - } - // Create pull request if it doesn't exist yet - withCredentials([string(credentialsId: '7a2546ae-8a29-4eab-921c-6a4803456dce', variable: 'GITHUB_OAUTH_KEY')]) { - def headers = [[maskValue: true, name: 'Authorization', value: "token ${env.GITHUB_OAUTH_KEY}"], [maskValue: false, name: 'Accept', value: 'application/vnd.github.v3+json'], [maskValue: false, name: 'User-Agent', value: 'https://github.com/znc/znc/blob/master/.ci/Jenkinsfile.crowdin']] - def pulls = httpRequest consoleLogResponseBody: true, customHeaders: headers, url: "https://api.github.com/repos/${upstream_user}/${upstream_repo}/pulls?head=${my_user}:${my_branch}&base=${upstream_branch}" - pulls = new JsonSlurper().parseText(pulls.content) - if (!pulls) { - httpRequest consoleLogResponseBody: true, customHeaders: headers, url: "https://api.github.com/repos/${upstream_user}/${upstream_repo}/pulls", httpMode: 'POST', requestBody: '{"head":"'+my_user+':'+my_branch+'","base":"'+upstream_branch+'","title":"Update translations","body":"From https://crowdin.com/project/znc-bouncer"}' - } - } - } - } - } -} - -// vim: set ts=2 sw=2 et: From 4222c3e5333e1dfc95d8f3d1bd952109d8e2cc44 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Mon, 15 Jul 2019 21:11:05 +0100 Subject: [PATCH 275/798] Crowdin Jenkins: Use sshagent instead of a hack - attempt 2 --- .ci/Jenkinsfile.crowdin | 17 ++++------------- 1 file changed, 4 insertions(+), 13 deletions(-) diff --git a/.ci/Jenkinsfile.crowdin b/.ci/Jenkinsfile.crowdin index 2cd50058..e3f7fef8 100644 --- a/.ci/Jenkinsfile.crowdin +++ b/.ci/Jenkinsfile.crowdin @@ -68,23 +68,14 @@ timestamps { return } sh "git remote add my github.com:${my_user}/${my_repo}.git" - // TODO simplify when https://issues.jenkins-ci.org/browse/JENKINS-28335 is fixed if (!pr_mode) { - withCredentials([sshUserPrivateKey(credentialsId: 'baf2df74-935d-40e5-b20f-076e92fa3e9f', keyFileVariable: 'GITHUB_KEY')]) { - sh 'echo ssh -i $GITHUB_KEY -l git -o StrictHostKeyChecking=no \\"\\$@\\" > run_ssh.sh' - sh 'chmod +x run_ssh.sh' - withEnv(['GIT_SSH=run_ssh.sh']) { - sh "git push upstream HEAD:refs/heads/${upstream_branch}" - } + sshagent(credentials: ['baf2df74-935d-40e5-b20f-076e92fa3e9f']) { + sh "git push upstream HEAD:refs/heads/${upstream_branch}" } return } - withCredentials([sshUserPrivateKey(credentialsId: '6ef10f80-20dc-4661-af45-52a6e1e15749', keyFileVariable: 'GITHUB_KEY')]) { - sh 'echo ssh -i $GITHUB_KEY -l git -o StrictHostKeyChecking=no \\"\\$@\\" > run_ssh.sh' - sh 'chmod +x run_ssh.sh' - withEnv(['GIT_SSH=run_ssh.sh']) { - sh "git push my HEAD:refs/heads/${my_branch} -f" - } + sshagent(credentials: ['6ef10f80-20dc-4661-af45-52a6e1e15749']) { + sh "git push my HEAD:refs/heads/${my_branch} -f" } // Create pull request if it doesn't exist yet withCredentials([string(credentialsId: '7a2546ae-8a29-4eab-921c-6a4803456dce', variable: 'GITHUB_OAUTH_KEY')]) { From a18b35e3860eafcbef25cb4cd2632aca77479605 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Mon, 15 Jul 2019 22:27:45 +0100 Subject: [PATCH 276/798] Crowdin Jenkins: Use sshagent instead of a hack - attempt 3 --- .ci/Jenkinsfile.crowdin | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/.ci/Jenkinsfile.crowdin b/.ci/Jenkinsfile.crowdin index e3f7fef8..294f1136 100644 --- a/.ci/Jenkinsfile.crowdin +++ b/.ci/Jenkinsfile.crowdin @@ -30,7 +30,7 @@ timestamps { stage(upstream_branch) { dir(upstream_branch) { stage("Checkout ${upstream_branch}") { - checkout([$class: 'GitSCM', branches: [[name: "*/${upstream_branch}"]], doGenerateSubmoduleConfigurations: false, extensions: [[$class: 'SubmoduleOption', recursiveSubmodules: true]], userRemoteConfigs: [[credentialsId: '6ef10f80-20dc-4661-af45-52a6e1e15749', name: 'upstream', url: "github.com:${upstream_user}/${upstream_repo}.git"]]]) + checkout([$class: 'GitSCM', branches: [[name: "*/${upstream_branch}"]], doGenerateSubmoduleConfigurations: false, extensions: [[$class: 'SubmoduleOption', recursiveSubmodules: true]], userRemoteConfigs: [[credentialsId: '6ef10f80-20dc-4661-af45-52a6e1e15749', name: 'upstream', url: "git@github.com:${upstream_user}/${upstream_repo}.git"]]]) } stage("Prepare strings for ${upstream_branch}") { dir("build") { @@ -67,7 +67,7 @@ timestamps { echo 'No changes found' return } - sh "git remote add my github.com:${my_user}/${my_repo}.git" + sh "git remote add my git@github.com:${my_user}/${my_repo}.git" if (!pr_mode) { sshagent(credentials: ['baf2df74-935d-40e5-b20f-076e92fa3e9f']) { sh "git push upstream HEAD:refs/heads/${upstream_branch}" From 2502b61ecf7758e868a0112fec8c1bf246a6750a Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Mon, 15 Jul 2019 21:45:00 +0000 Subject: [PATCH 277/798] Update translations from Crowdin for it_IT --- modules/po/autovoice.it_IT.po | 37 ++--- modules/po/awaystore.it_IT.po | 40 +++--- modules/po/block_motd.it_IT.po | 10 +- modules/po/blockuser.it_IT.po | 38 ++--- modules/po/bouncedcc.it_IT.po | 29 ++-- modules/po/buffextras.it_IT.po | 12 +- modules/po/cert.it_IT.po | 29 ++-- modules/po/certauth.it_IT.po | 37 ++--- modules/po/chansaver.it_IT.po | 2 +- modules/po/clearbufferonmsg.it_IT.po | 2 + modules/po/clientnotify.it_IT.po | 26 ++-- modules/po/controlpanel.it_IT.po | 199 +++++++++++++++------------ 12 files changed, 261 insertions(+), 200 deletions(-) diff --git a/modules/po/autovoice.it_IT.po b/modules/po/autovoice.it_IT.po index 8014d56c..a3c7b15f 100644 --- a/modules/po/autovoice.it_IT.po +++ b/modules/po/autovoice.it_IT.po @@ -18,19 +18,19 @@ msgstr "Elenca tutti gli utenti" #: autovoice.cpp:122 autovoice.cpp:125 msgid " [channel] ..." -msgstr "" +msgstr " [canale] ..." #: autovoice.cpp:123 msgid "Adds channels to a user" -msgstr "" +msgstr "Aggiunge canali ad un utente" #: autovoice.cpp:126 msgid "Removes channels from a user" -msgstr "" +msgstr "Rimuove canali ad un utente" #: autovoice.cpp:128 msgid " [channels]" -msgstr "" +msgstr " [canali]" #: autovoice.cpp:129 msgid "Adds a user" @@ -38,7 +38,7 @@ msgstr "Aggiungi un utente" #: autovoice.cpp:131 msgid "" -msgstr "" +msgstr "" #: autovoice.cpp:131 msgid "Removes a user" @@ -46,15 +46,15 @@ msgstr "Rimuovi un utente" #: autovoice.cpp:215 msgid "Usage: AddUser [channels]" -msgstr "" +msgstr "Usa: AddUser [canali]" #: autovoice.cpp:229 msgid "Usage: DelUser " -msgstr "" +msgstr "Usa: DelUser " #: autovoice.cpp:238 msgid "There are no users defined" -msgstr "" +msgstr "Non ci sono utenti definiti" #: autovoice.cpp:244 autovoice.cpp:250 msgid "User" @@ -62,7 +62,7 @@ msgstr "Utente" #: autovoice.cpp:245 autovoice.cpp:251 msgid "Hostmask" -msgstr "" +msgstr "Hostmask" #: autovoice.cpp:246 autovoice.cpp:252 msgid "Channels" @@ -70,7 +70,7 @@ msgstr "Canali" #: autovoice.cpp:263 msgid "Usage: AddChans [channel] ..." -msgstr "" +msgstr "Usa: AddChans [canale] ..." #: autovoice.cpp:270 autovoice.cpp:292 autovoice.cpp:329 msgid "No such user" @@ -78,34 +78,37 @@ msgstr "Utente non presente" #: autovoice.cpp:275 msgid "Channel(s) added to user {1}" -msgstr "" +msgstr "Canale(i) aggiunti all'utente {1}" #: autovoice.cpp:285 msgid "Usage: DelChans [channel] ..." -msgstr "" +msgstr "Usa: DelChans [canale] ..." #: autovoice.cpp:298 msgid "Channel(s) Removed from user {1}" -msgstr "" +msgstr "Canale(i) rimossi dall'utente {1}" #: autovoice.cpp:335 msgid "User {1} removed" -msgstr "" +msgstr "L'utente {1} è stato rimosso" #: autovoice.cpp:341 msgid "That user already exists" -msgstr "" +msgstr "Questo utente è già esistente" #: autovoice.cpp:347 msgid "User {1} added with hostmask {2}" -msgstr "" +msgstr "L'utente {1} è stato aggiunto con la seguente hostmask {2}" #: autovoice.cpp:360 msgid "" "Each argument is either a channel you want autovoice for (which can include " "wildcards) or, if it starts with !, it is an exception for autovoice." msgstr "" +"Ogni argomento è o un canale per il quale si vuole l'autovoice (che può " +"includere caratteri jolly) o, se inizia con !, è un'eccezione per " +"l'autovoice." #: autovoice.cpp:365 msgid "Auto voice the good people" -msgstr "" +msgstr "Assegna automaticamente il voice alle buone persone" diff --git a/modules/po/awaystore.it_IT.po b/modules/po/awaystore.it_IT.po index a0425aa9..3da2a4cc 100644 --- a/modules/po/awaystore.it_IT.po +++ b/modules/po/awaystore.it_IT.po @@ -14,7 +14,7 @@ msgstr "" #: awaystore.cpp:67 msgid "You have been marked as away" -msgstr "" +msgstr "Sei contrassegnato come assente" #: awaystore.cpp:78 awaystore.cpp:385 awaystore.cpp:388 msgid "Welcome back!" @@ -22,23 +22,23 @@ msgstr "Bentornato!" #: awaystore.cpp:100 msgid "Deleted {1} messages" -msgstr "" +msgstr "Eliminato {1} messaggi" #: awaystore.cpp:104 msgid "USAGE: delete " -msgstr "" +msgstr "USA: delete " #: awaystore.cpp:109 msgid "Illegal message # requested" -msgstr "" +msgstr "Messaggio illegale # richiesto" #: awaystore.cpp:113 msgid "Message erased" -msgstr "" +msgstr "Messaggio cancellato" #: awaystore.cpp:122 msgid "Messages saved to disk" -msgstr "" +msgstr "Messaggi salvati su disco" #: awaystore.cpp:124 msgid "There are no messages to save" @@ -46,23 +46,23 @@ msgstr "Non sono presenti messaggi da salvare" #: awaystore.cpp:135 msgid "Password updated to [{1}]" -msgstr "" +msgstr "Password aggiornata a [{1}]" #: awaystore.cpp:147 msgid "Corrupt message! [{1}]" -msgstr "" +msgstr "Messaggio corrotto! [{1}]" #: awaystore.cpp:159 msgid "Corrupt time stamp! [{1}]" -msgstr "" +msgstr "Time stamp corrotto! [{1}]" #: awaystore.cpp:178 msgid "#--- End of messages" -msgstr "" +msgstr "#--- Fine dei messaggi" #: awaystore.cpp:183 msgid "Timer set to 300 seconds" -msgstr "" +msgstr "Timer impostato a 300 secondi" #: awaystore.cpp:188 awaystore.cpp:197 msgid "Timer disabled" @@ -70,41 +70,49 @@ msgstr "Timer disabilitato" #: awaystore.cpp:199 msgid "Timer set to {1} seconds" -msgstr "" +msgstr "Timer impostato a {1} secondi" #: awaystore.cpp:203 msgid "Current timer setting: {1} seconds" -msgstr "" +msgstr "Impostazioni dell'ora corrente: {1} secondi" #: awaystore.cpp:278 msgid "This module needs as an argument a keyphrase used for encryption" msgstr "" +"Questo mudulo necessita di un argomento come frase chiave utilizzata per la " +"crittografia" #: awaystore.cpp:285 msgid "" "Failed to decrypt your saved messages - Did you give the right encryption " "key as an argument to this module?" msgstr "" +"Impossibile decrittografare i messaggi salvati. Hai fornito la chiave di " +"crittografia giusta come argomento per questo modulo?" #: awaystore.cpp:386 awaystore.cpp:389 msgid "You have {1} messages!" -msgstr "" +msgstr "Hai {1} messaggi!" #: awaystore.cpp:456 msgid "Unable to find buffer" -msgstr "" +msgstr "Impossibile trovare il buffer" #: awaystore.cpp:469 msgid "Unable to decode encrypted messages" -msgstr "" +msgstr "Impossibile decodificare i messaggi crittografati" #: awaystore.cpp:516 msgid "" "[ -notimer | -timer N ] [-chans] passw0rd . N is number of seconds, 600 by " "default." msgstr "" +"[ -notimer | -timer N ] [-chans] passw0rd . N è il numero di secondi, 600 " +"di default." #: awaystore.cpp:521 msgid "" "Adds auto-away with logging, useful when you use ZNC from different locations" msgstr "" +"Aggiunge un auto-away con logging, utile quando si utilizza lo ZNC da " +"diverse posizioni" diff --git a/modules/po/block_motd.it_IT.po b/modules/po/block_motd.it_IT.po index 9bdd0b98..cd8f97bc 100644 --- a/modules/po/block_motd.it_IT.po +++ b/modules/po/block_motd.it_IT.po @@ -14,22 +14,24 @@ msgstr "" #: block_motd.cpp:26 msgid "[]" -msgstr "" +msgstr "[]" #: block_motd.cpp:27 msgid "" "Override the block with this command. Can optionally specify which server to " "query." msgstr "" +"Oltrepassa il blocco con questo comando. Opzionalmente puoi specificare " +"quale server interrogare." #: block_motd.cpp:36 msgid "You are not connected to an IRC Server." -msgstr "" +msgstr "Non sei connesso ad un server IRC." #: block_motd.cpp:58 msgid "MOTD blocked by ZNC" -msgstr "" +msgstr "MOTD bloccato dallo ZNC" #: block_motd.cpp:104 msgid "Block the MOTD from IRC so it's not sent to your client(s)." -msgstr "" +msgstr "Blocca il MOTD da IRC in modo che non venga inviato ai tuoi client." diff --git a/modules/po/blockuser.it_IT.po b/modules/po/blockuser.it_IT.po index 7d8fa1d7..fe1b1d6d 100644 --- a/modules/po/blockuser.it_IT.po +++ b/modules/po/blockuser.it_IT.po @@ -14,31 +14,31 @@ msgstr "" #: modules/po/../data/blockuser/tmpl/blockuser_WebadminUser.tmpl:9 msgid "Account is blocked" -msgstr "" +msgstr "L'account è bloccato" #: blockuser.cpp:23 msgid "Your account has been disabled. Contact your administrator." -msgstr "" +msgstr "Il tuo account è stato disabilitato. Contatta il tuo amministratore." #: blockuser.cpp:29 msgid "List blocked users" -msgstr "" +msgstr "Elenco utenti bloccati" #: blockuser.cpp:31 blockuser.cpp:33 msgid "" -msgstr "" +msgstr "" #: blockuser.cpp:31 msgid "Block a user" -msgstr "" +msgstr "Blocca un utente" #: blockuser.cpp:33 msgid "Unblock a user" -msgstr "" +msgstr "Sblocca un utente" #: blockuser.cpp:55 msgid "Could not block {1}" -msgstr "" +msgstr "Impossibile bloccare {1}" #: blockuser.cpp:76 msgid "Access denied" @@ -46,7 +46,7 @@ msgstr "Accesso negato" #: blockuser.cpp:85 msgid "No users are blocked" -msgstr "" +msgstr "Nessun utente bloccato" #: blockuser.cpp:88 msgid "Blocked users:" @@ -54,44 +54,44 @@ msgstr "Utenti bloccati:" #: blockuser.cpp:100 msgid "Usage: Block " -msgstr "" +msgstr "Usa: Block " #: blockuser.cpp:105 blockuser.cpp:147 msgid "You can't block yourself" -msgstr "" +msgstr "Non puoi bloccare te stesso" #: blockuser.cpp:110 blockuser.cpp:152 msgid "Blocked {1}" -msgstr "" +msgstr "Bloccato {1}" #: blockuser.cpp:112 msgid "Could not block {1} (misspelled?)" -msgstr "" +msgstr "Impossibile bloccare {1} (errore di ortografia?)" #: blockuser.cpp:120 msgid "Usage: Unblock " -msgstr "" +msgstr "Usa: Unblock " #: blockuser.cpp:125 blockuser.cpp:161 msgid "Unblocked {1}" -msgstr "" +msgstr "Sbloccato {1}" #: blockuser.cpp:127 msgid "This user is not blocked" -msgstr "" +msgstr "Questo utente non è bloccato" #: blockuser.cpp:155 msgid "Couldn't block {1}" -msgstr "" +msgstr "Impossibile bloccare {1}" #: blockuser.cpp:164 msgid "User {1} is not blocked" -msgstr "" +msgstr "L'utente {1} non è bloccato" #: blockuser.cpp:216 msgid "Enter one or more user names. Separate them by spaces." -msgstr "" +msgstr "Inserisci uno o più nomi utente. Seprali da uno spazio." #: blockuser.cpp:219 msgid "Block certain users from logging in." -msgstr "" +msgstr "Blocca determinati utenti a partire dal login." diff --git a/modules/po/bouncedcc.it_IT.po b/modules/po/bouncedcc.it_IT.po index 2b2b5aa6..4beba670 100644 --- a/modules/po/bouncedcc.it_IT.po +++ b/modules/po/bouncedcc.it_IT.po @@ -54,11 +54,11 @@ msgstr "" #: bouncedcc.cpp:125 msgid "Waiting" -msgstr "" +msgstr "In attesa" #: bouncedcc.cpp:127 msgid "Halfway" -msgstr "" +msgstr "A metà strada (Halfway)" #: bouncedcc.cpp:129 msgid "Connected" @@ -66,19 +66,19 @@ msgstr "Connesso" #: bouncedcc.cpp:137 msgid "You have no active DCCs." -msgstr "" +msgstr "Non hai DCCs attive." #: bouncedcc.cpp:148 msgid "Use client IP: {1}" -msgstr "" +msgstr "Usa client IP: {1}" #: bouncedcc.cpp:153 msgid "List all active DCCs" -msgstr "" +msgstr "Elenco di tutte le DCCs attive" #: bouncedcc.cpp:156 msgid "Change the option to use IP of client" -msgstr "" +msgstr "Cambia l'opzione per utilizzare l'indirizzo IP del client" #: bouncedcc.cpp:383 bouncedcc.cpp:412 bouncedcc.cpp:436 bouncedcc.cpp:451 msgctxt "type" @@ -92,40 +92,47 @@ msgstr "" #: bouncedcc.cpp:385 msgid "DCC {1} Bounce ({2}): Too long line received" -msgstr "" +msgstr "DCC {1} Bounce ({2}): Linea ricevuta troppo lunga" #: bouncedcc.cpp:418 msgid "DCC {1} Bounce ({2}): Timeout while connecting to {3} {4}" msgstr "" +"DCC {1} Bounce ({2}): (Timeout) Tempo scaduto durante la connessione a {3} " +"{4}" #: bouncedcc.cpp:422 msgid "DCC {1} Bounce ({2}): Timeout while connecting." -msgstr "" +msgstr "DCC {1} Bounce ({2}): (Timeout) Tempo scaduto durante la connessione." #: bouncedcc.cpp:427 msgid "" "DCC {1} Bounce ({2}): Timeout while waiting for incoming connection on {3} " "{4}" msgstr "" +"DCC {1} Bounce ({2}): (Timeout) Tempo scaduto in attesa della connessione in " +"arrivo {3} {4}" #: bouncedcc.cpp:440 msgid "DCC {1} Bounce ({2}): Connection refused while connecting to {3} {4}" msgstr "" +"DCC {1} Bounce ({2}): Connessione rifiutata durante la connessione a {3} {4}" #: bouncedcc.cpp:444 msgid "DCC {1} Bounce ({2}): Connection refused while connecting." -msgstr "" +msgstr "DCC {1} Bounce ({2}): Connessione rifiutata durante la connessione." #: bouncedcc.cpp:457 bouncedcc.cpp:465 msgid "DCC {1} Bounce ({2}): Socket error on {3} {4}: {5}" -msgstr "" +msgstr "DCC {1} Bounce ({2}): Errore di socket su {3} {4}: {5}" #: bouncedcc.cpp:460 msgid "DCC {1} Bounce ({2}): Socket error: {3}" -msgstr "" +msgstr "DCC {1} Bounce ({2}): Errore socket: {3}" #: bouncedcc.cpp:547 msgid "" "Bounces DCC transfers through ZNC instead of sending them directly to the " "user. " msgstr "" +"Rimuove/Rimbalza i trasferimenti DCC tramite ZNC invece di inviarli " +"direttamente all'utente." diff --git a/modules/po/buffextras.it_IT.po b/modules/po/buffextras.it_IT.po index c2be961d..0b55b50e 100644 --- a/modules/po/buffextras.it_IT.po +++ b/modules/po/buffextras.it_IT.po @@ -18,11 +18,11 @@ msgstr "" #: buffextras.cpp:47 msgid "{1} set mode: {2} {3}" -msgstr "" +msgstr "{1} imposta i mode: {2} {3}" #: buffextras.cpp:55 msgid "{1} kicked {2} with reason: {3}" -msgstr "" +msgstr "{1} kicked {2} per questo motivo: {3}" #: buffextras.cpp:64 msgid "{1} quit: {2}" @@ -34,16 +34,16 @@ msgstr "{1} è entrato" #: buffextras.cpp:81 msgid "{1} parted: {2}" -msgstr "" +msgstr "{1} esce da: {2}" #: buffextras.cpp:90 msgid "{1} is now known as {2}" -msgstr "" +msgstr "{1} è ora conosciuto come {2}" #: buffextras.cpp:100 msgid "{1} changed the topic to: {2}" -msgstr "" +msgstr "{1} ha cambiato il topic in: {2}" #: buffextras.cpp:115 msgid "Adds joins, parts etc. to the playback buffer" -msgstr "" +msgstr "Aggiugne joins, parts eccetera al buffer del playback" diff --git a/modules/po/cert.it_IT.po b/modules/po/cert.it_IT.po index beb953f4..b0446d09 100644 --- a/modules/po/cert.it_IT.po +++ b/modules/po/cert.it_IT.po @@ -15,7 +15,7 @@ msgstr "" # this text is inserted into `click here` in the other string #: modules/po/../data/cert/tmpl/index.tmpl:5 msgid "here" -msgstr "" +msgstr "qui" # {1} is `here`, translateable in the other string #: modules/po/../data/cert/tmpl/index.tmpl:6 @@ -23,53 +23,60 @@ msgid "" "You already have a certificate set, use the form below to overwrite the " "current certificate. Alternatively click {1} to delete your certificate." msgstr "" +"Hai già un certificato impostato, utilizza il modulo sottostante per " +"sovrascrivere il certificato corrente. In alternativa, fai click su {1} per " +"eliminare il certificato." #: modules/po/../data/cert/tmpl/index.tmpl:8 msgid "You do not have a certificate yet." -msgstr "" +msgstr "Non hai ancora un certificato." #: modules/po/../data/cert/tmpl/index.tmpl:14 cert.cpp:72 msgid "Certificate" -msgstr "" +msgstr "Certificato" #: modules/po/../data/cert/tmpl/index.tmpl:18 msgid "PEM File:" -msgstr "" +msgstr "File PEM:" #: modules/po/../data/cert/tmpl/index.tmpl:22 msgid "Update" -msgstr "" +msgstr "Aggiornare" #: cert.cpp:28 msgid "Pem file deleted" -msgstr "" +msgstr "Pem file eliminato" #: cert.cpp:31 msgid "The pem file doesn't exist or there was a error deleting the pem file." msgstr "" +"Il file pem non esiste o si è verificato un errore durante l'eliminazione " +"del file pem." #: cert.cpp:38 msgid "You have a certificate in {1}" -msgstr "" +msgstr "Hai un certificato in {1}" #: cert.cpp:41 msgid "" "You do not have a certificate. Please use the web interface to add a " "certificate" msgstr "" +"Non hai un certificato. Per favore usa l'interfaccia web per aggiungere un " +"certificato" #: cert.cpp:44 msgid "Alternatively you can either place one at {1}" -msgstr "" +msgstr "In alternativa puoi metterne uno a {1}" #: cert.cpp:52 msgid "Delete the current certificate" -msgstr "" +msgstr "Elimina il certificato corrente" #: cert.cpp:54 msgid "Show the current certificate" -msgstr "" +msgstr "Mostra il certificato corrente" #: cert.cpp:105 msgid "Use a ssl certificate to connect to a server" -msgstr "" +msgstr "Utilizza un certificato ssl per connetterti al server" diff --git a/modules/po/certauth.it_IT.po b/modules/po/certauth.it_IT.po index a1b178a1..33b32deb 100644 --- a/modules/po/certauth.it_IT.po +++ b/modules/po/certauth.it_IT.po @@ -14,24 +14,24 @@ msgstr "" #: modules/po/../data/certauth/tmpl/index.tmpl:7 msgid "Add a key" -msgstr "" +msgstr "Aggiunge una chiave" #: modules/po/../data/certauth/tmpl/index.tmpl:11 msgid "Key:" -msgstr "Key:" +msgstr "Chiave:" #: modules/po/../data/certauth/tmpl/index.tmpl:15 msgid "Add Key" -msgstr "" +msgstr "Aggiungi chiave" #: modules/po/../data/certauth/tmpl/index.tmpl:23 msgid "You have no keys." -msgstr "" +msgstr "Non hai chiavi." #: modules/po/../data/certauth/tmpl/index.tmpl:30 msgctxt "web" msgid "Key" -msgstr "" +msgstr "Chiave" #: modules/po/../data/certauth/tmpl/index.tmpl:36 msgid "del" @@ -44,56 +44,58 @@ msgstr "" #: certauth.cpp:32 msgid "Add a public key. If key is not provided will use the current key" msgstr "" +"Aggiunge una chiva pubblica. Se non viene fornita alcuna chiave verrà usata " +"la chiave corrente" #: certauth.cpp:35 msgid "id" -msgstr "" +msgstr "id" #: certauth.cpp:35 msgid "Delete a key by its number in List" -msgstr "" +msgstr "Cancella una chiave usando il suo numero in lista" #: certauth.cpp:37 msgid "List your public keys" -msgstr "" +msgstr "Elenco delle tue chiavi pubbliche" #: certauth.cpp:39 msgid "Print your current key" -msgstr "" +msgstr "Stamp la tua chiave attuale" #: certauth.cpp:142 msgid "You are not connected with any valid public key" -msgstr "" +msgstr "Non sei connesso con una chiave pubblica valida" #: certauth.cpp:144 msgid "Your current public key is: {1}" -msgstr "" +msgstr "La tua chiave pubblica corrente è: {1}" #: certauth.cpp:157 msgid "You did not supply a public key or connect with one." -msgstr "" +msgstr "Non hai fornito una chiave pubblica o ti sei connesso con uno." #: certauth.cpp:160 msgid "Key '{1}' added." -msgstr "" +msgstr "Chiave '{1}' aggiunta." #: certauth.cpp:162 msgid "The key '{1}' is already added." -msgstr "" +msgstr "La chiave '{1}' è già stata aggiunta." #: certauth.cpp:170 certauth.cpp:183 msgctxt "list" msgid "Id" -msgstr "" +msgstr "Id" #: certauth.cpp:171 certauth.cpp:184 msgctxt "list" msgid "Key" -msgstr "" +msgstr "Chiave" #: certauth.cpp:176 certauth.cpp:190 certauth.cpp:199 msgid "No keys set for your user" -msgstr "" +msgstr "Nessuna chiave impostata per il tuo utente" #: certauth.cpp:204 msgid "Invalid #, check \"list\"" @@ -106,3 +108,4 @@ msgstr "Rimosso" #: certauth.cpp:291 msgid "Allows users to authenticate via SSL client certificates." msgstr "" +"Permette agli utenti di autenticarsi tramite certificati SSL del client." diff --git a/modules/po/chansaver.it_IT.po b/modules/po/chansaver.it_IT.po index 66b0e483..c116b134 100644 --- a/modules/po/chansaver.it_IT.po +++ b/modules/po/chansaver.it_IT.po @@ -14,4 +14,4 @@ msgstr "" #: chansaver.cpp:91 msgid "Keeps config up-to-date when user joins/parts." -msgstr "" +msgstr "Mantiente la configurazione aggiornata quando un utente entra/esce." diff --git a/modules/po/clearbufferonmsg.it_IT.po b/modules/po/clearbufferonmsg.it_IT.po index 4bbcfbe6..c9f1ae13 100644 --- a/modules/po/clearbufferonmsg.it_IT.po +++ b/modules/po/clearbufferonmsg.it_IT.po @@ -15,3 +15,5 @@ msgstr "" #: clearbufferonmsg.cpp:160 msgid "Clears all channel and query buffers whenever the user does something" msgstr "" +"Svuota il buffer di tutti i canali e di tutte le query ogni volta che " +"l'utente invia qualche cosa" diff --git a/modules/po/clientnotify.it_IT.po b/modules/po/clientnotify.it_IT.po index 9bfa1489..14c69755 100644 --- a/modules/po/clientnotify.it_IT.po +++ b/modules/po/clientnotify.it_IT.po @@ -14,60 +14,68 @@ msgstr "" #: clientnotify.cpp:47 msgid "" -msgstr "" +msgstr "" #: clientnotify.cpp:48 msgid "Sets the notify method" -msgstr "" +msgstr "Imposta il metodo di notifica" #: clientnotify.cpp:50 clientnotify.cpp:54 msgid "" -msgstr "" +msgstr "" #: clientnotify.cpp:51 msgid "Turns notifications for unseen IP addresses on or off" msgstr "" +"Attiva o disattiva le notifiche per gli indirizzi IP nascosti (ON - OFF)" #: clientnotify.cpp:55 msgid "Turns notifications for clients disconnecting on or off" msgstr "" +"Attiva o disattiva le notifiche per i client che si disconnettono (ON - OFF)" #: clientnotify.cpp:57 msgid "Shows the current settings" -msgstr "" +msgstr "Mostra le impostazioni correnti" #: clientnotify.cpp:81 clientnotify.cpp:95 msgid "" msgid_plural "" "Another client authenticated as your user. Use the 'ListClients' command to " "see all {1} clients." -msgstr[0] "" +msgstr[0] "" msgstr[1] "" +"Un altro client si è autenticato con il tuo nome utente. Utilizza il comando " +"'ListClients' per vedere tutti i {1} clients." #: clientnotify.cpp:108 msgid "Usage: Method " -msgstr "" +msgstr "Usa: Metodo " #: clientnotify.cpp:114 clientnotify.cpp:127 clientnotify.cpp:140 msgid "Saved." -msgstr "" +msgstr "Salvato." #: clientnotify.cpp:121 msgid "Usage: NewOnly " -msgstr "" +msgstr "Usa: NewOnly " #: clientnotify.cpp:134 msgid "Usage: OnDisconnect " -msgstr "" +msgstr "Usa: OnDisconnect " #: clientnotify.cpp:145 msgid "" "Current settings: Method: {1}, for unseen IP addresses only: {2}, notify on " "disconnecting clients: {3}" msgstr "" +"Impostazioni correnti: Metodo: {1}, solo per indirizzi IP non visibili: {2}, " +"notifica la disconnessione dei clients: {3}" #: clientnotify.cpp:157 msgid "" "Notifies you when another IRC client logs into or out of your account. " "Configurable." msgstr "" +"Notifica quando un altro client IRC entra o esce dal tuo account. " +"Configurabile." diff --git a/modules/po/controlpanel.it_IT.po b/modules/po/controlpanel.it_IT.po index b4ffd2de..9c01d700 100644 --- a/modules/po/controlpanel.it_IT.po +++ b/modules/po/controlpanel.it_IT.po @@ -62,19 +62,20 @@ msgstr "" #: controlpanel.cpp:179 controlpanel.cpp:966 controlpanel.cpp:1003 msgid "Error: User [{1}] does not exist!" -msgstr "" +msgstr "Errore: L'utente [{1}] non esiste!" #: controlpanel.cpp:184 msgid "Error: You need to have admin rights to modify other users!" msgstr "" +"Errore: Devi avere i diritti di amministratore per modificare altri utenti!" #: controlpanel.cpp:194 msgid "Error: You cannot use $network to modify other users!" -msgstr "" +msgstr "Errore: Non puoi usare $network per modificare altri utenti!" #: controlpanel.cpp:202 msgid "Error: User {1} does not have a network named [{2}]." -msgstr "" +msgstr "Errore: L'utente {1} non ha un network di nome [{2}]." #: controlpanel.cpp:214 msgid "Usage: Get [username]" @@ -83,7 +84,7 @@ msgstr "" #: controlpanel.cpp:304 controlpanel.cpp:507 controlpanel.cpp:582 #: controlpanel.cpp:658 controlpanel.cpp:793 controlpanel.cpp:878 msgid "Error: Unknown variable" -msgstr "" +msgstr "Errore: Variabile sconosciuta" #: controlpanel.cpp:313 msgid "Usage: Set " @@ -97,7 +98,7 @@ msgstr "" #: controlpanel.cpp:425 controlpanel.cpp:444 controlpanel.cpp:460 #: controlpanel.cpp:470 controlpanel.cpp:630 msgid "Access denied!" -msgstr "" +msgstr "Accesso negato!" #: controlpanel.cpp:376 controlpanel.cpp:385 controlpanel.cpp:842 msgid "Setting failed, limit for buffer size is {1}" @@ -126,6 +127,8 @@ msgstr "" #: controlpanel.cpp:538 msgid "Error: A network must be specified to get another users settings." msgstr "" +"Errore: Deve essere specificato un network per ottenere le impostazioni di " +"un altro utente." #: controlpanel.cpp:544 msgid "You are not currently attached to a network." @@ -133,7 +136,7 @@ msgstr "" #: controlpanel.cpp:550 msgid "Error: Invalid network." -msgstr "" +msgstr "Errore: Network non valido." #: controlpanel.cpp:594 msgid "Usage: SetNetwork " @@ -145,16 +148,18 @@ msgstr "" #: controlpanel.cpp:681 msgid "Error: User {1} already has a channel named {2}." -msgstr "" +msgstr "Errore: L'utente {1} ha già un canale di nome {2}." #: controlpanel.cpp:688 msgid "Channel {1} for user {2} added to network {3}." -msgstr "" +msgstr "Il canale {1} per l'utente {2} è stato aggiunto al network {3}." #: controlpanel.cpp:692 msgid "" "Could not add channel {1} for user {2} to network {3}, does it already exist?" msgstr "" +"Impossibile aggiungere il canale {1} all'utente {2} sul network {3}, esiste " +"già?" #: controlpanel.cpp:702 msgid "Usage: DelChan " @@ -163,12 +168,14 @@ msgstr "" #: controlpanel.cpp:717 msgid "Error: User {1} does not have any channel matching [{2}] in network {3}" msgstr "" +"Errore: L'utente {1} non ha nessun canale corrispondente a [{2}] nel network " +"{3}" #: controlpanel.cpp:730 msgid "Channel {1} is deleted from network {2} of user {3}" msgid_plural "Channels {1} are deleted from network {2} of user {3}" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "Il canale {1} è eliminato dal network {2} dell'utente {3}" +msgstr[1] "I canali {1} sono eliminati dal network {2} dell'utente {3}" #: controlpanel.cpp:745 msgid "Usage: GetChan " @@ -176,7 +183,7 @@ msgstr "" #: controlpanel.cpp:759 controlpanel.cpp:823 msgid "Error: No channels matching [{1}] found." -msgstr "" +msgstr "Errore: Nessun canale corrispondente a [{1}] è stato trovato." #: controlpanel.cpp:808 msgid "Usage: SetChan " @@ -185,17 +192,17 @@ msgstr "" #: controlpanel.cpp:889 controlpanel.cpp:899 msgctxt "listusers" msgid "Username" -msgstr "" +msgstr "Nome utente" #: controlpanel.cpp:890 controlpanel.cpp:900 msgctxt "listusers" msgid "Realname" -msgstr "" +msgstr "Nome reale" #: controlpanel.cpp:891 controlpanel.cpp:903 controlpanel.cpp:905 msgctxt "listusers" msgid "IsAdmin" -msgstr "" +msgstr "è Admin" #: controlpanel.cpp:892 controlpanel.cpp:906 msgctxt "listusers" @@ -205,7 +212,7 @@ msgstr "" #: controlpanel.cpp:893 controlpanel.cpp:907 msgctxt "listusers" msgid "AltNick" -msgstr "" +msgstr "Nick alternativo" #: controlpanel.cpp:894 controlpanel.cpp:908 msgctxt "listusers" @@ -228,6 +235,7 @@ msgstr "" #: controlpanel.cpp:919 controlpanel.cpp:988 msgid "Error: You need to have admin rights to add new users!" msgstr "" +"Errore: Devi avere i diritti di amministratore per aggiungere nuovi utenti!" #: controlpanel.cpp:925 msgid "Usage: AddUser " @@ -235,11 +243,11 @@ msgstr "" #: controlpanel.cpp:930 msgid "Error: User {1} already exists!" -msgstr "" +msgstr "Errore: L'utente {1} è già esistente!" #: controlpanel.cpp:942 controlpanel.cpp:1017 msgid "Error: User not added: {1}" -msgstr "" +msgstr "Errore: Utente non aggiunto: {1}" #: controlpanel.cpp:946 controlpanel.cpp:1021 msgid "User {1} added!" @@ -248,6 +256,7 @@ msgstr "" #: controlpanel.cpp:953 msgid "Error: You need to have admin rights to delete users!" msgstr "" +"Errore: Devi avere i diritti di amministratore per rimuovere gli utenti!" #: controlpanel.cpp:959 msgid "Usage: DelUser " @@ -255,11 +264,11 @@ msgstr "" #: controlpanel.cpp:971 msgid "Error: You can't delete yourself!" -msgstr "" +msgstr "Errore: Non puoi eliminare te stesso!" #: controlpanel.cpp:977 msgid "Error: Internal error!" -msgstr "" +msgstr "Errore: Errore interno!" #: controlpanel.cpp:981 msgid "User {1} deleted!" @@ -271,7 +280,7 @@ msgstr "" #: controlpanel.cpp:1011 msgid "Error: Cloning failed: {1}" -msgstr "" +msgstr "Errore: Clonazione fallita: {1}" #: controlpanel.cpp:1040 msgid "Usage: AddNetwork [user] network" @@ -282,18 +291,21 @@ msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks using /znc DelNetwork " msgstr "" +"Numero limite di network raggiunto. Chiedi ad un amministratore di aumentare " +"il limite per te, oppure elimina i network non necessari usando /znc " +"DelNetwork " #: controlpanel.cpp:1054 msgid "Error: User {1} already has a network with the name {2}" -msgstr "" +msgstr "Errore: L'utente {1} ha già un network con il nome {2}" #: controlpanel.cpp:1061 msgid "Network {1} added to user {2}." -msgstr "" +msgstr "Il network {1} è stato aggiunto all'utente {2}." #: controlpanel.cpp:1065 msgid "Error: Network [{1}] could not be added for user {2}: {3}" -msgstr "" +msgstr "Errore: Il network [{1}] non può essere aggiunto per l'utente {2}: {3}" #: controlpanel.cpp:1085 msgid "Usage: DelNetwork [user] network" @@ -305,11 +317,11 @@ msgstr "" #: controlpanel.cpp:1102 msgid "Network {1} deleted for user {2}." -msgstr "" +msgstr "Il network {1} è stato rimosso per l'utente {2}." #: controlpanel.cpp:1106 msgid "Error: Network {1} could not be deleted for user {2}." -msgstr "" +msgstr "Errore: Il network {1} non può essere eliminato per l'utente {2}." #: controlpanel.cpp:1125 controlpanel.cpp:1133 msgctxt "listnetworks" @@ -319,22 +331,22 @@ msgstr "" #: controlpanel.cpp:1126 controlpanel.cpp:1135 controlpanel.cpp:1143 msgctxt "listnetworks" msgid "OnIRC" -msgstr "" +msgstr "Su IRC" #: controlpanel.cpp:1127 controlpanel.cpp:1136 msgctxt "listnetworks" msgid "IRC Server" -msgstr "" +msgstr "Server IRC" #: controlpanel.cpp:1128 controlpanel.cpp:1138 msgctxt "listnetworks" msgid "IRC User" -msgstr "" +msgstr "Utente IRC" #: controlpanel.cpp:1129 controlpanel.cpp:1140 msgctxt "listnetworks" msgid "Channels" -msgstr "" +msgstr "Canali" #: controlpanel.cpp:1148 msgid "No networks" @@ -346,11 +358,13 @@ msgstr "" #: controlpanel.cpp:1173 msgid "Added IRC Server {1} to network {2} for user {3}." -msgstr "" +msgstr "Aggiunto il Server IRC {1} del network {2} per l'utente {3}." #: controlpanel.cpp:1177 msgid "Error: Could not add IRC server {1} to network {2} for user {3}." msgstr "" +"Errore: Impossibile aggiungere il server IRC {1} al network {2} per l'utente " +"{3}." #: controlpanel.cpp:1190 msgid "Usage: DelServer [[+]port] [password]" @@ -358,11 +372,13 @@ msgstr "" #: controlpanel.cpp:1205 msgid "Deleted IRC Server {1} from network {2} for user {3}." -msgstr "" +msgstr "Eliminato il Server IRC {1} del network {2} per l'utente {3}." #: controlpanel.cpp:1209 msgid "Error: Could not delete IRC server {1} from network {2} for user {3}." msgstr "" +"Errore: Impossibile eliminare il server IRC {1} dal network {2} per l'utente " +"{3}." #: controlpanel.cpp:1219 msgid "Usage: Reconnect " @@ -378,17 +394,17 @@ msgstr "" #: controlpanel.cpp:1270 msgid "Closed IRC connection for network {1} of user {2}." -msgstr "" +msgstr "Chisa la connessione IRC al network {1} dell'utente {2}." #: controlpanel.cpp:1285 controlpanel.cpp:1290 msgctxt "listctcp" msgid "Request" -msgstr "" +msgstr "Richiesta" #: controlpanel.cpp:1286 controlpanel.cpp:1291 msgctxt "listctcp" msgid "Reply" -msgstr "" +msgstr "Rispondere" #: controlpanel.cpp:1295 msgid "No CTCP replies for user {1} are configured" @@ -396,7 +412,7 @@ msgstr "" #: controlpanel.cpp:1298 msgid "CTCP replies for user {1}:" -msgstr "" +msgstr "Le risposte CTCP per l'utente {1}:" #: controlpanel.cpp:1314 msgid "Usage: AddCTCP [user] [request] [reply]" @@ -409,15 +425,15 @@ msgstr "" #: controlpanel.cpp:1319 msgid "An empty reply will cause the CTCP request to be blocked." -msgstr "" +msgstr "Una risposta vuota causerà il blocco della richiesta CTCP." #: controlpanel.cpp:1328 msgid "CTCP requests {1} to user {2} will now be blocked." -msgstr "" +msgstr "Le richieste CTCP {1} all'utente {2} verranno ora bloccate." #: controlpanel.cpp:1332 msgid "CTCP requests {1} to user {2} will now get reply: {3}" -msgstr "" +msgstr "Le richieste CTCP {1} all'utente {2} ora avranno risposta: {3}" #: controlpanel.cpp:1349 msgid "Usage: DelCTCP [user] [request]" @@ -426,28 +442,31 @@ msgstr "" #: controlpanel.cpp:1355 msgid "CTCP requests {1} to user {2} will now be sent to IRC clients" msgstr "" +"Le richieste CTCP {1} all'utente {2} verranno ora inviate al client IRC" #: controlpanel.cpp:1359 msgid "" "CTCP requests {1} to user {2} will be sent to IRC clients (nothing has " "changed)" msgstr "" +"Le richieste CTCP {1} all'utente {2} verranno inviate ai client IRC (nulla è " +"cambiato)" #: controlpanel.cpp:1369 controlpanel.cpp:1443 msgid "Loading modules has been disabled." -msgstr "" +msgstr "Il caricamento dei moduli è stato disabilitato." #: controlpanel.cpp:1378 msgid "Error: Unable to load module {1}: {2}" -msgstr "" +msgstr "Errore: Impossibile caricare il modulo {1}: {2}" #: controlpanel.cpp:1381 msgid "Loaded module {1}" -msgstr "" +msgstr "Modulo caricato {1}" #: controlpanel.cpp:1386 msgid "Error: Unable to reload module {1}: {2}" -msgstr "" +msgstr "Errore: Impossibile ricaricare il modulo {1}: {2}" #: controlpanel.cpp:1389 msgid "Reloaded module {1}" @@ -455,7 +474,7 @@ msgstr "" #: controlpanel.cpp:1393 msgid "Error: Unable to load module {1} because it is already loaded" -msgstr "" +msgstr "Errore: Impossibile caricare il modulo {1} perché è già stato caricato" #: controlpanel.cpp:1404 msgid "Usage: LoadModule [args]" @@ -471,7 +490,7 @@ msgstr "" #: controlpanel.cpp:1454 msgid "Error: Unable to unload module {1}: {2}" -msgstr "" +msgstr "Errore: Impossibile rimunovere il modulo {1}: {2}" #: controlpanel.cpp:1457 msgid "Unloaded module {1}" @@ -488,12 +507,12 @@ msgstr "" #: controlpanel.cpp:1500 controlpanel.cpp:1506 msgctxt "listmodules" msgid "Name" -msgstr "" +msgstr "Nome" #: controlpanel.cpp:1501 controlpanel.cpp:1507 msgctxt "listmodules" msgid "Arguments" -msgstr "" +msgstr "Argomenti" #: controlpanel.cpp:1526 msgid "User {1} has no modules loaded." @@ -501,19 +520,19 @@ msgstr "" #: controlpanel.cpp:1530 msgid "Modules loaded for user {1}:" -msgstr "" +msgstr "Moduli caricati per l'utente {1}:" #: controlpanel.cpp:1550 msgid "Network {1} of user {2} has no modules loaded." -msgstr "" +msgstr "Il network {1} dell'utente {2} non ha moduli caricati." #: controlpanel.cpp:1555 msgid "Modules loaded for network {1} of user {2}:" -msgstr "" +msgstr "Moduli caricati per il network {1} dell'utente {2}:" #: controlpanel.cpp:1562 msgid "[command] [variable]" -msgstr "" +msgstr "[comando] [variabile]" #: controlpanel.cpp:1563 msgid "Prints help for matching commands and variables" @@ -521,7 +540,7 @@ msgstr "" #: controlpanel.cpp:1566 msgid " [username]" -msgstr "" +msgstr " [nome utente]" #: controlpanel.cpp:1567 msgid "Prints the variable's value for the given or current user" @@ -529,7 +548,7 @@ msgstr "" #: controlpanel.cpp:1569 msgid " " -msgstr "" +msgstr " " #: controlpanel.cpp:1570 msgid "Sets the variable's value for the given user" @@ -537,7 +556,7 @@ msgstr "" #: controlpanel.cpp:1572 msgid " [username] [network]" -msgstr "" +msgstr " [nome utente] [network]" #: controlpanel.cpp:1573 msgid "Prints the variable's value for the given network" @@ -545,7 +564,7 @@ msgstr "" #: controlpanel.cpp:1575 msgid " " -msgstr "" +msgstr " " #: controlpanel.cpp:1576 msgid "Sets the variable's value for the given network" @@ -553,7 +572,7 @@ msgstr "" #: controlpanel.cpp:1578 msgid " [username] " -msgstr "" +msgstr " [nome utente] " #: controlpanel.cpp:1579 msgid "Prints the variable's value for the given channel" @@ -561,7 +580,7 @@ msgstr "" #: controlpanel.cpp:1582 msgid " " -msgstr "" +msgstr " " #: controlpanel.cpp:1583 msgid "Sets the variable's value for the given channel" @@ -569,79 +588,79 @@ msgstr "" #: controlpanel.cpp:1585 controlpanel.cpp:1588 msgid " " -msgstr "" +msgstr " " #: controlpanel.cpp:1586 msgid "Adds a new channel" -msgstr "" +msgstr "Aggiunge un nuovo canale" #: controlpanel.cpp:1589 msgid "Deletes a channel" -msgstr "" +msgstr "Elimina un canale" #: controlpanel.cpp:1591 msgid "Lists users" -msgstr "" +msgstr "Elenca gli utenti" #: controlpanel.cpp:1593 msgid " " -msgstr "" +msgstr " " #: controlpanel.cpp:1594 msgid "Adds a new user" -msgstr "" +msgstr "Aggiunge un nuovo utente" #: controlpanel.cpp:1596 controlpanel.cpp:1619 controlpanel.cpp:1633 msgid "" -msgstr "" +msgstr "" #: controlpanel.cpp:1596 msgid "Deletes a user" -msgstr "" +msgstr "Elimina un utente" #: controlpanel.cpp:1598 msgid " " -msgstr "" +msgstr " " #: controlpanel.cpp:1599 msgid "Clones a user" -msgstr "" +msgstr "Clona un utente" #: controlpanel.cpp:1601 controlpanel.cpp:1604 msgid " " -msgstr "" +msgstr " " #: controlpanel.cpp:1602 msgid "Adds a new IRC server for the given or current user" -msgstr "" +msgstr "Aggiunge un nuovo server IRC all'utente specificato o corrente" #: controlpanel.cpp:1605 msgid "Deletes an IRC server from the given or current user" -msgstr "" +msgstr "Elimina un server IRC dall'utente specificato o corrente" #: controlpanel.cpp:1607 controlpanel.cpp:1610 controlpanel.cpp:1630 msgid " " -msgstr "" +msgstr " " #: controlpanel.cpp:1608 msgid "Cycles the user's IRC server connection" -msgstr "" +msgstr "Cicla all'utente la connessione al server IRC" #: controlpanel.cpp:1611 msgid "Disconnects the user from their IRC server" -msgstr "" +msgstr "Disconnette l'utente dal proprio server IRC" #: controlpanel.cpp:1613 msgid " [args]" -msgstr "" +msgstr " [argomenmti]" #: controlpanel.cpp:1614 msgid "Loads a Module for a user" -msgstr "" +msgstr "Carica un modulo per un utente" #: controlpanel.cpp:1616 msgid " " -msgstr "" +msgstr " " #: controlpanel.cpp:1617 msgid "Removes a Module of a user" @@ -649,19 +668,19 @@ msgstr "" #: controlpanel.cpp:1620 msgid "Get the list of modules for a user" -msgstr "" +msgstr "Mostra un elenco dei moduli caricati di un utente" #: controlpanel.cpp:1623 msgid " [args]" -msgstr "" +msgstr " [argomenti]" #: controlpanel.cpp:1624 msgid "Loads a Module for a network" -msgstr "" +msgstr "Carica un modulo per un network" #: controlpanel.cpp:1627 msgid " " -msgstr "" +msgstr " " #: controlpanel.cpp:1628 msgid "Removes a Module of a network" @@ -669,23 +688,23 @@ msgstr "" #: controlpanel.cpp:1631 msgid "Get the list of modules for a network" -msgstr "" +msgstr "Mostra un elenco dei moduli caricati di un network" #: controlpanel.cpp:1634 msgid "List the configured CTCP replies" -msgstr "" +msgstr "Elenco delle risposte configurate per il CTCP" #: controlpanel.cpp:1636 msgid " [reply]" -msgstr "" +msgstr " [risposta]" #: controlpanel.cpp:1637 msgid "Configure a new CTCP reply" -msgstr "" +msgstr "Configura una nuova risposta CTCP" #: controlpanel.cpp:1639 msgid " " -msgstr "" +msgstr " " #: controlpanel.cpp:1640 msgid "Remove a CTCP reply" @@ -693,26 +712,28 @@ msgstr "" #: controlpanel.cpp:1644 controlpanel.cpp:1647 msgid "[username] " -msgstr "" +msgstr "[nome utente] " #: controlpanel.cpp:1645 msgid "Add a network for a user" -msgstr "" +msgstr "Aggiune un network ad un utente" #: controlpanel.cpp:1648 msgid "Delete a network for a user" -msgstr "" +msgstr "Elimina un network ad un utente" #: controlpanel.cpp:1650 msgid "[username]" -msgstr "" +msgstr "[nome utente]" #: controlpanel.cpp:1651 msgid "List all networks for a user" -msgstr "" +msgstr "Elenca tutti i networks di un utente" #: controlpanel.cpp:1664 msgid "" "Dynamic configuration through IRC. Allows editing only yourself if you're " "not ZNC admin." msgstr "" +"Configurazione dinamica attraverso IRC. Permette di modficare solo se stessi " +"quando non si è amministratori ZNC." From 0589ed5d59c709143e63add5d7b57e6d110f2955 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Mon, 15 Jul 2019 21:45:02 +0000 Subject: [PATCH 278/798] Update translations from Crowdin for it_IT --- modules/po/autovoice.it_IT.po | 37 ++--- modules/po/awaystore.it_IT.po | 40 +++--- modules/po/block_motd.it_IT.po | 10 +- modules/po/blockuser.it_IT.po | 38 ++--- modules/po/bouncedcc.it_IT.po | 29 ++-- modules/po/buffextras.it_IT.po | 12 +- modules/po/cert.it_IT.po | 29 ++-- modules/po/certauth.it_IT.po | 37 ++--- modules/po/chansaver.it_IT.po | 2 +- modules/po/clearbufferonmsg.it_IT.po | 2 + modules/po/clientnotify.it_IT.po | 26 ++-- modules/po/controlpanel.it_IT.po | 199 +++++++++++++++------------ 12 files changed, 261 insertions(+), 200 deletions(-) diff --git a/modules/po/autovoice.it_IT.po b/modules/po/autovoice.it_IT.po index 1d4c22d3..8ec46e47 100644 --- a/modules/po/autovoice.it_IT.po +++ b/modules/po/autovoice.it_IT.po @@ -18,19 +18,19 @@ msgstr "Elenca tutti gli utenti" #: autovoice.cpp:122 autovoice.cpp:125 msgid " [channel] ..." -msgstr "" +msgstr " [canale] ..." #: autovoice.cpp:123 msgid "Adds channels to a user" -msgstr "" +msgstr "Aggiunge canali ad un utente" #: autovoice.cpp:126 msgid "Removes channels from a user" -msgstr "" +msgstr "Rimuove canali ad un utente" #: autovoice.cpp:128 msgid " [channels]" -msgstr "" +msgstr " [canali]" #: autovoice.cpp:129 msgid "Adds a user" @@ -38,7 +38,7 @@ msgstr "Aggiungi un utente" #: autovoice.cpp:131 msgid "" -msgstr "" +msgstr "" #: autovoice.cpp:131 msgid "Removes a user" @@ -46,15 +46,15 @@ msgstr "Rimuovi un utente" #: autovoice.cpp:215 msgid "Usage: AddUser [channels]" -msgstr "" +msgstr "Usa: AddUser [canali]" #: autovoice.cpp:229 msgid "Usage: DelUser " -msgstr "" +msgstr "Usa: DelUser " #: autovoice.cpp:238 msgid "There are no users defined" -msgstr "" +msgstr "Non ci sono utenti definiti" #: autovoice.cpp:244 autovoice.cpp:250 msgid "User" @@ -62,7 +62,7 @@ msgstr "Utente" #: autovoice.cpp:245 autovoice.cpp:251 msgid "Hostmask" -msgstr "" +msgstr "Hostmask" #: autovoice.cpp:246 autovoice.cpp:252 msgid "Channels" @@ -70,7 +70,7 @@ msgstr "Canali" #: autovoice.cpp:263 msgid "Usage: AddChans [channel] ..." -msgstr "" +msgstr "Usa: AddChans [canale] ..." #: autovoice.cpp:270 autovoice.cpp:292 autovoice.cpp:329 msgid "No such user" @@ -78,34 +78,37 @@ msgstr "Utente non presente" #: autovoice.cpp:275 msgid "Channel(s) added to user {1}" -msgstr "" +msgstr "Canale(i) aggiunti all'utente {1}" #: autovoice.cpp:285 msgid "Usage: DelChans [channel] ..." -msgstr "" +msgstr "Usa: DelChans [canale] ..." #: autovoice.cpp:298 msgid "Channel(s) Removed from user {1}" -msgstr "" +msgstr "Canale(i) rimossi dall'utente {1}" #: autovoice.cpp:335 msgid "User {1} removed" -msgstr "" +msgstr "L'utente {1} è stato rimosso" #: autovoice.cpp:341 msgid "That user already exists" -msgstr "" +msgstr "Questo utente è già esistente" #: autovoice.cpp:347 msgid "User {1} added with hostmask {2}" -msgstr "" +msgstr "L'utente {1} è stato aggiunto con la seguente hostmask {2}" #: autovoice.cpp:360 msgid "" "Each argument is either a channel you want autovoice for (which can include " "wildcards) or, if it starts with !, it is an exception for autovoice." msgstr "" +"Ogni argomento è o un canale per il quale si vuole l'autovoice (che può " +"includere caratteri jolly) o, se inizia con !, è un'eccezione per " +"l'autovoice." #: autovoice.cpp:365 msgid "Auto voice the good people" -msgstr "" +msgstr "Assegna automaticamente il voice alle buone persone" diff --git a/modules/po/awaystore.it_IT.po b/modules/po/awaystore.it_IT.po index 6fd1e31c..2fe7b7d3 100644 --- a/modules/po/awaystore.it_IT.po +++ b/modules/po/awaystore.it_IT.po @@ -14,7 +14,7 @@ msgstr "" #: awaystore.cpp:67 msgid "You have been marked as away" -msgstr "" +msgstr "Sei contrassegnato come assente" #: awaystore.cpp:78 awaystore.cpp:385 awaystore.cpp:388 msgid "Welcome back!" @@ -22,23 +22,23 @@ msgstr "Bentornato!" #: awaystore.cpp:100 msgid "Deleted {1} messages" -msgstr "" +msgstr "Eliminato {1} messaggi" #: awaystore.cpp:104 msgid "USAGE: delete " -msgstr "" +msgstr "USA: delete " #: awaystore.cpp:109 msgid "Illegal message # requested" -msgstr "" +msgstr "Messaggio illegale # richiesto" #: awaystore.cpp:113 msgid "Message erased" -msgstr "" +msgstr "Messaggio cancellato" #: awaystore.cpp:122 msgid "Messages saved to disk" -msgstr "" +msgstr "Messaggi salvati su disco" #: awaystore.cpp:124 msgid "There are no messages to save" @@ -46,23 +46,23 @@ msgstr "Non sono presenti messaggi da salvare" #: awaystore.cpp:135 msgid "Password updated to [{1}]" -msgstr "" +msgstr "Password aggiornata a [{1}]" #: awaystore.cpp:147 msgid "Corrupt message! [{1}]" -msgstr "" +msgstr "Messaggio corrotto! [{1}]" #: awaystore.cpp:159 msgid "Corrupt time stamp! [{1}]" -msgstr "" +msgstr "Time stamp corrotto! [{1}]" #: awaystore.cpp:178 msgid "#--- End of messages" -msgstr "" +msgstr "#--- Fine dei messaggi" #: awaystore.cpp:183 msgid "Timer set to 300 seconds" -msgstr "" +msgstr "Timer impostato a 300 secondi" #: awaystore.cpp:188 awaystore.cpp:197 msgid "Timer disabled" @@ -70,41 +70,49 @@ msgstr "Timer disabilitato" #: awaystore.cpp:199 msgid "Timer set to {1} seconds" -msgstr "" +msgstr "Timer impostato a {1} secondi" #: awaystore.cpp:203 msgid "Current timer setting: {1} seconds" -msgstr "" +msgstr "Impostazioni dell'ora corrente: {1} secondi" #: awaystore.cpp:278 msgid "This module needs as an argument a keyphrase used for encryption" msgstr "" +"Questo mudulo necessita di un argomento come frase chiave utilizzata per la " +"crittografia" #: awaystore.cpp:285 msgid "" "Failed to decrypt your saved messages - Did you give the right encryption " "key as an argument to this module?" msgstr "" +"Impossibile decrittografare i messaggi salvati. Hai fornito la chiave di " +"crittografia giusta come argomento per questo modulo?" #: awaystore.cpp:386 awaystore.cpp:389 msgid "You have {1} messages!" -msgstr "" +msgstr "Hai {1} messaggi!" #: awaystore.cpp:456 msgid "Unable to find buffer" -msgstr "" +msgstr "Impossibile trovare il buffer" #: awaystore.cpp:469 msgid "Unable to decode encrypted messages" -msgstr "" +msgstr "Impossibile decodificare i messaggi crittografati" #: awaystore.cpp:516 msgid "" "[ -notimer | -timer N ] [-chans] passw0rd . N is number of seconds, 600 by " "default." msgstr "" +"[ -notimer | -timer N ] [-chans] passw0rd . N è il numero di secondi, 600 " +"di default." #: awaystore.cpp:521 msgid "" "Adds auto-away with logging, useful when you use ZNC from different locations" msgstr "" +"Aggiunge un auto-away con logging, utile quando si utilizza lo ZNC da " +"diverse posizioni" diff --git a/modules/po/block_motd.it_IT.po b/modules/po/block_motd.it_IT.po index 51fca55c..25e241e9 100644 --- a/modules/po/block_motd.it_IT.po +++ b/modules/po/block_motd.it_IT.po @@ -14,22 +14,24 @@ msgstr "" #: block_motd.cpp:26 msgid "[]" -msgstr "" +msgstr "[]" #: block_motd.cpp:27 msgid "" "Override the block with this command. Can optionally specify which server to " "query." msgstr "" +"Oltrepassa il blocco con questo comando. Opzionalmente puoi specificare " +"quale server interrogare." #: block_motd.cpp:36 msgid "You are not connected to an IRC Server." -msgstr "" +msgstr "Non sei connesso ad un server IRC." #: block_motd.cpp:58 msgid "MOTD blocked by ZNC" -msgstr "" +msgstr "MOTD bloccato dallo ZNC" #: block_motd.cpp:104 msgid "Block the MOTD from IRC so it's not sent to your client(s)." -msgstr "" +msgstr "Blocca il MOTD da IRC in modo che non venga inviato ai tuoi client." diff --git a/modules/po/blockuser.it_IT.po b/modules/po/blockuser.it_IT.po index 00368c13..5d5a188c 100644 --- a/modules/po/blockuser.it_IT.po +++ b/modules/po/blockuser.it_IT.po @@ -14,31 +14,31 @@ msgstr "" #: modules/po/../data/blockuser/tmpl/blockuser_WebadminUser.tmpl:9 msgid "Account is blocked" -msgstr "" +msgstr "L'account è bloccato" #: blockuser.cpp:23 msgid "Your account has been disabled. Contact your administrator." -msgstr "" +msgstr "Il tuo account è stato disabilitato. Contatta il tuo amministratore." #: blockuser.cpp:29 msgid "List blocked users" -msgstr "" +msgstr "Elenco utenti bloccati" #: blockuser.cpp:31 blockuser.cpp:33 msgid "" -msgstr "" +msgstr "" #: blockuser.cpp:31 msgid "Block a user" -msgstr "" +msgstr "Blocca un utente" #: blockuser.cpp:33 msgid "Unblock a user" -msgstr "" +msgstr "Sblocca un utente" #: blockuser.cpp:55 msgid "Could not block {1}" -msgstr "" +msgstr "Impossibile bloccare {1}" #: blockuser.cpp:76 msgid "Access denied" @@ -46,7 +46,7 @@ msgstr "Accesso negato" #: blockuser.cpp:85 msgid "No users are blocked" -msgstr "" +msgstr "Nessun utente bloccato" #: blockuser.cpp:88 msgid "Blocked users:" @@ -54,44 +54,44 @@ msgstr "Utenti bloccati:" #: blockuser.cpp:100 msgid "Usage: Block " -msgstr "" +msgstr "Usa: Block " #: blockuser.cpp:105 blockuser.cpp:147 msgid "You can't block yourself" -msgstr "" +msgstr "Non puoi bloccare te stesso" #: blockuser.cpp:110 blockuser.cpp:152 msgid "Blocked {1}" -msgstr "" +msgstr "Bloccato {1}" #: blockuser.cpp:112 msgid "Could not block {1} (misspelled?)" -msgstr "" +msgstr "Impossibile bloccare {1} (errore di ortografia?)" #: blockuser.cpp:120 msgid "Usage: Unblock " -msgstr "" +msgstr "Usa: Unblock " #: blockuser.cpp:125 blockuser.cpp:161 msgid "Unblocked {1}" -msgstr "" +msgstr "Sbloccato {1}" #: blockuser.cpp:127 msgid "This user is not blocked" -msgstr "" +msgstr "Questo utente non è bloccato" #: blockuser.cpp:155 msgid "Couldn't block {1}" -msgstr "" +msgstr "Impossibile bloccare {1}" #: blockuser.cpp:164 msgid "User {1} is not blocked" -msgstr "" +msgstr "L'utente {1} non è bloccato" #: blockuser.cpp:216 msgid "Enter one or more user names. Separate them by spaces." -msgstr "" +msgstr "Inserisci uno o più nomi utente. Seprali da uno spazio." #: blockuser.cpp:219 msgid "Block certain users from logging in." -msgstr "" +msgstr "Blocca determinati utenti a partire dal login." diff --git a/modules/po/bouncedcc.it_IT.po b/modules/po/bouncedcc.it_IT.po index 29cdfb40..0031f566 100644 --- a/modules/po/bouncedcc.it_IT.po +++ b/modules/po/bouncedcc.it_IT.po @@ -54,11 +54,11 @@ msgstr "" #: bouncedcc.cpp:125 msgid "Waiting" -msgstr "" +msgstr "In attesa" #: bouncedcc.cpp:127 msgid "Halfway" -msgstr "" +msgstr "A metà strada (Halfway)" #: bouncedcc.cpp:129 msgid "Connected" @@ -66,19 +66,19 @@ msgstr "Connesso" #: bouncedcc.cpp:137 msgid "You have no active DCCs." -msgstr "" +msgstr "Non hai DCCs attive." #: bouncedcc.cpp:148 msgid "Use client IP: {1}" -msgstr "" +msgstr "Usa client IP: {1}" #: bouncedcc.cpp:153 msgid "List all active DCCs" -msgstr "" +msgstr "Elenco di tutte le DCCs attive" #: bouncedcc.cpp:156 msgid "Change the option to use IP of client" -msgstr "" +msgstr "Cambia l'opzione per utilizzare l'indirizzo IP del client" #: bouncedcc.cpp:383 bouncedcc.cpp:412 bouncedcc.cpp:436 bouncedcc.cpp:451 msgctxt "type" @@ -92,40 +92,47 @@ msgstr "" #: bouncedcc.cpp:385 msgid "DCC {1} Bounce ({2}): Too long line received" -msgstr "" +msgstr "DCC {1} Bounce ({2}): Linea ricevuta troppo lunga" #: bouncedcc.cpp:418 msgid "DCC {1} Bounce ({2}): Timeout while connecting to {3} {4}" msgstr "" +"DCC {1} Bounce ({2}): (Timeout) Tempo scaduto durante la connessione a {3} " +"{4}" #: bouncedcc.cpp:422 msgid "DCC {1} Bounce ({2}): Timeout while connecting." -msgstr "" +msgstr "DCC {1} Bounce ({2}): (Timeout) Tempo scaduto durante la connessione." #: bouncedcc.cpp:427 msgid "" "DCC {1} Bounce ({2}): Timeout while waiting for incoming connection on {3} " "{4}" msgstr "" +"DCC {1} Bounce ({2}): (Timeout) Tempo scaduto in attesa della connessione in " +"arrivo {3} {4}" #: bouncedcc.cpp:440 msgid "DCC {1} Bounce ({2}): Connection refused while connecting to {3} {4}" msgstr "" +"DCC {1} Bounce ({2}): Connessione rifiutata durante la connessione a {3} {4}" #: bouncedcc.cpp:444 msgid "DCC {1} Bounce ({2}): Connection refused while connecting." -msgstr "" +msgstr "DCC {1} Bounce ({2}): Connessione rifiutata durante la connessione." #: bouncedcc.cpp:457 bouncedcc.cpp:465 msgid "DCC {1} Bounce ({2}): Socket error on {3} {4}: {5}" -msgstr "" +msgstr "DCC {1} Bounce ({2}): Errore di socket su {3} {4}: {5}" #: bouncedcc.cpp:460 msgid "DCC {1} Bounce ({2}): Socket error: {3}" -msgstr "" +msgstr "DCC {1} Bounce ({2}): Errore socket: {3}" #: bouncedcc.cpp:547 msgid "" "Bounces DCC transfers through ZNC instead of sending them directly to the " "user. " msgstr "" +"Rimuove/Rimbalza i trasferimenti DCC tramite ZNC invece di inviarli " +"direttamente all'utente." diff --git a/modules/po/buffextras.it_IT.po b/modules/po/buffextras.it_IT.po index b5a84b22..59aaa45a 100644 --- a/modules/po/buffextras.it_IT.po +++ b/modules/po/buffextras.it_IT.po @@ -18,11 +18,11 @@ msgstr "" #: buffextras.cpp:47 msgid "{1} set mode: {2} {3}" -msgstr "" +msgstr "{1} imposta i mode: {2} {3}" #: buffextras.cpp:55 msgid "{1} kicked {2} with reason: {3}" -msgstr "" +msgstr "{1} kicked {2} per questo motivo: {3}" #: buffextras.cpp:64 msgid "{1} quit: {2}" @@ -34,16 +34,16 @@ msgstr "{1} è entrato" #: buffextras.cpp:81 msgid "{1} parted: {2}" -msgstr "" +msgstr "{1} esce da: {2}" #: buffextras.cpp:90 msgid "{1} is now known as {2}" -msgstr "" +msgstr "{1} è ora conosciuto come {2}" #: buffextras.cpp:100 msgid "{1} changed the topic to: {2}" -msgstr "" +msgstr "{1} ha cambiato il topic in: {2}" #: buffextras.cpp:115 msgid "Adds joins, parts etc. to the playback buffer" -msgstr "" +msgstr "Aggiugne joins, parts eccetera al buffer del playback" diff --git a/modules/po/cert.it_IT.po b/modules/po/cert.it_IT.po index b057d0bd..6085c2ed 100644 --- a/modules/po/cert.it_IT.po +++ b/modules/po/cert.it_IT.po @@ -15,7 +15,7 @@ msgstr "" # this text is inserted into `click here` in the other string #: modules/po/../data/cert/tmpl/index.tmpl:5 msgid "here" -msgstr "" +msgstr "qui" # {1} is `here`, translateable in the other string #: modules/po/../data/cert/tmpl/index.tmpl:6 @@ -23,53 +23,60 @@ msgid "" "You already have a certificate set, use the form below to overwrite the " "current certificate. Alternatively click {1} to delete your certificate." msgstr "" +"Hai già un certificato impostato, utilizza il modulo sottostante per " +"sovrascrivere il certificato corrente. In alternativa, fai click su {1} per " +"eliminare il certificato." #: modules/po/../data/cert/tmpl/index.tmpl:8 msgid "You do not have a certificate yet." -msgstr "" +msgstr "Non hai ancora un certificato." #: modules/po/../data/cert/tmpl/index.tmpl:14 cert.cpp:72 msgid "Certificate" -msgstr "" +msgstr "Certificato" #: modules/po/../data/cert/tmpl/index.tmpl:18 msgid "PEM File:" -msgstr "" +msgstr "File PEM:" #: modules/po/../data/cert/tmpl/index.tmpl:22 msgid "Update" -msgstr "" +msgstr "Aggiornare" #: cert.cpp:28 msgid "Pem file deleted" -msgstr "" +msgstr "Pem file eliminato" #: cert.cpp:31 msgid "The pem file doesn't exist or there was a error deleting the pem file." msgstr "" +"Il file pem non esiste o si è verificato un errore durante l'eliminazione " +"del file pem." #: cert.cpp:38 msgid "You have a certificate in {1}" -msgstr "" +msgstr "Hai un certificato in {1}" #: cert.cpp:41 msgid "" "You do not have a certificate. Please use the web interface to add a " "certificate" msgstr "" +"Non hai un certificato. Per favore usa l'interfaccia web per aggiungere un " +"certificato" #: cert.cpp:44 msgid "Alternatively you can either place one at {1}" -msgstr "" +msgstr "In alternativa puoi metterne uno a {1}" #: cert.cpp:52 msgid "Delete the current certificate" -msgstr "" +msgstr "Elimina il certificato corrente" #: cert.cpp:54 msgid "Show the current certificate" -msgstr "" +msgstr "Mostra il certificato corrente" #: cert.cpp:105 msgid "Use a ssl certificate to connect to a server" -msgstr "" +msgstr "Utilizza un certificato ssl per connetterti al server" diff --git a/modules/po/certauth.it_IT.po b/modules/po/certauth.it_IT.po index 016f3427..ccbf90bb 100644 --- a/modules/po/certauth.it_IT.po +++ b/modules/po/certauth.it_IT.po @@ -14,24 +14,24 @@ msgstr "" #: modules/po/../data/certauth/tmpl/index.tmpl:7 msgid "Add a key" -msgstr "" +msgstr "Aggiunge una chiave" #: modules/po/../data/certauth/tmpl/index.tmpl:11 msgid "Key:" -msgstr "Key:" +msgstr "Chiave:" #: modules/po/../data/certauth/tmpl/index.tmpl:15 msgid "Add Key" -msgstr "" +msgstr "Aggiungi chiave" #: modules/po/../data/certauth/tmpl/index.tmpl:23 msgid "You have no keys." -msgstr "" +msgstr "Non hai chiavi." #: modules/po/../data/certauth/tmpl/index.tmpl:30 msgctxt "web" msgid "Key" -msgstr "" +msgstr "Chiave" #: modules/po/../data/certauth/tmpl/index.tmpl:36 msgid "del" @@ -44,56 +44,58 @@ msgstr "" #: certauth.cpp:32 msgid "Add a public key. If key is not provided will use the current key" msgstr "" +"Aggiunge una chiva pubblica. Se non viene fornita alcuna chiave verrà usata " +"la chiave corrente" #: certauth.cpp:35 msgid "id" -msgstr "" +msgstr "id" #: certauth.cpp:35 msgid "Delete a key by its number in List" -msgstr "" +msgstr "Cancella una chiave usando il suo numero in lista" #: certauth.cpp:37 msgid "List your public keys" -msgstr "" +msgstr "Elenco delle tue chiavi pubbliche" #: certauth.cpp:39 msgid "Print your current key" -msgstr "" +msgstr "Stamp la tua chiave attuale" #: certauth.cpp:142 msgid "You are not connected with any valid public key" -msgstr "" +msgstr "Non sei connesso con una chiave pubblica valida" #: certauth.cpp:144 msgid "Your current public key is: {1}" -msgstr "" +msgstr "La tua chiave pubblica corrente è: {1}" #: certauth.cpp:157 msgid "You did not supply a public key or connect with one." -msgstr "" +msgstr "Non hai fornito una chiave pubblica o ti sei connesso con uno." #: certauth.cpp:160 msgid "Key '{1}' added." -msgstr "" +msgstr "Chiave '{1}' aggiunta." #: certauth.cpp:162 msgid "The key '{1}' is already added." -msgstr "" +msgstr "La chiave '{1}' è già stata aggiunta." #: certauth.cpp:170 certauth.cpp:182 msgctxt "list" msgid "Id" -msgstr "" +msgstr "Id" #: certauth.cpp:171 certauth.cpp:183 msgctxt "list" msgid "Key" -msgstr "" +msgstr "Chiave" #: certauth.cpp:175 certauth.cpp:189 certauth.cpp:198 msgid "No keys set for your user" -msgstr "" +msgstr "Nessuna chiave impostata per il tuo utente" #: certauth.cpp:203 msgid "Invalid #, check \"list\"" @@ -106,3 +108,4 @@ msgstr "Rimosso" #: certauth.cpp:290 msgid "Allows users to authenticate via SSL client certificates." msgstr "" +"Permette agli utenti di autenticarsi tramite certificati SSL del client." diff --git a/modules/po/chansaver.it_IT.po b/modules/po/chansaver.it_IT.po index 719d91f9..e6f3c3a8 100644 --- a/modules/po/chansaver.it_IT.po +++ b/modules/po/chansaver.it_IT.po @@ -14,4 +14,4 @@ msgstr "" #: chansaver.cpp:91 msgid "Keeps config up-to-date when user joins/parts." -msgstr "" +msgstr "Mantiente la configurazione aggiornata quando un utente entra/esce." diff --git a/modules/po/clearbufferonmsg.it_IT.po b/modules/po/clearbufferonmsg.it_IT.po index a37b0b1e..9fbc7ec7 100644 --- a/modules/po/clearbufferonmsg.it_IT.po +++ b/modules/po/clearbufferonmsg.it_IT.po @@ -15,3 +15,5 @@ msgstr "" #: clearbufferonmsg.cpp:160 msgid "Clears all channel and query buffers whenever the user does something" msgstr "" +"Svuota il buffer di tutti i canali e di tutte le query ogni volta che " +"l'utente invia qualche cosa" diff --git a/modules/po/clientnotify.it_IT.po b/modules/po/clientnotify.it_IT.po index db81d983..3635efe8 100644 --- a/modules/po/clientnotify.it_IT.po +++ b/modules/po/clientnotify.it_IT.po @@ -14,60 +14,68 @@ msgstr "" #: clientnotify.cpp:47 msgid "" -msgstr "" +msgstr "" #: clientnotify.cpp:48 msgid "Sets the notify method" -msgstr "" +msgstr "Imposta il metodo di notifica" #: clientnotify.cpp:50 clientnotify.cpp:54 msgid "" -msgstr "" +msgstr "" #: clientnotify.cpp:51 msgid "Turns notifications for unseen IP addresses on or off" msgstr "" +"Attiva o disattiva le notifiche per gli indirizzi IP nascosti (ON - OFF)" #: clientnotify.cpp:55 msgid "Turns notifications for clients disconnecting on or off" msgstr "" +"Attiva o disattiva le notifiche per i client che si disconnettono (ON - OFF)" #: clientnotify.cpp:57 msgid "Shows the current settings" -msgstr "" +msgstr "Mostra le impostazioni correnti" #: clientnotify.cpp:81 clientnotify.cpp:95 msgid "" msgid_plural "" "Another client authenticated as your user. Use the 'ListClients' command to " "see all {1} clients." -msgstr[0] "" +msgstr[0] "" msgstr[1] "" +"Un altro client si è autenticato con il tuo nome utente. Utilizza il comando " +"'ListClients' per vedere tutti i {1} clients." #: clientnotify.cpp:108 msgid "Usage: Method " -msgstr "" +msgstr "Usa: Metodo " #: clientnotify.cpp:114 clientnotify.cpp:127 clientnotify.cpp:140 msgid "Saved." -msgstr "" +msgstr "Salvato." #: clientnotify.cpp:121 msgid "Usage: NewOnly " -msgstr "" +msgstr "Usa: NewOnly " #: clientnotify.cpp:134 msgid "Usage: OnDisconnect " -msgstr "" +msgstr "Usa: OnDisconnect " #: clientnotify.cpp:145 msgid "" "Current settings: Method: {1}, for unseen IP addresses only: {2}, notify on " "disconnecting clients: {3}" msgstr "" +"Impostazioni correnti: Metodo: {1}, solo per indirizzi IP non visibili: {2}, " +"notifica la disconnessione dei clients: {3}" #: clientnotify.cpp:157 msgid "" "Notifies you when another IRC client logs into or out of your account. " "Configurable." msgstr "" +"Notifica quando un altro client IRC entra o esce dal tuo account. " +"Configurabile." diff --git a/modules/po/controlpanel.it_IT.po b/modules/po/controlpanel.it_IT.po index 52cfc5d3..2940bf45 100644 --- a/modules/po/controlpanel.it_IT.po +++ b/modules/po/controlpanel.it_IT.po @@ -62,19 +62,20 @@ msgstr "" #: controlpanel.cpp:174 controlpanel.cpp:961 controlpanel.cpp:998 msgid "Error: User [{1}] does not exist!" -msgstr "" +msgstr "Errore: L'utente [{1}] non esiste!" #: controlpanel.cpp:179 msgid "Error: You need to have admin rights to modify other users!" msgstr "" +"Errore: Devi avere i diritti di amministratore per modificare altri utenti!" #: controlpanel.cpp:189 msgid "Error: You cannot use $network to modify other users!" -msgstr "" +msgstr "Errore: Non puoi usare $network per modificare altri utenti!" #: controlpanel.cpp:197 msgid "Error: User {1} does not have a network named [{2}]." -msgstr "" +msgstr "Errore: L'utente {1} non ha un network di nome [{2}]." #: controlpanel.cpp:209 msgid "Usage: Get [username]" @@ -83,7 +84,7 @@ msgstr "" #: controlpanel.cpp:299 controlpanel.cpp:502 controlpanel.cpp:577 #: controlpanel.cpp:653 controlpanel.cpp:788 controlpanel.cpp:873 msgid "Error: Unknown variable" -msgstr "" +msgstr "Errore: Variabile sconosciuta" #: controlpanel.cpp:308 msgid "Usage: Set " @@ -97,7 +98,7 @@ msgstr "" #: controlpanel.cpp:420 controlpanel.cpp:439 controlpanel.cpp:455 #: controlpanel.cpp:465 controlpanel.cpp:625 msgid "Access denied!" -msgstr "" +msgstr "Accesso negato!" #: controlpanel.cpp:371 controlpanel.cpp:380 controlpanel.cpp:837 msgid "Setting failed, limit for buffer size is {1}" @@ -126,6 +127,8 @@ msgstr "" #: controlpanel.cpp:533 msgid "Error: A network must be specified to get another users settings." msgstr "" +"Errore: Deve essere specificato un network per ottenere le impostazioni di " +"un altro utente." #: controlpanel.cpp:539 msgid "You are not currently attached to a network." @@ -133,7 +136,7 @@ msgstr "" #: controlpanel.cpp:545 msgid "Error: Invalid network." -msgstr "" +msgstr "Errore: Network non valido." #: controlpanel.cpp:589 msgid "Usage: SetNetwork " @@ -145,16 +148,18 @@ msgstr "" #: controlpanel.cpp:676 msgid "Error: User {1} already has a channel named {2}." -msgstr "" +msgstr "Errore: L'utente {1} ha già un canale di nome {2}." #: controlpanel.cpp:683 msgid "Channel {1} for user {2} added to network {3}." -msgstr "" +msgstr "Il canale {1} per l'utente {2} è stato aggiunto al network {3}." #: controlpanel.cpp:687 msgid "" "Could not add channel {1} for user {2} to network {3}, does it already exist?" msgstr "" +"Impossibile aggiungere il canale {1} all'utente {2} sul network {3}, esiste " +"già?" #: controlpanel.cpp:697 msgid "Usage: DelChan " @@ -163,12 +168,14 @@ msgstr "" #: controlpanel.cpp:712 msgid "Error: User {1} does not have any channel matching [{2}] in network {3}" msgstr "" +"Errore: L'utente {1} non ha nessun canale corrispondente a [{2}] nel network " +"{3}" #: controlpanel.cpp:725 msgid "Channel {1} is deleted from network {2} of user {3}" msgid_plural "Channels {1} are deleted from network {2} of user {3}" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "Il canale {1} è eliminato dal network {2} dell'utente {3}" +msgstr[1] "I canali {1} sono eliminati dal network {2} dell'utente {3}" #: controlpanel.cpp:740 msgid "Usage: GetChan " @@ -176,7 +183,7 @@ msgstr "" #: controlpanel.cpp:754 controlpanel.cpp:818 msgid "Error: No channels matching [{1}] found." -msgstr "" +msgstr "Errore: Nessun canale corrispondente a [{1}] è stato trovato." #: controlpanel.cpp:803 msgid "Usage: SetChan " @@ -185,17 +192,17 @@ msgstr "" #: controlpanel.cpp:884 controlpanel.cpp:894 msgctxt "listusers" msgid "Username" -msgstr "" +msgstr "Nome utente" #: controlpanel.cpp:885 controlpanel.cpp:895 msgctxt "listusers" msgid "Realname" -msgstr "" +msgstr "Nome reale" #: controlpanel.cpp:886 controlpanel.cpp:898 controlpanel.cpp:900 msgctxt "listusers" msgid "IsAdmin" -msgstr "" +msgstr "è Admin" #: controlpanel.cpp:887 controlpanel.cpp:901 msgctxt "listusers" @@ -205,7 +212,7 @@ msgstr "" #: controlpanel.cpp:888 controlpanel.cpp:902 msgctxt "listusers" msgid "AltNick" -msgstr "" +msgstr "Nick alternativo" #: controlpanel.cpp:889 controlpanel.cpp:903 msgctxt "listusers" @@ -228,6 +235,7 @@ msgstr "" #: controlpanel.cpp:914 controlpanel.cpp:983 msgid "Error: You need to have admin rights to add new users!" msgstr "" +"Errore: Devi avere i diritti di amministratore per aggiungere nuovi utenti!" #: controlpanel.cpp:920 msgid "Usage: AddUser " @@ -235,11 +243,11 @@ msgstr "" #: controlpanel.cpp:925 msgid "Error: User {1} already exists!" -msgstr "" +msgstr "Errore: L'utente {1} è già esistente!" #: controlpanel.cpp:937 controlpanel.cpp:1012 msgid "Error: User not added: {1}" -msgstr "" +msgstr "Errore: Utente non aggiunto: {1}" #: controlpanel.cpp:941 controlpanel.cpp:1016 msgid "User {1} added!" @@ -248,6 +256,7 @@ msgstr "" #: controlpanel.cpp:948 msgid "Error: You need to have admin rights to delete users!" msgstr "" +"Errore: Devi avere i diritti di amministratore per rimuovere gli utenti!" #: controlpanel.cpp:954 msgid "Usage: DelUser " @@ -255,11 +264,11 @@ msgstr "" #: controlpanel.cpp:966 msgid "Error: You can't delete yourself!" -msgstr "" +msgstr "Errore: Non puoi eliminare te stesso!" #: controlpanel.cpp:972 msgid "Error: Internal error!" -msgstr "" +msgstr "Errore: Errore interno!" #: controlpanel.cpp:976 msgid "User {1} deleted!" @@ -271,7 +280,7 @@ msgstr "" #: controlpanel.cpp:1006 msgid "Error: Cloning failed: {1}" -msgstr "" +msgstr "Errore: Clonazione fallita: {1}" #: controlpanel.cpp:1035 msgid "Usage: AddNetwork [user] network" @@ -282,18 +291,21 @@ msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks using /znc DelNetwork " msgstr "" +"Numero limite di network raggiunto. Chiedi ad un amministratore di aumentare " +"il limite per te, oppure elimina i network non necessari usando /znc " +"DelNetwork " #: controlpanel.cpp:1049 msgid "Error: User {1} already has a network with the name {2}" -msgstr "" +msgstr "Errore: L'utente {1} ha già un network con il nome {2}" #: controlpanel.cpp:1056 msgid "Network {1} added to user {2}." -msgstr "" +msgstr "Il network {1} è stato aggiunto all'utente {2}." #: controlpanel.cpp:1060 msgid "Error: Network [{1}] could not be added for user {2}: {3}" -msgstr "" +msgstr "Errore: Il network [{1}] non può essere aggiunto per l'utente {2}: {3}" #: controlpanel.cpp:1080 msgid "Usage: DelNetwork [user] network" @@ -305,11 +317,11 @@ msgstr "" #: controlpanel.cpp:1097 msgid "Network {1} deleted for user {2}." -msgstr "" +msgstr "Il network {1} è stato rimosso per l'utente {2}." #: controlpanel.cpp:1101 msgid "Error: Network {1} could not be deleted for user {2}." -msgstr "" +msgstr "Errore: Il network {1} non può essere eliminato per l'utente {2}." #: controlpanel.cpp:1120 controlpanel.cpp:1128 msgctxt "listnetworks" @@ -319,22 +331,22 @@ msgstr "" #: controlpanel.cpp:1121 controlpanel.cpp:1130 controlpanel.cpp:1138 msgctxt "listnetworks" msgid "OnIRC" -msgstr "" +msgstr "Su IRC" #: controlpanel.cpp:1122 controlpanel.cpp:1131 msgctxt "listnetworks" msgid "IRC Server" -msgstr "" +msgstr "Server IRC" #: controlpanel.cpp:1123 controlpanel.cpp:1133 msgctxt "listnetworks" msgid "IRC User" -msgstr "" +msgstr "Utente IRC" #: controlpanel.cpp:1124 controlpanel.cpp:1135 msgctxt "listnetworks" msgid "Channels" -msgstr "" +msgstr "Canali" #: controlpanel.cpp:1143 msgid "No networks" @@ -346,11 +358,13 @@ msgstr "" #: controlpanel.cpp:1168 msgid "Added IRC Server {1} to network {2} for user {3}." -msgstr "" +msgstr "Aggiunto il Server IRC {1} del network {2} per l'utente {3}." #: controlpanel.cpp:1172 msgid "Error: Could not add IRC server {1} to network {2} for user {3}." msgstr "" +"Errore: Impossibile aggiungere il server IRC {1} al network {2} per l'utente " +"{3}." #: controlpanel.cpp:1185 msgid "Usage: DelServer [[+]port] [password]" @@ -358,11 +372,13 @@ msgstr "" #: controlpanel.cpp:1200 msgid "Deleted IRC Server {1} from network {2} for user {3}." -msgstr "" +msgstr "Eliminato il Server IRC {1} del network {2} per l'utente {3}." #: controlpanel.cpp:1204 msgid "Error: Could not delete IRC server {1} from network {2} for user {3}." msgstr "" +"Errore: Impossibile eliminare il server IRC {1} dal network {2} per l'utente " +"{3}." #: controlpanel.cpp:1214 msgid "Usage: Reconnect " @@ -378,17 +394,17 @@ msgstr "" #: controlpanel.cpp:1265 msgid "Closed IRC connection for network {1} of user {2}." -msgstr "" +msgstr "Chisa la connessione IRC al network {1} dell'utente {2}." #: controlpanel.cpp:1280 controlpanel.cpp:1284 msgctxt "listctcp" msgid "Request" -msgstr "" +msgstr "Richiesta" #: controlpanel.cpp:1281 controlpanel.cpp:1285 msgctxt "listctcp" msgid "Reply" -msgstr "" +msgstr "Rispondere" #: controlpanel.cpp:1289 msgid "No CTCP replies for user {1} are configured" @@ -396,7 +412,7 @@ msgstr "" #: controlpanel.cpp:1292 msgid "CTCP replies for user {1}:" -msgstr "" +msgstr "Le risposte CTCP per l'utente {1}:" #: controlpanel.cpp:1308 msgid "Usage: AddCTCP [user] [request] [reply]" @@ -409,15 +425,15 @@ msgstr "" #: controlpanel.cpp:1313 msgid "An empty reply will cause the CTCP request to be blocked." -msgstr "" +msgstr "Una risposta vuota causerà il blocco della richiesta CTCP." #: controlpanel.cpp:1322 msgid "CTCP requests {1} to user {2} will now be blocked." -msgstr "" +msgstr "Le richieste CTCP {1} all'utente {2} verranno ora bloccate." #: controlpanel.cpp:1326 msgid "CTCP requests {1} to user {2} will now get reply: {3}" -msgstr "" +msgstr "Le richieste CTCP {1} all'utente {2} ora avranno risposta: {3}" #: controlpanel.cpp:1343 msgid "Usage: DelCTCP [user] [request]" @@ -426,28 +442,31 @@ msgstr "" #: controlpanel.cpp:1349 msgid "CTCP requests {1} to user {2} will now be sent to IRC clients" msgstr "" +"Le richieste CTCP {1} all'utente {2} verranno ora inviate al client IRC" #: controlpanel.cpp:1353 msgid "" "CTCP requests {1} to user {2} will be sent to IRC clients (nothing has " "changed)" msgstr "" +"Le richieste CTCP {1} all'utente {2} verranno inviate ai client IRC (nulla è " +"cambiato)" #: controlpanel.cpp:1363 controlpanel.cpp:1437 msgid "Loading modules has been disabled." -msgstr "" +msgstr "Il caricamento dei moduli è stato disabilitato." #: controlpanel.cpp:1372 msgid "Error: Unable to load module {1}: {2}" -msgstr "" +msgstr "Errore: Impossibile caricare il modulo {1}: {2}" #: controlpanel.cpp:1375 msgid "Loaded module {1}" -msgstr "" +msgstr "Modulo caricato {1}" #: controlpanel.cpp:1380 msgid "Error: Unable to reload module {1}: {2}" -msgstr "" +msgstr "Errore: Impossibile ricaricare il modulo {1}: {2}" #: controlpanel.cpp:1383 msgid "Reloaded module {1}" @@ -455,7 +474,7 @@ msgstr "" #: controlpanel.cpp:1387 msgid "Error: Unable to load module {1} because it is already loaded" -msgstr "" +msgstr "Errore: Impossibile caricare il modulo {1} perché è già stato caricato" #: controlpanel.cpp:1398 msgid "Usage: LoadModule [args]" @@ -471,7 +490,7 @@ msgstr "" #: controlpanel.cpp:1448 msgid "Error: Unable to unload module {1}: {2}" -msgstr "" +msgstr "Errore: Impossibile rimunovere il modulo {1}: {2}" #: controlpanel.cpp:1451 msgid "Unloaded module {1}" @@ -488,12 +507,12 @@ msgstr "" #: controlpanel.cpp:1494 controlpanel.cpp:1499 msgctxt "listmodules" msgid "Name" -msgstr "" +msgstr "Nome" #: controlpanel.cpp:1495 controlpanel.cpp:1500 msgctxt "listmodules" msgid "Arguments" -msgstr "" +msgstr "Argomenti" #: controlpanel.cpp:1519 msgid "User {1} has no modules loaded." @@ -501,19 +520,19 @@ msgstr "" #: controlpanel.cpp:1523 msgid "Modules loaded for user {1}:" -msgstr "" +msgstr "Moduli caricati per l'utente {1}:" #: controlpanel.cpp:1543 msgid "Network {1} of user {2} has no modules loaded." -msgstr "" +msgstr "Il network {1} dell'utente {2} non ha moduli caricati." #: controlpanel.cpp:1548 msgid "Modules loaded for network {1} of user {2}:" -msgstr "" +msgstr "Moduli caricati per il network {1} dell'utente {2}:" #: controlpanel.cpp:1555 msgid "[command] [variable]" -msgstr "" +msgstr "[comando] [variabile]" #: controlpanel.cpp:1556 msgid "Prints help for matching commands and variables" @@ -521,7 +540,7 @@ msgstr "" #: controlpanel.cpp:1559 msgid " [username]" -msgstr "" +msgstr " [nome utente]" #: controlpanel.cpp:1560 msgid "Prints the variable's value for the given or current user" @@ -529,7 +548,7 @@ msgstr "" #: controlpanel.cpp:1562 msgid " " -msgstr "" +msgstr " " #: controlpanel.cpp:1563 msgid "Sets the variable's value for the given user" @@ -537,7 +556,7 @@ msgstr "" #: controlpanel.cpp:1565 msgid " [username] [network]" -msgstr "" +msgstr " [nome utente] [network]" #: controlpanel.cpp:1566 msgid "Prints the variable's value for the given network" @@ -545,7 +564,7 @@ msgstr "" #: controlpanel.cpp:1568 msgid " " -msgstr "" +msgstr " " #: controlpanel.cpp:1569 msgid "Sets the variable's value for the given network" @@ -553,7 +572,7 @@ msgstr "" #: controlpanel.cpp:1571 msgid " [username] " -msgstr "" +msgstr " [nome utente] " #: controlpanel.cpp:1572 msgid "Prints the variable's value for the given channel" @@ -561,7 +580,7 @@ msgstr "" #: controlpanel.cpp:1575 msgid " " -msgstr "" +msgstr " " #: controlpanel.cpp:1576 msgid "Sets the variable's value for the given channel" @@ -569,79 +588,79 @@ msgstr "" #: controlpanel.cpp:1578 controlpanel.cpp:1581 msgid " " -msgstr "" +msgstr " " #: controlpanel.cpp:1579 msgid "Adds a new channel" -msgstr "" +msgstr "Aggiunge un nuovo canale" #: controlpanel.cpp:1582 msgid "Deletes a channel" -msgstr "" +msgstr "Elimina un canale" #: controlpanel.cpp:1584 msgid "Lists users" -msgstr "" +msgstr "Elenca gli utenti" #: controlpanel.cpp:1586 msgid " " -msgstr "" +msgstr " " #: controlpanel.cpp:1587 msgid "Adds a new user" -msgstr "" +msgstr "Aggiunge un nuovo utente" #: controlpanel.cpp:1589 controlpanel.cpp:1612 controlpanel.cpp:1626 msgid "" -msgstr "" +msgstr "" #: controlpanel.cpp:1589 msgid "Deletes a user" -msgstr "" +msgstr "Elimina un utente" #: controlpanel.cpp:1591 msgid " " -msgstr "" +msgstr " " #: controlpanel.cpp:1592 msgid "Clones a user" -msgstr "" +msgstr "Clona un utente" #: controlpanel.cpp:1594 controlpanel.cpp:1597 msgid " " -msgstr "" +msgstr " " #: controlpanel.cpp:1595 msgid "Adds a new IRC server for the given or current user" -msgstr "" +msgstr "Aggiunge un nuovo server IRC all'utente specificato o corrente" #: controlpanel.cpp:1598 msgid "Deletes an IRC server from the given or current user" -msgstr "" +msgstr "Elimina un server IRC dall'utente specificato o corrente" #: controlpanel.cpp:1600 controlpanel.cpp:1603 controlpanel.cpp:1623 msgid " " -msgstr "" +msgstr " " #: controlpanel.cpp:1601 msgid "Cycles the user's IRC server connection" -msgstr "" +msgstr "Cicla all'utente la connessione al server IRC" #: controlpanel.cpp:1604 msgid "Disconnects the user from their IRC server" -msgstr "" +msgstr "Disconnette l'utente dal proprio server IRC" #: controlpanel.cpp:1606 msgid " [args]" -msgstr "" +msgstr " [argomenmti]" #: controlpanel.cpp:1607 msgid "Loads a Module for a user" -msgstr "" +msgstr "Carica un modulo per un utente" #: controlpanel.cpp:1609 msgid " " -msgstr "" +msgstr " " #: controlpanel.cpp:1610 msgid "Removes a Module of a user" @@ -649,19 +668,19 @@ msgstr "" #: controlpanel.cpp:1613 msgid "Get the list of modules for a user" -msgstr "" +msgstr "Mostra un elenco dei moduli caricati di un utente" #: controlpanel.cpp:1616 msgid " [args]" -msgstr "" +msgstr " [argomenti]" #: controlpanel.cpp:1617 msgid "Loads a Module for a network" -msgstr "" +msgstr "Carica un modulo per un network" #: controlpanel.cpp:1620 msgid " " -msgstr "" +msgstr " " #: controlpanel.cpp:1621 msgid "Removes a Module of a network" @@ -669,23 +688,23 @@ msgstr "" #: controlpanel.cpp:1624 msgid "Get the list of modules for a network" -msgstr "" +msgstr "Mostra un elenco dei moduli caricati di un network" #: controlpanel.cpp:1627 msgid "List the configured CTCP replies" -msgstr "" +msgstr "Elenco delle risposte configurate per il CTCP" #: controlpanel.cpp:1629 msgid " [reply]" -msgstr "" +msgstr " [risposta]" #: controlpanel.cpp:1630 msgid "Configure a new CTCP reply" -msgstr "" +msgstr "Configura una nuova risposta CTCP" #: controlpanel.cpp:1632 msgid " " -msgstr "" +msgstr " " #: controlpanel.cpp:1633 msgid "Remove a CTCP reply" @@ -693,26 +712,28 @@ msgstr "" #: controlpanel.cpp:1637 controlpanel.cpp:1640 msgid "[username] " -msgstr "" +msgstr "[nome utente] " #: controlpanel.cpp:1638 msgid "Add a network for a user" -msgstr "" +msgstr "Aggiune un network ad un utente" #: controlpanel.cpp:1641 msgid "Delete a network for a user" -msgstr "" +msgstr "Elimina un network ad un utente" #: controlpanel.cpp:1643 msgid "[username]" -msgstr "" +msgstr "[nome utente]" #: controlpanel.cpp:1644 msgid "List all networks for a user" -msgstr "" +msgstr "Elenca tutti i networks di un utente" #: controlpanel.cpp:1657 msgid "" "Dynamic configuration through IRC. Allows editing only yourself if you're " "not ZNC admin." msgstr "" +"Configurazione dinamica attraverso IRC. Permette di modficare solo se stessi " +"quando non si è amministratori ZNC." From f936690a7325a8de89bb6732fd3bd3fb5fa5a0d9 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Tue, 16 Jul 2019 00:27:06 +0000 Subject: [PATCH 279/798] Update translations from Crowdin for it_IT --- modules/po/controlpanel.it_IT.po | 108 +++++++++++++++++-------------- 1 file changed, 60 insertions(+), 48 deletions(-) diff --git a/modules/po/controlpanel.it_IT.po b/modules/po/controlpanel.it_IT.po index 9c01d700..380b932d 100644 --- a/modules/po/controlpanel.it_IT.po +++ b/modules/po/controlpanel.it_IT.po @@ -41,24 +41,31 @@ msgstr "Numero" #: controlpanel.cpp:125 msgid "The following variables are available when using the Set/Get commands:" msgstr "" +"Le seguenti variabili sono disponibili quando utilizzi i comandi Set/Get:" #: controlpanel.cpp:149 msgid "" "The following variables are available when using the SetNetwork/GetNetwork " "commands:" msgstr "" +"Le seguenti variabili sono disponibili quando utilizzi i camandi SetNetwork/" +"GetNetwork:" #: controlpanel.cpp:163 msgid "" "The following variables are available when using the SetChan/GetChan " "commands:" msgstr "" +"Le seguenti variabili sono disponibili quando utilizzi i camandi SetChan/" +"GetChan:" #: controlpanel.cpp:170 msgid "" "You can use $user as the user name and $network as the network name for " "modifying your own user and network." msgstr "" +"Puoi usare $user come nome utente e $network come nome del network per " +"modificare il tuo nome utente e network." #: controlpanel.cpp:179 controlpanel.cpp:966 controlpanel.cpp:1003 msgid "Error: User [{1}] does not exist!" @@ -79,7 +86,7 @@ msgstr "Errore: L'utente {1} non ha un network di nome [{2}]." #: controlpanel.cpp:214 msgid "Usage: Get [username]" -msgstr "" +msgstr "Usa: Get [nome utente]" #: controlpanel.cpp:304 controlpanel.cpp:507 controlpanel.cpp:582 #: controlpanel.cpp:658 controlpanel.cpp:793 controlpanel.cpp:878 @@ -88,11 +95,11 @@ msgstr "Errore: Variabile sconosciuta" #: controlpanel.cpp:313 msgid "Usage: Set " -msgstr "" +msgstr "Usa: Set " #: controlpanel.cpp:335 controlpanel.cpp:623 msgid "This bind host is already set!" -msgstr "" +msgstr "Questo bind host è già impostato!" #: controlpanel.cpp:342 controlpanel.cpp:354 controlpanel.cpp:362 #: controlpanel.cpp:425 controlpanel.cpp:444 controlpanel.cpp:460 @@ -102,27 +109,27 @@ msgstr "Accesso negato!" #: controlpanel.cpp:376 controlpanel.cpp:385 controlpanel.cpp:842 msgid "Setting failed, limit for buffer size is {1}" -msgstr "" +msgstr "Impostazione fallita, il limite per la dimensione del buffer è {1}" #: controlpanel.cpp:405 msgid "Password has been changed!" -msgstr "" +msgstr "La password è stata cambiata" #: controlpanel.cpp:413 msgid "Timeout can't be less than 30 seconds!" -msgstr "" +msgstr "Il timeout non può essere inferiore a 30 secondi!" #: controlpanel.cpp:477 msgid "That would be a bad idea!" -msgstr "" +msgstr "Sarebbe una cattiva idea!" #: controlpanel.cpp:495 msgid "Supported languages: {1}" -msgstr "" +msgstr "Lingue supportate: {1}" #: controlpanel.cpp:519 msgid "Usage: GetNetwork [username] [network]" -msgstr "" +msgstr "Usa: GetNetwork [nome utente] [network]" #: controlpanel.cpp:538 msgid "Error: A network must be specified to get another users settings." @@ -132,7 +139,7 @@ msgstr "" #: controlpanel.cpp:544 msgid "You are not currently attached to a network." -msgstr "" +msgstr "Attualmente non sei agganciato ad un network." #: controlpanel.cpp:550 msgid "Error: Invalid network." @@ -140,11 +147,11 @@ msgstr "Errore: Network non valido." #: controlpanel.cpp:594 msgid "Usage: SetNetwork " -msgstr "" +msgstr "Usa: SetNetwork " #: controlpanel.cpp:668 msgid "Usage: AddChan " -msgstr "" +msgstr "Usa: AddChan " #: controlpanel.cpp:681 msgid "Error: User {1} already has a channel named {2}." @@ -163,7 +170,7 @@ msgstr "" #: controlpanel.cpp:702 msgid "Usage: DelChan " -msgstr "" +msgstr "Usa: DelChan " #: controlpanel.cpp:717 msgid "Error: User {1} does not have any channel matching [{2}] in network {3}" @@ -179,7 +186,7 @@ msgstr[1] "I canali {1} sono eliminati dal network {2} dell'utente {3}" #: controlpanel.cpp:745 msgid "Usage: GetChan " -msgstr "" +msgstr "Usa: GetChan " #: controlpanel.cpp:759 controlpanel.cpp:823 msgid "Error: No channels matching [{1}] found." @@ -187,7 +194,7 @@ msgstr "Errore: Nessun canale corrispondente a [{1}] è stato trovato." #: controlpanel.cpp:808 msgid "Usage: SetChan " -msgstr "" +msgstr "Usa: SetChan " #: controlpanel.cpp:889 controlpanel.cpp:899 msgctxt "listusers" @@ -230,7 +237,7 @@ msgstr "" #: controlpanel.cpp:905 controlpanel.cpp:1135 msgid "Yes" -msgstr "" +msgstr "Si" #: controlpanel.cpp:919 controlpanel.cpp:988 msgid "Error: You need to have admin rights to add new users!" @@ -239,7 +246,7 @@ msgstr "" #: controlpanel.cpp:925 msgid "Usage: AddUser " -msgstr "" +msgstr "Usa: AddUser " #: controlpanel.cpp:930 msgid "Error: User {1} already exists!" @@ -251,7 +258,7 @@ msgstr "Errore: Utente non aggiunto: {1}" #: controlpanel.cpp:946 controlpanel.cpp:1021 msgid "User {1} added!" -msgstr "" +msgstr "L'utente {1} è aggiunto!" #: controlpanel.cpp:953 msgid "Error: You need to have admin rights to delete users!" @@ -260,7 +267,7 @@ msgstr "" #: controlpanel.cpp:959 msgid "Usage: DelUser " -msgstr "" +msgstr "Usa: DelUser " #: controlpanel.cpp:971 msgid "Error: You can't delete yourself!" @@ -272,11 +279,13 @@ msgstr "Errore: Errore interno!" #: controlpanel.cpp:981 msgid "User {1} deleted!" -msgstr "" +msgstr "L'utente {1} è eliminato!" #: controlpanel.cpp:996 msgid "Usage: CloneUser " msgstr "" +"Usa\n" +": CloneUser " #: controlpanel.cpp:1011 msgid "Error: Cloning failed: {1}" @@ -284,7 +293,7 @@ msgstr "Errore: Clonazione fallita: {1}" #: controlpanel.cpp:1040 msgid "Usage: AddNetwork [user] network" -msgstr "" +msgstr "Usa: AddNetwork [utente] network" #: controlpanel.cpp:1046 msgid "" @@ -309,11 +318,12 @@ msgstr "Errore: Il network [{1}] non può essere aggiunto per l'utente {2}: {3}" #: controlpanel.cpp:1085 msgid "Usage: DelNetwork [user] network" -msgstr "" +msgstr "Usa: DelNetwork [utente] network" #: controlpanel.cpp:1096 msgid "The currently active network can be deleted via {1}status" msgstr "" +"Il network attualmente attivo può essere eliminato tramite lo stato {1}" #: controlpanel.cpp:1102 msgid "Network {1} deleted for user {2}." @@ -350,11 +360,11 @@ msgstr "Canali" #: controlpanel.cpp:1148 msgid "No networks" -msgstr "" +msgstr "Nessun networks" #: controlpanel.cpp:1159 msgid "Usage: AddServer [[+]port] [password]" -msgstr "" +msgstr "Usa: AddServer [[+]porta] [password]" #: controlpanel.cpp:1173 msgid "Added IRC Server {1} to network {2} for user {3}." @@ -368,7 +378,7 @@ msgstr "" #: controlpanel.cpp:1190 msgid "Usage: DelServer [[+]port] [password]" -msgstr "" +msgstr "Usa: DelServer [[+]porta] [password]" #: controlpanel.cpp:1205 msgid "Deleted IRC Server {1} from network {2} for user {3}." @@ -382,15 +392,15 @@ msgstr "" #: controlpanel.cpp:1219 msgid "Usage: Reconnect " -msgstr "" +msgstr "Usa: Reconnect " #: controlpanel.cpp:1246 msgid "Queued network {1} of user {2} for a reconnect." -msgstr "" +msgstr "Il network {1} dell'utente {2} è in coda per una riconnessione." #: controlpanel.cpp:1255 msgid "Usage: Disconnect " -msgstr "" +msgstr "Usa: Disconnect " #: controlpanel.cpp:1270 msgid "Closed IRC connection for network {1} of user {2}." @@ -408,7 +418,7 @@ msgstr "Rispondere" #: controlpanel.cpp:1295 msgid "No CTCP replies for user {1} are configured" -msgstr "" +msgstr "Nessuna risposta di CTCP per l'utente {1} è stata configurata" #: controlpanel.cpp:1298 msgid "CTCP replies for user {1}:" @@ -416,12 +426,13 @@ msgstr "Le risposte CTCP per l'utente {1}:" #: controlpanel.cpp:1314 msgid "Usage: AddCTCP [user] [request] [reply]" -msgstr "" +msgstr "Usa: AddCTCP [utente] [richiesta] [risposta]" #: controlpanel.cpp:1316 msgid "" "This will cause ZNC to reply to the CTCP instead of forwarding it to clients." msgstr "" +"Questo farà sì che lo ZNC risponda al CTCP invece di inoltrarlo ai clients." #: controlpanel.cpp:1319 msgid "An empty reply will cause the CTCP request to be blocked." @@ -437,7 +448,7 @@ msgstr "Le richieste CTCP {1} all'utente {2} ora avranno risposta: {3}" #: controlpanel.cpp:1349 msgid "Usage: DelCTCP [user] [request]" -msgstr "" +msgstr "Usa: DelCTCP [utente] [richiesta]" #: controlpanel.cpp:1355 msgid "CTCP requests {1} to user {2} will now be sent to IRC clients" @@ -470,7 +481,7 @@ msgstr "Errore: Impossibile ricaricare il modulo {1}: {2}" #: controlpanel.cpp:1389 msgid "Reloaded module {1}" -msgstr "" +msgstr "Modulo ricaricato {1}" #: controlpanel.cpp:1393 msgid "Error: Unable to load module {1} because it is already loaded" @@ -478,15 +489,16 @@ msgstr "Errore: Impossibile caricare il modulo {1} perché è già stato caricat #: controlpanel.cpp:1404 msgid "Usage: LoadModule [args]" -msgstr "" +msgstr "Usa: LoadModule [argomenti]" #: controlpanel.cpp:1423 msgid "Usage: LoadNetModule [args]" msgstr "" +"Usa: LoadNetModule [argomenti]" #: controlpanel.cpp:1448 msgid "Please use /znc unloadmod {1}" -msgstr "" +msgstr "Per favore usa il comando /znc unloadmod {1}" #: controlpanel.cpp:1454 msgid "Error: Unable to unload module {1}: {2}" @@ -494,15 +506,15 @@ msgstr "Errore: Impossibile rimunovere il modulo {1}: {2}" #: controlpanel.cpp:1457 msgid "Unloaded module {1}" -msgstr "" +msgstr "Rimosso il modulo {1}" #: controlpanel.cpp:1466 msgid "Usage: UnloadModule " -msgstr "" +msgstr "Usa: UnloadModule " #: controlpanel.cpp:1483 msgid "Usage: UnloadNetModule " -msgstr "" +msgstr "Usa: UnloadNetModule " #: controlpanel.cpp:1500 controlpanel.cpp:1506 msgctxt "listmodules" @@ -516,7 +528,7 @@ msgstr "Argomenti" #: controlpanel.cpp:1526 msgid "User {1} has no modules loaded." -msgstr "" +msgstr "L'utente {1} non ha moduli caricati." #: controlpanel.cpp:1530 msgid "Modules loaded for user {1}:" @@ -536,7 +548,7 @@ msgstr "[comando] [variabile]" #: controlpanel.cpp:1563 msgid "Prints help for matching commands and variables" -msgstr "" +msgstr "Mostra la guida corrispondente a comandi e variabili" #: controlpanel.cpp:1566 msgid " [username]" @@ -544,7 +556,7 @@ msgstr " [nome utente]" #: controlpanel.cpp:1567 msgid "Prints the variable's value for the given or current user" -msgstr "" +msgstr "Mostra il valore della varibaile per l'utente specificato o corrente" #: controlpanel.cpp:1569 msgid " " @@ -552,7 +564,7 @@ msgstr " " #: controlpanel.cpp:1570 msgid "Sets the variable's value for the given user" -msgstr "" +msgstr "Imposta il valore della variabile per l'utente specificato" #: controlpanel.cpp:1572 msgid " [username] [network]" @@ -560,7 +572,7 @@ msgstr " [nome utente] [network]" #: controlpanel.cpp:1573 msgid "Prints the variable's value for the given network" -msgstr "" +msgstr "Mostra il valore della varibaile del network specificato" #: controlpanel.cpp:1575 msgid " " @@ -568,7 +580,7 @@ msgstr " " #: controlpanel.cpp:1576 msgid "Sets the variable's value for the given network" -msgstr "" +msgstr "Imposta il valore della variabile per il network specificato" #: controlpanel.cpp:1578 msgid " [username] " @@ -576,7 +588,7 @@ msgstr " [nome utente] " #: controlpanel.cpp:1579 msgid "Prints the variable's value for the given channel" -msgstr "" +msgstr "Mostra il valore della varibaile del canale specificato" #: controlpanel.cpp:1582 msgid " " @@ -584,7 +596,7 @@ msgstr " " #: controlpanel.cpp:1583 msgid "Sets the variable's value for the given channel" -msgstr "" +msgstr "Imposta il valore della variabile per il canale specificato" #: controlpanel.cpp:1585 controlpanel.cpp:1588 msgid " " @@ -664,7 +676,7 @@ msgstr " " #: controlpanel.cpp:1617 msgid "Removes a Module of a user" -msgstr "" +msgstr "Rimuove un modulo da un utente" #: controlpanel.cpp:1620 msgid "Get the list of modules for a user" @@ -684,7 +696,7 @@ msgstr " " #: controlpanel.cpp:1628 msgid "Removes a Module of a network" -msgstr "" +msgstr "Rimuove un modulo da un network" #: controlpanel.cpp:1631 msgid "Get the list of modules for a network" @@ -708,7 +720,7 @@ msgstr " " #: controlpanel.cpp:1640 msgid "Remove a CTCP reply" -msgstr "" +msgstr "Rimuove una risposta CTCP" #: controlpanel.cpp:1644 controlpanel.cpp:1647 msgid "[username] " From 573fc3ed626999ddc097a85540f0c31fa6deacd5 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Tue, 16 Jul 2019 00:27:36 +0000 Subject: [PATCH 280/798] Update translations from Crowdin for it_IT --- modules/po/controlpanel.it_IT.po | 108 +++++++++++++++++-------------- 1 file changed, 60 insertions(+), 48 deletions(-) diff --git a/modules/po/controlpanel.it_IT.po b/modules/po/controlpanel.it_IT.po index 2940bf45..165edab4 100644 --- a/modules/po/controlpanel.it_IT.po +++ b/modules/po/controlpanel.it_IT.po @@ -41,24 +41,31 @@ msgstr "Numero" #: controlpanel.cpp:123 msgid "The following variables are available when using the Set/Get commands:" msgstr "" +"Le seguenti variabili sono disponibili quando utilizzi i comandi Set/Get:" #: controlpanel.cpp:146 msgid "" "The following variables are available when using the SetNetwork/GetNetwork " "commands:" msgstr "" +"Le seguenti variabili sono disponibili quando utilizzi i camandi SetNetwork/" +"GetNetwork:" #: controlpanel.cpp:159 msgid "" "The following variables are available when using the SetChan/GetChan " "commands:" msgstr "" +"Le seguenti variabili sono disponibili quando utilizzi i camandi SetChan/" +"GetChan:" #: controlpanel.cpp:165 msgid "" "You can use $user as the user name and $network as the network name for " "modifying your own user and network." msgstr "" +"Puoi usare $user come nome utente e $network come nome del network per " +"modificare il tuo nome utente e network." #: controlpanel.cpp:174 controlpanel.cpp:961 controlpanel.cpp:998 msgid "Error: User [{1}] does not exist!" @@ -79,7 +86,7 @@ msgstr "Errore: L'utente {1} non ha un network di nome [{2}]." #: controlpanel.cpp:209 msgid "Usage: Get [username]" -msgstr "" +msgstr "Usa: Get [nome utente]" #: controlpanel.cpp:299 controlpanel.cpp:502 controlpanel.cpp:577 #: controlpanel.cpp:653 controlpanel.cpp:788 controlpanel.cpp:873 @@ -88,11 +95,11 @@ msgstr "Errore: Variabile sconosciuta" #: controlpanel.cpp:308 msgid "Usage: Set " -msgstr "" +msgstr "Usa: Set " #: controlpanel.cpp:330 controlpanel.cpp:618 msgid "This bind host is already set!" -msgstr "" +msgstr "Questo bind host è già impostato!" #: controlpanel.cpp:337 controlpanel.cpp:349 controlpanel.cpp:357 #: controlpanel.cpp:420 controlpanel.cpp:439 controlpanel.cpp:455 @@ -102,27 +109,27 @@ msgstr "Accesso negato!" #: controlpanel.cpp:371 controlpanel.cpp:380 controlpanel.cpp:837 msgid "Setting failed, limit for buffer size is {1}" -msgstr "" +msgstr "Impostazione fallita, il limite per la dimensione del buffer è {1}" #: controlpanel.cpp:400 msgid "Password has been changed!" -msgstr "" +msgstr "La password è stata cambiata" #: controlpanel.cpp:408 msgid "Timeout can't be less than 30 seconds!" -msgstr "" +msgstr "Il timeout non può essere inferiore a 30 secondi!" #: controlpanel.cpp:472 msgid "That would be a bad idea!" -msgstr "" +msgstr "Sarebbe una cattiva idea!" #: controlpanel.cpp:490 msgid "Supported languages: {1}" -msgstr "" +msgstr "Lingue supportate: {1}" #: controlpanel.cpp:514 msgid "Usage: GetNetwork [username] [network]" -msgstr "" +msgstr "Usa: GetNetwork [nome utente] [network]" #: controlpanel.cpp:533 msgid "Error: A network must be specified to get another users settings." @@ -132,7 +139,7 @@ msgstr "" #: controlpanel.cpp:539 msgid "You are not currently attached to a network." -msgstr "" +msgstr "Attualmente non sei agganciato ad un network." #: controlpanel.cpp:545 msgid "Error: Invalid network." @@ -140,11 +147,11 @@ msgstr "Errore: Network non valido." #: controlpanel.cpp:589 msgid "Usage: SetNetwork " -msgstr "" +msgstr "Usa: SetNetwork " #: controlpanel.cpp:663 msgid "Usage: AddChan " -msgstr "" +msgstr "Usa: AddChan " #: controlpanel.cpp:676 msgid "Error: User {1} already has a channel named {2}." @@ -163,7 +170,7 @@ msgstr "" #: controlpanel.cpp:697 msgid "Usage: DelChan " -msgstr "" +msgstr "Usa: DelChan " #: controlpanel.cpp:712 msgid "Error: User {1} does not have any channel matching [{2}] in network {3}" @@ -179,7 +186,7 @@ msgstr[1] "I canali {1} sono eliminati dal network {2} dell'utente {3}" #: controlpanel.cpp:740 msgid "Usage: GetChan " -msgstr "" +msgstr "Usa: GetChan " #: controlpanel.cpp:754 controlpanel.cpp:818 msgid "Error: No channels matching [{1}] found." @@ -187,7 +194,7 @@ msgstr "Errore: Nessun canale corrispondente a [{1}] è stato trovato." #: controlpanel.cpp:803 msgid "Usage: SetChan " -msgstr "" +msgstr "Usa: SetChan " #: controlpanel.cpp:884 controlpanel.cpp:894 msgctxt "listusers" @@ -230,7 +237,7 @@ msgstr "" #: controlpanel.cpp:900 controlpanel.cpp:1130 msgid "Yes" -msgstr "" +msgstr "Si" #: controlpanel.cpp:914 controlpanel.cpp:983 msgid "Error: You need to have admin rights to add new users!" @@ -239,7 +246,7 @@ msgstr "" #: controlpanel.cpp:920 msgid "Usage: AddUser " -msgstr "" +msgstr "Usa: AddUser " #: controlpanel.cpp:925 msgid "Error: User {1} already exists!" @@ -251,7 +258,7 @@ msgstr "Errore: Utente non aggiunto: {1}" #: controlpanel.cpp:941 controlpanel.cpp:1016 msgid "User {1} added!" -msgstr "" +msgstr "L'utente {1} è aggiunto!" #: controlpanel.cpp:948 msgid "Error: You need to have admin rights to delete users!" @@ -260,7 +267,7 @@ msgstr "" #: controlpanel.cpp:954 msgid "Usage: DelUser " -msgstr "" +msgstr "Usa: DelUser " #: controlpanel.cpp:966 msgid "Error: You can't delete yourself!" @@ -272,11 +279,13 @@ msgstr "Errore: Errore interno!" #: controlpanel.cpp:976 msgid "User {1} deleted!" -msgstr "" +msgstr "L'utente {1} è eliminato!" #: controlpanel.cpp:991 msgid "Usage: CloneUser " msgstr "" +"Usa\n" +": CloneUser " #: controlpanel.cpp:1006 msgid "Error: Cloning failed: {1}" @@ -284,7 +293,7 @@ msgstr "Errore: Clonazione fallita: {1}" #: controlpanel.cpp:1035 msgid "Usage: AddNetwork [user] network" -msgstr "" +msgstr "Usa: AddNetwork [utente] network" #: controlpanel.cpp:1041 msgid "" @@ -309,11 +318,12 @@ msgstr "Errore: Il network [{1}] non può essere aggiunto per l'utente {2}: {3}" #: controlpanel.cpp:1080 msgid "Usage: DelNetwork [user] network" -msgstr "" +msgstr "Usa: DelNetwork [utente] network" #: controlpanel.cpp:1091 msgid "The currently active network can be deleted via {1}status" msgstr "" +"Il network attualmente attivo può essere eliminato tramite lo stato {1}" #: controlpanel.cpp:1097 msgid "Network {1} deleted for user {2}." @@ -350,11 +360,11 @@ msgstr "Canali" #: controlpanel.cpp:1143 msgid "No networks" -msgstr "" +msgstr "Nessun networks" #: controlpanel.cpp:1154 msgid "Usage: AddServer [[+]port] [password]" -msgstr "" +msgstr "Usa: AddServer [[+]porta] [password]" #: controlpanel.cpp:1168 msgid "Added IRC Server {1} to network {2} for user {3}." @@ -368,7 +378,7 @@ msgstr "" #: controlpanel.cpp:1185 msgid "Usage: DelServer [[+]port] [password]" -msgstr "" +msgstr "Usa: DelServer [[+]porta] [password]" #: controlpanel.cpp:1200 msgid "Deleted IRC Server {1} from network {2} for user {3}." @@ -382,15 +392,15 @@ msgstr "" #: controlpanel.cpp:1214 msgid "Usage: Reconnect " -msgstr "" +msgstr "Usa: Reconnect " #: controlpanel.cpp:1241 msgid "Queued network {1} of user {2} for a reconnect." -msgstr "" +msgstr "Il network {1} dell'utente {2} è in coda per una riconnessione." #: controlpanel.cpp:1250 msgid "Usage: Disconnect " -msgstr "" +msgstr "Usa: Disconnect " #: controlpanel.cpp:1265 msgid "Closed IRC connection for network {1} of user {2}." @@ -408,7 +418,7 @@ msgstr "Rispondere" #: controlpanel.cpp:1289 msgid "No CTCP replies for user {1} are configured" -msgstr "" +msgstr "Nessuna risposta di CTCP per l'utente {1} è stata configurata" #: controlpanel.cpp:1292 msgid "CTCP replies for user {1}:" @@ -416,12 +426,13 @@ msgstr "Le risposte CTCP per l'utente {1}:" #: controlpanel.cpp:1308 msgid "Usage: AddCTCP [user] [request] [reply]" -msgstr "" +msgstr "Usa: AddCTCP [utente] [richiesta] [risposta]" #: controlpanel.cpp:1310 msgid "" "This will cause ZNC to reply to the CTCP instead of forwarding it to clients." msgstr "" +"Questo farà sì che lo ZNC risponda al CTCP invece di inoltrarlo ai clients." #: controlpanel.cpp:1313 msgid "An empty reply will cause the CTCP request to be blocked." @@ -437,7 +448,7 @@ msgstr "Le richieste CTCP {1} all'utente {2} ora avranno risposta: {3}" #: controlpanel.cpp:1343 msgid "Usage: DelCTCP [user] [request]" -msgstr "" +msgstr "Usa: DelCTCP [utente] [richiesta]" #: controlpanel.cpp:1349 msgid "CTCP requests {1} to user {2} will now be sent to IRC clients" @@ -470,7 +481,7 @@ msgstr "Errore: Impossibile ricaricare il modulo {1}: {2}" #: controlpanel.cpp:1383 msgid "Reloaded module {1}" -msgstr "" +msgstr "Modulo ricaricato {1}" #: controlpanel.cpp:1387 msgid "Error: Unable to load module {1} because it is already loaded" @@ -478,15 +489,16 @@ msgstr "Errore: Impossibile caricare il modulo {1} perché è già stato caricat #: controlpanel.cpp:1398 msgid "Usage: LoadModule [args]" -msgstr "" +msgstr "Usa: LoadModule [argomenti]" #: controlpanel.cpp:1417 msgid "Usage: LoadNetModule [args]" msgstr "" +"Usa: LoadNetModule [argomenti]" #: controlpanel.cpp:1442 msgid "Please use /znc unloadmod {1}" -msgstr "" +msgstr "Per favore usa il comando /znc unloadmod {1}" #: controlpanel.cpp:1448 msgid "Error: Unable to unload module {1}: {2}" @@ -494,15 +506,15 @@ msgstr "Errore: Impossibile rimunovere il modulo {1}: {2}" #: controlpanel.cpp:1451 msgid "Unloaded module {1}" -msgstr "" +msgstr "Rimosso il modulo {1}" #: controlpanel.cpp:1460 msgid "Usage: UnloadModule " -msgstr "" +msgstr "Usa: UnloadModule " #: controlpanel.cpp:1477 msgid "Usage: UnloadNetModule " -msgstr "" +msgstr "Usa: UnloadNetModule " #: controlpanel.cpp:1494 controlpanel.cpp:1499 msgctxt "listmodules" @@ -516,7 +528,7 @@ msgstr "Argomenti" #: controlpanel.cpp:1519 msgid "User {1} has no modules loaded." -msgstr "" +msgstr "L'utente {1} non ha moduli caricati." #: controlpanel.cpp:1523 msgid "Modules loaded for user {1}:" @@ -536,7 +548,7 @@ msgstr "[comando] [variabile]" #: controlpanel.cpp:1556 msgid "Prints help for matching commands and variables" -msgstr "" +msgstr "Mostra la guida corrispondente a comandi e variabili" #: controlpanel.cpp:1559 msgid " [username]" @@ -544,7 +556,7 @@ msgstr " [nome utente]" #: controlpanel.cpp:1560 msgid "Prints the variable's value for the given or current user" -msgstr "" +msgstr "Mostra il valore della varibaile per l'utente specificato o corrente" #: controlpanel.cpp:1562 msgid " " @@ -552,7 +564,7 @@ msgstr " " #: controlpanel.cpp:1563 msgid "Sets the variable's value for the given user" -msgstr "" +msgstr "Imposta il valore della variabile per l'utente specificato" #: controlpanel.cpp:1565 msgid " [username] [network]" @@ -560,7 +572,7 @@ msgstr " [nome utente] [network]" #: controlpanel.cpp:1566 msgid "Prints the variable's value for the given network" -msgstr "" +msgstr "Mostra il valore della varibaile del network specificato" #: controlpanel.cpp:1568 msgid " " @@ -568,7 +580,7 @@ msgstr " " #: controlpanel.cpp:1569 msgid "Sets the variable's value for the given network" -msgstr "" +msgstr "Imposta il valore della variabile per il network specificato" #: controlpanel.cpp:1571 msgid " [username] " @@ -576,7 +588,7 @@ msgstr " [nome utente] " #: controlpanel.cpp:1572 msgid "Prints the variable's value for the given channel" -msgstr "" +msgstr "Mostra il valore della varibaile del canale specificato" #: controlpanel.cpp:1575 msgid " " @@ -584,7 +596,7 @@ msgstr " " #: controlpanel.cpp:1576 msgid "Sets the variable's value for the given channel" -msgstr "" +msgstr "Imposta il valore della variabile per il canale specificato" #: controlpanel.cpp:1578 controlpanel.cpp:1581 msgid " " @@ -664,7 +676,7 @@ msgstr " " #: controlpanel.cpp:1610 msgid "Removes a Module of a user" -msgstr "" +msgstr "Rimuove un modulo da un utente" #: controlpanel.cpp:1613 msgid "Get the list of modules for a user" @@ -684,7 +696,7 @@ msgstr " " #: controlpanel.cpp:1621 msgid "Removes a Module of a network" -msgstr "" +msgstr "Rimuove un modulo da un network" #: controlpanel.cpp:1624 msgid "Get the list of modules for a network" @@ -708,7 +720,7 @@ msgstr " " #: controlpanel.cpp:1633 msgid "Remove a CTCP reply" -msgstr "" +msgstr "Rimuove una risposta CTCP" #: controlpanel.cpp:1637 controlpanel.cpp:1640 msgid "[username] " From b090644ac3597f376dc9f7b6e525c4824685ca6e Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Tue, 16 Jul 2019 23:25:59 +0100 Subject: [PATCH 281/798] Improve help message about LoadMod --- src/ClientCommand.cpp | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/src/ClientCommand.cpp b/src/ClientCommand.cpp index 44bcc324..27ec0981 100644 --- a/src/ClientCommand.cpp +++ b/src/ClientCommand.cpp @@ -1814,7 +1814,7 @@ void CClient::HelpUser(const CString& sFilter) { if (!m_pUser->DenyLoadMod()) { AddCommandHelp("LoadMod", - t_s("[--type=global|user|network] ", + t_s("[--type=global|user|network] [args]", "helpcmd|LoadMod|args"), t_s("Load a module", "helpcmd|LoadMod|desc")); AddCommandHelp("UnloadMod", @@ -1822,7 +1822,7 @@ void CClient::HelpUser(const CString& sFilter) { "helpcmd|UnloadMod|args"), t_s("Unload a module", "helpcmd|UnloadMod|desc")); AddCommandHelp("ReloadMod", - t_s("[--type=global|user|network] ", + t_s("[--type=global|user|network] [args]", "helpcmd|ReloadMod|args"), t_s("Reload a module", "helpcmd|ReloadMod|desc")); if (m_pUser->IsAdmin()) { From 43ffa91e20d749f531500425eeed4c05b51bd263 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Wed, 17 Jul 2019 00:27:25 +0000 Subject: [PATCH 282/798] Update translations from Crowdin for it_IT --- modules/po/bouncedcc.it_IT.po | 4 +- modules/po/buffextras.it_IT.po | 4 +- modules/po/controlpanel.it_IT.po | 10 ++-- modules/po/crypt.it_IT.po | 63 +++++++++++---------- modules/po/ctcpflood.it_IT.po | 29 ++++++---- modules/po/cyrusauth.it_IT.po | 26 ++++++--- modules/po/dcc.it_IT.po | 97 +++++++++++++++++--------------- modules/po/disconkick.it_IT.po | 4 +- modules/po/fail2ban.it_IT.po | 48 +++++++++------- modules/po/flooddetach.it_IT.po | 40 +++++++------ modules/po/identfile.it_IT.po | 32 ++++++----- modules/po/imapauth.it_IT.po | 4 +- modules/po/keepnick.it_IT.po | 20 +++---- modules/po/kickrejoin.it_IT.po | 23 +++++--- modules/po/lastseen.it_IT.po | 21 ++++--- modules/po/listsockets.it_IT.po | 45 +++++++-------- modules/po/log.it_IT.po | 64 +++++++++++---------- modules/po/missingmotd.it_IT.po | 2 +- modules/po/modperl.it_IT.po | 2 +- 19 files changed, 298 insertions(+), 240 deletions(-) diff --git a/modules/po/bouncedcc.it_IT.po b/modules/po/bouncedcc.it_IT.po index 4beba670..0a935279 100644 --- a/modules/po/bouncedcc.it_IT.po +++ b/modules/po/bouncedcc.it_IT.po @@ -50,7 +50,7 @@ msgstr "Chat" #: bouncedcc.cpp:121 msgctxt "list" msgid "Xfer" -msgstr "" +msgstr "Xfer" #: bouncedcc.cpp:125 msgid "Waiting" @@ -88,7 +88,7 @@ msgstr "Chat" #: bouncedcc.cpp:383 bouncedcc.cpp:412 bouncedcc.cpp:436 bouncedcc.cpp:451 msgctxt "type" msgid "Xfer" -msgstr "" +msgstr "Xfer" #: bouncedcc.cpp:385 msgid "DCC {1} Bounce ({2}): Too long line received" diff --git a/modules/po/buffextras.it_IT.po b/modules/po/buffextras.it_IT.po index 0b55b50e..d7fad976 100644 --- a/modules/po/buffextras.it_IT.po +++ b/modules/po/buffextras.it_IT.po @@ -14,7 +14,7 @@ msgstr "" #: buffextras.cpp:45 msgid "Server" -msgstr "" +msgstr "Server" #: buffextras.cpp:47 msgid "{1} set mode: {2} {3}" @@ -26,7 +26,7 @@ msgstr "{1} kicked {2} per questo motivo: {3}" #: buffextras.cpp:64 msgid "{1} quit: {2}" -msgstr "" +msgstr "{1} quit: {2}" #: buffextras.cpp:73 msgid "{1} joined" diff --git a/modules/po/controlpanel.it_IT.po b/modules/po/controlpanel.it_IT.po index 380b932d..a7f3f3e4 100644 --- a/modules/po/controlpanel.it_IT.po +++ b/modules/po/controlpanel.it_IT.po @@ -214,7 +214,7 @@ msgstr "è Admin" #: controlpanel.cpp:892 controlpanel.cpp:906 msgctxt "listusers" msgid "Nick" -msgstr "" +msgstr "Nick" #: controlpanel.cpp:893 controlpanel.cpp:907 msgctxt "listusers" @@ -224,16 +224,16 @@ msgstr "Nick alternativo" #: controlpanel.cpp:894 controlpanel.cpp:908 msgctxt "listusers" msgid "Ident" -msgstr "" +msgstr "Ident" #: controlpanel.cpp:895 controlpanel.cpp:909 msgctxt "listusers" msgid "BindHost" -msgstr "" +msgstr "BindHost" #: controlpanel.cpp:903 controlpanel.cpp:1143 msgid "No" -msgstr "" +msgstr "No" #: controlpanel.cpp:905 controlpanel.cpp:1135 msgid "Yes" @@ -336,7 +336,7 @@ msgstr "Errore: Il network {1} non può essere eliminato per l'utente {2}." #: controlpanel.cpp:1125 controlpanel.cpp:1133 msgctxt "listnetworks" msgid "Network" -msgstr "" +msgstr "Network" #: controlpanel.cpp:1126 controlpanel.cpp:1135 controlpanel.cpp:1143 msgctxt "listnetworks" diff --git a/modules/po/crypt.it_IT.po b/modules/po/crypt.it_IT.po index 8c6d9140..ea1a0838 100644 --- a/modules/po/crypt.it_IT.po +++ b/modules/po/crypt.it_IT.po @@ -14,130 +14,133 @@ msgstr "" #: crypt.cpp:198 msgid "<#chan|Nick>" -msgstr "" +msgstr "<#canale|Nick>" #: crypt.cpp:199 msgid "Remove a key for nick or channel" -msgstr "" +msgstr "Rimuove una chiave per un nick o canale" #: crypt.cpp:201 msgid "<#chan|Nick> " -msgstr "" +msgstr "<#canale|Nick> " #: crypt.cpp:202 msgid "Set a key for nick or channel" -msgstr "" +msgstr "Imposta una chiave per un nick o canale" #: crypt.cpp:204 msgid "List all keys" -msgstr "" +msgstr "Mostra tutte le chiavi" #: crypt.cpp:206 msgid "" -msgstr "" +msgstr "" #: crypt.cpp:207 msgid "Start a DH1080 key exchange with nick" -msgstr "" +msgstr "Avvia uno scambio di chiave DH1080 con il nick" #: crypt.cpp:210 msgid "Get the nick prefix" -msgstr "" +msgstr "Mostra il prefisso del nick" #: crypt.cpp:213 msgid "[Prefix]" -msgstr "" +msgstr "[Prefisso]" #: crypt.cpp:214 msgid "Set the nick prefix, with no argument it's disabled." -msgstr "" +msgstr "Imposta il prefisso del nick, senza argomenti viene disabilitato." #: crypt.cpp:270 msgid "Received DH1080 public key from {1}, sending mine..." -msgstr "" +msgstr "Ricevuta la chiave pubblica DH1080 da {1}, inviando il mio..." #: crypt.cpp:275 crypt.cpp:296 msgid "Key for {1} successfully set." -msgstr "" +msgstr "La chiave per {1} è impostata con succcesso." #: crypt.cpp:278 crypt.cpp:299 msgid "Error in {1} with {2}: {3}" -msgstr "" +msgstr "Errore in {1} con {2}: {3}" #: crypt.cpp:280 crypt.cpp:301 msgid "no secret key computed" -msgstr "" +msgstr "nessuna chiave segreta calcolata" #: crypt.cpp:395 msgid "Target [{1}] deleted" -msgstr "" +msgstr "Target [{1}] eliminato" #: crypt.cpp:397 msgid "Target [{1}] not found" -msgstr "" +msgstr "Target [{1}] non trovato" #: crypt.cpp:400 msgid "Usage DelKey <#chan|Nick>" -msgstr "" +msgstr "Usa DelKey <#canale|Nick>" #: crypt.cpp:415 msgid "Set encryption key for [{1}] to [{2}]" -msgstr "" +msgstr "Imposta la chiave di crittografia per [{1}] a [{2}]" #: crypt.cpp:417 msgid "Usage: SetKey <#chan|Nick> " -msgstr "" +msgstr "Usa: SetKey <#canale|Nick> " #: crypt.cpp:428 msgid "Sent my DH1080 public key to {1}, waiting for reply ..." -msgstr "" +msgstr "Inviato la mia chiave pubblica DH1080 a {1}, attendo risposta ..." #: crypt.cpp:430 msgid "Error generating our keys, nothing sent." -msgstr "" +msgstr "Errore del generatore dalle nostre chiavi, inviato nulla." #: crypt.cpp:433 msgid "Usage: KeyX " -msgstr "" +msgstr "Usa: KeyX " #: crypt.cpp:440 msgid "Nick Prefix disabled." -msgstr "" +msgstr "Prefisso del nick disabilitato." #: crypt.cpp:442 msgid "Nick Prefix: {1}" -msgstr "" +msgstr "Prefisso del nick: {1}" #: crypt.cpp:451 msgid "You cannot use :, even followed by other symbols, as Nick Prefix." msgstr "" +"Non puoi usare :, seguito anche da altri simboli, come prefisso del nick." #: crypt.cpp:460 msgid "Overlap with Status Prefix ({1}), this Nick Prefix will not be used!" msgstr "" +"Sovrapposizione con il Prefisso di Status ({1}), questo prefisso del nick " +"non sarà usato!" #: crypt.cpp:465 msgid "Disabling Nick Prefix." -msgstr "" +msgstr "Disabilitare il prefisso del nick." #: crypt.cpp:467 msgid "Setting Nick Prefix to {1}" -msgstr "" +msgstr "Prefisso del nick impostato a {1}" #: crypt.cpp:474 crypt.cpp:481 msgctxt "listkeys" msgid "Target" -msgstr "" +msgstr "Target" #: crypt.cpp:475 crypt.cpp:482 msgctxt "listkeys" msgid "Key" -msgstr "" +msgstr "Chiave" #: crypt.cpp:486 msgid "You have no encryption keys set." -msgstr "" +msgstr "Non hai chiavi di crittografica impostate." #: crypt.cpp:508 msgid "Encryption for channel/private messages" -msgstr "" +msgstr "Crittografia per canale/messaggi privati" diff --git a/modules/po/ctcpflood.it_IT.po b/modules/po/ctcpflood.it_IT.po index d6aa33d6..1da54a2a 100644 --- a/modules/po/ctcpflood.it_IT.po +++ b/modules/po/ctcpflood.it_IT.po @@ -14,47 +14,47 @@ msgstr "" #: ctcpflood.cpp:25 ctcpflood.cpp:27 msgid "" -msgstr "" +msgstr "" #: ctcpflood.cpp:25 msgid "Set seconds limit" -msgstr "" +msgstr "Imposta il limite dei secondi" #: ctcpflood.cpp:27 msgid "Set lines limit" -msgstr "" +msgstr "Imposta il limite delle linee" #: ctcpflood.cpp:29 msgid "Show the current limits" -msgstr "" +msgstr "Mostra i limiti correnti" #: ctcpflood.cpp:76 msgid "Limit reached by {1}, blocking all CTCP" -msgstr "" +msgstr "Limite raggiunto da {1}, blocco tutti i CTCP" #: ctcpflood.cpp:98 msgid "Usage: Secs " -msgstr "" +msgstr "Usa: Secs " #: ctcpflood.cpp:113 msgid "Usage: Lines " -msgstr "" +msgstr "Usa: Lines " #: ctcpflood.cpp:125 msgid "1 CTCP message" msgid_plural "{1} CTCP messages" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "1 messaggio CTCP" +msgstr[1] "{1} Messaggi CTCP" #: ctcpflood.cpp:127 msgid "every second" msgid_plural "every {1} seconds" msgstr[0] "" -msgstr[1] "" +msgstr[1] "ogni {1} secondi" #: ctcpflood.cpp:129 msgid "Current limit is {1} {2}" -msgstr "" +msgstr "Il limite corrente è {1} {2}" #: ctcpflood.cpp:145 msgid "" @@ -63,7 +63,12 @@ msgid "" "argument is the time (sec) to in which the number of lines is reached. The " "default setting is 4 CTCPs in 2 seconds" msgstr "" +"Questo modulo utente non accetta nessuno o due argomenti. Il primo argomento " +"è il numero di linee dopo le quali viene attivata la protezione contro i " +"flood (flood-protection). Il secondo argomento è il tempo (second) in cui il " +"numero di linee viene raggiunto. L'impostazione predefinita è 4 CTCP in 2 " +"secondi" #: ctcpflood.cpp:151 msgid "Don't forward CTCP floods to clients" -msgstr "" +msgstr "Non inoltrare i flussi CTCP (floods) ai clients" diff --git a/modules/po/cyrusauth.it_IT.po b/modules/po/cyrusauth.it_IT.po index 807cb2e7..9aa2ed9f 100644 --- a/modules/po/cyrusauth.it_IT.po +++ b/modules/po/cyrusauth.it_IT.po @@ -14,60 +14,68 @@ msgstr "" #: cyrusauth.cpp:42 msgid "Shows current settings" -msgstr "" +msgstr "Mostra le impostazioni correnti" #: cyrusauth.cpp:44 msgid "yes|clone |no" -msgstr "" +msgstr "yes|clone |no" #: cyrusauth.cpp:45 msgid "" "Create ZNC users upon first successful login, optionally from a template" msgstr "" +"Crea utenti ZNC al primo accesso riuscito, facoltativamente da un modello." #: cyrusauth.cpp:56 msgid "Access denied" -msgstr "" +msgstr "Accesso negato" #: cyrusauth.cpp:70 msgid "Ignoring invalid SASL pwcheck method: {1}" -msgstr "" +msgstr "Ignorando il metodo non valido SASL pwcheck: {1}" #: cyrusauth.cpp:71 msgid "Ignored invalid SASL pwcheck method" -msgstr "" +msgstr "Ignorato il metodo non valido SASL pwcheck" #: cyrusauth.cpp:79 msgid "Need a pwcheck method as argument (saslauthd, auxprop)" -msgstr "" +msgstr "Hai bisogno di un metodo pwcheck come argomento (saslauthd, auxprop)" #: cyrusauth.cpp:84 msgid "SASL Could Not Be Initialized - Halting Startup" -msgstr "" +msgstr "SASL non può essere inizializzato - Arrestato all'avvio" #: cyrusauth.cpp:171 cyrusauth.cpp:186 msgid "We will not create users on their first login" -msgstr "" +msgstr "Non creeremo gli utenti al loro primo accesso" #: cyrusauth.cpp:174 cyrusauth.cpp:195 msgid "" "We will create users on their first login, using user [{1}] as a template" msgstr "" +"Creeremo gli utenti al loro primo accesso, utilizzando l'utente [{1}] come " +"modello (template)" #: cyrusauth.cpp:177 cyrusauth.cpp:190 msgid "We will create users on their first login" -msgstr "" +msgstr "Creeremo gli utenti al loro primo accesso" #: cyrusauth.cpp:199 msgid "Usage: CreateUsers yes, CreateUsers no, or CreateUsers clone " msgstr "" +"Usa: CreateUsers yes, CreateUsers no, oppure CreateUsers clone " #: cyrusauth.cpp:232 msgid "" "This global module takes up to two arguments - the methods of authentication " "- auxprop and saslauthd" msgstr "" +"Questo modulo globale richiede fino a due argomenti - metodi di " +"autenticazione - auxprop e saslauthd" #: cyrusauth.cpp:238 msgid "Allow users to authenticate via SASL password verification method" msgstr "" +"Permetti agli utenti di autenticarsi tramite il metodo di verifica password " +"SASL" diff --git a/modules/po/dcc.it_IT.po b/modules/po/dcc.it_IT.po index b2443cc6..0d05c35f 100644 --- a/modules/po/dcc.it_IT.po +++ b/modules/po/dcc.it_IT.po @@ -14,214 +14,221 @@ msgstr "" #: dcc.cpp:88 msgid " " -msgstr "" +msgstr " " #: dcc.cpp:89 msgid "Send a file from ZNC to someone" -msgstr "" +msgstr "Invia un file dallo ZNC a qualcuno" #: dcc.cpp:91 msgid "" -msgstr "" +msgstr "" #: dcc.cpp:92 msgid "Send a file from ZNC to your client" -msgstr "" +msgstr "Invia un file dallo ZNC al tuo client" #: dcc.cpp:94 msgid "List current transfers" -msgstr "" +msgstr "Elenca i trasferimenti correnti" #: dcc.cpp:103 msgid "You must be admin to use the DCC module" -msgstr "" +msgstr "Devi essere amministratore per usare il modulo DCC" #: dcc.cpp:140 msgid "Attempting to send [{1}] to [{2}]." -msgstr "" +msgstr "Stò tentando di inviare [{1}] a [{2}]." #: dcc.cpp:149 dcc.cpp:554 msgid "Receiving [{1}] from [{2}]: File already exists." -msgstr "" +msgstr "Ricezione del file [{1}] dall'utente [{2}]: File già esistente." #: dcc.cpp:167 msgid "" "Attempting to connect to [{1} {2}] in order to download [{3}] from [{4}]." -msgstr "" +msgstr "Stò tentando di connettermi a [{1} {2}] per scaricare [{3}] da [{4}]." #: dcc.cpp:179 msgid "Usage: Send " -msgstr "" +msgstr "Usa: Send " #: dcc.cpp:186 dcc.cpp:206 msgid "Illegal path." -msgstr "" +msgstr "Percorso illegale." #: dcc.cpp:199 msgid "Usage: Get " -msgstr "" +msgstr "Usa: Get " #: dcc.cpp:215 dcc.cpp:232 dcc.cpp:234 msgctxt "list" msgid "Type" -msgstr "" +msgstr "Tipo" #: dcc.cpp:216 dcc.cpp:238 dcc.cpp:241 msgctxt "list" msgid "State" -msgstr "" +msgstr "Stato" #: dcc.cpp:217 dcc.cpp:243 msgctxt "list" msgid "Speed" -msgstr "" +msgstr "Velocità" #: dcc.cpp:218 dcc.cpp:227 msgctxt "list" msgid "Nick" -msgstr "" +msgstr "Nick" #: dcc.cpp:219 dcc.cpp:228 msgctxt "list" msgid "IP" -msgstr "" +msgstr "IP" #: dcc.cpp:220 dcc.cpp:229 msgctxt "list" msgid "File" -msgstr "" +msgstr "File" #: dcc.cpp:232 msgctxt "list-type" msgid "Sending" -msgstr "" +msgstr "In invio" #: dcc.cpp:234 msgctxt "list-type" msgid "Getting" -msgstr "" +msgstr "In ricezione" #: dcc.cpp:239 msgctxt "list-state" msgid "Waiting" -msgstr "" +msgstr "In attesa" #: dcc.cpp:244 msgid "{1} KiB/s" -msgstr "" +msgstr "{1} KiB/s" #: dcc.cpp:250 msgid "You have no active DCC transfers." -msgstr "" +msgstr "Non hai trasferimenti DCC attivi." #: dcc.cpp:267 msgid "Attempting to resume send from position {1} of file [{2}] for [{3}]" msgstr "" +"Stò tentando di riprendere l'invio della posizione {1} del file [{2}] per " +"[{3}]" #: dcc.cpp:277 msgid "Couldn't resume file [{1}] for [{2}]: not sending anything." -msgstr "" +msgstr "Impossibile riprendere il file [{1}] per [{2}]: non inviare nulla." #: dcc.cpp:286 msgid "Bad DCC file: {1}" -msgstr "" +msgstr "File DCC dannoso (bad): {1}" #: dcc.cpp:341 msgid "Sending [{1}] to [{2}]: File not open!" -msgstr "" +msgstr "Invio del file [{1}] all'utente [{2}]: File non aperto!" #: dcc.cpp:345 msgid "Receiving [{1}] from [{2}]: File not open!" -msgstr "" +msgstr "Ricezione del file [{1}] dall'utente [{2}]: File non aperto!" #: dcc.cpp:385 msgid "Sending [{1}] to [{2}]: Connection refused." -msgstr "" +msgstr "Invio del file [{1}] all'utente [{2}] : Connessione rifiutata." #: dcc.cpp:389 msgid "Receiving [{1}] from [{2}]: Connection refused." -msgstr "" +msgstr "Ricezione del file [{1}] dall'utente [{2}]: Connessione rifiutata." #: dcc.cpp:397 msgid "Sending [{1}] to [{2}]: Timeout." -msgstr "" +msgstr "Invio del file [{1}] all'utente [{2}]: Fuori tempo (Timeout)." #: dcc.cpp:401 msgid "Receiving [{1}] from [{2}]: Timeout." -msgstr "" +msgstr "Ricezione del file [{1}] dall'utente [{2}]: Fuori tempo (Timeout)." #: dcc.cpp:411 msgid "Sending [{1}] to [{2}]: Socket error {3}: {4}" -msgstr "" +msgstr "Invio del file [{1}] all'utente [{2}]: Errore di socket {3}: {4}" #: dcc.cpp:415 msgid "Receiving [{1}] from [{2}]: Socket error {3}: {4}" -msgstr "" +msgstr "Ricezione del file [{1}] dall'utente [{2}]: Errore di socket {3}: {4}" #: dcc.cpp:423 msgid "Sending [{1}] to [{2}]: Transfer started." -msgstr "" +msgstr "Invio del file [{1}] all'utente [{2}]: Trasferimento avviato." #: dcc.cpp:427 msgid "Receiving [{1}] from [{2}]: Transfer started." -msgstr "" +msgstr "Ricezione del file [{1}] dall'utente [{2}]: Trasferimento avviato." #: dcc.cpp:446 msgid "Sending [{1}] to [{2}]: Too much data!" -msgstr "" +msgstr "Invio del file [{1}] all'utente [{2}]: Troppi dati!" #: dcc.cpp:450 msgid "Receiving [{1}] from [{2}]: Too much data!" -msgstr "" +msgstr "Ricezione del file [{1}] dall'utente [{2}]: Troppi dati!" #: dcc.cpp:456 msgid "Sending [{1}] to [{2}] completed at {3} KiB/s" -msgstr "" +msgstr "L'invio del file [{1}] all'utente [{2}] viene completato a {3} KiB/s" #: dcc.cpp:461 msgid "Receiving [{1}] from [{2}] completed at {3} KiB/s" msgstr "" +"La ricezione del file [{1}] inviato da [{2}] viene completata a {3} KiB/s" #: dcc.cpp:474 msgid "Sending [{1}] to [{2}]: File closed prematurely." -msgstr "" +msgstr "Invio del file [{1}] all'utente [{2}]: File chiuso prematuramente." #: dcc.cpp:478 msgid "Receiving [{1}] from [{2}]: File closed prematurely." msgstr "" +"Ricezione del file [{1}] dall'utente [{2}]: File chiuso prematuramente." #: dcc.cpp:501 msgid "Sending [{1}] to [{2}]: Error reading from file." -msgstr "" +msgstr "Invio del file [{1}] all'utente [{2}]: Errore di lettura del file." #: dcc.cpp:505 msgid "Receiving [{1}] from [{2}]: Error reading from file." msgstr "" +"Ricezione del file [{1}] dall'utente [{2}]: Errore di lettura del file." #: dcc.cpp:537 msgid "Sending [{1}] to [{2}]: Unable to open file." -msgstr "" +msgstr "Invio del file [{1}] all'utente [{2}]: Impossibile aprire il file." #: dcc.cpp:541 msgid "Receiving [{1}] from [{2}]: Unable to open file." msgstr "" +"Ricezione del file [{1}] dall'utente [{2}]: Impossibile aprire il file." #: dcc.cpp:563 msgid "Receiving [{1}] from [{2}]: Could not open file." msgstr "" +"Ricezione del file [{1}] dall'utente [{2}]: Impossibile aprire il file." #: dcc.cpp:572 msgid "Sending [{1}] to [{2}]: Not a file." -msgstr "" +msgstr "Invio del file [{1}] all'utente [{2}]: Non è un file." #: dcc.cpp:581 msgid "Sending [{1}] to [{2}]: Could not open file." -msgstr "" +msgstr "Invio del file [{1}] all'utente [{2}]: Impossibile aprire il file." #: dcc.cpp:593 msgid "Sending [{1}] to [{2}]: File too large (>4 GiB)." -msgstr "" +msgstr "Invio del file [{1}] all'utente [{2}]: File troppo grande (>4 GiB)." #: dcc.cpp:623 msgid "This module allows you to transfer files to and from ZNC" -msgstr "" +msgstr "Questo modulo ti consente di trasferire file da e verso lo ZNC" diff --git a/modules/po/disconkick.it_IT.po b/modules/po/disconkick.it_IT.po index e128c59b..0ccdfb62 100644 --- a/modules/po/disconkick.it_IT.po +++ b/modules/po/disconkick.it_IT.po @@ -14,10 +14,12 @@ msgstr "" #: disconkick.cpp:32 msgid "You have been disconnected from the IRC server" -msgstr "" +msgstr "Sei stato disconnesso dal server IRC" #: disconkick.cpp:45 msgid "" "Kicks the client from all channels when the connection to the IRC server is " "lost" msgstr "" +"Libera (kicks) il client da tutti i canali quando la connessione al server " +"IRC viene persa" diff --git a/modules/po/fail2ban.it_IT.po b/modules/po/fail2ban.it_IT.po index 512afe05..df2a696e 100644 --- a/modules/po/fail2ban.it_IT.po +++ b/modules/po/fail2ban.it_IT.po @@ -14,104 +14,110 @@ msgstr "" #: fail2ban.cpp:25 msgid "[minutes]" -msgstr "" +msgstr "[minuti]" #: fail2ban.cpp:26 msgid "The number of minutes IPs are blocked after a failed login." msgstr "" +"Il numero di minuti in cui gli IPs restano bloccati dopo un login fallito." #: fail2ban.cpp:28 msgid "[count]" -msgstr "" +msgstr "[conteggio]" #: fail2ban.cpp:29 msgid "The number of allowed failed login attempts." -msgstr "" +msgstr "Il numero di tentatvi di accesso (login) falliti consentiti." #: fail2ban.cpp:31 fail2ban.cpp:33 msgid "" -msgstr "" +msgstr "" #: fail2ban.cpp:31 msgid "Ban the specified hosts." -msgstr "" +msgstr "Vieta (ban) gli host specificati." #: fail2ban.cpp:33 msgid "Unban the specified hosts." -msgstr "" +msgstr "Rimuove un divieto (ban) da uno specifico hosts." #: fail2ban.cpp:35 msgid "List banned hosts." -msgstr "" +msgstr "Elenco degli hosts vietati (banned)." #: fail2ban.cpp:55 msgid "" "Invalid argument, must be the number of minutes IPs are blocked after a " "failed login and can be followed by number of allowed failed login attempts" msgstr "" +"Argomento non valido, deve essere il numero di minuti di IPs sono bloccati " +"dopo un login fallito e può essere seguito dal numero di tentativi falliti " +"consentito" #: fail2ban.cpp:77 fail2ban.cpp:100 fail2ban.cpp:123 fail2ban.cpp:146 #: fail2ban.cpp:172 msgid "Access denied" -msgstr "" +msgstr "Accesso negato" #: fail2ban.cpp:86 msgid "Usage: Timeout [minutes]" -msgstr "" +msgstr "Usa: Timeout [minuti]" #: fail2ban.cpp:91 fail2ban.cpp:94 msgid "Timeout: {1} min" -msgstr "" +msgstr "Timeout: {1} minuti" #: fail2ban.cpp:109 msgid "Usage: Attempts [count]" -msgstr "" +msgstr "Usa: Attempts [conteggio]" #: fail2ban.cpp:114 fail2ban.cpp:117 msgid "Attempts: {1}" -msgstr "" +msgstr "Tentativi: {1}" #: fail2ban.cpp:130 msgid "Usage: Ban " -msgstr "" +msgstr "Usa: Ban " #: fail2ban.cpp:140 msgid "Banned: {1}" -msgstr "" +msgstr "Vietato (Banned): {1}" #: fail2ban.cpp:153 msgid "Usage: Unban " -msgstr "" +msgstr "Usa: Unban " #: fail2ban.cpp:163 msgid "Unbanned: {1}" -msgstr "" +msgstr "Sbannato: {1}" #: fail2ban.cpp:165 msgid "Ignored: {1}" -msgstr "" +msgstr "Ignorato: {1}" #: fail2ban.cpp:177 fail2ban.cpp:183 msgctxt "list" msgid "Host" -msgstr "" +msgstr "Host" #: fail2ban.cpp:178 fail2ban.cpp:184 msgctxt "list" msgid "Attempts" -msgstr "" +msgstr "Tentativi" #: fail2ban.cpp:188 msgctxt "list" msgid "No bans" -msgstr "" +msgstr "Nessun divieto (bans)" #: fail2ban.cpp:245 msgid "" "You might enter the time in minutes for the IP banning and the number of " "failed logins before any action is taken." msgstr "" +"È possibile inserire il tempo in minuti per il banning IP e il numero di " +"accessi falliti (login) prima di intraprendere qualsiasi azione." #: fail2ban.cpp:250 msgid "Block IPs for some time after a failed login." -msgstr "" +msgstr "Blocca gli IP per un pò di tempo dopo un login fallito." diff --git a/modules/po/flooddetach.it_IT.po b/modules/po/flooddetach.it_IT.po index 40a98d60..50f6f78c 100644 --- a/modules/po/flooddetach.it_IT.po +++ b/modules/po/flooddetach.it_IT.po @@ -14,78 +14,84 @@ msgstr "" #: flooddetach.cpp:30 msgid "Show current limits" -msgstr "" +msgstr "Mostra i limiti correnti" #: flooddetach.cpp:32 flooddetach.cpp:35 msgid "[]" -msgstr "" +msgstr "[]" #: flooddetach.cpp:33 msgid "Show or set number of seconds in the time interval" -msgstr "" +msgstr "Mostra o imposta il numero di secondi nell'intervallo di tempo" #: flooddetach.cpp:36 msgid "Show or set number of lines in the time interval" -msgstr "" +msgstr "Mostra o imposta il numero di linee nell'intervallo di tempo" #: flooddetach.cpp:39 msgid "Show or set whether to notify you about detaching and attaching back" msgstr "" +"Mostra o imposta se notificarti su come staccarti e ricollegareti dai canali " +"(detaching e attaching)" #: flooddetach.cpp:93 msgid "Flood in {1} is over, reattaching..." -msgstr "" +msgstr "Il flood su {1} è finito, riattacco..." #: flooddetach.cpp:150 msgid "Channel {1} was flooded, you've been detached" msgstr "" +"Canale{1} è stato \"invaso da messaggi\" (flooded), sei stato distaccato " +"(detached)" #: flooddetach.cpp:187 msgid "1 line" msgid_plural "{1} lines" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "1 linea" +msgstr[1] "{1} linee" #: flooddetach.cpp:188 msgid "every second" msgid_plural "every {1} seconds" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "ogni secondo" +msgstr[1] "ogni {1} secondi" #: flooddetach.cpp:190 msgid "Current limit is {1} {2}" -msgstr "" +msgstr "Il limite corrente è {1} {2}" #: flooddetach.cpp:197 msgid "Seconds limit is {1}" -msgstr "" +msgstr "Il limite dei secondi è {1}" #: flooddetach.cpp:202 msgid "Set seconds limit to {1}" -msgstr "" +msgstr "Imposta il limite dei secondi a {1}" #: flooddetach.cpp:211 msgid "Lines limit is {1}" -msgstr "" +msgstr "Il limite delle linee è {1}" #: flooddetach.cpp:216 msgid "Set lines limit to {1}" -msgstr "" +msgstr "Imposta il limite delle linee a {1}" #: flooddetach.cpp:229 msgid "Module messages are disabled" -msgstr "" +msgstr "I messaggi del modulo sono disabilitati" #: flooddetach.cpp:231 msgid "Module messages are enabled" -msgstr "" +msgstr "I messaggi del modulo sono abilitati" #: flooddetach.cpp:247 msgid "" "This user module takes up to two arguments. Arguments are numbers of " "messages and seconds." msgstr "" +"Questo modulo utente richiede fino a due argomenti. Gli argomenti sono il " +"numero di messaggi e dei secondi." #: flooddetach.cpp:251 msgid "Detach channels when flooded" -msgstr "" +msgstr "Distacca (detach) i canali quando vengono flooded" diff --git a/modules/po/identfile.it_IT.po b/modules/po/identfile.it_IT.po index ca8cf3b1..a79fc93f 100644 --- a/modules/po/identfile.it_IT.po +++ b/modules/po/identfile.it_IT.po @@ -14,7 +14,7 @@ msgstr "" #: identfile.cpp:30 msgid "Show file name" -msgstr "" +msgstr "Mostra il nome del file" #: identfile.cpp:32 msgid "" @@ -22,62 +22,64 @@ msgstr "" #: identfile.cpp:32 msgid "Set file name" -msgstr "" +msgstr "Imposta il nome del file" #: identfile.cpp:34 msgid "Show file format" -msgstr "" +msgstr "Mostra il formato del file" #: identfile.cpp:36 msgid "" -msgstr "" +msgstr "" #: identfile.cpp:36 msgid "Set file format" -msgstr "" +msgstr "Imposta il formato del file" #: identfile.cpp:38 msgid "Show current state" -msgstr "" +msgstr "Mostra lo stato corrente" #: identfile.cpp:48 msgid "File is set to: {1}" -msgstr "" +msgstr "File è impostato su: {1}" #: identfile.cpp:53 msgid "File has been set to: {1}" -msgstr "" +msgstr "Il file è stato impostato su: {1}" #: identfile.cpp:58 msgid "Format has been set to: {1}" -msgstr "" +msgstr "Il formato è stato impostato su: {1}" #: identfile.cpp:59 identfile.cpp:65 msgid "Format would be expanded to: {1}" -msgstr "" +msgstr "Il formato verrà espanso su: {1}" #: identfile.cpp:64 msgid "Format is set to: {1}" -msgstr "" +msgstr "Il formato è impostato su: {1}" #: identfile.cpp:78 msgid "identfile is free" -msgstr "" +msgstr "identfile è free" #: identfile.cpp:86 msgid "Access denied" -msgstr "" +msgstr "Accesso negato" #: identfile.cpp:181 msgid "" "Aborting connection, another user or network is currently connecting and " "using the ident spoof file" msgstr "" +"Connessione interrotta, un altro utente o network è attualmente connesso e " +"utilizzando ident spoof file" #: identfile.cpp:189 msgid "[{1}] could not be written, retrying..." -msgstr "" +msgstr "[{1}] non può essere scritto, riprovare..." #: identfile.cpp:223 msgid "Write the ident of a user to a file when they are trying to connect." -msgstr "" +msgstr "Scrive l'ident di un utente in un file quando tenta di connettersi." diff --git a/modules/po/imapauth.it_IT.po b/modules/po/imapauth.it_IT.po index 4d7864f0..b9f6bd7f 100644 --- a/modules/po/imapauth.it_IT.po +++ b/modules/po/imapauth.it_IT.po @@ -14,8 +14,8 @@ msgstr "" #: imapauth.cpp:168 msgid "[ server [+]port [ UserFormatString ] ]" -msgstr "" +msgstr "[ server [+]porta [ UserFormatString ] ]" #: imapauth.cpp:171 msgid "Allow users to authenticate via IMAP." -msgstr "" +msgstr "Permette agli utenti di autenticarsi tramite IMAP." diff --git a/modules/po/keepnick.it_IT.po b/modules/po/keepnick.it_IT.po index 72aa59ea..14b94b09 100644 --- a/modules/po/keepnick.it_IT.po +++ b/modules/po/keepnick.it_IT.po @@ -14,40 +14,40 @@ msgstr "" #: keepnick.cpp:39 msgid "Try to get your primary nick" -msgstr "" +msgstr "Porova ad ottenere il tuo nick principale" #: keepnick.cpp:42 keepnick.cpp:196 msgid "No longer trying to get your primary nick" -msgstr "" +msgstr "Non stai più cercando di ottenere il tuo nick principale" #: keepnick.cpp:44 msgid "Show the current state" -msgstr "" +msgstr "Mostra lo stato corrente" #: keepnick.cpp:158 msgid "ZNC is already trying to get this nickname" -msgstr "" +msgstr "Lo ZNC stà già cercando di ottenere questo nickname" #: keepnick.cpp:173 msgid "Unable to obtain nick {1}: {2}, {3}" -msgstr "" +msgstr "Impossibile ottenere il nick {1}: {2}, {3}" #: keepnick.cpp:181 msgid "Unable to obtain nick {1}" -msgstr "" +msgstr "Impossibile ottenere il nick {1}" #: keepnick.cpp:191 msgid "Trying to get your primary nick" -msgstr "" +msgstr "Cercando di ottenere il tuo nick principale" #: keepnick.cpp:201 msgid "Currently trying to get your primary nick" -msgstr "" +msgstr "Attualmente stò cercando di ottenere il tuo nick principale" #: keepnick.cpp:203 msgid "Currently disabled, try 'enable'" -msgstr "" +msgstr "Attualmente disabilitato, prova ad abilitarlo (enable)" #: keepnick.cpp:224 msgid "Keeps trying for your primary nick" -msgstr "" +msgstr "Prova a mantenere il tuo nick principale" diff --git a/modules/po/kickrejoin.it_IT.po b/modules/po/kickrejoin.it_IT.po index f1c4215c..6b325245 100644 --- a/modules/po/kickrejoin.it_IT.po +++ b/modules/po/kickrejoin.it_IT.po @@ -14,48 +14,57 @@ msgstr "" #: kickrejoin.cpp:56 msgid "" -msgstr "" +msgstr "" #: kickrejoin.cpp:56 msgid "Set the rejoin delay" msgstr "" +"Imposta il ritardo del rientro automatico (rejoin) (valore 0 per " +"disabilitare)" #: kickrejoin.cpp:58 msgid "Show the rejoin delay" -msgstr "" +msgstr "Mostra il ritardo del rientro automatico (rejoin)" #: kickrejoin.cpp:77 msgid "Illegal argument, must be a positive number or 0" -msgstr "" +msgstr "Argomento non accettato, deve essere 0 oppure un numero positivo" #: kickrejoin.cpp:90 msgid "Negative delays don't make any sense!" msgstr "" +"Impostare il ritardo del rientro automatico (rejoin) con numeri negativi non " +"ha alcun senso!" #: kickrejoin.cpp:98 msgid "Rejoin delay set to 1 second" msgid_plural "Rejoin delay set to {1} seconds" -msgstr[0] "" +msgstr[0] "Il ritardo del rientro automatico (rejoin) è impostato a 1 secondo" msgstr[1] "" +"Il ritardo del rientro automatico (rejoin) è impostato a {1} secondi" #: kickrejoin.cpp:101 msgid "Rejoin delay disabled" -msgstr "" +msgstr "Il ritardo del rientro automatico (rejoin) è disabilitato" #: kickrejoin.cpp:106 msgid "Rejoin delay is set to 1 second" msgid_plural "Rejoin delay is set to {1} seconds" msgstr[0] "" +"Il ritardo del rientro automatico (rejoin) è stato impostato a 1 secondo" msgstr[1] "" +"Il ritardo del rientro automatico (rejoin) è stato impostato a {1} secondi" #: kickrejoin.cpp:109 msgid "Rejoin delay is disabled" -msgstr "" +msgstr "Il ritardo del rientro automatico (rejoin) è stato disabilitato" #: kickrejoin.cpp:131 msgid "You might enter the number of seconds to wait before rejoining." msgstr "" +"Puoi inserire il numero di secondi che lo ZNC deve attendere prima di " +"rientrare automaticamente (rejoining)." #: kickrejoin.cpp:134 msgid "Autorejoins on kick" -msgstr "" +msgstr "Rientra automaticamente dopo un kick (Autorejoins)" diff --git a/modules/po/lastseen.it_IT.po b/modules/po/lastseen.it_IT.po index 5212e764..ed5ef2c3 100644 --- a/modules/po/lastseen.it_IT.po +++ b/modules/po/lastseen.it_IT.po @@ -18,7 +18,7 @@ msgstr "" #: modules/po/../data/lastseen/tmpl/index.tmpl:9 lastseen.cpp:99 msgid "Last Seen" -msgstr "" +msgstr "Ultima visualizzazione" #: modules/po/../data/lastseen/tmpl/index.tmpl:10 msgid "Info" @@ -26,42 +26,45 @@ msgstr "" #: modules/po/../data/lastseen/tmpl/index.tmpl:11 msgid "Action" -msgstr "" +msgstr "Azione" #: modules/po/../data/lastseen/tmpl/index.tmpl:21 msgid "Edit" -msgstr "" +msgstr "Modifica" #: modules/po/../data/lastseen/tmpl/index.tmpl:22 msgid "Delete" -msgstr "" +msgstr "Elimina" #: modules/po/../data/lastseen/tmpl/lastseen_WebadminUser.tmpl:6 msgid "Last login time:" -msgstr "" +msgstr "Ultimo accesso:" #: lastseen.cpp:53 msgid "Access denied" -msgstr "" +msgstr "Accesso negato" #: lastseen.cpp:61 lastseen.cpp:67 msgctxt "show" msgid "User" -msgstr "" +msgstr "Utente" #: lastseen.cpp:62 lastseen.cpp:68 msgctxt "show" msgid "Last Seen" -msgstr "" +msgstr "Ultima visualizzazione" #: lastseen.cpp:69 lastseen.cpp:125 msgid "never" -msgstr "" +msgstr "mai" #: lastseen.cpp:79 msgid "Shows list of users and when they last logged in" msgstr "" +"Mostra l'elenco degli utenti e quando hanno effettuato l'ultimo accesso " +"(logged in)" #: lastseen.cpp:154 msgid "Collects data about when a user last logged in." msgstr "" +"Raccoglie dati riguardo l'ultimo accesso effettuato da un utente (logged in)." diff --git a/modules/po/listsockets.it_IT.po b/modules/po/listsockets.it_IT.po index 58a3a18b..333c10b7 100644 --- a/modules/po/listsockets.it_IT.po +++ b/modules/po/listsockets.it_IT.po @@ -15,99 +15,100 @@ msgstr "" #: modules/po/../data/listsockets/tmpl/index.tmpl:7 listsockets.cpp:214 #: listsockets.cpp:230 msgid "Name" -msgstr "" +msgstr "Nome" #: modules/po/../data/listsockets/tmpl/index.tmpl:8 listsockets.cpp:215 #: listsockets.cpp:231 msgid "Created" -msgstr "" +msgstr "Creato" #: modules/po/../data/listsockets/tmpl/index.tmpl:9 listsockets.cpp:216 #: listsockets.cpp:232 msgid "State" -msgstr "" +msgstr "Stato" #: modules/po/../data/listsockets/tmpl/index.tmpl:10 listsockets.cpp:218 #: listsockets.cpp:235 msgid "SSL" -msgstr "" +msgstr "SSL" #: modules/po/../data/listsockets/tmpl/index.tmpl:11 listsockets.cpp:220 #: listsockets.cpp:240 msgid "Local" -msgstr "" +msgstr "Locale" #: modules/po/../data/listsockets/tmpl/index.tmpl:12 listsockets.cpp:221 #: listsockets.cpp:242 msgid "Remote" -msgstr "" +msgstr "Remoto" #: modules/po/../data/listsockets/tmpl/index.tmpl:13 msgid "Data In" -msgstr "" +msgstr "Dati entranti" #: modules/po/../data/listsockets/tmpl/index.tmpl:14 msgid "Data Out" -msgstr "" +msgstr "Dati uscenti" #: listsockets.cpp:62 msgid "[-n]" -msgstr "" +msgstr "[-n]" #: listsockets.cpp:62 msgid "Shows the list of active sockets. Pass -n to show IP addresses" msgstr "" +"Mostra l'elenco dei sockets attivi. Passa -n per mostrare gli indirizzi IP" #: listsockets.cpp:70 msgid "You must be admin to use this module" -msgstr "" +msgstr "Devi essere amministratore per usare questo modulo" #: listsockets.cpp:96 msgid "List sockets" -msgstr "" +msgstr "Elenca sockets" #: listsockets.cpp:116 listsockets.cpp:236 msgctxt "ssl" msgid "Yes" -msgstr "" +msgstr "Si" #: listsockets.cpp:116 listsockets.cpp:237 msgctxt "ssl" msgid "No" -msgstr "" +msgstr "No" #: listsockets.cpp:142 msgid "Listener" -msgstr "" +msgstr "Ascoltatore" #: listsockets.cpp:144 msgid "Inbound" -msgstr "" +msgstr "In entrata" #: listsockets.cpp:147 msgid "Outbound" -msgstr "" +msgstr "In uscita" #: listsockets.cpp:149 msgid "Connecting" -msgstr "" +msgstr "Collegamento" #: listsockets.cpp:152 msgid "UNKNOWN" -msgstr "" +msgstr "SCONOSCIUTO" #: listsockets.cpp:207 msgid "You have no open sockets." -msgstr "" +msgstr "Non hai sockets aperti." #: listsockets.cpp:222 listsockets.cpp:244 msgid "In" -msgstr "" +msgstr "Dentro" #: listsockets.cpp:223 listsockets.cpp:246 msgid "Out" -msgstr "" +msgstr "Fuori" #: listsockets.cpp:262 msgid "Lists active sockets" -msgstr "" +msgstr "Elenca i sockets attivi" diff --git a/modules/po/log.it_IT.po b/modules/po/log.it_IT.po index f4099ac0..2ecd3d93 100644 --- a/modules/po/log.it_IT.po +++ b/modules/po/log.it_IT.po @@ -14,19 +14,21 @@ msgstr "" #: log.cpp:59 msgid "" -msgstr "" +msgstr "" #: log.cpp:60 msgid "Set logging rules, use !#chan or !query to negate and * " msgstr "" +"Imposta le regole di registrazione (logging), usa !#canale o !query per " +"negare e * " #: log.cpp:62 msgid "Clear all logging rules" -msgstr "" +msgstr "Cancella tutte le regole di registrazione (logging rules)" #: log.cpp:64 msgid "List all logging rules" -msgstr "" +msgstr "Elenca tutte le regole di registrazione" #: log.cpp:67 msgid " true|false" @@ -34,115 +36,119 @@ msgstr "" #: log.cpp:68 msgid "Set one of the following options: joins, quits, nickchanges" -msgstr "" +msgstr "Imposta una delle seguenti opzioni: joins, quits, nickchanges" #: log.cpp:71 msgid "Show current settings set by Set command" -msgstr "" +msgstr "Mostra le impostazioni correnti impostate dal comando Set" #: log.cpp:143 msgid "Usage: SetRules " -msgstr "" +msgstr "Usa: SetRules " #: log.cpp:144 msgid "Wildcards are allowed" -msgstr "" +msgstr "Le wildcards (caratteri jolly) sono permesse" #: log.cpp:156 log.cpp:179 msgid "No logging rules. Everything is logged." -msgstr "" +msgstr "Nessuna regola di registrazione. Tutto è registrato." #: log.cpp:161 msgid "1 rule removed: {2}" msgid_plural "{1} rules removed: {2}" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "1 ruolo rimosso: {2}" +msgstr[1] "{1} ruoli rimossi: {2}" #: log.cpp:168 log.cpp:174 msgctxt "listrules" msgid "Rule" -msgstr "" +msgstr "Ruolo" #: log.cpp:169 log.cpp:175 msgctxt "listrules" msgid "Logging enabled" -msgstr "" +msgstr "Registrazione abilitata (Logging)" #: log.cpp:190 msgid "" "Usage: Set true|false, where is one of: joins, quits, nickchanges" msgstr "" +"Usa: Set true|false, dove è una tra: joins, quits, " +"nickchanges" #: log.cpp:197 msgid "Will log joins" -msgstr "" +msgstr "Registrerà i joins" #: log.cpp:197 msgid "Will not log joins" -msgstr "" +msgstr "Non registrerà i joins" #: log.cpp:198 msgid "Will log quits" -msgstr "" +msgstr "Registrerà i quits" #: log.cpp:198 msgid "Will not log quits" -msgstr "" +msgstr "Non registrerà i quits" #: log.cpp:200 msgid "Will log nick changes" -msgstr "" +msgstr "Registrerà i cambi di nick" #: log.cpp:200 msgid "Will not log nick changes" -msgstr "" +msgstr "Non registrerà i cambi di nick" #: log.cpp:204 msgid "Unknown variable. Known variables: joins, quits, nickchanges" -msgstr "" +msgstr "Variabile sconosciuta. Variabili conosciute: joins, quits, nickchanges" #: log.cpp:212 msgid "Logging joins" -msgstr "" +msgstr "Registrazione dei joins" #: log.cpp:212 msgid "Not logging joins" -msgstr "" +msgstr "Non si registrano join" #: log.cpp:213 msgid "Logging quits" -msgstr "" +msgstr "Registrazione dei quits" #: log.cpp:213 msgid "Not logging quits" -msgstr "" +msgstr "Non si registrano i quits" #: log.cpp:214 msgid "Logging nick changes" -msgstr "" +msgstr "Registrazione del cambio nick" #: log.cpp:215 msgid "Not logging nick changes" -msgstr "" +msgstr "Non si registrano cambi di nick" #: log.cpp:352 msgid "" "Invalid args [{1}]. Only one log path allowed. Check that there are no " "spaces in the path." msgstr "" +"Argomento non valido [{1}]. È consentito un solo percorso per la " +"registrazione dei log. Verifica che non ci siano spazi nel percorso." #: log.cpp:402 msgid "Invalid log path [{1}]" -msgstr "" +msgstr "Percorso di log non valido [{1}]" #: log.cpp:405 msgid "Logging to [{1}]. Using timestamp format '{2}'" -msgstr "" +msgstr "Accesso a [{1}]. Utilizzando il formato timestamp '{2}'" #: log.cpp:560 msgid "[-sanitize] Optional path where to store logs." -msgstr "" +msgstr "[-sanitize] Percorso opzionale dove archiviare i registri (logs)." #: log.cpp:564 msgid "Writes IRC logs." -msgstr "" +msgstr "Scrive un logs IRC." diff --git a/modules/po/missingmotd.it_IT.po b/modules/po/missingmotd.it_IT.po index 67b6715a..a0f85270 100644 --- a/modules/po/missingmotd.it_IT.po +++ b/modules/po/missingmotd.it_IT.po @@ -14,4 +14,4 @@ msgstr "" #: missingmotd.cpp:36 msgid "Sends 422 to clients when they login" -msgstr "" +msgstr "Invia 422 ai client quando effettuano l'accesso" diff --git a/modules/po/modperl.it_IT.po b/modules/po/modperl.it_IT.po index a2c0e048..a361a619 100644 --- a/modules/po/modperl.it_IT.po +++ b/modules/po/modperl.it_IT.po @@ -14,4 +14,4 @@ msgstr "" #: modperl.cpp:382 msgid "Loads perl scripts as ZNC modules" -msgstr "" +msgstr "Carica gli script Perl come moduli ZNC" From aa5ee8ff45ba1d9c1705a8d652af247f85e253a1 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Wed, 17 Jul 2019 00:27:40 +0000 Subject: [PATCH 283/798] Update translations from Crowdin for bg_BG de_DE es_ES id_ID it_IT pt_BR ru_RU --- modules/po/bouncedcc.it_IT.po | 4 +- modules/po/buffextras.it_IT.po | 4 +- modules/po/controlpanel.it_IT.po | 10 ++-- modules/po/crypt.it_IT.po | 63 +++++++++++---------- modules/po/ctcpflood.it_IT.po | 29 ++++++---- modules/po/cyrusauth.it_IT.po | 26 ++++++--- modules/po/dcc.it_IT.po | 97 +++++++++++++++++--------------- modules/po/disconkick.it_IT.po | 4 +- modules/po/fail2ban.it_IT.po | 48 +++++++++------- modules/po/flooddetach.it_IT.po | 40 +++++++------ modules/po/identfile.it_IT.po | 32 ++++++----- modules/po/imapauth.it_IT.po | 4 +- modules/po/keepnick.it_IT.po | 20 +++---- modules/po/kickrejoin.it_IT.po | 23 +++++--- modules/po/lastseen.it_IT.po | 21 ++++--- modules/po/listsockets.it_IT.po | 45 +++++++-------- modules/po/log.it_IT.po | 64 +++++++++++---------- modules/po/missingmotd.it_IT.po | 2 +- modules/po/modperl.it_IT.po | 2 +- src/po/znc.bg_BG.po | 4 +- src/po/znc.de_DE.po | 8 +-- src/po/znc.es_ES.po | 8 +-- src/po/znc.id_ID.po | 4 +- src/po/znc.it_IT.po | 8 +-- src/po/znc.pot | 4 +- src/po/znc.pt_BR.po | 4 +- src/po/znc.ru_RU.po | 4 +- 27 files changed, 320 insertions(+), 262 deletions(-) diff --git a/modules/po/bouncedcc.it_IT.po b/modules/po/bouncedcc.it_IT.po index 0031f566..86910271 100644 --- a/modules/po/bouncedcc.it_IT.po +++ b/modules/po/bouncedcc.it_IT.po @@ -50,7 +50,7 @@ msgstr "Chat" #: bouncedcc.cpp:121 msgctxt "list" msgid "Xfer" -msgstr "" +msgstr "Xfer" #: bouncedcc.cpp:125 msgid "Waiting" @@ -88,7 +88,7 @@ msgstr "Chat" #: bouncedcc.cpp:383 bouncedcc.cpp:412 bouncedcc.cpp:436 bouncedcc.cpp:451 msgctxt "type" msgid "Xfer" -msgstr "" +msgstr "Xfer" #: bouncedcc.cpp:385 msgid "DCC {1} Bounce ({2}): Too long line received" diff --git a/modules/po/buffextras.it_IT.po b/modules/po/buffextras.it_IT.po index 59aaa45a..689e0a05 100644 --- a/modules/po/buffextras.it_IT.po +++ b/modules/po/buffextras.it_IT.po @@ -14,7 +14,7 @@ msgstr "" #: buffextras.cpp:45 msgid "Server" -msgstr "" +msgstr "Server" #: buffextras.cpp:47 msgid "{1} set mode: {2} {3}" @@ -26,7 +26,7 @@ msgstr "{1} kicked {2} per questo motivo: {3}" #: buffextras.cpp:64 msgid "{1} quit: {2}" -msgstr "" +msgstr "{1} quit: {2}" #: buffextras.cpp:73 msgid "{1} joined" diff --git a/modules/po/controlpanel.it_IT.po b/modules/po/controlpanel.it_IT.po index 165edab4..ef4f70bd 100644 --- a/modules/po/controlpanel.it_IT.po +++ b/modules/po/controlpanel.it_IT.po @@ -214,7 +214,7 @@ msgstr "è Admin" #: controlpanel.cpp:887 controlpanel.cpp:901 msgctxt "listusers" msgid "Nick" -msgstr "" +msgstr "Nick" #: controlpanel.cpp:888 controlpanel.cpp:902 msgctxt "listusers" @@ -224,16 +224,16 @@ msgstr "Nick alternativo" #: controlpanel.cpp:889 controlpanel.cpp:903 msgctxt "listusers" msgid "Ident" -msgstr "" +msgstr "Ident" #: controlpanel.cpp:890 controlpanel.cpp:904 msgctxt "listusers" msgid "BindHost" -msgstr "" +msgstr "BindHost" #: controlpanel.cpp:898 controlpanel.cpp:1138 msgid "No" -msgstr "" +msgstr "No" #: controlpanel.cpp:900 controlpanel.cpp:1130 msgid "Yes" @@ -336,7 +336,7 @@ msgstr "Errore: Il network {1} non può essere eliminato per l'utente {2}." #: controlpanel.cpp:1120 controlpanel.cpp:1128 msgctxt "listnetworks" msgid "Network" -msgstr "" +msgstr "Network" #: controlpanel.cpp:1121 controlpanel.cpp:1130 controlpanel.cpp:1138 msgctxt "listnetworks" diff --git a/modules/po/crypt.it_IT.po b/modules/po/crypt.it_IT.po index efaf7078..eb310275 100644 --- a/modules/po/crypt.it_IT.po +++ b/modules/po/crypt.it_IT.po @@ -14,130 +14,133 @@ msgstr "" #: crypt.cpp:198 msgid "<#chan|Nick>" -msgstr "" +msgstr "<#canale|Nick>" #: crypt.cpp:199 msgid "Remove a key for nick or channel" -msgstr "" +msgstr "Rimuove una chiave per un nick o canale" #: crypt.cpp:201 msgid "<#chan|Nick> " -msgstr "" +msgstr "<#canale|Nick> " #: crypt.cpp:202 msgid "Set a key for nick or channel" -msgstr "" +msgstr "Imposta una chiave per un nick o canale" #: crypt.cpp:204 msgid "List all keys" -msgstr "" +msgstr "Mostra tutte le chiavi" #: crypt.cpp:206 msgid "" -msgstr "" +msgstr "" #: crypt.cpp:207 msgid "Start a DH1080 key exchange with nick" -msgstr "" +msgstr "Avvia uno scambio di chiave DH1080 con il nick" #: crypt.cpp:210 msgid "Get the nick prefix" -msgstr "" +msgstr "Mostra il prefisso del nick" #: crypt.cpp:213 msgid "[Prefix]" -msgstr "" +msgstr "[Prefisso]" #: crypt.cpp:214 msgid "Set the nick prefix, with no argument it's disabled." -msgstr "" +msgstr "Imposta il prefisso del nick, senza argomenti viene disabilitato." #: crypt.cpp:270 msgid "Received DH1080 public key from {1}, sending mine..." -msgstr "" +msgstr "Ricevuta la chiave pubblica DH1080 da {1}, inviando il mio..." #: crypt.cpp:275 crypt.cpp:296 msgid "Key for {1} successfully set." -msgstr "" +msgstr "La chiave per {1} è impostata con succcesso." #: crypt.cpp:278 crypt.cpp:299 msgid "Error in {1} with {2}: {3}" -msgstr "" +msgstr "Errore in {1} con {2}: {3}" #: crypt.cpp:280 crypt.cpp:301 msgid "no secret key computed" -msgstr "" +msgstr "nessuna chiave segreta calcolata" #: crypt.cpp:395 msgid "Target [{1}] deleted" -msgstr "" +msgstr "Target [{1}] eliminato" #: crypt.cpp:397 msgid "Target [{1}] not found" -msgstr "" +msgstr "Target [{1}] non trovato" #: crypt.cpp:400 msgid "Usage DelKey <#chan|Nick>" -msgstr "" +msgstr "Usa DelKey <#canale|Nick>" #: crypt.cpp:415 msgid "Set encryption key for [{1}] to [{2}]" -msgstr "" +msgstr "Imposta la chiave di crittografia per [{1}] a [{2}]" #: crypt.cpp:417 msgid "Usage: SetKey <#chan|Nick> " -msgstr "" +msgstr "Usa: SetKey <#canale|Nick> " #: crypt.cpp:428 msgid "Sent my DH1080 public key to {1}, waiting for reply ..." -msgstr "" +msgstr "Inviato la mia chiave pubblica DH1080 a {1}, attendo risposta ..." #: crypt.cpp:430 msgid "Error generating our keys, nothing sent." -msgstr "" +msgstr "Errore del generatore dalle nostre chiavi, inviato nulla." #: crypt.cpp:433 msgid "Usage: KeyX " -msgstr "" +msgstr "Usa: KeyX " #: crypt.cpp:440 msgid "Nick Prefix disabled." -msgstr "" +msgstr "Prefisso del nick disabilitato." #: crypt.cpp:442 msgid "Nick Prefix: {1}" -msgstr "" +msgstr "Prefisso del nick: {1}" #: crypt.cpp:451 msgid "You cannot use :, even followed by other symbols, as Nick Prefix." msgstr "" +"Non puoi usare :, seguito anche da altri simboli, come prefisso del nick." #: crypt.cpp:460 msgid "Overlap with Status Prefix ({1}), this Nick Prefix will not be used!" msgstr "" +"Sovrapposizione con il Prefisso di Status ({1}), questo prefisso del nick " +"non sarà usato!" #: crypt.cpp:465 msgid "Disabling Nick Prefix." -msgstr "" +msgstr "Disabilitare il prefisso del nick." #: crypt.cpp:467 msgid "Setting Nick Prefix to {1}" -msgstr "" +msgstr "Prefisso del nick impostato a {1}" #: crypt.cpp:474 crypt.cpp:480 msgctxt "listkeys" msgid "Target" -msgstr "" +msgstr "Target" #: crypt.cpp:475 crypt.cpp:481 msgctxt "listkeys" msgid "Key" -msgstr "" +msgstr "Chiave" #: crypt.cpp:485 msgid "You have no encryption keys set." -msgstr "" +msgstr "Non hai chiavi di crittografica impostate." #: crypt.cpp:507 msgid "Encryption for channel/private messages" -msgstr "" +msgstr "Crittografia per canale/messaggi privati" diff --git a/modules/po/ctcpflood.it_IT.po b/modules/po/ctcpflood.it_IT.po index cfb95a4b..272bb140 100644 --- a/modules/po/ctcpflood.it_IT.po +++ b/modules/po/ctcpflood.it_IT.po @@ -14,47 +14,47 @@ msgstr "" #: ctcpflood.cpp:25 ctcpflood.cpp:27 msgid "" -msgstr "" +msgstr "" #: ctcpflood.cpp:25 msgid "Set seconds limit" -msgstr "" +msgstr "Imposta il limite dei secondi" #: ctcpflood.cpp:27 msgid "Set lines limit" -msgstr "" +msgstr "Imposta il limite delle linee" #: ctcpflood.cpp:29 msgid "Show the current limits" -msgstr "" +msgstr "Mostra i limiti correnti" #: ctcpflood.cpp:76 msgid "Limit reached by {1}, blocking all CTCP" -msgstr "" +msgstr "Limite raggiunto da {1}, blocco tutti i CTCP" #: ctcpflood.cpp:98 msgid "Usage: Secs " -msgstr "" +msgstr "Usa: Secs " #: ctcpflood.cpp:113 msgid "Usage: Lines " -msgstr "" +msgstr "Usa: Lines " #: ctcpflood.cpp:125 msgid "1 CTCP message" msgid_plural "{1} CTCP messages" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "1 messaggio CTCP" +msgstr[1] "{1} Messaggi CTCP" #: ctcpflood.cpp:127 msgid "every second" msgid_plural "every {1} seconds" msgstr[0] "" -msgstr[1] "" +msgstr[1] "ogni {1} secondi" #: ctcpflood.cpp:129 msgid "Current limit is {1} {2}" -msgstr "" +msgstr "Il limite corrente è {1} {2}" #: ctcpflood.cpp:145 msgid "" @@ -63,7 +63,12 @@ msgid "" "argument is the time (sec) to in which the number of lines is reached. The " "default setting is 4 CTCPs in 2 seconds" msgstr "" +"Questo modulo utente non accetta nessuno o due argomenti. Il primo argomento " +"è il numero di linee dopo le quali viene attivata la protezione contro i " +"flood (flood-protection). Il secondo argomento è il tempo (second) in cui il " +"numero di linee viene raggiunto. L'impostazione predefinita è 4 CTCP in 2 " +"secondi" #: ctcpflood.cpp:151 msgid "Don't forward CTCP floods to clients" -msgstr "" +msgstr "Non inoltrare i flussi CTCP (floods) ai clients" diff --git a/modules/po/cyrusauth.it_IT.po b/modules/po/cyrusauth.it_IT.po index 4455b713..b719a470 100644 --- a/modules/po/cyrusauth.it_IT.po +++ b/modules/po/cyrusauth.it_IT.po @@ -14,60 +14,68 @@ msgstr "" #: cyrusauth.cpp:42 msgid "Shows current settings" -msgstr "" +msgstr "Mostra le impostazioni correnti" #: cyrusauth.cpp:44 msgid "yes|clone |no" -msgstr "" +msgstr "yes|clone |no" #: cyrusauth.cpp:45 msgid "" "Create ZNC users upon first successful login, optionally from a template" msgstr "" +"Crea utenti ZNC al primo accesso riuscito, facoltativamente da un modello." #: cyrusauth.cpp:56 msgid "Access denied" -msgstr "" +msgstr "Accesso negato" #: cyrusauth.cpp:70 msgid "Ignoring invalid SASL pwcheck method: {1}" -msgstr "" +msgstr "Ignorando il metodo non valido SASL pwcheck: {1}" #: cyrusauth.cpp:71 msgid "Ignored invalid SASL pwcheck method" -msgstr "" +msgstr "Ignorato il metodo non valido SASL pwcheck" #: cyrusauth.cpp:79 msgid "Need a pwcheck method as argument (saslauthd, auxprop)" -msgstr "" +msgstr "Hai bisogno di un metodo pwcheck come argomento (saslauthd, auxprop)" #: cyrusauth.cpp:84 msgid "SASL Could Not Be Initialized - Halting Startup" -msgstr "" +msgstr "SASL non può essere inizializzato - Arrestato all'avvio" #: cyrusauth.cpp:171 cyrusauth.cpp:186 msgid "We will not create users on their first login" -msgstr "" +msgstr "Non creeremo gli utenti al loro primo accesso" #: cyrusauth.cpp:174 cyrusauth.cpp:195 msgid "" "We will create users on their first login, using user [{1}] as a template" msgstr "" +"Creeremo gli utenti al loro primo accesso, utilizzando l'utente [{1}] come " +"modello (template)" #: cyrusauth.cpp:177 cyrusauth.cpp:190 msgid "We will create users on their first login" -msgstr "" +msgstr "Creeremo gli utenti al loro primo accesso" #: cyrusauth.cpp:199 msgid "Usage: CreateUsers yes, CreateUsers no, or CreateUsers clone " msgstr "" +"Usa: CreateUsers yes, CreateUsers no, oppure CreateUsers clone " #: cyrusauth.cpp:232 msgid "" "This global module takes up to two arguments - the methods of authentication " "- auxprop and saslauthd" msgstr "" +"Questo modulo globale richiede fino a due argomenti - metodi di " +"autenticazione - auxprop e saslauthd" #: cyrusauth.cpp:238 msgid "Allow users to authenticate via SASL password verification method" msgstr "" +"Permetti agli utenti di autenticarsi tramite il metodo di verifica password " +"SASL" diff --git a/modules/po/dcc.it_IT.po b/modules/po/dcc.it_IT.po index e86391e7..853ed299 100644 --- a/modules/po/dcc.it_IT.po +++ b/modules/po/dcc.it_IT.po @@ -14,214 +14,221 @@ msgstr "" #: dcc.cpp:88 msgid " " -msgstr "" +msgstr " " #: dcc.cpp:89 msgid "Send a file from ZNC to someone" -msgstr "" +msgstr "Invia un file dallo ZNC a qualcuno" #: dcc.cpp:91 msgid "" -msgstr "" +msgstr "" #: dcc.cpp:92 msgid "Send a file from ZNC to your client" -msgstr "" +msgstr "Invia un file dallo ZNC al tuo client" #: dcc.cpp:94 msgid "List current transfers" -msgstr "" +msgstr "Elenca i trasferimenti correnti" #: dcc.cpp:103 msgid "You must be admin to use the DCC module" -msgstr "" +msgstr "Devi essere amministratore per usare il modulo DCC" #: dcc.cpp:140 msgid "Attempting to send [{1}] to [{2}]." -msgstr "" +msgstr "Stò tentando di inviare [{1}] a [{2}]." #: dcc.cpp:149 dcc.cpp:554 msgid "Receiving [{1}] from [{2}]: File already exists." -msgstr "" +msgstr "Ricezione del file [{1}] dall'utente [{2}]: File già esistente." #: dcc.cpp:167 msgid "" "Attempting to connect to [{1} {2}] in order to download [{3}] from [{4}]." -msgstr "" +msgstr "Stò tentando di connettermi a [{1} {2}] per scaricare [{3}] da [{4}]." #: dcc.cpp:179 msgid "Usage: Send " -msgstr "" +msgstr "Usa: Send " #: dcc.cpp:186 dcc.cpp:206 msgid "Illegal path." -msgstr "" +msgstr "Percorso illegale." #: dcc.cpp:199 msgid "Usage: Get " -msgstr "" +msgstr "Usa: Get " #: dcc.cpp:215 dcc.cpp:232 dcc.cpp:234 msgctxt "list" msgid "Type" -msgstr "" +msgstr "Tipo" #: dcc.cpp:216 dcc.cpp:238 dcc.cpp:241 msgctxt "list" msgid "State" -msgstr "" +msgstr "Stato" #: dcc.cpp:217 dcc.cpp:243 msgctxt "list" msgid "Speed" -msgstr "" +msgstr "Velocità" #: dcc.cpp:218 dcc.cpp:227 msgctxt "list" msgid "Nick" -msgstr "" +msgstr "Nick" #: dcc.cpp:219 dcc.cpp:228 msgctxt "list" msgid "IP" -msgstr "" +msgstr "IP" #: dcc.cpp:220 dcc.cpp:229 msgctxt "list" msgid "File" -msgstr "" +msgstr "File" #: dcc.cpp:232 msgctxt "list-type" msgid "Sending" -msgstr "" +msgstr "In invio" #: dcc.cpp:234 msgctxt "list-type" msgid "Getting" -msgstr "" +msgstr "In ricezione" #: dcc.cpp:239 msgctxt "list-state" msgid "Waiting" -msgstr "" +msgstr "In attesa" #: dcc.cpp:244 msgid "{1} KiB/s" -msgstr "" +msgstr "{1} KiB/s" #: dcc.cpp:250 msgid "You have no active DCC transfers." -msgstr "" +msgstr "Non hai trasferimenti DCC attivi." #: dcc.cpp:267 msgid "Attempting to resume send from position {1} of file [{2}] for [{3}]" msgstr "" +"Stò tentando di riprendere l'invio della posizione {1} del file [{2}] per " +"[{3}]" #: dcc.cpp:277 msgid "Couldn't resume file [{1}] for [{2}]: not sending anything." -msgstr "" +msgstr "Impossibile riprendere il file [{1}] per [{2}]: non inviare nulla." #: dcc.cpp:286 msgid "Bad DCC file: {1}" -msgstr "" +msgstr "File DCC dannoso (bad): {1}" #: dcc.cpp:341 msgid "Sending [{1}] to [{2}]: File not open!" -msgstr "" +msgstr "Invio del file [{1}] all'utente [{2}]: File non aperto!" #: dcc.cpp:345 msgid "Receiving [{1}] from [{2}]: File not open!" -msgstr "" +msgstr "Ricezione del file [{1}] dall'utente [{2}]: File non aperto!" #: dcc.cpp:385 msgid "Sending [{1}] to [{2}]: Connection refused." -msgstr "" +msgstr "Invio del file [{1}] all'utente [{2}] : Connessione rifiutata." #: dcc.cpp:389 msgid "Receiving [{1}] from [{2}]: Connection refused." -msgstr "" +msgstr "Ricezione del file [{1}] dall'utente [{2}]: Connessione rifiutata." #: dcc.cpp:397 msgid "Sending [{1}] to [{2}]: Timeout." -msgstr "" +msgstr "Invio del file [{1}] all'utente [{2}]: Fuori tempo (Timeout)." #: dcc.cpp:401 msgid "Receiving [{1}] from [{2}]: Timeout." -msgstr "" +msgstr "Ricezione del file [{1}] dall'utente [{2}]: Fuori tempo (Timeout)." #: dcc.cpp:411 msgid "Sending [{1}] to [{2}]: Socket error {3}: {4}" -msgstr "" +msgstr "Invio del file [{1}] all'utente [{2}]: Errore di socket {3}: {4}" #: dcc.cpp:415 msgid "Receiving [{1}] from [{2}]: Socket error {3}: {4}" -msgstr "" +msgstr "Ricezione del file [{1}] dall'utente [{2}]: Errore di socket {3}: {4}" #: dcc.cpp:423 msgid "Sending [{1}] to [{2}]: Transfer started." -msgstr "" +msgstr "Invio del file [{1}] all'utente [{2}]: Trasferimento avviato." #: dcc.cpp:427 msgid "Receiving [{1}] from [{2}]: Transfer started." -msgstr "" +msgstr "Ricezione del file [{1}] dall'utente [{2}]: Trasferimento avviato." #: dcc.cpp:446 msgid "Sending [{1}] to [{2}]: Too much data!" -msgstr "" +msgstr "Invio del file [{1}] all'utente [{2}]: Troppi dati!" #: dcc.cpp:450 msgid "Receiving [{1}] from [{2}]: Too much data!" -msgstr "" +msgstr "Ricezione del file [{1}] dall'utente [{2}]: Troppi dati!" #: dcc.cpp:456 msgid "Sending [{1}] to [{2}] completed at {3} KiB/s" -msgstr "" +msgstr "L'invio del file [{1}] all'utente [{2}] viene completato a {3} KiB/s" #: dcc.cpp:461 msgid "Receiving [{1}] from [{2}] completed at {3} KiB/s" msgstr "" +"La ricezione del file [{1}] inviato da [{2}] viene completata a {3} KiB/s" #: dcc.cpp:474 msgid "Sending [{1}] to [{2}]: File closed prematurely." -msgstr "" +msgstr "Invio del file [{1}] all'utente [{2}]: File chiuso prematuramente." #: dcc.cpp:478 msgid "Receiving [{1}] from [{2}]: File closed prematurely." msgstr "" +"Ricezione del file [{1}] dall'utente [{2}]: File chiuso prematuramente." #: dcc.cpp:501 msgid "Sending [{1}] to [{2}]: Error reading from file." -msgstr "" +msgstr "Invio del file [{1}] all'utente [{2}]: Errore di lettura del file." #: dcc.cpp:505 msgid "Receiving [{1}] from [{2}]: Error reading from file." msgstr "" +"Ricezione del file [{1}] dall'utente [{2}]: Errore di lettura del file." #: dcc.cpp:537 msgid "Sending [{1}] to [{2}]: Unable to open file." -msgstr "" +msgstr "Invio del file [{1}] all'utente [{2}]: Impossibile aprire il file." #: dcc.cpp:541 msgid "Receiving [{1}] from [{2}]: Unable to open file." msgstr "" +"Ricezione del file [{1}] dall'utente [{2}]: Impossibile aprire il file." #: dcc.cpp:563 msgid "Receiving [{1}] from [{2}]: Could not open file." msgstr "" +"Ricezione del file [{1}] dall'utente [{2}]: Impossibile aprire il file." #: dcc.cpp:572 msgid "Sending [{1}] to [{2}]: Not a file." -msgstr "" +msgstr "Invio del file [{1}] all'utente [{2}]: Non è un file." #: dcc.cpp:581 msgid "Sending [{1}] to [{2}]: Could not open file." -msgstr "" +msgstr "Invio del file [{1}] all'utente [{2}]: Impossibile aprire il file." #: dcc.cpp:593 msgid "Sending [{1}] to [{2}]: File too large (>4 GiB)." -msgstr "" +msgstr "Invio del file [{1}] all'utente [{2}]: File troppo grande (>4 GiB)." #: dcc.cpp:623 msgid "This module allows you to transfer files to and from ZNC" -msgstr "" +msgstr "Questo modulo ti consente di trasferire file da e verso lo ZNC" diff --git a/modules/po/disconkick.it_IT.po b/modules/po/disconkick.it_IT.po index 0c29577a..b1cef122 100644 --- a/modules/po/disconkick.it_IT.po +++ b/modules/po/disconkick.it_IT.po @@ -14,10 +14,12 @@ msgstr "" #: disconkick.cpp:32 msgid "You have been disconnected from the IRC server" -msgstr "" +msgstr "Sei stato disconnesso dal server IRC" #: disconkick.cpp:45 msgid "" "Kicks the client from all channels when the connection to the IRC server is " "lost" msgstr "" +"Libera (kicks) il client da tutti i canali quando la connessione al server " +"IRC viene persa" diff --git a/modules/po/fail2ban.it_IT.po b/modules/po/fail2ban.it_IT.po index 72c00492..869e9463 100644 --- a/modules/po/fail2ban.it_IT.po +++ b/modules/po/fail2ban.it_IT.po @@ -14,104 +14,110 @@ msgstr "" #: fail2ban.cpp:25 msgid "[minutes]" -msgstr "" +msgstr "[minuti]" #: fail2ban.cpp:26 msgid "The number of minutes IPs are blocked after a failed login." msgstr "" +"Il numero di minuti in cui gli IPs restano bloccati dopo un login fallito." #: fail2ban.cpp:28 msgid "[count]" -msgstr "" +msgstr "[conteggio]" #: fail2ban.cpp:29 msgid "The number of allowed failed login attempts." -msgstr "" +msgstr "Il numero di tentatvi di accesso (login) falliti consentiti." #: fail2ban.cpp:31 fail2ban.cpp:33 msgid "" -msgstr "" +msgstr "" #: fail2ban.cpp:31 msgid "Ban the specified hosts." -msgstr "" +msgstr "Vieta (ban) gli host specificati." #: fail2ban.cpp:33 msgid "Unban the specified hosts." -msgstr "" +msgstr "Rimuove un divieto (ban) da uno specifico hosts." #: fail2ban.cpp:35 msgid "List banned hosts." -msgstr "" +msgstr "Elenco degli hosts vietati (banned)." #: fail2ban.cpp:55 msgid "" "Invalid argument, must be the number of minutes IPs are blocked after a " "failed login and can be followed by number of allowed failed login attempts" msgstr "" +"Argomento non valido, deve essere il numero di minuti di IPs sono bloccati " +"dopo un login fallito e può essere seguito dal numero di tentativi falliti " +"consentito" #: fail2ban.cpp:77 fail2ban.cpp:100 fail2ban.cpp:123 fail2ban.cpp:146 #: fail2ban.cpp:172 msgid "Access denied" -msgstr "" +msgstr "Accesso negato" #: fail2ban.cpp:86 msgid "Usage: Timeout [minutes]" -msgstr "" +msgstr "Usa: Timeout [minuti]" #: fail2ban.cpp:91 fail2ban.cpp:94 msgid "Timeout: {1} min" -msgstr "" +msgstr "Timeout: {1} minuti" #: fail2ban.cpp:109 msgid "Usage: Attempts [count]" -msgstr "" +msgstr "Usa: Attempts [conteggio]" #: fail2ban.cpp:114 fail2ban.cpp:117 msgid "Attempts: {1}" -msgstr "" +msgstr "Tentativi: {1}" #: fail2ban.cpp:130 msgid "Usage: Ban " -msgstr "" +msgstr "Usa: Ban " #: fail2ban.cpp:140 msgid "Banned: {1}" -msgstr "" +msgstr "Vietato (Banned): {1}" #: fail2ban.cpp:153 msgid "Usage: Unban " -msgstr "" +msgstr "Usa: Unban " #: fail2ban.cpp:163 msgid "Unbanned: {1}" -msgstr "" +msgstr "Sbannato: {1}" #: fail2ban.cpp:165 msgid "Ignored: {1}" -msgstr "" +msgstr "Ignorato: {1}" #: fail2ban.cpp:177 fail2ban.cpp:182 msgctxt "list" msgid "Host" -msgstr "" +msgstr "Host" #: fail2ban.cpp:178 fail2ban.cpp:183 msgctxt "list" msgid "Attempts" -msgstr "" +msgstr "Tentativi" #: fail2ban.cpp:187 msgctxt "list" msgid "No bans" -msgstr "" +msgstr "Nessun divieto (bans)" #: fail2ban.cpp:244 msgid "" "You might enter the time in minutes for the IP banning and the number of " "failed logins before any action is taken." msgstr "" +"È possibile inserire il tempo in minuti per il banning IP e il numero di " +"accessi falliti (login) prima di intraprendere qualsiasi azione." #: fail2ban.cpp:249 msgid "Block IPs for some time after a failed login." -msgstr "" +msgstr "Blocca gli IP per un pò di tempo dopo un login fallito." diff --git a/modules/po/flooddetach.it_IT.po b/modules/po/flooddetach.it_IT.po index 2b36067e..3f195d5a 100644 --- a/modules/po/flooddetach.it_IT.po +++ b/modules/po/flooddetach.it_IT.po @@ -14,78 +14,84 @@ msgstr "" #: flooddetach.cpp:30 msgid "Show current limits" -msgstr "" +msgstr "Mostra i limiti correnti" #: flooddetach.cpp:32 flooddetach.cpp:35 msgid "[]" -msgstr "" +msgstr "[]" #: flooddetach.cpp:33 msgid "Show or set number of seconds in the time interval" -msgstr "" +msgstr "Mostra o imposta il numero di secondi nell'intervallo di tempo" #: flooddetach.cpp:36 msgid "Show or set number of lines in the time interval" -msgstr "" +msgstr "Mostra o imposta il numero di linee nell'intervallo di tempo" #: flooddetach.cpp:39 msgid "Show or set whether to notify you about detaching and attaching back" msgstr "" +"Mostra o imposta se notificarti su come staccarti e ricollegareti dai canali " +"(detaching e attaching)" #: flooddetach.cpp:93 msgid "Flood in {1} is over, reattaching..." -msgstr "" +msgstr "Il flood su {1} è finito, riattacco..." #: flooddetach.cpp:150 msgid "Channel {1} was flooded, you've been detached" msgstr "" +"Canale{1} è stato \"invaso da messaggi\" (flooded), sei stato distaccato " +"(detached)" #: flooddetach.cpp:187 msgid "1 line" msgid_plural "{1} lines" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "1 linea" +msgstr[1] "{1} linee" #: flooddetach.cpp:188 msgid "every second" msgid_plural "every {1} seconds" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "ogni secondo" +msgstr[1] "ogni {1} secondi" #: flooddetach.cpp:190 msgid "Current limit is {1} {2}" -msgstr "" +msgstr "Il limite corrente è {1} {2}" #: flooddetach.cpp:197 msgid "Seconds limit is {1}" -msgstr "" +msgstr "Il limite dei secondi è {1}" #: flooddetach.cpp:202 msgid "Set seconds limit to {1}" -msgstr "" +msgstr "Imposta il limite dei secondi a {1}" #: flooddetach.cpp:211 msgid "Lines limit is {1}" -msgstr "" +msgstr "Il limite delle linee è {1}" #: flooddetach.cpp:216 msgid "Set lines limit to {1}" -msgstr "" +msgstr "Imposta il limite delle linee a {1}" #: flooddetach.cpp:229 msgid "Module messages are disabled" -msgstr "" +msgstr "I messaggi del modulo sono disabilitati" #: flooddetach.cpp:231 msgid "Module messages are enabled" -msgstr "" +msgstr "I messaggi del modulo sono abilitati" #: flooddetach.cpp:247 msgid "" "This user module takes up to two arguments. Arguments are numbers of " "messages and seconds." msgstr "" +"Questo modulo utente richiede fino a due argomenti. Gli argomenti sono il " +"numero di messaggi e dei secondi." #: flooddetach.cpp:251 msgid "Detach channels when flooded" -msgstr "" +msgstr "Distacca (detach) i canali quando vengono flooded" diff --git a/modules/po/identfile.it_IT.po b/modules/po/identfile.it_IT.po index 5062a4ce..cc6ec515 100644 --- a/modules/po/identfile.it_IT.po +++ b/modules/po/identfile.it_IT.po @@ -14,7 +14,7 @@ msgstr "" #: identfile.cpp:30 msgid "Show file name" -msgstr "" +msgstr "Mostra il nome del file" #: identfile.cpp:32 msgid "" @@ -22,62 +22,64 @@ msgstr "" #: identfile.cpp:32 msgid "Set file name" -msgstr "" +msgstr "Imposta il nome del file" #: identfile.cpp:34 msgid "Show file format" -msgstr "" +msgstr "Mostra il formato del file" #: identfile.cpp:36 msgid "" -msgstr "" +msgstr "" #: identfile.cpp:36 msgid "Set file format" -msgstr "" +msgstr "Imposta il formato del file" #: identfile.cpp:38 msgid "Show current state" -msgstr "" +msgstr "Mostra lo stato corrente" #: identfile.cpp:48 msgid "File is set to: {1}" -msgstr "" +msgstr "File è impostato su: {1}" #: identfile.cpp:53 msgid "File has been set to: {1}" -msgstr "" +msgstr "Il file è stato impostato su: {1}" #: identfile.cpp:58 msgid "Format has been set to: {1}" -msgstr "" +msgstr "Il formato è stato impostato su: {1}" #: identfile.cpp:59 identfile.cpp:65 msgid "Format would be expanded to: {1}" -msgstr "" +msgstr "Il formato verrà espanso su: {1}" #: identfile.cpp:64 msgid "Format is set to: {1}" -msgstr "" +msgstr "Il formato è impostato su: {1}" #: identfile.cpp:78 msgid "identfile is free" -msgstr "" +msgstr "identfile è free" #: identfile.cpp:86 msgid "Access denied" -msgstr "" +msgstr "Accesso negato" #: identfile.cpp:181 msgid "" "Aborting connection, another user or network is currently connecting and " "using the ident spoof file" msgstr "" +"Connessione interrotta, un altro utente o network è attualmente connesso e " +"utilizzando ident spoof file" #: identfile.cpp:189 msgid "[{1}] could not be written, retrying..." -msgstr "" +msgstr "[{1}] non può essere scritto, riprovare..." #: identfile.cpp:223 msgid "Write the ident of a user to a file when they are trying to connect." -msgstr "" +msgstr "Scrive l'ident di un utente in un file quando tenta di connettersi." diff --git a/modules/po/imapauth.it_IT.po b/modules/po/imapauth.it_IT.po index 3261b583..a9252eac 100644 --- a/modules/po/imapauth.it_IT.po +++ b/modules/po/imapauth.it_IT.po @@ -14,8 +14,8 @@ msgstr "" #: imapauth.cpp:168 msgid "[ server [+]port [ UserFormatString ] ]" -msgstr "" +msgstr "[ server [+]porta [ UserFormatString ] ]" #: imapauth.cpp:171 msgid "Allow users to authenticate via IMAP." -msgstr "" +msgstr "Permette agli utenti di autenticarsi tramite IMAP." diff --git a/modules/po/keepnick.it_IT.po b/modules/po/keepnick.it_IT.po index c0a3d7f0..8647c8ad 100644 --- a/modules/po/keepnick.it_IT.po +++ b/modules/po/keepnick.it_IT.po @@ -14,40 +14,40 @@ msgstr "" #: keepnick.cpp:39 msgid "Try to get your primary nick" -msgstr "" +msgstr "Porova ad ottenere il tuo nick principale" #: keepnick.cpp:42 keepnick.cpp:196 msgid "No longer trying to get your primary nick" -msgstr "" +msgstr "Non stai più cercando di ottenere il tuo nick principale" #: keepnick.cpp:44 msgid "Show the current state" -msgstr "" +msgstr "Mostra lo stato corrente" #: keepnick.cpp:158 msgid "ZNC is already trying to get this nickname" -msgstr "" +msgstr "Lo ZNC stà già cercando di ottenere questo nickname" #: keepnick.cpp:173 msgid "Unable to obtain nick {1}: {2}, {3}" -msgstr "" +msgstr "Impossibile ottenere il nick {1}: {2}, {3}" #: keepnick.cpp:181 msgid "Unable to obtain nick {1}" -msgstr "" +msgstr "Impossibile ottenere il nick {1}" #: keepnick.cpp:191 msgid "Trying to get your primary nick" -msgstr "" +msgstr "Cercando di ottenere il tuo nick principale" #: keepnick.cpp:201 msgid "Currently trying to get your primary nick" -msgstr "" +msgstr "Attualmente stò cercando di ottenere il tuo nick principale" #: keepnick.cpp:203 msgid "Currently disabled, try 'enable'" -msgstr "" +msgstr "Attualmente disabilitato, prova ad abilitarlo (enable)" #: keepnick.cpp:224 msgid "Keeps trying for your primary nick" -msgstr "" +msgstr "Prova a mantenere il tuo nick principale" diff --git a/modules/po/kickrejoin.it_IT.po b/modules/po/kickrejoin.it_IT.po index 1274300c..1bcac3e7 100644 --- a/modules/po/kickrejoin.it_IT.po +++ b/modules/po/kickrejoin.it_IT.po @@ -14,48 +14,57 @@ msgstr "" #: kickrejoin.cpp:56 msgid "" -msgstr "" +msgstr "" #: kickrejoin.cpp:56 msgid "Set the rejoin delay" msgstr "" +"Imposta il ritardo del rientro automatico (rejoin) (valore 0 per " +"disabilitare)" #: kickrejoin.cpp:58 msgid "Show the rejoin delay" -msgstr "" +msgstr "Mostra il ritardo del rientro automatico (rejoin)" #: kickrejoin.cpp:77 msgid "Illegal argument, must be a positive number or 0" -msgstr "" +msgstr "Argomento non accettato, deve essere 0 oppure un numero positivo" #: kickrejoin.cpp:90 msgid "Negative delays don't make any sense!" msgstr "" +"Impostare il ritardo del rientro automatico (rejoin) con numeri negativi non " +"ha alcun senso!" #: kickrejoin.cpp:98 msgid "Rejoin delay set to 1 second" msgid_plural "Rejoin delay set to {1} seconds" -msgstr[0] "" +msgstr[0] "Il ritardo del rientro automatico (rejoin) è impostato a 1 secondo" msgstr[1] "" +"Il ritardo del rientro automatico (rejoin) è impostato a {1} secondi" #: kickrejoin.cpp:101 msgid "Rejoin delay disabled" -msgstr "" +msgstr "Il ritardo del rientro automatico (rejoin) è disabilitato" #: kickrejoin.cpp:106 msgid "Rejoin delay is set to 1 second" msgid_plural "Rejoin delay is set to {1} seconds" msgstr[0] "" +"Il ritardo del rientro automatico (rejoin) è stato impostato a 1 secondo" msgstr[1] "" +"Il ritardo del rientro automatico (rejoin) è stato impostato a {1} secondi" #: kickrejoin.cpp:109 msgid "Rejoin delay is disabled" -msgstr "" +msgstr "Il ritardo del rientro automatico (rejoin) è stato disabilitato" #: kickrejoin.cpp:131 msgid "You might enter the number of seconds to wait before rejoining." msgstr "" +"Puoi inserire il numero di secondi che lo ZNC deve attendere prima di " +"rientrare automaticamente (rejoining)." #: kickrejoin.cpp:134 msgid "Autorejoins on kick" -msgstr "" +msgstr "Rientra automaticamente dopo un kick (Autorejoins)" diff --git a/modules/po/lastseen.it_IT.po b/modules/po/lastseen.it_IT.po index 3f5f9e67..c06d260a 100644 --- a/modules/po/lastseen.it_IT.po +++ b/modules/po/lastseen.it_IT.po @@ -18,7 +18,7 @@ msgstr "" #: modules/po/../data/lastseen/tmpl/index.tmpl:9 lastseen.cpp:98 msgid "Last Seen" -msgstr "" +msgstr "Ultima visualizzazione" #: modules/po/../data/lastseen/tmpl/index.tmpl:10 msgid "Info" @@ -26,42 +26,45 @@ msgstr "" #: modules/po/../data/lastseen/tmpl/index.tmpl:11 msgid "Action" -msgstr "" +msgstr "Azione" #: modules/po/../data/lastseen/tmpl/index.tmpl:21 msgid "Edit" -msgstr "" +msgstr "Modifica" #: modules/po/../data/lastseen/tmpl/index.tmpl:22 msgid "Delete" -msgstr "" +msgstr "Elimina" #: modules/po/../data/lastseen/tmpl/lastseen_WebadminUser.tmpl:6 msgid "Last login time:" -msgstr "" +msgstr "Ultimo accesso:" #: lastseen.cpp:53 msgid "Access denied" -msgstr "" +msgstr "Accesso negato" #: lastseen.cpp:61 lastseen.cpp:66 msgctxt "show" msgid "User" -msgstr "" +msgstr "Utente" #: lastseen.cpp:62 lastseen.cpp:67 msgctxt "show" msgid "Last Seen" -msgstr "" +msgstr "Ultima visualizzazione" #: lastseen.cpp:68 lastseen.cpp:124 msgid "never" -msgstr "" +msgstr "mai" #: lastseen.cpp:78 msgid "Shows list of users and when they last logged in" msgstr "" +"Mostra l'elenco degli utenti e quando hanno effettuato l'ultimo accesso " +"(logged in)" #: lastseen.cpp:153 msgid "Collects data about when a user last logged in." msgstr "" +"Raccoglie dati riguardo l'ultimo accesso effettuato da un utente (logged in)." diff --git a/modules/po/listsockets.it_IT.po b/modules/po/listsockets.it_IT.po index 21d3fc64..20186452 100644 --- a/modules/po/listsockets.it_IT.po +++ b/modules/po/listsockets.it_IT.po @@ -15,99 +15,100 @@ msgstr "" #: modules/po/../data/listsockets/tmpl/index.tmpl:7 listsockets.cpp:214 #: listsockets.cpp:230 msgid "Name" -msgstr "" +msgstr "Nome" #: modules/po/../data/listsockets/tmpl/index.tmpl:8 listsockets.cpp:215 #: listsockets.cpp:231 msgid "Created" -msgstr "" +msgstr "Creato" #: modules/po/../data/listsockets/tmpl/index.tmpl:9 listsockets.cpp:216 #: listsockets.cpp:232 msgid "State" -msgstr "" +msgstr "Stato" #: modules/po/../data/listsockets/tmpl/index.tmpl:10 listsockets.cpp:218 #: listsockets.cpp:235 msgid "SSL" -msgstr "" +msgstr "SSL" #: modules/po/../data/listsockets/tmpl/index.tmpl:11 listsockets.cpp:220 #: listsockets.cpp:240 msgid "Local" -msgstr "" +msgstr "Locale" #: modules/po/../data/listsockets/tmpl/index.tmpl:12 listsockets.cpp:221 #: listsockets.cpp:242 msgid "Remote" -msgstr "" +msgstr "Remoto" #: modules/po/../data/listsockets/tmpl/index.tmpl:13 msgid "Data In" -msgstr "" +msgstr "Dati entranti" #: modules/po/../data/listsockets/tmpl/index.tmpl:14 msgid "Data Out" -msgstr "" +msgstr "Dati uscenti" #: listsockets.cpp:62 msgid "[-n]" -msgstr "" +msgstr "[-n]" #: listsockets.cpp:62 msgid "Shows the list of active sockets. Pass -n to show IP addresses" msgstr "" +"Mostra l'elenco dei sockets attivi. Passa -n per mostrare gli indirizzi IP" #: listsockets.cpp:70 msgid "You must be admin to use this module" -msgstr "" +msgstr "Devi essere amministratore per usare questo modulo" #: listsockets.cpp:96 msgid "List sockets" -msgstr "" +msgstr "Elenca sockets" #: listsockets.cpp:116 listsockets.cpp:236 msgctxt "ssl" msgid "Yes" -msgstr "" +msgstr "Si" #: listsockets.cpp:116 listsockets.cpp:237 msgctxt "ssl" msgid "No" -msgstr "" +msgstr "No" #: listsockets.cpp:142 msgid "Listener" -msgstr "" +msgstr "Ascoltatore" #: listsockets.cpp:144 msgid "Inbound" -msgstr "" +msgstr "In entrata" #: listsockets.cpp:147 msgid "Outbound" -msgstr "" +msgstr "In uscita" #: listsockets.cpp:149 msgid "Connecting" -msgstr "" +msgstr "Collegamento" #: listsockets.cpp:152 msgid "UNKNOWN" -msgstr "" +msgstr "SCONOSCIUTO" #: listsockets.cpp:207 msgid "You have no open sockets." -msgstr "" +msgstr "Non hai sockets aperti." #: listsockets.cpp:222 listsockets.cpp:244 msgid "In" -msgstr "" +msgstr "Dentro" #: listsockets.cpp:223 listsockets.cpp:246 msgid "Out" -msgstr "" +msgstr "Fuori" #: listsockets.cpp:262 msgid "Lists active sockets" -msgstr "" +msgstr "Elenca i sockets attivi" diff --git a/modules/po/log.it_IT.po b/modules/po/log.it_IT.po index caaa464b..b4e387dd 100644 --- a/modules/po/log.it_IT.po +++ b/modules/po/log.it_IT.po @@ -14,19 +14,21 @@ msgstr "" #: log.cpp:59 msgid "" -msgstr "" +msgstr "" #: log.cpp:60 msgid "Set logging rules, use !#chan or !query to negate and * " msgstr "" +"Imposta le regole di registrazione (logging), usa !#canale o !query per " +"negare e * " #: log.cpp:62 msgid "Clear all logging rules" -msgstr "" +msgstr "Cancella tutte le regole di registrazione (logging rules)" #: log.cpp:64 msgid "List all logging rules" -msgstr "" +msgstr "Elenca tutte le regole di registrazione" #: log.cpp:67 msgid " true|false" @@ -34,115 +36,119 @@ msgstr "" #: log.cpp:68 msgid "Set one of the following options: joins, quits, nickchanges" -msgstr "" +msgstr "Imposta una delle seguenti opzioni: joins, quits, nickchanges" #: log.cpp:71 msgid "Show current settings set by Set command" -msgstr "" +msgstr "Mostra le impostazioni correnti impostate dal comando Set" #: log.cpp:143 msgid "Usage: SetRules " -msgstr "" +msgstr "Usa: SetRules " #: log.cpp:144 msgid "Wildcards are allowed" -msgstr "" +msgstr "Le wildcards (caratteri jolly) sono permesse" #: log.cpp:156 log.cpp:178 msgid "No logging rules. Everything is logged." -msgstr "" +msgstr "Nessuna regola di registrazione. Tutto è registrato." #: log.cpp:161 msgid "1 rule removed: {2}" msgid_plural "{1} rules removed: {2}" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "1 ruolo rimosso: {2}" +msgstr[1] "{1} ruoli rimossi: {2}" #: log.cpp:168 log.cpp:173 msgctxt "listrules" msgid "Rule" -msgstr "" +msgstr "Ruolo" #: log.cpp:169 log.cpp:174 msgctxt "listrules" msgid "Logging enabled" -msgstr "" +msgstr "Registrazione abilitata (Logging)" #: log.cpp:189 msgid "" "Usage: Set true|false, where is one of: joins, quits, nickchanges" msgstr "" +"Usa: Set true|false, dove è una tra: joins, quits, " +"nickchanges" #: log.cpp:196 msgid "Will log joins" -msgstr "" +msgstr "Registrerà i joins" #: log.cpp:196 msgid "Will not log joins" -msgstr "" +msgstr "Non registrerà i joins" #: log.cpp:197 msgid "Will log quits" -msgstr "" +msgstr "Registrerà i quits" #: log.cpp:197 msgid "Will not log quits" -msgstr "" +msgstr "Non registrerà i quits" #: log.cpp:199 msgid "Will log nick changes" -msgstr "" +msgstr "Registrerà i cambi di nick" #: log.cpp:199 msgid "Will not log nick changes" -msgstr "" +msgstr "Non registrerà i cambi di nick" #: log.cpp:203 msgid "Unknown variable. Known variables: joins, quits, nickchanges" -msgstr "" +msgstr "Variabile sconosciuta. Variabili conosciute: joins, quits, nickchanges" #: log.cpp:211 msgid "Logging joins" -msgstr "" +msgstr "Registrazione dei joins" #: log.cpp:211 msgid "Not logging joins" -msgstr "" +msgstr "Non si registrano join" #: log.cpp:212 msgid "Logging quits" -msgstr "" +msgstr "Registrazione dei quits" #: log.cpp:212 msgid "Not logging quits" -msgstr "" +msgstr "Non si registrano i quits" #: log.cpp:213 msgid "Logging nick changes" -msgstr "" +msgstr "Registrazione del cambio nick" #: log.cpp:214 msgid "Not logging nick changes" -msgstr "" +msgstr "Non si registrano cambi di nick" #: log.cpp:351 msgid "" "Invalid args [{1}]. Only one log path allowed. Check that there are no " "spaces in the path." msgstr "" +"Argomento non valido [{1}]. È consentito un solo percorso per la " +"registrazione dei log. Verifica che non ci siano spazi nel percorso." #: log.cpp:401 msgid "Invalid log path [{1}]" -msgstr "" +msgstr "Percorso di log non valido [{1}]" #: log.cpp:404 msgid "Logging to [{1}]. Using timestamp format '{2}'" -msgstr "" +msgstr "Accesso a [{1}]. Utilizzando il formato timestamp '{2}'" #: log.cpp:559 msgid "[-sanitize] Optional path where to store logs." -msgstr "" +msgstr "[-sanitize] Percorso opzionale dove archiviare i registri (logs)." #: log.cpp:563 msgid "Writes IRC logs." -msgstr "" +msgstr "Scrive un logs IRC." diff --git a/modules/po/missingmotd.it_IT.po b/modules/po/missingmotd.it_IT.po index 9f51a4fb..c572d75c 100644 --- a/modules/po/missingmotd.it_IT.po +++ b/modules/po/missingmotd.it_IT.po @@ -14,4 +14,4 @@ msgstr "" #: missingmotd.cpp:36 msgid "Sends 422 to clients when they login" -msgstr "" +msgstr "Invia 422 ai client quando effettuano l'accesso" diff --git a/modules/po/modperl.it_IT.po b/modules/po/modperl.it_IT.po index 2c8098ad..565a29e5 100644 --- a/modules/po/modperl.it_IT.po +++ b/modules/po/modperl.it_IT.po @@ -14,4 +14,4 @@ msgstr "" #: modperl.cpp:382 msgid "Loads perl scripts as ZNC modules" -msgstr "" +msgstr "Carica gli script Perl come moduli ZNC" diff --git a/src/po/znc.bg_BG.po b/src/po/znc.bg_BG.po index 76c70333..caa2ccfb 100644 --- a/src/po/znc.bg_BG.po +++ b/src/po/znc.bg_BG.po @@ -1496,7 +1496,7 @@ msgstr "" #: ClientCommand.cpp:1817 msgctxt "helpcmd|LoadMod|args" -msgid "[--type=global|user|network] " +msgid "[--type=global|user|network] [args]" msgstr "" #: ClientCommand.cpp:1819 @@ -1516,7 +1516,7 @@ msgstr "" #: ClientCommand.cpp:1825 msgctxt "helpcmd|ReloadMod|args" -msgid "[--type=global|user|network] " +msgid "[--type=global|user|network] [args]" msgstr "" #: ClientCommand.cpp:1827 diff --git a/src/po/znc.de_DE.po b/src/po/znc.de_DE.po index 275f758f..ca3021a6 100644 --- a/src/po/znc.de_DE.po +++ b/src/po/znc.de_DE.po @@ -1568,8 +1568,8 @@ msgstr "Zeige wie lange ZNC schon läuft" #: ClientCommand.cpp:1817 msgctxt "helpcmd|LoadMod|args" -msgid "[--type=global|user|network] " -msgstr "[--type=global|user|network] " +msgid "[--type=global|user|network] [args]" +msgstr "" #: ClientCommand.cpp:1819 msgctxt "helpcmd|LoadMod|desc" @@ -1588,8 +1588,8 @@ msgstr "Entlade ein Modul" #: ClientCommand.cpp:1825 msgctxt "helpcmd|ReloadMod|args" -msgid "[--type=global|user|network] " -msgstr "[--type=global|user|network] " +msgid "[--type=global|user|network] [args]" +msgstr "" #: ClientCommand.cpp:1827 msgctxt "helpcmd|ReloadMod|desc" diff --git a/src/po/znc.es_ES.po b/src/po/znc.es_ES.po index c1cbf8cc..ef8d9a9f 100644 --- a/src/po/znc.es_ES.po +++ b/src/po/znc.es_ES.po @@ -1550,8 +1550,8 @@ msgstr "Mostrar cuanto tiempo lleva ZNC ejecutándose" #: ClientCommand.cpp:1817 msgctxt "helpcmd|LoadMod|args" -msgid "[--type=global|user|network] " -msgstr "[--type=global|user|network] " +msgid "[--type=global|user|network] [args]" +msgstr "" #: ClientCommand.cpp:1819 msgctxt "helpcmd|LoadMod|desc" @@ -1570,8 +1570,8 @@ msgstr "Descargar un módulo" #: ClientCommand.cpp:1825 msgctxt "helpcmd|ReloadMod|args" -msgid "[--type=global|user|network] " -msgstr "[--type=global|user|network] " +msgid "[--type=global|user|network] [args]" +msgstr "" #: ClientCommand.cpp:1827 msgctxt "helpcmd|ReloadMod|desc" diff --git a/src/po/znc.id_ID.po b/src/po/znc.id_ID.po index c5b1ed73..10ede83d 100644 --- a/src/po/znc.id_ID.po +++ b/src/po/znc.id_ID.po @@ -1505,7 +1505,7 @@ msgstr "" #: ClientCommand.cpp:1817 msgctxt "helpcmd|LoadMod|args" -msgid "[--type=global|user|network] " +msgid "[--type=global|user|network] [args]" msgstr "" #: ClientCommand.cpp:1819 @@ -1525,7 +1525,7 @@ msgstr "" #: ClientCommand.cpp:1825 msgctxt "helpcmd|ReloadMod|args" -msgid "[--type=global|user|network] " +msgid "[--type=global|user|network] [args]" msgstr "" #: ClientCommand.cpp:1827 diff --git a/src/po/znc.it_IT.po b/src/po/znc.it_IT.po index 9fbe9f14..066f9ff2 100644 --- a/src/po/znc.it_IT.po +++ b/src/po/znc.it_IT.po @@ -1513,8 +1513,8 @@ msgstr "Mostra da quanto tempo lo ZNC è in esecuzione" #: ClientCommand.cpp:1817 msgctxt "helpcmd|LoadMod|args" -msgid "[--type=global|user|network] " -msgstr "[--type=global|user|network] " +msgid "[--type=global|user|network] [args]" +msgstr "" #: ClientCommand.cpp:1819 msgctxt "helpcmd|LoadMod|desc" @@ -1533,8 +1533,8 @@ msgstr "Scarica un modulo" #: ClientCommand.cpp:1825 msgctxt "helpcmd|ReloadMod|args" -msgid "[--type=global|user|network] " -msgstr "[--type=global|user|network] " +msgid "[--type=global|user|network] [args]" +msgstr "" #: ClientCommand.cpp:1827 msgctxt "helpcmd|ReloadMod|desc" diff --git a/src/po/znc.pot b/src/po/znc.pot index 75d2505c..028df68b 100644 --- a/src/po/znc.pot +++ b/src/po/znc.pot @@ -1487,7 +1487,7 @@ msgstr "" #: ClientCommand.cpp:1817 msgctxt "helpcmd|LoadMod|args" -msgid "[--type=global|user|network] " +msgid "[--type=global|user|network] [args]" msgstr "" #: ClientCommand.cpp:1819 @@ -1507,7 +1507,7 @@ msgstr "" #: ClientCommand.cpp:1825 msgctxt "helpcmd|ReloadMod|args" -msgid "[--type=global|user|network] " +msgid "[--type=global|user|network] [args]" msgstr "" #: ClientCommand.cpp:1827 diff --git a/src/po/znc.pt_BR.po b/src/po/znc.pt_BR.po index b7dc1c76..ffee5661 100644 --- a/src/po/znc.pt_BR.po +++ b/src/po/znc.pt_BR.po @@ -1516,7 +1516,7 @@ msgstr "" #: ClientCommand.cpp:1817 msgctxt "helpcmd|LoadMod|args" -msgid "[--type=global|user|network] " +msgid "[--type=global|user|network] [args]" msgstr "" #: ClientCommand.cpp:1819 @@ -1536,7 +1536,7 @@ msgstr "" #: ClientCommand.cpp:1825 msgctxt "helpcmd|ReloadMod|args" -msgid "[--type=global|user|network] " +msgid "[--type=global|user|network] [args]" msgstr "" #: ClientCommand.cpp:1827 diff --git a/src/po/znc.ru_RU.po b/src/po/znc.ru_RU.po index 241d15d8..60b7d671 100644 --- a/src/po/znc.ru_RU.po +++ b/src/po/znc.ru_RU.po @@ -1548,7 +1548,7 @@ msgstr "" #: ClientCommand.cpp:1817 msgctxt "helpcmd|LoadMod|args" -msgid "[--type=global|user|network] " +msgid "[--type=global|user|network] [args]" msgstr "" #: ClientCommand.cpp:1819 @@ -1568,7 +1568,7 @@ msgstr "" #: ClientCommand.cpp:1825 msgctxt "helpcmd|ReloadMod|args" -msgid "[--type=global|user|network] " +msgid "[--type=global|user|network] [args]" msgstr "" #: ClientCommand.cpp:1827 From 33c6966b40e9744e53377b5f0742370739ec7ade Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Thu, 18 Jul 2019 00:29:50 +0000 Subject: [PATCH 284/798] Update translations from Crowdin for fr_FR it_IT nl_NL --- modules/po/modpython.it_IT.po | 2 +- src/po/znc.fr_FR.po | 8 ++++---- src/po/znc.nl_NL.po | 8 ++++---- 3 files changed, 9 insertions(+), 9 deletions(-) diff --git a/modules/po/modpython.it_IT.po b/modules/po/modpython.it_IT.po index 4a2bbafc..8acf7d0e 100644 --- a/modules/po/modpython.it_IT.po +++ b/modules/po/modpython.it_IT.po @@ -14,4 +14,4 @@ msgstr "" #: modpython.cpp:512 msgid "Loads python scripts as ZNC modules" -msgstr "" +msgstr "Carica gli script di python come moduli ZNC" diff --git a/src/po/znc.fr_FR.po b/src/po/znc.fr_FR.po index ee381cf4..7dacebe0 100644 --- a/src/po/znc.fr_FR.po +++ b/src/po/znc.fr_FR.po @@ -1562,8 +1562,8 @@ msgstr "Afficher le temps écoulé depuis le lancement de ZNC" #: ClientCommand.cpp:1827 msgctxt "helpcmd|LoadMod|args" -msgid "[--type=global|user|network] " -msgstr "[--type=global|user|network] " +msgid "[--type=global|user|network] [args]" +msgstr "" #: ClientCommand.cpp:1829 msgctxt "helpcmd|LoadMod|desc" @@ -1582,8 +1582,8 @@ msgstr "Désactiver un module" #: ClientCommand.cpp:1835 msgctxt "helpcmd|ReloadMod|args" -msgid "[--type=global|user|network] " -msgstr "[--type=global|user|network] " +msgid "[--type=global|user|network] [args]" +msgstr "" #: ClientCommand.cpp:1837 msgctxt "helpcmd|ReloadMod|desc" diff --git a/src/po/znc.nl_NL.po b/src/po/znc.nl_NL.po index 295faa76..3550bfa3 100644 --- a/src/po/znc.nl_NL.po +++ b/src/po/znc.nl_NL.po @@ -1567,8 +1567,8 @@ msgstr "Laat zien hoe lang ZNC al draait" #: ClientCommand.cpp:1827 msgctxt "helpcmd|LoadMod|args" -msgid "[--type=global|user|network] " -msgstr "[--type=global|user|network] " +msgid "[--type=global|user|network] [args]" +msgstr "" #: ClientCommand.cpp:1829 msgctxt "helpcmd|LoadMod|desc" @@ -1587,8 +1587,8 @@ msgstr "Stop een module" #: ClientCommand.cpp:1835 msgctxt "helpcmd|ReloadMod|args" -msgid "[--type=global|user|network] " -msgstr "[--type=global|user|network] " +msgid "[--type=global|user|network] [args]" +msgstr "" #: ClientCommand.cpp:1837 msgctxt "helpcmd|ReloadMod|desc" From 291395584d93737c76aafa2b349adaa44d3f8b16 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Thu, 18 Jul 2019 00:30:38 +0000 Subject: [PATCH 285/798] Update translations from Crowdin for fr_FR it_IT nl_NL --- modules/po/modpython.it_IT.po | 2 +- src/po/znc.fr_FR.po | 8 ++++---- src/po/znc.nl_NL.po | 8 ++++---- 3 files changed, 9 insertions(+), 9 deletions(-) diff --git a/modules/po/modpython.it_IT.po b/modules/po/modpython.it_IT.po index 0938bcbd..95184bbe 100644 --- a/modules/po/modpython.it_IT.po +++ b/modules/po/modpython.it_IT.po @@ -14,4 +14,4 @@ msgstr "" #: modpython.cpp:512 msgid "Loads python scripts as ZNC modules" -msgstr "" +msgstr "Carica gli script di python come moduli ZNC" diff --git a/src/po/znc.fr_FR.po b/src/po/znc.fr_FR.po index 2f6295ff..cbdb3952 100644 --- a/src/po/znc.fr_FR.po +++ b/src/po/znc.fr_FR.po @@ -1562,8 +1562,8 @@ msgstr "Afficher le temps écoulé depuis le lancement de ZNC" #: ClientCommand.cpp:1817 msgctxt "helpcmd|LoadMod|args" -msgid "[--type=global|user|network] " -msgstr "[--type=global|user|network] " +msgid "[--type=global|user|network] [args]" +msgstr "" #: ClientCommand.cpp:1819 msgctxt "helpcmd|LoadMod|desc" @@ -1582,8 +1582,8 @@ msgstr "Désactiver un module" #: ClientCommand.cpp:1825 msgctxt "helpcmd|ReloadMod|args" -msgid "[--type=global|user|network] " -msgstr "[--type=global|user|network] " +msgid "[--type=global|user|network] [args]" +msgstr "" #: ClientCommand.cpp:1827 msgctxt "helpcmd|ReloadMod|desc" diff --git a/src/po/znc.nl_NL.po b/src/po/znc.nl_NL.po index 069fa50d..25fab9f4 100644 --- a/src/po/znc.nl_NL.po +++ b/src/po/znc.nl_NL.po @@ -1567,8 +1567,8 @@ msgstr "Laat zien hoe lang ZNC al draait" #: ClientCommand.cpp:1817 msgctxt "helpcmd|LoadMod|args" -msgid "[--type=global|user|network] " -msgstr "[--type=global|user|network] " +msgid "[--type=global|user|network] [args]" +msgstr "" #: ClientCommand.cpp:1819 msgctxt "helpcmd|LoadMod|desc" @@ -1587,8 +1587,8 @@ msgstr "Stop een module" #: ClientCommand.cpp:1825 msgctxt "helpcmd|ReloadMod|args" -msgid "[--type=global|user|network] " -msgstr "[--type=global|user|network] " +msgid "[--type=global|user|network] [args]" +msgstr "" #: ClientCommand.cpp:1827 msgctxt "helpcmd|ReloadMod|desc" From b27fd99d6515c4298db52d9bb3d5a6cbb043b33e Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Sun, 21 Jul 2019 00:27:14 +0000 Subject: [PATCH 286/798] Update translations from Crowdin for ru_RU --- src/po/znc.ru_RU.po | 20 ++++++++++---------- 1 file changed, 10 insertions(+), 10 deletions(-) diff --git a/src/po/znc.ru_RU.po b/src/po/znc.ru_RU.po index d318baaa..37a58642 100644 --- a/src/po/znc.ru_RU.po +++ b/src/po/znc.ru_RU.po @@ -1257,47 +1257,47 @@ msgstr "" #: ClientCommand.cpp:1690 msgctxt "helpcmd|Version|desc" msgid "Print which version of ZNC this is" -msgstr "" +msgstr "Показывает версию ZNC" #: ClientCommand.cpp:1693 msgctxt "helpcmd|ListMods|desc" msgid "List all loaded modules" -msgstr "" +msgstr "Список всех загруженных модулей" #: ClientCommand.cpp:1696 msgctxt "helpcmd|ListAvailMods|desc" msgid "List all available modules" -msgstr "" +msgstr "Список всех доступных модулей" #: ClientCommand.cpp:1700 ClientCommand.cpp:1886 msgctxt "helpcmd|ListChans|desc" msgid "List all channels" -msgstr "" +msgstr "Список всех каналов" #: ClientCommand.cpp:1703 msgctxt "helpcmd|ListNicks|args" msgid "<#chan>" -msgstr "" +msgstr "<#канал>" #: ClientCommand.cpp:1704 msgctxt "helpcmd|ListNicks|desc" msgid "List all nicks on a channel" -msgstr "" +msgstr "Список всех людей на канале" #: ClientCommand.cpp:1707 msgctxt "helpcmd|ListClients|desc" msgid "List all clients connected to your ZNC user" -msgstr "" +msgstr "Список всех клиентов, подключенных к вашему пользователю ZNC" #: ClientCommand.cpp:1711 msgctxt "helpcmd|ListServers|desc" msgid "List all servers of current IRC network" -msgstr "" +msgstr "Список всех серверов этой сети IRC" #: ClientCommand.cpp:1715 msgctxt "helpcmd|AddNetwork|args" msgid "" -msgstr "" +msgstr "<название>" #: ClientCommand.cpp:1716 msgctxt "helpcmd|AddNetwork|desc" @@ -1322,7 +1322,7 @@ msgstr "" #: ClientCommand.cpp:1724 msgctxt "helpcmd|MoveNetwork|args" msgid " [new network]" -msgstr "" +msgstr "<старый пользователь> <старая сеть> <новый пользователь> [новая сеть]" #: ClientCommand.cpp:1726 msgctxt "helpcmd|MoveNetwork|desc" From 6439b5830ccad8c16b62ff1bac2241e2b070b264 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Sun, 21 Jul 2019 00:27:55 +0000 Subject: [PATCH 287/798] Update translations from Crowdin for ru_RU --- src/po/znc.ru_RU.po | 20 ++++++++++---------- 1 file changed, 10 insertions(+), 10 deletions(-) diff --git a/src/po/znc.ru_RU.po b/src/po/znc.ru_RU.po index 60b7d671..985b8276 100644 --- a/src/po/znc.ru_RU.po +++ b/src/po/znc.ru_RU.po @@ -1257,47 +1257,47 @@ msgstr "" #: ClientCommand.cpp:1680 msgctxt "helpcmd|Version|desc" msgid "Print which version of ZNC this is" -msgstr "" +msgstr "Показывает версию ZNC" #: ClientCommand.cpp:1683 msgctxt "helpcmd|ListMods|desc" msgid "List all loaded modules" -msgstr "" +msgstr "Список всех загруженных модулей" #: ClientCommand.cpp:1686 msgctxt "helpcmd|ListAvailMods|desc" msgid "List all available modules" -msgstr "" +msgstr "Список всех доступных модулей" #: ClientCommand.cpp:1690 ClientCommand.cpp:1876 msgctxt "helpcmd|ListChans|desc" msgid "List all channels" -msgstr "" +msgstr "Список всех каналов" #: ClientCommand.cpp:1693 msgctxt "helpcmd|ListNicks|args" msgid "<#chan>" -msgstr "" +msgstr "<#канал>" #: ClientCommand.cpp:1694 msgctxt "helpcmd|ListNicks|desc" msgid "List all nicks on a channel" -msgstr "" +msgstr "Список всех людей на канале" #: ClientCommand.cpp:1697 msgctxt "helpcmd|ListClients|desc" msgid "List all clients connected to your ZNC user" -msgstr "" +msgstr "Список всех клиентов, подключенных к вашему пользователю ZNC" #: ClientCommand.cpp:1701 msgctxt "helpcmd|ListServers|desc" msgid "List all servers of current IRC network" -msgstr "" +msgstr "Список всех серверов этой сети IRC" #: ClientCommand.cpp:1705 msgctxt "helpcmd|AddNetwork|args" msgid "" -msgstr "" +msgstr "<название>" #: ClientCommand.cpp:1706 msgctxt "helpcmd|AddNetwork|desc" @@ -1322,7 +1322,7 @@ msgstr "" #: ClientCommand.cpp:1714 msgctxt "helpcmd|MoveNetwork|args" msgid " [new network]" -msgstr "" +msgstr "<старый пользователь> <старая сеть> <новый пользователь> [новая сеть]" #: ClientCommand.cpp:1716 msgctxt "helpcmd|MoveNetwork|desc" From 71f35b003dda65f3867ff84deaf8aa15bcd0b958 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Mon, 22 Jul 2019 00:09:46 +0100 Subject: [PATCH 288/798] Add a deprecation warning to ./configure --- configure.ac | 4 ++++ 1 file changed, 4 insertions(+) diff --git a/configure.ac b/configure.ac index b755cfe8..7334c14c 100644 --- a/configure.ac +++ b/configure.ac @@ -720,6 +720,10 @@ fi echo echo ZNC AC_PACKAGE_VERSION configured echo +echo "The configure script is deprecated and will be removed from ZNC" +echo "in some future version. Use either CMake or the convenience wrapper" +echo "configure.sh which takes the same parameters as configure." +echo echo "prefix: $prefix" echo "debug: $DEBUG" echo "ipv6: $IPV6" From ab2ce3e541793b96ba2a2c82799cceed711d6d56 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Tue, 23 Jul 2019 22:18:23 +0100 Subject: [PATCH 289/798] Support python 3.8 (#1676) Fix #1675 --- CMakeLists.txt | 5 ++++- configure.ac | 4 +++- 2 files changed, 7 insertions(+), 2 deletions(-) diff --git a/CMakeLists.txt b/CMakeLists.txt index fa8bf180..c126a9aa 100644 --- a/CMakeLists.txt +++ b/CMakeLists.txt @@ -172,7 +172,10 @@ if(WANT_PERL) endif() if (WANT_PYTHON) find_package(Perl 5.10 REQUIRED) - pkg_check_modules(PYTHON "${WANT_PYTHON_VERSION}" REQUIRED) + pkg_check_modules(PYTHON "${WANT_PYTHON_VERSION}-embed") + if (NOT PYTHON_FOUND) + pkg_check_modules(PYTHON "${WANT_PYTHON_VERSION}" REQUIRED) + endif() endif() set(WANT_TCL false CACHE BOOL "Support Tcl modules") diff --git a/configure.ac b/configure.ac index 7334c14c..40f07c02 100644 --- a/configure.ac +++ b/configure.ac @@ -570,7 +570,9 @@ if test "x$PYTHON" != "xno"; then if test -z "$PKG_CONFIG"; then AC_MSG_ERROR([pkg-config is required for modpython.]) fi - PKG_CHECK_MODULES([python], [$PYTHON >= 3.0],, AC_MSG_ERROR([$PYTHON.pc not found or is wrong. Try --disable-python or install python3.])) + PKG_CHECK_MODULES([python], [$PYTHON-embed >= 3.0],, [ + PKG_CHECK_MODULES([python], [$PYTHON >= 3.0],, AC_MSG_ERROR([$PYTHON.pc not found or is wrong. Try --disable-python or install python3.])) + ]) my_saved_LIBS="$LIBS" my_saved_CXXFLAGS="$CXXFLAGS" appendLib $python_LIBS From 33abd0debf3376ccfcbb3108b631e2f7ad7550e2 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Thu, 25 Jul 2019 00:27:23 +0000 Subject: [PATCH 290/798] Update translations from Crowdin for it_IT --- modules/po/modules_online.it_IT.po | 2 +- modules/po/nickserv.it_IT.po | 24 +++++--- modules/po/notes.it_IT.po | 49 ++++++++------- modules/po/notify_connect.it_IT.po | 8 ++- modules/po/perform.it_IT.po | 38 ++++++------ modules/po/perleval.it_IT.po | 8 +-- modules/po/pyeval.it_IT.po | 4 +- modules/po/raw.it_IT.po | 2 +- modules/po/route_replies.it_IT.po | 22 ++++--- modules/po/sample.it_IT.po | 52 ++++++++-------- modules/po/samplewebapi.it_IT.po | 2 +- modules/po/sasl.it_IT.po | 73 +++++++++++++---------- modules/po/savebuff.it_IT.po | 20 ++++--- modules/po/send_raw.it_IT.po | 47 ++++++++------- modules/po/shell.it_IT.po | 8 ++- modules/po/simple_away.it_IT.po | 38 +++++++----- modules/po/stickychan.it_IT.po | 43 ++++++------- modules/po/stripcontrols.it_IT.po | 2 + modules/po/watch.it_IT.po | 96 +++++++++++++++--------------- 19 files changed, 295 insertions(+), 243 deletions(-) diff --git a/modules/po/modules_online.it_IT.po b/modules/po/modules_online.it_IT.po index 514b19b8..64169a59 100644 --- a/modules/po/modules_online.it_IT.po +++ b/modules/po/modules_online.it_IT.po @@ -14,4 +14,4 @@ msgstr "" #: modules_online.cpp:117 msgid "Makes ZNC's *modules to be \"online\"." -msgstr "" +msgstr "Crea i *modules ZNC's per essere \"online\"." diff --git a/modules/po/nickserv.it_IT.po b/modules/po/nickserv.it_IT.po index 6a2e187a..4285545b 100644 --- a/modules/po/nickserv.it_IT.po +++ b/modules/po/nickserv.it_IT.po @@ -14,15 +14,17 @@ msgstr "" #: nickserv.cpp:31 msgid "Password set" -msgstr "" +msgstr "Password impostata correttamente" #: nickserv.cpp:38 msgid "NickServ name set" -msgstr "" +msgstr "Nuovo nome per NickServ impostato correttamente" #: nickserv.cpp:54 msgid "No such editable command. See ViewCommands for list." msgstr "" +"Nessun comando simile da modificare. Digita ViewCommands per vederne la " +"lista." #: nickserv.cpp:57 msgid "Ok" @@ -34,11 +36,11 @@ msgstr "" #: nickserv.cpp:62 msgid "Set your nickserv password" -msgstr "" +msgstr "Imposta la tua password per nickserv" #: nickserv.cpp:64 msgid "Clear your nickserv password" -msgstr "" +msgstr "Rimuove dallo ZNC la password utilizzata per identificarti a NickServ" #: nickserv.cpp:66 msgid "nickname" @@ -49,27 +51,33 @@ msgid "" "Set NickServ name (Useful on networks like EpiKnet, where NickServ is named " "Themis" msgstr "" +"Imposta il nome di NickServ (utile su networks come EpiKnet, dove NickServ è " +"chiamato Themis)" #: nickserv.cpp:71 msgid "Reset NickServ name to default (NickServ)" -msgstr "" +msgstr "Riporta il nome di NickServ ai valori di default (NickServ)" #: nickserv.cpp:75 msgid "Show patterns for lines, which are being sent to NickServ" -msgstr "" +msgstr "Mostra i modelli (patterns) per linea, che vengono inviati a nikserv" #: nickserv.cpp:77 msgid "cmd new-pattern" -msgstr "" +msgstr "comando nuovo-modello" #: nickserv.cpp:78 msgid "Set pattern for commands" -msgstr "" +msgstr "Imposta un modello (pattern) per i comandi" #: nickserv.cpp:140 msgid "Please enter your nickserv password." msgstr "" +"Per favore inserisci la password che usi per identificarti attraverso " +"NickServ." #: nickserv.cpp:144 msgid "Auths you with NickServ (prefer SASL module instead)" msgstr "" +"Autorizza il tuo nick attraverso NickServ (anziché dal modulo SASL " +"(preferito))" diff --git a/modules/po/notes.it_IT.po b/modules/po/notes.it_IT.po index e63923fa..93980821 100644 --- a/modules/po/notes.it_IT.po +++ b/modules/po/notes.it_IT.po @@ -14,31 +14,31 @@ msgstr "" #: modules/po/../data/notes/tmpl/index.tmpl:7 msgid "Add A Note" -msgstr "" +msgstr "Aggiunge Una Nota" #: modules/po/../data/notes/tmpl/index.tmpl:11 msgid "Key:" -msgstr "" +msgstr "Parola chiave:" #: modules/po/../data/notes/tmpl/index.tmpl:15 msgid "Note:" -msgstr "" +msgstr "Nota:" #: modules/po/../data/notes/tmpl/index.tmpl:19 msgid "Add Note" -msgstr "" +msgstr "Aggiungi Nota" #: modules/po/../data/notes/tmpl/index.tmpl:27 msgid "You have no notes to display." -msgstr "" +msgstr "Non hai note da visualizzare." #: modules/po/../data/notes/tmpl/index.tmpl:34 notes.cpp:164 notes.cpp:170 msgid "Key" -msgstr "" +msgstr "Parola chiave" #: modules/po/../data/notes/tmpl/index.tmpl:35 notes.cpp:165 notes.cpp:171 msgid "Note" -msgstr "" +msgstr "Nota" #: modules/po/../data/notes/tmpl/index.tmpl:41 msgid "[del]" @@ -47,73 +47,78 @@ msgstr "" #: notes.cpp:32 msgid "That note already exists. Use MOD to overwrite." msgstr "" +"Questa nota esiste già. Usa MOD per sovrascrivere." #: notes.cpp:35 notes.cpp:137 msgid "Added note {1}" -msgstr "" +msgstr "Aggiunta la nota {1}" #: notes.cpp:37 notes.cpp:48 notes.cpp:142 msgid "Unable to add note {1}" -msgstr "" +msgstr "Impossibile aggiungere la nota {1}" #: notes.cpp:46 notes.cpp:139 msgid "Set note for {1}" -msgstr "" +msgstr "Imposta la nota per {1}" #: notes.cpp:56 msgid "This note doesn't exist." -msgstr "" +msgstr "Questa nota non esiste." #: notes.cpp:66 notes.cpp:116 msgid "Deleted note {1}" -msgstr "" +msgstr "Eliminata la nota {1}" #: notes.cpp:68 notes.cpp:118 msgid "Unable to delete note {1}" -msgstr "" +msgstr "Impossibile eliminare la nota {1}" #: notes.cpp:75 msgid "List notes" -msgstr "" +msgstr "Elenca le note inserite" #: notes.cpp:77 notes.cpp:81 msgid " " -msgstr "" +msgstr " " #: notes.cpp:77 msgid "Add a note" -msgstr "" +msgstr "Aggiunge una nota" #: notes.cpp:79 notes.cpp:83 msgid "" -msgstr "" +msgstr "" #: notes.cpp:79 msgid "Delete a note" -msgstr "" +msgstr "Elimina la nota" #: notes.cpp:81 msgid "Modify a note" -msgstr "" +msgstr "Modifica una nota" #: notes.cpp:94 msgid "Notes" -msgstr "" +msgstr "Note" #: notes.cpp:133 msgid "That note already exists. Use /#+ to overwrite." msgstr "" +"Questa nota esiste già. Usa /#+ per sovrascrivere." #: notes.cpp:186 notes.cpp:188 msgid "You have no entries." -msgstr "" +msgstr "Non hai voci." #: notes.cpp:224 msgid "" "This user module takes up to one arguments. It can be -disableNotesOnLogin " "not to show notes upon client login" msgstr "" +"Questo modulo utente accetta fino ad un argomento. Può essere disabilitato " +"con il comando -disableNotesOnLogin per non mostrare le note all'accesso del " +"client" #: notes.cpp:228 msgid "Keep and replay notes" -msgstr "" +msgstr "Conserva e riproduce le note" diff --git a/modules/po/notify_connect.it_IT.po b/modules/po/notify_connect.it_IT.po index 2c8d946a..ef1d5a25 100644 --- a/modules/po/notify_connect.it_IT.po +++ b/modules/po/notify_connect.it_IT.po @@ -14,16 +14,18 @@ msgstr "" #: notify_connect.cpp:24 msgid "attached" -msgstr "" +msgstr "attaccato" #: notify_connect.cpp:26 msgid "detached" -msgstr "" +msgstr "distaccato" #: notify_connect.cpp:41 msgid "{1} {2} from {3}" -msgstr "" +msgstr "{1} {2} da {3}" #: notify_connect.cpp:52 msgid "Notifies all admin users when a client connects or disconnects." msgstr "" +"Notifica a tutti gli utenti amministratori quando un client si connette o si " +"disconnette." diff --git a/modules/po/perform.it_IT.po b/modules/po/perform.it_IT.po index 27f911fc..ce406fe7 100644 --- a/modules/po/perform.it_IT.po +++ b/modules/po/perform.it_IT.po @@ -18,23 +18,23 @@ msgstr "" #: modules/po/../data/perform/tmpl/index.tmpl:11 msgid "Perform commands:" -msgstr "" +msgstr "Comandi Perform:" #: modules/po/../data/perform/tmpl/index.tmpl:15 msgid "Commands sent to the IRC server on connect, one per line." -msgstr "" +msgstr "Comandi inviati al server IRC durante la connessione, uno per linea." #: modules/po/../data/perform/tmpl/index.tmpl:18 msgid "Save" -msgstr "" +msgstr "Salva" #: perform.cpp:24 msgid "Usage: add " -msgstr "" +msgstr "Usa: add " #: perform.cpp:29 msgid "Added!" -msgstr "" +msgstr "Aggiunto!" #: perform.cpp:37 perform.cpp:82 msgid "Illegal # Requested" @@ -42,12 +42,12 @@ msgstr "" #: perform.cpp:41 msgid "Command Erased." -msgstr "" +msgstr "Comando cancellato." #: perform.cpp:50 perform.cpp:56 msgctxt "list" msgid "Id" -msgstr "" +msgstr "ID" #: perform.cpp:51 perform.cpp:57 msgctxt "list" @@ -57,52 +57,54 @@ msgstr "" #: perform.cpp:52 perform.cpp:62 msgctxt "list" msgid "Expanded" -msgstr "" +msgstr "Espanso" #: perform.cpp:67 msgid "No commands in your perform list." -msgstr "" +msgstr "Nessun comando nella tua lista dei Perform." #: perform.cpp:73 msgid "perform commands sent" -msgstr "" +msgstr "comandi perform inviati" #: perform.cpp:86 msgid "Commands Swapped." -msgstr "" +msgstr "Comandi scambiati." #: perform.cpp:95 msgid "" -msgstr "" +msgstr "" #: perform.cpp:96 msgid "Adds perform command to be sent to the server on connect" msgstr "" +"Aggiunge dei comandi (Perform) da inviare al server durante la connessione" #: perform.cpp:98 msgid "" -msgstr "" +msgstr "" #: perform.cpp:98 msgid "Delete a perform command" -msgstr "" +msgstr "Elimina i comandi Perform" #: perform.cpp:100 msgid "List the perform commands" -msgstr "" +msgstr "Elenco dei comandi Perform" #: perform.cpp:103 msgid "Send the perform commands to the server now" -msgstr "" +msgstr "Invia i comandi Perform al server adesso" #: perform.cpp:105 msgid " " -msgstr "" +msgstr " " #: perform.cpp:106 msgid "Swap two perform commands" -msgstr "" +msgstr "Scambia due comandi Perform" #: perform.cpp:192 msgid "Keeps a list of commands to be executed when ZNC connects to IRC." msgstr "" +"Mantiene una lista di comandi da eseguire quando lo ZNC si connette ad IRC." diff --git a/modules/po/perleval.it_IT.po b/modules/po/perleval.it_IT.po index bdf78261..dd3dfbed 100644 --- a/modules/po/perleval.it_IT.po +++ b/modules/po/perleval.it_IT.po @@ -14,18 +14,18 @@ msgstr "" #: perleval.pm:23 msgid "Evaluates perl code" -msgstr "" +msgstr "Valuta il codice perl" #: perleval.pm:33 msgid "Only admin can load this module" -msgstr "" +msgstr "Solo gli amministrati possono caricare questo modulo" #: perleval.pm:44 #, perl-format msgid "Error: %s" -msgstr "" +msgstr "Errore: %s" #: perleval.pm:46 #, perl-format msgid "Result: %s" -msgstr "" +msgstr "Risultato: %s" diff --git a/modules/po/pyeval.it_IT.po b/modules/po/pyeval.it_IT.po index f0dec8c5..40cd52e1 100644 --- a/modules/po/pyeval.it_IT.po +++ b/modules/po/pyeval.it_IT.po @@ -14,8 +14,8 @@ msgstr "" #: pyeval.py:49 msgid "You must have admin privileges to load this module." -msgstr "" +msgstr "Devi avere i privilegi di amministratore per caricare questo modulo." #: pyeval.py:82 msgid "Evaluates python code" -msgstr "" +msgstr "Valuta il codice python" diff --git a/modules/po/raw.it_IT.po b/modules/po/raw.it_IT.po index 6dc7d74a..3d675e4a 100644 --- a/modules/po/raw.it_IT.po +++ b/modules/po/raw.it_IT.po @@ -14,4 +14,4 @@ msgstr "" #: raw.cpp:43 msgid "View all of the raw traffic" -msgstr "" +msgstr "Visualizza tutto il traffico raw" diff --git a/modules/po/route_replies.it_IT.po b/modules/po/route_replies.it_IT.po index a087af54..42e57f5e 100644 --- a/modules/po/route_replies.it_IT.po +++ b/modules/po/route_replies.it_IT.po @@ -14,46 +14,50 @@ msgstr "" #: route_replies.cpp:215 msgid "[yes|no]" -msgstr "" +msgstr "[si|no]" #: route_replies.cpp:216 msgid "Decides whether to show the timeout messages or not" -msgstr "" +msgstr "Decide se mostrare o meno i messaggi di timeout" #: route_replies.cpp:356 msgid "This module hit a timeout which is probably a connectivity issue." msgstr "" +"Questo modulo ha riscontrato un timeout che probabilmente è un problema di " +"connettività." #: route_replies.cpp:359 msgid "" "However, if you can provide steps to reproduce this issue, please do report " "a bug." msgstr "" +"Tuttavia, se puoi fornire i passaggi per riprodurre questo problema, segnala " +"un bug." #: route_replies.cpp:362 msgid "To disable this message, do \"/msg {1} silent yes\"" -msgstr "" +msgstr "Per disabilitare questo messaggio, digita \"/msg {1} silent yes\"" #: route_replies.cpp:364 msgid "Last request: {1}" -msgstr "" +msgstr "Ultima richiesta: {1}" #: route_replies.cpp:365 msgid "Expected replies:" -msgstr "" +msgstr "Risposte attese:" #: route_replies.cpp:369 msgid "{1} (last)" -msgstr "" +msgstr "{1} (ultimo)" #: route_replies.cpp:441 msgid "Timeout messages are disabled." -msgstr "" +msgstr "I messaggi di timeout sono disabilitati." #: route_replies.cpp:442 msgid "Timeout messages are enabled." -msgstr "" +msgstr "I messaggi di timeout sono abilitati." #: route_replies.cpp:463 msgid "Send replies (e.g. to /who) to the right client only" -msgstr "" +msgstr "Invia le risposte (come ad esempio /who) solamente al cliente giusto" diff --git a/modules/po/sample.it_IT.po b/modules/po/sample.it_IT.po index 451c6b8d..57631d4f 100644 --- a/modules/po/sample.it_IT.po +++ b/modules/po/sample.it_IT.po @@ -14,15 +14,15 @@ msgstr "" #: sample.cpp:31 msgid "Sample job cancelled" -msgstr "" +msgstr "Campione di lavoro annullato" #: sample.cpp:33 msgid "Sample job destroyed" -msgstr "" +msgstr "Campione di lavoro distrutto" #: sample.cpp:50 msgid "Sample job done" -msgstr "" +msgstr "Campione di lavoto fatto" #: sample.cpp:65 msgid "TEST!!!!" @@ -30,90 +30,90 @@ msgstr "" #: sample.cpp:74 msgid "I'm being loaded with the arguments: {1}" -msgstr "" +msgstr "Mi stanno caricando gli argomenti: {1}" #: sample.cpp:85 msgid "I'm being unloaded!" -msgstr "" +msgstr "Mi stanno scaricando! (unloaded)" #: sample.cpp:94 msgid "You got connected BoyOh." -msgstr "" +msgstr "Ti sei connesso BoyOh." #: sample.cpp:98 msgid "You got disconnected BoyOh." -msgstr "" +msgstr "Ti sei disconnesso BoyOh." #: sample.cpp:116 msgid "{1} {2} set mode on {3} {4}{5} {6}" -msgstr "" +msgstr "{1} {2} imposta i mode su {3} {4}{5} {6}" #: sample.cpp:123 msgid "{1} {2} opped {3} on {4}" -msgstr "" +msgstr "{1} {2} assegna lo stato di op a {3} su {4}" #: sample.cpp:129 msgid "{1} {2} deopped {3} on {4}" -msgstr "" +msgstr "{1} {2} rimuove lo stato di op a {3} su {4}" #: sample.cpp:135 msgid "{1} {2} voiced {3} on {4}" -msgstr "" +msgstr "{1} {2} assegna lo stato di voice a {3} su {4}" #: sample.cpp:141 msgid "{1} {2} devoiced {3} on {4}" -msgstr "" +msgstr "{1} {2} rimuove lo stato di voice a {3} su {4}" #: sample.cpp:147 msgid "* {1} sets mode: {2} {3} on {4}" -msgstr "" +msgstr "* {1} imposta i mode: {2} {3} su {4}" #: sample.cpp:163 msgid "{1} kicked {2} from {3} with the msg {4}" -msgstr "" +msgstr "{1} kicked {2} da {3} con il messaggio {4}" #: sample.cpp:169 msgid "* {1} ({2}@{3}) quits ({4}) from channel: {6}" msgid_plural "* {1} ({2}@{3}) quits ({4}) from {5} channels: {6}" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "* {1} ({2}@{3}) quits ({4}) dal canale: {6}" +msgstr[1] "* {1} ({2}@{3}) quits ({4}) da {5} canali: {6}" #: sample.cpp:177 msgid "Attempting to join {1}" -msgstr "" +msgstr "Tentando di entrare {1}" #: sample.cpp:182 msgid "* {1} ({2}@{3}) joins {4}" -msgstr "" +msgstr "* {1} ({2}@{3}) entra {4}" #: sample.cpp:189 msgid "* {1} ({2}@{3}) parts {4}" -msgstr "" +msgstr "* {1} ({2}@{3}) lascia {4}" #: sample.cpp:196 msgid "{1} invited us to {2}, ignoring invites to {2}" -msgstr "" +msgstr "{1} ti ha invitato su {2}, ignorando gli inviti su {2}" #: sample.cpp:201 msgid "{1} invited us to {2}" -msgstr "" +msgstr "{1} ti ha invitato su {2}" #: sample.cpp:207 msgid "{1} is now known as {2}" -msgstr "" +msgstr "{1} è ora conosciuto come {2}" #: sample.cpp:269 sample.cpp:276 msgid "{1} changes topic on {2} to {3}" -msgstr "" +msgstr "{1} cambia topic su {2} in {3}" #: sample.cpp:317 msgid "Hi, I'm your friendly sample module." -msgstr "" +msgstr "Ciao, sono il tuo amichevole modulo campione." #: sample.cpp:330 msgid "Description of module arguments goes here." -msgstr "" +msgstr "La descrizione degli argomenti del modulo va qui." #: sample.cpp:333 msgid "To be used as a sample for writing modules" -msgstr "" +msgstr "Da utilizzare come campione per la scrittura di moduli" diff --git a/modules/po/samplewebapi.it_IT.po b/modules/po/samplewebapi.it_IT.po index 982c95c2..1ecd135c 100644 --- a/modules/po/samplewebapi.it_IT.po +++ b/modules/po/samplewebapi.it_IT.po @@ -14,4 +14,4 @@ msgstr "" #: samplewebapi.cpp:59 msgid "Sample Web API module." -msgstr "" +msgstr "Modulo campione delle Web API." diff --git a/modules/po/sasl.it_IT.po b/modules/po/sasl.it_IT.po index 8baf807a..9df5ad30 100644 --- a/modules/po/sasl.it_IT.po +++ b/modules/po/sasl.it_IT.po @@ -22,7 +22,7 @@ msgstr "" #: modules/po/../data/sasl/tmpl/index.tmpl:13 msgid "Please enter a username." -msgstr "" +msgstr "Per favore inserisci un username." #: modules/po/../data/sasl/tmpl/index.tmpl:16 msgid "Password:" @@ -30,145 +30,152 @@ msgstr "" #: modules/po/../data/sasl/tmpl/index.tmpl:18 msgid "Please enter a password." -msgstr "" +msgstr "Per favore inserisci una password." #: modules/po/../data/sasl/tmpl/index.tmpl:22 msgid "Options" -msgstr "" +msgstr "Opzioni" #: modules/po/../data/sasl/tmpl/index.tmpl:25 msgid "Connect only if SASL authentication succeeds." -msgstr "" +msgstr "Connette solo se l'autenticazione SASL ha esito positivo." #: modules/po/../data/sasl/tmpl/index.tmpl:27 msgid "Require authentication" -msgstr "" +msgstr "Richiede l'autenticazione" #: modules/po/../data/sasl/tmpl/index.tmpl:35 msgid "Mechanisms" -msgstr "" +msgstr "Meccanismi" #: modules/po/../data/sasl/tmpl/index.tmpl:42 msgid "Name" -msgstr "" +msgstr "Nome" #: modules/po/../data/sasl/tmpl/index.tmpl:43 sasl.cpp:89 sasl.cpp:95 msgid "Description" -msgstr "" +msgstr "Descrizione" #: modules/po/../data/sasl/tmpl/index.tmpl:57 msgid "Selected mechanisms and their order:" -msgstr "" +msgstr "Meccanismi selezionati ed il loro ordine:" #: modules/po/../data/sasl/tmpl/index.tmpl:74 msgid "Save" -msgstr "" +msgstr "Salva" #: sasl.cpp:54 msgid "TLS certificate, for use with the *cert module" -msgstr "" +msgstr "Certificato TLS, da utilizzare con il modulo *cert" #: sasl.cpp:56 msgid "" "Plain text negotiation, this should work always if the network supports SASL" msgstr "" +"La negoziazione del testo semplice, dovrebbe funzionare sempre se il network " +"supporta SASL" #: sasl.cpp:62 msgid "search" -msgstr "" +msgstr "ricerca" #: sasl.cpp:62 msgid "Generate this output" -msgstr "" +msgstr "Genera questo output" #: sasl.cpp:64 msgid "[ []]" -msgstr "" +msgstr "[ []]" #: sasl.cpp:65 msgid "" "Set username and password for the mechanisms that need them. Password is " "optional. Without parameters, returns information about current settings." msgstr "" +"Imposta username e password per i meccanismi che ne hanno bisogno. La " +"password è facoltativa. Senza parametri, restituisce informazioni sulle " +"impostazioni correnti." #: sasl.cpp:69 msgid "[mechanism[ ...]]" -msgstr "" +msgstr "[meccanismo[ ...]]" #: sasl.cpp:70 msgid "Set the mechanisms to be attempted (in order)" -msgstr "" +msgstr "Imposta i meccanismi da tentare (in ordine)" #: sasl.cpp:72 msgid "[yes|no]" -msgstr "" +msgstr "[si|no]" #: sasl.cpp:73 msgid "Don't connect unless SASL authentication succeeds" -msgstr "" +msgstr "Non connettersi a meno che l'autenticazione SASL non abbia successo" #: sasl.cpp:88 sasl.cpp:94 msgid "Mechanism" -msgstr "" +msgstr "Meccanismo" #: sasl.cpp:99 msgid "The following mechanisms are available:" -msgstr "" +msgstr "Sono disponibili i seguenti meccanismi:" #: sasl.cpp:109 msgid "Username is currently not set" -msgstr "" +msgstr "L'username non è attualmente impostato" #: sasl.cpp:111 msgid "Username is currently set to '{1}'" -msgstr "" +msgstr "L'username è attualmente impostato a '{1}'" #: sasl.cpp:114 msgid "Password was not supplied" -msgstr "" +msgstr "La password non è stata fornita" #: sasl.cpp:116 msgid "Password was supplied" -msgstr "" +msgstr "La password è stata fornita" #: sasl.cpp:124 msgid "Username has been set to [{1}]" -msgstr "" +msgstr "L'username è stato impostato a [{1}]" #: sasl.cpp:125 msgid "Password has been set to [{1}]" -msgstr "" +msgstr "La password è stata impostata a [{1}]" #: sasl.cpp:145 msgid "Current mechanisms set: {1}" -msgstr "" +msgstr "Meccanismi correnti impostati: {1}" #: sasl.cpp:154 msgid "We require SASL negotiation to connect" -msgstr "" +msgstr "Noi richiediamo la negoziazione SASL per connettersi" #: sasl.cpp:156 msgid "We will connect even if SASL fails" -msgstr "" +msgstr "Ci collegheremo anche se SASL fallisce" #: sasl.cpp:193 msgid "Disabling network, we require authentication." -msgstr "" +msgstr "Disabilitando il network, è rischiesta l'autenticazione." #: sasl.cpp:194 msgid "Use 'RequireAuth no' to disable." -msgstr "" +msgstr "Usa 'RequireAuth no' per disabilitare." #: sasl.cpp:247 msgid "{1} mechanism succeeded." -msgstr "" +msgstr "{1} meccanismo riuscito." #: sasl.cpp:259 msgid "{1} mechanism failed." -msgstr "" +msgstr "{1} meccanismo fallito." #: sasl.cpp:337 msgid "" "Adds support for sasl authentication capability to authenticate to an IRC " "server" msgstr "" +"Aggiunge il supporto per la funzionalità di autenticazione sasl per " +"l'autenticazione al server IRC" diff --git a/modules/po/savebuff.it_IT.po b/modules/po/savebuff.it_IT.po index 7c9e3bff..9893f1ee 100644 --- a/modules/po/savebuff.it_IT.po +++ b/modules/po/savebuff.it_IT.po @@ -18,7 +18,7 @@ msgstr "" #: savebuff.cpp:65 msgid "Sets the password" -msgstr "" +msgstr "Imposta la password" #: savebuff.cpp:67 msgid "" @@ -26,11 +26,11 @@ msgstr "" #: savebuff.cpp:67 msgid "Replays the buffer" -msgstr "" +msgstr "Riproduce il buffer" #: savebuff.cpp:69 msgid "Saves all buffers" -msgstr "" +msgstr "Salva tutti i buffers" #: savebuff.cpp:221 msgid "" @@ -38,25 +38,31 @@ msgid "" "the appropriate pass and things should start working, or setpass to a new " "pass and save to reinstantiate" msgstr "" +"La password non è impostata, generalmente significa che la decrittografia " +"non è riuscita. È possibile impostare setpass sul passaggio appropriato e le " +"cose dovrebbero iniziare a funzionare, oppure setpass su un nuovo passaggio " +"e salvare per instanziare" #: savebuff.cpp:232 msgid "Password set to [{1}]" -msgstr "" +msgstr "Password impostata a [{1}]" #: savebuff.cpp:262 msgid "Replayed {1}" -msgstr "" +msgstr "Ripetizione {1}" #: savebuff.cpp:341 msgid "Unable to decode Encrypted file {1}" -msgstr "" +msgstr "Impossibile decodificare il file critografato {1}" #: savebuff.cpp:358 msgid "" "This user module takes up to one arguments. Either --ask-pass or the " "password itself (which may contain spaces) or nothing" msgstr "" +"Questo modulo utente accetta fino a un argomento. --ask-pass o la password " +"stessa (che può contenere spazi) o nulla" #: savebuff.cpp:363 msgid "Stores channel and query buffers to disk, encrypted" -msgstr "" +msgstr "Memorizza i buffer dei canali e delle query su disco, crittografati" diff --git a/modules/po/send_raw.it_IT.po b/modules/po/send_raw.it_IT.po index e80932c0..1a91ed4c 100644 --- a/modules/po/send_raw.it_IT.po +++ b/modules/po/send_raw.it_IT.po @@ -14,96 +14,99 @@ msgstr "" #: modules/po/../data/send_raw/tmpl/index.tmpl:9 msgid "Send a raw IRC line" -msgstr "" +msgstr "Inviare una linea raw IRC" #: modules/po/../data/send_raw/tmpl/index.tmpl:14 msgid "User:" -msgstr "" +msgstr "Utente:" #: modules/po/../data/send_raw/tmpl/index.tmpl:15 msgid "To change user, click to Network selector" -msgstr "" +msgstr "Per cambiare utente, fai clic su selettore del Network" #: modules/po/../data/send_raw/tmpl/index.tmpl:19 msgid "User/Network:" -msgstr "" +msgstr "Utente/Network:" #: modules/po/../data/send_raw/tmpl/index.tmpl:32 msgid "Send to:" -msgstr "" +msgstr "Inviare a:" #: modules/po/../data/send_raw/tmpl/index.tmpl:34 msgid "Client" -msgstr "" +msgstr "Client" #: modules/po/../data/send_raw/tmpl/index.tmpl:35 msgid "Server" -msgstr "" +msgstr "Server" #: modules/po/../data/send_raw/tmpl/index.tmpl:40 msgid "Line:" -msgstr "" +msgstr "Linea:" #: modules/po/../data/send_raw/tmpl/index.tmpl:45 msgid "Send" -msgstr "" +msgstr "Inviare" #: send_raw.cpp:32 msgid "Sent [{1}] to {2}/{3}" -msgstr "" +msgstr "Inviato [{1}] a {2}/{3}" #: send_raw.cpp:36 send_raw.cpp:56 msgid "Network {1} not found for user {2}" -msgstr "" +msgstr "Il Network {1} non è stato trovato per l'utente {2}" #: send_raw.cpp:40 send_raw.cpp:60 msgid "User {1} not found" -msgstr "" +msgstr "L'utente {1} non è stato trovato" #: send_raw.cpp:52 msgid "Sent [{1}] to IRC server of {2}/{3}" -msgstr "" +msgstr "Inviato [{1}] al server IRC di {2}/{3}" #: send_raw.cpp:75 msgid "You must have admin privileges to load this module" msgstr "" +"È necessario disporre dei privilegi di amministratore per caricare questo " +"modulo" #: send_raw.cpp:82 msgid "Send Raw" -msgstr "" +msgstr "Inviare Raw" #: send_raw.cpp:92 msgid "User not found" -msgstr "" +msgstr "L'utente non è stato trovato" #: send_raw.cpp:99 msgid "Network not found" -msgstr "" +msgstr "Network non trovato" #: send_raw.cpp:116 msgid "Line sent" -msgstr "" +msgstr "Linea inviata" #: send_raw.cpp:140 send_raw.cpp:143 msgid "[user] [network] [data to send]" -msgstr "" +msgstr "[utente] [network] [dati da inviare]" #: send_raw.cpp:141 msgid "The data will be sent to the user's IRC client(s)" -msgstr "" +msgstr "I dati verranno inviati ai client IRC dell'utente" #: send_raw.cpp:144 msgid "The data will be sent to the IRC server the user is connected to" -msgstr "" +msgstr "I dati verranno inviati al server IRC a cui l'utente è connesso" #: send_raw.cpp:147 msgid "[data to send]" -msgstr "" +msgstr "[dati da inviare]" #: send_raw.cpp:148 msgid "The data will be sent to your current client" -msgstr "" +msgstr "I dati verranno inviati al tuo attuale client" #: send_raw.cpp:159 msgid "Lets you send some raw IRC lines as/to someone else" msgstr "" +"Consente di inviare alcune righe IRC non elaborate come/a qualcun altro" diff --git a/modules/po/shell.it_IT.po b/modules/po/shell.it_IT.po index 47a0a56d..54560102 100644 --- a/modules/po/shell.it_IT.po +++ b/modules/po/shell.it_IT.po @@ -14,16 +14,18 @@ msgstr "" #: shell.cpp:37 msgid "Failed to execute: {1}" -msgstr "" +msgstr "Impossibile eseguire: {1}" #: shell.cpp:75 msgid "You must be admin to use the shell module" -msgstr "" +msgstr "Devi essere amministratore per usare il modulo shell" #: shell.cpp:169 msgid "Gives shell access" -msgstr "" +msgstr "Fornisce accesso alla shell" #: shell.cpp:172 msgid "Gives shell access. Only ZNC admins can use it." msgstr "" +"Fornisce accesso alla shell. Solo gli amministratori dello ZNC possono " +"usarlo." diff --git a/modules/po/simple_away.it_IT.po b/modules/po/simple_away.it_IT.po index a0b684dd..03319a88 100644 --- a/modules/po/simple_away.it_IT.po +++ b/modules/po/simple_away.it_IT.po @@ -14,7 +14,7 @@ msgstr "" #: simple_away.cpp:56 msgid "[]" -msgstr "" +msgstr "[]" #: simple_away.cpp:57 #, c-format @@ -22,71 +22,77 @@ msgid "" "Prints or sets the away reason (%awaytime% is replaced with the time you " "were set away, supports substitutions using ExpandString)" msgstr "" +"Mostra o imposta il motivo dell'away (% awaytime% viene sostituito con il " +"tempo impostato, supporta le sostituzioni utilizzando ExpandString)" #: simple_away.cpp:63 msgid "Prints the current time to wait before setting you away" -msgstr "" +msgstr "Mostra il tempo d'attesa attuale prima di passare all'away" #: simple_away.cpp:65 msgid "" -msgstr "" +msgstr "" #: simple_away.cpp:66 msgid "Sets the time to wait before setting you away" -msgstr "" +msgstr "Imposta il tempo d'attesa prima di passare all'away" #: simple_away.cpp:69 msgid "Disables the wait time before setting you away" -msgstr "" +msgstr "Disabilita il tempo di attesa prima di impostare l'away" #: simple_away.cpp:73 msgid "Get or set the minimum number of clients before going away" -msgstr "" +msgstr "Ottieni o imposta il numero minimo di client prima di andare away" #: simple_away.cpp:136 msgid "Away reason set" -msgstr "" +msgstr "Imposta il motivo dell'assenza (away)" #: simple_away.cpp:138 msgid "Away reason: {1}" -msgstr "" +msgstr "Motivo dell'away: {1}" #: simple_away.cpp:139 msgid "Current away reason would be: {1}" -msgstr "" +msgstr "Il motivo dell'assenza (away) attuale sarebbe: {1}" #: simple_away.cpp:144 msgid "Current timer setting: 1 second" msgid_plural "Current timer setting: {1} seconds" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "Impostazione del timer corrente: 1 secondo" +msgstr[1] "Impostazione del timer corrente: {1} secondi" #: simple_away.cpp:153 simple_away.cpp:161 msgid "Timer disabled" -msgstr "" +msgstr "Timer disabilitato" #: simple_away.cpp:155 msgid "Timer set to 1 second" msgid_plural "Timer set to: {1} seconds" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "Timer impostato a 1 secondo" +msgstr[1] "Timer impostato a: {1} secondi" #: simple_away.cpp:166 msgid "Current MinClients setting: {1}" -msgstr "" +msgstr "Impostazione corrente di MinClients: {1}" #: simple_away.cpp:169 msgid "MinClients set to {1}" -msgstr "" +msgstr "MinClients impostato a {1}" #: simple_away.cpp:248 msgid "" "You might enter up to 3 arguments, like -notimer awaymessage or -timer 5 " "awaymessage." msgstr "" +"Puoi inserire fino a 3 argomenti, come -notimer awaymessage o -timer 5 " +"awaymessage." #: simple_away.cpp:253 msgid "" "This module will automatically set you away on IRC while you are " "disconnected from the bouncer." msgstr "" +"Questo modulo imposterà automaticamente l'away su IRC mentre sei disconnesso " +"dallo ZNC." diff --git a/modules/po/stickychan.it_IT.po b/modules/po/stickychan.it_IT.po index 12ad984b..f153ae03 100644 --- a/modules/po/stickychan.it_IT.po +++ b/modules/po/stickychan.it_IT.po @@ -14,89 +14,92 @@ msgstr "" #: modules/po/../data/stickychan/tmpl/index.tmpl:9 msgid "Name" -msgstr "" +msgstr "Nome" #: modules/po/../data/stickychan/tmpl/index.tmpl:10 msgid "Sticky" -msgstr "" +msgstr "Appiccicoso" #: modules/po/../data/stickychan/tmpl/index.tmpl:25 msgid "Save" -msgstr "" +msgstr "Salva" #: modules/po/../data/stickychan/tmpl/stickychan_WebadminChan.tmpl:8 msgid "Channel is sticky" -msgstr "" +msgstr "Canale è appiccicoso (sticky)" #: stickychan.cpp:28 msgid "<#channel> [key]" -msgstr "" +msgstr "<#canale> [chiave]" #: stickychan.cpp:28 msgid "Sticks a channel" -msgstr "" +msgstr "Attacca/Aggancia/Appiccica un canale" #: stickychan.cpp:30 msgid "<#channel>" -msgstr "" +msgstr "<#canale>" #: stickychan.cpp:30 msgid "Unsticks a channel" -msgstr "" +msgstr "Scolla un canale (Unsticks)" #: stickychan.cpp:32 msgid "Lists sticky channels" -msgstr "" +msgstr "Elenco dei canali appiccicosi (sticky)" #: stickychan.cpp:75 msgid "Usage: Stick <#channel> [key]" -msgstr "" +msgstr "Usa: Stick <#canale> [chiave]" #: stickychan.cpp:79 msgid "Stuck {1}" -msgstr "" +msgstr "Appiccicato {1}" #: stickychan.cpp:85 msgid "Usage: Unstick <#channel>" -msgstr "" +msgstr "Usa: Unstick <#canale>" #: stickychan.cpp:89 msgid "Unstuck {1}" -msgstr "" +msgstr "Scollato {1}" #: stickychan.cpp:101 msgid " -- End of List" -msgstr "" +msgstr " -- Fine della lista" #: stickychan.cpp:115 msgid "Could not join {1} (# prefix missing?)" -msgstr "" +msgstr "Impossibile entrare in {1} (# prefisso mancante?)" #: stickychan.cpp:128 msgid "Sticky Channels" -msgstr "" +msgstr "Canali appiccicosi" #: stickychan.cpp:160 msgid "Changes have been saved!" -msgstr "" +msgstr "I cambiamenti sono stati salvati!" #: stickychan.cpp:185 msgid "Channel became sticky!" -msgstr "" +msgstr "Il canale è diventato appiccicoso! (sticky)" #: stickychan.cpp:189 msgid "Channel stopped being sticky!" -msgstr "" +msgstr "Il canale ha smesso di essere appiccicoso (sticky)!" #: stickychan.cpp:209 msgid "" "Channel {1} cannot be joined, it is an illegal channel name. Unsticking." msgstr "" +"Impossibile entrare nel canale {1}, non è un nome di canale valido ed è " +"stato scollegato (Unsticking)." #: stickychan.cpp:246 msgid "List of channels, separated by comma." -msgstr "" +msgstr "Elenco dei canali, separati dalla virgola." #: stickychan.cpp:251 msgid "configless sticky chans, keeps you there very stickily even" msgstr "" +"configura i canali meno appiccicosi, ti mantiene lì molto appiccicosamente" diff --git a/modules/po/stripcontrols.it_IT.po b/modules/po/stripcontrols.it_IT.po index 91ec0055..74a67be1 100644 --- a/modules/po/stripcontrols.it_IT.po +++ b/modules/po/stripcontrols.it_IT.po @@ -16,3 +16,5 @@ msgstr "" msgid "" "Strips control codes (Colors, Bold, ..) from channel and private messages." msgstr "" +"Elimina i codici di controllo (Colori, Grassetto, ..) dal canale e dai " +"messaggi privati." diff --git a/modules/po/watch.it_IT.po b/modules/po/watch.it_IT.po index 71264a4f..3d405ba0 100644 --- a/modules/po/watch.it_IT.po +++ b/modules/po/watch.it_IT.po @@ -14,59 +14,59 @@ msgstr "" #: watch.cpp:334 msgid "All entries cleared." -msgstr "" +msgstr "Tutte le voci cancellate." #: watch.cpp:344 msgid "Buffer count is set to {1}" -msgstr "" +msgstr "Buffer count è impostato a {1}" #: watch.cpp:348 msgid "Unknown command: {1}" -msgstr "" +msgstr "Comando sconosciuto: {1}" #: watch.cpp:397 msgid "Disabled all entries." -msgstr "" +msgstr "Disabilitate tutte le voci" #: watch.cpp:398 msgid "Enabled all entries." -msgstr "" +msgstr "Abilitate tutte le voci" #: watch.cpp:405 watch.cpp:437 watch.cpp:470 watch.cpp:570 watch.cpp:585 msgid "Invalid Id" -msgstr "" +msgstr "Id non valido" #: watch.cpp:414 msgid "Id {1} disabled" -msgstr "" +msgstr "Id {1} disabilitato" #: watch.cpp:416 msgid "Id {1} enabled" -msgstr "" +msgstr "Id {1} abilitato" #: watch.cpp:428 msgid "Set DetachedClientOnly for all entries to Yes" -msgstr "" +msgstr "Imposta il DetachedClientOnly per tutte le voci su Sì" #: watch.cpp:430 msgid "Set DetachedClientOnly for all entries to No" -msgstr "" +msgstr "Imposta il DetachedClientOnly per tutte le voci su No" #: watch.cpp:446 watch.cpp:479 msgid "Id {1} set to Yes" -msgstr "" +msgstr "Id {1} impostato a Si" #: watch.cpp:448 watch.cpp:481 msgid "Id {1} set to No" -msgstr "" +msgstr "Id {1} impostato a No" #: watch.cpp:461 msgid "Set DetachedChannelOnly for all entries to Yes" -msgstr "" +msgstr "Imposta il DetachedChannelOnly per tutte le voci su Yes" #: watch.cpp:463 msgid "Set DetachedChannelOnly for all entries to No" -msgstr "" +msgstr "Imposta il DetachedChannelOnly per teutte le voci a No" #: watch.cpp:487 watch.cpp:503 msgid "Id" @@ -82,11 +82,11 @@ msgstr "" #: watch.cpp:490 watch.cpp:506 msgid "Pattern" -msgstr "" +msgstr "Modello" #: watch.cpp:491 watch.cpp:507 msgid "Sources" -msgstr "" +msgstr "Sorgenti" #: watch.cpp:492 watch.cpp:508 watch.cpp:509 msgid "Off" @@ -102,7 +102,7 @@ msgstr "" #: watch.cpp:512 watch.cpp:515 msgid "Yes" -msgstr "" +msgstr "Si" #: watch.cpp:512 watch.cpp:515 msgid "No" @@ -110,83 +110,83 @@ msgstr "" #: watch.cpp:521 watch.cpp:527 msgid "You have no entries." -msgstr "" +msgstr "Non hai voci" #: watch.cpp:578 msgid "Sources set for Id {1}." -msgstr "" +msgstr "Sorgenti impostate per Id {1}." #: watch.cpp:593 msgid "Id {1} removed." -msgstr "" +msgstr "Id {1} rimosso." #: watch.cpp:600 watch.cpp:605 watch.cpp:610 watch.cpp:615 watch.cpp:621 #: watch.cpp:626 watch.cpp:630 watch.cpp:634 watch.cpp:639 watch.cpp:646 #: watch.cpp:653 watch.cpp:659 watch.cpp:665 msgid "Command" -msgstr "" +msgstr "Comando" #: watch.cpp:601 watch.cpp:606 watch.cpp:611 watch.cpp:617 watch.cpp:622 #: watch.cpp:627 watch.cpp:631 watch.cpp:635 watch.cpp:642 watch.cpp:649 #: watch.cpp:655 watch.cpp:661 watch.cpp:666 msgid "Description" -msgstr "" +msgstr "Descrizione" #: watch.cpp:605 msgid "Add [Target] [Pattern]" -msgstr "" +msgstr "Add [Target] [Modello]" #: watch.cpp:607 msgid "Used to add an entry to watch for." -msgstr "" +msgstr "Utilizzato per aggiungere una voce da tenere d'occhio." #: watch.cpp:610 msgid "List" -msgstr "" +msgstr "Lista" #: watch.cpp:612 msgid "List all entries being watched." -msgstr "" +msgstr "Elenca tutte le voci che si stanno guardando" #: watch.cpp:615 msgid "Dump" -msgstr "" +msgstr "Scarica" #: watch.cpp:618 msgid "Dump a list of all current entries to be used later." -msgstr "" +msgstr "Scarica un elenco di tutte le voci correnti da utilizzare in seguito." #: watch.cpp:621 msgid "Del " -msgstr "" +msgstr "Elimina " #: watch.cpp:623 msgid "Deletes Id from the list of watched entries." -msgstr "" +msgstr "Elimina l'ID dall'elenco delle voci osservate." #: watch.cpp:626 msgid "Clear" -msgstr "" +msgstr "Cancella" #: watch.cpp:627 msgid "Delete all entries." -msgstr "" +msgstr "Elimina tutte le voci." #: watch.cpp:630 msgid "Enable " -msgstr "" +msgstr "Abilita " #: watch.cpp:631 msgid "Enable a disabled entry." -msgstr "" +msgstr "Abilita una voce disabilitata" #: watch.cpp:634 msgid "Disable " -msgstr "" +msgstr "Disabilita " #: watch.cpp:636 msgid "Disable (but don't delete) an entry." -msgstr "" +msgstr "Disabilita (ma non elimina) una voce." #: watch.cpp:640 msgid "SetDetachedClientOnly " @@ -194,7 +194,7 @@ msgstr "" #: watch.cpp:643 msgid "Enable or disable detached client only for an entry." -msgstr "" +msgstr "Abilita o disabilita il client separato (detached) solo per una voce." #: watch.cpp:647 msgid "SetDetachedChannelOnly " @@ -202,7 +202,7 @@ msgstr "" #: watch.cpp:650 msgid "Enable or disable detached channel only for an entry." -msgstr "" +msgstr "Abilita o disabilita il canale separato (detached) solo per una voce." #: watch.cpp:653 msgid "Buffer [Count]" @@ -211,39 +211,41 @@ msgstr "" #: watch.cpp:656 msgid "Show/Set the amount of buffered lines while detached." msgstr "" +"Mostra/Imposta la quantità di linee bufferizzate mentre è " +"distaccata(detached)." #: watch.cpp:660 msgid "SetSources [#chan priv #foo* !#bar]" -msgstr "" +msgstr "SetSources [#canale priv #foo* !#bar]" #: watch.cpp:662 msgid "Set the source channels that you care about." -msgstr "" +msgstr "Imposta i canali sorgente che ti interessano." #: watch.cpp:665 msgid "Help" -msgstr "" +msgstr "Aiuto" #: watch.cpp:666 msgid "This help." -msgstr "" +msgstr "Questo aiuto." #: watch.cpp:682 msgid "Entry for {1} already exists." -msgstr "" +msgstr "La voce per {1} esiste già." #: watch.cpp:690 msgid "Adding entry: {1} watching for [{2}] -> {3}" -msgstr "" +msgstr "Aggiunta voce: {1} in cerca di [{2}] -> {3}" #: watch.cpp:696 msgid "Watch: Not enough arguments. Try Help" -msgstr "" +msgstr "Guarda: argomenti insufficienti. Prova aiuto" #: watch.cpp:765 msgid "WARNING: malformed entry found while loading" -msgstr "" +msgstr "ATTENZIONE: rilevata immissione errata durante il caricamento" #: watch.cpp:779 msgid "Copy activity from a specific user into a separate window" -msgstr "" +msgstr "Copia l'attività di uno specifico utente in una finestra separata" From 7f4a8fcde95d4bd944b422723eac78bebe7482ee Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Thu, 25 Jul 2019 00:28:15 +0000 Subject: [PATCH 291/798] Update translations from Crowdin for it_IT --- modules/po/modules_online.it_IT.po | 2 +- modules/po/nickserv.it_IT.po | 24 +++++--- modules/po/notes.it_IT.po | 49 ++++++++------- modules/po/notify_connect.it_IT.po | 8 ++- modules/po/perform.it_IT.po | 38 ++++++------ modules/po/perleval.it_IT.po | 8 +-- modules/po/pyeval.it_IT.po | 4 +- modules/po/raw.it_IT.po | 2 +- modules/po/route_replies.it_IT.po | 22 ++++--- modules/po/sample.it_IT.po | 52 ++++++++-------- modules/po/samplewebapi.it_IT.po | 2 +- modules/po/sasl.it_IT.po | 73 +++++++++++++---------- modules/po/savebuff.it_IT.po | 20 ++++--- modules/po/send_raw.it_IT.po | 47 ++++++++------- modules/po/shell.it_IT.po | 8 ++- modules/po/simple_away.it_IT.po | 38 +++++++----- modules/po/stickychan.it_IT.po | 43 ++++++------- modules/po/stripcontrols.it_IT.po | 2 + modules/po/watch.it_IT.po | 96 +++++++++++++++--------------- 19 files changed, 295 insertions(+), 243 deletions(-) diff --git a/modules/po/modules_online.it_IT.po b/modules/po/modules_online.it_IT.po index 231c7483..279eaa6b 100644 --- a/modules/po/modules_online.it_IT.po +++ b/modules/po/modules_online.it_IT.po @@ -14,4 +14,4 @@ msgstr "" #: modules_online.cpp:117 msgid "Makes ZNC's *modules to be \"online\"." -msgstr "" +msgstr "Crea i *modules ZNC's per essere \"online\"." diff --git a/modules/po/nickserv.it_IT.po b/modules/po/nickserv.it_IT.po index 3286b166..48f51050 100644 --- a/modules/po/nickserv.it_IT.po +++ b/modules/po/nickserv.it_IT.po @@ -14,15 +14,17 @@ msgstr "" #: nickserv.cpp:31 msgid "Password set" -msgstr "" +msgstr "Password impostata correttamente" #: nickserv.cpp:38 msgid "NickServ name set" -msgstr "" +msgstr "Nuovo nome per NickServ impostato correttamente" #: nickserv.cpp:54 msgid "No such editable command. See ViewCommands for list." msgstr "" +"Nessun comando simile da modificare. Digita ViewCommands per vederne la " +"lista." #: nickserv.cpp:57 msgid "Ok" @@ -34,11 +36,11 @@ msgstr "" #: nickserv.cpp:62 msgid "Set your nickserv password" -msgstr "" +msgstr "Imposta la tua password per nickserv" #: nickserv.cpp:64 msgid "Clear your nickserv password" -msgstr "" +msgstr "Rimuove dallo ZNC la password utilizzata per identificarti a NickServ" #: nickserv.cpp:66 msgid "nickname" @@ -49,27 +51,33 @@ msgid "" "Set NickServ name (Useful on networks like EpiKnet, where NickServ is named " "Themis" msgstr "" +"Imposta il nome di NickServ (utile su networks come EpiKnet, dove NickServ è " +"chiamato Themis)" #: nickserv.cpp:71 msgid "Reset NickServ name to default (NickServ)" -msgstr "" +msgstr "Riporta il nome di NickServ ai valori di default (NickServ)" #: nickserv.cpp:75 msgid "Show patterns for lines, which are being sent to NickServ" -msgstr "" +msgstr "Mostra i modelli (patterns) per linea, che vengono inviati a nikserv" #: nickserv.cpp:77 msgid "cmd new-pattern" -msgstr "" +msgstr "comando nuovo-modello" #: nickserv.cpp:78 msgid "Set pattern for commands" -msgstr "" +msgstr "Imposta un modello (pattern) per i comandi" #: nickserv.cpp:140 msgid "Please enter your nickserv password." msgstr "" +"Per favore inserisci la password che usi per identificarti attraverso " +"NickServ." #: nickserv.cpp:144 msgid "Auths you with NickServ (prefer SASL module instead)" msgstr "" +"Autorizza il tuo nick attraverso NickServ (anziché dal modulo SASL " +"(preferito))" diff --git a/modules/po/notes.it_IT.po b/modules/po/notes.it_IT.po index 1b14e9d2..c14b6d51 100644 --- a/modules/po/notes.it_IT.po +++ b/modules/po/notes.it_IT.po @@ -14,31 +14,31 @@ msgstr "" #: modules/po/../data/notes/tmpl/index.tmpl:7 msgid "Add A Note" -msgstr "" +msgstr "Aggiunge Una Nota" #: modules/po/../data/notes/tmpl/index.tmpl:11 msgid "Key:" -msgstr "" +msgstr "Parola chiave:" #: modules/po/../data/notes/tmpl/index.tmpl:15 msgid "Note:" -msgstr "" +msgstr "Nota:" #: modules/po/../data/notes/tmpl/index.tmpl:19 msgid "Add Note" -msgstr "" +msgstr "Aggiungi Nota" #: modules/po/../data/notes/tmpl/index.tmpl:27 msgid "You have no notes to display." -msgstr "" +msgstr "Non hai note da visualizzare." #: modules/po/../data/notes/tmpl/index.tmpl:34 notes.cpp:164 notes.cpp:169 msgid "Key" -msgstr "" +msgstr "Parola chiave" #: modules/po/../data/notes/tmpl/index.tmpl:35 notes.cpp:165 notes.cpp:170 msgid "Note" -msgstr "" +msgstr "Nota" #: modules/po/../data/notes/tmpl/index.tmpl:41 msgid "[del]" @@ -47,73 +47,78 @@ msgstr "" #: notes.cpp:32 msgid "That note already exists. Use MOD to overwrite." msgstr "" +"Questa nota esiste già. Usa MOD per sovrascrivere." #: notes.cpp:35 notes.cpp:137 msgid "Added note {1}" -msgstr "" +msgstr "Aggiunta la nota {1}" #: notes.cpp:37 notes.cpp:48 notes.cpp:142 msgid "Unable to add note {1}" -msgstr "" +msgstr "Impossibile aggiungere la nota {1}" #: notes.cpp:46 notes.cpp:139 msgid "Set note for {1}" -msgstr "" +msgstr "Imposta la nota per {1}" #: notes.cpp:56 msgid "This note doesn't exist." -msgstr "" +msgstr "Questa nota non esiste." #: notes.cpp:66 notes.cpp:116 msgid "Deleted note {1}" -msgstr "" +msgstr "Eliminata la nota {1}" #: notes.cpp:68 notes.cpp:118 msgid "Unable to delete note {1}" -msgstr "" +msgstr "Impossibile eliminare la nota {1}" #: notes.cpp:75 msgid "List notes" -msgstr "" +msgstr "Elenca le note inserite" #: notes.cpp:77 notes.cpp:81 msgid " " -msgstr "" +msgstr " " #: notes.cpp:77 msgid "Add a note" -msgstr "" +msgstr "Aggiunge una nota" #: notes.cpp:79 notes.cpp:83 msgid "" -msgstr "" +msgstr "" #: notes.cpp:79 msgid "Delete a note" -msgstr "" +msgstr "Elimina la nota" #: notes.cpp:81 msgid "Modify a note" -msgstr "" +msgstr "Modifica una nota" #: notes.cpp:94 msgid "Notes" -msgstr "" +msgstr "Note" #: notes.cpp:133 msgid "That note already exists. Use /#+ to overwrite." msgstr "" +"Questa nota esiste già. Usa /#+ per sovrascrivere." #: notes.cpp:185 notes.cpp:187 msgid "You have no entries." -msgstr "" +msgstr "Non hai voci." #: notes.cpp:223 msgid "" "This user module takes up to one arguments. It can be -disableNotesOnLogin " "not to show notes upon client login" msgstr "" +"Questo modulo utente accetta fino ad un argomento. Può essere disabilitato " +"con il comando -disableNotesOnLogin per non mostrare le note all'accesso del " +"client" #: notes.cpp:227 msgid "Keep and replay notes" -msgstr "" +msgstr "Conserva e riproduce le note" diff --git a/modules/po/notify_connect.it_IT.po b/modules/po/notify_connect.it_IT.po index 619e3b9b..867b3e03 100644 --- a/modules/po/notify_connect.it_IT.po +++ b/modules/po/notify_connect.it_IT.po @@ -14,16 +14,18 @@ msgstr "" #: notify_connect.cpp:24 msgid "attached" -msgstr "" +msgstr "attaccato" #: notify_connect.cpp:26 msgid "detached" -msgstr "" +msgstr "distaccato" #: notify_connect.cpp:41 msgid "{1} {2} from {3}" -msgstr "" +msgstr "{1} {2} da {3}" #: notify_connect.cpp:52 msgid "Notifies all admin users when a client connects or disconnects." msgstr "" +"Notifica a tutti gli utenti amministratori quando un client si connette o si " +"disconnette." diff --git a/modules/po/perform.it_IT.po b/modules/po/perform.it_IT.po index e2ed94d5..8d26c1c8 100644 --- a/modules/po/perform.it_IT.po +++ b/modules/po/perform.it_IT.po @@ -18,23 +18,23 @@ msgstr "" #: modules/po/../data/perform/tmpl/index.tmpl:11 msgid "Perform commands:" -msgstr "" +msgstr "Comandi Perform:" #: modules/po/../data/perform/tmpl/index.tmpl:15 msgid "Commands sent to the IRC server on connect, one per line." -msgstr "" +msgstr "Comandi inviati al server IRC durante la connessione, uno per linea." #: modules/po/../data/perform/tmpl/index.tmpl:18 msgid "Save" -msgstr "" +msgstr "Salva" #: perform.cpp:24 msgid "Usage: add " -msgstr "" +msgstr "Usa: add " #: perform.cpp:29 msgid "Added!" -msgstr "" +msgstr "Aggiunto!" #: perform.cpp:37 perform.cpp:82 msgid "Illegal # Requested" @@ -42,12 +42,12 @@ msgstr "" #: perform.cpp:41 msgid "Command Erased." -msgstr "" +msgstr "Comando cancellato." #: perform.cpp:50 perform.cpp:56 msgctxt "list" msgid "Id" -msgstr "" +msgstr "ID" #: perform.cpp:51 perform.cpp:57 msgctxt "list" @@ -57,52 +57,54 @@ msgstr "" #: perform.cpp:52 perform.cpp:62 msgctxt "list" msgid "Expanded" -msgstr "" +msgstr "Espanso" #: perform.cpp:67 msgid "No commands in your perform list." -msgstr "" +msgstr "Nessun comando nella tua lista dei Perform." #: perform.cpp:73 msgid "perform commands sent" -msgstr "" +msgstr "comandi perform inviati" #: perform.cpp:86 msgid "Commands Swapped." -msgstr "" +msgstr "Comandi scambiati." #: perform.cpp:95 msgid "" -msgstr "" +msgstr "" #: perform.cpp:96 msgid "Adds perform command to be sent to the server on connect" msgstr "" +"Aggiunge dei comandi (Perform) da inviare al server durante la connessione" #: perform.cpp:98 msgid "" -msgstr "" +msgstr "" #: perform.cpp:98 msgid "Delete a perform command" -msgstr "" +msgstr "Elimina i comandi Perform" #: perform.cpp:100 msgid "List the perform commands" -msgstr "" +msgstr "Elenco dei comandi Perform" #: perform.cpp:103 msgid "Send the perform commands to the server now" -msgstr "" +msgstr "Invia i comandi Perform al server adesso" #: perform.cpp:105 msgid " " -msgstr "" +msgstr " " #: perform.cpp:106 msgid "Swap two perform commands" -msgstr "" +msgstr "Scambia due comandi Perform" #: perform.cpp:192 msgid "Keeps a list of commands to be executed when ZNC connects to IRC." msgstr "" +"Mantiene una lista di comandi da eseguire quando lo ZNC si connette ad IRC." diff --git a/modules/po/perleval.it_IT.po b/modules/po/perleval.it_IT.po index 33ff6f37..889f5636 100644 --- a/modules/po/perleval.it_IT.po +++ b/modules/po/perleval.it_IT.po @@ -14,18 +14,18 @@ msgstr "" #: perleval.pm:23 msgid "Evaluates perl code" -msgstr "" +msgstr "Valuta il codice perl" #: perleval.pm:33 msgid "Only admin can load this module" -msgstr "" +msgstr "Solo gli amministrati possono caricare questo modulo" #: perleval.pm:44 #, perl-format msgid "Error: %s" -msgstr "" +msgstr "Errore: %s" #: perleval.pm:46 #, perl-format msgid "Result: %s" -msgstr "" +msgstr "Risultato: %s" diff --git a/modules/po/pyeval.it_IT.po b/modules/po/pyeval.it_IT.po index 66903418..123d96c3 100644 --- a/modules/po/pyeval.it_IT.po +++ b/modules/po/pyeval.it_IT.po @@ -14,8 +14,8 @@ msgstr "" #: pyeval.py:49 msgid "You must have admin privileges to load this module." -msgstr "" +msgstr "Devi avere i privilegi di amministratore per caricare questo modulo." #: pyeval.py:82 msgid "Evaluates python code" -msgstr "" +msgstr "Valuta il codice python" diff --git a/modules/po/raw.it_IT.po b/modules/po/raw.it_IT.po index b3c8fd16..c11a7650 100644 --- a/modules/po/raw.it_IT.po +++ b/modules/po/raw.it_IT.po @@ -14,4 +14,4 @@ msgstr "" #: raw.cpp:43 msgid "View all of the raw traffic" -msgstr "" +msgstr "Visualizza tutto il traffico raw" diff --git a/modules/po/route_replies.it_IT.po b/modules/po/route_replies.it_IT.po index 7f329d77..e0f96d6b 100644 --- a/modules/po/route_replies.it_IT.po +++ b/modules/po/route_replies.it_IT.po @@ -14,46 +14,50 @@ msgstr "" #: route_replies.cpp:209 msgid "[yes|no]" -msgstr "" +msgstr "[si|no]" #: route_replies.cpp:210 msgid "Decides whether to show the timeout messages or not" -msgstr "" +msgstr "Decide se mostrare o meno i messaggi di timeout" #: route_replies.cpp:350 msgid "This module hit a timeout which is probably a connectivity issue." msgstr "" +"Questo modulo ha riscontrato un timeout che probabilmente è un problema di " +"connettività." #: route_replies.cpp:353 msgid "" "However, if you can provide steps to reproduce this issue, please do report " "a bug." msgstr "" +"Tuttavia, se puoi fornire i passaggi per riprodurre questo problema, segnala " +"un bug." #: route_replies.cpp:356 msgid "To disable this message, do \"/msg {1} silent yes\"" -msgstr "" +msgstr "Per disabilitare questo messaggio, digita \"/msg {1} silent yes\"" #: route_replies.cpp:358 msgid "Last request: {1}" -msgstr "" +msgstr "Ultima richiesta: {1}" #: route_replies.cpp:359 msgid "Expected replies:" -msgstr "" +msgstr "Risposte attese:" #: route_replies.cpp:363 msgid "{1} (last)" -msgstr "" +msgstr "{1} (ultimo)" #: route_replies.cpp:435 msgid "Timeout messages are disabled." -msgstr "" +msgstr "I messaggi di timeout sono disabilitati." #: route_replies.cpp:436 msgid "Timeout messages are enabled." -msgstr "" +msgstr "I messaggi di timeout sono abilitati." #: route_replies.cpp:457 msgid "Send replies (e.g. to /who) to the right client only" -msgstr "" +msgstr "Invia le risposte (come ad esempio /who) solamente al cliente giusto" diff --git a/modules/po/sample.it_IT.po b/modules/po/sample.it_IT.po index 69a1e843..002d2b60 100644 --- a/modules/po/sample.it_IT.po +++ b/modules/po/sample.it_IT.po @@ -14,15 +14,15 @@ msgstr "" #: sample.cpp:31 msgid "Sample job cancelled" -msgstr "" +msgstr "Campione di lavoro annullato" #: sample.cpp:33 msgid "Sample job destroyed" -msgstr "" +msgstr "Campione di lavoro distrutto" #: sample.cpp:50 msgid "Sample job done" -msgstr "" +msgstr "Campione di lavoto fatto" #: sample.cpp:65 msgid "TEST!!!!" @@ -30,90 +30,90 @@ msgstr "" #: sample.cpp:74 msgid "I'm being loaded with the arguments: {1}" -msgstr "" +msgstr "Mi stanno caricando gli argomenti: {1}" #: sample.cpp:85 msgid "I'm being unloaded!" -msgstr "" +msgstr "Mi stanno scaricando! (unloaded)" #: sample.cpp:94 msgid "You got connected BoyOh." -msgstr "" +msgstr "Ti sei connesso BoyOh." #: sample.cpp:98 msgid "You got disconnected BoyOh." -msgstr "" +msgstr "Ti sei disconnesso BoyOh." #: sample.cpp:116 msgid "{1} {2} set mode on {3} {4}{5} {6}" -msgstr "" +msgstr "{1} {2} imposta i mode su {3} {4}{5} {6}" #: sample.cpp:123 msgid "{1} {2} opped {3} on {4}" -msgstr "" +msgstr "{1} {2} assegna lo stato di op a {3} su {4}" #: sample.cpp:129 msgid "{1} {2} deopped {3} on {4}" -msgstr "" +msgstr "{1} {2} rimuove lo stato di op a {3} su {4}" #: sample.cpp:135 msgid "{1} {2} voiced {3} on {4}" -msgstr "" +msgstr "{1} {2} assegna lo stato di voice a {3} su {4}" #: sample.cpp:141 msgid "{1} {2} devoiced {3} on {4}" -msgstr "" +msgstr "{1} {2} rimuove lo stato di voice a {3} su {4}" #: sample.cpp:147 msgid "* {1} sets mode: {2} {3} on {4}" -msgstr "" +msgstr "* {1} imposta i mode: {2} {3} su {4}" #: sample.cpp:163 msgid "{1} kicked {2} from {3} with the msg {4}" -msgstr "" +msgstr "{1} kicked {2} da {3} con il messaggio {4}" #: sample.cpp:169 msgid "* {1} ({2}@{3}) quits ({4}) from channel: {6}" msgid_plural "* {1} ({2}@{3}) quits ({4}) from {5} channels: {6}" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "* {1} ({2}@{3}) quits ({4}) dal canale: {6}" +msgstr[1] "* {1} ({2}@{3}) quits ({4}) da {5} canali: {6}" #: sample.cpp:177 msgid "Attempting to join {1}" -msgstr "" +msgstr "Tentando di entrare {1}" #: sample.cpp:182 msgid "* {1} ({2}@{3}) joins {4}" -msgstr "" +msgstr "* {1} ({2}@{3}) entra {4}" #: sample.cpp:189 msgid "* {1} ({2}@{3}) parts {4}" -msgstr "" +msgstr "* {1} ({2}@{3}) lascia {4}" #: sample.cpp:196 msgid "{1} invited us to {2}, ignoring invites to {2}" -msgstr "" +msgstr "{1} ti ha invitato su {2}, ignorando gli inviti su {2}" #: sample.cpp:201 msgid "{1} invited us to {2}" -msgstr "" +msgstr "{1} ti ha invitato su {2}" #: sample.cpp:207 msgid "{1} is now known as {2}" -msgstr "" +msgstr "{1} è ora conosciuto come {2}" #: sample.cpp:269 sample.cpp:276 msgid "{1} changes topic on {2} to {3}" -msgstr "" +msgstr "{1} cambia topic su {2} in {3}" #: sample.cpp:317 msgid "Hi, I'm your friendly sample module." -msgstr "" +msgstr "Ciao, sono il tuo amichevole modulo campione." #: sample.cpp:330 msgid "Description of module arguments goes here." -msgstr "" +msgstr "La descrizione degli argomenti del modulo va qui." #: sample.cpp:333 msgid "To be used as a sample for writing modules" -msgstr "" +msgstr "Da utilizzare come campione per la scrittura di moduli" diff --git a/modules/po/samplewebapi.it_IT.po b/modules/po/samplewebapi.it_IT.po index 0f069a0b..30d73964 100644 --- a/modules/po/samplewebapi.it_IT.po +++ b/modules/po/samplewebapi.it_IT.po @@ -14,4 +14,4 @@ msgstr "" #: samplewebapi.cpp:59 msgid "Sample Web API module." -msgstr "" +msgstr "Modulo campione delle Web API." diff --git a/modules/po/sasl.it_IT.po b/modules/po/sasl.it_IT.po index 5f6d2bce..f324c131 100644 --- a/modules/po/sasl.it_IT.po +++ b/modules/po/sasl.it_IT.po @@ -22,7 +22,7 @@ msgstr "" #: modules/po/../data/sasl/tmpl/index.tmpl:13 msgid "Please enter a username." -msgstr "" +msgstr "Per favore inserisci un username." #: modules/po/../data/sasl/tmpl/index.tmpl:16 msgid "Password:" @@ -30,145 +30,152 @@ msgstr "" #: modules/po/../data/sasl/tmpl/index.tmpl:18 msgid "Please enter a password." -msgstr "" +msgstr "Per favore inserisci una password." #: modules/po/../data/sasl/tmpl/index.tmpl:22 msgid "Options" -msgstr "" +msgstr "Opzioni" #: modules/po/../data/sasl/tmpl/index.tmpl:25 msgid "Connect only if SASL authentication succeeds." -msgstr "" +msgstr "Connette solo se l'autenticazione SASL ha esito positivo." #: modules/po/../data/sasl/tmpl/index.tmpl:27 msgid "Require authentication" -msgstr "" +msgstr "Richiede l'autenticazione" #: modules/po/../data/sasl/tmpl/index.tmpl:35 msgid "Mechanisms" -msgstr "" +msgstr "Meccanismi" #: modules/po/../data/sasl/tmpl/index.tmpl:42 msgid "Name" -msgstr "" +msgstr "Nome" #: modules/po/../data/sasl/tmpl/index.tmpl:43 sasl.cpp:89 sasl.cpp:94 msgid "Description" -msgstr "" +msgstr "Descrizione" #: modules/po/../data/sasl/tmpl/index.tmpl:57 msgid "Selected mechanisms and their order:" -msgstr "" +msgstr "Meccanismi selezionati ed il loro ordine:" #: modules/po/../data/sasl/tmpl/index.tmpl:74 msgid "Save" -msgstr "" +msgstr "Salva" #: sasl.cpp:54 msgid "TLS certificate, for use with the *cert module" -msgstr "" +msgstr "Certificato TLS, da utilizzare con il modulo *cert" #: sasl.cpp:56 msgid "" "Plain text negotiation, this should work always if the network supports SASL" msgstr "" +"La negoziazione del testo semplice, dovrebbe funzionare sempre se il network " +"supporta SASL" #: sasl.cpp:62 msgid "search" -msgstr "" +msgstr "ricerca" #: sasl.cpp:62 msgid "Generate this output" -msgstr "" +msgstr "Genera questo output" #: sasl.cpp:64 msgid "[ []]" -msgstr "" +msgstr "[ []]" #: sasl.cpp:65 msgid "" "Set username and password for the mechanisms that need them. Password is " "optional. Without parameters, returns information about current settings." msgstr "" +"Imposta username e password per i meccanismi che ne hanno bisogno. La " +"password è facoltativa. Senza parametri, restituisce informazioni sulle " +"impostazioni correnti." #: sasl.cpp:69 msgid "[mechanism[ ...]]" -msgstr "" +msgstr "[meccanismo[ ...]]" #: sasl.cpp:70 msgid "Set the mechanisms to be attempted (in order)" -msgstr "" +msgstr "Imposta i meccanismi da tentare (in ordine)" #: sasl.cpp:72 msgid "[yes|no]" -msgstr "" +msgstr "[si|no]" #: sasl.cpp:73 msgid "Don't connect unless SASL authentication succeeds" -msgstr "" +msgstr "Non connettersi a meno che l'autenticazione SASL non abbia successo" #: sasl.cpp:88 sasl.cpp:93 msgid "Mechanism" -msgstr "" +msgstr "Meccanismo" #: sasl.cpp:97 msgid "The following mechanisms are available:" -msgstr "" +msgstr "Sono disponibili i seguenti meccanismi:" #: sasl.cpp:107 msgid "Username is currently not set" -msgstr "" +msgstr "L'username non è attualmente impostato" #: sasl.cpp:109 msgid "Username is currently set to '{1}'" -msgstr "" +msgstr "L'username è attualmente impostato a '{1}'" #: sasl.cpp:112 msgid "Password was not supplied" -msgstr "" +msgstr "La password non è stata fornita" #: sasl.cpp:114 msgid "Password was supplied" -msgstr "" +msgstr "La password è stata fornita" #: sasl.cpp:122 msgid "Username has been set to [{1}]" -msgstr "" +msgstr "L'username è stato impostato a [{1}]" #: sasl.cpp:123 msgid "Password has been set to [{1}]" -msgstr "" +msgstr "La password è stata impostata a [{1}]" #: sasl.cpp:143 msgid "Current mechanisms set: {1}" -msgstr "" +msgstr "Meccanismi correnti impostati: {1}" #: sasl.cpp:152 msgid "We require SASL negotiation to connect" -msgstr "" +msgstr "Noi richiediamo la negoziazione SASL per connettersi" #: sasl.cpp:154 msgid "We will connect even if SASL fails" -msgstr "" +msgstr "Ci collegheremo anche se SASL fallisce" #: sasl.cpp:191 msgid "Disabling network, we require authentication." -msgstr "" +msgstr "Disabilitando il network, è rischiesta l'autenticazione." #: sasl.cpp:192 msgid "Use 'RequireAuth no' to disable." -msgstr "" +msgstr "Usa 'RequireAuth no' per disabilitare." #: sasl.cpp:245 msgid "{1} mechanism succeeded." -msgstr "" +msgstr "{1} meccanismo riuscito." #: sasl.cpp:257 msgid "{1} mechanism failed." -msgstr "" +msgstr "{1} meccanismo fallito." #: sasl.cpp:335 msgid "" "Adds support for sasl authentication capability to authenticate to an IRC " "server" msgstr "" +"Aggiunge il supporto per la funzionalità di autenticazione sasl per " +"l'autenticazione al server IRC" diff --git a/modules/po/savebuff.it_IT.po b/modules/po/savebuff.it_IT.po index 65f4fed9..1fde666e 100644 --- a/modules/po/savebuff.it_IT.po +++ b/modules/po/savebuff.it_IT.po @@ -18,7 +18,7 @@ msgstr "" #: savebuff.cpp:65 msgid "Sets the password" -msgstr "" +msgstr "Imposta la password" #: savebuff.cpp:67 msgid "" @@ -26,11 +26,11 @@ msgstr "" #: savebuff.cpp:67 msgid "Replays the buffer" -msgstr "" +msgstr "Riproduce il buffer" #: savebuff.cpp:69 msgid "Saves all buffers" -msgstr "" +msgstr "Salva tutti i buffers" #: savebuff.cpp:221 msgid "" @@ -38,25 +38,31 @@ msgid "" "the appropriate pass and things should start working, or setpass to a new " "pass and save to reinstantiate" msgstr "" +"La password non è impostata, generalmente significa che la decrittografia " +"non è riuscita. È possibile impostare setpass sul passaggio appropriato e le " +"cose dovrebbero iniziare a funzionare, oppure setpass su un nuovo passaggio " +"e salvare per instanziare" #: savebuff.cpp:232 msgid "Password set to [{1}]" -msgstr "" +msgstr "Password impostata a [{1}]" #: savebuff.cpp:262 msgid "Replayed {1}" -msgstr "" +msgstr "Ripetizione {1}" #: savebuff.cpp:341 msgid "Unable to decode Encrypted file {1}" -msgstr "" +msgstr "Impossibile decodificare il file critografato {1}" #: savebuff.cpp:358 msgid "" "This user module takes up to one arguments. Either --ask-pass or the " "password itself (which may contain spaces) or nothing" msgstr "" +"Questo modulo utente accetta fino a un argomento. --ask-pass o la password " +"stessa (che può contenere spazi) o nulla" #: savebuff.cpp:363 msgid "Stores channel and query buffers to disk, encrypted" -msgstr "" +msgstr "Memorizza i buffer dei canali e delle query su disco, crittografati" diff --git a/modules/po/send_raw.it_IT.po b/modules/po/send_raw.it_IT.po index 2475857b..73454146 100644 --- a/modules/po/send_raw.it_IT.po +++ b/modules/po/send_raw.it_IT.po @@ -14,96 +14,99 @@ msgstr "" #: modules/po/../data/send_raw/tmpl/index.tmpl:9 msgid "Send a raw IRC line" -msgstr "" +msgstr "Inviare una linea raw IRC" #: modules/po/../data/send_raw/tmpl/index.tmpl:14 msgid "User:" -msgstr "" +msgstr "Utente:" #: modules/po/../data/send_raw/tmpl/index.tmpl:15 msgid "To change user, click to Network selector" -msgstr "" +msgstr "Per cambiare utente, fai clic su selettore del Network" #: modules/po/../data/send_raw/tmpl/index.tmpl:19 msgid "User/Network:" -msgstr "" +msgstr "Utente/Network:" #: modules/po/../data/send_raw/tmpl/index.tmpl:32 msgid "Send to:" -msgstr "" +msgstr "Inviare a:" #: modules/po/../data/send_raw/tmpl/index.tmpl:34 msgid "Client" -msgstr "" +msgstr "Client" #: modules/po/../data/send_raw/tmpl/index.tmpl:35 msgid "Server" -msgstr "" +msgstr "Server" #: modules/po/../data/send_raw/tmpl/index.tmpl:40 msgid "Line:" -msgstr "" +msgstr "Linea:" #: modules/po/../data/send_raw/tmpl/index.tmpl:45 msgid "Send" -msgstr "" +msgstr "Inviare" #: send_raw.cpp:32 msgid "Sent [{1}] to {2}/{3}" -msgstr "" +msgstr "Inviato [{1}] a {2}/{3}" #: send_raw.cpp:36 send_raw.cpp:56 msgid "Network {1} not found for user {2}" -msgstr "" +msgstr "Il Network {1} non è stato trovato per l'utente {2}" #: send_raw.cpp:40 send_raw.cpp:60 msgid "User {1} not found" -msgstr "" +msgstr "L'utente {1} non è stato trovato" #: send_raw.cpp:52 msgid "Sent [{1}] to IRC server of {2}/{3}" -msgstr "" +msgstr "Inviato [{1}] al server IRC di {2}/{3}" #: send_raw.cpp:75 msgid "You must have admin privileges to load this module" msgstr "" +"È necessario disporre dei privilegi di amministratore per caricare questo " +"modulo" #: send_raw.cpp:82 msgid "Send Raw" -msgstr "" +msgstr "Inviare Raw" #: send_raw.cpp:92 msgid "User not found" -msgstr "" +msgstr "L'utente non è stato trovato" #: send_raw.cpp:99 msgid "Network not found" -msgstr "" +msgstr "Network non trovato" #: send_raw.cpp:116 msgid "Line sent" -msgstr "" +msgstr "Linea inviata" #: send_raw.cpp:140 send_raw.cpp:143 msgid "[user] [network] [data to send]" -msgstr "" +msgstr "[utente] [network] [dati da inviare]" #: send_raw.cpp:141 msgid "The data will be sent to the user's IRC client(s)" -msgstr "" +msgstr "I dati verranno inviati ai client IRC dell'utente" #: send_raw.cpp:144 msgid "The data will be sent to the IRC server the user is connected to" -msgstr "" +msgstr "I dati verranno inviati al server IRC a cui l'utente è connesso" #: send_raw.cpp:147 msgid "[data to send]" -msgstr "" +msgstr "[dati da inviare]" #: send_raw.cpp:148 msgid "The data will be sent to your current client" -msgstr "" +msgstr "I dati verranno inviati al tuo attuale client" #: send_raw.cpp:159 msgid "Lets you send some raw IRC lines as/to someone else" msgstr "" +"Consente di inviare alcune righe IRC non elaborate come/a qualcun altro" diff --git a/modules/po/shell.it_IT.po b/modules/po/shell.it_IT.po index 543ebae2..da33a3c5 100644 --- a/modules/po/shell.it_IT.po +++ b/modules/po/shell.it_IT.po @@ -14,16 +14,18 @@ msgstr "" #: shell.cpp:37 msgid "Failed to execute: {1}" -msgstr "" +msgstr "Impossibile eseguire: {1}" #: shell.cpp:75 msgid "You must be admin to use the shell module" -msgstr "" +msgstr "Devi essere amministratore per usare il modulo shell" #: shell.cpp:169 msgid "Gives shell access" -msgstr "" +msgstr "Fornisce accesso alla shell" #: shell.cpp:172 msgid "Gives shell access. Only ZNC admins can use it." msgstr "" +"Fornisce accesso alla shell. Solo gli amministratori dello ZNC possono " +"usarlo." diff --git a/modules/po/simple_away.it_IT.po b/modules/po/simple_away.it_IT.po index b4b7a8d0..a73bd21a 100644 --- a/modules/po/simple_away.it_IT.po +++ b/modules/po/simple_away.it_IT.po @@ -14,7 +14,7 @@ msgstr "" #: simple_away.cpp:56 msgid "[]" -msgstr "" +msgstr "[]" #: simple_away.cpp:57 #, c-format @@ -22,71 +22,77 @@ msgid "" "Prints or sets the away reason (%awaytime% is replaced with the time you " "were set away, supports substitutions using ExpandString)" msgstr "" +"Mostra o imposta il motivo dell'away (% awaytime% viene sostituito con il " +"tempo impostato, supporta le sostituzioni utilizzando ExpandString)" #: simple_away.cpp:63 msgid "Prints the current time to wait before setting you away" -msgstr "" +msgstr "Mostra il tempo d'attesa attuale prima di passare all'away" #: simple_away.cpp:65 msgid "" -msgstr "" +msgstr "" #: simple_away.cpp:66 msgid "Sets the time to wait before setting you away" -msgstr "" +msgstr "Imposta il tempo d'attesa prima di passare all'away" #: simple_away.cpp:69 msgid "Disables the wait time before setting you away" -msgstr "" +msgstr "Disabilita il tempo di attesa prima di impostare l'away" #: simple_away.cpp:73 msgid "Get or set the minimum number of clients before going away" -msgstr "" +msgstr "Ottieni o imposta il numero minimo di client prima di andare away" #: simple_away.cpp:136 msgid "Away reason set" -msgstr "" +msgstr "Imposta il motivo dell'assenza (away)" #: simple_away.cpp:138 msgid "Away reason: {1}" -msgstr "" +msgstr "Motivo dell'away: {1}" #: simple_away.cpp:139 msgid "Current away reason would be: {1}" -msgstr "" +msgstr "Il motivo dell'assenza (away) attuale sarebbe: {1}" #: simple_away.cpp:144 msgid "Current timer setting: 1 second" msgid_plural "Current timer setting: {1} seconds" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "Impostazione del timer corrente: 1 secondo" +msgstr[1] "Impostazione del timer corrente: {1} secondi" #: simple_away.cpp:153 simple_away.cpp:161 msgid "Timer disabled" -msgstr "" +msgstr "Timer disabilitato" #: simple_away.cpp:155 msgid "Timer set to 1 second" msgid_plural "Timer set to: {1} seconds" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "Timer impostato a 1 secondo" +msgstr[1] "Timer impostato a: {1} secondi" #: simple_away.cpp:166 msgid "Current MinClients setting: {1}" -msgstr "" +msgstr "Impostazione corrente di MinClients: {1}" #: simple_away.cpp:169 msgid "MinClients set to {1}" -msgstr "" +msgstr "MinClients impostato a {1}" #: simple_away.cpp:248 msgid "" "You might enter up to 3 arguments, like -notimer awaymessage or -timer 5 " "awaymessage." msgstr "" +"Puoi inserire fino a 3 argomenti, come -notimer awaymessage o -timer 5 " +"awaymessage." #: simple_away.cpp:253 msgid "" "This module will automatically set you away on IRC while you are " "disconnected from the bouncer." msgstr "" +"Questo modulo imposterà automaticamente l'away su IRC mentre sei disconnesso " +"dallo ZNC." diff --git a/modules/po/stickychan.it_IT.po b/modules/po/stickychan.it_IT.po index 37e85900..da0b8adf 100644 --- a/modules/po/stickychan.it_IT.po +++ b/modules/po/stickychan.it_IT.po @@ -14,89 +14,92 @@ msgstr "" #: modules/po/../data/stickychan/tmpl/index.tmpl:9 msgid "Name" -msgstr "" +msgstr "Nome" #: modules/po/../data/stickychan/tmpl/index.tmpl:10 msgid "Sticky" -msgstr "" +msgstr "Appiccicoso" #: modules/po/../data/stickychan/tmpl/index.tmpl:25 msgid "Save" -msgstr "" +msgstr "Salva" #: modules/po/../data/stickychan/tmpl/stickychan_WebadminChan.tmpl:8 msgid "Channel is sticky" -msgstr "" +msgstr "Canale è appiccicoso (sticky)" #: stickychan.cpp:28 msgid "<#channel> [key]" -msgstr "" +msgstr "<#canale> [chiave]" #: stickychan.cpp:28 msgid "Sticks a channel" -msgstr "" +msgstr "Attacca/Aggancia/Appiccica un canale" #: stickychan.cpp:30 msgid "<#channel>" -msgstr "" +msgstr "<#canale>" #: stickychan.cpp:30 msgid "Unsticks a channel" -msgstr "" +msgstr "Scolla un canale (Unsticks)" #: stickychan.cpp:32 msgid "Lists sticky channels" -msgstr "" +msgstr "Elenco dei canali appiccicosi (sticky)" #: stickychan.cpp:75 msgid "Usage: Stick <#channel> [key]" -msgstr "" +msgstr "Usa: Stick <#canale> [chiave]" #: stickychan.cpp:79 msgid "Stuck {1}" -msgstr "" +msgstr "Appiccicato {1}" #: stickychan.cpp:85 msgid "Usage: Unstick <#channel>" -msgstr "" +msgstr "Usa: Unstick <#canale>" #: stickychan.cpp:89 msgid "Unstuck {1}" -msgstr "" +msgstr "Scollato {1}" #: stickychan.cpp:101 msgid " -- End of List" -msgstr "" +msgstr " -- Fine della lista" #: stickychan.cpp:115 msgid "Could not join {1} (# prefix missing?)" -msgstr "" +msgstr "Impossibile entrare in {1} (# prefisso mancante?)" #: stickychan.cpp:128 msgid "Sticky Channels" -msgstr "" +msgstr "Canali appiccicosi" #: stickychan.cpp:160 msgid "Changes have been saved!" -msgstr "" +msgstr "I cambiamenti sono stati salvati!" #: stickychan.cpp:185 msgid "Channel became sticky!" -msgstr "" +msgstr "Il canale è diventato appiccicoso! (sticky)" #: stickychan.cpp:189 msgid "Channel stopped being sticky!" -msgstr "" +msgstr "Il canale ha smesso di essere appiccicoso (sticky)!" #: stickychan.cpp:209 msgid "" "Channel {1} cannot be joined, it is an illegal channel name. Unsticking." msgstr "" +"Impossibile entrare nel canale {1}, non è un nome di canale valido ed è " +"stato scollegato (Unsticking)." #: stickychan.cpp:246 msgid "List of channels, separated by comma." -msgstr "" +msgstr "Elenco dei canali, separati dalla virgola." #: stickychan.cpp:251 msgid "configless sticky chans, keeps you there very stickily even" msgstr "" +"configura i canali meno appiccicosi, ti mantiene lì molto appiccicosamente" diff --git a/modules/po/stripcontrols.it_IT.po b/modules/po/stripcontrols.it_IT.po index 68c3a9f3..6c92e84b 100644 --- a/modules/po/stripcontrols.it_IT.po +++ b/modules/po/stripcontrols.it_IT.po @@ -16,3 +16,5 @@ msgstr "" msgid "" "Strips control codes (Colors, Bold, ..) from channel and private messages." msgstr "" +"Elimina i codici di controllo (Colori, Grassetto, ..) dal canale e dai " +"messaggi privati." diff --git a/modules/po/watch.it_IT.po b/modules/po/watch.it_IT.po index fa30e669..b1e69809 100644 --- a/modules/po/watch.it_IT.po +++ b/modules/po/watch.it_IT.po @@ -14,59 +14,59 @@ msgstr "" #: watch.cpp:334 msgid "All entries cleared." -msgstr "" +msgstr "Tutte le voci cancellate." #: watch.cpp:344 msgid "Buffer count is set to {1}" -msgstr "" +msgstr "Buffer count è impostato a {1}" #: watch.cpp:348 msgid "Unknown command: {1}" -msgstr "" +msgstr "Comando sconosciuto: {1}" #: watch.cpp:397 msgid "Disabled all entries." -msgstr "" +msgstr "Disabilitate tutte le voci" #: watch.cpp:398 msgid "Enabled all entries." -msgstr "" +msgstr "Abilitate tutte le voci" #: watch.cpp:405 watch.cpp:437 watch.cpp:470 watch.cpp:570 watch.cpp:585 msgid "Invalid Id" -msgstr "" +msgstr "Id non valido" #: watch.cpp:414 msgid "Id {1} disabled" -msgstr "" +msgstr "Id {1} disabilitato" #: watch.cpp:416 msgid "Id {1} enabled" -msgstr "" +msgstr "Id {1} abilitato" #: watch.cpp:428 msgid "Set DetachedClientOnly for all entries to Yes" -msgstr "" +msgstr "Imposta il DetachedClientOnly per tutte le voci su Sì" #: watch.cpp:430 msgid "Set DetachedClientOnly for all entries to No" -msgstr "" +msgstr "Imposta il DetachedClientOnly per tutte le voci su No" #: watch.cpp:446 watch.cpp:479 msgid "Id {1} set to Yes" -msgstr "" +msgstr "Id {1} impostato a Si" #: watch.cpp:448 watch.cpp:481 msgid "Id {1} set to No" -msgstr "" +msgstr "Id {1} impostato a No" #: watch.cpp:461 msgid "Set DetachedChannelOnly for all entries to Yes" -msgstr "" +msgstr "Imposta il DetachedChannelOnly per tutte le voci su Yes" #: watch.cpp:463 msgid "Set DetachedChannelOnly for all entries to No" -msgstr "" +msgstr "Imposta il DetachedChannelOnly per teutte le voci a No" #: watch.cpp:487 watch.cpp:503 msgid "Id" @@ -82,11 +82,11 @@ msgstr "" #: watch.cpp:490 watch.cpp:506 msgid "Pattern" -msgstr "" +msgstr "Modello" #: watch.cpp:491 watch.cpp:507 msgid "Sources" -msgstr "" +msgstr "Sorgenti" #: watch.cpp:492 watch.cpp:508 watch.cpp:509 msgid "Off" @@ -102,7 +102,7 @@ msgstr "" #: watch.cpp:512 watch.cpp:515 msgid "Yes" -msgstr "" +msgstr "Si" #: watch.cpp:512 watch.cpp:515 msgid "No" @@ -110,83 +110,83 @@ msgstr "" #: watch.cpp:521 watch.cpp:527 msgid "You have no entries." -msgstr "" +msgstr "Non hai voci" #: watch.cpp:578 msgid "Sources set for Id {1}." -msgstr "" +msgstr "Sorgenti impostate per Id {1}." #: watch.cpp:593 msgid "Id {1} removed." -msgstr "" +msgstr "Id {1} rimosso." #: watch.cpp:600 watch.cpp:604 watch.cpp:609 watch.cpp:614 watch.cpp:620 #: watch.cpp:625 watch.cpp:629 watch.cpp:633 watch.cpp:638 watch.cpp:645 #: watch.cpp:652 watch.cpp:658 watch.cpp:664 msgid "Command" -msgstr "" +msgstr "Comando" #: watch.cpp:601 watch.cpp:605 watch.cpp:610 watch.cpp:616 watch.cpp:621 #: watch.cpp:626 watch.cpp:630 watch.cpp:634 watch.cpp:641 watch.cpp:648 #: watch.cpp:654 watch.cpp:660 watch.cpp:665 msgid "Description" -msgstr "" +msgstr "Descrizione" #: watch.cpp:604 msgid "Add [Target] [Pattern]" -msgstr "" +msgstr "Add [Target] [Modello]" #: watch.cpp:606 msgid "Used to add an entry to watch for." -msgstr "" +msgstr "Utilizzato per aggiungere una voce da tenere d'occhio." #: watch.cpp:609 msgid "List" -msgstr "" +msgstr "Lista" #: watch.cpp:611 msgid "List all entries being watched." -msgstr "" +msgstr "Elenca tutte le voci che si stanno guardando" #: watch.cpp:614 msgid "Dump" -msgstr "" +msgstr "Scarica" #: watch.cpp:617 msgid "Dump a list of all current entries to be used later." -msgstr "" +msgstr "Scarica un elenco di tutte le voci correnti da utilizzare in seguito." #: watch.cpp:620 msgid "Del " -msgstr "" +msgstr "Elimina " #: watch.cpp:622 msgid "Deletes Id from the list of watched entries." -msgstr "" +msgstr "Elimina l'ID dall'elenco delle voci osservate." #: watch.cpp:625 msgid "Clear" -msgstr "" +msgstr "Cancella" #: watch.cpp:626 msgid "Delete all entries." -msgstr "" +msgstr "Elimina tutte le voci." #: watch.cpp:629 msgid "Enable " -msgstr "" +msgstr "Abilita " #: watch.cpp:630 msgid "Enable a disabled entry." -msgstr "" +msgstr "Abilita una voce disabilitata" #: watch.cpp:633 msgid "Disable " -msgstr "" +msgstr "Disabilita " #: watch.cpp:635 msgid "Disable (but don't delete) an entry." -msgstr "" +msgstr "Disabilita (ma non elimina) una voce." #: watch.cpp:639 msgid "SetDetachedClientOnly " @@ -194,7 +194,7 @@ msgstr "" #: watch.cpp:642 msgid "Enable or disable detached client only for an entry." -msgstr "" +msgstr "Abilita o disabilita il client separato (detached) solo per una voce." #: watch.cpp:646 msgid "SetDetachedChannelOnly " @@ -202,7 +202,7 @@ msgstr "" #: watch.cpp:649 msgid "Enable or disable detached channel only for an entry." -msgstr "" +msgstr "Abilita o disabilita il canale separato (detached) solo per una voce." #: watch.cpp:652 msgid "Buffer [Count]" @@ -211,39 +211,41 @@ msgstr "" #: watch.cpp:655 msgid "Show/Set the amount of buffered lines while detached." msgstr "" +"Mostra/Imposta la quantità di linee bufferizzate mentre è " +"distaccata(detached)." #: watch.cpp:659 msgid "SetSources [#chan priv #foo* !#bar]" -msgstr "" +msgstr "SetSources [#canale priv #foo* !#bar]" #: watch.cpp:661 msgid "Set the source channels that you care about." -msgstr "" +msgstr "Imposta i canali sorgente che ti interessano." #: watch.cpp:664 msgid "Help" -msgstr "" +msgstr "Aiuto" #: watch.cpp:665 msgid "This help." -msgstr "" +msgstr "Questo aiuto." #: watch.cpp:681 msgid "Entry for {1} already exists." -msgstr "" +msgstr "La voce per {1} esiste già." #: watch.cpp:689 msgid "Adding entry: {1} watching for [{2}] -> {3}" -msgstr "" +msgstr "Aggiunta voce: {1} in cerca di [{2}] -> {3}" #: watch.cpp:695 msgid "Watch: Not enough arguments. Try Help" -msgstr "" +msgstr "Guarda: argomenti insufficienti. Prova aiuto" #: watch.cpp:764 msgid "WARNING: malformed entry found while loading" -msgstr "" +msgstr "ATTENZIONE: rilevata immissione errata durante il caricamento" #: watch.cpp:778 msgid "Copy activity from a specific user into a separate window" -msgstr "" +msgstr "Copia l'attività di uno specifico utente in una finestra separata" From 0e5dee55e6dbb030e61dbec70b9836b2b3149be2 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Fri, 26 Jul 2019 00:27:12 +0000 Subject: [PATCH 292/798] Update translations from Crowdin for it_IT --- modules/po/autocycle.it_IT.po | 27 +- modules/po/certauth.it_IT.po | 6 +- modules/po/ctcpflood.it_IT.po | 2 +- modules/po/identfile.it_IT.po | 2 +- modules/po/lastseen.it_IT.po | 4 +- modules/po/log.it_IT.po | 2 +- modules/po/nickserv.it_IT.po | 6 +- modules/po/notes.it_IT.po | 2 +- modules/po/perform.it_IT.po | 6 +- modules/po/sample.it_IT.po | 2 +- modules/po/sasl.it_IT.po | 6 +- modules/po/savebuff.it_IT.po | 4 +- modules/po/watch.it_IT.po | 20 +- modules/po/webadmin.it_IT.po | 538 ++++++++++++++++++++-------------- 14 files changed, 364 insertions(+), 263 deletions(-) diff --git a/modules/po/autocycle.it_IT.po b/modules/po/autocycle.it_IT.po index 00a7b106..35308619 100644 --- a/modules/po/autocycle.it_IT.po +++ b/modules/po/autocycle.it_IT.po @@ -14,56 +14,61 @@ msgstr "" #: autocycle.cpp:27 autocycle.cpp:30 msgid "[!]<#chan>" -msgstr "" +msgstr "[!]<#canale>" #: autocycle.cpp:28 msgid "Add an entry, use !#chan to negate and * for wildcards" msgstr "" +"Aggiunge una voce, usa !#canale per negare e * per i caratteri jolly " +"(wildcards)" #: autocycle.cpp:31 msgid "Remove an entry, needs to be an exact match" -msgstr "" +msgstr "Rimuove una voce, deve essere una corrispondenza esatta" #: autocycle.cpp:33 msgid "List all entries" -msgstr "" +msgstr "Elenca tutte le voci inserite" #: autocycle.cpp:46 msgid "Unable to add {1}" -msgstr "" +msgstr "Impossibile aggiungere {1}" #: autocycle.cpp:66 msgid "{1} is already added" -msgstr "" +msgstr "{1} è già aggiunto" #: autocycle.cpp:68 msgid "Added {1} to list" -msgstr "" +msgstr "Aggiunto {1} alla lista" #: autocycle.cpp:70 msgid "Usage: Add [!]<#chan>" -msgstr "" +msgstr "Usa: Add [!]<#canale>" #: autocycle.cpp:78 msgid "Removed {1} from list" -msgstr "" +msgstr "Rimosso {1} dalla lista" #: autocycle.cpp:80 msgid "Usage: Del [!]<#chan>" -msgstr "" +msgstr "Usa: Del [!]<#canale>" #: autocycle.cpp:85 autocycle.cpp:90 autocycle.cpp:95 msgid "Channel" -msgstr "" +msgstr "Canale" #: autocycle.cpp:101 msgid "You have no entries." -msgstr "" +msgstr "Non hai voci." #: autocycle.cpp:230 msgid "List of channel masks and channel masks with ! before them." msgstr "" +"Elenco delle maschere di canale e delle maschere di canali con il simbolo ! " +"che li precede." #: autocycle.cpp:235 msgid "Rejoins channels to gain Op if you're the only user left" msgstr "" +"Rientra (rejoins) nei canali per ottenere l'Op se sei l'unico utente rimasto" diff --git a/modules/po/certauth.it_IT.po b/modules/po/certauth.it_IT.po index 33b32deb..e1f36282 100644 --- a/modules/po/certauth.it_IT.po +++ b/modules/po/certauth.it_IT.po @@ -35,11 +35,11 @@ msgstr "Chiave" #: modules/po/../data/certauth/tmpl/index.tmpl:36 msgid "del" -msgstr "" +msgstr "elimina" #: certauth.cpp:31 msgid "[pubkey]" -msgstr "" +msgstr "[chiave pubblica]" #: certauth.cpp:32 msgid "Add a public key. If key is not provided will use the current key" @@ -99,7 +99,7 @@ msgstr "Nessuna chiave impostata per il tuo utente" #: certauth.cpp:204 msgid "Invalid #, check \"list\"" -msgstr "" +msgstr "# Non valido, selezionare \"list\"" #: certauth.cpp:216 msgid "Removed" diff --git a/modules/po/ctcpflood.it_IT.po b/modules/po/ctcpflood.it_IT.po index 1da54a2a..a87e7377 100644 --- a/modules/po/ctcpflood.it_IT.po +++ b/modules/po/ctcpflood.it_IT.po @@ -49,7 +49,7 @@ msgstr[1] "{1} Messaggi CTCP" #: ctcpflood.cpp:127 msgid "every second" msgid_plural "every {1} seconds" -msgstr[0] "" +msgstr[0] "ogni secondo" msgstr[1] "ogni {1} secondi" #: ctcpflood.cpp:129 diff --git a/modules/po/identfile.it_IT.po b/modules/po/identfile.it_IT.po index a79fc93f..8c1d1510 100644 --- a/modules/po/identfile.it_IT.po +++ b/modules/po/identfile.it_IT.po @@ -18,7 +18,7 @@ msgstr "Mostra il nome del file" #: identfile.cpp:32 msgid "" -msgstr "" +msgstr "" #: identfile.cpp:32 msgid "Set file name" diff --git a/modules/po/lastseen.it_IT.po b/modules/po/lastseen.it_IT.po index ed5ef2c3..68d82d11 100644 --- a/modules/po/lastseen.it_IT.po +++ b/modules/po/lastseen.it_IT.po @@ -14,7 +14,7 @@ msgstr "" #: modules/po/../data/lastseen/tmpl/index.tmpl:8 msgid "User" -msgstr "" +msgstr "Utente" #: modules/po/../data/lastseen/tmpl/index.tmpl:9 lastseen.cpp:99 msgid "Last Seen" @@ -22,7 +22,7 @@ msgstr "Ultima visualizzazione" #: modules/po/../data/lastseen/tmpl/index.tmpl:10 msgid "Info" -msgstr "" +msgstr "Info" #: modules/po/../data/lastseen/tmpl/index.tmpl:11 msgid "Action" diff --git a/modules/po/log.it_IT.po b/modules/po/log.it_IT.po index 2ecd3d93..6a5783e7 100644 --- a/modules/po/log.it_IT.po +++ b/modules/po/log.it_IT.po @@ -32,7 +32,7 @@ msgstr "Elenca tutte le regole di registrazione" #: log.cpp:67 msgid " true|false" -msgstr "" +msgstr " vero|falso" #: log.cpp:68 msgid "Set one of the following options: joins, quits, nickchanges" diff --git a/modules/po/nickserv.it_IT.po b/modules/po/nickserv.it_IT.po index 4285545b..31c8b44a 100644 --- a/modules/po/nickserv.it_IT.po +++ b/modules/po/nickserv.it_IT.po @@ -28,11 +28,11 @@ msgstr "" #: nickserv.cpp:57 msgid "Ok" -msgstr "" +msgstr "Ok" #: nickserv.cpp:62 msgid "password" -msgstr "" +msgstr "password" #: nickserv.cpp:62 msgid "Set your nickserv password" @@ -44,7 +44,7 @@ msgstr "Rimuove dallo ZNC la password utilizzata per identificarti a NickServ" #: nickserv.cpp:66 msgid "nickname" -msgstr "" +msgstr "nickname" #: nickserv.cpp:67 msgid "" diff --git a/modules/po/notes.it_IT.po b/modules/po/notes.it_IT.po index 93980821..1bbe8fd4 100644 --- a/modules/po/notes.it_IT.po +++ b/modules/po/notes.it_IT.po @@ -42,7 +42,7 @@ msgstr "Nota" #: modules/po/../data/notes/tmpl/index.tmpl:41 msgid "[del]" -msgstr "" +msgstr "[del]" #: notes.cpp:32 msgid "That note already exists. Use MOD to overwrite." diff --git a/modules/po/perform.it_IT.po b/modules/po/perform.it_IT.po index ce406fe7..7902e098 100644 --- a/modules/po/perform.it_IT.po +++ b/modules/po/perform.it_IT.po @@ -14,7 +14,7 @@ msgstr "" #: modules/po/../data/perform/tmpl/index.tmpl:7 perform.cpp:143 msgid "Perform" -msgstr "" +msgstr "Perform" #: modules/po/../data/perform/tmpl/index.tmpl:11 msgid "Perform commands:" @@ -38,7 +38,7 @@ msgstr "Aggiunto!" #: perform.cpp:37 perform.cpp:82 msgid "Illegal # Requested" -msgstr "" +msgstr "Numero # non trovato" #: perform.cpp:41 msgid "Command Erased." @@ -52,7 +52,7 @@ msgstr "ID" #: perform.cpp:51 perform.cpp:57 msgctxt "list" msgid "Perform" -msgstr "" +msgstr "Perform" #: perform.cpp:52 perform.cpp:62 msgctxt "list" diff --git a/modules/po/sample.it_IT.po b/modules/po/sample.it_IT.po index 57631d4f..189789da 100644 --- a/modules/po/sample.it_IT.po +++ b/modules/po/sample.it_IT.po @@ -26,7 +26,7 @@ msgstr "Campione di lavoto fatto" #: sample.cpp:65 msgid "TEST!!!!" -msgstr "" +msgstr "TEST!!!!" #: sample.cpp:74 msgid "I'm being loaded with the arguments: {1}" diff --git a/modules/po/sasl.it_IT.po b/modules/po/sasl.it_IT.po index 9df5ad30..82176da7 100644 --- a/modules/po/sasl.it_IT.po +++ b/modules/po/sasl.it_IT.po @@ -14,11 +14,11 @@ msgstr "" #: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:292 msgid "SASL" -msgstr "" +msgstr "SASL" #: modules/po/../data/sasl/tmpl/index.tmpl:11 msgid "Username:" -msgstr "" +msgstr "Nome utente:" #: modules/po/../data/sasl/tmpl/index.tmpl:13 msgid "Please enter a username." @@ -26,7 +26,7 @@ msgstr "Per favore inserisci un username." #: modules/po/../data/sasl/tmpl/index.tmpl:16 msgid "Password:" -msgstr "" +msgstr "Password:" #: modules/po/../data/sasl/tmpl/index.tmpl:18 msgid "Please enter a password." diff --git a/modules/po/savebuff.it_IT.po b/modules/po/savebuff.it_IT.po index 9893f1ee..30371092 100644 --- a/modules/po/savebuff.it_IT.po +++ b/modules/po/savebuff.it_IT.po @@ -14,7 +14,7 @@ msgstr "" #: savebuff.cpp:65 msgid "" -msgstr "" +msgstr "" #: savebuff.cpp:65 msgid "Sets the password" @@ -22,7 +22,7 @@ msgstr "Imposta la password" #: savebuff.cpp:67 msgid "" -msgstr "" +msgstr "" #: savebuff.cpp:67 msgid "Replays the buffer" diff --git a/modules/po/watch.it_IT.po b/modules/po/watch.it_IT.po index 3d405ba0..b945f1ea 100644 --- a/modules/po/watch.it_IT.po +++ b/modules/po/watch.it_IT.po @@ -70,15 +70,15 @@ msgstr "Imposta il DetachedChannelOnly per teutte le voci a No" #: watch.cpp:487 watch.cpp:503 msgid "Id" -msgstr "" +msgstr "Id" #: watch.cpp:488 watch.cpp:504 msgid "HostMask" -msgstr "" +msgstr "HostMask" #: watch.cpp:489 watch.cpp:505 msgid "Target" -msgstr "" +msgstr "Target" #: watch.cpp:490 watch.cpp:506 msgid "Pattern" @@ -90,15 +90,15 @@ msgstr "Sorgenti" #: watch.cpp:492 watch.cpp:508 watch.cpp:509 msgid "Off" -msgstr "" +msgstr "Off" #: watch.cpp:493 watch.cpp:511 msgid "DetachedClientOnly" -msgstr "" +msgstr "DetachedClientOnly" #: watch.cpp:494 watch.cpp:514 msgid "DetachedChannelOnly" -msgstr "" +msgstr "DetachedChannelOnly" #: watch.cpp:512 watch.cpp:515 msgid "Yes" @@ -106,7 +106,7 @@ msgstr "Si" #: watch.cpp:512 watch.cpp:515 msgid "No" -msgstr "" +msgstr "No" #: watch.cpp:521 watch.cpp:527 msgid "You have no entries." @@ -190,7 +190,7 @@ msgstr "Disabilita (ma non elimina) una voce." #: watch.cpp:640 msgid "SetDetachedClientOnly " -msgstr "" +msgstr "SetDetachedClientOnly " #: watch.cpp:643 msgid "Enable or disable detached client only for an entry." @@ -198,7 +198,7 @@ msgstr "Abilita o disabilita il client separato (detached) solo per una voce." #: watch.cpp:647 msgid "SetDetachedChannelOnly " -msgstr "" +msgstr "SetDetachedChannelOnly " #: watch.cpp:650 msgid "Enable or disable detached channel only for an entry." @@ -206,7 +206,7 @@ msgstr "Abilita o disabilita il canale separato (detached) solo per una voce." #: watch.cpp:653 msgid "Buffer [Count]" -msgstr "" +msgstr "Buffer [Count]" #: watch.cpp:656 msgid "Show/Set the amount of buffered lines while detached." diff --git a/modules/po/webadmin.it_IT.po b/modules/po/webadmin.it_IT.po index 1eba8fca..a84e8736 100644 --- a/modules/po/webadmin.it_IT.po +++ b/modules/po/webadmin.it_IT.po @@ -14,233 +14,248 @@ msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:12 msgid "Channel Info" -msgstr "" +msgstr "Informazioni canale" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:17 msgid "Channel Name:" -msgstr "" +msgstr "Nome del canale:" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:19 msgid "The channel name." -msgstr "" +msgstr "Il nome del canale." #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:24 msgid "Key:" -msgstr "" +msgstr "Chiave:" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:26 msgid "The password of the channel, if there is one." -msgstr "" +msgstr "La password del canale, se presente." #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:30 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:241 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:260 msgid "Buffer Size:" -msgstr "" +msgstr "Dimensione del Buffer:" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:32 msgid "The buffer count." -msgstr "" +msgstr "Il conteggio del buffer." #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:36 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:235 msgid "Default Modes:" -msgstr "" +msgstr "Modes predefiniti:" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:38 msgid "The default modes of the channel." -msgstr "" +msgstr "I modi di default del canale." #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:46 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:270 msgid "Flags" -msgstr "" +msgstr "Flags" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:51 msgid "Save to config" -msgstr "" +msgstr "Salva in confg" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:67 #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:282 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:410 msgid "Module {1}" -msgstr "" +msgstr "Modulo {1}" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:75 #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:290 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:419 msgid "Save and return" -msgstr "" +msgstr "Salva e ritorna" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:76 #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:291 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:420 msgid "Save and continue" -msgstr "" +msgstr "Salva e continua" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:78 msgid "Add Channel and return" -msgstr "" +msgstr "Aggiungi canale e ritorna" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:79 msgid "Add Channel and continue" -msgstr "" +msgstr "Aggiungi canale e continua" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:8 #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:11 msgid "<password>" -msgstr "" +msgstr "<password>" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:11 #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:12 msgid "<network>" -msgstr "" +msgstr "<network>" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:14 msgid "" "To connect to this network from your IRC client, you can set the server " "password field as {1} or username field as {2}" msgstr "" +"Per connetterti a questo network dal tuo client IRC, puoi impostare il campo " +"password del server come {1} o il campo username come {2}" +"" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:24 msgid "Network Info" -msgstr "" +msgstr "Informazioni del Network" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:25 msgid "" "Nick, AltNick, Ident, RealName, BindHost can be left empty to use the value " "from the user." msgstr "" +"Campi come Nickname, Nickname alternativo, Ident, Nome reale ed il ed il " +"BindHost possono essere lasciati vuoti per utilizzare i valori dell'utente." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:29 msgid "Network Name:" -msgstr "" +msgstr "Nome del Network:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:31 msgid "The name of the IRC network." -msgstr "" +msgstr "Il nome del network IRC." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:35 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:69 msgid "Nickname:" -msgstr "" +msgstr "Nickname:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:37 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:71 msgid "Your nickname on IRC." -msgstr "" +msgstr "Il nickname che vuoi avere su IRC." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:40 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:74 msgid "Alt. Nickname:" -msgstr "" +msgstr "Nickname alternativo:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:42 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:76 msgid "Your secondary nickname, if the first is not available on IRC." -msgstr "" +msgstr "Il tuo secondo nickname, se il primo non fosse disponibile su IRC." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:46 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:80 msgid "Ident:" -msgstr "" +msgstr "Ident: (userID)" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:48 msgid "Your ident." -msgstr "" +msgstr "Il tuo ident (userID)." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:51 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:91 msgid "Realname:" -msgstr "" +msgstr "Nome reale:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:53 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:93 msgid "Your real name." -msgstr "" +msgstr "Il tuo nome reale." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:58 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:99 msgid "BindHost:" -msgstr "" +msgstr "BindHost:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:65 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:112 msgid "Quit Message:" -msgstr "" +msgstr "Messaggio di Quit:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:67 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:114 msgid "You may define a Message shown, when you quit IRC." -msgstr "" +msgstr "È possibile definire un messaggio da mostrare quando si esce da IRC." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:71 msgid "Active:" -msgstr "" +msgstr "Attivo:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:73 msgid "Connect to IRC & automatically re-connect" -msgstr "" +msgstr "Connetti ad IRC & riconnetti automaticamente" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:77 msgid "Trust all certs:" -msgstr "" +msgstr "Fidati di tutti i certificati:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:79 msgid "" "Disable certificate validation (takes precedence over TrustPKI). INSECURE!" msgstr "" +"Disabilita la convalida del certificato (ha la precedenza su TrustPKI). " +"INSICURO!" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:83 msgid "Trust the PKI:" -msgstr "" +msgstr "Fidati del PKI:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:85 msgid "" "Setting this to false will trust only certificates you added fingerprints " "for." msgstr "" +"Se impostato su falso, verranno considerati attendibili solo i certificati " +"per cui sono state aggiunte le \"impronte digitali\" (fingerprints)." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:89 #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:96 msgid "Servers of this IRC network:" -msgstr "" +msgstr "Elenco dei Server IRC di questo Network:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:93 msgid "One server per line, “host [[+]port] [password]”, + means SSL" msgstr "" +"Un server per linea, “host [[+]porta] [password]”, (il + significa che la " +"porta sarà SSL)" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:101 msgid "Hostname" -msgstr "" +msgstr "Hostname" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:102 #: modules/po/../data/webadmin/tmpl/settings.tmpl:13 msgid "Port" -msgstr "" +msgstr "Porta" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:103 #: modules/po/../data/webadmin/tmpl/settings.tmpl:15 msgid "SSL" -msgstr "" +msgstr "SSL" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:104 msgid "Password" -msgstr "" +msgstr "Password" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:116 msgid "SHA-256 fingerprints of trusted SSL certificates of this IRC network:" msgstr "" +"Impronte digitali (fingerprints) SHA-256 dei certificati SSL attendibili di " +"questo network IRC:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:120 msgid "" "When these certificates are encountered, checks for hostname, expiration " "date, CA are skipped" msgstr "" +"Quando vengono rilevati questi certificati, i controlli per hostname, date " +"di scadenza e CA vengono saltati" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:124 msgid "Flood protection:" -msgstr "" +msgstr "Protezione Flood:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:127 msgid "" @@ -248,70 +263,81 @@ msgid "" "which occur, when your IRC bot is command flooded or spammed. After changing " "this, reconnect ZNC to server." msgstr "" +"È possibile abilitare la protezione dai flood (inondazione di messaggi). " +"Questo previene errori di \"flood eccessivi\", che si verificano quando il " +"bot IRC ne viene colpito. Dopo averlo modificato, ricollegare lo ZNC al " +"server." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:130 msgctxt "Flood Protection" msgid "Enabled" -msgstr "" +msgstr "Abilitato" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:134 msgid "Flood protection rate:" -msgstr "" +msgstr "Tasso di protezione dai flood:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:137 msgid "" "The number of seconds per line. After changing this, reconnect ZNC to server." msgstr "" +"Il numero di secondi per riga. Dopo averlo modificato, ricollegare lo ZNC al " +"server." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:140 msgid "{1} seconds per line" -msgstr "" +msgstr "{1} secondi per linea" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:144 msgid "Flood protection burst:" -msgstr "" +msgstr "Scoppio di protezione dai flood:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:147 msgid "" "Defines the number of lines, which can be sent immediately. After changing " "this, reconnect ZNC to server." msgstr "" +"Definisce il numero di righe che possono essere inviate immediatamente. Dopo " +"averlo modificato, ricollegare lo ZNC al server." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:150 msgid "{1} lines can be sent immediately" -msgstr "" +msgstr "{1} linee possono essere spedite immediatamente" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:154 msgid "Channel join delay:" -msgstr "" +msgstr "Ritardo per l'ingresso al canale:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:157 msgid "" "Defines the delay in seconds, until channels are joined after getting " "connected." msgstr "" +"Definisce il ritardo in secondi, per l'ingresso dei canali dopo la " +"connessione." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:160 msgid "{1} seconds" -msgstr "" +msgstr "{1} secondi" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:165 msgid "Character encoding used between ZNC and IRC server." -msgstr "" +msgstr "Codifica caratteri utilizzata tra lo ZNC ed il server IRC." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:166 msgid "Server encoding:" -msgstr "" +msgstr "Codifica del server:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:176 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:231 msgid "Channels" -msgstr "" +msgstr "Canali" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:178 msgid "" "You will be able to add + modify channels here after you created the network." msgstr "" +"Qui potrai aggiungere e modificare i canali dopo aver creato il network." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:185 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:129 @@ -319,13 +345,13 @@ msgstr "" #: modules/po/../data/webadmin/tmpl/listusers.tmpl:15 #: modules/po/../data/webadmin/tmpl/settings.tmpl:72 msgid "Add" -msgstr "" +msgstr "Inserisci" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:187 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:430 #: modules/po/../data/webadmin/tmpl/settings.tmpl:237 msgid "Save" -msgstr "" +msgstr "Salva" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:188 #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:228 @@ -333,201 +359,213 @@ msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:174 #: modules/po/../data/webadmin/tmpl/settings.tmpl:176 msgid "Name" -msgstr "" +msgstr "Nome" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:189 msgid "CurModes" -msgstr "" +msgstr "Modes correnti" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:190 msgid "DefModes" -msgstr "" +msgstr "Modes di default" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:191 msgid "BufferSize" -msgstr "" +msgstr "Dimensione Buffer" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:192 msgid "Options" -msgstr "" +msgstr "Opzioni" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:194 msgid "← Add a channel (opens in same page)" -msgstr "" +msgstr "← Aggiungi un canale (si apre nella stessa pagina)" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:204 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:146 #: modules/po/../data/webadmin/tmpl/listusers.tmpl:27 msgid "Edit" -msgstr "" +msgstr "Modifica" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:204 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:146 #: modules/po/../data/webadmin/tmpl/settings.tmpl:53 msgid "Del" -msgstr "" +msgstr "Elimina" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:222 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:168 msgid "Modules" -msgstr "" +msgstr "Moduli" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:229 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:175 #: modules/po/../data/webadmin/tmpl/settings.tmpl:177 msgid "Arguments" -msgstr "" +msgstr "Argomenti" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:230 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:176 #: modules/po/../data/webadmin/tmpl/settings.tmpl:178 msgid "Description" -msgstr "" +msgstr "Descrizione" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:231 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:177 msgid "Loaded globally" -msgstr "" +msgstr "Caricato globalmente" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:232 msgid "Loaded by user" -msgstr "" +msgstr "Caricato dell'utente" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:293 msgid "Add Network and return" -msgstr "" +msgstr "Aggiungi Network e ritorna" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:294 msgid "Add Network and continue" -msgstr "" +msgstr "Aggiungi Network e continua" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:15 msgid "Authentication" -msgstr "" +msgstr "Autenticazione" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:19 msgid "Username:" -msgstr "" +msgstr "Username:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:29 msgid "Please enter a username." -msgstr "" +msgstr "Per favore inserisci un username." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:34 msgid "Password:" -msgstr "" +msgstr "Password:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:36 msgid "Please enter a password." -msgstr "" +msgstr "Pe favore inserisci una password." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:39 msgid "Confirm password:" -msgstr "" +msgstr "Conferma password:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:41 msgid "Please re-type the above password." -msgstr "" +msgstr "Per favore inserisci nuovamente la password inserita sopra." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:44 #: modules/po/../data/webadmin/tmpl/settings.tmpl:151 msgid "Auth Only Via Module:" -msgstr "" +msgstr "Aut. solo tramite modulo:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:46 msgid "" "Allow user authentication by external modules only, disabling built-in " "password authentication." msgstr "" +"Consente l'autenticazione utente solo da moduli esterni, disabilitando " +"l'autenticazione password integrata." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:50 msgid "Allowed IPs:" -msgstr "" +msgstr "IPs consentiti:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:54 msgid "" "Leave empty to allow connections from all IPs.
Otherwise, one entry per " "line, wildcards * and ? are available." msgstr "" +"Lascia vuoto questo campo per accedere allo ZNC da tutti i tuoi indirizzi IP." +"
Altrimenti, inserisci un indirizzo IP per riga. Sono disponibili le " +"wildcards * e ? come caratteri jolly." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:62 msgid "IRC Information" -msgstr "" +msgstr "Informazioni IRC" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:64 msgid "" "Nick, AltNick, Ident, RealName and QuitMsg can be left empty to use default " "values." msgstr "" +"Campi come Nickname, Nickname alternativo, Ident, Nome reale ed il messaggio " +"di Quit possono essere lasciati vuoti. Lo ZNC utilizzerà i dati impostati di " +"default." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:82 msgid "The Ident is sent to server as username." -msgstr "" +msgstr "L'ident è inviato al serveer come username." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:85 #: modules/po/../data/webadmin/tmpl/settings.tmpl:102 msgid "Status Prefix:" -msgstr "" +msgstr "Prefisso di Status:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:87 #: modules/po/../data/webadmin/tmpl/settings.tmpl:104 msgid "The prefix for the status and module queries." -msgstr "" +msgstr "Il prefisso per lo status e il modulo delle query." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:105 msgid "DCCBindHost:" -msgstr "" +msgstr "DCCBindHost:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:122 #: modules/po/../data/webadmin/tmpl/listusers.tmpl:17 #: modules/po/../data/webadmin/tmpl/traffic.tmpl:39 msgid "Networks" -msgstr "" +msgstr "Networks" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:132 #: modules/po/../data/webadmin/tmpl/listusers.tmpl:18 msgid "Clients" -msgstr "" +msgstr "Clients" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:133 msgid "Current Server" -msgstr "" +msgstr "Server attuale" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:134 msgid "Nick" -msgstr "" +msgstr "Nick" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:136 msgid "← Add a network (opens in same page)" -msgstr "" +msgstr "← Aggiungi un network (si apre nella stessa pagina)" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:160 msgid "" "You will be able to add + modify networks here after you have cloned the " "user." msgstr "" +"Qui potrai aggiungere e modificare i networks dopo aver clonato l'utente." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:162 msgid "" "You will be able to add + modify networks here after you have created the " "user." msgstr "" +"Qui potrai aggiungere e modificare i networks dopo aver creato l'utente." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:178 #: modules/po/../data/webadmin/tmpl/settings.tmpl:179 msgid "Loaded by networks" -msgstr "" +msgstr "Caricato dai networks" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:237 msgid "" "These are the default modes ZNC will set when you join an empty channel." msgstr "" +"Queste sono le modalità predefinite che lo ZNC imposterà quando entri in un " +"canale vuoto." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:238 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:244 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:263 msgid "Empty = use standard value" -msgstr "" +msgstr "Vuoto = usa valori standard" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:243 msgid "" @@ -535,18 +573,22 @@ msgid "" "before dropping off the oldest line. The buffers are stored in the memory by " "default." msgstr "" +"Questa è la quantità di linee che il playback buffer (buffer di " +"riproduzione) memorizzerà per i canali prima di eliminare la linea più " +"vecchia. I buffer sono memorizzati nella memoria per impostazione " +"predefinita." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:251 msgid "Queries" -msgstr "" +msgstr "Interrogazioni" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:255 msgid "Max Buffers:" -msgstr "" +msgstr "Buffers massimo:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:257 msgid "Maximum number of query buffers. 0 is unlimited." -msgstr "" +msgstr "Numero massimo dei buffers delle query. 0 è illimitato." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:262 msgid "" @@ -554,19 +596,25 @@ msgid "" "before dropping off the oldest line. The buffers are stored in the memory by " "default." msgstr "" +"Questa è la quantità di linee che il playback buffer (buffer di " +"riproduzione) memorizzerà per le query prima di eliminare la riga più " +"vecchia. I buffer sono memorizzati nella memoria per impostazione " +"predefinita." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:285 msgid "ZNC Behavior" -msgstr "" +msgstr "Comportamento dello ZNC" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:286 msgid "" "Any of the following text boxes can be left empty to use their default value." msgstr "" +"Ognuna delle seguenti caselle di testo può essere lasciata vuota per " +"utilizzare il valore predefinito." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:290 msgid "Timestamp Format:" -msgstr "" +msgstr "Formato Timestamp:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:292 msgid "" @@ -574,46 +622,56 @@ msgid "" "setting is ignored in new IRC clients, which use server-time. If your client " "supports server-time, change timestamp format in client settings instead." msgstr "" +"Il formato per i timestamps utilizzati nei buffer, ad esempio [% H:% M:% S]. " +"Questa impostazione viene ignorata nei nuovi client IRC, che utilizzano " +"l'ora del server. Se il tuo client supporta l'ora del server, modifica " +"invece il formato data/ora nelle impostazioni del client." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:295 msgid "Timezone:" -msgstr "" +msgstr "Fuso orario:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:298 msgid "E.g. Europe/Berlin, or GMT-6" -msgstr "" +msgstr "Esempio: Europa/Berlino, o GMT-6" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:306 msgid "Character encoding used between IRC client and ZNC." -msgstr "" +msgstr "Codifica dei caratteri utilizzata tra client IRC e ZNC." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:307 msgid "Client encoding:" -msgstr "" +msgstr "Codifica del client:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:312 msgid "Join Tries:" -msgstr "" +msgstr "Tentativo d'ingresso:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:314 msgid "" "This defines how many times ZNC tries to join a channel, if the first join " "failed, e.g. due to channel mode +i/+k or if you are banned." msgstr "" +"Questo definisce quante volte lo ZNC tenta di entrare in un canale qual'ora " +"il primo tentativo fallisce, ad esempio a causa della modalità canale +i/+k " +"o se sei stato bannato." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:317 msgid "Join speed:" -msgstr "" +msgstr "Velocità d'ingresso:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:319 msgid "" "How many channels are joined in one JOIN command. 0 is unlimited (default). " "Set to small positive value if you get disconnected with “Max SendQ Exceeded”" msgstr "" +"Quanti canali possono entrare in un solo comando di JOIN. 0 è illimitato " +"(impostazione predefinita). Impostare un valore positivo piccolo se si viene " +"disconnessi con “Max SendQ Exceeded”" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:322 msgid "Timeout before reconnect:" -msgstr "" +msgstr "Timeout prima della riconnessione:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:324 msgid "" @@ -621,221 +679,231 @@ msgid "" "network or declares the connection timeout. This happens after attempts to " "ping the peer." msgstr "" +"Quanto tempo (in secondi) lo ZNC attende fino a ricevere qualcosa dal " +"network o dichiarare il timeout della connessione. Ciò accade dopo i " +"tentativi di ping del peer." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:327 msgid "Max IRC Networks Number:" -msgstr "" +msgstr "Numero massimo di IRC Networks:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:329 msgid "Maximum number of IRC networks allowed for this user." -msgstr "" +msgstr "Numero massimo di networks IRC consentiti per questo utente." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:332 msgid "Substitutions" -msgstr "" +msgstr "Sostituzioni" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:334 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:342 msgid "CTCP Replies:" -msgstr "" +msgstr "Risposte CTCP:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:338 msgid "One reply per line. Example: TIME Buy a watch!" -msgstr "" +msgstr "Una risposta per linea. Esempio: TIME Compra un orologio!" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:339 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:355 msgid "{1} are available" -msgstr "" +msgstr "{1} sono disponibili" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:341 msgid "Empty value means this CTCP request will be ignored" -msgstr "" +msgstr "Un valore vuoto indica che questa richiesta CTCP verrà ignorata" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:347 msgid "Request" -msgstr "" +msgstr "Richiesta" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:348 msgid "Response" -msgstr "" +msgstr "Risposta" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:373 #: modules/po/../data/webadmin/tmpl/settings.tmpl:90 msgid "Skin:" -msgstr "" +msgstr "Aspetto:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:377 msgid "- Global -" -msgstr "" +msgstr "- Globale -" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:379 #: modules/po/../data/webadmin/tmpl/settings.tmpl:94 msgid "Default" -msgstr "" +msgstr "Predefinito" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:383 msgid "No other skins found" -msgstr "" +msgstr "Nessuna skin trovata" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:389 msgid "Language:" -msgstr "" +msgstr "Linguaggio:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:422 msgid "Clone and return" -msgstr "" +msgstr "Clona e ritorna" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:423 msgid "Clone and continue" -msgstr "" +msgstr "Clona e continua" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:425 msgid "Create and return" -msgstr "" +msgstr "Crea e ritorna" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:426 msgid "Create and continue" -msgstr "" +msgstr "Crea e continua" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:432 #: modules/po/../data/webadmin/tmpl/listusers.tmpl:28 msgid "Clone" -msgstr "" +msgstr "Clona" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:434 msgid "Create" -msgstr "" +msgstr "Crea" #: modules/po/../data/webadmin/tmpl/del_network.tmpl:5 msgid "Confirm Network Deletion" -msgstr "" +msgstr "Conferma l'eliminazione del Network" #: modules/po/../data/webadmin/tmpl/del_network.tmpl:9 msgid "Are you sure you want to delete network “{2}” of user “{1}”?" -msgstr "" +msgstr "Sei sicuro di voler eliminare il network “{2}” dell'utente “{1}”?" #: modules/po/../data/webadmin/tmpl/del_network.tmpl:14 #: modules/po/../data/webadmin/tmpl/del_user.tmpl:14 msgid "Yes" -msgstr "" +msgstr "Si" #: modules/po/../data/webadmin/tmpl/del_network.tmpl:17 #: modules/po/../data/webadmin/tmpl/del_user.tmpl:17 msgid "No" -msgstr "" +msgstr "No" #: modules/po/../data/webadmin/tmpl/del_user.tmpl:5 msgid "Confirm User Deletion" -msgstr "" +msgstr "Conferma l'eliminazione dell'utente" #: modules/po/../data/webadmin/tmpl/del_user.tmpl:9 msgid "Are you sure you want to delete user “{1}”?" -msgstr "" +msgstr "Sei sicuro di voler eliminare l'utente “{1}”?" #: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:6 msgid "ZNC is compiled without encodings support. {1} is required for it." msgstr "" +"Lo ZNC è compilato senza supporto per le codifiche. {1} è richiesto per " +"questo." #: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:11 msgid "Legacy mode is disabled by modpython." -msgstr "" +msgstr "La modalità legacy è disabilitata da modpython." #: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:18 msgid "Don't ensure any encoding at all (legacy mode, not recommended)" -msgstr "" +msgstr "Non assicura alcuna codifica (la modalità legacy, non consigliata)" #: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:22 msgid "Try to parse as UTF-8 and as {1}, send as UTF-8 (recommended)" msgstr "" +"Prova ad analizzare come UTF-8 e come {1}, invia come UTF-8 (raccomandato)" #: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:26 msgid "Try to parse as UTF-8 and as {1}, send as {1}" -msgstr "" +msgstr "Prova ad analizzare come UTF-8 e come {1}, invia come {1}" #: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:30 msgid "Parse and send as {1} only" -msgstr "" +msgstr "Analizza e invia solo come {1}" #: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:36 msgid "E.g. UTF-8, or ISO-8859-15" -msgstr "" +msgstr "Esempio: UTF-8, o ISO-8859-15" #: modules/po/../data/webadmin/tmpl/index.tmpl:5 msgid "Welcome to the ZNC webadmin module." -msgstr "" +msgstr "Benvenuto nel modulo di amministrazione dello ZNC via web." #: modules/po/../data/webadmin/tmpl/index.tmpl:6 msgid "" "All changes you make will be in effect immediately after you submitted them." msgstr "" +"Tutte le modifiche apportate avranno effetto immediato dopo averle salvate." #: modules/po/../data/webadmin/tmpl/listusers.tmpl:16 msgid "Username" -msgstr "" +msgstr "Username" #: modules/po/../data/webadmin/tmpl/listusers.tmpl:29 #: modules/po/../data/webadmin/tmpl/settings.tmpl:21 msgid "Delete" -msgstr "" +msgstr "Elimina" #: modules/po/../data/webadmin/tmpl/settings.tmpl:6 msgid "Listen Port(s)" -msgstr "" +msgstr "Porta(e) in ascolto" #: modules/po/../data/webadmin/tmpl/settings.tmpl:14 msgid "BindHost" -msgstr "" +msgstr "BindHost" #: modules/po/../data/webadmin/tmpl/settings.tmpl:16 msgid "IPv4" -msgstr "" +msgstr "IPv4" #: modules/po/../data/webadmin/tmpl/settings.tmpl:17 msgid "IPv6" -msgstr "" +msgstr "IPv6" #: modules/po/../data/webadmin/tmpl/settings.tmpl:18 msgid "IRC" -msgstr "" +msgstr "IRC" #: modules/po/../data/webadmin/tmpl/settings.tmpl:19 msgid "HTTP" -msgstr "" +msgstr "HTTP" #: modules/po/../data/webadmin/tmpl/settings.tmpl:20 msgid "URIPrefix" -msgstr "" +msgstr "Prefisso URI" #: modules/po/../data/webadmin/tmpl/settings.tmpl:56 msgid "" "To delete port which you use to access webadmin itself, either connect to " "webadmin via another port, or do it in IRC (/znc DelPort)" msgstr "" +"Per eliminare la porta che usi per accedere a webadmin, connettersi al " +"webadmin tramite un'altra porta o farlo in IRC (/znc DelPort)" #: modules/po/../data/webadmin/tmpl/settings.tmpl:56 msgid "Current" -msgstr "" +msgstr "Attuale" #: modules/po/../data/webadmin/tmpl/settings.tmpl:86 msgid "Settings" -msgstr "" +msgstr "Impostazioni" #: modules/po/../data/webadmin/tmpl/settings.tmpl:105 msgid "Default for new users only." -msgstr "" +msgstr "Predefinito solamente per i nuovi utenti." #: modules/po/../data/webadmin/tmpl/settings.tmpl:110 msgid "Maximum Buffer Size:" -msgstr "" +msgstr "Dimensione massima del Buffer:" #: modules/po/../data/webadmin/tmpl/settings.tmpl:112 msgid "Sets the global Max Buffer Size a user can have." msgstr "" +"Imposta globalmente la dimensione massima del buffer che un utente può avere." #: modules/po/../data/webadmin/tmpl/settings.tmpl:117 msgid "Connect Delay:" -msgstr "" +msgstr "Ritardo della connessione (Delay):" #: modules/po/../data/webadmin/tmpl/settings.tmpl:119 msgid "" @@ -843,367 +911,395 @@ msgid "" "affects the connection between ZNC and the IRC server; not the connection " "between your IRC client and ZNC." msgstr "" +"Il tempo in secondi tra un tenativo di connessione e l'altro verso i server " +"IRC. Ciò influisce sulla connessione tra ZNC e il server IRC; non la " +"connessione tra il tuo client IRC e lo ZNC." #: modules/po/../data/webadmin/tmpl/settings.tmpl:124 msgid "Server Throttle:" -msgstr "" +msgstr "Server Throttle:" #: modules/po/../data/webadmin/tmpl/settings.tmpl:126 msgid "" "The minimal time between two connect attempts to the same hostname, in " "seconds. Some servers refuse your connection if you reconnect too fast." msgstr "" +"Il tempo minimo in secondi tra due tentativi di connessione allo stesso " +"hostname. Alcuni server rifiutano la connessione se ti riconnetti troppo " +"velocemente." #: modules/po/../data/webadmin/tmpl/settings.tmpl:131 msgid "Anonymous Connection Limit per IP:" -msgstr "" +msgstr "Limite connessioni anonime per IP:" #: modules/po/../data/webadmin/tmpl/settings.tmpl:133 msgid "Limits the number of unidentified connections per IP." -msgstr "" +msgstr "Limita il numero di connessioni non identificate per IP." #: modules/po/../data/webadmin/tmpl/settings.tmpl:138 msgid "Protect Web Sessions:" -msgstr "" +msgstr "Protezione sezioni Web:" #: modules/po/../data/webadmin/tmpl/settings.tmpl:140 msgid "Disallow IP changing during each web session" -msgstr "" +msgstr "Non consentire la modifica dell'IP durante ciascuna sessione Web" #: modules/po/../data/webadmin/tmpl/settings.tmpl:145 msgid "Hide ZNC Version:" -msgstr "" +msgstr "Nascondi la versione dello ZNC:" #: modules/po/../data/webadmin/tmpl/settings.tmpl:147 msgid "Hide version number from non-ZNC users" -msgstr "" +msgstr "Nascondi il numero di versione dagli utenti non ZNC" #: modules/po/../data/webadmin/tmpl/settings.tmpl:153 msgid "Allow user authentication by external modules only" -msgstr "" +msgstr "Consente l'autenticazione utente solo da moduli esterni" #: modules/po/../data/webadmin/tmpl/settings.tmpl:158 msgid "MOTD:" -msgstr "" +msgstr "MOTD:" #: modules/po/../data/webadmin/tmpl/settings.tmpl:162 msgid "“Message of the Day”, sent to all ZNC users on connect." msgstr "" +"“Messaggio del giorno”, inviato a tutti gli utenti dello ZNC alla " +"connessione." #: modules/po/../data/webadmin/tmpl/settings.tmpl:170 msgid "Global Modules" -msgstr "" +msgstr "Moduli Globali" #: modules/po/../data/webadmin/tmpl/settings.tmpl:180 msgid "Loaded by users" -msgstr "" +msgstr "Caricato dagli utenti" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:7 msgid "Information" -msgstr "" +msgstr "Informazioni" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:13 msgid "Uptime" -msgstr "" +msgstr "Tempo di attività" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:18 msgid "Total Users" -msgstr "" +msgstr "Utenti totali" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:22 msgid "Total Networks" -msgstr "" +msgstr "Networks totali" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:26 #: modules/po/../data/webadmin/tmpl/traffic.tmpl:43 msgid "Attached Networks" -msgstr "" +msgstr "Networks attaccati" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:30 msgid "Total Client Connections" -msgstr "" +msgstr "Connessioni totali del Client" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:34 msgid "Total IRC Connections" -msgstr "" +msgstr "Connessioni IRC totali" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:47 msgid "Client Connections" -msgstr "" +msgstr "Connessioni del client" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:51 msgid "IRC Connections" -msgstr "" +msgstr "Connessione IRC" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:63 #: modules/po/../data/webadmin/tmpl/traffic.tmpl:72 #: modules/po/../data/webadmin/tmpl/traffic.tmpl:89 #: modules/po/../data/webadmin/tmpl/traffic.tmpl:117 msgid "Total" -msgstr "" +msgstr "Totale" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:70 #: modules/po/../data/webadmin/tmpl/traffic.tmpl:115 msgctxt "Traffic" msgid "In" -msgstr "" +msgstr "Entrata" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:71 #: modules/po/../data/webadmin/tmpl/traffic.tmpl:116 msgctxt "Traffic" msgid "Out" -msgstr "" +msgstr "Uscita" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:77 #: modules/po/../data/webadmin/tmpl/traffic.tmpl:104 msgid "Users" -msgstr "" +msgstr "Utente" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:106 msgid "Traffic" -msgstr "" +msgstr "Traffico" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:113 msgid "User" -msgstr "" +msgstr "Utente" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:114 msgid "Network" -msgstr "" +msgstr "Network" #: webadmin.cpp:91 webadmin.cpp:1872 msgid "Global Settings" -msgstr "" +msgstr "Impostazione moduli" #: webadmin.cpp:93 msgid "Your Settings" -msgstr "" +msgstr "Le tue impostazioni" #: webadmin.cpp:94 webadmin.cpp:1684 msgid "Traffic Info" -msgstr "" +msgstr "Informazioni del traffico" #: webadmin.cpp:97 webadmin.cpp:1663 msgid "Manage Users" -msgstr "" +msgstr "Gestione utenti" #: webadmin.cpp:188 msgid "Invalid Submission [Username is required]" -msgstr "" +msgstr "Invio non valido [nome utente richiesto]" #: webadmin.cpp:201 msgid "Invalid Submission [Passwords do not match]" -msgstr "" +msgstr "Invio non valido [Le password non corrispondono]" #: webadmin.cpp:323 msgid "Timeout can't be less than 30 seconds!" -msgstr "" +msgstr "Il timeout non può essere inferiore a 30 secondi!" #: webadmin.cpp:407 webadmin.cpp:435 webadmin.cpp:1182 webadmin.cpp:2057 msgid "Unable to load module [{1}]: {2}" -msgstr "" +msgstr "Impossibile caricare il modulo [{1}]: {2}" #: webadmin.cpp:412 webadmin.cpp:440 msgid "Unable to load module [{1}] with arguments [{2}]" -msgstr "" +msgstr "Impossibile caricare il modulo [{1}] con gli argomenti [{2}]" #: webadmin.cpp:521 webadmin.cpp:625 webadmin.cpp:650 webadmin.cpp:672 #: webadmin.cpp:706 webadmin.cpp:1249 msgid "No such user" -msgstr "" +msgstr "Nessun utente" #: webadmin.cpp:534 webadmin.cpp:566 webadmin.cpp:595 webadmin.cpp:611 msgid "No such user or network" -msgstr "" +msgstr "Nessun utente o network" #: webadmin.cpp:576 msgid "No such channel" -msgstr "" +msgstr "Nessun canale" #: webadmin.cpp:642 msgid "Please don't delete yourself, suicide is not the answer!" -msgstr "" +msgstr "Per favore, non cancellarti, il suicidio non è la risposta!" #: webadmin.cpp:715 webadmin.cpp:972 webadmin.cpp:1314 msgid "Edit User [{1}]" -msgstr "" +msgstr "Modifica utente [{1}]" #: webadmin.cpp:719 webadmin.cpp:906 msgid "Edit Network [{1}]" -msgstr "" +msgstr "Modifica Network [{1}]" #: webadmin.cpp:729 msgid "Edit Channel [{1}] of Network [{2}] of User [{3}]" -msgstr "" +msgstr "Modifica canale [{1}] del Network [{2}] dell'utente [{3}]" #: webadmin.cpp:736 msgid "Edit Channel [{1}]" -msgstr "" +msgstr "Modifica canale [{1}]" #: webadmin.cpp:744 msgid "Add Channel to Network [{1}] of User [{2}]" -msgstr "" +msgstr "Aggiungi canale al Network [{1}] dell'utente [{2}]" #: webadmin.cpp:749 msgid "Add Channel" -msgstr "" +msgstr "Aggiungi canale" #: webadmin.cpp:756 webadmin.cpp:1510 msgid "Auto Clear Chan Buffer" -msgstr "" +msgstr "Auto cancellazione del Buffer sui canali" #: webadmin.cpp:758 msgid "Automatically Clear Channel Buffer After Playback" msgstr "" +"Cancella automaticamente il buffer del canale dopo la riproduzione (Playback)" #: webadmin.cpp:766 msgid "Detached" -msgstr "" +msgstr "Distaccati" #: webadmin.cpp:773 msgid "Enabled" -msgstr "" +msgstr "Abilitato" #: webadmin.cpp:797 msgid "Channel name is a required argument" -msgstr "" +msgstr "Il nome del canale è un argomento obbligatorio" #: webadmin.cpp:806 msgid "Channel [{1}] already exists" -msgstr "" +msgstr "Canale [{1}] già esistente" #: webadmin.cpp:813 msgid "Could not add channel [{1}]" -msgstr "" +msgstr "Impossibile aggiungere il canale [{1}]" #: webadmin.cpp:861 msgid "Channel was added/modified, but config file was not written" msgstr "" +"Il canale è stato aggiunto/modificato, ma il file di configurazione non è " +"stato scritto" #: webadmin.cpp:888 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks from Your Settings." msgstr "" +"Raggiunto il numero limite di Network consentiti. Chiedi ad un " +"amministratore di aumentare il limite per te, o elimina un network che non " +"ritieni più necessario attraverso le tue impostazioni." #: webadmin.cpp:903 msgid "Edit Network [{1}] of User [{2}]" -msgstr "" +msgstr "Modifica Network [{1}] dell'utente [{2}]" #: webadmin.cpp:910 msgid "Add Network for User [{1}]" -msgstr "" +msgstr "Aggiungi Network per l'utente [{1}]" #: webadmin.cpp:911 msgid "Add Network" -msgstr "" +msgstr "Aggiungi Network" #: webadmin.cpp:1073 msgid "Network name is a required argument" -msgstr "" +msgstr "Il nome del network è un argomento richiesto" #: webadmin.cpp:1189 webadmin.cpp:2064 msgid "Unable to reload module [{1}]: {2}" -msgstr "" +msgstr "Impossibile ricaricare il modulo [{1}]: {2}" #: webadmin.cpp:1226 msgid "Network was added/modified, but config file was not written" msgstr "" +"Il network è stato aggiunto/modificato, ma il file di configurazione non è " +"stato scritto" #: webadmin.cpp:1255 msgid "That network doesn't exist for this user" -msgstr "" +msgstr "Quel canale non esiste per questo utente" #: webadmin.cpp:1272 msgid "Network was deleted, but config file was not written" msgstr "" +"Il network è stato eliminato, ma il file di configurazione non è stato " +"scritto" #: webadmin.cpp:1286 msgid "That channel doesn't exist for this network" -msgstr "" +msgstr "Quel canale non esiste per questo network" #: webadmin.cpp:1295 msgid "Channel was deleted, but config file was not written" msgstr "" +"Il canale è stato eliminato, ma il file di configurazione non è stato scritto" #: webadmin.cpp:1323 msgid "Clone User [{1}]" -msgstr "" +msgstr "Clona l'utente [{1}]" #: webadmin.cpp:1512 msgid "" "Automatically Clear Channel Buffer After Playback (the default value for new " "channels)" msgstr "" +"Cancella automaticamente il buffer del canale dopo la riproduzione " +"(Playback) (valore di default per i nuovi canali)" #: webadmin.cpp:1522 msgid "Multi Clients" -msgstr "" +msgstr "Clients multipli" #: webadmin.cpp:1529 msgid "Append Timestamps" -msgstr "" +msgstr "Aggiungi Timestamps (orologio)" #: webadmin.cpp:1536 msgid "Prepend Timestamps" -msgstr "" +msgstr "Anteponi il Timestamps" #: webadmin.cpp:1544 msgid "Deny LoadMod" -msgstr "" +msgstr "Nega LoadMod" #: webadmin.cpp:1551 msgid "Admin" -msgstr "" +msgstr "Admin" #: webadmin.cpp:1561 msgid "Deny SetBindHost" -msgstr "" +msgstr "Nega SetBindHost" #: webadmin.cpp:1569 msgid "Auto Clear Query Buffer" -msgstr "" +msgstr "Auto cancellazione del Buffer sulle Query" #: webadmin.cpp:1571 msgid "Automatically Clear Query Buffer After Playback" msgstr "" +"Cancella automaticamente il buffer della Query dopo la riproduzione " +"(Playback)" #: webadmin.cpp:1595 msgid "Invalid Submission: User {1} already exists" -msgstr "" +msgstr "Invio non valido: L'utente {1} è già esistente" #: webadmin.cpp:1617 webadmin.cpp:1628 msgid "Invalid submission: {1}" -msgstr "" +msgstr "Invio non valido: {1}" #: webadmin.cpp:1623 msgid "User was added, but config file was not written" msgstr "" +"L'utente è stato aggiunto, ma il file di configurazione non è stato scritto" #: webadmin.cpp:1634 msgid "User was edited, but config file was not written" msgstr "" +"L'utente è stato modificato, ma il file di configurazione non è stato scritto" #: webadmin.cpp:1792 msgid "Choose either IPv4 or IPv6 or both." -msgstr "" +msgstr "Scegli tra IPv4 o IPv6 o entrambi." #: webadmin.cpp:1809 msgid "Choose either IRC or HTTP or both." -msgstr "" +msgstr "Scegli tra IRC o HTTP o entrambi." #: webadmin.cpp:1822 webadmin.cpp:1858 msgid "Port was changed, but config file was not written" msgstr "" +"La porta è stata cambiata, ma il file di configurazione non è stato scritto" #: webadmin.cpp:1848 msgid "Invalid request." -msgstr "" +msgstr "Richiesta non valida." #: webadmin.cpp:1862 msgid "The specified listener was not found." -msgstr "" +msgstr "L'ascoltatore specificato non è stato trovato." #: webadmin.cpp:2093 msgid "Settings were changed, but config file was not written" msgstr "" +"Le impostazioni sono state cambiate, ma il file di configurazione non è " +"stato scritto" From ebec9857d414e382e95cbdae370060b687426bd6 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Fri, 26 Jul 2019 00:27:45 +0000 Subject: [PATCH 293/798] Update translations from Crowdin for it_IT --- modules/po/autocycle.it_IT.po | 27 +- modules/po/certauth.it_IT.po | 6 +- modules/po/ctcpflood.it_IT.po | 2 +- modules/po/identfile.it_IT.po | 2 +- modules/po/lastseen.it_IT.po | 4 +- modules/po/log.it_IT.po | 2 +- modules/po/nickserv.it_IT.po | 6 +- modules/po/notes.it_IT.po | 2 +- modules/po/perform.it_IT.po | 6 +- modules/po/sample.it_IT.po | 2 +- modules/po/sasl.it_IT.po | 6 +- modules/po/savebuff.it_IT.po | 4 +- modules/po/watch.it_IT.po | 20 +- modules/po/webadmin.it_IT.po | 538 ++++++++++++++++++++-------------- 14 files changed, 364 insertions(+), 263 deletions(-) diff --git a/modules/po/autocycle.it_IT.po b/modules/po/autocycle.it_IT.po index 7f2df798..a70c848c 100644 --- a/modules/po/autocycle.it_IT.po +++ b/modules/po/autocycle.it_IT.po @@ -14,56 +14,61 @@ msgstr "" #: autocycle.cpp:27 autocycle.cpp:30 msgid "[!]<#chan>" -msgstr "" +msgstr "[!]<#canale>" #: autocycle.cpp:28 msgid "Add an entry, use !#chan to negate and * for wildcards" msgstr "" +"Aggiunge una voce, usa !#canale per negare e * per i caratteri jolly " +"(wildcards)" #: autocycle.cpp:31 msgid "Remove an entry, needs to be an exact match" -msgstr "" +msgstr "Rimuove una voce, deve essere una corrispondenza esatta" #: autocycle.cpp:33 msgid "List all entries" -msgstr "" +msgstr "Elenca tutte le voci inserite" #: autocycle.cpp:46 msgid "Unable to add {1}" -msgstr "" +msgstr "Impossibile aggiungere {1}" #: autocycle.cpp:66 msgid "{1} is already added" -msgstr "" +msgstr "{1} è già aggiunto" #: autocycle.cpp:68 msgid "Added {1} to list" -msgstr "" +msgstr "Aggiunto {1} alla lista" #: autocycle.cpp:70 msgid "Usage: Add [!]<#chan>" -msgstr "" +msgstr "Usa: Add [!]<#canale>" #: autocycle.cpp:78 msgid "Removed {1} from list" -msgstr "" +msgstr "Rimosso {1} dalla lista" #: autocycle.cpp:80 msgid "Usage: Del [!]<#chan>" -msgstr "" +msgstr "Usa: Del [!]<#canale>" #: autocycle.cpp:85 autocycle.cpp:89 autocycle.cpp:94 msgid "Channel" -msgstr "" +msgstr "Canale" #: autocycle.cpp:100 msgid "You have no entries." -msgstr "" +msgstr "Non hai voci." #: autocycle.cpp:229 msgid "List of channel masks and channel masks with ! before them." msgstr "" +"Elenco delle maschere di canale e delle maschere di canali con il simbolo ! " +"che li precede." #: autocycle.cpp:234 msgid "Rejoins channels to gain Op if you're the only user left" msgstr "" +"Rientra (rejoins) nei canali per ottenere l'Op se sei l'unico utente rimasto" diff --git a/modules/po/certauth.it_IT.po b/modules/po/certauth.it_IT.po index ccbf90bb..666eef96 100644 --- a/modules/po/certauth.it_IT.po +++ b/modules/po/certauth.it_IT.po @@ -35,11 +35,11 @@ msgstr "Chiave" #: modules/po/../data/certauth/tmpl/index.tmpl:36 msgid "del" -msgstr "" +msgstr "elimina" #: certauth.cpp:31 msgid "[pubkey]" -msgstr "" +msgstr "[chiave pubblica]" #: certauth.cpp:32 msgid "Add a public key. If key is not provided will use the current key" @@ -99,7 +99,7 @@ msgstr "Nessuna chiave impostata per il tuo utente" #: certauth.cpp:203 msgid "Invalid #, check \"list\"" -msgstr "" +msgstr "# Non valido, selezionare \"list\"" #: certauth.cpp:215 msgid "Removed" diff --git a/modules/po/ctcpflood.it_IT.po b/modules/po/ctcpflood.it_IT.po index 272bb140..80144429 100644 --- a/modules/po/ctcpflood.it_IT.po +++ b/modules/po/ctcpflood.it_IT.po @@ -49,7 +49,7 @@ msgstr[1] "{1} Messaggi CTCP" #: ctcpflood.cpp:127 msgid "every second" msgid_plural "every {1} seconds" -msgstr[0] "" +msgstr[0] "ogni secondo" msgstr[1] "ogni {1} secondi" #: ctcpflood.cpp:129 diff --git a/modules/po/identfile.it_IT.po b/modules/po/identfile.it_IT.po index cc6ec515..d0dfe18a 100644 --- a/modules/po/identfile.it_IT.po +++ b/modules/po/identfile.it_IT.po @@ -18,7 +18,7 @@ msgstr "Mostra il nome del file" #: identfile.cpp:32 msgid "" -msgstr "" +msgstr "" #: identfile.cpp:32 msgid "Set file name" diff --git a/modules/po/lastseen.it_IT.po b/modules/po/lastseen.it_IT.po index c06d260a..40523602 100644 --- a/modules/po/lastseen.it_IT.po +++ b/modules/po/lastseen.it_IT.po @@ -14,7 +14,7 @@ msgstr "" #: modules/po/../data/lastseen/tmpl/index.tmpl:8 msgid "User" -msgstr "" +msgstr "Utente" #: modules/po/../data/lastseen/tmpl/index.tmpl:9 lastseen.cpp:98 msgid "Last Seen" @@ -22,7 +22,7 @@ msgstr "Ultima visualizzazione" #: modules/po/../data/lastseen/tmpl/index.tmpl:10 msgid "Info" -msgstr "" +msgstr "Info" #: modules/po/../data/lastseen/tmpl/index.tmpl:11 msgid "Action" diff --git a/modules/po/log.it_IT.po b/modules/po/log.it_IT.po index b4e387dd..6527b2bc 100644 --- a/modules/po/log.it_IT.po +++ b/modules/po/log.it_IT.po @@ -32,7 +32,7 @@ msgstr "Elenca tutte le regole di registrazione" #: log.cpp:67 msgid " true|false" -msgstr "" +msgstr " vero|falso" #: log.cpp:68 msgid "Set one of the following options: joins, quits, nickchanges" diff --git a/modules/po/nickserv.it_IT.po b/modules/po/nickserv.it_IT.po index 48f51050..c5c47c7e 100644 --- a/modules/po/nickserv.it_IT.po +++ b/modules/po/nickserv.it_IT.po @@ -28,11 +28,11 @@ msgstr "" #: nickserv.cpp:57 msgid "Ok" -msgstr "" +msgstr "Ok" #: nickserv.cpp:62 msgid "password" -msgstr "" +msgstr "password" #: nickserv.cpp:62 msgid "Set your nickserv password" @@ -44,7 +44,7 @@ msgstr "Rimuove dallo ZNC la password utilizzata per identificarti a NickServ" #: nickserv.cpp:66 msgid "nickname" -msgstr "" +msgstr "nickname" #: nickserv.cpp:67 msgid "" diff --git a/modules/po/notes.it_IT.po b/modules/po/notes.it_IT.po index c14b6d51..78875839 100644 --- a/modules/po/notes.it_IT.po +++ b/modules/po/notes.it_IT.po @@ -42,7 +42,7 @@ msgstr "Nota" #: modules/po/../data/notes/tmpl/index.tmpl:41 msgid "[del]" -msgstr "" +msgstr "[del]" #: notes.cpp:32 msgid "That note already exists. Use MOD to overwrite." diff --git a/modules/po/perform.it_IT.po b/modules/po/perform.it_IT.po index 8d26c1c8..5ceabef0 100644 --- a/modules/po/perform.it_IT.po +++ b/modules/po/perform.it_IT.po @@ -14,7 +14,7 @@ msgstr "" #: modules/po/../data/perform/tmpl/index.tmpl:7 perform.cpp:143 msgid "Perform" -msgstr "" +msgstr "Perform" #: modules/po/../data/perform/tmpl/index.tmpl:11 msgid "Perform commands:" @@ -38,7 +38,7 @@ msgstr "Aggiunto!" #: perform.cpp:37 perform.cpp:82 msgid "Illegal # Requested" -msgstr "" +msgstr "Numero # non trovato" #: perform.cpp:41 msgid "Command Erased." @@ -52,7 +52,7 @@ msgstr "ID" #: perform.cpp:51 perform.cpp:57 msgctxt "list" msgid "Perform" -msgstr "" +msgstr "Perform" #: perform.cpp:52 perform.cpp:62 msgctxt "list" diff --git a/modules/po/sample.it_IT.po b/modules/po/sample.it_IT.po index 002d2b60..b974cd5c 100644 --- a/modules/po/sample.it_IT.po +++ b/modules/po/sample.it_IT.po @@ -26,7 +26,7 @@ msgstr "Campione di lavoto fatto" #: sample.cpp:65 msgid "TEST!!!!" -msgstr "" +msgstr "TEST!!!!" #: sample.cpp:74 msgid "I'm being loaded with the arguments: {1}" diff --git a/modules/po/sasl.it_IT.po b/modules/po/sasl.it_IT.po index f324c131..c74b3d82 100644 --- a/modules/po/sasl.it_IT.po +++ b/modules/po/sasl.it_IT.po @@ -14,11 +14,11 @@ msgstr "" #: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:290 msgid "SASL" -msgstr "" +msgstr "SASL" #: modules/po/../data/sasl/tmpl/index.tmpl:11 msgid "Username:" -msgstr "" +msgstr "Nome utente:" #: modules/po/../data/sasl/tmpl/index.tmpl:13 msgid "Please enter a username." @@ -26,7 +26,7 @@ msgstr "Per favore inserisci un username." #: modules/po/../data/sasl/tmpl/index.tmpl:16 msgid "Password:" -msgstr "" +msgstr "Password:" #: modules/po/../data/sasl/tmpl/index.tmpl:18 msgid "Please enter a password." diff --git a/modules/po/savebuff.it_IT.po b/modules/po/savebuff.it_IT.po index 1fde666e..708e3f4f 100644 --- a/modules/po/savebuff.it_IT.po +++ b/modules/po/savebuff.it_IT.po @@ -14,7 +14,7 @@ msgstr "" #: savebuff.cpp:65 msgid "" -msgstr "" +msgstr "" #: savebuff.cpp:65 msgid "Sets the password" @@ -22,7 +22,7 @@ msgstr "Imposta la password" #: savebuff.cpp:67 msgid "" -msgstr "" +msgstr "" #: savebuff.cpp:67 msgid "Replays the buffer" diff --git a/modules/po/watch.it_IT.po b/modules/po/watch.it_IT.po index b1e69809..939b44d8 100644 --- a/modules/po/watch.it_IT.po +++ b/modules/po/watch.it_IT.po @@ -70,15 +70,15 @@ msgstr "Imposta il DetachedChannelOnly per teutte le voci a No" #: watch.cpp:487 watch.cpp:503 msgid "Id" -msgstr "" +msgstr "Id" #: watch.cpp:488 watch.cpp:504 msgid "HostMask" -msgstr "" +msgstr "HostMask" #: watch.cpp:489 watch.cpp:505 msgid "Target" -msgstr "" +msgstr "Target" #: watch.cpp:490 watch.cpp:506 msgid "Pattern" @@ -90,15 +90,15 @@ msgstr "Sorgenti" #: watch.cpp:492 watch.cpp:508 watch.cpp:509 msgid "Off" -msgstr "" +msgstr "Off" #: watch.cpp:493 watch.cpp:511 msgid "DetachedClientOnly" -msgstr "" +msgstr "DetachedClientOnly" #: watch.cpp:494 watch.cpp:514 msgid "DetachedChannelOnly" -msgstr "" +msgstr "DetachedChannelOnly" #: watch.cpp:512 watch.cpp:515 msgid "Yes" @@ -106,7 +106,7 @@ msgstr "Si" #: watch.cpp:512 watch.cpp:515 msgid "No" -msgstr "" +msgstr "No" #: watch.cpp:521 watch.cpp:527 msgid "You have no entries." @@ -190,7 +190,7 @@ msgstr "Disabilita (ma non elimina) una voce." #: watch.cpp:639 msgid "SetDetachedClientOnly " -msgstr "" +msgstr "SetDetachedClientOnly " #: watch.cpp:642 msgid "Enable or disable detached client only for an entry." @@ -198,7 +198,7 @@ msgstr "Abilita o disabilita il client separato (detached) solo per una voce." #: watch.cpp:646 msgid "SetDetachedChannelOnly " -msgstr "" +msgstr "SetDetachedChannelOnly " #: watch.cpp:649 msgid "Enable or disable detached channel only for an entry." @@ -206,7 +206,7 @@ msgstr "Abilita o disabilita il canale separato (detached) solo per una voce." #: watch.cpp:652 msgid "Buffer [Count]" -msgstr "" +msgstr "Buffer [Count]" #: watch.cpp:655 msgid "Show/Set the amount of buffered lines while detached." diff --git a/modules/po/webadmin.it_IT.po b/modules/po/webadmin.it_IT.po index 85d39fcd..41f7f593 100644 --- a/modules/po/webadmin.it_IT.po +++ b/modules/po/webadmin.it_IT.po @@ -14,233 +14,248 @@ msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:12 msgid "Channel Info" -msgstr "" +msgstr "Informazioni canale" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:17 msgid "Channel Name:" -msgstr "" +msgstr "Nome del canale:" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:19 msgid "The channel name." -msgstr "" +msgstr "Il nome del canale." #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:24 msgid "Key:" -msgstr "" +msgstr "Chiave:" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:26 msgid "The password of the channel, if there is one." -msgstr "" +msgstr "La password del canale, se presente." #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:30 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:241 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:260 msgid "Buffer Size:" -msgstr "" +msgstr "Dimensione del Buffer:" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:32 msgid "The buffer count." -msgstr "" +msgstr "Il conteggio del buffer." #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:36 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:235 msgid "Default Modes:" -msgstr "" +msgstr "Modes predefiniti:" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:38 msgid "The default modes of the channel." -msgstr "" +msgstr "I modi di default del canale." #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:46 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:270 msgid "Flags" -msgstr "" +msgstr "Flags" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:51 msgid "Save to config" -msgstr "" +msgstr "Salva in confg" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:67 #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:282 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:410 msgid "Module {1}" -msgstr "" +msgstr "Modulo {1}" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:75 #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:290 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:419 msgid "Save and return" -msgstr "" +msgstr "Salva e ritorna" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:76 #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:291 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:420 msgid "Save and continue" -msgstr "" +msgstr "Salva e continua" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:78 msgid "Add Channel and return" -msgstr "" +msgstr "Aggiungi canale e ritorna" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:79 msgid "Add Channel and continue" -msgstr "" +msgstr "Aggiungi canale e continua" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:8 #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:11 msgid "<password>" -msgstr "" +msgstr "<password>" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:11 #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:12 msgid "<network>" -msgstr "" +msgstr "<network>" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:14 msgid "" "To connect to this network from your IRC client, you can set the server " "password field as {1} or username field as {2}" msgstr "" +"Per connetterti a questo network dal tuo client IRC, puoi impostare il campo " +"password del server come {1} o il campo username come {2}" +"" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:24 msgid "Network Info" -msgstr "" +msgstr "Informazioni del Network" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:25 msgid "" "Nick, AltNick, Ident, RealName, BindHost can be left empty to use the value " "from the user." msgstr "" +"Campi come Nickname, Nickname alternativo, Ident, Nome reale ed il ed il " +"BindHost possono essere lasciati vuoti per utilizzare i valori dell'utente." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:29 msgid "Network Name:" -msgstr "" +msgstr "Nome del Network:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:31 msgid "The name of the IRC network." -msgstr "" +msgstr "Il nome del network IRC." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:35 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:69 msgid "Nickname:" -msgstr "" +msgstr "Nickname:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:37 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:71 msgid "Your nickname on IRC." -msgstr "" +msgstr "Il nickname che vuoi avere su IRC." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:40 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:74 msgid "Alt. Nickname:" -msgstr "" +msgstr "Nickname alternativo:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:42 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:76 msgid "Your secondary nickname, if the first is not available on IRC." -msgstr "" +msgstr "Il tuo secondo nickname, se il primo non fosse disponibile su IRC." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:46 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:80 msgid "Ident:" -msgstr "" +msgstr "Ident: (userID)" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:48 msgid "Your ident." -msgstr "" +msgstr "Il tuo ident (userID)." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:51 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:91 msgid "Realname:" -msgstr "" +msgstr "Nome reale:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:53 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:93 msgid "Your real name." -msgstr "" +msgstr "Il tuo nome reale." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:58 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:99 msgid "BindHost:" -msgstr "" +msgstr "BindHost:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:65 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:112 msgid "Quit Message:" -msgstr "" +msgstr "Messaggio di Quit:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:67 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:114 msgid "You may define a Message shown, when you quit IRC." -msgstr "" +msgstr "È possibile definire un messaggio da mostrare quando si esce da IRC." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:71 msgid "Active:" -msgstr "" +msgstr "Attivo:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:73 msgid "Connect to IRC & automatically re-connect" -msgstr "" +msgstr "Connetti ad IRC & riconnetti automaticamente" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:77 msgid "Trust all certs:" -msgstr "" +msgstr "Fidati di tutti i certificati:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:79 msgid "" "Disable certificate validation (takes precedence over TrustPKI). INSECURE!" msgstr "" +"Disabilita la convalida del certificato (ha la precedenza su TrustPKI). " +"INSICURO!" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:83 msgid "Trust the PKI:" -msgstr "" +msgstr "Fidati del PKI:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:85 msgid "" "Setting this to false will trust only certificates you added fingerprints " "for." msgstr "" +"Se impostato su falso, verranno considerati attendibili solo i certificati " +"per cui sono state aggiunte le \"impronte digitali\" (fingerprints)." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:89 #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:96 msgid "Servers of this IRC network:" -msgstr "" +msgstr "Elenco dei Server IRC di questo Network:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:93 msgid "One server per line, “host [[+]port] [password]”, + means SSL" msgstr "" +"Un server per linea, “host [[+]porta] [password]”, (il + significa che la " +"porta sarà SSL)" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:101 msgid "Hostname" -msgstr "" +msgstr "Hostname" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:102 #: modules/po/../data/webadmin/tmpl/settings.tmpl:13 msgid "Port" -msgstr "" +msgstr "Porta" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:103 #: modules/po/../data/webadmin/tmpl/settings.tmpl:15 msgid "SSL" -msgstr "" +msgstr "SSL" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:104 msgid "Password" -msgstr "" +msgstr "Password" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:116 msgid "SHA-256 fingerprints of trusted SSL certificates of this IRC network:" msgstr "" +"Impronte digitali (fingerprints) SHA-256 dei certificati SSL attendibili di " +"questo network IRC:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:120 msgid "" "When these certificates are encountered, checks for hostname, expiration " "date, CA are skipped" msgstr "" +"Quando vengono rilevati questi certificati, i controlli per hostname, date " +"di scadenza e CA vengono saltati" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:124 msgid "Flood protection:" -msgstr "" +msgstr "Protezione Flood:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:127 msgid "" @@ -248,70 +263,81 @@ msgid "" "which occur, when your IRC bot is command flooded or spammed. After changing " "this, reconnect ZNC to server." msgstr "" +"È possibile abilitare la protezione dai flood (inondazione di messaggi). " +"Questo previene errori di \"flood eccessivi\", che si verificano quando il " +"bot IRC ne viene colpito. Dopo averlo modificato, ricollegare lo ZNC al " +"server." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:130 msgctxt "Flood Protection" msgid "Enabled" -msgstr "" +msgstr "Abilitato" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:134 msgid "Flood protection rate:" -msgstr "" +msgstr "Tasso di protezione dai flood:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:137 msgid "" "The number of seconds per line. After changing this, reconnect ZNC to server." msgstr "" +"Il numero di secondi per riga. Dopo averlo modificato, ricollegare lo ZNC al " +"server." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:140 msgid "{1} seconds per line" -msgstr "" +msgstr "{1} secondi per linea" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:144 msgid "Flood protection burst:" -msgstr "" +msgstr "Scoppio di protezione dai flood:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:147 msgid "" "Defines the number of lines, which can be sent immediately. After changing " "this, reconnect ZNC to server." msgstr "" +"Definisce il numero di righe che possono essere inviate immediatamente. Dopo " +"averlo modificato, ricollegare lo ZNC al server." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:150 msgid "{1} lines can be sent immediately" -msgstr "" +msgstr "{1} linee possono essere spedite immediatamente" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:154 msgid "Channel join delay:" -msgstr "" +msgstr "Ritardo per l'ingresso al canale:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:157 msgid "" "Defines the delay in seconds, until channels are joined after getting " "connected." msgstr "" +"Definisce il ritardo in secondi, per l'ingresso dei canali dopo la " +"connessione." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:160 msgid "{1} seconds" -msgstr "" +msgstr "{1} secondi" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:165 msgid "Character encoding used between ZNC and IRC server." -msgstr "" +msgstr "Codifica caratteri utilizzata tra lo ZNC ed il server IRC." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:166 msgid "Server encoding:" -msgstr "" +msgstr "Codifica del server:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:176 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:231 msgid "Channels" -msgstr "" +msgstr "Canali" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:178 msgid "" "You will be able to add + modify channels here after you created the network." msgstr "" +"Qui potrai aggiungere e modificare i canali dopo aver creato il network." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:185 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:129 @@ -319,13 +345,13 @@ msgstr "" #: modules/po/../data/webadmin/tmpl/listusers.tmpl:15 #: modules/po/../data/webadmin/tmpl/settings.tmpl:72 msgid "Add" -msgstr "" +msgstr "Inserisci" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:187 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:430 #: modules/po/../data/webadmin/tmpl/settings.tmpl:237 msgid "Save" -msgstr "" +msgstr "Salva" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:188 #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:228 @@ -333,201 +359,213 @@ msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:174 #: modules/po/../data/webadmin/tmpl/settings.tmpl:176 msgid "Name" -msgstr "" +msgstr "Nome" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:189 msgid "CurModes" -msgstr "" +msgstr "Modes correnti" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:190 msgid "DefModes" -msgstr "" +msgstr "Modes di default" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:191 msgid "BufferSize" -msgstr "" +msgstr "Dimensione Buffer" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:192 msgid "Options" -msgstr "" +msgstr "Opzioni" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:194 msgid "← Add a channel (opens in same page)" -msgstr "" +msgstr "← Aggiungi un canale (si apre nella stessa pagina)" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:204 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:146 #: modules/po/../data/webadmin/tmpl/listusers.tmpl:27 msgid "Edit" -msgstr "" +msgstr "Modifica" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:204 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:146 #: modules/po/../data/webadmin/tmpl/settings.tmpl:53 msgid "Del" -msgstr "" +msgstr "Elimina" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:222 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:168 msgid "Modules" -msgstr "" +msgstr "Moduli" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:229 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:175 #: modules/po/../data/webadmin/tmpl/settings.tmpl:177 msgid "Arguments" -msgstr "" +msgstr "Argomenti" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:230 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:176 #: modules/po/../data/webadmin/tmpl/settings.tmpl:178 msgid "Description" -msgstr "" +msgstr "Descrizione" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:231 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:177 msgid "Loaded globally" -msgstr "" +msgstr "Caricato globalmente" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:232 msgid "Loaded by user" -msgstr "" +msgstr "Caricato dell'utente" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:293 msgid "Add Network and return" -msgstr "" +msgstr "Aggiungi Network e ritorna" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:294 msgid "Add Network and continue" -msgstr "" +msgstr "Aggiungi Network e continua" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:15 msgid "Authentication" -msgstr "" +msgstr "Autenticazione" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:19 msgid "Username:" -msgstr "" +msgstr "Username:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:29 msgid "Please enter a username." -msgstr "" +msgstr "Per favore inserisci un username." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:34 msgid "Password:" -msgstr "" +msgstr "Password:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:36 msgid "Please enter a password." -msgstr "" +msgstr "Pe favore inserisci una password." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:39 msgid "Confirm password:" -msgstr "" +msgstr "Conferma password:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:41 msgid "Please re-type the above password." -msgstr "" +msgstr "Per favore inserisci nuovamente la password inserita sopra." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:44 #: modules/po/../data/webadmin/tmpl/settings.tmpl:151 msgid "Auth Only Via Module:" -msgstr "" +msgstr "Aut. solo tramite modulo:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:46 msgid "" "Allow user authentication by external modules only, disabling built-in " "password authentication." msgstr "" +"Consente l'autenticazione utente solo da moduli esterni, disabilitando " +"l'autenticazione password integrata." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:50 msgid "Allowed IPs:" -msgstr "" +msgstr "IPs consentiti:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:54 msgid "" "Leave empty to allow connections from all IPs.
Otherwise, one entry per " "line, wildcards * and ? are available." msgstr "" +"Lascia vuoto questo campo per accedere allo ZNC da tutti i tuoi indirizzi IP." +"
Altrimenti, inserisci un indirizzo IP per riga. Sono disponibili le " +"wildcards * e ? come caratteri jolly." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:62 msgid "IRC Information" -msgstr "" +msgstr "Informazioni IRC" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:64 msgid "" "Nick, AltNick, Ident, RealName and QuitMsg can be left empty to use default " "values." msgstr "" +"Campi come Nickname, Nickname alternativo, Ident, Nome reale ed il messaggio " +"di Quit possono essere lasciati vuoti. Lo ZNC utilizzerà i dati impostati di " +"default." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:82 msgid "The Ident is sent to server as username." -msgstr "" +msgstr "L'ident è inviato al serveer come username." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:85 #: modules/po/../data/webadmin/tmpl/settings.tmpl:102 msgid "Status Prefix:" -msgstr "" +msgstr "Prefisso di Status:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:87 #: modules/po/../data/webadmin/tmpl/settings.tmpl:104 msgid "The prefix for the status and module queries." -msgstr "" +msgstr "Il prefisso per lo status e il modulo delle query." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:105 msgid "DCCBindHost:" -msgstr "" +msgstr "DCCBindHost:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:122 #: modules/po/../data/webadmin/tmpl/listusers.tmpl:17 #: modules/po/../data/webadmin/tmpl/traffic.tmpl:39 msgid "Networks" -msgstr "" +msgstr "Networks" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:132 #: modules/po/../data/webadmin/tmpl/listusers.tmpl:18 msgid "Clients" -msgstr "" +msgstr "Clients" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:133 msgid "Current Server" -msgstr "" +msgstr "Server attuale" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:134 msgid "Nick" -msgstr "" +msgstr "Nick" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:136 msgid "← Add a network (opens in same page)" -msgstr "" +msgstr "← Aggiungi un network (si apre nella stessa pagina)" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:160 msgid "" "You will be able to add + modify networks here after you have cloned the " "user." msgstr "" +"Qui potrai aggiungere e modificare i networks dopo aver clonato l'utente." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:162 msgid "" "You will be able to add + modify networks here after you have created the " "user." msgstr "" +"Qui potrai aggiungere e modificare i networks dopo aver creato l'utente." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:178 #: modules/po/../data/webadmin/tmpl/settings.tmpl:179 msgid "Loaded by networks" -msgstr "" +msgstr "Caricato dai networks" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:237 msgid "" "These are the default modes ZNC will set when you join an empty channel." msgstr "" +"Queste sono le modalità predefinite che lo ZNC imposterà quando entri in un " +"canale vuoto." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:238 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:244 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:263 msgid "Empty = use standard value" -msgstr "" +msgstr "Vuoto = usa valori standard" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:243 msgid "" @@ -535,18 +573,22 @@ msgid "" "before dropping off the oldest line. The buffers are stored in the memory by " "default." msgstr "" +"Questa è la quantità di linee che il playback buffer (buffer di " +"riproduzione) memorizzerà per i canali prima di eliminare la linea più " +"vecchia. I buffer sono memorizzati nella memoria per impostazione " +"predefinita." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:251 msgid "Queries" -msgstr "" +msgstr "Interrogazioni" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:255 msgid "Max Buffers:" -msgstr "" +msgstr "Buffers massimo:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:257 msgid "Maximum number of query buffers. 0 is unlimited." -msgstr "" +msgstr "Numero massimo dei buffers delle query. 0 è illimitato." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:262 msgid "" @@ -554,19 +596,25 @@ msgid "" "before dropping off the oldest line. The buffers are stored in the memory by " "default." msgstr "" +"Questa è la quantità di linee che il playback buffer (buffer di " +"riproduzione) memorizzerà per le query prima di eliminare la riga più " +"vecchia. I buffer sono memorizzati nella memoria per impostazione " +"predefinita." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:285 msgid "ZNC Behavior" -msgstr "" +msgstr "Comportamento dello ZNC" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:286 msgid "" "Any of the following text boxes can be left empty to use their default value." msgstr "" +"Ognuna delle seguenti caselle di testo può essere lasciata vuota per " +"utilizzare il valore predefinito." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:290 msgid "Timestamp Format:" -msgstr "" +msgstr "Formato Timestamp:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:292 msgid "" @@ -574,46 +622,56 @@ msgid "" "setting is ignored in new IRC clients, which use server-time. If your client " "supports server-time, change timestamp format in client settings instead." msgstr "" +"Il formato per i timestamps utilizzati nei buffer, ad esempio [% H:% M:% S]. " +"Questa impostazione viene ignorata nei nuovi client IRC, che utilizzano " +"l'ora del server. Se il tuo client supporta l'ora del server, modifica " +"invece il formato data/ora nelle impostazioni del client." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:295 msgid "Timezone:" -msgstr "" +msgstr "Fuso orario:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:298 msgid "E.g. Europe/Berlin, or GMT-6" -msgstr "" +msgstr "Esempio: Europa/Berlino, o GMT-6" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:306 msgid "Character encoding used between IRC client and ZNC." -msgstr "" +msgstr "Codifica dei caratteri utilizzata tra client IRC e ZNC." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:307 msgid "Client encoding:" -msgstr "" +msgstr "Codifica del client:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:312 msgid "Join Tries:" -msgstr "" +msgstr "Tentativo d'ingresso:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:314 msgid "" "This defines how many times ZNC tries to join a channel, if the first join " "failed, e.g. due to channel mode +i/+k or if you are banned." msgstr "" +"Questo definisce quante volte lo ZNC tenta di entrare in un canale qual'ora " +"il primo tentativo fallisce, ad esempio a causa della modalità canale +i/+k " +"o se sei stato bannato." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:317 msgid "Join speed:" -msgstr "" +msgstr "Velocità d'ingresso:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:319 msgid "" "How many channels are joined in one JOIN command. 0 is unlimited (default). " "Set to small positive value if you get disconnected with “Max SendQ Exceeded”" msgstr "" +"Quanti canali possono entrare in un solo comando di JOIN. 0 è illimitato " +"(impostazione predefinita). Impostare un valore positivo piccolo se si viene " +"disconnessi con “Max SendQ Exceeded”" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:322 msgid "Timeout before reconnect:" -msgstr "" +msgstr "Timeout prima della riconnessione:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:324 msgid "" @@ -621,221 +679,231 @@ msgid "" "network or declares the connection timeout. This happens after attempts to " "ping the peer." msgstr "" +"Quanto tempo (in secondi) lo ZNC attende fino a ricevere qualcosa dal " +"network o dichiarare il timeout della connessione. Ciò accade dopo i " +"tentativi di ping del peer." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:327 msgid "Max IRC Networks Number:" -msgstr "" +msgstr "Numero massimo di IRC Networks:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:329 msgid "Maximum number of IRC networks allowed for this user." -msgstr "" +msgstr "Numero massimo di networks IRC consentiti per questo utente." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:332 msgid "Substitutions" -msgstr "" +msgstr "Sostituzioni" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:334 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:342 msgid "CTCP Replies:" -msgstr "" +msgstr "Risposte CTCP:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:338 msgid "One reply per line. Example: TIME Buy a watch!" -msgstr "" +msgstr "Una risposta per linea. Esempio: TIME Compra un orologio!" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:339 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:355 msgid "{1} are available" -msgstr "" +msgstr "{1} sono disponibili" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:341 msgid "Empty value means this CTCP request will be ignored" -msgstr "" +msgstr "Un valore vuoto indica che questa richiesta CTCP verrà ignorata" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:347 msgid "Request" -msgstr "" +msgstr "Richiesta" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:348 msgid "Response" -msgstr "" +msgstr "Risposta" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:373 #: modules/po/../data/webadmin/tmpl/settings.tmpl:90 msgid "Skin:" -msgstr "" +msgstr "Aspetto:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:377 msgid "- Global -" -msgstr "" +msgstr "- Globale -" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:379 #: modules/po/../data/webadmin/tmpl/settings.tmpl:94 msgid "Default" -msgstr "" +msgstr "Predefinito" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:383 msgid "No other skins found" -msgstr "" +msgstr "Nessuna skin trovata" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:389 msgid "Language:" -msgstr "" +msgstr "Linguaggio:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:422 msgid "Clone and return" -msgstr "" +msgstr "Clona e ritorna" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:423 msgid "Clone and continue" -msgstr "" +msgstr "Clona e continua" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:425 msgid "Create and return" -msgstr "" +msgstr "Crea e ritorna" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:426 msgid "Create and continue" -msgstr "" +msgstr "Crea e continua" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:432 #: modules/po/../data/webadmin/tmpl/listusers.tmpl:28 msgid "Clone" -msgstr "" +msgstr "Clona" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:434 msgid "Create" -msgstr "" +msgstr "Crea" #: modules/po/../data/webadmin/tmpl/del_network.tmpl:5 msgid "Confirm Network Deletion" -msgstr "" +msgstr "Conferma l'eliminazione del Network" #: modules/po/../data/webadmin/tmpl/del_network.tmpl:9 msgid "Are you sure you want to delete network “{2}” of user “{1}”?" -msgstr "" +msgstr "Sei sicuro di voler eliminare il network “{2}” dell'utente “{1}”?" #: modules/po/../data/webadmin/tmpl/del_network.tmpl:14 #: modules/po/../data/webadmin/tmpl/del_user.tmpl:14 msgid "Yes" -msgstr "" +msgstr "Si" #: modules/po/../data/webadmin/tmpl/del_network.tmpl:17 #: modules/po/../data/webadmin/tmpl/del_user.tmpl:17 msgid "No" -msgstr "" +msgstr "No" #: modules/po/../data/webadmin/tmpl/del_user.tmpl:5 msgid "Confirm User Deletion" -msgstr "" +msgstr "Conferma l'eliminazione dell'utente" #: modules/po/../data/webadmin/tmpl/del_user.tmpl:9 msgid "Are you sure you want to delete user “{1}”?" -msgstr "" +msgstr "Sei sicuro di voler eliminare l'utente “{1}”?" #: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:6 msgid "ZNC is compiled without encodings support. {1} is required for it." msgstr "" +"Lo ZNC è compilato senza supporto per le codifiche. {1} è richiesto per " +"questo." #: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:11 msgid "Legacy mode is disabled by modpython." -msgstr "" +msgstr "La modalità legacy è disabilitata da modpython." #: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:18 msgid "Don't ensure any encoding at all (legacy mode, not recommended)" -msgstr "" +msgstr "Non assicura alcuna codifica (la modalità legacy, non consigliata)" #: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:22 msgid "Try to parse as UTF-8 and as {1}, send as UTF-8 (recommended)" msgstr "" +"Prova ad analizzare come UTF-8 e come {1}, invia come UTF-8 (raccomandato)" #: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:26 msgid "Try to parse as UTF-8 and as {1}, send as {1}" -msgstr "" +msgstr "Prova ad analizzare come UTF-8 e come {1}, invia come {1}" #: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:30 msgid "Parse and send as {1} only" -msgstr "" +msgstr "Analizza e invia solo come {1}" #: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:36 msgid "E.g. UTF-8, or ISO-8859-15" -msgstr "" +msgstr "Esempio: UTF-8, o ISO-8859-15" #: modules/po/../data/webadmin/tmpl/index.tmpl:5 msgid "Welcome to the ZNC webadmin module." -msgstr "" +msgstr "Benvenuto nel modulo di amministrazione dello ZNC via web." #: modules/po/../data/webadmin/tmpl/index.tmpl:6 msgid "" "All changes you make will be in effect immediately after you submitted them." msgstr "" +"Tutte le modifiche apportate avranno effetto immediato dopo averle salvate." #: modules/po/../data/webadmin/tmpl/listusers.tmpl:16 msgid "Username" -msgstr "" +msgstr "Username" #: modules/po/../data/webadmin/tmpl/listusers.tmpl:29 #: modules/po/../data/webadmin/tmpl/settings.tmpl:21 msgid "Delete" -msgstr "" +msgstr "Elimina" #: modules/po/../data/webadmin/tmpl/settings.tmpl:6 msgid "Listen Port(s)" -msgstr "" +msgstr "Porta(e) in ascolto" #: modules/po/../data/webadmin/tmpl/settings.tmpl:14 msgid "BindHost" -msgstr "" +msgstr "BindHost" #: modules/po/../data/webadmin/tmpl/settings.tmpl:16 msgid "IPv4" -msgstr "" +msgstr "IPv4" #: modules/po/../data/webadmin/tmpl/settings.tmpl:17 msgid "IPv6" -msgstr "" +msgstr "IPv6" #: modules/po/../data/webadmin/tmpl/settings.tmpl:18 msgid "IRC" -msgstr "" +msgstr "IRC" #: modules/po/../data/webadmin/tmpl/settings.tmpl:19 msgid "HTTP" -msgstr "" +msgstr "HTTP" #: modules/po/../data/webadmin/tmpl/settings.tmpl:20 msgid "URIPrefix" -msgstr "" +msgstr "Prefisso URI" #: modules/po/../data/webadmin/tmpl/settings.tmpl:56 msgid "" "To delete port which you use to access webadmin itself, either connect to " "webadmin via another port, or do it in IRC (/znc DelPort)" msgstr "" +"Per eliminare la porta che usi per accedere a webadmin, connettersi al " +"webadmin tramite un'altra porta o farlo in IRC (/znc DelPort)" #: modules/po/../data/webadmin/tmpl/settings.tmpl:56 msgid "Current" -msgstr "" +msgstr "Attuale" #: modules/po/../data/webadmin/tmpl/settings.tmpl:86 msgid "Settings" -msgstr "" +msgstr "Impostazioni" #: modules/po/../data/webadmin/tmpl/settings.tmpl:105 msgid "Default for new users only." -msgstr "" +msgstr "Predefinito solamente per i nuovi utenti." #: modules/po/../data/webadmin/tmpl/settings.tmpl:110 msgid "Maximum Buffer Size:" -msgstr "" +msgstr "Dimensione massima del Buffer:" #: modules/po/../data/webadmin/tmpl/settings.tmpl:112 msgid "Sets the global Max Buffer Size a user can have." msgstr "" +"Imposta globalmente la dimensione massima del buffer che un utente può avere." #: modules/po/../data/webadmin/tmpl/settings.tmpl:117 msgid "Connect Delay:" -msgstr "" +msgstr "Ritardo della connessione (Delay):" #: modules/po/../data/webadmin/tmpl/settings.tmpl:119 msgid "" @@ -843,367 +911,395 @@ msgid "" "affects the connection between ZNC and the IRC server; not the connection " "between your IRC client and ZNC." msgstr "" +"Il tempo in secondi tra un tenativo di connessione e l'altro verso i server " +"IRC. Ciò influisce sulla connessione tra ZNC e il server IRC; non la " +"connessione tra il tuo client IRC e lo ZNC." #: modules/po/../data/webadmin/tmpl/settings.tmpl:124 msgid "Server Throttle:" -msgstr "" +msgstr "Server Throttle:" #: modules/po/../data/webadmin/tmpl/settings.tmpl:126 msgid "" "The minimal time between two connect attempts to the same hostname, in " "seconds. Some servers refuse your connection if you reconnect too fast." msgstr "" +"Il tempo minimo in secondi tra due tentativi di connessione allo stesso " +"hostname. Alcuni server rifiutano la connessione se ti riconnetti troppo " +"velocemente." #: modules/po/../data/webadmin/tmpl/settings.tmpl:131 msgid "Anonymous Connection Limit per IP:" -msgstr "" +msgstr "Limite connessioni anonime per IP:" #: modules/po/../data/webadmin/tmpl/settings.tmpl:133 msgid "Limits the number of unidentified connections per IP." -msgstr "" +msgstr "Limita il numero di connessioni non identificate per IP." #: modules/po/../data/webadmin/tmpl/settings.tmpl:138 msgid "Protect Web Sessions:" -msgstr "" +msgstr "Protezione sezioni Web:" #: modules/po/../data/webadmin/tmpl/settings.tmpl:140 msgid "Disallow IP changing during each web session" -msgstr "" +msgstr "Non consentire la modifica dell'IP durante ciascuna sessione Web" #: modules/po/../data/webadmin/tmpl/settings.tmpl:145 msgid "Hide ZNC Version:" -msgstr "" +msgstr "Nascondi la versione dello ZNC:" #: modules/po/../data/webadmin/tmpl/settings.tmpl:147 msgid "Hide version number from non-ZNC users" -msgstr "" +msgstr "Nascondi il numero di versione dagli utenti non ZNC" #: modules/po/../data/webadmin/tmpl/settings.tmpl:153 msgid "Allow user authentication by external modules only" -msgstr "" +msgstr "Consente l'autenticazione utente solo da moduli esterni" #: modules/po/../data/webadmin/tmpl/settings.tmpl:158 msgid "MOTD:" -msgstr "" +msgstr "MOTD:" #: modules/po/../data/webadmin/tmpl/settings.tmpl:162 msgid "“Message of the Day”, sent to all ZNC users on connect." msgstr "" +"“Messaggio del giorno”, inviato a tutti gli utenti dello ZNC alla " +"connessione." #: modules/po/../data/webadmin/tmpl/settings.tmpl:170 msgid "Global Modules" -msgstr "" +msgstr "Moduli Globali" #: modules/po/../data/webadmin/tmpl/settings.tmpl:180 msgid "Loaded by users" -msgstr "" +msgstr "Caricato dagli utenti" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:7 msgid "Information" -msgstr "" +msgstr "Informazioni" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:13 msgid "Uptime" -msgstr "" +msgstr "Tempo di attività" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:18 msgid "Total Users" -msgstr "" +msgstr "Utenti totali" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:22 msgid "Total Networks" -msgstr "" +msgstr "Networks totali" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:26 #: modules/po/../data/webadmin/tmpl/traffic.tmpl:43 msgid "Attached Networks" -msgstr "" +msgstr "Networks attaccati" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:30 msgid "Total Client Connections" -msgstr "" +msgstr "Connessioni totali del Client" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:34 msgid "Total IRC Connections" -msgstr "" +msgstr "Connessioni IRC totali" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:47 msgid "Client Connections" -msgstr "" +msgstr "Connessioni del client" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:51 msgid "IRC Connections" -msgstr "" +msgstr "Connessione IRC" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:63 #: modules/po/../data/webadmin/tmpl/traffic.tmpl:72 #: modules/po/../data/webadmin/tmpl/traffic.tmpl:89 #: modules/po/../data/webadmin/tmpl/traffic.tmpl:117 msgid "Total" -msgstr "" +msgstr "Totale" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:70 #: modules/po/../data/webadmin/tmpl/traffic.tmpl:115 msgctxt "Traffic" msgid "In" -msgstr "" +msgstr "Entrata" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:71 #: modules/po/../data/webadmin/tmpl/traffic.tmpl:116 msgctxt "Traffic" msgid "Out" -msgstr "" +msgstr "Uscita" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:77 #: modules/po/../data/webadmin/tmpl/traffic.tmpl:104 msgid "Users" -msgstr "" +msgstr "Utente" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:106 msgid "Traffic" -msgstr "" +msgstr "Traffico" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:113 msgid "User" -msgstr "" +msgstr "Utente" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:114 msgid "Network" -msgstr "" +msgstr "Network" #: webadmin.cpp:91 webadmin.cpp:1872 msgid "Global Settings" -msgstr "" +msgstr "Impostazione moduli" #: webadmin.cpp:93 msgid "Your Settings" -msgstr "" +msgstr "Le tue impostazioni" #: webadmin.cpp:94 webadmin.cpp:1684 msgid "Traffic Info" -msgstr "" +msgstr "Informazioni del traffico" #: webadmin.cpp:97 webadmin.cpp:1663 msgid "Manage Users" -msgstr "" +msgstr "Gestione utenti" #: webadmin.cpp:188 msgid "Invalid Submission [Username is required]" -msgstr "" +msgstr "Invio non valido [nome utente richiesto]" #: webadmin.cpp:201 msgid "Invalid Submission [Passwords do not match]" -msgstr "" +msgstr "Invio non valido [Le password non corrispondono]" #: webadmin.cpp:323 msgid "Timeout can't be less than 30 seconds!" -msgstr "" +msgstr "Il timeout non può essere inferiore a 30 secondi!" #: webadmin.cpp:407 webadmin.cpp:435 webadmin.cpp:1182 webadmin.cpp:2057 msgid "Unable to load module [{1}]: {2}" -msgstr "" +msgstr "Impossibile caricare il modulo [{1}]: {2}" #: webadmin.cpp:412 webadmin.cpp:440 msgid "Unable to load module [{1}] with arguments [{2}]" -msgstr "" +msgstr "Impossibile caricare il modulo [{1}] con gli argomenti [{2}]" #: webadmin.cpp:521 webadmin.cpp:625 webadmin.cpp:650 webadmin.cpp:672 #: webadmin.cpp:706 webadmin.cpp:1249 msgid "No such user" -msgstr "" +msgstr "Nessun utente" #: webadmin.cpp:534 webadmin.cpp:566 webadmin.cpp:595 webadmin.cpp:611 msgid "No such user or network" -msgstr "" +msgstr "Nessun utente o network" #: webadmin.cpp:576 msgid "No such channel" -msgstr "" +msgstr "Nessun canale" #: webadmin.cpp:642 msgid "Please don't delete yourself, suicide is not the answer!" -msgstr "" +msgstr "Per favore, non cancellarti, il suicidio non è la risposta!" #: webadmin.cpp:715 webadmin.cpp:972 webadmin.cpp:1314 msgid "Edit User [{1}]" -msgstr "" +msgstr "Modifica utente [{1}]" #: webadmin.cpp:719 webadmin.cpp:906 msgid "Edit Network [{1}]" -msgstr "" +msgstr "Modifica Network [{1}]" #: webadmin.cpp:729 msgid "Edit Channel [{1}] of Network [{2}] of User [{3}]" -msgstr "" +msgstr "Modifica canale [{1}] del Network [{2}] dell'utente [{3}]" #: webadmin.cpp:736 msgid "Edit Channel [{1}]" -msgstr "" +msgstr "Modifica canale [{1}]" #: webadmin.cpp:744 msgid "Add Channel to Network [{1}] of User [{2}]" -msgstr "" +msgstr "Aggiungi canale al Network [{1}] dell'utente [{2}]" #: webadmin.cpp:749 msgid "Add Channel" -msgstr "" +msgstr "Aggiungi canale" #: webadmin.cpp:756 webadmin.cpp:1510 msgid "Auto Clear Chan Buffer" -msgstr "" +msgstr "Auto cancellazione del Buffer sui canali" #: webadmin.cpp:758 msgid "Automatically Clear Channel Buffer After Playback" msgstr "" +"Cancella automaticamente il buffer del canale dopo la riproduzione (Playback)" #: webadmin.cpp:766 msgid "Detached" -msgstr "" +msgstr "Distaccati" #: webadmin.cpp:773 msgid "Enabled" -msgstr "" +msgstr "Abilitato" #: webadmin.cpp:797 msgid "Channel name is a required argument" -msgstr "" +msgstr "Il nome del canale è un argomento obbligatorio" #: webadmin.cpp:806 msgid "Channel [{1}] already exists" -msgstr "" +msgstr "Canale [{1}] già esistente" #: webadmin.cpp:813 msgid "Could not add channel [{1}]" -msgstr "" +msgstr "Impossibile aggiungere il canale [{1}]" #: webadmin.cpp:861 msgid "Channel was added/modified, but config file was not written" msgstr "" +"Il canale è stato aggiunto/modificato, ma il file di configurazione non è " +"stato scritto" #: webadmin.cpp:888 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks from Your Settings." msgstr "" +"Raggiunto il numero limite di Network consentiti. Chiedi ad un " +"amministratore di aumentare il limite per te, o elimina un network che non " +"ritieni più necessario attraverso le tue impostazioni." #: webadmin.cpp:903 msgid "Edit Network [{1}] of User [{2}]" -msgstr "" +msgstr "Modifica Network [{1}] dell'utente [{2}]" #: webadmin.cpp:910 msgid "Add Network for User [{1}]" -msgstr "" +msgstr "Aggiungi Network per l'utente [{1}]" #: webadmin.cpp:911 msgid "Add Network" -msgstr "" +msgstr "Aggiungi Network" #: webadmin.cpp:1073 msgid "Network name is a required argument" -msgstr "" +msgstr "Il nome del network è un argomento richiesto" #: webadmin.cpp:1189 webadmin.cpp:2064 msgid "Unable to reload module [{1}]: {2}" -msgstr "" +msgstr "Impossibile ricaricare il modulo [{1}]: {2}" #: webadmin.cpp:1226 msgid "Network was added/modified, but config file was not written" msgstr "" +"Il network è stato aggiunto/modificato, ma il file di configurazione non è " +"stato scritto" #: webadmin.cpp:1255 msgid "That network doesn't exist for this user" -msgstr "" +msgstr "Quel canale non esiste per questo utente" #: webadmin.cpp:1272 msgid "Network was deleted, but config file was not written" msgstr "" +"Il network è stato eliminato, ma il file di configurazione non è stato " +"scritto" #: webadmin.cpp:1286 msgid "That channel doesn't exist for this network" -msgstr "" +msgstr "Quel canale non esiste per questo network" #: webadmin.cpp:1295 msgid "Channel was deleted, but config file was not written" msgstr "" +"Il canale è stato eliminato, ma il file di configurazione non è stato scritto" #: webadmin.cpp:1323 msgid "Clone User [{1}]" -msgstr "" +msgstr "Clona l'utente [{1}]" #: webadmin.cpp:1512 msgid "" "Automatically Clear Channel Buffer After Playback (the default value for new " "channels)" msgstr "" +"Cancella automaticamente il buffer del canale dopo la riproduzione " +"(Playback) (valore di default per i nuovi canali)" #: webadmin.cpp:1522 msgid "Multi Clients" -msgstr "" +msgstr "Clients multipli" #: webadmin.cpp:1529 msgid "Append Timestamps" -msgstr "" +msgstr "Aggiungi Timestamps (orologio)" #: webadmin.cpp:1536 msgid "Prepend Timestamps" -msgstr "" +msgstr "Anteponi il Timestamps" #: webadmin.cpp:1544 msgid "Deny LoadMod" -msgstr "" +msgstr "Nega LoadMod" #: webadmin.cpp:1551 msgid "Admin" -msgstr "" +msgstr "Admin" #: webadmin.cpp:1561 msgid "Deny SetBindHost" -msgstr "" +msgstr "Nega SetBindHost" #: webadmin.cpp:1569 msgid "Auto Clear Query Buffer" -msgstr "" +msgstr "Auto cancellazione del Buffer sulle Query" #: webadmin.cpp:1571 msgid "Automatically Clear Query Buffer After Playback" msgstr "" +"Cancella automaticamente il buffer della Query dopo la riproduzione " +"(Playback)" #: webadmin.cpp:1595 msgid "Invalid Submission: User {1} already exists" -msgstr "" +msgstr "Invio non valido: L'utente {1} è già esistente" #: webadmin.cpp:1617 webadmin.cpp:1628 msgid "Invalid submission: {1}" -msgstr "" +msgstr "Invio non valido: {1}" #: webadmin.cpp:1623 msgid "User was added, but config file was not written" msgstr "" +"L'utente è stato aggiunto, ma il file di configurazione non è stato scritto" #: webadmin.cpp:1634 msgid "User was edited, but config file was not written" msgstr "" +"L'utente è stato modificato, ma il file di configurazione non è stato scritto" #: webadmin.cpp:1792 msgid "Choose either IPv4 or IPv6 or both." -msgstr "" +msgstr "Scegli tra IPv4 o IPv6 o entrambi." #: webadmin.cpp:1809 msgid "Choose either IRC or HTTP or both." -msgstr "" +msgstr "Scegli tra IRC o HTTP o entrambi." #: webadmin.cpp:1822 webadmin.cpp:1858 msgid "Port was changed, but config file was not written" msgstr "" +"La porta è stata cambiata, ma il file di configurazione non è stato scritto" #: webadmin.cpp:1848 msgid "Invalid request." -msgstr "" +msgstr "Richiesta non valida." #: webadmin.cpp:1862 msgid "The specified listener was not found." -msgstr "" +msgstr "L'ascoltatore specificato non è stato trovato." #: webadmin.cpp:2093 msgid "Settings were changed, but config file was not written" msgstr "" +"Le impostazioni sono state cambiate, ma il file di configurazione non è " +"stato scritto" From 412aeb1dd04e509775a95a912d8abc06f7662b70 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Sat, 27 Jul 2019 00:27:03 +0000 Subject: [PATCH 294/798] Update translations from Crowdin for it_IT --- modules/po/adminlog.it_IT.po | 12 +-- modules/po/alias.it_IT.po | 10 +-- modules/po/autoattach.it_IT.po | 6 +- modules/po/autoop.it_IT.po | 30 ++++---- modules/po/autoreply.it_IT.po | 6 +- modules/po/autovoice.it_IT.po | 10 +-- modules/po/awaystore.it_IT.po | 14 ++-- modules/po/block_motd.it_IT.po | 6 +- modules/po/blockuser.it_IT.po | 8 +- modules/po/bouncedcc.it_IT.po | 4 +- modules/po/buffextras.it_IT.po | 4 +- modules/po/cert.it_IT.po | 2 +- modules/po/certauth.it_IT.po | 8 +- modules/po/chansaver.it_IT.po | 2 +- modules/po/clearbufferonmsg.it_IT.po | 2 +- modules/po/clientnotify.it_IT.po | 2 +- modules/po/controlpanel.it_IT.po | 107 ++++++++++++++------------- modules/po/crypt.it_IT.po | 17 +++-- modules/po/ctcpflood.it_IT.po | 14 ++-- modules/po/cyrusauth.it_IT.po | 11 +-- modules/po/dcc.it_IT.po | 31 ++++---- modules/po/disconkick.it_IT.po | 4 +- modules/po/fail2ban.it_IT.po | 32 ++++---- modules/po/flooddetach.it_IT.po | 14 ++-- modules/po/identfile.it_IT.po | 10 +-- modules/po/keepnick.it_IT.po | 8 +- modules/po/kickrejoin.it_IT.po | 4 +- modules/po/lastseen.it_IT.po | 2 +- modules/po/listsockets.it_IT.po | 6 +- modules/po/log.it_IT.po | 20 ++--- src/po/znc.it_IT.po | 14 +++- 31 files changed, 218 insertions(+), 202 deletions(-) diff --git a/modules/po/adminlog.it_IT.po b/modules/po/adminlog.it_IT.po index 669a6d08..91a70e4a 100644 --- a/modules/po/adminlog.it_IT.po +++ b/modules/po/adminlog.it_IT.po @@ -30,19 +30,19 @@ msgstr "Accesso negato" #: adminlog.cpp:156 msgid "Now logging to file" -msgstr "Nuovo logging su file" +msgstr "Adesso logging su file" #: adminlog.cpp:160 msgid "Now only logging to syslog" -msgstr "Ora logging solo su syslog" +msgstr "Adesso logging solo su syslog" #: adminlog.cpp:164 msgid "Now logging to syslog and file" -msgstr "Nuovo logging su syslog e file" +msgstr "Adesso logging su syslog e file" #: adminlog.cpp:168 msgid "Usage: Target [path]" -msgstr "Usa: Target [path]" +msgstr "Utilizzo: Target [path]" #: adminlog.cpp:170 msgid "Unknown target" @@ -58,7 +58,7 @@ msgstr "Il logging è abilitato per il syslog" #: adminlog.cpp:198 msgid "Logging is enabled for both, file and syslog" -msgstr "Il logging è abilitato per entrambi, file e syslog" +msgstr "Il logging è abilitato per sia per i file sia per il syslog" #: adminlog.cpp:204 msgid "Log file will be written to {1}" @@ -66,4 +66,4 @@ msgstr "I file di Log verranno scritti su {1}" #: adminlog.cpp:222 msgid "Log ZNC events to file and/or syslog." -msgstr "Logga gli eventi dello ZNC su file e/o syslog." +msgstr "Logga gli eventi ZNC su file e/o syslog." diff --git a/modules/po/alias.it_IT.po b/modules/po/alias.it_IT.po index 47679c05..503d607b 100644 --- a/modules/po/alias.it_IT.po +++ b/modules/po/alias.it_IT.po @@ -14,7 +14,7 @@ msgstr "" #: alias.cpp:141 msgid "missing required parameter: {1}" -msgstr "manca il parametro richiesto: {1}" +msgstr "manca il parametro obbligatorio: {1}" #: alias.cpp:201 msgid "Created alias: {1}" @@ -56,7 +56,7 @@ msgstr ", " #: alias.cpp:324 msgid "Actions for alias {1}:" -msgstr "Azioni dell'alias {1}:" +msgstr "Azioni per l'alias {1}:" #: alias.cpp:331 msgid "End of actions for alias {1}." @@ -68,7 +68,7 @@ msgstr "" #: alias.cpp:339 msgid "Creates a new, blank alias called name." -msgstr "Crea un nuovo alias vuto, chiamato nome." +msgstr "Crea un nuovo alias vuoto, chiamato nome." #: alias.cpp:341 msgid "Deletes an existing alias." @@ -88,7 +88,7 @@ msgstr " " #: alias.cpp:347 msgid "Inserts a line into an existing alias." -msgstr "Inserisce una linea in un'alias esistente." +msgstr "Inserisce una linea in un alias esistente." #: alias.cpp:349 msgid " " @@ -117,7 +117,7 @@ msgstr "" #: alias.cpp:374 msgid "Clearing all of them!" -msgstr "Libera tutti loro!" +msgstr "Pulisco tutti!" #: alias.cpp:409 msgid "Provides bouncer-side command alias support." diff --git a/modules/po/autoattach.it_IT.po b/modules/po/autoattach.it_IT.po index 6664062a..d714fe4e 100644 --- a/modules/po/autoattach.it_IT.po +++ b/modules/po/autoattach.it_IT.po @@ -18,7 +18,7 @@ msgstr "Aggiunto alla lista" #: autoattach.cpp:96 msgid "{1} is already added" -msgstr "{1} è già aggiunto" +msgstr "{1} è già stato aggiunto" #: autoattach.cpp:100 msgid "Usage: Add [!]<#chan> " @@ -46,7 +46,7 @@ msgstr "Canale" #: autoattach.cpp:123 autoattach.cpp:131 msgid "Search" -msgstr "Ricerca" +msgstr "Cerca" #: autoattach.cpp:124 autoattach.cpp:132 msgid "Host" @@ -63,7 +63,7 @@ msgstr "[!]<#canale> " #: autoattach.cpp:147 msgid "Add an entry, use !#chan to negate and * for wildcards" msgstr "" -"Aggiunge una voce, usa !#canale per negare e * come wildcards (caratteri " +"Aggiunge una voce, usa !#canale per negare e * come wildcard (caratteri " "jolly)" #: autoattach.cpp:150 diff --git a/modules/po/autoop.it_IT.po b/modules/po/autoop.it_IT.po index 9706cfc2..1c22bb1b 100644 --- a/modules/po/autoop.it_IT.po +++ b/modules/po/autoop.it_IT.po @@ -34,11 +34,11 @@ msgstr " ,[maschera] ..." #: autoop.cpp:163 msgid "Adds masks to a user" -msgstr "Aggiunge una maschera (masks) ad un utente" +msgstr "Aggiunge una maschera (mask) ad un utente" #: autoop.cpp:166 msgid "Removes masks from a user" -msgstr "Rimuove una maschera (masks) da un utente" +msgstr "Rimuove una maschera (mask) da un utente" #: autoop.cpp:169 msgid " [,...] [channels]" @@ -58,11 +58,11 @@ msgstr "Rimuove un utente" #: autoop.cpp:275 msgid "Usage: AddUser [,...] [channels]" -msgstr "Usa: AddUser [,...] [channels]" +msgstr "Utilizzo: AddUser [,...] [channels]" #: autoop.cpp:291 msgid "Usage: DelUser " -msgstr "Usa: DelUser " +msgstr "Utilizzo: DelUser " #: autoop.cpp:300 msgid "There are no users defined" @@ -90,7 +90,7 @@ msgstr "Usa: AddChans [channel] ..." #: autoop.cpp:344 autoop.cpp:365 autoop.cpp:387 autoop.cpp:408 autoop.cpp:472 msgid "No such user" -msgstr "Utente non presente" +msgstr "Utente inesistente" #: autoop.cpp:349 msgid "Channel(s) added to user {1}" @@ -98,7 +98,7 @@ msgstr "Canali aggiunti all'utente {1}" #: autoop.cpp:358 msgid "Usage: DelChans [channel] ..." -msgstr "Usa: DelChans [channel] ..." +msgstr "Utilizzo: DelChans [channel] ..." #: autoop.cpp:371 msgid "Channel(s) Removed from user {1}" @@ -140,18 +140,18 @@ msgstr "L'utente {1} viene aggiunto con la hostmask(s) {2}" msgid "" "[{1}] sent us a challenge but they are not opped in any defined channels." msgstr "" -"[{1}] ci ha inviato una sfida ma loro non sono appati in nessuno dei canali " -"definiti." +"[{1}] ci ha inviato una challenge ma loro non sono operatori in nessuno dei " +"canali definiti." #: autoop.cpp:536 msgid "[{1}] sent us a challenge but they do not match a defined user." msgstr "" -"[{1}] ci ha inviato una sfida ma loro non corrispondono a nessuno degli " +"[{1}] ci ha inviato una challenge ma loro non corrispondono a nessuno degli " "utenti definiti." #: autoop.cpp:544 msgid "WARNING! [{1}] sent an invalid challenge." -msgstr "AVVISO! [{1}] ha inviato una sfida non valida." +msgstr "ATTENZIONE! [{1}] ha inviato una challenge non valida." #: autoop.cpp:560 msgid "[{1}] sent an unchallenged response. This could be due to lag." @@ -164,15 +164,15 @@ msgid "" "WARNING! [{1}] sent a bad response. Please verify that you have their " "correct password." msgstr "" -"AVVISO! [{1}] inviato una brutta risposta. Per favore verifica di avere la " -"loro password corretta." +"ATTENZIONE! [{1}] inviato una risposta errata. Per favore verifica di avere " +"la loro password corretta." #: autoop.cpp:586 msgid "WARNING! [{1}] sent a response but did not match any defined users." msgstr "" -"AVVISO! [{1}] ha inviato una risposta, ma non corrisponde ad alcun utente " -"definito." +"ATTENZIONE! [{1}] ha inviato una risposta, ma non corrisponde ad alcun " +"utente definito." #: autoop.cpp:644 msgid "Auto op the good people" -msgstr "Auto Op alle buone persone" +msgstr "Auto Op le buone persone" diff --git a/modules/po/autoreply.it_IT.po b/modules/po/autoreply.it_IT.po index 46191592..53792e38 100644 --- a/modules/po/autoreply.it_IT.po +++ b/modules/po/autoreply.it_IT.po @@ -37,9 +37,9 @@ msgid "" "You might specify a reply text. It is used when automatically answering " "queries, if you are not connected to ZNC." msgstr "" -"Puoi specificare un testo di risposta. Viente utilizzato quando si risponde " -"automaticamente alle query se non si è connessi allo ZNC." +"Puoi specificare un testo di risposta. Essa viene utilizzata automaticamente " +"per rispondere alle query se non si è connessi a ZNC." #: autoreply.cpp:98 msgid "Reply to queries when you are away" -msgstr "Risponde alle queries quando sei assente" +msgstr "Risponde alle query quando sei assente" diff --git a/modules/po/autovoice.it_IT.po b/modules/po/autovoice.it_IT.po index a3c7b15f..8c33bdc2 100644 --- a/modules/po/autovoice.it_IT.po +++ b/modules/po/autovoice.it_IT.po @@ -70,11 +70,11 @@ msgstr "Canali" #: autovoice.cpp:263 msgid "Usage: AddChans [channel] ..." -msgstr "Usa: AddChans [canale] ..." +msgstr "Utilizzo: AddChans [canale] ..." #: autovoice.cpp:270 autovoice.cpp:292 autovoice.cpp:329 msgid "No such user" -msgstr "Utente non presente" +msgstr "Utente inesistente" #: autovoice.cpp:275 msgid "Channel(s) added to user {1}" @@ -94,7 +94,7 @@ msgstr "L'utente {1} è stato rimosso" #: autovoice.cpp:341 msgid "That user already exists" -msgstr "Questo utente è già esistente" +msgstr "Questo utente già esiste" #: autovoice.cpp:347 msgid "User {1} added with hostmask {2}" @@ -105,8 +105,8 @@ msgid "" "Each argument is either a channel you want autovoice for (which can include " "wildcards) or, if it starts with !, it is an exception for autovoice." msgstr "" -"Ogni argomento è o un canale per il quale si vuole l'autovoice (che può " -"includere caratteri jolly) o, se inizia con !, è un'eccezione per " +"Ogni argomento è un canale per il quale si vuole l'autovoice (che può " +"includere caratteri jolly) oppure, se inizia con !, è un'eccezione per " "l'autovoice." #: autovoice.cpp:365 diff --git a/modules/po/awaystore.it_IT.po b/modules/po/awaystore.it_IT.po index 3da2a4cc..bacc71e2 100644 --- a/modules/po/awaystore.it_IT.po +++ b/modules/po/awaystore.it_IT.po @@ -14,7 +14,7 @@ msgstr "" #: awaystore.cpp:67 msgid "You have been marked as away" -msgstr "Sei contrassegnato come assente" +msgstr "Sei contrassegnato come assente (away)" #: awaystore.cpp:78 awaystore.cpp:385 awaystore.cpp:388 msgid "Welcome back!" @@ -26,7 +26,7 @@ msgstr "Eliminato {1} messaggi" #: awaystore.cpp:104 msgid "USAGE: delete " -msgstr "USA: delete " +msgstr "UTILIZZA: delete " #: awaystore.cpp:109 msgid "Illegal message # requested" @@ -74,7 +74,7 @@ msgstr "Timer impostato a {1} secondi" #: awaystore.cpp:203 msgid "Current timer setting: {1} seconds" -msgstr "Impostazioni dell'ora corrente: {1} secondi" +msgstr "Impostazioni del timer corrente: {1} secondi" #: awaystore.cpp:278 msgid "This module needs as an argument a keyphrase used for encryption" @@ -87,7 +87,7 @@ msgid "" "Failed to decrypt your saved messages - Did you give the right encryption " "key as an argument to this module?" msgstr "" -"Impossibile decrittografare i messaggi salvati. Hai fornito la chiave di " +"Impossibile decriptare i messaggi salvati. Hai fornito la chiave di " "crittografia giusta come argomento per questo modulo?" #: awaystore.cpp:386 awaystore.cpp:389 @@ -100,7 +100,7 @@ msgstr "Impossibile trovare il buffer" #: awaystore.cpp:469 msgid "Unable to decode encrypted messages" -msgstr "Impossibile decodificare i messaggi crittografati" +msgstr "Impossibile decriptare i messaggi crittografati" #: awaystore.cpp:516 msgid "" @@ -114,5 +114,5 @@ msgstr "" msgid "" "Adds auto-away with logging, useful when you use ZNC from different locations" msgstr "" -"Aggiunge un auto-away con logging, utile quando si utilizza lo ZNC da " -"diverse posizioni" +"Aggiunge un auto-away con logging, utile quando si utilizza ZNC da diverse " +"posizioni" diff --git a/modules/po/block_motd.it_IT.po b/modules/po/block_motd.it_IT.po index cd8f97bc..4e821e1f 100644 --- a/modules/po/block_motd.it_IT.po +++ b/modules/po/block_motd.it_IT.po @@ -21,8 +21,8 @@ msgid "" "Override the block with this command. Can optionally specify which server to " "query." msgstr "" -"Oltrepassa il blocco con questo comando. Opzionalmente puoi specificare " -"quale server interrogare." +"Ignora il blocco con questo comando. Opzionalmente puoi specificare quale " +"server interrogare." #: block_motd.cpp:36 msgid "You are not connected to an IRC Server." @@ -30,7 +30,7 @@ msgstr "Non sei connesso ad un server IRC." #: block_motd.cpp:58 msgid "MOTD blocked by ZNC" -msgstr "MOTD bloccato dallo ZNC" +msgstr "MOTD bloccato da ZNC" #: block_motd.cpp:104 msgid "Block the MOTD from IRC so it's not sent to your client(s)." diff --git a/modules/po/blockuser.it_IT.po b/modules/po/blockuser.it_IT.po index fe1b1d6d..f7a7cbe3 100644 --- a/modules/po/blockuser.it_IT.po +++ b/modules/po/blockuser.it_IT.po @@ -54,7 +54,7 @@ msgstr "Utenti bloccati:" #: blockuser.cpp:100 msgid "Usage: Block " -msgstr "Usa: Block " +msgstr "Utilizzo: Block " #: blockuser.cpp:105 blockuser.cpp:147 msgid "You can't block yourself" @@ -70,7 +70,7 @@ msgstr "Impossibile bloccare {1} (errore di ortografia?)" #: blockuser.cpp:120 msgid "Usage: Unblock " -msgstr "Usa: Unblock " +msgstr "Utilizzo: Unblock " #: blockuser.cpp:125 blockuser.cpp:161 msgid "Unblocked {1}" @@ -90,8 +90,8 @@ msgstr "L'utente {1} non è bloccato" #: blockuser.cpp:216 msgid "Enter one or more user names. Separate them by spaces." -msgstr "Inserisci uno o più nomi utente. Seprali da uno spazio." +msgstr "Inserisci uno o più nomi utente. Separali con uno spazio." #: blockuser.cpp:219 msgid "Block certain users from logging in." -msgstr "Blocca determinati utenti a partire dal login." +msgstr "Blocca il login di determinati utenti." diff --git a/modules/po/bouncedcc.it_IT.po b/modules/po/bouncedcc.it_IT.po index 0a935279..09ff745c 100644 --- a/modules/po/bouncedcc.it_IT.po +++ b/modules/po/bouncedcc.it_IT.po @@ -134,5 +134,5 @@ msgid "" "Bounces DCC transfers through ZNC instead of sending them directly to the " "user. " msgstr "" -"Rimuove/Rimbalza i trasferimenti DCC tramite ZNC invece di inviarli " -"direttamente all'utente." +"Rimbalza (bounce) i trasferimenti DCC tramite ZNC invece di inviarli " +"direttamente all'utente. " diff --git a/modules/po/buffextras.it_IT.po b/modules/po/buffextras.it_IT.po index d7fad976..37e96ab7 100644 --- a/modules/po/buffextras.it_IT.po +++ b/modules/po/buffextras.it_IT.po @@ -26,7 +26,7 @@ msgstr "{1} kicked {2} per questo motivo: {3}" #: buffextras.cpp:64 msgid "{1} quit: {2}" -msgstr "{1} quit: {2}" +msgstr "{1} lascia: {2}" #: buffextras.cpp:73 msgid "{1} joined" @@ -46,4 +46,4 @@ msgstr "{1} ha cambiato il topic in: {2}" #: buffextras.cpp:115 msgid "Adds joins, parts etc. to the playback buffer" -msgstr "Aggiugne joins, parts eccetera al buffer del playback" +msgstr "Aggiunge joins, parts ecc. al buffer del playback" diff --git a/modules/po/cert.it_IT.po b/modules/po/cert.it_IT.po index b0446d09..a4c7b8c3 100644 --- a/modules/po/cert.it_IT.po +++ b/modules/po/cert.it_IT.po @@ -45,7 +45,7 @@ msgstr "Aggiornare" #: cert.cpp:28 msgid "Pem file deleted" -msgstr "Pem file eliminato" +msgstr "File PEM eliminato" #: cert.cpp:31 msgid "The pem file doesn't exist or there was a error deleting the pem file." diff --git a/modules/po/certauth.it_IT.po b/modules/po/certauth.it_IT.po index e1f36282..0c55d7d1 100644 --- a/modules/po/certauth.it_IT.po +++ b/modules/po/certauth.it_IT.po @@ -14,7 +14,7 @@ msgstr "" #: modules/po/../data/certauth/tmpl/index.tmpl:7 msgid "Add a key" -msgstr "Aggiunge una chiave" +msgstr "Aggiungi una chiave" #: modules/po/../data/certauth/tmpl/index.tmpl:11 msgid "Key:" @@ -44,7 +44,7 @@ msgstr "[chiave pubblica]" #: certauth.cpp:32 msgid "Add a public key. If key is not provided will use the current key" msgstr "" -"Aggiunge una chiva pubblica. Se non viene fornita alcuna chiave verrà usata " +"Aggiunge una chiave pubblica. Se non viene fornita alcuna chiave verrà usata " "la chiave corrente" #: certauth.cpp:35 @@ -61,7 +61,7 @@ msgstr "Elenco delle tue chiavi pubbliche" #: certauth.cpp:39 msgid "Print your current key" -msgstr "Stamp la tua chiave attuale" +msgstr "Mostra la tua chiave attuale" #: certauth.cpp:142 msgid "You are not connected with any valid public key" @@ -99,7 +99,7 @@ msgstr "Nessuna chiave impostata per il tuo utente" #: certauth.cpp:204 msgid "Invalid #, check \"list\"" -msgstr "# Non valido, selezionare \"list\"" +msgstr "Numero non valido, selezionare \"list\"" #: certauth.cpp:216 msgid "Removed" diff --git a/modules/po/chansaver.it_IT.po b/modules/po/chansaver.it_IT.po index c116b134..9216d55b 100644 --- a/modules/po/chansaver.it_IT.po +++ b/modules/po/chansaver.it_IT.po @@ -14,4 +14,4 @@ msgstr "" #: chansaver.cpp:91 msgid "Keeps config up-to-date when user joins/parts." -msgstr "Mantiente la configurazione aggiornata quando un utente entra/esce." +msgstr "Mantiene la configurazione aggiornata quando un utente entra/esce." diff --git a/modules/po/clearbufferonmsg.it_IT.po b/modules/po/clearbufferonmsg.it_IT.po index c9f1ae13..27a4ea78 100644 --- a/modules/po/clearbufferonmsg.it_IT.po +++ b/modules/po/clearbufferonmsg.it_IT.po @@ -16,4 +16,4 @@ msgstr "" msgid "Clears all channel and query buffers whenever the user does something" msgstr "" "Svuota il buffer di tutti i canali e di tutte le query ogni volta che " -"l'utente invia qualche cosa" +"l'utente fa qualche cosa" diff --git a/modules/po/clientnotify.it_IT.po b/modules/po/clientnotify.it_IT.po index 14c69755..cee42fe2 100644 --- a/modules/po/clientnotify.it_IT.po +++ b/modules/po/clientnotify.it_IT.po @@ -50,7 +50,7 @@ msgstr[1] "" #: clientnotify.cpp:108 msgid "Usage: Method " -msgstr "Usa: Metodo " +msgstr "Utilizzo: Metodo " #: clientnotify.cpp:114 clientnotify.cpp:127 clientnotify.cpp:140 msgid "Saved." diff --git a/modules/po/controlpanel.it_IT.po b/modules/po/controlpanel.it_IT.po index a7f3f3e4..e9f5fac8 100644 --- a/modules/po/controlpanel.it_IT.po +++ b/modules/po/controlpanel.it_IT.po @@ -82,11 +82,11 @@ msgstr "Errore: Non puoi usare $network per modificare altri utenti!" #: controlpanel.cpp:202 msgid "Error: User {1} does not have a network named [{2}]." -msgstr "Errore: L'utente {1} non ha un network di nome [{2}]." +msgstr "Errore: L'utente {1} non ha un nome network [{2}]." #: controlpanel.cpp:214 msgid "Usage: Get [username]" -msgstr "Usa: Get [nome utente]" +msgstr "Utilizzo: Get [nome utente]" #: controlpanel.cpp:304 controlpanel.cpp:507 controlpanel.cpp:582 #: controlpanel.cpp:658 controlpanel.cpp:793 controlpanel.cpp:878 @@ -95,7 +95,7 @@ msgstr "Errore: Variabile sconosciuta" #: controlpanel.cpp:313 msgid "Usage: Set " -msgstr "Usa: Set " +msgstr "Utilizzo: Set " #: controlpanel.cpp:335 controlpanel.cpp:623 msgid "This bind host is already set!" @@ -121,7 +121,7 @@ msgstr "Il timeout non può essere inferiore a 30 secondi!" #: controlpanel.cpp:477 msgid "That would be a bad idea!" -msgstr "Sarebbe una cattiva idea!" +msgstr "Questa sarebbe una cattiva idea!" #: controlpanel.cpp:495 msgid "Supported languages: {1}" @@ -129,7 +129,7 @@ msgstr "Lingue supportate: {1}" #: controlpanel.cpp:519 msgid "Usage: GetNetwork [username] [network]" -msgstr "Usa: GetNetwork [nome utente] [network]" +msgstr "Utilizzo: GetNetwork [nome utente] [network]" #: controlpanel.cpp:538 msgid "Error: A network must be specified to get another users settings." @@ -151,7 +151,7 @@ msgstr "Usa: SetNetwork " #: controlpanel.cpp:668 msgid "Usage: AddChan " -msgstr "Usa: AddChan " +msgstr "Utilizzo: AddChan " #: controlpanel.cpp:681 msgid "Error: User {1} already has a channel named {2}." @@ -165,12 +165,12 @@ msgstr "Il canale {1} per l'utente {2} è stato aggiunto al network {3}." msgid "" "Could not add channel {1} for user {2} to network {3}, does it already exist?" msgstr "" -"Impossibile aggiungere il canale {1} all'utente {2} sul network {3}, esiste " -"già?" +"Impossibile aggiungere il canale {1} per l'utente {2} sul network {3}, " +"esiste già?" #: controlpanel.cpp:702 msgid "Usage: DelChan " -msgstr "Usa: DelChan " +msgstr "Utilizzo: DelChan " #: controlpanel.cpp:717 msgid "Error: User {1} does not have any channel matching [{2}] in network {3}" @@ -186,7 +186,7 @@ msgstr[1] "I canali {1} sono eliminati dal network {2} dell'utente {3}" #: controlpanel.cpp:745 msgid "Usage: GetChan " -msgstr "Usa: GetChan " +msgstr "Utilizzo: GetChan " #: controlpanel.cpp:759 controlpanel.cpp:823 msgid "Error: No channels matching [{1}] found." @@ -194,7 +194,8 @@ msgstr "Errore: Nessun canale corrispondente a [{1}] è stato trovato." #: controlpanel.cpp:808 msgid "Usage: SetChan " -msgstr "Usa: SetChan " +msgstr "" +"Utilizzo: SetChan " #: controlpanel.cpp:889 controlpanel.cpp:899 msgctxt "listusers" @@ -246,7 +247,7 @@ msgstr "" #: controlpanel.cpp:925 msgid "Usage: AddUser " -msgstr "Usa: AddUser " +msgstr "Utilizzo: AddUser " #: controlpanel.cpp:930 msgid "Error: User {1} already exists!" @@ -267,7 +268,7 @@ msgstr "" #: controlpanel.cpp:959 msgid "Usage: DelUser " -msgstr "Usa: DelUser " +msgstr "Utilizzo: DelUser " #: controlpanel.cpp:971 msgid "Error: You can't delete yourself!" @@ -279,13 +280,13 @@ msgstr "Errore: Errore interno!" #: controlpanel.cpp:981 msgid "User {1} deleted!" -msgstr "L'utente {1} è eliminato!" +msgstr "Utente {1} eliminato!" #: controlpanel.cpp:996 msgid "Usage: CloneUser " msgstr "" "Usa\n" -": CloneUser " +"Utilizzo: CloneUser " #: controlpanel.cpp:1011 msgid "Error: Cloning failed: {1}" @@ -293,7 +294,7 @@ msgstr "Errore: Clonazione fallita: {1}" #: controlpanel.cpp:1040 msgid "Usage: AddNetwork [user] network" -msgstr "Usa: AddNetwork [utente] network" +msgstr "Utilizzo: AddNetwork [utente] network" #: controlpanel.cpp:1046 msgid "" @@ -318,7 +319,7 @@ msgstr "Errore: Il network [{1}] non può essere aggiunto per l'utente {2}: {3}" #: controlpanel.cpp:1085 msgid "Usage: DelNetwork [user] network" -msgstr "Usa: DelNetwork [utente] network" +msgstr "Utilizzo: DelNetwork [utente] network" #: controlpanel.cpp:1096 msgid "The currently active network can be deleted via {1}status" @@ -327,7 +328,7 @@ msgstr "" #: controlpanel.cpp:1102 msgid "Network {1} deleted for user {2}." -msgstr "Il network {1} è stato rimosso per l'utente {2}." +msgstr "Il network {1} è stato eliminato per l'utente {2}." #: controlpanel.cpp:1106 msgid "Error: Network {1} could not be deleted for user {2}." @@ -360,15 +361,16 @@ msgstr "Canali" #: controlpanel.cpp:1148 msgid "No networks" -msgstr "Nessun networks" +msgstr "Nessun network" #: controlpanel.cpp:1159 msgid "Usage: AddServer [[+]port] [password]" -msgstr "Usa: AddServer [[+]porta] [password]" +msgstr "" +"Utilizzo: AddServer [[+]porta] [password]" #: controlpanel.cpp:1173 msgid "Added IRC Server {1} to network {2} for user {3}." -msgstr "Aggiunto il Server IRC {1} del network {2} per l'utente {3}." +msgstr "Aggiunto il Server IRC {1} al network {2} per l'utente {3}." #: controlpanel.cpp:1177 msgid "Error: Could not add IRC server {1} to network {2} for user {3}." @@ -378,7 +380,8 @@ msgstr "" #: controlpanel.cpp:1190 msgid "Usage: DelServer [[+]port] [password]" -msgstr "Usa: DelServer [[+]porta] [password]" +msgstr "" +"Utilizzo: DelServer [[+]porta] [password]" #: controlpanel.cpp:1205 msgid "Deleted IRC Server {1} from network {2} for user {3}." @@ -392,7 +395,7 @@ msgstr "" #: controlpanel.cpp:1219 msgid "Usage: Reconnect " -msgstr "Usa: Reconnect " +msgstr "Utilizzo: Reconnect " #: controlpanel.cpp:1246 msgid "Queued network {1} of user {2} for a reconnect." @@ -400,11 +403,11 @@ msgstr "Il network {1} dell'utente {2} è in coda per una riconnessione." #: controlpanel.cpp:1255 msgid "Usage: Disconnect " -msgstr "Usa: Disconnect " +msgstr "Utilizzo: Disconnect " #: controlpanel.cpp:1270 msgid "Closed IRC connection for network {1} of user {2}." -msgstr "Chisa la connessione IRC al network {1} dell'utente {2}." +msgstr "Chiusa la connessione IRC al network {1} dell'utente {2}." #: controlpanel.cpp:1285 controlpanel.cpp:1290 msgctxt "listctcp" @@ -414,25 +417,25 @@ msgstr "Richiesta" #: controlpanel.cpp:1286 controlpanel.cpp:1291 msgctxt "listctcp" msgid "Reply" -msgstr "Rispondere" +msgstr "Rispondi" #: controlpanel.cpp:1295 msgid "No CTCP replies for user {1} are configured" -msgstr "Nessuna risposta di CTCP per l'utente {1} è stata configurata" +msgstr "Nessuna risposta CTCP per l'utente {1} è stata configurata" #: controlpanel.cpp:1298 msgid "CTCP replies for user {1}:" -msgstr "Le risposte CTCP per l'utente {1}:" +msgstr "Risposte CTCP per l'utente {1}:" #: controlpanel.cpp:1314 msgid "Usage: AddCTCP [user] [request] [reply]" -msgstr "Usa: AddCTCP [utente] [richiesta] [risposta]" +msgstr "Utilizzo: AddCTCP [utente] [richiesta] [risposta]" #: controlpanel.cpp:1316 msgid "" "This will cause ZNC to reply to the CTCP instead of forwarding it to clients." msgstr "" -"Questo farà sì che lo ZNC risponda al CTCP invece di inoltrarlo ai clients." +"Questo farà sì che ZNC risponda al CTCP invece di inoltrarlo ai client." #: controlpanel.cpp:1319 msgid "An empty reply will cause the CTCP request to be blocked." @@ -448,7 +451,7 @@ msgstr "Le richieste CTCP {1} all'utente {2} ora avranno risposta: {3}" #: controlpanel.cpp:1349 msgid "Usage: DelCTCP [user] [request]" -msgstr "Usa: DelCTCP [utente] [richiesta]" +msgstr "Utilizzo: DelCTCP [utente] [richiesta]" #: controlpanel.cpp:1355 msgid "CTCP requests {1} to user {2} will now be sent to IRC clients" @@ -473,7 +476,7 @@ msgstr "Errore: Impossibile caricare il modulo {1}: {2}" #: controlpanel.cpp:1381 msgid "Loaded module {1}" -msgstr "Modulo caricato {1}" +msgstr "Modulo caricato: {1}" #: controlpanel.cpp:1386 msgid "Error: Unable to reload module {1}: {2}" @@ -481,7 +484,7 @@ msgstr "Errore: Impossibile ricaricare il modulo {1}: {2}" #: controlpanel.cpp:1389 msgid "Reloaded module {1}" -msgstr "Modulo ricaricato {1}" +msgstr "Modulo ricaricato: {1}" #: controlpanel.cpp:1393 msgid "Error: Unable to load module {1} because it is already loaded" @@ -489,12 +492,12 @@ msgstr "Errore: Impossibile caricare il modulo {1} perché è già stato caricat #: controlpanel.cpp:1404 msgid "Usage: LoadModule [args]" -msgstr "Usa: LoadModule [argomenti]" +msgstr "Utilizzo: LoadModule [argomenti]" #: controlpanel.cpp:1423 msgid "Usage: LoadNetModule [args]" msgstr "" -"Usa: LoadNetModule [argomenti]" +"Utilizzo: LoadNetModule [argomenti]" #: controlpanel.cpp:1448 msgid "Please use /znc unloadmod {1}" @@ -502,19 +505,19 @@ msgstr "Per favore usa il comando /znc unloadmod {1}" #: controlpanel.cpp:1454 msgid "Error: Unable to unload module {1}: {2}" -msgstr "Errore: Impossibile rimunovere il modulo {1}: {2}" +msgstr "Errore: Impossibile rimuovere il modulo {1}: {2}" #: controlpanel.cpp:1457 msgid "Unloaded module {1}" -msgstr "Rimosso il modulo {1}" +msgstr "Rimosso il modulo: {1}" #: controlpanel.cpp:1466 msgid "Usage: UnloadModule " -msgstr "Usa: UnloadModule " +msgstr "Utilizzo: UnloadModule " #: controlpanel.cpp:1483 msgid "Usage: UnloadNetModule " -msgstr "Usa: UnloadNetModule " +msgstr "Utilizzo: UnloadNetModule " #: controlpanel.cpp:1500 controlpanel.cpp:1506 msgctxt "listmodules" @@ -556,7 +559,7 @@ msgstr " [nome utente]" #: controlpanel.cpp:1567 msgid "Prints the variable's value for the given or current user" -msgstr "Mostra il valore della varibaile per l'utente specificato o corrente" +msgstr "Mostra il valore della variabile per l'utente specificato o corrente" #: controlpanel.cpp:1569 msgid " " @@ -572,7 +575,7 @@ msgstr " [nome utente] [network]" #: controlpanel.cpp:1573 msgid "Prints the variable's value for the given network" -msgstr "Mostra il valore della varibaile del network specificato" +msgstr "Mostra il valore della variabaile del network specificato" #: controlpanel.cpp:1575 msgid " " @@ -588,11 +591,11 @@ msgstr " [nome utente] " #: controlpanel.cpp:1579 msgid "Prints the variable's value for the given channel" -msgstr "Mostra il valore della varibaile del canale specificato" +msgstr "Mostra il valore della variabaile del canale specificato" #: controlpanel.cpp:1582 msgid " " -msgstr " " +msgstr " " #: controlpanel.cpp:1583 msgid "Sets the variable's value for the given channel" @@ -656,7 +659,7 @@ msgstr " " #: controlpanel.cpp:1608 msgid "Cycles the user's IRC server connection" -msgstr "Cicla all'utente la connessione al server IRC" +msgstr "Cicla la connessione al server IRC dell'utente" #: controlpanel.cpp:1611 msgid "Disconnects the user from their IRC server" @@ -664,7 +667,7 @@ msgstr "Disconnette l'utente dal proprio server IRC" #: controlpanel.cpp:1613 msgid " [args]" -msgstr " [argomenmti]" +msgstr " [argomenti]" #: controlpanel.cpp:1614 msgid "Loads a Module for a user" @@ -680,7 +683,7 @@ msgstr "Rimuove un modulo da un utente" #: controlpanel.cpp:1620 msgid "Get the list of modules for a user" -msgstr "Mostra un elenco dei moduli caricati di un utente" +msgstr "Mostra un elenco dei moduli caricati per un utente" #: controlpanel.cpp:1623 msgid " [args]" @@ -700,7 +703,7 @@ msgstr "Rimuove un modulo da un network" #: controlpanel.cpp:1631 msgid "Get the list of modules for a network" -msgstr "Mostra un elenco dei moduli caricati di un network" +msgstr "Mostra un elenco dei moduli caricati per un network" #: controlpanel.cpp:1634 msgid "List the configured CTCP replies" @@ -728,11 +731,11 @@ msgstr "[nome utente] " #: controlpanel.cpp:1645 msgid "Add a network for a user" -msgstr "Aggiune un network ad un utente" +msgstr "Aggiunge un network ad un utente" #: controlpanel.cpp:1648 msgid "Delete a network for a user" -msgstr "Elimina un network ad un utente" +msgstr "Elimina un network da un utente" #: controlpanel.cpp:1650 msgid "[username]" @@ -740,12 +743,12 @@ msgstr "[nome utente]" #: controlpanel.cpp:1651 msgid "List all networks for a user" -msgstr "Elenca tutti i networks di un utente" +msgstr "Elenca tutti i network di un utente" #: controlpanel.cpp:1664 msgid "" "Dynamic configuration through IRC. Allows editing only yourself if you're " "not ZNC admin." msgstr "" -"Configurazione dinamica attraverso IRC. Permette di modficare solo se stessi " -"quando non si è amministratori ZNC." +"Configurazione dinamica attraverso IRC. Permette di modificare solo se " +"stessi quando non si è amministratori ZNC." diff --git a/modules/po/crypt.it_IT.po b/modules/po/crypt.it_IT.po index ea1a0838..9de0290a 100644 --- a/modules/po/crypt.it_IT.po +++ b/modules/po/crypt.it_IT.po @@ -54,11 +54,11 @@ msgstr "Imposta il prefisso del nick, senza argomenti viene disabilitato." #: crypt.cpp:270 msgid "Received DH1080 public key from {1}, sending mine..." -msgstr "Ricevuta la chiave pubblica DH1080 da {1}, inviando il mio..." +msgstr "Ricevuta la chiave pubblica DH1080 da {1}, ora invio la mia..." #: crypt.cpp:275 crypt.cpp:296 msgid "Key for {1} successfully set." -msgstr "La chiave per {1} è impostata con succcesso." +msgstr "La chiave per {1} è stata impostata con successo." #: crypt.cpp:278 crypt.cpp:299 msgid "Error in {1} with {2}: {3}" @@ -78,7 +78,7 @@ msgstr "Target [{1}] non trovato" #: crypt.cpp:400 msgid "Usage DelKey <#chan|Nick>" -msgstr "Usa DelKey <#canale|Nick>" +msgstr "Utilizzo: DelKey <#canale|Nick>" #: crypt.cpp:415 msgid "Set encryption key for [{1}] to [{2}]" @@ -86,19 +86,19 @@ msgstr "Imposta la chiave di crittografia per [{1}] a [{2}]" #: crypt.cpp:417 msgid "Usage: SetKey <#chan|Nick> " -msgstr "Usa: SetKey <#canale|Nick> " +msgstr "Utilizzo: SetKey <#canale|Nick> " #: crypt.cpp:428 msgid "Sent my DH1080 public key to {1}, waiting for reply ..." -msgstr "Inviato la mia chiave pubblica DH1080 a {1}, attendo risposta ..." +msgstr "Inviata la mia chiave pubblica DH1080 a {1}, attendo risposta ..." #: crypt.cpp:430 msgid "Error generating our keys, nothing sent." -msgstr "Errore del generatore dalle nostre chiavi, inviato nulla." +msgstr "Errore del generatore dalle nostre chiavi, non ho inviato nulla." #: crypt.cpp:433 msgid "Usage: KeyX " -msgstr "Usa: KeyX " +msgstr "Utilizzo: KeyX " #: crypt.cpp:440 msgid "Nick Prefix disabled." @@ -111,7 +111,8 @@ msgstr "Prefisso del nick: {1}" #: crypt.cpp:451 msgid "You cannot use :, even followed by other symbols, as Nick Prefix." msgstr "" -"Non puoi usare :, seguito anche da altri simboli, come prefisso del nick." +"Non puoi usare :, come prefisso del nick - nemmeno se seguito anche da altri " +"simboli." #: crypt.cpp:460 msgid "Overlap with Status Prefix ({1}), this Nick Prefix will not be used!" diff --git a/modules/po/ctcpflood.it_IT.po b/modules/po/ctcpflood.it_IT.po index a87e7377..c8689a91 100644 --- a/modules/po/ctcpflood.it_IT.po +++ b/modules/po/ctcpflood.it_IT.po @@ -18,7 +18,7 @@ msgstr "" #: ctcpflood.cpp:25 msgid "Set seconds limit" -msgstr "Imposta il limite dei secondi" +msgstr "Imposta il limite in secondi" #: ctcpflood.cpp:27 msgid "Set lines limit" @@ -34,11 +34,11 @@ msgstr "Limite raggiunto da {1}, blocco tutti i CTCP" #: ctcpflood.cpp:98 msgid "Usage: Secs " -msgstr "Usa: Secs " +msgstr "Utilizzo: Secs " #: ctcpflood.cpp:113 msgid "Usage: Lines " -msgstr "Usa: Lines " +msgstr "Utilizzo: Lines " #: ctcpflood.cpp:125 msgid "1 CTCP message" @@ -63,12 +63,12 @@ msgid "" "argument is the time (sec) to in which the number of lines is reached. The " "default setting is 4 CTCPs in 2 seconds" msgstr "" -"Questo modulo utente non accetta nessuno o due argomenti. Il primo argomento " -"è il numero di linee dopo le quali viene attivata la protezione contro i " -"flood (flood-protection). Il secondo argomento è il tempo (second) in cui il " +"Questo modulo utente accetta da zero a due argomenti. Il primo argomento è " +"il numero di linee dopo le quali viene attivata la protezione contro i flood " +"(flood-protection). Il secondo argomento è il tempo (in secondi) in cui il " "numero di linee viene raggiunto. L'impostazione predefinita è 4 CTCP in 2 " "secondi" #: ctcpflood.cpp:151 msgid "Don't forward CTCP floods to clients" -msgstr "Non inoltrare i flussi CTCP (floods) ai clients" +msgstr "Non inoltrare i flussi CTCP (floods) ai client" diff --git a/modules/po/cyrusauth.it_IT.po b/modules/po/cyrusauth.it_IT.po index 9aa2ed9f..f1da5c73 100644 --- a/modules/po/cyrusauth.it_IT.po +++ b/modules/po/cyrusauth.it_IT.po @@ -32,19 +32,19 @@ msgstr "Accesso negato" #: cyrusauth.cpp:70 msgid "Ignoring invalid SASL pwcheck method: {1}" -msgstr "Ignorando il metodo non valido SASL pwcheck: {1}" +msgstr "Ignoro il metodo non valido SASL pwcheck: {1}" #: cyrusauth.cpp:71 msgid "Ignored invalid SASL pwcheck method" -msgstr "Ignorato il metodo non valido SASL pwcheck" +msgstr "Ignoro il metodo non valido SASL pwcheck" #: cyrusauth.cpp:79 msgid "Need a pwcheck method as argument (saslauthd, auxprop)" -msgstr "Hai bisogno di un metodo pwcheck come argomento (saslauthd, auxprop)" +msgstr "Serve un metodo pwcheck come argomento (saslauthd, auxprop)" #: cyrusauth.cpp:84 msgid "SASL Could Not Be Initialized - Halting Startup" -msgstr "SASL non può essere inizializzato - Arrestato all'avvio" +msgstr "SASL non può essere inizializzato - Arrestato l'avvio" #: cyrusauth.cpp:171 cyrusauth.cpp:186 msgid "We will not create users on their first login" @@ -64,7 +64,8 @@ msgstr "Creeremo gli utenti al loro primo accesso" #: cyrusauth.cpp:199 msgid "Usage: CreateUsers yes, CreateUsers no, or CreateUsers clone " msgstr "" -"Usa: CreateUsers yes, CreateUsers no, oppure CreateUsers clone " +"Utilizzo: CreateUsers yes, CreateUsers no, oppure CreateUsers clone " #: cyrusauth.cpp:232 msgid "" diff --git a/modules/po/dcc.it_IT.po b/modules/po/dcc.it_IT.po index 0d05c35f..82d2a2e7 100644 --- a/modules/po/dcc.it_IT.po +++ b/modules/po/dcc.it_IT.po @@ -18,7 +18,7 @@ msgstr " " #: dcc.cpp:89 msgid "Send a file from ZNC to someone" -msgstr "Invia un file dallo ZNC a qualcuno" +msgstr "Invia un file da ZNC a qualcuno" #: dcc.cpp:91 msgid "" @@ -26,11 +26,11 @@ msgstr "" #: dcc.cpp:92 msgid "Send a file from ZNC to your client" -msgstr "Invia un file dallo ZNC al tuo client" +msgstr "Invia un file da ZNC al tuo client" #: dcc.cpp:94 msgid "List current transfers" -msgstr "Elenca i trasferimenti correnti" +msgstr "Elenca i trasferimenti in corso" #: dcc.cpp:103 msgid "You must be admin to use the DCC module" @@ -38,7 +38,7 @@ msgstr "Devi essere amministratore per usare il modulo DCC" #: dcc.cpp:140 msgid "Attempting to send [{1}] to [{2}]." -msgstr "Stò tentando di inviare [{1}] a [{2}]." +msgstr "Sto tentando di inviare [{1}] a [{2}]." #: dcc.cpp:149 dcc.cpp:554 msgid "Receiving [{1}] from [{2}]: File already exists." @@ -51,15 +51,15 @@ msgstr "Stò tentando di connettermi a [{1} {2}] per scaricare [{3}] da [{4}]." #: dcc.cpp:179 msgid "Usage: Send " -msgstr "Usa: Send " +msgstr "Utilizzo: Send " #: dcc.cpp:186 dcc.cpp:206 msgid "Illegal path." -msgstr "Percorso illegale." +msgstr "Percorso (path) illegale." #: dcc.cpp:199 msgid "Usage: Get " -msgstr "Usa: Get " +msgstr "Utilizzo: Get " #: dcc.cpp:215 dcc.cpp:232 dcc.cpp:234 msgctxt "list" @@ -117,16 +117,17 @@ msgstr "Non hai trasferimenti DCC attivi." #: dcc.cpp:267 msgid "Attempting to resume send from position {1} of file [{2}] for [{3}]" msgstr "" -"Stò tentando di riprendere l'invio della posizione {1} del file [{2}] per " +"Sto tentando di riprendere l'invio della posizione {1} del file [{2}] per " "[{3}]" #: dcc.cpp:277 msgid "Couldn't resume file [{1}] for [{2}]: not sending anything." -msgstr "Impossibile riprendere il file [{1}] per [{2}]: non inviare nulla." +msgstr "" +"Impossibile riprendere il file [{1}] per [{2}]: non sto inviando nulla." #: dcc.cpp:286 msgid "Bad DCC file: {1}" -msgstr "File DCC dannoso (bad): {1}" +msgstr "File DCC errato (bad): {1}" #: dcc.cpp:341 msgid "Sending [{1}] to [{2}]: File not open!" @@ -146,11 +147,11 @@ msgstr "Ricezione del file [{1}] dall'utente [{2}]: Connessione rifiutata." #: dcc.cpp:397 msgid "Sending [{1}] to [{2}]: Timeout." -msgstr "Invio del file [{1}] all'utente [{2}]: Fuori tempo (Timeout)." +msgstr "Invio del file [{1}] all'utente [{2}]: Tempo scaduto (Timeout)." #: dcc.cpp:401 msgid "Receiving [{1}] from [{2}]: Timeout." -msgstr "Ricezione del file [{1}] dall'utente [{2}]: Fuori tempo (Timeout)." +msgstr "Ricezione del file [{1}] dall'utente [{2}]: Tempo scaduto (Timeout)." #: dcc.cpp:411 msgid "Sending [{1}] to [{2}]: Socket error {3}: {4}" @@ -178,12 +179,12 @@ msgstr "Ricezione del file [{1}] dall'utente [{2}]: Troppi dati!" #: dcc.cpp:456 msgid "Sending [{1}] to [{2}] completed at {3} KiB/s" -msgstr "L'invio del file [{1}] all'utente [{2}] viene completato a {3} KiB/s" +msgstr "L'invio del file [{1}] all'utente [{2}] completato a {3} KiB/s" #: dcc.cpp:461 msgid "Receiving [{1}] from [{2}] completed at {3} KiB/s" msgstr "" -"La ricezione del file [{1}] inviato da [{2}] viene completata a {3} KiB/s" +"La ricezione del file [{1}] inviato da [{2}] è stata completata a {3} KiB/s" #: dcc.cpp:474 msgid "Sending [{1}] to [{2}]: File closed prematurely." @@ -231,4 +232,4 @@ msgstr "Invio del file [{1}] all'utente [{2}]: File troppo grande (>4 GiB)." #: dcc.cpp:623 msgid "This module allows you to transfer files to and from ZNC" -msgstr "Questo modulo ti consente di trasferire file da e verso lo ZNC" +msgstr "Questo modulo ti consente di trasferire file da e verso ZNC" diff --git a/modules/po/disconkick.it_IT.po b/modules/po/disconkick.it_IT.po index 0ccdfb62..8cfc655e 100644 --- a/modules/po/disconkick.it_IT.po +++ b/modules/po/disconkick.it_IT.po @@ -21,5 +21,5 @@ msgid "" "Kicks the client from all channels when the connection to the IRC server is " "lost" msgstr "" -"Libera (kicks) il client da tutti i canali quando la connessione al server " -"IRC viene persa" +"Butta fuori (kick) il client da tutti i canali quando la connessione al " +"server IRC viene persa" diff --git a/modules/po/fail2ban.it_IT.po b/modules/po/fail2ban.it_IT.po index df2a696e..cd6c3704 100644 --- a/modules/po/fail2ban.it_IT.po +++ b/modules/po/fail2ban.it_IT.po @@ -27,7 +27,7 @@ msgstr "[conteggio]" #: fail2ban.cpp:29 msgid "The number of allowed failed login attempts." -msgstr "Il numero di tentatvi di accesso (login) falliti consentiti." +msgstr "Numero di tentativi di accesso (login) falliti consentiti." #: fail2ban.cpp:31 fail2ban.cpp:33 msgid "" @@ -39,20 +39,20 @@ msgstr "Vieta (ban) gli host specificati." #: fail2ban.cpp:33 msgid "Unban the specified hosts." -msgstr "Rimuove un divieto (ban) da uno specifico hosts." +msgstr "Rimuove un divieto (ban) da specifici host." #: fail2ban.cpp:35 msgid "List banned hosts." -msgstr "Elenco degli hosts vietati (banned)." +msgstr "Elenco degli host vietati (bannati)." #: fail2ban.cpp:55 msgid "" "Invalid argument, must be the number of minutes IPs are blocked after a " "failed login and can be followed by number of allowed failed login attempts" msgstr "" -"Argomento non valido, deve essere il numero di minuti di IPs sono bloccati " -"dopo un login fallito e può essere seguito dal numero di tentativi falliti " -"consentito" +"Argomento non valido, deve essere il numero di minuti in cui gli IP sono " +"bloccati dopo un login fallito e può essere seguito dal numero consentito di " +"tentativi falliti" #: fail2ban.cpp:77 fail2ban.cpp:100 fail2ban.cpp:123 fail2ban.cpp:146 #: fail2ban.cpp:172 @@ -61,7 +61,7 @@ msgstr "Accesso negato" #: fail2ban.cpp:86 msgid "Usage: Timeout [minutes]" -msgstr "Usa: Timeout [minuti]" +msgstr "Utilizzo: Timeout [minuti]" #: fail2ban.cpp:91 fail2ban.cpp:94 msgid "Timeout: {1} min" @@ -69,7 +69,7 @@ msgstr "Timeout: {1} minuti" #: fail2ban.cpp:109 msgid "Usage: Attempts [count]" -msgstr "Usa: Attempts [conteggio]" +msgstr "Utilizzo: Attempts [conteggio]" #: fail2ban.cpp:114 fail2ban.cpp:117 msgid "Attempts: {1}" @@ -77,19 +77,19 @@ msgstr "Tentativi: {1}" #: fail2ban.cpp:130 msgid "Usage: Ban " -msgstr "Usa: Ban " +msgstr "Utilizzo: Ban " #: fail2ban.cpp:140 msgid "Banned: {1}" -msgstr "Vietato (Banned): {1}" +msgstr "Bannato (Banned): {1}" #: fail2ban.cpp:153 msgid "Usage: Unban " -msgstr "Usa: Unban " +msgstr "Utilizzo: Unban " #: fail2ban.cpp:163 msgid "Unbanned: {1}" -msgstr "Sbannato: {1}" +msgstr "Sbannato (unbanned): {1}" #: fail2ban.cpp:165 msgid "Ignored: {1}" @@ -108,16 +108,16 @@ msgstr "Tentativi" #: fail2ban.cpp:188 msgctxt "list" msgid "No bans" -msgstr "Nessun divieto (bans)" +msgstr "Nessun divieto (ban)" #: fail2ban.cpp:245 msgid "" "You might enter the time in minutes for the IP banning and the number of " "failed logins before any action is taken." msgstr "" -"È possibile inserire il tempo in minuti per il banning IP e il numero di " -"accessi falliti (login) prima di intraprendere qualsiasi azione." +"È possibile inserire il tempo in minuti di ban dell'IP e il numero di " +"accessi (login) falliti prima di intraprendere qualsiasi azione." #: fail2ban.cpp:250 msgid "Block IPs for some time after a failed login." -msgstr "Blocca gli IP per un pò di tempo dopo un login fallito." +msgstr "Blocca gli IP per un certo periodo di tempo dopo un login fallito." diff --git a/modules/po/flooddetach.it_IT.po b/modules/po/flooddetach.it_IT.po index 50f6f78c..1c0c8f5f 100644 --- a/modules/po/flooddetach.it_IT.po +++ b/modules/po/flooddetach.it_IT.po @@ -31,17 +31,17 @@ msgstr "Mostra o imposta il numero di linee nell'intervallo di tempo" #: flooddetach.cpp:39 msgid "Show or set whether to notify you about detaching and attaching back" msgstr "" -"Mostra o imposta se notificarti su come staccarti e ricollegareti dai canali " -"(detaching e attaching)" +"Mostra o imposta se essere notificato sullo sgancio (detach) e il ri-" +"aggancio (attaching)" #: flooddetach.cpp:93 msgid "Flood in {1} is over, reattaching..." -msgstr "Il flood su {1} è finito, riattacco..." +msgstr "Il flood su {1} è finito, ri-aggancio..." #: flooddetach.cpp:150 msgid "Channel {1} was flooded, you've been detached" msgstr "" -"Canale{1} è stato \"invaso da messaggi\" (flooded), sei stato distaccato " +"Canale{1} è stato \"invaso da messaggi\" (flooded), sei stato sganciato " "(detached)" #: flooddetach.cpp:187 @@ -66,7 +66,7 @@ msgstr "Il limite dei secondi è {1}" #: flooddetach.cpp:202 msgid "Set seconds limit to {1}" -msgstr "Imposta il limite dei secondi a {1}" +msgstr "Imposta il limite in secondi a {1}" #: flooddetach.cpp:211 msgid "Lines limit is {1}" @@ -94,4 +94,6 @@ msgstr "" #: flooddetach.cpp:251 msgid "Detach channels when flooded" -msgstr "Distacca (detach) i canali quando vengono flooded" +msgstr "" +"Sgancia (detach) dai canali quando vengono c'è un flood (invasione di " +"messaggi)" diff --git a/modules/po/identfile.it_IT.po b/modules/po/identfile.it_IT.po index 8c1d1510..3cf88779 100644 --- a/modules/po/identfile.it_IT.po +++ b/modules/po/identfile.it_IT.po @@ -42,7 +42,7 @@ msgstr "Mostra lo stato corrente" #: identfile.cpp:48 msgid "File is set to: {1}" -msgstr "File è impostato su: {1}" +msgstr "File impostato su: {1}" #: identfile.cpp:53 msgid "File has been set to: {1}" @@ -62,7 +62,7 @@ msgstr "Il formato è impostato su: {1}" #: identfile.cpp:78 msgid "identfile is free" -msgstr "identfile è free" +msgstr "l'identfile è libero" #: identfile.cpp:86 msgid "Access denied" @@ -73,12 +73,12 @@ msgid "" "Aborting connection, another user or network is currently connecting and " "using the ident spoof file" msgstr "" -"Connessione interrotta, un altro utente o network è attualmente connesso e " -"utilizzando ident spoof file" +"Connessione interrotta, un altro utente o network è attualmente connesso " +"utilizzando un file ident spoof" #: identfile.cpp:189 msgid "[{1}] could not be written, retrying..." -msgstr "[{1}] non può essere scritto, riprovare..." +msgstr "[{1}] non può essere scritto, riprovo..." #: identfile.cpp:223 msgid "Write the ident of a user to a file when they are trying to connect." diff --git a/modules/po/keepnick.it_IT.po b/modules/po/keepnick.it_IT.po index 14b94b09..e7ac9707 100644 --- a/modules/po/keepnick.it_IT.po +++ b/modules/po/keepnick.it_IT.po @@ -18,7 +18,7 @@ msgstr "Porova ad ottenere il tuo nick principale" #: keepnick.cpp:42 keepnick.cpp:196 msgid "No longer trying to get your primary nick" -msgstr "Non stai più cercando di ottenere il tuo nick principale" +msgstr "Non sto più cercando di ottenere il tuo nick principale" #: keepnick.cpp:44 msgid "Show the current state" @@ -26,7 +26,7 @@ msgstr "Mostra lo stato corrente" #: keepnick.cpp:158 msgid "ZNC is already trying to get this nickname" -msgstr "Lo ZNC stà già cercando di ottenere questo nickname" +msgstr "ZNC stà già cercando di ottenere questo nickname" #: keepnick.cpp:173 msgid "Unable to obtain nick {1}: {2}, {3}" @@ -42,7 +42,7 @@ msgstr "Cercando di ottenere il tuo nick principale" #: keepnick.cpp:201 msgid "Currently trying to get your primary nick" -msgstr "Attualmente stò cercando di ottenere il tuo nick principale" +msgstr "Sto cercando di ottenere il tuo nick principale" #: keepnick.cpp:203 msgid "Currently disabled, try 'enable'" @@ -50,4 +50,4 @@ msgstr "Attualmente disabilitato, prova ad abilitarlo (enable)" #: keepnick.cpp:224 msgid "Keeps trying for your primary nick" -msgstr "Prova a mantenere il tuo nick principale" +msgstr "Contino a provare il tuo nick principale" diff --git a/modules/po/kickrejoin.it_IT.po b/modules/po/kickrejoin.it_IT.po index 6b325245..924af3ca 100644 --- a/modules/po/kickrejoin.it_IT.po +++ b/modules/po/kickrejoin.it_IT.po @@ -62,8 +62,8 @@ msgstr "Il ritardo del rientro automatico (rejoin) è stato disabilitato" #: kickrejoin.cpp:131 msgid "You might enter the number of seconds to wait before rejoining." msgstr "" -"Puoi inserire il numero di secondi che lo ZNC deve attendere prima di " -"rientrare automaticamente (rejoining)." +"Puoi inserire il numero di secondi che Znc deve attendere prima di rientrare " +"automaticamente (rejoining)." #: kickrejoin.cpp:134 msgid "Autorejoins on kick" diff --git a/modules/po/lastseen.it_IT.po b/modules/po/lastseen.it_IT.po index 68d82d11..79f1074b 100644 --- a/modules/po/lastseen.it_IT.po +++ b/modules/po/lastseen.it_IT.po @@ -38,7 +38,7 @@ msgstr "Elimina" #: modules/po/../data/lastseen/tmpl/lastseen_WebadminUser.tmpl:6 msgid "Last login time:" -msgstr "Ultimo accesso:" +msgstr "Ultimo ora di accesso:" #: lastseen.cpp:53 msgid "Access denied" diff --git a/modules/po/listsockets.it_IT.po b/modules/po/listsockets.it_IT.po index 333c10b7..03056bc5 100644 --- a/modules/po/listsockets.it_IT.po +++ b/modules/po/listsockets.it_IT.po @@ -44,11 +44,11 @@ msgstr "Remoto" #: modules/po/../data/listsockets/tmpl/index.tmpl:13 msgid "Data In" -msgstr "Dati entranti" +msgstr "Dati in entrata" #: modules/po/../data/listsockets/tmpl/index.tmpl:14 msgid "Data Out" -msgstr "Dati uscenti" +msgstr "Dati in uscita" #: listsockets.cpp:62 msgid "[-n]" @@ -79,7 +79,7 @@ msgstr "No" #: listsockets.cpp:142 msgid "Listener" -msgstr "Ascoltatore" +msgstr "Listener (in ascolto)" #: listsockets.cpp:144 msgid "Inbound" diff --git a/modules/po/log.it_IT.po b/modules/po/log.it_IT.po index 6a5783e7..2071fa5c 100644 --- a/modules/po/log.it_IT.po +++ b/modules/po/log.it_IT.po @@ -44,7 +44,7 @@ msgstr "Mostra le impostazioni correnti impostate dal comando Set" #: log.cpp:143 msgid "Usage: SetRules " -msgstr "Usa: SetRules " +msgstr "Utilizzo: SetRules " #: log.cpp:144 msgid "Wildcards are allowed" @@ -52,13 +52,13 @@ msgstr "Le wildcards (caratteri jolly) sono permesse" #: log.cpp:156 log.cpp:179 msgid "No logging rules. Everything is logged." -msgstr "Nessuna regola di registrazione. Tutto è registrato." +msgstr "Nessuna regola di registrazione. Tutto viene loggato." #: log.cpp:161 msgid "1 rule removed: {2}" msgid_plural "{1} rules removed: {2}" -msgstr[0] "1 ruolo rimosso: {2}" -msgstr[1] "{1} ruoli rimossi: {2}" +msgstr[0] "1 regola rimssa {2}" +msgstr[1] "{1} regole rimosse: {2}" #: log.cpp:168 log.cpp:174 msgctxt "listrules" @@ -68,7 +68,7 @@ msgstr "Ruolo" #: log.cpp:169 log.cpp:175 msgctxt "listrules" msgid "Logging enabled" -msgstr "Registrazione abilitata (Logging)" +msgstr "Logging abilitato" #: log.cpp:190 msgid "" @@ -79,23 +79,23 @@ msgstr "" #: log.cpp:197 msgid "Will log joins" -msgstr "Registrerà i joins" +msgstr "Loggerà i joins" #: log.cpp:197 msgid "Will not log joins" -msgstr "Non registrerà i joins" +msgstr "Non loggerà i joins" #: log.cpp:198 msgid "Will log quits" -msgstr "Registrerà i quits" +msgstr "Loggerà i quits" #: log.cpp:198 msgid "Will not log quits" -msgstr "Non registrerà i quits" +msgstr "Non loggerà i quits" #: log.cpp:200 msgid "Will log nick changes" -msgstr "Registrerà i cambi di nick" +msgstr "Loggerà i cambi di nick" #: log.cpp:200 msgid "Will not log nick changes" diff --git a/src/po/znc.it_IT.po b/src/po/znc.it_IT.po index 7516a0f6..7853008b 100644 --- a/src/po/znc.it_IT.po +++ b/src/po/znc.it_IT.po @@ -50,6 +50,10 @@ msgid "" "*status help
” and “/msg *status loadmod <module>”). Once you have loaded some Web-enabled modules, the menu will expand." msgstr "" +"Nessuno dei moduli abilitati al web sono stati caricati. Carica i moduli da " +"IRC (“/msg *status help” e “/msg *status loadmod <nome " +"del modulo>”). Dopo aver caricato alcuni moduli abilitati per al " +"Web, il menù si espanderà." #: znc.cpp:1562 msgid "User already exists" @@ -179,6 +183,8 @@ msgstr "Modulo non trovato {1}" #: Client.cpp:359 msgid "A client from {1} attempted to login as you, but was rejected: {2}" msgstr "" +"Un client da {1} ha tentato di accedere al posto tuo, ma è stato rifiutato: " +"{2}" #: Client.cpp:394 msgid "Network {1} doesn't exist." @@ -1009,8 +1015,8 @@ msgstr "Usa: ClearBuffer <#canale|query>" #: ClientCommand.cpp:1403 msgid "{1} buffer matching {2} has been cleared" msgid_plural "{1} buffers matching {2} have been cleared" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "{1} corrispondenza del buffer {2} è stato cancellata" +msgstr[1] "{1} corrispondenze del buffers {2} sono state cancellate" #: ClientCommand.cpp:1416 msgid "All channel buffers have been cleared" @@ -1339,6 +1345,8 @@ msgid "" "Add a trusted server SSL certificate fingerprint (SHA-256) to current IRC " "network." msgstr "" +"Aggiunge un'impronta digitale attendibile del certificato SSL del server " +"(SHA-256) al network IRC corrente." #: ClientCommand.cpp:1754 msgctxt "helpcmd|DelTrustedServerFingerprint|args" @@ -1629,7 +1637,7 @@ msgstr "Elenca tutti gli utenti dello ZNC ed i loro networks" #: ClientCommand.cpp:1885 msgctxt "helpcmd|ListChans|args" msgid "[user ]" -msgstr "" +msgstr "[utente ]" #: ClientCommand.cpp:1888 msgctxt "helpcmd|ListClients|args" From 364fc4eedea59b0c9dc89890ea31997f17800174 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Sat, 27 Jul 2019 00:27:31 +0000 Subject: [PATCH 295/798] Update translations from Crowdin for it_IT --- modules/po/adminlog.it_IT.po | 12 +-- modules/po/alias.it_IT.po | 10 +-- modules/po/autoattach.it_IT.po | 6 +- modules/po/autoop.it_IT.po | 30 ++++---- modules/po/autoreply.it_IT.po | 6 +- modules/po/autovoice.it_IT.po | 10 +-- modules/po/awaystore.it_IT.po | 14 ++-- modules/po/block_motd.it_IT.po | 6 +- modules/po/blockuser.it_IT.po | 8 +- modules/po/bouncedcc.it_IT.po | 4 +- modules/po/buffextras.it_IT.po | 4 +- modules/po/cert.it_IT.po | 2 +- modules/po/certauth.it_IT.po | 8 +- modules/po/chansaver.it_IT.po | 2 +- modules/po/clearbufferonmsg.it_IT.po | 2 +- modules/po/clientnotify.it_IT.po | 2 +- modules/po/controlpanel.it_IT.po | 107 ++++++++++++++------------- modules/po/crypt.it_IT.po | 17 +++-- modules/po/ctcpflood.it_IT.po | 14 ++-- modules/po/cyrusauth.it_IT.po | 11 +-- modules/po/dcc.it_IT.po | 31 ++++---- modules/po/disconkick.it_IT.po | 4 +- modules/po/fail2ban.it_IT.po | 32 ++++---- modules/po/flooddetach.it_IT.po | 14 ++-- modules/po/identfile.it_IT.po | 10 +-- modules/po/keepnick.it_IT.po | 8 +- modules/po/kickrejoin.it_IT.po | 4 +- modules/po/lastseen.it_IT.po | 2 +- modules/po/listsockets.it_IT.po | 6 +- modules/po/log.it_IT.po | 20 ++--- modules/po/q.it_IT.po | 12 +-- src/po/znc.it_IT.po | 14 +++- 32 files changed, 224 insertions(+), 208 deletions(-) diff --git a/modules/po/adminlog.it_IT.po b/modules/po/adminlog.it_IT.po index 11611b59..2d43e8df 100644 --- a/modules/po/adminlog.it_IT.po +++ b/modules/po/adminlog.it_IT.po @@ -30,19 +30,19 @@ msgstr "Accesso negato" #: adminlog.cpp:156 msgid "Now logging to file" -msgstr "Nuovo logging su file" +msgstr "Adesso logging su file" #: adminlog.cpp:160 msgid "Now only logging to syslog" -msgstr "Ora logging solo su syslog" +msgstr "Adesso logging solo su syslog" #: adminlog.cpp:164 msgid "Now logging to syslog and file" -msgstr "Nuovo logging su syslog e file" +msgstr "Adesso logging su syslog e file" #: adminlog.cpp:168 msgid "Usage: Target [path]" -msgstr "Usa: Target [path]" +msgstr "Utilizzo: Target [path]" #: adminlog.cpp:170 msgid "Unknown target" @@ -58,7 +58,7 @@ msgstr "Il logging è abilitato per il syslog" #: adminlog.cpp:198 msgid "Logging is enabled for both, file and syslog" -msgstr "Il logging è abilitato per entrambi, file e syslog" +msgstr "Il logging è abilitato per sia per i file sia per il syslog" #: adminlog.cpp:204 msgid "Log file will be written to {1}" @@ -66,4 +66,4 @@ msgstr "I file di Log verranno scritti su {1}" #: adminlog.cpp:222 msgid "Log ZNC events to file and/or syslog." -msgstr "Logga gli eventi dello ZNC su file e/o syslog." +msgstr "Logga gli eventi ZNC su file e/o syslog." diff --git a/modules/po/alias.it_IT.po b/modules/po/alias.it_IT.po index c9e9218b..2cfc914a 100644 --- a/modules/po/alias.it_IT.po +++ b/modules/po/alias.it_IT.po @@ -14,7 +14,7 @@ msgstr "" #: alias.cpp:141 msgid "missing required parameter: {1}" -msgstr "manca il parametro richiesto: {1}" +msgstr "manca il parametro obbligatorio: {1}" #: alias.cpp:201 msgid "Created alias: {1}" @@ -56,7 +56,7 @@ msgstr ", " #: alias.cpp:324 msgid "Actions for alias {1}:" -msgstr "Azioni dell'alias {1}:" +msgstr "Azioni per l'alias {1}:" #: alias.cpp:331 msgid "End of actions for alias {1}." @@ -68,7 +68,7 @@ msgstr "" #: alias.cpp:339 msgid "Creates a new, blank alias called name." -msgstr "Crea un nuovo alias vuto, chiamato nome." +msgstr "Crea un nuovo alias vuoto, chiamato nome." #: alias.cpp:341 msgid "Deletes an existing alias." @@ -88,7 +88,7 @@ msgstr " " #: alias.cpp:347 msgid "Inserts a line into an existing alias." -msgstr "Inserisce una linea in un'alias esistente." +msgstr "Inserisce una linea in un alias esistente." #: alias.cpp:349 msgid " " @@ -117,7 +117,7 @@ msgstr "" #: alias.cpp:374 msgid "Clearing all of them!" -msgstr "Libera tutti loro!" +msgstr "Pulisco tutti!" #: alias.cpp:409 msgid "Provides bouncer-side command alias support." diff --git a/modules/po/autoattach.it_IT.po b/modules/po/autoattach.it_IT.po index e8d627ce..7363ed24 100644 --- a/modules/po/autoattach.it_IT.po +++ b/modules/po/autoattach.it_IT.po @@ -18,7 +18,7 @@ msgstr "Aggiunto alla lista" #: autoattach.cpp:96 msgid "{1} is already added" -msgstr "{1} è già aggiunto" +msgstr "{1} è già stato aggiunto" #: autoattach.cpp:100 msgid "Usage: Add [!]<#chan> " @@ -46,7 +46,7 @@ msgstr "Canale" #: autoattach.cpp:123 autoattach.cpp:131 msgid "Search" -msgstr "Ricerca" +msgstr "Cerca" #: autoattach.cpp:124 autoattach.cpp:132 msgid "Host" @@ -63,7 +63,7 @@ msgstr "[!]<#canale> " #: autoattach.cpp:147 msgid "Add an entry, use !#chan to negate and * for wildcards" msgstr "" -"Aggiunge una voce, usa !#canale per negare e * come wildcards (caratteri " +"Aggiunge una voce, usa !#canale per negare e * come wildcard (caratteri " "jolly)" #: autoattach.cpp:150 diff --git a/modules/po/autoop.it_IT.po b/modules/po/autoop.it_IT.po index 91064d85..5debf010 100644 --- a/modules/po/autoop.it_IT.po +++ b/modules/po/autoop.it_IT.po @@ -34,11 +34,11 @@ msgstr " ,[maschera] ..." #: autoop.cpp:163 msgid "Adds masks to a user" -msgstr "Aggiunge una maschera (masks) ad un utente" +msgstr "Aggiunge una maschera (mask) ad un utente" #: autoop.cpp:166 msgid "Removes masks from a user" -msgstr "Rimuove una maschera (masks) da un utente" +msgstr "Rimuove una maschera (mask) da un utente" #: autoop.cpp:169 msgid " [,...] [channels]" @@ -58,11 +58,11 @@ msgstr "Rimuove un utente" #: autoop.cpp:275 msgid "Usage: AddUser [,...] [channels]" -msgstr "Usa: AddUser [,...] [channels]" +msgstr "Utilizzo: AddUser [,...] [channels]" #: autoop.cpp:291 msgid "Usage: DelUser " -msgstr "Usa: DelUser " +msgstr "Utilizzo: DelUser " #: autoop.cpp:300 msgid "There are no users defined" @@ -90,7 +90,7 @@ msgstr "Usa: AddChans [channel] ..." #: autoop.cpp:344 autoop.cpp:365 autoop.cpp:387 autoop.cpp:408 autoop.cpp:472 msgid "No such user" -msgstr "Utente non presente" +msgstr "Utente inesistente" #: autoop.cpp:349 msgid "Channel(s) added to user {1}" @@ -98,7 +98,7 @@ msgstr "Canali aggiunti all'utente {1}" #: autoop.cpp:358 msgid "Usage: DelChans [channel] ..." -msgstr "Usa: DelChans [channel] ..." +msgstr "Utilizzo: DelChans [channel] ..." #: autoop.cpp:371 msgid "Channel(s) Removed from user {1}" @@ -140,18 +140,18 @@ msgstr "L'utente {1} viene aggiunto con la hostmask(s) {2}" msgid "" "[{1}] sent us a challenge but they are not opped in any defined channels." msgstr "" -"[{1}] ci ha inviato una sfida ma loro non sono appati in nessuno dei canali " -"definiti." +"[{1}] ci ha inviato una challenge ma loro non sono operatori in nessuno dei " +"canali definiti." #: autoop.cpp:536 msgid "[{1}] sent us a challenge but they do not match a defined user." msgstr "" -"[{1}] ci ha inviato una sfida ma loro non corrispondono a nessuno degli " +"[{1}] ci ha inviato una challenge ma loro non corrispondono a nessuno degli " "utenti definiti." #: autoop.cpp:544 msgid "WARNING! [{1}] sent an invalid challenge." -msgstr "AVVISO! [{1}] ha inviato una sfida non valida." +msgstr "ATTENZIONE! [{1}] ha inviato una challenge non valida." #: autoop.cpp:560 msgid "[{1}] sent an unchallenged response. This could be due to lag." @@ -164,15 +164,15 @@ msgid "" "WARNING! [{1}] sent a bad response. Please verify that you have their " "correct password." msgstr "" -"AVVISO! [{1}] inviato una brutta risposta. Per favore verifica di avere la " -"loro password corretta." +"ATTENZIONE! [{1}] inviato una risposta errata. Per favore verifica di avere " +"la loro password corretta." #: autoop.cpp:586 msgid "WARNING! [{1}] sent a response but did not match any defined users." msgstr "" -"AVVISO! [{1}] ha inviato una risposta, ma non corrisponde ad alcun utente " -"definito." +"ATTENZIONE! [{1}] ha inviato una risposta, ma non corrisponde ad alcun " +"utente definito." #: autoop.cpp:644 msgid "Auto op the good people" -msgstr "Auto Op alle buone persone" +msgstr "Auto Op le buone persone" diff --git a/modules/po/autoreply.it_IT.po b/modules/po/autoreply.it_IT.po index 9609b03b..6ef6142d 100644 --- a/modules/po/autoreply.it_IT.po +++ b/modules/po/autoreply.it_IT.po @@ -37,9 +37,9 @@ msgid "" "You might specify a reply text. It is used when automatically answering " "queries, if you are not connected to ZNC." msgstr "" -"Puoi specificare un testo di risposta. Viente utilizzato quando si risponde " -"automaticamente alle query se non si è connessi allo ZNC." +"Puoi specificare un testo di risposta. Essa viene utilizzata automaticamente " +"per rispondere alle query se non si è connessi a ZNC." #: autoreply.cpp:98 msgid "Reply to queries when you are away" -msgstr "Risponde alle queries quando sei assente" +msgstr "Risponde alle query quando sei assente" diff --git a/modules/po/autovoice.it_IT.po b/modules/po/autovoice.it_IT.po index 8ec46e47..7f9fdeae 100644 --- a/modules/po/autovoice.it_IT.po +++ b/modules/po/autovoice.it_IT.po @@ -70,11 +70,11 @@ msgstr "Canali" #: autovoice.cpp:263 msgid "Usage: AddChans [channel] ..." -msgstr "Usa: AddChans [canale] ..." +msgstr "Utilizzo: AddChans [canale] ..." #: autovoice.cpp:270 autovoice.cpp:292 autovoice.cpp:329 msgid "No such user" -msgstr "Utente non presente" +msgstr "Utente inesistente" #: autovoice.cpp:275 msgid "Channel(s) added to user {1}" @@ -94,7 +94,7 @@ msgstr "L'utente {1} è stato rimosso" #: autovoice.cpp:341 msgid "That user already exists" -msgstr "Questo utente è già esistente" +msgstr "Questo utente già esiste" #: autovoice.cpp:347 msgid "User {1} added with hostmask {2}" @@ -105,8 +105,8 @@ msgid "" "Each argument is either a channel you want autovoice for (which can include " "wildcards) or, if it starts with !, it is an exception for autovoice." msgstr "" -"Ogni argomento è o un canale per il quale si vuole l'autovoice (che può " -"includere caratteri jolly) o, se inizia con !, è un'eccezione per " +"Ogni argomento è un canale per il quale si vuole l'autovoice (che può " +"includere caratteri jolly) oppure, se inizia con !, è un'eccezione per " "l'autovoice." #: autovoice.cpp:365 diff --git a/modules/po/awaystore.it_IT.po b/modules/po/awaystore.it_IT.po index 2fe7b7d3..aa7ef1d8 100644 --- a/modules/po/awaystore.it_IT.po +++ b/modules/po/awaystore.it_IT.po @@ -14,7 +14,7 @@ msgstr "" #: awaystore.cpp:67 msgid "You have been marked as away" -msgstr "Sei contrassegnato come assente" +msgstr "Sei contrassegnato come assente (away)" #: awaystore.cpp:78 awaystore.cpp:385 awaystore.cpp:388 msgid "Welcome back!" @@ -26,7 +26,7 @@ msgstr "Eliminato {1} messaggi" #: awaystore.cpp:104 msgid "USAGE: delete " -msgstr "USA: delete " +msgstr "UTILIZZA: delete " #: awaystore.cpp:109 msgid "Illegal message # requested" @@ -74,7 +74,7 @@ msgstr "Timer impostato a {1} secondi" #: awaystore.cpp:203 msgid "Current timer setting: {1} seconds" -msgstr "Impostazioni dell'ora corrente: {1} secondi" +msgstr "Impostazioni del timer corrente: {1} secondi" #: awaystore.cpp:278 msgid "This module needs as an argument a keyphrase used for encryption" @@ -87,7 +87,7 @@ msgid "" "Failed to decrypt your saved messages - Did you give the right encryption " "key as an argument to this module?" msgstr "" -"Impossibile decrittografare i messaggi salvati. Hai fornito la chiave di " +"Impossibile decriptare i messaggi salvati. Hai fornito la chiave di " "crittografia giusta come argomento per questo modulo?" #: awaystore.cpp:386 awaystore.cpp:389 @@ -100,7 +100,7 @@ msgstr "Impossibile trovare il buffer" #: awaystore.cpp:469 msgid "Unable to decode encrypted messages" -msgstr "Impossibile decodificare i messaggi crittografati" +msgstr "Impossibile decriptare i messaggi crittografati" #: awaystore.cpp:516 msgid "" @@ -114,5 +114,5 @@ msgstr "" msgid "" "Adds auto-away with logging, useful when you use ZNC from different locations" msgstr "" -"Aggiunge un auto-away con logging, utile quando si utilizza lo ZNC da " -"diverse posizioni" +"Aggiunge un auto-away con logging, utile quando si utilizza ZNC da diverse " +"posizioni" diff --git a/modules/po/block_motd.it_IT.po b/modules/po/block_motd.it_IT.po index 25e241e9..ab260a6b 100644 --- a/modules/po/block_motd.it_IT.po +++ b/modules/po/block_motd.it_IT.po @@ -21,8 +21,8 @@ msgid "" "Override the block with this command. Can optionally specify which server to " "query." msgstr "" -"Oltrepassa il blocco con questo comando. Opzionalmente puoi specificare " -"quale server interrogare." +"Ignora il blocco con questo comando. Opzionalmente puoi specificare quale " +"server interrogare." #: block_motd.cpp:36 msgid "You are not connected to an IRC Server." @@ -30,7 +30,7 @@ msgstr "Non sei connesso ad un server IRC." #: block_motd.cpp:58 msgid "MOTD blocked by ZNC" -msgstr "MOTD bloccato dallo ZNC" +msgstr "MOTD bloccato da ZNC" #: block_motd.cpp:104 msgid "Block the MOTD from IRC so it's not sent to your client(s)." diff --git a/modules/po/blockuser.it_IT.po b/modules/po/blockuser.it_IT.po index 5d5a188c..b549af4b 100644 --- a/modules/po/blockuser.it_IT.po +++ b/modules/po/blockuser.it_IT.po @@ -54,7 +54,7 @@ msgstr "Utenti bloccati:" #: blockuser.cpp:100 msgid "Usage: Block " -msgstr "Usa: Block " +msgstr "Utilizzo: Block " #: blockuser.cpp:105 blockuser.cpp:147 msgid "You can't block yourself" @@ -70,7 +70,7 @@ msgstr "Impossibile bloccare {1} (errore di ortografia?)" #: blockuser.cpp:120 msgid "Usage: Unblock " -msgstr "Usa: Unblock " +msgstr "Utilizzo: Unblock " #: blockuser.cpp:125 blockuser.cpp:161 msgid "Unblocked {1}" @@ -90,8 +90,8 @@ msgstr "L'utente {1} non è bloccato" #: blockuser.cpp:216 msgid "Enter one or more user names. Separate them by spaces." -msgstr "Inserisci uno o più nomi utente. Seprali da uno spazio." +msgstr "Inserisci uno o più nomi utente. Separali con uno spazio." #: blockuser.cpp:219 msgid "Block certain users from logging in." -msgstr "Blocca determinati utenti a partire dal login." +msgstr "Blocca il login di determinati utenti." diff --git a/modules/po/bouncedcc.it_IT.po b/modules/po/bouncedcc.it_IT.po index 86910271..afa878cc 100644 --- a/modules/po/bouncedcc.it_IT.po +++ b/modules/po/bouncedcc.it_IT.po @@ -134,5 +134,5 @@ msgid "" "Bounces DCC transfers through ZNC instead of sending them directly to the " "user. " msgstr "" -"Rimuove/Rimbalza i trasferimenti DCC tramite ZNC invece di inviarli " -"direttamente all'utente." +"Rimbalza (bounce) i trasferimenti DCC tramite ZNC invece di inviarli " +"direttamente all'utente. " diff --git a/modules/po/buffextras.it_IT.po b/modules/po/buffextras.it_IT.po index 689e0a05..dbe54c05 100644 --- a/modules/po/buffextras.it_IT.po +++ b/modules/po/buffextras.it_IT.po @@ -26,7 +26,7 @@ msgstr "{1} kicked {2} per questo motivo: {3}" #: buffextras.cpp:64 msgid "{1} quit: {2}" -msgstr "{1} quit: {2}" +msgstr "{1} lascia: {2}" #: buffextras.cpp:73 msgid "{1} joined" @@ -46,4 +46,4 @@ msgstr "{1} ha cambiato il topic in: {2}" #: buffextras.cpp:115 msgid "Adds joins, parts etc. to the playback buffer" -msgstr "Aggiugne joins, parts eccetera al buffer del playback" +msgstr "Aggiunge joins, parts ecc. al buffer del playback" diff --git a/modules/po/cert.it_IT.po b/modules/po/cert.it_IT.po index 6085c2ed..ebe1e3d9 100644 --- a/modules/po/cert.it_IT.po +++ b/modules/po/cert.it_IT.po @@ -45,7 +45,7 @@ msgstr "Aggiornare" #: cert.cpp:28 msgid "Pem file deleted" -msgstr "Pem file eliminato" +msgstr "File PEM eliminato" #: cert.cpp:31 msgid "The pem file doesn't exist or there was a error deleting the pem file." diff --git a/modules/po/certauth.it_IT.po b/modules/po/certauth.it_IT.po index 666eef96..ca6223a9 100644 --- a/modules/po/certauth.it_IT.po +++ b/modules/po/certauth.it_IT.po @@ -14,7 +14,7 @@ msgstr "" #: modules/po/../data/certauth/tmpl/index.tmpl:7 msgid "Add a key" -msgstr "Aggiunge una chiave" +msgstr "Aggiungi una chiave" #: modules/po/../data/certauth/tmpl/index.tmpl:11 msgid "Key:" @@ -44,7 +44,7 @@ msgstr "[chiave pubblica]" #: certauth.cpp:32 msgid "Add a public key. If key is not provided will use the current key" msgstr "" -"Aggiunge una chiva pubblica. Se non viene fornita alcuna chiave verrà usata " +"Aggiunge una chiave pubblica. Se non viene fornita alcuna chiave verrà usata " "la chiave corrente" #: certauth.cpp:35 @@ -61,7 +61,7 @@ msgstr "Elenco delle tue chiavi pubbliche" #: certauth.cpp:39 msgid "Print your current key" -msgstr "Stamp la tua chiave attuale" +msgstr "Mostra la tua chiave attuale" #: certauth.cpp:142 msgid "You are not connected with any valid public key" @@ -99,7 +99,7 @@ msgstr "Nessuna chiave impostata per il tuo utente" #: certauth.cpp:203 msgid "Invalid #, check \"list\"" -msgstr "# Non valido, selezionare \"list\"" +msgstr "Numero non valido, selezionare \"list\"" #: certauth.cpp:215 msgid "Removed" diff --git a/modules/po/chansaver.it_IT.po b/modules/po/chansaver.it_IT.po index e6f3c3a8..4f1593d5 100644 --- a/modules/po/chansaver.it_IT.po +++ b/modules/po/chansaver.it_IT.po @@ -14,4 +14,4 @@ msgstr "" #: chansaver.cpp:91 msgid "Keeps config up-to-date when user joins/parts." -msgstr "Mantiente la configurazione aggiornata quando un utente entra/esce." +msgstr "Mantiene la configurazione aggiornata quando un utente entra/esce." diff --git a/modules/po/clearbufferonmsg.it_IT.po b/modules/po/clearbufferonmsg.it_IT.po index 9fbc7ec7..da68ba26 100644 --- a/modules/po/clearbufferonmsg.it_IT.po +++ b/modules/po/clearbufferonmsg.it_IT.po @@ -16,4 +16,4 @@ msgstr "" msgid "Clears all channel and query buffers whenever the user does something" msgstr "" "Svuota il buffer di tutti i canali e di tutte le query ogni volta che " -"l'utente invia qualche cosa" +"l'utente fa qualche cosa" diff --git a/modules/po/clientnotify.it_IT.po b/modules/po/clientnotify.it_IT.po index 3635efe8..9afd3128 100644 --- a/modules/po/clientnotify.it_IT.po +++ b/modules/po/clientnotify.it_IT.po @@ -50,7 +50,7 @@ msgstr[1] "" #: clientnotify.cpp:108 msgid "Usage: Method " -msgstr "Usa: Metodo " +msgstr "Utilizzo: Metodo " #: clientnotify.cpp:114 clientnotify.cpp:127 clientnotify.cpp:140 msgid "Saved." diff --git a/modules/po/controlpanel.it_IT.po b/modules/po/controlpanel.it_IT.po index ef4f70bd..168aef2e 100644 --- a/modules/po/controlpanel.it_IT.po +++ b/modules/po/controlpanel.it_IT.po @@ -82,11 +82,11 @@ msgstr "Errore: Non puoi usare $network per modificare altri utenti!" #: controlpanel.cpp:197 msgid "Error: User {1} does not have a network named [{2}]." -msgstr "Errore: L'utente {1} non ha un network di nome [{2}]." +msgstr "Errore: L'utente {1} non ha un nome network [{2}]." #: controlpanel.cpp:209 msgid "Usage: Get [username]" -msgstr "Usa: Get [nome utente]" +msgstr "Utilizzo: Get [nome utente]" #: controlpanel.cpp:299 controlpanel.cpp:502 controlpanel.cpp:577 #: controlpanel.cpp:653 controlpanel.cpp:788 controlpanel.cpp:873 @@ -95,7 +95,7 @@ msgstr "Errore: Variabile sconosciuta" #: controlpanel.cpp:308 msgid "Usage: Set " -msgstr "Usa: Set " +msgstr "Utilizzo: Set " #: controlpanel.cpp:330 controlpanel.cpp:618 msgid "This bind host is already set!" @@ -121,7 +121,7 @@ msgstr "Il timeout non può essere inferiore a 30 secondi!" #: controlpanel.cpp:472 msgid "That would be a bad idea!" -msgstr "Sarebbe una cattiva idea!" +msgstr "Questa sarebbe una cattiva idea!" #: controlpanel.cpp:490 msgid "Supported languages: {1}" @@ -129,7 +129,7 @@ msgstr "Lingue supportate: {1}" #: controlpanel.cpp:514 msgid "Usage: GetNetwork [username] [network]" -msgstr "Usa: GetNetwork [nome utente] [network]" +msgstr "Utilizzo: GetNetwork [nome utente] [network]" #: controlpanel.cpp:533 msgid "Error: A network must be specified to get another users settings." @@ -151,7 +151,7 @@ msgstr "Usa: SetNetwork " #: controlpanel.cpp:663 msgid "Usage: AddChan " -msgstr "Usa: AddChan " +msgstr "Utilizzo: AddChan " #: controlpanel.cpp:676 msgid "Error: User {1} already has a channel named {2}." @@ -165,12 +165,12 @@ msgstr "Il canale {1} per l'utente {2} è stato aggiunto al network {3}." msgid "" "Could not add channel {1} for user {2} to network {3}, does it already exist?" msgstr "" -"Impossibile aggiungere il canale {1} all'utente {2} sul network {3}, esiste " -"già?" +"Impossibile aggiungere il canale {1} per l'utente {2} sul network {3}, " +"esiste già?" #: controlpanel.cpp:697 msgid "Usage: DelChan " -msgstr "Usa: DelChan " +msgstr "Utilizzo: DelChan " #: controlpanel.cpp:712 msgid "Error: User {1} does not have any channel matching [{2}] in network {3}" @@ -186,7 +186,7 @@ msgstr[1] "I canali {1} sono eliminati dal network {2} dell'utente {3}" #: controlpanel.cpp:740 msgid "Usage: GetChan " -msgstr "Usa: GetChan " +msgstr "Utilizzo: GetChan " #: controlpanel.cpp:754 controlpanel.cpp:818 msgid "Error: No channels matching [{1}] found." @@ -194,7 +194,8 @@ msgstr "Errore: Nessun canale corrispondente a [{1}] è stato trovato." #: controlpanel.cpp:803 msgid "Usage: SetChan " -msgstr "Usa: SetChan " +msgstr "" +"Utilizzo: SetChan " #: controlpanel.cpp:884 controlpanel.cpp:894 msgctxt "listusers" @@ -246,7 +247,7 @@ msgstr "" #: controlpanel.cpp:920 msgid "Usage: AddUser " -msgstr "Usa: AddUser " +msgstr "Utilizzo: AddUser " #: controlpanel.cpp:925 msgid "Error: User {1} already exists!" @@ -267,7 +268,7 @@ msgstr "" #: controlpanel.cpp:954 msgid "Usage: DelUser " -msgstr "Usa: DelUser " +msgstr "Utilizzo: DelUser " #: controlpanel.cpp:966 msgid "Error: You can't delete yourself!" @@ -279,13 +280,13 @@ msgstr "Errore: Errore interno!" #: controlpanel.cpp:976 msgid "User {1} deleted!" -msgstr "L'utente {1} è eliminato!" +msgstr "Utente {1} eliminato!" #: controlpanel.cpp:991 msgid "Usage: CloneUser " msgstr "" "Usa\n" -": CloneUser " +"Utilizzo: CloneUser " #: controlpanel.cpp:1006 msgid "Error: Cloning failed: {1}" @@ -293,7 +294,7 @@ msgstr "Errore: Clonazione fallita: {1}" #: controlpanel.cpp:1035 msgid "Usage: AddNetwork [user] network" -msgstr "Usa: AddNetwork [utente] network" +msgstr "Utilizzo: AddNetwork [utente] network" #: controlpanel.cpp:1041 msgid "" @@ -318,7 +319,7 @@ msgstr "Errore: Il network [{1}] non può essere aggiunto per l'utente {2}: {3}" #: controlpanel.cpp:1080 msgid "Usage: DelNetwork [user] network" -msgstr "Usa: DelNetwork [utente] network" +msgstr "Utilizzo: DelNetwork [utente] network" #: controlpanel.cpp:1091 msgid "The currently active network can be deleted via {1}status" @@ -327,7 +328,7 @@ msgstr "" #: controlpanel.cpp:1097 msgid "Network {1} deleted for user {2}." -msgstr "Il network {1} è stato rimosso per l'utente {2}." +msgstr "Il network {1} è stato eliminato per l'utente {2}." #: controlpanel.cpp:1101 msgid "Error: Network {1} could not be deleted for user {2}." @@ -360,15 +361,16 @@ msgstr "Canali" #: controlpanel.cpp:1143 msgid "No networks" -msgstr "Nessun networks" +msgstr "Nessun network" #: controlpanel.cpp:1154 msgid "Usage: AddServer [[+]port] [password]" -msgstr "Usa: AddServer [[+]porta] [password]" +msgstr "" +"Utilizzo: AddServer [[+]porta] [password]" #: controlpanel.cpp:1168 msgid "Added IRC Server {1} to network {2} for user {3}." -msgstr "Aggiunto il Server IRC {1} del network {2} per l'utente {3}." +msgstr "Aggiunto il Server IRC {1} al network {2} per l'utente {3}." #: controlpanel.cpp:1172 msgid "Error: Could not add IRC server {1} to network {2} for user {3}." @@ -378,7 +380,8 @@ msgstr "" #: controlpanel.cpp:1185 msgid "Usage: DelServer [[+]port] [password]" -msgstr "Usa: DelServer [[+]porta] [password]" +msgstr "" +"Utilizzo: DelServer [[+]porta] [password]" #: controlpanel.cpp:1200 msgid "Deleted IRC Server {1} from network {2} for user {3}." @@ -392,7 +395,7 @@ msgstr "" #: controlpanel.cpp:1214 msgid "Usage: Reconnect " -msgstr "Usa: Reconnect " +msgstr "Utilizzo: Reconnect " #: controlpanel.cpp:1241 msgid "Queued network {1} of user {2} for a reconnect." @@ -400,11 +403,11 @@ msgstr "Il network {1} dell'utente {2} è in coda per una riconnessione." #: controlpanel.cpp:1250 msgid "Usage: Disconnect " -msgstr "Usa: Disconnect " +msgstr "Utilizzo: Disconnect " #: controlpanel.cpp:1265 msgid "Closed IRC connection for network {1} of user {2}." -msgstr "Chisa la connessione IRC al network {1} dell'utente {2}." +msgstr "Chiusa la connessione IRC al network {1} dell'utente {2}." #: controlpanel.cpp:1280 controlpanel.cpp:1284 msgctxt "listctcp" @@ -414,25 +417,25 @@ msgstr "Richiesta" #: controlpanel.cpp:1281 controlpanel.cpp:1285 msgctxt "listctcp" msgid "Reply" -msgstr "Rispondere" +msgstr "Rispondi" #: controlpanel.cpp:1289 msgid "No CTCP replies for user {1} are configured" -msgstr "Nessuna risposta di CTCP per l'utente {1} è stata configurata" +msgstr "Nessuna risposta CTCP per l'utente {1} è stata configurata" #: controlpanel.cpp:1292 msgid "CTCP replies for user {1}:" -msgstr "Le risposte CTCP per l'utente {1}:" +msgstr "Risposte CTCP per l'utente {1}:" #: controlpanel.cpp:1308 msgid "Usage: AddCTCP [user] [request] [reply]" -msgstr "Usa: AddCTCP [utente] [richiesta] [risposta]" +msgstr "Utilizzo: AddCTCP [utente] [richiesta] [risposta]" #: controlpanel.cpp:1310 msgid "" "This will cause ZNC to reply to the CTCP instead of forwarding it to clients." msgstr "" -"Questo farà sì che lo ZNC risponda al CTCP invece di inoltrarlo ai clients." +"Questo farà sì che ZNC risponda al CTCP invece di inoltrarlo ai client." #: controlpanel.cpp:1313 msgid "An empty reply will cause the CTCP request to be blocked." @@ -448,7 +451,7 @@ msgstr "Le richieste CTCP {1} all'utente {2} ora avranno risposta: {3}" #: controlpanel.cpp:1343 msgid "Usage: DelCTCP [user] [request]" -msgstr "Usa: DelCTCP [utente] [richiesta]" +msgstr "Utilizzo: DelCTCP [utente] [richiesta]" #: controlpanel.cpp:1349 msgid "CTCP requests {1} to user {2} will now be sent to IRC clients" @@ -473,7 +476,7 @@ msgstr "Errore: Impossibile caricare il modulo {1}: {2}" #: controlpanel.cpp:1375 msgid "Loaded module {1}" -msgstr "Modulo caricato {1}" +msgstr "Modulo caricato: {1}" #: controlpanel.cpp:1380 msgid "Error: Unable to reload module {1}: {2}" @@ -481,7 +484,7 @@ msgstr "Errore: Impossibile ricaricare il modulo {1}: {2}" #: controlpanel.cpp:1383 msgid "Reloaded module {1}" -msgstr "Modulo ricaricato {1}" +msgstr "Modulo ricaricato: {1}" #: controlpanel.cpp:1387 msgid "Error: Unable to load module {1} because it is already loaded" @@ -489,12 +492,12 @@ msgstr "Errore: Impossibile caricare il modulo {1} perché è già stato caricat #: controlpanel.cpp:1398 msgid "Usage: LoadModule [args]" -msgstr "Usa: LoadModule [argomenti]" +msgstr "Utilizzo: LoadModule [argomenti]" #: controlpanel.cpp:1417 msgid "Usage: LoadNetModule [args]" msgstr "" -"Usa: LoadNetModule [argomenti]" +"Utilizzo: LoadNetModule [argomenti]" #: controlpanel.cpp:1442 msgid "Please use /znc unloadmod {1}" @@ -502,19 +505,19 @@ msgstr "Per favore usa il comando /znc unloadmod {1}" #: controlpanel.cpp:1448 msgid "Error: Unable to unload module {1}: {2}" -msgstr "Errore: Impossibile rimunovere il modulo {1}: {2}" +msgstr "Errore: Impossibile rimuovere il modulo {1}: {2}" #: controlpanel.cpp:1451 msgid "Unloaded module {1}" -msgstr "Rimosso il modulo {1}" +msgstr "Rimosso il modulo: {1}" #: controlpanel.cpp:1460 msgid "Usage: UnloadModule " -msgstr "Usa: UnloadModule " +msgstr "Utilizzo: UnloadModule " #: controlpanel.cpp:1477 msgid "Usage: UnloadNetModule " -msgstr "Usa: UnloadNetModule " +msgstr "Utilizzo: UnloadNetModule " #: controlpanel.cpp:1494 controlpanel.cpp:1499 msgctxt "listmodules" @@ -556,7 +559,7 @@ msgstr " [nome utente]" #: controlpanel.cpp:1560 msgid "Prints the variable's value for the given or current user" -msgstr "Mostra il valore della varibaile per l'utente specificato o corrente" +msgstr "Mostra il valore della variabile per l'utente specificato o corrente" #: controlpanel.cpp:1562 msgid " " @@ -572,7 +575,7 @@ msgstr " [nome utente] [network]" #: controlpanel.cpp:1566 msgid "Prints the variable's value for the given network" -msgstr "Mostra il valore della varibaile del network specificato" +msgstr "Mostra il valore della variabaile del network specificato" #: controlpanel.cpp:1568 msgid " " @@ -588,11 +591,11 @@ msgstr " [nome utente] " #: controlpanel.cpp:1572 msgid "Prints the variable's value for the given channel" -msgstr "Mostra il valore della varibaile del canale specificato" +msgstr "Mostra il valore della variabaile del canale specificato" #: controlpanel.cpp:1575 msgid " " -msgstr " " +msgstr " " #: controlpanel.cpp:1576 msgid "Sets the variable's value for the given channel" @@ -656,7 +659,7 @@ msgstr " " #: controlpanel.cpp:1601 msgid "Cycles the user's IRC server connection" -msgstr "Cicla all'utente la connessione al server IRC" +msgstr "Cicla la connessione al server IRC dell'utente" #: controlpanel.cpp:1604 msgid "Disconnects the user from their IRC server" @@ -664,7 +667,7 @@ msgstr "Disconnette l'utente dal proprio server IRC" #: controlpanel.cpp:1606 msgid " [args]" -msgstr " [argomenmti]" +msgstr " [argomenti]" #: controlpanel.cpp:1607 msgid "Loads a Module for a user" @@ -680,7 +683,7 @@ msgstr "Rimuove un modulo da un utente" #: controlpanel.cpp:1613 msgid "Get the list of modules for a user" -msgstr "Mostra un elenco dei moduli caricati di un utente" +msgstr "Mostra un elenco dei moduli caricati per un utente" #: controlpanel.cpp:1616 msgid " [args]" @@ -700,7 +703,7 @@ msgstr "Rimuove un modulo da un network" #: controlpanel.cpp:1624 msgid "Get the list of modules for a network" -msgstr "Mostra un elenco dei moduli caricati di un network" +msgstr "Mostra un elenco dei moduli caricati per un network" #: controlpanel.cpp:1627 msgid "List the configured CTCP replies" @@ -728,11 +731,11 @@ msgstr "[nome utente] " #: controlpanel.cpp:1638 msgid "Add a network for a user" -msgstr "Aggiune un network ad un utente" +msgstr "Aggiunge un network ad un utente" #: controlpanel.cpp:1641 msgid "Delete a network for a user" -msgstr "Elimina un network ad un utente" +msgstr "Elimina un network da un utente" #: controlpanel.cpp:1643 msgid "[username]" @@ -740,12 +743,12 @@ msgstr "[nome utente]" #: controlpanel.cpp:1644 msgid "List all networks for a user" -msgstr "Elenca tutti i networks di un utente" +msgstr "Elenca tutti i network di un utente" #: controlpanel.cpp:1657 msgid "" "Dynamic configuration through IRC. Allows editing only yourself if you're " "not ZNC admin." msgstr "" -"Configurazione dinamica attraverso IRC. Permette di modficare solo se stessi " -"quando non si è amministratori ZNC." +"Configurazione dinamica attraverso IRC. Permette di modificare solo se " +"stessi quando non si è amministratori ZNC." diff --git a/modules/po/crypt.it_IT.po b/modules/po/crypt.it_IT.po index eb310275..e0fd66cd 100644 --- a/modules/po/crypt.it_IT.po +++ b/modules/po/crypt.it_IT.po @@ -54,11 +54,11 @@ msgstr "Imposta il prefisso del nick, senza argomenti viene disabilitato." #: crypt.cpp:270 msgid "Received DH1080 public key from {1}, sending mine..." -msgstr "Ricevuta la chiave pubblica DH1080 da {1}, inviando il mio..." +msgstr "Ricevuta la chiave pubblica DH1080 da {1}, ora invio la mia..." #: crypt.cpp:275 crypt.cpp:296 msgid "Key for {1} successfully set." -msgstr "La chiave per {1} è impostata con succcesso." +msgstr "La chiave per {1} è stata impostata con successo." #: crypt.cpp:278 crypt.cpp:299 msgid "Error in {1} with {2}: {3}" @@ -78,7 +78,7 @@ msgstr "Target [{1}] non trovato" #: crypt.cpp:400 msgid "Usage DelKey <#chan|Nick>" -msgstr "Usa DelKey <#canale|Nick>" +msgstr "Utilizzo: DelKey <#canale|Nick>" #: crypt.cpp:415 msgid "Set encryption key for [{1}] to [{2}]" @@ -86,19 +86,19 @@ msgstr "Imposta la chiave di crittografia per [{1}] a [{2}]" #: crypt.cpp:417 msgid "Usage: SetKey <#chan|Nick> " -msgstr "Usa: SetKey <#canale|Nick> " +msgstr "Utilizzo: SetKey <#canale|Nick> " #: crypt.cpp:428 msgid "Sent my DH1080 public key to {1}, waiting for reply ..." -msgstr "Inviato la mia chiave pubblica DH1080 a {1}, attendo risposta ..." +msgstr "Inviata la mia chiave pubblica DH1080 a {1}, attendo risposta ..." #: crypt.cpp:430 msgid "Error generating our keys, nothing sent." -msgstr "Errore del generatore dalle nostre chiavi, inviato nulla." +msgstr "Errore del generatore dalle nostre chiavi, non ho inviato nulla." #: crypt.cpp:433 msgid "Usage: KeyX " -msgstr "Usa: KeyX " +msgstr "Utilizzo: KeyX " #: crypt.cpp:440 msgid "Nick Prefix disabled." @@ -111,7 +111,8 @@ msgstr "Prefisso del nick: {1}" #: crypt.cpp:451 msgid "You cannot use :, even followed by other symbols, as Nick Prefix." msgstr "" -"Non puoi usare :, seguito anche da altri simboli, come prefisso del nick." +"Non puoi usare :, come prefisso del nick - nemmeno se seguito anche da altri " +"simboli." #: crypt.cpp:460 msgid "Overlap with Status Prefix ({1}), this Nick Prefix will not be used!" diff --git a/modules/po/ctcpflood.it_IT.po b/modules/po/ctcpflood.it_IT.po index 80144429..38c88b1c 100644 --- a/modules/po/ctcpflood.it_IT.po +++ b/modules/po/ctcpflood.it_IT.po @@ -18,7 +18,7 @@ msgstr "" #: ctcpflood.cpp:25 msgid "Set seconds limit" -msgstr "Imposta il limite dei secondi" +msgstr "Imposta il limite in secondi" #: ctcpflood.cpp:27 msgid "Set lines limit" @@ -34,11 +34,11 @@ msgstr "Limite raggiunto da {1}, blocco tutti i CTCP" #: ctcpflood.cpp:98 msgid "Usage: Secs " -msgstr "Usa: Secs " +msgstr "Utilizzo: Secs " #: ctcpflood.cpp:113 msgid "Usage: Lines " -msgstr "Usa: Lines " +msgstr "Utilizzo: Lines " #: ctcpflood.cpp:125 msgid "1 CTCP message" @@ -63,12 +63,12 @@ msgid "" "argument is the time (sec) to in which the number of lines is reached. The " "default setting is 4 CTCPs in 2 seconds" msgstr "" -"Questo modulo utente non accetta nessuno o due argomenti. Il primo argomento " -"è il numero di linee dopo le quali viene attivata la protezione contro i " -"flood (flood-protection). Il secondo argomento è il tempo (second) in cui il " +"Questo modulo utente accetta da zero a due argomenti. Il primo argomento è " +"il numero di linee dopo le quali viene attivata la protezione contro i flood " +"(flood-protection). Il secondo argomento è il tempo (in secondi) in cui il " "numero di linee viene raggiunto. L'impostazione predefinita è 4 CTCP in 2 " "secondi" #: ctcpflood.cpp:151 msgid "Don't forward CTCP floods to clients" -msgstr "Non inoltrare i flussi CTCP (floods) ai clients" +msgstr "Non inoltrare i flussi CTCP (floods) ai client" diff --git a/modules/po/cyrusauth.it_IT.po b/modules/po/cyrusauth.it_IT.po index b719a470..f5764096 100644 --- a/modules/po/cyrusauth.it_IT.po +++ b/modules/po/cyrusauth.it_IT.po @@ -32,19 +32,19 @@ msgstr "Accesso negato" #: cyrusauth.cpp:70 msgid "Ignoring invalid SASL pwcheck method: {1}" -msgstr "Ignorando il metodo non valido SASL pwcheck: {1}" +msgstr "Ignoro il metodo non valido SASL pwcheck: {1}" #: cyrusauth.cpp:71 msgid "Ignored invalid SASL pwcheck method" -msgstr "Ignorato il metodo non valido SASL pwcheck" +msgstr "Ignoro il metodo non valido SASL pwcheck" #: cyrusauth.cpp:79 msgid "Need a pwcheck method as argument (saslauthd, auxprop)" -msgstr "Hai bisogno di un metodo pwcheck come argomento (saslauthd, auxprop)" +msgstr "Serve un metodo pwcheck come argomento (saslauthd, auxprop)" #: cyrusauth.cpp:84 msgid "SASL Could Not Be Initialized - Halting Startup" -msgstr "SASL non può essere inizializzato - Arrestato all'avvio" +msgstr "SASL non può essere inizializzato - Arrestato l'avvio" #: cyrusauth.cpp:171 cyrusauth.cpp:186 msgid "We will not create users on their first login" @@ -64,7 +64,8 @@ msgstr "Creeremo gli utenti al loro primo accesso" #: cyrusauth.cpp:199 msgid "Usage: CreateUsers yes, CreateUsers no, or CreateUsers clone " msgstr "" -"Usa: CreateUsers yes, CreateUsers no, oppure CreateUsers clone " +"Utilizzo: CreateUsers yes, CreateUsers no, oppure CreateUsers clone " #: cyrusauth.cpp:232 msgid "" diff --git a/modules/po/dcc.it_IT.po b/modules/po/dcc.it_IT.po index 853ed299..04eb74e4 100644 --- a/modules/po/dcc.it_IT.po +++ b/modules/po/dcc.it_IT.po @@ -18,7 +18,7 @@ msgstr " " #: dcc.cpp:89 msgid "Send a file from ZNC to someone" -msgstr "Invia un file dallo ZNC a qualcuno" +msgstr "Invia un file da ZNC a qualcuno" #: dcc.cpp:91 msgid "" @@ -26,11 +26,11 @@ msgstr "" #: dcc.cpp:92 msgid "Send a file from ZNC to your client" -msgstr "Invia un file dallo ZNC al tuo client" +msgstr "Invia un file da ZNC al tuo client" #: dcc.cpp:94 msgid "List current transfers" -msgstr "Elenca i trasferimenti correnti" +msgstr "Elenca i trasferimenti in corso" #: dcc.cpp:103 msgid "You must be admin to use the DCC module" @@ -38,7 +38,7 @@ msgstr "Devi essere amministratore per usare il modulo DCC" #: dcc.cpp:140 msgid "Attempting to send [{1}] to [{2}]." -msgstr "Stò tentando di inviare [{1}] a [{2}]." +msgstr "Sto tentando di inviare [{1}] a [{2}]." #: dcc.cpp:149 dcc.cpp:554 msgid "Receiving [{1}] from [{2}]: File already exists." @@ -51,15 +51,15 @@ msgstr "Stò tentando di connettermi a [{1} {2}] per scaricare [{3}] da [{4}]." #: dcc.cpp:179 msgid "Usage: Send " -msgstr "Usa: Send " +msgstr "Utilizzo: Send " #: dcc.cpp:186 dcc.cpp:206 msgid "Illegal path." -msgstr "Percorso illegale." +msgstr "Percorso (path) illegale." #: dcc.cpp:199 msgid "Usage: Get " -msgstr "Usa: Get " +msgstr "Utilizzo: Get " #: dcc.cpp:215 dcc.cpp:232 dcc.cpp:234 msgctxt "list" @@ -117,16 +117,17 @@ msgstr "Non hai trasferimenti DCC attivi." #: dcc.cpp:267 msgid "Attempting to resume send from position {1} of file [{2}] for [{3}]" msgstr "" -"Stò tentando di riprendere l'invio della posizione {1} del file [{2}] per " +"Sto tentando di riprendere l'invio della posizione {1} del file [{2}] per " "[{3}]" #: dcc.cpp:277 msgid "Couldn't resume file [{1}] for [{2}]: not sending anything." -msgstr "Impossibile riprendere il file [{1}] per [{2}]: non inviare nulla." +msgstr "" +"Impossibile riprendere il file [{1}] per [{2}]: non sto inviando nulla." #: dcc.cpp:286 msgid "Bad DCC file: {1}" -msgstr "File DCC dannoso (bad): {1}" +msgstr "File DCC errato (bad): {1}" #: dcc.cpp:341 msgid "Sending [{1}] to [{2}]: File not open!" @@ -146,11 +147,11 @@ msgstr "Ricezione del file [{1}] dall'utente [{2}]: Connessione rifiutata." #: dcc.cpp:397 msgid "Sending [{1}] to [{2}]: Timeout." -msgstr "Invio del file [{1}] all'utente [{2}]: Fuori tempo (Timeout)." +msgstr "Invio del file [{1}] all'utente [{2}]: Tempo scaduto (Timeout)." #: dcc.cpp:401 msgid "Receiving [{1}] from [{2}]: Timeout." -msgstr "Ricezione del file [{1}] dall'utente [{2}]: Fuori tempo (Timeout)." +msgstr "Ricezione del file [{1}] dall'utente [{2}]: Tempo scaduto (Timeout)." #: dcc.cpp:411 msgid "Sending [{1}] to [{2}]: Socket error {3}: {4}" @@ -178,12 +179,12 @@ msgstr "Ricezione del file [{1}] dall'utente [{2}]: Troppi dati!" #: dcc.cpp:456 msgid "Sending [{1}] to [{2}] completed at {3} KiB/s" -msgstr "L'invio del file [{1}] all'utente [{2}] viene completato a {3} KiB/s" +msgstr "L'invio del file [{1}] all'utente [{2}] completato a {3} KiB/s" #: dcc.cpp:461 msgid "Receiving [{1}] from [{2}] completed at {3} KiB/s" msgstr "" -"La ricezione del file [{1}] inviato da [{2}] viene completata a {3} KiB/s" +"La ricezione del file [{1}] inviato da [{2}] è stata completata a {3} KiB/s" #: dcc.cpp:474 msgid "Sending [{1}] to [{2}]: File closed prematurely." @@ -231,4 +232,4 @@ msgstr "Invio del file [{1}] all'utente [{2}]: File troppo grande (>4 GiB)." #: dcc.cpp:623 msgid "This module allows you to transfer files to and from ZNC" -msgstr "Questo modulo ti consente di trasferire file da e verso lo ZNC" +msgstr "Questo modulo ti consente di trasferire file da e verso ZNC" diff --git a/modules/po/disconkick.it_IT.po b/modules/po/disconkick.it_IT.po index b1cef122..72d89e18 100644 --- a/modules/po/disconkick.it_IT.po +++ b/modules/po/disconkick.it_IT.po @@ -21,5 +21,5 @@ msgid "" "Kicks the client from all channels when the connection to the IRC server is " "lost" msgstr "" -"Libera (kicks) il client da tutti i canali quando la connessione al server " -"IRC viene persa" +"Butta fuori (kick) il client da tutti i canali quando la connessione al " +"server IRC viene persa" diff --git a/modules/po/fail2ban.it_IT.po b/modules/po/fail2ban.it_IT.po index 869e9463..e811f864 100644 --- a/modules/po/fail2ban.it_IT.po +++ b/modules/po/fail2ban.it_IT.po @@ -27,7 +27,7 @@ msgstr "[conteggio]" #: fail2ban.cpp:29 msgid "The number of allowed failed login attempts." -msgstr "Il numero di tentatvi di accesso (login) falliti consentiti." +msgstr "Numero di tentativi di accesso (login) falliti consentiti." #: fail2ban.cpp:31 fail2ban.cpp:33 msgid "" @@ -39,20 +39,20 @@ msgstr "Vieta (ban) gli host specificati." #: fail2ban.cpp:33 msgid "Unban the specified hosts." -msgstr "Rimuove un divieto (ban) da uno specifico hosts." +msgstr "Rimuove un divieto (ban) da specifici host." #: fail2ban.cpp:35 msgid "List banned hosts." -msgstr "Elenco degli hosts vietati (banned)." +msgstr "Elenco degli host vietati (bannati)." #: fail2ban.cpp:55 msgid "" "Invalid argument, must be the number of minutes IPs are blocked after a " "failed login and can be followed by number of allowed failed login attempts" msgstr "" -"Argomento non valido, deve essere il numero di minuti di IPs sono bloccati " -"dopo un login fallito e può essere seguito dal numero di tentativi falliti " -"consentito" +"Argomento non valido, deve essere il numero di minuti in cui gli IP sono " +"bloccati dopo un login fallito e può essere seguito dal numero consentito di " +"tentativi falliti" #: fail2ban.cpp:77 fail2ban.cpp:100 fail2ban.cpp:123 fail2ban.cpp:146 #: fail2ban.cpp:172 @@ -61,7 +61,7 @@ msgstr "Accesso negato" #: fail2ban.cpp:86 msgid "Usage: Timeout [minutes]" -msgstr "Usa: Timeout [minuti]" +msgstr "Utilizzo: Timeout [minuti]" #: fail2ban.cpp:91 fail2ban.cpp:94 msgid "Timeout: {1} min" @@ -69,7 +69,7 @@ msgstr "Timeout: {1} minuti" #: fail2ban.cpp:109 msgid "Usage: Attempts [count]" -msgstr "Usa: Attempts [conteggio]" +msgstr "Utilizzo: Attempts [conteggio]" #: fail2ban.cpp:114 fail2ban.cpp:117 msgid "Attempts: {1}" @@ -77,19 +77,19 @@ msgstr "Tentativi: {1}" #: fail2ban.cpp:130 msgid "Usage: Ban " -msgstr "Usa: Ban " +msgstr "Utilizzo: Ban " #: fail2ban.cpp:140 msgid "Banned: {1}" -msgstr "Vietato (Banned): {1}" +msgstr "Bannato (Banned): {1}" #: fail2ban.cpp:153 msgid "Usage: Unban " -msgstr "Usa: Unban " +msgstr "Utilizzo: Unban " #: fail2ban.cpp:163 msgid "Unbanned: {1}" -msgstr "Sbannato: {1}" +msgstr "Sbannato (unbanned): {1}" #: fail2ban.cpp:165 msgid "Ignored: {1}" @@ -108,16 +108,16 @@ msgstr "Tentativi" #: fail2ban.cpp:187 msgctxt "list" msgid "No bans" -msgstr "Nessun divieto (bans)" +msgstr "Nessun divieto (ban)" #: fail2ban.cpp:244 msgid "" "You might enter the time in minutes for the IP banning and the number of " "failed logins before any action is taken." msgstr "" -"È possibile inserire il tempo in minuti per il banning IP e il numero di " -"accessi falliti (login) prima di intraprendere qualsiasi azione." +"È possibile inserire il tempo in minuti di ban dell'IP e il numero di " +"accessi (login) falliti prima di intraprendere qualsiasi azione." #: fail2ban.cpp:249 msgid "Block IPs for some time after a failed login." -msgstr "Blocca gli IP per un pò di tempo dopo un login fallito." +msgstr "Blocca gli IP per un certo periodo di tempo dopo un login fallito." diff --git a/modules/po/flooddetach.it_IT.po b/modules/po/flooddetach.it_IT.po index 3f195d5a..1a23c742 100644 --- a/modules/po/flooddetach.it_IT.po +++ b/modules/po/flooddetach.it_IT.po @@ -31,17 +31,17 @@ msgstr "Mostra o imposta il numero di linee nell'intervallo di tempo" #: flooddetach.cpp:39 msgid "Show or set whether to notify you about detaching and attaching back" msgstr "" -"Mostra o imposta se notificarti su come staccarti e ricollegareti dai canali " -"(detaching e attaching)" +"Mostra o imposta se essere notificato sullo sgancio (detach) e il ri-" +"aggancio (attaching)" #: flooddetach.cpp:93 msgid "Flood in {1} is over, reattaching..." -msgstr "Il flood su {1} è finito, riattacco..." +msgstr "Il flood su {1} è finito, ri-aggancio..." #: flooddetach.cpp:150 msgid "Channel {1} was flooded, you've been detached" msgstr "" -"Canale{1} è stato \"invaso da messaggi\" (flooded), sei stato distaccato " +"Canale{1} è stato \"invaso da messaggi\" (flooded), sei stato sganciato " "(detached)" #: flooddetach.cpp:187 @@ -66,7 +66,7 @@ msgstr "Il limite dei secondi è {1}" #: flooddetach.cpp:202 msgid "Set seconds limit to {1}" -msgstr "Imposta il limite dei secondi a {1}" +msgstr "Imposta il limite in secondi a {1}" #: flooddetach.cpp:211 msgid "Lines limit is {1}" @@ -94,4 +94,6 @@ msgstr "" #: flooddetach.cpp:251 msgid "Detach channels when flooded" -msgstr "Distacca (detach) i canali quando vengono flooded" +msgstr "" +"Sgancia (detach) dai canali quando vengono c'è un flood (invasione di " +"messaggi)" diff --git a/modules/po/identfile.it_IT.po b/modules/po/identfile.it_IT.po index d0dfe18a..f78df442 100644 --- a/modules/po/identfile.it_IT.po +++ b/modules/po/identfile.it_IT.po @@ -42,7 +42,7 @@ msgstr "Mostra lo stato corrente" #: identfile.cpp:48 msgid "File is set to: {1}" -msgstr "File è impostato su: {1}" +msgstr "File impostato su: {1}" #: identfile.cpp:53 msgid "File has been set to: {1}" @@ -62,7 +62,7 @@ msgstr "Il formato è impostato su: {1}" #: identfile.cpp:78 msgid "identfile is free" -msgstr "identfile è free" +msgstr "l'identfile è libero" #: identfile.cpp:86 msgid "Access denied" @@ -73,12 +73,12 @@ msgid "" "Aborting connection, another user or network is currently connecting and " "using the ident spoof file" msgstr "" -"Connessione interrotta, un altro utente o network è attualmente connesso e " -"utilizzando ident spoof file" +"Connessione interrotta, un altro utente o network è attualmente connesso " +"utilizzando un file ident spoof" #: identfile.cpp:189 msgid "[{1}] could not be written, retrying..." -msgstr "[{1}] non può essere scritto, riprovare..." +msgstr "[{1}] non può essere scritto, riprovo..." #: identfile.cpp:223 msgid "Write the ident of a user to a file when they are trying to connect." diff --git a/modules/po/keepnick.it_IT.po b/modules/po/keepnick.it_IT.po index 8647c8ad..1aeb7ae4 100644 --- a/modules/po/keepnick.it_IT.po +++ b/modules/po/keepnick.it_IT.po @@ -18,7 +18,7 @@ msgstr "Porova ad ottenere il tuo nick principale" #: keepnick.cpp:42 keepnick.cpp:196 msgid "No longer trying to get your primary nick" -msgstr "Non stai più cercando di ottenere il tuo nick principale" +msgstr "Non sto più cercando di ottenere il tuo nick principale" #: keepnick.cpp:44 msgid "Show the current state" @@ -26,7 +26,7 @@ msgstr "Mostra lo stato corrente" #: keepnick.cpp:158 msgid "ZNC is already trying to get this nickname" -msgstr "Lo ZNC stà già cercando di ottenere questo nickname" +msgstr "ZNC stà già cercando di ottenere questo nickname" #: keepnick.cpp:173 msgid "Unable to obtain nick {1}: {2}, {3}" @@ -42,7 +42,7 @@ msgstr "Cercando di ottenere il tuo nick principale" #: keepnick.cpp:201 msgid "Currently trying to get your primary nick" -msgstr "Attualmente stò cercando di ottenere il tuo nick principale" +msgstr "Sto cercando di ottenere il tuo nick principale" #: keepnick.cpp:203 msgid "Currently disabled, try 'enable'" @@ -50,4 +50,4 @@ msgstr "Attualmente disabilitato, prova ad abilitarlo (enable)" #: keepnick.cpp:224 msgid "Keeps trying for your primary nick" -msgstr "Prova a mantenere il tuo nick principale" +msgstr "Contino a provare il tuo nick principale" diff --git a/modules/po/kickrejoin.it_IT.po b/modules/po/kickrejoin.it_IT.po index 1bcac3e7..a1c8027e 100644 --- a/modules/po/kickrejoin.it_IT.po +++ b/modules/po/kickrejoin.it_IT.po @@ -62,8 +62,8 @@ msgstr "Il ritardo del rientro automatico (rejoin) è stato disabilitato" #: kickrejoin.cpp:131 msgid "You might enter the number of seconds to wait before rejoining." msgstr "" -"Puoi inserire il numero di secondi che lo ZNC deve attendere prima di " -"rientrare automaticamente (rejoining)." +"Puoi inserire il numero di secondi che Znc deve attendere prima di rientrare " +"automaticamente (rejoining)." #: kickrejoin.cpp:134 msgid "Autorejoins on kick" diff --git a/modules/po/lastseen.it_IT.po b/modules/po/lastseen.it_IT.po index 40523602..76caf8aa 100644 --- a/modules/po/lastseen.it_IT.po +++ b/modules/po/lastseen.it_IT.po @@ -38,7 +38,7 @@ msgstr "Elimina" #: modules/po/../data/lastseen/tmpl/lastseen_WebadminUser.tmpl:6 msgid "Last login time:" -msgstr "Ultimo accesso:" +msgstr "Ultimo ora di accesso:" #: lastseen.cpp:53 msgid "Access denied" diff --git a/modules/po/listsockets.it_IT.po b/modules/po/listsockets.it_IT.po index 20186452..3a455fd9 100644 --- a/modules/po/listsockets.it_IT.po +++ b/modules/po/listsockets.it_IT.po @@ -44,11 +44,11 @@ msgstr "Remoto" #: modules/po/../data/listsockets/tmpl/index.tmpl:13 msgid "Data In" -msgstr "Dati entranti" +msgstr "Dati in entrata" #: modules/po/../data/listsockets/tmpl/index.tmpl:14 msgid "Data Out" -msgstr "Dati uscenti" +msgstr "Dati in uscita" #: listsockets.cpp:62 msgid "[-n]" @@ -79,7 +79,7 @@ msgstr "No" #: listsockets.cpp:142 msgid "Listener" -msgstr "Ascoltatore" +msgstr "Listener (in ascolto)" #: listsockets.cpp:144 msgid "Inbound" diff --git a/modules/po/log.it_IT.po b/modules/po/log.it_IT.po index 6527b2bc..3162256f 100644 --- a/modules/po/log.it_IT.po +++ b/modules/po/log.it_IT.po @@ -44,7 +44,7 @@ msgstr "Mostra le impostazioni correnti impostate dal comando Set" #: log.cpp:143 msgid "Usage: SetRules " -msgstr "Usa: SetRules " +msgstr "Utilizzo: SetRules " #: log.cpp:144 msgid "Wildcards are allowed" @@ -52,13 +52,13 @@ msgstr "Le wildcards (caratteri jolly) sono permesse" #: log.cpp:156 log.cpp:178 msgid "No logging rules. Everything is logged." -msgstr "Nessuna regola di registrazione. Tutto è registrato." +msgstr "Nessuna regola di registrazione. Tutto viene loggato." #: log.cpp:161 msgid "1 rule removed: {2}" msgid_plural "{1} rules removed: {2}" -msgstr[0] "1 ruolo rimosso: {2}" -msgstr[1] "{1} ruoli rimossi: {2}" +msgstr[0] "1 regola rimssa {2}" +msgstr[1] "{1} regole rimosse: {2}" #: log.cpp:168 log.cpp:173 msgctxt "listrules" @@ -68,7 +68,7 @@ msgstr "Ruolo" #: log.cpp:169 log.cpp:174 msgctxt "listrules" msgid "Logging enabled" -msgstr "Registrazione abilitata (Logging)" +msgstr "Logging abilitato" #: log.cpp:189 msgid "" @@ -79,23 +79,23 @@ msgstr "" #: log.cpp:196 msgid "Will log joins" -msgstr "Registrerà i joins" +msgstr "Loggerà i joins" #: log.cpp:196 msgid "Will not log joins" -msgstr "Non registrerà i joins" +msgstr "Non loggerà i joins" #: log.cpp:197 msgid "Will log quits" -msgstr "Registrerà i quits" +msgstr "Loggerà i quits" #: log.cpp:197 msgid "Will not log quits" -msgstr "Non registrerà i quits" +msgstr "Non loggerà i quits" #: log.cpp:199 msgid "Will log nick changes" -msgstr "Registrerà i cambi di nick" +msgstr "Loggerà i cambi di nick" #: log.cpp:199 msgid "Will not log nick changes" diff --git a/modules/po/q.it_IT.po b/modules/po/q.it_IT.po index 0f7ea062..392dc330 100644 --- a/modules/po/q.it_IT.po +++ b/modules/po/q.it_IT.po @@ -14,27 +14,27 @@ msgstr "" #: modules/po/../data/q/tmpl/index.tmpl:11 msgid "Username:" -msgstr "" +msgstr "Nome Utente:" #: modules/po/../data/q/tmpl/index.tmpl:13 msgid "Please enter a username." -msgstr "" +msgstr "Per favore inserisci il nome utente." #: modules/po/../data/q/tmpl/index.tmpl:16 msgid "Password:" -msgstr "" +msgstr "Password:" #: modules/po/../data/q/tmpl/index.tmpl:18 msgid "Please enter a password." -msgstr "" +msgstr "Pe favore inserisci una password." #: modules/po/../data/q/tmpl/index.tmpl:26 msgid "Options" -msgstr "" +msgstr "Opzioni" #: modules/po/../data/q/tmpl/index.tmpl:42 msgid "Save" -msgstr "" +msgstr "Salva" #: q.cpp:74 msgid "" diff --git a/src/po/znc.it_IT.po b/src/po/znc.it_IT.po index 066f9ff2..9099707b 100644 --- a/src/po/znc.it_IT.po +++ b/src/po/znc.it_IT.po @@ -50,6 +50,10 @@ msgid "" "*status help” and “/msg *status loadmod <module>”). Once you have loaded some Web-enabled modules, the menu will expand." msgstr "" +"Nessuno dei moduli abilitati al web sono stati caricati. Carica i moduli da " +"IRC (“/msg *status help” e “/msg *status loadmod <nome " +"del modulo>”). Dopo aver caricato alcuni moduli abilitati per al " +"Web, il menù si espanderà." #: znc.cpp:1563 msgid "User already exists" @@ -179,6 +183,8 @@ msgstr "Modulo non trovato {1}" #: Client.cpp:359 msgid "A client from {1} attempted to login as you, but was rejected: {2}" msgstr "" +"Un client da {1} ha tentato di accedere al posto tuo, ma è stato rifiutato: " +"{2}" #: Client.cpp:394 msgid "Network {1} doesn't exist." @@ -1009,8 +1015,8 @@ msgstr "Usa: ClearBuffer <#canale|query>" #: ClientCommand.cpp:1395 msgid "{1} buffer matching {2} has been cleared" msgid_plural "{1} buffers matching {2} have been cleared" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "{1} corrispondenza del buffer {2} è stato cancellata" +msgstr[1] "{1} corrispondenze del buffers {2} sono state cancellate" #: ClientCommand.cpp:1408 msgid "All channel buffers have been cleared" @@ -1339,6 +1345,8 @@ msgid "" "Add a trusted server SSL certificate fingerprint (SHA-256) to current IRC " "network." msgstr "" +"Aggiunge un'impronta digitale attendibile del certificato SSL del server " +"(SHA-256) al network IRC corrente." #: ClientCommand.cpp:1744 msgctxt "helpcmd|DelTrustedServerFingerprint|args" @@ -1629,7 +1637,7 @@ msgstr "Elenca tutti gli utenti dello ZNC ed i loro networks" #: ClientCommand.cpp:1875 msgctxt "helpcmd|ListChans|args" msgid "[user ]" -msgstr "" +msgstr "[utente ]" #: ClientCommand.cpp:1878 msgctxt "helpcmd|ListClients|args" From b36dfe4e94cdf923783c827be8fa6f76c39dfc22 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Tue, 23 Jul 2019 23:04:59 +0100 Subject: [PATCH 296/798] Upgrade OS on Travis: One build is now on 18.04, the rest are on 16.04 Get coverage from linux llvm builds --- .travis.yml | 36 +++++++++++++----------------------- 1 file changed, 13 insertions(+), 23 deletions(-) diff --git a/.travis.yml b/.travis.yml index 1785f7f4..40382a3e 100644 --- a/.travis.yml +++ b/.travis.yml @@ -10,18 +10,15 @@ env: # These linux-specific parameters could be moved into matrix.include items, but that's lots of repetition sudo: required -dist: trusty +dist: xenial services: - docker -# See https://github.com/google/sanitizers/issues/856 -group: deprecated-2017Q3 - -# TODO: add Linux LLVM coverage; clang 3.5.0 on ubuntu trusty is too old. matrix: fast_finish: true include: - os: linux + dist: bionic compiler: gcc env: BUILD_TYPE=normal BUILD_WITH=cmake COVERAGE=gcov - os: linux @@ -29,10 +26,10 @@ matrix: env: BUILD_TYPE=normal BUILD_WITH=autoconf COVERAGE=gcov - os: linux compiler: clang - env: BUILD_TYPE=asan BUILD_WITH=cmake COVERAGE=no + env: BUILD_TYPE=asan BUILD_WITH=cmake COVERAGE=gcov - os: linux compiler: clang - env: BUILD_TYPE=tsan BUILD_WITH=cmake COVERAGE=no + env: BUILD_TYPE=tsan BUILD_WITH=cmake COVERAGE=gcov - os: osx osx_image: xcode8.3 # macOS 10.12 compiler: clang @@ -103,17 +100,9 @@ before_install: install: - if [[ "$TRAVIS_OS_NAME" == "linux" ]]; then cat /proc/cpuinfo /proc/meminfo; fi - if [[ "$TRAVIS_OS_NAME" == "linux" ]]; then lsb_release -a; fi - - if [[ "$TRAVIS_OS_NAME" == "linux" ]]; then sudo add-apt-repository -y ppa:teward/swig3.0; fi - - if [[ "$TRAVIS_OS_NAME" == "linux" ]]; then sudo add-apt-repository -y ppa:beineri/opt-qt551-trusty; fi # default qt5.2 from trusty doesn't support QByteArray::toStdString() - - if [[ "$TRAVIS_OS_NAME" == "linux" && "$BUILD_WITH" == "cmake" ]]; then sudo add-apt-repository -y ppa:george-edison55/cmake-3.x; fi - if [[ "$TRAVIS_OS_NAME" == "linux" ]]; then sudo apt-get update; fi - - if [[ "$TRAVIS_OS_NAME" == "linux" ]]; then sudo apt-get install -y libperl-dev tcl-dev libsasl2-dev libicu-dev swig3.0 qt55base libboost-locale-dev; fi - # Clang 3.5 TSan is broken on Travis Ubuntu 14.04. Clang 3.8 seems to work, but only without -pie (https://github.com/google/sanitizers/issues/503) - - if [[ "$TRAVIS_OS_NAME" == "linux" && "$BUILD_TYPE" == "tsan" ]]; then sudo apt-get install -y clang-3.8; export CC=clang-3.8 CXX=clang++-3.8; fi - - if [[ "$TRAVIS_OS_NAME" == "linux" ]]; then source /opt/qt55/bin/qt55-env.sh; fi + - if [[ "$TRAVIS_OS_NAME" == "linux" ]]; then sudo apt-get install -y libperl-dev tcl-dev libsasl2-dev libicu-dev swig3.0 qt5-default libboost-locale-dev python3-pip; fi - if [[ "$TRAVIS_OS_NAME" == "linux" && "$BUILD_WITH" == "cmake" ]]; then sudo apt-get install -y cmake; fi - - if [[ "$TRAVIS_OS_NAME" == "linux" ]]; then source ~/virtualenv/python3.5/bin/activate; fi # for pip3 - - if [[ "$TRAVIS_OS_NAME" == "linux" ]]; then export PKG_CONFIG_PATH="/opt/python/3.5/lib/pkgconfig:$PKG_CONFIG_PATH" LD_LIBRARY_PATH="/opt/python/3.5/lib:$LD_LIBRARY_PATH"; fi - if [[ "$TRAVIS_OS_NAME" == "linux" ]]; then cpanm --local-lib=~/perl5 local::lib && eval $(perl -I ~/perl5/lib/perl5/ -Mlocal::lib); fi - if [[ "$TRAVIS_OS_NAME" == "linux" ]]; then cpanm --notest Devel::Cover::Report::Clover; fi - if [[ "$TRAVIS_OS_NAME" == "linux" ]]; then export ZNC_MODPERL_COVERAGE=1; fi @@ -150,13 +139,14 @@ script: after_success: - if [[ "$TRAVIS_OS_NAME" == "linux" ]]; then ~/perl5/bin/cover --no-gcov --report=clover; fi - | - if [[ "$TRAVIS_OS_NAME" == "osx" && "$COVERAGE" == "llvm" ]]; then - xcrun llvm-profdata merge unittest.profraw -o unittest.profdata - xcrun llvm-profdata merge inttest.profraw -o inttest.profdata - xcrun llvm-cov show -show-line-counts-or-regions -instr-profile=unittest.profdata test/unittest_bin > unittest-cmake-coverage.txt - xcrun llvm-cov show -show-line-counts-or-regions -instr-profile=unittest.profdata unittest > unittest-autoconf-coverage.txt - xcrun llvm-cov show -show-line-counts-or-regions -instr-profile=inttest.profdata /usr/local/bin/znc > inttest-znc-coverage.txt - find /usr/local/lib/znc -name '*.so' -or -name '*.bundle' | while read f; do xcrun llvm-cov show -show-line-counts-or-regions -instr-profile=inttest.profdata $f > inttest-$(basename $f)-coverage.txt; done + if [[ "$COVERAGE" == "llvm" ]]; then + if [[ "$TRAVIS_OS_NAME" == "osx" ]]; then llvm-profdata() { xcrun llvm-profdata "$@"; }; llvm-cov() { xcrun llvm-cov "$@"; }; fi + llvm-profdata merge unittest.profraw -o unittest.profdata + llvm-profdata merge inttest.profraw -o inttest.profdata + llvm-cov show -show-line-counts-or-regions -instr-profile=unittest.profdata test/unittest_bin > unittest-cmake-coverage.txt + llvm-cov show -show-line-counts-or-regions -instr-profile=unittest.profdata unittest > unittest-autoconf-coverage.txt + llvm-cov show -show-line-counts-or-regions -instr-profile=inttest.profdata /usr/local/bin/znc > inttest-znc-coverage.txt + find /usr/local/lib/znc -name '*.so' -or -name '*.bundle' | while read f; do llvm-cov show -show-line-counts-or-regions -instr-profile=inttest.profdata $f > inttest-$(basename $f)-coverage.txt; done fi - bash <(curl -s https://codecov.io/bash) notifications: From 8c0ecbee1f0cf207b63989e9d8f717808cd11c12 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Tue, 30 Jul 2019 00:27:47 +0000 Subject: [PATCH 297/798] Update translations from Crowdin for it_IT --- modules/po/admindebug.it_IT.po | 21 ++-- src/po/znc.it_IT.po | 208 ++++++++++++++++++++------------- 2 files changed, 138 insertions(+), 91 deletions(-) diff --git a/modules/po/admindebug.it_IT.po b/modules/po/admindebug.it_IT.po index eb6c1be0..ac391347 100644 --- a/modules/po/admindebug.it_IT.po +++ b/modules/po/admindebug.it_IT.po @@ -14,46 +14,47 @@ msgstr "" #: admindebug.cpp:30 msgid "Enable Debug Mode" -msgstr "" +msgstr "Abilita la modalità di Debug" #: admindebug.cpp:32 msgid "Disable Debug Mode" -msgstr "" +msgstr "Disabilita la modalità di Debug" #: admindebug.cpp:34 msgid "Show the Debug Mode status" -msgstr "" +msgstr "Mostra lo stato della modalità di Debug" #: admindebug.cpp:40 admindebug.cpp:49 msgid "Access denied!" -msgstr "" +msgstr "Accesso negato!" #: admindebug.cpp:58 msgid "" "Failure. We need to be running with a TTY. (is ZNC running with --" "foreground?)" msgstr "" +"Fallito. Deve essere avviato con un TTY. (lo ZNC è avviato con --foreground?)" #: admindebug.cpp:66 msgid "Already enabled." -msgstr "" +msgstr "Già abilitato." #: admindebug.cpp:68 msgid "Already disabled." -msgstr "" +msgstr "Già disabilitato." #: admindebug.cpp:92 msgid "Debugging mode is on." -msgstr "" +msgstr "La modalità di debugging è on." #: admindebug.cpp:94 msgid "Debugging mode is off." -msgstr "" +msgstr "La modalità di debugging è off." #: admindebug.cpp:96 msgid "Logging to: stdout." -msgstr "" +msgstr "Logging a: stdout." #: admindebug.cpp:105 msgid "Enable Debug mode dynamically." -msgstr "" +msgstr "Abilita la modalità debug dinamicamente." diff --git a/src/po/znc.it_IT.po b/src/po/znc.it_IT.po index 7853008b..6d60becc 100644 --- a/src/po/znc.it_IT.po +++ b/src/po/znc.it_IT.po @@ -77,11 +77,11 @@ msgstr "Porta non valida" #: znc.cpp:1821 ClientCommand.cpp:1637 msgid "Unable to bind: {1}" -msgstr "" +msgstr "Impossibile associare: {1}" #: IRCNetwork.cpp:235 msgid "Jumping servers because this server is no longer in the list" -msgstr "" +msgstr "Salta il server perché non è più in elenco" #: IRCNetwork.cpp:669 User.cpp:678 msgid "Welcome to ZNC" @@ -93,23 +93,25 @@ msgstr "Sei attualmente disconnesso da IRC. Usa 'connect' per riconnetterti." #: IRCNetwork.cpp:787 msgid "This network is being deleted or moved to another user." -msgstr "" +msgstr "Questo network può essere eliminato o spostato ad un altro utente." #: IRCNetwork.cpp:1016 msgid "The channel {1} could not be joined, disabling it." -msgstr "" +msgstr "Disabilitandolo, il canale {1} potrebbe non essere più accessibile." #: IRCNetwork.cpp:1145 msgid "Your current server was removed, jumping..." -msgstr "" +msgstr "Il server attuale è stato rimosso, salta..." #: IRCNetwork.cpp:1308 msgid "Cannot connect to {1}, because ZNC is not compiled with SSL support." msgstr "" +"Non posso collegarmi a {1}, perché lo ZNC non è compilato con il supporto " +"SSL." #: IRCNetwork.cpp:1329 msgid "Some module aborted the connection attempt" -msgstr "" +msgstr "Qualche modulo ha annullato il tentativo di connessione" #: IRCSock.cpp:490 msgid "Error from server: {1}" @@ -118,22 +120,24 @@ msgstr "Errore dal server: {1}" #: IRCSock.cpp:692 msgid "ZNC seems to be connected to itself, disconnecting..." msgstr "" +"Lo ZNC sembra essere collegato a se stesso. La connessione verrà " +"interrotta..." #: IRCSock.cpp:739 msgid "Server {1} redirects us to {2}:{3} with reason: {4}" -msgstr "" +msgstr "Il server {1} reindirizza a {2}:{3} con motivazione: {4}" #: IRCSock.cpp:743 msgid "Perhaps you want to add it as a new server." -msgstr "" +msgstr "Forse vuoi aggiungerlo come nuovo server." #: IRCSock.cpp:973 msgid "Channel {1} is linked to another channel and was thus disabled." -msgstr "" +msgstr "Il canale {1} è collegato ad un altro canale ed è quindi disabilitato." #: IRCSock.cpp:985 msgid "Switched to SSL (STARTTLS)" -msgstr "" +msgstr "Passato ad una connessione SSL protetta (STARTTLS)" #: IRCSock.cpp:1038 msgid "You quit: {1}" @@ -158,7 +162,7 @@ msgstr "" #: IRCSock.cpp:1325 msgid "IRC connection timed out. Reconnecting..." -msgstr "" +msgstr "La connessione ad IRC è scaduta (timed out). Tento la riconnessione..." #: IRCSock.cpp:1337 msgid "Connection Refused. Reconnecting..." @@ -166,15 +170,15 @@ msgstr "Connessione rifiutata. Riconnessione..." #: IRCSock.cpp:1345 msgid "Received a too long line from the IRC server!" -msgstr "" +msgstr "Ricevuta una linea troppo lunga dal server IRC!" #: IRCSock.cpp:1449 msgid "No free nick available" -msgstr "" +msgstr "Nessun nickname disponibile" #: IRCSock.cpp:1457 msgid "No free nick found" -msgstr "" +msgstr "Nessun nick trovato" #: Client.cpp:74 msgid "No such module {1}" @@ -195,6 +199,8 @@ msgid "" "You have several networks configured, but no network was specified for the " "connection." msgstr "" +"Hai configurato alcuni networks, ma nessuno è stato specificato per la " +"connessione." #: Client.cpp:411 msgid "" @@ -209,24 +215,30 @@ msgid "" "If you want to choose another network, use /znc JumpNetwork , or " "connect to ZNC with username {1}/ (instead of just {1})" msgstr "" +"Se vuoi scegliere un altro network, usa /znc JumpNetwork , " +"o collegati allo ZNC con username {1}/ (al posto di {1})" #: Client.cpp:420 msgid "" "You have no networks configured. Use /znc AddNetwork to add one." msgstr "" +"Non hai configurato nessun networks. Usa /znc AddNetwork " +"per aggiungerne uno." #: Client.cpp:431 msgid "Closing link: Timeout" -msgstr "" +msgstr "Connessione persa: Timeout" #: Client.cpp:453 msgid "Closing link: Too long raw line" -msgstr "" +msgstr "Connessione persa: Linea raw troppo lunga" #: Client.cpp:460 msgid "" "You are being disconnected because another user just authenticated as you." msgstr "" +"Stai per essere disconnesso perché un altro utente si è appena autenticato " +"come te." #: Client.cpp:1015 msgid "Your CTCP to {1} got lost, you are not connected to IRC!" @@ -238,7 +250,7 @@ msgstr "Il tuo NOTICE a {1} è andato perso, non sei connesso ad IRC!" #: Client.cpp:1181 msgid "Removing channel {1}" -msgstr "" +msgstr "Rimozione del canle {1}" #: Client.cpp:1257 msgid "Your message to {1} got lost, you are not connected to IRC!" @@ -255,14 +267,14 @@ msgstr "Usa: /attach <#canali>" #: Client.cpp:1337 Client.cpp:1359 ClientCommand.cpp:129 ClientCommand.cpp:151 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "Trovato {1} canale corrispondente a [{2}]" +msgstr[1] "Trovati {1} canali corrispondenti a [{2}]" #: Client.cpp:1340 ClientCommand.cpp:132 msgid "Attached {1} channel" msgid_plural "Attached {1} channels" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "Agganciato {1} canale (Attached)" +msgstr[1] "Agganciati {1} canali (Attached)" #: Client.cpp:1352 msgid "Usage: /detach <#chans>" @@ -271,16 +283,16 @@ msgstr "Usa: /detach <#canali>" #: Client.cpp:1362 ClientCommand.cpp:154 msgid "Detached {1} channel" msgid_plural "Detached {1} channels" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "Scollegato {1} canale (Detached)" +msgstr[1] "Scollegati {1} canali (Detached)" #: Chan.cpp:638 msgid "Buffer Playback..." -msgstr "" +msgstr "Riproduzione del Buffer avviata..." #: Chan.cpp:676 msgid "Playback Complete." -msgstr "" +msgstr "Riproduzione del Buffer completata." #: Modules.cpp:528 msgctxt "modhelpcmd" @@ -290,7 +302,7 @@ msgstr "" #: Modules.cpp:529 msgctxt "modhelpcmd" msgid "Generate this output" -msgstr "" +msgstr "Genera questo output" #: Modules.cpp:573 ClientCommand.cpp:1904 msgid "No matches for '{1}'" @@ -309,6 +321,8 @@ msgid "" "Module names can only contain letters, numbers and underscores, [{1}] is " "invalid" msgstr "" +"I nomi dei moduli possono contenere solo lettere, numeri e underscore. [{1}] " +"non è valido" #: Modules.cpp:1652 msgid "Module {1} already loaded." @@ -320,7 +334,7 @@ msgstr "Impossibile trovare il modulo {1}" #: Modules.cpp:1678 msgid "Module {1} does not support module type {2}." -msgstr "" +msgstr "Il modulo {1} non supporta il tipo di modulo {2}." #: Modules.cpp:1685 msgid "Module {1} requires a user." @@ -332,7 +346,7 @@ msgstr "Il modulo {1} richiede un network." #: Modules.cpp:1707 msgid "Caught an exception" -msgstr "" +msgstr "È stata rilevata un'eccezione" #: Modules.cpp:1713 msgid "Module {1} aborted: {2}" @@ -348,7 +362,7 @@ msgstr "Modulo [{1}] non caricato." #: Modules.cpp:1763 msgid "Module {1} unloaded." -msgstr "" +msgstr "Modulo {1} rimosso." #: Modules.cpp:1768 msgid "Unable to unload module {1}." @@ -356,7 +370,7 @@ msgstr "Impossibile scaricare il modulo {1}." #: Modules.cpp:1797 msgid "Reloaded module {1}." -msgstr "" +msgstr "Ricaricato il modulo {1}." #: Modules.cpp:1816 msgid "Unable to find module {1}." @@ -379,6 +393,8 @@ msgid "" "Version mismatch for module {1}: core is {2}, module is built for {3}. " "Recompile this module." msgstr "" +"Versione non corrispondente per il modulo {1}: il cuore è {2}, il modulo è " +"creato per {3}. Ricompila questo modulo." #: Modules.cpp:1992 msgid "" @@ -417,7 +433,7 @@ msgstr "Non sei su [{1}]" #: ClientCommand.cpp:70 msgid "You are not on [{1}] (trying)" -msgstr "" +msgstr "Non sei su [{1}] (prova)" #: ClientCommand.cpp:79 msgid "No nicks on [{1}]" @@ -445,11 +461,11 @@ msgstr "Usa: Detach <#canali>" #: ClientCommand.cpp:161 msgid "There is no MOTD set." -msgstr "" +msgstr "Non è stato impostato il MOTD." #: ClientCommand.cpp:167 msgid "Rehashing succeeded!" -msgstr "" +msgstr "Ricarica corretta della configurazione!" #: ClientCommand.cpp:169 msgid "Rehashing failed: {1}" @@ -492,7 +508,7 @@ msgstr "Stato" #: ClientCommand.cpp:486 ClientCommand.cpp:510 msgctxt "listchans" msgid "In config" -msgstr "" +msgstr "In configurazione" #: ClientCommand.cpp:487 ClientCommand.cpp:512 msgctxt "listchans" @@ -517,12 +533,12 @@ msgstr "Utenti" #: ClientCommand.cpp:505 msgctxt "listchans" msgid "Detached" -msgstr "Distaccati" +msgstr "Scollegati" #: ClientCommand.cpp:506 msgctxt "listchans" msgid "Joined" -msgstr "" +msgstr "Dentro" #: ClientCommand.cpp:507 msgctxt "listchans" @@ -532,7 +548,7 @@ msgstr "Disabilitati" #: ClientCommand.cpp:508 msgctxt "listchans" msgid "Trying" -msgstr "" +msgstr "Provando" #: ClientCommand.cpp:511 ClientCommand.cpp:519 msgctxt "listchans" @@ -541,7 +557,7 @@ msgstr "si" #: ClientCommand.cpp:536 msgid "Total: {1}, Joined: {2}, Detached: {3}, Disabled: {4}" -msgstr "Totale: {1}, Joined: {2}, Detached: {3}, Disabled: {4}" +msgstr "Totale: {1}, Joined: {2}, Scollegati: {3}, Disabilitati: {4}" #: ClientCommand.cpp:541 msgid "" @@ -564,6 +580,8 @@ msgid "" "Network added. Use /znc JumpNetwork {1}, or connect to ZNC with username {2} " "(instead of just {3}) to connect to it." msgstr "" +"Network aggiunto. Usa /znc JumpNetwork {1}, o connettiti allo ZNC con " +"username {2} (al posto di {3}) per connetterlo." #: ClientCommand.cpp:566 msgid "Unable to add that network" @@ -632,6 +650,8 @@ msgstr "Accesso negato." #: ClientCommand.cpp:643 msgid "Usage: MoveNetwork [new network]" msgstr "" +"Usa: MoveNetwork [nuovo " +"network]" #: ClientCommand.cpp:653 msgid "Old user {1} not found." @@ -647,7 +667,7 @@ msgstr "Nuovo utente {1} non trovato." #: ClientCommand.cpp:670 msgid "User {1} already has network {2}." -msgstr "" +msgstr "L'utente {1} ha già un network chiamato {2}." #: ClientCommand.cpp:676 msgid "Invalid network name [{1}]" @@ -655,7 +675,7 @@ msgstr "Nome del network [{1}] non valido" #: ClientCommand.cpp:692 msgid "Some files seem to be in {1}. You might want to move them to {2}" -msgstr "" +msgstr "Alcuni files sembrano essere in {1}. Forse dovresti spostarli in {2}" #: ClientCommand.cpp:706 msgid "Error adding network: {1}" @@ -663,11 +683,13 @@ msgstr "Errore durante l'aggiunta del network: {1}" #: ClientCommand.cpp:718 msgid "Success." -msgstr "" +msgstr "Completato." #: ClientCommand.cpp:721 msgid "Copied the network to new user, but failed to delete old network" msgstr "" +"Il network è stato copiato nel nuovo utente, ma non è stato possibile " +"eliminare il vecchio network" #: ClientCommand.cpp:728 msgid "No network supplied." @@ -679,7 +701,7 @@ msgstr "Sei già connesso con questo network." #: ClientCommand.cpp:739 msgid "Switched to {1}" -msgstr "" +msgstr "Passato a {1}" #: ClientCommand.cpp:742 msgid "You don't have a network named {1}" @@ -698,6 +720,8 @@ msgid "" "Unable to add that server. Perhaps the server is already added or openssl is " "disabled?" msgstr "" +"Impossibile aggiungere il server. Forse il server è già aggiunto oppure " +"openssl è disabilitato?" #: ClientCommand.cpp:777 msgid "Usage: DelServer [port] [pass]" @@ -791,7 +815,7 @@ msgstr "Moduli globali:" #: ClientCommand.cpp:915 msgid "Your user has no modules loaded." -msgstr "" +msgstr "Il tuo utente non ha moduli caricati." #: ClientCommand.cpp:917 ClientCommand.cpp:982 msgid "User modules:" @@ -833,7 +857,7 @@ msgstr "Impossibile caricare {1}: Accesso negato." #: ClientCommand.cpp:1026 msgid "Usage: LoadMod [--type=global|user|network] [args]" -msgstr "" +msgstr "Usa: LoadMod [--type=global|user|network] [argomenti]" #: ClientCommand.cpp:1033 msgid "Unable to load {1}: {2}" @@ -846,6 +870,8 @@ msgstr "Impossibile caricare il modulo globale {1}: Accesso negato." #: ClientCommand.cpp:1049 msgid "Unable to load network module {1}: Not connected with a network." msgstr "" +"Impossibile caricare il modulo di tipo network {1}: Non sei connesso ad " +"alcun network." #: ClientCommand.cpp:1071 msgid "Unknown module type" @@ -877,15 +903,17 @@ msgstr "Impossibile determinare tipo di {1}: {2}" #: ClientCommand.cpp:1127 msgid "Unable to unload global module {1}: Access denied." -msgstr "" +msgstr "Impossibile rimuovere il modulo di tipo globale {1}: Accesso negato." #: ClientCommand.cpp:1134 msgid "Unable to unload network module {1}: Not connected with a network." msgstr "" +"Impossibile rimuovere il modulo di tipo network {1}: Non sei connesso ad " +"alcun network." #: ClientCommand.cpp:1153 msgid "Unable to unload module {1}: Unknown module type" -msgstr "" +msgstr "Impossibile rimuovere il modulo {1}: Tipo di modulo sconosciuto" #: ClientCommand.cpp:1166 msgid "Unable to reload modules. Access denied." @@ -893,7 +921,7 @@ msgstr "Impossibile ricaricare i moduli. Accesso negato." #: ClientCommand.cpp:1187 msgid "Usage: ReloadMod [--type=global|user|network] [args]" -msgstr "" +msgstr "Usa: ReloadMod [--type=global|user|network] [argomenti]" #: ClientCommand.cpp:1196 msgid "Unable to reload {1}: {2}" @@ -901,15 +929,17 @@ msgstr "Impossibile ricaricare {1}: {2}" #: ClientCommand.cpp:1204 msgid "Unable to reload global module {1}: Access denied." -msgstr "" +msgstr "Impossibile ricaricare il modulo tipo globale {1}: Accesso negato." #: ClientCommand.cpp:1211 msgid "Unable to reload network module {1}: Not connected with a network." msgstr "" +"Impossibile ricaricare il modulo di tipo network {1}: Non sei connesso ad " +"alcun network." #: ClientCommand.cpp:1233 msgid "Unable to reload module {1}: Unknown module type" -msgstr "" +msgstr "Impossibile ricaricare il modulo {1}: Tipo di modulo sconosciuto" #: ClientCommand.cpp:1244 msgid "Usage: UpdateMod " @@ -927,12 +957,16 @@ msgstr "Fatto" msgid "" "Done, but there were errors, module {1} could not be reloaded everywhere." msgstr "" +"Fatto, si sono verificati errori. Il modulo {1} non può essere ricaricato " +"ovunque." #: ClientCommand.cpp:1261 msgid "" "You must be connected with a network to use this command. Try " "SetUserBindHost instead" msgstr "" +"Devi essere connesso ad un network per usare questo comando. Prova invece " +"SetUserBindHost" #: ClientCommand.cpp:1268 msgid "Usage: SetBindHost " @@ -944,7 +978,7 @@ msgstr "Hai già questo bind host!" #: ClientCommand.cpp:1278 msgid "Set bind host for network {1} to {2}" -msgstr "" +msgstr "Impostato il bind host per il network {1} a {2}" #: ClientCommand.cpp:1285 msgid "Usage: SetUserBindHost " @@ -959,6 +993,8 @@ msgid "" "You must be connected with a network to use this command. Try " "ClearUserBindHost instead" msgstr "" +"Devi essere connesso ad un network per usare questo comando. Prova invece " +"ClearUserBindHost" #: ClientCommand.cpp:1306 msgid "Bind host cleared for this network." @@ -970,11 +1006,11 @@ msgstr "Bind host di default cancellato per questo utente." #: ClientCommand.cpp:1313 msgid "This user's default bind host not set" -msgstr "" +msgstr "Il bind host predefinito per questo utente non è stato configurato" #: ClientCommand.cpp:1315 msgid "This user's default bind host is {1}" -msgstr "" +msgstr "Il bind host predefinito per questo utente è {1}" #: ClientCommand.cpp:1320 msgid "This network's bind host not set" @@ -982,7 +1018,7 @@ msgstr "Il bind host di questo network non è impostato" #: ClientCommand.cpp:1322 msgid "This network's default bind host is {1}" -msgstr "" +msgstr "Il bind host predefinito per questo network è {1}" #: ClientCommand.cpp:1336 msgid "Usage: PlayBuffer <#chan|query>" @@ -1032,25 +1068,27 @@ msgstr "Tutti i buffers sono stati cancellati" #: ClientCommand.cpp:1448 msgid "Usage: SetBuffer <#chan|query> [linecount]" -msgstr "" +msgstr "Usa: SetBuffer <#canale|query> [numero linee]" #: ClientCommand.cpp:1469 msgid "Setting buffer size failed for {1} buffer" msgid_plural "Setting buffer size failed for {1} buffers" msgstr[0] "" +"Impostazione della dimensione del buffer non riuscita per il buffer {1}" msgstr[1] "" +"Impostazione della dimensione del buffer non riuscita per i buffers {1}" #: ClientCommand.cpp:1472 msgid "Maximum buffer size is {1} line" msgid_plural "Maximum buffer size is {1} lines" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "La dimensione massima del buffer è {1} linea" +msgstr[1] "La dimensione massima del buffer è {1} linee" #: ClientCommand.cpp:1477 msgid "Size of every buffer was set to {1} line" msgid_plural "Size of every buffer was set to {1} lines" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "La dimensione di tutti i buffer è stata impostata a {1} linea" +msgstr[1] "La dimensione di tutti i buffer è stata impostata a {1} linee" #: ClientCommand.cpp:1487 ClientCommand.cpp:1494 ClientCommand.cpp:1505 #: ClientCommand.cpp:1514 ClientCommand.cpp:1522 @@ -1084,7 +1122,7 @@ msgstr "" #: ClientCommand.cpp:1515 msgctxt "trafficcmd" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1523 msgctxt "trafficcmd" @@ -1093,7 +1131,7 @@ msgstr "" #: ClientCommand.cpp:1532 msgid "Running for {1}" -msgstr "" +msgstr "Opertivo da {1}" #: ClientCommand.cpp:1538 msgid "Unknown command, try 'Help'" @@ -1107,7 +1145,7 @@ msgstr "Porta" #: ClientCommand.cpp:1548 ClientCommand.cpp:1559 msgctxt "listports" msgid "BindHost" -msgstr "" +msgstr "BindHost" #: ClientCommand.cpp:1549 ClientCommand.cpp:1562 msgctxt "listports" @@ -1137,7 +1175,7 @@ msgstr "si" #: ClientCommand.cpp:1564 msgctxt "listports|ssl" msgid "no" -msgstr "" +msgstr "no" #: ClientCommand.cpp:1568 msgctxt "listports" @@ -1147,12 +1185,12 @@ msgstr "IPv4 e IPv6" #: ClientCommand.cpp:1570 msgctxt "listports" msgid "IPv4" -msgstr "" +msgstr "IPv4" #: ClientCommand.cpp:1571 msgctxt "listports" msgid "IPv6" -msgstr "" +msgstr "IPv6" #: ClientCommand.cpp:1577 msgctxt "listports|irc" @@ -1162,7 +1200,7 @@ msgstr "si" #: ClientCommand.cpp:1578 msgctxt "listports|irc" msgid "no" -msgstr "" +msgstr "no" #: ClientCommand.cpp:1582 msgctxt "listports|irc" @@ -1172,7 +1210,7 @@ msgstr "si, su {1}" #: ClientCommand.cpp:1584 msgctxt "listports|web" msgid "no" -msgstr "" +msgstr "no" #: ClientCommand.cpp:1624 msgid "" @@ -1296,7 +1334,7 @@ msgstr "Sposta un network IRC da un utente ad un altro" #: ClientCommand.cpp:1730 msgctxt "helpcmd|JumpNetwork|args" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1731 msgctxt "helpcmd|JumpNetwork|desc" @@ -1337,7 +1375,7 @@ msgstr "" #: ClientCommand.cpp:1748 msgctxt "helpcmd|AddTrustedServerFingerprint|args" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1749 msgctxt "helpcmd|AddTrustedServerFingerprint|desc" @@ -1351,12 +1389,12 @@ msgstr "" #: ClientCommand.cpp:1754 msgctxt "helpcmd|DelTrustedServerFingerprint|args" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1755 msgctxt "helpcmd|DelTrustedServerFingerprint|desc" msgid "Delete a trusted server SSL certificate from current IRC network." -msgstr "" +msgstr "Elimina un certificato SSL attendibile dal network IRC corrente." #: ClientCommand.cpp:1759 msgctxt "helpcmd|ListTrustedServerFingerprints|desc" @@ -1402,7 +1440,7 @@ msgstr "<#canali>" #: ClientCommand.cpp:1769 msgctxt "helpcmd|Detach|desc" msgid "Detach from channels" -msgstr "" +msgstr "Scollega dai cananli (detach)" #: ClientCommand.cpp:1772 msgctxt "helpcmd|Topics|desc" @@ -1492,12 +1530,12 @@ msgstr "Mostra il bind host attualmente selezionato" #: ClientCommand.cpp:1815 msgctxt "helpcmd|Jump|args" msgid "[server]" -msgstr "" +msgstr "[server]" #: ClientCommand.cpp:1816 msgctxt "helpcmd|Jump|desc" msgid "Jump to the next or the specified server" -msgstr "" +msgstr "Passa al server successivo o a quello indicato" #: ClientCommand.cpp:1817 msgctxt "helpcmd|Disconnect|args" @@ -1522,7 +1560,7 @@ msgstr "Mostra da quanto tempo lo ZNC è in esecuzione" #: ClientCommand.cpp:1827 msgctxt "helpcmd|LoadMod|args" msgid "[--type=global|user|network] [args]" -msgstr "" +msgstr "[--type=global|user|network] [argomenti]" #: ClientCommand.cpp:1829 msgctxt "helpcmd|LoadMod|desc" @@ -1542,7 +1580,7 @@ msgstr "Scarica un modulo" #: ClientCommand.cpp:1835 msgctxt "helpcmd|ReloadMod|args" msgid "[--type=global|user|network] [args]" -msgstr "" +msgstr "[--type=global|user|network] [argomenti]" #: ClientCommand.cpp:1837 msgctxt "helpcmd|ReloadMod|desc" @@ -1602,7 +1640,7 @@ msgstr "<[+]porta> [bindhost [uriprefix]]" #: ClientCommand.cpp:1865 msgctxt "helpcmd|AddPort|desc" msgid "Add another port for ZNC to listen on" -msgstr "" +msgstr "Aggiunge un'altra porta di ascolto allo ZNC" #: ClientCommand.cpp:1869 msgctxt "helpcmd|DelPort|args" @@ -1618,6 +1656,8 @@ msgstr "Rimuove una porta dallo ZNC" msgctxt "helpcmd|Rehash|desc" msgid "Reload global settings, modules, and listeners from znc.conf" msgstr "" +"Ricarica le impostazioni globali, i moduli e le porte di ascolto dallo znc." +"conf" #: ClientCommand.cpp:1876 msgctxt "helpcmd|SaveConfig|desc" @@ -1652,7 +1692,7 @@ msgstr "Elenca tutti i client connessi" #: ClientCommand.cpp:1891 msgctxt "helpcmd|Traffic|desc" msgid "Show basic traffic stats for all ZNC users" -msgstr "" +msgstr "Mostra le statistiche base sul traffico di tutti gli utenti dello ZNC" #: ClientCommand.cpp:1893 msgctxt "helpcmd|Broadcast|args" @@ -1693,10 +1733,12 @@ msgid "" "Can't resolve bind hostname. Try /znc ClearBindHost and /znc " "ClearUserBindHost" msgstr "" +"Impossibile risolvere l'hostname allegato. Prova /znc ClearBindHost e /znc " +"ClearUserBindHost" #: Socket.cpp:348 msgid "Server address is IPv4-only, but bindhost is IPv6-only" -msgstr "" +msgstr "L'indirizzo del server è IPv4-only, ma il bindhost è IPv6-only" #: Socket.cpp:357 msgid "Server address is IPv6-only, but bindhost is IPv4-only" @@ -1710,21 +1752,23 @@ msgstr "" #: SSLVerifyHost.cpp:481 msgid "hostname doesn't match" -msgstr "" +msgstr "il nome dell'host non corrisponde" #: SSLVerifyHost.cpp:485 msgid "malformed hostname in certificate" -msgstr "" +msgstr "hostname malformato nel certificato" #: SSLVerifyHost.cpp:489 msgid "hostname verification error" -msgstr "" +msgstr "errore di verifica dell'hostname" #: User.cpp:507 msgid "" "Invalid network name. It should be alphanumeric. Not to be confused with " "server name" msgstr "" +"Nome del network non valido. Deve essere alfanumerico. Da non confondere con " +"il nome del server" #: User.cpp:511 msgid "Network {1} already exists" @@ -1735,6 +1779,8 @@ msgid "" "You are being disconnected because your IP is no longer allowed to connect " "to this user" msgstr "" +"Sei stato disconnesso perché il tuo indirizzo IP non è più autorizzato a " +"connettersi a questo utente" #: User.cpp:912 msgid "Password is empty" From bff2cc0fd3b0555b2636558f1374a8bd64876827 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Tue, 30 Jul 2019 00:28:39 +0000 Subject: [PATCH 298/798] Update translations from Crowdin for it_IT --- modules/po/admindebug.it_IT.po | 21 ++-- modules/po/partyline.it_IT.po | 12 +- modules/po/q.it_IT.po | 121 +++++++++++-------- src/po/znc.it_IT.po | 208 ++++++++++++++++++++------------- 4 files changed, 215 insertions(+), 147 deletions(-) diff --git a/modules/po/admindebug.it_IT.po b/modules/po/admindebug.it_IT.po index 6434785e..3cb4f854 100644 --- a/modules/po/admindebug.it_IT.po +++ b/modules/po/admindebug.it_IT.po @@ -14,46 +14,47 @@ msgstr "" #: admindebug.cpp:30 msgid "Enable Debug Mode" -msgstr "" +msgstr "Abilita la modalità di Debug" #: admindebug.cpp:32 msgid "Disable Debug Mode" -msgstr "" +msgstr "Disabilita la modalità di Debug" #: admindebug.cpp:34 msgid "Show the Debug Mode status" -msgstr "" +msgstr "Mostra lo stato della modalità di Debug" #: admindebug.cpp:40 admindebug.cpp:49 msgid "Access denied!" -msgstr "" +msgstr "Accesso negato!" #: admindebug.cpp:58 msgid "" "Failure. We need to be running with a TTY. (is ZNC running with --" "foreground?)" msgstr "" +"Fallito. Deve essere avviato con un TTY. (lo ZNC è avviato con --foreground?)" #: admindebug.cpp:66 msgid "Already enabled." -msgstr "" +msgstr "Già abilitato." #: admindebug.cpp:68 msgid "Already disabled." -msgstr "" +msgstr "Già disabilitato." #: admindebug.cpp:92 msgid "Debugging mode is on." -msgstr "" +msgstr "La modalità di debugging è on." #: admindebug.cpp:94 msgid "Debugging mode is off." -msgstr "" +msgstr "La modalità di debugging è off." #: admindebug.cpp:96 msgid "Logging to: stdout." -msgstr "" +msgstr "Logging a: stdout." #: admindebug.cpp:105 msgid "Enable Debug mode dynamically." -msgstr "" +msgstr "Abilita la modalità debug dinamicamente." diff --git a/modules/po/partyline.it_IT.po b/modules/po/partyline.it_IT.po index 13e898b6..e5fb538f 100644 --- a/modules/po/partyline.it_IT.po +++ b/modules/po/partyline.it_IT.po @@ -14,26 +14,28 @@ msgstr "" #: partyline.cpp:60 msgid "There are no open channels." -msgstr "" +msgstr "Non ci sono canali aperti." #: partyline.cpp:66 partyline.cpp:73 msgid "Channel" -msgstr "" +msgstr "Canale" #: partyline.cpp:67 partyline.cpp:74 msgid "Users" -msgstr "" +msgstr "Utenti" #: partyline.cpp:82 msgid "List all open channels" -msgstr "" +msgstr "Mostra tutti i canali aperti" #: partyline.cpp:733 msgid "" "You may enter a list of channels the user joins, when entering the internal " "partyline." msgstr "" +"Puoi inserire un elenco di canali a cui l'utente può entrare quando accede " +"al partyline interno." #: partyline.cpp:739 msgid "Internal channels and queries for users connected to ZNC" -msgstr "" +msgstr "Canali e query interne per gli utenti connessi allo ZNC" diff --git a/modules/po/q.it_IT.po b/modules/po/q.it_IT.po index 392dc330..de34eff3 100644 --- a/modules/po/q.it_IT.po +++ b/modules/po/q.it_IT.po @@ -42,255 +42,274 @@ msgid "" "want to cloak your host now, /msg *q Cloak. You can set your preference " "with /msg *q Set UseCloakedHost true/false." msgstr "" +"AVVISO: Il tuo host verrà occultato la prossima volta che ti riconnetti ad " +"IRC. Se vuoi mascherare il tuo host adesso, digita /msg *q Cloak. Puoi " +"impostare le tue preferenze con /msg *q Set UseCloakedHost true oppure /msg " +"*q Set UseCloakedHost false" #: q.cpp:111 msgid "The following commands are available:" -msgstr "" +msgstr "Sono disponibili i seguenti comandi:" #: q.cpp:113 q.cpp:116 q.cpp:121 q.cpp:126 q.cpp:130 q.cpp:135 q.cpp:140 msgid "Command" -msgstr "" +msgstr "Comando" #: q.cpp:114 q.cpp:117 q.cpp:123 q.cpp:127 q.cpp:132 q.cpp:136 q.cpp:141 #: q.cpp:150 q.cpp:154 q.cpp:158 q.cpp:162 q.cpp:168 q.cpp:174 q.cpp:180 #: q.cpp:186 msgid "Description" -msgstr "" +msgstr "Descrizione" #: q.cpp:116 msgid "Auth [ ]" -msgstr "" +msgstr "Auth [ ]" #: q.cpp:118 msgid "Tries to authenticate you with Q. Both parameters are optional." -msgstr "" +msgstr "Prova ad autenticarti con Q. Entrambi i parametri sono opzionali." #: q.cpp:124 msgid "Tries to set usermode +x to hide your real hostname." msgstr "" +"Prova ad impostare il tuo usermode +x per nascondere il tuo hostname reale." #: q.cpp:128 msgid "Prints the current status of the module." -msgstr "" +msgstr "Mostra lo stato corrente del modulo." #: q.cpp:133 msgid "Re-requests the current user information from Q." -msgstr "" +msgstr "Richiede nuovamente le informazioni dell'utente corrente da Q." #: q.cpp:135 msgid "Set " -msgstr "" +msgstr "Set " #: q.cpp:137 msgid "Changes the value of the given setting. See the list of settings below." msgstr "" +"Cambia il valore delle impostazioni date. Qui sotto vedi una lista delle " +"impostazioni." #: q.cpp:142 msgid "Prints out the current configuration. See the list of settings below." msgstr "" +"Mostra la configurazione corrente. Qui sotto vedi una lista delle " +"impostazioni." #: q.cpp:146 msgid "The following settings are available:" -msgstr "" +msgstr "Sono disponibili le seguenti impostazioni:" #: q.cpp:148 q.cpp:152 q.cpp:156 q.cpp:160 q.cpp:166 q.cpp:172 q.cpp:178 #: q.cpp:183 q.cpp:227 q.cpp:230 q.cpp:233 q.cpp:236 q.cpp:239 q.cpp:242 #: q.cpp:245 q.cpp:248 msgid "Setting" -msgstr "" +msgstr "Impostazioni" #: q.cpp:149 q.cpp:153 q.cpp:157 q.cpp:161 q.cpp:167 q.cpp:173 q.cpp:179 #: q.cpp:184 msgid "Type" -msgstr "" +msgstr "Tipo" #: q.cpp:153 q.cpp:157 msgid "String" -msgstr "" +msgstr "Stringa" #: q.cpp:154 msgid "Your Q username." -msgstr "" +msgstr "Il tuo username Q." #: q.cpp:158 msgid "Your Q password." -msgstr "" +msgstr "La tua password Q." #: q.cpp:161 q.cpp:167 q.cpp:173 q.cpp:179 q.cpp:184 msgid "Boolean" -msgstr "" +msgstr "Booleano" #: q.cpp:163 q.cpp:373 msgid "Whether to cloak your hostname (+x) automatically on connect." -msgstr "" +msgstr "Se mascherare il tuo hostname (+x) automaticamente in connessione." #: q.cpp:169 q.cpp:381 msgid "" "Whether to use the CHALLENGEAUTH mechanism to avoid sending passwords in " "cleartext." msgstr "" +"Se utilizzare il meccaniscmo CHALLENGEAUTH per evitare l'invio di passwords " +"in chiaro." #: q.cpp:175 q.cpp:389 msgid "Whether to request voice/op from Q on join/devoice/deop." -msgstr "" +msgstr "Se richiedere il voice/op da Q dopo un join/devoice/deop." #: q.cpp:181 q.cpp:395 msgid "Whether to join channels when Q invites you." -msgstr "" +msgstr "Se entrare nei canali quando invitato da Q." #: q.cpp:187 q.cpp:402 msgid "Whether to delay joining channels until after you are cloaked." msgstr "" +"Se ritardare l'ingresso ai canali fino a quando non si è stati occultati." #: q.cpp:192 msgid "This module takes 2 optional parameters: " msgstr "" +"Questo modulo accetta due parametri opzionali: " #: q.cpp:194 msgid "Module settings are stored between restarts." -msgstr "" +msgstr "Le impostazioni del modulo vengono memorizzate durante i riavvii." #: q.cpp:200 msgid "Syntax: Set " -msgstr "" +msgstr "Sintassi: Set " #: q.cpp:203 msgid "Username set" -msgstr "" +msgstr "Nome utente impostato" #: q.cpp:206 msgid "Password set" -msgstr "" +msgstr "Password impostata" #: q.cpp:209 msgid "UseCloakedHost set" -msgstr "" +msgstr "UseCloakedHost impostato" #: q.cpp:212 msgid "UseChallenge set" -msgstr "" +msgstr "UseChallenge impostato" #: q.cpp:215 msgid "RequestPerms set" -msgstr "" +msgstr "RequestPerms impostato" #: q.cpp:218 msgid "JoinOnInvite set" -msgstr "" +msgstr "JoinOnInvite impostato" #: q.cpp:221 msgid "JoinAfterCloaked set" -msgstr "" +msgstr "JoinAfterCloaked impostato" #: q.cpp:223 msgid "Unknown setting: {1}" -msgstr "" +msgstr "Impostazione sconosciuta: {1}" #: q.cpp:228 q.cpp:231 q.cpp:234 q.cpp:237 q.cpp:240 q.cpp:243 q.cpp:246 #: q.cpp:249 msgid "Value" -msgstr "" +msgstr "Valore" #: q.cpp:253 msgid "Connected: yes" -msgstr "" +msgstr "Connesso: si" #: q.cpp:254 msgid "Connected: no" -msgstr "" +msgstr "Connesso: no" #: q.cpp:255 msgid "Cloacked: yes" -msgstr "" +msgstr "Oscurato (cloacked): yes" #: q.cpp:255 msgid "Cloacked: no" -msgstr "" +msgstr "Oscurato (cloacked): no" #: q.cpp:256 msgid "Authenticated: yes" -msgstr "" +msgstr "Autenticato: si" #: q.cpp:257 msgid "Authenticated: no" -msgstr "" +msgstr "Autenticato: no" #: q.cpp:262 msgid "Error: You are not connected to IRC." -msgstr "" +msgstr "Errore: Non sei connesso ad IRC." #: q.cpp:270 msgid "Error: You are already cloaked!" -msgstr "" +msgstr "Errore: Sei già stato oscurato (cloaked)!" #: q.cpp:276 msgid "Error: You are already authed!" -msgstr "" +msgstr "Errore: Sei già stato autenticato!" #: q.cpp:280 msgid "Update requested." -msgstr "" +msgstr "Aggiornamento richiesto." #: q.cpp:283 msgid "Unknown command. Try 'help'." -msgstr "" +msgstr "Comando sconosciuto. Prova 'help'." #: q.cpp:293 msgid "Cloak successful: Your hostname is now cloaked." -msgstr "" +msgstr "Oscuramento riuscito: Ora il tuo hostname è mascherato." #: q.cpp:408 msgid "Changes have been saved!" -msgstr "" +msgstr "I cambiamenti sono stati salvati!" #: q.cpp:435 msgid "Cloak: Trying to cloak your hostname, setting +x..." -msgstr "" +msgstr "Cloak: prova ad oscurare il tuo hostname, impostando +x..." #: q.cpp:452 msgid "" "You have to set a username and password to use this module! See 'help' for " "details." msgstr "" +"Devi impostare username e password per usare questo modulo! Vedi 'help' per " +"maggiori dettagli." #: q.cpp:458 msgid "Auth: Requesting CHALLENGE..." -msgstr "" +msgstr "Aut: Richiesta di SFIDA (challenge)..." #: q.cpp:462 msgid "Auth: Sending AUTH request..." -msgstr "" +msgstr "Aut: Invio richiesta di AUTENTICAZIONE..." #: q.cpp:479 msgid "Auth: Received challenge, sending CHALLENGEAUTH request..." msgstr "" +"Aut: Sfida ricevuta, stò inviando la richiesta di AUTORIZZAZIONE alla SFIDA " +"(challengeauth)..." #: q.cpp:521 msgid "Authentication failed: {1}" -msgstr "" +msgstr "Autenticazione fallita: {1}" #: q.cpp:525 msgid "Authentication successful: {1}" -msgstr "" +msgstr "Autenticazione avvenuta: {1}" #: q.cpp:539 msgid "" "Auth failed: Q does not support HMAC-SHA-256 for CHALLENGEAUTH, falling back " "to standard AUTH." msgstr "" +"Autenticazione fallita: Q non supporta HMAC-SHA-256 per CHALLENGEAUTH, " +"tornando all'AUTENTICAZIONE standard." #: q.cpp:566 msgid "RequestPerms: Requesting op on {1}" -msgstr "" +msgstr "RequestPerms: Richiesta di op su {1}" #: q.cpp:579 msgid "RequestPerms: Requesting voice on {1}" -msgstr "" +msgstr "RequestPerms: Richiesta di voice su {1}" #: q.cpp:686 msgid "Please provide your username and password for Q." -msgstr "" +msgstr "Per favore fornisci il tuo sername e password per Q." #: q.cpp:689 msgid "Auths you with QuakeNet's Q bot." -msgstr "" +msgstr "Ti autorizza con il bot Q di QuakeNet." diff --git a/src/po/znc.it_IT.po b/src/po/znc.it_IT.po index 9099707b..54c73bf3 100644 --- a/src/po/znc.it_IT.po +++ b/src/po/znc.it_IT.po @@ -77,11 +77,11 @@ msgstr "Porta non valida" #: znc.cpp:1822 ClientCommand.cpp:1629 msgid "Unable to bind: {1}" -msgstr "" +msgstr "Impossibile associare: {1}" #: IRCNetwork.cpp:235 msgid "Jumping servers because this server is no longer in the list" -msgstr "" +msgstr "Salta il server perché non è più in elenco" #: IRCNetwork.cpp:640 User.cpp:678 msgid "Welcome to ZNC" @@ -93,23 +93,25 @@ msgstr "Sei attualmente disconnesso da IRC. Usa 'connect' per riconnetterti." #: IRCNetwork.cpp:758 msgid "This network is being deleted or moved to another user." -msgstr "" +msgstr "Questo network può essere eliminato o spostato ad un altro utente." #: IRCNetwork.cpp:987 msgid "The channel {1} could not be joined, disabling it." -msgstr "" +msgstr "Disabilitandolo, il canale {1} potrebbe non essere più accessibile." #: IRCNetwork.cpp:1116 msgid "Your current server was removed, jumping..." -msgstr "" +msgstr "Il server attuale è stato rimosso, salta..." #: IRCNetwork.cpp:1279 msgid "Cannot connect to {1}, because ZNC is not compiled with SSL support." msgstr "" +"Non posso collegarmi a {1}, perché lo ZNC non è compilato con il supporto " +"SSL." #: IRCNetwork.cpp:1300 msgid "Some module aborted the connection attempt" -msgstr "" +msgstr "Qualche modulo ha annullato il tentativo di connessione" #: IRCSock.cpp:490 msgid "Error from server: {1}" @@ -118,22 +120,24 @@ msgstr "Errore dal server: {1}" #: IRCSock.cpp:692 msgid "ZNC seems to be connected to itself, disconnecting..." msgstr "" +"Lo ZNC sembra essere collegato a se stesso. La connessione verrà " +"interrotta..." #: IRCSock.cpp:739 msgid "Server {1} redirects us to {2}:{3} with reason: {4}" -msgstr "" +msgstr "Il server {1} reindirizza a {2}:{3} con motivazione: {4}" #: IRCSock.cpp:743 msgid "Perhaps you want to add it as a new server." -msgstr "" +msgstr "Forse vuoi aggiungerlo come nuovo server." #: IRCSock.cpp:973 msgid "Channel {1} is linked to another channel and was thus disabled." -msgstr "" +msgstr "Il canale {1} è collegato ad un altro canale ed è quindi disabilitato." #: IRCSock.cpp:985 msgid "Switched to SSL (STARTTLS)" -msgstr "" +msgstr "Passato ad una connessione SSL protetta (STARTTLS)" #: IRCSock.cpp:1038 msgid "You quit: {1}" @@ -158,7 +162,7 @@ msgstr "" #: IRCSock.cpp:1325 msgid "IRC connection timed out. Reconnecting..." -msgstr "" +msgstr "La connessione ad IRC è scaduta (timed out). Tento la riconnessione..." #: IRCSock.cpp:1337 msgid "Connection Refused. Reconnecting..." @@ -166,15 +170,15 @@ msgstr "Connessione rifiutata. Riconnessione..." #: IRCSock.cpp:1345 msgid "Received a too long line from the IRC server!" -msgstr "" +msgstr "Ricevuta una linea troppo lunga dal server IRC!" #: IRCSock.cpp:1449 msgid "No free nick available" -msgstr "" +msgstr "Nessun nickname disponibile" #: IRCSock.cpp:1457 msgid "No free nick found" -msgstr "" +msgstr "Nessun nick trovato" #: Client.cpp:74 msgid "No such module {1}" @@ -195,6 +199,8 @@ msgid "" "You have several networks configured, but no network was specified for the " "connection." msgstr "" +"Hai configurato alcuni networks, ma nessuno è stato specificato per la " +"connessione." #: Client.cpp:411 msgid "" @@ -209,24 +215,30 @@ msgid "" "If you want to choose another network, use /znc JumpNetwork , or " "connect to ZNC with username {1}/ (instead of just {1})" msgstr "" +"Se vuoi scegliere un altro network, usa /znc JumpNetwork , " +"o collegati allo ZNC con username {1}/ (al posto di {1})" #: Client.cpp:420 msgid "" "You have no networks configured. Use /znc AddNetwork to add one." msgstr "" +"Non hai configurato nessun networks. Usa /znc AddNetwork " +"per aggiungerne uno." #: Client.cpp:431 msgid "Closing link: Timeout" -msgstr "" +msgstr "Connessione persa: Timeout" #: Client.cpp:453 msgid "Closing link: Too long raw line" -msgstr "" +msgstr "Connessione persa: Linea raw troppo lunga" #: Client.cpp:460 msgid "" "You are being disconnected because another user just authenticated as you." msgstr "" +"Stai per essere disconnesso perché un altro utente si è appena autenticato " +"come te." #: Client.cpp:1015 msgid "Your CTCP to {1} got lost, you are not connected to IRC!" @@ -238,7 +250,7 @@ msgstr "Il tuo NOTICE a {1} è andato perso, non sei connesso ad IRC!" #: Client.cpp:1181 msgid "Removing channel {1}" -msgstr "" +msgstr "Rimozione del canle {1}" #: Client.cpp:1257 msgid "Your message to {1} got lost, you are not connected to IRC!" @@ -255,14 +267,14 @@ msgstr "Usa: /attach <#canali>" #: Client.cpp:1337 Client.cpp:1359 ClientCommand.cpp:129 ClientCommand.cpp:151 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "Trovato {1} canale corrispondente a [{2}]" +msgstr[1] "Trovati {1} canali corrispondenti a [{2}]" #: Client.cpp:1340 ClientCommand.cpp:132 msgid "Attached {1} channel" msgid_plural "Attached {1} channels" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "Agganciato {1} canale (Attached)" +msgstr[1] "Agganciati {1} canali (Attached)" #: Client.cpp:1352 msgid "Usage: /detach <#chans>" @@ -271,16 +283,16 @@ msgstr "Usa: /detach <#canali>" #: Client.cpp:1362 ClientCommand.cpp:154 msgid "Detached {1} channel" msgid_plural "Detached {1} channels" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "Scollegato {1} canale (Detached)" +msgstr[1] "Scollegati {1} canali (Detached)" #: Chan.cpp:638 msgid "Buffer Playback..." -msgstr "" +msgstr "Riproduzione del Buffer avviata..." #: Chan.cpp:676 msgid "Playback Complete." -msgstr "" +msgstr "Riproduzione del Buffer completata." #: Modules.cpp:528 msgctxt "modhelpcmd" @@ -290,7 +302,7 @@ msgstr "" #: Modules.cpp:529 msgctxt "modhelpcmd" msgid "Generate this output" -msgstr "" +msgstr "Genera questo output" #: Modules.cpp:573 ClientCommand.cpp:1894 msgid "No matches for '{1}'" @@ -309,6 +321,8 @@ msgid "" "Module names can only contain letters, numbers and underscores, [{1}] is " "invalid" msgstr "" +"I nomi dei moduli possono contenere solo lettere, numeri e underscore. [{1}] " +"non è valido" #: Modules.cpp:1652 msgid "Module {1} already loaded." @@ -320,7 +334,7 @@ msgstr "Impossibile trovare il modulo {1}" #: Modules.cpp:1678 msgid "Module {1} does not support module type {2}." -msgstr "" +msgstr "Il modulo {1} non supporta il tipo di modulo {2}." #: Modules.cpp:1685 msgid "Module {1} requires a user." @@ -332,7 +346,7 @@ msgstr "Il modulo {1} richiede un network." #: Modules.cpp:1707 msgid "Caught an exception" -msgstr "" +msgstr "È stata rilevata un'eccezione" #: Modules.cpp:1713 msgid "Module {1} aborted: {2}" @@ -348,7 +362,7 @@ msgstr "Modulo [{1}] non caricato." #: Modules.cpp:1763 msgid "Module {1} unloaded." -msgstr "" +msgstr "Modulo {1} rimosso." #: Modules.cpp:1768 msgid "Unable to unload module {1}." @@ -356,7 +370,7 @@ msgstr "Impossibile scaricare il modulo {1}." #: Modules.cpp:1797 msgid "Reloaded module {1}." -msgstr "" +msgstr "Ricaricato il modulo {1}." #: Modules.cpp:1816 msgid "Unable to find module {1}." @@ -379,6 +393,8 @@ msgid "" "Version mismatch for module {1}: core is {2}, module is built for {3}. " "Recompile this module." msgstr "" +"Versione non corrispondente per il modulo {1}: il cuore è {2}, il modulo è " +"creato per {3}. Ricompila questo modulo." #: Modules.cpp:1992 msgid "" @@ -417,7 +433,7 @@ msgstr "Non sei su [{1}]" #: ClientCommand.cpp:70 msgid "You are not on [{1}] (trying)" -msgstr "" +msgstr "Non sei su [{1}] (prova)" #: ClientCommand.cpp:79 msgid "No nicks on [{1}]" @@ -445,11 +461,11 @@ msgstr "Usa: Detach <#canali>" #: ClientCommand.cpp:161 msgid "There is no MOTD set." -msgstr "" +msgstr "Non è stato impostato il MOTD." #: ClientCommand.cpp:167 msgid "Rehashing succeeded!" -msgstr "" +msgstr "Ricarica corretta della configurazione!" #: ClientCommand.cpp:169 msgid "Rehashing failed: {1}" @@ -492,7 +508,7 @@ msgstr "Stato" #: ClientCommand.cpp:486 ClientCommand.cpp:510 msgctxt "listchans" msgid "In config" -msgstr "" +msgstr "In configurazione" #: ClientCommand.cpp:487 ClientCommand.cpp:512 msgctxt "listchans" @@ -517,12 +533,12 @@ msgstr "Utenti" #: ClientCommand.cpp:505 msgctxt "listchans" msgid "Detached" -msgstr "Distaccati" +msgstr "Scollegati" #: ClientCommand.cpp:506 msgctxt "listchans" msgid "Joined" -msgstr "" +msgstr "Dentro" #: ClientCommand.cpp:507 msgctxt "listchans" @@ -532,7 +548,7 @@ msgstr "Disabilitati" #: ClientCommand.cpp:508 msgctxt "listchans" msgid "Trying" -msgstr "" +msgstr "Provando" #: ClientCommand.cpp:511 ClientCommand.cpp:519 msgctxt "listchans" @@ -541,7 +557,7 @@ msgstr "si" #: ClientCommand.cpp:536 msgid "Total: {1}, Joined: {2}, Detached: {3}, Disabled: {4}" -msgstr "Totale: {1}, Joined: {2}, Detached: {3}, Disabled: {4}" +msgstr "Totale: {1}, Joined: {2}, Scollegati: {3}, Disabilitati: {4}" #: ClientCommand.cpp:541 msgid "" @@ -564,6 +580,8 @@ msgid "" "Network added. Use /znc JumpNetwork {1}, or connect to ZNC with username {2} " "(instead of just {3}) to connect to it." msgstr "" +"Network aggiunto. Usa /znc JumpNetwork {1}, o connettiti allo ZNC con " +"username {2} (al posto di {3}) per connetterlo." #: ClientCommand.cpp:566 msgid "Unable to add that network" @@ -632,6 +650,8 @@ msgstr "Accesso negato." #: ClientCommand.cpp:643 msgid "Usage: MoveNetwork [new network]" msgstr "" +"Usa: MoveNetwork [nuovo " +"network]" #: ClientCommand.cpp:653 msgid "Old user {1} not found." @@ -647,7 +667,7 @@ msgstr "Nuovo utente {1} non trovato." #: ClientCommand.cpp:670 msgid "User {1} already has network {2}." -msgstr "" +msgstr "L'utente {1} ha già un network chiamato {2}." #: ClientCommand.cpp:676 msgid "Invalid network name [{1}]" @@ -655,7 +675,7 @@ msgstr "Nome del network [{1}] non valido" #: ClientCommand.cpp:692 msgid "Some files seem to be in {1}. You might want to move them to {2}" -msgstr "" +msgstr "Alcuni files sembrano essere in {1}. Forse dovresti spostarli in {2}" #: ClientCommand.cpp:706 msgid "Error adding network: {1}" @@ -663,11 +683,13 @@ msgstr "Errore durante l'aggiunta del network: {1}" #: ClientCommand.cpp:718 msgid "Success." -msgstr "" +msgstr "Completato." #: ClientCommand.cpp:721 msgid "Copied the network to new user, but failed to delete old network" msgstr "" +"Il network è stato copiato nel nuovo utente, ma non è stato possibile " +"eliminare il vecchio network" #: ClientCommand.cpp:728 msgid "No network supplied." @@ -679,7 +701,7 @@ msgstr "Sei già connesso con questo network." #: ClientCommand.cpp:739 msgid "Switched to {1}" -msgstr "" +msgstr "Passato a {1}" #: ClientCommand.cpp:742 msgid "You don't have a network named {1}" @@ -698,6 +720,8 @@ msgid "" "Unable to add that server. Perhaps the server is already added or openssl is " "disabled?" msgstr "" +"Impossibile aggiungere il server. Forse il server è già aggiunto oppure " +"openssl è disabilitato?" #: ClientCommand.cpp:777 msgid "Usage: DelServer [port] [pass]" @@ -791,7 +815,7 @@ msgstr "Moduli globali:" #: ClientCommand.cpp:912 msgid "Your user has no modules loaded." -msgstr "" +msgstr "Il tuo utente non ha moduli caricati." #: ClientCommand.cpp:914 ClientCommand.cpp:975 msgid "User modules:" @@ -833,7 +857,7 @@ msgstr "Impossibile caricare {1}: Accesso negato." #: ClientCommand.cpp:1018 msgid "Usage: LoadMod [--type=global|user|network] [args]" -msgstr "" +msgstr "Usa: LoadMod [--type=global|user|network] [argomenti]" #: ClientCommand.cpp:1025 msgid "Unable to load {1}: {2}" @@ -846,6 +870,8 @@ msgstr "Impossibile caricare il modulo globale {1}: Accesso negato." #: ClientCommand.cpp:1041 msgid "Unable to load network module {1}: Not connected with a network." msgstr "" +"Impossibile caricare il modulo di tipo network {1}: Non sei connesso ad " +"alcun network." #: ClientCommand.cpp:1063 msgid "Unknown module type" @@ -877,15 +903,17 @@ msgstr "Impossibile determinare tipo di {1}: {2}" #: ClientCommand.cpp:1119 msgid "Unable to unload global module {1}: Access denied." -msgstr "" +msgstr "Impossibile rimuovere il modulo di tipo globale {1}: Accesso negato." #: ClientCommand.cpp:1126 msgid "Unable to unload network module {1}: Not connected with a network." msgstr "" +"Impossibile rimuovere il modulo di tipo network {1}: Non sei connesso ad " +"alcun network." #: ClientCommand.cpp:1145 msgid "Unable to unload module {1}: Unknown module type" -msgstr "" +msgstr "Impossibile rimuovere il modulo {1}: Tipo di modulo sconosciuto" #: ClientCommand.cpp:1158 msgid "Unable to reload modules. Access denied." @@ -893,7 +921,7 @@ msgstr "Impossibile ricaricare i moduli. Accesso negato." #: ClientCommand.cpp:1179 msgid "Usage: ReloadMod [--type=global|user|network] [args]" -msgstr "" +msgstr "Usa: ReloadMod [--type=global|user|network] [argomenti]" #: ClientCommand.cpp:1188 msgid "Unable to reload {1}: {2}" @@ -901,15 +929,17 @@ msgstr "Impossibile ricaricare {1}: {2}" #: ClientCommand.cpp:1196 msgid "Unable to reload global module {1}: Access denied." -msgstr "" +msgstr "Impossibile ricaricare il modulo tipo globale {1}: Accesso negato." #: ClientCommand.cpp:1203 msgid "Unable to reload network module {1}: Not connected with a network." msgstr "" +"Impossibile ricaricare il modulo di tipo network {1}: Non sei connesso ad " +"alcun network." #: ClientCommand.cpp:1225 msgid "Unable to reload module {1}: Unknown module type" -msgstr "" +msgstr "Impossibile ricaricare il modulo {1}: Tipo di modulo sconosciuto" #: ClientCommand.cpp:1236 msgid "Usage: UpdateMod " @@ -927,12 +957,16 @@ msgstr "Fatto" msgid "" "Done, but there were errors, module {1} could not be reloaded everywhere." msgstr "" +"Fatto, si sono verificati errori. Il modulo {1} non può essere ricaricato " +"ovunque." #: ClientCommand.cpp:1253 msgid "" "You must be connected with a network to use this command. Try " "SetUserBindHost instead" msgstr "" +"Devi essere connesso ad un network per usare questo comando. Prova invece " +"SetUserBindHost" #: ClientCommand.cpp:1260 msgid "Usage: SetBindHost " @@ -944,7 +978,7 @@ msgstr "Hai già questo bind host!" #: ClientCommand.cpp:1270 msgid "Set bind host for network {1} to {2}" -msgstr "" +msgstr "Impostato il bind host per il network {1} a {2}" #: ClientCommand.cpp:1277 msgid "Usage: SetUserBindHost " @@ -959,6 +993,8 @@ msgid "" "You must be connected with a network to use this command. Try " "ClearUserBindHost instead" msgstr "" +"Devi essere connesso ad un network per usare questo comando. Prova invece " +"ClearUserBindHost" #: ClientCommand.cpp:1298 msgid "Bind host cleared for this network." @@ -970,11 +1006,11 @@ msgstr "Bind host di default cancellato per questo utente." #: ClientCommand.cpp:1305 msgid "This user's default bind host not set" -msgstr "" +msgstr "Il bind host predefinito per questo utente non è stato configurato" #: ClientCommand.cpp:1307 msgid "This user's default bind host is {1}" -msgstr "" +msgstr "Il bind host predefinito per questo utente è {1}" #: ClientCommand.cpp:1312 msgid "This network's bind host not set" @@ -982,7 +1018,7 @@ msgstr "Il bind host di questo network non è impostato" #: ClientCommand.cpp:1314 msgid "This network's default bind host is {1}" -msgstr "" +msgstr "Il bind host predefinito per questo network è {1}" #: ClientCommand.cpp:1328 msgid "Usage: PlayBuffer <#chan|query>" @@ -1032,25 +1068,27 @@ msgstr "Tutti i buffers sono stati cancellati" #: ClientCommand.cpp:1440 msgid "Usage: SetBuffer <#chan|query> [linecount]" -msgstr "" +msgstr "Usa: SetBuffer <#canale|query> [numero linee]" #: ClientCommand.cpp:1461 msgid "Setting buffer size failed for {1} buffer" msgid_plural "Setting buffer size failed for {1} buffers" msgstr[0] "" +"Impostazione della dimensione del buffer non riuscita per il buffer {1}" msgstr[1] "" +"Impostazione della dimensione del buffer non riuscita per i buffers {1}" #: ClientCommand.cpp:1464 msgid "Maximum buffer size is {1} line" msgid_plural "Maximum buffer size is {1} lines" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "La dimensione massima del buffer è {1} linea" +msgstr[1] "La dimensione massima del buffer è {1} linee" #: ClientCommand.cpp:1469 msgid "Size of every buffer was set to {1} line" msgid_plural "Size of every buffer was set to {1} lines" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "La dimensione di tutti i buffer è stata impostata a {1} linea" +msgstr[1] "La dimensione di tutti i buffer è stata impostata a {1} linee" #: ClientCommand.cpp:1479 ClientCommand.cpp:1486 ClientCommand.cpp:1497 #: ClientCommand.cpp:1506 ClientCommand.cpp:1514 @@ -1084,7 +1122,7 @@ msgstr "" #: ClientCommand.cpp:1507 msgctxt "trafficcmd" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1515 msgctxt "trafficcmd" @@ -1093,7 +1131,7 @@ msgstr "" #: ClientCommand.cpp:1524 msgid "Running for {1}" -msgstr "" +msgstr "Opertivo da {1}" #: ClientCommand.cpp:1530 msgid "Unknown command, try 'Help'" @@ -1107,7 +1145,7 @@ msgstr "Porta" #: ClientCommand.cpp:1540 ClientCommand.cpp:1551 msgctxt "listports" msgid "BindHost" -msgstr "" +msgstr "BindHost" #: ClientCommand.cpp:1541 ClientCommand.cpp:1554 msgctxt "listports" @@ -1137,7 +1175,7 @@ msgstr "si" #: ClientCommand.cpp:1556 msgctxt "listports|ssl" msgid "no" -msgstr "" +msgstr "no" #: ClientCommand.cpp:1560 msgctxt "listports" @@ -1147,12 +1185,12 @@ msgstr "IPv4 e IPv6" #: ClientCommand.cpp:1562 msgctxt "listports" msgid "IPv4" -msgstr "" +msgstr "IPv4" #: ClientCommand.cpp:1563 msgctxt "listports" msgid "IPv6" -msgstr "" +msgstr "IPv6" #: ClientCommand.cpp:1569 msgctxt "listports|irc" @@ -1162,7 +1200,7 @@ msgstr "si" #: ClientCommand.cpp:1570 msgctxt "listports|irc" msgid "no" -msgstr "" +msgstr "no" #: ClientCommand.cpp:1574 msgctxt "listports|irc" @@ -1172,7 +1210,7 @@ msgstr "si, su {1}" #: ClientCommand.cpp:1576 msgctxt "listports|web" msgid "no" -msgstr "" +msgstr "no" #: ClientCommand.cpp:1616 msgid "" @@ -1296,7 +1334,7 @@ msgstr "Sposta un network IRC da un utente ad un altro" #: ClientCommand.cpp:1720 msgctxt "helpcmd|JumpNetwork|args" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1721 msgctxt "helpcmd|JumpNetwork|desc" @@ -1337,7 +1375,7 @@ msgstr "" #: ClientCommand.cpp:1738 msgctxt "helpcmd|AddTrustedServerFingerprint|args" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1739 msgctxt "helpcmd|AddTrustedServerFingerprint|desc" @@ -1351,12 +1389,12 @@ msgstr "" #: ClientCommand.cpp:1744 msgctxt "helpcmd|DelTrustedServerFingerprint|args" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1745 msgctxt "helpcmd|DelTrustedServerFingerprint|desc" msgid "Delete a trusted server SSL certificate from current IRC network." -msgstr "" +msgstr "Elimina un certificato SSL attendibile dal network IRC corrente." #: ClientCommand.cpp:1749 msgctxt "helpcmd|ListTrustedServerFingerprints|desc" @@ -1402,7 +1440,7 @@ msgstr "<#canali>" #: ClientCommand.cpp:1759 msgctxt "helpcmd|Detach|desc" msgid "Detach from channels" -msgstr "" +msgstr "Scollega dai cananli (detach)" #: ClientCommand.cpp:1762 msgctxt "helpcmd|Topics|desc" @@ -1492,12 +1530,12 @@ msgstr "Mostra il bind host attualmente selezionato" #: ClientCommand.cpp:1805 msgctxt "helpcmd|Jump|args" msgid "[server]" -msgstr "" +msgstr "[server]" #: ClientCommand.cpp:1806 msgctxt "helpcmd|Jump|desc" msgid "Jump to the next or the specified server" -msgstr "" +msgstr "Passa al server successivo o a quello indicato" #: ClientCommand.cpp:1807 msgctxt "helpcmd|Disconnect|args" @@ -1522,7 +1560,7 @@ msgstr "Mostra da quanto tempo lo ZNC è in esecuzione" #: ClientCommand.cpp:1817 msgctxt "helpcmd|LoadMod|args" msgid "[--type=global|user|network] [args]" -msgstr "" +msgstr "[--type=global|user|network] [argomenti]" #: ClientCommand.cpp:1819 msgctxt "helpcmd|LoadMod|desc" @@ -1542,7 +1580,7 @@ msgstr "Scarica un modulo" #: ClientCommand.cpp:1825 msgctxt "helpcmd|ReloadMod|args" msgid "[--type=global|user|network] [args]" -msgstr "" +msgstr "[--type=global|user|network] [argomenti]" #: ClientCommand.cpp:1827 msgctxt "helpcmd|ReloadMod|desc" @@ -1602,7 +1640,7 @@ msgstr "<[+]porta> [bindhost [uriprefix]]" #: ClientCommand.cpp:1855 msgctxt "helpcmd|AddPort|desc" msgid "Add another port for ZNC to listen on" -msgstr "" +msgstr "Aggiunge un'altra porta di ascolto allo ZNC" #: ClientCommand.cpp:1859 msgctxt "helpcmd|DelPort|args" @@ -1618,6 +1656,8 @@ msgstr "Rimuove una porta dallo ZNC" msgctxt "helpcmd|Rehash|desc" msgid "Reload global settings, modules, and listeners from znc.conf" msgstr "" +"Ricarica le impostazioni globali, i moduli e le porte di ascolto dallo znc." +"conf" #: ClientCommand.cpp:1866 msgctxt "helpcmd|SaveConfig|desc" @@ -1652,7 +1692,7 @@ msgstr "Elenca tutti i client connessi" #: ClientCommand.cpp:1881 msgctxt "helpcmd|Traffic|desc" msgid "Show basic traffic stats for all ZNC users" -msgstr "" +msgstr "Mostra le statistiche base sul traffico di tutti gli utenti dello ZNC" #: ClientCommand.cpp:1883 msgctxt "helpcmd|Broadcast|args" @@ -1693,10 +1733,12 @@ msgid "" "Can't resolve bind hostname. Try /znc ClearBindHost and /znc " "ClearUserBindHost" msgstr "" +"Impossibile risolvere l'hostname allegato. Prova /znc ClearBindHost e /znc " +"ClearUserBindHost" #: Socket.cpp:348 msgid "Server address is IPv4-only, but bindhost is IPv6-only" -msgstr "" +msgstr "L'indirizzo del server è IPv4-only, ma il bindhost è IPv6-only" #: Socket.cpp:357 msgid "Server address is IPv6-only, but bindhost is IPv4-only" @@ -1710,21 +1752,23 @@ msgstr "" #: SSLVerifyHost.cpp:448 msgid "hostname doesn't match" -msgstr "" +msgstr "il nome dell'host non corrisponde" #: SSLVerifyHost.cpp:452 msgid "malformed hostname in certificate" -msgstr "" +msgstr "hostname malformato nel certificato" #: SSLVerifyHost.cpp:456 msgid "hostname verification error" -msgstr "" +msgstr "errore di verifica dell'hostname" #: User.cpp:507 msgid "" "Invalid network name. It should be alphanumeric. Not to be confused with " "server name" msgstr "" +"Nome del network non valido. Deve essere alfanumerico. Da non confondere con " +"il nome del server" #: User.cpp:511 msgid "Network {1} already exists" @@ -1735,6 +1779,8 @@ msgid "" "You are being disconnected because your IP is no longer allowed to connect " "to this user" msgstr "" +"Sei stato disconnesso perché il tuo indirizzo IP non è più autorizzato a " +"connettersi a questo utente" #: User.cpp:907 msgid "Password is empty" From 51e82fc7e83dff58eb8dbae083e56f9a760a31ef Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Tue, 6 Aug 2019 00:27:46 +0000 Subject: [PATCH 299/798] Update translations from Crowdin for pt_BR --- modules/po/autoattach.pt_BR.po | 14 +- modules/po/autoop.pt_BR.po | 74 ++++---- modules/po/autoreply.pt_BR.po | 10 +- src/po/znc.pt_BR.po | 310 ++++++++++++++++++--------------- 4 files changed, 222 insertions(+), 186 deletions(-) diff --git a/modules/po/autoattach.pt_BR.po b/modules/po/autoattach.pt_BR.po index be22cd28..4fce6e89 100644 --- a/modules/po/autoattach.pt_BR.po +++ b/modules/po/autoattach.pt_BR.po @@ -58,28 +58,28 @@ msgstr "" #: autoattach.cpp:146 autoattach.cpp:149 msgid "[!]<#chan> " -msgstr "" +msgstr "[!]<#canal> " #: autoattach.cpp:147 msgid "Add an entry, use !#chan to negate and * for wildcards" -msgstr "" +msgstr "Adicione uma entrada, use !#canal para negar e * para wildcard" #: autoattach.cpp:150 msgid "Remove an entry, needs to be an exact match" -msgstr "" +msgstr "Remove uma entrada, precisa ser exatamente correspondente" #: autoattach.cpp:152 msgid "List all entries" -msgstr "" +msgstr "Lista todas as entradas" #: autoattach.cpp:171 msgid "Unable to add [{1}]" -msgstr "" +msgstr "Não foi possível adicionar [{1}]" #: autoattach.cpp:283 msgid "List of channel masks and channel masks with ! before them." -msgstr "" +msgstr "Lista de máscaras de canais e máscaras de canais com ! antes delas." #: autoattach.cpp:286 msgid "Reattaches you to channels on activity." -msgstr "" +msgstr "Reanexa você a canais quando há atividade." diff --git a/modules/po/autoop.pt_BR.po b/modules/po/autoop.pt_BR.po index c224c8ab..ccbe8044 100644 --- a/modules/po/autoop.pt_BR.po +++ b/modules/po/autoop.pt_BR.po @@ -14,155 +14,163 @@ msgstr "" #: autoop.cpp:154 msgid "List all users" -msgstr "" +msgstr "Lista todos os usuários" #: autoop.cpp:156 autoop.cpp:159 msgid " [channel] ..." -msgstr "" +msgstr " [channel] ..." #: autoop.cpp:157 msgid "Adds channels to a user" -msgstr "" +msgstr "Adiciona canais a um usuário" #: autoop.cpp:160 msgid "Removes channels from a user" -msgstr "" +msgstr "Remove canais de um usuário" #: autoop.cpp:162 autoop.cpp:165 msgid " ,[mask] ..." -msgstr "" +msgstr " ,[mask] ..." #: autoop.cpp:163 msgid "Adds masks to a user" -msgstr "" +msgstr "Adiciona uma máscara a um usuário" #: autoop.cpp:166 msgid "Removes masks from a user" -msgstr "" +msgstr "Remove máscaras de um usuário" #: autoop.cpp:169 msgid " [,...] [channels]" -msgstr "" +msgstr " [,...] [channels]" #: autoop.cpp:170 msgid "Adds a user" -msgstr "" +msgstr "Adiciona um usuário" #: autoop.cpp:172 msgid "" -msgstr "" +msgstr "" #: autoop.cpp:172 msgid "Removes a user" -msgstr "" +msgstr "Remove um usuário" #: autoop.cpp:275 msgid "Usage: AddUser [,...] [channels]" -msgstr "" +msgstr "Uso: AddUser [,...] [channels]" #: autoop.cpp:291 msgid "Usage: DelUser " -msgstr "" +msgstr "Uso: DelUser " #: autoop.cpp:300 msgid "There are no users defined" -msgstr "" +msgstr "Não há usuários definidos" #: autoop.cpp:306 autoop.cpp:317 autoop.cpp:321 autoop.cpp:323 msgid "User" -msgstr "" +msgstr "Usuário" #: autoop.cpp:307 autoop.cpp:325 msgid "Hostmasks" -msgstr "" +msgstr "Máscaras de Host" #: autoop.cpp:308 autoop.cpp:318 msgid "Key" -msgstr "" +msgstr "Chave" #: autoop.cpp:309 autoop.cpp:319 msgid "Channels" -msgstr "" +msgstr "Canais" #: autoop.cpp:337 msgid "Usage: AddChans [channel] ..." -msgstr "" +msgstr "Uso: AddChans [channel] ..." #: autoop.cpp:344 autoop.cpp:365 autoop.cpp:387 autoop.cpp:408 autoop.cpp:472 msgid "No such user" -msgstr "" +msgstr "Nenhum usuário encontrado" #: autoop.cpp:349 msgid "Channel(s) added to user {1}" -msgstr "" +msgstr "Canal(ais) adicionado(s) ao usuário {1}" #: autoop.cpp:358 msgid "Usage: DelChans [channel] ..." -msgstr "" +msgstr "Uso: DelChans [channel] ..." #: autoop.cpp:371 msgid "Channel(s) Removed from user {1}" -msgstr "" +msgstr "Canal(ais) removido(s) do usuário {1}" #: autoop.cpp:380 msgid "Usage: AddMasks ,[mask] ..." -msgstr "" +msgstr "Uso: AddMasks ,[mask] ..." #: autoop.cpp:392 msgid "Hostmasks(s) added to user {1}" -msgstr "" +msgstr "Máscara(s) de host adicionada(s) ao usuário {1}" #: autoop.cpp:401 msgid "Usage: DelMasks ,[mask] ..." -msgstr "" +msgstr "Uso: DelMasks ,[mask] ..." #: autoop.cpp:413 msgid "Removed user {1} with key {2} and channels {3}" -msgstr "" +msgstr "Usuário {1} com chave {2} e {3} canais foi removido" #: autoop.cpp:419 msgid "Hostmasks(s) Removed from user {1}" -msgstr "" +msgstr "Máscara(s) de host removida(s) do usuário {1}" #: autoop.cpp:478 msgid "User {1} removed" -msgstr "" +msgstr "Usuário {1} removido" #: autoop.cpp:484 msgid "That user already exists" -msgstr "" +msgstr "Esse usuário já existe" #: autoop.cpp:490 msgid "User {1} added with hostmask(s) {2}" -msgstr "" +msgstr "Usuário {1} adicionado com a(s) máscara(s) de host {2}" #: autoop.cpp:532 msgid "" "[{1}] sent us a challenge but they are not opped in any defined channels." msgstr "" +"[{1}] enviou um desafio, mas não possui status de operador em qualquer canal " +"definido." #: autoop.cpp:536 msgid "[{1}] sent us a challenge but they do not match a defined user." msgstr "" +"[{1}] enviou um desafio, mas não corresponde a qualquer usuário definido." #: autoop.cpp:544 msgid "WARNING! [{1}] sent an invalid challenge." -msgstr "" +msgstr "AVISO! [{1}] enviou um desafio inválido." #: autoop.cpp:560 msgid "[{1}] sent an unchallenged response. This could be due to lag." msgstr "" +"[{1}] enviou uma resposta sem desafio. Isso pode ocorrer devido a um lag." #: autoop.cpp:577 msgid "" "WARNING! [{1}] sent a bad response. Please verify that you have their " "correct password." msgstr "" +"AVISO! [{1}] enviou uma má resposta. Por favor, verifique se você tem a " +"senha correta." #: autoop.cpp:586 msgid "WARNING! [{1}] sent a response but did not match any defined users." msgstr "" +"WARNING! [{1}] enviou uma resposta mas não corresponde a qualquer usuário " +"definido." #: autoop.cpp:644 msgid "Auto op the good people" -msgstr "" +msgstr "Automaticamente torna operador as pessoas boas" diff --git a/modules/po/autoreply.pt_BR.po b/modules/po/autoreply.pt_BR.po index 9c205a88..a9267a45 100644 --- a/modules/po/autoreply.pt_BR.po +++ b/modules/po/autoreply.pt_BR.po @@ -14,23 +14,23 @@ msgstr "" #: autoreply.cpp:25 msgid "" -msgstr "" +msgstr "" #: autoreply.cpp:25 msgid "Sets a new reply" -msgstr "" +msgstr "Define uma nova resposta" #: autoreply.cpp:27 msgid "Displays the current query reply" -msgstr "" +msgstr "Mostra a atual resposta de query" #: autoreply.cpp:75 msgid "Current reply is: {1} ({2})" -msgstr "" +msgstr "A resposta atual é: {1} ({2})" #: autoreply.cpp:81 msgid "New reply set to: {1} ({2})" -msgstr "" +msgstr "Nova resposta definida como: {1} ({2})" #: autoreply.cpp:94 msgid "" diff --git a/src/po/znc.pt_BR.po b/src/po/znc.pt_BR.po index 9ce25a9c..82c162ca 100644 --- a/src/po/znc.pt_BR.po +++ b/src/po/znc.pt_BR.po @@ -50,6 +50,10 @@ msgid "" "*status help” and “/msg *status loadmod <module>”). Once you have loaded some Web-enabled modules, the menu will expand." msgstr "" +"Nenhum módulo habilitado para a Web foi carregado. Carregue módulos pelo IRC " +"(“/msg *status help” e “/msg *status loadmod <" +"module>”). Depois de carregar alguns módulos habilitados para a " +"Web, o menu será expandido." #: znc.cpp:1562 msgid "User already exists" @@ -165,7 +169,7 @@ msgstr "Conexão rejeitada. Reconectando..." #: IRCSock.cpp:1345 msgid "Received a too long line from the IRC server!" -msgstr "" +msgstr "Uma linha muito longa foi recebida do servidor de IRC!" #: IRCSock.cpp:1449 msgid "No free nick available" @@ -222,24 +226,26 @@ msgstr "" #: Client.cpp:431 msgid "Closing link: Timeout" -msgstr "" +msgstr "Fechando link: Tempo limite excedido" #: Client.cpp:453 msgid "Closing link: Too long raw line" -msgstr "" +msgstr "Fechando link: Linha raw muito longa" #: Client.cpp:460 msgid "" "You are being disconnected because another user just authenticated as you." msgstr "" +"Você está sendo desconectado porque outro usuário acabou de autenticar-se " +"como você." #: Client.cpp:1015 msgid "Your CTCP to {1} got lost, you are not connected to IRC!" -msgstr "" +msgstr "O seu CTCP para {1} foi perdido, você não está conectado ao IRC!" #: Client.cpp:1142 msgid "Your notice to {1} got lost, you are not connected to IRC!" -msgstr "" +msgstr "O seu aviso para {1} foi perdido, você não está conectado ao IRC!" #: Client.cpp:1181 msgid "Removing channel {1}" @@ -247,7 +253,7 @@ msgstr "Removendo canal {1}" #: Client.cpp:1257 msgid "Your message to {1} got lost, you are not connected to IRC!" -msgstr "" +msgstr "Sua mensagem para {1} foi perdida, você não está conectado ao IRC!" #: Client.cpp:1310 Client.cpp:1316 msgid "Hello. How may I help you?" @@ -266,8 +272,8 @@ msgstr[1] "Foi encontrado {1} canal correspondentes a [{2}]" #: Client.cpp:1340 ClientCommand.cpp:132 msgid "Attached {1} channel" msgid_plural "Attached {1} channels" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "{1} canal foi anexado" +msgstr[1] "{1} canais foram anexados" #: Client.cpp:1352 msgid "Usage: /detach <#chans>" @@ -276,12 +282,12 @@ msgstr "Uso: /detach <#canais>" #: Client.cpp:1362 ClientCommand.cpp:154 msgid "Detached {1} channel" msgid_plural "Detached {1} channels" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "{1} canal foi desanexado" +msgstr[1] "{1} canais foram desanexados" #: Chan.cpp:638 msgid "Buffer Playback..." -msgstr "" +msgstr "Reprodução de buffer..." #: Chan.cpp:676 msgid "Playback Complete." @@ -295,7 +301,7 @@ msgstr "" #: Modules.cpp:529 msgctxt "modhelpcmd" msgid "Generate this output" -msgstr "" +msgstr "Gera essa saída" #: Modules.cpp:573 ClientCommand.cpp:1904 msgid "No matches for '{1}'" @@ -339,7 +345,7 @@ msgstr "O módulo {1} requer uma rede." #: Modules.cpp:1707 msgid "Caught an exception" -msgstr "" +msgstr "Houve uma exceção" #: Modules.cpp:1713 msgid "Module {1} aborted: {2}" @@ -379,19 +385,23 @@ msgstr "Não foi possível abrir o módulo {1}: {2}" #: Modules.cpp:1973 msgid "Could not find ZNCModuleEntry in module {1}" -msgstr "" +msgstr "Não foi possível encontrar ZNCModuleEntry no módulo {1}" #: Modules.cpp:1981 msgid "" "Version mismatch for module {1}: core is {2}, module is built for {3}. " "Recompile this module." msgstr "" +"Incompatibilidade de versão para o módulo {1}: core é {2}, mas o módulo foi " +"compilado para {3}. Recompile esse módulo." #: Modules.cpp:1992 msgid "" "Module {1} is built incompatibly: core is '{2}', module is '{3}'. Recompile " "this module." msgstr "" +"Módulo {1} foi compilado de forma incompatível: core é '{2}', o módulo é " +"'{3}'. Recompile este módulo." #: Modules.cpp:2023 Modules.cpp:2029 msgctxt "modhelpcmd" @@ -418,15 +428,15 @@ msgstr "Uso: ListNicks <#canal>" #: ClientCommand.cpp:65 msgid "You are not on [{1}]" -msgstr "" +msgstr "Você não está em [{1}]" #: ClientCommand.cpp:70 msgid "You are not on [{1}] (trying)" -msgstr "" +msgstr "Você não está em [{1}] (tentando)" #: ClientCommand.cpp:79 msgid "No nicks on [{1}]" -msgstr "" +msgstr "Nenhum nick em [{1}]" #: ClientCommand.cpp:91 ClientCommand.cpp:106 msgid "Nick" @@ -434,7 +444,7 @@ msgstr "Apelido" #: ClientCommand.cpp:92 ClientCommand.cpp:107 msgid "Ident" -msgstr "" +msgstr "Ident" #: ClientCommand.cpp:93 ClientCommand.cpp:108 msgid "Host" @@ -450,15 +460,15 @@ msgstr "Uso: Detach <#canais>" #: ClientCommand.cpp:161 msgid "There is no MOTD set." -msgstr "" +msgstr "Não há MOTD definido." #: ClientCommand.cpp:167 msgid "Rehashing succeeded!" -msgstr "" +msgstr "Rehash efetuado com êxito!" #: ClientCommand.cpp:169 msgid "Rehashing failed: {1}" -msgstr "" +msgstr "Rehash falhou: {1}" #: ClientCommand.cpp:173 msgid "Wrote config to {1}" @@ -466,7 +476,7 @@ msgstr "Configuração salva em {1}" #: ClientCommand.cpp:175 msgid "Error while trying to write config." -msgstr "" +msgstr "Erro ao tentar gravar as configurações." #: ClientCommand.cpp:455 msgid "Usage: ListChans" @@ -474,15 +484,15 @@ msgstr "Uso: ListChans" #: ClientCommand.cpp:462 msgid "No such user [{1}]" -msgstr "" +msgstr "Usuário não encontrado [{1}]" #: ClientCommand.cpp:468 msgid "User [{1}] doesn't have network [{2}]" -msgstr "" +msgstr "Usuário [{1}] não tem uma rede [{2}]" #: ClientCommand.cpp:479 msgid "There are no channels defined." -msgstr "" +msgstr "Não há canais definidos." #: ClientCommand.cpp:484 ClientCommand.cpp:500 msgctxt "listchans" @@ -497,17 +507,17 @@ msgstr "Estado" #: ClientCommand.cpp:486 ClientCommand.cpp:510 msgctxt "listchans" msgid "In config" -msgstr "" +msgstr "Na configuração" #: ClientCommand.cpp:487 ClientCommand.cpp:512 msgctxt "listchans" msgid "Buffer" -msgstr "" +msgstr "Buffer" #: ClientCommand.cpp:488 ClientCommand.cpp:516 msgctxt "listchans" msgid "Clear" -msgstr "" +msgstr "Limpar" #: ClientCommand.cpp:489 ClientCommand.cpp:521 msgctxt "listchans" @@ -522,7 +532,7 @@ msgstr "Usuários" #: ClientCommand.cpp:505 msgctxt "listchans" msgid "Detached" -msgstr "" +msgstr "Desanexado" #: ClientCommand.cpp:506 msgctxt "listchans" @@ -537,7 +547,7 @@ msgstr "Desabilitado" #: ClientCommand.cpp:508 msgctxt "listchans" msgid "Trying" -msgstr "" +msgstr "Tentando" #: ClientCommand.cpp:511 ClientCommand.cpp:519 msgctxt "listchans" @@ -546,7 +556,7 @@ msgstr "sim" #: ClientCommand.cpp:536 msgid "Total: {1}, Joined: {2}, Detached: {3}, Disabled: {4}" -msgstr "" +msgstr "Total: {1}, Ingressados: {2}, Desanexados: {3}, Desativados: {4}" #: ClientCommand.cpp:541 msgid "" @@ -563,13 +573,15 @@ msgstr "Uso: AddNetwork " #: ClientCommand.cpp:554 msgid "Network name should be alphanumeric" -msgstr "" +msgstr "O nome da rede deve ser alfanumérico" #: ClientCommand.cpp:561 msgid "" "Network added. Use /znc JumpNetwork {1}, or connect to ZNC with username {2} " "(instead of just {3}) to connect to it." msgstr "" +"Rede adicionada. Use /znc JumpNetwork {1}, ou conecte-se ao ZNC com nome de " +"usuário {2} (em vez de apenas {3}) para conectar-se a rede." #: ClientCommand.cpp:566 msgid "Unable to add that network" @@ -599,7 +611,7 @@ msgstr "Rede" #: ClientCommand.cpp:604 ClientCommand.cpp:613 ClientCommand.cpp:622 msgctxt "listnetworks" msgid "On IRC" -msgstr "" +msgstr "No IRC" #: ClientCommand.cpp:605 ClientCommand.cpp:615 msgctxt "listnetworks" @@ -642,15 +654,15 @@ msgstr "" #: ClientCommand.cpp:653 msgid "Old user {1} not found." -msgstr "" +msgstr "Usuário antigo [{1}] não foi encontrado." #: ClientCommand.cpp:659 msgid "Old network {1} not found." -msgstr "" +msgstr "Rede antiga [{1}] não foi encontrada." #: ClientCommand.cpp:665 msgid "New user {1} not found." -msgstr "" +msgstr "Novo usuário [{1}] não foi encontrado." #: ClientCommand.cpp:670 msgid "User {1} already has network {2}." @@ -658,11 +670,13 @@ msgstr "O usuário {1} já possui a rede {2}." #: ClientCommand.cpp:676 msgid "Invalid network name [{1}]" -msgstr "" +msgstr "Nome de rede inválido [{1}]" #: ClientCommand.cpp:692 msgid "Some files seem to be in {1}. You might want to move them to {2}" msgstr "" +"Alguns arquivos parecem estar em {1}. É recomendável que você mova-os para " +"{2}" #: ClientCommand.cpp:706 msgid "Error adding network: {1}" @@ -675,26 +689,27 @@ msgstr "Sucesso." #: ClientCommand.cpp:721 msgid "Copied the network to new user, but failed to delete old network" msgstr "" +"Rede copiada para o novo usuário, mas não foi possível deletar a rede antiga" #: ClientCommand.cpp:728 msgid "No network supplied." -msgstr "" +msgstr "Nenhuma rede fornecida." #: ClientCommand.cpp:733 msgid "You are already connected with this network." -msgstr "" +msgstr "Você já está conectado com esta rede." #: ClientCommand.cpp:739 msgid "Switched to {1}" -msgstr "" +msgstr "Trocado para {1}" #: ClientCommand.cpp:742 msgid "You don't have a network named {1}" -msgstr "" +msgstr "Você não tem uma rede chamada {1}" #: ClientCommand.cpp:754 msgid "Usage: AddServer [[+]port] [pass]" -msgstr "" +msgstr "Uso: AddServer [[+]porta] [pass]" #: ClientCommand.cpp:759 msgid "Server added" @@ -705,14 +720,16 @@ msgid "" "Unable to add that server. Perhaps the server is already added or openssl is " "disabled?" msgstr "" +"Não é possível adicionar esse servidor. Talvez o servidor já tenha sido " +"adicionado ou o openssl esteja desativado?" #: ClientCommand.cpp:777 msgid "Usage: DelServer [port] [pass]" -msgstr "" +msgstr "Uso: DelServer [port] [pass]" #: ClientCommand.cpp:782 ClientCommand.cpp:822 msgid "You don't have any servers added." -msgstr "" +msgstr "Você não tem servidores adicionados." #: ClientCommand.cpp:787 msgid "Server removed" @@ -997,245 +1014,248 @@ msgstr "" #: ClientCommand.cpp:1344 msgid "You are not on {1}" -msgstr "" +msgstr "Você não está em {1}" #: ClientCommand.cpp:1349 msgid "You are not on {1} (trying to join)" -msgstr "" +msgstr "Você não está em {1} (tentando entrar)" #: ClientCommand.cpp:1354 msgid "The buffer for channel {1} is empty" -msgstr "" +msgstr "O buffer para o canal {1} está vazio" #: ClientCommand.cpp:1363 msgid "No active query with {1}" -msgstr "" +msgstr "Nenhum query ativo com {1}" #: ClientCommand.cpp:1368 msgid "The buffer for {1} is empty" -msgstr "" +msgstr "O buffer para {1} está vazio" #: ClientCommand.cpp:1384 msgid "Usage: ClearBuffer <#chan|query>" -msgstr "" +msgstr "Uso: ClearBuffer <#canal|query>" #: ClientCommand.cpp:1403 msgid "{1} buffer matching {2} has been cleared" msgid_plural "{1} buffers matching {2} have been cleared" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "{1} buffer correspondente a {2} foi limpo" +msgstr[1] "{1} buffers correspondentes a {2} foram limpos" #: ClientCommand.cpp:1416 msgid "All channel buffers have been cleared" -msgstr "" +msgstr "Todos os buffers de canais foram limpos" #: ClientCommand.cpp:1425 msgid "All query buffers have been cleared" -msgstr "" +msgstr "Todos os buffers de queries foram limpos" #: ClientCommand.cpp:1437 msgid "All buffers have been cleared" -msgstr "" +msgstr "Todos os buffers foram limpos" #: ClientCommand.cpp:1448 msgid "Usage: SetBuffer <#chan|query> [linecount]" -msgstr "" +msgstr "Uso: SetBuffer <#canal|query> [linecount]" #: ClientCommand.cpp:1469 msgid "Setting buffer size failed for {1} buffer" msgid_plural "Setting buffer size failed for {1} buffers" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "A configuração do tamanho de buffer para {1} buffer falhou" +msgstr[1] "A configuração do tamanho de buffer para {1} buffers falharam" #: ClientCommand.cpp:1472 msgid "Maximum buffer size is {1} line" msgid_plural "Maximum buffer size is {1} lines" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "Tamanho mínimo de buffer é de {1} linha" +msgstr[1] "Tamanho mínimo de buffer é de {1} linhas" #: ClientCommand.cpp:1477 msgid "Size of every buffer was set to {1} line" msgid_plural "Size of every buffer was set to {1} lines" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "O tamanho de cada buffer foi configurado para {1} linha" +msgstr[1] "O tamanho de cada buffer foi configurado para {1} linhas" #: ClientCommand.cpp:1487 ClientCommand.cpp:1494 ClientCommand.cpp:1505 #: ClientCommand.cpp:1514 ClientCommand.cpp:1522 msgctxt "trafficcmd" msgid "Username" -msgstr "" +msgstr "Nome de usuário" #: ClientCommand.cpp:1488 ClientCommand.cpp:1495 ClientCommand.cpp:1507 #: ClientCommand.cpp:1516 ClientCommand.cpp:1524 msgctxt "trafficcmd" msgid "In" -msgstr "" +msgstr "Entrada" #: ClientCommand.cpp:1489 ClientCommand.cpp:1497 ClientCommand.cpp:1508 #: ClientCommand.cpp:1517 ClientCommand.cpp:1525 msgctxt "trafficcmd" msgid "Out" -msgstr "" +msgstr "Saída" #: ClientCommand.cpp:1490 ClientCommand.cpp:1500 ClientCommand.cpp:1510 #: ClientCommand.cpp:1518 ClientCommand.cpp:1527 msgctxt "trafficcmd" msgid "Total" -msgstr "" +msgstr "Total" #: ClientCommand.cpp:1506 msgctxt "trafficcmd" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1515 msgctxt "trafficcmd" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1523 msgctxt "trafficcmd" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1532 msgid "Running for {1}" -msgstr "" +msgstr "Rodando por {1}" #: ClientCommand.cpp:1538 msgid "Unknown command, try 'Help'" -msgstr "" +msgstr "Comando desconhecido, tente 'Help'" #: ClientCommand.cpp:1547 ClientCommand.cpp:1558 msgctxt "listports" msgid "Port" -msgstr "" +msgstr "Porta" #: ClientCommand.cpp:1548 ClientCommand.cpp:1559 msgctxt "listports" msgid "BindHost" -msgstr "" +msgstr "BindHost" #: ClientCommand.cpp:1549 ClientCommand.cpp:1562 msgctxt "listports" msgid "SSL" -msgstr "" +msgstr "SSL" #: ClientCommand.cpp:1550 ClientCommand.cpp:1567 msgctxt "listports" msgid "Protocol" -msgstr "" +msgstr "Protocolo" #: ClientCommand.cpp:1551 ClientCommand.cpp:1574 msgctxt "listports" msgid "IRC" -msgstr "" +msgstr "IRC" #: ClientCommand.cpp:1552 ClientCommand.cpp:1579 msgctxt "listports" msgid "Web" -msgstr "" +msgstr "Web" #: ClientCommand.cpp:1563 msgctxt "listports|ssl" msgid "yes" -msgstr "" +msgstr "sim" #: ClientCommand.cpp:1564 msgctxt "listports|ssl" msgid "no" -msgstr "" +msgstr "não" #: ClientCommand.cpp:1568 msgctxt "listports" msgid "IPv4 and IPv6" -msgstr "" +msgstr "IPv4 e IPv6" #: ClientCommand.cpp:1570 msgctxt "listports" msgid "IPv4" -msgstr "" +msgstr "IPv4" #: ClientCommand.cpp:1571 msgctxt "listports" msgid "IPv6" -msgstr "" +msgstr "IPv6" #: ClientCommand.cpp:1577 msgctxt "listports|irc" msgid "yes" -msgstr "" +msgstr "sim" #: ClientCommand.cpp:1578 msgctxt "listports|irc" msgid "no" -msgstr "" +msgstr "não" #: ClientCommand.cpp:1582 msgctxt "listports|irc" msgid "yes, on {1}" -msgstr "" +msgstr "sim, em {1}" #: ClientCommand.cpp:1584 msgctxt "listports|web" msgid "no" -msgstr "" +msgstr "não" #: ClientCommand.cpp:1624 msgid "" "Usage: AddPort <[+]port> [bindhost [uriprefix]]" msgstr "" +"Uso: AddPort <[+]porta> [bindhost [uriprefix]]" #: ClientCommand.cpp:1640 msgid "Port added" -msgstr "" +msgstr "Porta adicionada" #: ClientCommand.cpp:1642 msgid "Couldn't add port" -msgstr "" +msgstr "Não foi possível adicionar esta porta" #: ClientCommand.cpp:1648 msgid "Usage: DelPort [bindhost]" -msgstr "" +msgstr "Uso: DelPort [bindhost]" #: ClientCommand.cpp:1657 msgid "Deleted Port" -msgstr "" +msgstr "Porta deletada" #: ClientCommand.cpp:1659 msgid "Unable to find a matching port" -msgstr "" +msgstr "Não foi possível encontrar uma porta correspondente" #: ClientCommand.cpp:1667 ClientCommand.cpp:1682 msgctxt "helpcmd" msgid "Command" -msgstr "" +msgstr "Comando" #: ClientCommand.cpp:1668 ClientCommand.cpp:1684 msgctxt "helpcmd" msgid "Description" -msgstr "" +msgstr "Descrição" #: ClientCommand.cpp:1673 msgid "" "In the following list all occurrences of <#chan> support wildcards (* and ?) " "except ListNicks" msgstr "" +"Na lista a seguir, todas as ocorrências de <#chan> suportam wildcards (* " +"e ?), exceto ListNicks" #: ClientCommand.cpp:1690 msgctxt "helpcmd|Version|desc" msgid "Print which version of ZNC this is" -msgstr "" +msgstr "Imprime qual é esta versão do ZNC" #: ClientCommand.cpp:1693 msgctxt "helpcmd|ListMods|desc" msgid "List all loaded modules" -msgstr "" +msgstr "Lista todos os módulos carregados" #: ClientCommand.cpp:1696 msgctxt "helpcmd|ListAvailMods|desc" msgid "List all available modules" -msgstr "" +msgstr "Lista todos os módulos disponíveis" #: ClientCommand.cpp:1700 ClientCommand.cpp:1886 msgctxt "helpcmd|ListChans|desc" @@ -1497,22 +1517,22 @@ msgstr "" #: ClientCommand.cpp:1817 msgctxt "helpcmd|Disconnect|args" msgid "[message]" -msgstr "" +msgstr "[mensagem]" #: ClientCommand.cpp:1818 msgctxt "helpcmd|Disconnect|desc" msgid "Disconnect from IRC" -msgstr "" +msgstr "Desconecta do IRC" #: ClientCommand.cpp:1820 msgctxt "helpcmd|Connect|desc" msgid "Reconnect to IRC" -msgstr "" +msgstr "Reconecta ao IRC" #: ClientCommand.cpp:1823 msgctxt "helpcmd|Uptime|desc" msgid "Show for how long ZNC has been running" -msgstr "" +msgstr "Mostra por quanto tempo o ZNC está rodando" #: ClientCommand.cpp:1827 msgctxt "helpcmd|LoadMod|args" @@ -1522,17 +1542,17 @@ msgstr "" #: ClientCommand.cpp:1829 msgctxt "helpcmd|LoadMod|desc" msgid "Load a module" -msgstr "" +msgstr "Carrega um módulo" #: ClientCommand.cpp:1831 msgctxt "helpcmd|UnloadMod|args" msgid "[--type=global|user|network] " -msgstr "" +msgstr "[--type=global|user|network] " #: ClientCommand.cpp:1833 msgctxt "helpcmd|UnloadMod|desc" msgid "Unload a module" -msgstr "" +msgstr "Descarrega um módulo" #: ClientCommand.cpp:1835 msgctxt "helpcmd|ReloadMod|args" @@ -1542,205 +1562,213 @@ msgstr "" #: ClientCommand.cpp:1837 msgctxt "helpcmd|ReloadMod|desc" msgid "Reload a module" -msgstr "" +msgstr "Recarrega um módulo" #: ClientCommand.cpp:1840 msgctxt "helpcmd|UpdateMod|args" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1841 msgctxt "helpcmd|UpdateMod|desc" msgid "Reload a module everywhere" -msgstr "" +msgstr "Recarrega um módulo em todos os lugares" #: ClientCommand.cpp:1847 msgctxt "helpcmd|ShowMOTD|desc" msgid "Show ZNC's message of the day" -msgstr "" +msgstr "Mostra a mensagem do dia do ZNC" #: ClientCommand.cpp:1851 msgctxt "helpcmd|SetMOTD|args" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1852 msgctxt "helpcmd|SetMOTD|desc" msgid "Set ZNC's message of the day" -msgstr "" +msgstr "Configura a mensagem do dia do ZNC" #: ClientCommand.cpp:1854 msgctxt "helpcmd|AddMOTD|args" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1855 msgctxt "helpcmd|AddMOTD|desc" msgid "Append to ZNC's MOTD" -msgstr "" +msgstr "Anexa ao MOTD do ZNC" #: ClientCommand.cpp:1857 msgctxt "helpcmd|ClearMOTD|desc" msgid "Clear ZNC's MOTD" -msgstr "" +msgstr "Limpa o MOTD do ZNC" #: ClientCommand.cpp:1860 msgctxt "helpcmd|ListPorts|desc" msgid "Show all active listeners" -msgstr "" +msgstr "Mostra todos os listeners ativos" #: ClientCommand.cpp:1862 msgctxt "helpcmd|AddPort|args" msgid "<[+]port> [bindhost [uriprefix]]" -msgstr "" +msgstr "<[+]porta> [bindhost [uriprefix]]" #: ClientCommand.cpp:1865 msgctxt "helpcmd|AddPort|desc" msgid "Add another port for ZNC to listen on" -msgstr "" +msgstr "Adiciona outra porta ao ZNC" #: ClientCommand.cpp:1869 msgctxt "helpcmd|DelPort|args" msgid " [bindhost]" -msgstr "" +msgstr " [bindhost]" #: ClientCommand.cpp:1870 msgctxt "helpcmd|DelPort|desc" msgid "Remove a port from ZNC" -msgstr "" +msgstr "Remove uma porta do ZNC" #: ClientCommand.cpp:1873 msgctxt "helpcmd|Rehash|desc" msgid "Reload global settings, modules, and listeners from znc.conf" -msgstr "" +msgstr "Recarrega configurações globais, módulos e listeners do znc.conf" #: ClientCommand.cpp:1876 msgctxt "helpcmd|SaveConfig|desc" msgid "Save the current settings to disk" -msgstr "" +msgstr "Grava as configurações atuais no disco" #: ClientCommand.cpp:1879 msgctxt "helpcmd|ListUsers|desc" msgid "List all ZNC users and their connection status" -msgstr "" +msgstr "Lista todos os usuários do ZNC e seus estados de conexão" #: ClientCommand.cpp:1882 msgctxt "helpcmd|ListAllUserNetworks|desc" msgid "List all ZNC users and their networks" -msgstr "" +msgstr "Lista todos os usuários ZNC e suas redes" #: ClientCommand.cpp:1885 msgctxt "helpcmd|ListChans|args" msgid "[user ]" -msgstr "" +msgstr "[usuário ]" #: ClientCommand.cpp:1888 msgctxt "helpcmd|ListClients|args" msgid "[user]" -msgstr "" +msgstr "[user]" #: ClientCommand.cpp:1889 msgctxt "helpcmd|ListClients|desc" msgid "List all connected clients" -msgstr "" +msgstr "Lista todos os clientes conectados" #: ClientCommand.cpp:1891 msgctxt "helpcmd|Traffic|desc" msgid "Show basic traffic stats for all ZNC users" -msgstr "" +msgstr "Mostra estatísticas básicas de trafego de todos os usuários do ZNC" #: ClientCommand.cpp:1893 msgctxt "helpcmd|Broadcast|args" msgid "[message]" -msgstr "" +msgstr "[message]" #: ClientCommand.cpp:1894 msgctxt "helpcmd|Broadcast|desc" msgid "Broadcast a message to all ZNC users" -msgstr "" +msgstr "Transmite uma mensagem para todos os usuários do ZNC" #: ClientCommand.cpp:1897 msgctxt "helpcmd|Shutdown|args" msgid "[message]" -msgstr "" +msgstr "[message]" #: ClientCommand.cpp:1898 msgctxt "helpcmd|Shutdown|desc" msgid "Shut down ZNC completely" -msgstr "" +msgstr "Desliga o ZNC completamente" #: ClientCommand.cpp:1899 msgctxt "helpcmd|Restart|args" msgid "[message]" -msgstr "" +msgstr "[message]" #: ClientCommand.cpp:1900 msgctxt "helpcmd|Restart|desc" msgid "Restart ZNC" -msgstr "" +msgstr "Reinicia o ZNC" #: Socket.cpp:336 msgid "Can't resolve server hostname" -msgstr "" +msgstr "Não é possível resolver o nome do host do servidor" #: Socket.cpp:343 msgid "" "Can't resolve bind hostname. Try /znc ClearBindHost and /znc " "ClearUserBindHost" msgstr "" +"Não é possível resolver o nome do host de ligação (BindHost). Tente /znc " +"ClearBindHost e /znc ClearUserBindHost" #: Socket.cpp:348 msgid "Server address is IPv4-only, but bindhost is IPv6-only" msgstr "" +"O endereço do servidor permite apenas IPv4, mas o bindhost é apenas IPv6" #: Socket.cpp:357 msgid "Server address is IPv6-only, but bindhost is IPv4-only" msgstr "" +"O endereço do servidor permite apenas IPv6, mas o bindhost é apenas IPv4" #: Socket.cpp:515 msgid "Some socket reached its max buffer limit and was closed!" -msgstr "" +msgstr "Algum socket atingiu seu limite máximo de buffer e foi fechado!" #: SSLVerifyHost.cpp:481 msgid "hostname doesn't match" -msgstr "" +msgstr "nome de host não corresponde" #: SSLVerifyHost.cpp:485 msgid "malformed hostname in certificate" -msgstr "" +msgstr "nome de host malformado no certificado" #: SSLVerifyHost.cpp:489 msgid "hostname verification error" -msgstr "" +msgstr "erro de verificação do nome de host" #: User.cpp:507 msgid "" "Invalid network name. It should be alphanumeric. Not to be confused with " "server name" msgstr "" +"Nome de rede inválido. O nome deve ser alfanumérico. Não confundir com o " +"nome do servidor" #: User.cpp:511 msgid "Network {1} already exists" -msgstr "" +msgstr "Rede {1} já existe" #: User.cpp:777 msgid "" "You are being disconnected because your IP is no longer allowed to connect " "to this user" msgstr "" +"Você está sendo desconectado porque seu IP não tem mais permissão para " +"conectar-se a esse usuário" #: User.cpp:912 msgid "Password is empty" -msgstr "" +msgstr "A senha está vazia" #: User.cpp:917 msgid "Username is empty" -msgstr "" +msgstr "Nome de usuário está vazio" #: User.cpp:922 msgid "Username is invalid" -msgstr "" +msgstr "Nome de usuário inválido" #: User.cpp:1199 msgid "Unable to find modinfo {1}: {2}" -msgstr "" +msgstr "Não foi possível encontrar o modinfo {1}: {2}" From d339b797d4ecb617bb7ca70f62ad5897885467c9 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Tue, 6 Aug 2019 00:28:12 +0000 Subject: [PATCH 300/798] Update translations from Crowdin for pt_BR --- modules/po/autoattach.pt_BR.po | 14 +- modules/po/autoop.pt_BR.po | 74 ++++---- modules/po/autoreply.pt_BR.po | 10 +- src/po/znc.pt_BR.po | 310 ++++++++++++++++++--------------- 4 files changed, 222 insertions(+), 186 deletions(-) diff --git a/modules/po/autoattach.pt_BR.po b/modules/po/autoattach.pt_BR.po index c29e6fb7..4ef206e8 100644 --- a/modules/po/autoattach.pt_BR.po +++ b/modules/po/autoattach.pt_BR.po @@ -58,28 +58,28 @@ msgstr "" #: autoattach.cpp:146 autoattach.cpp:149 msgid "[!]<#chan> " -msgstr "" +msgstr "[!]<#canal> " #: autoattach.cpp:147 msgid "Add an entry, use !#chan to negate and * for wildcards" -msgstr "" +msgstr "Adicione uma entrada, use !#canal para negar e * para wildcard" #: autoattach.cpp:150 msgid "Remove an entry, needs to be an exact match" -msgstr "" +msgstr "Remove uma entrada, precisa ser exatamente correspondente" #: autoattach.cpp:152 msgid "List all entries" -msgstr "" +msgstr "Lista todas as entradas" #: autoattach.cpp:171 msgid "Unable to add [{1}]" -msgstr "" +msgstr "Não foi possível adicionar [{1}]" #: autoattach.cpp:283 msgid "List of channel masks and channel masks with ! before them." -msgstr "" +msgstr "Lista de máscaras de canais e máscaras de canais com ! antes delas." #: autoattach.cpp:286 msgid "Reattaches you to channels on activity." -msgstr "" +msgstr "Reanexa você a canais quando há atividade." diff --git a/modules/po/autoop.pt_BR.po b/modules/po/autoop.pt_BR.po index 7597fec0..184a3993 100644 --- a/modules/po/autoop.pt_BR.po +++ b/modules/po/autoop.pt_BR.po @@ -14,155 +14,163 @@ msgstr "" #: autoop.cpp:154 msgid "List all users" -msgstr "" +msgstr "Lista todos os usuários" #: autoop.cpp:156 autoop.cpp:159 msgid " [channel] ..." -msgstr "" +msgstr " [channel] ..." #: autoop.cpp:157 msgid "Adds channels to a user" -msgstr "" +msgstr "Adiciona canais a um usuário" #: autoop.cpp:160 msgid "Removes channels from a user" -msgstr "" +msgstr "Remove canais de um usuário" #: autoop.cpp:162 autoop.cpp:165 msgid " ,[mask] ..." -msgstr "" +msgstr " ,[mask] ..." #: autoop.cpp:163 msgid "Adds masks to a user" -msgstr "" +msgstr "Adiciona uma máscara a um usuário" #: autoop.cpp:166 msgid "Removes masks from a user" -msgstr "" +msgstr "Remove máscaras de um usuário" #: autoop.cpp:169 msgid " [,...] [channels]" -msgstr "" +msgstr " [,...] [channels]" #: autoop.cpp:170 msgid "Adds a user" -msgstr "" +msgstr "Adiciona um usuário" #: autoop.cpp:172 msgid "" -msgstr "" +msgstr "" #: autoop.cpp:172 msgid "Removes a user" -msgstr "" +msgstr "Remove um usuário" #: autoop.cpp:275 msgid "Usage: AddUser [,...] [channels]" -msgstr "" +msgstr "Uso: AddUser [,...] [channels]" #: autoop.cpp:291 msgid "Usage: DelUser " -msgstr "" +msgstr "Uso: DelUser " #: autoop.cpp:300 msgid "There are no users defined" -msgstr "" +msgstr "Não há usuários definidos" #: autoop.cpp:306 autoop.cpp:317 autoop.cpp:321 autoop.cpp:323 msgid "User" -msgstr "" +msgstr "Usuário" #: autoop.cpp:307 autoop.cpp:325 msgid "Hostmasks" -msgstr "" +msgstr "Máscaras de Host" #: autoop.cpp:308 autoop.cpp:318 msgid "Key" -msgstr "" +msgstr "Chave" #: autoop.cpp:309 autoop.cpp:319 msgid "Channels" -msgstr "" +msgstr "Canais" #: autoop.cpp:337 msgid "Usage: AddChans [channel] ..." -msgstr "" +msgstr "Uso: AddChans [channel] ..." #: autoop.cpp:344 autoop.cpp:365 autoop.cpp:387 autoop.cpp:408 autoop.cpp:472 msgid "No such user" -msgstr "" +msgstr "Nenhum usuário encontrado" #: autoop.cpp:349 msgid "Channel(s) added to user {1}" -msgstr "" +msgstr "Canal(ais) adicionado(s) ao usuário {1}" #: autoop.cpp:358 msgid "Usage: DelChans [channel] ..." -msgstr "" +msgstr "Uso: DelChans [channel] ..." #: autoop.cpp:371 msgid "Channel(s) Removed from user {1}" -msgstr "" +msgstr "Canal(ais) removido(s) do usuário {1}" #: autoop.cpp:380 msgid "Usage: AddMasks ,[mask] ..." -msgstr "" +msgstr "Uso: AddMasks ,[mask] ..." #: autoop.cpp:392 msgid "Hostmasks(s) added to user {1}" -msgstr "" +msgstr "Máscara(s) de host adicionada(s) ao usuário {1}" #: autoop.cpp:401 msgid "Usage: DelMasks ,[mask] ..." -msgstr "" +msgstr "Uso: DelMasks ,[mask] ..." #: autoop.cpp:413 msgid "Removed user {1} with key {2} and channels {3}" -msgstr "" +msgstr "Usuário {1} com chave {2} e {3} canais foi removido" #: autoop.cpp:419 msgid "Hostmasks(s) Removed from user {1}" -msgstr "" +msgstr "Máscara(s) de host removida(s) do usuário {1}" #: autoop.cpp:478 msgid "User {1} removed" -msgstr "" +msgstr "Usuário {1} removido" #: autoop.cpp:484 msgid "That user already exists" -msgstr "" +msgstr "Esse usuário já existe" #: autoop.cpp:490 msgid "User {1} added with hostmask(s) {2}" -msgstr "" +msgstr "Usuário {1} adicionado com a(s) máscara(s) de host {2}" #: autoop.cpp:532 msgid "" "[{1}] sent us a challenge but they are not opped in any defined channels." msgstr "" +"[{1}] enviou um desafio, mas não possui status de operador em qualquer canal " +"definido." #: autoop.cpp:536 msgid "[{1}] sent us a challenge but they do not match a defined user." msgstr "" +"[{1}] enviou um desafio, mas não corresponde a qualquer usuário definido." #: autoop.cpp:544 msgid "WARNING! [{1}] sent an invalid challenge." -msgstr "" +msgstr "AVISO! [{1}] enviou um desafio inválido." #: autoop.cpp:560 msgid "[{1}] sent an unchallenged response. This could be due to lag." msgstr "" +"[{1}] enviou uma resposta sem desafio. Isso pode ocorrer devido a um lag." #: autoop.cpp:577 msgid "" "WARNING! [{1}] sent a bad response. Please verify that you have their " "correct password." msgstr "" +"AVISO! [{1}] enviou uma má resposta. Por favor, verifique se você tem a " +"senha correta." #: autoop.cpp:586 msgid "WARNING! [{1}] sent a response but did not match any defined users." msgstr "" +"WARNING! [{1}] enviou uma resposta mas não corresponde a qualquer usuário " +"definido." #: autoop.cpp:644 msgid "Auto op the good people" -msgstr "" +msgstr "Automaticamente torna operador as pessoas boas" diff --git a/modules/po/autoreply.pt_BR.po b/modules/po/autoreply.pt_BR.po index 6970614f..3ba537ee 100644 --- a/modules/po/autoreply.pt_BR.po +++ b/modules/po/autoreply.pt_BR.po @@ -14,23 +14,23 @@ msgstr "" #: autoreply.cpp:25 msgid "" -msgstr "" +msgstr "" #: autoreply.cpp:25 msgid "Sets a new reply" -msgstr "" +msgstr "Define uma nova resposta" #: autoreply.cpp:27 msgid "Displays the current query reply" -msgstr "" +msgstr "Mostra a atual resposta de query" #: autoreply.cpp:75 msgid "Current reply is: {1} ({2})" -msgstr "" +msgstr "A resposta atual é: {1} ({2})" #: autoreply.cpp:81 msgid "New reply set to: {1} ({2})" -msgstr "" +msgstr "Nova resposta definida como: {1} ({2})" #: autoreply.cpp:94 msgid "" diff --git a/src/po/znc.pt_BR.po b/src/po/znc.pt_BR.po index ffee5661..e0e5ca81 100644 --- a/src/po/znc.pt_BR.po +++ b/src/po/znc.pt_BR.po @@ -50,6 +50,10 @@ msgid "" "*status help” and “/msg *status loadmod <module>”). Once you have loaded some Web-enabled modules, the menu will expand." msgstr "" +"Nenhum módulo habilitado para a Web foi carregado. Carregue módulos pelo IRC " +"(“/msg *status help” e “/msg *status loadmod <" +"module>”). Depois de carregar alguns módulos habilitados para a " +"Web, o menu será expandido." #: znc.cpp:1563 msgid "User already exists" @@ -165,7 +169,7 @@ msgstr "Conexão rejeitada. Reconectando..." #: IRCSock.cpp:1345 msgid "Received a too long line from the IRC server!" -msgstr "" +msgstr "Uma linha muito longa foi recebida do servidor de IRC!" #: IRCSock.cpp:1449 msgid "No free nick available" @@ -222,24 +226,26 @@ msgstr "" #: Client.cpp:431 msgid "Closing link: Timeout" -msgstr "" +msgstr "Fechando link: Tempo limite excedido" #: Client.cpp:453 msgid "Closing link: Too long raw line" -msgstr "" +msgstr "Fechando link: Linha raw muito longa" #: Client.cpp:460 msgid "" "You are being disconnected because another user just authenticated as you." msgstr "" +"Você está sendo desconectado porque outro usuário acabou de autenticar-se " +"como você." #: Client.cpp:1015 msgid "Your CTCP to {1} got lost, you are not connected to IRC!" -msgstr "" +msgstr "O seu CTCP para {1} foi perdido, você não está conectado ao IRC!" #: Client.cpp:1142 msgid "Your notice to {1} got lost, you are not connected to IRC!" -msgstr "" +msgstr "O seu aviso para {1} foi perdido, você não está conectado ao IRC!" #: Client.cpp:1181 msgid "Removing channel {1}" @@ -247,7 +253,7 @@ msgstr "Removendo canal {1}" #: Client.cpp:1257 msgid "Your message to {1} got lost, you are not connected to IRC!" -msgstr "" +msgstr "Sua mensagem para {1} foi perdida, você não está conectado ao IRC!" #: Client.cpp:1310 Client.cpp:1316 msgid "Hello. How may I help you?" @@ -266,8 +272,8 @@ msgstr[1] "Foi encontrado {1} canal correspondentes a [{2}]" #: Client.cpp:1340 ClientCommand.cpp:132 msgid "Attached {1} channel" msgid_plural "Attached {1} channels" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "{1} canal foi anexado" +msgstr[1] "{1} canais foram anexados" #: Client.cpp:1352 msgid "Usage: /detach <#chans>" @@ -276,12 +282,12 @@ msgstr "Uso: /detach <#canais>" #: Client.cpp:1362 ClientCommand.cpp:154 msgid "Detached {1} channel" msgid_plural "Detached {1} channels" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "{1} canal foi desanexado" +msgstr[1] "{1} canais foram desanexados" #: Chan.cpp:638 msgid "Buffer Playback..." -msgstr "" +msgstr "Reprodução de buffer..." #: Chan.cpp:676 msgid "Playback Complete." @@ -295,7 +301,7 @@ msgstr "" #: Modules.cpp:529 msgctxt "modhelpcmd" msgid "Generate this output" -msgstr "" +msgstr "Gera essa saída" #: Modules.cpp:573 ClientCommand.cpp:1894 msgid "No matches for '{1}'" @@ -339,7 +345,7 @@ msgstr "O módulo {1} requer uma rede." #: Modules.cpp:1707 msgid "Caught an exception" -msgstr "" +msgstr "Houve uma exceção" #: Modules.cpp:1713 msgid "Module {1} aborted: {2}" @@ -379,19 +385,23 @@ msgstr "Não foi possível abrir o módulo {1}: {2}" #: Modules.cpp:1973 msgid "Could not find ZNCModuleEntry in module {1}" -msgstr "" +msgstr "Não foi possível encontrar ZNCModuleEntry no módulo {1}" #: Modules.cpp:1981 msgid "" "Version mismatch for module {1}: core is {2}, module is built for {3}. " "Recompile this module." msgstr "" +"Incompatibilidade de versão para o módulo {1}: core é {2}, mas o módulo foi " +"compilado para {3}. Recompile esse módulo." #: Modules.cpp:1992 msgid "" "Module {1} is built incompatibly: core is '{2}', module is '{3}'. Recompile " "this module." msgstr "" +"Módulo {1} foi compilado de forma incompatível: core é '{2}', o módulo é " +"'{3}'. Recompile este módulo." #: Modules.cpp:2022 Modules.cpp:2028 msgctxt "modhelpcmd" @@ -418,15 +428,15 @@ msgstr "Uso: ListNicks <#canal>" #: ClientCommand.cpp:65 msgid "You are not on [{1}]" -msgstr "" +msgstr "Você não está em [{1}]" #: ClientCommand.cpp:70 msgid "You are not on [{1}] (trying)" -msgstr "" +msgstr "Você não está em [{1}] (tentando)" #: ClientCommand.cpp:79 msgid "No nicks on [{1}]" -msgstr "" +msgstr "Nenhum nick em [{1}]" #: ClientCommand.cpp:91 ClientCommand.cpp:106 msgid "Nick" @@ -434,7 +444,7 @@ msgstr "Apelido" #: ClientCommand.cpp:92 ClientCommand.cpp:107 msgid "Ident" -msgstr "" +msgstr "Ident" #: ClientCommand.cpp:93 ClientCommand.cpp:108 msgid "Host" @@ -450,15 +460,15 @@ msgstr "Uso: Detach <#canais>" #: ClientCommand.cpp:161 msgid "There is no MOTD set." -msgstr "" +msgstr "Não há MOTD definido." #: ClientCommand.cpp:167 msgid "Rehashing succeeded!" -msgstr "" +msgstr "Rehash efetuado com êxito!" #: ClientCommand.cpp:169 msgid "Rehashing failed: {1}" -msgstr "" +msgstr "Rehash falhou: {1}" #: ClientCommand.cpp:173 msgid "Wrote config to {1}" @@ -466,7 +476,7 @@ msgstr "Configuração salva em {1}" #: ClientCommand.cpp:175 msgid "Error while trying to write config." -msgstr "" +msgstr "Erro ao tentar gravar as configurações." #: ClientCommand.cpp:455 msgid "Usage: ListChans" @@ -474,15 +484,15 @@ msgstr "Uso: ListChans" #: ClientCommand.cpp:462 msgid "No such user [{1}]" -msgstr "" +msgstr "Usuário não encontrado [{1}]" #: ClientCommand.cpp:468 msgid "User [{1}] doesn't have network [{2}]" -msgstr "" +msgstr "Usuário [{1}] não tem uma rede [{2}]" #: ClientCommand.cpp:479 msgid "There are no channels defined." -msgstr "" +msgstr "Não há canais definidos." #: ClientCommand.cpp:484 ClientCommand.cpp:500 msgctxt "listchans" @@ -497,17 +507,17 @@ msgstr "Estado" #: ClientCommand.cpp:486 ClientCommand.cpp:510 msgctxt "listchans" msgid "In config" -msgstr "" +msgstr "Na configuração" #: ClientCommand.cpp:487 ClientCommand.cpp:512 msgctxt "listchans" msgid "Buffer" -msgstr "" +msgstr "Buffer" #: ClientCommand.cpp:488 ClientCommand.cpp:516 msgctxt "listchans" msgid "Clear" -msgstr "" +msgstr "Limpar" #: ClientCommand.cpp:489 ClientCommand.cpp:521 msgctxt "listchans" @@ -522,7 +532,7 @@ msgstr "Usuários" #: ClientCommand.cpp:505 msgctxt "listchans" msgid "Detached" -msgstr "" +msgstr "Desanexado" #: ClientCommand.cpp:506 msgctxt "listchans" @@ -537,7 +547,7 @@ msgstr "Desabilitado" #: ClientCommand.cpp:508 msgctxt "listchans" msgid "Trying" -msgstr "" +msgstr "Tentando" #: ClientCommand.cpp:511 ClientCommand.cpp:519 msgctxt "listchans" @@ -546,7 +556,7 @@ msgstr "sim" #: ClientCommand.cpp:536 msgid "Total: {1}, Joined: {2}, Detached: {3}, Disabled: {4}" -msgstr "" +msgstr "Total: {1}, Ingressados: {2}, Desanexados: {3}, Desativados: {4}" #: ClientCommand.cpp:541 msgid "" @@ -563,13 +573,15 @@ msgstr "Uso: AddNetwork " #: ClientCommand.cpp:554 msgid "Network name should be alphanumeric" -msgstr "" +msgstr "O nome da rede deve ser alfanumérico" #: ClientCommand.cpp:561 msgid "" "Network added. Use /znc JumpNetwork {1}, or connect to ZNC with username {2} " "(instead of just {3}) to connect to it." msgstr "" +"Rede adicionada. Use /znc JumpNetwork {1}, ou conecte-se ao ZNC com nome de " +"usuário {2} (em vez de apenas {3}) para conectar-se a rede." #: ClientCommand.cpp:566 msgid "Unable to add that network" @@ -599,7 +611,7 @@ msgstr "Rede" #: ClientCommand.cpp:604 ClientCommand.cpp:613 ClientCommand.cpp:622 msgctxt "listnetworks" msgid "On IRC" -msgstr "" +msgstr "No IRC" #: ClientCommand.cpp:605 ClientCommand.cpp:615 msgctxt "listnetworks" @@ -642,15 +654,15 @@ msgstr "" #: ClientCommand.cpp:653 msgid "Old user {1} not found." -msgstr "" +msgstr "Usuário antigo [{1}] não foi encontrado." #: ClientCommand.cpp:659 msgid "Old network {1} not found." -msgstr "" +msgstr "Rede antiga [{1}] não foi encontrada." #: ClientCommand.cpp:665 msgid "New user {1} not found." -msgstr "" +msgstr "Novo usuário [{1}] não foi encontrado." #: ClientCommand.cpp:670 msgid "User {1} already has network {2}." @@ -658,11 +670,13 @@ msgstr "O usuário {1} já possui a rede {2}." #: ClientCommand.cpp:676 msgid "Invalid network name [{1}]" -msgstr "" +msgstr "Nome de rede inválido [{1}]" #: ClientCommand.cpp:692 msgid "Some files seem to be in {1}. You might want to move them to {2}" msgstr "" +"Alguns arquivos parecem estar em {1}. É recomendável que você mova-os para " +"{2}" #: ClientCommand.cpp:706 msgid "Error adding network: {1}" @@ -675,26 +689,27 @@ msgstr "Sucesso." #: ClientCommand.cpp:721 msgid "Copied the network to new user, but failed to delete old network" msgstr "" +"Rede copiada para o novo usuário, mas não foi possível deletar a rede antiga" #: ClientCommand.cpp:728 msgid "No network supplied." -msgstr "" +msgstr "Nenhuma rede fornecida." #: ClientCommand.cpp:733 msgid "You are already connected with this network." -msgstr "" +msgstr "Você já está conectado com esta rede." #: ClientCommand.cpp:739 msgid "Switched to {1}" -msgstr "" +msgstr "Trocado para {1}" #: ClientCommand.cpp:742 msgid "You don't have a network named {1}" -msgstr "" +msgstr "Você não tem uma rede chamada {1}" #: ClientCommand.cpp:754 msgid "Usage: AddServer [[+]port] [pass]" -msgstr "" +msgstr "Uso: AddServer [[+]porta] [pass]" #: ClientCommand.cpp:759 msgid "Server added" @@ -705,14 +720,16 @@ msgid "" "Unable to add that server. Perhaps the server is already added or openssl is " "disabled?" msgstr "" +"Não é possível adicionar esse servidor. Talvez o servidor já tenha sido " +"adicionado ou o openssl esteja desativado?" #: ClientCommand.cpp:777 msgid "Usage: DelServer [port] [pass]" -msgstr "" +msgstr "Uso: DelServer [port] [pass]" #: ClientCommand.cpp:782 ClientCommand.cpp:822 msgid "You don't have any servers added." -msgstr "" +msgstr "Você não tem servidores adicionados." #: ClientCommand.cpp:787 msgid "Server removed" @@ -997,245 +1014,248 @@ msgstr "" #: ClientCommand.cpp:1336 msgid "You are not on {1}" -msgstr "" +msgstr "Você não está em {1}" #: ClientCommand.cpp:1341 msgid "You are not on {1} (trying to join)" -msgstr "" +msgstr "Você não está em {1} (tentando entrar)" #: ClientCommand.cpp:1346 msgid "The buffer for channel {1} is empty" -msgstr "" +msgstr "O buffer para o canal {1} está vazio" #: ClientCommand.cpp:1355 msgid "No active query with {1}" -msgstr "" +msgstr "Nenhum query ativo com {1}" #: ClientCommand.cpp:1360 msgid "The buffer for {1} is empty" -msgstr "" +msgstr "O buffer para {1} está vazio" #: ClientCommand.cpp:1376 msgid "Usage: ClearBuffer <#chan|query>" -msgstr "" +msgstr "Uso: ClearBuffer <#canal|query>" #: ClientCommand.cpp:1395 msgid "{1} buffer matching {2} has been cleared" msgid_plural "{1} buffers matching {2} have been cleared" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "{1} buffer correspondente a {2} foi limpo" +msgstr[1] "{1} buffers correspondentes a {2} foram limpos" #: ClientCommand.cpp:1408 msgid "All channel buffers have been cleared" -msgstr "" +msgstr "Todos os buffers de canais foram limpos" #: ClientCommand.cpp:1417 msgid "All query buffers have been cleared" -msgstr "" +msgstr "Todos os buffers de queries foram limpos" #: ClientCommand.cpp:1429 msgid "All buffers have been cleared" -msgstr "" +msgstr "Todos os buffers foram limpos" #: ClientCommand.cpp:1440 msgid "Usage: SetBuffer <#chan|query> [linecount]" -msgstr "" +msgstr "Uso: SetBuffer <#canal|query> [linecount]" #: ClientCommand.cpp:1461 msgid "Setting buffer size failed for {1} buffer" msgid_plural "Setting buffer size failed for {1} buffers" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "A configuração do tamanho de buffer para {1} buffer falhou" +msgstr[1] "A configuração do tamanho de buffer para {1} buffers falharam" #: ClientCommand.cpp:1464 msgid "Maximum buffer size is {1} line" msgid_plural "Maximum buffer size is {1} lines" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "Tamanho mínimo de buffer é de {1} linha" +msgstr[1] "Tamanho mínimo de buffer é de {1} linhas" #: ClientCommand.cpp:1469 msgid "Size of every buffer was set to {1} line" msgid_plural "Size of every buffer was set to {1} lines" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "O tamanho de cada buffer foi configurado para {1} linha" +msgstr[1] "O tamanho de cada buffer foi configurado para {1} linhas" #: ClientCommand.cpp:1479 ClientCommand.cpp:1486 ClientCommand.cpp:1497 #: ClientCommand.cpp:1506 ClientCommand.cpp:1514 msgctxt "trafficcmd" msgid "Username" -msgstr "" +msgstr "Nome de usuário" #: ClientCommand.cpp:1480 ClientCommand.cpp:1487 ClientCommand.cpp:1499 #: ClientCommand.cpp:1508 ClientCommand.cpp:1516 msgctxt "trafficcmd" msgid "In" -msgstr "" +msgstr "Entrada" #: ClientCommand.cpp:1481 ClientCommand.cpp:1489 ClientCommand.cpp:1500 #: ClientCommand.cpp:1509 ClientCommand.cpp:1517 msgctxt "trafficcmd" msgid "Out" -msgstr "" +msgstr "Saída" #: ClientCommand.cpp:1482 ClientCommand.cpp:1492 ClientCommand.cpp:1502 #: ClientCommand.cpp:1510 ClientCommand.cpp:1519 msgctxt "trafficcmd" msgid "Total" -msgstr "" +msgstr "Total" #: ClientCommand.cpp:1498 msgctxt "trafficcmd" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1507 msgctxt "trafficcmd" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1515 msgctxt "trafficcmd" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1524 msgid "Running for {1}" -msgstr "" +msgstr "Rodando por {1}" #: ClientCommand.cpp:1530 msgid "Unknown command, try 'Help'" -msgstr "" +msgstr "Comando desconhecido, tente 'Help'" #: ClientCommand.cpp:1539 ClientCommand.cpp:1550 msgctxt "listports" msgid "Port" -msgstr "" +msgstr "Porta" #: ClientCommand.cpp:1540 ClientCommand.cpp:1551 msgctxt "listports" msgid "BindHost" -msgstr "" +msgstr "BindHost" #: ClientCommand.cpp:1541 ClientCommand.cpp:1554 msgctxt "listports" msgid "SSL" -msgstr "" +msgstr "SSL" #: ClientCommand.cpp:1542 ClientCommand.cpp:1559 msgctxt "listports" msgid "Protocol" -msgstr "" +msgstr "Protocolo" #: ClientCommand.cpp:1543 ClientCommand.cpp:1566 msgctxt "listports" msgid "IRC" -msgstr "" +msgstr "IRC" #: ClientCommand.cpp:1544 ClientCommand.cpp:1571 msgctxt "listports" msgid "Web" -msgstr "" +msgstr "Web" #: ClientCommand.cpp:1555 msgctxt "listports|ssl" msgid "yes" -msgstr "" +msgstr "sim" #: ClientCommand.cpp:1556 msgctxt "listports|ssl" msgid "no" -msgstr "" +msgstr "não" #: ClientCommand.cpp:1560 msgctxt "listports" msgid "IPv4 and IPv6" -msgstr "" +msgstr "IPv4 e IPv6" #: ClientCommand.cpp:1562 msgctxt "listports" msgid "IPv4" -msgstr "" +msgstr "IPv4" #: ClientCommand.cpp:1563 msgctxt "listports" msgid "IPv6" -msgstr "" +msgstr "IPv6" #: ClientCommand.cpp:1569 msgctxt "listports|irc" msgid "yes" -msgstr "" +msgstr "sim" #: ClientCommand.cpp:1570 msgctxt "listports|irc" msgid "no" -msgstr "" +msgstr "não" #: ClientCommand.cpp:1574 msgctxt "listports|irc" msgid "yes, on {1}" -msgstr "" +msgstr "sim, em {1}" #: ClientCommand.cpp:1576 msgctxt "listports|web" msgid "no" -msgstr "" +msgstr "não" #: ClientCommand.cpp:1616 msgid "" "Usage: AddPort <[+]port> [bindhost [uriprefix]]" msgstr "" +"Uso: AddPort <[+]porta> [bindhost [uriprefix]]" #: ClientCommand.cpp:1632 msgid "Port added" -msgstr "" +msgstr "Porta adicionada" #: ClientCommand.cpp:1634 msgid "Couldn't add port" -msgstr "" +msgstr "Não foi possível adicionar esta porta" #: ClientCommand.cpp:1640 msgid "Usage: DelPort [bindhost]" -msgstr "" +msgstr "Uso: DelPort [bindhost]" #: ClientCommand.cpp:1649 msgid "Deleted Port" -msgstr "" +msgstr "Porta deletada" #: ClientCommand.cpp:1651 msgid "Unable to find a matching port" -msgstr "" +msgstr "Não foi possível encontrar uma porta correspondente" #: ClientCommand.cpp:1659 ClientCommand.cpp:1673 msgctxt "helpcmd" msgid "Command" -msgstr "" +msgstr "Comando" #: ClientCommand.cpp:1660 ClientCommand.cpp:1674 msgctxt "helpcmd" msgid "Description" -msgstr "" +msgstr "Descrição" #: ClientCommand.cpp:1664 msgid "" "In the following list all occurrences of <#chan> support wildcards (* and ?) " "except ListNicks" msgstr "" +"Na lista a seguir, todas as ocorrências de <#chan> suportam wildcards (* " +"e ?), exceto ListNicks" #: ClientCommand.cpp:1680 msgctxt "helpcmd|Version|desc" msgid "Print which version of ZNC this is" -msgstr "" +msgstr "Imprime qual é esta versão do ZNC" #: ClientCommand.cpp:1683 msgctxt "helpcmd|ListMods|desc" msgid "List all loaded modules" -msgstr "" +msgstr "Lista todos os módulos carregados" #: ClientCommand.cpp:1686 msgctxt "helpcmd|ListAvailMods|desc" msgid "List all available modules" -msgstr "" +msgstr "Lista todos os módulos disponíveis" #: ClientCommand.cpp:1690 ClientCommand.cpp:1876 msgctxt "helpcmd|ListChans|desc" @@ -1497,22 +1517,22 @@ msgstr "" #: ClientCommand.cpp:1807 msgctxt "helpcmd|Disconnect|args" msgid "[message]" -msgstr "" +msgstr "[mensagem]" #: ClientCommand.cpp:1808 msgctxt "helpcmd|Disconnect|desc" msgid "Disconnect from IRC" -msgstr "" +msgstr "Desconecta do IRC" #: ClientCommand.cpp:1810 msgctxt "helpcmd|Connect|desc" msgid "Reconnect to IRC" -msgstr "" +msgstr "Reconecta ao IRC" #: ClientCommand.cpp:1813 msgctxt "helpcmd|Uptime|desc" msgid "Show for how long ZNC has been running" -msgstr "" +msgstr "Mostra por quanto tempo o ZNC está rodando" #: ClientCommand.cpp:1817 msgctxt "helpcmd|LoadMod|args" @@ -1522,17 +1542,17 @@ msgstr "" #: ClientCommand.cpp:1819 msgctxt "helpcmd|LoadMod|desc" msgid "Load a module" -msgstr "" +msgstr "Carrega um módulo" #: ClientCommand.cpp:1821 msgctxt "helpcmd|UnloadMod|args" msgid "[--type=global|user|network] " -msgstr "" +msgstr "[--type=global|user|network] " #: ClientCommand.cpp:1823 msgctxt "helpcmd|UnloadMod|desc" msgid "Unload a module" -msgstr "" +msgstr "Descarrega um módulo" #: ClientCommand.cpp:1825 msgctxt "helpcmd|ReloadMod|args" @@ -1542,205 +1562,213 @@ msgstr "" #: ClientCommand.cpp:1827 msgctxt "helpcmd|ReloadMod|desc" msgid "Reload a module" -msgstr "" +msgstr "Recarrega um módulo" #: ClientCommand.cpp:1830 msgctxt "helpcmd|UpdateMod|args" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1831 msgctxt "helpcmd|UpdateMod|desc" msgid "Reload a module everywhere" -msgstr "" +msgstr "Recarrega um módulo em todos os lugares" #: ClientCommand.cpp:1837 msgctxt "helpcmd|ShowMOTD|desc" msgid "Show ZNC's message of the day" -msgstr "" +msgstr "Mostra a mensagem do dia do ZNC" #: ClientCommand.cpp:1841 msgctxt "helpcmd|SetMOTD|args" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1842 msgctxt "helpcmd|SetMOTD|desc" msgid "Set ZNC's message of the day" -msgstr "" +msgstr "Configura a mensagem do dia do ZNC" #: ClientCommand.cpp:1844 msgctxt "helpcmd|AddMOTD|args" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1845 msgctxt "helpcmd|AddMOTD|desc" msgid "Append to ZNC's MOTD" -msgstr "" +msgstr "Anexa ao MOTD do ZNC" #: ClientCommand.cpp:1847 msgctxt "helpcmd|ClearMOTD|desc" msgid "Clear ZNC's MOTD" -msgstr "" +msgstr "Limpa o MOTD do ZNC" #: ClientCommand.cpp:1850 msgctxt "helpcmd|ListPorts|desc" msgid "Show all active listeners" -msgstr "" +msgstr "Mostra todos os listeners ativos" #: ClientCommand.cpp:1852 msgctxt "helpcmd|AddPort|args" msgid "<[+]port> [bindhost [uriprefix]]" -msgstr "" +msgstr "<[+]porta> [bindhost [uriprefix]]" #: ClientCommand.cpp:1855 msgctxt "helpcmd|AddPort|desc" msgid "Add another port for ZNC to listen on" -msgstr "" +msgstr "Adiciona outra porta ao ZNC" #: ClientCommand.cpp:1859 msgctxt "helpcmd|DelPort|args" msgid " [bindhost]" -msgstr "" +msgstr " [bindhost]" #: ClientCommand.cpp:1860 msgctxt "helpcmd|DelPort|desc" msgid "Remove a port from ZNC" -msgstr "" +msgstr "Remove uma porta do ZNC" #: ClientCommand.cpp:1863 msgctxt "helpcmd|Rehash|desc" msgid "Reload global settings, modules, and listeners from znc.conf" -msgstr "" +msgstr "Recarrega configurações globais, módulos e listeners do znc.conf" #: ClientCommand.cpp:1866 msgctxt "helpcmd|SaveConfig|desc" msgid "Save the current settings to disk" -msgstr "" +msgstr "Grava as configurações atuais no disco" #: ClientCommand.cpp:1869 msgctxt "helpcmd|ListUsers|desc" msgid "List all ZNC users and their connection status" -msgstr "" +msgstr "Lista todos os usuários do ZNC e seus estados de conexão" #: ClientCommand.cpp:1872 msgctxt "helpcmd|ListAllUserNetworks|desc" msgid "List all ZNC users and their networks" -msgstr "" +msgstr "Lista todos os usuários ZNC e suas redes" #: ClientCommand.cpp:1875 msgctxt "helpcmd|ListChans|args" msgid "[user ]" -msgstr "" +msgstr "[usuário ]" #: ClientCommand.cpp:1878 msgctxt "helpcmd|ListClients|args" msgid "[user]" -msgstr "" +msgstr "[user]" #: ClientCommand.cpp:1879 msgctxt "helpcmd|ListClients|desc" msgid "List all connected clients" -msgstr "" +msgstr "Lista todos os clientes conectados" #: ClientCommand.cpp:1881 msgctxt "helpcmd|Traffic|desc" msgid "Show basic traffic stats for all ZNC users" -msgstr "" +msgstr "Mostra estatísticas básicas de trafego de todos os usuários do ZNC" #: ClientCommand.cpp:1883 msgctxt "helpcmd|Broadcast|args" msgid "[message]" -msgstr "" +msgstr "[message]" #: ClientCommand.cpp:1884 msgctxt "helpcmd|Broadcast|desc" msgid "Broadcast a message to all ZNC users" -msgstr "" +msgstr "Transmite uma mensagem para todos os usuários do ZNC" #: ClientCommand.cpp:1887 msgctxt "helpcmd|Shutdown|args" msgid "[message]" -msgstr "" +msgstr "[message]" #: ClientCommand.cpp:1888 msgctxt "helpcmd|Shutdown|desc" msgid "Shut down ZNC completely" -msgstr "" +msgstr "Desliga o ZNC completamente" #: ClientCommand.cpp:1889 msgctxt "helpcmd|Restart|args" msgid "[message]" -msgstr "" +msgstr "[message]" #: ClientCommand.cpp:1890 msgctxt "helpcmd|Restart|desc" msgid "Restart ZNC" -msgstr "" +msgstr "Reinicia o ZNC" #: Socket.cpp:336 msgid "Can't resolve server hostname" -msgstr "" +msgstr "Não é possível resolver o nome do host do servidor" #: Socket.cpp:343 msgid "" "Can't resolve bind hostname. Try /znc ClearBindHost and /znc " "ClearUserBindHost" msgstr "" +"Não é possível resolver o nome do host de ligação (BindHost). Tente /znc " +"ClearBindHost e /znc ClearUserBindHost" #: Socket.cpp:348 msgid "Server address is IPv4-only, but bindhost is IPv6-only" msgstr "" +"O endereço do servidor permite apenas IPv4, mas o bindhost é apenas IPv6" #: Socket.cpp:357 msgid "Server address is IPv6-only, but bindhost is IPv4-only" msgstr "" +"O endereço do servidor permite apenas IPv6, mas o bindhost é apenas IPv4" #: Socket.cpp:515 msgid "Some socket reached its max buffer limit and was closed!" -msgstr "" +msgstr "Algum socket atingiu seu limite máximo de buffer e foi fechado!" #: SSLVerifyHost.cpp:448 msgid "hostname doesn't match" -msgstr "" +msgstr "nome de host não corresponde" #: SSLVerifyHost.cpp:452 msgid "malformed hostname in certificate" -msgstr "" +msgstr "nome de host malformado no certificado" #: SSLVerifyHost.cpp:456 msgid "hostname verification error" -msgstr "" +msgstr "erro de verificação do nome de host" #: User.cpp:507 msgid "" "Invalid network name. It should be alphanumeric. Not to be confused with " "server name" msgstr "" +"Nome de rede inválido. O nome deve ser alfanumérico. Não confundir com o " +"nome do servidor" #: User.cpp:511 msgid "Network {1} already exists" -msgstr "" +msgstr "Rede {1} já existe" #: User.cpp:777 msgid "" "You are being disconnected because your IP is no longer allowed to connect " "to this user" msgstr "" +"Você está sendo desconectado porque seu IP não tem mais permissão para " +"conectar-se a esse usuário" #: User.cpp:907 msgid "Password is empty" -msgstr "" +msgstr "A senha está vazia" #: User.cpp:912 msgid "Username is empty" -msgstr "" +msgstr "Nome de usuário está vazio" #: User.cpp:917 msgid "Username is invalid" -msgstr "" +msgstr "Nome de usuário inválido" #: User.cpp:1188 msgid "Unable to find modinfo {1}: {2}" -msgstr "" +msgstr "Não foi possível encontrar o modinfo {1}: {2}" From 95369455fcbc95f8064253b1e72c8b9bc83b6e98 Mon Sep 17 00:00:00 2001 From: "Aspen (linudaemon)" Date: Thu, 8 Aug 2019 15:54:49 -0500 Subject: [PATCH 301/798] Rework MODE/RPL_CHANMODEIS handling for trailing args (#1661) Some servers may send a colon even if the last parameter doesn't need it, currently this leads to issues with permission/mode tracking, as the core doesn't handle the colon properly. This fix replaces reconstructing the parameter string with just passing a vector of the relevant parameters to CChan::SetModes() and adds overrides for CChan::SetModes() and CChan::ModeChange() that accept the vector instead. Clean up uses of old CModeMessage::GetModes() --- include/znc/Chan.h | 14 +++++++++++ include/znc/Message.h | 19 +++++++++++++++ src/Chan.cpp | 55 ++++++++++++++++++++++++++++++++++--------- src/Client.cpp | 3 +-- src/IRCSock.cpp | 12 +++++----- src/Message.cpp | 20 ++++++++++++++++ test/IRCSockTest.cpp | 17 +++++++++++++ test/MessageTest.cpp | 44 ++++++++++++++++++++++++++++++++++ 8 files changed, 165 insertions(+), 19 deletions(-) diff --git a/include/znc/Chan.h b/include/znc/Chan.h index 121a1ac4..1a4ebaf3 100644 --- a/include/znc/Chan.h +++ b/include/znc/Chan.h @@ -76,8 +76,22 @@ class CChan : private CCoreTranslationMixin { const CString& sHost); // Modes + /// @deprecated Use SetModes(CString, VCString) void SetModes(const CString& s); + /** + * Set the current modes for this channel + * @param sModes The mode characters being changed + * @param vsModeParams The parameters for the modes to be set + */ + void SetModes(const CString& sModes, const VCString& vsModeParams); + /// @deprecated Use ModeChange(CString, VCString, CNick*) void ModeChange(const CString& sModes, const CNick* OpNick = nullptr); + /** + * Handle changing the modes on a channel + * @param sModes The mode string (eg. +ovbs-pbo) + * @param vsModeParams The parameters for the mode string + */ + void ModeChange(const CString& sModes,const VCString& vsModeParams, const CNick* OpNick = nullptr); bool AddMode(char cMode, const CString& sArg); bool RemMode(char cMode); CString GetModeString() const; diff --git a/include/znc/Message.h b/include/znc/Message.h index 4a3cfbe1..12505bad 100644 --- a/include/znc/Message.h +++ b/include/znc/Message.h @@ -121,6 +121,18 @@ class CMessage { void SetCommand(const CString& sCommand); const VCString& GetParams() const { return m_vsParams; } + + /** + * Get a subset of the message parameters + * + * This allows accessing a vector of a specific range of parameters, + * allowing easy inline use, such as `pChan->SetModes(Message.GetParam(2), Message.GetParamsSplit(3));` + * + * @param uIdx The index of the first parameter to retrieve + * @param uLen How many parameters to retrieve + * @return A VCString containing the retrieved parameters + */ + VCString GetParamsSplit(unsigned int uIdx, unsigned int uLen = -1) const; void SetParams(const VCString& vsParams); /// @deprecated use GetParamsColon() instead. @@ -257,7 +269,14 @@ REGISTER_ZNC_MESSAGE(CJoinMessage); class CModeMessage : public CTargetMessage { public: + /// @deprecated Use GetModeList() and GetModeParams() CString GetModes() const { return GetParamsColon(1).TrimPrefix_n(":"); } + + CString GetModeList() const { return GetParam(1); }; + + VCString GetModeParams() const { return GetParamsSplit(2); }; + + bool HasModes() const { return !GetModeList().empty(); }; }; REGISTER_ZNC_MESSAGE(CModeMessage); diff --git a/src/Chan.cpp b/src/Chan.cpp index 8070af82..93d67f30 100644 --- a/src/Chan.cpp +++ b/src/Chan.cpp @@ -260,6 +260,11 @@ void CChan::SetModes(const CString& sModes) { ModeChange(sModes); } +void CChan::SetModes(const CString& modes, const VCString& vsModeParams) { + m_mcsModes.clear(); + ModeChange(modes, vsModeParams); +} + void CChan::SetAutoClearChanBuffer(bool b) { m_bHasAutoClearChanBufferSet = true; m_bAutoClearChanBuffer = b; @@ -295,9 +300,7 @@ void CChan::OnWho(const CString& sNick, const CString& sIdent, } } -void CChan::ModeChange(const CString& sModes, const CNick* pOpNick) { - CString sModeArg = sModes.Token(0); - CString sArgs = sModes.Token(1, true); +void CChan::ModeChange(const CString& sModes, const VCString& vsModes, const CNick* pOpNick) { bool bAdd = true; /* Try to find a CNick* from this channel so that pOpNick->HasPerm() @@ -309,18 +312,22 @@ void CChan::ModeChange(const CString& sModes, const CNick* pOpNick) { if (OpNick) pOpNick = OpNick; } - NETWORKMODULECALL(OnRawMode2(pOpNick, *this, sModeArg, sArgs), - m_pNetwork->GetUser(), m_pNetwork, nullptr, NOTHING); + { + CString sArgs = CString(" ").Join(vsModes.begin(), vsModes.end()); + NETWORKMODULECALL(OnRawMode2(pOpNick, *this, sModes, sArgs), + m_pNetwork->GetUser(), m_pNetwork, nullptr, NOTHING); + } - for (unsigned int a = 0; a < sModeArg.size(); a++) { - const char& cMode = sModeArg[a]; + VCString::const_iterator argIter = vsModes.begin(); + for (unsigned int a = 0; a < sModes.size(); a++) { + const char& cMode = sModes[a]; if (cMode == '+') { bAdd = true; } else if (cMode == '-') { bAdd = false; } else if (m_pNetwork->GetIRCSock()->IsPermMode(cMode)) { - CString sArg = GetModeArg(sArgs); + CString sArg = *argIter++; CNick* pNick = FindNick(sArg); if (pNick) { char cPerm = @@ -382,16 +389,16 @@ void CChan::ModeChange(const CString& sModes, const CNick* pOpNick) { switch (m_pNetwork->GetIRCSock()->GetModeType(cMode)) { case CIRCSock::ListArg: bList = true; - sArg = GetModeArg(sArgs); + sArg = *argIter++; break; case CIRCSock::HasArg: - sArg = GetModeArg(sArgs); + sArg = *argIter++; break; case CIRCSock::NoArg: break; case CIRCSock::ArgWhenSet: if (bAdd) { - sArg = GetModeArg(sArgs); + sArg = *argIter++; } break; @@ -423,6 +430,32 @@ void CChan::ModeChange(const CString& sModes, const CNick* pOpNick) { } } +void CChan::ModeChange(const CString& sModes, const CNick* pOpNick) { + VCString vsModes; + CString sModeArg = sModes.Token(0); + bool colon = sModeArg.TrimPrefix(":"); + + // Only handle parameters if sModes doesn't start with a colon + // because if it does, we only have the mode string with no parameters + if (!colon) { + CString sArgs = sModes.Token(1, true); + + while (!sArgs.empty()) { + // Check if this parameter is a trailing parameter + // If so, treat the rest of sArgs as one parameter + if (sArgs.TrimPrefix(":")) { + vsModes.push_back(sArgs); + sArgs.clear(); + } else { + vsModes.push_back(sArgs.Token(0)); + sArgs = sArgs.Token(1, true); + } + } + } + + ModeChange(sModeArg, vsModes, pOpNick); +} + CString CChan::GetOptions() const { VCString vsRet; diff --git a/src/Client.cpp b/src/Client.cpp index 8ef6aa1e..eb5834d2 100644 --- a/src/Client.cpp +++ b/src/Client.cpp @@ -1086,9 +1086,8 @@ bool CClient::OnJoinMessage(CJoinMessage& Message) { bool CClient::OnModeMessage(CModeMessage& Message) { CString sTarget = Message.GetTarget(); - CString sModes = Message.GetModes(); - if (m_pNetwork && m_pNetwork->IsChan(sTarget) && sModes.empty()) { + if (m_pNetwork && m_pNetwork->IsChan(sTarget) && !Message.HasModes()) { // If we are on that channel and already received a // /mode reply from the server, we can answer this // request ourself. diff --git a/src/IRCSock.cpp b/src/IRCSock.cpp index 479e1292..285a87d9 100644 --- a/src/IRCSock.cpp +++ b/src/IRCSock.cpp @@ -555,24 +555,24 @@ bool CIRCSock::OnKickMessage(CKickMessage& Message) { bool CIRCSock::OnModeMessage(CModeMessage& Message) { const CNick& Nick = Message.GetNick(); CString sTarget = Message.GetTarget(); - CString sModes = Message.GetModes(); + VCString vsModes = Message.GetModeParams(); + CString sModes = Message.GetModeList(); CChan* pChan = m_pNetwork->FindChan(sTarget); if (pChan) { - pChan->ModeChange(sModes, &Nick); + pChan->ModeChange(sModes, vsModes, &Nick); if (pChan->IsDetached()) { return true; } } else if (sTarget == m_Nick.GetNick()) { - CString sModeArg = sModes.Token(0); bool bAdd = true; /* no module call defined (yet?) MODULECALL(OnRawUserMode(*pOpNick, *this, sModeArg, sArgs), m_pNetwork->GetUser(), nullptr, ); */ - for (unsigned int a = 0; a < sModeArg.size(); a++) { - const char& cMode = sModeArg[a]; + for (unsigned int a = 0; a < sModes.size(); a++) { + const char& cMode = sModes[a]; if (cMode == '+') { bAdd = true; @@ -767,7 +767,7 @@ bool CIRCSock::OnNumericMessage(CNumericMessage& Message) { CChan* pChan = m_pNetwork->FindChan(Message.GetParam(1)); if (pChan) { - pChan->SetModes(Message.GetParamsColon(2)); + pChan->SetModes(Message.GetParam(2), Message.GetParamsSplit(3)); // We don't SetModeKnown(true) here, // because a 329 will follow diff --git a/src/Message.cpp b/src/Message.cpp index fc80aea3..022a7cfc 100644 --- a/src/Message.cpp +++ b/src/Message.cpp @@ -267,3 +267,23 @@ void CMessage::InitType() { } } } + +VCString CMessage::GetParamsSplit(unsigned int uIdx, unsigned int uLen) const { + VCString splitParams; + const VCString ¶ms = GetParams(); + + if (params.empty() || uLen == 0 || uIdx >= params.size()) { + return splitParams; + } + + if (uLen > params.size() - uIdx - 1) { + uLen = params.size() - uIdx; + } + + VCString::const_iterator startIt = params.begin() + uIdx; + VCString::const_iterator endIt = startIt + uLen; + + splitParams.assign(startIt, endIt); + + return splitParams; +} diff --git a/test/IRCSockTest.cpp b/test/IRCSockTest.cpp index fdcd6071..0c208a83 100644 --- a/test/IRCSockTest.cpp +++ b/test/IRCSockTest.cpp @@ -330,6 +330,23 @@ TEST_F(IRCSockTest, OnPartMessage) { EXPECT_THAT(m_pTestModule->vChannels, ElementsAre(m_pTestChan)); } +TEST_F(IRCSockTest, StatusModes) { + m_pTestSock->ReadLine(":server 005 user PREFIX=(Yohv)!@%+ :are supported by this server"); + + EXPECT_TRUE(m_pTestSock->IsPermMode('Y')); + EXPECT_TRUE(m_pTestSock->IsPermMode('o')); + EXPECT_TRUE(m_pTestSock->IsPermMode('h')); + EXPECT_TRUE(m_pTestSock->IsPermMode('v')); + + m_pTestChan->SetModes("+sp"); + m_pTestChan->ModeChange("+Y :nick"); + EXPECT_EQ(m_pTestChan->GetModeString(), "+ps"); + + const CNick& pNick = m_pTestChan->GetNicks().at("nick"); + EXPECT_TRUE(pNick.HasPerm('!')); + EXPECT_FALSE(pNick.HasPerm('@')); +} + TEST_F(IRCSockTest, OnPingMessage) { CMessage msg(":server PING :arg"); m_pTestSock->ReadLine(msg.ToString()); diff --git a/test/MessageTest.cpp b/test/MessageTest.cpp index ce178d30..11a5546b 100644 --- a/test/MessageTest.cpp +++ b/test/MessageTest.cpp @@ -21,6 +21,7 @@ using ::testing::IsEmpty; using ::testing::ContainerEq; +using ::testing::ElementsAre; TEST(MessageTest, SetParam) { CMessage msg; @@ -70,6 +71,42 @@ TEST(MessageTest, GetParams) { EXPECT_EQ(CMessage("CMD p1 :p2 p3").GetParams(-1, 10), ""); } +TEST(MessageTest, GetParamsSplit) { + EXPECT_THAT(CMessage("CMD").GetParamsSplit(0), IsEmpty()); + EXPECT_THAT(CMessage("CMD").GetParamsSplit(1), IsEmpty()); + EXPECT_THAT(CMessage("CMD").GetParamsSplit(-1), IsEmpty()); + + EXPECT_THAT(CMessage("CMD").GetParamsSplit(0, 0), IsEmpty()); + EXPECT_THAT(CMessage("CMD").GetParamsSplit(1, 0), IsEmpty()); + EXPECT_THAT(CMessage("CMD").GetParamsSplit(-1, 0), IsEmpty()); + + EXPECT_THAT(CMessage("CMD").GetParamsSplit(0, 1), IsEmpty()); + EXPECT_THAT(CMessage("CMD").GetParamsSplit(1, 1), IsEmpty()); + EXPECT_THAT(CMessage("CMD").GetParamsSplit(-1, 1), IsEmpty()); + + EXPECT_THAT(CMessage("CMD").GetParamsSplit(0, 10), IsEmpty()); + EXPECT_THAT(CMessage("CMD").GetParamsSplit(1, 10), IsEmpty()); + EXPECT_THAT(CMessage("CMD").GetParamsSplit(-1, 10), IsEmpty()); + + EXPECT_THAT(CMessage("CMD p1 :p2 p3").GetParamsSplit(0), ElementsAre("p1", "p2 p3")); + EXPECT_THAT(CMessage("CMD p1 :p2 p3").GetParamsSplit(1), ElementsAre("p2 p3")); + EXPECT_THAT(CMessage("CMD p1 :p2 p3").GetParamsSplit(-1), IsEmpty()); + + EXPECT_THAT(CMessage("CMD p1 :p2 p3").GetParamsSplit(0, 0), IsEmpty()); + EXPECT_THAT(CMessage("CMD p1 :p2 p3").GetParamsSplit(1, 0), IsEmpty()); + EXPECT_THAT(CMessage("CMD p1 :p2 p3").GetParamsSplit(-1, 0), IsEmpty()); + + EXPECT_THAT(CMessage("CMD p1 :p2 p3").GetParamsSplit(0, 1), ElementsAre("p1")); + EXPECT_THAT(CMessage("CMD p1 :p2 p3").GetParamsSplit(1, 1), ElementsAre("p2 p3")); + EXPECT_THAT(CMessage("CMD p1 :p2 p3").GetParamsSplit(-1, 1), IsEmpty()); + + EXPECT_THAT(CMessage("CMD p1 :p2 p3").GetParamsSplit(0, 10), ElementsAre("p1", "p2 p3")); + EXPECT_THAT(CMessage("CMD p1 :p2 p3").GetParamsSplit(1, 10), ElementsAre("p2 p3")); + EXPECT_THAT(CMessage("CMD p1 :p2 p3").GetParamsSplit(-1, 10), IsEmpty()); + + EXPECT_THAT(CMessage("CMD p1 :").GetParamsSplit(0), ElementsAre("p1", "")); +} + TEST(MessageTest, ToString) { EXPECT_EQ(CMessage("CMD").ToString(), "CMD"); EXPECT_EQ(CMessage("CMD p1").ToString(), "CMD p1"); @@ -358,7 +395,14 @@ TEST(MessageTest, Mode) { msg.Parse(":nick MODE nick :+i"); EXPECT_EQ(msg.GetModes(), "+i"); + EXPECT_EQ(msg.GetModeList(), "+i"); + EXPECT_EQ(msg.ToString(), ":nick MODE nick :+i"); + + msg.Parse(":nick MODE nick +ov Person :Other"); + + EXPECT_EQ(msg.GetModeList(), "+ov"); + EXPECT_THAT(msg.GetModeParams(), ElementsAre("Person", "Other")); } TEST(MessageTest, Nick) { From 960b76d2eae8e65bea1d2f2df783ba00d60bd67e Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Tue, 23 Jul 2019 22:46:51 +0100 Subject: [PATCH 302/798] Use FindPython3 in addition to pkg-config --- CMakeLists.txt | 41 ++++++++++++++++++++++++++++---- cmake/use_homebrew.cmake | 2 +- modules/CMakeLists.txt | 2 +- modules/modpython/CMakeLists.txt | 8 +++---- 4 files changed, 43 insertions(+), 10 deletions(-) diff --git a/CMakeLists.txt b/CMakeLists.txt index 63da430d..551c11b7 100644 --- a/CMakeLists.txt +++ b/CMakeLists.txt @@ -172,9 +172,42 @@ if(WANT_PERL) endif() if (WANT_PYTHON) find_package(Perl 5.10 REQUIRED) - pkg_check_modules(PYTHON "${WANT_PYTHON_VERSION}-embed") - if (NOT PYTHON_FOUND) - pkg_check_modules(PYTHON "${WANT_PYTHON_VERSION}" REQUIRED) + # VERSION_GREATER_EQUAL is available only since 3.7 + if (CMAKE_VERSION VERSION_LESS 3.12) + else() + # Even if FindPython3 is available (since CMake 3.12) we still use + # pkg-config, because FindPython has a hardcoded list of python + # versions, which may become outdated when new pythons are released, + # but when cmake in the distro is old. + # + # Why FindPython3 is useful at all? Because sometimes there is no + # python3.pc, but only python-3.5.pc and python-3.6.pc; which would + # force user to provide the version explicitly via + # WANT_PYTHON_VERSION. This is the case on Gentoo when NOT building + # via emerge. + if (WANT_PYTHON_VERSION STREQUAL "python3") + find_package(Python3 COMPONENTS Development) + else() + # We used to pass value like "python-3.5" to the variable. + if (WANT_PYTHON_VERSION MATCHES "^(python-)?(.*)$") + find_package(Python3 COMPONENTS Development + EXACT "${CMAKE_MATCH_2}") + else() + message(FATAL_ERROR "Invalid value of WANT_PYTHON_VERSION") + endif() + endif() + # Compatibility with pkg-config variables + set(Python3_LDFLAGS "${Python3_LIBRARIES}") + endif() + if (NOT Python3_FOUND AND WANT_PYTHON_VERSION MATCHES "^python") + # Since python 3.8, -embed is required for embedding. + pkg_check_modules(Python3 "${WANT_PYTHON_VERSION}-embed >= 3.0") + if (NOT Python3_FOUND) + pkg_check_modules(Python3 "${WANT_PYTHON_VERSION} >= 3.0") + endif() + endif() + if (NOT Python3_FOUND) + message(FATAL_ERROR "Python 3 is not found. Try disabling it.") endif() endif() @@ -361,7 +394,7 @@ summary_line("SSL " "${OPENSSL_FOUND}") summary_line("IPv6 " "${WANT_IPV6}") summary_line("Async DNS" "${HAVE_THREADED_DNS}") summary_line("Perl " "${PERLLIBS_FOUND}") -summary_line("Python " "${PYTHON_FOUND}") +summary_line("Python " "${Python3_FOUND}") summary_line("Tcl " "${TCL_FOUND}") summary_line("Cyrus " "${CYRUS_FOUND}") summary_line("Charset " "${ICU_FOUND}") diff --git a/cmake/use_homebrew.cmake b/cmake/use_homebrew.cmake index f58c1542..bb59317b 100644 --- a/cmake/use_homebrew.cmake +++ b/cmake/use_homebrew.cmake @@ -50,7 +50,7 @@ execute_process(COMMAND "${brew}" --prefix python3 if(brew_python_f EQUAL 0) find_package_message(brew_python "Python via Homebrew: ${brew_python}" "${brew_python}") - list(APPEND Python_FRAMEWORKS_ADDITIONAL + list(APPEND Python3_FRAMEWORKS_ADDITIONAL "${brew_python}/Frameworks/Python.framework") endif() diff --git a/modules/CMakeLists.txt b/modules/CMakeLists.txt index 50921c7b..7f4d6b57 100644 --- a/modules/CMakeLists.txt +++ b/modules/CMakeLists.txt @@ -66,7 +66,7 @@ else() set(moddisable_modperl true) endif() -if(PYTHON_FOUND) +if(Python3_FOUND) add_subdirectory(modpython) else() set(moddisable_modpython true) diff --git a/modules/modpython/CMakeLists.txt b/modules/modpython/CMakeLists.txt index 3a59ed75..ed715eda 100644 --- a/modules/modpython/CMakeLists.txt +++ b/modules/modpython/CMakeLists.txt @@ -17,9 +17,9 @@ # TODO: consider switching to swig_add_library() after bumping CMake # requirements to 3.8, when that command started using IMPLICIT_DEPENDS -set(modinclude_modpython PUBLIC ${PYTHON_INCLUDE_DIRS} +set(modinclude_modpython PUBLIC ${Python3_INCLUDE_DIRS} "${CMAKE_CURRENT_BINARY_DIR}/.." PARENT_SCOPE) -set(modlink_modpython PUBLIC ${PYTHON_LDFLAGS} PARENT_SCOPE) +set(modlink_modpython PUBLIC ${Python3_LDFLAGS} PARENT_SCOPE) set(moddef_modpython PUBLIC "SWIG_TYPE_TABLE=znc" PARENT_SCOPE) set(moddepend_modpython modpython_functions modpython_swigruntime PARENT_SCOPE) @@ -75,8 +75,8 @@ target_include_directories(modpython_lib PRIVATE "${PROJECT_SOURCE_DIR}/include" "${CMAKE_CURRENT_BINARY_DIR}/.." "${CMAKE_CURRENT_SOURCE_DIR}/.." - ${PYTHON_INCLUDE_DIRS}) -target_link_libraries(modpython_lib ${znc_link} ${PYTHON_LDFLAGS}) + ${Python3_INCLUDE_DIRS}) +target_link_libraries(modpython_lib ${znc_link} ${Python3_LDFLAGS}) set_target_properties(modpython_lib PROPERTIES PREFIX "_" OUTPUT_NAME "znc_core" From 9216abe5a70cb60bb941f6b41c52f03bcf42bda4 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Fri, 9 Aug 2019 00:27:48 +0000 Subject: [PATCH 303/798] Update translations from Crowdin for bg_BG de_DE es_ES fr_FR id_ID it_IT nl_NL pt_BR ru_RU --- src/po/znc.bg_BG.po | 22 +++++++++++----------- src/po/znc.de_DE.po | 22 +++++++++++----------- src/po/znc.es_ES.po | 22 +++++++++++----------- src/po/znc.fr_FR.po | 22 +++++++++++----------- src/po/znc.id_ID.po | 22 +++++++++++----------- src/po/znc.it_IT.po | 22 +++++++++++----------- src/po/znc.nl_NL.po | 22 +++++++++++----------- src/po/znc.pot | 22 +++++++++++----------- src/po/znc.pt_BR.po | 22 +++++++++++----------- src/po/znc.ru_RU.po | 22 +++++++++++----------- 10 files changed, 110 insertions(+), 110 deletions(-) diff --git a/src/po/znc.bg_BG.po b/src/po/znc.bg_BG.po index 16c0ca2b..0f99e13d 100644 --- a/src/po/znc.bg_BG.po +++ b/src/po/znc.bg_BG.po @@ -223,53 +223,53 @@ msgstr "" msgid "Your CTCP to {1} got lost, you are not connected to IRC!" msgstr "" -#: Client.cpp:1142 +#: Client.cpp:1141 msgid "Your notice to {1} got lost, you are not connected to IRC!" msgstr "" -#: Client.cpp:1181 +#: Client.cpp:1180 msgid "Removing channel {1}" msgstr "" -#: Client.cpp:1257 +#: Client.cpp:1256 msgid "Your message to {1} got lost, you are not connected to IRC!" msgstr "" -#: Client.cpp:1310 Client.cpp:1316 +#: Client.cpp:1309 Client.cpp:1315 msgid "Hello. How may I help you?" msgstr "" -#: Client.cpp:1330 +#: Client.cpp:1329 msgid "Usage: /attach <#chans>" msgstr "" -#: Client.cpp:1337 Client.cpp:1359 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: Client.cpp:1336 Client.cpp:1358 ClientCommand.cpp:129 ClientCommand.cpp:151 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" msgstr[0] "" msgstr[1] "" -#: Client.cpp:1340 ClientCommand.cpp:132 +#: Client.cpp:1339 ClientCommand.cpp:132 msgid "Attached {1} channel" msgid_plural "Attached {1} channels" msgstr[0] "" msgstr[1] "" -#: Client.cpp:1352 +#: Client.cpp:1351 msgid "Usage: /detach <#chans>" msgstr "" -#: Client.cpp:1362 ClientCommand.cpp:154 +#: Client.cpp:1361 ClientCommand.cpp:154 msgid "Detached {1} channel" msgid_plural "Detached {1} channels" msgstr[0] "" msgstr[1] "" -#: Chan.cpp:638 +#: Chan.cpp:671 msgid "Buffer Playback..." msgstr "" -#: Chan.cpp:676 +#: Chan.cpp:709 msgid "Playback Complete." msgstr "" diff --git a/src/po/znc.de_DE.po b/src/po/znc.de_DE.po index 751392c7..a1095985 100644 --- a/src/po/znc.de_DE.po +++ b/src/po/znc.de_DE.po @@ -248,56 +248,56 @@ msgstr "" msgid "Your CTCP to {1} got lost, you are not connected to IRC!" msgstr "Dein CTCP an {1} wurde verloren, du bist nicht mit dem IRC verbunden!" -#: Client.cpp:1142 +#: Client.cpp:1141 msgid "Your notice to {1} got lost, you are not connected to IRC!" msgstr "" "Deine Benachrichtigung an {1} wurde verloren, du bist nicht mit dem IRC " "verbunden!" -#: Client.cpp:1181 +#: Client.cpp:1180 msgid "Removing channel {1}" msgstr "Entferne Kanal {1}" -#: Client.cpp:1257 +#: Client.cpp:1256 msgid "Your message to {1} got lost, you are not connected to IRC!" msgstr "" "Deine Nachricht an {1} wurde verloren, du bist nicht mit dem IRC verbunden!" -#: Client.cpp:1310 Client.cpp:1316 +#: Client.cpp:1309 Client.cpp:1315 msgid "Hello. How may I help you?" msgstr "Hallo. Wie kann ich dir helfen?" -#: Client.cpp:1330 +#: Client.cpp:1329 msgid "Usage: /attach <#chans>" msgstr "Verwendung: /attach <#Kanal>" -#: Client.cpp:1337 Client.cpp:1359 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: Client.cpp:1336 Client.cpp:1358 ClientCommand.cpp:129 ClientCommand.cpp:151 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" msgstr[0] "Es gibt einen Kanal, der auf [{2}] passt" msgstr[1] "Es gibt {1} Kanäle, die auf [{2}] passen" -#: Client.cpp:1340 ClientCommand.cpp:132 +#: Client.cpp:1339 ClientCommand.cpp:132 msgid "Attached {1} channel" msgid_plural "Attached {1} channels" msgstr[0] "Zu {1} Kanal verbunden" msgstr[1] "Zu {1} Kanälen verbunden" -#: Client.cpp:1352 +#: Client.cpp:1351 msgid "Usage: /detach <#chans>" msgstr "Verwendung: /detach <#Kanäle>" -#: Client.cpp:1362 ClientCommand.cpp:154 +#: Client.cpp:1361 ClientCommand.cpp:154 msgid "Detached {1} channel" msgid_plural "Detached {1} channels" msgstr[0] "Von {1} Kanal getrennt" msgstr[1] "Von {1} Kanälen getrennt" -#: Chan.cpp:638 +#: Chan.cpp:671 msgid "Buffer Playback..." msgstr "Pufferwiedergabe..." -#: Chan.cpp:676 +#: Chan.cpp:709 msgid "Playback Complete." msgstr "Wiedergabe beendet." diff --git a/src/po/znc.es_ES.po b/src/po/znc.es_ES.po index e9680d4f..09346d54 100644 --- a/src/po/znc.es_ES.po +++ b/src/po/znc.es_ES.po @@ -239,53 +239,53 @@ msgstr "" msgid "Your CTCP to {1} got lost, you are not connected to IRC!" msgstr "Tu CTCP a {1} se ha perdido, ¡no estás conectado al IRC!" -#: Client.cpp:1142 +#: Client.cpp:1141 msgid "Your notice to {1} got lost, you are not connected to IRC!" msgstr "Tu notice a {1} se ha perdido, ¡no estás conectado al IRC!" -#: Client.cpp:1181 +#: Client.cpp:1180 msgid "Removing channel {1}" msgstr "Eliminando canal {1}" -#: Client.cpp:1257 +#: Client.cpp:1256 msgid "Your message to {1} got lost, you are not connected to IRC!" msgstr "Tu mensaje a {1} se ha perdido, ¡no estás conectado al IRC!" -#: Client.cpp:1310 Client.cpp:1316 +#: Client.cpp:1309 Client.cpp:1315 msgid "Hello. How may I help you?" msgstr "Hola. ¿En qué te puedo ayudar?" -#: Client.cpp:1330 +#: Client.cpp:1329 msgid "Usage: /attach <#chans>" msgstr "Uso: /attach <#canales>" -#: Client.cpp:1337 Client.cpp:1359 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: Client.cpp:1336 Client.cpp:1358 ClientCommand.cpp:129 ClientCommand.cpp:151 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" msgstr[0] "Hay {1} canal que coincide con [{2}]" msgstr[1] "Hay {1} canales que coinciden con [{2}]" -#: Client.cpp:1340 ClientCommand.cpp:132 +#: Client.cpp:1339 ClientCommand.cpp:132 msgid "Attached {1} channel" msgid_plural "Attached {1} channels" msgstr[0] "Vinculado a {1} canal" msgstr[1] "Unido a {1} canales" -#: Client.cpp:1352 +#: Client.cpp:1351 msgid "Usage: /detach <#chans>" msgstr "Uso: /detach <#canales>" -#: Client.cpp:1362 ClientCommand.cpp:154 +#: Client.cpp:1361 ClientCommand.cpp:154 msgid "Detached {1} channel" msgid_plural "Detached {1} channels" msgstr[0] "Desvinculado {1} canal" msgstr[1] "Separados {1} canales" -#: Chan.cpp:638 +#: Chan.cpp:671 msgid "Buffer Playback..." msgstr "Reproducción de buffer..." -#: Chan.cpp:676 +#: Chan.cpp:709 msgid "Playback Complete." msgstr "Reproducción completa." diff --git a/src/po/znc.fr_FR.po b/src/po/znc.fr_FR.po index 7dacebe0..25c629a2 100644 --- a/src/po/znc.fr_FR.po +++ b/src/po/znc.fr_FR.po @@ -248,53 +248,53 @@ msgid "Your CTCP to {1} got lost, you are not connected to IRC!" msgstr "" "Votre connexion CTCP vers {1} a été perdue, vous n'êtes plus connecté à IRC !" -#: Client.cpp:1142 +#: Client.cpp:1141 msgid "Your notice to {1} got lost, you are not connected to IRC!" msgstr "Votre notice vers {1} a été perdue, vous n'êtes plus connecté à IRC !" -#: Client.cpp:1181 +#: Client.cpp:1180 msgid "Removing channel {1}" msgstr "Suppression du salon {1}" -#: Client.cpp:1257 +#: Client.cpp:1256 msgid "Your message to {1} got lost, you are not connected to IRC!" msgstr "Votre message à {1} a été perdu, vous n'êtes pas connecté à IRC !" -#: Client.cpp:1310 Client.cpp:1316 +#: Client.cpp:1309 Client.cpp:1315 msgid "Hello. How may I help you?" msgstr "Bonjour. Comment puis-je vous aider ?" -#: Client.cpp:1330 +#: Client.cpp:1329 msgid "Usage: /attach <#chans>" msgstr "Utilisation : /attach <#salons>" -#: Client.cpp:1337 Client.cpp:1359 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: Client.cpp:1336 Client.cpp:1358 ClientCommand.cpp:129 ClientCommand.cpp:151 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" msgstr[0] "Il y avait {1} salon correspondant [{2}]" msgstr[1] "Il y avait {1} salons correspondant [{2}]" -#: Client.cpp:1340 ClientCommand.cpp:132 +#: Client.cpp:1339 ClientCommand.cpp:132 msgid "Attached {1} channel" msgid_plural "Attached {1} channels" msgstr[0] "A attaché {1} salon" msgstr[1] "A attaché {1} salons" -#: Client.cpp:1352 +#: Client.cpp:1351 msgid "Usage: /detach <#chans>" msgstr "Utilisation : /detach <#salons>" -#: Client.cpp:1362 ClientCommand.cpp:154 +#: Client.cpp:1361 ClientCommand.cpp:154 msgid "Detached {1} channel" msgid_plural "Detached {1} channels" msgstr[0] "A détaché {1} salon" msgstr[1] "A détaché {1} salons" -#: Chan.cpp:638 +#: Chan.cpp:671 msgid "Buffer Playback..." msgstr "Répétition du tampon..." -#: Chan.cpp:676 +#: Chan.cpp:709 msgid "Playback Complete." msgstr "Répétition terminée." diff --git a/src/po/znc.id_ID.po b/src/po/znc.id_ID.po index eb426277..9dcfe41c 100644 --- a/src/po/znc.id_ID.po +++ b/src/po/znc.id_ID.po @@ -239,50 +239,50 @@ msgstr "Anda terputus karena pengguna lain hanya diautentikasi sebagai anda." msgid "Your CTCP to {1} got lost, you are not connected to IRC!" msgstr "CTCP anda untuk {1} tersesat, anda tidak terhubung ke IRC!" -#: Client.cpp:1142 +#: Client.cpp:1141 msgid "Your notice to {1} got lost, you are not connected to IRC!" msgstr "Notice anda untuk {1} tersesat, anda tidak terhubung ke IRC!" -#: Client.cpp:1181 +#: Client.cpp:1180 msgid "Removing channel {1}" msgstr "Menghapus channel {1}" -#: Client.cpp:1257 +#: Client.cpp:1256 msgid "Your message to {1} got lost, you are not connected to IRC!" msgstr "Pesan anda untuk {1} tersesat, anda tidak terhubung ke IRC!" -#: Client.cpp:1310 Client.cpp:1316 +#: Client.cpp:1309 Client.cpp:1315 msgid "Hello. How may I help you?" msgstr "Halo. Bagaimana saya bisa membantu anda?" -#: Client.cpp:1330 +#: Client.cpp:1329 msgid "Usage: /attach <#chans>" msgstr "Gunakan: /attach <#chan>" -#: Client.cpp:1337 Client.cpp:1359 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: Client.cpp:1336 Client.cpp:1358 ClientCommand.cpp:129 ClientCommand.cpp:151 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" msgstr[0] "Ada {1} pencocokan saluran [{2}]" -#: Client.cpp:1340 ClientCommand.cpp:132 +#: Client.cpp:1339 ClientCommand.cpp:132 msgid "Attached {1} channel" msgid_plural "Attached {1} channels" msgstr[0] "" -#: Client.cpp:1352 +#: Client.cpp:1351 msgid "Usage: /detach <#chans>" msgstr "" -#: Client.cpp:1362 ClientCommand.cpp:154 +#: Client.cpp:1361 ClientCommand.cpp:154 msgid "Detached {1} channel" msgid_plural "Detached {1} channels" msgstr[0] "" -#: Chan.cpp:638 +#: Chan.cpp:671 msgid "Buffer Playback..." msgstr "" -#: Chan.cpp:676 +#: Chan.cpp:709 msgid "Playback Complete." msgstr "" diff --git a/src/po/znc.it_IT.po b/src/po/znc.it_IT.po index 6d60becc..392d7a4a 100644 --- a/src/po/znc.it_IT.po +++ b/src/po/znc.it_IT.po @@ -244,53 +244,53 @@ msgstr "" msgid "Your CTCP to {1} got lost, you are not connected to IRC!" msgstr "Il tuo CTCP a {1} è andato perso, non sei connesso ad IRC!" -#: Client.cpp:1142 +#: Client.cpp:1141 msgid "Your notice to {1} got lost, you are not connected to IRC!" msgstr "Il tuo NOTICE a {1} è andato perso, non sei connesso ad IRC!" -#: Client.cpp:1181 +#: Client.cpp:1180 msgid "Removing channel {1}" msgstr "Rimozione del canle {1}" -#: Client.cpp:1257 +#: Client.cpp:1256 msgid "Your message to {1} got lost, you are not connected to IRC!" msgstr "Il tuo messaggio a {1} è andato perso, non sei connesso ad IRC!" -#: Client.cpp:1310 Client.cpp:1316 +#: Client.cpp:1309 Client.cpp:1315 msgid "Hello. How may I help you?" msgstr "Ciao! Come posso aiutarti? Puoi iniziare a scrivere help" -#: Client.cpp:1330 +#: Client.cpp:1329 msgid "Usage: /attach <#chans>" msgstr "Usa: /attach <#canali>" -#: Client.cpp:1337 Client.cpp:1359 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: Client.cpp:1336 Client.cpp:1358 ClientCommand.cpp:129 ClientCommand.cpp:151 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" msgstr[0] "Trovato {1} canale corrispondente a [{2}]" msgstr[1] "Trovati {1} canali corrispondenti a [{2}]" -#: Client.cpp:1340 ClientCommand.cpp:132 +#: Client.cpp:1339 ClientCommand.cpp:132 msgid "Attached {1} channel" msgid_plural "Attached {1} channels" msgstr[0] "Agganciato {1} canale (Attached)" msgstr[1] "Agganciati {1} canali (Attached)" -#: Client.cpp:1352 +#: Client.cpp:1351 msgid "Usage: /detach <#chans>" msgstr "Usa: /detach <#canali>" -#: Client.cpp:1362 ClientCommand.cpp:154 +#: Client.cpp:1361 ClientCommand.cpp:154 msgid "Detached {1} channel" msgid_plural "Detached {1} channels" msgstr[0] "Scollegato {1} canale (Detached)" msgstr[1] "Scollegati {1} canali (Detached)" -#: Chan.cpp:638 +#: Chan.cpp:671 msgid "Buffer Playback..." msgstr "Riproduzione del Buffer avviata..." -#: Chan.cpp:676 +#: Chan.cpp:709 msgid "Playback Complete." msgstr "Riproduzione del Buffer completata." diff --git a/src/po/znc.nl_NL.po b/src/po/znc.nl_NL.po index 3550bfa3..c0bb7a47 100644 --- a/src/po/znc.nl_NL.po +++ b/src/po/znc.nl_NL.po @@ -252,55 +252,55 @@ msgstr "" msgid "Your CTCP to {1} got lost, you are not connected to IRC!" msgstr "Je CTCP naar {1} is verloren geraakt, je bent niet verbonden met IRC!" -#: Client.cpp:1142 +#: Client.cpp:1141 msgid "Your notice to {1} got lost, you are not connected to IRC!" msgstr "" "Je notice naar {1} is verloren geraakt, je bent niet verbonden met IRC!" -#: Client.cpp:1181 +#: Client.cpp:1180 msgid "Removing channel {1}" msgstr "Kanaal verwijderen: {1}" -#: Client.cpp:1257 +#: Client.cpp:1256 msgid "Your message to {1} got lost, you are not connected to IRC!" msgstr "" "Je bericht naar {1} is verloren geraakt, je bent niet verbonden met IRC!" -#: Client.cpp:1310 Client.cpp:1316 +#: Client.cpp:1309 Client.cpp:1315 msgid "Hello. How may I help you?" msgstr "Hallo. Hoe kan ik je helpen?" -#: Client.cpp:1330 +#: Client.cpp:1329 msgid "Usage: /attach <#chans>" msgstr "Gebruik: /attach <#kanalen>" -#: Client.cpp:1337 Client.cpp:1359 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: Client.cpp:1336 Client.cpp:1358 ClientCommand.cpp:129 ClientCommand.cpp:151 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" msgstr[0] "Er was {1} kanaal overeenkomend met [{2}]" msgstr[1] "Er waren {1} kanalen overeenkomend met [{2}]" -#: Client.cpp:1340 ClientCommand.cpp:132 +#: Client.cpp:1339 ClientCommand.cpp:132 msgid "Attached {1} channel" msgid_plural "Attached {1} channels" msgstr[0] "Gekoppeld aan {1} kanaal" msgstr[1] "Gekoppeld aan {1} kanalen" -#: Client.cpp:1352 +#: Client.cpp:1351 msgid "Usage: /detach <#chans>" msgstr "Gebruik: /detach <#kanalen>" -#: Client.cpp:1362 ClientCommand.cpp:154 +#: Client.cpp:1361 ClientCommand.cpp:154 msgid "Detached {1} channel" msgid_plural "Detached {1} channels" msgstr[0] "Losgekoppeld van {1} kanaal" msgstr[1] "Losgekoppeld van {1} kanalen" -#: Chan.cpp:638 +#: Chan.cpp:671 msgid "Buffer Playback..." msgstr "Buffer afspelen..." -#: Chan.cpp:676 +#: Chan.cpp:709 msgid "Playback Complete." msgstr "Afspelen compleet." diff --git a/src/po/znc.pot b/src/po/znc.pot index 1408438a..45fa5ebe 100644 --- a/src/po/znc.pot +++ b/src/po/znc.pot @@ -214,53 +214,53 @@ msgstr "" msgid "Your CTCP to {1} got lost, you are not connected to IRC!" msgstr "" -#: Client.cpp:1142 +#: Client.cpp:1141 msgid "Your notice to {1} got lost, you are not connected to IRC!" msgstr "" -#: Client.cpp:1181 +#: Client.cpp:1180 msgid "Removing channel {1}" msgstr "" -#: Client.cpp:1257 +#: Client.cpp:1256 msgid "Your message to {1} got lost, you are not connected to IRC!" msgstr "" -#: Client.cpp:1310 Client.cpp:1316 +#: Client.cpp:1309 Client.cpp:1315 msgid "Hello. How may I help you?" msgstr "" -#: Client.cpp:1330 +#: Client.cpp:1329 msgid "Usage: /attach <#chans>" msgstr "" -#: Client.cpp:1337 Client.cpp:1359 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: Client.cpp:1336 Client.cpp:1358 ClientCommand.cpp:129 ClientCommand.cpp:151 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" msgstr[0] "" msgstr[1] "" -#: Client.cpp:1340 ClientCommand.cpp:132 +#: Client.cpp:1339 ClientCommand.cpp:132 msgid "Attached {1} channel" msgid_plural "Attached {1} channels" msgstr[0] "" msgstr[1] "" -#: Client.cpp:1352 +#: Client.cpp:1351 msgid "Usage: /detach <#chans>" msgstr "" -#: Client.cpp:1362 ClientCommand.cpp:154 +#: Client.cpp:1361 ClientCommand.cpp:154 msgid "Detached {1} channel" msgid_plural "Detached {1} channels" msgstr[0] "" msgstr[1] "" -#: Chan.cpp:638 +#: Chan.cpp:671 msgid "Buffer Playback..." msgstr "" -#: Chan.cpp:676 +#: Chan.cpp:709 msgid "Playback Complete." msgstr "" diff --git a/src/po/znc.pt_BR.po b/src/po/znc.pt_BR.po index 82c162ca..0be3d759 100644 --- a/src/po/znc.pt_BR.po +++ b/src/po/znc.pt_BR.po @@ -243,53 +243,53 @@ msgstr "" msgid "Your CTCP to {1} got lost, you are not connected to IRC!" msgstr "O seu CTCP para {1} foi perdido, você não está conectado ao IRC!" -#: Client.cpp:1142 +#: Client.cpp:1141 msgid "Your notice to {1} got lost, you are not connected to IRC!" msgstr "O seu aviso para {1} foi perdido, você não está conectado ao IRC!" -#: Client.cpp:1181 +#: Client.cpp:1180 msgid "Removing channel {1}" msgstr "Removendo canal {1}" -#: Client.cpp:1257 +#: Client.cpp:1256 msgid "Your message to {1} got lost, you are not connected to IRC!" msgstr "Sua mensagem para {1} foi perdida, você não está conectado ao IRC!" -#: Client.cpp:1310 Client.cpp:1316 +#: Client.cpp:1309 Client.cpp:1315 msgid "Hello. How may I help you?" msgstr "Olá. Como posso ajudá-lo(a)?" -#: Client.cpp:1330 +#: Client.cpp:1329 msgid "Usage: /attach <#chans>" msgstr "Uso: /attach <#canais>" -#: Client.cpp:1337 Client.cpp:1359 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: Client.cpp:1336 Client.cpp:1358 ClientCommand.cpp:129 ClientCommand.cpp:151 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" msgstr[0] "Foi encontrado {1} canal correspondente a [{2}]" msgstr[1] "Foi encontrado {1} canal correspondentes a [{2}]" -#: Client.cpp:1340 ClientCommand.cpp:132 +#: Client.cpp:1339 ClientCommand.cpp:132 msgid "Attached {1} channel" msgid_plural "Attached {1} channels" msgstr[0] "{1} canal foi anexado" msgstr[1] "{1} canais foram anexados" -#: Client.cpp:1352 +#: Client.cpp:1351 msgid "Usage: /detach <#chans>" msgstr "Uso: /detach <#canais>" -#: Client.cpp:1362 ClientCommand.cpp:154 +#: Client.cpp:1361 ClientCommand.cpp:154 msgid "Detached {1} channel" msgid_plural "Detached {1} channels" msgstr[0] "{1} canal foi desanexado" msgstr[1] "{1} canais foram desanexados" -#: Chan.cpp:638 +#: Chan.cpp:671 msgid "Buffer Playback..." msgstr "Reprodução de buffer..." -#: Chan.cpp:676 +#: Chan.cpp:709 msgid "Playback Complete." msgstr "Reprodução completa." diff --git a/src/po/znc.ru_RU.po b/src/po/znc.ru_RU.po index 37a58642..1c06c5bd 100644 --- a/src/po/znc.ru_RU.po +++ b/src/po/znc.ru_RU.po @@ -238,27 +238,27 @@ msgstr "Другой пользователь зашёл под вашим им msgid "Your CTCP to {1} got lost, you are not connected to IRC!" msgstr "Вы не подключены к IRC, ваш CTCP-запрос к {1} утерян!" -#: Client.cpp:1142 +#: Client.cpp:1141 msgid "Your notice to {1} got lost, you are not connected to IRC!" msgstr "Вы не подключены к IRC, ваше сообщение к {1} утеряно!" -#: Client.cpp:1181 +#: Client.cpp:1180 msgid "Removing channel {1}" msgstr "Убираю канал {1}" -#: Client.cpp:1257 +#: Client.cpp:1256 msgid "Your message to {1} got lost, you are not connected to IRC!" msgstr "Вы не подключены к IRC, ваше сообщение к {1} утеряно!" -#: Client.cpp:1310 Client.cpp:1316 +#: Client.cpp:1309 Client.cpp:1315 msgid "Hello. How may I help you?" msgstr "Привет, чем могу быть вам полезен?" -#: Client.cpp:1330 +#: Client.cpp:1329 msgid "Usage: /attach <#chans>" msgstr "Использование: /attach <#каналы>" -#: Client.cpp:1337 Client.cpp:1359 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: Client.cpp:1336 Client.cpp:1358 ClientCommand.cpp:129 ClientCommand.cpp:151 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" msgstr[0] "{1} канал подходит под маску [{2}]" @@ -266,7 +266,7 @@ msgstr[1] "{1} канала подходят под маску [{2}]" msgstr[2] "{1} каналов подходят под маску [{2}]" msgstr[3] "{1} каналов подходят под маску [{2}]" -#: Client.cpp:1340 ClientCommand.cpp:132 +#: Client.cpp:1339 ClientCommand.cpp:132 msgid "Attached {1} channel" msgid_plural "Attached {1} channels" msgstr[0] "Прицепляю {1} канал" @@ -274,11 +274,11 @@ msgstr[1] "Прицепляю {1} канала" msgstr[2] "Прицепляю {1} каналов" msgstr[3] "Прицепляю {1} каналов" -#: Client.cpp:1352 +#: Client.cpp:1351 msgid "Usage: /detach <#chans>" msgstr "Использование: /detach <#каналы>" -#: Client.cpp:1362 ClientCommand.cpp:154 +#: Client.cpp:1361 ClientCommand.cpp:154 msgid "Detached {1} channel" msgid_plural "Detached {1} channels" msgstr[0] "Отцепляю {1} канал" @@ -286,11 +286,11 @@ msgstr[1] "Отцепляю {1} канала" msgstr[2] "Отцепляю {1} каналов" msgstr[3] "Отцепляю {1} каналов" -#: Chan.cpp:638 +#: Chan.cpp:671 msgid "Buffer Playback..." msgstr "Воспроизведение буфера..." -#: Chan.cpp:676 +#: Chan.cpp:709 msgid "Playback Complete." msgstr "Воспроизведение завершено." From 773f4789a2418ce99f759f9155fdc73bafa213b7 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Mon, 12 Aug 2019 08:20:15 +0100 Subject: [PATCH 304/798] Style fix: use const Csock* in for-each loop --- modules/listsockets.cpp | 21 ++++++++++----------- src/Socket.cpp | 4 +--- 2 files changed, 11 insertions(+), 14 deletions(-) diff --git a/modules/listsockets.cpp b/modules/listsockets.cpp index 0f97f1a6..40ef8e5c 100644 --- a/modules/listsockets.cpp +++ b/modules/listsockets.cpp @@ -19,7 +19,7 @@ class CSocketSorter { public: - CSocketSorter(Csock* p) { m_pSock = p; } + CSocketSorter(const Csock* p) { m_pSock = p; } bool operator<(const CSocketSorter& other) const { // The 'biggest' item is displayed first. // return false: this is first @@ -49,10 +49,10 @@ class CSocketSorter { // and finally sort by the whole socket name return sMyName.StrCmp(sHisName) > 0; } - Csock* GetSock() const { return m_pSock; } + const Csock* GetSock() const { return m_pSock; } private: - Csock* m_pSock; + const Csock* m_pSock; }; class CListSockets : public CModule { @@ -79,8 +79,7 @@ class CListSockets : public CModule { CSockManager& m = CZNC::Get().GetManager(); std::priority_queue ret; - for (unsigned int a = 0; a < m.size(); a++) { - Csock* pSock = m[a]; + for (const Csock* pSock : m) { // These sockets went through SwapSockByAddr. That means // another socket took over the connection from this // socket. So ignore this to avoid listing the @@ -105,7 +104,7 @@ class CListSockets : public CModule { std::priority_queue socks = GetSockets(); while (!socks.empty()) { - Csock* pSocket = socks.top().GetSock(); + const Csock* pSocket = socks.top().GetSock(); socks.pop(); CTemplate& Row = Tmpl.AddRow("SocketsLoop"); @@ -136,7 +135,7 @@ class CListSockets : public CModule { ShowSocks(bShowHosts); } - CString GetSocketState(Csock* pSocket) { + CString GetSocketState(const Csock* pSocket) { switch (pSocket->GetType()) { case Csock::LISTENER: return t_s("Listener"); @@ -152,7 +151,7 @@ class CListSockets : public CModule { return t_s("UNKNOWN"); } - CString GetCreatedTime(Csock* pSocket) { + CString GetCreatedTime(const Csock* pSocket) { unsigned long long iStartTime = pSocket->GetStartTime(); timeval tv; tv.tv_sec = iStartTime / 1000; @@ -161,7 +160,7 @@ class CListSockets : public CModule { GetUser()->GetTimezone()); } - CString GetLocalHost(Csock* pSocket, bool bShowHosts) { + CString GetLocalHost(const Csock* pSocket, bool bShowHosts) { CString sBindHost; if (bShowHosts) { @@ -175,7 +174,7 @@ class CListSockets : public CModule { return sBindHost + " " + CString(pSocket->GetLocalPort()); } - CString GetRemoteHost(Csock* pSocket, bool bShowHosts) { + CString GetRemoteHost(const Csock* pSocket, bool bShowHosts) { CString sHost; u_short uPort; @@ -223,7 +222,7 @@ class CListSockets : public CModule { Table.AddColumn(t_s("Out")); while (!socks.empty()) { - Csock* pSocket = socks.top().GetSock(); + const Csock* pSocket = socks.top().GetSock(); socks.pop(); Table.AddRow(); diff --git a/src/Socket.cpp b/src/Socket.cpp index 36090aa9..ad95eb4d 100644 --- a/src/Socket.cpp +++ b/src/Socket.cpp @@ -76,11 +76,9 @@ CZNCSock::CZNCSock(const CString& sHost, u_short port, int timeout) } unsigned int CSockManager::GetAnonConnectionCount(const CString& sIP) const { - const_iterator it; unsigned int ret = 0; - for (it = begin(); it != end(); ++it) { - Csock* pSock = *it; + for (const Csock* pSock : *this) { // Logged in CClients have "USR::" as their sockname if (pSock->GetType() == Csock::INBOUND && pSock->GetRemoteIP() == sIP && !pSock->GetSockName().StartsWith("USR::")) { From b31cb679da948d1680d99f62976e51e4673287b9 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Tue, 13 Aug 2019 00:26:38 +0000 Subject: [PATCH 305/798] Update translations from Crowdin for bg_BG de_DE es_ES id_ID it_IT nl_NL ru_RU --- modules/po/listsockets.bg_BG.po | 48 ++++++++++++++++----------------- modules/po/listsockets.de_DE.po | 48 ++++++++++++++++----------------- modules/po/listsockets.es_ES.po | 48 ++++++++++++++++----------------- modules/po/listsockets.id_ID.po | 48 ++++++++++++++++----------------- modules/po/listsockets.it_IT.po | 48 ++++++++++++++++----------------- modules/po/listsockets.nl_NL.po | 48 ++++++++++++++++----------------- modules/po/listsockets.pot | 48 ++++++++++++++++----------------- modules/po/listsockets.ru_RU.po | 48 ++++++++++++++++----------------- src/po/znc.bg_BG.po | 10 +++---- src/po/znc.de_DE.po | 14 +++++----- src/po/znc.es_ES.po | 10 +++---- src/po/znc.id_ID.po | 10 +++---- src/po/znc.it_IT.po | 10 +++---- src/po/znc.nl_NL.po | 10 +++---- src/po/znc.pot | 10 +++---- src/po/znc.ru_RU.po | 10 +++---- 16 files changed, 234 insertions(+), 234 deletions(-) diff --git a/modules/po/listsockets.bg_BG.po b/modules/po/listsockets.bg_BG.po index 54472c3a..6932e399 100644 --- a/modules/po/listsockets.bg_BG.po +++ b/modules/po/listsockets.bg_BG.po @@ -12,33 +12,33 @@ msgstr "" "Language-Team: Bulgarian\n" "Language: bg_BG\n" -#: modules/po/../data/listsockets/tmpl/index.tmpl:7 listsockets.cpp:214 -#: listsockets.cpp:230 +#: modules/po/../data/listsockets/tmpl/index.tmpl:7 listsockets.cpp:213 +#: listsockets.cpp:229 msgid "Name" msgstr "" -#: modules/po/../data/listsockets/tmpl/index.tmpl:8 listsockets.cpp:215 -#: listsockets.cpp:231 +#: modules/po/../data/listsockets/tmpl/index.tmpl:8 listsockets.cpp:214 +#: listsockets.cpp:230 msgid "Created" msgstr "" -#: modules/po/../data/listsockets/tmpl/index.tmpl:9 listsockets.cpp:216 -#: listsockets.cpp:232 +#: modules/po/../data/listsockets/tmpl/index.tmpl:9 listsockets.cpp:215 +#: listsockets.cpp:231 msgid "State" msgstr "" -#: modules/po/../data/listsockets/tmpl/index.tmpl:10 listsockets.cpp:218 -#: listsockets.cpp:235 +#: modules/po/../data/listsockets/tmpl/index.tmpl:10 listsockets.cpp:217 +#: listsockets.cpp:234 msgid "SSL" msgstr "" -#: modules/po/../data/listsockets/tmpl/index.tmpl:11 listsockets.cpp:220 -#: listsockets.cpp:240 +#: modules/po/../data/listsockets/tmpl/index.tmpl:11 listsockets.cpp:219 +#: listsockets.cpp:239 msgid "Local" msgstr "" -#: modules/po/../data/listsockets/tmpl/index.tmpl:12 listsockets.cpp:221 -#: listsockets.cpp:242 +#: modules/po/../data/listsockets/tmpl/index.tmpl:12 listsockets.cpp:220 +#: listsockets.cpp:241 msgid "Remote" msgstr "" @@ -62,52 +62,52 @@ msgstr "" msgid "You must be admin to use this module" msgstr "" -#: listsockets.cpp:96 +#: listsockets.cpp:95 msgid "List sockets" msgstr "" -#: listsockets.cpp:116 listsockets.cpp:236 +#: listsockets.cpp:115 listsockets.cpp:235 msgctxt "ssl" msgid "Yes" msgstr "" -#: listsockets.cpp:116 listsockets.cpp:237 +#: listsockets.cpp:115 listsockets.cpp:236 msgctxt "ssl" msgid "No" msgstr "" -#: listsockets.cpp:142 +#: listsockets.cpp:141 msgid "Listener" msgstr "" -#: listsockets.cpp:144 +#: listsockets.cpp:143 msgid "Inbound" msgstr "" -#: listsockets.cpp:147 +#: listsockets.cpp:146 msgid "Outbound" msgstr "" -#: listsockets.cpp:149 +#: listsockets.cpp:148 msgid "Connecting" msgstr "" -#: listsockets.cpp:152 +#: listsockets.cpp:151 msgid "UNKNOWN" msgstr "" -#: listsockets.cpp:207 +#: listsockets.cpp:206 msgid "You have no open sockets." msgstr "" -#: listsockets.cpp:222 listsockets.cpp:244 +#: listsockets.cpp:221 listsockets.cpp:243 msgid "In" msgstr "" -#: listsockets.cpp:223 listsockets.cpp:246 +#: listsockets.cpp:222 listsockets.cpp:245 msgid "Out" msgstr "" -#: listsockets.cpp:262 +#: listsockets.cpp:261 msgid "Lists active sockets" msgstr "" diff --git a/modules/po/listsockets.de_DE.po b/modules/po/listsockets.de_DE.po index 60b6a469..3a5eb9c7 100644 --- a/modules/po/listsockets.de_DE.po +++ b/modules/po/listsockets.de_DE.po @@ -12,33 +12,33 @@ msgstr "" "Language-Team: German\n" "Language: de_DE\n" -#: modules/po/../data/listsockets/tmpl/index.tmpl:7 listsockets.cpp:214 -#: listsockets.cpp:230 +#: modules/po/../data/listsockets/tmpl/index.tmpl:7 listsockets.cpp:213 +#: listsockets.cpp:229 msgid "Name" msgstr "Name" -#: modules/po/../data/listsockets/tmpl/index.tmpl:8 listsockets.cpp:215 -#: listsockets.cpp:231 +#: modules/po/../data/listsockets/tmpl/index.tmpl:8 listsockets.cpp:214 +#: listsockets.cpp:230 msgid "Created" msgstr "Erzeugt" -#: modules/po/../data/listsockets/tmpl/index.tmpl:9 listsockets.cpp:216 -#: listsockets.cpp:232 +#: modules/po/../data/listsockets/tmpl/index.tmpl:9 listsockets.cpp:215 +#: listsockets.cpp:231 msgid "State" msgstr "Zustand" -#: modules/po/../data/listsockets/tmpl/index.tmpl:10 listsockets.cpp:218 -#: listsockets.cpp:235 +#: modules/po/../data/listsockets/tmpl/index.tmpl:10 listsockets.cpp:217 +#: listsockets.cpp:234 msgid "SSL" msgstr "SSL" -#: modules/po/../data/listsockets/tmpl/index.tmpl:11 listsockets.cpp:220 -#: listsockets.cpp:240 +#: modules/po/../data/listsockets/tmpl/index.tmpl:11 listsockets.cpp:219 +#: listsockets.cpp:239 msgid "Local" msgstr "Lokal" -#: modules/po/../data/listsockets/tmpl/index.tmpl:12 listsockets.cpp:221 -#: listsockets.cpp:242 +#: modules/po/../data/listsockets/tmpl/index.tmpl:12 listsockets.cpp:220 +#: listsockets.cpp:241 msgid "Remote" msgstr "Entfernt" @@ -63,52 +63,52 @@ msgstr "" msgid "You must be admin to use this module" msgstr "Du musst Administrator sein um dieses Modul zu verwenden" -#: listsockets.cpp:96 +#: listsockets.cpp:95 msgid "List sockets" msgstr "Liste Verbindungen auf" -#: listsockets.cpp:116 listsockets.cpp:236 +#: listsockets.cpp:115 listsockets.cpp:235 msgctxt "ssl" msgid "Yes" msgstr "Ja" -#: listsockets.cpp:116 listsockets.cpp:237 +#: listsockets.cpp:115 listsockets.cpp:236 msgctxt "ssl" msgid "No" msgstr "Nein" -#: listsockets.cpp:142 +#: listsockets.cpp:141 msgid "Listener" msgstr "Listener" -#: listsockets.cpp:144 +#: listsockets.cpp:143 msgid "Inbound" msgstr "Eingehend" -#: listsockets.cpp:147 +#: listsockets.cpp:146 msgid "Outbound" msgstr "Ausgehend" -#: listsockets.cpp:149 +#: listsockets.cpp:148 msgid "Connecting" msgstr "Verbindend" -#: listsockets.cpp:152 +#: listsockets.cpp:151 msgid "UNKNOWN" msgstr "UNBEKANNT" -#: listsockets.cpp:207 +#: listsockets.cpp:206 msgid "You have no open sockets." msgstr "Du hast keine offenen Verbindungen." -#: listsockets.cpp:222 listsockets.cpp:244 +#: listsockets.cpp:221 listsockets.cpp:243 msgid "In" msgstr "Ein" -#: listsockets.cpp:223 listsockets.cpp:246 +#: listsockets.cpp:222 listsockets.cpp:245 msgid "Out" msgstr "Aus" -#: listsockets.cpp:262 +#: listsockets.cpp:261 msgid "Lists active sockets" msgstr "Liste aktive Verbindungen auf" diff --git a/modules/po/listsockets.es_ES.po b/modules/po/listsockets.es_ES.po index 7e2011d6..2b1f22f2 100644 --- a/modules/po/listsockets.es_ES.po +++ b/modules/po/listsockets.es_ES.po @@ -12,33 +12,33 @@ msgstr "" "Language-Team: Spanish\n" "Language: es_ES\n" -#: modules/po/../data/listsockets/tmpl/index.tmpl:7 listsockets.cpp:214 -#: listsockets.cpp:230 +#: modules/po/../data/listsockets/tmpl/index.tmpl:7 listsockets.cpp:213 +#: listsockets.cpp:229 msgid "Name" msgstr "Nombre" -#: modules/po/../data/listsockets/tmpl/index.tmpl:8 listsockets.cpp:215 -#: listsockets.cpp:231 +#: modules/po/../data/listsockets/tmpl/index.tmpl:8 listsockets.cpp:214 +#: listsockets.cpp:230 msgid "Created" msgstr "Creado" -#: modules/po/../data/listsockets/tmpl/index.tmpl:9 listsockets.cpp:216 -#: listsockets.cpp:232 +#: modules/po/../data/listsockets/tmpl/index.tmpl:9 listsockets.cpp:215 +#: listsockets.cpp:231 msgid "State" msgstr "Estado" -#: modules/po/../data/listsockets/tmpl/index.tmpl:10 listsockets.cpp:218 -#: listsockets.cpp:235 +#: modules/po/../data/listsockets/tmpl/index.tmpl:10 listsockets.cpp:217 +#: listsockets.cpp:234 msgid "SSL" msgstr "SSL" -#: modules/po/../data/listsockets/tmpl/index.tmpl:11 listsockets.cpp:220 -#: listsockets.cpp:240 +#: modules/po/../data/listsockets/tmpl/index.tmpl:11 listsockets.cpp:219 +#: listsockets.cpp:239 msgid "Local" msgstr "Local" -#: modules/po/../data/listsockets/tmpl/index.tmpl:12 listsockets.cpp:221 -#: listsockets.cpp:242 +#: modules/po/../data/listsockets/tmpl/index.tmpl:12 listsockets.cpp:220 +#: listsockets.cpp:241 msgid "Remote" msgstr "Remoto" @@ -62,52 +62,52 @@ msgstr "Muestra una lista de sockets activos. Añade -n para mostrar IPs" msgid "You must be admin to use this module" msgstr "Debes ser admin para usar este módulo" -#: listsockets.cpp:96 +#: listsockets.cpp:95 msgid "List sockets" msgstr "Mostrar sockets" -#: listsockets.cpp:116 listsockets.cpp:236 +#: listsockets.cpp:115 listsockets.cpp:235 msgctxt "ssl" msgid "Yes" msgstr "Sí" -#: listsockets.cpp:116 listsockets.cpp:237 +#: listsockets.cpp:115 listsockets.cpp:236 msgctxt "ssl" msgid "No" msgstr "No" -#: listsockets.cpp:142 +#: listsockets.cpp:141 msgid "Listener" msgstr "En escucha" -#: listsockets.cpp:144 +#: listsockets.cpp:143 msgid "Inbound" msgstr "Entrantes" -#: listsockets.cpp:147 +#: listsockets.cpp:146 msgid "Outbound" msgstr "Salientes" -#: listsockets.cpp:149 +#: listsockets.cpp:148 msgid "Connecting" msgstr "Conectando" -#: listsockets.cpp:152 +#: listsockets.cpp:151 msgid "UNKNOWN" msgstr "Desconocido" -#: listsockets.cpp:207 +#: listsockets.cpp:206 msgid "You have no open sockets." msgstr "No tienes sockets abiertos." -#: listsockets.cpp:222 listsockets.cpp:244 +#: listsockets.cpp:221 listsockets.cpp:243 msgid "In" msgstr "Entrada" -#: listsockets.cpp:223 listsockets.cpp:246 +#: listsockets.cpp:222 listsockets.cpp:245 msgid "Out" msgstr "Salida" -#: listsockets.cpp:262 +#: listsockets.cpp:261 msgid "Lists active sockets" msgstr "Mostrar sockets activos" diff --git a/modules/po/listsockets.id_ID.po b/modules/po/listsockets.id_ID.po index e1fe1af8..08d9f6ef 100644 --- a/modules/po/listsockets.id_ID.po +++ b/modules/po/listsockets.id_ID.po @@ -12,33 +12,33 @@ msgstr "" "Language-Team: Indonesian\n" "Language: id_ID\n" -#: modules/po/../data/listsockets/tmpl/index.tmpl:7 listsockets.cpp:214 -#: listsockets.cpp:230 +#: modules/po/../data/listsockets/tmpl/index.tmpl:7 listsockets.cpp:213 +#: listsockets.cpp:229 msgid "Name" msgstr "" -#: modules/po/../data/listsockets/tmpl/index.tmpl:8 listsockets.cpp:215 -#: listsockets.cpp:231 +#: modules/po/../data/listsockets/tmpl/index.tmpl:8 listsockets.cpp:214 +#: listsockets.cpp:230 msgid "Created" msgstr "" -#: modules/po/../data/listsockets/tmpl/index.tmpl:9 listsockets.cpp:216 -#: listsockets.cpp:232 +#: modules/po/../data/listsockets/tmpl/index.tmpl:9 listsockets.cpp:215 +#: listsockets.cpp:231 msgid "State" msgstr "" -#: modules/po/../data/listsockets/tmpl/index.tmpl:10 listsockets.cpp:218 -#: listsockets.cpp:235 +#: modules/po/../data/listsockets/tmpl/index.tmpl:10 listsockets.cpp:217 +#: listsockets.cpp:234 msgid "SSL" msgstr "" -#: modules/po/../data/listsockets/tmpl/index.tmpl:11 listsockets.cpp:220 -#: listsockets.cpp:240 +#: modules/po/../data/listsockets/tmpl/index.tmpl:11 listsockets.cpp:219 +#: listsockets.cpp:239 msgid "Local" msgstr "" -#: modules/po/../data/listsockets/tmpl/index.tmpl:12 listsockets.cpp:221 -#: listsockets.cpp:242 +#: modules/po/../data/listsockets/tmpl/index.tmpl:12 listsockets.cpp:220 +#: listsockets.cpp:241 msgid "Remote" msgstr "" @@ -62,52 +62,52 @@ msgstr "" msgid "You must be admin to use this module" msgstr "" -#: listsockets.cpp:96 +#: listsockets.cpp:95 msgid "List sockets" msgstr "" -#: listsockets.cpp:116 listsockets.cpp:236 +#: listsockets.cpp:115 listsockets.cpp:235 msgctxt "ssl" msgid "Yes" msgstr "" -#: listsockets.cpp:116 listsockets.cpp:237 +#: listsockets.cpp:115 listsockets.cpp:236 msgctxt "ssl" msgid "No" msgstr "" -#: listsockets.cpp:142 +#: listsockets.cpp:141 msgid "Listener" msgstr "" -#: listsockets.cpp:144 +#: listsockets.cpp:143 msgid "Inbound" msgstr "" -#: listsockets.cpp:147 +#: listsockets.cpp:146 msgid "Outbound" msgstr "" -#: listsockets.cpp:149 +#: listsockets.cpp:148 msgid "Connecting" msgstr "" -#: listsockets.cpp:152 +#: listsockets.cpp:151 msgid "UNKNOWN" msgstr "" -#: listsockets.cpp:207 +#: listsockets.cpp:206 msgid "You have no open sockets." msgstr "" -#: listsockets.cpp:222 listsockets.cpp:244 +#: listsockets.cpp:221 listsockets.cpp:243 msgid "In" msgstr "" -#: listsockets.cpp:223 listsockets.cpp:246 +#: listsockets.cpp:222 listsockets.cpp:245 msgid "Out" msgstr "" -#: listsockets.cpp:262 +#: listsockets.cpp:261 msgid "Lists active sockets" msgstr "" diff --git a/modules/po/listsockets.it_IT.po b/modules/po/listsockets.it_IT.po index 03056bc5..cde451ba 100644 --- a/modules/po/listsockets.it_IT.po +++ b/modules/po/listsockets.it_IT.po @@ -12,33 +12,33 @@ msgstr "" "Language-Team: Italian\n" "Language: it_IT\n" -#: modules/po/../data/listsockets/tmpl/index.tmpl:7 listsockets.cpp:214 -#: listsockets.cpp:230 +#: modules/po/../data/listsockets/tmpl/index.tmpl:7 listsockets.cpp:213 +#: listsockets.cpp:229 msgid "Name" msgstr "Nome" -#: modules/po/../data/listsockets/tmpl/index.tmpl:8 listsockets.cpp:215 -#: listsockets.cpp:231 +#: modules/po/../data/listsockets/tmpl/index.tmpl:8 listsockets.cpp:214 +#: listsockets.cpp:230 msgid "Created" msgstr "Creato" -#: modules/po/../data/listsockets/tmpl/index.tmpl:9 listsockets.cpp:216 -#: listsockets.cpp:232 +#: modules/po/../data/listsockets/tmpl/index.tmpl:9 listsockets.cpp:215 +#: listsockets.cpp:231 msgid "State" msgstr "Stato" -#: modules/po/../data/listsockets/tmpl/index.tmpl:10 listsockets.cpp:218 -#: listsockets.cpp:235 +#: modules/po/../data/listsockets/tmpl/index.tmpl:10 listsockets.cpp:217 +#: listsockets.cpp:234 msgid "SSL" msgstr "SSL" -#: modules/po/../data/listsockets/tmpl/index.tmpl:11 listsockets.cpp:220 -#: listsockets.cpp:240 +#: modules/po/../data/listsockets/tmpl/index.tmpl:11 listsockets.cpp:219 +#: listsockets.cpp:239 msgid "Local" msgstr "Locale" -#: modules/po/../data/listsockets/tmpl/index.tmpl:12 listsockets.cpp:221 -#: listsockets.cpp:242 +#: modules/po/../data/listsockets/tmpl/index.tmpl:12 listsockets.cpp:220 +#: listsockets.cpp:241 msgid "Remote" msgstr "Remoto" @@ -63,52 +63,52 @@ msgstr "" msgid "You must be admin to use this module" msgstr "Devi essere amministratore per usare questo modulo" -#: listsockets.cpp:96 +#: listsockets.cpp:95 msgid "List sockets" msgstr "Elenca sockets" -#: listsockets.cpp:116 listsockets.cpp:236 +#: listsockets.cpp:115 listsockets.cpp:235 msgctxt "ssl" msgid "Yes" msgstr "Si" -#: listsockets.cpp:116 listsockets.cpp:237 +#: listsockets.cpp:115 listsockets.cpp:236 msgctxt "ssl" msgid "No" msgstr "No" -#: listsockets.cpp:142 +#: listsockets.cpp:141 msgid "Listener" msgstr "Listener (in ascolto)" -#: listsockets.cpp:144 +#: listsockets.cpp:143 msgid "Inbound" msgstr "In entrata" -#: listsockets.cpp:147 +#: listsockets.cpp:146 msgid "Outbound" msgstr "In uscita" -#: listsockets.cpp:149 +#: listsockets.cpp:148 msgid "Connecting" msgstr "Collegamento" -#: listsockets.cpp:152 +#: listsockets.cpp:151 msgid "UNKNOWN" msgstr "SCONOSCIUTO" -#: listsockets.cpp:207 +#: listsockets.cpp:206 msgid "You have no open sockets." msgstr "Non hai sockets aperti." -#: listsockets.cpp:222 listsockets.cpp:244 +#: listsockets.cpp:221 listsockets.cpp:243 msgid "In" msgstr "Dentro" -#: listsockets.cpp:223 listsockets.cpp:246 +#: listsockets.cpp:222 listsockets.cpp:245 msgid "Out" msgstr "Fuori" -#: listsockets.cpp:262 +#: listsockets.cpp:261 msgid "Lists active sockets" msgstr "Elenca i sockets attivi" diff --git a/modules/po/listsockets.nl_NL.po b/modules/po/listsockets.nl_NL.po index e3b0634b..d8b185f0 100644 --- a/modules/po/listsockets.nl_NL.po +++ b/modules/po/listsockets.nl_NL.po @@ -12,33 +12,33 @@ msgstr "" "Language-Team: Dutch\n" "Language: nl_NL\n" -#: modules/po/../data/listsockets/tmpl/index.tmpl:7 listsockets.cpp:214 -#: listsockets.cpp:230 +#: modules/po/../data/listsockets/tmpl/index.tmpl:7 listsockets.cpp:213 +#: listsockets.cpp:229 msgid "Name" msgstr "Naam" -#: modules/po/../data/listsockets/tmpl/index.tmpl:8 listsockets.cpp:215 -#: listsockets.cpp:231 +#: modules/po/../data/listsockets/tmpl/index.tmpl:8 listsockets.cpp:214 +#: listsockets.cpp:230 msgid "Created" msgstr "Gemaakt" -#: modules/po/../data/listsockets/tmpl/index.tmpl:9 listsockets.cpp:216 -#: listsockets.cpp:232 +#: modules/po/../data/listsockets/tmpl/index.tmpl:9 listsockets.cpp:215 +#: listsockets.cpp:231 msgid "State" msgstr "Status" -#: modules/po/../data/listsockets/tmpl/index.tmpl:10 listsockets.cpp:218 -#: listsockets.cpp:235 +#: modules/po/../data/listsockets/tmpl/index.tmpl:10 listsockets.cpp:217 +#: listsockets.cpp:234 msgid "SSL" msgstr "SSL" -#: modules/po/../data/listsockets/tmpl/index.tmpl:11 listsockets.cpp:220 -#: listsockets.cpp:240 +#: modules/po/../data/listsockets/tmpl/index.tmpl:11 listsockets.cpp:219 +#: listsockets.cpp:239 msgid "Local" msgstr "Lokaal" -#: modules/po/../data/listsockets/tmpl/index.tmpl:12 listsockets.cpp:221 -#: listsockets.cpp:242 +#: modules/po/../data/listsockets/tmpl/index.tmpl:12 listsockets.cpp:220 +#: listsockets.cpp:241 msgid "Remote" msgstr "Extern" @@ -64,52 +64,52 @@ msgstr "" msgid "You must be admin to use this module" msgstr "Je moet een beheerder zijn om deze module te mogen gebruiken" -#: listsockets.cpp:96 +#: listsockets.cpp:95 msgid "List sockets" msgstr "Laat sockets zien" -#: listsockets.cpp:116 listsockets.cpp:236 +#: listsockets.cpp:115 listsockets.cpp:235 msgctxt "ssl" msgid "Yes" msgstr "Ja" -#: listsockets.cpp:116 listsockets.cpp:237 +#: listsockets.cpp:115 listsockets.cpp:236 msgctxt "ssl" msgid "No" msgstr "Nee" -#: listsockets.cpp:142 +#: listsockets.cpp:141 msgid "Listener" msgstr "Luisteraar" -#: listsockets.cpp:144 +#: listsockets.cpp:143 msgid "Inbound" msgstr "Inkomend" -#: listsockets.cpp:147 +#: listsockets.cpp:146 msgid "Outbound" msgstr "Uitgaand" -#: listsockets.cpp:149 +#: listsockets.cpp:148 msgid "Connecting" msgstr "Verbinden" -#: listsockets.cpp:152 +#: listsockets.cpp:151 msgid "UNKNOWN" msgstr "ONBEKEND" -#: listsockets.cpp:207 +#: listsockets.cpp:206 msgid "You have no open sockets." msgstr "Je hebt geen openstaande sockets." -#: listsockets.cpp:222 listsockets.cpp:244 +#: listsockets.cpp:221 listsockets.cpp:243 msgid "In" msgstr "In" -#: listsockets.cpp:223 listsockets.cpp:246 +#: listsockets.cpp:222 listsockets.cpp:245 msgid "Out" msgstr "Uit" -#: listsockets.cpp:262 +#: listsockets.cpp:261 msgid "Lists active sockets" msgstr "Laat actieve sockets zien" diff --git a/modules/po/listsockets.pot b/modules/po/listsockets.pot index 1f4a7175..dbbb6c1e 100644 --- a/modules/po/listsockets.pot +++ b/modules/po/listsockets.pot @@ -3,33 +3,33 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -#: modules/po/../data/listsockets/tmpl/index.tmpl:7 listsockets.cpp:214 -#: listsockets.cpp:230 +#: modules/po/../data/listsockets/tmpl/index.tmpl:7 listsockets.cpp:213 +#: listsockets.cpp:229 msgid "Name" msgstr "" -#: modules/po/../data/listsockets/tmpl/index.tmpl:8 listsockets.cpp:215 -#: listsockets.cpp:231 +#: modules/po/../data/listsockets/tmpl/index.tmpl:8 listsockets.cpp:214 +#: listsockets.cpp:230 msgid "Created" msgstr "" -#: modules/po/../data/listsockets/tmpl/index.tmpl:9 listsockets.cpp:216 -#: listsockets.cpp:232 +#: modules/po/../data/listsockets/tmpl/index.tmpl:9 listsockets.cpp:215 +#: listsockets.cpp:231 msgid "State" msgstr "" -#: modules/po/../data/listsockets/tmpl/index.tmpl:10 listsockets.cpp:218 -#: listsockets.cpp:235 +#: modules/po/../data/listsockets/tmpl/index.tmpl:10 listsockets.cpp:217 +#: listsockets.cpp:234 msgid "SSL" msgstr "" -#: modules/po/../data/listsockets/tmpl/index.tmpl:11 listsockets.cpp:220 -#: listsockets.cpp:240 +#: modules/po/../data/listsockets/tmpl/index.tmpl:11 listsockets.cpp:219 +#: listsockets.cpp:239 msgid "Local" msgstr "" -#: modules/po/../data/listsockets/tmpl/index.tmpl:12 listsockets.cpp:221 -#: listsockets.cpp:242 +#: modules/po/../data/listsockets/tmpl/index.tmpl:12 listsockets.cpp:220 +#: listsockets.cpp:241 msgid "Remote" msgstr "" @@ -53,52 +53,52 @@ msgstr "" msgid "You must be admin to use this module" msgstr "" -#: listsockets.cpp:96 +#: listsockets.cpp:95 msgid "List sockets" msgstr "" -#: listsockets.cpp:116 listsockets.cpp:236 +#: listsockets.cpp:115 listsockets.cpp:235 msgctxt "ssl" msgid "Yes" msgstr "" -#: listsockets.cpp:116 listsockets.cpp:237 +#: listsockets.cpp:115 listsockets.cpp:236 msgctxt "ssl" msgid "No" msgstr "" -#: listsockets.cpp:142 +#: listsockets.cpp:141 msgid "Listener" msgstr "" -#: listsockets.cpp:144 +#: listsockets.cpp:143 msgid "Inbound" msgstr "" -#: listsockets.cpp:147 +#: listsockets.cpp:146 msgid "Outbound" msgstr "" -#: listsockets.cpp:149 +#: listsockets.cpp:148 msgid "Connecting" msgstr "" -#: listsockets.cpp:152 +#: listsockets.cpp:151 msgid "UNKNOWN" msgstr "" -#: listsockets.cpp:207 +#: listsockets.cpp:206 msgid "You have no open sockets." msgstr "" -#: listsockets.cpp:222 listsockets.cpp:244 +#: listsockets.cpp:221 listsockets.cpp:243 msgid "In" msgstr "" -#: listsockets.cpp:223 listsockets.cpp:246 +#: listsockets.cpp:222 listsockets.cpp:245 msgid "Out" msgstr "" -#: listsockets.cpp:262 +#: listsockets.cpp:261 msgid "Lists active sockets" msgstr "" diff --git a/modules/po/listsockets.ru_RU.po b/modules/po/listsockets.ru_RU.po index 8b0904c5..ee8b5c20 100644 --- a/modules/po/listsockets.ru_RU.po +++ b/modules/po/listsockets.ru_RU.po @@ -14,33 +14,33 @@ msgstr "" "Language-Team: Russian\n" "Language: ru_RU\n" -#: modules/po/../data/listsockets/tmpl/index.tmpl:7 listsockets.cpp:214 -#: listsockets.cpp:230 +#: modules/po/../data/listsockets/tmpl/index.tmpl:7 listsockets.cpp:213 +#: listsockets.cpp:229 msgid "Name" msgstr "Имя" -#: modules/po/../data/listsockets/tmpl/index.tmpl:8 listsockets.cpp:215 -#: listsockets.cpp:231 +#: modules/po/../data/listsockets/tmpl/index.tmpl:8 listsockets.cpp:214 +#: listsockets.cpp:230 msgid "Created" msgstr "Создан" -#: modules/po/../data/listsockets/tmpl/index.tmpl:9 listsockets.cpp:216 -#: listsockets.cpp:232 +#: modules/po/../data/listsockets/tmpl/index.tmpl:9 listsockets.cpp:215 +#: listsockets.cpp:231 msgid "State" msgstr "Состояние" -#: modules/po/../data/listsockets/tmpl/index.tmpl:10 listsockets.cpp:218 -#: listsockets.cpp:235 +#: modules/po/../data/listsockets/tmpl/index.tmpl:10 listsockets.cpp:217 +#: listsockets.cpp:234 msgid "SSL" msgstr "SSL" -#: modules/po/../data/listsockets/tmpl/index.tmpl:11 listsockets.cpp:220 -#: listsockets.cpp:240 +#: modules/po/../data/listsockets/tmpl/index.tmpl:11 listsockets.cpp:219 +#: listsockets.cpp:239 msgid "Local" msgstr "Локальное" -#: modules/po/../data/listsockets/tmpl/index.tmpl:12 listsockets.cpp:221 -#: listsockets.cpp:242 +#: modules/po/../data/listsockets/tmpl/index.tmpl:12 listsockets.cpp:220 +#: listsockets.cpp:241 msgid "Remote" msgstr "Удалённое" @@ -64,52 +64,52 @@ msgstr "Показать список активных сокетов. Укаж msgid "You must be admin to use this module" msgstr "Вы должны быть администратором для использования этого модуля" -#: listsockets.cpp:96 +#: listsockets.cpp:95 msgid "List sockets" msgstr "Список сокетов" -#: listsockets.cpp:116 listsockets.cpp:236 +#: listsockets.cpp:115 listsockets.cpp:235 msgctxt "ssl" msgid "Yes" msgstr "Да" -#: listsockets.cpp:116 listsockets.cpp:237 +#: listsockets.cpp:115 listsockets.cpp:236 msgctxt "ssl" msgid "No" msgstr "Нет" -#: listsockets.cpp:142 +#: listsockets.cpp:141 msgid "Listener" msgstr "Слушатель" -#: listsockets.cpp:144 +#: listsockets.cpp:143 msgid "Inbound" msgstr "Входящие" -#: listsockets.cpp:147 +#: listsockets.cpp:146 msgid "Outbound" msgstr "Исходящие" -#: listsockets.cpp:149 +#: listsockets.cpp:148 msgid "Connecting" msgstr "Подключение…" -#: listsockets.cpp:152 +#: listsockets.cpp:151 msgid "UNKNOWN" msgstr "НЕИЗВЕСТНО" -#: listsockets.cpp:207 +#: listsockets.cpp:206 msgid "You have no open sockets." msgstr "У вас нет открытых сокетов." -#: listsockets.cpp:222 listsockets.cpp:244 +#: listsockets.cpp:221 listsockets.cpp:243 msgid "In" msgstr "Входящие данные" -#: listsockets.cpp:223 listsockets.cpp:246 +#: listsockets.cpp:222 listsockets.cpp:245 msgid "Out" msgstr "Исходящие данные" -#: listsockets.cpp:262 +#: listsockets.cpp:261 msgid "Lists active sockets" msgstr "Список активных сокетов" diff --git a/src/po/znc.bg_BG.po b/src/po/znc.bg_BG.po index 0f99e13d..46fbcdaf 100644 --- a/src/po/znc.bg_BG.po +++ b/src/po/znc.bg_BG.po @@ -1659,25 +1659,25 @@ msgctxt "helpcmd|Restart|desc" msgid "Restart ZNC" msgstr "" -#: Socket.cpp:336 +#: Socket.cpp:334 msgid "Can't resolve server hostname" msgstr "" -#: Socket.cpp:343 +#: Socket.cpp:341 msgid "" "Can't resolve bind hostname. Try /znc ClearBindHost and /znc " "ClearUserBindHost" msgstr "" -#: Socket.cpp:348 +#: Socket.cpp:346 msgid "Server address is IPv4-only, but bindhost is IPv6-only" msgstr "" -#: Socket.cpp:357 +#: Socket.cpp:355 msgid "Server address is IPv6-only, but bindhost is IPv4-only" msgstr "" -#: Socket.cpp:515 +#: Socket.cpp:513 msgid "Some socket reached its max buffer limit and was closed!" msgstr "" diff --git a/src/po/znc.de_DE.po b/src/po/znc.de_DE.po index a1095985..33f40e14 100644 --- a/src/po/znc.de_DE.po +++ b/src/po/znc.de_DE.po @@ -1569,7 +1569,7 @@ msgstr "Zeige wie lange ZNC schon läuft" #: ClientCommand.cpp:1827 msgctxt "helpcmd|LoadMod|args" msgid "[--type=global|user|network] [args]" -msgstr "" +msgstr "[--type=global|user|network] [args]" #: ClientCommand.cpp:1829 msgctxt "helpcmd|LoadMod|desc" @@ -1589,7 +1589,7 @@ msgstr "Entlade ein Modul" #: ClientCommand.cpp:1835 msgctxt "helpcmd|ReloadMod|args" msgid "[--type=global|user|network] [args]" -msgstr "" +msgstr "[--type=global|user|network] [args]" #: ClientCommand.cpp:1837 msgctxt "helpcmd|ReloadMod|desc" @@ -1731,11 +1731,11 @@ msgctxt "helpcmd|Restart|desc" msgid "Restart ZNC" msgstr "Starte ZNC neu" -#: Socket.cpp:336 +#: Socket.cpp:334 msgid "Can't resolve server hostname" msgstr "Kann den Hostnamen des Servers nicht auflösen" -#: Socket.cpp:343 +#: Socket.cpp:341 msgid "" "Can't resolve bind hostname. Try /znc ClearBindHost and /znc " "ClearUserBindHost" @@ -1743,15 +1743,15 @@ msgstr "" "Kann Binde-Hostnamen nicht auflösen. Versuche /znc ClearBindHost und /znc " "ClearUserBindHost" -#: Socket.cpp:348 +#: Socket.cpp:346 msgid "Server address is IPv4-only, but bindhost is IPv6-only" msgstr "Server hat nur eine IPv4-Adresse, aber Binde-Hostname ist nur IPv6" -#: Socket.cpp:357 +#: Socket.cpp:355 msgid "Server address is IPv6-only, but bindhost is IPv4-only" msgstr "Server hat nur eine IPv6-Adresse, aber Binde-Hostname ist nur IPv4" -#: Socket.cpp:515 +#: Socket.cpp:513 msgid "Some socket reached its max buffer limit and was closed!" msgstr "" "Eine Verbindung hat ihre maximale Puffergrenze erreicht und wurde " diff --git a/src/po/znc.es_ES.po b/src/po/znc.es_ES.po index 09346d54..9c229176 100644 --- a/src/po/znc.es_ES.po +++ b/src/po/znc.es_ES.po @@ -1714,11 +1714,11 @@ msgctxt "helpcmd|Restart|desc" msgid "Restart ZNC" msgstr "Reiniciar ZNC" -#: Socket.cpp:336 +#: Socket.cpp:334 msgid "Can't resolve server hostname" msgstr "No se puede resolver el hostname del servidor" -#: Socket.cpp:343 +#: Socket.cpp:341 msgid "" "Can't resolve bind hostname. Try /znc ClearBindHost and /znc " "ClearUserBindHost" @@ -1726,15 +1726,15 @@ msgstr "" "No se puede resolver el bindhost. Prueba /znc ClearBindHost y /znc " "ClearUserBindHost" -#: Socket.cpp:348 +#: Socket.cpp:346 msgid "Server address is IPv4-only, but bindhost is IPv6-only" msgstr "La dirección del servidor es solo-IPv4, pero el bindhost es solo-IPv6" -#: Socket.cpp:357 +#: Socket.cpp:355 msgid "Server address is IPv6-only, but bindhost is IPv4-only" msgstr "La dirección del servidor es solo-IPv6, pero el bindhost es solo-IPv4" -#: Socket.cpp:515 +#: Socket.cpp:513 msgid "Some socket reached its max buffer limit and was closed!" msgstr "" "¡Algún socket ha alcanzado el límite de su búfer máximo y se ha cerrado!" diff --git a/src/po/znc.id_ID.po b/src/po/znc.id_ID.po index 9dcfe41c..f10253a7 100644 --- a/src/po/znc.id_ID.po +++ b/src/po/znc.id_ID.po @@ -1668,25 +1668,25 @@ msgctxt "helpcmd|Restart|desc" msgid "Restart ZNC" msgstr "" -#: Socket.cpp:336 +#: Socket.cpp:334 msgid "Can't resolve server hostname" msgstr "" -#: Socket.cpp:343 +#: Socket.cpp:341 msgid "" "Can't resolve bind hostname. Try /znc ClearBindHost and /znc " "ClearUserBindHost" msgstr "" -#: Socket.cpp:348 +#: Socket.cpp:346 msgid "Server address is IPv4-only, but bindhost is IPv6-only" msgstr "" -#: Socket.cpp:357 +#: Socket.cpp:355 msgid "Server address is IPv6-only, but bindhost is IPv4-only" msgstr "" -#: Socket.cpp:515 +#: Socket.cpp:513 msgid "Some socket reached its max buffer limit and was closed!" msgstr "" diff --git a/src/po/znc.it_IT.po b/src/po/znc.it_IT.po index 392d7a4a..e038a249 100644 --- a/src/po/znc.it_IT.po +++ b/src/po/znc.it_IT.po @@ -1724,11 +1724,11 @@ msgctxt "helpcmd|Restart|desc" msgid "Restart ZNC" msgstr "Riavvia lo ZNC" -#: Socket.cpp:336 +#: Socket.cpp:334 msgid "Can't resolve server hostname" msgstr "Impossibile risolvere il nome dell'host del server" -#: Socket.cpp:343 +#: Socket.cpp:341 msgid "" "Can't resolve bind hostname. Try /znc ClearBindHost and /znc " "ClearUserBindHost" @@ -1736,15 +1736,15 @@ msgstr "" "Impossibile risolvere l'hostname allegato. Prova /znc ClearBindHost e /znc " "ClearUserBindHost" -#: Socket.cpp:348 +#: Socket.cpp:346 msgid "Server address is IPv4-only, but bindhost is IPv6-only" msgstr "L'indirizzo del server è IPv4-only, ma il bindhost è IPv6-only" -#: Socket.cpp:357 +#: Socket.cpp:355 msgid "Server address is IPv6-only, but bindhost is IPv4-only" msgstr "L'indirizzo del server è IPv6-only, ma il bindhost è IPv4-only" -#: Socket.cpp:515 +#: Socket.cpp:513 msgid "Some socket reached its max buffer limit and was closed!" msgstr "" "Alcuni socket hanno raggiunto il limite massimo di buffer e sono stati " diff --git a/src/po/znc.nl_NL.po b/src/po/znc.nl_NL.po index c0bb7a47..0d986e17 100644 --- a/src/po/znc.nl_NL.po +++ b/src/po/znc.nl_NL.po @@ -1730,11 +1730,11 @@ msgctxt "helpcmd|Restart|desc" msgid "Restart ZNC" msgstr "Herstart ZNC" -#: Socket.cpp:336 +#: Socket.cpp:334 msgid "Can't resolve server hostname" msgstr "Kan server hostnaam niet oplossen" -#: Socket.cpp:343 +#: Socket.cpp:341 msgid "" "Can't resolve bind hostname. Try /znc ClearBindHost and /znc " "ClearUserBindHost" @@ -1742,15 +1742,15 @@ msgstr "" "Kan bindhostnaam niet oplossen. Probeer /znc ClearBindHost en /znc " "ClearUserBindHost" -#: Socket.cpp:348 +#: Socket.cpp:346 msgid "Server address is IPv4-only, but bindhost is IPv6-only" msgstr "Server adres is alleen IPv4, maar de bindhost is alleen IPv6" -#: Socket.cpp:357 +#: Socket.cpp:355 msgid "Server address is IPv6-only, but bindhost is IPv4-only" msgstr "Server adres is alleen IPv6, maar de bindhost is alleen IPv4" -#: Socket.cpp:515 +#: Socket.cpp:513 msgid "Some socket reached its max buffer limit and was closed!" msgstr "" "Een of andere socket heeft de maximale buffer limiet bereikt en was " diff --git a/src/po/znc.pot b/src/po/znc.pot index 45fa5ebe..57174f15 100644 --- a/src/po/znc.pot +++ b/src/po/znc.pot @@ -1650,25 +1650,25 @@ msgctxt "helpcmd|Restart|desc" msgid "Restart ZNC" msgstr "" -#: Socket.cpp:336 +#: Socket.cpp:334 msgid "Can't resolve server hostname" msgstr "" -#: Socket.cpp:343 +#: Socket.cpp:341 msgid "" "Can't resolve bind hostname. Try /znc ClearBindHost and /znc " "ClearUserBindHost" msgstr "" -#: Socket.cpp:348 +#: Socket.cpp:346 msgid "Server address is IPv4-only, but bindhost is IPv6-only" msgstr "" -#: Socket.cpp:357 +#: Socket.cpp:355 msgid "Server address is IPv6-only, but bindhost is IPv4-only" msgstr "" -#: Socket.cpp:515 +#: Socket.cpp:513 msgid "Some socket reached its max buffer limit and was closed!" msgstr "" diff --git a/src/po/znc.ru_RU.po b/src/po/znc.ru_RU.po index 1c06c5bd..69a3b77f 100644 --- a/src/po/znc.ru_RU.po +++ b/src/po/znc.ru_RU.po @@ -1711,25 +1711,25 @@ msgctxt "helpcmd|Restart|desc" msgid "Restart ZNC" msgstr "" -#: Socket.cpp:336 +#: Socket.cpp:334 msgid "Can't resolve server hostname" msgstr "" -#: Socket.cpp:343 +#: Socket.cpp:341 msgid "" "Can't resolve bind hostname. Try /znc ClearBindHost and /znc " "ClearUserBindHost" msgstr "" -#: Socket.cpp:348 +#: Socket.cpp:346 msgid "Server address is IPv4-only, but bindhost is IPv6-only" msgstr "" -#: Socket.cpp:357 +#: Socket.cpp:355 msgid "Server address is IPv6-only, but bindhost is IPv4-only" msgstr "" -#: Socket.cpp:515 +#: Socket.cpp:513 msgid "Some socket reached its max buffer limit and was closed!" msgstr "" From b8a6723aab77873b16074f7ac680391d215823cd Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Tue, 13 Aug 2019 00:27:30 +0000 Subject: [PATCH 306/798] Update translations from Crowdin for de_DE --- modules/po/q.de_DE.po | 16 ++++++++-------- src/po/znc.de_DE.po | 4 ++-- 2 files changed, 10 insertions(+), 10 deletions(-) diff --git a/modules/po/q.de_DE.po b/modules/po/q.de_DE.po index 5c9e0dcd..f130d197 100644 --- a/modules/po/q.de_DE.po +++ b/modules/po/q.de_DE.po @@ -14,27 +14,27 @@ msgstr "" #: modules/po/../data/q/tmpl/index.tmpl:11 msgid "Username:" -msgstr "" +msgstr "Benutzername:" #: modules/po/../data/q/tmpl/index.tmpl:13 msgid "Please enter a username." -msgstr "" +msgstr "Bitte gib einen Benutzernamen ein." #: modules/po/../data/q/tmpl/index.tmpl:16 msgid "Password:" -msgstr "" +msgstr "Passwort:" #: modules/po/../data/q/tmpl/index.tmpl:18 msgid "Please enter a password." -msgstr "" +msgstr "Bitte geben Sie ein Passwort ein." #: modules/po/../data/q/tmpl/index.tmpl:26 msgid "Options" -msgstr "" +msgstr "Optionen" #: modules/po/../data/q/tmpl/index.tmpl:42 msgid "Save" -msgstr "" +msgstr "Speichern" #: q.cpp:74 msgid "" @@ -49,13 +49,13 @@ msgstr "" #: q.cpp:113 q.cpp:116 q.cpp:121 q.cpp:126 q.cpp:130 q.cpp:135 q.cpp:140 msgid "Command" -msgstr "" +msgstr "Befehl" #: q.cpp:114 q.cpp:117 q.cpp:123 q.cpp:127 q.cpp:132 q.cpp:136 q.cpp:141 #: q.cpp:150 q.cpp:154 q.cpp:158 q.cpp:162 q.cpp:168 q.cpp:174 q.cpp:180 #: q.cpp:186 msgid "Description" -msgstr "" +msgstr "Beschreibung" #: q.cpp:116 msgid "Auth [ ]" diff --git a/src/po/znc.de_DE.po b/src/po/znc.de_DE.po index ca3021a6..9160de4d 100644 --- a/src/po/znc.de_DE.po +++ b/src/po/znc.de_DE.po @@ -1569,7 +1569,7 @@ msgstr "Zeige wie lange ZNC schon läuft" #: ClientCommand.cpp:1817 msgctxt "helpcmd|LoadMod|args" msgid "[--type=global|user|network] [args]" -msgstr "" +msgstr "[--type=global|user|network] [args]" #: ClientCommand.cpp:1819 msgctxt "helpcmd|LoadMod|desc" @@ -1589,7 +1589,7 @@ msgstr "Entlade ein Modul" #: ClientCommand.cpp:1825 msgctxt "helpcmd|ReloadMod|args" msgid "[--type=global|user|network] [args]" -msgstr "" +msgstr "[--type=global|user|network] [args]" #: ClientCommand.cpp:1827 msgctxt "helpcmd|ReloadMod|desc" From a79257a9aa8ef3c72a3299c3662250e3a8a0b726 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Wed, 14 Aug 2019 00:26:45 +0000 Subject: [PATCH 307/798] Update translations from Crowdin for fr_FR pt_BR --- modules/po/listsockets.fr_FR.po | 48 ++++++++++++++++----------------- modules/po/listsockets.pt_BR.po | 48 ++++++++++++++++----------------- src/po/znc.fr_FR.po | 10 +++---- src/po/znc.pt_BR.po | 10 +++---- 4 files changed, 58 insertions(+), 58 deletions(-) diff --git a/modules/po/listsockets.fr_FR.po b/modules/po/listsockets.fr_FR.po index f006ed1c..b1184453 100644 --- a/modules/po/listsockets.fr_FR.po +++ b/modules/po/listsockets.fr_FR.po @@ -12,33 +12,33 @@ msgstr "" "Language-Team: French\n" "Language: fr_FR\n" -#: modules/po/../data/listsockets/tmpl/index.tmpl:7 listsockets.cpp:214 -#: listsockets.cpp:230 +#: modules/po/../data/listsockets/tmpl/index.tmpl:7 listsockets.cpp:213 +#: listsockets.cpp:229 msgid "Name" msgstr "" -#: modules/po/../data/listsockets/tmpl/index.tmpl:8 listsockets.cpp:215 -#: listsockets.cpp:231 +#: modules/po/../data/listsockets/tmpl/index.tmpl:8 listsockets.cpp:214 +#: listsockets.cpp:230 msgid "Created" msgstr "" -#: modules/po/../data/listsockets/tmpl/index.tmpl:9 listsockets.cpp:216 -#: listsockets.cpp:232 +#: modules/po/../data/listsockets/tmpl/index.tmpl:9 listsockets.cpp:215 +#: listsockets.cpp:231 msgid "State" msgstr "" -#: modules/po/../data/listsockets/tmpl/index.tmpl:10 listsockets.cpp:218 -#: listsockets.cpp:235 +#: modules/po/../data/listsockets/tmpl/index.tmpl:10 listsockets.cpp:217 +#: listsockets.cpp:234 msgid "SSL" msgstr "" -#: modules/po/../data/listsockets/tmpl/index.tmpl:11 listsockets.cpp:220 -#: listsockets.cpp:240 +#: modules/po/../data/listsockets/tmpl/index.tmpl:11 listsockets.cpp:219 +#: listsockets.cpp:239 msgid "Local" msgstr "" -#: modules/po/../data/listsockets/tmpl/index.tmpl:12 listsockets.cpp:221 -#: listsockets.cpp:242 +#: modules/po/../data/listsockets/tmpl/index.tmpl:12 listsockets.cpp:220 +#: listsockets.cpp:241 msgid "Remote" msgstr "" @@ -62,52 +62,52 @@ msgstr "" msgid "You must be admin to use this module" msgstr "" -#: listsockets.cpp:96 +#: listsockets.cpp:95 msgid "List sockets" msgstr "" -#: listsockets.cpp:116 listsockets.cpp:236 +#: listsockets.cpp:115 listsockets.cpp:235 msgctxt "ssl" msgid "Yes" msgstr "" -#: listsockets.cpp:116 listsockets.cpp:237 +#: listsockets.cpp:115 listsockets.cpp:236 msgctxt "ssl" msgid "No" msgstr "" -#: listsockets.cpp:142 +#: listsockets.cpp:141 msgid "Listener" msgstr "" -#: listsockets.cpp:144 +#: listsockets.cpp:143 msgid "Inbound" msgstr "" -#: listsockets.cpp:147 +#: listsockets.cpp:146 msgid "Outbound" msgstr "" -#: listsockets.cpp:149 +#: listsockets.cpp:148 msgid "Connecting" msgstr "" -#: listsockets.cpp:152 +#: listsockets.cpp:151 msgid "UNKNOWN" msgstr "" -#: listsockets.cpp:207 +#: listsockets.cpp:206 msgid "You have no open sockets." msgstr "" -#: listsockets.cpp:222 listsockets.cpp:244 +#: listsockets.cpp:221 listsockets.cpp:243 msgid "In" msgstr "" -#: listsockets.cpp:223 listsockets.cpp:246 +#: listsockets.cpp:222 listsockets.cpp:245 msgid "Out" msgstr "" -#: listsockets.cpp:262 +#: listsockets.cpp:261 msgid "Lists active sockets" msgstr "" diff --git a/modules/po/listsockets.pt_BR.po b/modules/po/listsockets.pt_BR.po index a25ed589..261cffe6 100644 --- a/modules/po/listsockets.pt_BR.po +++ b/modules/po/listsockets.pt_BR.po @@ -12,33 +12,33 @@ msgstr "" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" -#: modules/po/../data/listsockets/tmpl/index.tmpl:7 listsockets.cpp:214 -#: listsockets.cpp:230 +#: modules/po/../data/listsockets/tmpl/index.tmpl:7 listsockets.cpp:213 +#: listsockets.cpp:229 msgid "Name" msgstr "" -#: modules/po/../data/listsockets/tmpl/index.tmpl:8 listsockets.cpp:215 -#: listsockets.cpp:231 +#: modules/po/../data/listsockets/tmpl/index.tmpl:8 listsockets.cpp:214 +#: listsockets.cpp:230 msgid "Created" msgstr "" -#: modules/po/../data/listsockets/tmpl/index.tmpl:9 listsockets.cpp:216 -#: listsockets.cpp:232 +#: modules/po/../data/listsockets/tmpl/index.tmpl:9 listsockets.cpp:215 +#: listsockets.cpp:231 msgid "State" msgstr "" -#: modules/po/../data/listsockets/tmpl/index.tmpl:10 listsockets.cpp:218 -#: listsockets.cpp:235 +#: modules/po/../data/listsockets/tmpl/index.tmpl:10 listsockets.cpp:217 +#: listsockets.cpp:234 msgid "SSL" msgstr "" -#: modules/po/../data/listsockets/tmpl/index.tmpl:11 listsockets.cpp:220 -#: listsockets.cpp:240 +#: modules/po/../data/listsockets/tmpl/index.tmpl:11 listsockets.cpp:219 +#: listsockets.cpp:239 msgid "Local" msgstr "" -#: modules/po/../data/listsockets/tmpl/index.tmpl:12 listsockets.cpp:221 -#: listsockets.cpp:242 +#: modules/po/../data/listsockets/tmpl/index.tmpl:12 listsockets.cpp:220 +#: listsockets.cpp:241 msgid "Remote" msgstr "" @@ -62,52 +62,52 @@ msgstr "" msgid "You must be admin to use this module" msgstr "" -#: listsockets.cpp:96 +#: listsockets.cpp:95 msgid "List sockets" msgstr "" -#: listsockets.cpp:116 listsockets.cpp:236 +#: listsockets.cpp:115 listsockets.cpp:235 msgctxt "ssl" msgid "Yes" msgstr "" -#: listsockets.cpp:116 listsockets.cpp:237 +#: listsockets.cpp:115 listsockets.cpp:236 msgctxt "ssl" msgid "No" msgstr "" -#: listsockets.cpp:142 +#: listsockets.cpp:141 msgid "Listener" msgstr "" -#: listsockets.cpp:144 +#: listsockets.cpp:143 msgid "Inbound" msgstr "" -#: listsockets.cpp:147 +#: listsockets.cpp:146 msgid "Outbound" msgstr "" -#: listsockets.cpp:149 +#: listsockets.cpp:148 msgid "Connecting" msgstr "" -#: listsockets.cpp:152 +#: listsockets.cpp:151 msgid "UNKNOWN" msgstr "" -#: listsockets.cpp:207 +#: listsockets.cpp:206 msgid "You have no open sockets." msgstr "" -#: listsockets.cpp:222 listsockets.cpp:244 +#: listsockets.cpp:221 listsockets.cpp:243 msgid "In" msgstr "" -#: listsockets.cpp:223 listsockets.cpp:246 +#: listsockets.cpp:222 listsockets.cpp:245 msgid "Out" msgstr "" -#: listsockets.cpp:262 +#: listsockets.cpp:261 msgid "Lists active sockets" msgstr "" diff --git a/src/po/znc.fr_FR.po b/src/po/znc.fr_FR.po index 25c629a2..9ec5d0a0 100644 --- a/src/po/znc.fr_FR.po +++ b/src/po/znc.fr_FR.po @@ -1726,11 +1726,11 @@ msgctxt "helpcmd|Restart|desc" msgid "Restart ZNC" msgstr "Redémarre ZNC" -#: Socket.cpp:336 +#: Socket.cpp:334 msgid "Can't resolve server hostname" msgstr "Impossible de résoudre le nom de domaine" -#: Socket.cpp:343 +#: Socket.cpp:341 msgid "" "Can't resolve bind hostname. Try /znc ClearBindHost and /znc " "ClearUserBindHost" @@ -1738,17 +1738,17 @@ msgstr "" "Impossible de résoudre le nom de domaine de l'hôte. Essayez /znc " "ClearBindHost et /znc ClearUserBindHost" -#: Socket.cpp:348 +#: Socket.cpp:346 msgid "Server address is IPv4-only, but bindhost is IPv6-only" msgstr "" "L'adresse du serveur est IPv4 uniquement, mais l'hôte lié est IPv6 seulement" -#: Socket.cpp:357 +#: Socket.cpp:355 msgid "Server address is IPv6-only, but bindhost is IPv4-only" msgstr "" "L'adresse du serveur est IPv6 uniquement, mais l'hôte lié est IPv4 seulement" -#: Socket.cpp:515 +#: Socket.cpp:513 msgid "Some socket reached its max buffer limit and was closed!" msgstr "Un socket a atteint sa limite maximale de tampon et s'est fermé !" diff --git a/src/po/znc.pt_BR.po b/src/po/znc.pt_BR.po index 0be3d759..d6ea9174 100644 --- a/src/po/znc.pt_BR.po +++ b/src/po/znc.pt_BR.po @@ -1699,11 +1699,11 @@ msgctxt "helpcmd|Restart|desc" msgid "Restart ZNC" msgstr "Reinicia o ZNC" -#: Socket.cpp:336 +#: Socket.cpp:334 msgid "Can't resolve server hostname" msgstr "Não é possível resolver o nome do host do servidor" -#: Socket.cpp:343 +#: Socket.cpp:341 msgid "" "Can't resolve bind hostname. Try /znc ClearBindHost and /znc " "ClearUserBindHost" @@ -1711,17 +1711,17 @@ msgstr "" "Não é possível resolver o nome do host de ligação (BindHost). Tente /znc " "ClearBindHost e /znc ClearUserBindHost" -#: Socket.cpp:348 +#: Socket.cpp:346 msgid "Server address is IPv4-only, but bindhost is IPv6-only" msgstr "" "O endereço do servidor permite apenas IPv4, mas o bindhost é apenas IPv6" -#: Socket.cpp:357 +#: Socket.cpp:355 msgid "Server address is IPv6-only, but bindhost is IPv4-only" msgstr "" "O endereço do servidor permite apenas IPv6, mas o bindhost é apenas IPv4" -#: Socket.cpp:515 +#: Socket.cpp:513 msgid "Some socket reached its max buffer limit and was closed!" msgstr "Algum socket atingiu seu limite máximo de buffer e foi fechado!" From 08eefc6fcdfae211112f285ee8f28c8fed2be15e Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Sat, 31 Aug 2019 00:27:42 +0000 Subject: [PATCH 308/798] Update translations from Crowdin for it_IT --- modules/po/q.it_IT.po | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/modules/po/q.it_IT.po b/modules/po/q.it_IT.po index de34eff3..bd7a5689 100644 --- a/modules/po/q.it_IT.po +++ b/modules/po/q.it_IT.po @@ -26,7 +26,7 @@ msgstr "Password:" #: modules/po/../data/q/tmpl/index.tmpl:18 msgid "Please enter a password." -msgstr "Pe favore inserisci una password." +msgstr "Per favore inserisci una password." #: modules/po/../data/q/tmpl/index.tmpl:26 msgid "Options" From 44b1fd5561c3dd9aacc01a8762ff9fdd1f13f07a Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Mon, 2 Sep 2019 00:27:23 +0000 Subject: [PATCH 309/798] Update translations from Crowdin for fr_FR --- modules/po/partyline.fr_FR.po | 8 ++++---- modules/po/q.fr_FR.po | 12 ++++++------ 2 files changed, 10 insertions(+), 10 deletions(-) diff --git a/modules/po/partyline.fr_FR.po b/modules/po/partyline.fr_FR.po index dfcf779a..026ea61d 100644 --- a/modules/po/partyline.fr_FR.po +++ b/modules/po/partyline.fr_FR.po @@ -14,19 +14,19 @@ msgstr "" #: partyline.cpp:60 msgid "There are no open channels." -msgstr "" +msgstr "Il n'y a pas de canaux ouverts." #: partyline.cpp:66 partyline.cpp:73 msgid "Channel" -msgstr "" +msgstr "Canal" #: partyline.cpp:67 partyline.cpp:74 msgid "Users" -msgstr "" +msgstr "Utilisateurs" #: partyline.cpp:82 msgid "List all open channels" -msgstr "" +msgstr "Lister tous les canaux ouverts" #: partyline.cpp:733 msgid "" diff --git a/modules/po/q.fr_FR.po b/modules/po/q.fr_FR.po index d9b56581..a89e5d9c 100644 --- a/modules/po/q.fr_FR.po +++ b/modules/po/q.fr_FR.po @@ -14,27 +14,27 @@ msgstr "" #: modules/po/../data/q/tmpl/index.tmpl:11 msgid "Username:" -msgstr "" +msgstr "Nom d'utilisateur :" #: modules/po/../data/q/tmpl/index.tmpl:13 msgid "Please enter a username." -msgstr "" +msgstr "Veuillez entrer un nom d'utilisateur." #: modules/po/../data/q/tmpl/index.tmpl:16 msgid "Password:" -msgstr "" +msgstr "Mot de passe :" #: modules/po/../data/q/tmpl/index.tmpl:18 msgid "Please enter a password." -msgstr "" +msgstr "Veuillez entrer un mot de passe." #: modules/po/../data/q/tmpl/index.tmpl:26 msgid "Options" -msgstr "" +msgstr "Options" #: modules/po/../data/q/tmpl/index.tmpl:42 msgid "Save" -msgstr "" +msgstr "Enregistrer" #: q.cpp:74 msgid "" From dbea05b1be08194e940b0f85c4745200683d1a7e Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Tue, 3 Sep 2019 00:27:20 +0000 Subject: [PATCH 310/798] Update translations from Crowdin for fr_FR --- modules/po/admindebug.fr_FR.po | 4 +- modules/po/autoop.fr_FR.po | 8 +-- modules/po/partyline.fr_FR.po | 8 ++- modules/po/q.fr_FR.po | 119 +++++++++++++++++++-------------- src/po/znc.fr_FR.po | 4 +- 5 files changed, 83 insertions(+), 60 deletions(-) diff --git a/modules/po/admindebug.fr_FR.po b/modules/po/admindebug.fr_FR.po index 74687ecf..0410b884 100644 --- a/modules/po/admindebug.fr_FR.po +++ b/modules/po/admindebug.fr_FR.po @@ -14,11 +14,11 @@ msgstr "" #: admindebug.cpp:30 msgid "Enable Debug Mode" -msgstr "" +msgstr "Activer le débogage" #: admindebug.cpp:32 msgid "Disable Debug Mode" -msgstr "" +msgstr "Désactiver le débogage" #: admindebug.cpp:34 msgid "Show the Debug Mode status" diff --git a/modules/po/autoop.fr_FR.po b/modules/po/autoop.fr_FR.po index e1177a47..b5863427 100644 --- a/modules/po/autoop.fr_FR.po +++ b/modules/po/autoop.fr_FR.po @@ -14,19 +14,19 @@ msgstr "" #: autoop.cpp:154 msgid "List all users" -msgstr "" +msgstr "Lister tous les utilisateurs" #: autoop.cpp:156 autoop.cpp:159 msgid " [channel] ..." -msgstr "" +msgstr " [channel]..." #: autoop.cpp:157 msgid "Adds channels to a user" -msgstr "" +msgstr "Ajoute des salons à un utilisateur" #: autoop.cpp:160 msgid "Removes channels from a user" -msgstr "" +msgstr "Retire des salons d'un utilisateur" #: autoop.cpp:162 autoop.cpp:165 msgid " ,[mask] ..." diff --git a/modules/po/partyline.fr_FR.po b/modules/po/partyline.fr_FR.po index 026ea61d..9fa1af6a 100644 --- a/modules/po/partyline.fr_FR.po +++ b/modules/po/partyline.fr_FR.po @@ -14,11 +14,11 @@ msgstr "" #: partyline.cpp:60 msgid "There are no open channels." -msgstr "Il n'y a pas de canaux ouverts." +msgstr "Il n'y a pas de salons ouverts." #: partyline.cpp:66 partyline.cpp:73 msgid "Channel" -msgstr "Canal" +msgstr "Salon" #: partyline.cpp:67 partyline.cpp:74 msgid "Users" @@ -33,7 +33,9 @@ msgid "" "You may enter a list of channels the user joins, when entering the internal " "partyline." msgstr "" +"Vous pouvez entrer une liste de salons que l'utilisateur rejoint, quand il " +"entre dans le réseau IRC interne." #: partyline.cpp:739 msgid "Internal channels and queries for users connected to ZNC" -msgstr "" +msgstr "Salons et requêtes internes pour les utilisateurs connectés à ZNC" diff --git a/modules/po/q.fr_FR.po b/modules/po/q.fr_FR.po index a89e5d9c..fc5fcca0 100644 --- a/modules/po/q.fr_FR.po +++ b/modules/po/q.fr_FR.po @@ -42,255 +42,276 @@ msgid "" "want to cloak your host now, /msg *q Cloak. You can set your preference " "with /msg *q Set UseCloakedHost true/false." msgstr "" +"Note : Votre nom d'hôte sera remplacé par votre cloak la prochaine fois que " +"vous vous reconnectez à IRC. Si vous voulez que ce soit fait maintenant, " +"tapez /msg *q Cloak. Vous pouvez modifier vos préférences avec /msg *q Set " +"UseCloakedHost true/false." #: q.cpp:111 msgid "The following commands are available:" -msgstr "" +msgstr "Les commandes suivantes sont disponibles :" #: q.cpp:113 q.cpp:116 q.cpp:121 q.cpp:126 q.cpp:130 q.cpp:135 q.cpp:140 msgid "Command" -msgstr "" +msgstr "Commande" #: q.cpp:114 q.cpp:117 q.cpp:123 q.cpp:127 q.cpp:132 q.cpp:136 q.cpp:141 #: q.cpp:150 q.cpp:154 q.cpp:158 q.cpp:162 q.cpp:168 q.cpp:174 q.cpp:180 #: q.cpp:186 msgid "Description" -msgstr "" +msgstr "Description" #: q.cpp:116 msgid "Auth [ ]" -msgstr "" +msgstr "Auth [ ]" #: q.cpp:118 msgid "Tries to authenticate you with Q. Both parameters are optional." -msgstr "" +msgstr "Tente de vous identifier avec Q. Tous les paramètres sont optionnels." #: q.cpp:124 msgid "Tries to set usermode +x to hide your real hostname." msgstr "" +"Tente d'ajouter le mode +x à l'utilisateur pour cacher votre nom d'hôte." #: q.cpp:128 msgid "Prints the current status of the module." -msgstr "" +msgstr "Affiche le statut actuel du module." #: q.cpp:133 msgid "Re-requests the current user information from Q." -msgstr "" +msgstr "Redemande les informations utilisateur actuelles à Q." #: q.cpp:135 msgid "Set " -msgstr "" +msgstr "Set " #: q.cpp:137 msgid "Changes the value of the given setting. See the list of settings below." msgstr "" +"Change la valeur du paramètre voulu. Voir la liste des paramètres ci-dessous." #: q.cpp:142 msgid "Prints out the current configuration. See the list of settings below." msgstr "" +"Affiche la configuration actuelle. Voir la liste des paramètres ci-dessous." #: q.cpp:146 msgid "The following settings are available:" -msgstr "" +msgstr "Les paramètres suivants sont disponibles :" #: q.cpp:148 q.cpp:152 q.cpp:156 q.cpp:160 q.cpp:166 q.cpp:172 q.cpp:178 #: q.cpp:183 q.cpp:227 q.cpp:230 q.cpp:233 q.cpp:236 q.cpp:239 q.cpp:242 #: q.cpp:245 q.cpp:248 msgid "Setting" -msgstr "" +msgstr "Paramètre" #: q.cpp:149 q.cpp:153 q.cpp:157 q.cpp:161 q.cpp:167 q.cpp:173 q.cpp:179 #: q.cpp:184 msgid "Type" -msgstr "" +msgstr "Type" #: q.cpp:153 q.cpp:157 msgid "String" -msgstr "" +msgstr "Chaîne" #: q.cpp:154 msgid "Your Q username." -msgstr "" +msgstr "Votre nom d'utilisateur Q." #: q.cpp:158 msgid "Your Q password." -msgstr "" +msgstr "Votre mot de passe Q." #: q.cpp:161 q.cpp:167 q.cpp:173 q.cpp:179 q.cpp:184 msgid "Boolean" -msgstr "" +msgstr "Booléen" #: q.cpp:163 q.cpp:373 msgid "Whether to cloak your hostname (+x) automatically on connect." msgstr "" +"Activer ou non le cloak du nom d'hôte (+x) automatiquement à la connexion." #: q.cpp:169 q.cpp:381 msgid "" "Whether to use the CHALLENGEAUTH mechanism to avoid sending passwords in " "cleartext." msgstr "" +"Utiliser ou non le mécanisme CHALLENGEAUTH pour éviter d'envoyer des mots de " +"passe en clair." #: q.cpp:175 q.cpp:389 msgid "Whether to request voice/op from Q on join/devoice/deop." msgstr "" +"Demander ou non parole/opérateur de Q à l'entrée/privation de parole/" +"privation d'opérateur." #: q.cpp:181 q.cpp:395 msgid "Whether to join channels when Q invites you." -msgstr "" +msgstr "Rejoindre ou non un salon si Q vous y invite." #: q.cpp:187 q.cpp:402 msgid "Whether to delay joining channels until after you are cloaked." msgstr "" +"Instaurer ou non un délai à la connexion des salons après activation du " +"cloak." #: q.cpp:192 msgid "This module takes 2 optional parameters: " msgstr "" +"Ce module nécessite 2 paramètres optionnels : " #: q.cpp:194 msgid "Module settings are stored between restarts." -msgstr "" +msgstr "Les réglages du module sont sauvegardés après redémarrage." #: q.cpp:200 msgid "Syntax: Set " -msgstr "" +msgstr "Syntaxe : Set " #: q.cpp:203 msgid "Username set" -msgstr "" +msgstr "Nom d'utilisateur indiqué" #: q.cpp:206 msgid "Password set" -msgstr "" +msgstr "Mot de passe indiqué" #: q.cpp:209 msgid "UseCloakedHost set" -msgstr "" +msgstr "UseCloakedHost paramétré" #: q.cpp:212 msgid "UseChallenge set" -msgstr "" +msgstr "UseChallenge paramétré" #: q.cpp:215 msgid "RequestPerms set" -msgstr "" +msgstr "RequestPerms paramétré" #: q.cpp:218 msgid "JoinOnInvite set" -msgstr "" +msgstr "JoinOnInvite paramétré" #: q.cpp:221 msgid "JoinAfterCloaked set" -msgstr "" +msgstr "JoinAfterCloaked paramétré" #: q.cpp:223 msgid "Unknown setting: {1}" -msgstr "" +msgstr "Réglage inconnu : {1}" #: q.cpp:228 q.cpp:231 q.cpp:234 q.cpp:237 q.cpp:240 q.cpp:243 q.cpp:246 #: q.cpp:249 msgid "Value" -msgstr "" +msgstr "Valeur" #: q.cpp:253 msgid "Connected: yes" -msgstr "" +msgstr "Connecté : oui" #: q.cpp:254 msgid "Connected: no" -msgstr "" +msgstr "Connecté : non" #: q.cpp:255 msgid "Cloacked: yes" -msgstr "" +msgstr "Cloaké : oui" #: q.cpp:255 msgid "Cloacked: no" -msgstr "" +msgstr "Cloaké : non" #: q.cpp:256 msgid "Authenticated: yes" -msgstr "" +msgstr "Identifié : oui" #: q.cpp:257 msgid "Authenticated: no" -msgstr "" +msgstr "Identifié : non" #: q.cpp:262 msgid "Error: You are not connected to IRC." -msgstr "" +msgstr "Erreur : vous n'êtes pas connectés à IRC." #: q.cpp:270 msgid "Error: You are already cloaked!" -msgstr "" +msgstr "Erreur : le cloak est déjà actif !" #: q.cpp:276 msgid "Error: You are already authed!" -msgstr "" +msgstr "Erreur : vous êtes déjà identifié !" #: q.cpp:280 msgid "Update requested." -msgstr "" +msgstr "Mise à jour demandée." #: q.cpp:283 msgid "Unknown command. Try 'help'." -msgstr "" +msgstr "Commande inconnue. Essayez 'help'." #: q.cpp:293 msgid "Cloak successful: Your hostname is now cloaked." -msgstr "" +msgstr "Cloak réussi : votre nom d'hôte est maintenant caché." #: q.cpp:408 msgid "Changes have been saved!" -msgstr "" +msgstr "Les changements ont été enregistrés !" #: q.cpp:435 msgid "Cloak: Trying to cloak your hostname, setting +x..." -msgstr "" +msgstr "Cloak : tentative d'anonymisation de l'hôte, ajout du mode +x..." #: q.cpp:452 msgid "" "You have to set a username and password to use this module! See 'help' for " "details." msgstr "" +"Vous devez indiquer un nom d'utilisateur et un mot de passe pour utiliser ce " +"module ! Voyez 'help' pour plus de détails." #: q.cpp:458 msgid "Auth: Requesting CHALLENGE..." -msgstr "" +msgstr "Auth : demande CHALLENGE..." #: q.cpp:462 msgid "Auth: Sending AUTH request..." -msgstr "" +msgstr "Auth : envoi de la requête AUTH..." #: q.cpp:479 msgid "Auth: Received challenge, sending CHALLENGEAUTH request..." -msgstr "" +msgstr "Auth : CHALLENGE reçu, envoi de la requête CHALLENGEAUTH..." #: q.cpp:521 msgid "Authentication failed: {1}" -msgstr "" +msgstr "Échec de l'identification : {1}" #: q.cpp:525 msgid "Authentication successful: {1}" -msgstr "" +msgstr "Identification réussie : {1}" #: q.cpp:539 msgid "" "Auth failed: Q does not support HMAC-SHA-256 for CHALLENGEAUTH, falling back " "to standard AUTH." msgstr "" +"Échec de l'identification : Q ne supporte pas HMAC-SHA-256 pour le message " +"CHALLENGEAUTH, rétrograde à AUTH standard." #: q.cpp:566 msgid "RequestPerms: Requesting op on {1}" -msgstr "" +msgstr "RequestPerms : Demande de statut opérateur sur {1}" #: q.cpp:579 msgid "RequestPerms: Requesting voice on {1}" -msgstr "" +msgstr "RequestPerms : Demande la parole sur {1}" #: q.cpp:686 msgid "Please provide your username and password for Q." msgstr "" +"Veuillez indiquer votre nom d'utilisateur et votre mot de passe pour Q." #: q.cpp:689 msgid "Auths you with QuakeNet's Q bot." -msgstr "" +msgstr "Vous identifie avec le robot Q de QuakeNet." diff --git a/src/po/znc.fr_FR.po b/src/po/znc.fr_FR.po index cbdb3952..ea7e1919 100644 --- a/src/po/znc.fr_FR.po +++ b/src/po/znc.fr_FR.po @@ -1563,7 +1563,7 @@ msgstr "Afficher le temps écoulé depuis le lancement de ZNC" #: ClientCommand.cpp:1817 msgctxt "helpcmd|LoadMod|args" msgid "[--type=global|user|network] [args]" -msgstr "" +msgstr "[--type=global|utilisateur|réseau] [arguments]" #: ClientCommand.cpp:1819 msgctxt "helpcmd|LoadMod|desc" @@ -1583,7 +1583,7 @@ msgstr "Désactiver un module" #: ClientCommand.cpp:1825 msgctxt "helpcmd|ReloadMod|args" msgid "[--type=global|user|network] [args]" -msgstr "" +msgstr "[--type=global|utilisateur|réseau] [arguments]" #: ClientCommand.cpp:1827 msgctxt "helpcmd|ReloadMod|desc" From 743a91ec215dc0825ab42a4d70208bf2de2b4df0 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Wed, 4 Sep 2019 00:26:56 +0000 Subject: [PATCH 311/798] Update translations from Crowdin for fr_FR --- modules/po/admindebug.fr_FR.po | 4 +-- modules/po/autoop.fr_FR.po | 62 ++++++++++++++++++---------------- modules/po/autovoice.fr_FR.po | 49 ++++++++++++++------------- modules/po/webadmin.fr_FR.po | 2 +- src/po/znc.fr_FR.po | 4 +-- 5 files changed, 63 insertions(+), 58 deletions(-) diff --git a/modules/po/admindebug.fr_FR.po b/modules/po/admindebug.fr_FR.po index 3840f15f..aaec9e12 100644 --- a/modules/po/admindebug.fr_FR.po +++ b/modules/po/admindebug.fr_FR.po @@ -14,11 +14,11 @@ msgstr "" #: admindebug.cpp:30 msgid "Enable Debug Mode" -msgstr "" +msgstr "Activer le débogage" #: admindebug.cpp:32 msgid "Disable Debug Mode" -msgstr "" +msgstr "Désactiver le débogage" #: admindebug.cpp:34 msgid "Show the Debug Mode status" diff --git a/modules/po/autoop.fr_FR.po b/modules/po/autoop.fr_FR.po index 76a87905..7a7d69bb 100644 --- a/modules/po/autoop.fr_FR.po +++ b/modules/po/autoop.fr_FR.po @@ -14,127 +14,129 @@ msgstr "" #: autoop.cpp:154 msgid "List all users" -msgstr "" +msgstr "Lister tous les utilisateurs" #: autoop.cpp:156 autoop.cpp:159 msgid " [channel] ..." -msgstr "" +msgstr " [channel]..." #: autoop.cpp:157 msgid "Adds channels to a user" -msgstr "" +msgstr "Ajoute des salons à un utilisateur" #: autoop.cpp:160 msgid "Removes channels from a user" -msgstr "" +msgstr "Retire des salons d'un utilisateur" #: autoop.cpp:162 autoop.cpp:165 msgid " ,[mask] ..." -msgstr "" +msgstr " ,[mask] ..." #: autoop.cpp:163 msgid "Adds masks to a user" -msgstr "" +msgstr "Ajoute des masques à un utilisateur" #: autoop.cpp:166 msgid "Removes masks from a user" -msgstr "" +msgstr "Supprime des masques d'un utilisateur" #: autoop.cpp:169 msgid " [,...] [channels]" -msgstr "" +msgstr " [,...] [channels]" #: autoop.cpp:170 msgid "Adds a user" -msgstr "" +msgstr "Ajoute un utilisateur" #: autoop.cpp:172 msgid "" -msgstr "" +msgstr "" #: autoop.cpp:172 msgid "Removes a user" -msgstr "" +msgstr "Supprime un utilisateur" #: autoop.cpp:275 msgid "Usage: AddUser [,...] [channels]" msgstr "" +"Utilisation : AddUser [,...] " +" [channels]" #: autoop.cpp:291 msgid "Usage: DelUser " -msgstr "" +msgstr "Utilisation : DelUser " #: autoop.cpp:300 msgid "There are no users defined" -msgstr "" +msgstr "Il n'y a pas d'utilisateurs définis" #: autoop.cpp:306 autoop.cpp:317 autoop.cpp:321 autoop.cpp:323 msgid "User" -msgstr "" +msgstr "Utilisateur" #: autoop.cpp:307 autoop.cpp:325 msgid "Hostmasks" -msgstr "" +msgstr "Masque réseau" #: autoop.cpp:308 autoop.cpp:318 msgid "Key" -msgstr "" +msgstr "Clé" #: autoop.cpp:309 autoop.cpp:319 msgid "Channels" -msgstr "" +msgstr "Salons" #: autoop.cpp:337 msgid "Usage: AddChans [channel] ..." -msgstr "" +msgstr "Utilisation : AddChans [channel] ..." #: autoop.cpp:344 autoop.cpp:365 autoop.cpp:387 autoop.cpp:408 autoop.cpp:472 msgid "No such user" -msgstr "" +msgstr "Utilisateur inconnu" #: autoop.cpp:349 msgid "Channel(s) added to user {1}" -msgstr "" +msgstr "Salon(s) ajouté(s) à l'utilisateur {1}" #: autoop.cpp:358 msgid "Usage: DelChans [channel] ..." -msgstr "" +msgstr "Utilisation : DelChans [channel] ..." #: autoop.cpp:371 msgid "Channel(s) Removed from user {1}" -msgstr "" +msgstr "Salons(s) supprimés de l'utilisateur {1}" #: autoop.cpp:380 msgid "Usage: AddMasks ,[mask] ..." -msgstr "" +msgstr "Utilisation : AddMasks ,[mask] ..." #: autoop.cpp:392 msgid "Hostmasks(s) added to user {1}" -msgstr "" +msgstr "Masques(s) ajouté(s) à l'utilisateur {1}" #: autoop.cpp:401 msgid "Usage: DelMasks ,[mask] ..." -msgstr "" +msgstr "Utilisation : DelMasks ,[mask] ..." #: autoop.cpp:413 msgid "Removed user {1} with key {2} and channels {3}" -msgstr "" +msgstr "Utilisateur {1} avec la clé {2} et les salons {3} supprimé" #: autoop.cpp:419 msgid "Hostmasks(s) Removed from user {1}" -msgstr "" +msgstr "Masques(s) supprimé(s) de l'utilisateur {1}" #: autoop.cpp:478 msgid "User {1} removed" -msgstr "" +msgstr "Utilisateur {1} supprimé" #: autoop.cpp:484 msgid "That user already exists" -msgstr "" +msgstr "Cet utilisateur existe déjà" #: autoop.cpp:490 msgid "User {1} added with hostmask(s) {2}" -msgstr "" +msgstr "Utilisateur {1} ajouté avec le(s) masque(s) {2}" #: autoop.cpp:532 msgid "" diff --git a/modules/po/autovoice.fr_FR.po b/modules/po/autovoice.fr_FR.po index 74092368..d07ebaeb 100644 --- a/modules/po/autovoice.fr_FR.po +++ b/modules/po/autovoice.fr_FR.po @@ -14,98 +14,101 @@ msgstr "" #: autovoice.cpp:120 msgid "List all users" -msgstr "" +msgstr "Lister tous les utilisateurs" #: autovoice.cpp:122 autovoice.cpp:125 msgid " [channel] ..." -msgstr "" +msgstr " [channel]..." #: autovoice.cpp:123 msgid "Adds channels to a user" -msgstr "" +msgstr "Ajoute des salons à un utilisateur" #: autovoice.cpp:126 msgid "Removes channels from a user" -msgstr "" +msgstr "Retire des salons d'un utilisateur" #: autovoice.cpp:128 msgid " [channels]" -msgstr "" +msgstr " [channels]" #: autovoice.cpp:129 msgid "Adds a user" -msgstr "" +msgstr "Ajoute un utilisateur" #: autovoice.cpp:131 msgid "" -msgstr "" +msgstr "" #: autovoice.cpp:131 msgid "Removes a user" -msgstr "" +msgstr "Supprime un utilisateur" #: autovoice.cpp:215 msgid "Usage: AddUser [channels]" -msgstr "" +msgstr "Utilisation : AddUser [channels]" #: autovoice.cpp:229 msgid "Usage: DelUser " -msgstr "" +msgstr "Utilisation : DelUser " #: autovoice.cpp:238 msgid "There are no users defined" -msgstr "" +msgstr "Il n'y a pas d'utilisateurs définis" #: autovoice.cpp:244 autovoice.cpp:250 msgid "User" -msgstr "" +msgstr "Utilisateur" #: autovoice.cpp:245 autovoice.cpp:251 msgid "Hostmask" -msgstr "" +msgstr "Masque réseau" #: autovoice.cpp:246 autovoice.cpp:252 msgid "Channels" -msgstr "" +msgstr "Salons" #: autovoice.cpp:263 msgid "Usage: AddChans [channel] ..." -msgstr "" +msgstr "Utilisation : AddChans [channel]..." #: autovoice.cpp:270 autovoice.cpp:292 autovoice.cpp:329 msgid "No such user" -msgstr "" +msgstr "Utilisateur inconnu" #: autovoice.cpp:275 msgid "Channel(s) added to user {1}" -msgstr "" +msgstr "Salon(s) ajouté(s) à l'utilisateur {1}" #: autovoice.cpp:285 msgid "Usage: DelChans [channel] ..." -msgstr "" +msgstr "Usage : DelChans [channel]..." #: autovoice.cpp:298 msgid "Channel(s) Removed from user {1}" -msgstr "" +msgstr "Salons(s) supprimés de l'utilisateur {1}" #: autovoice.cpp:335 msgid "User {1} removed" -msgstr "" +msgstr "Utilisateur {1} supprimé" #: autovoice.cpp:341 msgid "That user already exists" -msgstr "" +msgstr "Cet utilisateur existe déjà" #: autovoice.cpp:347 msgid "User {1} added with hostmask {2}" -msgstr "" +msgstr "Utilisateur {1} ajouté avec le masque {2}" #: autovoice.cpp:360 msgid "" "Each argument is either a channel you want autovoice for (which can include " "wildcards) or, if it starts with !, it is an exception for autovoice." msgstr "" +"Chaque argument est soit un salon pour lequel vous voulez donnez la parole " +"automatiquement (qui peut inclure des astérisques) soit, s'il commence " +"par !, est une exclusion de la parole automatique." #: autovoice.cpp:365 msgid "Auto voice the good people" -msgstr "" +msgstr "Donne la parole automatiquement aux gens bien" diff --git a/modules/po/webadmin.fr_FR.po b/modules/po/webadmin.fr_FR.po index 67f4656b..b1aa041f 100644 --- a/modules/po/webadmin.fr_FR.po +++ b/modules/po/webadmin.fr_FR.po @@ -202,7 +202,7 @@ msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:83 msgid "Trust the PKI:" -msgstr "" +msgstr "Approuver le PKI :" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:85 msgid "" diff --git a/src/po/znc.fr_FR.po b/src/po/znc.fr_FR.po index 9ec5d0a0..a33d529e 100644 --- a/src/po/znc.fr_FR.po +++ b/src/po/znc.fr_FR.po @@ -1563,7 +1563,7 @@ msgstr "Afficher le temps écoulé depuis le lancement de ZNC" #: ClientCommand.cpp:1827 msgctxt "helpcmd|LoadMod|args" msgid "[--type=global|user|network] [args]" -msgstr "" +msgstr "[--type=global|utilisateur|réseau] [arguments]" #: ClientCommand.cpp:1829 msgctxt "helpcmd|LoadMod|desc" @@ -1583,7 +1583,7 @@ msgstr "Désactiver un module" #: ClientCommand.cpp:1835 msgctxt "helpcmd|ReloadMod|args" msgid "[--type=global|user|network] [args]" -msgstr "" +msgstr "[--type=global|utilisateur|réseau] [arguments]" #: ClientCommand.cpp:1837 msgctxt "helpcmd|ReloadMod|desc" From 268fd322969a0f688df8711edb01986d79fb399d Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Wed, 4 Sep 2019 00:27:24 +0000 Subject: [PATCH 312/798] Update translations from Crowdin for fr_FR --- modules/po/autoop.fr_FR.po | 54 ++++++++++++++++++----------------- modules/po/autovoice.fr_FR.po | 49 ++++++++++++++++--------------- modules/po/q.fr_FR.po | 7 +++-- modules/po/webadmin.fr_FR.po | 2 +- 4 files changed, 59 insertions(+), 53 deletions(-) diff --git a/modules/po/autoop.fr_FR.po b/modules/po/autoop.fr_FR.po index b5863427..f4040b56 100644 --- a/modules/po/autoop.fr_FR.po +++ b/modules/po/autoop.fr_FR.po @@ -30,111 +30,113 @@ msgstr "Retire des salons d'un utilisateur" #: autoop.cpp:162 autoop.cpp:165 msgid " ,[mask] ..." -msgstr "" +msgstr " ,[mask] ..." #: autoop.cpp:163 msgid "Adds masks to a user" -msgstr "" +msgstr "Ajoute des masques à un utilisateur" #: autoop.cpp:166 msgid "Removes masks from a user" -msgstr "" +msgstr "Supprime des masques d'un utilisateur" #: autoop.cpp:169 msgid " [,...] [channels]" -msgstr "" +msgstr " [,...] [channels]" #: autoop.cpp:170 msgid "Adds a user" -msgstr "" +msgstr "Ajoute un utilisateur" #: autoop.cpp:172 msgid "" -msgstr "" +msgstr "" #: autoop.cpp:172 msgid "Removes a user" -msgstr "" +msgstr "Supprime un utilisateur" #: autoop.cpp:275 msgid "Usage: AddUser [,...] [channels]" msgstr "" +"Utilisation : AddUser [,...] " +" [channels]" #: autoop.cpp:291 msgid "Usage: DelUser " -msgstr "" +msgstr "Utilisation : DelUser " #: autoop.cpp:300 msgid "There are no users defined" -msgstr "" +msgstr "Il n'y a pas d'utilisateurs définis" #: autoop.cpp:306 autoop.cpp:317 autoop.cpp:321 autoop.cpp:323 msgid "User" -msgstr "" +msgstr "Utilisateur" #: autoop.cpp:307 autoop.cpp:325 msgid "Hostmasks" -msgstr "" +msgstr "Masque réseau" #: autoop.cpp:308 autoop.cpp:318 msgid "Key" -msgstr "" +msgstr "Clé" #: autoop.cpp:309 autoop.cpp:319 msgid "Channels" -msgstr "" +msgstr "Salons" #: autoop.cpp:337 msgid "Usage: AddChans [channel] ..." -msgstr "" +msgstr "Utilisation : AddChans [channel] ..." #: autoop.cpp:344 autoop.cpp:365 autoop.cpp:387 autoop.cpp:408 autoop.cpp:472 msgid "No such user" -msgstr "" +msgstr "Utilisateur inconnu" #: autoop.cpp:349 msgid "Channel(s) added to user {1}" -msgstr "" +msgstr "Salon(s) ajouté(s) à l'utilisateur {1}" #: autoop.cpp:358 msgid "Usage: DelChans [channel] ..." -msgstr "" +msgstr "Utilisation : DelChans [channel] ..." #: autoop.cpp:371 msgid "Channel(s) Removed from user {1}" -msgstr "" +msgstr "Salons(s) supprimés de l'utilisateur {1}" #: autoop.cpp:380 msgid "Usage: AddMasks ,[mask] ..." -msgstr "" +msgstr "Utilisation : AddMasks ,[mask] ..." #: autoop.cpp:392 msgid "Hostmasks(s) added to user {1}" -msgstr "" +msgstr "Masques(s) ajouté(s) à l'utilisateur {1}" #: autoop.cpp:401 msgid "Usage: DelMasks ,[mask] ..." -msgstr "" +msgstr "Utilisation : DelMasks ,[mask] ..." #: autoop.cpp:413 msgid "Removed user {1} with key {2} and channels {3}" -msgstr "" +msgstr "Utilisateur {1} avec la clé {2} et les salons {3} supprimé" #: autoop.cpp:419 msgid "Hostmasks(s) Removed from user {1}" -msgstr "" +msgstr "Masques(s) supprimé(s) de l'utilisateur {1}" #: autoop.cpp:478 msgid "User {1} removed" -msgstr "" +msgstr "Utilisateur {1} supprimé" #: autoop.cpp:484 msgid "That user already exists" -msgstr "" +msgstr "Cet utilisateur existe déjà" #: autoop.cpp:490 msgid "User {1} added with hostmask(s) {2}" -msgstr "" +msgstr "Utilisateur {1} ajouté avec le(s) masque(s) {2}" #: autoop.cpp:532 msgid "" diff --git a/modules/po/autovoice.fr_FR.po b/modules/po/autovoice.fr_FR.po index ca1d7660..ba729f9a 100644 --- a/modules/po/autovoice.fr_FR.po +++ b/modules/po/autovoice.fr_FR.po @@ -14,98 +14,101 @@ msgstr "" #: autovoice.cpp:120 msgid "List all users" -msgstr "" +msgstr "Lister tous les utilisateurs" #: autovoice.cpp:122 autovoice.cpp:125 msgid " [channel] ..." -msgstr "" +msgstr " [channel]..." #: autovoice.cpp:123 msgid "Adds channels to a user" -msgstr "" +msgstr "Ajoute des salons à un utilisateur" #: autovoice.cpp:126 msgid "Removes channels from a user" -msgstr "" +msgstr "Retire des salons d'un utilisateur" #: autovoice.cpp:128 msgid " [channels]" -msgstr "" +msgstr " [channels]" #: autovoice.cpp:129 msgid "Adds a user" -msgstr "" +msgstr "Ajoute un utilisateur" #: autovoice.cpp:131 msgid "" -msgstr "" +msgstr "" #: autovoice.cpp:131 msgid "Removes a user" -msgstr "" +msgstr "Supprime un utilisateur" #: autovoice.cpp:215 msgid "Usage: AddUser [channels]" -msgstr "" +msgstr "Utilisation : AddUser [channels]" #: autovoice.cpp:229 msgid "Usage: DelUser " -msgstr "" +msgstr "Utilisation : DelUser " #: autovoice.cpp:238 msgid "There are no users defined" -msgstr "" +msgstr "Il n'y a pas d'utilisateurs définis" #: autovoice.cpp:244 autovoice.cpp:250 msgid "User" -msgstr "" +msgstr "Utilisateur" #: autovoice.cpp:245 autovoice.cpp:251 msgid "Hostmask" -msgstr "" +msgstr "Masque réseau" #: autovoice.cpp:246 autovoice.cpp:252 msgid "Channels" -msgstr "" +msgstr "Salons" #: autovoice.cpp:263 msgid "Usage: AddChans [channel] ..." -msgstr "" +msgstr "Utilisation : AddChans [channel]..." #: autovoice.cpp:270 autovoice.cpp:292 autovoice.cpp:329 msgid "No such user" -msgstr "" +msgstr "Utilisateur inconnu" #: autovoice.cpp:275 msgid "Channel(s) added to user {1}" -msgstr "" +msgstr "Salon(s) ajouté(s) à l'utilisateur {1}" #: autovoice.cpp:285 msgid "Usage: DelChans [channel] ..." -msgstr "" +msgstr "Usage : DelChans [channel]..." #: autovoice.cpp:298 msgid "Channel(s) Removed from user {1}" -msgstr "" +msgstr "Salons(s) supprimés de l'utilisateur {1}" #: autovoice.cpp:335 msgid "User {1} removed" -msgstr "" +msgstr "Utilisateur {1} supprimé" #: autovoice.cpp:341 msgid "That user already exists" -msgstr "" +msgstr "Cet utilisateur existe déjà" #: autovoice.cpp:347 msgid "User {1} added with hostmask {2}" -msgstr "" +msgstr "Utilisateur {1} ajouté avec le masque {2}" #: autovoice.cpp:360 msgid "" "Each argument is either a channel you want autovoice for (which can include " "wildcards) or, if it starts with !, it is an exception for autovoice." msgstr "" +"Chaque argument est soit un salon pour lequel vous voulez donnez la parole " +"automatiquement (qui peut inclure des astérisques) soit, s'il commence " +"par !, est une exclusion de la parole automatique." #: autovoice.cpp:365 msgid "Auto voice the good people" -msgstr "" +msgstr "Donne la parole automatiquement aux gens bien" diff --git a/modules/po/q.fr_FR.po b/modules/po/q.fr_FR.po index fc5fcca0..1b7a883d 100644 --- a/modules/po/q.fr_FR.po +++ b/modules/po/q.fr_FR.po @@ -273,15 +273,16 @@ msgstr "" #: q.cpp:458 msgid "Auth: Requesting CHALLENGE..." -msgstr "Auth : demande CHALLENGE..." +msgstr "Identification : demande du message CHALLENGE..." #: q.cpp:462 msgid "Auth: Sending AUTH request..." -msgstr "Auth : envoi de la requête AUTH..." +msgstr "Identification : envoi de la requête AUTH..." #: q.cpp:479 msgid "Auth: Received challenge, sending CHALLENGEAUTH request..." -msgstr "Auth : CHALLENGE reçu, envoi de la requête CHALLENGEAUTH..." +msgstr "" +"Identification : message CHALLENGE reçu, envoi de la requête CHALLENGEAUTH..." #: q.cpp:521 msgid "Authentication failed: {1}" diff --git a/modules/po/webadmin.fr_FR.po b/modules/po/webadmin.fr_FR.po index 6bd9f1af..43d0babf 100644 --- a/modules/po/webadmin.fr_FR.po +++ b/modules/po/webadmin.fr_FR.po @@ -202,7 +202,7 @@ msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:83 msgid "Trust the PKI:" -msgstr "" +msgstr "Approuver le PKI :" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:85 msgid "" From 036b9d0df0e7a2c2f225382f5f46476b2f211296 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Sat, 7 Sep 2019 11:47:54 +0100 Subject: [PATCH 313/798] Rename nl_NL translation to nl-NL to match other languages. --- translations/{nl_NL => nl-NL} | 0 1 file changed, 0 insertions(+), 0 deletions(-) rename translations/{nl_NL => nl-NL} (100%) diff --git a/translations/nl_NL b/translations/nl-NL similarity index 100% rename from translations/nl_NL rename to translations/nl-NL From 020866e768b604ed31b7f954914c98981a213574 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Sat, 7 Sep 2019 11:51:04 +0100 Subject: [PATCH 314/798] Add it-IT --- translations/it-IT | 1 + 1 file changed, 1 insertion(+) create mode 100644 translations/it-IT diff --git a/translations/it-IT b/translations/it-IT new file mode 100644 index 00000000..6687cbdc --- /dev/null +++ b/translations/it-IT @@ -0,0 +1 @@ +SelfName Italiano From be7125fcb8ca19748382b27a1cd9c1d38feb3d2c Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Sat, 7 Sep 2019 20:04:23 +0100 Subject: [PATCH 315/798] nickserv: Report success of Clear commands. --- modules/nickserv.cpp | 10 ++++++++-- 1 file changed, 8 insertions(+), 2 deletions(-) diff --git a/modules/nickserv.cpp b/modules/nickserv.cpp index 4e0b17e0..e91f26d4 100644 --- a/modules/nickserv.cpp +++ b/modules/nickserv.cpp @@ -31,14 +31,20 @@ class CNickServ : public CModule { PutModule(t_s("Password set")); } - void ClearCommand(const CString& sLine) { DelNV("Password"); } + void ClearCommand(const CString& sLine) { + DelNV("Password"); + PutModule(t_s("Done")); + } void SetNSNameCommand(const CString& sLine) { SetNV("NickServName", sLine.Token(1, true)); PutModule(t_s("NickServ name set")); } - void ClearNSNameCommand(const CString& sLine) { DelNV("NickServName"); } + void ClearNSNameCommand(const CString& sLine) { + DelNV("NickServName"); + PutModule(t_s("Done")); + } void ViewCommandsCommand(const CString& sLine) { PutModule("IDENTIFY " + GetNV("IdentifyCmd")); From 874ecf9606fd9bb666f2efbfe5570c5071abaf99 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Sat, 7 Sep 2019 21:12:33 +0100 Subject: [PATCH 316/798] ZNC 1.7.5-rc1 --- CMakeLists.txt | 8 ++++---- configure.ac | 4 ++-- include/znc/version.h | 4 ++-- 3 files changed, 8 insertions(+), 8 deletions(-) diff --git a/CMakeLists.txt b/CMakeLists.txt index c126a9aa..e13c42af 100644 --- a/CMakeLists.txt +++ b/CMakeLists.txt @@ -15,10 +15,10 @@ # cmake_minimum_required(VERSION 3.1) -project(ZNC VERSION 1.7.4) -set(ZNC_VERSION 1.7.x) -set(append_git_version true) -set(alpha_version "") # e.g. "-rc1" +project(ZNC VERSION 1.7.5) +set(ZNC_VERSION 1.7.5) +set(append_git_version false) +set(alpha_version "-rc1") # e.g. "-rc1" set(VERSION_EXTRA "" CACHE STRING "Additional string appended to version, e.g. to mark distribution") diff --git a/configure.ac b/configure.ac index 40f07c02..673ac6e2 100644 --- a/configure.ac +++ b/configure.ac @@ -7,8 +7,8 @@ AC_DEFUN([AC_PROG_CC], [m4_errprint(__file__:__line__[: Something is trying to u dnl Needed for AC_PATH_PROGS_FEATURE_CHECK which was added in 2.62 AC_PREREQ([2.62]) dnl Keep the version number in sync with version.h! -AC_INIT([znc], [1.7.x]) -LIBZNC_VERSION=1.7.x +AC_INIT([znc], [1.7.5-rc1]) +LIBZNC_VERSION=1.7.5 AC_CONFIG_MACRO_DIR([m4]) AC_CONFIG_SRCDIR([src/znc.cpp]) AC_LANG([C++]) diff --git a/include/znc/version.h b/include/znc/version.h index 3f3fbab8..391ed4a3 100644 --- a/include/znc/version.h +++ b/include/znc/version.h @@ -20,9 +20,9 @@ limitations under the License. // The following defines are for #if comparison (preprocessor only likes ints) #define VERSION_MAJOR 1 #define VERSION_MINOR 7 -#define VERSION_PATCH -1 +#define VERSION_PATCH 5 // This one is for display purpose and to check ABI compatibility of modules -#define VERSION_STR "1.7.x" +#define VERSION_STR "1.7.5" #endif // Don't use this one From 826c981cce182fd9f356a33141de3f157a884d1b Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Sun, 8 Sep 2019 00:26:47 +0000 Subject: [PATCH 317/798] Update translations from Crowdin for bg_BG de_DE es_ES fr_FR id_ID it_IT nl_NL pt_BR ru_RU --- modules/po/adminlog.it_IT.po | 6 +++--- modules/po/nickserv.bg_BG.po | 32 ++++++++++++++++++-------------- modules/po/nickserv.de_DE.po | 32 ++++++++++++++++++-------------- modules/po/nickserv.es_ES.po | 32 ++++++++++++++++++-------------- modules/po/nickserv.fr_FR.po | 32 ++++++++++++++++++-------------- modules/po/nickserv.id_ID.po | 32 ++++++++++++++++++-------------- modules/po/nickserv.it_IT.po | 32 ++++++++++++++++++-------------- modules/po/nickserv.nl_NL.po | 32 ++++++++++++++++++-------------- modules/po/nickserv.pot | 32 ++++++++++++++++++-------------- modules/po/nickserv.pt_BR.po | 32 ++++++++++++++++++-------------- modules/po/nickserv.ru_RU.po | 32 ++++++++++++++++++-------------- 11 files changed, 183 insertions(+), 143 deletions(-) diff --git a/modules/po/adminlog.it_IT.po b/modules/po/adminlog.it_IT.po index 91a70e4a..740e9aae 100644 --- a/modules/po/adminlog.it_IT.po +++ b/modules/po/adminlog.it_IT.po @@ -34,7 +34,7 @@ msgstr "Adesso logging su file" #: adminlog.cpp:160 msgid "Now only logging to syslog" -msgstr "Adesso logging solo su syslog" +msgstr "Ora logging solo su syslog" #: adminlog.cpp:164 msgid "Now logging to syslog and file" @@ -58,7 +58,7 @@ msgstr "Il logging è abilitato per il syslog" #: adminlog.cpp:198 msgid "Logging is enabled for both, file and syslog" -msgstr "Il logging è abilitato per sia per i file sia per il syslog" +msgstr "Il logging è abilitato per entrambi, file e syslog" #: adminlog.cpp:204 msgid "Log file will be written to {1}" @@ -66,4 +66,4 @@ msgstr "I file di Log verranno scritti su {1}" #: adminlog.cpp:222 msgid "Log ZNC events to file and/or syslog." -msgstr "Logga gli eventi ZNC su file e/o syslog." +msgstr "Logga gli eventi dello ZNC su file e/o syslog." diff --git a/modules/po/nickserv.bg_BG.po b/modules/po/nickserv.bg_BG.po index 8bbf05da..748c9aca 100644 --- a/modules/po/nickserv.bg_BG.po +++ b/modules/po/nickserv.bg_BG.po @@ -16,60 +16,64 @@ msgstr "" msgid "Password set" msgstr "" -#: nickserv.cpp:38 +#: nickserv.cpp:36 nickserv.cpp:46 +msgid "Done" +msgstr "" + +#: nickserv.cpp:41 msgid "NickServ name set" msgstr "" -#: nickserv.cpp:54 +#: nickserv.cpp:60 msgid "No such editable command. See ViewCommands for list." msgstr "" -#: nickserv.cpp:57 +#: nickserv.cpp:63 msgid "Ok" msgstr "" -#: nickserv.cpp:62 +#: nickserv.cpp:68 msgid "password" msgstr "" -#: nickserv.cpp:62 +#: nickserv.cpp:68 msgid "Set your nickserv password" msgstr "" -#: nickserv.cpp:64 +#: nickserv.cpp:70 msgid "Clear your nickserv password" msgstr "" -#: nickserv.cpp:66 +#: nickserv.cpp:72 msgid "nickname" msgstr "" -#: nickserv.cpp:67 +#: nickserv.cpp:73 msgid "" "Set NickServ name (Useful on networks like EpiKnet, where NickServ is named " "Themis" msgstr "" -#: nickserv.cpp:71 +#: nickserv.cpp:77 msgid "Reset NickServ name to default (NickServ)" msgstr "" -#: nickserv.cpp:75 +#: nickserv.cpp:81 msgid "Show patterns for lines, which are being sent to NickServ" msgstr "" -#: nickserv.cpp:77 +#: nickserv.cpp:83 msgid "cmd new-pattern" msgstr "" -#: nickserv.cpp:78 +#: nickserv.cpp:84 msgid "Set pattern for commands" msgstr "" -#: nickserv.cpp:140 +#: nickserv.cpp:146 msgid "Please enter your nickserv password." msgstr "" -#: nickserv.cpp:144 +#: nickserv.cpp:150 msgid "Auths you with NickServ (prefer SASL module instead)" msgstr "" diff --git a/modules/po/nickserv.de_DE.po b/modules/po/nickserv.de_DE.po index a71b3e1a..695a35ac 100644 --- a/modules/po/nickserv.de_DE.po +++ b/modules/po/nickserv.de_DE.po @@ -16,36 +16,40 @@ msgstr "" msgid "Password set" msgstr "Passwort gesetzt" -#: nickserv.cpp:38 +#: nickserv.cpp:36 nickserv.cpp:46 +msgid "Done" +msgstr "" + +#: nickserv.cpp:41 msgid "NickServ name set" msgstr "NickServe-Name gesetzt" -#: nickserv.cpp:54 +#: nickserv.cpp:60 msgid "No such editable command. See ViewCommands for list." msgstr "" "Kein solcher bearbeitbarer Befehl. Sieh dir ViewCommands für eine Liste an." -#: nickserv.cpp:57 +#: nickserv.cpp:63 msgid "Ok" msgstr "Ok" -#: nickserv.cpp:62 +#: nickserv.cpp:68 msgid "password" msgstr "Passwort" -#: nickserv.cpp:62 +#: nickserv.cpp:68 msgid "Set your nickserv password" msgstr "Setzt dein Nickserv-Passwort" -#: nickserv.cpp:64 +#: nickserv.cpp:70 msgid "Clear your nickserv password" msgstr "Löscht dein Nickserv-Passwort" -#: nickserv.cpp:66 +#: nickserv.cpp:72 msgid "nickname" msgstr "Nickname" -#: nickserv.cpp:67 +#: nickserv.cpp:73 msgid "" "Set NickServ name (Useful on networks like EpiKnet, where NickServ is named " "Themis" @@ -53,27 +57,27 @@ msgstr "" "Setzt den Nickserv-Namen (Nützlich für Netzwerke wie EpiKnet, wo Nickserv " "Themis heißt Themis" -#: nickserv.cpp:71 +#: nickserv.cpp:77 msgid "Reset NickServ name to default (NickServ)" msgstr "Setzt Nickserv-Name auf Standard zurück (NickServ)" -#: nickserv.cpp:75 +#: nickserv.cpp:81 msgid "Show patterns for lines, which are being sent to NickServ" msgstr "Zeige Muster für Linien, die an NickServ geschickt werden" -#: nickserv.cpp:77 +#: nickserv.cpp:83 msgid "cmd new-pattern" msgstr "Befehl neues-Muster" -#: nickserv.cpp:78 +#: nickserv.cpp:84 msgid "Set pattern for commands" msgstr "Setzt Muster für Befehle" -#: nickserv.cpp:140 +#: nickserv.cpp:146 msgid "Please enter your nickserv password." msgstr "Bitte gebe dein Nickserv-Passwort ein." -#: nickserv.cpp:144 +#: nickserv.cpp:150 msgid "Auths you with NickServ (prefer SASL module instead)" msgstr "" "Authentifiziert dich mit NickServ (präferiere statt dessen das SASL-Modul)" diff --git a/modules/po/nickserv.es_ES.po b/modules/po/nickserv.es_ES.po index baa79c2a..59cd2cee 100644 --- a/modules/po/nickserv.es_ES.po +++ b/modules/po/nickserv.es_ES.po @@ -16,35 +16,39 @@ msgstr "" msgid "Password set" msgstr "Contraseña establecida" -#: nickserv.cpp:38 +#: nickserv.cpp:36 nickserv.cpp:46 +msgid "Done" +msgstr "" + +#: nickserv.cpp:41 msgid "NickServ name set" msgstr "Nombre de NickServ establecido" -#: nickserv.cpp:54 +#: nickserv.cpp:60 msgid "No such editable command. See ViewCommands for list." msgstr "Comando no encontrado. Utiliza ViewCommands para ver una lista." -#: nickserv.cpp:57 +#: nickserv.cpp:63 msgid "Ok" msgstr "OK" -#: nickserv.cpp:62 +#: nickserv.cpp:68 msgid "password" msgstr "Contraseña" -#: nickserv.cpp:62 +#: nickserv.cpp:68 msgid "Set your nickserv password" msgstr "Establece tu contraseña de NickServ" -#: nickserv.cpp:64 +#: nickserv.cpp:70 msgid "Clear your nickserv password" msgstr "Borra tu contraseña de NickServ" -#: nickserv.cpp:66 +#: nickserv.cpp:72 msgid "nickname" msgstr "Nick" -#: nickserv.cpp:67 +#: nickserv.cpp:73 msgid "" "Set NickServ name (Useful on networks like EpiKnet, where NickServ is named " "Themis" @@ -52,26 +56,26 @@ msgstr "" "Establece el nombre de NickServ (util en redes donde NickServ se llama de " "otra manera)" -#: nickserv.cpp:71 +#: nickserv.cpp:77 msgid "Reset NickServ name to default (NickServ)" msgstr "Restablece el nombre de NickServ al predeterminado" -#: nickserv.cpp:75 +#: nickserv.cpp:81 msgid "Show patterns for lines, which are being sent to NickServ" msgstr "Mostrar patrones de líneas que son enviados a NickServ" -#: nickserv.cpp:77 +#: nickserv.cpp:83 msgid "cmd new-pattern" msgstr "cmd nuevo-patrón" -#: nickserv.cpp:78 +#: nickserv.cpp:84 msgid "Set pattern for commands" msgstr "Establece patrones para comandos" -#: nickserv.cpp:140 +#: nickserv.cpp:146 msgid "Please enter your nickserv password." msgstr "Por favor, introduce tu contraseña de NickServ." -#: nickserv.cpp:144 +#: nickserv.cpp:150 msgid "Auths you with NickServ (prefer SASL module instead)" msgstr "Te autentica con NickServ (es preferible usar el módulo de SASL)" diff --git a/modules/po/nickserv.fr_FR.po b/modules/po/nickserv.fr_FR.po index 0120c941..90638377 100644 --- a/modules/po/nickserv.fr_FR.po +++ b/modules/po/nickserv.fr_FR.po @@ -16,60 +16,64 @@ msgstr "" msgid "Password set" msgstr "" -#: nickserv.cpp:38 +#: nickserv.cpp:36 nickserv.cpp:46 +msgid "Done" +msgstr "" + +#: nickserv.cpp:41 msgid "NickServ name set" msgstr "" -#: nickserv.cpp:54 +#: nickserv.cpp:60 msgid "No such editable command. See ViewCommands for list." msgstr "" -#: nickserv.cpp:57 +#: nickserv.cpp:63 msgid "Ok" msgstr "" -#: nickserv.cpp:62 +#: nickserv.cpp:68 msgid "password" msgstr "" -#: nickserv.cpp:62 +#: nickserv.cpp:68 msgid "Set your nickserv password" msgstr "" -#: nickserv.cpp:64 +#: nickserv.cpp:70 msgid "Clear your nickserv password" msgstr "" -#: nickserv.cpp:66 +#: nickserv.cpp:72 msgid "nickname" msgstr "" -#: nickserv.cpp:67 +#: nickserv.cpp:73 msgid "" "Set NickServ name (Useful on networks like EpiKnet, where NickServ is named " "Themis" msgstr "" -#: nickserv.cpp:71 +#: nickserv.cpp:77 msgid "Reset NickServ name to default (NickServ)" msgstr "" -#: nickserv.cpp:75 +#: nickserv.cpp:81 msgid "Show patterns for lines, which are being sent to NickServ" msgstr "" -#: nickserv.cpp:77 +#: nickserv.cpp:83 msgid "cmd new-pattern" msgstr "" -#: nickserv.cpp:78 +#: nickserv.cpp:84 msgid "Set pattern for commands" msgstr "" -#: nickserv.cpp:140 +#: nickserv.cpp:146 msgid "Please enter your nickserv password." msgstr "" -#: nickserv.cpp:144 +#: nickserv.cpp:150 msgid "Auths you with NickServ (prefer SASL module instead)" msgstr "" diff --git a/modules/po/nickserv.id_ID.po b/modules/po/nickserv.id_ID.po index 83fc27da..9e619143 100644 --- a/modules/po/nickserv.id_ID.po +++ b/modules/po/nickserv.id_ID.po @@ -16,35 +16,39 @@ msgstr "" msgid "Password set" msgstr "Kata sandi diatur" -#: nickserv.cpp:38 +#: nickserv.cpp:36 nickserv.cpp:46 +msgid "Done" +msgstr "" + +#: nickserv.cpp:41 msgid "NickServ name set" msgstr "Atur nama NickServ" -#: nickserv.cpp:54 +#: nickserv.cpp:60 msgid "No such editable command. See ViewCommands for list." msgstr "Tidak ada perintah yang dapat diedit. Lihat daftar ViewCommands." -#: nickserv.cpp:57 +#: nickserv.cpp:63 msgid "Ok" msgstr "Oke" -#: nickserv.cpp:62 +#: nickserv.cpp:68 msgid "password" msgstr "sandi" -#: nickserv.cpp:62 +#: nickserv.cpp:68 msgid "Set your nickserv password" msgstr "Atur kata sandi nickserv anda" -#: nickserv.cpp:64 +#: nickserv.cpp:70 msgid "Clear your nickserv password" msgstr "Bersihkan kata sandi nickserv anda" -#: nickserv.cpp:66 +#: nickserv.cpp:72 msgid "nickname" msgstr "nickname" -#: nickserv.cpp:67 +#: nickserv.cpp:73 msgid "" "Set NickServ name (Useful on networks like EpiKnet, where NickServ is named " "Themis" @@ -52,26 +56,26 @@ msgstr "" "Atur nama NickServ (Berguna pada jaringan seperti EpiKnet, di mana NickServ " "diberi nama Themis" -#: nickserv.cpp:71 +#: nickserv.cpp:77 msgid "Reset NickServ name to default (NickServ)" msgstr "Kembalikan nama NickServ ke standar (NickServ)" -#: nickserv.cpp:75 +#: nickserv.cpp:81 msgid "Show patterns for lines, which are being sent to NickServ" msgstr "Tampilkan pola untuk garis, yang dikirim ke NickServ" -#: nickserv.cpp:77 +#: nickserv.cpp:83 msgid "cmd new-pattern" msgstr "cmd new-pattern" -#: nickserv.cpp:78 +#: nickserv.cpp:84 msgid "Set pattern for commands" msgstr "Atur pola untuk perintah" -#: nickserv.cpp:140 +#: nickserv.cpp:146 msgid "Please enter your nickserv password." msgstr "Silahkan masukkan kata sandi nickserv anda." -#: nickserv.cpp:144 +#: nickserv.cpp:150 msgid "Auths you with NickServ (prefer SASL module instead)" msgstr "Auths anda dengan NickServ (lebih memilih modul SASL sebagai gantinya)" diff --git a/modules/po/nickserv.it_IT.po b/modules/po/nickserv.it_IT.po index 31c8b44a..998b7d0e 100644 --- a/modules/po/nickserv.it_IT.po +++ b/modules/po/nickserv.it_IT.po @@ -16,37 +16,41 @@ msgstr "" msgid "Password set" msgstr "Password impostata correttamente" -#: nickserv.cpp:38 +#: nickserv.cpp:36 nickserv.cpp:46 +msgid "Done" +msgstr "" + +#: nickserv.cpp:41 msgid "NickServ name set" msgstr "Nuovo nome per NickServ impostato correttamente" -#: nickserv.cpp:54 +#: nickserv.cpp:60 msgid "No such editable command. See ViewCommands for list." msgstr "" "Nessun comando simile da modificare. Digita ViewCommands per vederne la " "lista." -#: nickserv.cpp:57 +#: nickserv.cpp:63 msgid "Ok" msgstr "Ok" -#: nickserv.cpp:62 +#: nickserv.cpp:68 msgid "password" msgstr "password" -#: nickserv.cpp:62 +#: nickserv.cpp:68 msgid "Set your nickserv password" msgstr "Imposta la tua password per nickserv" -#: nickserv.cpp:64 +#: nickserv.cpp:70 msgid "Clear your nickserv password" msgstr "Rimuove dallo ZNC la password utilizzata per identificarti a NickServ" -#: nickserv.cpp:66 +#: nickserv.cpp:72 msgid "nickname" msgstr "nickname" -#: nickserv.cpp:67 +#: nickserv.cpp:73 msgid "" "Set NickServ name (Useful on networks like EpiKnet, where NickServ is named " "Themis" @@ -54,29 +58,29 @@ msgstr "" "Imposta il nome di NickServ (utile su networks come EpiKnet, dove NickServ è " "chiamato Themis)" -#: nickserv.cpp:71 +#: nickserv.cpp:77 msgid "Reset NickServ name to default (NickServ)" msgstr "Riporta il nome di NickServ ai valori di default (NickServ)" -#: nickserv.cpp:75 +#: nickserv.cpp:81 msgid "Show patterns for lines, which are being sent to NickServ" msgstr "Mostra i modelli (patterns) per linea, che vengono inviati a nikserv" -#: nickserv.cpp:77 +#: nickserv.cpp:83 msgid "cmd new-pattern" msgstr "comando nuovo-modello" -#: nickserv.cpp:78 +#: nickserv.cpp:84 msgid "Set pattern for commands" msgstr "Imposta un modello (pattern) per i comandi" -#: nickserv.cpp:140 +#: nickserv.cpp:146 msgid "Please enter your nickserv password." msgstr "" "Per favore inserisci la password che usi per identificarti attraverso " "NickServ." -#: nickserv.cpp:144 +#: nickserv.cpp:150 msgid "Auths you with NickServ (prefer SASL module instead)" msgstr "" "Autorizza il tuo nick attraverso NickServ (anziché dal modulo SASL " diff --git a/modules/po/nickserv.nl_NL.po b/modules/po/nickserv.nl_NL.po index 2922e0c9..385abea9 100644 --- a/modules/po/nickserv.nl_NL.po +++ b/modules/po/nickserv.nl_NL.po @@ -16,35 +16,39 @@ msgstr "" msgid "Password set" msgstr "Wachtwoord ingesteld" -#: nickserv.cpp:38 +#: nickserv.cpp:36 nickserv.cpp:46 +msgid "Done" +msgstr "" + +#: nickserv.cpp:41 msgid "NickServ name set" msgstr "NickServ naam ingesteld" -#: nickserv.cpp:54 +#: nickserv.cpp:60 msgid "No such editable command. See ViewCommands for list." msgstr "Geen aanpasbaar commando. Zie ViewCommands voor een lijst." -#: nickserv.cpp:57 +#: nickserv.cpp:63 msgid "Ok" msgstr "Oké" -#: nickserv.cpp:62 +#: nickserv.cpp:68 msgid "password" msgstr "wachtwoord" -#: nickserv.cpp:62 +#: nickserv.cpp:68 msgid "Set your nickserv password" msgstr "Stel je nickserv wachtwoord in" -#: nickserv.cpp:64 +#: nickserv.cpp:70 msgid "Clear your nickserv password" msgstr "Leegt je nickserv wachtwoord" -#: nickserv.cpp:66 +#: nickserv.cpp:72 msgid "nickname" msgstr "naam" -#: nickserv.cpp:67 +#: nickserv.cpp:73 msgid "" "Set NickServ name (Useful on networks like EpiKnet, where NickServ is named " "Themis" @@ -52,26 +56,26 @@ msgstr "" "Stel NickServ naam in (nuttig op netwerken zoals EpiKnet waar NickServ " "Themis heet)" -#: nickserv.cpp:71 +#: nickserv.cpp:77 msgid "Reset NickServ name to default (NickServ)" msgstr "Reset de naam van NickServ naar de standaard (NickServ)" -#: nickserv.cpp:75 +#: nickserv.cpp:81 msgid "Show patterns for lines, which are being sent to NickServ" msgstr "Laat patroon voor de regels zien die gestuurd worden naar NickServ" -#: nickserv.cpp:77 +#: nickserv.cpp:83 msgid "cmd new-pattern" msgstr "cmd nieuw-patroon" -#: nickserv.cpp:78 +#: nickserv.cpp:84 msgid "Set pattern for commands" msgstr "Stel patroon in voor commando's" -#: nickserv.cpp:140 +#: nickserv.cpp:146 msgid "Please enter your nickserv password." msgstr "Voer alsjeblieft je nickserv wachtwoord in." -#: nickserv.cpp:144 +#: nickserv.cpp:150 msgid "Auths you with NickServ (prefer SASL module instead)" msgstr "Authenticeert je met NickServ (SASL module heeft de voorkeur)" diff --git a/modules/po/nickserv.pot b/modules/po/nickserv.pot index f54ad88a..66b20139 100644 --- a/modules/po/nickserv.pot +++ b/modules/po/nickserv.pot @@ -7,60 +7,64 @@ msgstr "" msgid "Password set" msgstr "" -#: nickserv.cpp:38 +#: nickserv.cpp:36 nickserv.cpp:46 +msgid "Done" +msgstr "" + +#: nickserv.cpp:41 msgid "NickServ name set" msgstr "" -#: nickserv.cpp:54 +#: nickserv.cpp:60 msgid "No such editable command. See ViewCommands for list." msgstr "" -#: nickserv.cpp:57 +#: nickserv.cpp:63 msgid "Ok" msgstr "" -#: nickserv.cpp:62 +#: nickserv.cpp:68 msgid "password" msgstr "" -#: nickserv.cpp:62 +#: nickserv.cpp:68 msgid "Set your nickserv password" msgstr "" -#: nickserv.cpp:64 +#: nickserv.cpp:70 msgid "Clear your nickserv password" msgstr "" -#: nickserv.cpp:66 +#: nickserv.cpp:72 msgid "nickname" msgstr "" -#: nickserv.cpp:67 +#: nickserv.cpp:73 msgid "" "Set NickServ name (Useful on networks like EpiKnet, where NickServ is named " "Themis" msgstr "" -#: nickserv.cpp:71 +#: nickserv.cpp:77 msgid "Reset NickServ name to default (NickServ)" msgstr "" -#: nickserv.cpp:75 +#: nickserv.cpp:81 msgid "Show patterns for lines, which are being sent to NickServ" msgstr "" -#: nickserv.cpp:77 +#: nickserv.cpp:83 msgid "cmd new-pattern" msgstr "" -#: nickserv.cpp:78 +#: nickserv.cpp:84 msgid "Set pattern for commands" msgstr "" -#: nickserv.cpp:140 +#: nickserv.cpp:146 msgid "Please enter your nickserv password." msgstr "" -#: nickserv.cpp:144 +#: nickserv.cpp:150 msgid "Auths you with NickServ (prefer SASL module instead)" msgstr "" diff --git a/modules/po/nickserv.pt_BR.po b/modules/po/nickserv.pt_BR.po index e92edac9..7d170d2f 100644 --- a/modules/po/nickserv.pt_BR.po +++ b/modules/po/nickserv.pt_BR.po @@ -16,60 +16,64 @@ msgstr "" msgid "Password set" msgstr "" -#: nickserv.cpp:38 +#: nickserv.cpp:36 nickserv.cpp:46 +msgid "Done" +msgstr "" + +#: nickserv.cpp:41 msgid "NickServ name set" msgstr "" -#: nickserv.cpp:54 +#: nickserv.cpp:60 msgid "No such editable command. See ViewCommands for list." msgstr "" -#: nickserv.cpp:57 +#: nickserv.cpp:63 msgid "Ok" msgstr "" -#: nickserv.cpp:62 +#: nickserv.cpp:68 msgid "password" msgstr "" -#: nickserv.cpp:62 +#: nickserv.cpp:68 msgid "Set your nickserv password" msgstr "" -#: nickserv.cpp:64 +#: nickserv.cpp:70 msgid "Clear your nickserv password" msgstr "" -#: nickserv.cpp:66 +#: nickserv.cpp:72 msgid "nickname" msgstr "" -#: nickserv.cpp:67 +#: nickserv.cpp:73 msgid "" "Set NickServ name (Useful on networks like EpiKnet, where NickServ is named " "Themis" msgstr "" -#: nickserv.cpp:71 +#: nickserv.cpp:77 msgid "Reset NickServ name to default (NickServ)" msgstr "" -#: nickserv.cpp:75 +#: nickserv.cpp:81 msgid "Show patterns for lines, which are being sent to NickServ" msgstr "" -#: nickserv.cpp:77 +#: nickserv.cpp:83 msgid "cmd new-pattern" msgstr "" -#: nickserv.cpp:78 +#: nickserv.cpp:84 msgid "Set pattern for commands" msgstr "" -#: nickserv.cpp:140 +#: nickserv.cpp:146 msgid "Please enter your nickserv password." msgstr "" -#: nickserv.cpp:144 +#: nickserv.cpp:150 msgid "Auths you with NickServ (prefer SASL module instead)" msgstr "" diff --git a/modules/po/nickserv.ru_RU.po b/modules/po/nickserv.ru_RU.po index 7170fc5a..9cf5f6fa 100644 --- a/modules/po/nickserv.ru_RU.po +++ b/modules/po/nickserv.ru_RU.po @@ -18,60 +18,64 @@ msgstr "" msgid "Password set" msgstr "" -#: nickserv.cpp:38 +#: nickserv.cpp:36 nickserv.cpp:46 +msgid "Done" +msgstr "" + +#: nickserv.cpp:41 msgid "NickServ name set" msgstr "" -#: nickserv.cpp:54 +#: nickserv.cpp:60 msgid "No such editable command. See ViewCommands for list." msgstr "" -#: nickserv.cpp:57 +#: nickserv.cpp:63 msgid "Ok" msgstr "" -#: nickserv.cpp:62 +#: nickserv.cpp:68 msgid "password" msgstr "" -#: nickserv.cpp:62 +#: nickserv.cpp:68 msgid "Set your nickserv password" msgstr "" -#: nickserv.cpp:64 +#: nickserv.cpp:70 msgid "Clear your nickserv password" msgstr "" -#: nickserv.cpp:66 +#: nickserv.cpp:72 msgid "nickname" msgstr "" -#: nickserv.cpp:67 +#: nickserv.cpp:73 msgid "" "Set NickServ name (Useful on networks like EpiKnet, where NickServ is named " "Themis" msgstr "" -#: nickserv.cpp:71 +#: nickserv.cpp:77 msgid "Reset NickServ name to default (NickServ)" msgstr "" -#: nickserv.cpp:75 +#: nickserv.cpp:81 msgid "Show patterns for lines, which are being sent to NickServ" msgstr "" -#: nickserv.cpp:77 +#: nickserv.cpp:83 msgid "cmd new-pattern" msgstr "" -#: nickserv.cpp:78 +#: nickserv.cpp:84 msgid "Set pattern for commands" msgstr "" -#: nickserv.cpp:140 +#: nickserv.cpp:146 msgid "Please enter your nickserv password." msgstr "" -#: nickserv.cpp:144 +#: nickserv.cpp:150 msgid "Auths you with NickServ (prefer SASL module instead)" msgstr "" From 92475d91e8adba119a1ec6fdcb4cf2592df118f4 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Sun, 8 Sep 2019 00:27:00 +0000 Subject: [PATCH 318/798] Update translations from Crowdin for bg_BG de_DE es_ES fr_FR id_ID it_IT nl_NL pt_BR ru_RU --- modules/po/adminlog.it_IT.po | 6 +++--- modules/po/nickserv.bg_BG.po | 32 ++++++++++++++++++-------------- modules/po/nickserv.de_DE.po | 32 ++++++++++++++++++-------------- modules/po/nickserv.es_ES.po | 32 ++++++++++++++++++-------------- modules/po/nickserv.fr_FR.po | 32 ++++++++++++++++++-------------- modules/po/nickserv.id_ID.po | 32 ++++++++++++++++++-------------- modules/po/nickserv.it_IT.po | 32 ++++++++++++++++++-------------- modules/po/nickserv.nl_NL.po | 32 ++++++++++++++++++-------------- modules/po/nickserv.pot | 32 ++++++++++++++++++-------------- modules/po/nickserv.pt_BR.po | 32 ++++++++++++++++++-------------- modules/po/nickserv.ru_RU.po | 32 ++++++++++++++++++-------------- 11 files changed, 183 insertions(+), 143 deletions(-) diff --git a/modules/po/adminlog.it_IT.po b/modules/po/adminlog.it_IT.po index 2d43e8df..4f7e14e8 100644 --- a/modules/po/adminlog.it_IT.po +++ b/modules/po/adminlog.it_IT.po @@ -34,7 +34,7 @@ msgstr "Adesso logging su file" #: adminlog.cpp:160 msgid "Now only logging to syslog" -msgstr "Adesso logging solo su syslog" +msgstr "Ora logging solo su syslog" #: adminlog.cpp:164 msgid "Now logging to syslog and file" @@ -58,7 +58,7 @@ msgstr "Il logging è abilitato per il syslog" #: adminlog.cpp:198 msgid "Logging is enabled for both, file and syslog" -msgstr "Il logging è abilitato per sia per i file sia per il syslog" +msgstr "Il logging è abilitato per entrambi, file e syslog" #: adminlog.cpp:204 msgid "Log file will be written to {1}" @@ -66,4 +66,4 @@ msgstr "I file di Log verranno scritti su {1}" #: adminlog.cpp:222 msgid "Log ZNC events to file and/or syslog." -msgstr "Logga gli eventi ZNC su file e/o syslog." +msgstr "Logga gli eventi dello ZNC su file e/o syslog." diff --git a/modules/po/nickserv.bg_BG.po b/modules/po/nickserv.bg_BG.po index 77da938d..cf5faea4 100644 --- a/modules/po/nickserv.bg_BG.po +++ b/modules/po/nickserv.bg_BG.po @@ -16,60 +16,64 @@ msgstr "" msgid "Password set" msgstr "" -#: nickserv.cpp:38 +#: nickserv.cpp:36 nickserv.cpp:46 +msgid "Done" +msgstr "" + +#: nickserv.cpp:41 msgid "NickServ name set" msgstr "" -#: nickserv.cpp:54 +#: nickserv.cpp:60 msgid "No such editable command. See ViewCommands for list." msgstr "" -#: nickserv.cpp:57 +#: nickserv.cpp:63 msgid "Ok" msgstr "" -#: nickserv.cpp:62 +#: nickserv.cpp:68 msgid "password" msgstr "" -#: nickserv.cpp:62 +#: nickserv.cpp:68 msgid "Set your nickserv password" msgstr "" -#: nickserv.cpp:64 +#: nickserv.cpp:70 msgid "Clear your nickserv password" msgstr "" -#: nickserv.cpp:66 +#: nickserv.cpp:72 msgid "nickname" msgstr "" -#: nickserv.cpp:67 +#: nickserv.cpp:73 msgid "" "Set NickServ name (Useful on networks like EpiKnet, where NickServ is named " "Themis" msgstr "" -#: nickserv.cpp:71 +#: nickserv.cpp:77 msgid "Reset NickServ name to default (NickServ)" msgstr "" -#: nickserv.cpp:75 +#: nickserv.cpp:81 msgid "Show patterns for lines, which are being sent to NickServ" msgstr "" -#: nickserv.cpp:77 +#: nickserv.cpp:83 msgid "cmd new-pattern" msgstr "" -#: nickserv.cpp:78 +#: nickserv.cpp:84 msgid "Set pattern for commands" msgstr "" -#: nickserv.cpp:140 +#: nickserv.cpp:146 msgid "Please enter your nickserv password." msgstr "" -#: nickserv.cpp:144 +#: nickserv.cpp:150 msgid "Auths you with NickServ (prefer SASL module instead)" msgstr "" diff --git a/modules/po/nickserv.de_DE.po b/modules/po/nickserv.de_DE.po index 9fb30f13..565a0479 100644 --- a/modules/po/nickserv.de_DE.po +++ b/modules/po/nickserv.de_DE.po @@ -16,36 +16,40 @@ msgstr "" msgid "Password set" msgstr "Passwort gesetzt" -#: nickserv.cpp:38 +#: nickserv.cpp:36 nickserv.cpp:46 +msgid "Done" +msgstr "" + +#: nickserv.cpp:41 msgid "NickServ name set" msgstr "NickServe-Name gesetzt" -#: nickserv.cpp:54 +#: nickserv.cpp:60 msgid "No such editable command. See ViewCommands for list." msgstr "" "Kein solcher bearbeitbarer Befehl. Sieh dir ViewCommands für eine Liste an." -#: nickserv.cpp:57 +#: nickserv.cpp:63 msgid "Ok" msgstr "Ok" -#: nickserv.cpp:62 +#: nickserv.cpp:68 msgid "password" msgstr "Passwort" -#: nickserv.cpp:62 +#: nickserv.cpp:68 msgid "Set your nickserv password" msgstr "Setzt dein Nickserv-Passwort" -#: nickserv.cpp:64 +#: nickserv.cpp:70 msgid "Clear your nickserv password" msgstr "Löscht dein Nickserv-Passwort" -#: nickserv.cpp:66 +#: nickserv.cpp:72 msgid "nickname" msgstr "Nickname" -#: nickserv.cpp:67 +#: nickserv.cpp:73 msgid "" "Set NickServ name (Useful on networks like EpiKnet, where NickServ is named " "Themis" @@ -53,27 +57,27 @@ msgstr "" "Setzt den Nickserv-Namen (Nützlich für Netzwerke wie EpiKnet, wo Nickserv " "Themis heißt Themis" -#: nickserv.cpp:71 +#: nickserv.cpp:77 msgid "Reset NickServ name to default (NickServ)" msgstr "Setzt Nickserv-Name auf Standard zurück (NickServ)" -#: nickserv.cpp:75 +#: nickserv.cpp:81 msgid "Show patterns for lines, which are being sent to NickServ" msgstr "Zeige Muster für Linien, die an NickServ geschickt werden" -#: nickserv.cpp:77 +#: nickserv.cpp:83 msgid "cmd new-pattern" msgstr "Befehl neues-Muster" -#: nickserv.cpp:78 +#: nickserv.cpp:84 msgid "Set pattern for commands" msgstr "Setzt Muster für Befehle" -#: nickserv.cpp:140 +#: nickserv.cpp:146 msgid "Please enter your nickserv password." msgstr "Bitte gebe dein Nickserv-Passwort ein." -#: nickserv.cpp:144 +#: nickserv.cpp:150 msgid "Auths you with NickServ (prefer SASL module instead)" msgstr "" "Authentifiziert dich mit NickServ (präferiere statt dessen das SASL-Modul)" diff --git a/modules/po/nickserv.es_ES.po b/modules/po/nickserv.es_ES.po index 44c484a9..855d355e 100644 --- a/modules/po/nickserv.es_ES.po +++ b/modules/po/nickserv.es_ES.po @@ -16,35 +16,39 @@ msgstr "" msgid "Password set" msgstr "Contraseña establecida" -#: nickserv.cpp:38 +#: nickserv.cpp:36 nickserv.cpp:46 +msgid "Done" +msgstr "" + +#: nickserv.cpp:41 msgid "NickServ name set" msgstr "Nombre de NickServ establecido" -#: nickserv.cpp:54 +#: nickserv.cpp:60 msgid "No such editable command. See ViewCommands for list." msgstr "Comando no encontrado. Utiliza ViewCommands para ver una lista." -#: nickserv.cpp:57 +#: nickserv.cpp:63 msgid "Ok" msgstr "OK" -#: nickserv.cpp:62 +#: nickserv.cpp:68 msgid "password" msgstr "Contraseña" -#: nickserv.cpp:62 +#: nickserv.cpp:68 msgid "Set your nickserv password" msgstr "Establece tu contraseña de NickServ" -#: nickserv.cpp:64 +#: nickserv.cpp:70 msgid "Clear your nickserv password" msgstr "Borra tu contraseña de NickServ" -#: nickserv.cpp:66 +#: nickserv.cpp:72 msgid "nickname" msgstr "Nick" -#: nickserv.cpp:67 +#: nickserv.cpp:73 msgid "" "Set NickServ name (Useful on networks like EpiKnet, where NickServ is named " "Themis" @@ -52,26 +56,26 @@ msgstr "" "Establece el nombre de NickServ (util en redes donde NickServ se llama de " "otra manera)" -#: nickserv.cpp:71 +#: nickserv.cpp:77 msgid "Reset NickServ name to default (NickServ)" msgstr "Restablece el nombre de NickServ al predeterminado" -#: nickserv.cpp:75 +#: nickserv.cpp:81 msgid "Show patterns for lines, which are being sent to NickServ" msgstr "Mostrar patrones de líneas que son enviados a NickServ" -#: nickserv.cpp:77 +#: nickserv.cpp:83 msgid "cmd new-pattern" msgstr "cmd nuevo-patrón" -#: nickserv.cpp:78 +#: nickserv.cpp:84 msgid "Set pattern for commands" msgstr "Establece patrones para comandos" -#: nickserv.cpp:140 +#: nickserv.cpp:146 msgid "Please enter your nickserv password." msgstr "Por favor, introduce tu contraseña de NickServ." -#: nickserv.cpp:144 +#: nickserv.cpp:150 msgid "Auths you with NickServ (prefer SASL module instead)" msgstr "Te autentica con NickServ (es preferible usar el módulo de SASL)" diff --git a/modules/po/nickserv.fr_FR.po b/modules/po/nickserv.fr_FR.po index bff9a10e..83bd0a50 100644 --- a/modules/po/nickserv.fr_FR.po +++ b/modules/po/nickserv.fr_FR.po @@ -16,60 +16,64 @@ msgstr "" msgid "Password set" msgstr "" -#: nickserv.cpp:38 +#: nickserv.cpp:36 nickserv.cpp:46 +msgid "Done" +msgstr "" + +#: nickserv.cpp:41 msgid "NickServ name set" msgstr "" -#: nickserv.cpp:54 +#: nickserv.cpp:60 msgid "No such editable command. See ViewCommands for list." msgstr "" -#: nickserv.cpp:57 +#: nickserv.cpp:63 msgid "Ok" msgstr "" -#: nickserv.cpp:62 +#: nickserv.cpp:68 msgid "password" msgstr "" -#: nickserv.cpp:62 +#: nickserv.cpp:68 msgid "Set your nickserv password" msgstr "" -#: nickserv.cpp:64 +#: nickserv.cpp:70 msgid "Clear your nickserv password" msgstr "" -#: nickserv.cpp:66 +#: nickserv.cpp:72 msgid "nickname" msgstr "" -#: nickserv.cpp:67 +#: nickserv.cpp:73 msgid "" "Set NickServ name (Useful on networks like EpiKnet, where NickServ is named " "Themis" msgstr "" -#: nickserv.cpp:71 +#: nickserv.cpp:77 msgid "Reset NickServ name to default (NickServ)" msgstr "" -#: nickserv.cpp:75 +#: nickserv.cpp:81 msgid "Show patterns for lines, which are being sent to NickServ" msgstr "" -#: nickserv.cpp:77 +#: nickserv.cpp:83 msgid "cmd new-pattern" msgstr "" -#: nickserv.cpp:78 +#: nickserv.cpp:84 msgid "Set pattern for commands" msgstr "" -#: nickserv.cpp:140 +#: nickserv.cpp:146 msgid "Please enter your nickserv password." msgstr "" -#: nickserv.cpp:144 +#: nickserv.cpp:150 msgid "Auths you with NickServ (prefer SASL module instead)" msgstr "" diff --git a/modules/po/nickserv.id_ID.po b/modules/po/nickserv.id_ID.po index d44469ee..6f19c1de 100644 --- a/modules/po/nickserv.id_ID.po +++ b/modules/po/nickserv.id_ID.po @@ -16,35 +16,39 @@ msgstr "" msgid "Password set" msgstr "Kata sandi diatur" -#: nickserv.cpp:38 +#: nickserv.cpp:36 nickserv.cpp:46 +msgid "Done" +msgstr "" + +#: nickserv.cpp:41 msgid "NickServ name set" msgstr "Atur nama NickServ" -#: nickserv.cpp:54 +#: nickserv.cpp:60 msgid "No such editable command. See ViewCommands for list." msgstr "Tidak ada perintah yang dapat diedit. Lihat daftar ViewCommands." -#: nickserv.cpp:57 +#: nickserv.cpp:63 msgid "Ok" msgstr "Oke" -#: nickserv.cpp:62 +#: nickserv.cpp:68 msgid "password" msgstr "sandi" -#: nickserv.cpp:62 +#: nickserv.cpp:68 msgid "Set your nickserv password" msgstr "Atur kata sandi nickserv anda" -#: nickserv.cpp:64 +#: nickserv.cpp:70 msgid "Clear your nickserv password" msgstr "Bersihkan kata sandi nickserv anda" -#: nickserv.cpp:66 +#: nickserv.cpp:72 msgid "nickname" msgstr "nickname" -#: nickserv.cpp:67 +#: nickserv.cpp:73 msgid "" "Set NickServ name (Useful on networks like EpiKnet, where NickServ is named " "Themis" @@ -52,26 +56,26 @@ msgstr "" "Atur nama NickServ (Berguna pada jaringan seperti EpiKnet, di mana NickServ " "diberi nama Themis" -#: nickserv.cpp:71 +#: nickserv.cpp:77 msgid "Reset NickServ name to default (NickServ)" msgstr "Kembalikan nama NickServ ke standar (NickServ)" -#: nickserv.cpp:75 +#: nickserv.cpp:81 msgid "Show patterns for lines, which are being sent to NickServ" msgstr "Tampilkan pola untuk garis, yang dikirim ke NickServ" -#: nickserv.cpp:77 +#: nickserv.cpp:83 msgid "cmd new-pattern" msgstr "cmd new-pattern" -#: nickserv.cpp:78 +#: nickserv.cpp:84 msgid "Set pattern for commands" msgstr "Atur pola untuk perintah" -#: nickserv.cpp:140 +#: nickserv.cpp:146 msgid "Please enter your nickserv password." msgstr "Silahkan masukkan kata sandi nickserv anda." -#: nickserv.cpp:144 +#: nickserv.cpp:150 msgid "Auths you with NickServ (prefer SASL module instead)" msgstr "Auths anda dengan NickServ (lebih memilih modul SASL sebagai gantinya)" diff --git a/modules/po/nickserv.it_IT.po b/modules/po/nickserv.it_IT.po index c5c47c7e..6fc9fb49 100644 --- a/modules/po/nickserv.it_IT.po +++ b/modules/po/nickserv.it_IT.po @@ -16,37 +16,41 @@ msgstr "" msgid "Password set" msgstr "Password impostata correttamente" -#: nickserv.cpp:38 +#: nickserv.cpp:36 nickserv.cpp:46 +msgid "Done" +msgstr "" + +#: nickserv.cpp:41 msgid "NickServ name set" msgstr "Nuovo nome per NickServ impostato correttamente" -#: nickserv.cpp:54 +#: nickserv.cpp:60 msgid "No such editable command. See ViewCommands for list." msgstr "" "Nessun comando simile da modificare. Digita ViewCommands per vederne la " "lista." -#: nickserv.cpp:57 +#: nickserv.cpp:63 msgid "Ok" msgstr "Ok" -#: nickserv.cpp:62 +#: nickserv.cpp:68 msgid "password" msgstr "password" -#: nickserv.cpp:62 +#: nickserv.cpp:68 msgid "Set your nickserv password" msgstr "Imposta la tua password per nickserv" -#: nickserv.cpp:64 +#: nickserv.cpp:70 msgid "Clear your nickserv password" msgstr "Rimuove dallo ZNC la password utilizzata per identificarti a NickServ" -#: nickserv.cpp:66 +#: nickserv.cpp:72 msgid "nickname" msgstr "nickname" -#: nickserv.cpp:67 +#: nickserv.cpp:73 msgid "" "Set NickServ name (Useful on networks like EpiKnet, where NickServ is named " "Themis" @@ -54,29 +58,29 @@ msgstr "" "Imposta il nome di NickServ (utile su networks come EpiKnet, dove NickServ è " "chiamato Themis)" -#: nickserv.cpp:71 +#: nickserv.cpp:77 msgid "Reset NickServ name to default (NickServ)" msgstr "Riporta il nome di NickServ ai valori di default (NickServ)" -#: nickserv.cpp:75 +#: nickserv.cpp:81 msgid "Show patterns for lines, which are being sent to NickServ" msgstr "Mostra i modelli (patterns) per linea, che vengono inviati a nikserv" -#: nickserv.cpp:77 +#: nickserv.cpp:83 msgid "cmd new-pattern" msgstr "comando nuovo-modello" -#: nickserv.cpp:78 +#: nickserv.cpp:84 msgid "Set pattern for commands" msgstr "Imposta un modello (pattern) per i comandi" -#: nickserv.cpp:140 +#: nickserv.cpp:146 msgid "Please enter your nickserv password." msgstr "" "Per favore inserisci la password che usi per identificarti attraverso " "NickServ." -#: nickserv.cpp:144 +#: nickserv.cpp:150 msgid "Auths you with NickServ (prefer SASL module instead)" msgstr "" "Autorizza il tuo nick attraverso NickServ (anziché dal modulo SASL " diff --git a/modules/po/nickserv.nl_NL.po b/modules/po/nickserv.nl_NL.po index 6ba3728d..7463979e 100644 --- a/modules/po/nickserv.nl_NL.po +++ b/modules/po/nickserv.nl_NL.po @@ -16,35 +16,39 @@ msgstr "" msgid "Password set" msgstr "Wachtwoord ingesteld" -#: nickserv.cpp:38 +#: nickserv.cpp:36 nickserv.cpp:46 +msgid "Done" +msgstr "" + +#: nickserv.cpp:41 msgid "NickServ name set" msgstr "NickServ naam ingesteld" -#: nickserv.cpp:54 +#: nickserv.cpp:60 msgid "No such editable command. See ViewCommands for list." msgstr "Geen aanpasbaar commando. Zie ViewCommands voor een lijst." -#: nickserv.cpp:57 +#: nickserv.cpp:63 msgid "Ok" msgstr "Oké" -#: nickserv.cpp:62 +#: nickserv.cpp:68 msgid "password" msgstr "wachtwoord" -#: nickserv.cpp:62 +#: nickserv.cpp:68 msgid "Set your nickserv password" msgstr "Stel je nickserv wachtwoord in" -#: nickserv.cpp:64 +#: nickserv.cpp:70 msgid "Clear your nickserv password" msgstr "Leegt je nickserv wachtwoord" -#: nickserv.cpp:66 +#: nickserv.cpp:72 msgid "nickname" msgstr "naam" -#: nickserv.cpp:67 +#: nickserv.cpp:73 msgid "" "Set NickServ name (Useful on networks like EpiKnet, where NickServ is named " "Themis" @@ -52,26 +56,26 @@ msgstr "" "Stel NickServ naam in (nuttig op netwerken zoals EpiKnet waar NickServ " "Themis heet)" -#: nickserv.cpp:71 +#: nickserv.cpp:77 msgid "Reset NickServ name to default (NickServ)" msgstr "Reset de naam van NickServ naar de standaard (NickServ)" -#: nickserv.cpp:75 +#: nickserv.cpp:81 msgid "Show patterns for lines, which are being sent to NickServ" msgstr "Laat patroon voor de regels zien die gestuurd worden naar NickServ" -#: nickserv.cpp:77 +#: nickserv.cpp:83 msgid "cmd new-pattern" msgstr "cmd nieuw-patroon" -#: nickserv.cpp:78 +#: nickserv.cpp:84 msgid "Set pattern for commands" msgstr "Stel patroon in voor commando's" -#: nickserv.cpp:140 +#: nickserv.cpp:146 msgid "Please enter your nickserv password." msgstr "Voer alsjeblieft je nickserv wachtwoord in." -#: nickserv.cpp:144 +#: nickserv.cpp:150 msgid "Auths you with NickServ (prefer SASL module instead)" msgstr "Authenticeert je met NickServ (SASL module heeft de voorkeur)" diff --git a/modules/po/nickserv.pot b/modules/po/nickserv.pot index f54ad88a..66b20139 100644 --- a/modules/po/nickserv.pot +++ b/modules/po/nickserv.pot @@ -7,60 +7,64 @@ msgstr "" msgid "Password set" msgstr "" -#: nickserv.cpp:38 +#: nickserv.cpp:36 nickserv.cpp:46 +msgid "Done" +msgstr "" + +#: nickserv.cpp:41 msgid "NickServ name set" msgstr "" -#: nickserv.cpp:54 +#: nickserv.cpp:60 msgid "No such editable command. See ViewCommands for list." msgstr "" -#: nickserv.cpp:57 +#: nickserv.cpp:63 msgid "Ok" msgstr "" -#: nickserv.cpp:62 +#: nickserv.cpp:68 msgid "password" msgstr "" -#: nickserv.cpp:62 +#: nickserv.cpp:68 msgid "Set your nickserv password" msgstr "" -#: nickserv.cpp:64 +#: nickserv.cpp:70 msgid "Clear your nickserv password" msgstr "" -#: nickserv.cpp:66 +#: nickserv.cpp:72 msgid "nickname" msgstr "" -#: nickserv.cpp:67 +#: nickserv.cpp:73 msgid "" "Set NickServ name (Useful on networks like EpiKnet, where NickServ is named " "Themis" msgstr "" -#: nickserv.cpp:71 +#: nickserv.cpp:77 msgid "Reset NickServ name to default (NickServ)" msgstr "" -#: nickserv.cpp:75 +#: nickserv.cpp:81 msgid "Show patterns for lines, which are being sent to NickServ" msgstr "" -#: nickserv.cpp:77 +#: nickserv.cpp:83 msgid "cmd new-pattern" msgstr "" -#: nickserv.cpp:78 +#: nickserv.cpp:84 msgid "Set pattern for commands" msgstr "" -#: nickserv.cpp:140 +#: nickserv.cpp:146 msgid "Please enter your nickserv password." msgstr "" -#: nickserv.cpp:144 +#: nickserv.cpp:150 msgid "Auths you with NickServ (prefer SASL module instead)" msgstr "" diff --git a/modules/po/nickserv.pt_BR.po b/modules/po/nickserv.pt_BR.po index 495a90e3..4d892d5d 100644 --- a/modules/po/nickserv.pt_BR.po +++ b/modules/po/nickserv.pt_BR.po @@ -16,60 +16,64 @@ msgstr "" msgid "Password set" msgstr "" -#: nickserv.cpp:38 +#: nickserv.cpp:36 nickserv.cpp:46 +msgid "Done" +msgstr "" + +#: nickserv.cpp:41 msgid "NickServ name set" msgstr "" -#: nickserv.cpp:54 +#: nickserv.cpp:60 msgid "No such editable command. See ViewCommands for list." msgstr "" -#: nickserv.cpp:57 +#: nickserv.cpp:63 msgid "Ok" msgstr "" -#: nickserv.cpp:62 +#: nickserv.cpp:68 msgid "password" msgstr "" -#: nickserv.cpp:62 +#: nickserv.cpp:68 msgid "Set your nickserv password" msgstr "" -#: nickserv.cpp:64 +#: nickserv.cpp:70 msgid "Clear your nickserv password" msgstr "" -#: nickserv.cpp:66 +#: nickserv.cpp:72 msgid "nickname" msgstr "" -#: nickserv.cpp:67 +#: nickserv.cpp:73 msgid "" "Set NickServ name (Useful on networks like EpiKnet, where NickServ is named " "Themis" msgstr "" -#: nickserv.cpp:71 +#: nickserv.cpp:77 msgid "Reset NickServ name to default (NickServ)" msgstr "" -#: nickserv.cpp:75 +#: nickserv.cpp:81 msgid "Show patterns for lines, which are being sent to NickServ" msgstr "" -#: nickserv.cpp:77 +#: nickserv.cpp:83 msgid "cmd new-pattern" msgstr "" -#: nickserv.cpp:78 +#: nickserv.cpp:84 msgid "Set pattern for commands" msgstr "" -#: nickserv.cpp:140 +#: nickserv.cpp:146 msgid "Please enter your nickserv password." msgstr "" -#: nickserv.cpp:144 +#: nickserv.cpp:150 msgid "Auths you with NickServ (prefer SASL module instead)" msgstr "" diff --git a/modules/po/nickserv.ru_RU.po b/modules/po/nickserv.ru_RU.po index 5e4dc23d..8cd48626 100644 --- a/modules/po/nickserv.ru_RU.po +++ b/modules/po/nickserv.ru_RU.po @@ -18,60 +18,64 @@ msgstr "" msgid "Password set" msgstr "" -#: nickserv.cpp:38 +#: nickserv.cpp:36 nickserv.cpp:46 +msgid "Done" +msgstr "" + +#: nickserv.cpp:41 msgid "NickServ name set" msgstr "" -#: nickserv.cpp:54 +#: nickserv.cpp:60 msgid "No such editable command. See ViewCommands for list." msgstr "" -#: nickserv.cpp:57 +#: nickserv.cpp:63 msgid "Ok" msgstr "" -#: nickserv.cpp:62 +#: nickserv.cpp:68 msgid "password" msgstr "" -#: nickserv.cpp:62 +#: nickserv.cpp:68 msgid "Set your nickserv password" msgstr "" -#: nickserv.cpp:64 +#: nickserv.cpp:70 msgid "Clear your nickserv password" msgstr "" -#: nickserv.cpp:66 +#: nickserv.cpp:72 msgid "nickname" msgstr "" -#: nickserv.cpp:67 +#: nickserv.cpp:73 msgid "" "Set NickServ name (Useful on networks like EpiKnet, where NickServ is named " "Themis" msgstr "" -#: nickserv.cpp:71 +#: nickserv.cpp:77 msgid "Reset NickServ name to default (NickServ)" msgstr "" -#: nickserv.cpp:75 +#: nickserv.cpp:81 msgid "Show patterns for lines, which are being sent to NickServ" msgstr "" -#: nickserv.cpp:77 +#: nickserv.cpp:83 msgid "cmd new-pattern" msgstr "" -#: nickserv.cpp:78 +#: nickserv.cpp:84 msgid "Set pattern for commands" msgstr "" -#: nickserv.cpp:140 +#: nickserv.cpp:146 msgid "Please enter your nickserv password." msgstr "" -#: nickserv.cpp:144 +#: nickserv.cpp:150 msgid "Auths you with NickServ (prefer SASL module instead)" msgstr "" From 8163783946f244ac62fdb8ee6523efa1de5d5520 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Mon, 9 Sep 2019 00:26:28 +0000 Subject: [PATCH 319/798] Update translations from Crowdin for fr_FR --- modules/po/watch.fr_FR.po | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/modules/po/watch.fr_FR.po b/modules/po/watch.fr_FR.po index c825b2d5..87616f05 100644 --- a/modules/po/watch.fr_FR.po +++ b/modules/po/watch.fr_FR.po @@ -14,7 +14,7 @@ msgstr "" #: watch.cpp:334 msgid "All entries cleared." -msgstr "" +msgstr "Toutes les entrées sont effacées." #: watch.cpp:344 msgid "Buffer count is set to {1}" @@ -30,11 +30,11 @@ msgstr "" #: watch.cpp:398 msgid "Enabled all entries." -msgstr "" +msgstr "Toutes les entrées sont activées." #: watch.cpp:405 watch.cpp:437 watch.cpp:470 watch.cpp:570 watch.cpp:585 msgid "Invalid Id" -msgstr "" +msgstr "Identifiant invalide" #: watch.cpp:414 msgid "Id {1} disabled" From 0d06fad18ca8c1ba10725d36b206a445d3987704 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Mon, 9 Sep 2019 00:26:55 +0000 Subject: [PATCH 320/798] Update translations from Crowdin for fr_FR --- modules/po/watch.fr_FR.po | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/modules/po/watch.fr_FR.po b/modules/po/watch.fr_FR.po index 8ffe5e5d..6b1a4fd5 100644 --- a/modules/po/watch.fr_FR.po +++ b/modules/po/watch.fr_FR.po @@ -14,7 +14,7 @@ msgstr "" #: watch.cpp:334 msgid "All entries cleared." -msgstr "" +msgstr "Toutes les entrées sont effacées." #: watch.cpp:344 msgid "Buffer count is set to {1}" @@ -30,11 +30,11 @@ msgstr "" #: watch.cpp:398 msgid "Enabled all entries." -msgstr "" +msgstr "Toutes les entrées sont activées." #: watch.cpp:405 watch.cpp:437 watch.cpp:470 watch.cpp:570 watch.cpp:585 msgid "Invalid Id" -msgstr "" +msgstr "Identifiant invalide" #: watch.cpp:414 msgid "Id {1} disabled" From 1281e1a7622f10c918ecfed2ffe81ba874841692 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Sun, 22 Sep 2019 00:27:28 +0000 Subject: [PATCH 321/798] Update translations from Crowdin for it_IT --- modules/po/nickserv.it_IT.po | 2 +- modules/po/webadmin.it_IT.po | 2 +- 2 files changed, 2 insertions(+), 2 deletions(-) diff --git a/modules/po/nickserv.it_IT.po b/modules/po/nickserv.it_IT.po index 6fc9fb49..6c90e49b 100644 --- a/modules/po/nickserv.it_IT.po +++ b/modules/po/nickserv.it_IT.po @@ -18,7 +18,7 @@ msgstr "Password impostata correttamente" #: nickserv.cpp:36 nickserv.cpp:46 msgid "Done" -msgstr "" +msgstr "Fatto" #: nickserv.cpp:41 msgid "NickServ name set" diff --git a/modules/po/webadmin.it_IT.po b/modules/po/webadmin.it_IT.po index 41f7f593..7f43edc0 100644 --- a/modules/po/webadmin.it_IT.po +++ b/modules/po/webadmin.it_IT.po @@ -14,7 +14,7 @@ msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:12 msgid "Channel Info" -msgstr "Informazioni canale" +msgstr "Informazioni sul canale" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:17 msgid "Channel Name:" From e243b36bc05e7836d256a9aff41f6ab992831686 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Sun, 22 Sep 2019 00:27:32 +0000 Subject: [PATCH 322/798] Update translations from Crowdin for it_IT --- modules/po/nickserv.it_IT.po | 2 +- modules/po/webadmin.it_IT.po | 2 +- 2 files changed, 2 insertions(+), 2 deletions(-) diff --git a/modules/po/nickserv.it_IT.po b/modules/po/nickserv.it_IT.po index 998b7d0e..9857ca93 100644 --- a/modules/po/nickserv.it_IT.po +++ b/modules/po/nickserv.it_IT.po @@ -18,7 +18,7 @@ msgstr "Password impostata correttamente" #: nickserv.cpp:36 nickserv.cpp:46 msgid "Done" -msgstr "" +msgstr "Fatto" #: nickserv.cpp:41 msgid "NickServ name set" diff --git a/modules/po/webadmin.it_IT.po b/modules/po/webadmin.it_IT.po index a84e8736..87396ca6 100644 --- a/modules/po/webadmin.it_IT.po +++ b/modules/po/webadmin.it_IT.po @@ -14,7 +14,7 @@ msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:12 msgid "Channel Info" -msgstr "Informazioni canale" +msgstr "Informazioni sul canale" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:17 msgid "Channel Name:" From 98bbbf4fc485b44ae46149061af5e485a80908f6 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Mon, 23 Sep 2019 00:26:55 +0000 Subject: [PATCH 323/798] Update translations from Crowdin for it_IT --- modules/po/adminlog.it_IT.po | 12 ++++++------ 1 file changed, 6 insertions(+), 6 deletions(-) diff --git a/modules/po/adminlog.it_IT.po b/modules/po/adminlog.it_IT.po index 740e9aae..2a976ee4 100644 --- a/modules/po/adminlog.it_IT.po +++ b/modules/po/adminlog.it_IT.po @@ -14,15 +14,15 @@ msgstr "" #: adminlog.cpp:29 msgid "Show the logging target" -msgstr "Mostra il target (destinazione) del logging" +msgstr "Mostra il percorso in cui vengono salvati i logging" #: adminlog.cpp:31 msgid " [path]" -msgstr "Usa: Target [path]" +msgstr " [percorso]" #: adminlog.cpp:32 msgid "Set the logging target" -msgstr "Imposta il target (destinazione) del logging" +msgstr "Imposta il percorso in cui vengono salvati i logging" #: adminlog.cpp:142 msgid "Access denied" @@ -46,7 +46,7 @@ msgstr "Utilizzo: Target [path]" #: adminlog.cpp:170 msgid "Unknown target" -msgstr "Target (destinazione) sconosciuto" +msgstr "Target sconosciuto. Puoi scegliere fra: file|syslog|both" #: adminlog.cpp:192 msgid "Logging is enabled for file" @@ -62,8 +62,8 @@ msgstr "Il logging è abilitato per entrambi, file e syslog" #: adminlog.cpp:204 msgid "Log file will be written to {1}" -msgstr "I file di Log verranno scritti su {1}" +msgstr "I file di Log verranno scritti in {1}" #: adminlog.cpp:222 msgid "Log ZNC events to file and/or syslog." -msgstr "Logga gli eventi dello ZNC su file e/o syslog." +msgstr "Logga gli eventi della ZNC su file e/o syslog." From a2907dee98b7f82adf389db85b8368317041a872 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Mon, 23 Sep 2019 00:27:32 +0000 Subject: [PATCH 324/798] Update translations from Crowdin for it_IT --- modules/po/adminlog.it_IT.po | 12 ++++++------ 1 file changed, 6 insertions(+), 6 deletions(-) diff --git a/modules/po/adminlog.it_IT.po b/modules/po/adminlog.it_IT.po index 4f7e14e8..f461dbdb 100644 --- a/modules/po/adminlog.it_IT.po +++ b/modules/po/adminlog.it_IT.po @@ -14,15 +14,15 @@ msgstr "" #: adminlog.cpp:29 msgid "Show the logging target" -msgstr "Mostra il target (destinazione) del logging" +msgstr "Mostra il percorso in cui vengono salvati i logging" #: adminlog.cpp:31 msgid " [path]" -msgstr "Usa: Target [path]" +msgstr " [percorso]" #: adminlog.cpp:32 msgid "Set the logging target" -msgstr "Imposta il target (destinazione) del logging" +msgstr "Imposta il percorso in cui vengono salvati i logging" #: adminlog.cpp:142 msgid "Access denied" @@ -46,7 +46,7 @@ msgstr "Utilizzo: Target [path]" #: adminlog.cpp:170 msgid "Unknown target" -msgstr "Target (destinazione) sconosciuto" +msgstr "Target sconosciuto. Puoi scegliere fra: file|syslog|both" #: adminlog.cpp:192 msgid "Logging is enabled for file" @@ -62,8 +62,8 @@ msgstr "Il logging è abilitato per entrambi, file e syslog" #: adminlog.cpp:204 msgid "Log file will be written to {1}" -msgstr "I file di Log verranno scritti su {1}" +msgstr "I file di Log verranno scritti in {1}" #: adminlog.cpp:222 msgid "Log ZNC events to file and/or syslog." -msgstr "Logga gli eventi dello ZNC su file e/o syslog." +msgstr "Logga gli eventi della ZNC su file e/o syslog." From c7f72f8bc800115ac985e7e13eace78031cb1b50 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Mon, 23 Sep 2019 15:15:04 +0100 Subject: [PATCH 325/798] ZNC 1.7.5 --- CMakeLists.txt | 2 +- ChangeLog.md | 11 +++++++++++ configure.ac | 2 +- 3 files changed, 13 insertions(+), 2 deletions(-) diff --git a/CMakeLists.txt b/CMakeLists.txt index e13c42af..584e36af 100644 --- a/CMakeLists.txt +++ b/CMakeLists.txt @@ -18,7 +18,7 @@ cmake_minimum_required(VERSION 3.1) project(ZNC VERSION 1.7.5) set(ZNC_VERSION 1.7.5) set(append_git_version false) -set(alpha_version "-rc1") # e.g. "-rc1" +set(alpha_version "") # e.g. "-rc1" set(VERSION_EXTRA "" CACHE STRING "Additional string appended to version, e.g. to mark distribution") diff --git a/ChangeLog.md b/ChangeLog.md index 0ab7ffa8..29d2791a 100644 --- a/ChangeLog.md +++ b/ChangeLog.md @@ -1,3 +1,14 @@ +# ZNC 1.7.5 (2019-09-23) + +* modpython: Add support for Python 3.8 +* modtcl: install .tcl files when building with CMake +* nickserv: report success of Clear commands +* Update translations, add Italian, Bulgarian, fix name of Dutch +* Update error messages to be clearer +* Add a deprecation warning to ./configure to use CMake instead in addition to an already existing warning in README + + + # ZNC 1.7.4 (2019-06-19) ## Fixes diff --git a/configure.ac b/configure.ac index 673ac6e2..82e60edc 100644 --- a/configure.ac +++ b/configure.ac @@ -7,7 +7,7 @@ AC_DEFUN([AC_PROG_CC], [m4_errprint(__file__:__line__[: Something is trying to u dnl Needed for AC_PATH_PROGS_FEATURE_CHECK which was added in 2.62 AC_PREREQ([2.62]) dnl Keep the version number in sync with version.h! -AC_INIT([znc], [1.7.5-rc1]) +AC_INIT([znc], [1.7.5]) LIBZNC_VERSION=1.7.5 AC_CONFIG_MACRO_DIR([m4]) AC_CONFIG_SRCDIR([src/znc.cpp]) From ff627ad94140d86564b06be9e523d26e840a0eee Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Mon, 23 Sep 2019 15:19:42 +0100 Subject: [PATCH 326/798] Return version number to 1.7.x --- CMakeLists.txt | 4 ++-- configure.ac | 4 ++-- include/znc/version.h | 4 ++-- 3 files changed, 6 insertions(+), 6 deletions(-) diff --git a/CMakeLists.txt b/CMakeLists.txt index 584e36af..4af355d2 100644 --- a/CMakeLists.txt +++ b/CMakeLists.txt @@ -16,8 +16,8 @@ cmake_minimum_required(VERSION 3.1) project(ZNC VERSION 1.7.5) -set(ZNC_VERSION 1.7.5) -set(append_git_version false) +set(ZNC_VERSION 1.7.x) +set(append_git_version true) set(alpha_version "") # e.g. "-rc1" set(VERSION_EXTRA "" CACHE STRING "Additional string appended to version, e.g. to mark distribution") diff --git a/configure.ac b/configure.ac index 82e60edc..40f07c02 100644 --- a/configure.ac +++ b/configure.ac @@ -7,8 +7,8 @@ AC_DEFUN([AC_PROG_CC], [m4_errprint(__file__:__line__[: Something is trying to u dnl Needed for AC_PATH_PROGS_FEATURE_CHECK which was added in 2.62 AC_PREREQ([2.62]) dnl Keep the version number in sync with version.h! -AC_INIT([znc], [1.7.5]) -LIBZNC_VERSION=1.7.5 +AC_INIT([znc], [1.7.x]) +LIBZNC_VERSION=1.7.x AC_CONFIG_MACRO_DIR([m4]) AC_CONFIG_SRCDIR([src/znc.cpp]) AC_LANG([C++]) diff --git a/include/znc/version.h b/include/znc/version.h index 391ed4a3..3f3fbab8 100644 --- a/include/znc/version.h +++ b/include/znc/version.h @@ -20,9 +20,9 @@ limitations under the License. // The following defines are for #if comparison (preprocessor only likes ints) #define VERSION_MAJOR 1 #define VERSION_MINOR 7 -#define VERSION_PATCH 5 +#define VERSION_PATCH -1 // This one is for display purpose and to check ABI compatibility of modules -#define VERSION_STR "1.7.5" +#define VERSION_STR "1.7.x" #endif // Don't use this one From ea82c76e9d8446f7f262cf614baada1ab2860c58 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Thu, 10 Oct 2019 00:27:42 +0000 Subject: [PATCH 327/798] Update translations from Crowdin for pt_BR --- modules/po/alias.pt_BR.po | 2 +- modules/po/autoattach.pt_BR.po | 6 +++--- modules/po/autovoice.pt_BR.po | 18 +++++++++--------- src/po/znc.pt_BR.po | 32 ++++++++++++++++---------------- 4 files changed, 29 insertions(+), 29 deletions(-) diff --git a/modules/po/alias.pt_BR.po b/modules/po/alias.pt_BR.po index 4348bbb1..159b1a0b 100644 --- a/modules/po/alias.pt_BR.po +++ b/modules/po/alias.pt_BR.po @@ -14,7 +14,7 @@ msgstr "" #: alias.cpp:141 msgid "missing required parameter: {1}" -msgstr "" +msgstr "parâmetro requirido faltando: {1}" #: alias.cpp:201 msgid "Created alias: {1}" diff --git a/modules/po/autoattach.pt_BR.po b/modules/po/autoattach.pt_BR.po index 4fce6e89..81e95fa1 100644 --- a/modules/po/autoattach.pt_BR.po +++ b/modules/po/autoattach.pt_BR.po @@ -14,7 +14,7 @@ msgstr "" #: autoattach.cpp:94 msgid "Added to list" -msgstr "" +msgstr "Adicionado à lista" #: autoattach.cpp:96 msgid "{1} is already added" @@ -42,11 +42,11 @@ msgstr "" #: autoattach.cpp:122 autoattach.cpp:130 msgid "Chan" -msgstr "" +msgstr "Canal" #: autoattach.cpp:123 autoattach.cpp:131 msgid "Search" -msgstr "" +msgstr "Buscar" #: autoattach.cpp:124 autoattach.cpp:132 msgid "Host" diff --git a/modules/po/autovoice.pt_BR.po b/modules/po/autovoice.pt_BR.po index 9afcafab..d2a6b81d 100644 --- a/modules/po/autovoice.pt_BR.po +++ b/modules/po/autovoice.pt_BR.po @@ -14,7 +14,7 @@ msgstr "" #: autovoice.cpp:120 msgid "List all users" -msgstr "" +msgstr "Listar todos os usuários" #: autovoice.cpp:122 autovoice.cpp:125 msgid " [channel] ..." @@ -22,11 +22,11 @@ msgstr "" #: autovoice.cpp:123 msgid "Adds channels to a user" -msgstr "" +msgstr "Adiciona canais a um usuário" #: autovoice.cpp:126 msgid "Removes channels from a user" -msgstr "" +msgstr "Remove canais de um usuário" #: autovoice.cpp:128 msgid " [channels]" @@ -34,15 +34,15 @@ msgstr "" #: autovoice.cpp:129 msgid "Adds a user" -msgstr "" +msgstr "Adiciona um usuário" #: autovoice.cpp:131 msgid "" -msgstr "" +msgstr "" #: autovoice.cpp:131 msgid "Removes a user" -msgstr "" +msgstr "Remove um usuário" #: autovoice.cpp:215 msgid "Usage: AddUser [channels]" @@ -50,7 +50,7 @@ msgstr "" #: autovoice.cpp:229 msgid "Usage: DelUser " -msgstr "" +msgstr "Uso: DelUser " #: autovoice.cpp:238 msgid "There are no users defined" @@ -58,7 +58,7 @@ msgstr "" #: autovoice.cpp:244 autovoice.cpp:250 msgid "User" -msgstr "" +msgstr "Usuário" #: autovoice.cpp:245 autovoice.cpp:251 msgid "Hostmask" @@ -66,7 +66,7 @@ msgstr "" #: autovoice.cpp:246 autovoice.cpp:252 msgid "Channels" -msgstr "" +msgstr "Canais" #: autovoice.cpp:263 msgid "Usage: AddChans [channel] ..." diff --git a/src/po/znc.pt_BR.po b/src/po/znc.pt_BR.po index d6ea9174..97f55bdf 100644 --- a/src/po/znc.pt_BR.po +++ b/src/po/znc.pt_BR.po @@ -733,7 +733,7 @@ msgstr "Você não tem servidores adicionados." #: ClientCommand.cpp:787 msgid "Server removed" -msgstr "" +msgstr "Servidor removido" #: ClientCommand.cpp:789 msgid "No such server" @@ -793,17 +793,17 @@ msgstr "" #: ClientCommand.cpp:876 ClientCommand.cpp:882 msgctxt "topicscmd" msgid "Topic" -msgstr "" +msgstr "Tópico" #: ClientCommand.cpp:889 ClientCommand.cpp:894 msgctxt "listmods" msgid "Name" -msgstr "" +msgstr "Nome" #: ClientCommand.cpp:890 ClientCommand.cpp:895 msgctxt "listmods" msgid "Arguments" -msgstr "" +msgstr "Parâmetros" #: ClientCommand.cpp:904 msgid "No global modules loaded." @@ -811,23 +811,23 @@ msgstr "" #: ClientCommand.cpp:906 ClientCommand.cpp:970 msgid "Global modules:" -msgstr "" +msgstr "Módulos globais:" #: ClientCommand.cpp:915 msgid "Your user has no modules loaded." -msgstr "" +msgstr "Seu usuário não possui módulos carregados." #: ClientCommand.cpp:917 ClientCommand.cpp:982 msgid "User modules:" -msgstr "" +msgstr "Módulos de usuário:" #: ClientCommand.cpp:925 msgid "This network has no modules loaded." -msgstr "" +msgstr "Esta rede não possui módulos carregados." #: ClientCommand.cpp:927 ClientCommand.cpp:994 msgid "Network modules:" -msgstr "" +msgstr "Módulos da rede:" #: ClientCommand.cpp:942 ClientCommand.cpp:949 msgctxt "listavailmods" @@ -861,7 +861,7 @@ msgstr "Uso: LoadMod [--type=global|user|network] [parâmetros]" #: ClientCommand.cpp:1033 msgid "Unable to load {1}: {2}" -msgstr "" +msgstr "Não foi possível carregar {1}: {2}" #: ClientCommand.cpp:1043 msgid "Unable to load global module {1}: Access denied." @@ -960,7 +960,7 @@ msgstr "" #: ClientCommand.cpp:1268 msgid "Usage: SetBindHost " -msgstr "" +msgstr "Uso: SetBindHost " #: ClientCommand.cpp:1273 ClientCommand.cpp:1290 msgid "You already have this bind host!" @@ -972,7 +972,7 @@ msgstr "" #: ClientCommand.cpp:1285 msgid "Usage: SetUserBindHost " -msgstr "" +msgstr "Uso: SetUserBindHost " #: ClientCommand.cpp:1295 msgid "Set default bind host to {1}" @@ -1010,7 +1010,7 @@ msgstr "" #: ClientCommand.cpp:1336 msgid "Usage: PlayBuffer <#chan|query>" -msgstr "" +msgstr "Uso: PlayBuffer <#canal|query>" #: ClientCommand.cpp:1344 msgid "You are not on {1}" @@ -1402,7 +1402,7 @@ msgstr "" #: ClientCommand.cpp:1766 msgctxt "helpcmd|Attach|args" msgid "<#chans>" -msgstr "" +msgstr "<#canais>" #: ClientCommand.cpp:1767 msgctxt "helpcmd|Attach|desc" @@ -1412,7 +1412,7 @@ msgstr "" #: ClientCommand.cpp:1768 msgctxt "helpcmd|Detach|args" msgid "<#chans>" -msgstr "" +msgstr "<#canais>" #: ClientCommand.cpp:1769 msgctxt "helpcmd|Detach|desc" @@ -1507,7 +1507,7 @@ msgstr "" #: ClientCommand.cpp:1815 msgctxt "helpcmd|Jump|args" msgid "[server]" -msgstr "" +msgstr "[servidor]" #: ClientCommand.cpp:1816 msgctxt "helpcmd|Jump|desc" From 41f59ff3bfdd3944d4c0f6fcc553a8f16c933065 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Thu, 10 Oct 2019 00:28:29 +0000 Subject: [PATCH 328/798] Update translations from Crowdin for pt_BR --- modules/po/alias.pt_BR.po | 2 +- modules/po/autoattach.pt_BR.po | 6 +++--- modules/po/autovoice.pt_BR.po | 18 +++++++++--------- src/po/znc.pt_BR.po | 32 ++++++++++++++++---------------- 4 files changed, 29 insertions(+), 29 deletions(-) diff --git a/modules/po/alias.pt_BR.po b/modules/po/alias.pt_BR.po index 2c06eeb1..a3d53e71 100644 --- a/modules/po/alias.pt_BR.po +++ b/modules/po/alias.pt_BR.po @@ -14,7 +14,7 @@ msgstr "" #: alias.cpp:141 msgid "missing required parameter: {1}" -msgstr "" +msgstr "parâmetro requirido faltando: {1}" #: alias.cpp:201 msgid "Created alias: {1}" diff --git a/modules/po/autoattach.pt_BR.po b/modules/po/autoattach.pt_BR.po index 4ef206e8..ee3a033d 100644 --- a/modules/po/autoattach.pt_BR.po +++ b/modules/po/autoattach.pt_BR.po @@ -14,7 +14,7 @@ msgstr "" #: autoattach.cpp:94 msgid "Added to list" -msgstr "" +msgstr "Adicionado à lista" #: autoattach.cpp:96 msgid "{1} is already added" @@ -42,11 +42,11 @@ msgstr "" #: autoattach.cpp:122 autoattach.cpp:130 msgid "Chan" -msgstr "" +msgstr "Canal" #: autoattach.cpp:123 autoattach.cpp:131 msgid "Search" -msgstr "" +msgstr "Buscar" #: autoattach.cpp:124 autoattach.cpp:132 msgid "Host" diff --git a/modules/po/autovoice.pt_BR.po b/modules/po/autovoice.pt_BR.po index a2e2c1ad..8cb40e92 100644 --- a/modules/po/autovoice.pt_BR.po +++ b/modules/po/autovoice.pt_BR.po @@ -14,7 +14,7 @@ msgstr "" #: autovoice.cpp:120 msgid "List all users" -msgstr "" +msgstr "Listar todos os usuários" #: autovoice.cpp:122 autovoice.cpp:125 msgid " [channel] ..." @@ -22,11 +22,11 @@ msgstr "" #: autovoice.cpp:123 msgid "Adds channels to a user" -msgstr "" +msgstr "Adiciona canais a um usuário" #: autovoice.cpp:126 msgid "Removes channels from a user" -msgstr "" +msgstr "Remove canais de um usuário" #: autovoice.cpp:128 msgid " [channels]" @@ -34,15 +34,15 @@ msgstr "" #: autovoice.cpp:129 msgid "Adds a user" -msgstr "" +msgstr "Adiciona um usuário" #: autovoice.cpp:131 msgid "" -msgstr "" +msgstr "" #: autovoice.cpp:131 msgid "Removes a user" -msgstr "" +msgstr "Remove um usuário" #: autovoice.cpp:215 msgid "Usage: AddUser [channels]" @@ -50,7 +50,7 @@ msgstr "" #: autovoice.cpp:229 msgid "Usage: DelUser " -msgstr "" +msgstr "Uso: DelUser " #: autovoice.cpp:238 msgid "There are no users defined" @@ -58,7 +58,7 @@ msgstr "" #: autovoice.cpp:244 autovoice.cpp:250 msgid "User" -msgstr "" +msgstr "Usuário" #: autovoice.cpp:245 autovoice.cpp:251 msgid "Hostmask" @@ -66,7 +66,7 @@ msgstr "" #: autovoice.cpp:246 autovoice.cpp:252 msgid "Channels" -msgstr "" +msgstr "Canais" #: autovoice.cpp:263 msgid "Usage: AddChans [channel] ..." diff --git a/src/po/znc.pt_BR.po b/src/po/znc.pt_BR.po index e0e5ca81..babf5e22 100644 --- a/src/po/znc.pt_BR.po +++ b/src/po/znc.pt_BR.po @@ -733,7 +733,7 @@ msgstr "Você não tem servidores adicionados." #: ClientCommand.cpp:787 msgid "Server removed" -msgstr "" +msgstr "Servidor removido" #: ClientCommand.cpp:789 msgid "No such server" @@ -793,17 +793,17 @@ msgstr "" #: ClientCommand.cpp:876 ClientCommand.cpp:882 msgctxt "topicscmd" msgid "Topic" -msgstr "" +msgstr "Tópico" #: ClientCommand.cpp:889 ClientCommand.cpp:893 msgctxt "listmods" msgid "Name" -msgstr "" +msgstr "Nome" #: ClientCommand.cpp:890 ClientCommand.cpp:894 msgctxt "listmods" msgid "Arguments" -msgstr "" +msgstr "Parâmetros" #: ClientCommand.cpp:902 msgid "No global modules loaded." @@ -811,23 +811,23 @@ msgstr "" #: ClientCommand.cpp:904 ClientCommand.cpp:964 msgid "Global modules:" -msgstr "" +msgstr "Módulos globais:" #: ClientCommand.cpp:912 msgid "Your user has no modules loaded." -msgstr "" +msgstr "Seu usuário não possui módulos carregados." #: ClientCommand.cpp:914 ClientCommand.cpp:975 msgid "User modules:" -msgstr "" +msgstr "Módulos de usuário:" #: ClientCommand.cpp:921 msgid "This network has no modules loaded." -msgstr "" +msgstr "Esta rede não possui módulos carregados." #: ClientCommand.cpp:923 ClientCommand.cpp:986 msgid "Network modules:" -msgstr "" +msgstr "Módulos da rede:" #: ClientCommand.cpp:938 ClientCommand.cpp:944 msgctxt "listavailmods" @@ -861,7 +861,7 @@ msgstr "Uso: LoadMod [--type=global|user|network] [parâmetros]" #: ClientCommand.cpp:1025 msgid "Unable to load {1}: {2}" -msgstr "" +msgstr "Não foi possível carregar {1}: {2}" #: ClientCommand.cpp:1035 msgid "Unable to load global module {1}: Access denied." @@ -960,7 +960,7 @@ msgstr "" #: ClientCommand.cpp:1260 msgid "Usage: SetBindHost " -msgstr "" +msgstr "Uso: SetBindHost " #: ClientCommand.cpp:1265 ClientCommand.cpp:1282 msgid "You already have this bind host!" @@ -972,7 +972,7 @@ msgstr "" #: ClientCommand.cpp:1277 msgid "Usage: SetUserBindHost " -msgstr "" +msgstr "Uso: SetUserBindHost " #: ClientCommand.cpp:1287 msgid "Set default bind host to {1}" @@ -1010,7 +1010,7 @@ msgstr "" #: ClientCommand.cpp:1328 msgid "Usage: PlayBuffer <#chan|query>" -msgstr "" +msgstr "Uso: PlayBuffer <#canal|query>" #: ClientCommand.cpp:1336 msgid "You are not on {1}" @@ -1402,7 +1402,7 @@ msgstr "" #: ClientCommand.cpp:1756 msgctxt "helpcmd|Attach|args" msgid "<#chans>" -msgstr "" +msgstr "<#canais>" #: ClientCommand.cpp:1757 msgctxt "helpcmd|Attach|desc" @@ -1412,7 +1412,7 @@ msgstr "" #: ClientCommand.cpp:1758 msgctxt "helpcmd|Detach|args" msgid "<#chans>" -msgstr "" +msgstr "<#canais>" #: ClientCommand.cpp:1759 msgctxt "helpcmd|Detach|desc" @@ -1507,7 +1507,7 @@ msgstr "" #: ClientCommand.cpp:1805 msgctxt "helpcmd|Jump|args" msgid "[server]" -msgstr "" +msgstr "[servidor]" #: ClientCommand.cpp:1806 msgctxt "helpcmd|Jump|desc" From 064d0c928b3a086a4d5c88290ad7ed6f9f309909 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Thu, 17 Oct 2019 22:20:15 +0100 Subject: [PATCH 329/798] Re-enable IPv6 in the bleeding edge docker image Upgrade alpine Ref https://github.com/znc/znc-docker/issues/19 --- Dockerfile | 6 ++---- docker | 2 +- 2 files changed, 3 insertions(+), 5 deletions(-) diff --git a/Dockerfile b/Dockerfile index 0cdcf21e..57902582 100644 --- a/Dockerfile +++ b/Dockerfile @@ -1,10 +1,8 @@ -FROM alpine:3.8 +FROM alpine:3.10 ARG VERSION_EXTRA="" -# musl silently doesn't support AI_ADDRCONFIG yet, and ZNC doesn't support Happy Eyeballs yet. -# Together they cause very slow connection. So for now IPv6 is disabled here. -ARG CMAKEFLAGS="-DVERSION_EXTRA=${VERSION_EXTRA} -DCMAKE_INSTALL_PREFIX=/opt/znc -DWANT_CYRUS=YES -DWANT_PERL=YES -DWANT_PYTHON=YES -DWANT_IPV6=NO" +ARG CMAKEFLAGS="-DVERSION_EXTRA=${VERSION_EXTRA} -DCMAKE_INSTALL_PREFIX=/opt/znc -DWANT_CYRUS=YES -DWANT_PERL=YES -DWANT_PYTHON=YES" ARG MAKEFLAGS="" ARG BUILD_DATE diff --git a/docker b/docker index 4da25330..95e45def 160000 --- a/docker +++ b/docker @@ -1 +1 @@ -Subproject commit 4da25330d7d4415507c5abd24efa74130243a5b3 +Subproject commit 95e45def730df4a04c0d08a97dccb66e5b9766f6 From f839d258d0d79064526fac6c726f61fffa316a69 Mon Sep 17 00:00:00 2001 From: Rosen Penev Date: Thu, 31 Oct 2019 18:44:35 -0700 Subject: [PATCH 330/798] Fix redefinition error under OpenSSL LIBRESSL_VERSION_NUMBER is 0 when not defined, making the condition always true. Close #1688 --- src/Utils.cpp | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/src/Utils.cpp b/src/Utils.cpp index ceee05b3..762416f3 100644 --- a/src/Utils.cpp +++ b/src/Utils.cpp @@ -29,7 +29,7 @@ #include #include #include -#if (OPENSSL_VERSION_NUMBER < 0x10100000L) || (LIBRESSL_VERSION_NUMBER < 0x20700000L) +#if (OPENSSL_VERSION_NUMBER < 0x10100000L) || (defined(LIBRESSL_VERSION_NUMBER) && (LIBRESSL_VERSION_NUMBER < 0x20700000L)) #define X509_getm_notBefore X509_get_notBefore #define X509_getm_notAfter X509_get_notAfter #endif From 961881b0321b9091adaf2ba3efa4a738b85b76a9 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Tue, 5 Nov 2019 21:01:08 +0000 Subject: [PATCH 331/798] Build integration test with the same compiler Fix https://bugs.gentoo.org/699258 --- test/CMakeLists.txt | 18 +++++++++++++++--- 1 file changed, 15 insertions(+), 3 deletions(-) diff --git a/test/CMakeLists.txt b/test/CMakeLists.txt index 296cb0de..44cb147e 100644 --- a/test/CMakeLists.txt +++ b/test/CMakeLists.txt @@ -77,18 +77,30 @@ externalproject_add(inttest_bin BINARY_DIR "${CMAKE_CURRENT_BINARY_DIR}/integration" INSTALL_COMMAND "" CMAKE_CACHE_ARGS - # Note the space in the end: protect from CXXFLAGS env var, but - # still support custom flags + # Note the space in the end: protect from CXXFLAGS env var (see comment + # above), but still support custom flags "-DCMAKE_CXX_FLAGS:string=${INTEGRATION_TEST_CXX_FLAGS} " + # Build integration test with the correct compiler. + # https://bugs.gentoo.org/699258 + # CMAKE_CXX_COMPILER is passed for the case if the main cmake was called + # with -DCMAKE_CXX_COMPILER but without -DCMAKE_TOOLCHAIN_FILE. + "-DCMAKE_TOOLCHAIN_FILE:path=${CMAKE_TOOLCHAIN_FILE}" + "-DCMAKE_CXX_COMPILER=${CMAKE_CXX_COMPILER}" + "-DGTEST_ROOT:path=${GTEST_ROOT}" "-DGMOCK_ROOT:path=${GMOCK_ROOT}" "-DZNC_BIN_DIR:path=${CMAKE_INSTALL_FULL_BINDIR}" "-DQt5_HINTS:path=${brew_qt5}") add_custom_target(inttest COMMAND + # MAKEFLAGS: # Prevent a warning from test of znc-buildmod, when inner make # discovers that there is an outer make and tries to use it: # gmake[4]: warning: jobserver unavailable: using -j1. Add '+' to parent make rule. # This option doesn't affect ninja, which doesn't show that warning anyway. - ${CMAKE_COMMAND} -E env MAKEFLAGS= + # + # CXX: + # znc-buildmod should use the correct compiler. + # https://bugs.gentoo.org/699258 is an example of how it can go wrong. + ${CMAKE_COMMAND} -E env MAKEFLAGS= CXX=${CMAKE_CXX_COMPILER} "${CMAKE_CURRENT_BINARY_DIR}/integration/inttest") add_dependencies(inttest inttest_bin) From c106d430eb9651a60376a20d4a7fe9a60cd39cd8 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Tue, 5 Nov 2019 23:59:59 +0000 Subject: [PATCH 332/798] Fix my recent fix and pass the parameter correctly --- test/CMakeLists.txt | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/test/CMakeLists.txt b/test/CMakeLists.txt index 44cb147e..a691630e 100644 --- a/test/CMakeLists.txt +++ b/test/CMakeLists.txt @@ -85,7 +85,7 @@ externalproject_add(inttest_bin # CMAKE_CXX_COMPILER is passed for the case if the main cmake was called # with -DCMAKE_CXX_COMPILER but without -DCMAKE_TOOLCHAIN_FILE. "-DCMAKE_TOOLCHAIN_FILE:path=${CMAKE_TOOLCHAIN_FILE}" - "-DCMAKE_CXX_COMPILER=${CMAKE_CXX_COMPILER}" + "-DCMAKE_CXX_COMPILER:string=${CMAKE_CXX_COMPILER}" "-DGTEST_ROOT:path=${GTEST_ROOT}" "-DGMOCK_ROOT:path=${GMOCK_ROOT}" From d9dbae2321bd387ca209a020cd8ec47b65a52a55 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Tue, 5 Nov 2019 22:19:21 +0000 Subject: [PATCH 333/798] Travis: remove xcode8.3, add xcode11.2 --- .travis.yml | 8 ++++---- 1 file changed, 4 insertions(+), 4 deletions(-) diff --git a/.travis.yml b/.travis.yml index 1785f7f4..5f7aca58 100644 --- a/.travis.yml +++ b/.travis.yml @@ -33,10 +33,6 @@ matrix: - os: linux compiler: clang env: BUILD_TYPE=tsan BUILD_WITH=cmake COVERAGE=no - - os: osx - osx_image: xcode8.3 # macOS 10.12 - compiler: clang - env: BUILD_TYPE=normal BUILD_WITH=cmake COVERAGE=llvm - os: osx osx_image: xcode9.3 # macOS 10.13 compiler: clang @@ -45,6 +41,10 @@ matrix: osx_image: xcode9.3 # macOS 10.13 compiler: clang env: BUILD_TYPE=normal BUILD_WITH=autoconf COVERAGE=llvm + - os: osx + osx_image: xcode11.2 # macOS 10.14 + compiler: clang + env: BUILD_TYPE=normal BUILD_WITH=cmake COVERAGE=llvm - os: linux compiler: gcc env: BUILD_TYPE=tarball BUILD_WITH=cmake COVERAGE=gcov From 9c1a7c3c997d6f775062eb9ac576ecef1af295ab Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Tue, 5 Nov 2019 23:05:36 +0000 Subject: [PATCH 334/798] Travis: update linux builds * Use bionic 18.04 instead of trusty 14.04 * Add ARM * Remove several workarounds which are not needed anymore --- .travis.yml | 57 ++++++++++++++++++++++++++--------------------------- 1 file changed, 28 insertions(+), 29 deletions(-) diff --git a/.travis.yml b/.travis.yml index 5f7aca58..7ac9031b 100644 --- a/.travis.yml +++ b/.travis.yml @@ -10,47 +10,56 @@ env: # These linux-specific parameters could be moved into matrix.include items, but that's lots of repetition sudo: required -dist: trusty +dist: bionic +arch: amd64 services: - docker -# See https://github.com/google/sanitizers/issues/856 -group: deprecated-2017Q3 - # TODO: add Linux LLVM coverage; clang 3.5.0 on ubuntu trusty is too old. matrix: fast_finish: true include: - os: linux compiler: gcc - env: BUILD_TYPE=normal BUILD_WITH=cmake COVERAGE=gcov + env: BUILD_TYPE=normal BUILD_WITH=cmake - os: linux compiler: gcc - env: BUILD_TYPE=normal BUILD_WITH=autoconf COVERAGE=gcov + env: BUILD_TYPE=normal BUILD_WITH=autoconf - os: linux compiler: clang - env: BUILD_TYPE=asan BUILD_WITH=cmake COVERAGE=no + env: BUILD_TYPE=asan BUILD_WITH=cmake - os: linux compiler: clang - env: BUILD_TYPE=tsan BUILD_WITH=cmake COVERAGE=no + env: BUILD_TYPE=tsan BUILD_WITH=cmake + # TODO: enable + # - os: linux + # compiler: clang + # env: BUILD_TYPE=msan BUILD_WITH=cmake + # - os: linux + # compiler: clang + # env: BUILD_TYPE=ubsan BUILD_WITH=cmake + - os: linux + compiler: gcc + env: BUILD_TYPE=normal BUILD_WITH=cmake + arch: arm64 - os: osx osx_image: xcode9.3 # macOS 10.13 compiler: clang - env: BUILD_TYPE=normal BUILD_WITH=cmake COVERAGE=llvm + env: BUILD_TYPE=normal BUILD_WITH=cmake - os: osx osx_image: xcode9.3 # macOS 10.13 compiler: clang - env: BUILD_TYPE=normal BUILD_WITH=autoconf COVERAGE=llvm + env: BUILD_TYPE=normal BUILD_WITH=autoconf - os: osx osx_image: xcode11.2 # macOS 10.14 compiler: clang - env: BUILD_TYPE=normal BUILD_WITH=cmake COVERAGE=llvm + env: BUILD_TYPE=normal BUILD_WITH=cmake - os: linux compiler: gcc - env: BUILD_TYPE=tarball BUILD_WITH=cmake COVERAGE=gcov + env: BUILD_TYPE=tarball BUILD_WITH=cmake - os: linux compiler: gcc - env: BUILD_TYPE=tarball BUILD_WITH=autoconf COVERAGE=gcov + env: BUILD_TYPE=tarball BUILD_WITH=autoconf - stage: deploy os: linux before_install: @@ -75,8 +84,6 @@ matrix: - stage: deploy os: linux before_install: - - sudo apt-get update - - sudo apt-get -y -o Dpkg::Options::="--force-confnew" install docker-ce install: - if [[ "$TRAVIS_REPO_SLUG" == "znc/znc" && "$TRAVIS_PULL_REQUEST" == "false" ]]; then ATTEMPT_DEPLOY=yes; else ATTEMPT_DEPLOY=no; fi - if [[ "$ATTEMPT_DEPLOY" == "yes" ]]; then echo "$DOCKER_PASSWORD" | docker login -u "$DOCKER_USERNAME" --password-stdin; fi @@ -95,25 +102,17 @@ before_install: - if [[ "$BUILD_TYPE" == "tarball" ]]; then CFGFLAGS+=" --with-gtest=$TRAVIS_BUILD_DIR/third_party/googletest/googletest --with-gmock=$TRAVIS_BUILD_DIR/third_party/googletest/googlemock --disable-swig"; fi - if [[ "$BUILD_TYPE" == "asan" ]]; then MYCXXFLAGS+=" -fsanitize=address -O1 -fno-omit-frame-pointer -fno-optimize-sibling-calls -fPIE" MYLDFLAGS+=" -fsanitize=address -pie"; fi - if [[ "$BUILD_TYPE" == "tsan" ]]; then MYCXXFLAGS+=" -fsanitize=thread -O1 -fPIE" MYLDFLAGS+=" -fsanitize=thread"; fi + - if [[ "$BUILD_TYPE" == "msan" ]]; then MYCXXFLAGS+=" -fsanitize=memory -O1 -fno-omit-frame-pointer -fno-optimize-sibling-calls -fsanitize-memory-track-origins" MYLDFLAGS+=" -fsanitize=memory"; fi + - if [[ "$BUILD_TYPE" == "ubsan" ]]; then MYCXXFLAGS=" -fsanitize=undefined -O1 -fPIE -fno-sanitize-recover" MYLDFLAGS="-fsanitize=undefined -pie -fno-sanitize-recover"; fi - if [[ "$BUILD_WITH" == "cmake" ]]; then CFGSUFFIX=.sh UNITTEST=unittest INTTEST=inttest; else CFGSUFFIX= UNITTEST=test INTTEST=test2; fi - - if [[ "$COVERAGE" == "gcov" ]]; then MYCXXFLAGS+=" --coverage" MYLDFLAGS+=" --coverage"; fi - - if [[ "$COVERAGE" == "llvm" ]]; then MYCXXFLAGS+=" -fprofile-instr-generate -fcoverage-mapping" MYLDFLAGS+=" -fprofile-instr-generate"; fi - # UBSan randomly crashes clang, and very often :( - # CFGFLAGS= MYCXXFLAGS="-fsanitize=undefined -O1 -fPIE -fno-sanitize-recover" MYLDFLAGS="-fsanitize=undefined -pie -fno-sanitize-recover" + - if [[ "$CC" == "gcc" ]]; then MYCXXFLAGS+=" --coverage" MYLDFLAGS+=" --coverage"; fi + - if [[ "$CC" == "clang" ]]; then MYCXXFLAGS+=" -fprofile-instr-generate -fcoverage-mapping" MYLDFLAGS+=" -fprofile-instr-generate"; fi install: - if [[ "$TRAVIS_OS_NAME" == "linux" ]]; then cat /proc/cpuinfo /proc/meminfo; fi - if [[ "$TRAVIS_OS_NAME" == "linux" ]]; then lsb_release -a; fi - - if [[ "$TRAVIS_OS_NAME" == "linux" ]]; then sudo add-apt-repository -y ppa:teward/swig3.0; fi - - if [[ "$TRAVIS_OS_NAME" == "linux" ]]; then sudo add-apt-repository -y ppa:beineri/opt-qt551-trusty; fi # default qt5.2 from trusty doesn't support QByteArray::toStdString() - - if [[ "$TRAVIS_OS_NAME" == "linux" && "$BUILD_WITH" == "cmake" ]]; then sudo add-apt-repository -y ppa:george-edison55/cmake-3.x; fi - if [[ "$TRAVIS_OS_NAME" == "linux" ]]; then sudo apt-get update; fi - - if [[ "$TRAVIS_OS_NAME" == "linux" ]]; then sudo apt-get install -y libperl-dev tcl-dev libsasl2-dev libicu-dev swig3.0 qt55base libboost-locale-dev; fi - # Clang 3.5 TSan is broken on Travis Ubuntu 14.04. Clang 3.8 seems to work, but only without -pie (https://github.com/google/sanitizers/issues/503) - - if [[ "$TRAVIS_OS_NAME" == "linux" && "$BUILD_TYPE" == "tsan" ]]; then sudo apt-get install -y clang-3.8; export CC=clang-3.8 CXX=clang++-3.8; fi - - if [[ "$TRAVIS_OS_NAME" == "linux" ]]; then source /opt/qt55/bin/qt55-env.sh; fi + - if [[ "$TRAVIS_OS_NAME" == "linux" ]]; then sudo apt-get install -y libperl-dev tcl-dev libsasl2-dev libicu-dev swig qtbase5-dev libboost-locale-dev python3-pip cpanminus; fi - if [[ "$TRAVIS_OS_NAME" == "linux" && "$BUILD_WITH" == "cmake" ]]; then sudo apt-get install -y cmake; fi - - if [[ "$TRAVIS_OS_NAME" == "linux" ]]; then source ~/virtualenv/python3.5/bin/activate; fi # for pip3 - - if [[ "$TRAVIS_OS_NAME" == "linux" ]]; then export PKG_CONFIG_PATH="/opt/python/3.5/lib/pkgconfig:$PKG_CONFIG_PATH" LD_LIBRARY_PATH="/opt/python/3.5/lib:$LD_LIBRARY_PATH"; fi - if [[ "$TRAVIS_OS_NAME" == "linux" ]]; then cpanm --local-lib=~/perl5 local::lib && eval $(perl -I ~/perl5/lib/perl5/ -Mlocal::lib); fi - if [[ "$TRAVIS_OS_NAME" == "linux" ]]; then cpanm --notest Devel::Cover::Report::Clover; fi - if [[ "$TRAVIS_OS_NAME" == "linux" ]]; then export ZNC_MODPERL_COVERAGE=1; fi @@ -150,7 +149,7 @@ script: after_success: - if [[ "$TRAVIS_OS_NAME" == "linux" ]]; then ~/perl5/bin/cover --no-gcov --report=clover; fi - | - if [[ "$TRAVIS_OS_NAME" == "osx" && "$COVERAGE" == "llvm" ]]; then + if [[ "$TRAVIS_OS_NAME" == "osx" && "$CC" == "clang" ]]; then xcrun llvm-profdata merge unittest.profraw -o unittest.profdata xcrun llvm-profdata merge inttest.profraw -o inttest.profdata xcrun llvm-cov show -show-line-counts-or-regions -instr-profile=unittest.profdata test/unittest_bin > unittest-cmake-coverage.txt From 1de18ed4caebb6523c8c137f8840792d8f57a286 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Wed, 6 Nov 2019 01:30:06 +0000 Subject: [PATCH 335/798] Travis: remove new xcode image for now --- .travis.yml | 4 ---- 1 file changed, 4 deletions(-) diff --git a/.travis.yml b/.travis.yml index 7ac9031b..0731274f 100644 --- a/.travis.yml +++ b/.travis.yml @@ -50,10 +50,6 @@ matrix: osx_image: xcode9.3 # macOS 10.13 compiler: clang env: BUILD_TYPE=normal BUILD_WITH=autoconf - - os: osx - osx_image: xcode11.2 # macOS 10.14 - compiler: clang - env: BUILD_TYPE=normal BUILD_WITH=cmake - os: linux compiler: gcc env: BUILD_TYPE=tarball BUILD_WITH=cmake From 16c849daacc570abfde1cf70ba6e3b3fde3cd35d Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Thu, 7 Nov 2019 08:36:41 +0000 Subject: [PATCH 336/798] Fix crash when parsing incorrect channel modes sent by server. Sometimes certain servers don't send a argument for modes which it declared as ones which need an argument. No released version is affected. Close #1684 --- src/Chan.cpp | 21 ++++++++++++++------- test/IRCSockTest.cpp | 13 ++++++++++++- 2 files changed, 26 insertions(+), 8 deletions(-) diff --git a/src/Chan.cpp b/src/Chan.cpp index 93d67f30..1b824ceb 100644 --- a/src/Chan.cpp +++ b/src/Chan.cpp @@ -300,7 +300,8 @@ void CChan::OnWho(const CString& sNick, const CString& sIdent, } } -void CChan::ModeChange(const CString& sModes, const VCString& vsModes, const CNick* pOpNick) { +void CChan::ModeChange(const CString& sModes, const VCString& vsModes, + const CNick* pOpNick) { bool bAdd = true; /* Try to find a CNick* from this channel so that pOpNick->HasPerm() @@ -319,6 +320,13 @@ void CChan::ModeChange(const CString& sModes, const VCString& vsModes, const CNi } VCString::const_iterator argIter = vsModes.begin(); + const CString sEmpty; + auto nextArg = [&]() -> const CString& { + if (argIter == vsModes.end()) { + return sEmpty; + } + return *argIter++; + }; for (unsigned int a = 0; a < sModes.size(); a++) { const char& cMode = sModes[a]; @@ -327,11 +335,10 @@ void CChan::ModeChange(const CString& sModes, const VCString& vsModes, const CNi } else if (cMode == '-') { bAdd = false; } else if (m_pNetwork->GetIRCSock()->IsPermMode(cMode)) { - CString sArg = *argIter++; + const CString& sArg = nextArg(); CNick* pNick = FindNick(sArg); if (pNick) { - char cPerm = - m_pNetwork->GetIRCSock()->GetPermFromMode(cMode); + char cPerm = m_pNetwork->GetIRCSock()->GetPermFromMode(cMode); if (cPerm) { bool bNoChange = (pNick->HasPerm(cPerm) == bAdd); @@ -389,16 +396,16 @@ void CChan::ModeChange(const CString& sModes, const VCString& vsModes, const CNi switch (m_pNetwork->GetIRCSock()->GetModeType(cMode)) { case CIRCSock::ListArg: bList = true; - sArg = *argIter++; + sArg = nextArg(); break; case CIRCSock::HasArg: - sArg = *argIter++; + sArg = nextArg(); break; case CIRCSock::NoArg: break; case CIRCSock::ArgWhenSet: if (bAdd) { - sArg = *argIter++; + sArg = nextArg(); } break; diff --git a/test/IRCSockTest.cpp b/test/IRCSockTest.cpp index 0c208a83..3771105f 100644 --- a/test/IRCSockTest.cpp +++ b/test/IRCSockTest.cpp @@ -331,7 +331,8 @@ TEST_F(IRCSockTest, OnPartMessage) { } TEST_F(IRCSockTest, StatusModes) { - m_pTestSock->ReadLine(":server 005 user PREFIX=(Yohv)!@%+ :are supported by this server"); + m_pTestSock->ReadLine( + ":server 005 user PREFIX=(Yohv)!@%+ :are supported by this server"); EXPECT_TRUE(m_pTestSock->IsPermMode('Y')); EXPECT_TRUE(m_pTestSock->IsPermMode('o')); @@ -547,3 +548,13 @@ TEST_F(IRCSockTest, StatusMsg) { EXPECT_EQ(m_pTestChan->GetBuffer().GetLine(0, *m_pTestClient), ":someone PRIVMSG @#chan :hello ops"); } + +TEST_F(IRCSockTest, ChanMode) { + // https://github.com/znc/znc/issues/1684 + m_pTestSock->ReadLine( + ":irc.znc.in 001 me :Welcome to the Internet Relay Network me"); + m_pTestSock->ReadLine( + ":irc.znc.in 005 me CHANMODES=be,f,lj,nti " + ":are supported by this server"); + m_pTestSock->ReadLine(":irc.znc.in 324 me #chan +ntf "); +} From 5b8d176d130ee869ee112e193dd72a413235ee5f Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Thu, 7 Nov 2019 09:04:37 +0000 Subject: [PATCH 337/798] Update travis github ssh key Openssl on ubuntu doesn't support the old method anymore --- .travis-github.enc | Bin 3264 -> 3408 bytes .travis.yml | 23 +++++++++++------------ 2 files changed, 11 insertions(+), 12 deletions(-) diff --git a/.travis-github.enc b/.travis-github.enc index 381fb5657d281549a6f7f8f51937fbceb0f8775e..2bba5eef876e6a3caf6663dfa83171356d495fa0 100644 GIT binary patch literal 3408 zcmV-W4X^T3VQh3|WM5yJhO6*qTZY9s0xLgH`8gH+RowL)LBMTBfSVqjXHq5~NNkYm zkb<*=t;7@K9faZ&Nw+~guASG&wauw@=Zu?Lav5-3L(?+wM)pw=S%_~?*LnI7`9{#u zO&oz-Eu5WTuNB*&v>aRU=K|{DN9-A*J}5egN99oc_xXA2xAI9=<8QhZ5b)ge+dbSS zCKv)e_hLfB63aFfY_spCGWd0puj+O}s~>N1DbdEWgbA*vA;VWJH=CSo!q0#=qEwmP zDU5pr_EW#)O!_${5yOxGd?FmP={6icNKZxcExT<~F`9(}KRF4PT z`k&RaKA5UPYB6$2VI+7(r%AAn8)cq)iUW=+ulO`RXmf@|SGC7Ajxib41%wi?TQIi4 zUNn(1adKWVFI~}Ti6ZS<*#f}eR2u86H?XN@uf=>n_HBo&{(l#elH z1*5RY_=9_Q`>LCWz(?64^Cis#3i2SD_sgchM+93I2!b2DEj)BL%|m6zLjkEd=bm#o zpi!wV*0+t`ra?j{uQ|xMyvVW&J^c1y;wT05%E>7AOQiTnL1zXn?k$)&LHe*eSR3j# ztn3X>5}LtIfI|*n(H`PcfX||MIryj`u+#*|&GvjQfgO1+s`kmQ=Wzq`0q;7lX;8C| zW850FaJ`GM-w|Zx14QIuQfu7&iDC&W1Hrc<$wM}&M@9xU1VU+wel}9HcWFT|7x_zx zbSxI*6#}YmM8V=fol4U&$SV#G`g;;GwBN{DKJ2)TGu^AG1&UD~vh;TEREE`noNx~K zpa!ag4;O95BV-Qn<-V&6&@k7JHQ7%$vSfJt|4Y)Yk52ByM{HCrWf&jsTu^4x`v<1_m(6;jCtme(A zWtq{v1FqGRKT-2ms1`87vVZ>MaOu?QA1va&cbHN47`-CI@YN~t^L$j;PHt_F?4H>Y zUd4-S=_&DNUyuWm1b7$Sm^^|m7g(FpVgf8~)+|vHAm@KiND^Bqzobn)Jv&Q!i8>1t0$KplI z2?+Q-^!O_U_Pg1qOvn6lCc9lEL*&WZ@-c6^)@p?hunI-6Td}WZ5v`rQSLd zChBxlE&5NYBg;u5Yq)*;NzA79mz^ROCfo=(QA)@EnhB|!{<^g#ZrvCL6Na7=h%lEU zRI*fFAa}-P@xi(88FYuC=tt7G!R<1tcq9(Bc*a&}OSF;k#MOQn0}4C9wIpSflx^lB{HS#S>n2rsP{&~bab7eBrYbj)K@f3<^9265M_ z6rH_T%_c6rU~c1{H@kv#@#eAyKPbXYLg0sBeClK9W?SSyj_3ea{~X4^*E7s7 z6w~F5G;6^XQj|@!uaz7pX&Q)jv||t$TkBPOF&!a2+FCB9s?^lg)fq`Lhisc&>D1o1 zhA+(>^H=Q}S7B91_LY2HfT^AYHKz+)tEGEpB>}kGXv`f@Dx^i;?Bz?VWlYPOyf%Oz zp+}JUxhT4wT&$c@v7JN=pq*Tr`e7L?{X`TdeYqDzAoM7O-XL`J7dC}|;bI$ZozIG) z&t_@E{!#k9ov#nShtz#2d0R6LiI246Smyh~II4{q3?XJqvgRjGGInsYJt{}ly>$h+ zd&3dFs#Z;^^<}-`sbY+1m_}Hn_Q@oR^w#1jEm z_YE@VI8@I0BW|LR^J`nCGH-A#dyTelmmFP<+a$>x1U4uRj9lSoF2)jfZe|PP+J)`I zDQ^mEM@+BtL^>bBmlI99L9z1^oKF8J{q4YV#`NiF!s5dYrvKVjrh~J7#!k6pGE8EM z!<5niS$vlMt}Lr+70>2WHKsmR7ATuf7n8dlc0;7f8 z3$TTnBjMg@`Up1&_lsVfq!IAfD!Uf!qjrN4io#oPJNICudtJao`qNlS=u3RSl{6R2 z;ncVSSXkJINGWb;_+8ak&v2{5`{N9hFa>H;BBqfRf9-erZB-`oA-jK{T+)A|xstW= z;*tm&DJl$q9%L4IYFdhvd1W!%nzi(AA);)&EEFq4n3M73j=7YUaD?@c)AXGrnIYi( ze!H)v9lopxrpFhR!P8aWDCI4S+52RFyO!Gx4M4kg#LRvU(Ym3>i3|DG5X(#Cot$e? z8x-dRgm?{G-{b_xWnPE8QlYf@sh}l=Ur4LQ%C!Q?HL6^BYv+-kTmkCp{B`y~Now9x_qDCb3y{?o29K6%zwe z#f#N@H-oVsxr)iP>Z#z$*GJIyHx!LQ&wHfQF=XnHIXyNLkYAzmYOP2SAh7X=Ca>-P z?2*J()f*ScWX2% zD@6lW{NV1DTv0KhG0=FjSa-Ef3Cdg3tD|9eCW4FD6iep=`YjCkx#*J=2S8pg->_YD zu{O6kc-6(uV6g0Hn#6X4eITXk^BG~8K=E4KB;*JF?|}#FEW_HY<9v-90|3tD5!Zd% z{ci`@xdlmfH2_^H>j7C!@h&%59rLCUUR@o~6e#p;BSd+e`qf@UVi{#_@LSzOemsWv z5ker1yt33qM=l!wmdR|c;gr@QKbpj?(>T-pa{M&NJUhz1*6U2odP9i-m=lLzxyv{@ z*qLCs1myxXu~NUbHd$Ep>n7T^SFGA6RY==W@!y=YsB#Yd-zV8xqO|@dVB*-g;j|C# z4H~ap`EHR(`yMT&iKKQC``#zkofOz~nOJOxDlP@_!GD{Yr35>K{Pe~_%eO5HRGIbR z^#rB(GAEdWYkYm{zdvW=AbbtgX8*TEB^*57XqyMDP5Nx&HHaFD1~hdxf2L3~MiGBZ zJ$l=5b$10@m`(>SMAJPVv#ZU1YfOc=l%=3-t|*T9tsx>pumU9Oo7?`&D4}aS)fT0e z-wfeB94?_m{j!yP=O=mOZZB}@o-}r;e97TmwaN+U?xB*hU#35uXB&eJL%H{H-K3$G zL7D{013i55Rv2BIpWZK@1k=F8jK6ym-d@`2xb8Ld>1IBb1t1#iiTKMtS`>|W)STtc zPfVItRtzTjjqnc#bRJ~YwVT7043nDfyWpG?B*u`2-AY=c_Pll1IBih7hY8<9}M!U4M*B70@LTjN@)dZj&JZ8RnZbmuf!yT zwg@65t665-VA*A$>vEi)>D)z)RhuHOk2BTRY|hqnnNxgLDecHr{s%jwVGf~Nz_^tC z#i&JfNcLFF;_>PE6J54eWcmaph^;cxv>ea75-t92(X4)N$If6^ZudK5Y+zPDm=g3j mP}>L?_;-P(7$B%3iI6u0Gj*wWNmr{XQ=(lL$WKD1;Jl&*Yo`?e literal 3264 zcmV;x3_tTzVQh3|WM5yU&_NL~6615qkt|`9o|8r<2N?+A&U1q&d6Zvbk)S0PGta?h zzQHwMpSVaURfg_C1ivKb5Yp}hDhV-~D7<0f#1i9;pD3n*G+9?c`?)#MT@KX-hg2x! zLU5ckuyz~HZvKBw%Rx1{7}_<=Pz5KkAB=7ysLP^Yu?Va zB8r}M)Z#5>n?l3m2C%0jx4!JUxZLDKx^xetOXP4dJ!%j8%t8VU;bSfsmir^(Z+qKH z7mJD5SN<4%>h9dLBtE_R3GFKwGif87Z{Dk_;-A%BFIl1h0Ds+jrE7ZfeN~3S5cvGs_8R+lh-8SC+5GSms zaXkEmyR40;ZRZ9PxX*)i4yE~@rYmzWty91xroo4uXYH`ZxnM%g7>#90a}f3Lm(_(g#pCUzNDYrs;aZbvG|5jl)R06k&p|qV(|83wg&FjsB2T}Yyisr^1PE} zZB#}KKoTVN!_8v5Hh*X`F&A$)6V|oH_i37G)I$}^o2U)_zB!)9TGQZR3$|-i3J6nB zki*?Hr>1E2(wQCFQvQg>5gSp4m%^#JH@%5z@w5WR$TT<_GY}b!ZfWwN?t5;iDGd6! z@n{ABGw8+NdDd8#?s^h9jN;(Uk<}ZW3DNvd7cp}7!z2$DeCL~KHRtoJJi*SWsE-Fs z$WHEL-`d&PH-sQVyHa$Pc?AsjlOJ=V(+cw=&el!|_gN6IpC!Apa}>oSd0Lx5q}41` zeJmys8~~JM9nK|L`n2mXopiBJij{j$-yYkr^iZyOGI4f>IuoMk5R?gQKBQ8m`*#}N z4kP~7T2C%#GqLI-!8p`-FfHh;_530<$;TKWYq&hu#FL4h`3jzi_DqwV^JpDpGsBaV zqHF8ok~$B<4F0Rdsk5V@`jUz}7X(b}+v~|31!yrBZYv4kZ=r z)g>0CGAb)}ciHzGU|vsn-p}K2RXsE1em_0laP9(uzvT#OJyB1dI)LjqWt{1Fw5-fW zVwy6Ac;W^u(wUtvnN+$4oJ#95k=Zx!V#1li+LI67%|lTxu9mlgAeWU+_tzwmrFTsY z|HY3Z`)OOfDhkQ09s$~c>P_KwQ~3;P?piGxwW^RQO~#$YFx0X)wC+bLv}45w^d!-Q zey7ZoCM*Ky^^{}U<#Y?^2v)g$KXD86%?N0(D2_{k!PRu8JmyJrM&wwm7^xPADB-nAN95(Qdhk-mv!2_!!%E|M&_L zaicgall^D0Ef<}k%CaQ<>@vb zVs9G_^>;!3Ba?gTlHVB(q;&1r(bp4a3JuE~g~>Gc=8oQ8Qck9F(UeroFhR%r8&Fi$ zV|u8~#~f48s$)H-a)4t?O7qgKOZ+)Ozk0LGsE7G2jx&+YWiOtl%TEZwIPuCOoL%669 zN$KtKQK^+3}zL= z1`A)8jnHgm9h!3Gf;Ub_1xS)K`(WKw82Z^(DAx3&Ze<-ix3j|@z>aM^A6k+0hsnOfrLv_5qck;-&g%|z<(iEQfI(aDYahU!-8ifFgp1pP4K;{M+tFgF_> zI{C|Zi|w~_?l1v)Ds`mEhmwP4709ecY!H$11rBc6(yP$26(vx3d&xj;d0GAf{LlL? znNP7164KHc0eB%jYNw72zzh%7^Qm{{)bC7Bq-DjyAW;B4MH~5VUtIix!G0Spy~XML zkAwTK$Ud0%q0OHl8jAJi3oOzsSXsNvVYfsHuejmZ`l?UHt=5sbpqW0cQvjH4Q}di} z7s`I(90x_K2nw~^uT7`H ztpwc|A8lHY)1(X`7M)dq64%JrRK9HF5!ZI}%}m31^#1$v(1TLvDLN6BMoX}}uqbld zbf-aeOm_rlpuIG+W|tvIA&hx`hc46{P!8L?i%(VV&^SgfZ>C6YJ5lG4d|6O~qrR*j z9){Q@L#oOewGT)V(nX`8Z;>NNY}B4G^l@?ajZaP-Q{wiF;EA=BG;56H7QfzS8KDIX z;;bd{?C0=y6#SZA2Es&}@el8TOGJTA3nJ*uhaIk%I{@hXy=XP-EPD5Y)pQ*bz7TZR zd*V_oz#14lOQ{NJ!ZAlp`(<%D{lu!X37!VX8z7NUk$51D!A+ntnj89LQs14>x?`Pa zh>C_L##LW&N%Z4I_e_uetScqwIRK+re^%*@3^}gYTiMLJ1x_};DT0L!l~59Ie@`3i zPvbogac<;xyZrhi}6jaUKgK0Wgm3|IQ zEIf2C6=^x`noDPt0iC##jKKUqDf)qTqRFgbV7^6D|MNZ^0_$mptRyPf{1}sW1e#Wp zhy&n|2p55$N8UB6VRsYQs60hA2ZBRib^NQ5S%itb)V-`RtJi01r_h+Q!w}$%boLTL z{2mInbeZ6qgT$z1M((R8$(T=n<0jnx(NW?f+=h*&i_Ynt5yPOr0=boq#ycsD2XGLP zi&XYZo5ts6ZsT;esS?z$Ui3yLa7@*DaAC9E3)YNFZ<8(Xx&kyR^dF`+jz$CUSkM9n z@;?q`yT7CGC-MyCEeSQ+ldf97aJIHL2`-e;h&r)$3d6O?sdgB*zS>Vn!Sxlv%`j#L zbp0F1XOK2Wl7e2r``;0edk6fp{+j&#&>*UX>q|hPV!0laNhQz*dlmBSTwrQo%paA4 zb}Tx#Fda&k4SEY7xs(L$QwKUfC0s{x5EKrs1X?(QnsZ1(DucBfY!h)0?i!!HWD|Bn z->?GxPsCGOb~aPDry9{7EAr8o$`hGOJJ4VS@7j3M&ks#wquu=pikU=yCje+}-E8gHU*wGEApdlaU yoLviVkIItZ&!_&^QX8O5DTshB{nHGm2OnKm&Gi&qAGTp)HARubrn2Cm>VaW#s8e77 diff --git a/.travis.yml b/.travis.yml index 234bf35f..15c48683 100644 --- a/.travis.yml +++ b/.travis.yml @@ -1,12 +1,4 @@ language: cpp -env: - global: - # SECRET_KEY, used to push docs to github and to init coverity scans - - secure: "i2f2UVDnyHT/9z0U3XvgTj8eDERvnc1Wk7HpseEjb75JwGzqn/2R+RKHmoSrwK3hFgij2IMxZL19XtHFwMz9t5A/huAAKD74KMMI/QpeZEJ/sjT3CTLcE9HEVDdJOjc7dfLRxb2hZtgvx8clZIMrpeUdPhci8openff30KvXVbg=" - # DOCKER_USERNAME - - secure: "kiR372QH5Srye2beHVamOVLIPeXnDipWfzvzGJEZzbpH+aXsiD+CkbtulCR+XnKpnUAXQTmEc5ts1KjI9MGlxvP1ztxW8HMDGUMF4iFAjgZO8GyAZlH5I7pMEw7D5pn3W9y1LuCW5C9IsDcWnNTJkm32D7N34lLBCTQVw68ooDk=" - # DOCKER_PASSWORD - - secure: "FMKQarGQJ/MFXnQQWEnlWMM+XItbDPgm5tzCn4k36AsAB1s1SiQ08wmy2Ys/+kRvnPN3Clpl8P2C8CoRTMJ8WCUYZVmf3HsqvsLdrODyusR5/N1y5eOKWxo+t1qN2Jzt6oIi/ofUZdn5mdzt8yif+ufxoez+2ncZDt5HoB/suHE=" # These linux-specific parameters could be moved into matrix.include items, but that's lots of repetition sudo: required @@ -58,11 +50,14 @@ matrix: env: BUILD_TYPE=tarball BUILD_WITH=autoconf - stage: deploy os: linux + env: + # SECRET_KEY, used to push docs to github and to init coverity scans + - secure: "ne14MIcNsUNKjqtgrLHJTHXCUUMKfkV/o4sm2scWYOiIl8s1Hoqnx6mPYIr8qnedIra8fsI7sWVxXLDLd/KMTN9v9WpCwc6Sf45vYtkfrS+rNOr86wOeEbgaxDTsb2UDJhtK0InhhpkipA5jrFzQuMMMEB+JgBQltKV43wmd7Yc=" before_install: install: - if [[ "$TRAVIS_REPO_SLUG" == "znc/znc" && "$TRAVIS_PULL_REQUEST" == "false" && "$TRAVIS_BRANCH" == "master" ]]; then ATTEMPT_DEPLOY=yes; else ATTEMPT_DEPLOY=no; fi - - if [[ "$ATTEMPT_DEPLOY" == "yes" ]]; then openssl aes-256-cbc -d -in .travis-github.enc -out ~/znc-github-key -k ${SECRET_KEY}; fi - - export SECRET_KEY=no DOCKER_PASSWORD=no DOCKER_USERNAME=no + - if [[ "$ATTEMPT_DEPLOY" == "yes" ]]; then openssl aes-256-cbc -d -salt -pbkdf2 -in .travis-github.enc -out ~/znc-github-key -k ${SECRET_KEY}; fi + - export SECRET_KEY=no - if [[ "$ATTEMPT_DEPLOY" == "yes" ]]; then sudo apt-get update; fi - if [[ "$ATTEMPT_DEPLOY" == "yes" ]]; then sudo apt-get install -y doxygen graphviz python3-yaml; fi script: @@ -79,11 +74,16 @@ matrix: after_success: - stage: deploy os: linux + env: + # DOCKER_USERNAME + - secure: "kiR372QH5Srye2beHVamOVLIPeXnDipWfzvzGJEZzbpH+aXsiD+CkbtulCR+XnKpnUAXQTmEc5ts1KjI9MGlxvP1ztxW8HMDGUMF4iFAjgZO8GyAZlH5I7pMEw7D5pn3W9y1LuCW5C9IsDcWnNTJkm32D7N34lLBCTQVw68ooDk=" + # DOCKER_PASSWORD + - secure: "FMKQarGQJ/MFXnQQWEnlWMM+XItbDPgm5tzCn4k36AsAB1s1SiQ08wmy2Ys/+kRvnPN3Clpl8P2C8CoRTMJ8WCUYZVmf3HsqvsLdrODyusR5/N1y5eOKWxo+t1qN2Jzt6oIi/ofUZdn5mdzt8yif+ufxoez+2ncZDt5HoB/suHE=" before_install: install: - if [[ "$TRAVIS_REPO_SLUG" == "znc/znc" && "$TRAVIS_PULL_REQUEST" == "false" ]]; then ATTEMPT_DEPLOY=yes; else ATTEMPT_DEPLOY=no; fi - if [[ "$ATTEMPT_DEPLOY" == "yes" ]]; then echo "$DOCKER_PASSWORD" | docker login -u "$DOCKER_USERNAME" --password-stdin; fi - - export SECRET_KEY=no DOCKER_PASSWORD=no DOCKER_USERNAME=no + - export DOCKER_PASSWORD=no DOCKER_USERNAME=no script: - echo "$TRAVIS_BRANCH-$(git describe)" > .nightly - docker build --build-arg BUILD_DATE=`date -u +"%Y-%m-%dT%H:%M:%SZ"` --build-arg VCS_REF=`git rev-parse HEAD` --build-arg VERSION_EXTRA=+docker-git- -t "zncbouncer/znc-git:$TRAVIS_BRANCH" -t "zncbouncer/znc-git:$TRAVIS_BRANCH-$(git describe)" . @@ -93,7 +93,6 @@ matrix: before_install: - python -c "import fcntl; fcntl.fcntl(1, fcntl.F_SETFL, 0)" # https://github.com/travis-ci/travis-ci/issues/8920 - "echo os: [$TRAVIS_OS_NAME] build: [$BUILD_TYPE]" - - export SECRET_KEY=no DOCKER_PASSWORD=no DOCKER_USERNAME=no - export CFGFLAGS= MYCXXFLAGS= MYLDFLAGS= - if [[ "$BUILD_TYPE" == "tarball" ]]; then CFGFLAGS+=" --with-gtest=$TRAVIS_BUILD_DIR/third_party/googletest/googletest --with-gmock=$TRAVIS_BUILD_DIR/third_party/googletest/googlemock --disable-swig"; fi - if [[ "$BUILD_TYPE" == "asan" ]]; then MYCXXFLAGS+=" -fsanitize=address -O1 -fno-omit-frame-pointer -fno-optimize-sibling-calls -fPIE" MYLDFLAGS+=" -fsanitize=address -pie"; fi From c4ab513484777c43287927bc42f5342d12525430 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Fri, 8 Nov 2019 00:26:42 +0000 Subject: [PATCH 338/798] Update translations from Crowdin for bg_BG de_DE es_ES fr_FR id_ID it_IT nl_NL pt_BR ru_RU --- src/po/znc.bg_BG.po | 4 ++-- src/po/znc.de_DE.po | 4 ++-- src/po/znc.es_ES.po | 4 ++-- src/po/znc.fr_FR.po | 4 ++-- src/po/znc.id_ID.po | 4 ++-- src/po/znc.it_IT.po | 4 ++-- src/po/znc.nl_NL.po | 4 ++-- src/po/znc.pot | 4 ++-- src/po/znc.pt_BR.po | 4 ++-- src/po/znc.ru_RU.po | 4 ++-- 10 files changed, 20 insertions(+), 20 deletions(-) diff --git a/src/po/znc.bg_BG.po b/src/po/znc.bg_BG.po index 46fbcdaf..16b022f6 100644 --- a/src/po/znc.bg_BG.po +++ b/src/po/znc.bg_BG.po @@ -265,11 +265,11 @@ msgid_plural "Detached {1} channels" msgstr[0] "" msgstr[1] "" -#: Chan.cpp:671 +#: Chan.cpp:678 msgid "Buffer Playback..." msgstr "" -#: Chan.cpp:709 +#: Chan.cpp:716 msgid "Playback Complete." msgstr "" diff --git a/src/po/znc.de_DE.po b/src/po/znc.de_DE.po index 33f40e14..6fd54965 100644 --- a/src/po/znc.de_DE.po +++ b/src/po/znc.de_DE.po @@ -293,11 +293,11 @@ msgid_plural "Detached {1} channels" msgstr[0] "Von {1} Kanal getrennt" msgstr[1] "Von {1} Kanälen getrennt" -#: Chan.cpp:671 +#: Chan.cpp:678 msgid "Buffer Playback..." msgstr "Pufferwiedergabe..." -#: Chan.cpp:709 +#: Chan.cpp:716 msgid "Playback Complete." msgstr "Wiedergabe beendet." diff --git a/src/po/znc.es_ES.po b/src/po/znc.es_ES.po index 9c229176..673538c5 100644 --- a/src/po/znc.es_ES.po +++ b/src/po/znc.es_ES.po @@ -281,11 +281,11 @@ msgid_plural "Detached {1} channels" msgstr[0] "Desvinculado {1} canal" msgstr[1] "Separados {1} canales" -#: Chan.cpp:671 +#: Chan.cpp:678 msgid "Buffer Playback..." msgstr "Reproducción de buffer..." -#: Chan.cpp:709 +#: Chan.cpp:716 msgid "Playback Complete." msgstr "Reproducción completa." diff --git a/src/po/znc.fr_FR.po b/src/po/znc.fr_FR.po index a33d529e..47f49f19 100644 --- a/src/po/znc.fr_FR.po +++ b/src/po/znc.fr_FR.po @@ -290,11 +290,11 @@ msgid_plural "Detached {1} channels" msgstr[0] "A détaché {1} salon" msgstr[1] "A détaché {1} salons" -#: Chan.cpp:671 +#: Chan.cpp:678 msgid "Buffer Playback..." msgstr "Répétition du tampon..." -#: Chan.cpp:709 +#: Chan.cpp:716 msgid "Playback Complete." msgstr "Répétition terminée." diff --git a/src/po/znc.id_ID.po b/src/po/znc.id_ID.po index f10253a7..725ced49 100644 --- a/src/po/znc.id_ID.po +++ b/src/po/znc.id_ID.po @@ -278,11 +278,11 @@ msgid "Detached {1} channel" msgid_plural "Detached {1} channels" msgstr[0] "" -#: Chan.cpp:671 +#: Chan.cpp:678 msgid "Buffer Playback..." msgstr "" -#: Chan.cpp:709 +#: Chan.cpp:716 msgid "Playback Complete." msgstr "" diff --git a/src/po/znc.it_IT.po b/src/po/znc.it_IT.po index e038a249..7c16a738 100644 --- a/src/po/znc.it_IT.po +++ b/src/po/znc.it_IT.po @@ -286,11 +286,11 @@ msgid_plural "Detached {1} channels" msgstr[0] "Scollegato {1} canale (Detached)" msgstr[1] "Scollegati {1} canali (Detached)" -#: Chan.cpp:671 +#: Chan.cpp:678 msgid "Buffer Playback..." msgstr "Riproduzione del Buffer avviata..." -#: Chan.cpp:709 +#: Chan.cpp:716 msgid "Playback Complete." msgstr "Riproduzione del Buffer completata." diff --git a/src/po/znc.nl_NL.po b/src/po/znc.nl_NL.po index 0d986e17..f00b9f14 100644 --- a/src/po/znc.nl_NL.po +++ b/src/po/znc.nl_NL.po @@ -296,11 +296,11 @@ msgid_plural "Detached {1} channels" msgstr[0] "Losgekoppeld van {1} kanaal" msgstr[1] "Losgekoppeld van {1} kanalen" -#: Chan.cpp:671 +#: Chan.cpp:678 msgid "Buffer Playback..." msgstr "Buffer afspelen..." -#: Chan.cpp:709 +#: Chan.cpp:716 msgid "Playback Complete." msgstr "Afspelen compleet." diff --git a/src/po/znc.pot b/src/po/znc.pot index 57174f15..398183d3 100644 --- a/src/po/znc.pot +++ b/src/po/znc.pot @@ -256,11 +256,11 @@ msgid_plural "Detached {1} channels" msgstr[0] "" msgstr[1] "" -#: Chan.cpp:671 +#: Chan.cpp:678 msgid "Buffer Playback..." msgstr "" -#: Chan.cpp:709 +#: Chan.cpp:716 msgid "Playback Complete." msgstr "" diff --git a/src/po/znc.pt_BR.po b/src/po/znc.pt_BR.po index 97f55bdf..672dde3a 100644 --- a/src/po/znc.pt_BR.po +++ b/src/po/znc.pt_BR.po @@ -285,11 +285,11 @@ msgid_plural "Detached {1} channels" msgstr[0] "{1} canal foi desanexado" msgstr[1] "{1} canais foram desanexados" -#: Chan.cpp:671 +#: Chan.cpp:678 msgid "Buffer Playback..." msgstr "Reprodução de buffer..." -#: Chan.cpp:709 +#: Chan.cpp:716 msgid "Playback Complete." msgstr "Reprodução completa." diff --git a/src/po/znc.ru_RU.po b/src/po/znc.ru_RU.po index 69a3b77f..59920b72 100644 --- a/src/po/znc.ru_RU.po +++ b/src/po/znc.ru_RU.po @@ -286,11 +286,11 @@ msgstr[1] "Отцепляю {1} канала" msgstr[2] "Отцепляю {1} каналов" msgstr[3] "Отцепляю {1} каналов" -#: Chan.cpp:671 +#: Chan.cpp:678 msgid "Buffer Playback..." msgstr "Воспроизведение буфера..." -#: Chan.cpp:709 +#: Chan.cpp:716 msgid "Playback Complete." msgstr "Воспроизведение завершено." From e6dcaf0604952d1f3837dd05f9e60e69a4872b5c Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Fri, 15 Nov 2019 00:27:35 +0000 Subject: [PATCH 339/798] Update translations from Crowdin for pt_BR --- modules/po/autovoice.pt_BR.po | 4 ++-- modules/po/awaystore.pt_BR.po | 12 ++++++------ modules/po/block_motd.pt_BR.po | 2 +- modules/po/blockuser.pt_BR.po | 14 ++++++++------ modules/po/bouncedcc.pt_BR.po | 16 ++++++++-------- modules/po/cert.pt_BR.po | 10 +++++----- modules/po/certauth.pt_BR.po | 16 +++++++++------- modules/po/controlpanel.pt_BR.po | 18 +++++++++--------- src/po/znc.pt_BR.po | 26 +++++++++++++------------- 9 files changed, 61 insertions(+), 57 deletions(-) diff --git a/modules/po/autovoice.pt_BR.po b/modules/po/autovoice.pt_BR.po index d2a6b81d..a8191f70 100644 --- a/modules/po/autovoice.pt_BR.po +++ b/modules/po/autovoice.pt_BR.po @@ -90,11 +90,11 @@ msgstr "" #: autovoice.cpp:335 msgid "User {1} removed" -msgstr "" +msgstr "O usuário {1} foi removido" #: autovoice.cpp:341 msgid "That user already exists" -msgstr "" +msgstr "Este usuário já existe" #: autovoice.cpp:347 msgid "User {1} added with hostmask {2}" diff --git a/modules/po/awaystore.pt_BR.po b/modules/po/awaystore.pt_BR.po index fb4865ec..0eef3cec 100644 --- a/modules/po/awaystore.pt_BR.po +++ b/modules/po/awaystore.pt_BR.po @@ -14,15 +14,15 @@ msgstr "" #: awaystore.cpp:67 msgid "You have been marked as away" -msgstr "" +msgstr "Você foi marcado como ausente" #: awaystore.cpp:78 awaystore.cpp:385 awaystore.cpp:388 msgid "Welcome back!" -msgstr "" +msgstr "Bem-vindo novamente!" #: awaystore.cpp:100 msgid "Deleted {1} messages" -msgstr "" +msgstr "{1} mensagens foram excluídas" #: awaystore.cpp:104 msgid "USAGE: delete " @@ -34,7 +34,7 @@ msgstr "" #: awaystore.cpp:113 msgid "Message erased" -msgstr "" +msgstr "Mensagem apagada" #: awaystore.cpp:122 msgid "Messages saved to disk" @@ -46,7 +46,7 @@ msgstr "" #: awaystore.cpp:135 msgid "Password updated to [{1}]" -msgstr "" +msgstr "Senha atualizada para [{1}]" #: awaystore.cpp:147 msgid "Corrupt message! [{1}]" @@ -58,7 +58,7 @@ msgstr "" #: awaystore.cpp:178 msgid "#--- End of messages" -msgstr "" +msgstr "#--- Fim das mensagens" #: awaystore.cpp:183 msgid "Timer set to 300 seconds" diff --git a/modules/po/block_motd.pt_BR.po b/modules/po/block_motd.pt_BR.po index cbc38077..2e2f23a2 100644 --- a/modules/po/block_motd.pt_BR.po +++ b/modules/po/block_motd.pt_BR.po @@ -24,7 +24,7 @@ msgstr "" #: block_motd.cpp:36 msgid "You are not connected to an IRC Server." -msgstr "" +msgstr "Você não está conectado a um servidor IRC." #: block_motd.cpp:58 msgid "MOTD blocked by ZNC" diff --git a/modules/po/blockuser.pt_BR.po b/modules/po/blockuser.pt_BR.po index 112e96d5..3426259f 100644 --- a/modules/po/blockuser.pt_BR.po +++ b/modules/po/blockuser.pt_BR.po @@ -19,10 +19,12 @@ msgstr "" #: blockuser.cpp:23 msgid "Your account has been disabled. Contact your administrator." msgstr "" +"A sua conta foi desativada. Entre em contato com o administrador do sistema " +"para mais informações." #: blockuser.cpp:29 msgid "List blocked users" -msgstr "" +msgstr "Listar usuários bloqueados" #: blockuser.cpp:31 blockuser.cpp:33 msgid "" @@ -30,11 +32,11 @@ msgstr "" #: blockuser.cpp:31 msgid "Block a user" -msgstr "" +msgstr "Bloquear usuário" #: blockuser.cpp:33 msgid "Unblock a user" -msgstr "" +msgstr "Desbloquear usuário" #: blockuser.cpp:55 msgid "Could not block {1}" @@ -42,7 +44,7 @@ msgstr "" #: blockuser.cpp:76 msgid "Access denied" -msgstr "" +msgstr "Acesso negado" #: blockuser.cpp:85 msgid "No users are blocked" @@ -50,7 +52,7 @@ msgstr "" #: blockuser.cpp:88 msgid "Blocked users:" -msgstr "" +msgstr "Usuários bloqueados:" #: blockuser.cpp:100 msgid "Usage: Block " @@ -78,7 +80,7 @@ msgstr "" #: blockuser.cpp:127 msgid "This user is not blocked" -msgstr "" +msgstr "Este usuário não está bloqueado" #: blockuser.cpp:155 msgid "Couldn't block {1}" diff --git a/modules/po/bouncedcc.pt_BR.po b/modules/po/bouncedcc.pt_BR.po index 1e54ca68..058db06b 100644 --- a/modules/po/bouncedcc.pt_BR.po +++ b/modules/po/bouncedcc.pt_BR.po @@ -15,32 +15,32 @@ msgstr "" #: bouncedcc.cpp:101 bouncedcc.cpp:119 bouncedcc.cpp:121 msgctxt "list" msgid "Type" -msgstr "" +msgstr "Tipo" #: bouncedcc.cpp:102 bouncedcc.cpp:132 msgctxt "list" msgid "State" -msgstr "" +msgstr "Estado" #: bouncedcc.cpp:103 msgctxt "list" msgid "Speed" -msgstr "" +msgstr "Velocidade" #: bouncedcc.cpp:104 bouncedcc.cpp:115 msgctxt "list" msgid "Nick" -msgstr "" +msgstr "Apelido" #: bouncedcc.cpp:105 bouncedcc.cpp:116 msgctxt "list" msgid "IP" -msgstr "" +msgstr "IP" #: bouncedcc.cpp:106 bouncedcc.cpp:122 msgctxt "list" msgid "File" -msgstr "" +msgstr "Arquivo" #: bouncedcc.cpp:119 msgctxt "list" @@ -54,7 +54,7 @@ msgstr "" #: bouncedcc.cpp:125 msgid "Waiting" -msgstr "" +msgstr "Aguardando" #: bouncedcc.cpp:127 msgid "Halfway" @@ -62,7 +62,7 @@ msgstr "" #: bouncedcc.cpp:129 msgid "Connected" -msgstr "" +msgstr "Conectado" #: bouncedcc.cpp:137 msgid "You have no active DCCs." diff --git a/modules/po/cert.pt_BR.po b/modules/po/cert.pt_BR.po index 207dee08..cb26c3fe 100644 --- a/modules/po/cert.pt_BR.po +++ b/modules/po/cert.pt_BR.po @@ -42,7 +42,7 @@ msgstr "" #: cert.cpp:28 msgid "Pem file deleted" -msgstr "" +msgstr "Arquivo PEM excluído" #: cert.cpp:31 msgid "The pem file doesn't exist or there was a error deleting the pem file." @@ -50,7 +50,7 @@ msgstr "" #: cert.cpp:38 msgid "You have a certificate in {1}" -msgstr "" +msgstr "Você possui um certificado em {1}" #: cert.cpp:41 msgid "" @@ -64,12 +64,12 @@ msgstr "" #: cert.cpp:52 msgid "Delete the current certificate" -msgstr "" +msgstr "Excluir o certificado atual" #: cert.cpp:54 msgid "Show the current certificate" -msgstr "" +msgstr "Exibir o certificado atual" #: cert.cpp:105 msgid "Use a ssl certificate to connect to a server" -msgstr "" +msgstr "Utilizar um certificado SSL para conectar-se a um servidor" diff --git a/modules/po/certauth.pt_BR.po b/modules/po/certauth.pt_BR.po index 232caddb..efcd42eb 100644 --- a/modules/po/certauth.pt_BR.po +++ b/modules/po/certauth.pt_BR.po @@ -14,15 +14,15 @@ msgstr "" #: modules/po/../data/certauth/tmpl/index.tmpl:7 msgid "Add a key" -msgstr "" +msgstr "Adicionar chave" #: modules/po/../data/certauth/tmpl/index.tmpl:11 msgid "Key:" -msgstr "" +msgstr "Chave:" #: modules/po/../data/certauth/tmpl/index.tmpl:15 msgid "Add Key" -msgstr "" +msgstr "Adicionar chave" #: modules/po/../data/certauth/tmpl/index.tmpl:23 msgid "You have no keys." @@ -31,7 +31,7 @@ msgstr "" #: modules/po/../data/certauth/tmpl/index.tmpl:30 msgctxt "web" msgid "Key" -msgstr "" +msgstr "Chave" #: modules/po/../data/certauth/tmpl/index.tmpl:36 msgid "del" @@ -44,6 +44,8 @@ msgstr "" #: certauth.cpp:32 msgid "Add a public key. If key is not provided will use the current key" msgstr "" +"Adiciona uma chave pública. Se a chave não for fornecida, a chave atual será " +"utilizada." #: certauth.cpp:35 msgid "id" @@ -55,7 +57,7 @@ msgstr "" #: certauth.cpp:37 msgid "List your public keys" -msgstr "" +msgstr "Listar as suas chaves públicas" #: certauth.cpp:39 msgid "Print your current key" @@ -67,7 +69,7 @@ msgstr "" #: certauth.cpp:144 msgid "Your current public key is: {1}" -msgstr "" +msgstr "A sua chave pública atual é: {1}" #: certauth.cpp:157 msgid "You did not supply a public key or connect with one." @@ -75,7 +77,7 @@ msgstr "" #: certauth.cpp:160 msgid "Key '{1}' added." -msgstr "" +msgstr "Chave \"{1}\" adicionada." #: certauth.cpp:162 msgid "The key '{1}' is already added." diff --git a/modules/po/controlpanel.pt_BR.po b/modules/po/controlpanel.pt_BR.po index c6a61c42..5d700940 100644 --- a/modules/po/controlpanel.pt_BR.po +++ b/modules/po/controlpanel.pt_BR.po @@ -15,12 +15,12 @@ msgstr "" #: controlpanel.cpp:51 controlpanel.cpp:64 msgctxt "helptable" msgid "Type" -msgstr "" +msgstr "Tipo" #: controlpanel.cpp:52 controlpanel.cpp:66 msgctxt "helptable" msgid "Variables" -msgstr "" +msgstr "Variáveis" #: controlpanel.cpp:78 msgid "String" @@ -105,7 +105,7 @@ msgstr "" #: controlpanel.cpp:405 msgid "Password has been changed!" -msgstr "" +msgstr "A senha foi alterada!" #: controlpanel.cpp:413 msgid "Timeout can't be less than 30 seconds!" @@ -117,7 +117,7 @@ msgstr "" #: controlpanel.cpp:495 msgid "Supported languages: {1}" -msgstr "" +msgstr "Idiomas suportados: {1}" #: controlpanel.cpp:519 msgid "Usage: GetNetwork [username] [network]" @@ -195,17 +195,17 @@ msgstr "" #: controlpanel.cpp:891 controlpanel.cpp:903 controlpanel.cpp:905 msgctxt "listusers" msgid "IsAdmin" -msgstr "" +msgstr "Administrador" #: controlpanel.cpp:892 controlpanel.cpp:906 msgctxt "listusers" msgid "Nick" -msgstr "" +msgstr "Apelido" #: controlpanel.cpp:893 controlpanel.cpp:907 msgctxt "listusers" msgid "AltNick" -msgstr "" +msgstr "Apelido alternativo" #: controlpanel.cpp:894 controlpanel.cpp:908 msgctxt "listusers" @@ -219,11 +219,11 @@ msgstr "" #: controlpanel.cpp:903 controlpanel.cpp:1143 msgid "No" -msgstr "" +msgstr "Não" #: controlpanel.cpp:905 controlpanel.cpp:1135 msgid "Yes" -msgstr "" +msgstr "Sim" #: controlpanel.cpp:919 controlpanel.cpp:988 msgid "Error: You need to have admin rights to add new users!" diff --git a/src/po/znc.pt_BR.po b/src/po/znc.pt_BR.po index 672dde3a..fb171d41 100644 --- a/src/po/znc.pt_BR.po +++ b/src/po/znc.pt_BR.po @@ -788,7 +788,7 @@ msgstr "Canal" #: ClientCommand.cpp:875 ClientCommand.cpp:881 msgctxt "topicscmd" msgid "Set By" -msgstr "" +msgstr "Definido por" #: ClientCommand.cpp:876 ClientCommand.cpp:882 msgctxt "topicscmd" @@ -807,7 +807,7 @@ msgstr "Parâmetros" #: ClientCommand.cpp:904 msgid "No global modules loaded." -msgstr "" +msgstr "Não há módulos globais carregados." #: ClientCommand.cpp:906 ClientCommand.cpp:970 msgid "Global modules:" @@ -865,7 +865,7 @@ msgstr "Não foi possível carregar {1}: {2}" #: ClientCommand.cpp:1043 msgid "Unable to load global module {1}: Access denied." -msgstr "" +msgstr "Falha ao carregar o módulo global {1}: acesso negado." #: ClientCommand.cpp:1049 msgid "Unable to load network module {1}: Not connected with a network." @@ -873,7 +873,7 @@ msgstr "" #: ClientCommand.cpp:1071 msgid "Unknown module type" -msgstr "" +msgstr "Tipo de módulo desconhecido" #: ClientCommand.cpp:1076 msgid "Loaded module {1}" @@ -885,7 +885,7 @@ msgstr "Módulo {1} carregado: {2}" #: ClientCommand.cpp:1081 msgid "Unable to load module {1}: {2}" -msgstr "" +msgstr "Falha ao carregar o módulo {1}: {2}" #: ClientCommand.cpp:1104 msgid "Unable to unload {1}: Access denied." @@ -1260,7 +1260,7 @@ msgstr "Lista todos os módulos disponíveis" #: ClientCommand.cpp:1700 ClientCommand.cpp:1886 msgctxt "helpcmd|ListChans|desc" msgid "List all channels" -msgstr "" +msgstr "Listar todos os canais" #: ClientCommand.cpp:1703 msgctxt "helpcmd|ListNicks|args" @@ -1270,17 +1270,17 @@ msgstr "" #: ClientCommand.cpp:1704 msgctxt "helpcmd|ListNicks|desc" msgid "List all nicks on a channel" -msgstr "" +msgstr "Listar todos os apelidos em um canal" #: ClientCommand.cpp:1707 msgctxt "helpcmd|ListClients|desc" msgid "List all clients connected to your ZNC user" -msgstr "" +msgstr "Listar todos os clientes conectados ao seu usuário do ZNC" #: ClientCommand.cpp:1711 msgctxt "helpcmd|ListServers|desc" msgid "List all servers of current IRC network" -msgstr "" +msgstr "Listar todos os servidores da rede atual" #: ClientCommand.cpp:1715 msgctxt "helpcmd|AddNetwork|args" @@ -1290,7 +1290,7 @@ msgstr "" #: ClientCommand.cpp:1716 msgctxt "helpcmd|AddNetwork|desc" msgid "Add a network to your user" -msgstr "" +msgstr "Adiciona uma rede ao seu usuário" #: ClientCommand.cpp:1718 msgctxt "helpcmd|DelNetwork|args" @@ -1300,12 +1300,12 @@ msgstr "" #: ClientCommand.cpp:1719 msgctxt "helpcmd|DelNetwork|desc" msgid "Delete a network from your user" -msgstr "" +msgstr "Exclui uma rede do seu usuário" #: ClientCommand.cpp:1721 msgctxt "helpcmd|ListNetworks|desc" msgid "List all networks" -msgstr "" +msgstr "Listar todas as redes" #: ClientCommand.cpp:1724 msgctxt "helpcmd|MoveNetwork|args" @@ -1315,7 +1315,7 @@ msgstr "" #: ClientCommand.cpp:1726 msgctxt "helpcmd|MoveNetwork|desc" msgid "Move an IRC network from one user to another" -msgstr "" +msgstr "Move uma rede de um usuário para outro" #: ClientCommand.cpp:1730 msgctxt "helpcmd|JumpNetwork|args" From 357bcc187dff7f406e1bda98f24c248a03ec819f Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Fri, 15 Nov 2019 00:28:09 +0000 Subject: [PATCH 340/798] Update translations from Crowdin for pt_BR --- modules/po/autovoice.pt_BR.po | 4 ++-- modules/po/awaystore.pt_BR.po | 12 ++++++------ modules/po/block_motd.pt_BR.po | 2 +- modules/po/blockuser.pt_BR.po | 14 ++++++++------ modules/po/bouncedcc.pt_BR.po | 16 ++++++++-------- modules/po/cert.pt_BR.po | 10 +++++----- modules/po/certauth.pt_BR.po | 16 +++++++++------- modules/po/controlpanel.pt_BR.po | 18 +++++++++--------- src/po/znc.pt_BR.po | 26 +++++++++++++------------- 9 files changed, 61 insertions(+), 57 deletions(-) diff --git a/modules/po/autovoice.pt_BR.po b/modules/po/autovoice.pt_BR.po index 8cb40e92..27446364 100644 --- a/modules/po/autovoice.pt_BR.po +++ b/modules/po/autovoice.pt_BR.po @@ -90,11 +90,11 @@ msgstr "" #: autovoice.cpp:335 msgid "User {1} removed" -msgstr "" +msgstr "O usuário {1} foi removido" #: autovoice.cpp:341 msgid "That user already exists" -msgstr "" +msgstr "Este usuário já existe" #: autovoice.cpp:347 msgid "User {1} added with hostmask {2}" diff --git a/modules/po/awaystore.pt_BR.po b/modules/po/awaystore.pt_BR.po index 421d777f..1c72f13f 100644 --- a/modules/po/awaystore.pt_BR.po +++ b/modules/po/awaystore.pt_BR.po @@ -14,15 +14,15 @@ msgstr "" #: awaystore.cpp:67 msgid "You have been marked as away" -msgstr "" +msgstr "Você foi marcado como ausente" #: awaystore.cpp:78 awaystore.cpp:385 awaystore.cpp:388 msgid "Welcome back!" -msgstr "" +msgstr "Bem-vindo novamente!" #: awaystore.cpp:100 msgid "Deleted {1} messages" -msgstr "" +msgstr "{1} mensagens foram excluídas" #: awaystore.cpp:104 msgid "USAGE: delete " @@ -34,7 +34,7 @@ msgstr "" #: awaystore.cpp:113 msgid "Message erased" -msgstr "" +msgstr "Mensagem apagada" #: awaystore.cpp:122 msgid "Messages saved to disk" @@ -46,7 +46,7 @@ msgstr "" #: awaystore.cpp:135 msgid "Password updated to [{1}]" -msgstr "" +msgstr "Senha atualizada para [{1}]" #: awaystore.cpp:147 msgid "Corrupt message! [{1}]" @@ -58,7 +58,7 @@ msgstr "" #: awaystore.cpp:178 msgid "#--- End of messages" -msgstr "" +msgstr "#--- Fim das mensagens" #: awaystore.cpp:183 msgid "Timer set to 300 seconds" diff --git a/modules/po/block_motd.pt_BR.po b/modules/po/block_motd.pt_BR.po index 536e0a17..497e6abc 100644 --- a/modules/po/block_motd.pt_BR.po +++ b/modules/po/block_motd.pt_BR.po @@ -24,7 +24,7 @@ msgstr "" #: block_motd.cpp:36 msgid "You are not connected to an IRC Server." -msgstr "" +msgstr "Você não está conectado a um servidor IRC." #: block_motd.cpp:58 msgid "MOTD blocked by ZNC" diff --git a/modules/po/blockuser.pt_BR.po b/modules/po/blockuser.pt_BR.po index 7a2756a0..2494ed17 100644 --- a/modules/po/blockuser.pt_BR.po +++ b/modules/po/blockuser.pt_BR.po @@ -19,10 +19,12 @@ msgstr "" #: blockuser.cpp:23 msgid "Your account has been disabled. Contact your administrator." msgstr "" +"A sua conta foi desativada. Entre em contato com o administrador do sistema " +"para mais informações." #: blockuser.cpp:29 msgid "List blocked users" -msgstr "" +msgstr "Listar usuários bloqueados" #: blockuser.cpp:31 blockuser.cpp:33 msgid "" @@ -30,11 +32,11 @@ msgstr "" #: blockuser.cpp:31 msgid "Block a user" -msgstr "" +msgstr "Bloquear usuário" #: blockuser.cpp:33 msgid "Unblock a user" -msgstr "" +msgstr "Desbloquear usuário" #: blockuser.cpp:55 msgid "Could not block {1}" @@ -42,7 +44,7 @@ msgstr "" #: blockuser.cpp:76 msgid "Access denied" -msgstr "" +msgstr "Acesso negado" #: blockuser.cpp:85 msgid "No users are blocked" @@ -50,7 +52,7 @@ msgstr "" #: blockuser.cpp:88 msgid "Blocked users:" -msgstr "" +msgstr "Usuários bloqueados:" #: blockuser.cpp:100 msgid "Usage: Block " @@ -78,7 +80,7 @@ msgstr "" #: blockuser.cpp:127 msgid "This user is not blocked" -msgstr "" +msgstr "Este usuário não está bloqueado" #: blockuser.cpp:155 msgid "Couldn't block {1}" diff --git a/modules/po/bouncedcc.pt_BR.po b/modules/po/bouncedcc.pt_BR.po index f760399f..6db20ead 100644 --- a/modules/po/bouncedcc.pt_BR.po +++ b/modules/po/bouncedcc.pt_BR.po @@ -15,32 +15,32 @@ msgstr "" #: bouncedcc.cpp:101 bouncedcc.cpp:119 bouncedcc.cpp:121 msgctxt "list" msgid "Type" -msgstr "" +msgstr "Tipo" #: bouncedcc.cpp:102 bouncedcc.cpp:132 msgctxt "list" msgid "State" -msgstr "" +msgstr "Estado" #: bouncedcc.cpp:103 msgctxt "list" msgid "Speed" -msgstr "" +msgstr "Velocidade" #: bouncedcc.cpp:104 bouncedcc.cpp:115 msgctxt "list" msgid "Nick" -msgstr "" +msgstr "Apelido" #: bouncedcc.cpp:105 bouncedcc.cpp:116 msgctxt "list" msgid "IP" -msgstr "" +msgstr "IP" #: bouncedcc.cpp:106 bouncedcc.cpp:122 msgctxt "list" msgid "File" -msgstr "" +msgstr "Arquivo" #: bouncedcc.cpp:119 msgctxt "list" @@ -54,7 +54,7 @@ msgstr "" #: bouncedcc.cpp:125 msgid "Waiting" -msgstr "" +msgstr "Aguardando" #: bouncedcc.cpp:127 msgid "Halfway" @@ -62,7 +62,7 @@ msgstr "" #: bouncedcc.cpp:129 msgid "Connected" -msgstr "" +msgstr "Conectado" #: bouncedcc.cpp:137 msgid "You have no active DCCs." diff --git a/modules/po/cert.pt_BR.po b/modules/po/cert.pt_BR.po index 058b81d2..0b95b980 100644 --- a/modules/po/cert.pt_BR.po +++ b/modules/po/cert.pt_BR.po @@ -42,7 +42,7 @@ msgstr "" #: cert.cpp:28 msgid "Pem file deleted" -msgstr "" +msgstr "Arquivo PEM excluído" #: cert.cpp:31 msgid "The pem file doesn't exist or there was a error deleting the pem file." @@ -50,7 +50,7 @@ msgstr "" #: cert.cpp:38 msgid "You have a certificate in {1}" -msgstr "" +msgstr "Você possui um certificado em {1}" #: cert.cpp:41 msgid "" @@ -64,12 +64,12 @@ msgstr "" #: cert.cpp:52 msgid "Delete the current certificate" -msgstr "" +msgstr "Excluir o certificado atual" #: cert.cpp:54 msgid "Show the current certificate" -msgstr "" +msgstr "Exibir o certificado atual" #: cert.cpp:105 msgid "Use a ssl certificate to connect to a server" -msgstr "" +msgstr "Utilizar um certificado SSL para conectar-se a um servidor" diff --git a/modules/po/certauth.pt_BR.po b/modules/po/certauth.pt_BR.po index 6e50bb91..c40dd382 100644 --- a/modules/po/certauth.pt_BR.po +++ b/modules/po/certauth.pt_BR.po @@ -14,15 +14,15 @@ msgstr "" #: modules/po/../data/certauth/tmpl/index.tmpl:7 msgid "Add a key" -msgstr "" +msgstr "Adicionar chave" #: modules/po/../data/certauth/tmpl/index.tmpl:11 msgid "Key:" -msgstr "" +msgstr "Chave:" #: modules/po/../data/certauth/tmpl/index.tmpl:15 msgid "Add Key" -msgstr "" +msgstr "Adicionar chave" #: modules/po/../data/certauth/tmpl/index.tmpl:23 msgid "You have no keys." @@ -31,7 +31,7 @@ msgstr "" #: modules/po/../data/certauth/tmpl/index.tmpl:30 msgctxt "web" msgid "Key" -msgstr "" +msgstr "Chave" #: modules/po/../data/certauth/tmpl/index.tmpl:36 msgid "del" @@ -44,6 +44,8 @@ msgstr "" #: certauth.cpp:32 msgid "Add a public key. If key is not provided will use the current key" msgstr "" +"Adiciona uma chave pública. Se a chave não for fornecida, a chave atual será " +"utilizada." #: certauth.cpp:35 msgid "id" @@ -55,7 +57,7 @@ msgstr "" #: certauth.cpp:37 msgid "List your public keys" -msgstr "" +msgstr "Listar as suas chaves públicas" #: certauth.cpp:39 msgid "Print your current key" @@ -67,7 +69,7 @@ msgstr "" #: certauth.cpp:144 msgid "Your current public key is: {1}" -msgstr "" +msgstr "A sua chave pública atual é: {1}" #: certauth.cpp:157 msgid "You did not supply a public key or connect with one." @@ -75,7 +77,7 @@ msgstr "" #: certauth.cpp:160 msgid "Key '{1}' added." -msgstr "" +msgstr "Chave \"{1}\" adicionada." #: certauth.cpp:162 msgid "The key '{1}' is already added." diff --git a/modules/po/controlpanel.pt_BR.po b/modules/po/controlpanel.pt_BR.po index 37d539d6..0578c331 100644 --- a/modules/po/controlpanel.pt_BR.po +++ b/modules/po/controlpanel.pt_BR.po @@ -15,12 +15,12 @@ msgstr "" #: controlpanel.cpp:51 controlpanel.cpp:63 msgctxt "helptable" msgid "Type" -msgstr "" +msgstr "Tipo" #: controlpanel.cpp:52 controlpanel.cpp:65 msgctxt "helptable" msgid "Variables" -msgstr "" +msgstr "Variáveis" #: controlpanel.cpp:77 msgid "String" @@ -105,7 +105,7 @@ msgstr "" #: controlpanel.cpp:400 msgid "Password has been changed!" -msgstr "" +msgstr "A senha foi alterada!" #: controlpanel.cpp:408 msgid "Timeout can't be less than 30 seconds!" @@ -117,7 +117,7 @@ msgstr "" #: controlpanel.cpp:490 msgid "Supported languages: {1}" -msgstr "" +msgstr "Idiomas suportados: {1}" #: controlpanel.cpp:514 msgid "Usage: GetNetwork [username] [network]" @@ -195,17 +195,17 @@ msgstr "" #: controlpanel.cpp:886 controlpanel.cpp:898 controlpanel.cpp:900 msgctxt "listusers" msgid "IsAdmin" -msgstr "" +msgstr "Administrador" #: controlpanel.cpp:887 controlpanel.cpp:901 msgctxt "listusers" msgid "Nick" -msgstr "" +msgstr "Apelido" #: controlpanel.cpp:888 controlpanel.cpp:902 msgctxt "listusers" msgid "AltNick" -msgstr "" +msgstr "Apelido alternativo" #: controlpanel.cpp:889 controlpanel.cpp:903 msgctxt "listusers" @@ -219,11 +219,11 @@ msgstr "" #: controlpanel.cpp:898 controlpanel.cpp:1138 msgid "No" -msgstr "" +msgstr "Não" #: controlpanel.cpp:900 controlpanel.cpp:1130 msgid "Yes" -msgstr "" +msgstr "Sim" #: controlpanel.cpp:914 controlpanel.cpp:983 msgid "Error: You need to have admin rights to add new users!" diff --git a/src/po/znc.pt_BR.po b/src/po/znc.pt_BR.po index babf5e22..05447ba6 100644 --- a/src/po/znc.pt_BR.po +++ b/src/po/znc.pt_BR.po @@ -788,7 +788,7 @@ msgstr "Canal" #: ClientCommand.cpp:875 ClientCommand.cpp:881 msgctxt "topicscmd" msgid "Set By" -msgstr "" +msgstr "Definido por" #: ClientCommand.cpp:876 ClientCommand.cpp:882 msgctxt "topicscmd" @@ -807,7 +807,7 @@ msgstr "Parâmetros" #: ClientCommand.cpp:902 msgid "No global modules loaded." -msgstr "" +msgstr "Não há módulos globais carregados." #: ClientCommand.cpp:904 ClientCommand.cpp:964 msgid "Global modules:" @@ -865,7 +865,7 @@ msgstr "Não foi possível carregar {1}: {2}" #: ClientCommand.cpp:1035 msgid "Unable to load global module {1}: Access denied." -msgstr "" +msgstr "Falha ao carregar o módulo global {1}: acesso negado." #: ClientCommand.cpp:1041 msgid "Unable to load network module {1}: Not connected with a network." @@ -873,7 +873,7 @@ msgstr "" #: ClientCommand.cpp:1063 msgid "Unknown module type" -msgstr "" +msgstr "Tipo de módulo desconhecido" #: ClientCommand.cpp:1068 msgid "Loaded module {1}" @@ -885,7 +885,7 @@ msgstr "Módulo {1} carregado: {2}" #: ClientCommand.cpp:1073 msgid "Unable to load module {1}: {2}" -msgstr "" +msgstr "Falha ao carregar o módulo {1}: {2}" #: ClientCommand.cpp:1096 msgid "Unable to unload {1}: Access denied." @@ -1260,7 +1260,7 @@ msgstr "Lista todos os módulos disponíveis" #: ClientCommand.cpp:1690 ClientCommand.cpp:1876 msgctxt "helpcmd|ListChans|desc" msgid "List all channels" -msgstr "" +msgstr "Listar todos os canais" #: ClientCommand.cpp:1693 msgctxt "helpcmd|ListNicks|args" @@ -1270,17 +1270,17 @@ msgstr "" #: ClientCommand.cpp:1694 msgctxt "helpcmd|ListNicks|desc" msgid "List all nicks on a channel" -msgstr "" +msgstr "Listar todos os apelidos em um canal" #: ClientCommand.cpp:1697 msgctxt "helpcmd|ListClients|desc" msgid "List all clients connected to your ZNC user" -msgstr "" +msgstr "Listar todos os clientes conectados ao seu usuário do ZNC" #: ClientCommand.cpp:1701 msgctxt "helpcmd|ListServers|desc" msgid "List all servers of current IRC network" -msgstr "" +msgstr "Listar todos os servidores da rede atual" #: ClientCommand.cpp:1705 msgctxt "helpcmd|AddNetwork|args" @@ -1290,7 +1290,7 @@ msgstr "" #: ClientCommand.cpp:1706 msgctxt "helpcmd|AddNetwork|desc" msgid "Add a network to your user" -msgstr "" +msgstr "Adiciona uma rede ao seu usuário" #: ClientCommand.cpp:1708 msgctxt "helpcmd|DelNetwork|args" @@ -1300,12 +1300,12 @@ msgstr "" #: ClientCommand.cpp:1709 msgctxt "helpcmd|DelNetwork|desc" msgid "Delete a network from your user" -msgstr "" +msgstr "Exclui uma rede do seu usuário" #: ClientCommand.cpp:1711 msgctxt "helpcmd|ListNetworks|desc" msgid "List all networks" -msgstr "" +msgstr "Listar todas as redes" #: ClientCommand.cpp:1714 msgctxt "helpcmd|MoveNetwork|args" @@ -1315,7 +1315,7 @@ msgstr "" #: ClientCommand.cpp:1716 msgctxt "helpcmd|MoveNetwork|desc" msgid "Move an IRC network from one user to another" -msgstr "" +msgstr "Move uma rede de um usuário para outro" #: ClientCommand.cpp:1720 msgctxt "helpcmd|JumpNetwork|args" From f6327b82948cd259559aadf6ffcc2c9187fae152 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Sat, 23 Nov 2019 10:12:06 +0000 Subject: [PATCH 341/798] Fix in-source cmake build. When doing sequence "cmake .; make; cmake ." the second cmake failed because targets translation_foo and po_foo were defined twice (where foo is some module). One of those targets came from foo.cpp, but another one from foo.so, because we use GLOB to gather list of modules. --- modules/CMakeLists.txt | 12 ++++++------ 1 file changed, 6 insertions(+), 6 deletions(-) diff --git a/modules/CMakeLists.txt b/modules/CMakeLists.txt index 34ed05d7..8f0c12dd 100644 --- a/modules/CMakeLists.txt +++ b/modules/CMakeLists.txt @@ -90,8 +90,6 @@ foreach(modpath ${all_modules}) continue() endif() - list(APPEND actual_modules "${modpath}") - set(modenabled true) if(moddisable_${mod}) @@ -109,14 +107,16 @@ foreach(modpath ${all_modules}) if(modenabled) if(modtype STREQUAL "cpp") add_cxx_module("${mod}" "${modpath}") - endif() - if(modtype STREQUAL "pm") + elseif(modtype STREQUAL "pm") add_perl_module("${mod}" "${modpath}") - endif() - if(modtype STREQUAL "py") + elseif(modtype STREQUAL "py") add_python_module("${mod}" "${modpath}") + else() + continue() endif() endif() + + list(APPEND actual_modules "${modpath}") endforeach() if(HAVE_I18N) From 55a5af801bc9cec3e0b2d218f86ecd4d28c787ca Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Tue, 26 Nov 2019 00:26:43 +0000 Subject: [PATCH 342/798] Update translations from Crowdin for fr_FR --- modules/po/autoop.fr_FR.po | 8 +++++++- 1 file changed, 7 insertions(+), 1 deletion(-) diff --git a/modules/po/autoop.fr_FR.po b/modules/po/autoop.fr_FR.po index 7a7d69bb..1cb36565 100644 --- a/modules/po/autoop.fr_FR.po +++ b/modules/po/autoop.fr_FR.po @@ -154,17 +154,23 @@ msgstr "" #: autoop.cpp:560 msgid "[{1}] sent an unchallenged response. This could be due to lag." msgstr "" +"[{1}] a envoyé une réponse non sollicitée. Cela peut être dû à une mauvaise " +"connexion." #: autoop.cpp:577 msgid "" "WARNING! [{1}] sent a bad response. Please verify that you have their " "correct password." msgstr "" +"ATTENTION ! [{1}] a envoyé une mauvaise réponse. Veuillez vérifier que vous " +"avez le bon mot de passe." #: autoop.cpp:586 msgid "WARNING! [{1}] sent a response but did not match any defined users." msgstr "" +"ATTENTION ! [{1}] a envoyé une réponse mais ne correspond à aucun des " +"utilisateurs définis." #: autoop.cpp:644 msgid "Auto op the good people" -msgstr "" +msgstr "Donne la parole automatiquement aux bonnes personnes" From a9aa3d00b41b587a0bb899b6ed20898b8edd807c Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Fri, 20 Dec 2019 00:27:06 +0000 Subject: [PATCH 343/798] Update translations from Crowdin for bg_BG de_DE es_ES fr_FR id_ID it_IT nl_NL pt_BR ru_RU --- modules/po/admindebug.bg_BG.po | 2 - modules/po/admindebug.de_DE.po | 2 - modules/po/admindebug.es_ES.po | 2 - modules/po/admindebug.fr_FR.po | 2 - modules/po/admindebug.id_ID.po | 2 - modules/po/admindebug.it_IT.po | 2 - modules/po/admindebug.nl_NL.po | 2 - modules/po/admindebug.pt_BR.po | 2 - modules/po/admindebug.ru_RU.po | 2 - modules/po/adminlog.bg_BG.po | 2 - modules/po/adminlog.de_DE.po | 2 - modules/po/adminlog.es_ES.po | 2 - modules/po/adminlog.fr_FR.po | 2 - modules/po/adminlog.id_ID.po | 2 - modules/po/adminlog.it_IT.po | 2 - modules/po/adminlog.nl_NL.po | 2 - modules/po/adminlog.pt_BR.po | 2 - modules/po/adminlog.ru_RU.po | 2 - modules/po/alias.bg_BG.po | 2 - modules/po/alias.de_DE.po | 2 - modules/po/alias.es_ES.po | 2 - modules/po/alias.fr_FR.po | 2 - modules/po/alias.id_ID.po | 2 - modules/po/alias.it_IT.po | 2 - modules/po/alias.nl_NL.po | 2 - modules/po/alias.pt_BR.po | 2 - modules/po/alias.ru_RU.po | 2 - modules/po/autoattach.bg_BG.po | 2 - modules/po/autoattach.de_DE.po | 2 - modules/po/autoattach.es_ES.po | 2 - modules/po/autoattach.fr_FR.po | 2 - modules/po/autoattach.id_ID.po | 2 - modules/po/autoattach.it_IT.po | 2 - modules/po/autoattach.nl_NL.po | 2 - modules/po/autoattach.pt_BR.po | 2 - modules/po/autoattach.ru_RU.po | 2 - modules/po/autocycle.bg_BG.po | 2 - modules/po/autocycle.de_DE.po | 2 - modules/po/autocycle.es_ES.po | 2 - modules/po/autocycle.fr_FR.po | 2 - modules/po/autocycle.id_ID.po | 2 - modules/po/autocycle.it_IT.po | 2 - modules/po/autocycle.nl_NL.po | 2 - modules/po/autocycle.pt_BR.po | 2 - modules/po/autocycle.ru_RU.po | 2 - modules/po/autoop.bg_BG.po | 2 - modules/po/autoop.de_DE.po | 2 - modules/po/autoop.es_ES.po | 2 - modules/po/autoop.fr_FR.po | 10 +-- modules/po/autoop.id_ID.po | 2 - modules/po/autoop.it_IT.po | 2 - modules/po/autoop.nl_NL.po | 2 - modules/po/autoop.pt_BR.po | 2 - modules/po/autoop.ru_RU.po | 2 - modules/po/autoreply.bg_BG.po | 2 - modules/po/autoreply.de_DE.po | 2 - modules/po/autoreply.es_ES.po | 2 - modules/po/autoreply.fr_FR.po | 2 - modules/po/autoreply.id_ID.po | 2 - modules/po/autoreply.it_IT.po | 2 - modules/po/autoreply.nl_NL.po | 2 - modules/po/autoreply.pt_BR.po | 2 - modules/po/autoreply.ru_RU.po | 2 - modules/po/autovoice.bg_BG.po | 2 - modules/po/autovoice.de_DE.po | 2 - modules/po/autovoice.es_ES.po | 2 - modules/po/autovoice.fr_FR.po | 2 - modules/po/autovoice.id_ID.po | 2 - modules/po/autovoice.it_IT.po | 2 - modules/po/autovoice.nl_NL.po | 2 - modules/po/autovoice.pt_BR.po | 2 - modules/po/autovoice.ru_RU.po | 2 - modules/po/awaystore.bg_BG.po | 2 - modules/po/awaystore.de_DE.po | 2 - modules/po/awaystore.es_ES.po | 2 - modules/po/awaystore.fr_FR.po | 2 - modules/po/awaystore.id_ID.po | 2 - modules/po/awaystore.it_IT.po | 2 - modules/po/awaystore.nl_NL.po | 2 - modules/po/awaystore.pt_BR.po | 2 - modules/po/awaystore.ru_RU.po | 2 - modules/po/block_motd.bg_BG.po | 2 - modules/po/block_motd.de_DE.po | 2 - modules/po/block_motd.es_ES.po | 2 - modules/po/block_motd.fr_FR.po | 2 - modules/po/block_motd.id_ID.po | 2 - modules/po/block_motd.it_IT.po | 2 - modules/po/block_motd.nl_NL.po | 2 - modules/po/block_motd.pt_BR.po | 2 - modules/po/block_motd.ru_RU.po | 2 - modules/po/blockuser.bg_BG.po | 2 - modules/po/blockuser.de_DE.po | 2 - modules/po/blockuser.es_ES.po | 2 - modules/po/blockuser.fr_FR.po | 2 - modules/po/blockuser.id_ID.po | 2 - modules/po/blockuser.it_IT.po | 2 - modules/po/blockuser.nl_NL.po | 2 - modules/po/blockuser.pt_BR.po | 2 - modules/po/blockuser.ru_RU.po | 2 - modules/po/bouncedcc.bg_BG.po | 2 - modules/po/bouncedcc.de_DE.po | 2 - modules/po/bouncedcc.es_ES.po | 2 - modules/po/bouncedcc.fr_FR.po | 2 - modules/po/bouncedcc.id_ID.po | 2 - modules/po/bouncedcc.it_IT.po | 2 - modules/po/bouncedcc.nl_NL.po | 2 - modules/po/bouncedcc.pt_BR.po | 2 - modules/po/bouncedcc.ru_RU.po | 2 - modules/po/buffextras.bg_BG.po | 2 - modules/po/buffextras.de_DE.po | 2 - modules/po/buffextras.es_ES.po | 2 - modules/po/buffextras.fr_FR.po | 2 - modules/po/buffextras.id_ID.po | 2 - modules/po/buffextras.it_IT.po | 2 - modules/po/buffextras.nl_NL.po | 2 - modules/po/buffextras.pt_BR.po | 2 - modules/po/buffextras.ru_RU.po | 2 - modules/po/cert.bg_BG.po | 2 - modules/po/cert.de_DE.po | 2 - modules/po/cert.es_ES.po | 2 - modules/po/cert.fr_FR.po | 2 - modules/po/cert.id_ID.po | 2 - modules/po/cert.it_IT.po | 2 - modules/po/cert.nl_NL.po | 2 - modules/po/cert.pt_BR.po | 2 - modules/po/cert.ru_RU.po | 2 - modules/po/certauth.bg_BG.po | 2 - modules/po/certauth.de_DE.po | 2 - modules/po/certauth.es_ES.po | 2 - modules/po/certauth.fr_FR.po | 2 - modules/po/certauth.id_ID.po | 2 - modules/po/certauth.it_IT.po | 2 - modules/po/certauth.nl_NL.po | 2 - modules/po/certauth.pt_BR.po | 2 - modules/po/certauth.ru_RU.po | 2 - modules/po/chansaver.bg_BG.po | 2 - modules/po/chansaver.de_DE.po | 2 - modules/po/chansaver.es_ES.po | 2 - modules/po/chansaver.fr_FR.po | 4 +- modules/po/chansaver.id_ID.po | 2 - modules/po/chansaver.it_IT.po | 2 - modules/po/chansaver.nl_NL.po | 2 - modules/po/chansaver.pt_BR.po | 2 - modules/po/chansaver.ru_RU.po | 2 - modules/po/clearbufferonmsg.bg_BG.po | 2 - modules/po/clearbufferonmsg.de_DE.po | 2 - modules/po/clearbufferonmsg.es_ES.po | 2 - modules/po/clearbufferonmsg.fr_FR.po | 4 +- modules/po/clearbufferonmsg.id_ID.po | 2 - modules/po/clearbufferonmsg.it_IT.po | 2 - modules/po/clearbufferonmsg.nl_NL.po | 2 - modules/po/clearbufferonmsg.pt_BR.po | 2 - modules/po/clearbufferonmsg.ru_RU.po | 2 - modules/po/clientnotify.bg_BG.po | 2 - modules/po/clientnotify.de_DE.po | 2 - modules/po/clientnotify.es_ES.po | 2 - modules/po/clientnotify.fr_FR.po | 2 - modules/po/clientnotify.id_ID.po | 2 - modules/po/clientnotify.it_IT.po | 2 - modules/po/clientnotify.nl_NL.po | 2 - modules/po/clientnotify.pt_BR.po | 2 - modules/po/clientnotify.ru_RU.po | 2 - modules/po/controlpanel.bg_BG.po | 2 - modules/po/controlpanel.de_DE.po | 2 - modules/po/controlpanel.es_ES.po | 2 - modules/po/controlpanel.fr_FR.po | 102 ++++++++++++++++----------- modules/po/controlpanel.id_ID.po | 2 - modules/po/controlpanel.it_IT.po | 2 - modules/po/controlpanel.nl_NL.po | 2 - modules/po/controlpanel.pt_BR.po | 2 - modules/po/controlpanel.ru_RU.po | 2 - modules/po/crypt.bg_BG.po | 2 - modules/po/crypt.de_DE.po | 2 - modules/po/crypt.es_ES.po | 2 - modules/po/crypt.fr_FR.po | 2 - modules/po/crypt.id_ID.po | 2 - modules/po/crypt.it_IT.po | 2 - modules/po/crypt.nl_NL.po | 2 - modules/po/crypt.pt_BR.po | 2 - modules/po/crypt.ru_RU.po | 2 - modules/po/ctcpflood.bg_BG.po | 2 - modules/po/ctcpflood.de_DE.po | 2 - modules/po/ctcpflood.es_ES.po | 2 - modules/po/ctcpflood.fr_FR.po | 2 - modules/po/ctcpflood.id_ID.po | 2 - modules/po/ctcpflood.it_IT.po | 2 - modules/po/ctcpflood.nl_NL.po | 2 - modules/po/ctcpflood.pt_BR.po | 2 - modules/po/ctcpflood.ru_RU.po | 2 - modules/po/cyrusauth.bg_BG.po | 2 - modules/po/cyrusauth.de_DE.po | 2 - modules/po/cyrusauth.es_ES.po | 2 - modules/po/cyrusauth.fr_FR.po | 2 - modules/po/cyrusauth.id_ID.po | 2 - modules/po/cyrusauth.it_IT.po | 2 - modules/po/cyrusauth.nl_NL.po | 2 - modules/po/cyrusauth.pt_BR.po | 2 - modules/po/cyrusauth.ru_RU.po | 2 - modules/po/dcc.bg_BG.po | 2 - modules/po/dcc.de_DE.po | 2 - modules/po/dcc.es_ES.po | 2 - modules/po/dcc.fr_FR.po | 2 - modules/po/dcc.id_ID.po | 2 - modules/po/dcc.it_IT.po | 2 - modules/po/dcc.nl_NL.po | 2 - modules/po/dcc.pt_BR.po | 2 - modules/po/dcc.ru_RU.po | 2 - modules/po/disconkick.bg_BG.po | 2 - modules/po/disconkick.de_DE.po | 2 - modules/po/disconkick.es_ES.po | 2 - modules/po/disconkick.fr_FR.po | 2 - modules/po/disconkick.id_ID.po | 2 - modules/po/disconkick.it_IT.po | 2 - modules/po/disconkick.nl_NL.po | 2 - modules/po/disconkick.pt_BR.po | 2 - modules/po/disconkick.ru_RU.po | 2 - modules/po/fail2ban.bg_BG.po | 2 - modules/po/fail2ban.de_DE.po | 2 - modules/po/fail2ban.es_ES.po | 2 - modules/po/fail2ban.fr_FR.po | 50 +++++++------ modules/po/fail2ban.id_ID.po | 2 - modules/po/fail2ban.it_IT.po | 2 - modules/po/fail2ban.nl_NL.po | 2 - modules/po/fail2ban.pt_BR.po | 2 - modules/po/fail2ban.ru_RU.po | 2 - modules/po/flooddetach.bg_BG.po | 2 - modules/po/flooddetach.de_DE.po | 2 - modules/po/flooddetach.es_ES.po | 2 - modules/po/flooddetach.fr_FR.po | 2 - modules/po/flooddetach.id_ID.po | 2 - modules/po/flooddetach.it_IT.po | 2 - modules/po/flooddetach.nl_NL.po | 2 - modules/po/flooddetach.pt_BR.po | 2 - modules/po/flooddetach.ru_RU.po | 2 - modules/po/identfile.bg_BG.po | 2 - modules/po/identfile.de_DE.po | 2 - modules/po/identfile.es_ES.po | 2 - modules/po/identfile.fr_FR.po | 2 - modules/po/identfile.id_ID.po | 2 - modules/po/identfile.it_IT.po | 2 - modules/po/identfile.nl_NL.po | 2 - modules/po/identfile.pt_BR.po | 2 - modules/po/identfile.ru_RU.po | 2 - modules/po/imapauth.bg_BG.po | 2 - modules/po/imapauth.de_DE.po | 2 - modules/po/imapauth.es_ES.po | 2 - modules/po/imapauth.fr_FR.po | 2 - modules/po/imapauth.id_ID.po | 2 - modules/po/imapauth.it_IT.po | 2 - modules/po/imapauth.nl_NL.po | 2 - modules/po/imapauth.pt_BR.po | 2 - modules/po/imapauth.ru_RU.po | 2 - modules/po/keepnick.bg_BG.po | 2 - modules/po/keepnick.de_DE.po | 2 - modules/po/keepnick.es_ES.po | 2 - modules/po/keepnick.fr_FR.po | 2 - modules/po/keepnick.id_ID.po | 2 - modules/po/keepnick.it_IT.po | 2 - modules/po/keepnick.nl_NL.po | 2 - modules/po/keepnick.pt_BR.po | 2 - modules/po/keepnick.ru_RU.po | 2 - modules/po/kickrejoin.bg_BG.po | 2 - modules/po/kickrejoin.de_DE.po | 2 - modules/po/kickrejoin.es_ES.po | 2 - modules/po/kickrejoin.fr_FR.po | 2 - modules/po/kickrejoin.id_ID.po | 2 - modules/po/kickrejoin.it_IT.po | 2 - modules/po/kickrejoin.nl_NL.po | 2 - modules/po/kickrejoin.pt_BR.po | 2 - modules/po/kickrejoin.ru_RU.po | 2 - modules/po/lastseen.bg_BG.po | 2 - modules/po/lastseen.de_DE.po | 2 - modules/po/lastseen.es_ES.po | 2 - modules/po/lastseen.fr_FR.po | 2 - modules/po/lastseen.id_ID.po | 2 - modules/po/lastseen.it_IT.po | 2 - modules/po/lastseen.nl_NL.po | 2 - modules/po/lastseen.pt_BR.po | 2 - modules/po/lastseen.ru_RU.po | 2 - modules/po/listsockets.bg_BG.po | 2 - modules/po/listsockets.de_DE.po | 2 - modules/po/listsockets.es_ES.po | 2 - modules/po/listsockets.fr_FR.po | 2 - modules/po/listsockets.id_ID.po | 2 - modules/po/listsockets.it_IT.po | 2 - modules/po/listsockets.nl_NL.po | 2 - modules/po/listsockets.pt_BR.po | 2 - modules/po/listsockets.ru_RU.po | 2 - modules/po/log.bg_BG.po | 2 - modules/po/log.de_DE.po | 2 - modules/po/log.es_ES.po | 2 - modules/po/log.fr_FR.po | 2 - modules/po/log.id_ID.po | 2 - modules/po/log.it_IT.po | 2 - modules/po/log.nl_NL.po | 2 - modules/po/log.pt_BR.po | 2 - modules/po/log.ru_RU.po | 2 - modules/po/missingmotd.bg_BG.po | 2 - modules/po/missingmotd.de_DE.po | 2 - modules/po/missingmotd.es_ES.po | 2 - modules/po/missingmotd.fr_FR.po | 2 - modules/po/missingmotd.id_ID.po | 2 - modules/po/missingmotd.it_IT.po | 2 - modules/po/missingmotd.nl_NL.po | 2 - modules/po/missingmotd.pt_BR.po | 2 - modules/po/missingmotd.ru_RU.po | 2 - modules/po/modperl.bg_BG.po | 2 - modules/po/modperl.de_DE.po | 2 - modules/po/modperl.es_ES.po | 2 - modules/po/modperl.fr_FR.po | 2 - modules/po/modperl.id_ID.po | 2 - modules/po/modperl.it_IT.po | 2 - modules/po/modperl.nl_NL.po | 2 - modules/po/modperl.pt_BR.po | 2 - modules/po/modperl.ru_RU.po | 2 - modules/po/modpython.bg_BG.po | 2 - modules/po/modpython.de_DE.po | 2 - modules/po/modpython.es_ES.po | 2 - modules/po/modpython.fr_FR.po | 2 - modules/po/modpython.id_ID.po | 2 - modules/po/modpython.it_IT.po | 2 - modules/po/modpython.nl_NL.po | 2 - modules/po/modpython.pt_BR.po | 2 - modules/po/modpython.ru_RU.po | 2 - modules/po/modules_online.bg_BG.po | 2 - modules/po/modules_online.de_DE.po | 2 - modules/po/modules_online.es_ES.po | 2 - modules/po/modules_online.fr_FR.po | 2 - modules/po/modules_online.id_ID.po | 2 - modules/po/modules_online.it_IT.po | 2 - modules/po/modules_online.nl_NL.po | 2 - modules/po/modules_online.pt_BR.po | 2 - modules/po/modules_online.ru_RU.po | 2 - modules/po/nickserv.bg_BG.po | 2 - modules/po/nickserv.de_DE.po | 2 - modules/po/nickserv.es_ES.po | 2 - modules/po/nickserv.fr_FR.po | 2 - modules/po/nickserv.id_ID.po | 2 - modules/po/nickserv.it_IT.po | 2 - modules/po/nickserv.nl_NL.po | 2 - modules/po/nickserv.pt_BR.po | 2 - modules/po/nickserv.ru_RU.po | 2 - modules/po/notes.bg_BG.po | 2 - modules/po/notes.de_DE.po | 2 - modules/po/notes.es_ES.po | 2 - modules/po/notes.fr_FR.po | 2 - modules/po/notes.id_ID.po | 2 - modules/po/notes.it_IT.po | 2 - modules/po/notes.nl_NL.po | 2 - modules/po/notes.pt_BR.po | 2 - modules/po/notes.ru_RU.po | 2 - modules/po/notify_connect.bg_BG.po | 2 - modules/po/notify_connect.de_DE.po | 2 - modules/po/notify_connect.es_ES.po | 2 - modules/po/notify_connect.fr_FR.po | 2 - modules/po/notify_connect.id_ID.po | 2 - modules/po/notify_connect.it_IT.po | 2 - modules/po/notify_connect.nl_NL.po | 2 - modules/po/notify_connect.pt_BR.po | 2 - modules/po/notify_connect.ru_RU.po | 2 - modules/po/perform.bg_BG.po | 2 - modules/po/perform.de_DE.po | 2 - modules/po/perform.es_ES.po | 2 - modules/po/perform.fr_FR.po | 2 - modules/po/perform.id_ID.po | 2 - modules/po/perform.it_IT.po | 2 - modules/po/perform.nl_NL.po | 2 - modules/po/perform.pt_BR.po | 2 - modules/po/perform.ru_RU.po | 2 - modules/po/perleval.bg_BG.po | 2 - modules/po/perleval.de_DE.po | 2 - modules/po/perleval.es_ES.po | 2 - modules/po/perleval.fr_FR.po | 2 - modules/po/perleval.id_ID.po | 2 - modules/po/perleval.it_IT.po | 2 - modules/po/perleval.nl_NL.po | 2 - modules/po/perleval.pt_BR.po | 2 - modules/po/perleval.ru_RU.po | 2 - modules/po/pyeval.bg_BG.po | 2 - modules/po/pyeval.de_DE.po | 2 - modules/po/pyeval.es_ES.po | 2 - modules/po/pyeval.fr_FR.po | 2 - modules/po/pyeval.id_ID.po | 2 - modules/po/pyeval.it_IT.po | 2 - modules/po/pyeval.nl_NL.po | 2 - modules/po/pyeval.pt_BR.po | 2 - modules/po/pyeval.ru_RU.po | 2 - modules/po/raw.bg_BG.po | 2 - modules/po/raw.de_DE.po | 2 - modules/po/raw.es_ES.po | 2 - modules/po/raw.fr_FR.po | 2 - modules/po/raw.id_ID.po | 2 - modules/po/raw.it_IT.po | 2 - modules/po/raw.nl_NL.po | 2 - modules/po/raw.pt_BR.po | 2 - modules/po/raw.ru_RU.po | 2 - modules/po/route_replies.bg_BG.po | 2 - modules/po/route_replies.de_DE.po | 2 - modules/po/route_replies.es_ES.po | 2 - modules/po/route_replies.fr_FR.po | 2 - modules/po/route_replies.id_ID.po | 2 - modules/po/route_replies.it_IT.po | 2 - modules/po/route_replies.nl_NL.po | 2 - modules/po/route_replies.pt_BR.po | 2 - modules/po/route_replies.ru_RU.po | 2 - modules/po/sample.bg_BG.po | 2 - modules/po/sample.de_DE.po | 2 - modules/po/sample.es_ES.po | 2 - modules/po/sample.fr_FR.po | 2 - modules/po/sample.id_ID.po | 2 - modules/po/sample.it_IT.po | 2 - modules/po/sample.nl_NL.po | 2 - modules/po/sample.pt_BR.po | 2 - modules/po/sample.ru_RU.po | 2 - modules/po/samplewebapi.bg_BG.po | 2 - modules/po/samplewebapi.de_DE.po | 2 - modules/po/samplewebapi.es_ES.po | 2 - modules/po/samplewebapi.fr_FR.po | 2 - modules/po/samplewebapi.id_ID.po | 2 - modules/po/samplewebapi.it_IT.po | 2 - modules/po/samplewebapi.nl_NL.po | 2 - modules/po/samplewebapi.pt_BR.po | 2 - modules/po/samplewebapi.ru_RU.po | 2 - modules/po/sasl.bg_BG.po | 2 - modules/po/sasl.de_DE.po | 2 - modules/po/sasl.es_ES.po | 2 - modules/po/sasl.fr_FR.po | 2 - modules/po/sasl.id_ID.po | 2 - modules/po/sasl.it_IT.po | 2 - modules/po/sasl.nl_NL.po | 2 - modules/po/sasl.pt_BR.po | 2 - modules/po/sasl.ru_RU.po | 2 - modules/po/savebuff.bg_BG.po | 2 - modules/po/savebuff.de_DE.po | 2 - modules/po/savebuff.es_ES.po | 2 - modules/po/savebuff.fr_FR.po | 2 - modules/po/savebuff.id_ID.po | 2 - modules/po/savebuff.it_IT.po | 2 - modules/po/savebuff.nl_NL.po | 2 - modules/po/savebuff.pt_BR.po | 2 - modules/po/savebuff.ru_RU.po | 2 - modules/po/send_raw.bg_BG.po | 2 - modules/po/send_raw.de_DE.po | 2 - modules/po/send_raw.es_ES.po | 2 - modules/po/send_raw.fr_FR.po | 2 - modules/po/send_raw.id_ID.po | 2 - modules/po/send_raw.it_IT.po | 2 - modules/po/send_raw.nl_NL.po | 2 - modules/po/send_raw.pt_BR.po | 2 - modules/po/send_raw.ru_RU.po | 2 - modules/po/shell.bg_BG.po | 2 - modules/po/shell.de_DE.po | 2 - modules/po/shell.es_ES.po | 2 - modules/po/shell.fr_FR.po | 2 - modules/po/shell.id_ID.po | 2 - modules/po/shell.it_IT.po | 2 - modules/po/shell.nl_NL.po | 2 - modules/po/shell.pt_BR.po | 2 - modules/po/shell.ru_RU.po | 2 - modules/po/simple_away.bg_BG.po | 2 - modules/po/simple_away.de_DE.po | 2 - modules/po/simple_away.es_ES.po | 2 - modules/po/simple_away.fr_FR.po | 2 - modules/po/simple_away.id_ID.po | 2 - modules/po/simple_away.it_IT.po | 2 - modules/po/simple_away.nl_NL.po | 2 - modules/po/simple_away.pt_BR.po | 2 - modules/po/simple_away.ru_RU.po | 2 - modules/po/stickychan.bg_BG.po | 2 - modules/po/stickychan.de_DE.po | 2 - modules/po/stickychan.es_ES.po | 2 - modules/po/stickychan.fr_FR.po | 2 - modules/po/stickychan.id_ID.po | 2 - modules/po/stickychan.it_IT.po | 2 - modules/po/stickychan.nl_NL.po | 2 - modules/po/stickychan.pt_BR.po | 2 - modules/po/stickychan.ru_RU.po | 2 - modules/po/stripcontrols.bg_BG.po | 2 - modules/po/stripcontrols.de_DE.po | 2 - modules/po/stripcontrols.es_ES.po | 2 - modules/po/stripcontrols.fr_FR.po | 2 - modules/po/stripcontrols.id_ID.po | 2 - modules/po/stripcontrols.it_IT.po | 2 - modules/po/stripcontrols.nl_NL.po | 2 - modules/po/stripcontrols.pt_BR.po | 2 - modules/po/stripcontrols.ru_RU.po | 2 - modules/po/watch.bg_BG.po | 2 - modules/po/watch.de_DE.po | 2 - modules/po/watch.es_ES.po | 2 - modules/po/watch.fr_FR.po | 2 - modules/po/watch.id_ID.po | 2 - modules/po/watch.it_IT.po | 2 - modules/po/watch.nl_NL.po | 2 - modules/po/watch.pt_BR.po | 2 - modules/po/watch.ru_RU.po | 2 - modules/po/webadmin.bg_BG.po | 2 - modules/po/webadmin.de_DE.po | 2 - modules/po/webadmin.es_ES.po | 2 - modules/po/webadmin.fr_FR.po | 2 - modules/po/webadmin.id_ID.po | 2 - modules/po/webadmin.it_IT.po | 2 - modules/po/webadmin.nl_NL.po | 2 - modules/po/webadmin.pt_BR.po | 2 - modules/po/webadmin.ru_RU.po | 2 - src/po/znc.bg_BG.po | 2 - src/po/znc.de_DE.po | 2 - src/po/znc.es_ES.po | 2 - src/po/znc.fr_FR.po | 2 - src/po/znc.id_ID.po | 2 - src/po/znc.it_IT.po | 2 - src/po/znc.nl_NL.po | 2 - src/po/znc.pt_BR.po | 2 - src/po/znc.ru_RU.po | 2 - 513 files changed, 97 insertions(+), 1089 deletions(-) diff --git a/modules/po/admindebug.bg_BG.po b/modules/po/admindebug.bg_BG.po index dd4060ea..029d4323 100644 --- a/modules/po/admindebug.bg_BG.po +++ b/modules/po/admindebug.bg_BG.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/admindebug.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/admindebug.de_DE.po b/modules/po/admindebug.de_DE.po index 4413da9e..75005689 100644 --- a/modules/po/admindebug.de_DE.po +++ b/modules/po/admindebug.de_DE.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/admindebug.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/admindebug.es_ES.po b/modules/po/admindebug.es_ES.po index 469bbcc7..f2a47a09 100644 --- a/modules/po/admindebug.es_ES.po +++ b/modules/po/admindebug.es_ES.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/admindebug.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/admindebug.fr_FR.po b/modules/po/admindebug.fr_FR.po index aaec9e12..e215f061 100644 --- a/modules/po/admindebug.fr_FR.po +++ b/modules/po/admindebug.fr_FR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/admindebug.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/admindebug.id_ID.po b/modules/po/admindebug.id_ID.po index e4a356eb..93a798c7 100644 --- a/modules/po/admindebug.id_ID.po +++ b/modules/po/admindebug.id_ID.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/admindebug.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/admindebug.it_IT.po b/modules/po/admindebug.it_IT.po index ac391347..eb2e134a 100644 --- a/modules/po/admindebug.it_IT.po +++ b/modules/po/admindebug.it_IT.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/admindebug.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/admindebug.nl_NL.po b/modules/po/admindebug.nl_NL.po index aee7e626..dad17bd7 100644 --- a/modules/po/admindebug.nl_NL.po +++ b/modules/po/admindebug.nl_NL.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/admindebug.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/admindebug.pt_BR.po b/modules/po/admindebug.pt_BR.po index fe991e88..b9acb37f 100644 --- a/modules/po/admindebug.pt_BR.po +++ b/modules/po/admindebug.pt_BR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/admindebug.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/admindebug.ru_RU.po b/modules/po/admindebug.ru_RU.po index 58d898d6..41401d93 100644 --- a/modules/po/admindebug.ru_RU.po +++ b/modules/po/admindebug.ru_RU.po @@ -5,12 +5,10 @@ msgstr "" "Plural-Forms: nplurals=4; plural=((n%10==1 && n%100!=11) ? 0 : ((n%10 >= 2 " "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/admindebug.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/adminlog.bg_BG.po b/modules/po/adminlog.bg_BG.po index 8fae2066..dc1cc448 100644 --- a/modules/po/adminlog.bg_BG.po +++ b/modules/po/adminlog.bg_BG.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/adminlog.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/adminlog.de_DE.po b/modules/po/adminlog.de_DE.po index 136643b2..904440da 100644 --- a/modules/po/adminlog.de_DE.po +++ b/modules/po/adminlog.de_DE.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/adminlog.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/adminlog.es_ES.po b/modules/po/adminlog.es_ES.po index 8191ea4b..99e06037 100644 --- a/modules/po/adminlog.es_ES.po +++ b/modules/po/adminlog.es_ES.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/adminlog.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/adminlog.fr_FR.po b/modules/po/adminlog.fr_FR.po index b84dceb5..49bf3406 100644 --- a/modules/po/adminlog.fr_FR.po +++ b/modules/po/adminlog.fr_FR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/adminlog.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/adminlog.id_ID.po b/modules/po/adminlog.id_ID.po index f8e4bcf7..d0bc8c1d 100644 --- a/modules/po/adminlog.id_ID.po +++ b/modules/po/adminlog.id_ID.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/adminlog.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/adminlog.it_IT.po b/modules/po/adminlog.it_IT.po index 2a976ee4..f4a99b91 100644 --- a/modules/po/adminlog.it_IT.po +++ b/modules/po/adminlog.it_IT.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/adminlog.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/adminlog.nl_NL.po b/modules/po/adminlog.nl_NL.po index 25cb416d..a5e44451 100644 --- a/modules/po/adminlog.nl_NL.po +++ b/modules/po/adminlog.nl_NL.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/adminlog.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/adminlog.pt_BR.po b/modules/po/adminlog.pt_BR.po index 360f5772..2b15a807 100644 --- a/modules/po/adminlog.pt_BR.po +++ b/modules/po/adminlog.pt_BR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/adminlog.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/adminlog.ru_RU.po b/modules/po/adminlog.ru_RU.po index ba28b042..8a1e443b 100644 --- a/modules/po/adminlog.ru_RU.po +++ b/modules/po/adminlog.ru_RU.po @@ -5,12 +5,10 @@ msgstr "" "Plural-Forms: nplurals=4; plural=((n%10==1 && n%100!=11) ? 0 : ((n%10 >= 2 " "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/adminlog.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/alias.bg_BG.po b/modules/po/alias.bg_BG.po index 8eb30726..11ea8404 100644 --- a/modules/po/alias.bg_BG.po +++ b/modules/po/alias.bg_BG.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/alias.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/alias.de_DE.po b/modules/po/alias.de_DE.po index 2e9988c7..5386b71b 100644 --- a/modules/po/alias.de_DE.po +++ b/modules/po/alias.de_DE.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/alias.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/alias.es_ES.po b/modules/po/alias.es_ES.po index f05140f1..e2f96c36 100644 --- a/modules/po/alias.es_ES.po +++ b/modules/po/alias.es_ES.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/alias.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/alias.fr_FR.po b/modules/po/alias.fr_FR.po index 8a5bb5f6..c9f85c49 100644 --- a/modules/po/alias.fr_FR.po +++ b/modules/po/alias.fr_FR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/alias.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/alias.id_ID.po b/modules/po/alias.id_ID.po index 5d67ecef..da32ebcf 100644 --- a/modules/po/alias.id_ID.po +++ b/modules/po/alias.id_ID.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/alias.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/alias.it_IT.po b/modules/po/alias.it_IT.po index 503d607b..e54255d1 100644 --- a/modules/po/alias.it_IT.po +++ b/modules/po/alias.it_IT.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/alias.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/alias.nl_NL.po b/modules/po/alias.nl_NL.po index 20e8b76e..a3dd8e14 100644 --- a/modules/po/alias.nl_NL.po +++ b/modules/po/alias.nl_NL.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/alias.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/alias.pt_BR.po b/modules/po/alias.pt_BR.po index 159b1a0b..358c80ba 100644 --- a/modules/po/alias.pt_BR.po +++ b/modules/po/alias.pt_BR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/alias.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/alias.ru_RU.po b/modules/po/alias.ru_RU.po index 81ddf964..2c31e075 100644 --- a/modules/po/alias.ru_RU.po +++ b/modules/po/alias.ru_RU.po @@ -5,12 +5,10 @@ msgstr "" "Plural-Forms: nplurals=4; plural=((n%10==1 && n%100!=11) ? 0 : ((n%10 >= 2 " "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/alias.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/autoattach.bg_BG.po b/modules/po/autoattach.bg_BG.po index 4ee5b1ca..f4ac7257 100644 --- a/modules/po/autoattach.bg_BG.po +++ b/modules/po/autoattach.bg_BG.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/autoattach.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/autoattach.de_DE.po b/modules/po/autoattach.de_DE.po index 36ae82ac..29b83258 100644 --- a/modules/po/autoattach.de_DE.po +++ b/modules/po/autoattach.de_DE.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/autoattach.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/autoattach.es_ES.po b/modules/po/autoattach.es_ES.po index ca9417fc..cc65ea06 100644 --- a/modules/po/autoattach.es_ES.po +++ b/modules/po/autoattach.es_ES.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/autoattach.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/autoattach.fr_FR.po b/modules/po/autoattach.fr_FR.po index f427a466..b88369a2 100644 --- a/modules/po/autoattach.fr_FR.po +++ b/modules/po/autoattach.fr_FR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/autoattach.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/autoattach.id_ID.po b/modules/po/autoattach.id_ID.po index 73b5a69b..1a3e906e 100644 --- a/modules/po/autoattach.id_ID.po +++ b/modules/po/autoattach.id_ID.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/autoattach.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/autoattach.it_IT.po b/modules/po/autoattach.it_IT.po index d714fe4e..934b2f56 100644 --- a/modules/po/autoattach.it_IT.po +++ b/modules/po/autoattach.it_IT.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/autoattach.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/autoattach.nl_NL.po b/modules/po/autoattach.nl_NL.po index d3aad432..ee15851f 100644 --- a/modules/po/autoattach.nl_NL.po +++ b/modules/po/autoattach.nl_NL.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/autoattach.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/autoattach.pt_BR.po b/modules/po/autoattach.pt_BR.po index 81e95fa1..454e0fc1 100644 --- a/modules/po/autoattach.pt_BR.po +++ b/modules/po/autoattach.pt_BR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/autoattach.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/autoattach.ru_RU.po b/modules/po/autoattach.ru_RU.po index 1fb0ec3c..5ad48035 100644 --- a/modules/po/autoattach.ru_RU.po +++ b/modules/po/autoattach.ru_RU.po @@ -5,12 +5,10 @@ msgstr "" "Plural-Forms: nplurals=4; plural=((n%10==1 && n%100!=11) ? 0 : ((n%10 >= 2 " "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/autoattach.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/autocycle.bg_BG.po b/modules/po/autocycle.bg_BG.po index a6b967d8..d4231689 100644 --- a/modules/po/autocycle.bg_BG.po +++ b/modules/po/autocycle.bg_BG.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/autocycle.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/autocycle.de_DE.po b/modules/po/autocycle.de_DE.po index 146b5bfe..77f76175 100644 --- a/modules/po/autocycle.de_DE.po +++ b/modules/po/autocycle.de_DE.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/autocycle.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/autocycle.es_ES.po b/modules/po/autocycle.es_ES.po index 0fee230e..27ef7e22 100644 --- a/modules/po/autocycle.es_ES.po +++ b/modules/po/autocycle.es_ES.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/autocycle.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/autocycle.fr_FR.po b/modules/po/autocycle.fr_FR.po index 39bc3a29..4a837852 100644 --- a/modules/po/autocycle.fr_FR.po +++ b/modules/po/autocycle.fr_FR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/autocycle.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/autocycle.id_ID.po b/modules/po/autocycle.id_ID.po index fb212006..7350a33b 100644 --- a/modules/po/autocycle.id_ID.po +++ b/modules/po/autocycle.id_ID.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/autocycle.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/autocycle.it_IT.po b/modules/po/autocycle.it_IT.po index 35308619..063e2967 100644 --- a/modules/po/autocycle.it_IT.po +++ b/modules/po/autocycle.it_IT.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/autocycle.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/autocycle.nl_NL.po b/modules/po/autocycle.nl_NL.po index a2319dda..e381ed96 100644 --- a/modules/po/autocycle.nl_NL.po +++ b/modules/po/autocycle.nl_NL.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/autocycle.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/autocycle.pt_BR.po b/modules/po/autocycle.pt_BR.po index 79e9f16b..01ce7dea 100644 --- a/modules/po/autocycle.pt_BR.po +++ b/modules/po/autocycle.pt_BR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/autocycle.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/autocycle.ru_RU.po b/modules/po/autocycle.ru_RU.po index 6ab69a4f..3d6dbd8c 100644 --- a/modules/po/autocycle.ru_RU.po +++ b/modules/po/autocycle.ru_RU.po @@ -5,12 +5,10 @@ msgstr "" "Plural-Forms: nplurals=4; plural=((n%10==1 && n%100!=11) ? 0 : ((n%10 >= 2 " "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/autocycle.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/autoop.bg_BG.po b/modules/po/autoop.bg_BG.po index a9cb45ce..1ee723cc 100644 --- a/modules/po/autoop.bg_BG.po +++ b/modules/po/autoop.bg_BG.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/autoop.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/autoop.de_DE.po b/modules/po/autoop.de_DE.po index d3182bad..c5c0b831 100644 --- a/modules/po/autoop.de_DE.po +++ b/modules/po/autoop.de_DE.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/autoop.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/autoop.es_ES.po b/modules/po/autoop.es_ES.po index 75bb9d1e..0dcb0ccf 100644 --- a/modules/po/autoop.es_ES.po +++ b/modules/po/autoop.es_ES.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/autoop.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/autoop.fr_FR.po b/modules/po/autoop.fr_FR.po index 1cb36565..2754f21d 100644 --- a/modules/po/autoop.fr_FR.po +++ b/modules/po/autoop.fr_FR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/autoop.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" @@ -142,14 +140,18 @@ msgstr "Utilisateur {1} ajouté avec le(s) masque(s) {2}" msgid "" "[{1}] sent us a challenge but they are not opped in any defined channels." msgstr "" +"[{1}] nous ont envoyé une sollicitation mais ils ne sont opérateurs dans " +"aucun des salons définis." #: autoop.cpp:536 msgid "[{1}] sent us a challenge but they do not match a defined user." msgstr "" +"[{1}] nous ont envoyé une sollicitation mais ils ne correspondent à aucun " +"utilisateur défini." #: autoop.cpp:544 msgid "WARNING! [{1}] sent an invalid challenge." -msgstr "" +msgstr "ATTENTION ! [{1}] a envoyé une sollicitation erronée." #: autoop.cpp:560 msgid "[{1}] sent an unchallenged response. This could be due to lag." @@ -173,4 +175,4 @@ msgstr "" #: autoop.cpp:644 msgid "Auto op the good people" -msgstr "Donne la parole automatiquement aux bonnes personnes" +msgstr "Donne le statut d'opérateur automatiquement aux bonnes personnes" diff --git a/modules/po/autoop.id_ID.po b/modules/po/autoop.id_ID.po index 3adaa6e8..9e004ac4 100644 --- a/modules/po/autoop.id_ID.po +++ b/modules/po/autoop.id_ID.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/autoop.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/autoop.it_IT.po b/modules/po/autoop.it_IT.po index 1c22bb1b..ba81fbb6 100644 --- a/modules/po/autoop.it_IT.po +++ b/modules/po/autoop.it_IT.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/autoop.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/autoop.nl_NL.po b/modules/po/autoop.nl_NL.po index e8ff8695..b53a8034 100644 --- a/modules/po/autoop.nl_NL.po +++ b/modules/po/autoop.nl_NL.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/autoop.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/autoop.pt_BR.po b/modules/po/autoop.pt_BR.po index ccbe8044..ede3f80c 100644 --- a/modules/po/autoop.pt_BR.po +++ b/modules/po/autoop.pt_BR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/autoop.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/autoop.ru_RU.po b/modules/po/autoop.ru_RU.po index 028f5a6f..8e604c71 100644 --- a/modules/po/autoop.ru_RU.po +++ b/modules/po/autoop.ru_RU.po @@ -5,12 +5,10 @@ msgstr "" "Plural-Forms: nplurals=4; plural=((n%10==1 && n%100!=11) ? 0 : ((n%10 >= 2 " "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/autoop.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/autoreply.bg_BG.po b/modules/po/autoreply.bg_BG.po index 48a714f2..acd6bcb3 100644 --- a/modules/po/autoreply.bg_BG.po +++ b/modules/po/autoreply.bg_BG.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/autoreply.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/autoreply.de_DE.po b/modules/po/autoreply.de_DE.po index 91b8dccf..e300dab8 100644 --- a/modules/po/autoreply.de_DE.po +++ b/modules/po/autoreply.de_DE.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/autoreply.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/autoreply.es_ES.po b/modules/po/autoreply.es_ES.po index 87ce34d6..d88d3665 100644 --- a/modules/po/autoreply.es_ES.po +++ b/modules/po/autoreply.es_ES.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/autoreply.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/autoreply.fr_FR.po b/modules/po/autoreply.fr_FR.po index 1a025f34..5761d848 100644 --- a/modules/po/autoreply.fr_FR.po +++ b/modules/po/autoreply.fr_FR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/autoreply.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/autoreply.id_ID.po b/modules/po/autoreply.id_ID.po index 94188533..95a9bcd4 100644 --- a/modules/po/autoreply.id_ID.po +++ b/modules/po/autoreply.id_ID.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/autoreply.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/autoreply.it_IT.po b/modules/po/autoreply.it_IT.po index 53792e38..a02d904a 100644 --- a/modules/po/autoreply.it_IT.po +++ b/modules/po/autoreply.it_IT.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/autoreply.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/autoreply.nl_NL.po b/modules/po/autoreply.nl_NL.po index 691ebe4e..00294f41 100644 --- a/modules/po/autoreply.nl_NL.po +++ b/modules/po/autoreply.nl_NL.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/autoreply.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/autoreply.pt_BR.po b/modules/po/autoreply.pt_BR.po index a9267a45..d7a6badc 100644 --- a/modules/po/autoreply.pt_BR.po +++ b/modules/po/autoreply.pt_BR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/autoreply.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/autoreply.ru_RU.po b/modules/po/autoreply.ru_RU.po index ee488dad..caecb346 100644 --- a/modules/po/autoreply.ru_RU.po +++ b/modules/po/autoreply.ru_RU.po @@ -5,12 +5,10 @@ msgstr "" "Plural-Forms: nplurals=4; plural=((n%10==1 && n%100!=11) ? 0 : ((n%10 >= 2 " "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/autoreply.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/autovoice.bg_BG.po b/modules/po/autovoice.bg_BG.po index e4c71ffa..a71b3b58 100644 --- a/modules/po/autovoice.bg_BG.po +++ b/modules/po/autovoice.bg_BG.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/autovoice.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/autovoice.de_DE.po b/modules/po/autovoice.de_DE.po index 0a7ec8fb..dd48deaf 100644 --- a/modules/po/autovoice.de_DE.po +++ b/modules/po/autovoice.de_DE.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/autovoice.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/autovoice.es_ES.po b/modules/po/autovoice.es_ES.po index 2170f39f..764c122b 100644 --- a/modules/po/autovoice.es_ES.po +++ b/modules/po/autovoice.es_ES.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/autovoice.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/autovoice.fr_FR.po b/modules/po/autovoice.fr_FR.po index d07ebaeb..612fc0bb 100644 --- a/modules/po/autovoice.fr_FR.po +++ b/modules/po/autovoice.fr_FR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/autovoice.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/autovoice.id_ID.po b/modules/po/autovoice.id_ID.po index 3f003b80..7ae8d461 100644 --- a/modules/po/autovoice.id_ID.po +++ b/modules/po/autovoice.id_ID.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/autovoice.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/autovoice.it_IT.po b/modules/po/autovoice.it_IT.po index 8c33bdc2..b359cdeb 100644 --- a/modules/po/autovoice.it_IT.po +++ b/modules/po/autovoice.it_IT.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/autovoice.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/autovoice.nl_NL.po b/modules/po/autovoice.nl_NL.po index aa84aa10..8e4ad649 100644 --- a/modules/po/autovoice.nl_NL.po +++ b/modules/po/autovoice.nl_NL.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/autovoice.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/autovoice.pt_BR.po b/modules/po/autovoice.pt_BR.po index a8191f70..e1846325 100644 --- a/modules/po/autovoice.pt_BR.po +++ b/modules/po/autovoice.pt_BR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/autovoice.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/autovoice.ru_RU.po b/modules/po/autovoice.ru_RU.po index 510ef0c1..43b3d97e 100644 --- a/modules/po/autovoice.ru_RU.po +++ b/modules/po/autovoice.ru_RU.po @@ -5,12 +5,10 @@ msgstr "" "Plural-Forms: nplurals=4; plural=((n%10==1 && n%100!=11) ? 0 : ((n%10 >= 2 " "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/autovoice.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/awaystore.bg_BG.po b/modules/po/awaystore.bg_BG.po index de923c19..bd4b7ed4 100644 --- a/modules/po/awaystore.bg_BG.po +++ b/modules/po/awaystore.bg_BG.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/awaystore.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/awaystore.de_DE.po b/modules/po/awaystore.de_DE.po index b4848850..687737e7 100644 --- a/modules/po/awaystore.de_DE.po +++ b/modules/po/awaystore.de_DE.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/awaystore.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/awaystore.es_ES.po b/modules/po/awaystore.es_ES.po index bf33ceb0..2a09a28b 100644 --- a/modules/po/awaystore.es_ES.po +++ b/modules/po/awaystore.es_ES.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/awaystore.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/awaystore.fr_FR.po b/modules/po/awaystore.fr_FR.po index fad4ae42..73217eb1 100644 --- a/modules/po/awaystore.fr_FR.po +++ b/modules/po/awaystore.fr_FR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/awaystore.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/awaystore.id_ID.po b/modules/po/awaystore.id_ID.po index 661c44f1..3a8a6929 100644 --- a/modules/po/awaystore.id_ID.po +++ b/modules/po/awaystore.id_ID.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/awaystore.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/awaystore.it_IT.po b/modules/po/awaystore.it_IT.po index bacc71e2..23ff16a3 100644 --- a/modules/po/awaystore.it_IT.po +++ b/modules/po/awaystore.it_IT.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/awaystore.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/awaystore.nl_NL.po b/modules/po/awaystore.nl_NL.po index 2f654145..46988990 100644 --- a/modules/po/awaystore.nl_NL.po +++ b/modules/po/awaystore.nl_NL.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/awaystore.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/awaystore.pt_BR.po b/modules/po/awaystore.pt_BR.po index 0eef3cec..1ae4e75e 100644 --- a/modules/po/awaystore.pt_BR.po +++ b/modules/po/awaystore.pt_BR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/awaystore.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/awaystore.ru_RU.po b/modules/po/awaystore.ru_RU.po index fe62391a..86568580 100644 --- a/modules/po/awaystore.ru_RU.po +++ b/modules/po/awaystore.ru_RU.po @@ -5,12 +5,10 @@ msgstr "" "Plural-Forms: nplurals=4; plural=((n%10==1 && n%100!=11) ? 0 : ((n%10 >= 2 " "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/awaystore.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/block_motd.bg_BG.po b/modules/po/block_motd.bg_BG.po index 687f1dd1..b7e5e703 100644 --- a/modules/po/block_motd.bg_BG.po +++ b/modules/po/block_motd.bg_BG.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/block_motd.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/block_motd.de_DE.po b/modules/po/block_motd.de_DE.po index db0658c6..ced8bae9 100644 --- a/modules/po/block_motd.de_DE.po +++ b/modules/po/block_motd.de_DE.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/block_motd.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/block_motd.es_ES.po b/modules/po/block_motd.es_ES.po index 1626eca6..d1958585 100644 --- a/modules/po/block_motd.es_ES.po +++ b/modules/po/block_motd.es_ES.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/block_motd.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/block_motd.fr_FR.po b/modules/po/block_motd.fr_FR.po index 1ab2b234..3ae72642 100644 --- a/modules/po/block_motd.fr_FR.po +++ b/modules/po/block_motd.fr_FR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/block_motd.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/block_motd.id_ID.po b/modules/po/block_motd.id_ID.po index 1202e529..3b1b22d7 100644 --- a/modules/po/block_motd.id_ID.po +++ b/modules/po/block_motd.id_ID.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/block_motd.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/block_motd.it_IT.po b/modules/po/block_motd.it_IT.po index 4e821e1f..87ff5445 100644 --- a/modules/po/block_motd.it_IT.po +++ b/modules/po/block_motd.it_IT.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/block_motd.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/block_motd.nl_NL.po b/modules/po/block_motd.nl_NL.po index b5f45e34..03b8a6f7 100644 --- a/modules/po/block_motd.nl_NL.po +++ b/modules/po/block_motd.nl_NL.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/block_motd.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/block_motd.pt_BR.po b/modules/po/block_motd.pt_BR.po index 2e2f23a2..ddf7f2f9 100644 --- a/modules/po/block_motd.pt_BR.po +++ b/modules/po/block_motd.pt_BR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/block_motd.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/block_motd.ru_RU.po b/modules/po/block_motd.ru_RU.po index 3f2d08b7..033d5e10 100644 --- a/modules/po/block_motd.ru_RU.po +++ b/modules/po/block_motd.ru_RU.po @@ -5,12 +5,10 @@ msgstr "" "Plural-Forms: nplurals=4; plural=((n%10==1 && n%100!=11) ? 0 : ((n%10 >= 2 " "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/block_motd.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/blockuser.bg_BG.po b/modules/po/blockuser.bg_BG.po index 238ea410..259a6043 100644 --- a/modules/po/blockuser.bg_BG.po +++ b/modules/po/blockuser.bg_BG.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/blockuser.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/blockuser.de_DE.po b/modules/po/blockuser.de_DE.po index 9ee66a49..d47cb4cf 100644 --- a/modules/po/blockuser.de_DE.po +++ b/modules/po/blockuser.de_DE.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/blockuser.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/blockuser.es_ES.po b/modules/po/blockuser.es_ES.po index ac895618..a676c0b8 100644 --- a/modules/po/blockuser.es_ES.po +++ b/modules/po/blockuser.es_ES.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/blockuser.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/blockuser.fr_FR.po b/modules/po/blockuser.fr_FR.po index 4483cfac..af06ccc6 100644 --- a/modules/po/blockuser.fr_FR.po +++ b/modules/po/blockuser.fr_FR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/blockuser.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/blockuser.id_ID.po b/modules/po/blockuser.id_ID.po index 8b4e9cef..8409b1ae 100644 --- a/modules/po/blockuser.id_ID.po +++ b/modules/po/blockuser.id_ID.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/blockuser.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/blockuser.it_IT.po b/modules/po/blockuser.it_IT.po index f7a7cbe3..b26d3820 100644 --- a/modules/po/blockuser.it_IT.po +++ b/modules/po/blockuser.it_IT.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/blockuser.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/blockuser.nl_NL.po b/modules/po/blockuser.nl_NL.po index 94413c9d..34522231 100644 --- a/modules/po/blockuser.nl_NL.po +++ b/modules/po/blockuser.nl_NL.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/blockuser.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/blockuser.pt_BR.po b/modules/po/blockuser.pt_BR.po index 3426259f..dd2c8959 100644 --- a/modules/po/blockuser.pt_BR.po +++ b/modules/po/blockuser.pt_BR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/blockuser.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/blockuser.ru_RU.po b/modules/po/blockuser.ru_RU.po index 2fddaf2f..fb668475 100644 --- a/modules/po/blockuser.ru_RU.po +++ b/modules/po/blockuser.ru_RU.po @@ -5,12 +5,10 @@ msgstr "" "Plural-Forms: nplurals=4; plural=((n%10==1 && n%100!=11) ? 0 : ((n%10 >= 2 " "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/blockuser.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/bouncedcc.bg_BG.po b/modules/po/bouncedcc.bg_BG.po index 419087de..889e4868 100644 --- a/modules/po/bouncedcc.bg_BG.po +++ b/modules/po/bouncedcc.bg_BG.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/bouncedcc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/bouncedcc.de_DE.po b/modules/po/bouncedcc.de_DE.po index 31c89383..e8830d8a 100644 --- a/modules/po/bouncedcc.de_DE.po +++ b/modules/po/bouncedcc.de_DE.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/bouncedcc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/bouncedcc.es_ES.po b/modules/po/bouncedcc.es_ES.po index aa9dade7..b0915845 100644 --- a/modules/po/bouncedcc.es_ES.po +++ b/modules/po/bouncedcc.es_ES.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/bouncedcc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/bouncedcc.fr_FR.po b/modules/po/bouncedcc.fr_FR.po index 6ad85549..e69d6e82 100644 --- a/modules/po/bouncedcc.fr_FR.po +++ b/modules/po/bouncedcc.fr_FR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/bouncedcc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/bouncedcc.id_ID.po b/modules/po/bouncedcc.id_ID.po index 8ab2006e..93a3582d 100644 --- a/modules/po/bouncedcc.id_ID.po +++ b/modules/po/bouncedcc.id_ID.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/bouncedcc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/bouncedcc.it_IT.po b/modules/po/bouncedcc.it_IT.po index 09ff745c..5a899f38 100644 --- a/modules/po/bouncedcc.it_IT.po +++ b/modules/po/bouncedcc.it_IT.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/bouncedcc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/bouncedcc.nl_NL.po b/modules/po/bouncedcc.nl_NL.po index 2f40db3d..fca30c9a 100644 --- a/modules/po/bouncedcc.nl_NL.po +++ b/modules/po/bouncedcc.nl_NL.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/bouncedcc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/bouncedcc.pt_BR.po b/modules/po/bouncedcc.pt_BR.po index 058db06b..3db8d92c 100644 --- a/modules/po/bouncedcc.pt_BR.po +++ b/modules/po/bouncedcc.pt_BR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/bouncedcc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/bouncedcc.ru_RU.po b/modules/po/bouncedcc.ru_RU.po index 6dfeb267..84011ac8 100644 --- a/modules/po/bouncedcc.ru_RU.po +++ b/modules/po/bouncedcc.ru_RU.po @@ -5,12 +5,10 @@ msgstr "" "Plural-Forms: nplurals=4; plural=((n%10==1 && n%100!=11) ? 0 : ((n%10 >= 2 " "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/bouncedcc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/buffextras.bg_BG.po b/modules/po/buffextras.bg_BG.po index d87827f1..7aaf8c0f 100644 --- a/modules/po/buffextras.bg_BG.po +++ b/modules/po/buffextras.bg_BG.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/buffextras.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/buffextras.de_DE.po b/modules/po/buffextras.de_DE.po index 24f927ea..5e96573e 100644 --- a/modules/po/buffextras.de_DE.po +++ b/modules/po/buffextras.de_DE.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/buffextras.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/buffextras.es_ES.po b/modules/po/buffextras.es_ES.po index 6db96d13..dffcc796 100644 --- a/modules/po/buffextras.es_ES.po +++ b/modules/po/buffextras.es_ES.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/buffextras.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/buffextras.fr_FR.po b/modules/po/buffextras.fr_FR.po index a60e05ff..4fb4b7bc 100644 --- a/modules/po/buffextras.fr_FR.po +++ b/modules/po/buffextras.fr_FR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/buffextras.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/buffextras.id_ID.po b/modules/po/buffextras.id_ID.po index 9c38a3ee..9cffb743 100644 --- a/modules/po/buffextras.id_ID.po +++ b/modules/po/buffextras.id_ID.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/buffextras.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/buffextras.it_IT.po b/modules/po/buffextras.it_IT.po index 37e96ab7..7c400747 100644 --- a/modules/po/buffextras.it_IT.po +++ b/modules/po/buffextras.it_IT.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/buffextras.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/buffextras.nl_NL.po b/modules/po/buffextras.nl_NL.po index 6c9da941..ccb6f6e7 100644 --- a/modules/po/buffextras.nl_NL.po +++ b/modules/po/buffextras.nl_NL.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/buffextras.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/buffextras.pt_BR.po b/modules/po/buffextras.pt_BR.po index bb7d927f..4149f380 100644 --- a/modules/po/buffextras.pt_BR.po +++ b/modules/po/buffextras.pt_BR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/buffextras.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/buffextras.ru_RU.po b/modules/po/buffextras.ru_RU.po index 7cc2bd0e..6defdf31 100644 --- a/modules/po/buffextras.ru_RU.po +++ b/modules/po/buffextras.ru_RU.po @@ -5,12 +5,10 @@ msgstr "" "Plural-Forms: nplurals=4; plural=((n%10==1 && n%100!=11) ? 0 : ((n%10 >= 2 " "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/buffextras.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/cert.bg_BG.po b/modules/po/cert.bg_BG.po index 2768764e..f9e58219 100644 --- a/modules/po/cert.bg_BG.po +++ b/modules/po/cert.bg_BG.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/cert.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/cert.de_DE.po b/modules/po/cert.de_DE.po index ec158626..638d1e91 100644 --- a/modules/po/cert.de_DE.po +++ b/modules/po/cert.de_DE.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/cert.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/cert.es_ES.po b/modules/po/cert.es_ES.po index 7369e3a5..4786d510 100644 --- a/modules/po/cert.es_ES.po +++ b/modules/po/cert.es_ES.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/cert.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/cert.fr_FR.po b/modules/po/cert.fr_FR.po index dc024396..6f71ef32 100644 --- a/modules/po/cert.fr_FR.po +++ b/modules/po/cert.fr_FR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/cert.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/cert.id_ID.po b/modules/po/cert.id_ID.po index c875fbfa..2fd71c07 100644 --- a/modules/po/cert.id_ID.po +++ b/modules/po/cert.id_ID.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/cert.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/cert.it_IT.po b/modules/po/cert.it_IT.po index a4c7b8c3..831bc452 100644 --- a/modules/po/cert.it_IT.po +++ b/modules/po/cert.it_IT.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/cert.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/cert.nl_NL.po b/modules/po/cert.nl_NL.po index f0154a12..67b0b59b 100644 --- a/modules/po/cert.nl_NL.po +++ b/modules/po/cert.nl_NL.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/cert.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/cert.pt_BR.po b/modules/po/cert.pt_BR.po index cb26c3fe..59f61c04 100644 --- a/modules/po/cert.pt_BR.po +++ b/modules/po/cert.pt_BR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/cert.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/cert.ru_RU.po b/modules/po/cert.ru_RU.po index e4a6f6f6..f96df913 100644 --- a/modules/po/cert.ru_RU.po +++ b/modules/po/cert.ru_RU.po @@ -5,12 +5,10 @@ msgstr "" "Plural-Forms: nplurals=4; plural=((n%10==1 && n%100!=11) ? 0 : ((n%10 >= 2 " "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/cert.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/certauth.bg_BG.po b/modules/po/certauth.bg_BG.po index d9e7df5b..d21338b7 100644 --- a/modules/po/certauth.bg_BG.po +++ b/modules/po/certauth.bg_BG.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/certauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/certauth.de_DE.po b/modules/po/certauth.de_DE.po index f33d0c11..080e258e 100644 --- a/modules/po/certauth.de_DE.po +++ b/modules/po/certauth.de_DE.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/certauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/certauth.es_ES.po b/modules/po/certauth.es_ES.po index 352efe1e..e04e33ee 100644 --- a/modules/po/certauth.es_ES.po +++ b/modules/po/certauth.es_ES.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/certauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/certauth.fr_FR.po b/modules/po/certauth.fr_FR.po index 3d6cb2c6..1ef0ef57 100644 --- a/modules/po/certauth.fr_FR.po +++ b/modules/po/certauth.fr_FR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/certauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/certauth.id_ID.po b/modules/po/certauth.id_ID.po index 76938b2c..a61df9db 100644 --- a/modules/po/certauth.id_ID.po +++ b/modules/po/certauth.id_ID.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/certauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/certauth.it_IT.po b/modules/po/certauth.it_IT.po index 0c55d7d1..83ec962a 100644 --- a/modules/po/certauth.it_IT.po +++ b/modules/po/certauth.it_IT.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/certauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/certauth.nl_NL.po b/modules/po/certauth.nl_NL.po index 26d8d6a7..173c55ad 100644 --- a/modules/po/certauth.nl_NL.po +++ b/modules/po/certauth.nl_NL.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/certauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/certauth.pt_BR.po b/modules/po/certauth.pt_BR.po index efcd42eb..8912c1f2 100644 --- a/modules/po/certauth.pt_BR.po +++ b/modules/po/certauth.pt_BR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/certauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/certauth.ru_RU.po b/modules/po/certauth.ru_RU.po index c3a3f786..aa45cce5 100644 --- a/modules/po/certauth.ru_RU.po +++ b/modules/po/certauth.ru_RU.po @@ -5,12 +5,10 @@ msgstr "" "Plural-Forms: nplurals=4; plural=((n%10==1 && n%100!=11) ? 0 : ((n%10 >= 2 " "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/certauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/chansaver.bg_BG.po b/modules/po/chansaver.bg_BG.po index 490c356d..d0c6611d 100644 --- a/modules/po/chansaver.bg_BG.po +++ b/modules/po/chansaver.bg_BG.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/chansaver.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/chansaver.de_DE.po b/modules/po/chansaver.de_DE.po index 15de7e9b..63e63bab 100644 --- a/modules/po/chansaver.de_DE.po +++ b/modules/po/chansaver.de_DE.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/chansaver.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/chansaver.es_ES.po b/modules/po/chansaver.es_ES.po index df725332..511da57a 100644 --- a/modules/po/chansaver.es_ES.po +++ b/modules/po/chansaver.es_ES.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/chansaver.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/chansaver.fr_FR.po b/modules/po/chansaver.fr_FR.po index 5456fcef..1faa18d8 100644 --- a/modules/po/chansaver.fr_FR.po +++ b/modules/po/chansaver.fr_FR.po @@ -3,15 +3,13 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/chansaver.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" #: chansaver.cpp:91 msgid "Keeps config up-to-date when user joins/parts." -msgstr "" +msgstr "Maintient à jour la configuration quand un utilisateur rejoint/quitte." diff --git a/modules/po/chansaver.id_ID.po b/modules/po/chansaver.id_ID.po index fdb9122c..cc3db948 100644 --- a/modules/po/chansaver.id_ID.po +++ b/modules/po/chansaver.id_ID.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/chansaver.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/chansaver.it_IT.po b/modules/po/chansaver.it_IT.po index 9216d55b..295f0af1 100644 --- a/modules/po/chansaver.it_IT.po +++ b/modules/po/chansaver.it_IT.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/chansaver.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/chansaver.nl_NL.po b/modules/po/chansaver.nl_NL.po index f46b1c77..f202ed77 100644 --- a/modules/po/chansaver.nl_NL.po +++ b/modules/po/chansaver.nl_NL.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/chansaver.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/chansaver.pt_BR.po b/modules/po/chansaver.pt_BR.po index 7dea4c23..874a3f40 100644 --- a/modules/po/chansaver.pt_BR.po +++ b/modules/po/chansaver.pt_BR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/chansaver.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/chansaver.ru_RU.po b/modules/po/chansaver.ru_RU.po index 894d9668..f3dfc856 100644 --- a/modules/po/chansaver.ru_RU.po +++ b/modules/po/chansaver.ru_RU.po @@ -5,12 +5,10 @@ msgstr "" "Plural-Forms: nplurals=4; plural=((n%10==1 && n%100!=11) ? 0 : ((n%10 >= 2 " "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/chansaver.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/clearbufferonmsg.bg_BG.po b/modules/po/clearbufferonmsg.bg_BG.po index 2cdcde1f..40f1c332 100644 --- a/modules/po/clearbufferonmsg.bg_BG.po +++ b/modules/po/clearbufferonmsg.bg_BG.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/clearbufferonmsg.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/clearbufferonmsg.de_DE.po b/modules/po/clearbufferonmsg.de_DE.po index e12da02c..6556574d 100644 --- a/modules/po/clearbufferonmsg.de_DE.po +++ b/modules/po/clearbufferonmsg.de_DE.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/clearbufferonmsg.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/clearbufferonmsg.es_ES.po b/modules/po/clearbufferonmsg.es_ES.po index 6301411b..46e19ddb 100644 --- a/modules/po/clearbufferonmsg.es_ES.po +++ b/modules/po/clearbufferonmsg.es_ES.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/clearbufferonmsg.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/clearbufferonmsg.fr_FR.po b/modules/po/clearbufferonmsg.fr_FR.po index ad523337..bfe47e51 100644 --- a/modules/po/clearbufferonmsg.fr_FR.po +++ b/modules/po/clearbufferonmsg.fr_FR.po @@ -3,15 +3,15 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/clearbufferonmsg.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" #: clearbufferonmsg.cpp:160 msgid "Clears all channel and query buffers whenever the user does something" msgstr "" +"Efface tous les salons et conversations quand l'utilisateur effectue une " +"action" diff --git a/modules/po/clearbufferonmsg.id_ID.po b/modules/po/clearbufferonmsg.id_ID.po index 4df9e183..0e6deee8 100644 --- a/modules/po/clearbufferonmsg.id_ID.po +++ b/modules/po/clearbufferonmsg.id_ID.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/clearbufferonmsg.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/clearbufferonmsg.it_IT.po b/modules/po/clearbufferonmsg.it_IT.po index 27a4ea78..5885e399 100644 --- a/modules/po/clearbufferonmsg.it_IT.po +++ b/modules/po/clearbufferonmsg.it_IT.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/clearbufferonmsg.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/clearbufferonmsg.nl_NL.po b/modules/po/clearbufferonmsg.nl_NL.po index d8547fec..422f2147 100644 --- a/modules/po/clearbufferonmsg.nl_NL.po +++ b/modules/po/clearbufferonmsg.nl_NL.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/clearbufferonmsg.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/clearbufferonmsg.pt_BR.po b/modules/po/clearbufferonmsg.pt_BR.po index 23bfe4ef..e1a02d60 100644 --- a/modules/po/clearbufferonmsg.pt_BR.po +++ b/modules/po/clearbufferonmsg.pt_BR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/clearbufferonmsg.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/clearbufferonmsg.ru_RU.po b/modules/po/clearbufferonmsg.ru_RU.po index 610d3f37..e86407ec 100644 --- a/modules/po/clearbufferonmsg.ru_RU.po +++ b/modules/po/clearbufferonmsg.ru_RU.po @@ -5,12 +5,10 @@ msgstr "" "Plural-Forms: nplurals=4; plural=((n%10==1 && n%100!=11) ? 0 : ((n%10 >= 2 " "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/clearbufferonmsg.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/clientnotify.bg_BG.po b/modules/po/clientnotify.bg_BG.po index 4b6b54fd..64b2bcd5 100644 --- a/modules/po/clientnotify.bg_BG.po +++ b/modules/po/clientnotify.bg_BG.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/clientnotify.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/clientnotify.de_DE.po b/modules/po/clientnotify.de_DE.po index d2531af3..0edb0712 100644 --- a/modules/po/clientnotify.de_DE.po +++ b/modules/po/clientnotify.de_DE.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/clientnotify.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/clientnotify.es_ES.po b/modules/po/clientnotify.es_ES.po index 362eac07..84cbdfa8 100644 --- a/modules/po/clientnotify.es_ES.po +++ b/modules/po/clientnotify.es_ES.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/clientnotify.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/clientnotify.fr_FR.po b/modules/po/clientnotify.fr_FR.po index dab0b607..c863411c 100644 --- a/modules/po/clientnotify.fr_FR.po +++ b/modules/po/clientnotify.fr_FR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/clientnotify.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/clientnotify.id_ID.po b/modules/po/clientnotify.id_ID.po index 10bf81ef..135a46da 100644 --- a/modules/po/clientnotify.id_ID.po +++ b/modules/po/clientnotify.id_ID.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/clientnotify.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/clientnotify.it_IT.po b/modules/po/clientnotify.it_IT.po index cee42fe2..c71eb84e 100644 --- a/modules/po/clientnotify.it_IT.po +++ b/modules/po/clientnotify.it_IT.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/clientnotify.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/clientnotify.nl_NL.po b/modules/po/clientnotify.nl_NL.po index 6940ef05..f24ebfcc 100644 --- a/modules/po/clientnotify.nl_NL.po +++ b/modules/po/clientnotify.nl_NL.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/clientnotify.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/clientnotify.pt_BR.po b/modules/po/clientnotify.pt_BR.po index bcff83e4..21130711 100644 --- a/modules/po/clientnotify.pt_BR.po +++ b/modules/po/clientnotify.pt_BR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/clientnotify.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/clientnotify.ru_RU.po b/modules/po/clientnotify.ru_RU.po index f7b935f6..020bc2ab 100644 --- a/modules/po/clientnotify.ru_RU.po +++ b/modules/po/clientnotify.ru_RU.po @@ -5,12 +5,10 @@ msgstr "" "Plural-Forms: nplurals=4; plural=((n%10==1 && n%100!=11) ? 0 : ((n%10 >= 2 " "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/clientnotify.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/controlpanel.bg_BG.po b/modules/po/controlpanel.bg_BG.po index 6473c800..19eae059 100644 --- a/modules/po/controlpanel.bg_BG.po +++ b/modules/po/controlpanel.bg_BG.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/controlpanel.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/controlpanel.de_DE.po b/modules/po/controlpanel.de_DE.po index 99fc41d7..41268773 100644 --- a/modules/po/controlpanel.de_DE.po +++ b/modules/po/controlpanel.de_DE.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/controlpanel.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/controlpanel.es_ES.po b/modules/po/controlpanel.es_ES.po index 3b9081c3..877f3058 100644 --- a/modules/po/controlpanel.es_ES.po +++ b/modules/po/controlpanel.es_ES.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/controlpanel.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/controlpanel.fr_FR.po b/modules/po/controlpanel.fr_FR.po index 785be51c..6d0a535f 100644 --- a/modules/po/controlpanel.fr_FR.po +++ b/modules/po/controlpanel.fr_FR.po @@ -3,235 +3,255 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/controlpanel.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" #: controlpanel.cpp:51 controlpanel.cpp:64 msgctxt "helptable" msgid "Type" -msgstr "" +msgstr "Type" #: controlpanel.cpp:52 controlpanel.cpp:66 msgctxt "helptable" msgid "Variables" -msgstr "" +msgstr "Variables" #: controlpanel.cpp:78 msgid "String" -msgstr "" +msgstr "Chaîne" #: controlpanel.cpp:79 msgid "Boolean (true/false)" -msgstr "" +msgstr "Booléen (vrai/faux)" #: controlpanel.cpp:80 msgid "Integer" -msgstr "" +msgstr "Entier" #: controlpanel.cpp:81 msgid "Number" -msgstr "" +msgstr "Nombre" #: controlpanel.cpp:125 msgid "The following variables are available when using the Set/Get commands:" msgstr "" +"Les variables suivantes sont disponibles en utilisant les commandes Set/Get :" #: controlpanel.cpp:149 msgid "" "The following variables are available when using the SetNetwork/GetNetwork " "commands:" msgstr "" +"Les variables suivantes sont disponibles en utilisant les commandes " +"SetNetwork/GetNetwork :" #: controlpanel.cpp:163 msgid "" "The following variables are available when using the SetChan/GetChan " "commands:" msgstr "" +"Les variables suivantes sont disponibles en utilisant les commandes SetChan/" +"GetChan :" #: controlpanel.cpp:170 msgid "" "You can use $user as the user name and $network as the network name for " "modifying your own user and network." msgstr "" +"Vous pouvez utiliser $user comme nom d'utilisateur et $network comme nom de " +"réseau pour modifier votre propre utilisateur et réseau." #: controlpanel.cpp:179 controlpanel.cpp:966 controlpanel.cpp:1003 msgid "Error: User [{1}] does not exist!" -msgstr "" +msgstr "Erreur : l'utilisateur [{1}] n'existe pas !" #: controlpanel.cpp:184 msgid "Error: You need to have admin rights to modify other users!" msgstr "" +"Erreur : vous devez avoir les droits d'administration pour modifier les " +"autres utilisateurs !" #: controlpanel.cpp:194 msgid "Error: You cannot use $network to modify other users!" msgstr "" +"Erreur : vous ne pouvez pas utiliser $network pour modifier les autres " +"utilisateurs !" #: controlpanel.cpp:202 msgid "Error: User {1} does not have a network named [{2}]." -msgstr "" +msgstr "Erreur : l'utilisateur {1} n'a pas de réseau nommé [{2}]." #: controlpanel.cpp:214 msgid "Usage: Get [username]" -msgstr "" +msgstr "Utilisation : Get [username]" #: controlpanel.cpp:304 controlpanel.cpp:507 controlpanel.cpp:582 #: controlpanel.cpp:658 controlpanel.cpp:793 controlpanel.cpp:878 msgid "Error: Unknown variable" -msgstr "" +msgstr "Erreur : variable inconnue" #: controlpanel.cpp:313 msgid "Usage: Set " -msgstr "" +msgstr "Utilisation : Set " #: controlpanel.cpp:335 controlpanel.cpp:623 msgid "This bind host is already set!" -msgstr "" +msgstr "Cet hôte lié est déjà configuré !" #: controlpanel.cpp:342 controlpanel.cpp:354 controlpanel.cpp:362 #: controlpanel.cpp:425 controlpanel.cpp:444 controlpanel.cpp:460 #: controlpanel.cpp:470 controlpanel.cpp:630 msgid "Access denied!" -msgstr "" +msgstr "Accès refusé !" #: controlpanel.cpp:376 controlpanel.cpp:385 controlpanel.cpp:842 msgid "Setting failed, limit for buffer size is {1}" -msgstr "" +msgstr "Configuration impossible, la limite de la taille du cache est de {1}" #: controlpanel.cpp:405 msgid "Password has been changed!" -msgstr "" +msgstr "Le mot de passe a été modifié !" #: controlpanel.cpp:413 msgid "Timeout can't be less than 30 seconds!" -msgstr "" +msgstr "L'expiration ne peut pas être inférieure à 30 secondes !" #: controlpanel.cpp:477 msgid "That would be a bad idea!" -msgstr "" +msgstr "Ce serait une mauvaise idée !" #: controlpanel.cpp:495 msgid "Supported languages: {1}" -msgstr "" +msgstr "Langues supportées : {1}" #: controlpanel.cpp:519 msgid "Usage: GetNetwork [username] [network]" -msgstr "" +msgstr "Utilisation : GetNetwork [username] [network]" #: controlpanel.cpp:538 msgid "Error: A network must be specified to get another users settings." msgstr "" +"Erreur : un réseau doit être spécifié pour accéder aux paramètres d'un autre " +"utilisateur." #: controlpanel.cpp:544 msgid "You are not currently attached to a network." -msgstr "" +msgstr "Vous n'êtes pas actuellement rattaché à un réseau." #: controlpanel.cpp:550 msgid "Error: Invalid network." -msgstr "" +msgstr "Erreur : réseau non valide." #: controlpanel.cpp:594 msgid "Usage: SetNetwork " msgstr "" +"Utilisation : SetNetwork " #: controlpanel.cpp:668 msgid "Usage: AddChan " -msgstr "" +msgstr "Utilisation : AddChan " #: controlpanel.cpp:681 msgid "Error: User {1} already has a channel named {2}." -msgstr "" +msgstr "Erreur : l'utilisateur {1} a déjà un salon nommé {2}." #: controlpanel.cpp:688 msgid "Channel {1} for user {2} added to network {3}." -msgstr "" +msgstr "Salon {1} pour l'utilisateur {2} ajouté au réseau {3}." #: controlpanel.cpp:692 msgid "" "Could not add channel {1} for user {2} to network {3}, does it already exist?" msgstr "" +"Impossible d'ajouter le salon {1} pour l'utilisateur {2} au réseau {3}, " +"existe-t-il déjà ?" #: controlpanel.cpp:702 msgid "Usage: DelChan " -msgstr "" +msgstr "Utilisation : DelChan " #: controlpanel.cpp:717 msgid "Error: User {1} does not have any channel matching [{2}] in network {3}" msgstr "" +"Erreur : l'utilisateur {1} n'a aucun salon correspondant à [{2}] dans le " +"réseau {3}" #: controlpanel.cpp:730 msgid "Channel {1} is deleted from network {2} of user {3}" msgid_plural "Channels {1} are deleted from network {2} of user {3}" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "Le salon {1} est supprimé du réseau {2} de l'utilisateur {3}" +msgstr[1] "Les salons {1} sont supprimés du réseau {2} de l'utilisateur {3}" #: controlpanel.cpp:745 msgid "Usage: GetChan " -msgstr "" +msgstr "Utilisation : GetChan " #: controlpanel.cpp:759 controlpanel.cpp:823 msgid "Error: No channels matching [{1}] found." -msgstr "" +msgstr "Erreur : aucun salon correspondant à [{1}] trouvé." #: controlpanel.cpp:808 msgid "Usage: SetChan " msgstr "" +"Utilisation : SetChan " +"" #: controlpanel.cpp:889 controlpanel.cpp:899 msgctxt "listusers" msgid "Username" -msgstr "" +msgstr "Nom d'utilisateur" #: controlpanel.cpp:890 controlpanel.cpp:900 msgctxt "listusers" msgid "Realname" -msgstr "" +msgstr "Nom réel" #: controlpanel.cpp:891 controlpanel.cpp:903 controlpanel.cpp:905 msgctxt "listusers" msgid "IsAdmin" -msgstr "" +msgstr "Est administrateur" #: controlpanel.cpp:892 controlpanel.cpp:906 msgctxt "listusers" msgid "Nick" -msgstr "" +msgstr "Pseudo" #: controlpanel.cpp:893 controlpanel.cpp:907 msgctxt "listusers" msgid "AltNick" -msgstr "" +msgstr "Pseudo alternatif" #: controlpanel.cpp:894 controlpanel.cpp:908 msgctxt "listusers" msgid "Ident" -msgstr "" +msgstr "Identité" #: controlpanel.cpp:895 controlpanel.cpp:909 msgctxt "listusers" msgid "BindHost" -msgstr "" +msgstr "Hôte lié" #: controlpanel.cpp:903 controlpanel.cpp:1143 msgid "No" -msgstr "" +msgstr "Non" #: controlpanel.cpp:905 controlpanel.cpp:1135 msgid "Yes" -msgstr "" +msgstr "Oui" #: controlpanel.cpp:919 controlpanel.cpp:988 msgid "Error: You need to have admin rights to add new users!" msgstr "" +"Erreur : vous devez avoir les droits d'administration pour ajouter de " +"nouveaux utilisateurs !" #: controlpanel.cpp:925 msgid "Usage: AddUser " -msgstr "" +msgstr "Utilisation : AddUser " #: controlpanel.cpp:930 msgid "Error: User {1} already exists!" diff --git a/modules/po/controlpanel.id_ID.po b/modules/po/controlpanel.id_ID.po index 65a57d41..e385260f 100644 --- a/modules/po/controlpanel.id_ID.po +++ b/modules/po/controlpanel.id_ID.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/controlpanel.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/controlpanel.it_IT.po b/modules/po/controlpanel.it_IT.po index e9f5fac8..00a03878 100644 --- a/modules/po/controlpanel.it_IT.po +++ b/modules/po/controlpanel.it_IT.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/controlpanel.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/controlpanel.nl_NL.po b/modules/po/controlpanel.nl_NL.po index d2325971..c5854741 100644 --- a/modules/po/controlpanel.nl_NL.po +++ b/modules/po/controlpanel.nl_NL.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/controlpanel.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/controlpanel.pt_BR.po b/modules/po/controlpanel.pt_BR.po index 5d700940..a65fadf0 100644 --- a/modules/po/controlpanel.pt_BR.po +++ b/modules/po/controlpanel.pt_BR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/controlpanel.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/controlpanel.ru_RU.po b/modules/po/controlpanel.ru_RU.po index 95789e1b..8edc9609 100644 --- a/modules/po/controlpanel.ru_RU.po +++ b/modules/po/controlpanel.ru_RU.po @@ -5,12 +5,10 @@ msgstr "" "Plural-Forms: nplurals=4; plural=((n%10==1 && n%100!=11) ? 0 : ((n%10 >= 2 " "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/controlpanel.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/crypt.bg_BG.po b/modules/po/crypt.bg_BG.po index f5e889d8..87360671 100644 --- a/modules/po/crypt.bg_BG.po +++ b/modules/po/crypt.bg_BG.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/crypt.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/crypt.de_DE.po b/modules/po/crypt.de_DE.po index d16955b1..265fc88b 100644 --- a/modules/po/crypt.de_DE.po +++ b/modules/po/crypt.de_DE.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/crypt.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/crypt.es_ES.po b/modules/po/crypt.es_ES.po index 0c67cd6c..0d3ffc0a 100644 --- a/modules/po/crypt.es_ES.po +++ b/modules/po/crypt.es_ES.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/crypt.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/crypt.fr_FR.po b/modules/po/crypt.fr_FR.po index 7d86683f..a0958754 100644 --- a/modules/po/crypt.fr_FR.po +++ b/modules/po/crypt.fr_FR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/crypt.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/crypt.id_ID.po b/modules/po/crypt.id_ID.po index 2daac836..423e141e 100644 --- a/modules/po/crypt.id_ID.po +++ b/modules/po/crypt.id_ID.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/crypt.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/crypt.it_IT.po b/modules/po/crypt.it_IT.po index 9de0290a..e74be2df 100644 --- a/modules/po/crypt.it_IT.po +++ b/modules/po/crypt.it_IT.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/crypt.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/crypt.nl_NL.po b/modules/po/crypt.nl_NL.po index bdb32aca..693f9d75 100644 --- a/modules/po/crypt.nl_NL.po +++ b/modules/po/crypt.nl_NL.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/crypt.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/crypt.pt_BR.po b/modules/po/crypt.pt_BR.po index 2b93cbfb..b9748466 100644 --- a/modules/po/crypt.pt_BR.po +++ b/modules/po/crypt.pt_BR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/crypt.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/crypt.ru_RU.po b/modules/po/crypt.ru_RU.po index 5d1f5f3c..66507be6 100644 --- a/modules/po/crypt.ru_RU.po +++ b/modules/po/crypt.ru_RU.po @@ -5,12 +5,10 @@ msgstr "" "Plural-Forms: nplurals=4; plural=((n%10==1 && n%100!=11) ? 0 : ((n%10 >= 2 " "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/crypt.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/ctcpflood.bg_BG.po b/modules/po/ctcpflood.bg_BG.po index 4598217a..fa9f1975 100644 --- a/modules/po/ctcpflood.bg_BG.po +++ b/modules/po/ctcpflood.bg_BG.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/ctcpflood.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/ctcpflood.de_DE.po b/modules/po/ctcpflood.de_DE.po index e08c9e3d..260d6e17 100644 --- a/modules/po/ctcpflood.de_DE.po +++ b/modules/po/ctcpflood.de_DE.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/ctcpflood.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/ctcpflood.es_ES.po b/modules/po/ctcpflood.es_ES.po index 3f13d550..42fde12f 100644 --- a/modules/po/ctcpflood.es_ES.po +++ b/modules/po/ctcpflood.es_ES.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/ctcpflood.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/ctcpflood.fr_FR.po b/modules/po/ctcpflood.fr_FR.po index 4566fbaf..5952c7a3 100644 --- a/modules/po/ctcpflood.fr_FR.po +++ b/modules/po/ctcpflood.fr_FR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/ctcpflood.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/ctcpflood.id_ID.po b/modules/po/ctcpflood.id_ID.po index 952d4d2a..0aa5cdda 100644 --- a/modules/po/ctcpflood.id_ID.po +++ b/modules/po/ctcpflood.id_ID.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/ctcpflood.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/ctcpflood.it_IT.po b/modules/po/ctcpflood.it_IT.po index c8689a91..ec2df66b 100644 --- a/modules/po/ctcpflood.it_IT.po +++ b/modules/po/ctcpflood.it_IT.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/ctcpflood.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/ctcpflood.nl_NL.po b/modules/po/ctcpflood.nl_NL.po index 11ba1692..589f4a9d 100644 --- a/modules/po/ctcpflood.nl_NL.po +++ b/modules/po/ctcpflood.nl_NL.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/ctcpflood.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/ctcpflood.pt_BR.po b/modules/po/ctcpflood.pt_BR.po index 6761947d..8a345530 100644 --- a/modules/po/ctcpflood.pt_BR.po +++ b/modules/po/ctcpflood.pt_BR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/ctcpflood.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/ctcpflood.ru_RU.po b/modules/po/ctcpflood.ru_RU.po index bb6e6295..33f6c553 100644 --- a/modules/po/ctcpflood.ru_RU.po +++ b/modules/po/ctcpflood.ru_RU.po @@ -5,12 +5,10 @@ msgstr "" "Plural-Forms: nplurals=4; plural=((n%10==1 && n%100!=11) ? 0 : ((n%10 >= 2 " "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/ctcpflood.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/cyrusauth.bg_BG.po b/modules/po/cyrusauth.bg_BG.po index a3b4869f..a62da873 100644 --- a/modules/po/cyrusauth.bg_BG.po +++ b/modules/po/cyrusauth.bg_BG.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/cyrusauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/cyrusauth.de_DE.po b/modules/po/cyrusauth.de_DE.po index 14a0845e..f0419bcf 100644 --- a/modules/po/cyrusauth.de_DE.po +++ b/modules/po/cyrusauth.de_DE.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/cyrusauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/cyrusauth.es_ES.po b/modules/po/cyrusauth.es_ES.po index a66d1003..2f6e2886 100644 --- a/modules/po/cyrusauth.es_ES.po +++ b/modules/po/cyrusauth.es_ES.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/cyrusauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/cyrusauth.fr_FR.po b/modules/po/cyrusauth.fr_FR.po index d34fa100..23dccbb1 100644 --- a/modules/po/cyrusauth.fr_FR.po +++ b/modules/po/cyrusauth.fr_FR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/cyrusauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/cyrusauth.id_ID.po b/modules/po/cyrusauth.id_ID.po index 612b26ee..c446066a 100644 --- a/modules/po/cyrusauth.id_ID.po +++ b/modules/po/cyrusauth.id_ID.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/cyrusauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/cyrusauth.it_IT.po b/modules/po/cyrusauth.it_IT.po index f1da5c73..375e1770 100644 --- a/modules/po/cyrusauth.it_IT.po +++ b/modules/po/cyrusauth.it_IT.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/cyrusauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/cyrusauth.nl_NL.po b/modules/po/cyrusauth.nl_NL.po index 9b9bc329..8dbd7b0b 100644 --- a/modules/po/cyrusauth.nl_NL.po +++ b/modules/po/cyrusauth.nl_NL.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/cyrusauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/cyrusauth.pt_BR.po b/modules/po/cyrusauth.pt_BR.po index 61a93c9b..40b57654 100644 --- a/modules/po/cyrusauth.pt_BR.po +++ b/modules/po/cyrusauth.pt_BR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/cyrusauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/cyrusauth.ru_RU.po b/modules/po/cyrusauth.ru_RU.po index a30b1014..fa7d902b 100644 --- a/modules/po/cyrusauth.ru_RU.po +++ b/modules/po/cyrusauth.ru_RU.po @@ -5,12 +5,10 @@ msgstr "" "Plural-Forms: nplurals=4; plural=((n%10==1 && n%100!=11) ? 0 : ((n%10 >= 2 " "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/cyrusauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/dcc.bg_BG.po b/modules/po/dcc.bg_BG.po index e96cf350..cc4434f1 100644 --- a/modules/po/dcc.bg_BG.po +++ b/modules/po/dcc.bg_BG.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/dcc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/dcc.de_DE.po b/modules/po/dcc.de_DE.po index 7d260073..d9b9a72e 100644 --- a/modules/po/dcc.de_DE.po +++ b/modules/po/dcc.de_DE.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/dcc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/dcc.es_ES.po b/modules/po/dcc.es_ES.po index 258ecf09..7b104703 100644 --- a/modules/po/dcc.es_ES.po +++ b/modules/po/dcc.es_ES.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/dcc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/dcc.fr_FR.po b/modules/po/dcc.fr_FR.po index 65e69647..c7a35ec6 100644 --- a/modules/po/dcc.fr_FR.po +++ b/modules/po/dcc.fr_FR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/dcc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/dcc.id_ID.po b/modules/po/dcc.id_ID.po index 655be7f1..8190a343 100644 --- a/modules/po/dcc.id_ID.po +++ b/modules/po/dcc.id_ID.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/dcc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/dcc.it_IT.po b/modules/po/dcc.it_IT.po index 82d2a2e7..8b48a1e6 100644 --- a/modules/po/dcc.it_IT.po +++ b/modules/po/dcc.it_IT.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/dcc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/dcc.nl_NL.po b/modules/po/dcc.nl_NL.po index 971c5530..b32a3f41 100644 --- a/modules/po/dcc.nl_NL.po +++ b/modules/po/dcc.nl_NL.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/dcc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/dcc.pt_BR.po b/modules/po/dcc.pt_BR.po index b70b8696..914e2632 100644 --- a/modules/po/dcc.pt_BR.po +++ b/modules/po/dcc.pt_BR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/dcc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/dcc.ru_RU.po b/modules/po/dcc.ru_RU.po index 60095a68..38bd5b0a 100644 --- a/modules/po/dcc.ru_RU.po +++ b/modules/po/dcc.ru_RU.po @@ -5,12 +5,10 @@ msgstr "" "Plural-Forms: nplurals=4; plural=((n%10==1 && n%100!=11) ? 0 : ((n%10 >= 2 " "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/dcc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/disconkick.bg_BG.po b/modules/po/disconkick.bg_BG.po index 1b68505d..3a5ce82f 100644 --- a/modules/po/disconkick.bg_BG.po +++ b/modules/po/disconkick.bg_BG.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/disconkick.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/disconkick.de_DE.po b/modules/po/disconkick.de_DE.po index 704a13e7..84fdf0f3 100644 --- a/modules/po/disconkick.de_DE.po +++ b/modules/po/disconkick.de_DE.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/disconkick.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/disconkick.es_ES.po b/modules/po/disconkick.es_ES.po index bfbad97e..61e0fd15 100644 --- a/modules/po/disconkick.es_ES.po +++ b/modules/po/disconkick.es_ES.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/disconkick.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/disconkick.fr_FR.po b/modules/po/disconkick.fr_FR.po index 46e322e8..8300360a 100644 --- a/modules/po/disconkick.fr_FR.po +++ b/modules/po/disconkick.fr_FR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/disconkick.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/disconkick.id_ID.po b/modules/po/disconkick.id_ID.po index 875b0eb1..dc3834e6 100644 --- a/modules/po/disconkick.id_ID.po +++ b/modules/po/disconkick.id_ID.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/disconkick.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/disconkick.it_IT.po b/modules/po/disconkick.it_IT.po index 8cfc655e..d26c5798 100644 --- a/modules/po/disconkick.it_IT.po +++ b/modules/po/disconkick.it_IT.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/disconkick.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/disconkick.nl_NL.po b/modules/po/disconkick.nl_NL.po index a39376ab..469928b0 100644 --- a/modules/po/disconkick.nl_NL.po +++ b/modules/po/disconkick.nl_NL.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/disconkick.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/disconkick.pt_BR.po b/modules/po/disconkick.pt_BR.po index 52eb3498..497f50ab 100644 --- a/modules/po/disconkick.pt_BR.po +++ b/modules/po/disconkick.pt_BR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/disconkick.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/disconkick.ru_RU.po b/modules/po/disconkick.ru_RU.po index ebd4e8e6..2b402036 100644 --- a/modules/po/disconkick.ru_RU.po +++ b/modules/po/disconkick.ru_RU.po @@ -5,12 +5,10 @@ msgstr "" "Plural-Forms: nplurals=4; plural=((n%10==1 && n%100!=11) ? 0 : ((n%10 >= 2 " "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/disconkick.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/fail2ban.bg_BG.po b/modules/po/fail2ban.bg_BG.po index d47ebd9c..a6441440 100644 --- a/modules/po/fail2ban.bg_BG.po +++ b/modules/po/fail2ban.bg_BG.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/fail2ban.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/fail2ban.de_DE.po b/modules/po/fail2ban.de_DE.po index ba1ac4f5..bfc6b9a0 100644 --- a/modules/po/fail2ban.de_DE.po +++ b/modules/po/fail2ban.de_DE.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/fail2ban.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/fail2ban.es_ES.po b/modules/po/fail2ban.es_ES.po index 391dd15e..a6372a75 100644 --- a/modules/po/fail2ban.es_ES.po +++ b/modules/po/fail2ban.es_ES.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/fail2ban.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/fail2ban.fr_FR.po b/modules/po/fail2ban.fr_FR.po index d2d20040..9c061bc8 100644 --- a/modules/po/fail2ban.fr_FR.po +++ b/modules/po/fail2ban.fr_FR.po @@ -3,115 +3,119 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/fail2ban.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" #: fail2ban.cpp:25 msgid "[minutes]" -msgstr "" +msgstr "[minutes]" #: fail2ban.cpp:26 msgid "The number of minutes IPs are blocked after a failed login." msgstr "" +"Le temps en minutes que les IP sont bloquées après une connexion refusée." #: fail2ban.cpp:28 msgid "[count]" -msgstr "" +msgstr "[count]" #: fail2ban.cpp:29 msgid "The number of allowed failed login attempts." -msgstr "" +msgstr "Le nombre de tentatives de connexions échouées autorisées." #: fail2ban.cpp:31 fail2ban.cpp:33 msgid "" -msgstr "" +msgstr "" #: fail2ban.cpp:31 msgid "Ban the specified hosts." -msgstr "" +msgstr "Bannir les hôtes spécifiés." #: fail2ban.cpp:33 msgid "Unban the specified hosts." -msgstr "" +msgstr "Débannir les hôtes spécifiés." #: fail2ban.cpp:35 msgid "List banned hosts." -msgstr "" +msgstr "Lister les hôtes bannis." #: fail2ban.cpp:55 msgid "" "Invalid argument, must be the number of minutes IPs are blocked after a " "failed login and can be followed by number of allowed failed login attempts" msgstr "" +"Argument invalide, doit être le nombre de minutes que les IP sont bloquées " +"après une connexion refusée et peut être suivi par le nombre de tentatives " +"de connexion autorisées" #: fail2ban.cpp:77 fail2ban.cpp:100 fail2ban.cpp:123 fail2ban.cpp:146 #: fail2ban.cpp:172 msgid "Access denied" -msgstr "" +msgstr "Accès refusé" #: fail2ban.cpp:86 msgid "Usage: Timeout [minutes]" -msgstr "" +msgstr "Utilisation : Timeout [minutes]" #: fail2ban.cpp:91 fail2ban.cpp:94 msgid "Timeout: {1} min" -msgstr "" +msgstr "Expiration : {1} min" #: fail2ban.cpp:109 msgid "Usage: Attempts [count]" -msgstr "" +msgstr "Utilisation : Attempts [count]" #: fail2ban.cpp:114 fail2ban.cpp:117 msgid "Attempts: {1}" -msgstr "" +msgstr "Tentatives : {1}" #: fail2ban.cpp:130 msgid "Usage: Ban " -msgstr "" +msgstr "Utilisation : Ban " #: fail2ban.cpp:140 msgid "Banned: {1}" -msgstr "" +msgstr "Banni : {1}" #: fail2ban.cpp:153 msgid "Usage: Unban " -msgstr "" +msgstr "Utilisation : Unban " #: fail2ban.cpp:163 msgid "Unbanned: {1}" -msgstr "" +msgstr "Débanni : {1}" #: fail2ban.cpp:165 msgid "Ignored: {1}" -msgstr "" +msgstr "Ignoré : {1}" #: fail2ban.cpp:177 fail2ban.cpp:183 msgctxt "list" msgid "Host" -msgstr "" +msgstr "Hôte" #: fail2ban.cpp:178 fail2ban.cpp:184 msgctxt "list" msgid "Attempts" -msgstr "" +msgstr "Tentatives" #: fail2ban.cpp:188 msgctxt "list" msgid "No bans" -msgstr "" +msgstr "Pas de bannissements" #: fail2ban.cpp:245 msgid "" "You might enter the time in minutes for the IP banning and the number of " "failed logins before any action is taken." msgstr "" +"Vous pouvez entrer le temps en minutes pour le bannissement d'une IP et le " +"nombre de connexions refusées avant que des mesures ne soient prises." #: fail2ban.cpp:250 msgid "Block IPs for some time after a failed login." -msgstr "" +msgstr "Bloque les IP pour un certain temps après une connexion refusée." diff --git a/modules/po/fail2ban.id_ID.po b/modules/po/fail2ban.id_ID.po index c4e2eaba..98831a2d 100644 --- a/modules/po/fail2ban.id_ID.po +++ b/modules/po/fail2ban.id_ID.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/fail2ban.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/fail2ban.it_IT.po b/modules/po/fail2ban.it_IT.po index cd6c3704..2796611f 100644 --- a/modules/po/fail2ban.it_IT.po +++ b/modules/po/fail2ban.it_IT.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/fail2ban.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/fail2ban.nl_NL.po b/modules/po/fail2ban.nl_NL.po index 04861bd8..3ddb16f1 100644 --- a/modules/po/fail2ban.nl_NL.po +++ b/modules/po/fail2ban.nl_NL.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/fail2ban.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/fail2ban.pt_BR.po b/modules/po/fail2ban.pt_BR.po index fbd5c36d..3e3ebc16 100644 --- a/modules/po/fail2ban.pt_BR.po +++ b/modules/po/fail2ban.pt_BR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/fail2ban.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/fail2ban.ru_RU.po b/modules/po/fail2ban.ru_RU.po index a2a6b647..450fe6e3 100644 --- a/modules/po/fail2ban.ru_RU.po +++ b/modules/po/fail2ban.ru_RU.po @@ -5,12 +5,10 @@ msgstr "" "Plural-Forms: nplurals=4; plural=((n%10==1 && n%100!=11) ? 0 : ((n%10 >= 2 " "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/fail2ban.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/flooddetach.bg_BG.po b/modules/po/flooddetach.bg_BG.po index d699c6fd..1299a87b 100644 --- a/modules/po/flooddetach.bg_BG.po +++ b/modules/po/flooddetach.bg_BG.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/flooddetach.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/flooddetach.de_DE.po b/modules/po/flooddetach.de_DE.po index ba6aa473..398b15ff 100644 --- a/modules/po/flooddetach.de_DE.po +++ b/modules/po/flooddetach.de_DE.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/flooddetach.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/flooddetach.es_ES.po b/modules/po/flooddetach.es_ES.po index a7a57b4e..e3e25d84 100644 --- a/modules/po/flooddetach.es_ES.po +++ b/modules/po/flooddetach.es_ES.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/flooddetach.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/flooddetach.fr_FR.po b/modules/po/flooddetach.fr_FR.po index 287466f4..b44ac9b9 100644 --- a/modules/po/flooddetach.fr_FR.po +++ b/modules/po/flooddetach.fr_FR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/flooddetach.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/flooddetach.id_ID.po b/modules/po/flooddetach.id_ID.po index adcedbf6..f4b97d5f 100644 --- a/modules/po/flooddetach.id_ID.po +++ b/modules/po/flooddetach.id_ID.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/flooddetach.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/flooddetach.it_IT.po b/modules/po/flooddetach.it_IT.po index 1c0c8f5f..0d2a88ac 100644 --- a/modules/po/flooddetach.it_IT.po +++ b/modules/po/flooddetach.it_IT.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/flooddetach.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/flooddetach.nl_NL.po b/modules/po/flooddetach.nl_NL.po index f3f67921..47089bd8 100644 --- a/modules/po/flooddetach.nl_NL.po +++ b/modules/po/flooddetach.nl_NL.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/flooddetach.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/flooddetach.pt_BR.po b/modules/po/flooddetach.pt_BR.po index ea93da1b..85d8c162 100644 --- a/modules/po/flooddetach.pt_BR.po +++ b/modules/po/flooddetach.pt_BR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/flooddetach.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/flooddetach.ru_RU.po b/modules/po/flooddetach.ru_RU.po index 851f1c50..d2f22bf2 100644 --- a/modules/po/flooddetach.ru_RU.po +++ b/modules/po/flooddetach.ru_RU.po @@ -5,12 +5,10 @@ msgstr "" "Plural-Forms: nplurals=4; plural=((n%10==1 && n%100!=11) ? 0 : ((n%10 >= 2 " "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/flooddetach.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/identfile.bg_BG.po b/modules/po/identfile.bg_BG.po index ed64c929..b9ca6200 100644 --- a/modules/po/identfile.bg_BG.po +++ b/modules/po/identfile.bg_BG.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/identfile.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/identfile.de_DE.po b/modules/po/identfile.de_DE.po index bb58273a..0992f5e2 100644 --- a/modules/po/identfile.de_DE.po +++ b/modules/po/identfile.de_DE.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/identfile.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/identfile.es_ES.po b/modules/po/identfile.es_ES.po index 5966719d..4056d819 100644 --- a/modules/po/identfile.es_ES.po +++ b/modules/po/identfile.es_ES.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/identfile.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/identfile.fr_FR.po b/modules/po/identfile.fr_FR.po index f9369f2c..dd26ad43 100644 --- a/modules/po/identfile.fr_FR.po +++ b/modules/po/identfile.fr_FR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/identfile.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/identfile.id_ID.po b/modules/po/identfile.id_ID.po index 7d770d25..6c1edef0 100644 --- a/modules/po/identfile.id_ID.po +++ b/modules/po/identfile.id_ID.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/identfile.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/identfile.it_IT.po b/modules/po/identfile.it_IT.po index 3cf88779..313980ac 100644 --- a/modules/po/identfile.it_IT.po +++ b/modules/po/identfile.it_IT.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/identfile.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/identfile.nl_NL.po b/modules/po/identfile.nl_NL.po index 58071354..4e2e64b0 100644 --- a/modules/po/identfile.nl_NL.po +++ b/modules/po/identfile.nl_NL.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/identfile.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/identfile.pt_BR.po b/modules/po/identfile.pt_BR.po index dca39204..f2451214 100644 --- a/modules/po/identfile.pt_BR.po +++ b/modules/po/identfile.pt_BR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/identfile.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/identfile.ru_RU.po b/modules/po/identfile.ru_RU.po index f88ecc08..4358d9e2 100644 --- a/modules/po/identfile.ru_RU.po +++ b/modules/po/identfile.ru_RU.po @@ -5,12 +5,10 @@ msgstr "" "Plural-Forms: nplurals=4; plural=((n%10==1 && n%100!=11) ? 0 : ((n%10 >= 2 " "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/identfile.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/imapauth.bg_BG.po b/modules/po/imapauth.bg_BG.po index 8df800a1..fb176273 100644 --- a/modules/po/imapauth.bg_BG.po +++ b/modules/po/imapauth.bg_BG.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/imapauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/imapauth.de_DE.po b/modules/po/imapauth.de_DE.po index 10ee95de..5e90346f 100644 --- a/modules/po/imapauth.de_DE.po +++ b/modules/po/imapauth.de_DE.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/imapauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/imapauth.es_ES.po b/modules/po/imapauth.es_ES.po index fc601ce8..ff540252 100644 --- a/modules/po/imapauth.es_ES.po +++ b/modules/po/imapauth.es_ES.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/imapauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/imapauth.fr_FR.po b/modules/po/imapauth.fr_FR.po index d54ccc66..04d35943 100644 --- a/modules/po/imapauth.fr_FR.po +++ b/modules/po/imapauth.fr_FR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/imapauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/imapauth.id_ID.po b/modules/po/imapauth.id_ID.po index 55d21c41..7bce0dd6 100644 --- a/modules/po/imapauth.id_ID.po +++ b/modules/po/imapauth.id_ID.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/imapauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/imapauth.it_IT.po b/modules/po/imapauth.it_IT.po index b9f6bd7f..1e61746f 100644 --- a/modules/po/imapauth.it_IT.po +++ b/modules/po/imapauth.it_IT.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/imapauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/imapauth.nl_NL.po b/modules/po/imapauth.nl_NL.po index 9a3a6308..d23ad437 100644 --- a/modules/po/imapauth.nl_NL.po +++ b/modules/po/imapauth.nl_NL.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/imapauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/imapauth.pt_BR.po b/modules/po/imapauth.pt_BR.po index 73bb976d..b891bc67 100644 --- a/modules/po/imapauth.pt_BR.po +++ b/modules/po/imapauth.pt_BR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/imapauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/imapauth.ru_RU.po b/modules/po/imapauth.ru_RU.po index 14e19730..76d28a0f 100644 --- a/modules/po/imapauth.ru_RU.po +++ b/modules/po/imapauth.ru_RU.po @@ -5,12 +5,10 @@ msgstr "" "Plural-Forms: nplurals=4; plural=((n%10==1 && n%100!=11) ? 0 : ((n%10 >= 2 " "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/imapauth.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/keepnick.bg_BG.po b/modules/po/keepnick.bg_BG.po index 642ebc0e..414b09d4 100644 --- a/modules/po/keepnick.bg_BG.po +++ b/modules/po/keepnick.bg_BG.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/keepnick.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/keepnick.de_DE.po b/modules/po/keepnick.de_DE.po index 9c416f50..0bb16d90 100644 --- a/modules/po/keepnick.de_DE.po +++ b/modules/po/keepnick.de_DE.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/keepnick.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/keepnick.es_ES.po b/modules/po/keepnick.es_ES.po index 3d15390c..adf0341c 100644 --- a/modules/po/keepnick.es_ES.po +++ b/modules/po/keepnick.es_ES.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/keepnick.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/keepnick.fr_FR.po b/modules/po/keepnick.fr_FR.po index 3e0f9127..7c0669fb 100644 --- a/modules/po/keepnick.fr_FR.po +++ b/modules/po/keepnick.fr_FR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/keepnick.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/keepnick.id_ID.po b/modules/po/keepnick.id_ID.po index 2aad9f59..5999dc8e 100644 --- a/modules/po/keepnick.id_ID.po +++ b/modules/po/keepnick.id_ID.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/keepnick.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/keepnick.it_IT.po b/modules/po/keepnick.it_IT.po index e7ac9707..50e2e263 100644 --- a/modules/po/keepnick.it_IT.po +++ b/modules/po/keepnick.it_IT.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/keepnick.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/keepnick.nl_NL.po b/modules/po/keepnick.nl_NL.po index d72b0f9c..f0d84a2f 100644 --- a/modules/po/keepnick.nl_NL.po +++ b/modules/po/keepnick.nl_NL.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/keepnick.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/keepnick.pt_BR.po b/modules/po/keepnick.pt_BR.po index a5d54830..0891579a 100644 --- a/modules/po/keepnick.pt_BR.po +++ b/modules/po/keepnick.pt_BR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/keepnick.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/keepnick.ru_RU.po b/modules/po/keepnick.ru_RU.po index 3b564f60..1641ffe1 100644 --- a/modules/po/keepnick.ru_RU.po +++ b/modules/po/keepnick.ru_RU.po @@ -5,12 +5,10 @@ msgstr "" "Plural-Forms: nplurals=4; plural=((n%10==1 && n%100!=11) ? 0 : ((n%10 >= 2 " "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/keepnick.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/kickrejoin.bg_BG.po b/modules/po/kickrejoin.bg_BG.po index 0455692f..cfe4b844 100644 --- a/modules/po/kickrejoin.bg_BG.po +++ b/modules/po/kickrejoin.bg_BG.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/kickrejoin.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/kickrejoin.de_DE.po b/modules/po/kickrejoin.de_DE.po index 9ef6b7ea..f78737d8 100644 --- a/modules/po/kickrejoin.de_DE.po +++ b/modules/po/kickrejoin.de_DE.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/kickrejoin.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/kickrejoin.es_ES.po b/modules/po/kickrejoin.es_ES.po index cbacfeb9..dd2454f7 100644 --- a/modules/po/kickrejoin.es_ES.po +++ b/modules/po/kickrejoin.es_ES.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/kickrejoin.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/kickrejoin.fr_FR.po b/modules/po/kickrejoin.fr_FR.po index 84d66e55..de939529 100644 --- a/modules/po/kickrejoin.fr_FR.po +++ b/modules/po/kickrejoin.fr_FR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/kickrejoin.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/kickrejoin.id_ID.po b/modules/po/kickrejoin.id_ID.po index a2f91880..c348a959 100644 --- a/modules/po/kickrejoin.id_ID.po +++ b/modules/po/kickrejoin.id_ID.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/kickrejoin.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/kickrejoin.it_IT.po b/modules/po/kickrejoin.it_IT.po index 924af3ca..6fa63c19 100644 --- a/modules/po/kickrejoin.it_IT.po +++ b/modules/po/kickrejoin.it_IT.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/kickrejoin.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/kickrejoin.nl_NL.po b/modules/po/kickrejoin.nl_NL.po index abaf844f..83317c7e 100644 --- a/modules/po/kickrejoin.nl_NL.po +++ b/modules/po/kickrejoin.nl_NL.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/kickrejoin.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/kickrejoin.pt_BR.po b/modules/po/kickrejoin.pt_BR.po index 06ba6315..a14b7aa7 100644 --- a/modules/po/kickrejoin.pt_BR.po +++ b/modules/po/kickrejoin.pt_BR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/kickrejoin.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/kickrejoin.ru_RU.po b/modules/po/kickrejoin.ru_RU.po index 05b285bc..de20f27c 100644 --- a/modules/po/kickrejoin.ru_RU.po +++ b/modules/po/kickrejoin.ru_RU.po @@ -5,12 +5,10 @@ msgstr "" "Plural-Forms: nplurals=4; plural=((n%10==1 && n%100!=11) ? 0 : ((n%10 >= 2 " "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/kickrejoin.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/lastseen.bg_BG.po b/modules/po/lastseen.bg_BG.po index 59b8700f..7b1324c3 100644 --- a/modules/po/lastseen.bg_BG.po +++ b/modules/po/lastseen.bg_BG.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/lastseen.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/lastseen.de_DE.po b/modules/po/lastseen.de_DE.po index ddc6a82e..1fec2583 100644 --- a/modules/po/lastseen.de_DE.po +++ b/modules/po/lastseen.de_DE.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/lastseen.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/lastseen.es_ES.po b/modules/po/lastseen.es_ES.po index df803807..bea53e68 100644 --- a/modules/po/lastseen.es_ES.po +++ b/modules/po/lastseen.es_ES.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/lastseen.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/lastseen.fr_FR.po b/modules/po/lastseen.fr_FR.po index 24204078..a31bb2d8 100644 --- a/modules/po/lastseen.fr_FR.po +++ b/modules/po/lastseen.fr_FR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/lastseen.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/lastseen.id_ID.po b/modules/po/lastseen.id_ID.po index e6c98188..06177a93 100644 --- a/modules/po/lastseen.id_ID.po +++ b/modules/po/lastseen.id_ID.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/lastseen.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/lastseen.it_IT.po b/modules/po/lastseen.it_IT.po index 79f1074b..7649e960 100644 --- a/modules/po/lastseen.it_IT.po +++ b/modules/po/lastseen.it_IT.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/lastseen.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/lastseen.nl_NL.po b/modules/po/lastseen.nl_NL.po index 275738c5..90c691cd 100644 --- a/modules/po/lastseen.nl_NL.po +++ b/modules/po/lastseen.nl_NL.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/lastseen.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/lastseen.pt_BR.po b/modules/po/lastseen.pt_BR.po index 095ce971..61ff05e3 100644 --- a/modules/po/lastseen.pt_BR.po +++ b/modules/po/lastseen.pt_BR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/lastseen.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/lastseen.ru_RU.po b/modules/po/lastseen.ru_RU.po index 03ffb2d2..56e92695 100644 --- a/modules/po/lastseen.ru_RU.po +++ b/modules/po/lastseen.ru_RU.po @@ -5,12 +5,10 @@ msgstr "" "Plural-Forms: nplurals=4; plural=((n%10==1 && n%100!=11) ? 0 : ((n%10 >= 2 " "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/lastseen.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/listsockets.bg_BG.po b/modules/po/listsockets.bg_BG.po index 6932e399..192adc7b 100644 --- a/modules/po/listsockets.bg_BG.po +++ b/modules/po/listsockets.bg_BG.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/listsockets.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/listsockets.de_DE.po b/modules/po/listsockets.de_DE.po index 3a5eb9c7..9ac3913b 100644 --- a/modules/po/listsockets.de_DE.po +++ b/modules/po/listsockets.de_DE.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/listsockets.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/listsockets.es_ES.po b/modules/po/listsockets.es_ES.po index 2b1f22f2..c395125e 100644 --- a/modules/po/listsockets.es_ES.po +++ b/modules/po/listsockets.es_ES.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/listsockets.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/listsockets.fr_FR.po b/modules/po/listsockets.fr_FR.po index b1184453..1b971abb 100644 --- a/modules/po/listsockets.fr_FR.po +++ b/modules/po/listsockets.fr_FR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/listsockets.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/listsockets.id_ID.po b/modules/po/listsockets.id_ID.po index 08d9f6ef..ebaee12e 100644 --- a/modules/po/listsockets.id_ID.po +++ b/modules/po/listsockets.id_ID.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/listsockets.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/listsockets.it_IT.po b/modules/po/listsockets.it_IT.po index cde451ba..a6893464 100644 --- a/modules/po/listsockets.it_IT.po +++ b/modules/po/listsockets.it_IT.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/listsockets.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/listsockets.nl_NL.po b/modules/po/listsockets.nl_NL.po index d8b185f0..1e290292 100644 --- a/modules/po/listsockets.nl_NL.po +++ b/modules/po/listsockets.nl_NL.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/listsockets.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/listsockets.pt_BR.po b/modules/po/listsockets.pt_BR.po index 261cffe6..406a4f66 100644 --- a/modules/po/listsockets.pt_BR.po +++ b/modules/po/listsockets.pt_BR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/listsockets.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/listsockets.ru_RU.po b/modules/po/listsockets.ru_RU.po index ee8b5c20..b529c7f2 100644 --- a/modules/po/listsockets.ru_RU.po +++ b/modules/po/listsockets.ru_RU.po @@ -5,12 +5,10 @@ msgstr "" "Plural-Forms: nplurals=4; plural=((n%10==1 && n%100!=11) ? 0 : ((n%10 >= 2 " "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/listsockets.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/log.bg_BG.po b/modules/po/log.bg_BG.po index d6b6a645..cd30d1dc 100644 --- a/modules/po/log.bg_BG.po +++ b/modules/po/log.bg_BG.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/log.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/log.de_DE.po b/modules/po/log.de_DE.po index 6d119424..5bad9b8a 100644 --- a/modules/po/log.de_DE.po +++ b/modules/po/log.de_DE.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/log.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/log.es_ES.po b/modules/po/log.es_ES.po index 00a4f780..66b2f380 100644 --- a/modules/po/log.es_ES.po +++ b/modules/po/log.es_ES.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/log.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/log.fr_FR.po b/modules/po/log.fr_FR.po index b65b2748..a3813aaf 100644 --- a/modules/po/log.fr_FR.po +++ b/modules/po/log.fr_FR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/log.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/log.id_ID.po b/modules/po/log.id_ID.po index ee95fc67..eea1e1e3 100644 --- a/modules/po/log.id_ID.po +++ b/modules/po/log.id_ID.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/log.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/log.it_IT.po b/modules/po/log.it_IT.po index 2071fa5c..518a2489 100644 --- a/modules/po/log.it_IT.po +++ b/modules/po/log.it_IT.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/log.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/log.nl_NL.po b/modules/po/log.nl_NL.po index 5c467668..df86460b 100644 --- a/modules/po/log.nl_NL.po +++ b/modules/po/log.nl_NL.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/log.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/log.pt_BR.po b/modules/po/log.pt_BR.po index acfc931b..a7630cea 100644 --- a/modules/po/log.pt_BR.po +++ b/modules/po/log.pt_BR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/log.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/log.ru_RU.po b/modules/po/log.ru_RU.po index 17fe3f93..07edb20c 100644 --- a/modules/po/log.ru_RU.po +++ b/modules/po/log.ru_RU.po @@ -5,12 +5,10 @@ msgstr "" "Plural-Forms: nplurals=4; plural=((n%10==1 && n%100!=11) ? 0 : ((n%10 >= 2 " "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/log.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/missingmotd.bg_BG.po b/modules/po/missingmotd.bg_BG.po index 582c236a..f4d75ca0 100644 --- a/modules/po/missingmotd.bg_BG.po +++ b/modules/po/missingmotd.bg_BG.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/missingmotd.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/missingmotd.de_DE.po b/modules/po/missingmotd.de_DE.po index b18df902..18eef6dc 100644 --- a/modules/po/missingmotd.de_DE.po +++ b/modules/po/missingmotd.de_DE.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/missingmotd.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/missingmotd.es_ES.po b/modules/po/missingmotd.es_ES.po index 7446aa5c..4dc28707 100644 --- a/modules/po/missingmotd.es_ES.po +++ b/modules/po/missingmotd.es_ES.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/missingmotd.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/missingmotd.fr_FR.po b/modules/po/missingmotd.fr_FR.po index 37612886..5c8318ed 100644 --- a/modules/po/missingmotd.fr_FR.po +++ b/modules/po/missingmotd.fr_FR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/missingmotd.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/missingmotd.id_ID.po b/modules/po/missingmotd.id_ID.po index d8eb9544..70846637 100644 --- a/modules/po/missingmotd.id_ID.po +++ b/modules/po/missingmotd.id_ID.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/missingmotd.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/missingmotd.it_IT.po b/modules/po/missingmotd.it_IT.po index a0f85270..4bd1b8f4 100644 --- a/modules/po/missingmotd.it_IT.po +++ b/modules/po/missingmotd.it_IT.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/missingmotd.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/missingmotd.nl_NL.po b/modules/po/missingmotd.nl_NL.po index fedc542e..9c65c5f6 100644 --- a/modules/po/missingmotd.nl_NL.po +++ b/modules/po/missingmotd.nl_NL.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/missingmotd.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/missingmotd.pt_BR.po b/modules/po/missingmotd.pt_BR.po index b07af526..b461859e 100644 --- a/modules/po/missingmotd.pt_BR.po +++ b/modules/po/missingmotd.pt_BR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/missingmotd.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/missingmotd.ru_RU.po b/modules/po/missingmotd.ru_RU.po index 27717940..06a03c25 100644 --- a/modules/po/missingmotd.ru_RU.po +++ b/modules/po/missingmotd.ru_RU.po @@ -5,12 +5,10 @@ msgstr "" "Plural-Forms: nplurals=4; plural=((n%10==1 && n%100!=11) ? 0 : ((n%10 >= 2 " "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/missingmotd.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/modperl.bg_BG.po b/modules/po/modperl.bg_BG.po index 79c51b2d..a7bb319c 100644 --- a/modules/po/modperl.bg_BG.po +++ b/modules/po/modperl.bg_BG.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/modperl.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/modperl.de_DE.po b/modules/po/modperl.de_DE.po index 9032236f..9eebf3ac 100644 --- a/modules/po/modperl.de_DE.po +++ b/modules/po/modperl.de_DE.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/modperl.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/modperl.es_ES.po b/modules/po/modperl.es_ES.po index b1b45883..f32b389f 100644 --- a/modules/po/modperl.es_ES.po +++ b/modules/po/modperl.es_ES.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/modperl.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/modperl.fr_FR.po b/modules/po/modperl.fr_FR.po index db20797f..bdb08bd9 100644 --- a/modules/po/modperl.fr_FR.po +++ b/modules/po/modperl.fr_FR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/modperl.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/modperl.id_ID.po b/modules/po/modperl.id_ID.po index 323454fd..fb0b826b 100644 --- a/modules/po/modperl.id_ID.po +++ b/modules/po/modperl.id_ID.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/modperl.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/modperl.it_IT.po b/modules/po/modperl.it_IT.po index a361a619..18cb907d 100644 --- a/modules/po/modperl.it_IT.po +++ b/modules/po/modperl.it_IT.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/modperl.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/modperl.nl_NL.po b/modules/po/modperl.nl_NL.po index 9b68fb73..c6ca21dc 100644 --- a/modules/po/modperl.nl_NL.po +++ b/modules/po/modperl.nl_NL.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/modperl.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/modperl.pt_BR.po b/modules/po/modperl.pt_BR.po index b9a14268..db12038d 100644 --- a/modules/po/modperl.pt_BR.po +++ b/modules/po/modperl.pt_BR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/modperl.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/modperl.ru_RU.po b/modules/po/modperl.ru_RU.po index 8e1e3db6..800bf6f5 100644 --- a/modules/po/modperl.ru_RU.po +++ b/modules/po/modperl.ru_RU.po @@ -5,12 +5,10 @@ msgstr "" "Plural-Forms: nplurals=4; plural=((n%10==1 && n%100!=11) ? 0 : ((n%10 >= 2 " "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/modperl.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/modpython.bg_BG.po b/modules/po/modpython.bg_BG.po index 8afae359..5f9b59de 100644 --- a/modules/po/modpython.bg_BG.po +++ b/modules/po/modpython.bg_BG.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/modpython.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/modpython.de_DE.po b/modules/po/modpython.de_DE.po index 4fd978eb..7887bcf0 100644 --- a/modules/po/modpython.de_DE.po +++ b/modules/po/modpython.de_DE.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/modpython.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/modpython.es_ES.po b/modules/po/modpython.es_ES.po index b2a6bc25..1a60afbc 100644 --- a/modules/po/modpython.es_ES.po +++ b/modules/po/modpython.es_ES.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/modpython.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/modpython.fr_FR.po b/modules/po/modpython.fr_FR.po index ea9b65fe..44a8ed5d 100644 --- a/modules/po/modpython.fr_FR.po +++ b/modules/po/modpython.fr_FR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/modpython.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/modpython.id_ID.po b/modules/po/modpython.id_ID.po index 0b760841..b2c35afe 100644 --- a/modules/po/modpython.id_ID.po +++ b/modules/po/modpython.id_ID.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/modpython.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/modpython.it_IT.po b/modules/po/modpython.it_IT.po index 8acf7d0e..afc5dbec 100644 --- a/modules/po/modpython.it_IT.po +++ b/modules/po/modpython.it_IT.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/modpython.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/modpython.nl_NL.po b/modules/po/modpython.nl_NL.po index 06fd3814..dfa71b2b 100644 --- a/modules/po/modpython.nl_NL.po +++ b/modules/po/modpython.nl_NL.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/modpython.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/modpython.pt_BR.po b/modules/po/modpython.pt_BR.po index 8672fd0a..88e3516d 100644 --- a/modules/po/modpython.pt_BR.po +++ b/modules/po/modpython.pt_BR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/modpython.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/modpython.ru_RU.po b/modules/po/modpython.ru_RU.po index 851a6fb1..7ab181be 100644 --- a/modules/po/modpython.ru_RU.po +++ b/modules/po/modpython.ru_RU.po @@ -5,12 +5,10 @@ msgstr "" "Plural-Forms: nplurals=4; plural=((n%10==1 && n%100!=11) ? 0 : ((n%10 >= 2 " "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/modpython.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/modules_online.bg_BG.po b/modules/po/modules_online.bg_BG.po index 9cbfaefb..7dc60c2e 100644 --- a/modules/po/modules_online.bg_BG.po +++ b/modules/po/modules_online.bg_BG.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/modules_online.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/modules_online.de_DE.po b/modules/po/modules_online.de_DE.po index 51a48fb2..66cdf610 100644 --- a/modules/po/modules_online.de_DE.po +++ b/modules/po/modules_online.de_DE.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/modules_online.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/modules_online.es_ES.po b/modules/po/modules_online.es_ES.po index 2735ab67..5a48e0bf 100644 --- a/modules/po/modules_online.es_ES.po +++ b/modules/po/modules_online.es_ES.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/modules_online.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/modules_online.fr_FR.po b/modules/po/modules_online.fr_FR.po index 42a1734f..23e16feb 100644 --- a/modules/po/modules_online.fr_FR.po +++ b/modules/po/modules_online.fr_FR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/modules_online.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/modules_online.id_ID.po b/modules/po/modules_online.id_ID.po index b828c1a3..f0a36284 100644 --- a/modules/po/modules_online.id_ID.po +++ b/modules/po/modules_online.id_ID.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/modules_online.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/modules_online.it_IT.po b/modules/po/modules_online.it_IT.po index 64169a59..93483fad 100644 --- a/modules/po/modules_online.it_IT.po +++ b/modules/po/modules_online.it_IT.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/modules_online.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/modules_online.nl_NL.po b/modules/po/modules_online.nl_NL.po index ce7956bf..60d33712 100644 --- a/modules/po/modules_online.nl_NL.po +++ b/modules/po/modules_online.nl_NL.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/modules_online.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/modules_online.pt_BR.po b/modules/po/modules_online.pt_BR.po index 92a94664..ced1b8d9 100644 --- a/modules/po/modules_online.pt_BR.po +++ b/modules/po/modules_online.pt_BR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/modules_online.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/modules_online.ru_RU.po b/modules/po/modules_online.ru_RU.po index d5b885b9..5204b3bb 100644 --- a/modules/po/modules_online.ru_RU.po +++ b/modules/po/modules_online.ru_RU.po @@ -5,12 +5,10 @@ msgstr "" "Plural-Forms: nplurals=4; plural=((n%10==1 && n%100!=11) ? 0 : ((n%10 >= 2 " "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/modules_online.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/nickserv.bg_BG.po b/modules/po/nickserv.bg_BG.po index 748c9aca..3a3aa649 100644 --- a/modules/po/nickserv.bg_BG.po +++ b/modules/po/nickserv.bg_BG.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/nickserv.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/nickserv.de_DE.po b/modules/po/nickserv.de_DE.po index 695a35ac..db1a2ebc 100644 --- a/modules/po/nickserv.de_DE.po +++ b/modules/po/nickserv.de_DE.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/nickserv.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/nickserv.es_ES.po b/modules/po/nickserv.es_ES.po index 59cd2cee..81e032bd 100644 --- a/modules/po/nickserv.es_ES.po +++ b/modules/po/nickserv.es_ES.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/nickserv.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/nickserv.fr_FR.po b/modules/po/nickserv.fr_FR.po index 90638377..b50eed00 100644 --- a/modules/po/nickserv.fr_FR.po +++ b/modules/po/nickserv.fr_FR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/nickserv.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/nickserv.id_ID.po b/modules/po/nickserv.id_ID.po index 9e619143..98315874 100644 --- a/modules/po/nickserv.id_ID.po +++ b/modules/po/nickserv.id_ID.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/nickserv.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/nickserv.it_IT.po b/modules/po/nickserv.it_IT.po index 9857ca93..eb7bd11f 100644 --- a/modules/po/nickserv.it_IT.po +++ b/modules/po/nickserv.it_IT.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/nickserv.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/nickserv.nl_NL.po b/modules/po/nickserv.nl_NL.po index 385abea9..2c1fb099 100644 --- a/modules/po/nickserv.nl_NL.po +++ b/modules/po/nickserv.nl_NL.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/nickserv.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/nickserv.pt_BR.po b/modules/po/nickserv.pt_BR.po index 7d170d2f..f17bff81 100644 --- a/modules/po/nickserv.pt_BR.po +++ b/modules/po/nickserv.pt_BR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/nickserv.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/nickserv.ru_RU.po b/modules/po/nickserv.ru_RU.po index 9cf5f6fa..fdb88782 100644 --- a/modules/po/nickserv.ru_RU.po +++ b/modules/po/nickserv.ru_RU.po @@ -5,12 +5,10 @@ msgstr "" "Plural-Forms: nplurals=4; plural=((n%10==1 && n%100!=11) ? 0 : ((n%10 >= 2 " "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/nickserv.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/notes.bg_BG.po b/modules/po/notes.bg_BG.po index dc357ac2..1618a7e0 100644 --- a/modules/po/notes.bg_BG.po +++ b/modules/po/notes.bg_BG.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/notes.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/notes.de_DE.po b/modules/po/notes.de_DE.po index 5a6e68a4..a27158ca 100644 --- a/modules/po/notes.de_DE.po +++ b/modules/po/notes.de_DE.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/notes.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/notes.es_ES.po b/modules/po/notes.es_ES.po index bfab4cb4..c31a442b 100644 --- a/modules/po/notes.es_ES.po +++ b/modules/po/notes.es_ES.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/notes.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/notes.fr_FR.po b/modules/po/notes.fr_FR.po index bc1710d9..ae6389e6 100644 --- a/modules/po/notes.fr_FR.po +++ b/modules/po/notes.fr_FR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/notes.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/notes.id_ID.po b/modules/po/notes.id_ID.po index 12ee0b30..bafc4d3c 100644 --- a/modules/po/notes.id_ID.po +++ b/modules/po/notes.id_ID.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/notes.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/notes.it_IT.po b/modules/po/notes.it_IT.po index 1bbe8fd4..6f636cc3 100644 --- a/modules/po/notes.it_IT.po +++ b/modules/po/notes.it_IT.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/notes.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/notes.nl_NL.po b/modules/po/notes.nl_NL.po index 95351975..481a3706 100644 --- a/modules/po/notes.nl_NL.po +++ b/modules/po/notes.nl_NL.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/notes.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/notes.pt_BR.po b/modules/po/notes.pt_BR.po index 1d89b544..2219a454 100644 --- a/modules/po/notes.pt_BR.po +++ b/modules/po/notes.pt_BR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/notes.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/notes.ru_RU.po b/modules/po/notes.ru_RU.po index bb179d9e..5db82006 100644 --- a/modules/po/notes.ru_RU.po +++ b/modules/po/notes.ru_RU.po @@ -5,12 +5,10 @@ msgstr "" "Plural-Forms: nplurals=4; plural=((n%10==1 && n%100!=11) ? 0 : ((n%10 >= 2 " "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/notes.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/notify_connect.bg_BG.po b/modules/po/notify_connect.bg_BG.po index 543fe774..254a313d 100644 --- a/modules/po/notify_connect.bg_BG.po +++ b/modules/po/notify_connect.bg_BG.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/notify_connect.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/notify_connect.de_DE.po b/modules/po/notify_connect.de_DE.po index e14bdf79..ec21f46d 100644 --- a/modules/po/notify_connect.de_DE.po +++ b/modules/po/notify_connect.de_DE.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/notify_connect.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/notify_connect.es_ES.po b/modules/po/notify_connect.es_ES.po index 5f10d164..ff91f72d 100644 --- a/modules/po/notify_connect.es_ES.po +++ b/modules/po/notify_connect.es_ES.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/notify_connect.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/notify_connect.fr_FR.po b/modules/po/notify_connect.fr_FR.po index 6ec4df87..64274257 100644 --- a/modules/po/notify_connect.fr_FR.po +++ b/modules/po/notify_connect.fr_FR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/notify_connect.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/notify_connect.id_ID.po b/modules/po/notify_connect.id_ID.po index ad82ec99..4d7751ef 100644 --- a/modules/po/notify_connect.id_ID.po +++ b/modules/po/notify_connect.id_ID.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/notify_connect.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/notify_connect.it_IT.po b/modules/po/notify_connect.it_IT.po index ef1d5a25..5c485872 100644 --- a/modules/po/notify_connect.it_IT.po +++ b/modules/po/notify_connect.it_IT.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/notify_connect.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/notify_connect.nl_NL.po b/modules/po/notify_connect.nl_NL.po index 98707dd9..d1deef1c 100644 --- a/modules/po/notify_connect.nl_NL.po +++ b/modules/po/notify_connect.nl_NL.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/notify_connect.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/notify_connect.pt_BR.po b/modules/po/notify_connect.pt_BR.po index 19ebaca8..3194492b 100644 --- a/modules/po/notify_connect.pt_BR.po +++ b/modules/po/notify_connect.pt_BR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/notify_connect.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/notify_connect.ru_RU.po b/modules/po/notify_connect.ru_RU.po index c820d6a3..e00329c6 100644 --- a/modules/po/notify_connect.ru_RU.po +++ b/modules/po/notify_connect.ru_RU.po @@ -5,12 +5,10 @@ msgstr "" "Plural-Forms: nplurals=4; plural=((n%10==1 && n%100!=11) ? 0 : ((n%10 >= 2 " "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/notify_connect.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/perform.bg_BG.po b/modules/po/perform.bg_BG.po index be02bad7..a1b1043e 100644 --- a/modules/po/perform.bg_BG.po +++ b/modules/po/perform.bg_BG.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/perform.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/perform.de_DE.po b/modules/po/perform.de_DE.po index fc551f0a..99141deb 100644 --- a/modules/po/perform.de_DE.po +++ b/modules/po/perform.de_DE.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/perform.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/perform.es_ES.po b/modules/po/perform.es_ES.po index debd3cd4..89d353b0 100644 --- a/modules/po/perform.es_ES.po +++ b/modules/po/perform.es_ES.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/perform.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/perform.fr_FR.po b/modules/po/perform.fr_FR.po index 4eb86452..c6318ab8 100644 --- a/modules/po/perform.fr_FR.po +++ b/modules/po/perform.fr_FR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/perform.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/perform.id_ID.po b/modules/po/perform.id_ID.po index 11ce0202..37991360 100644 --- a/modules/po/perform.id_ID.po +++ b/modules/po/perform.id_ID.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/perform.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/perform.it_IT.po b/modules/po/perform.it_IT.po index 7902e098..409a75a9 100644 --- a/modules/po/perform.it_IT.po +++ b/modules/po/perform.it_IT.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/perform.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/perform.nl_NL.po b/modules/po/perform.nl_NL.po index 27d24ca5..640f7790 100644 --- a/modules/po/perform.nl_NL.po +++ b/modules/po/perform.nl_NL.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/perform.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/perform.pt_BR.po b/modules/po/perform.pt_BR.po index 51a8d970..fc7fdf42 100644 --- a/modules/po/perform.pt_BR.po +++ b/modules/po/perform.pt_BR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/perform.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/perform.ru_RU.po b/modules/po/perform.ru_RU.po index 3de074fd..79744998 100644 --- a/modules/po/perform.ru_RU.po +++ b/modules/po/perform.ru_RU.po @@ -5,12 +5,10 @@ msgstr "" "Plural-Forms: nplurals=4; plural=((n%10==1 && n%100!=11) ? 0 : ((n%10 >= 2 " "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/perform.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/perleval.bg_BG.po b/modules/po/perleval.bg_BG.po index ec6170c0..fe1a0727 100644 --- a/modules/po/perleval.bg_BG.po +++ b/modules/po/perleval.bg_BG.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/perleval.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/perleval.de_DE.po b/modules/po/perleval.de_DE.po index 4c10bf4f..a41da5dd 100644 --- a/modules/po/perleval.de_DE.po +++ b/modules/po/perleval.de_DE.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/perleval.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/perleval.es_ES.po b/modules/po/perleval.es_ES.po index 13f5fc95..4c5130d9 100644 --- a/modules/po/perleval.es_ES.po +++ b/modules/po/perleval.es_ES.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/perleval.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/perleval.fr_FR.po b/modules/po/perleval.fr_FR.po index cb97b3de..e4183d77 100644 --- a/modules/po/perleval.fr_FR.po +++ b/modules/po/perleval.fr_FR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/perleval.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/perleval.id_ID.po b/modules/po/perleval.id_ID.po index 11548eb7..dd49585e 100644 --- a/modules/po/perleval.id_ID.po +++ b/modules/po/perleval.id_ID.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/perleval.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/perleval.it_IT.po b/modules/po/perleval.it_IT.po index dd3dfbed..6dc8fa32 100644 --- a/modules/po/perleval.it_IT.po +++ b/modules/po/perleval.it_IT.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/perleval.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/perleval.nl_NL.po b/modules/po/perleval.nl_NL.po index 46cebe24..74501d60 100644 --- a/modules/po/perleval.nl_NL.po +++ b/modules/po/perleval.nl_NL.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/perleval.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/perleval.pt_BR.po b/modules/po/perleval.pt_BR.po index e103529d..7b9ebe6d 100644 --- a/modules/po/perleval.pt_BR.po +++ b/modules/po/perleval.pt_BR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/perleval.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/perleval.ru_RU.po b/modules/po/perleval.ru_RU.po index 86b2c662..d4f1ec37 100644 --- a/modules/po/perleval.ru_RU.po +++ b/modules/po/perleval.ru_RU.po @@ -5,12 +5,10 @@ msgstr "" "Plural-Forms: nplurals=4; plural=((n%10==1 && n%100!=11) ? 0 : ((n%10 >= 2 " "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/perleval.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/pyeval.bg_BG.po b/modules/po/pyeval.bg_BG.po index 66fdf2f8..dc83c6d9 100644 --- a/modules/po/pyeval.bg_BG.po +++ b/modules/po/pyeval.bg_BG.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/pyeval.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/pyeval.de_DE.po b/modules/po/pyeval.de_DE.po index 7cc1d984..29d8bea3 100644 --- a/modules/po/pyeval.de_DE.po +++ b/modules/po/pyeval.de_DE.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/pyeval.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/pyeval.es_ES.po b/modules/po/pyeval.es_ES.po index 6a971d35..521581f9 100644 --- a/modules/po/pyeval.es_ES.po +++ b/modules/po/pyeval.es_ES.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/pyeval.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/pyeval.fr_FR.po b/modules/po/pyeval.fr_FR.po index 940a1dcd..265618ad 100644 --- a/modules/po/pyeval.fr_FR.po +++ b/modules/po/pyeval.fr_FR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/pyeval.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/pyeval.id_ID.po b/modules/po/pyeval.id_ID.po index cdfd18eb..dd915f7c 100644 --- a/modules/po/pyeval.id_ID.po +++ b/modules/po/pyeval.id_ID.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/pyeval.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/pyeval.it_IT.po b/modules/po/pyeval.it_IT.po index 40cd52e1..090e4fa9 100644 --- a/modules/po/pyeval.it_IT.po +++ b/modules/po/pyeval.it_IT.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/pyeval.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/pyeval.nl_NL.po b/modules/po/pyeval.nl_NL.po index dfe6d979..ba4d5c1a 100644 --- a/modules/po/pyeval.nl_NL.po +++ b/modules/po/pyeval.nl_NL.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/pyeval.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/pyeval.pt_BR.po b/modules/po/pyeval.pt_BR.po index 031b8d4d..db3c7fee 100644 --- a/modules/po/pyeval.pt_BR.po +++ b/modules/po/pyeval.pt_BR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/pyeval.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/pyeval.ru_RU.po b/modules/po/pyeval.ru_RU.po index 10ccd04a..802ce6c3 100644 --- a/modules/po/pyeval.ru_RU.po +++ b/modules/po/pyeval.ru_RU.po @@ -5,12 +5,10 @@ msgstr "" "Plural-Forms: nplurals=4; plural=((n%10==1 && n%100!=11) ? 0 : ((n%10 >= 2 " "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/pyeval.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/raw.bg_BG.po b/modules/po/raw.bg_BG.po index d73e7d32..e395c6d8 100644 --- a/modules/po/raw.bg_BG.po +++ b/modules/po/raw.bg_BG.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/raw.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/raw.de_DE.po b/modules/po/raw.de_DE.po index 527c1a49..5f60c607 100644 --- a/modules/po/raw.de_DE.po +++ b/modules/po/raw.de_DE.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/raw.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/raw.es_ES.po b/modules/po/raw.es_ES.po index 02daba0e..57ecaa8a 100644 --- a/modules/po/raw.es_ES.po +++ b/modules/po/raw.es_ES.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/raw.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/raw.fr_FR.po b/modules/po/raw.fr_FR.po index 34aa778f..13108bdc 100644 --- a/modules/po/raw.fr_FR.po +++ b/modules/po/raw.fr_FR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/raw.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/raw.id_ID.po b/modules/po/raw.id_ID.po index 293815f1..72103dda 100644 --- a/modules/po/raw.id_ID.po +++ b/modules/po/raw.id_ID.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/raw.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/raw.it_IT.po b/modules/po/raw.it_IT.po index 3d675e4a..6bbd8ebe 100644 --- a/modules/po/raw.it_IT.po +++ b/modules/po/raw.it_IT.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/raw.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/raw.nl_NL.po b/modules/po/raw.nl_NL.po index a8e10794..9cb952bb 100644 --- a/modules/po/raw.nl_NL.po +++ b/modules/po/raw.nl_NL.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/raw.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/raw.pt_BR.po b/modules/po/raw.pt_BR.po index 12b4b748..52e64660 100644 --- a/modules/po/raw.pt_BR.po +++ b/modules/po/raw.pt_BR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/raw.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/raw.ru_RU.po b/modules/po/raw.ru_RU.po index d7f20b19..2eb8e049 100644 --- a/modules/po/raw.ru_RU.po +++ b/modules/po/raw.ru_RU.po @@ -5,12 +5,10 @@ msgstr "" "Plural-Forms: nplurals=4; plural=((n%10==1 && n%100!=11) ? 0 : ((n%10 >= 2 " "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/raw.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/route_replies.bg_BG.po b/modules/po/route_replies.bg_BG.po index ded2b5ec..2f0cff8e 100644 --- a/modules/po/route_replies.bg_BG.po +++ b/modules/po/route_replies.bg_BG.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/route_replies.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/route_replies.de_DE.po b/modules/po/route_replies.de_DE.po index aa9efc70..4164b3c1 100644 --- a/modules/po/route_replies.de_DE.po +++ b/modules/po/route_replies.de_DE.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/route_replies.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/route_replies.es_ES.po b/modules/po/route_replies.es_ES.po index 4ad03572..d3a12b6a 100644 --- a/modules/po/route_replies.es_ES.po +++ b/modules/po/route_replies.es_ES.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/route_replies.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/route_replies.fr_FR.po b/modules/po/route_replies.fr_FR.po index 1ccfc3b2..e3fd9022 100644 --- a/modules/po/route_replies.fr_FR.po +++ b/modules/po/route_replies.fr_FR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/route_replies.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/route_replies.id_ID.po b/modules/po/route_replies.id_ID.po index ca8a2369..2a2fdc75 100644 --- a/modules/po/route_replies.id_ID.po +++ b/modules/po/route_replies.id_ID.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/route_replies.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/route_replies.it_IT.po b/modules/po/route_replies.it_IT.po index 42e57f5e..5ec05b42 100644 --- a/modules/po/route_replies.it_IT.po +++ b/modules/po/route_replies.it_IT.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/route_replies.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/route_replies.nl_NL.po b/modules/po/route_replies.nl_NL.po index 372df636..29dda38e 100644 --- a/modules/po/route_replies.nl_NL.po +++ b/modules/po/route_replies.nl_NL.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/route_replies.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/route_replies.pt_BR.po b/modules/po/route_replies.pt_BR.po index 2bcfc5a4..a46e1bbd 100644 --- a/modules/po/route_replies.pt_BR.po +++ b/modules/po/route_replies.pt_BR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/route_replies.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/route_replies.ru_RU.po b/modules/po/route_replies.ru_RU.po index 1a7f1aeb..220b5e73 100644 --- a/modules/po/route_replies.ru_RU.po +++ b/modules/po/route_replies.ru_RU.po @@ -5,12 +5,10 @@ msgstr "" "Plural-Forms: nplurals=4; plural=((n%10==1 && n%100!=11) ? 0 : ((n%10 >= 2 " "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/route_replies.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/sample.bg_BG.po b/modules/po/sample.bg_BG.po index 2c3bcfc8..469d1bde 100644 --- a/modules/po/sample.bg_BG.po +++ b/modules/po/sample.bg_BG.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/sample.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/sample.de_DE.po b/modules/po/sample.de_DE.po index c7ba9d5c..caeb5901 100644 --- a/modules/po/sample.de_DE.po +++ b/modules/po/sample.de_DE.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/sample.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/sample.es_ES.po b/modules/po/sample.es_ES.po index 5cf197b5..3a88cea7 100644 --- a/modules/po/sample.es_ES.po +++ b/modules/po/sample.es_ES.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/sample.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/sample.fr_FR.po b/modules/po/sample.fr_FR.po index 8d2caba1..fb316738 100644 --- a/modules/po/sample.fr_FR.po +++ b/modules/po/sample.fr_FR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/sample.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/sample.id_ID.po b/modules/po/sample.id_ID.po index 026d0544..4562c28f 100644 --- a/modules/po/sample.id_ID.po +++ b/modules/po/sample.id_ID.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/sample.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/sample.it_IT.po b/modules/po/sample.it_IT.po index 189789da..2bade65c 100644 --- a/modules/po/sample.it_IT.po +++ b/modules/po/sample.it_IT.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/sample.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/sample.nl_NL.po b/modules/po/sample.nl_NL.po index 474f17e0..1925a40c 100644 --- a/modules/po/sample.nl_NL.po +++ b/modules/po/sample.nl_NL.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/sample.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/sample.pt_BR.po b/modules/po/sample.pt_BR.po index 1eebf8dd..b0ff0f11 100644 --- a/modules/po/sample.pt_BR.po +++ b/modules/po/sample.pt_BR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/sample.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/sample.ru_RU.po b/modules/po/sample.ru_RU.po index 16e9a54e..4c170d24 100644 --- a/modules/po/sample.ru_RU.po +++ b/modules/po/sample.ru_RU.po @@ -5,12 +5,10 @@ msgstr "" "Plural-Forms: nplurals=4; plural=((n%10==1 && n%100!=11) ? 0 : ((n%10 >= 2 " "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/sample.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/samplewebapi.bg_BG.po b/modules/po/samplewebapi.bg_BG.po index e62d2785..d4ba9be5 100644 --- a/modules/po/samplewebapi.bg_BG.po +++ b/modules/po/samplewebapi.bg_BG.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/samplewebapi.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/samplewebapi.de_DE.po b/modules/po/samplewebapi.de_DE.po index 9583b005..bb73409b 100644 --- a/modules/po/samplewebapi.de_DE.po +++ b/modules/po/samplewebapi.de_DE.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/samplewebapi.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/samplewebapi.es_ES.po b/modules/po/samplewebapi.es_ES.po index 7188c0d8..f21988cb 100644 --- a/modules/po/samplewebapi.es_ES.po +++ b/modules/po/samplewebapi.es_ES.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/samplewebapi.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/samplewebapi.fr_FR.po b/modules/po/samplewebapi.fr_FR.po index 3bf58b51..c9530a5d 100644 --- a/modules/po/samplewebapi.fr_FR.po +++ b/modules/po/samplewebapi.fr_FR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/samplewebapi.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/samplewebapi.id_ID.po b/modules/po/samplewebapi.id_ID.po index 0e21c2c4..aebebe9c 100644 --- a/modules/po/samplewebapi.id_ID.po +++ b/modules/po/samplewebapi.id_ID.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/samplewebapi.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/samplewebapi.it_IT.po b/modules/po/samplewebapi.it_IT.po index 1ecd135c..1bd7848a 100644 --- a/modules/po/samplewebapi.it_IT.po +++ b/modules/po/samplewebapi.it_IT.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/samplewebapi.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/samplewebapi.nl_NL.po b/modules/po/samplewebapi.nl_NL.po index d07fe530..28e60de9 100644 --- a/modules/po/samplewebapi.nl_NL.po +++ b/modules/po/samplewebapi.nl_NL.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/samplewebapi.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/samplewebapi.pt_BR.po b/modules/po/samplewebapi.pt_BR.po index 98368767..b5c8a7b9 100644 --- a/modules/po/samplewebapi.pt_BR.po +++ b/modules/po/samplewebapi.pt_BR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/samplewebapi.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/samplewebapi.ru_RU.po b/modules/po/samplewebapi.ru_RU.po index 1e96b360..a555df8d 100644 --- a/modules/po/samplewebapi.ru_RU.po +++ b/modules/po/samplewebapi.ru_RU.po @@ -5,12 +5,10 @@ msgstr "" "Plural-Forms: nplurals=4; plural=((n%10==1 && n%100!=11) ? 0 : ((n%10 >= 2 " "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/samplewebapi.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/sasl.bg_BG.po b/modules/po/sasl.bg_BG.po index 39ce1b18..f380e109 100644 --- a/modules/po/sasl.bg_BG.po +++ b/modules/po/sasl.bg_BG.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/sasl.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/sasl.de_DE.po b/modules/po/sasl.de_DE.po index 72601930..fe9df94a 100644 --- a/modules/po/sasl.de_DE.po +++ b/modules/po/sasl.de_DE.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/sasl.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/sasl.es_ES.po b/modules/po/sasl.es_ES.po index 2f1eea18..966a1236 100644 --- a/modules/po/sasl.es_ES.po +++ b/modules/po/sasl.es_ES.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/sasl.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/sasl.fr_FR.po b/modules/po/sasl.fr_FR.po index 0421956e..7fc883a7 100644 --- a/modules/po/sasl.fr_FR.po +++ b/modules/po/sasl.fr_FR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/sasl.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/sasl.id_ID.po b/modules/po/sasl.id_ID.po index 35e711bd..cc93f345 100644 --- a/modules/po/sasl.id_ID.po +++ b/modules/po/sasl.id_ID.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/sasl.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/sasl.it_IT.po b/modules/po/sasl.it_IT.po index 82176da7..5d499f35 100644 --- a/modules/po/sasl.it_IT.po +++ b/modules/po/sasl.it_IT.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/sasl.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/sasl.nl_NL.po b/modules/po/sasl.nl_NL.po index ee18f3e7..44dea84b 100644 --- a/modules/po/sasl.nl_NL.po +++ b/modules/po/sasl.nl_NL.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/sasl.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/sasl.pt_BR.po b/modules/po/sasl.pt_BR.po index 63e6f585..0dbd84d8 100644 --- a/modules/po/sasl.pt_BR.po +++ b/modules/po/sasl.pt_BR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/sasl.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/sasl.ru_RU.po b/modules/po/sasl.ru_RU.po index 615358ed..acd3d1b4 100644 --- a/modules/po/sasl.ru_RU.po +++ b/modules/po/sasl.ru_RU.po @@ -5,12 +5,10 @@ msgstr "" "Plural-Forms: nplurals=4; plural=((n%10==1 && n%100!=11) ? 0 : ((n%10 >= 2 " "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/sasl.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/savebuff.bg_BG.po b/modules/po/savebuff.bg_BG.po index 004bcafa..2586ac9b 100644 --- a/modules/po/savebuff.bg_BG.po +++ b/modules/po/savebuff.bg_BG.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/savebuff.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/savebuff.de_DE.po b/modules/po/savebuff.de_DE.po index 3a61e461..6c62713a 100644 --- a/modules/po/savebuff.de_DE.po +++ b/modules/po/savebuff.de_DE.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/savebuff.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/savebuff.es_ES.po b/modules/po/savebuff.es_ES.po index a04f38e8..41583fca 100644 --- a/modules/po/savebuff.es_ES.po +++ b/modules/po/savebuff.es_ES.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/savebuff.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/savebuff.fr_FR.po b/modules/po/savebuff.fr_FR.po index de21141f..b4608650 100644 --- a/modules/po/savebuff.fr_FR.po +++ b/modules/po/savebuff.fr_FR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/savebuff.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/savebuff.id_ID.po b/modules/po/savebuff.id_ID.po index a5502cf6..445e2faf 100644 --- a/modules/po/savebuff.id_ID.po +++ b/modules/po/savebuff.id_ID.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/savebuff.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/savebuff.it_IT.po b/modules/po/savebuff.it_IT.po index 30371092..f320adfc 100644 --- a/modules/po/savebuff.it_IT.po +++ b/modules/po/savebuff.it_IT.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/savebuff.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/savebuff.nl_NL.po b/modules/po/savebuff.nl_NL.po index f451beba..704ad69c 100644 --- a/modules/po/savebuff.nl_NL.po +++ b/modules/po/savebuff.nl_NL.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/savebuff.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/savebuff.pt_BR.po b/modules/po/savebuff.pt_BR.po index e3e7d82a..18839c23 100644 --- a/modules/po/savebuff.pt_BR.po +++ b/modules/po/savebuff.pt_BR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/savebuff.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/savebuff.ru_RU.po b/modules/po/savebuff.ru_RU.po index 0d5b6d45..6fcb7b82 100644 --- a/modules/po/savebuff.ru_RU.po +++ b/modules/po/savebuff.ru_RU.po @@ -5,12 +5,10 @@ msgstr "" "Plural-Forms: nplurals=4; plural=((n%10==1 && n%100!=11) ? 0 : ((n%10 >= 2 " "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/savebuff.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/send_raw.bg_BG.po b/modules/po/send_raw.bg_BG.po index 1f5482c5..f87f21e2 100644 --- a/modules/po/send_raw.bg_BG.po +++ b/modules/po/send_raw.bg_BG.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/send_raw.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/send_raw.de_DE.po b/modules/po/send_raw.de_DE.po index 0c28ee46..a7f9e258 100644 --- a/modules/po/send_raw.de_DE.po +++ b/modules/po/send_raw.de_DE.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/send_raw.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/send_raw.es_ES.po b/modules/po/send_raw.es_ES.po index de67196f..caca3f4e 100644 --- a/modules/po/send_raw.es_ES.po +++ b/modules/po/send_raw.es_ES.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/send_raw.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/send_raw.fr_FR.po b/modules/po/send_raw.fr_FR.po index a22c93f3..1eff4542 100644 --- a/modules/po/send_raw.fr_FR.po +++ b/modules/po/send_raw.fr_FR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/send_raw.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/send_raw.id_ID.po b/modules/po/send_raw.id_ID.po index 58b97a74..97f2e56e 100644 --- a/modules/po/send_raw.id_ID.po +++ b/modules/po/send_raw.id_ID.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/send_raw.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/send_raw.it_IT.po b/modules/po/send_raw.it_IT.po index 1a91ed4c..e019af2a 100644 --- a/modules/po/send_raw.it_IT.po +++ b/modules/po/send_raw.it_IT.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/send_raw.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/send_raw.nl_NL.po b/modules/po/send_raw.nl_NL.po index 03516aaa..5f30ba78 100644 --- a/modules/po/send_raw.nl_NL.po +++ b/modules/po/send_raw.nl_NL.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/send_raw.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/send_raw.pt_BR.po b/modules/po/send_raw.pt_BR.po index 26ebb856..e8361408 100644 --- a/modules/po/send_raw.pt_BR.po +++ b/modules/po/send_raw.pt_BR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/send_raw.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/send_raw.ru_RU.po b/modules/po/send_raw.ru_RU.po index 4994fa80..56b1c005 100644 --- a/modules/po/send_raw.ru_RU.po +++ b/modules/po/send_raw.ru_RU.po @@ -5,12 +5,10 @@ msgstr "" "Plural-Forms: nplurals=4; plural=((n%10==1 && n%100!=11) ? 0 : ((n%10 >= 2 " "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/send_raw.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/shell.bg_BG.po b/modules/po/shell.bg_BG.po index 9c5ff933..75595426 100644 --- a/modules/po/shell.bg_BG.po +++ b/modules/po/shell.bg_BG.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/shell.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/shell.de_DE.po b/modules/po/shell.de_DE.po index 82d524a1..d01a0b07 100644 --- a/modules/po/shell.de_DE.po +++ b/modules/po/shell.de_DE.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/shell.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/shell.es_ES.po b/modules/po/shell.es_ES.po index b4bc7125..b97b1d7f 100644 --- a/modules/po/shell.es_ES.po +++ b/modules/po/shell.es_ES.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/shell.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/shell.fr_FR.po b/modules/po/shell.fr_FR.po index fc058541..b2b7cec4 100644 --- a/modules/po/shell.fr_FR.po +++ b/modules/po/shell.fr_FR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/shell.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/shell.id_ID.po b/modules/po/shell.id_ID.po index 2a924bed..10305ea6 100644 --- a/modules/po/shell.id_ID.po +++ b/modules/po/shell.id_ID.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/shell.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/shell.it_IT.po b/modules/po/shell.it_IT.po index 54560102..5c9f9797 100644 --- a/modules/po/shell.it_IT.po +++ b/modules/po/shell.it_IT.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/shell.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/shell.nl_NL.po b/modules/po/shell.nl_NL.po index 354460b1..4106afb9 100644 --- a/modules/po/shell.nl_NL.po +++ b/modules/po/shell.nl_NL.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/shell.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/shell.pt_BR.po b/modules/po/shell.pt_BR.po index 624e89ba..84661706 100644 --- a/modules/po/shell.pt_BR.po +++ b/modules/po/shell.pt_BR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/shell.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/shell.ru_RU.po b/modules/po/shell.ru_RU.po index 831653d9..57700b51 100644 --- a/modules/po/shell.ru_RU.po +++ b/modules/po/shell.ru_RU.po @@ -5,12 +5,10 @@ msgstr "" "Plural-Forms: nplurals=4; plural=((n%10==1 && n%100!=11) ? 0 : ((n%10 >= 2 " "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/shell.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/simple_away.bg_BG.po b/modules/po/simple_away.bg_BG.po index cb78a11a..aecf476d 100644 --- a/modules/po/simple_away.bg_BG.po +++ b/modules/po/simple_away.bg_BG.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/simple_away.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/simple_away.de_DE.po b/modules/po/simple_away.de_DE.po index 0f9830fc..c435d26b 100644 --- a/modules/po/simple_away.de_DE.po +++ b/modules/po/simple_away.de_DE.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/simple_away.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/simple_away.es_ES.po b/modules/po/simple_away.es_ES.po index 077e0353..5b6900cf 100644 --- a/modules/po/simple_away.es_ES.po +++ b/modules/po/simple_away.es_ES.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/simple_away.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/simple_away.fr_FR.po b/modules/po/simple_away.fr_FR.po index 70682ae4..a3af28bf 100644 --- a/modules/po/simple_away.fr_FR.po +++ b/modules/po/simple_away.fr_FR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/simple_away.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/simple_away.id_ID.po b/modules/po/simple_away.id_ID.po index a7ebcd2f..437f572c 100644 --- a/modules/po/simple_away.id_ID.po +++ b/modules/po/simple_away.id_ID.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/simple_away.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/simple_away.it_IT.po b/modules/po/simple_away.it_IT.po index 03319a88..6ad1a57a 100644 --- a/modules/po/simple_away.it_IT.po +++ b/modules/po/simple_away.it_IT.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/simple_away.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/simple_away.nl_NL.po b/modules/po/simple_away.nl_NL.po index 64ebda77..df9b8180 100644 --- a/modules/po/simple_away.nl_NL.po +++ b/modules/po/simple_away.nl_NL.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/simple_away.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/simple_away.pt_BR.po b/modules/po/simple_away.pt_BR.po index a1821c21..e67601ac 100644 --- a/modules/po/simple_away.pt_BR.po +++ b/modules/po/simple_away.pt_BR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/simple_away.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/simple_away.ru_RU.po b/modules/po/simple_away.ru_RU.po index 0f042b1a..18f3a7df 100644 --- a/modules/po/simple_away.ru_RU.po +++ b/modules/po/simple_away.ru_RU.po @@ -5,12 +5,10 @@ msgstr "" "Plural-Forms: nplurals=4; plural=((n%10==1 && n%100!=11) ? 0 : ((n%10 >= 2 " "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/simple_away.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/stickychan.bg_BG.po b/modules/po/stickychan.bg_BG.po index 7451002d..bc5264f2 100644 --- a/modules/po/stickychan.bg_BG.po +++ b/modules/po/stickychan.bg_BG.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/stickychan.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/stickychan.de_DE.po b/modules/po/stickychan.de_DE.po index 9002c51a..a2cb8b95 100644 --- a/modules/po/stickychan.de_DE.po +++ b/modules/po/stickychan.de_DE.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/stickychan.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/stickychan.es_ES.po b/modules/po/stickychan.es_ES.po index ff7ed05d..e1e84292 100644 --- a/modules/po/stickychan.es_ES.po +++ b/modules/po/stickychan.es_ES.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/stickychan.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/stickychan.fr_FR.po b/modules/po/stickychan.fr_FR.po index 50a9a4ff..055ce588 100644 --- a/modules/po/stickychan.fr_FR.po +++ b/modules/po/stickychan.fr_FR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/stickychan.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/stickychan.id_ID.po b/modules/po/stickychan.id_ID.po index f27be880..6e11ea39 100644 --- a/modules/po/stickychan.id_ID.po +++ b/modules/po/stickychan.id_ID.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/stickychan.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/stickychan.it_IT.po b/modules/po/stickychan.it_IT.po index f153ae03..9b66501e 100644 --- a/modules/po/stickychan.it_IT.po +++ b/modules/po/stickychan.it_IT.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/stickychan.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/stickychan.nl_NL.po b/modules/po/stickychan.nl_NL.po index 66b0b5b5..868f511d 100644 --- a/modules/po/stickychan.nl_NL.po +++ b/modules/po/stickychan.nl_NL.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/stickychan.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/stickychan.pt_BR.po b/modules/po/stickychan.pt_BR.po index 97fea509..e5f6e4ee 100644 --- a/modules/po/stickychan.pt_BR.po +++ b/modules/po/stickychan.pt_BR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/stickychan.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/stickychan.ru_RU.po b/modules/po/stickychan.ru_RU.po index d0ced1e9..5f989deb 100644 --- a/modules/po/stickychan.ru_RU.po +++ b/modules/po/stickychan.ru_RU.po @@ -5,12 +5,10 @@ msgstr "" "Plural-Forms: nplurals=4; plural=((n%10==1 && n%100!=11) ? 0 : ((n%10 >= 2 " "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/stickychan.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/stripcontrols.bg_BG.po b/modules/po/stripcontrols.bg_BG.po index cbefc622..68761174 100644 --- a/modules/po/stripcontrols.bg_BG.po +++ b/modules/po/stripcontrols.bg_BG.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/stripcontrols.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/stripcontrols.de_DE.po b/modules/po/stripcontrols.de_DE.po index c516d02a..bebe2d40 100644 --- a/modules/po/stripcontrols.de_DE.po +++ b/modules/po/stripcontrols.de_DE.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/stripcontrols.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/stripcontrols.es_ES.po b/modules/po/stripcontrols.es_ES.po index f23cab73..a29277d0 100644 --- a/modules/po/stripcontrols.es_ES.po +++ b/modules/po/stripcontrols.es_ES.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/stripcontrols.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/stripcontrols.fr_FR.po b/modules/po/stripcontrols.fr_FR.po index c9d8dfe7..c96c6f14 100644 --- a/modules/po/stripcontrols.fr_FR.po +++ b/modules/po/stripcontrols.fr_FR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/stripcontrols.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/stripcontrols.id_ID.po b/modules/po/stripcontrols.id_ID.po index 5f5f1d2a..5f8e4dbd 100644 --- a/modules/po/stripcontrols.id_ID.po +++ b/modules/po/stripcontrols.id_ID.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/stripcontrols.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/stripcontrols.it_IT.po b/modules/po/stripcontrols.it_IT.po index 74a67be1..0c669af9 100644 --- a/modules/po/stripcontrols.it_IT.po +++ b/modules/po/stripcontrols.it_IT.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/stripcontrols.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/stripcontrols.nl_NL.po b/modules/po/stripcontrols.nl_NL.po index 02f818e9..5b6a3167 100644 --- a/modules/po/stripcontrols.nl_NL.po +++ b/modules/po/stripcontrols.nl_NL.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/stripcontrols.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/stripcontrols.pt_BR.po b/modules/po/stripcontrols.pt_BR.po index 92750235..83905011 100644 --- a/modules/po/stripcontrols.pt_BR.po +++ b/modules/po/stripcontrols.pt_BR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/stripcontrols.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/stripcontrols.ru_RU.po b/modules/po/stripcontrols.ru_RU.po index 70ee9ab2..a07f5bed 100644 --- a/modules/po/stripcontrols.ru_RU.po +++ b/modules/po/stripcontrols.ru_RU.po @@ -5,12 +5,10 @@ msgstr "" "Plural-Forms: nplurals=4; plural=((n%10==1 && n%100!=11) ? 0 : ((n%10 >= 2 " "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/stripcontrols.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/watch.bg_BG.po b/modules/po/watch.bg_BG.po index 000419d1..e92aac6c 100644 --- a/modules/po/watch.bg_BG.po +++ b/modules/po/watch.bg_BG.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/watch.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/watch.de_DE.po b/modules/po/watch.de_DE.po index cb8a06a3..90604fae 100644 --- a/modules/po/watch.de_DE.po +++ b/modules/po/watch.de_DE.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/watch.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/watch.es_ES.po b/modules/po/watch.es_ES.po index a1905471..6a67e5a4 100644 --- a/modules/po/watch.es_ES.po +++ b/modules/po/watch.es_ES.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/watch.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/watch.fr_FR.po b/modules/po/watch.fr_FR.po index 87616f05..ac0352f2 100644 --- a/modules/po/watch.fr_FR.po +++ b/modules/po/watch.fr_FR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/watch.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/watch.id_ID.po b/modules/po/watch.id_ID.po index 18a0f10d..3ea82fa4 100644 --- a/modules/po/watch.id_ID.po +++ b/modules/po/watch.id_ID.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/watch.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/watch.it_IT.po b/modules/po/watch.it_IT.po index b945f1ea..9d65175b 100644 --- a/modules/po/watch.it_IT.po +++ b/modules/po/watch.it_IT.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/watch.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/watch.nl_NL.po b/modules/po/watch.nl_NL.po index c91dba1d..1e656d73 100644 --- a/modules/po/watch.nl_NL.po +++ b/modules/po/watch.nl_NL.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/watch.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/watch.pt_BR.po b/modules/po/watch.pt_BR.po index d45205df..251080ce 100644 --- a/modules/po/watch.pt_BR.po +++ b/modules/po/watch.pt_BR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/watch.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/watch.ru_RU.po b/modules/po/watch.ru_RU.po index 39bacf06..a7bcad7f 100644 --- a/modules/po/watch.ru_RU.po +++ b/modules/po/watch.ru_RU.po @@ -5,12 +5,10 @@ msgstr "" "Plural-Forms: nplurals=4; plural=((n%10==1 && n%100!=11) ? 0 : ((n%10 >= 2 " "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/watch.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/webadmin.bg_BG.po b/modules/po/webadmin.bg_BG.po index 79b3c208..a933ff79 100644 --- a/modules/po/webadmin.bg_BG.po +++ b/modules/po/webadmin.bg_BG.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/webadmin.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/webadmin.de_DE.po b/modules/po/webadmin.de_DE.po index acd9a203..a4c6a9fa 100644 --- a/modules/po/webadmin.de_DE.po +++ b/modules/po/webadmin.de_DE.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/webadmin.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/webadmin.es_ES.po b/modules/po/webadmin.es_ES.po index 43e7a015..f11d7b4f 100644 --- a/modules/po/webadmin.es_ES.po +++ b/modules/po/webadmin.es_ES.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/webadmin.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/webadmin.fr_FR.po b/modules/po/webadmin.fr_FR.po index b1aa041f..2b51f153 100644 --- a/modules/po/webadmin.fr_FR.po +++ b/modules/po/webadmin.fr_FR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/webadmin.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/webadmin.id_ID.po b/modules/po/webadmin.id_ID.po index 42f2f3c2..bb050d61 100644 --- a/modules/po/webadmin.id_ID.po +++ b/modules/po/webadmin.id_ID.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/webadmin.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/webadmin.it_IT.po b/modules/po/webadmin.it_IT.po index 87396ca6..a0d9ad98 100644 --- a/modules/po/webadmin.it_IT.po +++ b/modules/po/webadmin.it_IT.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/webadmin.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/webadmin.nl_NL.po b/modules/po/webadmin.nl_NL.po index ad49ad1a..21c6a471 100644 --- a/modules/po/webadmin.nl_NL.po +++ b/modules/po/webadmin.nl_NL.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/webadmin.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/webadmin.pt_BR.po b/modules/po/webadmin.pt_BR.po index 37b92c72..99758b92 100644 --- a/modules/po/webadmin.pt_BR.po +++ b/modules/po/webadmin.pt_BR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/webadmin.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/webadmin.ru_RU.po b/modules/po/webadmin.ru_RU.po index a8f61f6a..a30bf523 100644 --- a/modules/po/webadmin.ru_RU.po +++ b/modules/po/webadmin.ru_RU.po @@ -5,12 +5,10 @@ msgstr "" "Plural-Forms: nplurals=4; plural=((n%10==1 && n%100!=11) ? 0 : ((n%10 >= 2 " "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/webadmin.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/src/po/znc.bg_BG.po b/src/po/znc.bg_BG.po index 16b022f6..6ab104d5 100644 --- a/src/po/znc.bg_BG.po +++ b/src/po/znc.bg_BG.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/src/po/znc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/src/po/znc.de_DE.po b/src/po/znc.de_DE.po index 6fd54965..56f5245f 100644 --- a/src/po/znc.de_DE.po +++ b/src/po/znc.de_DE.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/src/po/znc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/src/po/znc.es_ES.po b/src/po/znc.es_ES.po index 673538c5..1a2bbde9 100644 --- a/src/po/znc.es_ES.po +++ b/src/po/znc.es_ES.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/src/po/znc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/src/po/znc.fr_FR.po b/src/po/znc.fr_FR.po index 47f49f19..34387cea 100644 --- a/src/po/znc.fr_FR.po +++ b/src/po/znc.fr_FR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/src/po/znc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/src/po/znc.id_ID.po b/src/po/znc.id_ID.po index 725ced49..08c20b24 100644 --- a/src/po/znc.id_ID.po +++ b/src/po/znc.id_ID.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/src/po/znc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/src/po/znc.it_IT.po b/src/po/znc.it_IT.po index 7c16a738..976770d2 100644 --- a/src/po/znc.it_IT.po +++ b/src/po/znc.it_IT.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/src/po/znc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/src/po/znc.nl_NL.po b/src/po/znc.nl_NL.po index f00b9f14..95a884fc 100644 --- a/src/po/znc.nl_NL.po +++ b/src/po/znc.nl_NL.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/src/po/znc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/src/po/znc.pt_BR.po b/src/po/znc.pt_BR.po index fb171d41..eb2e8955 100644 --- a/src/po/znc.pt_BR.po +++ b/src/po/znc.pt_BR.po @@ -3,12 +3,10 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/src/po/znc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/src/po/znc.ru_RU.po b/src/po/znc.ru_RU.po index 59920b72..7fccda12 100644 --- a/src/po/znc.ru_RU.po +++ b/src/po/znc.ru_RU.po @@ -5,12 +5,10 @@ msgstr "" "Plural-Forms: nplurals=4; plural=((n%10==1 && n%100!=11) ? 0 : ((n%10 >= 2 " "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" -"X-Generator: crowdin.com\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/src/po/znc.pot\n" "Project-Id-Version: znc-bouncer\n" -"Last-Translator: Various people\n" "Language-Team: Russian\n" "Language: ru_RU\n" From 26409a2b42f4be5596f721b2466022cfae2fd211 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Tue, 24 Dec 2019 00:27:07 +0000 Subject: [PATCH 344/798] Update translations from Crowdin for bg_BG de_DE es_ES fr_FR id_ID it_IT nl_NL pt_BR ru_RU --- modules/po/webadmin.bg_BG.po | 6 +++--- modules/po/webadmin.de_DE.po | 10 ++++------ modules/po/webadmin.es_ES.po | 10 ++++------ modules/po/webadmin.fr_FR.po | 10 ++++------ modules/po/webadmin.id_ID.po | 6 +++--- modules/po/webadmin.it_IT.po | 10 ++++------ modules/po/webadmin.nl_NL.po | 10 ++++------ modules/po/webadmin.pot | 6 +++--- modules/po/webadmin.pt_BR.po | 6 +++--- modules/po/webadmin.ru_RU.po | 6 +++--- 10 files changed, 35 insertions(+), 45 deletions(-) diff --git a/modules/po/webadmin.bg_BG.po b/modules/po/webadmin.bg_BG.po index a933ff79..87c1eb05 100644 --- a/modules/po/webadmin.bg_BG.po +++ b/modules/po/webadmin.bg_BG.po @@ -190,13 +190,13 @@ msgid "" msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:83 -msgid "Trust the PKI:" +msgid "Automatically detect trusted certificates (Trust the PKI):" msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:85 msgid "" -"Setting this to false will trust only certificates you added fingerprints " -"for." +"When disabled, manually whitelist all server fingerprints, even if the " +"certificate is valid" msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:89 diff --git a/modules/po/webadmin.de_DE.po b/modules/po/webadmin.de_DE.po index a4c6a9fa..cd73388c 100644 --- a/modules/po/webadmin.de_DE.po +++ b/modules/po/webadmin.de_DE.po @@ -198,16 +198,14 @@ msgstr "" "UNSICHER!" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:83 -msgid "Trust the PKI:" -msgstr "Vertraue dem PKI:" +msgid "Automatically detect trusted certificates (Trust the PKI):" +msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:85 msgid "" -"Setting this to false will trust only certificates you added fingerprints " -"for." +"When disabled, manually whitelist all server fingerprints, even if the " +"certificate is valid" msgstr "" -"Wenn diese Option nicht gesetzt ist, wird nur den Zertifikaten vertraut, für " -"die Du Fingerprints hinzugefügt hast." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:89 #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:96 diff --git a/modules/po/webadmin.es_ES.po b/modules/po/webadmin.es_ES.po index f11d7b4f..22c237b7 100644 --- a/modules/po/webadmin.es_ES.po +++ b/modules/po/webadmin.es_ES.po @@ -197,16 +197,14 @@ msgstr "" "¡INSEGURO!" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:83 -msgid "Trust the PKI:" -msgstr "Confiar en el PKI:" +msgid "Automatically detect trusted certificates (Trust the PKI):" +msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:85 msgid "" -"Setting this to false will trust only certificates you added fingerprints " -"for." +"When disabled, manually whitelist all server fingerprints, even if the " +"certificate is valid" msgstr "" -"Al dejar esta opción como Falso se confiará solamente en los certificados a " -"los que hayas añadido una huella digital." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:89 #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:96 diff --git a/modules/po/webadmin.fr_FR.po b/modules/po/webadmin.fr_FR.po index 2b51f153..c34f4f8c 100644 --- a/modules/po/webadmin.fr_FR.po +++ b/modules/po/webadmin.fr_FR.po @@ -199,16 +199,14 @@ msgstr "" "SÉCURISÉ !" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:83 -msgid "Trust the PKI:" -msgstr "Approuver le PKI :" +msgid "Automatically detect trusted certificates (Trust the PKI):" +msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:85 msgid "" -"Setting this to false will trust only certificates you added fingerprints " -"for." +"When disabled, manually whitelist all server fingerprints, even if the " +"certificate is valid" msgstr "" -"Configurer ce paramètre à faux n'autorisera que les certificats dont vous " -"avez ajouté les empreintes." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:89 #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:96 diff --git a/modules/po/webadmin.id_ID.po b/modules/po/webadmin.id_ID.po index bb050d61..f8b44a26 100644 --- a/modules/po/webadmin.id_ID.po +++ b/modules/po/webadmin.id_ID.po @@ -190,13 +190,13 @@ msgid "" msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:83 -msgid "Trust the PKI:" +msgid "Automatically detect trusted certificates (Trust the PKI):" msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:85 msgid "" -"Setting this to false will trust only certificates you added fingerprints " -"for." +"When disabled, manually whitelist all server fingerprints, even if the " +"certificate is valid" msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:89 diff --git a/modules/po/webadmin.it_IT.po b/modules/po/webadmin.it_IT.po index a0d9ad98..5010dad2 100644 --- a/modules/po/webadmin.it_IT.po +++ b/modules/po/webadmin.it_IT.po @@ -197,16 +197,14 @@ msgstr "" "INSICURO!" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:83 -msgid "Trust the PKI:" -msgstr "Fidati del PKI:" +msgid "Automatically detect trusted certificates (Trust the PKI):" +msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:85 msgid "" -"Setting this to false will trust only certificates you added fingerprints " -"for." +"When disabled, manually whitelist all server fingerprints, even if the " +"certificate is valid" msgstr "" -"Se impostato su falso, verranno considerati attendibili solo i certificati " -"per cui sono state aggiunte le \"impronte digitali\" (fingerprints)." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:89 #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:96 diff --git a/modules/po/webadmin.nl_NL.po b/modules/po/webadmin.nl_NL.po index 21c6a471..9c83952b 100644 --- a/modules/po/webadmin.nl_NL.po +++ b/modules/po/webadmin.nl_NL.po @@ -195,16 +195,14 @@ msgid "" msgstr "Schakel certificaatvalidatie uit (komt vóór TrustPKI). NIET VEILIG!" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:83 -msgid "Trust the PKI:" -msgstr "Vertrouw de PKI:" +msgid "Automatically detect trusted certificates (Trust the PKI):" +msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:85 msgid "" -"Setting this to false will trust only certificates you added fingerprints " -"for." +"When disabled, manually whitelist all server fingerprints, even if the " +"certificate is valid" msgstr "" -"Als je deze uitschakelt zal ZNC alleen certificaten vertrouwen waar je de " -"vingerafdrukken er voor toe hebt gevoegd." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:89 #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:96 diff --git a/modules/po/webadmin.pot b/modules/po/webadmin.pot index 6352bb5d..6632885f 100644 --- a/modules/po/webadmin.pot +++ b/modules/po/webadmin.pot @@ -183,13 +183,13 @@ msgid "" msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:83 -msgid "Trust the PKI:" +msgid "Automatically detect trusted certificates (Trust the PKI):" msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:85 msgid "" -"Setting this to false will trust only certificates you added fingerprints " -"for." +"When disabled, manually whitelist all server fingerprints, even if the " +"certificate is valid" msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:89 diff --git a/modules/po/webadmin.pt_BR.po b/modules/po/webadmin.pt_BR.po index 99758b92..0f143a39 100644 --- a/modules/po/webadmin.pt_BR.po +++ b/modules/po/webadmin.pt_BR.po @@ -190,13 +190,13 @@ msgid "" msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:83 -msgid "Trust the PKI:" +msgid "Automatically detect trusted certificates (Trust the PKI):" msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:85 msgid "" -"Setting this to false will trust only certificates you added fingerprints " -"for." +"When disabled, manually whitelist all server fingerprints, even if the " +"certificate is valid" msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:89 diff --git a/modules/po/webadmin.ru_RU.po b/modules/po/webadmin.ru_RU.po index a30bf523..b57b546f 100644 --- a/modules/po/webadmin.ru_RU.po +++ b/modules/po/webadmin.ru_RU.po @@ -198,13 +198,13 @@ msgid "" msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:83 -msgid "Trust the PKI:" +msgid "Automatically detect trusted certificates (Trust the PKI):" msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:85 msgid "" -"Setting this to false will trust only certificates you added fingerprints " -"for." +"When disabled, manually whitelist all server fingerprints, even if the " +"certificate is valid" msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:89 From 9e3bbdcf38c8cf4f3b38634e7ff977a9339a8f8f Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Mon, 23 Dec 2019 22:58:46 +0000 Subject: [PATCH 345/798] Travis: try to fix osx brew error by reinstalling brew --- .travis.yml | 6 +++++- 1 file changed, 5 insertions(+), 1 deletion(-) diff --git a/.travis.yml b/.travis.yml index 15c48683..01ed0d12 100644 --- a/.travis.yml +++ b/.travis.yml @@ -114,10 +114,14 @@ install: - if [[ "$TRAVIS_OS_NAME" == "osx" ]]; then sw_vers; fi - if [[ "$TRAVIS_OS_NAME" == "osx" ]]; then sysctl -a | grep cpu; fi - if [[ "$TRAVIS_OS_NAME" == "osx" ]]; then sysctl -a | grep mem; fi + # Something broke in Travis brew making it impossible to update python versions (complaining about nil:NilClass), so remove preinstalled brew and install from scratch + - if [[ "$TRAVIS_OS_NAME" == "osx" ]]; then rm -rf /usr/local/Cellar/* /usr/local/opt/* /usr/local/share/aclocal; fi + - if [[ "$TRAVIS_OS_NAME" == "osx" ]]; then /usr/bin/ruby -e "$(curl -fsSL https://raw.githubusercontent.com/Homebrew/install/master/install)"; hash -r; fi - if [[ "$TRAVIS_OS_NAME" == "osx" ]]; then brew config; fi - if [[ "$TRAVIS_OS_NAME" == "osx" ]]; then brew list --versions; fi - if [[ "$TRAVIS_OS_NAME" == "osx" ]]; then brew update; fi - - if [[ "$TRAVIS_OS_NAME" == "osx" ]]; then brew install swig icu4c jq qt5 gettext; fi + - if [[ "$TRAVIS_OS_NAME" == "osx" ]]; then brew install swig icu4c jq qt5 gettext python cmake openssl pkg-config; fi + - if [[ "$TRAVIS_OS_NAME" == "osx" ]]; then brew install autoconf automake; fi - if [[ "$TRAVIS_OS_NAME" == "osx" ]]; then brew outdated python || brew upgrade python; fi - if [[ "$TRAVIS_OS_NAME" == "osx" && "$BUILD_WITH" == "cmake" ]]; then brew outdated cmake || brew upgrade cmake; fi - if [[ "$TRAVIS_OS_NAME" == "osx" ]]; then brew info --json=v1 --installed | jq .; fi From c0e71184be433a2fcd8c5849e30e1e158aea6391 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Sun, 22 Dec 2019 23:01:49 +0000 Subject: [PATCH 346/798] Backport SSL changes from asio branch (#1639). This shouldn't change any behavior. --- include/znc/IRCSock.h | 4 +++ include/znc/Socket.h | 6 +++- src/IRCSock.cpp | 64 +++++++++++++++++++++---------------------- src/Socket.cpp | 44 +++++++++++++++++------------ 4 files changed, 66 insertions(+), 52 deletions(-) diff --git a/include/znc/IRCSock.h b/include/znc/IRCSock.h index 1ea1236b..75d087f9 100644 --- a/include/znc/IRCSock.h +++ b/include/znc/IRCSock.h @@ -56,6 +56,9 @@ class CIRCSock : public CIRCSocket { void SockError(int iErrno, const CString& sDescription) override; void Timeout() override; void ReachedMaxBuffer() override; +#ifdef HAVE_LIBSSL + void SSLCertError(X509* pCert) override; +#endif /** Sends a raw data line to the server. * @param sLine The line to be sent. * @@ -229,6 +232,7 @@ class CIRCSock : public CIRCSocket { double m_fFloodRate; bool m_bFloodProtection; SCString m_ssSupportedTags; + VCString m_vsSSLError; friend class CIRCFloodTimer; }; diff --git a/include/znc/Socket.h b/include/znc/Socket.h index 68f4dc0c..359a7023 100644 --- a/include/znc/Socket.h +++ b/include/znc/Socket.h @@ -36,12 +36,16 @@ class CZNCSock : public Csock, protected CCoreTranslationMixin { int VerifyPeerCertificate(int iPreVerify, X509_STORE_CTX* pStoreCTX) override; void SSLHandShakeFinished() override; + bool CheckSSLCert(X509* pCert); + virtual void SSLCertError(X509* pCert) {} bool SNIConfigureClient(CString& sHostname) override; + CString GetSSLPeerFingerprint(X509* pCert = nullptr) const; +#else + CString GetSSLPeerFingerprint() const { return ""; } #endif void SetHostToVerifySSL(const CString& sHost) { m_sHostToVerifySSL = sHost; } - CString GetSSLPeerFingerprint() const; void SetSSLTrustedPeerFingerprints(const SCString& ssFPs) { m_ssTrustedFingerprints = ssFPs; } diff --git a/src/IRCSock.cpp b/src/IRCSock.cpp index 285a87d9..af1ccaa8 100644 --- a/src/IRCSock.cpp +++ b/src/IRCSock.cpp @@ -1277,39 +1277,9 @@ void CIRCSock::SockError(int iErrno, const CString& sDescription) { m_pNetwork->PutStatus( t_f("Disconnected from IRC ({1}). Reconnecting...")(sError)); } -#ifdef HAVE_LIBSSL - if (iErrno == errnoBadSSLCert) { - // Stringify bad cert - X509* pCert = GetX509(); - if (pCert) { - BIO* mem = BIO_new(BIO_s_mem()); - X509_print(mem, pCert); - X509_free(pCert); - char* pCertStr = nullptr; - long iLen = BIO_get_mem_data(mem, &pCertStr); - CString sCert(pCertStr, iLen); - BIO_free(mem); - - VCString vsCert; - sCert.Split("\n", vsCert); - for (const CString& s : vsCert) { - // It shouldn't contain any bad characters, but let's be - // safe... - m_pNetwork->PutStatus("|" + s.Escape_n(CString::EDEBUG)); - } - CString sSHA1; - if (GetPeerFingerprint(sSHA1)) - m_pNetwork->PutStatus( - "SHA1: " + - sSHA1.Escape_n(CString::EHEXCOLON, CString::EHEXCOLON)); - CString sSHA256 = GetSSLPeerFingerprint(); - m_pNetwork->PutStatus("SHA-256: " + sSHA256); - m_pNetwork->PutStatus( - t_f("If you trust this certificate, do /znc " - "AddTrustedServerFingerprint {1}")(sSHA256)); - } - } -#endif + } + for (const CString& s : m_vsSSLError) { + m_pNetwork->PutStatus(s); } m_pNetwork->ClearRawBuffer(); m_pNetwork->ClearMotdBuffer(); @@ -1318,6 +1288,34 @@ void CIRCSock::SockError(int iErrno, const CString& sDescription) { m_scUserModes.clear(); } +#ifdef HAVE_LIBSSL +void CIRCSock::SSLCertError(X509* pCert) { + BIO* mem = BIO_new(BIO_s_mem()); + X509_print(mem, pCert); + char* pCertStr = nullptr; + long iLen = BIO_get_mem_data(mem, &pCertStr); + CString sCert(pCertStr, iLen); + BIO_free(mem); + + VCString vsCert; + sCert.Split("\n", vsCert); + for (const CString& s : vsCert) { + // It shouldn't contain any bad characters, but let's be + // safe... + m_vsSSLError.push_back("|" + s.Escape_n(CString::EDEBUG)); + } + CString sSHA1; + if (GetPeerFingerprint(sSHA1)) + m_vsSSLError.push_back( + "SHA1: " + sSHA1.Escape_n(CString::EHEXCOLON, CString::EHEXCOLON)); + CString sSHA256 = GetSSLPeerFingerprint(pCert); + m_vsSSLError.push_back("SHA-256: " + sSHA256); + m_vsSSLError.push_back( + t_f("If you trust this certificate, do /znc " + "AddTrustedServerFingerprint {1}")(sSHA256)); +} +#endif + void CIRCSock::Timeout() { DEBUG(GetSockName() << " == Timeout()"); if (!m_pNetwork->GetUser()->IsBeingDeleted()) { diff --git a/src/Socket.cpp b/src/Socket.cpp index ad95eb4d..ebd2d204 100644 --- a/src/Socket.cpp +++ b/src/Socket.cpp @@ -109,55 +109,63 @@ int CZNCSock::VerifyPeerCertificate(int iPreVerify, X509_STORE_CTX* pStoreCTX) { } void CZNCSock::SSLHandShakeFinished() { + X509* pCert = GetX509(); + if (!CheckSSLCert(pCert)) { + Close(); + } + X509_free(pCert); +} + +bool CZNCSock::CheckSSLCert(X509* pCert) { if (GetType() != ETConn::OUTBOUND) { - return; + return true; } - X509* pCert = GetX509(); if (!pCert) { DEBUG(GetSockName() + ": No cert"); CallSockError(errnoBadSSLCert, "Anonymous SSL cert is not allowed"); - Close(); - return; + return false; } if (GetTrustAllCerts()) { DEBUG(GetSockName() + ": Verification disabled, trusting all."); - return; + return true; } CString sHostVerifyError; if (!ZNC_SSLVerifyHost(m_sHostToVerifySSL, pCert, sHostVerifyError)) { m_ssCertVerificationErrors.insert(sHostVerifyError); } - X509_free(pCert); if (GetTrustPKI() && m_ssCertVerificationErrors.empty()) { DEBUG(GetSockName() + ": Good cert (PKI valid)"); - return; + return true; } - CString sFP = GetSSLPeerFingerprint(); + CString sFP = GetSSLPeerFingerprint(pCert); if (m_ssTrustedFingerprints.count(sFP) != 0) { DEBUG(GetSockName() + ": Cert explicitly trusted by user: " << sFP); - return; + return true; } DEBUG(GetSockName() + ": Bad cert"); CString sErrorMsg = "Invalid SSL certificate: "; sErrorMsg += CString(", ").Join(begin(m_ssCertVerificationErrors), end(m_ssCertVerificationErrors)); + SSLCertError(pCert); CallSockError(errnoBadSSLCert, sErrorMsg); - Close(); + return false; } bool CZNCSock::SNIConfigureClient(CString& sHostname) { sHostname = m_sHostToVerifySSL; return true; } -#endif -CString CZNCSock::GetSSLPeerFingerprint() const { -#ifdef HAVE_LIBSSL +CString CZNCSock::GetSSLPeerFingerprint(X509* pCert) const { // Csocket's version returns insecure SHA-1 // This one is SHA-256 const EVP_MD* evp = EVP_sha256(); - X509* pCert = GetX509(); + bool bOwned = false; + if (!pCert) { + pCert = GetX509(); + bOwned = true; + } if (!pCert) { DEBUG(GetSockName() + ": GetSSLPeerFingerprint: Anonymous cert"); return ""; @@ -165,17 +173,17 @@ CString CZNCSock::GetSSLPeerFingerprint() const { unsigned char buf[256 / 8]; unsigned int _32 = 256 / 8; int iSuccess = X509_digest(pCert, evp, buf, &_32); - X509_free(pCert); + if (bOwned) { + X509_free(pCert); + } if (!iSuccess) { DEBUG(GetSockName() + ": GetSSLPeerFingerprint: Couldn't find digest"); return ""; } return CString(reinterpret_cast(buf), sizeof buf) .Escape_n(CString::EASCII, CString::EHEXCOLON); -#else - return ""; -#endif } +#endif void CZNCSock::SetEncoding(const CString& sEncoding) { #ifdef HAVE_ICU From d3011c6eb190e0013f08ce5540d3e867f0be029e Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Mon, 30 Dec 2019 00:26:36 +0000 Subject: [PATCH 347/798] Update translations from Crowdin for bg_BG de_DE es_ES fr_FR id_ID it_IT nl_NL ru_RU --- src/po/znc.bg_BG.po | 22 +++++++++++----------- src/po/znc.de_DE.po | 22 +++++++++++----------- src/po/znc.es_ES.po | 22 +++++++++++----------- src/po/znc.fr_FR.po | 22 +++++++++++----------- src/po/znc.id_ID.po | 22 +++++++++++----------- src/po/znc.it_IT.po | 22 +++++++++++----------- src/po/znc.nl_NL.po | 22 +++++++++++----------- src/po/znc.pot | 22 +++++++++++----------- src/po/znc.ru_RU.po | 22 +++++++++++----------- 9 files changed, 99 insertions(+), 99 deletions(-) diff --git a/src/po/znc.bg_BG.po b/src/po/znc.bg_BG.po index 6ab104d5..34bf8aa6 100644 --- a/src/po/znc.bg_BG.po +++ b/src/po/znc.bg_BG.po @@ -145,27 +145,27 @@ msgstr "" msgid "Disconnected from IRC ({1}). Reconnecting..." msgstr "" -#: IRCSock.cpp:1308 +#: IRCSock.cpp:1314 msgid "If you trust this certificate, do /znc AddTrustedServerFingerprint {1}" msgstr "" -#: IRCSock.cpp:1325 +#: IRCSock.cpp:1323 msgid "IRC connection timed out. Reconnecting..." msgstr "" -#: IRCSock.cpp:1337 +#: IRCSock.cpp:1335 msgid "Connection Refused. Reconnecting..." msgstr "" -#: IRCSock.cpp:1345 +#: IRCSock.cpp:1343 msgid "Received a too long line from the IRC server!" msgstr "" -#: IRCSock.cpp:1449 +#: IRCSock.cpp:1447 msgid "No free nick available" msgstr "" -#: IRCSock.cpp:1457 +#: IRCSock.cpp:1455 msgid "No free nick found" msgstr "" @@ -1657,25 +1657,25 @@ msgctxt "helpcmd|Restart|desc" msgid "Restart ZNC" msgstr "" -#: Socket.cpp:334 +#: Socket.cpp:342 msgid "Can't resolve server hostname" msgstr "" -#: Socket.cpp:341 +#: Socket.cpp:349 msgid "" "Can't resolve bind hostname. Try /znc ClearBindHost and /znc " "ClearUserBindHost" msgstr "" -#: Socket.cpp:346 +#: Socket.cpp:354 msgid "Server address is IPv4-only, but bindhost is IPv6-only" msgstr "" -#: Socket.cpp:355 +#: Socket.cpp:363 msgid "Server address is IPv6-only, but bindhost is IPv4-only" msgstr "" -#: Socket.cpp:513 +#: Socket.cpp:521 msgid "Some socket reached its max buffer limit and was closed!" msgstr "" diff --git a/src/po/znc.de_DE.po b/src/po/znc.de_DE.po index 56f5245f..460ce587 100644 --- a/src/po/znc.de_DE.po +++ b/src/po/znc.de_DE.po @@ -155,29 +155,29 @@ msgstr "Kann nicht mit IRC verbinden ({1}). Versuche es erneut..." msgid "Disconnected from IRC ({1}). Reconnecting..." msgstr "IRC-Verbindung getrennt ({1}). Verbinde erneut..." -#: IRCSock.cpp:1308 +#: IRCSock.cpp:1314 msgid "If you trust this certificate, do /znc AddTrustedServerFingerprint {1}" msgstr "" "Falls du diesem Zertifikat vertraust, mache /znc AddTrustedServerFingerprint " "{1}" -#: IRCSock.cpp:1325 +#: IRCSock.cpp:1323 msgid "IRC connection timed out. Reconnecting..." msgstr "Zeitüberschreitung der IRC-Verbindung. Verbinde erneut..." -#: IRCSock.cpp:1337 +#: IRCSock.cpp:1335 msgid "Connection Refused. Reconnecting..." msgstr "Verbindung abgelehnt. Verbinde erneut..." -#: IRCSock.cpp:1345 +#: IRCSock.cpp:1343 msgid "Received a too long line from the IRC server!" msgstr "Eine zu lange Zeile wurde vom IRC-Server empfangen!" -#: IRCSock.cpp:1449 +#: IRCSock.cpp:1447 msgid "No free nick available" msgstr "Kein freier Nick verfügbar" -#: IRCSock.cpp:1457 +#: IRCSock.cpp:1455 msgid "No free nick found" msgstr "Kein freier Nick gefunden" @@ -1729,11 +1729,11 @@ msgctxt "helpcmd|Restart|desc" msgid "Restart ZNC" msgstr "Starte ZNC neu" -#: Socket.cpp:334 +#: Socket.cpp:342 msgid "Can't resolve server hostname" msgstr "Kann den Hostnamen des Servers nicht auflösen" -#: Socket.cpp:341 +#: Socket.cpp:349 msgid "" "Can't resolve bind hostname. Try /znc ClearBindHost and /znc " "ClearUserBindHost" @@ -1741,15 +1741,15 @@ msgstr "" "Kann Binde-Hostnamen nicht auflösen. Versuche /znc ClearBindHost und /znc " "ClearUserBindHost" -#: Socket.cpp:346 +#: Socket.cpp:354 msgid "Server address is IPv4-only, but bindhost is IPv6-only" msgstr "Server hat nur eine IPv4-Adresse, aber Binde-Hostname ist nur IPv6" -#: Socket.cpp:355 +#: Socket.cpp:363 msgid "Server address is IPv6-only, but bindhost is IPv4-only" msgstr "Server hat nur eine IPv6-Adresse, aber Binde-Hostname ist nur IPv4" -#: Socket.cpp:513 +#: Socket.cpp:521 msgid "Some socket reached its max buffer limit and was closed!" msgstr "" "Eine Verbindung hat ihre maximale Puffergrenze erreicht und wurde " diff --git a/src/po/znc.es_ES.po b/src/po/znc.es_ES.po index 1a2bbde9..8cb6404e 100644 --- a/src/po/znc.es_ES.po +++ b/src/po/znc.es_ES.po @@ -149,28 +149,28 @@ msgstr "No se puede conectar al IRC ({1}). Reintentándolo..." msgid "Disconnected from IRC ({1}). Reconnecting..." msgstr "Desconectado del IRC ({1}). Volviendo a conectar..." -#: IRCSock.cpp:1308 +#: IRCSock.cpp:1314 msgid "If you trust this certificate, do /znc AddTrustedServerFingerprint {1}" msgstr "" "Si confías en este certificado, ejecuta /znc AddTrustedServerFingerprint {1}" -#: IRCSock.cpp:1325 +#: IRCSock.cpp:1323 msgid "IRC connection timed out. Reconnecting..." msgstr "Tiempo de espera agotado en la conexión al IRC. Reconectando..." -#: IRCSock.cpp:1337 +#: IRCSock.cpp:1335 msgid "Connection Refused. Reconnecting..." msgstr "Conexión rechazada. Reconectando..." -#: IRCSock.cpp:1345 +#: IRCSock.cpp:1343 msgid "Received a too long line from the IRC server!" msgstr "¡Recibida línea demasiado larga desde el servidor de IRC!" -#: IRCSock.cpp:1449 +#: IRCSock.cpp:1447 msgid "No free nick available" msgstr "No hay ningún nick disponible" -#: IRCSock.cpp:1457 +#: IRCSock.cpp:1455 msgid "No free nick found" msgstr "No se ha encontrado ningún nick disponible" @@ -1712,11 +1712,11 @@ msgctxt "helpcmd|Restart|desc" msgid "Restart ZNC" msgstr "Reiniciar ZNC" -#: Socket.cpp:334 +#: Socket.cpp:342 msgid "Can't resolve server hostname" msgstr "No se puede resolver el hostname del servidor" -#: Socket.cpp:341 +#: Socket.cpp:349 msgid "" "Can't resolve bind hostname. Try /znc ClearBindHost and /znc " "ClearUserBindHost" @@ -1724,15 +1724,15 @@ msgstr "" "No se puede resolver el bindhost. Prueba /znc ClearBindHost y /znc " "ClearUserBindHost" -#: Socket.cpp:346 +#: Socket.cpp:354 msgid "Server address is IPv4-only, but bindhost is IPv6-only" msgstr "La dirección del servidor es solo-IPv4, pero el bindhost es solo-IPv6" -#: Socket.cpp:355 +#: Socket.cpp:363 msgid "Server address is IPv6-only, but bindhost is IPv4-only" msgstr "La dirección del servidor es solo-IPv6, pero el bindhost es solo-IPv4" -#: Socket.cpp:513 +#: Socket.cpp:521 msgid "Some socket reached its max buffer limit and was closed!" msgstr "" "¡Algún socket ha alcanzado el límite de su búfer máximo y se ha cerrado!" diff --git a/src/po/znc.fr_FR.po b/src/po/znc.fr_FR.po index 34387cea..24e22c14 100644 --- a/src/po/znc.fr_FR.po +++ b/src/po/znc.fr_FR.po @@ -155,29 +155,29 @@ msgstr "Échec de la connexion à IRC ({1}). Nouvel essai..." msgid "Disconnected from IRC ({1}). Reconnecting..." msgstr "Déconnecté de IRC ({1}). Reconnexion..." -#: IRCSock.cpp:1308 +#: IRCSock.cpp:1314 msgid "If you trust this certificate, do /znc AddTrustedServerFingerprint {1}" msgstr "" "Si vous avez confiance en ce certificat, tapez /znc " "AddTrustedServerFingerprint {1}" -#: IRCSock.cpp:1325 +#: IRCSock.cpp:1323 msgid "IRC connection timed out. Reconnecting..." msgstr "La connexion à IRC a expiré. Reconnexion..." -#: IRCSock.cpp:1337 +#: IRCSock.cpp:1335 msgid "Connection Refused. Reconnecting..." msgstr "Connexion refusée. Reconnexion..." -#: IRCSock.cpp:1345 +#: IRCSock.cpp:1343 msgid "Received a too long line from the IRC server!" msgstr "Le serveur IRC a envoyé une ligne trop longue !" -#: IRCSock.cpp:1449 +#: IRCSock.cpp:1447 msgid "No free nick available" msgstr "Aucun pseudonyme n'est disponible" -#: IRCSock.cpp:1457 +#: IRCSock.cpp:1455 msgid "No free nick found" msgstr "Aucun pseudonyme disponible n'a été trouvé" @@ -1724,11 +1724,11 @@ msgctxt "helpcmd|Restart|desc" msgid "Restart ZNC" msgstr "Redémarre ZNC" -#: Socket.cpp:334 +#: Socket.cpp:342 msgid "Can't resolve server hostname" msgstr "Impossible de résoudre le nom de domaine" -#: Socket.cpp:341 +#: Socket.cpp:349 msgid "" "Can't resolve bind hostname. Try /znc ClearBindHost and /znc " "ClearUserBindHost" @@ -1736,17 +1736,17 @@ msgstr "" "Impossible de résoudre le nom de domaine de l'hôte. Essayez /znc " "ClearBindHost et /znc ClearUserBindHost" -#: Socket.cpp:346 +#: Socket.cpp:354 msgid "Server address is IPv4-only, but bindhost is IPv6-only" msgstr "" "L'adresse du serveur est IPv4 uniquement, mais l'hôte lié est IPv6 seulement" -#: Socket.cpp:355 +#: Socket.cpp:363 msgid "Server address is IPv6-only, but bindhost is IPv4-only" msgstr "" "L'adresse du serveur est IPv6 uniquement, mais l'hôte lié est IPv4 seulement" -#: Socket.cpp:513 +#: Socket.cpp:521 msgid "Some socket reached its max buffer limit and was closed!" msgstr "Un socket a atteint sa limite maximale de tampon et s'est fermé !" diff --git a/src/po/znc.id_ID.po b/src/po/znc.id_ID.po index 08c20b24..09ff7d5e 100644 --- a/src/po/znc.id_ID.po +++ b/src/po/znc.id_ID.po @@ -151,29 +151,29 @@ msgstr "Tidak dapat terhubung ke IRC ({1}). Mencoba lagi..." msgid "Disconnected from IRC ({1}). Reconnecting..." msgstr "Terputus dari IRC ({1}). Menghubungkan..." -#: IRCSock.cpp:1308 +#: IRCSock.cpp:1314 msgid "If you trust this certificate, do /znc AddTrustedServerFingerprint {1}" msgstr "" "Jika anda mempercayai sertifikat ini, lakukan /znc " "AddTrustedServerFingerprint {1}" -#: IRCSock.cpp:1325 +#: IRCSock.cpp:1323 msgid "IRC connection timed out. Reconnecting..." msgstr "Koneksi IRC kehabisan waktu. Menghubungkan..." -#: IRCSock.cpp:1337 +#: IRCSock.cpp:1335 msgid "Connection Refused. Reconnecting..." msgstr "Koneksi tertolak. Menguhungkan..." -#: IRCSock.cpp:1345 +#: IRCSock.cpp:1343 msgid "Received a too long line from the IRC server!" msgstr "Menerima baris terlalu panjang dari server IRC!" -#: IRCSock.cpp:1449 +#: IRCSock.cpp:1447 msgid "No free nick available" msgstr "Tidak ada nick tersedia" -#: IRCSock.cpp:1457 +#: IRCSock.cpp:1455 msgid "No free nick found" msgstr "Tidak ada nick ditemukan" @@ -1666,25 +1666,25 @@ msgctxt "helpcmd|Restart|desc" msgid "Restart ZNC" msgstr "" -#: Socket.cpp:334 +#: Socket.cpp:342 msgid "Can't resolve server hostname" msgstr "" -#: Socket.cpp:341 +#: Socket.cpp:349 msgid "" "Can't resolve bind hostname. Try /znc ClearBindHost and /znc " "ClearUserBindHost" msgstr "" -#: Socket.cpp:346 +#: Socket.cpp:354 msgid "Server address is IPv4-only, but bindhost is IPv6-only" msgstr "" -#: Socket.cpp:355 +#: Socket.cpp:363 msgid "Server address is IPv6-only, but bindhost is IPv4-only" msgstr "" -#: Socket.cpp:513 +#: Socket.cpp:521 msgid "Some socket reached its max buffer limit and was closed!" msgstr "" diff --git a/src/po/znc.it_IT.po b/src/po/znc.it_IT.po index 976770d2..71a7c7ed 100644 --- a/src/po/znc.it_IT.po +++ b/src/po/znc.it_IT.po @@ -153,28 +153,28 @@ msgstr "Impossibile connettersi a IRC ({1}). Riprovo..." msgid "Disconnected from IRC ({1}). Reconnecting..." msgstr "Disconnesso da IRC ({1}). Riconnessione..." -#: IRCSock.cpp:1308 +#: IRCSock.cpp:1314 msgid "If you trust this certificate, do /znc AddTrustedServerFingerprint {1}" msgstr "" "Se ti fidi di questo certificato, scrivi /znc AddTrustedServerFingerprint {1}" -#: IRCSock.cpp:1325 +#: IRCSock.cpp:1323 msgid "IRC connection timed out. Reconnecting..." msgstr "La connessione ad IRC è scaduta (timed out). Tento la riconnessione..." -#: IRCSock.cpp:1337 +#: IRCSock.cpp:1335 msgid "Connection Refused. Reconnecting..." msgstr "Connessione rifiutata. Riconnessione..." -#: IRCSock.cpp:1345 +#: IRCSock.cpp:1343 msgid "Received a too long line from the IRC server!" msgstr "Ricevuta una linea troppo lunga dal server IRC!" -#: IRCSock.cpp:1449 +#: IRCSock.cpp:1447 msgid "No free nick available" msgstr "Nessun nickname disponibile" -#: IRCSock.cpp:1457 +#: IRCSock.cpp:1455 msgid "No free nick found" msgstr "Nessun nick trovato" @@ -1722,11 +1722,11 @@ msgctxt "helpcmd|Restart|desc" msgid "Restart ZNC" msgstr "Riavvia lo ZNC" -#: Socket.cpp:334 +#: Socket.cpp:342 msgid "Can't resolve server hostname" msgstr "Impossibile risolvere il nome dell'host del server" -#: Socket.cpp:341 +#: Socket.cpp:349 msgid "" "Can't resolve bind hostname. Try /znc ClearBindHost and /znc " "ClearUserBindHost" @@ -1734,15 +1734,15 @@ msgstr "" "Impossibile risolvere l'hostname allegato. Prova /znc ClearBindHost e /znc " "ClearUserBindHost" -#: Socket.cpp:346 +#: Socket.cpp:354 msgid "Server address is IPv4-only, but bindhost is IPv6-only" msgstr "L'indirizzo del server è IPv4-only, ma il bindhost è IPv6-only" -#: Socket.cpp:355 +#: Socket.cpp:363 msgid "Server address is IPv6-only, but bindhost is IPv4-only" msgstr "L'indirizzo del server è IPv6-only, ma il bindhost è IPv4-only" -#: Socket.cpp:513 +#: Socket.cpp:521 msgid "Some socket reached its max buffer limit and was closed!" msgstr "" "Alcuni socket hanno raggiunto il limite massimo di buffer e sono stati " diff --git a/src/po/znc.nl_NL.po b/src/po/znc.nl_NL.po index 95a884fc..8cb9802e 100644 --- a/src/po/znc.nl_NL.po +++ b/src/po/znc.nl_NL.po @@ -161,28 +161,28 @@ msgid "Disconnected from IRC ({1}). Reconnecting..." msgstr "" "Verbinding met IRC verbroken ({1}). We proberen opnieuw te verbinden..." -#: IRCSock.cpp:1308 +#: IRCSock.cpp:1314 msgid "If you trust this certificate, do /znc AddTrustedServerFingerprint {1}" msgstr "" "Als je dit certificaat vertrouwt, doe: /znc AddTrustedServerFingerprint {1}" -#: IRCSock.cpp:1325 +#: IRCSock.cpp:1323 msgid "IRC connection timed out. Reconnecting..." msgstr "IRC verbinding time-out. We proberen opnieuw te verbinden..." -#: IRCSock.cpp:1337 +#: IRCSock.cpp:1335 msgid "Connection Refused. Reconnecting..." msgstr "Verbinding geweigerd. We proberen opnieuw te verbinden..." -#: IRCSock.cpp:1345 +#: IRCSock.cpp:1343 msgid "Received a too long line from the IRC server!" msgstr "Een te lange regel ontvangen van de IRC server!" -#: IRCSock.cpp:1449 +#: IRCSock.cpp:1447 msgid "No free nick available" msgstr "Geen beschikbare bijnaam" -#: IRCSock.cpp:1457 +#: IRCSock.cpp:1455 msgid "No free nick found" msgstr "Geen beschikbare bijnaam gevonden" @@ -1728,11 +1728,11 @@ msgctxt "helpcmd|Restart|desc" msgid "Restart ZNC" msgstr "Herstart ZNC" -#: Socket.cpp:334 +#: Socket.cpp:342 msgid "Can't resolve server hostname" msgstr "Kan server hostnaam niet oplossen" -#: Socket.cpp:341 +#: Socket.cpp:349 msgid "" "Can't resolve bind hostname. Try /znc ClearBindHost and /znc " "ClearUserBindHost" @@ -1740,15 +1740,15 @@ msgstr "" "Kan bindhostnaam niet oplossen. Probeer /znc ClearBindHost en /znc " "ClearUserBindHost" -#: Socket.cpp:346 +#: Socket.cpp:354 msgid "Server address is IPv4-only, but bindhost is IPv6-only" msgstr "Server adres is alleen IPv4, maar de bindhost is alleen IPv6" -#: Socket.cpp:355 +#: Socket.cpp:363 msgid "Server address is IPv6-only, but bindhost is IPv4-only" msgstr "Server adres is alleen IPv6, maar de bindhost is alleen IPv4" -#: Socket.cpp:513 +#: Socket.cpp:521 msgid "Some socket reached its max buffer limit and was closed!" msgstr "" "Een of andere socket heeft de maximale buffer limiet bereikt en was " diff --git a/src/po/znc.pot b/src/po/znc.pot index 398183d3..e318797e 100644 --- a/src/po/znc.pot +++ b/src/po/znc.pot @@ -138,27 +138,27 @@ msgstr "" msgid "Disconnected from IRC ({1}). Reconnecting..." msgstr "" -#: IRCSock.cpp:1308 +#: IRCSock.cpp:1314 msgid "If you trust this certificate, do /znc AddTrustedServerFingerprint {1}" msgstr "" -#: IRCSock.cpp:1325 +#: IRCSock.cpp:1323 msgid "IRC connection timed out. Reconnecting..." msgstr "" -#: IRCSock.cpp:1337 +#: IRCSock.cpp:1335 msgid "Connection Refused. Reconnecting..." msgstr "" -#: IRCSock.cpp:1345 +#: IRCSock.cpp:1343 msgid "Received a too long line from the IRC server!" msgstr "" -#: IRCSock.cpp:1449 +#: IRCSock.cpp:1447 msgid "No free nick available" msgstr "" -#: IRCSock.cpp:1457 +#: IRCSock.cpp:1455 msgid "No free nick found" msgstr "" @@ -1650,25 +1650,25 @@ msgctxt "helpcmd|Restart|desc" msgid "Restart ZNC" msgstr "" -#: Socket.cpp:334 +#: Socket.cpp:342 msgid "Can't resolve server hostname" msgstr "" -#: Socket.cpp:341 +#: Socket.cpp:349 msgid "" "Can't resolve bind hostname. Try /znc ClearBindHost and /znc " "ClearUserBindHost" msgstr "" -#: Socket.cpp:346 +#: Socket.cpp:354 msgid "Server address is IPv4-only, but bindhost is IPv6-only" msgstr "" -#: Socket.cpp:355 +#: Socket.cpp:363 msgid "Server address is IPv6-only, but bindhost is IPv4-only" msgstr "" -#: Socket.cpp:513 +#: Socket.cpp:521 msgid "Some socket reached its max buffer limit and was closed!" msgstr "" diff --git a/src/po/znc.ru_RU.po b/src/po/znc.ru_RU.po index 7fccda12..2c07c4a4 100644 --- a/src/po/znc.ru_RU.po +++ b/src/po/znc.ru_RU.po @@ -151,29 +151,29 @@ msgstr "Не могу подключиться к IRC ({1}). Пытаюсь ещ msgid "Disconnected from IRC ({1}). Reconnecting..." msgstr "Отключён от IRC ({1}). Переподключаюсь..." -#: IRCSock.cpp:1308 +#: IRCSock.cpp:1314 msgid "If you trust this certificate, do /znc AddTrustedServerFingerprint {1}" msgstr "" "Если вы доверяете этому сертификату, введите /znc " "AddTrustedServerFingerprint {1}" -#: IRCSock.cpp:1325 +#: IRCSock.cpp:1323 msgid "IRC connection timed out. Reconnecting..." msgstr "Подключение IRC завершилось по тайм-ауту. Переподключаюсь..." -#: IRCSock.cpp:1337 +#: IRCSock.cpp:1335 msgid "Connection Refused. Reconnecting..." msgstr "В соединении отказано. Переподключаюсь..." -#: IRCSock.cpp:1345 +#: IRCSock.cpp:1343 msgid "Received a too long line from the IRC server!" msgstr "От IRC-сервера получена слишком длинная строка!" -#: IRCSock.cpp:1449 +#: IRCSock.cpp:1447 msgid "No free nick available" msgstr "Не могу найти свободный ник" -#: IRCSock.cpp:1457 +#: IRCSock.cpp:1455 msgid "No free nick found" msgstr "Не могу найти свободный ник" @@ -1709,25 +1709,25 @@ msgctxt "helpcmd|Restart|desc" msgid "Restart ZNC" msgstr "" -#: Socket.cpp:334 +#: Socket.cpp:342 msgid "Can't resolve server hostname" msgstr "" -#: Socket.cpp:341 +#: Socket.cpp:349 msgid "" "Can't resolve bind hostname. Try /znc ClearBindHost and /znc " "ClearUserBindHost" msgstr "" -#: Socket.cpp:346 +#: Socket.cpp:354 msgid "Server address is IPv4-only, but bindhost is IPv6-only" msgstr "" -#: Socket.cpp:355 +#: Socket.cpp:363 msgid "Server address is IPv6-only, but bindhost is IPv4-only" msgstr "" -#: Socket.cpp:513 +#: Socket.cpp:521 msgid "Some socket reached its max buffer limit and was closed!" msgstr "" From c005c6fcb4ef8a81aebb4e1869445a44468e02b9 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Tue, 31 Dec 2019 00:26:42 +0000 Subject: [PATCH 348/798] Update translations from Crowdin for pt_BR --- src/po/znc.pt_BR.po | 22 +++++++++++----------- 1 file changed, 11 insertions(+), 11 deletions(-) diff --git a/src/po/znc.pt_BR.po b/src/po/znc.pt_BR.po index eb2e8955..27040d98 100644 --- a/src/po/znc.pt_BR.po +++ b/src/po/znc.pt_BR.po @@ -152,28 +152,28 @@ msgstr "Não foi possível conectar-se ao IRC ({1}). Tentando novamente..." msgid "Disconnected from IRC ({1}). Reconnecting..." msgstr "Desconectado do IRC ({1}). Reconectando..." -#: IRCSock.cpp:1308 +#: IRCSock.cpp:1314 msgid "If you trust this certificate, do /znc AddTrustedServerFingerprint {1}" msgstr "" "Caso confie neste certificado, digite /znc AddTrustedServerFingerprint {1}" -#: IRCSock.cpp:1325 +#: IRCSock.cpp:1323 msgid "IRC connection timed out. Reconnecting..." msgstr "A conexão ao servidor expirou. Reconectando..." -#: IRCSock.cpp:1337 +#: IRCSock.cpp:1335 msgid "Connection Refused. Reconnecting..." msgstr "Conexão rejeitada. Reconectando..." -#: IRCSock.cpp:1345 +#: IRCSock.cpp:1343 msgid "Received a too long line from the IRC server!" msgstr "Uma linha muito longa foi recebida do servidor de IRC!" -#: IRCSock.cpp:1449 +#: IRCSock.cpp:1447 msgid "No free nick available" msgstr "Não há apelidos livres disponíveis" -#: IRCSock.cpp:1457 +#: IRCSock.cpp:1455 msgid "No free nick found" msgstr "Nenhum apelido livre foi encontrado" @@ -1697,11 +1697,11 @@ msgctxt "helpcmd|Restart|desc" msgid "Restart ZNC" msgstr "Reinicia o ZNC" -#: Socket.cpp:334 +#: Socket.cpp:342 msgid "Can't resolve server hostname" msgstr "Não é possível resolver o nome do host do servidor" -#: Socket.cpp:341 +#: Socket.cpp:349 msgid "" "Can't resolve bind hostname. Try /znc ClearBindHost and /znc " "ClearUserBindHost" @@ -1709,17 +1709,17 @@ msgstr "" "Não é possível resolver o nome do host de ligação (BindHost). Tente /znc " "ClearBindHost e /znc ClearUserBindHost" -#: Socket.cpp:346 +#: Socket.cpp:354 msgid "Server address is IPv4-only, but bindhost is IPv6-only" msgstr "" "O endereço do servidor permite apenas IPv4, mas o bindhost é apenas IPv6" -#: Socket.cpp:355 +#: Socket.cpp:363 msgid "Server address is IPv6-only, but bindhost is IPv4-only" msgstr "" "O endereço do servidor permite apenas IPv6, mas o bindhost é apenas IPv4" -#: Socket.cpp:513 +#: Socket.cpp:521 msgid "Some socket reached its max buffer limit and was closed!" msgstr "Algum socket atingiu seu limite máximo de buffer e foi fechado!" From 9081aa971ddf59ec138436c5eb87ca9240a88817 Mon Sep 17 00:00:00 2001 From: MAGIC Date: Thu, 2 Jan 2020 00:36:05 +0100 Subject: [PATCH 349/798] Welcome to 2020 --- CMakeLists.txt | 2 +- cmake/FindPerlLibs.cmake | 2 +- cmake/TestCXX11.cmake | 2 +- cmake/copy_csocket.cmake | 2 +- cmake/cxx11check/CMakeLists.txt | 2 +- cmake/perl_check/CMakeLists.txt | 2 +- cmake/use_homebrew.cmake | 2 +- include/znc/Buffer.h | 2 +- include/znc/CMakeLists.txt | 2 +- include/znc/Chan.h | 2 +- include/znc/Client.h | 2 +- include/znc/Config.h | 2 +- include/znc/ExecSock.h | 2 +- include/znc/FileUtils.h | 2 +- include/znc/HTTPSock.h | 2 +- include/znc/IRCNetwork.h | 2 +- include/znc/IRCSock.h | 2 +- include/znc/Listener.h | 2 +- include/znc/Message.h | 2 +- include/znc/Modules.h | 2 +- include/znc/Nick.h | 2 +- include/znc/Query.h | 2 +- include/znc/SSLVerifyHost.h | 2 +- include/znc/Server.h | 2 +- include/znc/Socket.h | 2 +- include/znc/Template.h | 2 +- include/znc/Threads.h | 2 +- include/znc/Translation.h | 2 +- include/znc/User.h | 2 +- include/znc/Utils.h | 2 +- include/znc/WebModules.h | 2 +- include/znc/ZNCDebug.h | 2 +- include/znc/ZNCString.h | 2 +- include/znc/defines.h | 2 +- include/znc/main.h | 2 +- include/znc/version.h | 2 +- include/znc/znc.h | 2 +- include/znc/zncconfig.h.cmake.in | 2 +- modules/CMakeLists.txt | 2 +- modules/Makefile.in | 2 +- modules/admindebug.cpp | 2 +- modules/adminlog.cpp | 2 +- modules/alias.cpp | 2 +- modules/autoattach.cpp | 2 +- modules/autocycle.cpp | 2 +- modules/autoop.cpp | 2 +- modules/autoreply.cpp | 2 +- modules/autovoice.cpp | 2 +- modules/awaynick.cpp | 2 +- modules/awaystore.cpp | 2 +- modules/block_motd.cpp | 2 +- modules/bouncedcc.cpp | 2 +- modules/buffextras.cpp | 2 +- modules/cert.cpp | 2 +- modules/certauth.cpp | 2 +- modules/chansaver.cpp | 2 +- modules/clearbufferonmsg.cpp | 2 +- modules/clientnotify.cpp | 2 +- modules/controlpanel.cpp | 2 +- modules/crypt.cpp | 2 +- modules/ctcpflood.cpp | 2 +- modules/cyrusauth.cpp | 2 +- modules/dcc.cpp | 2 +- modules/disconkick.cpp | 2 +- modules/fail2ban.cpp | 2 +- modules/flooddetach.cpp | 2 +- modules/identfile.cpp | 2 +- modules/imapauth.cpp | 2 +- modules/keepnick.cpp | 2 +- modules/kickrejoin.cpp | 2 +- modules/lastseen.cpp | 2 +- modules/listsockets.cpp | 2 +- modules/log.cpp | 2 +- modules/missingmotd.cpp | 2 +- modules/modperl.cpp | 2 +- modules/modperl/CMakeLists.txt | 2 +- modules/modperl/codegen.pl | 2 +- modules/modperl/modperl.i | 2 +- modules/modperl/module.h | 2 +- modules/modperl/pstring.h | 2 +- modules/modperl/startup.pl | 2 +- modules/modpython.cpp | 2 +- modules/modpython/CMakeLists.txt | 2 +- modules/modpython/codegen.pl | 2 +- modules/modpython/modpython.i | 2 +- modules/modpython/module.h | 2 +- modules/modpython/ret.h | 2 +- modules/modpython/znc.py | 2 +- modules/modtcl.cpp | 2 +- modules/modtcl/CMakeLists.txt | 2 +- modules/modtcl/binds.tcl | 2 +- modules/modtcl/modtcl.tcl | 2 +- modules/modules_online.cpp | 2 +- modules/nickserv.cpp | 2 +- modules/notes.cpp | 2 +- modules/notify_connect.cpp | 2 +- modules/perform.cpp | 2 +- modules/perleval.pm | 2 +- modules/po/CMakeLists.txt | 2 +- modules/pyeval.py | 2 +- modules/raw.cpp | 2 +- modules/route_replies.cpp | 2 +- modules/sample.cpp | 2 +- modules/samplewebapi.cpp | 2 +- modules/sasl.cpp | 2 +- modules/savebuff.cpp | 2 +- modules/schat.cpp | 2 +- modules/send_raw.cpp | 2 +- modules/shell.cpp | 2 +- modules/simple_away.cpp | 2 +- modules/stickychan.cpp | 2 +- modules/stripcontrols.cpp | 2 +- modules/watch.cpp | 2 +- modules/webadmin.cpp | 2 +- src/Buffer.cpp | 2 +- src/CMakeLists.txt | 2 +- src/Chan.cpp | 2 +- src/Client.cpp | 2 +- src/ClientCommand.cpp | 2 +- src/Config.cpp | 2 +- src/FileUtils.cpp | 2 +- src/HTTPSock.cpp | 2 +- src/IRCNetwork.cpp | 2 +- src/IRCSock.cpp | 2 +- src/Listener.cpp | 2 +- src/Message.cpp | 2 +- src/Modules.cpp | 2 +- src/Nick.cpp | 2 +- src/Query.cpp | 2 +- src/SSLVerifyHost.cpp | 2 +- src/Server.cpp | 2 +- src/Socket.cpp | 2 +- src/Template.cpp | 2 +- src/Threads.cpp | 2 +- src/Translation.cpp | 2 +- src/User.cpp | 2 +- src/Utils.cpp | 2 +- src/WebModules.cpp | 2 +- src/ZNCDebug.cpp | 2 +- src/ZNCString.cpp | 2 +- src/main.cpp | 2 +- src/version.cpp.in | 2 +- src/znc.cpp | 2 +- test/BufferTest.cpp | 2 +- test/CMakeLists.txt | 2 +- test/ClientTest.cpp | 2 +- test/ConfigTest.cpp | 2 +- test/IRCSockTest.cpp | 2 +- test/IRCTest.h | 2 +- test/MessageTest.cpp | 2 +- test/ModulesTest.cpp | 2 +- test/NetworkTest.cpp | 2 +- test/NickTest.cpp | 2 +- test/QueryTest.cpp | 2 +- test/StringTest.cpp | 2 +- test/ThreadTest.cpp | 2 +- test/UserTest.cpp | 2 +- test/UtilsTest.cpp | 2 +- zz_msg/CMakeLists.txt | 2 +- 159 files changed, 159 insertions(+), 159 deletions(-) diff --git a/CMakeLists.txt b/CMakeLists.txt index 551c11b7..1fbeaddb 100644 --- a/CMakeLists.txt +++ b/CMakeLists.txt @@ -1,5 +1,5 @@ # -# Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. +# Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. diff --git a/cmake/FindPerlLibs.cmake b/cmake/FindPerlLibs.cmake index 9bb6b079..d999983b 100644 --- a/cmake/FindPerlLibs.cmake +++ b/cmake/FindPerlLibs.cmake @@ -1,5 +1,5 @@ # -# Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. +# Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. diff --git a/cmake/TestCXX11.cmake b/cmake/TestCXX11.cmake index 4935363f..986d8008 100644 --- a/cmake/TestCXX11.cmake +++ b/cmake/TestCXX11.cmake @@ -1,5 +1,5 @@ # -# Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. +# Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. diff --git a/cmake/copy_csocket.cmake b/cmake/copy_csocket.cmake index 70f6bbf7..a84a38b3 100644 --- a/cmake/copy_csocket.cmake +++ b/cmake/copy_csocket.cmake @@ -1,5 +1,5 @@ # -# Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. +# Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. diff --git a/cmake/cxx11check/CMakeLists.txt b/cmake/cxx11check/CMakeLists.txt index 0df64c3c..e5936fe6 100644 --- a/cmake/cxx11check/CMakeLists.txt +++ b/cmake/cxx11check/CMakeLists.txt @@ -1,5 +1,5 @@ # -# Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. +# Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. diff --git a/cmake/perl_check/CMakeLists.txt b/cmake/perl_check/CMakeLists.txt index cb3c98dd..5ecc7057 100644 --- a/cmake/perl_check/CMakeLists.txt +++ b/cmake/perl_check/CMakeLists.txt @@ -1,5 +1,5 @@ # -# Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. +# Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. diff --git a/cmake/use_homebrew.cmake b/cmake/use_homebrew.cmake index bb59317b..b1cdf8fe 100644 --- a/cmake/use_homebrew.cmake +++ b/cmake/use_homebrew.cmake @@ -1,5 +1,5 @@ # -# Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. +# Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. diff --git a/include/znc/Buffer.h b/include/znc/Buffer.h index 33967c38..3103123c 100644 --- a/include/znc/Buffer.h +++ b/include/znc/Buffer.h @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/include/znc/CMakeLists.txt b/include/znc/CMakeLists.txt index 24fee548..782e6cb3 100644 --- a/include/znc/CMakeLists.txt +++ b/include/znc/CMakeLists.txt @@ -1,5 +1,5 @@ # -# Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. +# Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. diff --git a/include/znc/Chan.h b/include/znc/Chan.h index 1a4ebaf3..38e0c030 100644 --- a/include/znc/Chan.h +++ b/include/znc/Chan.h @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/include/znc/Client.h b/include/znc/Client.h index 2966f549..f7e8568e 100644 --- a/include/znc/Client.h +++ b/include/znc/Client.h @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/include/znc/Config.h b/include/znc/Config.h index d049550f..dc18ad1b 100644 --- a/include/znc/Config.h +++ b/include/znc/Config.h @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/include/znc/ExecSock.h b/include/znc/ExecSock.h index b1ff1c76..19539472 100644 --- a/include/znc/ExecSock.h +++ b/include/znc/ExecSock.h @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/include/znc/FileUtils.h b/include/znc/FileUtils.h index 99a30cf0..546bba96 100644 --- a/include/znc/FileUtils.h +++ b/include/znc/FileUtils.h @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/include/znc/HTTPSock.h b/include/znc/HTTPSock.h index 98eed21c..d410d6ad 100644 --- a/include/znc/HTTPSock.h +++ b/include/znc/HTTPSock.h @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/include/znc/IRCNetwork.h b/include/znc/IRCNetwork.h index 88c4da6e..a9c3deee 100644 --- a/include/znc/IRCNetwork.h +++ b/include/znc/IRCNetwork.h @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/include/znc/IRCSock.h b/include/znc/IRCSock.h index 75d087f9..93ef506c 100644 --- a/include/znc/IRCSock.h +++ b/include/znc/IRCSock.h @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/include/znc/Listener.h b/include/znc/Listener.h index adecc0ec..ebdb8f0e 100644 --- a/include/znc/Listener.h +++ b/include/znc/Listener.h @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/include/znc/Message.h b/include/znc/Message.h index 12505bad..29eb1fa8 100644 --- a/include/znc/Message.h +++ b/include/znc/Message.h @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/include/znc/Modules.h b/include/znc/Modules.h index e989f666..77d37746 100644 --- a/include/znc/Modules.h +++ b/include/znc/Modules.h @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/include/znc/Nick.h b/include/znc/Nick.h index d9f5b3e2..c10a47c0 100644 --- a/include/znc/Nick.h +++ b/include/znc/Nick.h @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/include/znc/Query.h b/include/znc/Query.h index 7d344d58..48210783 100644 --- a/include/znc/Query.h +++ b/include/znc/Query.h @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/include/znc/SSLVerifyHost.h b/include/znc/SSLVerifyHost.h index 7ccc65b0..3872e120 100644 --- a/include/znc/SSLVerifyHost.h +++ b/include/znc/SSLVerifyHost.h @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/include/znc/Server.h b/include/znc/Server.h index 8d349e63..f54e05bf 100644 --- a/include/znc/Server.h +++ b/include/znc/Server.h @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/include/znc/Socket.h b/include/znc/Socket.h index 359a7023..09381761 100644 --- a/include/znc/Socket.h +++ b/include/znc/Socket.h @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/include/znc/Template.h b/include/znc/Template.h index df7b6b2a..c135913e 100644 --- a/include/znc/Template.h +++ b/include/znc/Template.h @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/include/znc/Threads.h b/include/znc/Threads.h index cd39ab80..163ade93 100644 --- a/include/znc/Threads.h +++ b/include/znc/Threads.h @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/include/znc/Translation.h b/include/znc/Translation.h index dda5daba..f6df4d09 100644 --- a/include/znc/Translation.h +++ b/include/znc/Translation.h @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/include/znc/User.h b/include/znc/User.h index 30632de5..45dacfde 100644 --- a/include/znc/User.h +++ b/include/znc/User.h @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/include/znc/Utils.h b/include/znc/Utils.h index 76f3717f..4dc688bf 100644 --- a/include/znc/Utils.h +++ b/include/znc/Utils.h @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/include/znc/WebModules.h b/include/znc/WebModules.h index 2c692d1a..28aa4f91 100644 --- a/include/znc/WebModules.h +++ b/include/znc/WebModules.h @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/include/znc/ZNCDebug.h b/include/znc/ZNCDebug.h index 3ae2dd02..b984cfd6 100644 --- a/include/znc/ZNCDebug.h +++ b/include/znc/ZNCDebug.h @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/include/znc/ZNCString.h b/include/znc/ZNCString.h index 358a503b..e61ee0e3 100644 --- a/include/znc/ZNCString.h +++ b/include/znc/ZNCString.h @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/include/znc/defines.h b/include/znc/defines.h index 3b064651..adf5a409 100644 --- a/include/znc/defines.h +++ b/include/znc/defines.h @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/include/znc/main.h b/include/znc/main.h index 78809e4b..20e67ce0 100644 --- a/include/znc/main.h +++ b/include/znc/main.h @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/include/znc/version.h b/include/znc/version.h index 01973975..d40ea5f6 100644 --- a/include/znc/version.h +++ b/include/znc/version.h @@ -1,5 +1,5 @@ /* -Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. +Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. Licensed under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with the License. diff --git a/include/znc/znc.h b/include/znc/znc.h index 958574d4..7b01064c 100644 --- a/include/znc/znc.h +++ b/include/znc/znc.h @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/include/znc/zncconfig.h.cmake.in b/include/znc/zncconfig.h.cmake.in index 42ed09d7..6d725dc9 100644 --- a/include/znc/zncconfig.h.cmake.in +++ b/include/znc/zncconfig.h.cmake.in @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/CMakeLists.txt b/modules/CMakeLists.txt index e25ec2b3..3cb8b813 100644 --- a/modules/CMakeLists.txt +++ b/modules/CMakeLists.txt @@ -1,5 +1,5 @@ # -# Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. +# Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. diff --git a/modules/Makefile.in b/modules/Makefile.in index 70e65f9e..ea0ec029 100644 --- a/modules/Makefile.in +++ b/modules/Makefile.in @@ -1,5 +1,5 @@ # -# Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. +# Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. diff --git a/modules/admindebug.cpp b/modules/admindebug.cpp index e7c5b0e5..b782bede 100644 --- a/modules/admindebug.cpp +++ b/modules/admindebug.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/adminlog.cpp b/modules/adminlog.cpp index 743c4695..51e2e564 100644 --- a/modules/adminlog.cpp +++ b/modules/adminlog.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/alias.cpp b/modules/alias.cpp index e3e6db8a..eb5301fe 100644 --- a/modules/alias.cpp +++ b/modules/alias.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/autoattach.cpp b/modules/autoattach.cpp index 7e02166b..e9d11deb 100644 --- a/modules/autoattach.cpp +++ b/modules/autoattach.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/autocycle.cpp b/modules/autocycle.cpp index d7309e5d..2fca1046 100644 --- a/modules/autocycle.cpp +++ b/modules/autocycle.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/autoop.cpp b/modules/autoop.cpp index 619ab433..12553c49 100644 --- a/modules/autoop.cpp +++ b/modules/autoop.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/autoreply.cpp b/modules/autoreply.cpp index 63e2a276..6a83c2e4 100644 --- a/modules/autoreply.cpp +++ b/modules/autoreply.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * Copyright (C) 2008 Michael "Svedrin" Ziegler diese-addy@funzt-halt.net * * Licensed under the Apache License, Version 2.0 (the "License"); diff --git a/modules/autovoice.cpp b/modules/autovoice.cpp index e8787209..f1d530b6 100644 --- a/modules/autovoice.cpp +++ b/modules/autovoice.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/awaynick.cpp b/modules/awaynick.cpp index 2c4b46cf..e076a519 100644 --- a/modules/awaynick.cpp +++ b/modules/awaynick.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/awaystore.cpp b/modules/awaystore.cpp index a70bad1b..c1f65050 100644 --- a/modules/awaystore.cpp +++ b/modules/awaystore.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * Author: imaginos * * Licensed under the Apache License, Version 2.0 (the "License"); diff --git a/modules/block_motd.cpp b/modules/block_motd.cpp index 6c795765..742651ea 100644 --- a/modules/block_motd.cpp +++ b/modules/block_motd.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/bouncedcc.cpp b/modules/bouncedcc.cpp index 51df3951..7d56f743 100644 --- a/modules/bouncedcc.cpp +++ b/modules/bouncedcc.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/buffextras.cpp b/modules/buffextras.cpp index 13cd86f1..e6e0bd7e 100644 --- a/modules/buffextras.cpp +++ b/modules/buffextras.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/cert.cpp b/modules/cert.cpp index ecc1ed5d..c4744bd8 100644 --- a/modules/cert.cpp +++ b/modules/cert.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/certauth.cpp b/modules/certauth.cpp index a20619d8..bfba4d3f 100644 --- a/modules/certauth.cpp +++ b/modules/certauth.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/chansaver.cpp b/modules/chansaver.cpp index 240f0e84..c7b82412 100644 --- a/modules/chansaver.cpp +++ b/modules/chansaver.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/clearbufferonmsg.cpp b/modules/clearbufferonmsg.cpp index adbe0b46..c85e7aa0 100644 --- a/modules/clearbufferonmsg.cpp +++ b/modules/clearbufferonmsg.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/clientnotify.cpp b/modules/clientnotify.cpp index dd7915cd..e26257a6 100644 --- a/modules/clientnotify.cpp +++ b/modules/clientnotify.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/controlpanel.cpp b/modules/controlpanel.cpp index 168b494b..04fd6802 100644 --- a/modules/controlpanel.cpp +++ b/modules/controlpanel.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * Copyright (C) 2008 by Stefan Rado * based on admin.cpp by Sebastian Ramacher * based on admin.cpp in crox branch diff --git a/modules/crypt.cpp b/modules/crypt.cpp index ffb4f044..a64e9c2b 100644 --- a/modules/crypt.cpp +++ b/modules/crypt.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/ctcpflood.cpp b/modules/ctcpflood.cpp index 4b3bc926..c9833651 100644 --- a/modules/ctcpflood.cpp +++ b/modules/ctcpflood.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/cyrusauth.cpp b/modules/cyrusauth.cpp index 52bdfb37..03a30c16 100644 --- a/modules/cyrusauth.cpp +++ b/modules/cyrusauth.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * Copyright (C) 2008 Heiko Hund * * Licensed under the Apache License, Version 2.0 (the "License"); diff --git a/modules/dcc.cpp b/modules/dcc.cpp index 2c9749cf..b770de1a 100644 --- a/modules/dcc.cpp +++ b/modules/dcc.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/disconkick.cpp b/modules/disconkick.cpp index a5e145e9..685fb5a8 100644 --- a/modules/disconkick.cpp +++ b/modules/disconkick.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/fail2ban.cpp b/modules/fail2ban.cpp index ad029c3f..b6c87710 100644 --- a/modules/fail2ban.cpp +++ b/modules/fail2ban.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/flooddetach.cpp b/modules/flooddetach.cpp index 17ad7d13..cd39586e 100644 --- a/modules/flooddetach.cpp +++ b/modules/flooddetach.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/identfile.cpp b/modules/identfile.cpp index 82bff2d0..b7cfe17d 100644 --- a/modules/identfile.cpp +++ b/modules/identfile.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/imapauth.cpp b/modules/imapauth.cpp index e63084ad..6aab5d0c 100644 --- a/modules/imapauth.cpp +++ b/modules/imapauth.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/keepnick.cpp b/modules/keepnick.cpp index 5e9d43f6..386f4440 100644 --- a/modules/keepnick.cpp +++ b/modules/keepnick.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/kickrejoin.cpp b/modules/kickrejoin.cpp index 2cb136bd..2b9ca4ec 100644 --- a/modules/kickrejoin.cpp +++ b/modules/kickrejoin.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * This was originally written by cycomate. * * Licensed under the Apache License, Version 2.0 (the "License"); diff --git a/modules/lastseen.cpp b/modules/lastseen.cpp index 6ab55727..add494bd 100644 --- a/modules/lastseen.cpp +++ b/modules/lastseen.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/listsockets.cpp b/modules/listsockets.cpp index 40ef8e5c..c5b84234 100644 --- a/modules/listsockets.cpp +++ b/modules/listsockets.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/log.cpp b/modules/log.cpp index 2116843d..744a2ab2 100644 --- a/modules/log.cpp +++ b/modules/log.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * Copyright (C) 2006-2007, CNU *(http://cnu.dieplz.net/znc) * diff --git a/modules/missingmotd.cpp b/modules/missingmotd.cpp index 30657b0d..685573d9 100644 --- a/modules/missingmotd.cpp +++ b/modules/missingmotd.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/modperl.cpp b/modules/modperl.cpp index 415f52b3..0e2be5d2 100644 --- a/modules/modperl.cpp +++ b/modules/modperl.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/modperl/CMakeLists.txt b/modules/modperl/CMakeLists.txt index 0170c059..5fe18856 100644 --- a/modules/modperl/CMakeLists.txt +++ b/modules/modperl/CMakeLists.txt @@ -1,5 +1,5 @@ # -# Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. +# Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. diff --git a/modules/modperl/codegen.pl b/modules/modperl/codegen.pl index 13b6dd40..66667ba9 100755 --- a/modules/modperl/codegen.pl +++ b/modules/modperl/codegen.pl @@ -1,6 +1,6 @@ #!/usr/bin/env perl # -# Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. +# Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. diff --git a/modules/modperl/modperl.i b/modules/modperl/modperl.i index a29b3ee6..7184f7f4 100644 --- a/modules/modperl/modperl.i +++ b/modules/modperl/modperl.i @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/modperl/module.h b/modules/modperl/module.h index 354f2def..c3a33c74 100644 --- a/modules/modperl/module.h +++ b/modules/modperl/module.h @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/modperl/pstring.h b/modules/modperl/pstring.h index 22670f97..e233cfd8 100644 --- a/modules/modperl/pstring.h +++ b/modules/modperl/pstring.h @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/modperl/startup.pl b/modules/modperl/startup.pl index 0a90b27e..fe4c2a9d 100644 --- a/modules/modperl/startup.pl +++ b/modules/modperl/startup.pl @@ -1,5 +1,5 @@ # -# Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. +# Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. diff --git a/modules/modpython.cpp b/modules/modpython.cpp index 8bbae683..dfe53b5b 100644 --- a/modules/modpython.cpp +++ b/modules/modpython.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/modpython/CMakeLists.txt b/modules/modpython/CMakeLists.txt index ed715eda..487dbf9e 100644 --- a/modules/modpython/CMakeLists.txt +++ b/modules/modpython/CMakeLists.txt @@ -1,5 +1,5 @@ # -# Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. +# Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. diff --git a/modules/modpython/codegen.pl b/modules/modpython/codegen.pl index 805f9492..2db6d036 100755 --- a/modules/modpython/codegen.pl +++ b/modules/modpython/codegen.pl @@ -1,6 +1,6 @@ #!/usr/bin/env perl # -# Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. +# Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. diff --git a/modules/modpython/modpython.i b/modules/modpython/modpython.i index 7baaf31a..8e304c97 100644 --- a/modules/modpython/modpython.i +++ b/modules/modpython/modpython.i @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/modpython/module.h b/modules/modpython/module.h index b1f80a2d..e3be5685 100644 --- a/modules/modpython/module.h +++ b/modules/modpython/module.h @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/modpython/ret.h b/modules/modpython/ret.h index 31064b53..2a376597 100644 --- a/modules/modpython/ret.h +++ b/modules/modpython/ret.h @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/modpython/znc.py b/modules/modpython/znc.py index 3231592a..e664367f 100644 --- a/modules/modpython/znc.py +++ b/modules/modpython/znc.py @@ -1,5 +1,5 @@ # -# Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. +# Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. diff --git a/modules/modtcl.cpp b/modules/modtcl.cpp index 4f3900b7..c64bc43f 100644 --- a/modules/modtcl.cpp +++ b/modules/modtcl.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/modtcl/CMakeLists.txt b/modules/modtcl/CMakeLists.txt index d6e32a81..78fba1d6 100644 --- a/modules/modtcl/CMakeLists.txt +++ b/modules/modtcl/CMakeLists.txt @@ -1,5 +1,5 @@ # -# Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. +# Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. diff --git a/modules/modtcl/binds.tcl b/modules/modtcl/binds.tcl index 0fc351c7..224b875d 100644 --- a/modules/modtcl/binds.tcl +++ b/modules/modtcl/binds.tcl @@ -1,4 +1,4 @@ -# Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. +# Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. diff --git a/modules/modtcl/modtcl.tcl b/modules/modtcl/modtcl.tcl index e3f24438..0ae398b6 100644 --- a/modules/modtcl/modtcl.tcl +++ b/modules/modtcl/modtcl.tcl @@ -1,4 +1,4 @@ -# Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. +# Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. diff --git a/modules/modules_online.cpp b/modules/modules_online.cpp index 186004ac..5e908651 100644 --- a/modules/modules_online.cpp +++ b/modules/modules_online.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/nickserv.cpp b/modules/nickserv.cpp index 31b31b78..8a606f10 100644 --- a/modules/nickserv.cpp +++ b/modules/nickserv.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/notes.cpp b/modules/notes.cpp index 8dfce9ef..70e939da 100644 --- a/modules/notes.cpp +++ b/modules/notes.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/notify_connect.cpp b/modules/notify_connect.cpp index 709ec206..e5a2e0c7 100644 --- a/modules/notify_connect.cpp +++ b/modules/notify_connect.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/perform.cpp b/modules/perform.cpp index b392e298..af0452aa 100644 --- a/modules/perform.cpp +++ b/modules/perform.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/perleval.pm b/modules/perleval.pm index 793484a5..22f76fc6 100644 --- a/modules/perleval.pm +++ b/modules/perleval.pm @@ -1,5 +1,5 @@ # -# Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. +# Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. diff --git a/modules/po/CMakeLists.txt b/modules/po/CMakeLists.txt index 3fe3c1c7..9e495c97 100644 --- a/modules/po/CMakeLists.txt +++ b/modules/po/CMakeLists.txt @@ -1,5 +1,5 @@ # -# Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. +# Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. diff --git a/modules/pyeval.py b/modules/pyeval.py index 5b05ad03..750f41b9 100644 --- a/modules/pyeval.py +++ b/modules/pyeval.py @@ -1,5 +1,5 @@ # -# Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. +# Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. diff --git a/modules/raw.cpp b/modules/raw.cpp index 39ec640f..6acdd63c 100644 --- a/modules/raw.cpp +++ b/modules/raw.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/route_replies.cpp b/modules/route_replies.cpp index 97db5d96..a07ad47b 100644 --- a/modules/route_replies.cpp +++ b/modules/route_replies.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/sample.cpp b/modules/sample.cpp index 2952511f..aa8f1cca 100644 --- a/modules/sample.cpp +++ b/modules/sample.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/samplewebapi.cpp b/modules/samplewebapi.cpp index 3a73da11..d7d92eea 100644 --- a/modules/samplewebapi.cpp +++ b/modules/samplewebapi.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/sasl.cpp b/modules/sasl.cpp index 6233c639..193057b2 100644 --- a/modules/sasl.cpp +++ b/modules/sasl.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/savebuff.cpp b/modules/savebuff.cpp index eae69eab..95e613ad 100644 --- a/modules/savebuff.cpp +++ b/modules/savebuff.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * Author: imaginos * * Licensed under the Apache License, Version 2.0 (the "License"); diff --git a/modules/schat.cpp b/modules/schat.cpp index 841556bb..a4f980ec 100644 --- a/modules/schat.cpp +++ b/modules/schat.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * Author: imaginos * * Licensed under the Apache License, Version 2.0 (the "License"); diff --git a/modules/send_raw.cpp b/modules/send_raw.cpp index 444bb395..e0a889f0 100644 --- a/modules/send_raw.cpp +++ b/modules/send_raw.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/shell.cpp b/modules/shell.cpp index b3261e7f..1f179e87 100644 --- a/modules/shell.cpp +++ b/modules/shell.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/simple_away.cpp b/modules/simple_away.cpp index 58dce4d1..cb4cf7e6 100644 --- a/modules/simple_away.cpp +++ b/modules/simple_away.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/stickychan.cpp b/modules/stickychan.cpp index 23333724..6a3f0664 100644 --- a/modules/stickychan.cpp +++ b/modules/stickychan.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/stripcontrols.cpp b/modules/stripcontrols.cpp index 8eccb2bf..ef3848cb 100644 --- a/modules/stripcontrols.cpp +++ b/modules/stripcontrols.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/watch.cpp b/modules/watch.cpp index c9503433..c23e6271 100644 --- a/modules/watch.cpp +++ b/modules/watch.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/webadmin.cpp b/modules/webadmin.cpp index c3f4376a..37caa68c 100644 --- a/modules/webadmin.cpp +++ b/modules/webadmin.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/src/Buffer.cpp b/src/Buffer.cpp index e9c11f70..a7733da8 100644 --- a/src/Buffer.cpp +++ b/src/Buffer.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/src/CMakeLists.txt b/src/CMakeLists.txt index d1232db8..bea1d7c9 100644 --- a/src/CMakeLists.txt +++ b/src/CMakeLists.txt @@ -1,5 +1,5 @@ # -# Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. +# Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. diff --git a/src/Chan.cpp b/src/Chan.cpp index 1b824ceb..8ac6f502 100644 --- a/src/Chan.cpp +++ b/src/Chan.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/src/Client.cpp b/src/Client.cpp index eb5834d2..c7a35dbe 100644 --- a/src/Client.cpp +++ b/src/Client.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/src/ClientCommand.cpp b/src/ClientCommand.cpp index 3529756f..f9764dd8 100644 --- a/src/ClientCommand.cpp +++ b/src/ClientCommand.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/src/Config.cpp b/src/Config.cpp index aabaa9a4..520e4139 100644 --- a/src/Config.cpp +++ b/src/Config.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/src/FileUtils.cpp b/src/FileUtils.cpp index 35c01cb0..9fd1a3cc 100644 --- a/src/FileUtils.cpp +++ b/src/FileUtils.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/src/HTTPSock.cpp b/src/HTTPSock.cpp index 8640c261..9da7c5ad 100644 --- a/src/HTTPSock.cpp +++ b/src/HTTPSock.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/src/IRCNetwork.cpp b/src/IRCNetwork.cpp index 6d5df0af..2855f526 100644 --- a/src/IRCNetwork.cpp +++ b/src/IRCNetwork.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/src/IRCSock.cpp b/src/IRCSock.cpp index af1ccaa8..e5868074 100644 --- a/src/IRCSock.cpp +++ b/src/IRCSock.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/src/Listener.cpp b/src/Listener.cpp index 254f12f4..1eec8125 100644 --- a/src/Listener.cpp +++ b/src/Listener.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/src/Message.cpp b/src/Message.cpp index 022a7cfc..a8dd0c70 100644 --- a/src/Message.cpp +++ b/src/Message.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/src/Modules.cpp b/src/Modules.cpp index 6239d27e..9707d917 100644 --- a/src/Modules.cpp +++ b/src/Modules.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/src/Nick.cpp b/src/Nick.cpp index eb69a81b..79aeb5bf 100644 --- a/src/Nick.cpp +++ b/src/Nick.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/src/Query.cpp b/src/Query.cpp index d917cfc0..e1aa2df2 100644 --- a/src/Query.cpp +++ b/src/Query.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/src/SSLVerifyHost.cpp b/src/SSLVerifyHost.cpp index f75496fa..02da1c9c 100644 --- a/src/SSLVerifyHost.cpp +++ b/src/SSLVerifyHost.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/src/Server.cpp b/src/Server.cpp index b9cabccf..e14b8b95 100644 --- a/src/Server.cpp +++ b/src/Server.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/src/Socket.cpp b/src/Socket.cpp index ebd2d204..206ddef2 100644 --- a/src/Socket.cpp +++ b/src/Socket.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/src/Template.cpp b/src/Template.cpp index 8817a03c..be2c0634 100644 --- a/src/Template.cpp +++ b/src/Template.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/src/Threads.cpp b/src/Threads.cpp index c0eb7a2a..4aa608e0 100644 --- a/src/Threads.cpp +++ b/src/Threads.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/src/Translation.cpp b/src/Translation.cpp index 65636d2b..f7f832c4 100644 --- a/src/Translation.cpp +++ b/src/Translation.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/src/User.cpp b/src/User.cpp index 428e0906..14637c16 100644 --- a/src/User.cpp +++ b/src/User.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/src/Utils.cpp b/src/Utils.cpp index 3c5aa530..0a87f36e 100644 --- a/src/Utils.cpp +++ b/src/Utils.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/src/WebModules.cpp b/src/WebModules.cpp index 8483933e..62630321 100644 --- a/src/WebModules.cpp +++ b/src/WebModules.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/src/ZNCDebug.cpp b/src/ZNCDebug.cpp index a7d7eb75..96e5ebe9 100644 --- a/src/ZNCDebug.cpp +++ b/src/ZNCDebug.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/src/ZNCString.cpp b/src/ZNCString.cpp index 6927d79d..6eb762f1 100644 --- a/src/ZNCString.cpp +++ b/src/ZNCString.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/src/main.cpp b/src/main.cpp index d63fed6d..6e989944 100644 --- a/src/main.cpp +++ b/src/main.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/src/version.cpp.in b/src/version.cpp.in index 71e261ca..7d4fffbb 100644 --- a/src/version.cpp.in +++ b/src/version.cpp.in @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/src/znc.cpp b/src/znc.cpp index bd127a41..9ecc1c50 100644 --- a/src/znc.cpp +++ b/src/znc.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/test/BufferTest.cpp b/test/BufferTest.cpp index 743ad886..ebb78dca 100644 --- a/test/BufferTest.cpp +++ b/test/BufferTest.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/test/CMakeLists.txt b/test/CMakeLists.txt index 725b15cf..d387b3ef 100644 --- a/test/CMakeLists.txt +++ b/test/CMakeLists.txt @@ -1,5 +1,5 @@ # -# Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. +# Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. diff --git a/test/ClientTest.cpp b/test/ClientTest.cpp index f1f161e6..87e4446a 100644 --- a/test/ClientTest.cpp +++ b/test/ClientTest.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/test/ConfigTest.cpp b/test/ConfigTest.cpp index e9fe4d2b..3795ea10 100644 --- a/test/ConfigTest.cpp +++ b/test/ConfigTest.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/test/IRCSockTest.cpp b/test/IRCSockTest.cpp index 3771105f..e517ae24 100644 --- a/test/IRCSockTest.cpp +++ b/test/IRCSockTest.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/test/IRCTest.h b/test/IRCTest.h index 27475ea2..851b589c 100644 --- a/test/IRCTest.h +++ b/test/IRCTest.h @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/test/MessageTest.cpp b/test/MessageTest.cpp index 11a5546b..f10952b2 100644 --- a/test/MessageTest.cpp +++ b/test/MessageTest.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/test/ModulesTest.cpp b/test/ModulesTest.cpp index d73e041a..3d0455bd 100644 --- a/test/ModulesTest.cpp +++ b/test/ModulesTest.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/test/NetworkTest.cpp b/test/NetworkTest.cpp index 3ecd2357..59cdd0f9 100644 --- a/test/NetworkTest.cpp +++ b/test/NetworkTest.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/test/NickTest.cpp b/test/NickTest.cpp index 090ccd86..3aede080 100644 --- a/test/NickTest.cpp +++ b/test/NickTest.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/test/QueryTest.cpp b/test/QueryTest.cpp index 541224b5..aaa13bca 100644 --- a/test/QueryTest.cpp +++ b/test/QueryTest.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/test/StringTest.cpp b/test/StringTest.cpp index 14bade4a..aef7881d 100644 --- a/test/StringTest.cpp +++ b/test/StringTest.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/test/ThreadTest.cpp b/test/ThreadTest.cpp index 7a2f9194..3991ee88 100644 --- a/test/ThreadTest.cpp +++ b/test/ThreadTest.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/test/UserTest.cpp b/test/UserTest.cpp index 0d212000..1bfec981 100644 --- a/test/UserTest.cpp +++ b/test/UserTest.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/test/UtilsTest.cpp b/test/UtilsTest.cpp index cd19157f..58c61ac4 100644 --- a/test/UtilsTest.cpp +++ b/test/UtilsTest.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/zz_msg/CMakeLists.txt b/zz_msg/CMakeLists.txt index f5863ce7..6d070077 100644 --- a/zz_msg/CMakeLists.txt +++ b/zz_msg/CMakeLists.txt @@ -1,5 +1,5 @@ # -# Copyright (C) 2004-2019 ZNC, see the NOTICE file for details. +# Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. From c14445a9ecffd579cddcac3ba842b549601db652 Mon Sep 17 00:00:00 2001 From: paradix Date: Fri, 3 Jan 2020 21:58:30 +0100 Subject: [PATCH 350/798] watch module: changed internal buffer to query for multi-client support --- modules/watch.cpp | 35 ++++++----------------------------- 1 file changed, 6 insertions(+), 29 deletions(-) diff --git a/modules/watch.cpp b/modules/watch.cpp index c23e6271..46819f88 100644 --- a/modules/watch.cpp +++ b/modules/watch.cpp @@ -16,6 +16,7 @@ #include #include +#include using std::list; using std::vector; @@ -173,7 +174,6 @@ class CWatchEntry { class CWatcherMod : public CModule { public: MODCONSTRUCTOR(CWatcherMod) { - m_Buffer.SetLineCount(500); Load(); } @@ -186,17 +186,6 @@ class CWatcherMod : public CModule { Channel.GetName()); } - void OnClientLogin() override { - MCString msParams; - msParams["target"] = GetNetwork()->GetCurNick(); - - size_t uSize = m_Buffer.Size(); - for (unsigned int uIdx = 0; uIdx < uSize; uIdx++) { - PutUser(m_Buffer.GetLine(uIdx, *GetClient(), msParams)); - } - m_Buffer.Clear(); - } - void OnKick(const CNick& OpNick, const CString& sKickedNick, CChan& Channel, const CString& sMessage) override { Process(OpNick, @@ -333,15 +322,6 @@ class CWatcherMod : public CModule { m_lsWatchers.clear(); PutModule(t_s("All entries cleared.")); Save(); - } else if (sCmdName.Equals("BUFFER")) { - CString sCount = sCommand.Token(1); - - if (sCount.size()) { - m_Buffer.SetLineCount(sCount.ToUInt()); - } - - PutModule( - t_f("Buffer count is set to {1}")(m_Buffer.GetLineCount())); } else if (sCmdName.Equals("DEL")) { Remove(sCommand.Token(1).ToUInt()); } else { @@ -377,10 +357,14 @@ class CWatcherMod : public CModule { "!watch@znc.in PRIVMSG " + pNetwork->GetCurNick() + " :" + sMessage); } else { - m_Buffer.AddLine( + CQuery* pQuery = pNetwork->AddQuery(WatchEntry.GetTarget()); + if (pQuery) { + + pQuery->AddBuffer( ":" + _NAMEDFMT(WatchEntry.GetTarget()) + "!watch@znc.in PRIVMSG {target} :{text}", sMessage); + } } sHandledTargets.insert(WatchEntry.GetTarget()); } @@ -649,12 +633,6 @@ class CWatcherMod : public CModule { t_s("Description"), t_s("Enable or disable detached channel only for an entry.")); - Table.AddRow(); - Table.SetCell(t_s("Command"), t_s("Buffer [Count]")); - Table.SetCell( - t_s("Description"), - t_s("Show/Set the amount of buffered lines while detached.")); - Table.AddRow(); Table.SetCell(t_s("Command"), t_s("SetSources [#chan priv #foo* !#bar]")); @@ -766,7 +744,6 @@ class CWatcherMod : public CModule { } list m_lsWatchers; - CBuffer m_Buffer; }; template <> From 5b5ab5cf83581c5c72201285a070e99c9569152b Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Sun, 5 Jan 2020 11:18:44 +0000 Subject: [PATCH 351/798] Support python 3.9 Fix #1702 --- CMakeLists.txt | 13 +++++++++---- README.md | 2 +- configure.ac | 4 ++-- modules/modpython/znc.py | 8 ++++---- 4 files changed, 16 insertions(+), 11 deletions(-) diff --git a/CMakeLists.txt b/CMakeLists.txt index 1fbeaddb..648d07db 100644 --- a/CMakeLists.txt +++ b/CMakeLists.txt @@ -196,14 +196,19 @@ if (WANT_PYTHON) message(FATAL_ERROR "Invalid value of WANT_PYTHON_VERSION") endif() endif() - # Compatibility with pkg-config variables - set(Python3_LDFLAGS "${Python3_LIBRARIES}") + if (Python3_FOUND AND Python3_VERSION VERSION_LESS 3.3) + message(STATUS "Python too old, need at least 3.3") + set(Python3_FOUND OFF) + else() + # Compatibility with pkg-config variables + set(Python3_LDFLAGS "${Python3_LIBRARIES}") + endif() endif() if (NOT Python3_FOUND AND WANT_PYTHON_VERSION MATCHES "^python") # Since python 3.8, -embed is required for embedding. - pkg_check_modules(Python3 "${WANT_PYTHON_VERSION}-embed >= 3.0") + pkg_check_modules(Python3 "${WANT_PYTHON_VERSION}-embed >= 3.3") if (NOT Python3_FOUND) - pkg_check_modules(Python3 "${WANT_PYTHON_VERSION} >= 3.0") + pkg_check_modules(Python3 "${WANT_PYTHON_VERSION} >= 3.3") endif() endif() if (NOT Python3_FOUND) diff --git a/README.md b/README.md index 6ab52284..82f3f3b9 100644 --- a/README.md +++ b/README.md @@ -43,7 +43,7 @@ modperl: * SWIG if building from git modpython: -* python3 and its bundled libpython +* python 3.3+ and its bundled libpython * perl is a build dependency * macOS: Python from Homebrew is preferred over system version * SWIG if building from git diff --git a/configure.ac b/configure.ac index 3298f04e..2dd5b1d3 100644 --- a/configure.ac +++ b/configure.ac @@ -570,8 +570,8 @@ if test "x$PYTHON" != "xno"; then if test -z "$PKG_CONFIG"; then AC_MSG_ERROR([pkg-config is required for modpython.]) fi - PKG_CHECK_MODULES([python], [$PYTHON-embed >= 3.0],, [ - PKG_CHECK_MODULES([python], [$PYTHON >= 3.0],, AC_MSG_ERROR([$PYTHON.pc not found or is wrong. Try --disable-python or install python3.])) + PKG_CHECK_MODULES([python], [$PYTHON-embed >= 3.3],, [ + PKG_CHECK_MODULES([python], [$PYTHON >= 3.3],, AC_MSG_ERROR([$PYTHON.pc not found or is wrong. Try --disable-python or install python3.])) ]) my_saved_LIBS="$LIBS" my_saved_CXXFLAGS="$CXXFLAGS" diff --git a/modules/modpython/znc.py b/modules/modpython/znc.py index e664367f..478c5a39 100644 --- a/modules/modpython/znc.py +++ b/modules/modpython/znc.py @@ -25,7 +25,7 @@ from functools import wraps import imp import re import traceback -import collections +import collections.abc from znc_core import * @@ -125,7 +125,7 @@ class Timer: pass -class ModuleNVIter(collections.Iterator): +class ModuleNVIter(collections.abc.Iterator): def __init__(self, cmod): self._cmod = cmod self.it = cmod.BeginNV_() @@ -138,7 +138,7 @@ class ModuleNVIter(collections.Iterator): return res -class ModuleNV(collections.MutableMapping): +class ModuleNV(collections.abc.MutableMapping): def __init__(self, cmod): self._cmod = cmod @@ -957,7 +957,7 @@ CModule.AddSocket = FreeOwnership(func=CModule.AddSocket) CModule.AddSubPage = FreeOwnership(func=CModule.AddSubPage) -class ModulesIter(collections.Iterator): +class ModulesIter(collections.abc.Iterator): def __init__(self, cmod): self._cmod = cmod From 34645658ab015b6cebcc1ebe142eb15028c1a35c Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Sun, 5 Jan 2020 11:28:49 +0000 Subject: [PATCH 352/798] CMake: stop requiring C compiler --- CMakeLists.txt | 2 +- cmake/cxx11check/CMakeLists.txt | 2 +- cmake/perl_check/CMakeLists.txt | 2 +- test/integration/CMakeLists.txt | 2 +- znc-buildmod.cmake.in | 2 +- 5 files changed, 5 insertions(+), 5 deletions(-) diff --git a/CMakeLists.txt b/CMakeLists.txt index 648d07db..a80eae58 100644 --- a/CMakeLists.txt +++ b/CMakeLists.txt @@ -15,7 +15,7 @@ # cmake_minimum_required(VERSION 3.1) -project(ZNC VERSION 1.8.0) +project(ZNC VERSION 1.8.0 LANGUAGES CXX) set(ZNC_VERSION 1.8.x) set(append_git_version true) set(alpha_version "") # e.g. "-rc1" diff --git a/cmake/cxx11check/CMakeLists.txt b/cmake/cxx11check/CMakeLists.txt index e5936fe6..b83740cd 100644 --- a/cmake/cxx11check/CMakeLists.txt +++ b/cmake/cxx11check/CMakeLists.txt @@ -15,7 +15,7 @@ # cmake_minimum_required(VERSION 3.0) -project(cxx11check) +project(cxx11check LANGUAGES CXX) set(CMAKE_VERBOSE_MAKEFILE true) set(CMAKE_CXX_STANDARD 11) diff --git a/cmake/perl_check/CMakeLists.txt b/cmake/perl_check/CMakeLists.txt index 5ecc7057..86fa1219 100644 --- a/cmake/perl_check/CMakeLists.txt +++ b/cmake/perl_check/CMakeLists.txt @@ -15,7 +15,7 @@ # cmake_minimum_required(VERSION 3.0) -project(perl_check) +project(perl_check LANGUAGES CXX) set(CMAKE_VERBOSE_MAKEFILE true) if(APPLE) diff --git a/test/integration/CMakeLists.txt b/test/integration/CMakeLists.txt index 033eb5b2..a6eb3e7e 100644 --- a/test/integration/CMakeLists.txt +++ b/test/integration/CMakeLists.txt @@ -15,7 +15,7 @@ # cmake_minimum_required(VERSION 3.0) -project(ZNCIntegrationTest) +project(ZNCIntegrationTest LANGUAGES CXX) set(CMAKE_CXX_STANDARD 11) set(CMAKE_CXX_STANDARD_REQUIRED true) diff --git a/znc-buildmod.cmake.in b/znc-buildmod.cmake.in index 356cf01c..e6a55b19 100755 --- a/znc-buildmod.cmake.in +++ b/znc-buildmod.cmake.in @@ -57,7 +57,7 @@ args = parser.parse_args() with tempfile.TemporaryDirectory() as cmdir: with open(os.path.join(cmdir, 'CMakeLists.txt'), 'w') as cm: print('cmake_minimum_required(VERSION 3.1)', file=cm) - print('project(ExternalModules)', file=cm) + print('project(ExternalModules LANGUAGES CXX)', file=cm) print('find_package(ZNC @ZNC_VERSION_MAJOR@.@ZNC_VERSION_MINOR@ HINTS ' '@CMAKE_INSTALL_FULL_DATADIR@/znc REQUIRED)', file=cm) if args.verbose > 0: From f3d79224990b5969c756fd36759887c0df06bc28 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Sun, 5 Jan 2020 11:37:51 +0000 Subject: [PATCH 353/798] Update copyright in files which were missing in the previous update --- ZNCConfig.cmake.in | 2 +- cmake/copy_csocket_cmd.cmake | 2 +- cmake/gen_version.cmake | 2 +- cmake/perl_check/main.cpp | 2 +- cmake/render_framed_multiline.cmake | 2 +- cmake/translation.cmake | 2 +- cmake/translation_tmpl.py | 2 +- configure.sh | 2 +- include/CMakeLists.txt | 2 +- modules/blockuser.cpp | 2 +- modules/modperl/codegen.pl | 2 +- modules/modpython/codegen.pl | 2 +- src/po/CMakeLists.txt | 2 +- test/integration/CMakeLists.txt | 2 +- test/integration/autoconf-all.cpp | 2 +- test/integration/framework/base.cpp | 2 +- test/integration/framework/base.h | 2 +- test/integration/framework/main.cpp | 2 +- test/integration/framework/znctest.cpp | 2 +- test/integration/framework/znctest.h | 2 +- test/integration/tests/core.cpp | 2 +- test/integration/tests/modules.cpp | 2 +- test/integration/tests/scripting.cpp | 2 +- translation_pot.py | 2 +- znc-buildmod.cmake.in | 2 +- 25 files changed, 25 insertions(+), 25 deletions(-) diff --git a/ZNCConfig.cmake.in b/ZNCConfig.cmake.in index 3e921846..837101b3 100644 --- a/ZNCConfig.cmake.in +++ b/ZNCConfig.cmake.in @@ -1,5 +1,5 @@ # -# Copyright (C) 2004-2016 ZNC, see the NOTICE file for details. +# Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. diff --git a/cmake/copy_csocket_cmd.cmake b/cmake/copy_csocket_cmd.cmake index fc4f250c..bc49e0a5 100644 --- a/cmake/copy_csocket_cmd.cmake +++ b/cmake/copy_csocket_cmd.cmake @@ -1,5 +1,5 @@ # -# Copyright (C) 2004-2016 ZNC, see the NOTICE file for details. +# Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. diff --git a/cmake/gen_version.cmake b/cmake/gen_version.cmake index e0993e59..0b2be893 100644 --- a/cmake/gen_version.cmake +++ b/cmake/gen_version.cmake @@ -1,5 +1,5 @@ # -# Copyright (C) 2004-2016 ZNC, see the NOTICE file for details. +# Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. diff --git a/cmake/perl_check/main.cpp b/cmake/perl_check/main.cpp index 9d8137fa..e1821aa6 100644 --- a/cmake/perl_check/main.cpp +++ b/cmake/perl_check/main.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2016 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/cmake/render_framed_multiline.cmake b/cmake/render_framed_multiline.cmake index 16bebdbb..de5a0114 100644 --- a/cmake/render_framed_multiline.cmake +++ b/cmake/render_framed_multiline.cmake @@ -1,5 +1,5 @@ # -# Copyright (C) 2004-2016 ZNC, see the NOTICE file for details. +# Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. diff --git a/cmake/translation.cmake b/cmake/translation.cmake index 7eff7e2f..a845116e 100644 --- a/cmake/translation.cmake +++ b/cmake/translation.cmake @@ -1,5 +1,5 @@ # -# Copyright (C) 2004-2016 ZNC, see the NOTICE file for details. +# Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. diff --git a/cmake/translation_tmpl.py b/cmake/translation_tmpl.py index d1739c91..780eee49 100755 --- a/cmake/translation_tmpl.py +++ b/cmake/translation_tmpl.py @@ -1,6 +1,6 @@ #!/usr/bin/env python3 # -# Copyright (C) 2004-2016 ZNC, see the NOTICE file for details. +# Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. diff --git a/configure.sh b/configure.sh index 097c0597..23ad70a2 100755 --- a/configure.sh +++ b/configure.sh @@ -1,6 +1,6 @@ #!/bin/sh # -# Copyright (C) 2004-2016 ZNC, see the NOTICE file for details. +# Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. diff --git a/include/CMakeLists.txt b/include/CMakeLists.txt index 17003377..ac33dc1e 100644 --- a/include/CMakeLists.txt +++ b/include/CMakeLists.txt @@ -1,5 +1,5 @@ # -# Copyright (C) 2004-2016 ZNC, see the NOTICE file for details. +# Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. diff --git a/modules/blockuser.cpp b/modules/blockuser.cpp index 985a0dab..a06ca810 100644 --- a/modules/blockuser.cpp +++ b/modules/blockuser.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2016 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/modperl/codegen.pl b/modules/modperl/codegen.pl index 66667ba9..2abed5af 100755 --- a/modules/modperl/codegen.pl +++ b/modules/modperl/codegen.pl @@ -25,7 +25,7 @@ open my $out, ">", $ARGV[1] or die; print $out <<'EOF'; /* - * Copyright (C) 2004-2016 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/modpython/codegen.pl b/modules/modpython/codegen.pl index 2db6d036..6143e8e1 100755 --- a/modules/modpython/codegen.pl +++ b/modules/modpython/codegen.pl @@ -27,7 +27,7 @@ open my $out, ">", $ARGV[1] or die; print $out <<'EOF'; /* - * Copyright (C) 2004-2016 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/src/po/CMakeLists.txt b/src/po/CMakeLists.txt index 9b91697a..baddf276 100644 --- a/src/po/CMakeLists.txt +++ b/src/po/CMakeLists.txt @@ -1,5 +1,5 @@ # -# Copyright (C) 2004-2016 ZNC, see the NOTICE file for details. +# Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. diff --git a/test/integration/CMakeLists.txt b/test/integration/CMakeLists.txt index a6eb3e7e..98ab40f4 100644 --- a/test/integration/CMakeLists.txt +++ b/test/integration/CMakeLists.txt @@ -1,5 +1,5 @@ # -# Copyright (C) 2004-2016 ZNC, see the NOTICE file for details. +# Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. diff --git a/test/integration/autoconf-all.cpp b/test/integration/autoconf-all.cpp index ce89941e..d2c7a0eb 100644 --- a/test/integration/autoconf-all.cpp +++ b/test/integration/autoconf-all.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2016 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/test/integration/framework/base.cpp b/test/integration/framework/base.cpp index a7ad8058..0a6b15a0 100644 --- a/test/integration/framework/base.cpp +++ b/test/integration/framework/base.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2016 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/test/integration/framework/base.h b/test/integration/framework/base.h index 41eba8f2..795c5910 100644 --- a/test/integration/framework/base.h +++ b/test/integration/framework/base.h @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2016 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/test/integration/framework/main.cpp b/test/integration/framework/main.cpp index 65364d6b..710f3659 100644 --- a/test/integration/framework/main.cpp +++ b/test/integration/framework/main.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2016 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/test/integration/framework/znctest.cpp b/test/integration/framework/znctest.cpp index abdc9b70..0c4f01e9 100644 --- a/test/integration/framework/znctest.cpp +++ b/test/integration/framework/znctest.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2016 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/test/integration/framework/znctest.h b/test/integration/framework/znctest.h index 69afb5e8..6a90702e 100644 --- a/test/integration/framework/znctest.h +++ b/test/integration/framework/znctest.h @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2016 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/test/integration/tests/core.cpp b/test/integration/tests/core.cpp index fa927d26..8d8e32c3 100644 --- a/test/integration/tests/core.cpp +++ b/test/integration/tests/core.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2016 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/test/integration/tests/modules.cpp b/test/integration/tests/modules.cpp index 0589e246..7fb55bac 100644 --- a/test/integration/tests/modules.cpp +++ b/test/integration/tests/modules.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2016 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/test/integration/tests/scripting.cpp b/test/integration/tests/scripting.cpp index 3116f832..ddd50f13 100644 --- a/test/integration/tests/scripting.cpp +++ b/test/integration/tests/scripting.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2016 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/translation_pot.py b/translation_pot.py index d86e9dff..6ba8aae5 100755 --- a/translation_pot.py +++ b/translation_pot.py @@ -1,6 +1,6 @@ #!/usr/bin/env python3 # -# Copyright (C) 2004-2016 ZNC, see the NOTICE file for details. +# Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. diff --git a/znc-buildmod.cmake.in b/znc-buildmod.cmake.in index e6a55b19..ddd9217b 100755 --- a/znc-buildmod.cmake.in +++ b/znc-buildmod.cmake.in @@ -1,6 +1,6 @@ #!/bin/sh # -# Copyright (C) 2004-2016 ZNC, see the NOTICE file for details. +# Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. From 574ef8d53ab45e9b0c1e3b2fad9ac2e1fc196dcf Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Mon, 6 Jan 2020 00:27:19 +0000 Subject: [PATCH 354/798] Update translations from Crowdin for it_IT --- modules/po/webadmin.it_IT.po | 18 ++++++++++++------ 1 file changed, 12 insertions(+), 6 deletions(-) diff --git a/modules/po/webadmin.it_IT.po b/modules/po/webadmin.it_IT.po index 5010dad2..d2baec91 100644 --- a/modules/po/webadmin.it_IT.po +++ b/modules/po/webadmin.it_IT.po @@ -12,7 +12,7 @@ msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:12 msgid "Channel Info" -msgstr "Informazioni sul canale" +msgstr "Impostazioni ed informazioni per questo canale" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:17 msgid "Channel Name:" @@ -20,15 +20,15 @@ msgstr "Nome del canale:" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:19 msgid "The channel name." -msgstr "Il nome del canale." +msgstr "Inserisci il nome del canale che vuoi aggiungere" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:24 msgid "Key:" -msgstr "Chiave:" +msgstr "Password (Chiave):" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:26 msgid "The password of the channel, if there is one." -msgstr "La password del canale, se presente." +msgstr "Inserisci la password (chiave) del canale, se presente" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:30 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:241 @@ -38,7 +38,7 @@ msgstr "Dimensione del Buffer:" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:32 msgid "The buffer count." -msgstr "Il conteggio del buffer." +msgstr "Inserisci il numero di linee da utilizzare per il buffer" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:36 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:235 @@ -47,7 +47,9 @@ msgstr "Modes predefiniti:" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:38 msgid "The default modes of the channel." -msgstr "I modi di default del canale." +msgstr "" +"Inserisci i Modes di default che la ZNC tenta di impostare al canale quando " +"accedi ed è vuoto" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:46 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:270 @@ -199,12 +201,16 @@ msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:83 msgid "Automatically detect trusted certificates (Trust the PKI):" msgstr "" +"Rileva automaticamente i certificati attendibili (Fidati del PKI - Public " +"Key Infrastructure):" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:85 msgid "" "When disabled, manually whitelist all server fingerprints, even if the " "certificate is valid" msgstr "" +"Quando è disabilitato, tutte le fingerprints del server (impronte digitali) " +"vanno autorizzate manualmente, anche se il certificato è valido" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:89 #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:96 From af4a1dc4cce4832548ac451bf5fb8eb40e1a44ca Mon Sep 17 00:00:00 2001 From: paradix Date: Mon, 6 Jan 2020 17:06:50 +0100 Subject: [PATCH 355/798] refactor: added AddCommand instead of manual handling with OnModCommand --- modules/watch.cpp | 295 ++++++++++++++++++---------------------------- 1 file changed, 116 insertions(+), 179 deletions(-) diff --git a/modules/watch.cpp b/modules/watch.cpp index 46819f88..7366f685 100644 --- a/modules/watch.cpp +++ b/modules/watch.cpp @@ -16,7 +16,7 @@ #include #include -#include +#include using std::list; using std::vector; @@ -174,11 +174,61 @@ class CWatchEntry { class CWatcherMod : public CModule { public: MODCONSTRUCTOR(CWatcherMod) { - Load(); + AddHelpCommand(); + AddCommand("Add", static_cast(&CWatcherMod::Watch), " [Target] [Pattern]", "Used to add an entry to watch for."); + AddCommand("List", static_cast(&CWatcherMod::List), "", "List all entries being watched."); + AddCommand("Dump", static_cast(&CWatcherMod::Dump), "", "Dump a list of all current entries to be used later."); + AddCommand("Del", static_cast(&CWatcherMod::Remove), "", "Deletes Id from the list of watched entries."); + AddCommand("Clear", static_cast(&CWatcherMod::Clear), "", "Delete all entries."); + AddCommand("Enable", static_cast(&CWatcherMod::Enable), "", "Enable a disabled entry."); + AddCommand("Disable", static_cast(&CWatcherMod::Disable), "", "Disable (but don't delete) an entry."); + AddCommand("SetDetachedClientOnly", static_cast(&CWatcherMod::SetDetachedClientOnly), " ", "Enable or disable detached client only for an entry."); + AddCommand("SetDetachedChannelOnly", static_cast(&CWatcherMod::SetDetachedChannelOnly), " ", "Enable or disable detached channel only for an entry."); + AddCommand("SetSources", static_cast(&CWatcherMod::SetSources), " [#chan priv #foo* !#bar]", "Set the source channels that you care about."); } ~CWatcherMod() override {} + + bool OnLoad(const CString& sArgs, CString& sMessage) override { + // Just to make sure we don't mess up badly + m_lsWatchers.clear(); + + bool bWarn = false; + + for (MCString::iterator it = BeginNV(); it != EndNV(); ++it) { + VCString vList; + it->first.Split("\n", vList); + + // Backwards compatibility with the old save format + if (vList.size() != 5 && vList.size() != 7) { + bWarn = true; + continue; + } + + CWatchEntry WatchEntry(vList[0], vList[1], vList[2]); + if (vList[3].Equals("disabled")) + WatchEntry.SetDisabled(true); + else + WatchEntry.SetDisabled(false); + + // Backwards compatibility with the old save format + if (vList.size() == 5) { + WatchEntry.SetSources(vList[4]); + } else { + WatchEntry.SetDetachedClientOnly(vList[4].ToBool()); + WatchEntry.SetDetachedChannelOnly(vList[5].ToBool()); + WatchEntry.SetSources(vList[6]); + } + m_lsWatchers.push_back(WatchEntry); + } + + if (bWarn) + sMessage = t_s("WARNING: malformed entry found while loading"); + + return true; + } + void OnRawMode(const CNick& OpNick, CChan& Channel, const CString& sModes, const CString& sArgs) override { Process(OpNick, "* " + OpNick.GetNick() + " sets mode: " + sModes + @@ -271,64 +321,6 @@ class CWatcherMod : public CModule { return CONTINUE; } - void OnModCommand(const CString& sCommand) override { - CString sCmdName = sCommand.Token(0); - if (sCmdName.Equals("ADD") || sCmdName.Equals("WATCH")) { - Watch(sCommand.Token(1), sCommand.Token(2), - sCommand.Token(3, true)); - } else if (sCmdName.Equals("HELP")) { - Help(); - } else if (sCmdName.Equals("LIST")) { - List(); - } else if (sCmdName.Equals("DUMP")) { - Dump(); - } else if (sCmdName.Equals("ENABLE")) { - CString sTok = sCommand.Token(1); - - if (sTok == "*") { - SetDisabled(~0, false); - } else { - SetDisabled(sTok.ToUInt(), false); - } - } else if (sCmdName.Equals("DISABLE")) { - CString sTok = sCommand.Token(1); - - if (sTok == "*") { - SetDisabled(~0, true); - } else { - SetDisabled(sTok.ToUInt(), true); - } - } else if (sCmdName.Equals("SETDETACHEDCLIENTONLY")) { - CString sTok = sCommand.Token(1); - bool bDetachedClientOnly = sCommand.Token(2).ToBool(); - - if (sTok == "*") { - SetDetachedClientOnly(~0, bDetachedClientOnly); - } else { - SetDetachedClientOnly(sTok.ToUInt(), bDetachedClientOnly); - } - } else if (sCmdName.Equals("SETDETACHEDCHANNELONLY")) { - CString sTok = sCommand.Token(1); - bool bDetachedchannelOnly = sCommand.Token(2).ToBool(); - - if (sTok == "*") { - SetDetachedChannelOnly(~0, bDetachedchannelOnly); - } else { - SetDetachedChannelOnly(sTok.ToUInt(), bDetachedchannelOnly); - } - } else if (sCmdName.Equals("SETSOURCES")) { - SetSources(sCommand.Token(1).ToUInt(), sCommand.Token(2, true)); - } else if (sCmdName.Equals("CLEAR")) { - m_lsWatchers.clear(); - PutModule(t_s("All entries cleared.")); - Save(); - } else if (sCmdName.Equals("DEL")) { - Remove(sCommand.Token(1).ToUInt()); - } else { - PutModule(t_f("Unknown command: {1}")(sCmdName)); - } - } - private: void Process(const CNick& Nick, const CString& sMessage, const CString& sSource) { @@ -401,7 +393,17 @@ class CWatcherMod : public CModule { Save(); } - void SetDetachedClientOnly(unsigned int uIdx, bool bDetachedClientOnly) { + void SetDetachedClientOnly(const CString& line) { + bool bDetachedClientOnly = line.Token(2).ToBool(); + CString sTok = line.Token(1); + unsigned int uIdx; + + if (sTok == "*") { + uIdx = ~0; + } else { + uIdx = sTok.ToUInt(); + } + if (uIdx == (unsigned int)~0) { for (list::iterator it = m_lsWatchers.begin(); it != m_lsWatchers.end(); ++it) { @@ -433,7 +435,17 @@ class CWatcherMod : public CModule { Save(); } - void SetDetachedChannelOnly(unsigned int uIdx, bool bDetachedChannelOnly) { + void SetDetachedChannelOnly(const CString& line) { + bool bDetachedChannelOnly = line.Token(2).ToBool(); + CString sTok = line.Token(1); + unsigned int uIdx; + + if (sTok == "*") { + uIdx = ~0; + } else { + uIdx = sTok.ToUInt(); + } + if (uIdx == (unsigned int)~0) { for (list::iterator it = m_lsWatchers.begin(); it != m_lsWatchers.end(); ++it) { @@ -441,8 +453,7 @@ class CWatcherMod : public CModule { } if (bDetachedChannelOnly) - PutModule( - t_s("Set DetachedChannelOnly for all entries to Yes")); + PutModule(t_s("Set DetachedChannelOnly for all entries to Yes")); else PutModule(t_s("Set DetachedChannelOnly for all entries to No")); Save(); @@ -466,7 +477,7 @@ class CWatcherMod : public CModule { Save(); } - void List() { + void List(const CString& line) { CTable Table; Table.AddColumn(t_s("Id")); Table.AddColumn(t_s("HostMask")); @@ -506,7 +517,7 @@ class CWatcherMod : public CModule { } } - void Dump() { + void Dump(const CString& line) { if (m_lsWatchers.empty()) { PutModule(t_s("You have no entries.")); return; @@ -548,7 +559,10 @@ class CWatcherMod : public CModule { PutModule("---------------"); } - void SetSources(unsigned int uIdx, const CString& sSources) { + void SetSources(const CString& line) { + unsigned int uIdx = line.Token(1).ToUInt(); + CString sSources = line.Token(2, true); + uIdx--; // "convert" index to zero based if (uIdx >= m_lsWatchers.size()) { PutModule(t_s("Invalid Id")); @@ -563,7 +577,34 @@ class CWatcherMod : public CModule { Save(); } - void Remove(unsigned int uIdx) { + void Enable(const CString& line) { + CString sTok = line.Token(1); + if (sTok == "*") { + SetDisabled(~0, false); + } else { + SetDisabled(sTok.ToUInt(), false); + } + } + + void Disable(const CString& line) { + CString sTok = line.Token(1); + if (sTok == "*") { + SetDisabled(~0, true); + } else { + SetDisabled(sTok.ToUInt(), true); + } + } + + void Clear(const CString& line) { + m_lsWatchers.clear(); + PutModule(t_s("All entries cleared.")); + Save(); + } + + void Remove(const CString& line) { + + unsigned int uIdx = line.Token(1).ToUInt(); + uIdx--; // "convert" index to zero based if (uIdx >= m_lsWatchers.size()) { PutModule(t_s("Invalid Id")); @@ -578,76 +619,12 @@ class CWatcherMod : public CModule { Save(); } - void Help() { - CTable Table; + void Watch(const CString& line) { + + CString sHostMask = line.Token(1); + CString sTarget = line.Token(2); + CString sPattern = line.Token(3); - Table.AddColumn(t_s("Command")); - Table.AddColumn(t_s("Description")); - Table.SetStyle(CTable::ListStyle); - - Table.AddRow(); - Table.SetCell(t_s("Command"), t_s("Add [Target] [Pattern]")); - Table.SetCell(t_s("Description"), - t_s("Used to add an entry to watch for.")); - - Table.AddRow(); - Table.SetCell(t_s("Command"), t_s("List")); - Table.SetCell(t_s("Description"), - t_s("List all entries being watched.")); - - Table.AddRow(); - Table.SetCell(t_s("Command"), t_s("Dump")); - Table.SetCell( - t_s("Description"), - t_s("Dump a list of all current entries to be used later.")); - - Table.AddRow(); - Table.SetCell(t_s("Command"), t_s("Del ")); - Table.SetCell(t_s("Description"), - t_s("Deletes Id from the list of watched entries.")); - - Table.AddRow(); - Table.SetCell(t_s("Command"), t_s("Clear")); - Table.SetCell(t_s("Description"), t_s("Delete all entries.")); - - Table.AddRow(); - Table.SetCell(t_s("Command"), t_s("Enable ")); - Table.SetCell(t_s("Description"), t_s("Enable a disabled entry.")); - - Table.AddRow(); - Table.SetCell(t_s("Command"), t_s("Disable ")); - Table.SetCell(t_s("Description"), - t_s("Disable (but don't delete) an entry.")); - - Table.AddRow(); - Table.SetCell(t_s("Command"), - t_s("SetDetachedClientOnly ")); - Table.SetCell( - t_s("Description"), - t_s("Enable or disable detached client only for an entry.")); - - Table.AddRow(); - Table.SetCell(t_s("Command"), - t_s("SetDetachedChannelOnly ")); - Table.SetCell( - t_s("Description"), - t_s("Enable or disable detached channel only for an entry.")); - - Table.AddRow(); - Table.SetCell(t_s("Command"), - t_s("SetSources [#chan priv #foo* !#bar]")); - Table.SetCell(t_s("Description"), - t_s("Set the source channels that you care about.")); - - Table.AddRow(); - Table.SetCell(t_s("Command"), t_s("Help")); - Table.SetCell(t_s("Description"), t_s("This help.")); - - PutModule(Table); - } - - void Watch(const CString& sHostMask, const CString& sTarget, - const CString& sPattern, bool bNotice = false) { CString sMessage; if (sHostMask.size()) { @@ -674,11 +651,8 @@ class CWatcherMod : public CModule { sMessage = t_s("Watch: Not enough arguments. Try Help"); } - if (bNotice) { - PutModNotice(sMessage); - } else { - PutModule(sMessage); - } + PutModNotice(sMessage); + Save(); } @@ -706,43 +680,6 @@ class CWatcherMod : public CModule { SaveRegistry(); } - void Load() { - // Just to make sure we don't mess up badly - m_lsWatchers.clear(); - - bool bWarn = false; - - for (MCString::iterator it = BeginNV(); it != EndNV(); ++it) { - VCString vList; - it->first.Split("\n", vList); - - // Backwards compatibility with the old save format - if (vList.size() != 5 && vList.size() != 7) { - bWarn = true; - continue; - } - - CWatchEntry WatchEntry(vList[0], vList[1], vList[2]); - if (vList[3].Equals("disabled")) - WatchEntry.SetDisabled(true); - else - WatchEntry.SetDisabled(false); - - // Backwards compatibility with the old save format - if (vList.size() == 5) { - WatchEntry.SetSources(vList[4]); - } else { - WatchEntry.SetDetachedClientOnly(vList[4].ToBool()); - WatchEntry.SetDetachedChannelOnly(vList[5].ToBool()); - WatchEntry.SetSources(vList[6]); - } - m_lsWatchers.push_back(WatchEntry); - } - - if (bWarn) - PutModule(t_s("WARNING: malformed entry found while loading")); - } - list m_lsWatchers; }; From 57d623aee2388f0f867f41a17c913d82b4478038 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Tue, 7 Jan 2020 00:26:56 +0000 Subject: [PATCH 356/798] Update translations from Crowdin for it_IT --- modules/po/webadmin.it_IT.po | 26 +++++++++++++++++--------- 1 file changed, 17 insertions(+), 9 deletions(-) diff --git a/modules/po/webadmin.it_IT.po b/modules/po/webadmin.it_IT.po index d2baec91..50c4767a 100644 --- a/modules/po/webadmin.it_IT.po +++ b/modules/po/webadmin.it_IT.po @@ -101,9 +101,13 @@ msgid "" "To connect to this network from your IRC client, you can set the server " "password field as {1} or username field as {2}" msgstr "" -"Per connetterti a questo network dal tuo client IRC, puoi impostare il campo " -"password del server come {1} o il campo username come {2}" -"" +"Per connetterti a questo network con il tuo client IRC preferito, puoi " +"inserire nel campo Password del server come segue {1} " +"mentre nel campo username puoi usare {2}\n" +"\n" +"Se utilizzi mIRC puoi inserire negli alias questa stringa:\n" +"/nomealias /server -m znc.servername.com +NumeroPortaSSL username/" +"nomenetwork:password -i nickname nicknamealternativo username@" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:24 msgid "Network Info" @@ -123,7 +127,7 @@ msgstr "Nome del Network:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:31 msgid "The name of the IRC network." -msgstr "Il nome del network IRC." +msgstr "Inserisci il nome del network che stai aggiungendo" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:35 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:69 @@ -133,7 +137,7 @@ msgstr "Nickname:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:37 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:71 msgid "Your nickname on IRC." -msgstr "Il nickname che vuoi avere su IRC." +msgstr "Inserisci il nickname che intendi usare in questo network" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:40 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:74 @@ -143,7 +147,9 @@ msgstr "Nickname alternativo:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:42 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:76 msgid "Your secondary nickname, if the first is not available on IRC." -msgstr "Il tuo secondo nickname, se il primo non fosse disponibile su IRC." +msgstr "" +"Inserisci un nickname di riserva qual'ora il primo fosse momentaneamente " +"occupato" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:46 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:80 @@ -152,7 +158,7 @@ msgstr "Ident: (userID)" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:48 msgid "Your ident." -msgstr "Il tuo ident (userID)." +msgstr "Inserisci il tuo ident (userID)" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:51 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:91 @@ -162,7 +168,7 @@ msgstr "Nome reale:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:53 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:93 msgid "Your real name." -msgstr "Il tuo nome reale." +msgstr "Inserisci il tuo nome reale" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:58 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:99 @@ -177,7 +183,9 @@ msgstr "Messaggio di Quit:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:67 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:114 msgid "You may define a Message shown, when you quit IRC." -msgstr "È possibile definire un messaggio da mostrare quando si esce da IRC." +msgstr "" +"Inserisci un messaggio per il Quit per mostrarlo a tutti quando ti scolleghi " +"da IRC" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:71 msgid "Active:" From 7d5562a9bdcc810244443a2982135577f0fc8848 Mon Sep 17 00:00:00 2001 From: paradix Date: Wed, 8 Jan 2020 10:06:34 +0100 Subject: [PATCH 357/798] review changes implemented --- modules/watch.cpp | 74 +++++++++++++++++++++++++++-------------------- 1 file changed, 42 insertions(+), 32 deletions(-) diff --git a/modules/watch.cpp b/modules/watch.cpp index 7366f685..b117322b 100644 --- a/modules/watch.cpp +++ b/modules/watch.cpp @@ -175,16 +175,26 @@ class CWatcherMod : public CModule { public: MODCONSTRUCTOR(CWatcherMod) { AddHelpCommand(); - AddCommand("Add", static_cast(&CWatcherMod::Watch), " [Target] [Pattern]", "Used to add an entry to watch for."); - AddCommand("List", static_cast(&CWatcherMod::List), "", "List all entries being watched."); - AddCommand("Dump", static_cast(&CWatcherMod::Dump), "", "Dump a list of all current entries to be used later."); - AddCommand("Del", static_cast(&CWatcherMod::Remove), "", "Deletes Id from the list of watched entries."); - AddCommand("Clear", static_cast(&CWatcherMod::Clear), "", "Delete all entries."); - AddCommand("Enable", static_cast(&CWatcherMod::Enable), "", "Enable a disabled entry."); - AddCommand("Disable", static_cast(&CWatcherMod::Disable), "", "Disable (but don't delete) an entry."); - AddCommand("SetDetachedClientOnly", static_cast(&CWatcherMod::SetDetachedClientOnly), " ", "Enable or disable detached client only for an entry."); - AddCommand("SetDetachedChannelOnly", static_cast(&CWatcherMod::SetDetachedChannelOnly), " ", "Enable or disable detached channel only for an entry."); - AddCommand("SetSources", static_cast(&CWatcherMod::SetSources), " [#chan priv #foo* !#bar]", "Set the source channels that you care about."); + AddCommand("Add", t_d(" [Target] [Pattern]"), t_d("Used to add an entry to watch for."), + [=](const CString& sLine) { Watch(sLine); }); + AddCommand("List", "", t_d("List all entries being watched."), + [=](const CString& sLine) { List(); }); + AddCommand("Dump", "", t_d("Dump a list of all current entries to be used later."), + [=](const CString& sLine) { Dump(); }); + AddCommand("Del", t_d(""), t_d("Deletes Id from the list of watched entries."), + [=](const CString& sLine) { Remove(sLine); }); + AddCommand("Clear", "", t_d("Delete all entries."), + [=](const CString& sLine) { Clear(); }); + AddCommand("Enable", t_d(""), t_d("Enable a disabled entry."), + [=](const CString& sLine) { Enable(sLine); }); + AddCommand("Disable", t_d(""), t_d("Disable (but don't delete) an entry."), + [=](const CString& sLine) { Disable(sLine); }); + AddCommand("SetDetachedClientOnly", t_d(" "), t_d("Enable or disable detached client only for an entry."), + [=](const CString& sLine) { SetDetachedClientOnly(sLine); }); + AddCommand("SetDetachedChannelOnly", t_d(" "), t_d("Enable or disable detached channel only for an entry."), + [=](const CString& sLine) { SetDetachedChannelOnly(sLine); }); + AddCommand("SetSources", t_d(" [#chan priv #foo* !#bar]"), t_d("Set the source channels that you care about."), + [=](const CString& sLine) { SetSources(sLine); }); } ~CWatcherMod() override {} @@ -393,9 +403,9 @@ class CWatcherMod : public CModule { Save(); } - void SetDetachedClientOnly(const CString& line) { - bool bDetachedClientOnly = line.Token(2).ToBool(); - CString sTok = line.Token(1); + void SetDetachedClientOnly(const CString& sLine) { + bool bDetachedClientOnly = sLine.Token(2).ToBool(); + CString sTok = sLine.Token(1); unsigned int uIdx; if (sTok == "*") { @@ -435,9 +445,9 @@ class CWatcherMod : public CModule { Save(); } - void SetDetachedChannelOnly(const CString& line) { - bool bDetachedChannelOnly = line.Token(2).ToBool(); - CString sTok = line.Token(1); + void SetDetachedChannelOnly(const CString& sLine) { + bool bDetachedChannelOnly = sLine.Token(2).ToBool(); + CString sTok = sLine.Token(1); unsigned int uIdx; if (sTok == "*") { @@ -477,7 +487,7 @@ class CWatcherMod : public CModule { Save(); } - void List(const CString& line) { + void List() { CTable Table; Table.AddColumn(t_s("Id")); Table.AddColumn(t_s("HostMask")); @@ -517,7 +527,7 @@ class CWatcherMod : public CModule { } } - void Dump(const CString& line) { + void Dump() { if (m_lsWatchers.empty()) { PutModule(t_s("You have no entries.")); return; @@ -559,9 +569,9 @@ class CWatcherMod : public CModule { PutModule("---------------"); } - void SetSources(const CString& line) { - unsigned int uIdx = line.Token(1).ToUInt(); - CString sSources = line.Token(2, true); + void SetSources(const CString& sLine) { + unsigned int uIdx = sLine.Token(1).ToUInt(); + CString sSources = sLine.Token(2, true); uIdx--; // "convert" index to zero based if (uIdx >= m_lsWatchers.size()) { @@ -577,8 +587,8 @@ class CWatcherMod : public CModule { Save(); } - void Enable(const CString& line) { - CString sTok = line.Token(1); + void Enable(const CString& sLine) { + CString sTok = sLine.Token(1); if (sTok == "*") { SetDisabled(~0, false); } else { @@ -586,8 +596,8 @@ class CWatcherMod : public CModule { } } - void Disable(const CString& line) { - CString sTok = line.Token(1); + void Disable(const CString& sLine) { + CString sTok = sLine.Token(1); if (sTok == "*") { SetDisabled(~0, true); } else { @@ -595,15 +605,15 @@ class CWatcherMod : public CModule { } } - void Clear(const CString& line) { + void Clear() { m_lsWatchers.clear(); PutModule(t_s("All entries cleared.")); Save(); } - void Remove(const CString& line) { + void Remove(const CString& sLine) { - unsigned int uIdx = line.Token(1).ToUInt(); + unsigned int uIdx = sLine.Token(1).ToUInt(); uIdx--; // "convert" index to zero based if (uIdx >= m_lsWatchers.size()) { @@ -619,11 +629,11 @@ class CWatcherMod : public CModule { Save(); } - void Watch(const CString& line) { + void Watch(const CString& sLine) { - CString sHostMask = line.Token(1); - CString sTarget = line.Token(2); - CString sPattern = line.Token(3); + CString sHostMask = sLine.Token(1); + CString sTarget = sLine.Token(2); + CString sPattern = sLine.Token(3); CString sMessage; From 4c11a26429d9612b67a8486b28f954c52e6851a7 Mon Sep 17 00:00:00 2001 From: paradix Date: Wed, 8 Jan 2020 11:48:18 +0100 Subject: [PATCH 358/798] review: fixed indentation --- modules/watch.cpp | 7 +++---- 1 file changed, 3 insertions(+), 4 deletions(-) diff --git a/modules/watch.cpp b/modules/watch.cpp index b117322b..634cd553 100644 --- a/modules/watch.cpp +++ b/modules/watch.cpp @@ -362,10 +362,9 @@ class CWatcherMod : public CModule { CQuery* pQuery = pNetwork->AddQuery(WatchEntry.GetTarget()); if (pQuery) { - pQuery->AddBuffer( - ":" + _NAMEDFMT(WatchEntry.GetTarget()) + - "!watch@znc.in PRIVMSG {target} :{text}", - sMessage); + pQuery->AddBuffer(":" + _NAMEDFMT(WatchEntry.GetTarget()) + + "!watch@znc.in PRIVMSG {target} :{text}", + sMessage); } } sHandledTargets.insert(WatchEntry.GetTarget()); From 6d1ef8d09923388d4d5d390a4db898ca6194a2be Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Fri, 10 Jan 2020 00:27:17 +0000 Subject: [PATCH 359/798] Update translations from Crowdin for bg_BG de_DE es_ES fr_FR id_ID it_IT nl_NL pt_BR ru_RU --- modules/po/watch.bg_BG.po | 324 +++++++++++++++--------------------- modules/po/watch.de_DE.po | 324 +++++++++++++++--------------------- modules/po/watch.es_ES.po | 334 ++++++++++++++++---------------------- modules/po/watch.fr_FR.po | 324 +++++++++++++++--------------------- modules/po/watch.id_ID.po | 324 +++++++++++++++--------------------- modules/po/watch.it_IT.po | 334 ++++++++++++++++---------------------- modules/po/watch.nl_NL.po | 334 ++++++++++++++++---------------------- modules/po/watch.pot | 324 +++++++++++++++--------------------- modules/po/watch.pt_BR.po | 324 +++++++++++++++--------------------- modules/po/watch.ru_RU.po | 324 +++++++++++++++--------------------- 10 files changed, 1353 insertions(+), 1917 deletions(-) diff --git a/modules/po/watch.bg_BG.po b/modules/po/watch.bg_BG.po index e92aac6c..d11b0935 100644 --- a/modules/po/watch.bg_BG.po +++ b/modules/po/watch.bg_BG.po @@ -10,238 +10,182 @@ msgstr "" "Language-Team: Bulgarian\n" "Language: bg_BG\n" -#: watch.cpp:334 -msgid "All entries cleared." +#: watch.cpp:178 +msgid " [Target] [Pattern]" msgstr "" -#: watch.cpp:344 -msgid "Buffer count is set to {1}" -msgstr "" - -#: watch.cpp:348 -msgid "Unknown command: {1}" -msgstr "" - -#: watch.cpp:397 -msgid "Disabled all entries." -msgstr "" - -#: watch.cpp:398 -msgid "Enabled all entries." -msgstr "" - -#: watch.cpp:405 watch.cpp:437 watch.cpp:470 watch.cpp:570 watch.cpp:585 -msgid "Invalid Id" -msgstr "" - -#: watch.cpp:414 -msgid "Id {1} disabled" -msgstr "" - -#: watch.cpp:416 -msgid "Id {1} enabled" -msgstr "" - -#: watch.cpp:428 -msgid "Set DetachedClientOnly for all entries to Yes" -msgstr "" - -#: watch.cpp:430 -msgid "Set DetachedClientOnly for all entries to No" -msgstr "" - -#: watch.cpp:446 watch.cpp:479 -msgid "Id {1} set to Yes" -msgstr "" - -#: watch.cpp:448 watch.cpp:481 -msgid "Id {1} set to No" -msgstr "" - -#: watch.cpp:461 -msgid "Set DetachedChannelOnly for all entries to Yes" -msgstr "" - -#: watch.cpp:463 -msgid "Set DetachedChannelOnly for all entries to No" -msgstr "" - -#: watch.cpp:487 watch.cpp:503 -msgid "Id" -msgstr "" - -#: watch.cpp:488 watch.cpp:504 -msgid "HostMask" -msgstr "" - -#: watch.cpp:489 watch.cpp:505 -msgid "Target" -msgstr "" - -#: watch.cpp:490 watch.cpp:506 -msgid "Pattern" -msgstr "" - -#: watch.cpp:491 watch.cpp:507 -msgid "Sources" -msgstr "" - -#: watch.cpp:492 watch.cpp:508 watch.cpp:509 -msgid "Off" -msgstr "" - -#: watch.cpp:493 watch.cpp:511 -msgid "DetachedClientOnly" -msgstr "" - -#: watch.cpp:494 watch.cpp:514 -msgid "DetachedChannelOnly" -msgstr "" - -#: watch.cpp:512 watch.cpp:515 -msgid "Yes" -msgstr "" - -#: watch.cpp:512 watch.cpp:515 -msgid "No" -msgstr "" - -#: watch.cpp:521 watch.cpp:527 -msgid "You have no entries." -msgstr "" - -#: watch.cpp:578 -msgid "Sources set for Id {1}." -msgstr "" - -#: watch.cpp:593 -msgid "Id {1} removed." -msgstr "" - -#: watch.cpp:600 watch.cpp:605 watch.cpp:610 watch.cpp:615 watch.cpp:621 -#: watch.cpp:626 watch.cpp:630 watch.cpp:634 watch.cpp:639 watch.cpp:646 -#: watch.cpp:653 watch.cpp:659 watch.cpp:665 -msgid "Command" -msgstr "" - -#: watch.cpp:601 watch.cpp:606 watch.cpp:611 watch.cpp:617 watch.cpp:622 -#: watch.cpp:627 watch.cpp:631 watch.cpp:635 watch.cpp:642 watch.cpp:649 -#: watch.cpp:655 watch.cpp:661 watch.cpp:666 -msgid "Description" -msgstr "" - -#: watch.cpp:605 -msgid "Add [Target] [Pattern]" -msgstr "" - -#: watch.cpp:607 +#: watch.cpp:178 msgid "Used to add an entry to watch for." msgstr "" -#: watch.cpp:610 -msgid "List" -msgstr "" - -#: watch.cpp:612 +#: watch.cpp:180 msgid "List all entries being watched." msgstr "" -#: watch.cpp:615 -msgid "Dump" -msgstr "" - -#: watch.cpp:618 +#: watch.cpp:182 msgid "Dump a list of all current entries to be used later." msgstr "" -#: watch.cpp:621 -msgid "Del " +#: watch.cpp:184 +msgid "" msgstr "" -#: watch.cpp:623 +#: watch.cpp:184 msgid "Deletes Id from the list of watched entries." msgstr "" -#: watch.cpp:626 -msgid "Clear" -msgstr "" - -#: watch.cpp:627 +#: watch.cpp:186 msgid "Delete all entries." msgstr "" -#: watch.cpp:630 -msgid "Enable " +#: watch.cpp:188 watch.cpp:190 +msgid "" msgstr "" -#: watch.cpp:631 +#: watch.cpp:188 msgid "Enable a disabled entry." msgstr "" -#: watch.cpp:634 -msgid "Disable " -msgstr "" - -#: watch.cpp:636 +#: watch.cpp:190 msgid "Disable (but don't delete) an entry." msgstr "" -#: watch.cpp:640 -msgid "SetDetachedClientOnly " +#: watch.cpp:192 watch.cpp:194 +msgid " " msgstr "" -#: watch.cpp:643 +#: watch.cpp:192 msgid "Enable or disable detached client only for an entry." msgstr "" -#: watch.cpp:647 -msgid "SetDetachedChannelOnly " -msgstr "" - -#: watch.cpp:650 +#: watch.cpp:194 msgid "Enable or disable detached channel only for an entry." msgstr "" -#: watch.cpp:653 -msgid "Buffer [Count]" +#: watch.cpp:196 +msgid " [#chan priv #foo* !#bar]" msgstr "" -#: watch.cpp:656 -msgid "Show/Set the amount of buffered lines while detached." -msgstr "" - -#: watch.cpp:660 -msgid "SetSources [#chan priv #foo* !#bar]" -msgstr "" - -#: watch.cpp:662 +#: watch.cpp:196 msgid "Set the source channels that you care about." msgstr "" -#: watch.cpp:665 -msgid "Help" -msgstr "" - -#: watch.cpp:666 -msgid "This help." -msgstr "" - -#: watch.cpp:682 -msgid "Entry for {1} already exists." -msgstr "" - -#: watch.cpp:690 -msgid "Adding entry: {1} watching for [{2}] -> {3}" -msgstr "" - -#: watch.cpp:696 -msgid "Watch: Not enough arguments. Try Help" -msgstr "" - -#: watch.cpp:765 +#: watch.cpp:237 msgid "WARNING: malformed entry found while loading" msgstr "" -#: watch.cpp:779 +#: watch.cpp:382 +msgid "Disabled all entries." +msgstr "" + +#: watch.cpp:383 +msgid "Enabled all entries." +msgstr "" + +#: watch.cpp:390 watch.cpp:432 watch.cpp:474 watch.cpp:577 watch.cpp:619 +msgid "Invalid Id" +msgstr "" + +#: watch.cpp:399 +msgid "Id {1} disabled" +msgstr "" + +#: watch.cpp:401 +msgid "Id {1} enabled" +msgstr "" + +#: watch.cpp:423 +msgid "Set DetachedClientOnly for all entries to Yes" +msgstr "" + +#: watch.cpp:425 +msgid "Set DetachedClientOnly for all entries to No" +msgstr "" + +#: watch.cpp:441 watch.cpp:483 +msgid "Id {1} set to Yes" +msgstr "" + +#: watch.cpp:443 watch.cpp:485 +msgid "Id {1} set to No" +msgstr "" + +#: watch.cpp:465 +msgid "Set DetachedChannelOnly for all entries to Yes" +msgstr "" + +#: watch.cpp:467 +msgid "Set DetachedChannelOnly for all entries to No" +msgstr "" + +#: watch.cpp:491 watch.cpp:507 +msgid "Id" +msgstr "" + +#: watch.cpp:492 watch.cpp:508 +msgid "HostMask" +msgstr "" + +#: watch.cpp:493 watch.cpp:509 +msgid "Target" +msgstr "" + +#: watch.cpp:494 watch.cpp:510 +msgid "Pattern" +msgstr "" + +#: watch.cpp:495 watch.cpp:511 +msgid "Sources" +msgstr "" + +#: watch.cpp:496 watch.cpp:512 watch.cpp:513 +msgid "Off" +msgstr "" + +#: watch.cpp:497 watch.cpp:515 +msgid "DetachedClientOnly" +msgstr "" + +#: watch.cpp:498 watch.cpp:518 +msgid "DetachedChannelOnly" +msgstr "" + +#: watch.cpp:516 watch.cpp:519 +msgid "Yes" +msgstr "" + +#: watch.cpp:516 watch.cpp:519 +msgid "No" +msgstr "" + +#: watch.cpp:525 watch.cpp:531 +msgid "You have no entries." +msgstr "" + +#: watch.cpp:585 +msgid "Sources set for Id {1}." +msgstr "" + +#: watch.cpp:609 +msgid "All entries cleared." +msgstr "" + +#: watch.cpp:627 +msgid "Id {1} removed." +msgstr "" + +#: watch.cpp:646 +msgid "Entry for {1} already exists." +msgstr "" + +#: watch.cpp:654 +msgid "Adding entry: {1} watching for [{2}] -> {3}" +msgstr "" + +#: watch.cpp:660 +msgid "Watch: Not enough arguments. Try Help" +msgstr "" + +#: watch.cpp:702 msgid "Copy activity from a specific user into a separate window" msgstr "" diff --git a/modules/po/watch.de_DE.po b/modules/po/watch.de_DE.po index 90604fae..1100ecb0 100644 --- a/modules/po/watch.de_DE.po +++ b/modules/po/watch.de_DE.po @@ -10,238 +10,182 @@ msgstr "" "Language-Team: German\n" "Language: de_DE\n" -#: watch.cpp:334 -msgid "All entries cleared." +#: watch.cpp:178 +msgid " [Target] [Pattern]" msgstr "" -#: watch.cpp:344 -msgid "Buffer count is set to {1}" -msgstr "" - -#: watch.cpp:348 -msgid "Unknown command: {1}" -msgstr "" - -#: watch.cpp:397 -msgid "Disabled all entries." -msgstr "" - -#: watch.cpp:398 -msgid "Enabled all entries." -msgstr "" - -#: watch.cpp:405 watch.cpp:437 watch.cpp:470 watch.cpp:570 watch.cpp:585 -msgid "Invalid Id" -msgstr "" - -#: watch.cpp:414 -msgid "Id {1} disabled" -msgstr "" - -#: watch.cpp:416 -msgid "Id {1} enabled" -msgstr "" - -#: watch.cpp:428 -msgid "Set DetachedClientOnly for all entries to Yes" -msgstr "" - -#: watch.cpp:430 -msgid "Set DetachedClientOnly for all entries to No" -msgstr "" - -#: watch.cpp:446 watch.cpp:479 -msgid "Id {1} set to Yes" -msgstr "" - -#: watch.cpp:448 watch.cpp:481 -msgid "Id {1} set to No" -msgstr "" - -#: watch.cpp:461 -msgid "Set DetachedChannelOnly for all entries to Yes" -msgstr "" - -#: watch.cpp:463 -msgid "Set DetachedChannelOnly for all entries to No" -msgstr "" - -#: watch.cpp:487 watch.cpp:503 -msgid "Id" -msgstr "" - -#: watch.cpp:488 watch.cpp:504 -msgid "HostMask" -msgstr "" - -#: watch.cpp:489 watch.cpp:505 -msgid "Target" -msgstr "" - -#: watch.cpp:490 watch.cpp:506 -msgid "Pattern" -msgstr "" - -#: watch.cpp:491 watch.cpp:507 -msgid "Sources" -msgstr "" - -#: watch.cpp:492 watch.cpp:508 watch.cpp:509 -msgid "Off" -msgstr "" - -#: watch.cpp:493 watch.cpp:511 -msgid "DetachedClientOnly" -msgstr "" - -#: watch.cpp:494 watch.cpp:514 -msgid "DetachedChannelOnly" -msgstr "" - -#: watch.cpp:512 watch.cpp:515 -msgid "Yes" -msgstr "" - -#: watch.cpp:512 watch.cpp:515 -msgid "No" -msgstr "" - -#: watch.cpp:521 watch.cpp:527 -msgid "You have no entries." -msgstr "" - -#: watch.cpp:578 -msgid "Sources set for Id {1}." -msgstr "" - -#: watch.cpp:593 -msgid "Id {1} removed." -msgstr "" - -#: watch.cpp:600 watch.cpp:605 watch.cpp:610 watch.cpp:615 watch.cpp:621 -#: watch.cpp:626 watch.cpp:630 watch.cpp:634 watch.cpp:639 watch.cpp:646 -#: watch.cpp:653 watch.cpp:659 watch.cpp:665 -msgid "Command" -msgstr "" - -#: watch.cpp:601 watch.cpp:606 watch.cpp:611 watch.cpp:617 watch.cpp:622 -#: watch.cpp:627 watch.cpp:631 watch.cpp:635 watch.cpp:642 watch.cpp:649 -#: watch.cpp:655 watch.cpp:661 watch.cpp:666 -msgid "Description" -msgstr "" - -#: watch.cpp:605 -msgid "Add [Target] [Pattern]" -msgstr "" - -#: watch.cpp:607 +#: watch.cpp:178 msgid "Used to add an entry to watch for." msgstr "" -#: watch.cpp:610 -msgid "List" -msgstr "" - -#: watch.cpp:612 +#: watch.cpp:180 msgid "List all entries being watched." msgstr "" -#: watch.cpp:615 -msgid "Dump" -msgstr "" - -#: watch.cpp:618 +#: watch.cpp:182 msgid "Dump a list of all current entries to be used later." msgstr "" -#: watch.cpp:621 -msgid "Del " +#: watch.cpp:184 +msgid "" msgstr "" -#: watch.cpp:623 +#: watch.cpp:184 msgid "Deletes Id from the list of watched entries." msgstr "" -#: watch.cpp:626 -msgid "Clear" -msgstr "" - -#: watch.cpp:627 +#: watch.cpp:186 msgid "Delete all entries." msgstr "" -#: watch.cpp:630 -msgid "Enable " +#: watch.cpp:188 watch.cpp:190 +msgid "" msgstr "" -#: watch.cpp:631 +#: watch.cpp:188 msgid "Enable a disabled entry." msgstr "" -#: watch.cpp:634 -msgid "Disable " -msgstr "" - -#: watch.cpp:636 +#: watch.cpp:190 msgid "Disable (but don't delete) an entry." msgstr "" -#: watch.cpp:640 -msgid "SetDetachedClientOnly " +#: watch.cpp:192 watch.cpp:194 +msgid " " msgstr "" -#: watch.cpp:643 +#: watch.cpp:192 msgid "Enable or disable detached client only for an entry." msgstr "" -#: watch.cpp:647 -msgid "SetDetachedChannelOnly " -msgstr "" - -#: watch.cpp:650 +#: watch.cpp:194 msgid "Enable or disable detached channel only for an entry." msgstr "" -#: watch.cpp:653 -msgid "Buffer [Count]" +#: watch.cpp:196 +msgid " [#chan priv #foo* !#bar]" msgstr "" -#: watch.cpp:656 -msgid "Show/Set the amount of buffered lines while detached." -msgstr "" - -#: watch.cpp:660 -msgid "SetSources [#chan priv #foo* !#bar]" -msgstr "" - -#: watch.cpp:662 +#: watch.cpp:196 msgid "Set the source channels that you care about." msgstr "" -#: watch.cpp:665 -msgid "Help" -msgstr "" - -#: watch.cpp:666 -msgid "This help." -msgstr "" - -#: watch.cpp:682 -msgid "Entry for {1} already exists." -msgstr "" - -#: watch.cpp:690 -msgid "Adding entry: {1} watching for [{2}] -> {3}" -msgstr "" - -#: watch.cpp:696 -msgid "Watch: Not enough arguments. Try Help" -msgstr "" - -#: watch.cpp:765 +#: watch.cpp:237 msgid "WARNING: malformed entry found while loading" msgstr "" -#: watch.cpp:779 +#: watch.cpp:382 +msgid "Disabled all entries." +msgstr "" + +#: watch.cpp:383 +msgid "Enabled all entries." +msgstr "" + +#: watch.cpp:390 watch.cpp:432 watch.cpp:474 watch.cpp:577 watch.cpp:619 +msgid "Invalid Id" +msgstr "" + +#: watch.cpp:399 +msgid "Id {1} disabled" +msgstr "" + +#: watch.cpp:401 +msgid "Id {1} enabled" +msgstr "" + +#: watch.cpp:423 +msgid "Set DetachedClientOnly for all entries to Yes" +msgstr "" + +#: watch.cpp:425 +msgid "Set DetachedClientOnly for all entries to No" +msgstr "" + +#: watch.cpp:441 watch.cpp:483 +msgid "Id {1} set to Yes" +msgstr "" + +#: watch.cpp:443 watch.cpp:485 +msgid "Id {1} set to No" +msgstr "" + +#: watch.cpp:465 +msgid "Set DetachedChannelOnly for all entries to Yes" +msgstr "" + +#: watch.cpp:467 +msgid "Set DetachedChannelOnly for all entries to No" +msgstr "" + +#: watch.cpp:491 watch.cpp:507 +msgid "Id" +msgstr "" + +#: watch.cpp:492 watch.cpp:508 +msgid "HostMask" +msgstr "" + +#: watch.cpp:493 watch.cpp:509 +msgid "Target" +msgstr "" + +#: watch.cpp:494 watch.cpp:510 +msgid "Pattern" +msgstr "" + +#: watch.cpp:495 watch.cpp:511 +msgid "Sources" +msgstr "" + +#: watch.cpp:496 watch.cpp:512 watch.cpp:513 +msgid "Off" +msgstr "" + +#: watch.cpp:497 watch.cpp:515 +msgid "DetachedClientOnly" +msgstr "" + +#: watch.cpp:498 watch.cpp:518 +msgid "DetachedChannelOnly" +msgstr "" + +#: watch.cpp:516 watch.cpp:519 +msgid "Yes" +msgstr "" + +#: watch.cpp:516 watch.cpp:519 +msgid "No" +msgstr "" + +#: watch.cpp:525 watch.cpp:531 +msgid "You have no entries." +msgstr "" + +#: watch.cpp:585 +msgid "Sources set for Id {1}." +msgstr "" + +#: watch.cpp:609 +msgid "All entries cleared." +msgstr "" + +#: watch.cpp:627 +msgid "Id {1} removed." +msgstr "" + +#: watch.cpp:646 +msgid "Entry for {1} already exists." +msgstr "" + +#: watch.cpp:654 +msgid "Adding entry: {1} watching for [{2}] -> {3}" +msgstr "" + +#: watch.cpp:660 +msgid "Watch: Not enough arguments. Try Help" +msgstr "" + +#: watch.cpp:702 msgid "Copy activity from a specific user into a separate window" msgstr "" diff --git a/modules/po/watch.es_ES.po b/modules/po/watch.es_ES.po index 6a67e5a4..6628e184 100644 --- a/modules/po/watch.es_ES.po +++ b/modules/po/watch.es_ES.po @@ -10,240 +10,182 @@ msgstr "" "Language-Team: Spanish\n" "Language: es_ES\n" -#: watch.cpp:334 -msgid "All entries cleared." -msgstr "Todas las entradas eliminadas." +#: watch.cpp:178 +msgid " [Target] [Pattern]" +msgstr "" -#: watch.cpp:344 -msgid "Buffer count is set to {1}" -msgstr "Límite de búfer configurada a {1}" - -#: watch.cpp:348 -msgid "Unknown command: {1}" -msgstr "Comando desconocido: {1}" - -#: watch.cpp:397 -msgid "Disabled all entries." -msgstr "Deshabilitadas todas las entradas." - -#: watch.cpp:398 -msgid "Enabled all entries." -msgstr "Habilitadas todas las entradas." - -#: watch.cpp:405 watch.cpp:437 watch.cpp:470 watch.cpp:570 watch.cpp:585 -msgid "Invalid Id" -msgstr "Id no válido" - -#: watch.cpp:414 -msgid "Id {1} disabled" -msgstr "Id {1} deshabilitado" - -#: watch.cpp:416 -msgid "Id {1} enabled" -msgstr "Id {1} habilitado" - -#: watch.cpp:428 -msgid "Set DetachedClientOnly for all entries to Yes" -msgstr "Define DetachedClientOnly para todas las entradas a Yes" - -#: watch.cpp:430 -msgid "Set DetachedClientOnly for all entries to No" -msgstr "Define DetachedClientOnly para todas las entradas a No" - -#: watch.cpp:446 watch.cpp:479 -msgid "Id {1} set to Yes" -msgstr "Id {1} ajustado a Sí" - -#: watch.cpp:448 watch.cpp:481 -msgid "Id {1} set to No" -msgstr "Id {1} ajustado a No" - -#: watch.cpp:461 -msgid "Set DetachedChannelOnly for all entries to Yes" -msgstr "Define DetachedChannelOnly para todas las entradas a Yes" - -#: watch.cpp:463 -msgid "Set DetachedChannelOnly for all entries to No" -msgstr "Define DetachedChannelOnly para todas las entradas a No" - -#: watch.cpp:487 watch.cpp:503 -msgid "Id" -msgstr "Id" - -#: watch.cpp:488 watch.cpp:504 -msgid "HostMask" -msgstr "Máscara" - -#: watch.cpp:489 watch.cpp:505 -msgid "Target" -msgstr "Objetivo" - -#: watch.cpp:490 watch.cpp:506 -msgid "Pattern" -msgstr "Patrón" - -#: watch.cpp:491 watch.cpp:507 -msgid "Sources" -msgstr "Fuentes" - -#: watch.cpp:492 watch.cpp:508 watch.cpp:509 -msgid "Off" -msgstr "Desactivado" - -#: watch.cpp:493 watch.cpp:511 -msgid "DetachedClientOnly" -msgstr "DetachedClientOnly" - -#: watch.cpp:494 watch.cpp:514 -msgid "DetachedChannelOnly" -msgstr "DetachedChannelOnly" - -#: watch.cpp:512 watch.cpp:515 -msgid "Yes" -msgstr "Sí" - -#: watch.cpp:512 watch.cpp:515 -msgid "No" -msgstr "No" - -#: watch.cpp:521 watch.cpp:527 -msgid "You have no entries." -msgstr "No tienes entradas." - -#: watch.cpp:578 -msgid "Sources set for Id {1}." -msgstr "Fuentes definidas para el id {1}." - -#: watch.cpp:593 -msgid "Id {1} removed." -msgstr "Id {1} eliminado." - -#: watch.cpp:600 watch.cpp:605 watch.cpp:610 watch.cpp:615 watch.cpp:621 -#: watch.cpp:626 watch.cpp:630 watch.cpp:634 watch.cpp:639 watch.cpp:646 -#: watch.cpp:653 watch.cpp:659 watch.cpp:665 -msgid "Command" -msgstr "Comando" - -#: watch.cpp:601 watch.cpp:606 watch.cpp:611 watch.cpp:617 watch.cpp:622 -#: watch.cpp:627 watch.cpp:631 watch.cpp:635 watch.cpp:642 watch.cpp:649 -#: watch.cpp:655 watch.cpp:661 watch.cpp:666 -msgid "Description" -msgstr "Descripción" - -#: watch.cpp:605 -msgid "Add [Target] [Pattern]" -msgstr "Add [objetivo] [patrón]" - -#: watch.cpp:607 +#: watch.cpp:178 msgid "Used to add an entry to watch for." msgstr "Se usa para añadir una entrada a la lista de watch." -#: watch.cpp:610 -msgid "List" -msgstr "Lista" - -#: watch.cpp:612 +#: watch.cpp:180 msgid "List all entries being watched." msgstr "Listar todas las entradas vigiladas." -#: watch.cpp:615 -msgid "Dump" -msgstr "Volcado" - -#: watch.cpp:618 +#: watch.cpp:182 msgid "Dump a list of all current entries to be used later." msgstr "Volcar una lista de todas las entradas para usar luego." -#: watch.cpp:621 -msgid "Del " -msgstr "Del " +#: watch.cpp:184 +msgid "" +msgstr "" -#: watch.cpp:623 +#: watch.cpp:184 msgid "Deletes Id from the list of watched entries." msgstr "Elimina un id de la lista de entradas a vigilar." -#: watch.cpp:626 -msgid "Clear" -msgstr "Borrar" - -#: watch.cpp:627 +#: watch.cpp:186 msgid "Delete all entries." msgstr "Borrar todas las entradas." -#: watch.cpp:630 -msgid "Enable " -msgstr "Enable " +#: watch.cpp:188 watch.cpp:190 +msgid "" +msgstr "" -#: watch.cpp:631 +#: watch.cpp:188 msgid "Enable a disabled entry." msgstr "Habilita un entrada deshabilitada." -#: watch.cpp:634 -msgid "Disable " -msgstr "Disable " - -#: watch.cpp:636 +#: watch.cpp:190 msgid "Disable (but don't delete) an entry." msgstr "Deshabilita (pero no elimina) una entrada." -#: watch.cpp:640 -msgid "SetDetachedClientOnly " -msgstr "SetDetachedClientOnly " +#: watch.cpp:192 watch.cpp:194 +msgid " " +msgstr "" -#: watch.cpp:643 +#: watch.cpp:192 msgid "Enable or disable detached client only for an entry." msgstr "Habilita o deshabilita clientes desvinculados solo para una entrada." -#: watch.cpp:647 -msgid "SetDetachedChannelOnly " -msgstr "SetDetachedChannelOnly " - -#: watch.cpp:650 +#: watch.cpp:194 msgid "Enable or disable detached channel only for an entry." msgstr "Habilita o deshabilita canales desvinculados solo para una entrada." -#: watch.cpp:653 -msgid "Buffer [Count]" -msgstr "Búfer [Count]" - -#: watch.cpp:656 -msgid "Show/Set the amount of buffered lines while detached." +#: watch.cpp:196 +msgid " [#chan priv #foo* !#bar]" msgstr "" -"Muestra/define la cantidad de líneas almacenadas en búfer mientras se está " -"desvinculado." -#: watch.cpp:660 -msgid "SetSources [#chan priv #foo* !#bar]" -msgstr "SetSources [#canal privado #canal* !#canal]" - -#: watch.cpp:662 +#: watch.cpp:196 msgid "Set the source channels that you care about." msgstr "Establece los canales fuente a controlar." -#: watch.cpp:665 -msgid "Help" -msgstr "Ayuda" - -#: watch.cpp:666 -msgid "This help." -msgstr "Esta ayuda." - -#: watch.cpp:682 -msgid "Entry for {1} already exists." -msgstr "La entrada para {1} ya existe." - -#: watch.cpp:690 -msgid "Adding entry: {1} watching for [{2}] -> {3}" -msgstr "Añadiendo entrada: {1} controlando {2} -> {3}" - -#: watch.cpp:696 -msgid "Watch: Not enough arguments. Try Help" -msgstr "Watch: no hay suficientes argumentos, Prueba Help" - -#: watch.cpp:765 +#: watch.cpp:237 msgid "WARNING: malformed entry found while loading" msgstr "ATENCIÓN: entrada no válida encontrada durante la carga" -#: watch.cpp:779 +#: watch.cpp:382 +msgid "Disabled all entries." +msgstr "Deshabilitadas todas las entradas." + +#: watch.cpp:383 +msgid "Enabled all entries." +msgstr "Habilitadas todas las entradas." + +#: watch.cpp:390 watch.cpp:432 watch.cpp:474 watch.cpp:577 watch.cpp:619 +msgid "Invalid Id" +msgstr "Id no válido" + +#: watch.cpp:399 +msgid "Id {1} disabled" +msgstr "Id {1} deshabilitado" + +#: watch.cpp:401 +msgid "Id {1} enabled" +msgstr "Id {1} habilitado" + +#: watch.cpp:423 +msgid "Set DetachedClientOnly for all entries to Yes" +msgstr "Define DetachedClientOnly para todas las entradas a Yes" + +#: watch.cpp:425 +msgid "Set DetachedClientOnly for all entries to No" +msgstr "Define DetachedClientOnly para todas las entradas a No" + +#: watch.cpp:441 watch.cpp:483 +msgid "Id {1} set to Yes" +msgstr "Id {1} ajustado a Sí" + +#: watch.cpp:443 watch.cpp:485 +msgid "Id {1} set to No" +msgstr "Id {1} ajustado a No" + +#: watch.cpp:465 +msgid "Set DetachedChannelOnly for all entries to Yes" +msgstr "Define DetachedChannelOnly para todas las entradas a Yes" + +#: watch.cpp:467 +msgid "Set DetachedChannelOnly for all entries to No" +msgstr "Define DetachedChannelOnly para todas las entradas a No" + +#: watch.cpp:491 watch.cpp:507 +msgid "Id" +msgstr "Id" + +#: watch.cpp:492 watch.cpp:508 +msgid "HostMask" +msgstr "Máscara" + +#: watch.cpp:493 watch.cpp:509 +msgid "Target" +msgstr "Objetivo" + +#: watch.cpp:494 watch.cpp:510 +msgid "Pattern" +msgstr "Patrón" + +#: watch.cpp:495 watch.cpp:511 +msgid "Sources" +msgstr "Fuentes" + +#: watch.cpp:496 watch.cpp:512 watch.cpp:513 +msgid "Off" +msgstr "Desactivado" + +#: watch.cpp:497 watch.cpp:515 +msgid "DetachedClientOnly" +msgstr "DetachedClientOnly" + +#: watch.cpp:498 watch.cpp:518 +msgid "DetachedChannelOnly" +msgstr "DetachedChannelOnly" + +#: watch.cpp:516 watch.cpp:519 +msgid "Yes" +msgstr "Sí" + +#: watch.cpp:516 watch.cpp:519 +msgid "No" +msgstr "No" + +#: watch.cpp:525 watch.cpp:531 +msgid "You have no entries." +msgstr "No tienes entradas." + +#: watch.cpp:585 +msgid "Sources set for Id {1}." +msgstr "Fuentes definidas para el id {1}." + +#: watch.cpp:609 +msgid "All entries cleared." +msgstr "Todas las entradas eliminadas." + +#: watch.cpp:627 +msgid "Id {1} removed." +msgstr "Id {1} eliminado." + +#: watch.cpp:646 +msgid "Entry for {1} already exists." +msgstr "La entrada para {1} ya existe." + +#: watch.cpp:654 +msgid "Adding entry: {1} watching for [{2}] -> {3}" +msgstr "Añadiendo entrada: {1} controlando {2} -> {3}" + +#: watch.cpp:660 +msgid "Watch: Not enough arguments. Try Help" +msgstr "Watch: no hay suficientes argumentos, Prueba Help" + +#: watch.cpp:702 msgid "Copy activity from a specific user into a separate window" msgstr "Copia la actividad de un usuario específico en una ventana separada" diff --git a/modules/po/watch.fr_FR.po b/modules/po/watch.fr_FR.po index ac0352f2..41ccc13d 100644 --- a/modules/po/watch.fr_FR.po +++ b/modules/po/watch.fr_FR.po @@ -10,238 +10,182 @@ msgstr "" "Language-Team: French\n" "Language: fr_FR\n" -#: watch.cpp:334 -msgid "All entries cleared." -msgstr "Toutes les entrées sont effacées." - -#: watch.cpp:344 -msgid "Buffer count is set to {1}" +#: watch.cpp:178 +msgid " [Target] [Pattern]" msgstr "" -#: watch.cpp:348 -msgid "Unknown command: {1}" -msgstr "" - -#: watch.cpp:397 -msgid "Disabled all entries." -msgstr "" - -#: watch.cpp:398 -msgid "Enabled all entries." -msgstr "Toutes les entrées sont activées." - -#: watch.cpp:405 watch.cpp:437 watch.cpp:470 watch.cpp:570 watch.cpp:585 -msgid "Invalid Id" -msgstr "Identifiant invalide" - -#: watch.cpp:414 -msgid "Id {1} disabled" -msgstr "" - -#: watch.cpp:416 -msgid "Id {1} enabled" -msgstr "" - -#: watch.cpp:428 -msgid "Set DetachedClientOnly for all entries to Yes" -msgstr "" - -#: watch.cpp:430 -msgid "Set DetachedClientOnly for all entries to No" -msgstr "" - -#: watch.cpp:446 watch.cpp:479 -msgid "Id {1} set to Yes" -msgstr "" - -#: watch.cpp:448 watch.cpp:481 -msgid "Id {1} set to No" -msgstr "" - -#: watch.cpp:461 -msgid "Set DetachedChannelOnly for all entries to Yes" -msgstr "" - -#: watch.cpp:463 -msgid "Set DetachedChannelOnly for all entries to No" -msgstr "" - -#: watch.cpp:487 watch.cpp:503 -msgid "Id" -msgstr "" - -#: watch.cpp:488 watch.cpp:504 -msgid "HostMask" -msgstr "" - -#: watch.cpp:489 watch.cpp:505 -msgid "Target" -msgstr "" - -#: watch.cpp:490 watch.cpp:506 -msgid "Pattern" -msgstr "" - -#: watch.cpp:491 watch.cpp:507 -msgid "Sources" -msgstr "" - -#: watch.cpp:492 watch.cpp:508 watch.cpp:509 -msgid "Off" -msgstr "" - -#: watch.cpp:493 watch.cpp:511 -msgid "DetachedClientOnly" -msgstr "" - -#: watch.cpp:494 watch.cpp:514 -msgid "DetachedChannelOnly" -msgstr "" - -#: watch.cpp:512 watch.cpp:515 -msgid "Yes" -msgstr "" - -#: watch.cpp:512 watch.cpp:515 -msgid "No" -msgstr "" - -#: watch.cpp:521 watch.cpp:527 -msgid "You have no entries." -msgstr "" - -#: watch.cpp:578 -msgid "Sources set for Id {1}." -msgstr "" - -#: watch.cpp:593 -msgid "Id {1} removed." -msgstr "" - -#: watch.cpp:600 watch.cpp:605 watch.cpp:610 watch.cpp:615 watch.cpp:621 -#: watch.cpp:626 watch.cpp:630 watch.cpp:634 watch.cpp:639 watch.cpp:646 -#: watch.cpp:653 watch.cpp:659 watch.cpp:665 -msgid "Command" -msgstr "" - -#: watch.cpp:601 watch.cpp:606 watch.cpp:611 watch.cpp:617 watch.cpp:622 -#: watch.cpp:627 watch.cpp:631 watch.cpp:635 watch.cpp:642 watch.cpp:649 -#: watch.cpp:655 watch.cpp:661 watch.cpp:666 -msgid "Description" -msgstr "" - -#: watch.cpp:605 -msgid "Add [Target] [Pattern]" -msgstr "" - -#: watch.cpp:607 +#: watch.cpp:178 msgid "Used to add an entry to watch for." msgstr "" -#: watch.cpp:610 -msgid "List" -msgstr "" - -#: watch.cpp:612 +#: watch.cpp:180 msgid "List all entries being watched." msgstr "" -#: watch.cpp:615 -msgid "Dump" -msgstr "" - -#: watch.cpp:618 +#: watch.cpp:182 msgid "Dump a list of all current entries to be used later." msgstr "" -#: watch.cpp:621 -msgid "Del " +#: watch.cpp:184 +msgid "" msgstr "" -#: watch.cpp:623 +#: watch.cpp:184 msgid "Deletes Id from the list of watched entries." msgstr "" -#: watch.cpp:626 -msgid "Clear" -msgstr "" - -#: watch.cpp:627 +#: watch.cpp:186 msgid "Delete all entries." msgstr "" -#: watch.cpp:630 -msgid "Enable " +#: watch.cpp:188 watch.cpp:190 +msgid "" msgstr "" -#: watch.cpp:631 +#: watch.cpp:188 msgid "Enable a disabled entry." msgstr "" -#: watch.cpp:634 -msgid "Disable " -msgstr "" - -#: watch.cpp:636 +#: watch.cpp:190 msgid "Disable (but don't delete) an entry." msgstr "" -#: watch.cpp:640 -msgid "SetDetachedClientOnly " +#: watch.cpp:192 watch.cpp:194 +msgid " " msgstr "" -#: watch.cpp:643 +#: watch.cpp:192 msgid "Enable or disable detached client only for an entry." msgstr "" -#: watch.cpp:647 -msgid "SetDetachedChannelOnly " -msgstr "" - -#: watch.cpp:650 +#: watch.cpp:194 msgid "Enable or disable detached channel only for an entry." msgstr "" -#: watch.cpp:653 -msgid "Buffer [Count]" +#: watch.cpp:196 +msgid " [#chan priv #foo* !#bar]" msgstr "" -#: watch.cpp:656 -msgid "Show/Set the amount of buffered lines while detached." -msgstr "" - -#: watch.cpp:660 -msgid "SetSources [#chan priv #foo* !#bar]" -msgstr "" - -#: watch.cpp:662 +#: watch.cpp:196 msgid "Set the source channels that you care about." msgstr "" -#: watch.cpp:665 -msgid "Help" -msgstr "" - -#: watch.cpp:666 -msgid "This help." -msgstr "" - -#: watch.cpp:682 -msgid "Entry for {1} already exists." -msgstr "" - -#: watch.cpp:690 -msgid "Adding entry: {1} watching for [{2}] -> {3}" -msgstr "" - -#: watch.cpp:696 -msgid "Watch: Not enough arguments. Try Help" -msgstr "" - -#: watch.cpp:765 +#: watch.cpp:237 msgid "WARNING: malformed entry found while loading" msgstr "" -#: watch.cpp:779 +#: watch.cpp:382 +msgid "Disabled all entries." +msgstr "" + +#: watch.cpp:383 +msgid "Enabled all entries." +msgstr "Toutes les entrées sont activées." + +#: watch.cpp:390 watch.cpp:432 watch.cpp:474 watch.cpp:577 watch.cpp:619 +msgid "Invalid Id" +msgstr "Identifiant invalide" + +#: watch.cpp:399 +msgid "Id {1} disabled" +msgstr "" + +#: watch.cpp:401 +msgid "Id {1} enabled" +msgstr "" + +#: watch.cpp:423 +msgid "Set DetachedClientOnly for all entries to Yes" +msgstr "" + +#: watch.cpp:425 +msgid "Set DetachedClientOnly for all entries to No" +msgstr "" + +#: watch.cpp:441 watch.cpp:483 +msgid "Id {1} set to Yes" +msgstr "" + +#: watch.cpp:443 watch.cpp:485 +msgid "Id {1} set to No" +msgstr "" + +#: watch.cpp:465 +msgid "Set DetachedChannelOnly for all entries to Yes" +msgstr "" + +#: watch.cpp:467 +msgid "Set DetachedChannelOnly for all entries to No" +msgstr "" + +#: watch.cpp:491 watch.cpp:507 +msgid "Id" +msgstr "" + +#: watch.cpp:492 watch.cpp:508 +msgid "HostMask" +msgstr "" + +#: watch.cpp:493 watch.cpp:509 +msgid "Target" +msgstr "" + +#: watch.cpp:494 watch.cpp:510 +msgid "Pattern" +msgstr "" + +#: watch.cpp:495 watch.cpp:511 +msgid "Sources" +msgstr "" + +#: watch.cpp:496 watch.cpp:512 watch.cpp:513 +msgid "Off" +msgstr "" + +#: watch.cpp:497 watch.cpp:515 +msgid "DetachedClientOnly" +msgstr "" + +#: watch.cpp:498 watch.cpp:518 +msgid "DetachedChannelOnly" +msgstr "" + +#: watch.cpp:516 watch.cpp:519 +msgid "Yes" +msgstr "" + +#: watch.cpp:516 watch.cpp:519 +msgid "No" +msgstr "" + +#: watch.cpp:525 watch.cpp:531 +msgid "You have no entries." +msgstr "" + +#: watch.cpp:585 +msgid "Sources set for Id {1}." +msgstr "" + +#: watch.cpp:609 +msgid "All entries cleared." +msgstr "Toutes les entrées sont effacées." + +#: watch.cpp:627 +msgid "Id {1} removed." +msgstr "" + +#: watch.cpp:646 +msgid "Entry for {1} already exists." +msgstr "" + +#: watch.cpp:654 +msgid "Adding entry: {1} watching for [{2}] -> {3}" +msgstr "" + +#: watch.cpp:660 +msgid "Watch: Not enough arguments. Try Help" +msgstr "" + +#: watch.cpp:702 msgid "Copy activity from a specific user into a separate window" msgstr "" diff --git a/modules/po/watch.id_ID.po b/modules/po/watch.id_ID.po index 3ea82fa4..046f6aa0 100644 --- a/modules/po/watch.id_ID.po +++ b/modules/po/watch.id_ID.po @@ -10,238 +10,182 @@ msgstr "" "Language-Team: Indonesian\n" "Language: id_ID\n" -#: watch.cpp:334 -msgid "All entries cleared." +#: watch.cpp:178 +msgid " [Target] [Pattern]" msgstr "" -#: watch.cpp:344 -msgid "Buffer count is set to {1}" -msgstr "" - -#: watch.cpp:348 -msgid "Unknown command: {1}" -msgstr "" - -#: watch.cpp:397 -msgid "Disabled all entries." -msgstr "" - -#: watch.cpp:398 -msgid "Enabled all entries." -msgstr "" - -#: watch.cpp:405 watch.cpp:437 watch.cpp:470 watch.cpp:570 watch.cpp:585 -msgid "Invalid Id" -msgstr "" - -#: watch.cpp:414 -msgid "Id {1} disabled" -msgstr "" - -#: watch.cpp:416 -msgid "Id {1} enabled" -msgstr "" - -#: watch.cpp:428 -msgid "Set DetachedClientOnly for all entries to Yes" -msgstr "" - -#: watch.cpp:430 -msgid "Set DetachedClientOnly for all entries to No" -msgstr "" - -#: watch.cpp:446 watch.cpp:479 -msgid "Id {1} set to Yes" -msgstr "" - -#: watch.cpp:448 watch.cpp:481 -msgid "Id {1} set to No" -msgstr "" - -#: watch.cpp:461 -msgid "Set DetachedChannelOnly for all entries to Yes" -msgstr "" - -#: watch.cpp:463 -msgid "Set DetachedChannelOnly for all entries to No" -msgstr "" - -#: watch.cpp:487 watch.cpp:503 -msgid "Id" -msgstr "" - -#: watch.cpp:488 watch.cpp:504 -msgid "HostMask" -msgstr "" - -#: watch.cpp:489 watch.cpp:505 -msgid "Target" -msgstr "" - -#: watch.cpp:490 watch.cpp:506 -msgid "Pattern" -msgstr "" - -#: watch.cpp:491 watch.cpp:507 -msgid "Sources" -msgstr "" - -#: watch.cpp:492 watch.cpp:508 watch.cpp:509 -msgid "Off" -msgstr "" - -#: watch.cpp:493 watch.cpp:511 -msgid "DetachedClientOnly" -msgstr "" - -#: watch.cpp:494 watch.cpp:514 -msgid "DetachedChannelOnly" -msgstr "" - -#: watch.cpp:512 watch.cpp:515 -msgid "Yes" -msgstr "" - -#: watch.cpp:512 watch.cpp:515 -msgid "No" -msgstr "" - -#: watch.cpp:521 watch.cpp:527 -msgid "You have no entries." -msgstr "" - -#: watch.cpp:578 -msgid "Sources set for Id {1}." -msgstr "" - -#: watch.cpp:593 -msgid "Id {1} removed." -msgstr "" - -#: watch.cpp:600 watch.cpp:605 watch.cpp:610 watch.cpp:615 watch.cpp:621 -#: watch.cpp:626 watch.cpp:630 watch.cpp:634 watch.cpp:639 watch.cpp:646 -#: watch.cpp:653 watch.cpp:659 watch.cpp:665 -msgid "Command" -msgstr "" - -#: watch.cpp:601 watch.cpp:606 watch.cpp:611 watch.cpp:617 watch.cpp:622 -#: watch.cpp:627 watch.cpp:631 watch.cpp:635 watch.cpp:642 watch.cpp:649 -#: watch.cpp:655 watch.cpp:661 watch.cpp:666 -msgid "Description" -msgstr "" - -#: watch.cpp:605 -msgid "Add [Target] [Pattern]" -msgstr "" - -#: watch.cpp:607 +#: watch.cpp:178 msgid "Used to add an entry to watch for." msgstr "" -#: watch.cpp:610 -msgid "List" -msgstr "" - -#: watch.cpp:612 +#: watch.cpp:180 msgid "List all entries being watched." msgstr "" -#: watch.cpp:615 -msgid "Dump" -msgstr "" - -#: watch.cpp:618 +#: watch.cpp:182 msgid "Dump a list of all current entries to be used later." msgstr "" -#: watch.cpp:621 -msgid "Del " +#: watch.cpp:184 +msgid "" msgstr "" -#: watch.cpp:623 +#: watch.cpp:184 msgid "Deletes Id from the list of watched entries." msgstr "" -#: watch.cpp:626 -msgid "Clear" -msgstr "" - -#: watch.cpp:627 +#: watch.cpp:186 msgid "Delete all entries." msgstr "" -#: watch.cpp:630 -msgid "Enable " +#: watch.cpp:188 watch.cpp:190 +msgid "" msgstr "" -#: watch.cpp:631 +#: watch.cpp:188 msgid "Enable a disabled entry." msgstr "" -#: watch.cpp:634 -msgid "Disable " -msgstr "" - -#: watch.cpp:636 +#: watch.cpp:190 msgid "Disable (but don't delete) an entry." msgstr "" -#: watch.cpp:640 -msgid "SetDetachedClientOnly " +#: watch.cpp:192 watch.cpp:194 +msgid " " msgstr "" -#: watch.cpp:643 +#: watch.cpp:192 msgid "Enable or disable detached client only for an entry." msgstr "" -#: watch.cpp:647 -msgid "SetDetachedChannelOnly " -msgstr "" - -#: watch.cpp:650 +#: watch.cpp:194 msgid "Enable or disable detached channel only for an entry." msgstr "" -#: watch.cpp:653 -msgid "Buffer [Count]" +#: watch.cpp:196 +msgid " [#chan priv #foo* !#bar]" msgstr "" -#: watch.cpp:656 -msgid "Show/Set the amount of buffered lines while detached." -msgstr "" - -#: watch.cpp:660 -msgid "SetSources [#chan priv #foo* !#bar]" -msgstr "" - -#: watch.cpp:662 +#: watch.cpp:196 msgid "Set the source channels that you care about." msgstr "" -#: watch.cpp:665 -msgid "Help" -msgstr "" - -#: watch.cpp:666 -msgid "This help." -msgstr "" - -#: watch.cpp:682 -msgid "Entry for {1} already exists." -msgstr "" - -#: watch.cpp:690 -msgid "Adding entry: {1} watching for [{2}] -> {3}" -msgstr "" - -#: watch.cpp:696 -msgid "Watch: Not enough arguments. Try Help" -msgstr "" - -#: watch.cpp:765 +#: watch.cpp:237 msgid "WARNING: malformed entry found while loading" msgstr "" -#: watch.cpp:779 +#: watch.cpp:382 +msgid "Disabled all entries." +msgstr "" + +#: watch.cpp:383 +msgid "Enabled all entries." +msgstr "" + +#: watch.cpp:390 watch.cpp:432 watch.cpp:474 watch.cpp:577 watch.cpp:619 +msgid "Invalid Id" +msgstr "" + +#: watch.cpp:399 +msgid "Id {1} disabled" +msgstr "" + +#: watch.cpp:401 +msgid "Id {1} enabled" +msgstr "" + +#: watch.cpp:423 +msgid "Set DetachedClientOnly for all entries to Yes" +msgstr "" + +#: watch.cpp:425 +msgid "Set DetachedClientOnly for all entries to No" +msgstr "" + +#: watch.cpp:441 watch.cpp:483 +msgid "Id {1} set to Yes" +msgstr "" + +#: watch.cpp:443 watch.cpp:485 +msgid "Id {1} set to No" +msgstr "" + +#: watch.cpp:465 +msgid "Set DetachedChannelOnly for all entries to Yes" +msgstr "" + +#: watch.cpp:467 +msgid "Set DetachedChannelOnly for all entries to No" +msgstr "" + +#: watch.cpp:491 watch.cpp:507 +msgid "Id" +msgstr "" + +#: watch.cpp:492 watch.cpp:508 +msgid "HostMask" +msgstr "" + +#: watch.cpp:493 watch.cpp:509 +msgid "Target" +msgstr "" + +#: watch.cpp:494 watch.cpp:510 +msgid "Pattern" +msgstr "" + +#: watch.cpp:495 watch.cpp:511 +msgid "Sources" +msgstr "" + +#: watch.cpp:496 watch.cpp:512 watch.cpp:513 +msgid "Off" +msgstr "" + +#: watch.cpp:497 watch.cpp:515 +msgid "DetachedClientOnly" +msgstr "" + +#: watch.cpp:498 watch.cpp:518 +msgid "DetachedChannelOnly" +msgstr "" + +#: watch.cpp:516 watch.cpp:519 +msgid "Yes" +msgstr "" + +#: watch.cpp:516 watch.cpp:519 +msgid "No" +msgstr "" + +#: watch.cpp:525 watch.cpp:531 +msgid "You have no entries." +msgstr "" + +#: watch.cpp:585 +msgid "Sources set for Id {1}." +msgstr "" + +#: watch.cpp:609 +msgid "All entries cleared." +msgstr "" + +#: watch.cpp:627 +msgid "Id {1} removed." +msgstr "" + +#: watch.cpp:646 +msgid "Entry for {1} already exists." +msgstr "" + +#: watch.cpp:654 +msgid "Adding entry: {1} watching for [{2}] -> {3}" +msgstr "" + +#: watch.cpp:660 +msgid "Watch: Not enough arguments. Try Help" +msgstr "" + +#: watch.cpp:702 msgid "Copy activity from a specific user into a separate window" msgstr "" diff --git a/modules/po/watch.it_IT.po b/modules/po/watch.it_IT.po index 9d65175b..ae1a0417 100644 --- a/modules/po/watch.it_IT.po +++ b/modules/po/watch.it_IT.po @@ -10,240 +10,182 @@ msgstr "" "Language-Team: Italian\n" "Language: it_IT\n" -#: watch.cpp:334 -msgid "All entries cleared." -msgstr "Tutte le voci cancellate." +#: watch.cpp:178 +msgid " [Target] [Pattern]" +msgstr "" -#: watch.cpp:344 -msgid "Buffer count is set to {1}" -msgstr "Buffer count è impostato a {1}" - -#: watch.cpp:348 -msgid "Unknown command: {1}" -msgstr "Comando sconosciuto: {1}" - -#: watch.cpp:397 -msgid "Disabled all entries." -msgstr "Disabilitate tutte le voci" - -#: watch.cpp:398 -msgid "Enabled all entries." -msgstr "Abilitate tutte le voci" - -#: watch.cpp:405 watch.cpp:437 watch.cpp:470 watch.cpp:570 watch.cpp:585 -msgid "Invalid Id" -msgstr "Id non valido" - -#: watch.cpp:414 -msgid "Id {1} disabled" -msgstr "Id {1} disabilitato" - -#: watch.cpp:416 -msgid "Id {1} enabled" -msgstr "Id {1} abilitato" - -#: watch.cpp:428 -msgid "Set DetachedClientOnly for all entries to Yes" -msgstr "Imposta il DetachedClientOnly per tutte le voci su Sì" - -#: watch.cpp:430 -msgid "Set DetachedClientOnly for all entries to No" -msgstr "Imposta il DetachedClientOnly per tutte le voci su No" - -#: watch.cpp:446 watch.cpp:479 -msgid "Id {1} set to Yes" -msgstr "Id {1} impostato a Si" - -#: watch.cpp:448 watch.cpp:481 -msgid "Id {1} set to No" -msgstr "Id {1} impostato a No" - -#: watch.cpp:461 -msgid "Set DetachedChannelOnly for all entries to Yes" -msgstr "Imposta il DetachedChannelOnly per tutte le voci su Yes" - -#: watch.cpp:463 -msgid "Set DetachedChannelOnly for all entries to No" -msgstr "Imposta il DetachedChannelOnly per teutte le voci a No" - -#: watch.cpp:487 watch.cpp:503 -msgid "Id" -msgstr "Id" - -#: watch.cpp:488 watch.cpp:504 -msgid "HostMask" -msgstr "HostMask" - -#: watch.cpp:489 watch.cpp:505 -msgid "Target" -msgstr "Target" - -#: watch.cpp:490 watch.cpp:506 -msgid "Pattern" -msgstr "Modello" - -#: watch.cpp:491 watch.cpp:507 -msgid "Sources" -msgstr "Sorgenti" - -#: watch.cpp:492 watch.cpp:508 watch.cpp:509 -msgid "Off" -msgstr "Off" - -#: watch.cpp:493 watch.cpp:511 -msgid "DetachedClientOnly" -msgstr "DetachedClientOnly" - -#: watch.cpp:494 watch.cpp:514 -msgid "DetachedChannelOnly" -msgstr "DetachedChannelOnly" - -#: watch.cpp:512 watch.cpp:515 -msgid "Yes" -msgstr "Si" - -#: watch.cpp:512 watch.cpp:515 -msgid "No" -msgstr "No" - -#: watch.cpp:521 watch.cpp:527 -msgid "You have no entries." -msgstr "Non hai voci" - -#: watch.cpp:578 -msgid "Sources set for Id {1}." -msgstr "Sorgenti impostate per Id {1}." - -#: watch.cpp:593 -msgid "Id {1} removed." -msgstr "Id {1} rimosso." - -#: watch.cpp:600 watch.cpp:605 watch.cpp:610 watch.cpp:615 watch.cpp:621 -#: watch.cpp:626 watch.cpp:630 watch.cpp:634 watch.cpp:639 watch.cpp:646 -#: watch.cpp:653 watch.cpp:659 watch.cpp:665 -msgid "Command" -msgstr "Comando" - -#: watch.cpp:601 watch.cpp:606 watch.cpp:611 watch.cpp:617 watch.cpp:622 -#: watch.cpp:627 watch.cpp:631 watch.cpp:635 watch.cpp:642 watch.cpp:649 -#: watch.cpp:655 watch.cpp:661 watch.cpp:666 -msgid "Description" -msgstr "Descrizione" - -#: watch.cpp:605 -msgid "Add [Target] [Pattern]" -msgstr "Add [Target] [Modello]" - -#: watch.cpp:607 +#: watch.cpp:178 msgid "Used to add an entry to watch for." msgstr "Utilizzato per aggiungere una voce da tenere d'occhio." -#: watch.cpp:610 -msgid "List" -msgstr "Lista" - -#: watch.cpp:612 +#: watch.cpp:180 msgid "List all entries being watched." msgstr "Elenca tutte le voci che si stanno guardando" -#: watch.cpp:615 -msgid "Dump" -msgstr "Scarica" - -#: watch.cpp:618 +#: watch.cpp:182 msgid "Dump a list of all current entries to be used later." msgstr "Scarica un elenco di tutte le voci correnti da utilizzare in seguito." -#: watch.cpp:621 -msgid "Del " -msgstr "Elimina " +#: watch.cpp:184 +msgid "" +msgstr "" -#: watch.cpp:623 +#: watch.cpp:184 msgid "Deletes Id from the list of watched entries." msgstr "Elimina l'ID dall'elenco delle voci osservate." -#: watch.cpp:626 -msgid "Clear" -msgstr "Cancella" - -#: watch.cpp:627 +#: watch.cpp:186 msgid "Delete all entries." msgstr "Elimina tutte le voci." -#: watch.cpp:630 -msgid "Enable " -msgstr "Abilita " +#: watch.cpp:188 watch.cpp:190 +msgid "" +msgstr "" -#: watch.cpp:631 +#: watch.cpp:188 msgid "Enable a disabled entry." msgstr "Abilita una voce disabilitata" -#: watch.cpp:634 -msgid "Disable " -msgstr "Disabilita " - -#: watch.cpp:636 +#: watch.cpp:190 msgid "Disable (but don't delete) an entry." msgstr "Disabilita (ma non elimina) una voce." -#: watch.cpp:640 -msgid "SetDetachedClientOnly " -msgstr "SetDetachedClientOnly " +#: watch.cpp:192 watch.cpp:194 +msgid " " +msgstr "" -#: watch.cpp:643 +#: watch.cpp:192 msgid "Enable or disable detached client only for an entry." msgstr "Abilita o disabilita il client separato (detached) solo per una voce." -#: watch.cpp:647 -msgid "SetDetachedChannelOnly " -msgstr "SetDetachedChannelOnly " - -#: watch.cpp:650 +#: watch.cpp:194 msgid "Enable or disable detached channel only for an entry." msgstr "Abilita o disabilita il canale separato (detached) solo per una voce." -#: watch.cpp:653 -msgid "Buffer [Count]" -msgstr "Buffer [Count]" - -#: watch.cpp:656 -msgid "Show/Set the amount of buffered lines while detached." +#: watch.cpp:196 +msgid " [#chan priv #foo* !#bar]" msgstr "" -"Mostra/Imposta la quantità di linee bufferizzate mentre è " -"distaccata(detached)." -#: watch.cpp:660 -msgid "SetSources [#chan priv #foo* !#bar]" -msgstr "SetSources [#canale priv #foo* !#bar]" - -#: watch.cpp:662 +#: watch.cpp:196 msgid "Set the source channels that you care about." msgstr "Imposta i canali sorgente che ti interessano." -#: watch.cpp:665 -msgid "Help" -msgstr "Aiuto" - -#: watch.cpp:666 -msgid "This help." -msgstr "Questo aiuto." - -#: watch.cpp:682 -msgid "Entry for {1} already exists." -msgstr "La voce per {1} esiste già." - -#: watch.cpp:690 -msgid "Adding entry: {1} watching for [{2}] -> {3}" -msgstr "Aggiunta voce: {1} in cerca di [{2}] -> {3}" - -#: watch.cpp:696 -msgid "Watch: Not enough arguments. Try Help" -msgstr "Guarda: argomenti insufficienti. Prova aiuto" - -#: watch.cpp:765 +#: watch.cpp:237 msgid "WARNING: malformed entry found while loading" msgstr "ATTENZIONE: rilevata immissione errata durante il caricamento" -#: watch.cpp:779 +#: watch.cpp:382 +msgid "Disabled all entries." +msgstr "Disabilitate tutte le voci" + +#: watch.cpp:383 +msgid "Enabled all entries." +msgstr "Abilitate tutte le voci" + +#: watch.cpp:390 watch.cpp:432 watch.cpp:474 watch.cpp:577 watch.cpp:619 +msgid "Invalid Id" +msgstr "Id non valido" + +#: watch.cpp:399 +msgid "Id {1} disabled" +msgstr "Id {1} disabilitato" + +#: watch.cpp:401 +msgid "Id {1} enabled" +msgstr "Id {1} abilitato" + +#: watch.cpp:423 +msgid "Set DetachedClientOnly for all entries to Yes" +msgstr "Imposta il DetachedClientOnly per tutte le voci su Sì" + +#: watch.cpp:425 +msgid "Set DetachedClientOnly for all entries to No" +msgstr "Imposta il DetachedClientOnly per tutte le voci su No" + +#: watch.cpp:441 watch.cpp:483 +msgid "Id {1} set to Yes" +msgstr "Id {1} impostato a Si" + +#: watch.cpp:443 watch.cpp:485 +msgid "Id {1} set to No" +msgstr "Id {1} impostato a No" + +#: watch.cpp:465 +msgid "Set DetachedChannelOnly for all entries to Yes" +msgstr "Imposta il DetachedChannelOnly per tutte le voci su Yes" + +#: watch.cpp:467 +msgid "Set DetachedChannelOnly for all entries to No" +msgstr "Imposta il DetachedChannelOnly per teutte le voci a No" + +#: watch.cpp:491 watch.cpp:507 +msgid "Id" +msgstr "Id" + +#: watch.cpp:492 watch.cpp:508 +msgid "HostMask" +msgstr "HostMask" + +#: watch.cpp:493 watch.cpp:509 +msgid "Target" +msgstr "Target" + +#: watch.cpp:494 watch.cpp:510 +msgid "Pattern" +msgstr "Modello" + +#: watch.cpp:495 watch.cpp:511 +msgid "Sources" +msgstr "Sorgenti" + +#: watch.cpp:496 watch.cpp:512 watch.cpp:513 +msgid "Off" +msgstr "Off" + +#: watch.cpp:497 watch.cpp:515 +msgid "DetachedClientOnly" +msgstr "DetachedClientOnly" + +#: watch.cpp:498 watch.cpp:518 +msgid "DetachedChannelOnly" +msgstr "DetachedChannelOnly" + +#: watch.cpp:516 watch.cpp:519 +msgid "Yes" +msgstr "Si" + +#: watch.cpp:516 watch.cpp:519 +msgid "No" +msgstr "No" + +#: watch.cpp:525 watch.cpp:531 +msgid "You have no entries." +msgstr "Non hai voci" + +#: watch.cpp:585 +msgid "Sources set for Id {1}." +msgstr "Sorgenti impostate per Id {1}." + +#: watch.cpp:609 +msgid "All entries cleared." +msgstr "Tutte le voci cancellate." + +#: watch.cpp:627 +msgid "Id {1} removed." +msgstr "Id {1} rimosso." + +#: watch.cpp:646 +msgid "Entry for {1} already exists." +msgstr "La voce per {1} esiste già." + +#: watch.cpp:654 +msgid "Adding entry: {1} watching for [{2}] -> {3}" +msgstr "Aggiunta voce: {1} in cerca di [{2}] -> {3}" + +#: watch.cpp:660 +msgid "Watch: Not enough arguments. Try Help" +msgstr "Guarda: argomenti insufficienti. Prova aiuto" + +#: watch.cpp:702 msgid "Copy activity from a specific user into a separate window" msgstr "Copia l'attività di uno specifico utente in una finestra separata" diff --git a/modules/po/watch.nl_NL.po b/modules/po/watch.nl_NL.po index 1e656d73..3d7a0451 100644 --- a/modules/po/watch.nl_NL.po +++ b/modules/po/watch.nl_NL.po @@ -10,238 +10,182 @@ msgstr "" "Language-Team: Dutch\n" "Language: nl_NL\n" -#: watch.cpp:334 -msgid "All entries cleared." -msgstr "Alle gebruikers gewist." +#: watch.cpp:178 +msgid " [Target] [Pattern]" +msgstr "" -#: watch.cpp:344 -msgid "Buffer count is set to {1}" -msgstr "Buffer aantal is ingesteld op {1}" - -#: watch.cpp:348 -msgid "Unknown command: {1}" -msgstr "Onbekend commando: {1}" - -#: watch.cpp:397 -msgid "Disabled all entries." -msgstr "Alle gebruikers uitgeschakeld." - -#: watch.cpp:398 -msgid "Enabled all entries." -msgstr "Alle gebruikers ingeschakeld." - -#: watch.cpp:405 watch.cpp:437 watch.cpp:470 watch.cpp:570 watch.cpp:585 -msgid "Invalid Id" -msgstr "Ongeldige ID" - -#: watch.cpp:414 -msgid "Id {1} disabled" -msgstr "Id {1} uitgeschakeld" - -#: watch.cpp:416 -msgid "Id {1} enabled" -msgstr "Id {1} ingeschakeld" - -#: watch.cpp:428 -msgid "Set DetachedClientOnly for all entries to Yes" -msgstr "Stel DetachedClientOnly voor alle gebruikers in op Ja" - -#: watch.cpp:430 -msgid "Set DetachedClientOnly for all entries to No" -msgstr "Stel DetachedClientOnly voor alle gebruikers in op Nee" - -#: watch.cpp:446 watch.cpp:479 -msgid "Id {1} set to Yes" -msgstr "Id {1} ingesteld op Ja" - -#: watch.cpp:448 watch.cpp:481 -msgid "Id {1} set to No" -msgstr "Id {1} ingesteld op Nee" - -#: watch.cpp:461 -msgid "Set DetachedChannelOnly for all entries to Yes" -msgstr "DetachedChannelOnly voor alle gebruikers insteld op Ja" - -#: watch.cpp:463 -msgid "Set DetachedChannelOnly for all entries to No" -msgstr "DetachedChannelOnly voor alle gebruikers insteld op Nee" - -#: watch.cpp:487 watch.cpp:503 -msgid "Id" -msgstr "Id" - -#: watch.cpp:488 watch.cpp:504 -msgid "HostMask" -msgstr "Hostmasker" - -#: watch.cpp:489 watch.cpp:505 -msgid "Target" -msgstr "Doel" - -#: watch.cpp:490 watch.cpp:506 -msgid "Pattern" -msgstr "Patroon" - -#: watch.cpp:491 watch.cpp:507 -msgid "Sources" -msgstr "Bronnen" - -#: watch.cpp:492 watch.cpp:508 watch.cpp:509 -msgid "Off" -msgstr "Uit" - -#: watch.cpp:493 watch.cpp:511 -msgid "DetachedClientOnly" -msgstr "DetachedClientOnly" - -#: watch.cpp:494 watch.cpp:514 -msgid "DetachedChannelOnly" -msgstr "DetachedChannelOnly" - -#: watch.cpp:512 watch.cpp:515 -msgid "Yes" -msgstr "Ja" - -#: watch.cpp:512 watch.cpp:515 -msgid "No" -msgstr "Nee" - -#: watch.cpp:521 watch.cpp:527 -msgid "You have no entries." -msgstr "Je hebt geen gebruikers." - -#: watch.cpp:578 -msgid "Sources set for Id {1}." -msgstr "Bronnen ingesteld voor Id {1}." - -#: watch.cpp:593 -msgid "Id {1} removed." -msgstr "Id {1} verwijderd." - -#: watch.cpp:600 watch.cpp:605 watch.cpp:610 watch.cpp:615 watch.cpp:621 -#: watch.cpp:626 watch.cpp:630 watch.cpp:634 watch.cpp:639 watch.cpp:646 -#: watch.cpp:653 watch.cpp:659 watch.cpp:665 -msgid "Command" -msgstr "Commando" - -#: watch.cpp:601 watch.cpp:606 watch.cpp:611 watch.cpp:617 watch.cpp:622 -#: watch.cpp:627 watch.cpp:631 watch.cpp:635 watch.cpp:642 watch.cpp:649 -#: watch.cpp:655 watch.cpp:661 watch.cpp:666 -msgid "Description" -msgstr "Beschrijving" - -#: watch.cpp:605 -msgid "Add [Target] [Pattern]" -msgstr "Add [doel] [patroon}" - -#: watch.cpp:607 +#: watch.cpp:178 msgid "Used to add an entry to watch for." msgstr "Gebruikt om een gebruiker toe te voegen om naar uit te kijken." -#: watch.cpp:610 -msgid "List" -msgstr "Lijst" - -#: watch.cpp:612 +#: watch.cpp:180 msgid "List all entries being watched." msgstr "Toon alle gebruikers waar naar uitgekeken wordt." -#: watch.cpp:615 -msgid "Dump" -msgstr "Storten" - -#: watch.cpp:618 +#: watch.cpp:182 msgid "Dump a list of all current entries to be used later." msgstr "Stort een lijst met alle huidige gebruikers om later te gebruiken." -#: watch.cpp:621 -msgid "Del " -msgstr "Del " +#: watch.cpp:184 +msgid "" +msgstr "" -#: watch.cpp:623 +#: watch.cpp:184 msgid "Deletes Id from the list of watched entries." msgstr "Verwijdert Id van de lijst van de naar uit te kijken gebruikers." -#: watch.cpp:626 -msgid "Clear" -msgstr "Wissen" - -#: watch.cpp:627 +#: watch.cpp:186 msgid "Delete all entries." msgstr "Verwijder alle gebruikers." -#: watch.cpp:630 -msgid "Enable " -msgstr "Enable " +#: watch.cpp:188 watch.cpp:190 +msgid "" +msgstr "" -#: watch.cpp:631 +#: watch.cpp:188 msgid "Enable a disabled entry." msgstr "Schakel een uitgeschakelde gebruiker in." -#: watch.cpp:634 -msgid "Disable " -msgstr "Disable " - -#: watch.cpp:636 +#: watch.cpp:190 msgid "Disable (but don't delete) an entry." msgstr "Schakel een ingeschakelde gebruiker uit (maar verwijder deze niet)." -#: watch.cpp:640 -msgid "SetDetachedClientOnly " -msgstr "SetDetachedClientOnly " +#: watch.cpp:192 watch.cpp:194 +msgid " " +msgstr "" -#: watch.cpp:643 +#: watch.cpp:192 msgid "Enable or disable detached client only for an entry." msgstr "Schakel een losgekoppelde client in of uit voor een gebruiker." -#: watch.cpp:647 -msgid "SetDetachedChannelOnly " -msgstr "SetDetachedChannelOnly " - -#: watch.cpp:650 +#: watch.cpp:194 msgid "Enable or disable detached channel only for an entry." msgstr "Schakel een losgekoppeld kanaal in of uit voor een gebruiker." -#: watch.cpp:653 -msgid "Buffer [Count]" -msgstr "Buffer [aantal]" +#: watch.cpp:196 +msgid " [#chan priv #foo* !#bar]" +msgstr "" -#: watch.cpp:656 -msgid "Show/Set the amount of buffered lines while detached." -msgstr "Toon/Stel in de aantal gebufferde regels wanneer losgekoppeld." - -#: watch.cpp:660 -msgid "SetSources [#chan priv #foo* !#bar]" -msgstr "SetSources [#kanaal priv #foo* !#bar]" - -#: watch.cpp:662 +#: watch.cpp:196 msgid "Set the source channels that you care about." msgstr "Stel the bronkanalen in waar je om geeft." -#: watch.cpp:665 -msgid "Help" -msgstr "Help" - -#: watch.cpp:666 -msgid "This help." -msgstr "Deze hulp." - -#: watch.cpp:682 -msgid "Entry for {1} already exists." -msgstr "Gebruiker {1} bestaat al." - -#: watch.cpp:690 -msgid "Adding entry: {1} watching for [{2}] -> {3}" -msgstr "Voeg gebruiker toe: {1}, kijk uit naar [{2}] -> {3}" - -#: watch.cpp:696 -msgid "Watch: Not enough arguments. Try Help" -msgstr "Watch: Niet genoeg argumenten. Probeer Help" - -#: watch.cpp:765 +#: watch.cpp:237 msgid "WARNING: malformed entry found while loading" msgstr "WAARSCHUWING: ongeldige gebruiker gevonden terwijl deze geladen werd" -#: watch.cpp:779 +#: watch.cpp:382 +msgid "Disabled all entries." +msgstr "Alle gebruikers uitgeschakeld." + +#: watch.cpp:383 +msgid "Enabled all entries." +msgstr "Alle gebruikers ingeschakeld." + +#: watch.cpp:390 watch.cpp:432 watch.cpp:474 watch.cpp:577 watch.cpp:619 +msgid "Invalid Id" +msgstr "Ongeldige ID" + +#: watch.cpp:399 +msgid "Id {1} disabled" +msgstr "Id {1} uitgeschakeld" + +#: watch.cpp:401 +msgid "Id {1} enabled" +msgstr "Id {1} ingeschakeld" + +#: watch.cpp:423 +msgid "Set DetachedClientOnly for all entries to Yes" +msgstr "Stel DetachedClientOnly voor alle gebruikers in op Ja" + +#: watch.cpp:425 +msgid "Set DetachedClientOnly for all entries to No" +msgstr "Stel DetachedClientOnly voor alle gebruikers in op Nee" + +#: watch.cpp:441 watch.cpp:483 +msgid "Id {1} set to Yes" +msgstr "Id {1} ingesteld op Ja" + +#: watch.cpp:443 watch.cpp:485 +msgid "Id {1} set to No" +msgstr "Id {1} ingesteld op Nee" + +#: watch.cpp:465 +msgid "Set DetachedChannelOnly for all entries to Yes" +msgstr "DetachedChannelOnly voor alle gebruikers insteld op Ja" + +#: watch.cpp:467 +msgid "Set DetachedChannelOnly for all entries to No" +msgstr "DetachedChannelOnly voor alle gebruikers insteld op Nee" + +#: watch.cpp:491 watch.cpp:507 +msgid "Id" +msgstr "Id" + +#: watch.cpp:492 watch.cpp:508 +msgid "HostMask" +msgstr "Hostmasker" + +#: watch.cpp:493 watch.cpp:509 +msgid "Target" +msgstr "Doel" + +#: watch.cpp:494 watch.cpp:510 +msgid "Pattern" +msgstr "Patroon" + +#: watch.cpp:495 watch.cpp:511 +msgid "Sources" +msgstr "Bronnen" + +#: watch.cpp:496 watch.cpp:512 watch.cpp:513 +msgid "Off" +msgstr "Uit" + +#: watch.cpp:497 watch.cpp:515 +msgid "DetachedClientOnly" +msgstr "DetachedClientOnly" + +#: watch.cpp:498 watch.cpp:518 +msgid "DetachedChannelOnly" +msgstr "DetachedChannelOnly" + +#: watch.cpp:516 watch.cpp:519 +msgid "Yes" +msgstr "Ja" + +#: watch.cpp:516 watch.cpp:519 +msgid "No" +msgstr "Nee" + +#: watch.cpp:525 watch.cpp:531 +msgid "You have no entries." +msgstr "Je hebt geen gebruikers." + +#: watch.cpp:585 +msgid "Sources set for Id {1}." +msgstr "Bronnen ingesteld voor Id {1}." + +#: watch.cpp:609 +msgid "All entries cleared." +msgstr "Alle gebruikers gewist." + +#: watch.cpp:627 +msgid "Id {1} removed." +msgstr "Id {1} verwijderd." + +#: watch.cpp:646 +msgid "Entry for {1} already exists." +msgstr "Gebruiker {1} bestaat al." + +#: watch.cpp:654 +msgid "Adding entry: {1} watching for [{2}] -> {3}" +msgstr "Voeg gebruiker toe: {1}, kijk uit naar [{2}] -> {3}" + +#: watch.cpp:660 +msgid "Watch: Not enough arguments. Try Help" +msgstr "Watch: Niet genoeg argumenten. Probeer Help" + +#: watch.cpp:702 msgid "Copy activity from a specific user into a separate window" msgstr "Kopiëer activiteit van een specifieke gebruiker naar een apart venster" diff --git a/modules/po/watch.pot b/modules/po/watch.pot index 65991ded..3ff487ce 100644 --- a/modules/po/watch.pot +++ b/modules/po/watch.pot @@ -3,238 +3,182 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -#: watch.cpp:334 -msgid "All entries cleared." +#: watch.cpp:178 +msgid " [Target] [Pattern]" msgstr "" -#: watch.cpp:344 -msgid "Buffer count is set to {1}" -msgstr "" - -#: watch.cpp:348 -msgid "Unknown command: {1}" -msgstr "" - -#: watch.cpp:397 -msgid "Disabled all entries." -msgstr "" - -#: watch.cpp:398 -msgid "Enabled all entries." -msgstr "" - -#: watch.cpp:405 watch.cpp:437 watch.cpp:470 watch.cpp:570 watch.cpp:585 -msgid "Invalid Id" -msgstr "" - -#: watch.cpp:414 -msgid "Id {1} disabled" -msgstr "" - -#: watch.cpp:416 -msgid "Id {1} enabled" -msgstr "" - -#: watch.cpp:428 -msgid "Set DetachedClientOnly for all entries to Yes" -msgstr "" - -#: watch.cpp:430 -msgid "Set DetachedClientOnly for all entries to No" -msgstr "" - -#: watch.cpp:446 watch.cpp:479 -msgid "Id {1} set to Yes" -msgstr "" - -#: watch.cpp:448 watch.cpp:481 -msgid "Id {1} set to No" -msgstr "" - -#: watch.cpp:461 -msgid "Set DetachedChannelOnly for all entries to Yes" -msgstr "" - -#: watch.cpp:463 -msgid "Set DetachedChannelOnly for all entries to No" -msgstr "" - -#: watch.cpp:487 watch.cpp:503 -msgid "Id" -msgstr "" - -#: watch.cpp:488 watch.cpp:504 -msgid "HostMask" -msgstr "" - -#: watch.cpp:489 watch.cpp:505 -msgid "Target" -msgstr "" - -#: watch.cpp:490 watch.cpp:506 -msgid "Pattern" -msgstr "" - -#: watch.cpp:491 watch.cpp:507 -msgid "Sources" -msgstr "" - -#: watch.cpp:492 watch.cpp:508 watch.cpp:509 -msgid "Off" -msgstr "" - -#: watch.cpp:493 watch.cpp:511 -msgid "DetachedClientOnly" -msgstr "" - -#: watch.cpp:494 watch.cpp:514 -msgid "DetachedChannelOnly" -msgstr "" - -#: watch.cpp:512 watch.cpp:515 -msgid "Yes" -msgstr "" - -#: watch.cpp:512 watch.cpp:515 -msgid "No" -msgstr "" - -#: watch.cpp:521 watch.cpp:527 -msgid "You have no entries." -msgstr "" - -#: watch.cpp:578 -msgid "Sources set for Id {1}." -msgstr "" - -#: watch.cpp:593 -msgid "Id {1} removed." -msgstr "" - -#: watch.cpp:600 watch.cpp:605 watch.cpp:610 watch.cpp:615 watch.cpp:621 -#: watch.cpp:626 watch.cpp:630 watch.cpp:634 watch.cpp:639 watch.cpp:646 -#: watch.cpp:653 watch.cpp:659 watch.cpp:665 -msgid "Command" -msgstr "" - -#: watch.cpp:601 watch.cpp:606 watch.cpp:611 watch.cpp:617 watch.cpp:622 -#: watch.cpp:627 watch.cpp:631 watch.cpp:635 watch.cpp:642 watch.cpp:649 -#: watch.cpp:655 watch.cpp:661 watch.cpp:666 -msgid "Description" -msgstr "" - -#: watch.cpp:605 -msgid "Add [Target] [Pattern]" -msgstr "" - -#: watch.cpp:607 +#: watch.cpp:178 msgid "Used to add an entry to watch for." msgstr "" -#: watch.cpp:610 -msgid "List" -msgstr "" - -#: watch.cpp:612 +#: watch.cpp:180 msgid "List all entries being watched." msgstr "" -#: watch.cpp:615 -msgid "Dump" -msgstr "" - -#: watch.cpp:618 +#: watch.cpp:182 msgid "Dump a list of all current entries to be used later." msgstr "" -#: watch.cpp:621 -msgid "Del " +#: watch.cpp:184 +msgid "" msgstr "" -#: watch.cpp:623 +#: watch.cpp:184 msgid "Deletes Id from the list of watched entries." msgstr "" -#: watch.cpp:626 -msgid "Clear" -msgstr "" - -#: watch.cpp:627 +#: watch.cpp:186 msgid "Delete all entries." msgstr "" -#: watch.cpp:630 -msgid "Enable " +#: watch.cpp:188 watch.cpp:190 +msgid "" msgstr "" -#: watch.cpp:631 +#: watch.cpp:188 msgid "Enable a disabled entry." msgstr "" -#: watch.cpp:634 -msgid "Disable " -msgstr "" - -#: watch.cpp:636 +#: watch.cpp:190 msgid "Disable (but don't delete) an entry." msgstr "" -#: watch.cpp:640 -msgid "SetDetachedClientOnly " +#: watch.cpp:192 watch.cpp:194 +msgid " " msgstr "" -#: watch.cpp:643 +#: watch.cpp:192 msgid "Enable or disable detached client only for an entry." msgstr "" -#: watch.cpp:647 -msgid "SetDetachedChannelOnly " -msgstr "" - -#: watch.cpp:650 +#: watch.cpp:194 msgid "Enable or disable detached channel only for an entry." msgstr "" -#: watch.cpp:653 -msgid "Buffer [Count]" +#: watch.cpp:196 +msgid " [#chan priv #foo* !#bar]" msgstr "" -#: watch.cpp:656 -msgid "Show/Set the amount of buffered lines while detached." -msgstr "" - -#: watch.cpp:660 -msgid "SetSources [#chan priv #foo* !#bar]" -msgstr "" - -#: watch.cpp:662 +#: watch.cpp:196 msgid "Set the source channels that you care about." msgstr "" -#: watch.cpp:665 -msgid "Help" -msgstr "" - -#: watch.cpp:666 -msgid "This help." -msgstr "" - -#: watch.cpp:682 -msgid "Entry for {1} already exists." -msgstr "" - -#: watch.cpp:690 -msgid "Adding entry: {1} watching for [{2}] -> {3}" -msgstr "" - -#: watch.cpp:696 -msgid "Watch: Not enough arguments. Try Help" -msgstr "" - -#: watch.cpp:765 +#: watch.cpp:237 msgid "WARNING: malformed entry found while loading" msgstr "" -#: watch.cpp:779 +#: watch.cpp:382 +msgid "Disabled all entries." +msgstr "" + +#: watch.cpp:383 +msgid "Enabled all entries." +msgstr "" + +#: watch.cpp:390 watch.cpp:432 watch.cpp:474 watch.cpp:577 watch.cpp:619 +msgid "Invalid Id" +msgstr "" + +#: watch.cpp:399 +msgid "Id {1} disabled" +msgstr "" + +#: watch.cpp:401 +msgid "Id {1} enabled" +msgstr "" + +#: watch.cpp:423 +msgid "Set DetachedClientOnly for all entries to Yes" +msgstr "" + +#: watch.cpp:425 +msgid "Set DetachedClientOnly for all entries to No" +msgstr "" + +#: watch.cpp:441 watch.cpp:483 +msgid "Id {1} set to Yes" +msgstr "" + +#: watch.cpp:443 watch.cpp:485 +msgid "Id {1} set to No" +msgstr "" + +#: watch.cpp:465 +msgid "Set DetachedChannelOnly for all entries to Yes" +msgstr "" + +#: watch.cpp:467 +msgid "Set DetachedChannelOnly for all entries to No" +msgstr "" + +#: watch.cpp:491 watch.cpp:507 +msgid "Id" +msgstr "" + +#: watch.cpp:492 watch.cpp:508 +msgid "HostMask" +msgstr "" + +#: watch.cpp:493 watch.cpp:509 +msgid "Target" +msgstr "" + +#: watch.cpp:494 watch.cpp:510 +msgid "Pattern" +msgstr "" + +#: watch.cpp:495 watch.cpp:511 +msgid "Sources" +msgstr "" + +#: watch.cpp:496 watch.cpp:512 watch.cpp:513 +msgid "Off" +msgstr "" + +#: watch.cpp:497 watch.cpp:515 +msgid "DetachedClientOnly" +msgstr "" + +#: watch.cpp:498 watch.cpp:518 +msgid "DetachedChannelOnly" +msgstr "" + +#: watch.cpp:516 watch.cpp:519 +msgid "Yes" +msgstr "" + +#: watch.cpp:516 watch.cpp:519 +msgid "No" +msgstr "" + +#: watch.cpp:525 watch.cpp:531 +msgid "You have no entries." +msgstr "" + +#: watch.cpp:585 +msgid "Sources set for Id {1}." +msgstr "" + +#: watch.cpp:609 +msgid "All entries cleared." +msgstr "" + +#: watch.cpp:627 +msgid "Id {1} removed." +msgstr "" + +#: watch.cpp:646 +msgid "Entry for {1} already exists." +msgstr "" + +#: watch.cpp:654 +msgid "Adding entry: {1} watching for [{2}] -> {3}" +msgstr "" + +#: watch.cpp:660 +msgid "Watch: Not enough arguments. Try Help" +msgstr "" + +#: watch.cpp:702 msgid "Copy activity from a specific user into a separate window" msgstr "" diff --git a/modules/po/watch.pt_BR.po b/modules/po/watch.pt_BR.po index 251080ce..340e8397 100644 --- a/modules/po/watch.pt_BR.po +++ b/modules/po/watch.pt_BR.po @@ -10,238 +10,182 @@ msgstr "" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" -#: watch.cpp:334 -msgid "All entries cleared." +#: watch.cpp:178 +msgid " [Target] [Pattern]" msgstr "" -#: watch.cpp:344 -msgid "Buffer count is set to {1}" -msgstr "" - -#: watch.cpp:348 -msgid "Unknown command: {1}" -msgstr "" - -#: watch.cpp:397 -msgid "Disabled all entries." -msgstr "" - -#: watch.cpp:398 -msgid "Enabled all entries." -msgstr "" - -#: watch.cpp:405 watch.cpp:437 watch.cpp:470 watch.cpp:570 watch.cpp:585 -msgid "Invalid Id" -msgstr "" - -#: watch.cpp:414 -msgid "Id {1} disabled" -msgstr "" - -#: watch.cpp:416 -msgid "Id {1} enabled" -msgstr "" - -#: watch.cpp:428 -msgid "Set DetachedClientOnly for all entries to Yes" -msgstr "" - -#: watch.cpp:430 -msgid "Set DetachedClientOnly for all entries to No" -msgstr "" - -#: watch.cpp:446 watch.cpp:479 -msgid "Id {1} set to Yes" -msgstr "" - -#: watch.cpp:448 watch.cpp:481 -msgid "Id {1} set to No" -msgstr "" - -#: watch.cpp:461 -msgid "Set DetachedChannelOnly for all entries to Yes" -msgstr "" - -#: watch.cpp:463 -msgid "Set DetachedChannelOnly for all entries to No" -msgstr "" - -#: watch.cpp:487 watch.cpp:503 -msgid "Id" -msgstr "" - -#: watch.cpp:488 watch.cpp:504 -msgid "HostMask" -msgstr "" - -#: watch.cpp:489 watch.cpp:505 -msgid "Target" -msgstr "" - -#: watch.cpp:490 watch.cpp:506 -msgid "Pattern" -msgstr "" - -#: watch.cpp:491 watch.cpp:507 -msgid "Sources" -msgstr "" - -#: watch.cpp:492 watch.cpp:508 watch.cpp:509 -msgid "Off" -msgstr "" - -#: watch.cpp:493 watch.cpp:511 -msgid "DetachedClientOnly" -msgstr "" - -#: watch.cpp:494 watch.cpp:514 -msgid "DetachedChannelOnly" -msgstr "" - -#: watch.cpp:512 watch.cpp:515 -msgid "Yes" -msgstr "" - -#: watch.cpp:512 watch.cpp:515 -msgid "No" -msgstr "" - -#: watch.cpp:521 watch.cpp:527 -msgid "You have no entries." -msgstr "" - -#: watch.cpp:578 -msgid "Sources set for Id {1}." -msgstr "" - -#: watch.cpp:593 -msgid "Id {1} removed." -msgstr "" - -#: watch.cpp:600 watch.cpp:605 watch.cpp:610 watch.cpp:615 watch.cpp:621 -#: watch.cpp:626 watch.cpp:630 watch.cpp:634 watch.cpp:639 watch.cpp:646 -#: watch.cpp:653 watch.cpp:659 watch.cpp:665 -msgid "Command" -msgstr "" - -#: watch.cpp:601 watch.cpp:606 watch.cpp:611 watch.cpp:617 watch.cpp:622 -#: watch.cpp:627 watch.cpp:631 watch.cpp:635 watch.cpp:642 watch.cpp:649 -#: watch.cpp:655 watch.cpp:661 watch.cpp:666 -msgid "Description" -msgstr "" - -#: watch.cpp:605 -msgid "Add [Target] [Pattern]" -msgstr "" - -#: watch.cpp:607 +#: watch.cpp:178 msgid "Used to add an entry to watch for." msgstr "" -#: watch.cpp:610 -msgid "List" -msgstr "" - -#: watch.cpp:612 +#: watch.cpp:180 msgid "List all entries being watched." msgstr "" -#: watch.cpp:615 -msgid "Dump" -msgstr "" - -#: watch.cpp:618 +#: watch.cpp:182 msgid "Dump a list of all current entries to be used later." msgstr "" -#: watch.cpp:621 -msgid "Del " +#: watch.cpp:184 +msgid "" msgstr "" -#: watch.cpp:623 +#: watch.cpp:184 msgid "Deletes Id from the list of watched entries." msgstr "" -#: watch.cpp:626 -msgid "Clear" -msgstr "" - -#: watch.cpp:627 +#: watch.cpp:186 msgid "Delete all entries." msgstr "" -#: watch.cpp:630 -msgid "Enable " +#: watch.cpp:188 watch.cpp:190 +msgid "" msgstr "" -#: watch.cpp:631 +#: watch.cpp:188 msgid "Enable a disabled entry." msgstr "" -#: watch.cpp:634 -msgid "Disable " -msgstr "" - -#: watch.cpp:636 +#: watch.cpp:190 msgid "Disable (but don't delete) an entry." msgstr "" -#: watch.cpp:640 -msgid "SetDetachedClientOnly " +#: watch.cpp:192 watch.cpp:194 +msgid " " msgstr "" -#: watch.cpp:643 +#: watch.cpp:192 msgid "Enable or disable detached client only for an entry." msgstr "" -#: watch.cpp:647 -msgid "SetDetachedChannelOnly " -msgstr "" - -#: watch.cpp:650 +#: watch.cpp:194 msgid "Enable or disable detached channel only for an entry." msgstr "" -#: watch.cpp:653 -msgid "Buffer [Count]" +#: watch.cpp:196 +msgid " [#chan priv #foo* !#bar]" msgstr "" -#: watch.cpp:656 -msgid "Show/Set the amount of buffered lines while detached." -msgstr "" - -#: watch.cpp:660 -msgid "SetSources [#chan priv #foo* !#bar]" -msgstr "" - -#: watch.cpp:662 +#: watch.cpp:196 msgid "Set the source channels that you care about." msgstr "" -#: watch.cpp:665 -msgid "Help" -msgstr "" - -#: watch.cpp:666 -msgid "This help." -msgstr "" - -#: watch.cpp:682 -msgid "Entry for {1} already exists." -msgstr "" - -#: watch.cpp:690 -msgid "Adding entry: {1} watching for [{2}] -> {3}" -msgstr "" - -#: watch.cpp:696 -msgid "Watch: Not enough arguments. Try Help" -msgstr "" - -#: watch.cpp:765 +#: watch.cpp:237 msgid "WARNING: malformed entry found while loading" msgstr "" -#: watch.cpp:779 +#: watch.cpp:382 +msgid "Disabled all entries." +msgstr "" + +#: watch.cpp:383 +msgid "Enabled all entries." +msgstr "" + +#: watch.cpp:390 watch.cpp:432 watch.cpp:474 watch.cpp:577 watch.cpp:619 +msgid "Invalid Id" +msgstr "" + +#: watch.cpp:399 +msgid "Id {1} disabled" +msgstr "" + +#: watch.cpp:401 +msgid "Id {1} enabled" +msgstr "" + +#: watch.cpp:423 +msgid "Set DetachedClientOnly for all entries to Yes" +msgstr "" + +#: watch.cpp:425 +msgid "Set DetachedClientOnly for all entries to No" +msgstr "" + +#: watch.cpp:441 watch.cpp:483 +msgid "Id {1} set to Yes" +msgstr "" + +#: watch.cpp:443 watch.cpp:485 +msgid "Id {1} set to No" +msgstr "" + +#: watch.cpp:465 +msgid "Set DetachedChannelOnly for all entries to Yes" +msgstr "" + +#: watch.cpp:467 +msgid "Set DetachedChannelOnly for all entries to No" +msgstr "" + +#: watch.cpp:491 watch.cpp:507 +msgid "Id" +msgstr "" + +#: watch.cpp:492 watch.cpp:508 +msgid "HostMask" +msgstr "" + +#: watch.cpp:493 watch.cpp:509 +msgid "Target" +msgstr "" + +#: watch.cpp:494 watch.cpp:510 +msgid "Pattern" +msgstr "" + +#: watch.cpp:495 watch.cpp:511 +msgid "Sources" +msgstr "" + +#: watch.cpp:496 watch.cpp:512 watch.cpp:513 +msgid "Off" +msgstr "" + +#: watch.cpp:497 watch.cpp:515 +msgid "DetachedClientOnly" +msgstr "" + +#: watch.cpp:498 watch.cpp:518 +msgid "DetachedChannelOnly" +msgstr "" + +#: watch.cpp:516 watch.cpp:519 +msgid "Yes" +msgstr "" + +#: watch.cpp:516 watch.cpp:519 +msgid "No" +msgstr "" + +#: watch.cpp:525 watch.cpp:531 +msgid "You have no entries." +msgstr "" + +#: watch.cpp:585 +msgid "Sources set for Id {1}." +msgstr "" + +#: watch.cpp:609 +msgid "All entries cleared." +msgstr "" + +#: watch.cpp:627 +msgid "Id {1} removed." +msgstr "" + +#: watch.cpp:646 +msgid "Entry for {1} already exists." +msgstr "" + +#: watch.cpp:654 +msgid "Adding entry: {1} watching for [{2}] -> {3}" +msgstr "" + +#: watch.cpp:660 +msgid "Watch: Not enough arguments. Try Help" +msgstr "" + +#: watch.cpp:702 msgid "Copy activity from a specific user into a separate window" msgstr "" diff --git a/modules/po/watch.ru_RU.po b/modules/po/watch.ru_RU.po index a7bcad7f..d94e2600 100644 --- a/modules/po/watch.ru_RU.po +++ b/modules/po/watch.ru_RU.po @@ -12,238 +12,182 @@ msgstr "" "Language-Team: Russian\n" "Language: ru_RU\n" -#: watch.cpp:334 -msgid "All entries cleared." +#: watch.cpp:178 +msgid " [Target] [Pattern]" msgstr "" -#: watch.cpp:344 -msgid "Buffer count is set to {1}" -msgstr "" - -#: watch.cpp:348 -msgid "Unknown command: {1}" -msgstr "" - -#: watch.cpp:397 -msgid "Disabled all entries." -msgstr "" - -#: watch.cpp:398 -msgid "Enabled all entries." -msgstr "" - -#: watch.cpp:405 watch.cpp:437 watch.cpp:470 watch.cpp:570 watch.cpp:585 -msgid "Invalid Id" -msgstr "" - -#: watch.cpp:414 -msgid "Id {1} disabled" -msgstr "" - -#: watch.cpp:416 -msgid "Id {1} enabled" -msgstr "" - -#: watch.cpp:428 -msgid "Set DetachedClientOnly for all entries to Yes" -msgstr "" - -#: watch.cpp:430 -msgid "Set DetachedClientOnly for all entries to No" -msgstr "" - -#: watch.cpp:446 watch.cpp:479 -msgid "Id {1} set to Yes" -msgstr "" - -#: watch.cpp:448 watch.cpp:481 -msgid "Id {1} set to No" -msgstr "" - -#: watch.cpp:461 -msgid "Set DetachedChannelOnly for all entries to Yes" -msgstr "" - -#: watch.cpp:463 -msgid "Set DetachedChannelOnly for all entries to No" -msgstr "" - -#: watch.cpp:487 watch.cpp:503 -msgid "Id" -msgstr "" - -#: watch.cpp:488 watch.cpp:504 -msgid "HostMask" -msgstr "" - -#: watch.cpp:489 watch.cpp:505 -msgid "Target" -msgstr "" - -#: watch.cpp:490 watch.cpp:506 -msgid "Pattern" -msgstr "" - -#: watch.cpp:491 watch.cpp:507 -msgid "Sources" -msgstr "" - -#: watch.cpp:492 watch.cpp:508 watch.cpp:509 -msgid "Off" -msgstr "" - -#: watch.cpp:493 watch.cpp:511 -msgid "DetachedClientOnly" -msgstr "" - -#: watch.cpp:494 watch.cpp:514 -msgid "DetachedChannelOnly" -msgstr "" - -#: watch.cpp:512 watch.cpp:515 -msgid "Yes" -msgstr "" - -#: watch.cpp:512 watch.cpp:515 -msgid "No" -msgstr "" - -#: watch.cpp:521 watch.cpp:527 -msgid "You have no entries." -msgstr "" - -#: watch.cpp:578 -msgid "Sources set for Id {1}." -msgstr "" - -#: watch.cpp:593 -msgid "Id {1} removed." -msgstr "" - -#: watch.cpp:600 watch.cpp:605 watch.cpp:610 watch.cpp:615 watch.cpp:621 -#: watch.cpp:626 watch.cpp:630 watch.cpp:634 watch.cpp:639 watch.cpp:646 -#: watch.cpp:653 watch.cpp:659 watch.cpp:665 -msgid "Command" -msgstr "" - -#: watch.cpp:601 watch.cpp:606 watch.cpp:611 watch.cpp:617 watch.cpp:622 -#: watch.cpp:627 watch.cpp:631 watch.cpp:635 watch.cpp:642 watch.cpp:649 -#: watch.cpp:655 watch.cpp:661 watch.cpp:666 -msgid "Description" -msgstr "" - -#: watch.cpp:605 -msgid "Add [Target] [Pattern]" -msgstr "" - -#: watch.cpp:607 +#: watch.cpp:178 msgid "Used to add an entry to watch for." msgstr "" -#: watch.cpp:610 -msgid "List" -msgstr "" - -#: watch.cpp:612 +#: watch.cpp:180 msgid "List all entries being watched." msgstr "" -#: watch.cpp:615 -msgid "Dump" -msgstr "" - -#: watch.cpp:618 +#: watch.cpp:182 msgid "Dump a list of all current entries to be used later." msgstr "" -#: watch.cpp:621 -msgid "Del " +#: watch.cpp:184 +msgid "" msgstr "" -#: watch.cpp:623 +#: watch.cpp:184 msgid "Deletes Id from the list of watched entries." msgstr "" -#: watch.cpp:626 -msgid "Clear" -msgstr "" - -#: watch.cpp:627 +#: watch.cpp:186 msgid "Delete all entries." msgstr "" -#: watch.cpp:630 -msgid "Enable " +#: watch.cpp:188 watch.cpp:190 +msgid "" msgstr "" -#: watch.cpp:631 +#: watch.cpp:188 msgid "Enable a disabled entry." msgstr "" -#: watch.cpp:634 -msgid "Disable " -msgstr "" - -#: watch.cpp:636 +#: watch.cpp:190 msgid "Disable (but don't delete) an entry." msgstr "" -#: watch.cpp:640 -msgid "SetDetachedClientOnly " +#: watch.cpp:192 watch.cpp:194 +msgid " " msgstr "" -#: watch.cpp:643 +#: watch.cpp:192 msgid "Enable or disable detached client only for an entry." msgstr "" -#: watch.cpp:647 -msgid "SetDetachedChannelOnly " -msgstr "" - -#: watch.cpp:650 +#: watch.cpp:194 msgid "Enable or disable detached channel only for an entry." msgstr "" -#: watch.cpp:653 -msgid "Buffer [Count]" +#: watch.cpp:196 +msgid " [#chan priv #foo* !#bar]" msgstr "" -#: watch.cpp:656 -msgid "Show/Set the amount of buffered lines while detached." -msgstr "" - -#: watch.cpp:660 -msgid "SetSources [#chan priv #foo* !#bar]" -msgstr "" - -#: watch.cpp:662 +#: watch.cpp:196 msgid "Set the source channels that you care about." msgstr "" -#: watch.cpp:665 -msgid "Help" -msgstr "" - -#: watch.cpp:666 -msgid "This help." -msgstr "" - -#: watch.cpp:682 -msgid "Entry for {1} already exists." -msgstr "" - -#: watch.cpp:690 -msgid "Adding entry: {1} watching for [{2}] -> {3}" -msgstr "" - -#: watch.cpp:696 -msgid "Watch: Not enough arguments. Try Help" -msgstr "" - -#: watch.cpp:765 +#: watch.cpp:237 msgid "WARNING: malformed entry found while loading" msgstr "" -#: watch.cpp:779 +#: watch.cpp:382 +msgid "Disabled all entries." +msgstr "" + +#: watch.cpp:383 +msgid "Enabled all entries." +msgstr "" + +#: watch.cpp:390 watch.cpp:432 watch.cpp:474 watch.cpp:577 watch.cpp:619 +msgid "Invalid Id" +msgstr "" + +#: watch.cpp:399 +msgid "Id {1} disabled" +msgstr "" + +#: watch.cpp:401 +msgid "Id {1} enabled" +msgstr "" + +#: watch.cpp:423 +msgid "Set DetachedClientOnly for all entries to Yes" +msgstr "" + +#: watch.cpp:425 +msgid "Set DetachedClientOnly for all entries to No" +msgstr "" + +#: watch.cpp:441 watch.cpp:483 +msgid "Id {1} set to Yes" +msgstr "" + +#: watch.cpp:443 watch.cpp:485 +msgid "Id {1} set to No" +msgstr "" + +#: watch.cpp:465 +msgid "Set DetachedChannelOnly for all entries to Yes" +msgstr "" + +#: watch.cpp:467 +msgid "Set DetachedChannelOnly for all entries to No" +msgstr "" + +#: watch.cpp:491 watch.cpp:507 +msgid "Id" +msgstr "" + +#: watch.cpp:492 watch.cpp:508 +msgid "HostMask" +msgstr "" + +#: watch.cpp:493 watch.cpp:509 +msgid "Target" +msgstr "" + +#: watch.cpp:494 watch.cpp:510 +msgid "Pattern" +msgstr "" + +#: watch.cpp:495 watch.cpp:511 +msgid "Sources" +msgstr "" + +#: watch.cpp:496 watch.cpp:512 watch.cpp:513 +msgid "Off" +msgstr "" + +#: watch.cpp:497 watch.cpp:515 +msgid "DetachedClientOnly" +msgstr "" + +#: watch.cpp:498 watch.cpp:518 +msgid "DetachedChannelOnly" +msgstr "" + +#: watch.cpp:516 watch.cpp:519 +msgid "Yes" +msgstr "" + +#: watch.cpp:516 watch.cpp:519 +msgid "No" +msgstr "" + +#: watch.cpp:525 watch.cpp:531 +msgid "You have no entries." +msgstr "" + +#: watch.cpp:585 +msgid "Sources set for Id {1}." +msgstr "" + +#: watch.cpp:609 +msgid "All entries cleared." +msgstr "" + +#: watch.cpp:627 +msgid "Id {1} removed." +msgstr "" + +#: watch.cpp:646 +msgid "Entry for {1} already exists." +msgstr "" + +#: watch.cpp:654 +msgid "Adding entry: {1} watching for [{2}] -> {3}" +msgstr "" + +#: watch.cpp:660 +msgid "Watch: Not enough arguments. Try Help" +msgstr "" + +#: watch.cpp:702 msgid "Copy activity from a specific user into a separate window" msgstr "" From d229761821da38d984a9e4098ad96842490dc001 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Sun, 29 Mar 2020 08:45:10 +0100 Subject: [PATCH 360/798] Fix echo-message for *status Close #1705 --- src/Client.cpp | 2 ++ test/integration/tests/core.cpp | 16 ++++++++++++++-- 2 files changed, 16 insertions(+), 2 deletions(-) diff --git a/src/Client.cpp b/src/Client.cpp index c7a35dbe..6d8f4518 100644 --- a/src/Client.cpp +++ b/src/Client.cpp @@ -1234,6 +1234,8 @@ bool CClient::OnTextMessage(CTextMessage& Message) { } if (sTarget.TrimPrefix(m_pUser->GetStatusPrefix())) { + EchoMessage(Message); + if (sTarget.Equals("status")) { CString sMsg = Message.GetText(); UserCommand(sMsg); diff --git a/test/integration/tests/core.cpp b/test/integration/tests/core.cpp index 8d8e32c3..a3f0d4da 100644 --- a/test/integration/tests/core.cpp +++ b/test/integration/tests/core.cpp @@ -14,9 +14,10 @@ * limitations under the License. */ -#include "znctest.h" #include +#include "znctest.h" + using testing::HasSubstr; namespace znc_inttest { @@ -244,7 +245,8 @@ TEST_F(ZNCTest, AwayNotify) { client.Write("USER user/test x x :x"); QByteArray cap_ls; client.ReadUntilAndGet(" LS :", cap_ls); - ASSERT_THAT(cap_ls.toStdString(), AllOf(HasSubstr("cap-notify"), Not(HasSubstr("away-notify")))); + ASSERT_THAT(cap_ls.toStdString(), + AllOf(HasSubstr("cap-notify"), Not(HasSubstr("away-notify")))); client.Write("CAP REQ :cap-notify"); client.ReadUntil("ACK :cap-notify"); client.Write("CAP END"); @@ -284,5 +286,15 @@ TEST_F(ZNCTest, JoinKey) { ircd.ReadUntil("JOIN #znc secret"); } +TEST_F(ZNCTest, StatusEchoMessage) { + auto znc = Run(); + auto ircd = ConnectIRCd(); + auto client = LoginClient(); + client.Write("CAP REQ :echo-message"); + client.Write("PRIVMSG *status :blah"); + client.ReadUntil(":nick!user@irc.znc.in PRIVMSG *status :blah"); + client.ReadUntil(":*status!znc@znc.in PRIVMSG nick :Unknown command"); +} + } // namespace } // namespace znc_inttest From b1d4cb0ae5dd3c098eea724800c494cac1ff281e Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Sun, 29 Mar 2020 11:12:01 +0100 Subject: [PATCH 361/798] Add test for sasl module --- test/integration/framework/base.h | 22 ++++++++ test/integration/tests/modules.cpp | 81 +++++++++++++++++++++++++++--- 2 files changed, 97 insertions(+), 6 deletions(-) diff --git a/test/integration/framework/base.h b/test/integration/framework/base.h index 795c5910..92ca9532 100644 --- a/test/integration/framework/base.h +++ b/test/integration/framework/base.h @@ -40,6 +40,8 @@ class IO { * Have to use second param as the ASSERT_*'s return a non-QByteArray. */ void ReadUntilAndGet(QByteArray pattern, QByteArray& match); + // Can be used to check that something was not sent. Slow. + QByteArray ReadRemainder(); void Write(QByteArray s = "", bool new_line = true); void Close(); @@ -140,6 +142,9 @@ void IO::ReadUntilAndGet(QByteArray pattern, QByteArray& match) { if (search != -1) { match += m_readed.mid(start, search - start); m_readed.remove(0, search + 1); + if (match.endsWith('\r')) { + match.chop(1); + } return; } /* No newline yet, add to retvalue and trunc output */ @@ -162,6 +167,23 @@ void IO::ReadUntilAndGet(QByteArray pattern, QByteArray& match) { } } +template +QByteArray IO::ReadRemainder() { + auto deadline = QDateTime::currentDateTime().addSecs(2); + while (QDateTime::currentDateTime() < deadline) { + const int timeout_ms =QDateTime::currentDateTime().msecsTo(deadline); + m_device->waitForReadyRead(std::max(1, timeout_ms)); + QByteArray chunk = m_device->readAll(); + if (m_verbose) { + std::cout << chunk.toStdString() << std::flush; + } + m_readed += chunk; + } + QByteArray result = std::move(m_readed); + m_readed.clear(); + return result; +} + template void IO::Write(QByteArray s, bool new_line) { if (!m_device) return; diff --git a/test/integration/tests/modules.cpp b/test/integration/tests/modules.cpp index 7fb55bac..7ec0d74e 100644 --- a/test/integration/tests/modules.cpp +++ b/test/integration/tests/modules.cpp @@ -14,8 +14,10 @@ * limitations under the License. */ -#include "znctest.h" #include +#include + +#include "znctest.h" using testing::HasSubstr; @@ -138,8 +140,8 @@ TEST_F(ZNCTest, AutoAttachModule) { auto ircd = ConnectIRCd(); auto client = LoginClient(); InstallModule("testmod.cpp", R"( - #include #include + #include class TestModule : public CModule { public: MODCONSTRUCTOR(TestModule) {} @@ -192,12 +194,79 @@ TEST_F(ZNCTest, ModuleCSRFOverride) { auto client = LoginClient(); client.Write("znc loadmod samplewebapi"); client.ReadUntil("Loaded module"); - auto request = QNetworkRequest(QUrl("http://127.0.0.1:12345/mods/global/samplewebapi/")); - auto reply = HttpPost(request, { - {"text", "ipsum"} - })->readAll().toStdString(); + auto request = QNetworkRequest( + QUrl("http://127.0.0.1:12345/mods/global/samplewebapi/")); + auto reply = + HttpPost(request, {{"text", "ipsum"}})->readAll().toStdString(); EXPECT_THAT(reply, HasSubstr("ipsum")); } +class SaslModuleTest : public ZNCTest, + public testing::WithParamInterface< + std::pair>> { + public: + static std::string Prefix() { + std::string s; + for (int i = 0; i < 33; ++i) s += "YWFh"; + s += "YQBh"; + for (int i = 0; i < 33; ++i) s += "YWFh"; + s += "AGJi"; + for (int i = 0; i < 31; ++i) s += "YmJi"; + EXPECT_EQ(s.length(), 396); + return s; + } + + protected: + int PassLen() { return std::get<0>(GetParam()); } + void ExpectPlainAuth(Socket& ircd) { + for (const auto& str : std::get<1>(GetParam())) { + QByteArray line; + ircd.ReadUntilAndGet("AUTHENTICATE ", line); + ASSERT_EQ(line.toStdString(), "AUTHENTICATE " + str); + } + ASSERT_EQ(ircd.ReadRemainder().indexOf("AUTHENTICATE"), -1); + } +}; + +TEST_P(SaslModuleTest, Test) { + QFile conf(m_dir.path() + "/configs/znc.conf"); + ASSERT_TRUE(conf.open(QIODevice::Append | QIODevice::Text)); + QTextStream(&conf) << "ServerThrottle = 1\n"; + auto znc = Run(); + auto ircd = ConnectIRCd(); + auto client = LoginClient(); + client.Write("znc loadmod sasl"); + QByteArray sUser(100, 'a'); + QByteArray sPass(PassLen(), 'b'); + client.Write("PRIVMSG *sasl :set " + sUser + " " + sPass); + client.Write("znc jump"); + ircd = ConnectIRCd(); + ircd.ReadUntil("CAP LS"); + ircd.Write("CAP * LS :sasl"); + ircd.ReadUntil("CAP REQ :sasl"); + ircd.Write("CAP * ACK :sasl"); + ircd.ReadUntil("AUTHENTICATE EXTERNAL"); + ircd.Write(":server 904 *"); + ircd.ReadUntil("AUTHENTICATE PLAIN"); + ircd.Write("AUTHENTICATE +"); + ExpectPlainAuth(ircd); + ircd.Write(":server 903 user :Logged in"); + ircd.ReadUntil("CAP END"); +} + +INSTANTIATE_TEST_CASE_P(SaslInst, SaslModuleTest, + testing::Values( + std::pair>{ + 95, {SaslModuleTest::Prefix()}}, + std::pair>{ + 96, {SaslModuleTest::Prefix() + "Yg==", "+"}}, + std::pair>{ + 97, {SaslModuleTest::Prefix() + "YmI=", "+"}}, + std::pair>{ + 98, {SaslModuleTest::Prefix() + "YmJi", "+"}}, + std::pair>{ + 99, + {SaslModuleTest::Prefix() + "YmJi", "Yg=="}})); + } // namespace } // namespace znc_inttest From 6295fffee50f3e66eb64d2da596d040b7d466f01 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Sun, 29 Mar 2020 15:23:47 +0100 Subject: [PATCH 362/798] ZNC 1.8.0-alpha1 --- CMakeLists.txt | 6 +++--- configure.ac | 4 ++-- include/znc/version.h | 4 ++-- 3 files changed, 7 insertions(+), 7 deletions(-) diff --git a/CMakeLists.txt b/CMakeLists.txt index a80eae58..46b58276 100644 --- a/CMakeLists.txt +++ b/CMakeLists.txt @@ -16,9 +16,9 @@ cmake_minimum_required(VERSION 3.1) project(ZNC VERSION 1.8.0 LANGUAGES CXX) -set(ZNC_VERSION 1.8.x) -set(append_git_version true) -set(alpha_version "") # e.g. "-rc1" +set(ZNC_VERSION 1.8.0) +set(append_git_version false) +set(alpha_version "-alpha1") # e.g. "-rc1" set(VERSION_EXTRA "" CACHE STRING "Additional string appended to version, e.g. to mark distribution") diff --git a/configure.ac b/configure.ac index 2dd5b1d3..6a8e908d 100644 --- a/configure.ac +++ b/configure.ac @@ -7,8 +7,8 @@ AC_DEFUN([AC_PROG_CC], [m4_errprint(__file__:__line__[: Something is trying to u dnl Needed for AC_PATH_PROGS_FEATURE_CHECK which was added in 2.62 AC_PREREQ([2.62]) dnl Keep the version number in sync with version.h! -AC_INIT([znc], [1.8.x]) -LIBZNC_VERSION=1.8.x +AC_INIT([znc], [1.8.0-alpha1]) +LIBZNC_VERSION=1.8.0 AC_CONFIG_MACRO_DIR([m4]) AC_CONFIG_SRCDIR([src/znc.cpp]) AC_LANG([C++]) diff --git a/include/znc/version.h b/include/znc/version.h index d40ea5f6..04eae2d0 100644 --- a/include/znc/version.h +++ b/include/znc/version.h @@ -20,9 +20,9 @@ limitations under the License. // The following defines are for #if comparison (preprocessor only likes ints) #define VERSION_MAJOR 1 #define VERSION_MINOR 8 -#define VERSION_PATCH -1 +#define VERSION_PATCH 0 // This one is for display purpose and to check ABI compatibility of modules -#define VERSION_STR "1.8.x" +#define VERSION_STR "1.8.0" #endif // Don't use this one From 640825377ee1ebfbd2b41cd855bb19354566158a Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Sun, 29 Mar 2020 15:38:00 +0100 Subject: [PATCH 363/798] Stop doing version names like -alpha1-alpha1 --- make-tarball.sh | 6 +++++- 1 file changed, 5 insertions(+), 1 deletion(-) diff --git a/make-tarball.sh b/make-tarball.sh index ab15e541..4179febd 100755 --- a/make-tarball.sh +++ b/make-tarball.sh @@ -16,6 +16,7 @@ if [ "x$1" = "x--nightly" ]; then TARGZ=$3 SIGN=0 DESC=-nightly-`date +%Y%m%d`-`git $GITDIR rev-parse HEAD | cut -b-8` + NIGHTLY=1 else VERSION=$1 if [ "x$VERSION" = "x" ] ; then @@ -33,6 +34,7 @@ else TARGZ=$ZNCDIR.tar.gz SIGN=1 DESC="$(sed -En 's/set\(alpha_version "(.*)"\).*/\1/p' CMakeLists.txt)" + NIGHTLY=0 fi TARGZ=`readlink -f -- $TARGZ` @@ -58,7 +60,9 @@ cp -p third_party/Csocket/Csocket.cc third_party/Csocket/Csocket.h $TMPDIR/$ZNCD echo "const char* ZNC_VERSION_EXTRA = VERSION_EXTRA \"$DESC\";" >> src/version.cpp # For cmake if [ "x$DESC" != "x" ]; then - echo $DESC > .nightly + if [ $NIGHTLY = 1 ]; then + echo $DESC > .nightly + fi fi ) ( From 6ac1e9e8fa8db81ea7c4dd8d333f3010d8c9556c Mon Sep 17 00:00:00 2001 From: Chris Tyrrel Date: Mon, 30 Mar 2020 18:07:20 -0600 Subject: [PATCH 364/798] Resolves #1693 Added NoTrafficTimeout User variable to the list of User variables in the controlpanel module. --- modules/controlpanel.cpp | 1 + 1 file changed, 1 insertion(+) diff --git a/modules/controlpanel.cpp b/modules/controlpanel.cpp index 04fd6802..c389cdbb 100644 --- a/modules/controlpanel.cpp +++ b/modules/controlpanel.cpp @@ -113,6 +113,7 @@ class CAdminMod : public CModule { {"TimestampFormat", str}, {"DCCBindHost", str}, {"StatusPrefix", str}, + {"NoTrafficTimeout", integer}, #ifdef HAVE_I18N {"Language", str}, #endif From 3e9236298659f1b698d8a5ce26e6a2b9c7325f61 Mon Sep 17 00:00:00 2001 From: m4luc0 Date: Sat, 4 Apr 2020 12:32:18 +0200 Subject: [PATCH 365/798] Web: fix broken layout after text edit --- webskins/_default_/pub/_default_.css | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/webskins/_default_/pub/_default_.css b/webskins/_default_/pub/_default_.css index 186dc27b..c8f0a8c9 100644 --- a/webskins/_default_/pub/_default_.css +++ b/webskins/_default_/pub/_default_.css @@ -316,6 +316,7 @@ tr.evenrow td { .subsection div.checkbox { padding: 9px 0 0 3px; + max-width: 537px; } .subsection div.checkbox input { @@ -380,4 +381,3 @@ td { .textsection p { margin-bottom: 0.7em; } - From c104b14514716ec73d48b7f9c85314946afbe60e Mon Sep 17 00:00:00 2001 From: m4luc0 Date: Sat, 4 Apr 2020 14:43:16 +0200 Subject: [PATCH 366/798] Web: fix broken layout after text edit --- webskins/_default_/pub/_default_.css | 9 +++++---- 1 file changed, 5 insertions(+), 4 deletions(-) diff --git a/webskins/_default_/pub/_default_.css b/webskins/_default_/pub/_default_.css index c8f0a8c9..00b2836e 100644 --- a/webskins/_default_/pub/_default_.css +++ b/webskins/_default_/pub/_default_.css @@ -295,7 +295,6 @@ tr.evenrow td { .subsection { clear: both; - margin: 0; } .subsection div { @@ -316,11 +315,13 @@ tr.evenrow td { .subsection div.checkbox { padding: 9px 0 0 3px; - max-width: 537px; + width: 537px; } -.subsection div.checkbox input { - min-width: 0; +.subsection div.checkbox label { + vertical-align: top; + display: inline-block; + width:520px; } .section .info { From 89af445653d2a5384abdbbfb4be77dd276f47b8f Mon Sep 17 00:00:00 2001 From: m4luc0 Date: Sun, 5 Apr 2020 23:38:26 +0200 Subject: [PATCH 367/798] Web: fix small css errors after #1711 --- webskins/_default_/pub/_default_.css | 13 ++++++++++--- 1 file changed, 10 insertions(+), 3 deletions(-) diff --git a/webskins/_default_/pub/_default_.css b/webskins/_default_/pub/_default_.css index 00b2836e..d7c9f6d1 100644 --- a/webskins/_default_/pub/_default_.css +++ b/webskins/_default_/pub/_default_.css @@ -293,8 +293,10 @@ tr.evenrow td { font-size: 80%; } -.subsection { +.subsection::after { + content: ""; clear: both; + display: table; } .subsection div { @@ -315,13 +317,13 @@ tr.evenrow td { .subsection div.checkbox { padding: 9px 0 0 3px; - width: 537px; + max-width: 537px; } .subsection div.checkbox label { vertical-align: top; display: inline-block; - width:520px; + max-width:510px; } .section .info { @@ -375,6 +377,11 @@ td.mod_name, border-bottom: 1px solid #aaa; } +#servers_js > div:first-child { + font-weight: bold; + margin: 20px 0 8px; +} + td { word-wrap: break-word; } From e8cd53ce2e06f28f2ed241c11d89280d611865bb Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Fri, 10 Apr 2020 09:58:59 +0100 Subject: [PATCH 368/798] Make it more visible that admins have lots of privileges --- modules/webadmin.cpp | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/modules/webadmin.cpp b/modules/webadmin.cpp index 37caa68c..7fada328 100644 --- a/modules/webadmin.cpp +++ b/modules/webadmin.cpp @@ -1548,7 +1548,7 @@ class CWebAdminMod : public CModule { CTemplate& o10 = Tmpl.AddRow("OptionLoop"); o10["Name"] = "isadmin"; - o10["DisplayName"] = t_s("Admin"); + o10["DisplayName"] = t_s("Admin (dangerous! may gain shell access)"); if (pUser->IsAdmin()) { o10["Checked"] = "true"; } From ca80ff5782ef3d3ba845c0b3b2c3ff536226fd39 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Fri, 10 Apr 2020 10:26:53 +0100 Subject: [PATCH 369/798] Update Crowdin config to update branch 1.8 instead of 1.7 --- .ci/Jenkinsfile.crowdin | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/.ci/Jenkinsfile.crowdin b/.ci/Jenkinsfile.crowdin index 294f1136..b01c1b68 100644 --- a/.ci/Jenkinsfile.crowdin +++ b/.ci/Jenkinsfile.crowdin @@ -11,7 +11,7 @@ def upstream_user = 'znc' def upstream_repo = 'znc' def my_user = 'znc-jenkins' def my_repo = 'znc' -def branches = ['master', '1.7.x'] +def branches = ['master', '1.8.x'] def pr_mode = false From 13e9622267653797d5d7b1cc94de156416b48dd8 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Fri, 10 Apr 2020 15:25:51 +0100 Subject: [PATCH 370/798] Fixing ARM build on Travis --- .travis.yml | 7 ++++++- 1 file changed, 6 insertions(+), 1 deletion(-) diff --git a/.travis.yml b/.travis.yml index 01ed0d12..43011bfd 100644 --- a/.travis.yml +++ b/.travis.yml @@ -126,7 +126,12 @@ install: - if [[ "$TRAVIS_OS_NAME" == "osx" && "$BUILD_WITH" == "cmake" ]]; then brew outdated cmake || brew upgrade cmake; fi - if [[ "$TRAVIS_OS_NAME" == "osx" ]]; then brew info --json=v1 --installed | jq .; fi - if [[ "$TRAVIS_OS_NAME" == "osx" ]]; then export PKG_CONFIG_PATH="$(brew --prefix qt5)/lib/pkgconfig:$PKG_CONFIG_PATH"; fi - - pip3 install coverage + - if [[ "$TRAVIS_OS_NAME" == "linux" ]]; then ls -la ~/.cache; fi + - if [[ "$TRAVIS_OS_NAME" == "linux" ]]; then ls -la ~/.cache/pip; fi + - if [[ "$TRAVIS_OS_NAME" == "linux" ]]; then ls -la ~/.cache/pip/wheels; fi + # bad permissions on ARM machine on travis + - if [[ "$TRAVIS_OS_NAME" == "linux" ]]; then mv ~/.cache/pip ~/.cache/pip_bad; fi + - pip3 install --user coverage - export ZNC_MODPYTHON_COVERAGE=1 - "echo pkg-config path: [$PKG_CONFIG_PATH]" script: From 0e2ea2fa6c8bd4ba16c8482e3ded7a434d2f510f Mon Sep 17 00:00:00 2001 From: Disconnect3d Date: Mon, 13 Apr 2020 16:01:47 +0200 Subject: [PATCH 371/798] Fix incorrect html entities parsing in ZNCString.cpp This PR fixes wrong size argument passed to `strncasecmp` function when it was invoked to check if the string contains HTML entities. --- src/ZNCString.cpp | 8 ++++---- 1 file changed, 4 insertions(+), 4 deletions(-) diff --git a/src/ZNCString.cpp b/src/ZNCString.cpp index 6eb762f1..1162e1c5 100644 --- a/src/ZNCString.cpp +++ b/src/ZNCString.cpp @@ -294,13 +294,13 @@ CString CString::Escape_n(EEscape eFrom, EEscape eTo) const { } if (ch == 0) { - if (!strncasecmp((const char*)&pTmp, "<", 2)) + if (!strncasecmp((const char*)&pTmp, "<", 4)) ch = '<'; - else if (!strncasecmp((const char*)&pTmp, ">", 2)) + else if (!strncasecmp((const char*)&pTmp, ">", 4)) ch = '>'; - else if (!strncasecmp((const char*)&pTmp, """, 4)) + else if (!strncasecmp((const char*)&pTmp, """, 6)) ch = '"'; - else if (!strncasecmp((const char*)&pTmp, "&", 3)) + else if (!strncasecmp((const char*)&pTmp, "&", 5)) ch = '&'; } From 37eb36ade89f2abe8120ec2e1673e0f34d265aee Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Sat, 18 Apr 2020 22:07:05 +0000 Subject: [PATCH 372/798] Update translations from Crowdin for bg_BG de_DE es_ES fr_FR id_ID it_IT nl_NL pt_BR ru_RU --- modules/po/controlpanel.bg_BG.po | 346 +++++++++++++++---------------- modules/po/controlpanel.de_DE.po | 328 ++++++++++++++--------------- modules/po/controlpanel.es_ES.po | 328 ++++++++++++++--------------- modules/po/controlpanel.fr_FR.po | 340 +++++++++++++++--------------- modules/po/controlpanel.id_ID.po | 346 +++++++++++++++---------------- modules/po/controlpanel.it_IT.po | 328 ++++++++++++++--------------- modules/po/controlpanel.nl_NL.po | 328 ++++++++++++++--------------- modules/po/controlpanel.pot | 346 +++++++++++++++---------------- modules/po/controlpanel.pt_BR.po | 346 +++++++++++++++---------------- modules/po/controlpanel.ru_RU.po | 346 +++++++++++++++---------------- modules/po/sasl.bg_BG.po | 8 +- modules/po/sasl.de_DE.po | 8 +- modules/po/sasl.es_ES.po | 8 +- modules/po/sasl.fr_FR.po | 8 +- modules/po/sasl.id_ID.po | 8 +- modules/po/sasl.it_IT.po | 8 +- modules/po/sasl.nl_NL.po | 8 +- modules/po/sasl.pot | 8 +- modules/po/sasl.pt_BR.po | 8 +- modules/po/sasl.ru_RU.po | 8 +- modules/po/webadmin.bg_BG.po | 2 +- modules/po/webadmin.de_DE.po | 2 +- modules/po/webadmin.es_ES.po | 4 +- modules/po/webadmin.fr_FR.po | 4 +- modules/po/webadmin.id_ID.po | 2 +- modules/po/webadmin.it_IT.po | 4 +- modules/po/webadmin.nl_NL.po | 4 +- modules/po/webadmin.pot | 2 +- modules/po/webadmin.pt_BR.po | 2 +- modules/po/webadmin.ru_RU.po | 4 +- src/po/znc.bg_BG.po | 14 +- src/po/znc.de_DE.po | 14 +- src/po/znc.es_ES.po | 14 +- src/po/znc.fr_FR.po | 14 +- src/po/znc.id_ID.po | 14 +- src/po/znc.it_IT.po | 14 +- src/po/znc.nl_NL.po | 14 +- src/po/znc.pot | 14 +- src/po/znc.pt_BR.po | 22 +- src/po/znc.ru_RU.po | 14 +- 40 files changed, 1820 insertions(+), 1820 deletions(-) diff --git a/modules/po/controlpanel.bg_BG.po b/modules/po/controlpanel.bg_BG.po index 19eae059..7a95bd83 100644 --- a/modules/po/controlpanel.bg_BG.po +++ b/modules/po/controlpanel.bg_BG.po @@ -36,680 +36,680 @@ msgstr "" msgid "Number" msgstr "" -#: controlpanel.cpp:125 +#: controlpanel.cpp:126 msgid "The following variables are available when using the Set/Get commands:" msgstr "" -#: controlpanel.cpp:149 +#: controlpanel.cpp:150 msgid "" "The following variables are available when using the SetNetwork/GetNetwork " "commands:" msgstr "" -#: controlpanel.cpp:163 +#: controlpanel.cpp:164 msgid "" "The following variables are available when using the SetChan/GetChan " "commands:" msgstr "" -#: controlpanel.cpp:170 +#: controlpanel.cpp:171 msgid "" "You can use $user as the user name and $network as the network name for " "modifying your own user and network." msgstr "" -#: controlpanel.cpp:179 controlpanel.cpp:966 controlpanel.cpp:1003 +#: controlpanel.cpp:180 controlpanel.cpp:967 controlpanel.cpp:1004 msgid "Error: User [{1}] does not exist!" msgstr "" -#: controlpanel.cpp:184 +#: controlpanel.cpp:185 msgid "Error: You need to have admin rights to modify other users!" msgstr "" -#: controlpanel.cpp:194 +#: controlpanel.cpp:195 msgid "Error: You cannot use $network to modify other users!" msgstr "" -#: controlpanel.cpp:202 +#: controlpanel.cpp:203 msgid "Error: User {1} does not have a network named [{2}]." msgstr "" -#: controlpanel.cpp:214 +#: controlpanel.cpp:215 msgid "Usage: Get [username]" msgstr "" -#: controlpanel.cpp:304 controlpanel.cpp:507 controlpanel.cpp:582 -#: controlpanel.cpp:658 controlpanel.cpp:793 controlpanel.cpp:878 +#: controlpanel.cpp:305 controlpanel.cpp:508 controlpanel.cpp:583 +#: controlpanel.cpp:659 controlpanel.cpp:794 controlpanel.cpp:879 msgid "Error: Unknown variable" msgstr "" -#: controlpanel.cpp:313 +#: controlpanel.cpp:314 msgid "Usage: Set " msgstr "" -#: controlpanel.cpp:335 controlpanel.cpp:623 +#: controlpanel.cpp:336 controlpanel.cpp:624 msgid "This bind host is already set!" msgstr "" -#: controlpanel.cpp:342 controlpanel.cpp:354 controlpanel.cpp:362 -#: controlpanel.cpp:425 controlpanel.cpp:444 controlpanel.cpp:460 -#: controlpanel.cpp:470 controlpanel.cpp:630 +#: controlpanel.cpp:343 controlpanel.cpp:355 controlpanel.cpp:363 +#: controlpanel.cpp:426 controlpanel.cpp:445 controlpanel.cpp:461 +#: controlpanel.cpp:471 controlpanel.cpp:631 msgid "Access denied!" msgstr "" -#: controlpanel.cpp:376 controlpanel.cpp:385 controlpanel.cpp:842 +#: controlpanel.cpp:377 controlpanel.cpp:386 controlpanel.cpp:843 msgid "Setting failed, limit for buffer size is {1}" msgstr "" -#: controlpanel.cpp:405 +#: controlpanel.cpp:406 msgid "Password has been changed!" msgstr "" -#: controlpanel.cpp:413 +#: controlpanel.cpp:414 msgid "Timeout can't be less than 30 seconds!" msgstr "" -#: controlpanel.cpp:477 +#: controlpanel.cpp:478 msgid "That would be a bad idea!" msgstr "" -#: controlpanel.cpp:495 +#: controlpanel.cpp:496 msgid "Supported languages: {1}" msgstr "" -#: controlpanel.cpp:519 +#: controlpanel.cpp:520 msgid "Usage: GetNetwork [username] [network]" msgstr "" -#: controlpanel.cpp:538 +#: controlpanel.cpp:539 msgid "Error: A network must be specified to get another users settings." msgstr "" -#: controlpanel.cpp:544 +#: controlpanel.cpp:545 msgid "You are not currently attached to a network." msgstr "" -#: controlpanel.cpp:550 +#: controlpanel.cpp:551 msgid "Error: Invalid network." msgstr "" -#: controlpanel.cpp:594 +#: controlpanel.cpp:595 msgid "Usage: SetNetwork " msgstr "" -#: controlpanel.cpp:668 +#: controlpanel.cpp:669 msgid "Usage: AddChan " msgstr "" -#: controlpanel.cpp:681 +#: controlpanel.cpp:682 msgid "Error: User {1} already has a channel named {2}." msgstr "" -#: controlpanel.cpp:688 +#: controlpanel.cpp:689 msgid "Channel {1} for user {2} added to network {3}." msgstr "" -#: controlpanel.cpp:692 +#: controlpanel.cpp:693 msgid "" "Could not add channel {1} for user {2} to network {3}, does it already exist?" msgstr "" -#: controlpanel.cpp:702 +#: controlpanel.cpp:703 msgid "Usage: DelChan " msgstr "" -#: controlpanel.cpp:717 +#: controlpanel.cpp:718 msgid "Error: User {1} does not have any channel matching [{2}] in network {3}" msgstr "" -#: controlpanel.cpp:730 +#: controlpanel.cpp:731 msgid "Channel {1} is deleted from network {2} of user {3}" msgid_plural "Channels {1} are deleted from network {2} of user {3}" msgstr[0] "" msgstr[1] "" -#: controlpanel.cpp:745 +#: controlpanel.cpp:746 msgid "Usage: GetChan " msgstr "" -#: controlpanel.cpp:759 controlpanel.cpp:823 +#: controlpanel.cpp:760 controlpanel.cpp:824 msgid "Error: No channels matching [{1}] found." msgstr "" -#: controlpanel.cpp:808 +#: controlpanel.cpp:809 msgid "Usage: SetChan " msgstr "" -#: controlpanel.cpp:889 controlpanel.cpp:899 -msgctxt "listusers" -msgid "Username" -msgstr "" - #: controlpanel.cpp:890 controlpanel.cpp:900 msgctxt "listusers" +msgid "Username" +msgstr "" + +#: controlpanel.cpp:891 controlpanel.cpp:901 +msgctxt "listusers" msgid "Realname" msgstr "" -#: controlpanel.cpp:891 controlpanel.cpp:903 controlpanel.cpp:905 +#: controlpanel.cpp:892 controlpanel.cpp:904 controlpanel.cpp:906 msgctxt "listusers" msgid "IsAdmin" msgstr "" -#: controlpanel.cpp:892 controlpanel.cpp:906 +#: controlpanel.cpp:893 controlpanel.cpp:907 msgctxt "listusers" msgid "Nick" msgstr "" -#: controlpanel.cpp:893 controlpanel.cpp:907 +#: controlpanel.cpp:894 controlpanel.cpp:908 msgctxt "listusers" msgid "AltNick" msgstr "" -#: controlpanel.cpp:894 controlpanel.cpp:908 +#: controlpanel.cpp:895 controlpanel.cpp:909 msgctxt "listusers" msgid "Ident" msgstr "" -#: controlpanel.cpp:895 controlpanel.cpp:909 +#: controlpanel.cpp:896 controlpanel.cpp:910 msgctxt "listusers" msgid "BindHost" msgstr "" -#: controlpanel.cpp:903 controlpanel.cpp:1143 +#: controlpanel.cpp:904 controlpanel.cpp:1144 msgid "No" msgstr "" -#: controlpanel.cpp:905 controlpanel.cpp:1135 +#: controlpanel.cpp:906 controlpanel.cpp:1136 msgid "Yes" msgstr "" -#: controlpanel.cpp:919 controlpanel.cpp:988 +#: controlpanel.cpp:920 controlpanel.cpp:989 msgid "Error: You need to have admin rights to add new users!" msgstr "" -#: controlpanel.cpp:925 +#: controlpanel.cpp:926 msgid "Usage: AddUser " msgstr "" -#: controlpanel.cpp:930 +#: controlpanel.cpp:931 msgid "Error: User {1} already exists!" msgstr "" -#: controlpanel.cpp:942 controlpanel.cpp:1017 +#: controlpanel.cpp:943 controlpanel.cpp:1018 msgid "Error: User not added: {1}" msgstr "" -#: controlpanel.cpp:946 controlpanel.cpp:1021 +#: controlpanel.cpp:947 controlpanel.cpp:1022 msgid "User {1} added!" msgstr "" -#: controlpanel.cpp:953 +#: controlpanel.cpp:954 msgid "Error: You need to have admin rights to delete users!" msgstr "" -#: controlpanel.cpp:959 +#: controlpanel.cpp:960 msgid "Usage: DelUser " msgstr "" -#: controlpanel.cpp:971 +#: controlpanel.cpp:972 msgid "Error: You can't delete yourself!" msgstr "" -#: controlpanel.cpp:977 +#: controlpanel.cpp:978 msgid "Error: Internal error!" msgstr "" -#: controlpanel.cpp:981 +#: controlpanel.cpp:982 msgid "User {1} deleted!" msgstr "" -#: controlpanel.cpp:996 +#: controlpanel.cpp:997 msgid "Usage: CloneUser " msgstr "" -#: controlpanel.cpp:1011 +#: controlpanel.cpp:1012 msgid "Error: Cloning failed: {1}" msgstr "" -#: controlpanel.cpp:1040 +#: controlpanel.cpp:1041 msgid "Usage: AddNetwork [user] network" msgstr "" -#: controlpanel.cpp:1046 +#: controlpanel.cpp:1047 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks using /znc DelNetwork " msgstr "" -#: controlpanel.cpp:1054 +#: controlpanel.cpp:1055 msgid "Error: User {1} already has a network with the name {2}" msgstr "" -#: controlpanel.cpp:1061 +#: controlpanel.cpp:1062 msgid "Network {1} added to user {2}." msgstr "" -#: controlpanel.cpp:1065 +#: controlpanel.cpp:1066 msgid "Error: Network [{1}] could not be added for user {2}: {3}" msgstr "" -#: controlpanel.cpp:1085 +#: controlpanel.cpp:1086 msgid "Usage: DelNetwork [user] network" msgstr "" -#: controlpanel.cpp:1096 +#: controlpanel.cpp:1097 msgid "The currently active network can be deleted via {1}status" msgstr "" -#: controlpanel.cpp:1102 +#: controlpanel.cpp:1103 msgid "Network {1} deleted for user {2}." msgstr "" -#: controlpanel.cpp:1106 +#: controlpanel.cpp:1107 msgid "Error: Network {1} could not be deleted for user {2}." msgstr "" -#: controlpanel.cpp:1125 controlpanel.cpp:1133 +#: controlpanel.cpp:1126 controlpanel.cpp:1134 msgctxt "listnetworks" msgid "Network" msgstr "" -#: controlpanel.cpp:1126 controlpanel.cpp:1135 controlpanel.cpp:1143 +#: controlpanel.cpp:1127 controlpanel.cpp:1136 controlpanel.cpp:1144 msgctxt "listnetworks" msgid "OnIRC" msgstr "" -#: controlpanel.cpp:1127 controlpanel.cpp:1136 +#: controlpanel.cpp:1128 controlpanel.cpp:1137 msgctxt "listnetworks" msgid "IRC Server" msgstr "" -#: controlpanel.cpp:1128 controlpanel.cpp:1138 +#: controlpanel.cpp:1129 controlpanel.cpp:1139 msgctxt "listnetworks" msgid "IRC User" msgstr "" -#: controlpanel.cpp:1129 controlpanel.cpp:1140 +#: controlpanel.cpp:1130 controlpanel.cpp:1141 msgctxt "listnetworks" msgid "Channels" msgstr "" -#: controlpanel.cpp:1148 +#: controlpanel.cpp:1149 msgid "No networks" msgstr "" -#: controlpanel.cpp:1159 +#: controlpanel.cpp:1160 msgid "Usage: AddServer [[+]port] [password]" msgstr "" -#: controlpanel.cpp:1173 +#: controlpanel.cpp:1174 msgid "Added IRC Server {1} to network {2} for user {3}." msgstr "" -#: controlpanel.cpp:1177 +#: controlpanel.cpp:1178 msgid "Error: Could not add IRC server {1} to network {2} for user {3}." msgstr "" -#: controlpanel.cpp:1190 +#: controlpanel.cpp:1191 msgid "Usage: DelServer [[+]port] [password]" msgstr "" -#: controlpanel.cpp:1205 +#: controlpanel.cpp:1206 msgid "Deleted IRC Server {1} from network {2} for user {3}." msgstr "" -#: controlpanel.cpp:1209 +#: controlpanel.cpp:1210 msgid "Error: Could not delete IRC server {1} from network {2} for user {3}." msgstr "" -#: controlpanel.cpp:1219 +#: controlpanel.cpp:1220 msgid "Usage: Reconnect " msgstr "" -#: controlpanel.cpp:1246 +#: controlpanel.cpp:1247 msgid "Queued network {1} of user {2} for a reconnect." msgstr "" -#: controlpanel.cpp:1255 +#: controlpanel.cpp:1256 msgid "Usage: Disconnect " msgstr "" -#: controlpanel.cpp:1270 +#: controlpanel.cpp:1271 msgid "Closed IRC connection for network {1} of user {2}." msgstr "" -#: controlpanel.cpp:1285 controlpanel.cpp:1290 -msgctxt "listctcp" -msgid "Request" -msgstr "" - #: controlpanel.cpp:1286 controlpanel.cpp:1291 msgctxt "listctcp" +msgid "Request" +msgstr "" + +#: controlpanel.cpp:1287 controlpanel.cpp:1292 +msgctxt "listctcp" msgid "Reply" msgstr "" -#: controlpanel.cpp:1295 +#: controlpanel.cpp:1296 msgid "No CTCP replies for user {1} are configured" msgstr "" -#: controlpanel.cpp:1298 +#: controlpanel.cpp:1299 msgid "CTCP replies for user {1}:" msgstr "" -#: controlpanel.cpp:1314 +#: controlpanel.cpp:1315 msgid "Usage: AddCTCP [user] [request] [reply]" msgstr "" -#: controlpanel.cpp:1316 +#: controlpanel.cpp:1317 msgid "" "This will cause ZNC to reply to the CTCP instead of forwarding it to clients." msgstr "" -#: controlpanel.cpp:1319 +#: controlpanel.cpp:1320 msgid "An empty reply will cause the CTCP request to be blocked." msgstr "" -#: controlpanel.cpp:1328 +#: controlpanel.cpp:1329 msgid "CTCP requests {1} to user {2} will now be blocked." msgstr "" -#: controlpanel.cpp:1332 +#: controlpanel.cpp:1333 msgid "CTCP requests {1} to user {2} will now get reply: {3}" msgstr "" -#: controlpanel.cpp:1349 +#: controlpanel.cpp:1350 msgid "Usage: DelCTCP [user] [request]" msgstr "" -#: controlpanel.cpp:1355 +#: controlpanel.cpp:1356 msgid "CTCP requests {1} to user {2} will now be sent to IRC clients" msgstr "" -#: controlpanel.cpp:1359 +#: controlpanel.cpp:1360 msgid "" "CTCP requests {1} to user {2} will be sent to IRC clients (nothing has " "changed)" msgstr "" -#: controlpanel.cpp:1369 controlpanel.cpp:1443 +#: controlpanel.cpp:1370 controlpanel.cpp:1444 msgid "Loading modules has been disabled." msgstr "" -#: controlpanel.cpp:1378 +#: controlpanel.cpp:1379 msgid "Error: Unable to load module {1}: {2}" msgstr "" -#: controlpanel.cpp:1381 +#: controlpanel.cpp:1382 msgid "Loaded module {1}" msgstr "" -#: controlpanel.cpp:1386 +#: controlpanel.cpp:1387 msgid "Error: Unable to reload module {1}: {2}" msgstr "" -#: controlpanel.cpp:1389 +#: controlpanel.cpp:1390 msgid "Reloaded module {1}" msgstr "" -#: controlpanel.cpp:1393 +#: controlpanel.cpp:1394 msgid "Error: Unable to load module {1} because it is already loaded" msgstr "" -#: controlpanel.cpp:1404 +#: controlpanel.cpp:1405 msgid "Usage: LoadModule [args]" msgstr "" -#: controlpanel.cpp:1423 +#: controlpanel.cpp:1424 msgid "Usage: LoadNetModule [args]" msgstr "" -#: controlpanel.cpp:1448 +#: controlpanel.cpp:1449 msgid "Please use /znc unloadmod {1}" msgstr "" -#: controlpanel.cpp:1454 +#: controlpanel.cpp:1455 msgid "Error: Unable to unload module {1}: {2}" msgstr "" -#: controlpanel.cpp:1457 +#: controlpanel.cpp:1458 msgid "Unloaded module {1}" msgstr "" -#: controlpanel.cpp:1466 +#: controlpanel.cpp:1467 msgid "Usage: UnloadModule " msgstr "" -#: controlpanel.cpp:1483 +#: controlpanel.cpp:1484 msgid "Usage: UnloadNetModule " msgstr "" -#: controlpanel.cpp:1500 controlpanel.cpp:1506 -msgctxt "listmodules" -msgid "Name" -msgstr "" - #: controlpanel.cpp:1501 controlpanel.cpp:1507 msgctxt "listmodules" +msgid "Name" +msgstr "" + +#: controlpanel.cpp:1502 controlpanel.cpp:1508 +msgctxt "listmodules" msgid "Arguments" msgstr "" -#: controlpanel.cpp:1526 +#: controlpanel.cpp:1527 msgid "User {1} has no modules loaded." msgstr "" -#: controlpanel.cpp:1530 +#: controlpanel.cpp:1531 msgid "Modules loaded for user {1}:" msgstr "" -#: controlpanel.cpp:1550 +#: controlpanel.cpp:1551 msgid "Network {1} of user {2} has no modules loaded." msgstr "" -#: controlpanel.cpp:1555 +#: controlpanel.cpp:1556 msgid "Modules loaded for network {1} of user {2}:" msgstr "" -#: controlpanel.cpp:1562 +#: controlpanel.cpp:1563 msgid "[command] [variable]" msgstr "" -#: controlpanel.cpp:1563 +#: controlpanel.cpp:1564 msgid "Prints help for matching commands and variables" msgstr "" -#: controlpanel.cpp:1566 +#: controlpanel.cpp:1567 msgid " [username]" msgstr "" -#: controlpanel.cpp:1567 +#: controlpanel.cpp:1568 msgid "Prints the variable's value for the given or current user" msgstr "" -#: controlpanel.cpp:1569 +#: controlpanel.cpp:1570 msgid " " msgstr "" -#: controlpanel.cpp:1570 +#: controlpanel.cpp:1571 msgid "Sets the variable's value for the given user" msgstr "" -#: controlpanel.cpp:1572 +#: controlpanel.cpp:1573 msgid " [username] [network]" msgstr "" -#: controlpanel.cpp:1573 +#: controlpanel.cpp:1574 msgid "Prints the variable's value for the given network" msgstr "" -#: controlpanel.cpp:1575 +#: controlpanel.cpp:1576 msgid " " msgstr "" -#: controlpanel.cpp:1576 +#: controlpanel.cpp:1577 msgid "Sets the variable's value for the given network" msgstr "" -#: controlpanel.cpp:1578 +#: controlpanel.cpp:1579 msgid " [username] " msgstr "" -#: controlpanel.cpp:1579 +#: controlpanel.cpp:1580 msgid "Prints the variable's value for the given channel" msgstr "" -#: controlpanel.cpp:1582 +#: controlpanel.cpp:1583 msgid " " msgstr "" -#: controlpanel.cpp:1583 +#: controlpanel.cpp:1584 msgid "Sets the variable's value for the given channel" msgstr "" -#: controlpanel.cpp:1585 controlpanel.cpp:1588 +#: controlpanel.cpp:1586 controlpanel.cpp:1589 msgid " " msgstr "" -#: controlpanel.cpp:1586 +#: controlpanel.cpp:1587 msgid "Adds a new channel" msgstr "" -#: controlpanel.cpp:1589 +#: controlpanel.cpp:1590 msgid "Deletes a channel" msgstr "" -#: controlpanel.cpp:1591 +#: controlpanel.cpp:1592 msgid "Lists users" msgstr "" -#: controlpanel.cpp:1593 +#: controlpanel.cpp:1594 msgid " " msgstr "" -#: controlpanel.cpp:1594 +#: controlpanel.cpp:1595 msgid "Adds a new user" msgstr "" -#: controlpanel.cpp:1596 controlpanel.cpp:1619 controlpanel.cpp:1633 +#: controlpanel.cpp:1597 controlpanel.cpp:1620 controlpanel.cpp:1634 msgid "" msgstr "" -#: controlpanel.cpp:1596 +#: controlpanel.cpp:1597 msgid "Deletes a user" msgstr "" -#: controlpanel.cpp:1598 +#: controlpanel.cpp:1599 msgid " " msgstr "" -#: controlpanel.cpp:1599 +#: controlpanel.cpp:1600 msgid "Clones a user" msgstr "" -#: controlpanel.cpp:1601 controlpanel.cpp:1604 +#: controlpanel.cpp:1602 controlpanel.cpp:1605 msgid " " msgstr "" -#: controlpanel.cpp:1602 +#: controlpanel.cpp:1603 msgid "Adds a new IRC server for the given or current user" msgstr "" -#: controlpanel.cpp:1605 +#: controlpanel.cpp:1606 msgid "Deletes an IRC server from the given or current user" msgstr "" -#: controlpanel.cpp:1607 controlpanel.cpp:1610 controlpanel.cpp:1630 +#: controlpanel.cpp:1608 controlpanel.cpp:1611 controlpanel.cpp:1631 msgid " " msgstr "" -#: controlpanel.cpp:1608 +#: controlpanel.cpp:1609 msgid "Cycles the user's IRC server connection" msgstr "" -#: controlpanel.cpp:1611 +#: controlpanel.cpp:1612 msgid "Disconnects the user from their IRC server" msgstr "" -#: controlpanel.cpp:1613 +#: controlpanel.cpp:1614 msgid " [args]" msgstr "" -#: controlpanel.cpp:1614 +#: controlpanel.cpp:1615 msgid "Loads a Module for a user" msgstr "" -#: controlpanel.cpp:1616 +#: controlpanel.cpp:1617 msgid " " msgstr "" -#: controlpanel.cpp:1617 +#: controlpanel.cpp:1618 msgid "Removes a Module of a user" msgstr "" -#: controlpanel.cpp:1620 +#: controlpanel.cpp:1621 msgid "Get the list of modules for a user" msgstr "" -#: controlpanel.cpp:1623 +#: controlpanel.cpp:1624 msgid " [args]" msgstr "" -#: controlpanel.cpp:1624 +#: controlpanel.cpp:1625 msgid "Loads a Module for a network" msgstr "" -#: controlpanel.cpp:1627 +#: controlpanel.cpp:1628 msgid " " msgstr "" -#: controlpanel.cpp:1628 +#: controlpanel.cpp:1629 msgid "Removes a Module of a network" msgstr "" -#: controlpanel.cpp:1631 +#: controlpanel.cpp:1632 msgid "Get the list of modules for a network" msgstr "" -#: controlpanel.cpp:1634 +#: controlpanel.cpp:1635 msgid "List the configured CTCP replies" msgstr "" -#: controlpanel.cpp:1636 +#: controlpanel.cpp:1637 msgid " [reply]" msgstr "" -#: controlpanel.cpp:1637 +#: controlpanel.cpp:1638 msgid "Configure a new CTCP reply" msgstr "" -#: controlpanel.cpp:1639 +#: controlpanel.cpp:1640 msgid " " msgstr "" -#: controlpanel.cpp:1640 +#: controlpanel.cpp:1641 msgid "Remove a CTCP reply" msgstr "" -#: controlpanel.cpp:1644 controlpanel.cpp:1647 +#: controlpanel.cpp:1645 controlpanel.cpp:1648 msgid "[username] " msgstr "" -#: controlpanel.cpp:1645 +#: controlpanel.cpp:1646 msgid "Add a network for a user" msgstr "" -#: controlpanel.cpp:1648 +#: controlpanel.cpp:1649 msgid "Delete a network for a user" msgstr "" -#: controlpanel.cpp:1650 +#: controlpanel.cpp:1651 msgid "[username]" msgstr "" -#: controlpanel.cpp:1651 +#: controlpanel.cpp:1652 msgid "List all networks for a user" msgstr "" -#: controlpanel.cpp:1664 +#: controlpanel.cpp:1665 msgid "" "Dynamic configuration through IRC. Allows editing only yourself if you're " "not ZNC admin." diff --git a/modules/po/controlpanel.de_DE.po b/modules/po/controlpanel.de_DE.po index 41268773..14ec75a0 100644 --- a/modules/po/controlpanel.de_DE.po +++ b/modules/po/controlpanel.de_DE.po @@ -36,11 +36,11 @@ msgstr "Ganzzahl" msgid "Number" msgstr "Nummer" -#: controlpanel.cpp:125 +#: controlpanel.cpp:126 msgid "The following variables are available when using the Set/Get commands:" msgstr "Die folgenden Variablen stehen für die Set/Get-Befehle zur Verfügung:" -#: controlpanel.cpp:149 +#: controlpanel.cpp:150 msgid "" "The following variables are available when using the SetNetwork/GetNetwork " "commands:" @@ -48,14 +48,14 @@ msgstr "" "Die folgenden Variablen stehen für die SetNetwork/GetNetwork-Befehle zur " "Verfügung:" -#: controlpanel.cpp:163 +#: controlpanel.cpp:164 msgid "" "The following variables are available when using the SetChan/GetChan " "commands:" msgstr "" "Die folgenden Variablen stehen für die SetChan/GetChan-Befehle zur Verfügung:" -#: controlpanel.cpp:170 +#: controlpanel.cpp:171 msgid "" "You can use $user as the user name and $network as the network name for " "modifying your own user and network." @@ -63,232 +63,232 @@ msgstr "" "Um deinen eigenen User und dein eigenes Netzwerk zu bearbeiten, können $user " "und $network verwendet werden." -#: controlpanel.cpp:179 controlpanel.cpp:966 controlpanel.cpp:1003 +#: controlpanel.cpp:180 controlpanel.cpp:967 controlpanel.cpp:1004 msgid "Error: User [{1}] does not exist!" msgstr "Fehler: Benutzer [{1}] existiert nicht!" -#: controlpanel.cpp:184 +#: controlpanel.cpp:185 msgid "Error: You need to have admin rights to modify other users!" msgstr "Fehler: Administratorrechte benötigt um andere Benutzer zu bearbeiten!" -#: controlpanel.cpp:194 +#: controlpanel.cpp:195 msgid "Error: You cannot use $network to modify other users!" msgstr "" "Fehler: $network kann nicht verwendet werden um andere Benutzer zu " "bearbeiten!" -#: controlpanel.cpp:202 +#: controlpanel.cpp:203 msgid "Error: User {1} does not have a network named [{2}]." msgstr "Fehler: Benutzer {1} hat kein Netzwerk namens [{2}]." -#: controlpanel.cpp:214 +#: controlpanel.cpp:215 msgid "Usage: Get [username]" msgstr "Verwendung: Get [Benutzername]" -#: controlpanel.cpp:304 controlpanel.cpp:507 controlpanel.cpp:582 -#: controlpanel.cpp:658 controlpanel.cpp:793 controlpanel.cpp:878 +#: controlpanel.cpp:305 controlpanel.cpp:508 controlpanel.cpp:583 +#: controlpanel.cpp:659 controlpanel.cpp:794 controlpanel.cpp:879 msgid "Error: Unknown variable" msgstr "Fehler: Unbekannte Variable" -#: controlpanel.cpp:313 +#: controlpanel.cpp:314 msgid "Usage: Set " msgstr "Verwendung: Set " -#: controlpanel.cpp:335 controlpanel.cpp:623 +#: controlpanel.cpp:336 controlpanel.cpp:624 msgid "This bind host is already set!" msgstr "Dieser Bind Host ist bereits gesetzt!" -#: controlpanel.cpp:342 controlpanel.cpp:354 controlpanel.cpp:362 -#: controlpanel.cpp:425 controlpanel.cpp:444 controlpanel.cpp:460 -#: controlpanel.cpp:470 controlpanel.cpp:630 +#: controlpanel.cpp:343 controlpanel.cpp:355 controlpanel.cpp:363 +#: controlpanel.cpp:426 controlpanel.cpp:445 controlpanel.cpp:461 +#: controlpanel.cpp:471 controlpanel.cpp:631 msgid "Access denied!" msgstr "Zugriff verweigert!" -#: controlpanel.cpp:376 controlpanel.cpp:385 controlpanel.cpp:842 +#: controlpanel.cpp:377 controlpanel.cpp:386 controlpanel.cpp:843 msgid "Setting failed, limit for buffer size is {1}" msgstr "Setzen fehlgeschlagen, da das Limit für die Puffergröße {1} ist" -#: controlpanel.cpp:405 +#: controlpanel.cpp:406 msgid "Password has been changed!" msgstr "Das Passwort wurde geändert!" -#: controlpanel.cpp:413 +#: controlpanel.cpp:414 msgid "Timeout can't be less than 30 seconds!" msgstr "Timeout kann nicht weniger als 30 Sekunden sein!" -#: controlpanel.cpp:477 +#: controlpanel.cpp:478 msgid "That would be a bad idea!" msgstr "Das wäre eine schlechte Idee!" -#: controlpanel.cpp:495 +#: controlpanel.cpp:496 msgid "Supported languages: {1}" msgstr "Unterstützte Sprachen: {1}" -#: controlpanel.cpp:519 +#: controlpanel.cpp:520 msgid "Usage: GetNetwork [username] [network]" msgstr "Verwendung: GetNetwork [Benutzername] [Netzwerk]" -#: controlpanel.cpp:538 +#: controlpanel.cpp:539 msgid "Error: A network must be specified to get another users settings." msgstr "" "Fehler: Ein Netzwerk muss angegeben werden um Einstellungen eines anderen " "Nutzers zu bekommen." -#: controlpanel.cpp:544 +#: controlpanel.cpp:545 msgid "You are not currently attached to a network." msgstr "Du bist aktuell nicht mit einem Netzwerk verbunden." -#: controlpanel.cpp:550 +#: controlpanel.cpp:551 msgid "Error: Invalid network." msgstr "Fehler: Ungültiges Netzwerk." -#: controlpanel.cpp:594 +#: controlpanel.cpp:595 msgid "Usage: SetNetwork " msgstr "Verwendung: SetNetwork " -#: controlpanel.cpp:668 +#: controlpanel.cpp:669 msgid "Usage: AddChan " msgstr "Verwendung: AddChan " -#: controlpanel.cpp:681 +#: controlpanel.cpp:682 msgid "Error: User {1} already has a channel named {2}." msgstr "Fehler: Benutzer {1} hat bereits einen Kanal namens {2}." -#: controlpanel.cpp:688 +#: controlpanel.cpp:689 msgid "Channel {1} for user {2} added to network {3}." msgstr "Kanal {1} für User {2} zum Netzwerk {3} hinzugefügt." -#: controlpanel.cpp:692 +#: controlpanel.cpp:693 msgid "" "Could not add channel {1} for user {2} to network {3}, does it already exist?" msgstr "" "Konnte Kanal {1} nicht für Benutzer {2} zum Netzwerk {3} hinzufügen; " "existiert er bereits?" -#: controlpanel.cpp:702 +#: controlpanel.cpp:703 msgid "Usage: DelChan " msgstr "Verwendung: DelChan " -#: controlpanel.cpp:717 +#: controlpanel.cpp:718 msgid "Error: User {1} does not have any channel matching [{2}] in network {3}" msgstr "" "Fehler: Benutzer {1} hat keinen Kanal in Netzwerk {3}, der auf [{2}] passt" -#: controlpanel.cpp:730 +#: controlpanel.cpp:731 msgid "Channel {1} is deleted from network {2} of user {3}" msgid_plural "Channels {1} are deleted from network {2} of user {3}" msgstr[0] "Kanal {1} wurde von Netzwerk {2} von Nutzer {3} entfernt" msgstr[1] "Kanäle {1} wurden von Netzwerk {2} von Nutzer {3} entfernt" -#: controlpanel.cpp:745 +#: controlpanel.cpp:746 msgid "Usage: GetChan " msgstr "Verwendung: GetChan " -#: controlpanel.cpp:759 controlpanel.cpp:823 +#: controlpanel.cpp:760 controlpanel.cpp:824 msgid "Error: No channels matching [{1}] found." msgstr "Fehler: Keine auf [{1}] passende Kanäle gefunden." -#: controlpanel.cpp:808 +#: controlpanel.cpp:809 msgid "Usage: SetChan " msgstr "" "Verwendung: SetChan " -#: controlpanel.cpp:889 controlpanel.cpp:899 +#: controlpanel.cpp:890 controlpanel.cpp:900 msgctxt "listusers" msgid "Username" msgstr "Benutzername" -#: controlpanel.cpp:890 controlpanel.cpp:900 +#: controlpanel.cpp:891 controlpanel.cpp:901 msgctxt "listusers" msgid "Realname" msgstr "Realname" -#: controlpanel.cpp:891 controlpanel.cpp:903 controlpanel.cpp:905 +#: controlpanel.cpp:892 controlpanel.cpp:904 controlpanel.cpp:906 msgctxt "listusers" msgid "IsAdmin" msgstr "IstAdmin" -#: controlpanel.cpp:892 controlpanel.cpp:906 +#: controlpanel.cpp:893 controlpanel.cpp:907 msgctxt "listusers" msgid "Nick" msgstr "Nick" -#: controlpanel.cpp:893 controlpanel.cpp:907 +#: controlpanel.cpp:894 controlpanel.cpp:908 msgctxt "listusers" msgid "AltNick" msgstr "AltNick" -#: controlpanel.cpp:894 controlpanel.cpp:908 +#: controlpanel.cpp:895 controlpanel.cpp:909 msgctxt "listusers" msgid "Ident" msgstr "Ident" -#: controlpanel.cpp:895 controlpanel.cpp:909 +#: controlpanel.cpp:896 controlpanel.cpp:910 msgctxt "listusers" msgid "BindHost" msgstr "BindHost" -#: controlpanel.cpp:903 controlpanel.cpp:1143 +#: controlpanel.cpp:904 controlpanel.cpp:1144 msgid "No" msgstr "Nein" -#: controlpanel.cpp:905 controlpanel.cpp:1135 +#: controlpanel.cpp:906 controlpanel.cpp:1136 msgid "Yes" msgstr "Ja" -#: controlpanel.cpp:919 controlpanel.cpp:988 +#: controlpanel.cpp:920 controlpanel.cpp:989 msgid "Error: You need to have admin rights to add new users!" msgstr "Fehler: Administratorrechte benötigt um neue Benutzer hinzuzufügen!" -#: controlpanel.cpp:925 +#: controlpanel.cpp:926 msgid "Usage: AddUser " msgstr "Verwendung: AddUser " -#: controlpanel.cpp:930 +#: controlpanel.cpp:931 msgid "Error: User {1} already exists!" msgstr "Fehler: Benutzer {1} existiert bereits!" -#: controlpanel.cpp:942 controlpanel.cpp:1017 +#: controlpanel.cpp:943 controlpanel.cpp:1018 msgid "Error: User not added: {1}" msgstr "Fehler: Benutzer nicht hinzugefügt: {1}" -#: controlpanel.cpp:946 controlpanel.cpp:1021 +#: controlpanel.cpp:947 controlpanel.cpp:1022 msgid "User {1} added!" msgstr "Benutzer {1} hinzugefügt!" -#: controlpanel.cpp:953 +#: controlpanel.cpp:954 msgid "Error: You need to have admin rights to delete users!" msgstr "Fehler: Administratorrechte benötigt um Benutzer zu löschen!" -#: controlpanel.cpp:959 +#: controlpanel.cpp:960 msgid "Usage: DelUser " msgstr "Verwendung: DelUser " -#: controlpanel.cpp:971 +#: controlpanel.cpp:972 msgid "Error: You can't delete yourself!" msgstr "Fehler: Du kannst dich nicht selbst löschen!" -#: controlpanel.cpp:977 +#: controlpanel.cpp:978 msgid "Error: Internal error!" msgstr "Fehler: Interner Fehler!" -#: controlpanel.cpp:981 +#: controlpanel.cpp:982 msgid "User {1} deleted!" msgstr "Benutzer {1} gelöscht!" -#: controlpanel.cpp:996 +#: controlpanel.cpp:997 msgid "Usage: CloneUser " msgstr "Verwendung: CloneUser " -#: controlpanel.cpp:1011 +#: controlpanel.cpp:1012 msgid "Error: Cloning failed: {1}" msgstr "Fehler: Klonen fehlgeschlagen: {1}" -#: controlpanel.cpp:1040 +#: controlpanel.cpp:1041 msgid "Usage: AddNetwork [user] network" msgstr "Verwendung: AddNetwork [Benutzer] Netzwerk" -#: controlpanel.cpp:1046 +#: controlpanel.cpp:1047 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks using /znc DelNetwork " @@ -297,159 +297,159 @@ msgstr "" "dich zu erhöhen, oder löschen nicht benötigte Netzwerke mit /znc DelNetwork " "" -#: controlpanel.cpp:1054 +#: controlpanel.cpp:1055 msgid "Error: User {1} already has a network with the name {2}" msgstr "Fehler: Benutzer {1} hat schon ein Netzwerk namens {2}" -#: controlpanel.cpp:1061 +#: controlpanel.cpp:1062 msgid "Network {1} added to user {2}." msgstr "Netzwerk {1} zu Benutzer {2} hinzugefügt." -#: controlpanel.cpp:1065 +#: controlpanel.cpp:1066 msgid "Error: Network [{1}] could not be added for user {2}: {3}" msgstr "" "Fehler: Netzwerk [{1}] konnte nicht zu Benutzer {2} hinzugefügt werden: {3}" -#: controlpanel.cpp:1085 +#: controlpanel.cpp:1086 msgid "Usage: DelNetwork [user] network" msgstr "Verwendung: DelNetwork [Benutzer] Netzwerk" -#: controlpanel.cpp:1096 +#: controlpanel.cpp:1097 msgid "The currently active network can be deleted via {1}status" msgstr "Das derzeit aktive Netzwerk can mit {1}status gelöscht werden" -#: controlpanel.cpp:1102 +#: controlpanel.cpp:1103 msgid "Network {1} deleted for user {2}." msgstr "Netzwerk {1} von Benutzer {2} gelöscht." -#: controlpanel.cpp:1106 +#: controlpanel.cpp:1107 msgid "Error: Network {1} could not be deleted for user {2}." msgstr "Fehler: Netzwerk {1} von Benutzer {2} konnte nicht gelöscht werden." -#: controlpanel.cpp:1125 controlpanel.cpp:1133 +#: controlpanel.cpp:1126 controlpanel.cpp:1134 msgctxt "listnetworks" msgid "Network" msgstr "Netzwerk" -#: controlpanel.cpp:1126 controlpanel.cpp:1135 controlpanel.cpp:1143 +#: controlpanel.cpp:1127 controlpanel.cpp:1136 controlpanel.cpp:1144 msgctxt "listnetworks" msgid "OnIRC" msgstr "OnIRC" -#: controlpanel.cpp:1127 controlpanel.cpp:1136 +#: controlpanel.cpp:1128 controlpanel.cpp:1137 msgctxt "listnetworks" msgid "IRC Server" msgstr "IRC-Server" -#: controlpanel.cpp:1128 controlpanel.cpp:1138 +#: controlpanel.cpp:1129 controlpanel.cpp:1139 msgctxt "listnetworks" msgid "IRC User" msgstr "IRC-Benutzer" -#: controlpanel.cpp:1129 controlpanel.cpp:1140 +#: controlpanel.cpp:1130 controlpanel.cpp:1141 msgctxt "listnetworks" msgid "Channels" msgstr "Kanäle" -#: controlpanel.cpp:1148 +#: controlpanel.cpp:1149 msgid "No networks" msgstr "Keine Netzwerke" -#: controlpanel.cpp:1159 +#: controlpanel.cpp:1160 msgid "Usage: AddServer [[+]port] [password]" msgstr "" "Verwendung: AddServer [[+]Port] [Passwort]" -#: controlpanel.cpp:1173 +#: controlpanel.cpp:1174 msgid "Added IRC Server {1} to network {2} for user {3}." msgstr "IRC-Server {1} zu Netzwerk {2} von Benutzer {3} hinzugefügt." -#: controlpanel.cpp:1177 +#: controlpanel.cpp:1178 msgid "Error: Could not add IRC server {1} to network {2} for user {3}." msgstr "" "Fehler: Konnte IRC-Server {1} nicht zu Netzwerk {2} von Benutzer {3} " "hinzufügen." -#: controlpanel.cpp:1190 +#: controlpanel.cpp:1191 msgid "Usage: DelServer [[+]port] [password]" msgstr "" "Verwendung: DelServer [[+]Port] [Passwort]" -#: controlpanel.cpp:1205 +#: controlpanel.cpp:1206 msgid "Deleted IRC Server {1} from network {2} for user {3}." msgstr "IRC-Server {1} von Netzwerk {2} von User {3} gelöscht." -#: controlpanel.cpp:1209 +#: controlpanel.cpp:1210 msgid "Error: Could not delete IRC server {1} from network {2} for user {3}." msgstr "" "Fehler: Konnte IRC-Server {1} von Netzwerk {2} von User {3} nicht löschen." -#: controlpanel.cpp:1219 +#: controlpanel.cpp:1220 msgid "Usage: Reconnect " msgstr "Verwendung: Reconnect " -#: controlpanel.cpp:1246 +#: controlpanel.cpp:1247 msgid "Queued network {1} of user {2} for a reconnect." msgstr "Netzwerk {1} von Benutzer {2} für eine Neu-Verbindung eingereiht." -#: controlpanel.cpp:1255 +#: controlpanel.cpp:1256 msgid "Usage: Disconnect " msgstr "Verwendung: Disconnect " -#: controlpanel.cpp:1270 +#: controlpanel.cpp:1271 msgid "Closed IRC connection for network {1} of user {2}." msgstr "IRC-Verbindung von Netzwerk {1} von Benutzer {2} geschlossen." -#: controlpanel.cpp:1285 controlpanel.cpp:1290 +#: controlpanel.cpp:1286 controlpanel.cpp:1291 msgctxt "listctcp" msgid "Request" msgstr "Anfrage" -#: controlpanel.cpp:1286 controlpanel.cpp:1291 +#: controlpanel.cpp:1287 controlpanel.cpp:1292 msgctxt "listctcp" msgid "Reply" msgstr "Antwort" -#: controlpanel.cpp:1295 +#: controlpanel.cpp:1296 msgid "No CTCP replies for user {1} are configured" msgstr "Keine CTCP-Antworten für Benutzer {1} konfiguriert" -#: controlpanel.cpp:1298 +#: controlpanel.cpp:1299 msgid "CTCP replies for user {1}:" msgstr "CTCP-Antworten für Benutzer {1}:" -#: controlpanel.cpp:1314 +#: controlpanel.cpp:1315 msgid "Usage: AddCTCP [user] [request] [reply]" msgstr "Verwendung: AddCTCP [Benutzer] [Anfrage] [Antwort]" -#: controlpanel.cpp:1316 +#: controlpanel.cpp:1317 msgid "" "This will cause ZNC to reply to the CTCP instead of forwarding it to clients." msgstr "" "Hierdurch wird ZNC den CTCP beantworten anstelle ihn zum Client " "weiterzuleiten." -#: controlpanel.cpp:1319 +#: controlpanel.cpp:1320 msgid "An empty reply will cause the CTCP request to be blocked." msgstr "Eine leere Antwort blockiert die CTCP-Anfrage." -#: controlpanel.cpp:1328 +#: controlpanel.cpp:1329 msgid "CTCP requests {1} to user {2} will now be blocked." msgstr "CTCP-Anfragen {1} an Benutzer {2} werden nun blockiert." -#: controlpanel.cpp:1332 +#: controlpanel.cpp:1333 msgid "CTCP requests {1} to user {2} will now get reply: {3}" msgstr "CTCP-Anfragen {1} an Benutzer {2} werden nun beantwortet mit: {3}" -#: controlpanel.cpp:1349 +#: controlpanel.cpp:1350 msgid "Usage: DelCTCP [user] [request]" msgstr "Verwendung: DelCTCP [Benutzer] [Anfrage]" -#: controlpanel.cpp:1355 +#: controlpanel.cpp:1356 msgid "CTCP requests {1} to user {2} will now be sent to IRC clients" msgstr "CTCP-Anfragen {1} an Benutzer {2} werden nun an IRC-Clients gesendet" -#: controlpanel.cpp:1359 +#: controlpanel.cpp:1360 msgid "" "CTCP requests {1} to user {2} will be sent to IRC clients (nothing has " "changed)" @@ -457,288 +457,288 @@ msgstr "" "CTCP-Anfragen {1} an Benutzer {2} werden an IRC-Clients gesendet (nichts hat " "sich geändert)" -#: controlpanel.cpp:1369 controlpanel.cpp:1443 +#: controlpanel.cpp:1370 controlpanel.cpp:1444 msgid "Loading modules has been disabled." msgstr "Das Laden von Modulen wurde deaktiviert." -#: controlpanel.cpp:1378 +#: controlpanel.cpp:1379 msgid "Error: Unable to load module {1}: {2}" msgstr "Fehler: Konnte Modul {1} nicht laden: {2}" -#: controlpanel.cpp:1381 +#: controlpanel.cpp:1382 msgid "Loaded module {1}" msgstr "Modul {1} geladen" -#: controlpanel.cpp:1386 +#: controlpanel.cpp:1387 msgid "Error: Unable to reload module {1}: {2}" msgstr "Fehler: Konnte Modul {1} nicht neu laden: {2}" -#: controlpanel.cpp:1389 +#: controlpanel.cpp:1390 msgid "Reloaded module {1}" msgstr "Module {1} neu geladen" -#: controlpanel.cpp:1393 +#: controlpanel.cpp:1394 msgid "Error: Unable to load module {1} because it is already loaded" msgstr "Fehler: Modul {1} kann nicht geladen werden, da es bereits geladen ist" -#: controlpanel.cpp:1404 +#: controlpanel.cpp:1405 msgid "Usage: LoadModule [args]" msgstr "Verwendung: LoadModule [Argumente]" -#: controlpanel.cpp:1423 +#: controlpanel.cpp:1424 msgid "Usage: LoadNetModule [args]" msgstr "" "Verwendung: LoadNetModule [Argumente]" -#: controlpanel.cpp:1448 +#: controlpanel.cpp:1449 msgid "Please use /znc unloadmod {1}" msgstr "Bitte verwende /znc unloadmod {1}" -#: controlpanel.cpp:1454 +#: controlpanel.cpp:1455 msgid "Error: Unable to unload module {1}: {2}" msgstr "Fehler: Konnte Modul {1} nicht entladen: {2}" -#: controlpanel.cpp:1457 +#: controlpanel.cpp:1458 msgid "Unloaded module {1}" msgstr "Modul {1} entladen" -#: controlpanel.cpp:1466 +#: controlpanel.cpp:1467 msgid "Usage: UnloadModule " msgstr "Verwendung: UnloadModule " -#: controlpanel.cpp:1483 +#: controlpanel.cpp:1484 msgid "Usage: UnloadNetModule " msgstr "Verwendung: UnloadNetModule " -#: controlpanel.cpp:1500 controlpanel.cpp:1506 +#: controlpanel.cpp:1501 controlpanel.cpp:1507 msgctxt "listmodules" msgid "Name" msgstr "Name" -#: controlpanel.cpp:1501 controlpanel.cpp:1507 +#: controlpanel.cpp:1502 controlpanel.cpp:1508 msgctxt "listmodules" msgid "Arguments" msgstr "Argumente" -#: controlpanel.cpp:1526 +#: controlpanel.cpp:1527 msgid "User {1} has no modules loaded." msgstr "Benutzer {1} hat keine Module geladen." -#: controlpanel.cpp:1530 +#: controlpanel.cpp:1531 msgid "Modules loaded for user {1}:" msgstr "Für Benutzer {1} geladene Module:" -#: controlpanel.cpp:1550 +#: controlpanel.cpp:1551 msgid "Network {1} of user {2} has no modules loaded." msgstr "Netzwerk {1} des Benutzers {2} hat keine Module geladen." -#: controlpanel.cpp:1555 +#: controlpanel.cpp:1556 msgid "Modules loaded for network {1} of user {2}:" msgstr "Für Netzwerk {1} von Benutzer {2} geladene Module:" -#: controlpanel.cpp:1562 +#: controlpanel.cpp:1563 msgid "[command] [variable]" msgstr "[Kommando] [Variable]" -#: controlpanel.cpp:1563 +#: controlpanel.cpp:1564 msgid "Prints help for matching commands and variables" msgstr "Gibt die Hilfe für passende Kommandos und Variablen aus" -#: controlpanel.cpp:1566 +#: controlpanel.cpp:1567 msgid " [username]" msgstr " [Benutzername]" -#: controlpanel.cpp:1567 +#: controlpanel.cpp:1568 msgid "Prints the variable's value for the given or current user" msgstr "" "Gibt den Wert der Variable für den gegebenen oder aktuellen Benutzer aus" -#: controlpanel.cpp:1569 +#: controlpanel.cpp:1570 msgid " " msgstr " " -#: controlpanel.cpp:1570 +#: controlpanel.cpp:1571 msgid "Sets the variable's value for the given user" msgstr "Setzt den Wert der Variable für den gegebenen oder aktuellen Benutzer" -#: controlpanel.cpp:1572 +#: controlpanel.cpp:1573 msgid " [username] [network]" msgstr " [Benutzername] [Netzwerk]" -#: controlpanel.cpp:1573 +#: controlpanel.cpp:1574 msgid "Prints the variable's value for the given network" msgstr "Gibt den Wert der Variable für das gegebene Netzwerk aus" -#: controlpanel.cpp:1575 +#: controlpanel.cpp:1576 msgid " " msgstr " " -#: controlpanel.cpp:1576 +#: controlpanel.cpp:1577 msgid "Sets the variable's value for the given network" msgstr "Setzt den Wert der Variable für das gegebene Netzwerk" -#: controlpanel.cpp:1578 +#: controlpanel.cpp:1579 msgid " [username] " msgstr " [Benutzername] " -#: controlpanel.cpp:1579 +#: controlpanel.cpp:1580 msgid "Prints the variable's value for the given channel" msgstr "Gibt den Wert der Variable für den gegebenen Kanal aus" -#: controlpanel.cpp:1582 +#: controlpanel.cpp:1583 msgid " " msgstr " " -#: controlpanel.cpp:1583 +#: controlpanel.cpp:1584 msgid "Sets the variable's value for the given channel" msgstr "Setzt den Wert der Variable für den gegebenen Kanal" -#: controlpanel.cpp:1585 controlpanel.cpp:1588 +#: controlpanel.cpp:1586 controlpanel.cpp:1589 msgid " " msgstr " " -#: controlpanel.cpp:1586 +#: controlpanel.cpp:1587 msgid "Adds a new channel" msgstr "Fügt einen neuen Kanal hinzu" -#: controlpanel.cpp:1589 +#: controlpanel.cpp:1590 msgid "Deletes a channel" msgstr "Löscht einen Kanal" -#: controlpanel.cpp:1591 +#: controlpanel.cpp:1592 msgid "Lists users" msgstr "Listet Benutzer auf" -#: controlpanel.cpp:1593 +#: controlpanel.cpp:1594 msgid " " msgstr " " -#: controlpanel.cpp:1594 +#: controlpanel.cpp:1595 msgid "Adds a new user" msgstr "Fügt einen neuen Benutzer hinzu" -#: controlpanel.cpp:1596 controlpanel.cpp:1619 controlpanel.cpp:1633 +#: controlpanel.cpp:1597 controlpanel.cpp:1620 controlpanel.cpp:1634 msgid "" msgstr "" -#: controlpanel.cpp:1596 +#: controlpanel.cpp:1597 msgid "Deletes a user" msgstr "Löscht einen Benutzer" -#: controlpanel.cpp:1598 +#: controlpanel.cpp:1599 msgid " " msgstr " " -#: controlpanel.cpp:1599 +#: controlpanel.cpp:1600 msgid "Clones a user" msgstr "Klont einen Benutzer" -#: controlpanel.cpp:1601 controlpanel.cpp:1604 +#: controlpanel.cpp:1602 controlpanel.cpp:1605 msgid " " msgstr " " -#: controlpanel.cpp:1602 +#: controlpanel.cpp:1603 msgid "Adds a new IRC server for the given or current user" msgstr "" "Fügt einen neuen IRC-Server zum gegebenen oder aktuellen Benutzer hinzu" -#: controlpanel.cpp:1605 +#: controlpanel.cpp:1606 msgid "Deletes an IRC server from the given or current user" msgstr "Löscht einen IRC-Server vom gegebenen oder aktuellen Benutzer" -#: controlpanel.cpp:1607 controlpanel.cpp:1610 controlpanel.cpp:1630 +#: controlpanel.cpp:1608 controlpanel.cpp:1611 controlpanel.cpp:1631 msgid " " msgstr " " -#: controlpanel.cpp:1608 +#: controlpanel.cpp:1609 msgid "Cycles the user's IRC server connection" msgstr "Erneuert die IRC-Verbindung des Benutzers" -#: controlpanel.cpp:1611 +#: controlpanel.cpp:1612 msgid "Disconnects the user from their IRC server" msgstr "Trennt den Benutzer von ihrem IRC-Server" -#: controlpanel.cpp:1613 +#: controlpanel.cpp:1614 msgid " [args]" msgstr " [Argumente]" -#: controlpanel.cpp:1614 +#: controlpanel.cpp:1615 msgid "Loads a Module for a user" msgstr "Lädt ein Modul für einen Benutzer" -#: controlpanel.cpp:1616 +#: controlpanel.cpp:1617 msgid " " msgstr " " -#: controlpanel.cpp:1617 +#: controlpanel.cpp:1618 msgid "Removes a Module of a user" msgstr "Entfernt ein Modul von einem Benutzer" -#: controlpanel.cpp:1620 +#: controlpanel.cpp:1621 msgid "Get the list of modules for a user" msgstr "Zeigt eine Liste der Module eines Benutzers" -#: controlpanel.cpp:1623 +#: controlpanel.cpp:1624 msgid " [args]" msgstr " [args]" -#: controlpanel.cpp:1624 +#: controlpanel.cpp:1625 msgid "Loads a Module for a network" msgstr "Lädt ein Modul für ein Netzwerk" -#: controlpanel.cpp:1627 +#: controlpanel.cpp:1628 msgid " " msgstr " " -#: controlpanel.cpp:1628 +#: controlpanel.cpp:1629 msgid "Removes a Module of a network" msgstr "Entfernt ein Modul von einem Netzwerk" -#: controlpanel.cpp:1631 +#: controlpanel.cpp:1632 msgid "Get the list of modules for a network" msgstr "Zeigt eine Liste der Module eines Netzwerks" -#: controlpanel.cpp:1634 +#: controlpanel.cpp:1635 msgid "List the configured CTCP replies" msgstr "Liste die konfigurierten CTCP-Antworten auf" -#: controlpanel.cpp:1636 +#: controlpanel.cpp:1637 msgid " [reply]" msgstr " [Antwort]" -#: controlpanel.cpp:1637 +#: controlpanel.cpp:1638 msgid "Configure a new CTCP reply" msgstr "Konfiguriere eine neue CTCP-Antwort" -#: controlpanel.cpp:1639 +#: controlpanel.cpp:1640 msgid " " msgstr " " -#: controlpanel.cpp:1640 +#: controlpanel.cpp:1641 msgid "Remove a CTCP reply" msgstr "Entfernt eine CTCP-Antwort" -#: controlpanel.cpp:1644 controlpanel.cpp:1647 +#: controlpanel.cpp:1645 controlpanel.cpp:1648 msgid "[username] " msgstr "[Benutzername] " -#: controlpanel.cpp:1645 +#: controlpanel.cpp:1646 msgid "Add a network for a user" msgstr "Füge ein Netzwerk für einen Benutzer hinzu" -#: controlpanel.cpp:1648 +#: controlpanel.cpp:1649 msgid "Delete a network for a user" msgstr "Lösche ein Netzwerk für einen Benutzer" -#: controlpanel.cpp:1650 +#: controlpanel.cpp:1651 msgid "[username]" msgstr "[Benutzername]" -#: controlpanel.cpp:1651 +#: controlpanel.cpp:1652 msgid "List all networks for a user" msgstr "Listet alle Netzwerke für einen Benutzer auf" -#: controlpanel.cpp:1664 +#: controlpanel.cpp:1665 msgid "" "Dynamic configuration through IRC. Allows editing only yourself if you're " "not ZNC admin." diff --git a/modules/po/controlpanel.es_ES.po b/modules/po/controlpanel.es_ES.po index 877f3058..21dbf2c0 100644 --- a/modules/po/controlpanel.es_ES.po +++ b/modules/po/controlpanel.es_ES.po @@ -36,13 +36,13 @@ msgstr "Entero" msgid "Number" msgstr "Número" -#: controlpanel.cpp:125 +#: controlpanel.cpp:126 msgid "The following variables are available when using the Set/Get commands:" msgstr "" "Las siguientes variables están disponibles cuando se usan los comandos Get/" "Set:" -#: controlpanel.cpp:149 +#: controlpanel.cpp:150 msgid "" "The following variables are available when using the SetNetwork/GetNetwork " "commands:" @@ -50,7 +50,7 @@ msgstr "" "Las siguientes variables están disponibles cuando se usan los comandos " "SetNetwork/GetNetwork:" -#: controlpanel.cpp:163 +#: controlpanel.cpp:164 msgid "" "The following variables are available when using the SetChan/GetChan " "commands:" @@ -58,7 +58,7 @@ msgstr "" "Las siguientes variables están disponibles cuando se usan los comandos " "SetChan/GetChan:" -#: controlpanel.cpp:170 +#: controlpanel.cpp:171 msgid "" "You can use $user as the user name and $network as the network name for " "modifying your own user and network." @@ -66,233 +66,233 @@ msgstr "" "Puedes usar $user como nombre de usuario y $network como el nombre de la red " "para modificar tu propio usuario y red." -#: controlpanel.cpp:179 controlpanel.cpp:966 controlpanel.cpp:1003 +#: controlpanel.cpp:180 controlpanel.cpp:967 controlpanel.cpp:1004 msgid "Error: User [{1}] does not exist!" msgstr "Error: el usuario [{1}] no existe" -#: controlpanel.cpp:184 +#: controlpanel.cpp:185 msgid "Error: You need to have admin rights to modify other users!" msgstr "" "Error: tienes que tener permisos administrativos para modificar otros " "usuarios" -#: controlpanel.cpp:194 +#: controlpanel.cpp:195 msgid "Error: You cannot use $network to modify other users!" msgstr "Error: no puedes usar $network para modificar otros usuarios" -#: controlpanel.cpp:202 +#: controlpanel.cpp:203 msgid "Error: User {1} does not have a network named [{2}]." msgstr "Error: el usuario {1} no tiene una red llamada [{2}]." -#: controlpanel.cpp:214 +#: controlpanel.cpp:215 msgid "Usage: Get [username]" msgstr "Uso: Get [usuario]" -#: controlpanel.cpp:304 controlpanel.cpp:507 controlpanel.cpp:582 -#: controlpanel.cpp:658 controlpanel.cpp:793 controlpanel.cpp:878 +#: controlpanel.cpp:305 controlpanel.cpp:508 controlpanel.cpp:583 +#: controlpanel.cpp:659 controlpanel.cpp:794 controlpanel.cpp:879 msgid "Error: Unknown variable" msgstr "Error: variable desconocida" -#: controlpanel.cpp:313 +#: controlpanel.cpp:314 msgid "Usage: Set " msgstr "Uso: Set [usuario] " -#: controlpanel.cpp:335 controlpanel.cpp:623 +#: controlpanel.cpp:336 controlpanel.cpp:624 msgid "This bind host is already set!" msgstr "Este bind host ya está definido" -#: controlpanel.cpp:342 controlpanel.cpp:354 controlpanel.cpp:362 -#: controlpanel.cpp:425 controlpanel.cpp:444 controlpanel.cpp:460 -#: controlpanel.cpp:470 controlpanel.cpp:630 +#: controlpanel.cpp:343 controlpanel.cpp:355 controlpanel.cpp:363 +#: controlpanel.cpp:426 controlpanel.cpp:445 controlpanel.cpp:461 +#: controlpanel.cpp:471 controlpanel.cpp:631 msgid "Access denied!" msgstr "¡Acceso denegado!" -#: controlpanel.cpp:376 controlpanel.cpp:385 controlpanel.cpp:842 +#: controlpanel.cpp:377 controlpanel.cpp:386 controlpanel.cpp:843 msgid "Setting failed, limit for buffer size is {1}" msgstr "Ajuste fallido, el límite para el tamaño de búfer es {1}" -#: controlpanel.cpp:405 +#: controlpanel.cpp:406 msgid "Password has been changed!" msgstr "Se ha cambiado la contraseña" -#: controlpanel.cpp:413 +#: controlpanel.cpp:414 msgid "Timeout can't be less than 30 seconds!" msgstr "¡El tiempo de espera no puede ser inferior a 30 segundos!" -#: controlpanel.cpp:477 +#: controlpanel.cpp:478 msgid "That would be a bad idea!" msgstr "Eso sería una mala idea" -#: controlpanel.cpp:495 +#: controlpanel.cpp:496 msgid "Supported languages: {1}" msgstr "Idiomas soportados: {1}" -#: controlpanel.cpp:519 +#: controlpanel.cpp:520 msgid "Usage: GetNetwork [username] [network]" msgstr "Uso: GetNetwork [usuario] [red]" -#: controlpanel.cpp:538 +#: controlpanel.cpp:539 msgid "Error: A network must be specified to get another users settings." msgstr "" "Error: debes especificar una red para obtener los ajustes de otro usuario." -#: controlpanel.cpp:544 +#: controlpanel.cpp:545 msgid "You are not currently attached to a network." msgstr "No estás adjunto a una red." -#: controlpanel.cpp:550 +#: controlpanel.cpp:551 msgid "Error: Invalid network." msgstr "Error: nombre de red inválido." -#: controlpanel.cpp:594 +#: controlpanel.cpp:595 msgid "Usage: SetNetwork " msgstr "Uso: SetNetwork " -#: controlpanel.cpp:668 +#: controlpanel.cpp:669 msgid "Usage: AddChan " msgstr "Uso: AddChan " -#: controlpanel.cpp:681 +#: controlpanel.cpp:682 msgid "Error: User {1} already has a channel named {2}." msgstr "Error: el usuario {1} ya tiene un canal llamado {2}." -#: controlpanel.cpp:688 +#: controlpanel.cpp:689 msgid "Channel {1} for user {2} added to network {3}." msgstr "El canal {1} para el usuario {2} se ha añadido a la red {3}." -#: controlpanel.cpp:692 +#: controlpanel.cpp:693 msgid "" "Could not add channel {1} for user {2} to network {3}, does it already exist?" msgstr "" "No se ha podido añadir el canal {1} para el usuario {2} a la red {3}, " "¿existe realmente?" -#: controlpanel.cpp:702 +#: controlpanel.cpp:703 msgid "Usage: DelChan " msgstr "Uso: DelChan " -#: controlpanel.cpp:717 +#: controlpanel.cpp:718 msgid "Error: User {1} does not have any channel matching [{2}] in network {3}" msgstr "" "Error: el usuario {1} no tiene ningún canal que coincida con [{2}] en la red " "{3}" -#: controlpanel.cpp:730 +#: controlpanel.cpp:731 msgid "Channel {1} is deleted from network {2} of user {3}" msgid_plural "Channels {1} are deleted from network {2} of user {3}" msgstr[0] "Borrado canal {1} de la red {2} del usuario {3}" msgstr[1] "Borrados canales {1} de la red {2} del usuario {3}" -#: controlpanel.cpp:745 +#: controlpanel.cpp:746 msgid "Usage: GetChan " msgstr "Uso: GetChan " -#: controlpanel.cpp:759 controlpanel.cpp:823 +#: controlpanel.cpp:760 controlpanel.cpp:824 msgid "Error: No channels matching [{1}] found." msgstr "Error: no hay ningún canal que coincida con [{1}]." -#: controlpanel.cpp:808 +#: controlpanel.cpp:809 msgid "Usage: SetChan " msgstr "Uso: SetChan " -#: controlpanel.cpp:889 controlpanel.cpp:899 +#: controlpanel.cpp:890 controlpanel.cpp:900 msgctxt "listusers" msgid "Username" msgstr "Usuario" -#: controlpanel.cpp:890 controlpanel.cpp:900 +#: controlpanel.cpp:891 controlpanel.cpp:901 msgctxt "listusers" msgid "Realname" msgstr "Nombre real" -#: controlpanel.cpp:891 controlpanel.cpp:903 controlpanel.cpp:905 +#: controlpanel.cpp:892 controlpanel.cpp:904 controlpanel.cpp:906 msgctxt "listusers" msgid "IsAdmin" msgstr "Admin" -#: controlpanel.cpp:892 controlpanel.cpp:906 +#: controlpanel.cpp:893 controlpanel.cpp:907 msgctxt "listusers" msgid "Nick" msgstr "Apodo" -#: controlpanel.cpp:893 controlpanel.cpp:907 +#: controlpanel.cpp:894 controlpanel.cpp:908 msgctxt "listusers" msgid "AltNick" msgstr "Apodo alternativo" -#: controlpanel.cpp:894 controlpanel.cpp:908 +#: controlpanel.cpp:895 controlpanel.cpp:909 msgctxt "listusers" msgid "Ident" msgstr "Ident" -#: controlpanel.cpp:895 controlpanel.cpp:909 +#: controlpanel.cpp:896 controlpanel.cpp:910 msgctxt "listusers" msgid "BindHost" msgstr "BindHost" -#: controlpanel.cpp:903 controlpanel.cpp:1143 +#: controlpanel.cpp:904 controlpanel.cpp:1144 msgid "No" msgstr "No" -#: controlpanel.cpp:905 controlpanel.cpp:1135 +#: controlpanel.cpp:906 controlpanel.cpp:1136 msgid "Yes" msgstr "Sí" -#: controlpanel.cpp:919 controlpanel.cpp:988 +#: controlpanel.cpp:920 controlpanel.cpp:989 msgid "Error: You need to have admin rights to add new users!" msgstr "" "Error: tienes que tener permisos administrativos para añadir nuevos usuarios" -#: controlpanel.cpp:925 +#: controlpanel.cpp:926 msgid "Usage: AddUser " msgstr "Uso: AddUser " -#: controlpanel.cpp:930 +#: controlpanel.cpp:931 msgid "Error: User {1} already exists!" msgstr "Error: el usuario {1} ya existe" -#: controlpanel.cpp:942 controlpanel.cpp:1017 +#: controlpanel.cpp:943 controlpanel.cpp:1018 msgid "Error: User not added: {1}" msgstr "Error: usuario no añadido: {1}" -#: controlpanel.cpp:946 controlpanel.cpp:1021 +#: controlpanel.cpp:947 controlpanel.cpp:1022 msgid "User {1} added!" msgstr "¡Usuario {1} añadido!" -#: controlpanel.cpp:953 +#: controlpanel.cpp:954 msgid "Error: You need to have admin rights to delete users!" msgstr "" "Error: tienes que tener permisos administrativos para eliminar usuarios" -#: controlpanel.cpp:959 +#: controlpanel.cpp:960 msgid "Usage: DelUser " msgstr "Uso: DelUser " -#: controlpanel.cpp:971 +#: controlpanel.cpp:972 msgid "Error: You can't delete yourself!" msgstr "Error: no puedes borrarte a ti mismo" -#: controlpanel.cpp:977 +#: controlpanel.cpp:978 msgid "Error: Internal error!" msgstr "Error: error interno" -#: controlpanel.cpp:981 +#: controlpanel.cpp:982 msgid "User {1} deleted!" msgstr "Usuario {1} eliminado" -#: controlpanel.cpp:996 +#: controlpanel.cpp:997 msgid "Usage: CloneUser " msgstr "Uso: CloneUser " -#: controlpanel.cpp:1011 +#: controlpanel.cpp:1012 msgid "Error: Cloning failed: {1}" msgstr "Error: clonación fallida: {1}" -#: controlpanel.cpp:1040 +#: controlpanel.cpp:1041 msgid "Usage: AddNetwork [user] network" msgstr "Uso: AddNetwork [usuario] red" -#: controlpanel.cpp:1046 +#: controlpanel.cpp:1047 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks using /znc DelNetwork " @@ -300,156 +300,156 @@ msgstr "" "Limite de redes alcanzado. Píde a un administrador que te incremente el " "límite, o elimina redes innecesarias usando /znc DelNetwork " -#: controlpanel.cpp:1054 +#: controlpanel.cpp:1055 msgid "Error: User {1} already has a network with the name {2}" msgstr "Error: el usuario {1} ya tiene una red llamada {2}" -#: controlpanel.cpp:1061 +#: controlpanel.cpp:1062 msgid "Network {1} added to user {2}." msgstr "Red {1} añadida al usuario {2}." -#: controlpanel.cpp:1065 +#: controlpanel.cpp:1066 msgid "Error: Network [{1}] could not be added for user {2}: {3}" msgstr "Error: la red [{1}] no se ha podido añadir al usuario {2}: {3}" -#: controlpanel.cpp:1085 +#: controlpanel.cpp:1086 msgid "Usage: DelNetwork [user] network" msgstr "Uso: DelNetwork [usuario] red" -#: controlpanel.cpp:1096 +#: controlpanel.cpp:1097 msgid "The currently active network can be deleted via {1}status" msgstr "La red activa actual puede ser eliminada vía {1}status" -#: controlpanel.cpp:1102 +#: controlpanel.cpp:1103 msgid "Network {1} deleted for user {2}." msgstr "Red {1} eliminada al usuario {2}." -#: controlpanel.cpp:1106 +#: controlpanel.cpp:1107 msgid "Error: Network {1} could not be deleted for user {2}." msgstr "Error: la red {1} no se ha podido eliminar al usuario {2}." -#: controlpanel.cpp:1125 controlpanel.cpp:1133 +#: controlpanel.cpp:1126 controlpanel.cpp:1134 msgctxt "listnetworks" msgid "Network" msgstr "Red" -#: controlpanel.cpp:1126 controlpanel.cpp:1135 controlpanel.cpp:1143 +#: controlpanel.cpp:1127 controlpanel.cpp:1136 controlpanel.cpp:1144 msgctxt "listnetworks" msgid "OnIRC" msgstr "EnIRC" -#: controlpanel.cpp:1127 controlpanel.cpp:1136 +#: controlpanel.cpp:1128 controlpanel.cpp:1137 msgctxt "listnetworks" msgid "IRC Server" msgstr "Servidor IRC" -#: controlpanel.cpp:1128 controlpanel.cpp:1138 +#: controlpanel.cpp:1129 controlpanel.cpp:1139 msgctxt "listnetworks" msgid "IRC User" msgstr "Usuario IRC" -#: controlpanel.cpp:1129 controlpanel.cpp:1140 +#: controlpanel.cpp:1130 controlpanel.cpp:1141 msgctxt "listnetworks" msgid "Channels" msgstr "Canales" -#: controlpanel.cpp:1148 +#: controlpanel.cpp:1149 msgid "No networks" msgstr "No hay redes" -#: controlpanel.cpp:1159 +#: controlpanel.cpp:1160 msgid "Usage: AddServer [[+]port] [password]" msgstr "Uso: AddServer [[+]puerto] [contraseña]" -#: controlpanel.cpp:1173 +#: controlpanel.cpp:1174 msgid "Added IRC Server {1} to network {2} for user {3}." msgstr "Añadido servidor IRC {1} a la red {2} al usuario {3}." -#: controlpanel.cpp:1177 +#: controlpanel.cpp:1178 msgid "Error: Could not add IRC server {1} to network {2} for user {3}." msgstr "" "Error: no se ha podido añadir el servidor IRC {1} a la red {2} del usuario " "{3}." -#: controlpanel.cpp:1190 +#: controlpanel.cpp:1191 msgid "Usage: DelServer [[+]port] [password]" msgstr "Uso: DelServer [[+]puerto] [contraseña]" -#: controlpanel.cpp:1205 +#: controlpanel.cpp:1206 msgid "Deleted IRC Server {1} from network {2} for user {3}." msgstr "Eliminado servidor IRC {1} de la red {2} al usuario {3}." -#: controlpanel.cpp:1209 +#: controlpanel.cpp:1210 msgid "Error: Could not delete IRC server {1} from network {2} for user {3}." msgstr "" "Error: no se ha podido eliminar el servidor IRC {1} de la red {2} al usuario " "{3}." -#: controlpanel.cpp:1219 +#: controlpanel.cpp:1220 msgid "Usage: Reconnect " msgstr "Uso: Reconnect " -#: controlpanel.cpp:1246 +#: controlpanel.cpp:1247 msgid "Queued network {1} of user {2} for a reconnect." msgstr "Red {1} del usuario {2} puesta en cola para reconectar." -#: controlpanel.cpp:1255 +#: controlpanel.cpp:1256 msgid "Usage: Disconnect " msgstr "Uso: Disconnect " -#: controlpanel.cpp:1270 +#: controlpanel.cpp:1271 msgid "Closed IRC connection for network {1} of user {2}." msgstr "Cerrada la conexión IRC de la red {1} al usuario {2}." -#: controlpanel.cpp:1285 controlpanel.cpp:1290 +#: controlpanel.cpp:1286 controlpanel.cpp:1291 msgctxt "listctcp" msgid "Request" msgstr "Solicitud" -#: controlpanel.cpp:1286 controlpanel.cpp:1291 +#: controlpanel.cpp:1287 controlpanel.cpp:1292 msgctxt "listctcp" msgid "Reply" msgstr "Respuesta" -#: controlpanel.cpp:1295 +#: controlpanel.cpp:1296 msgid "No CTCP replies for user {1} are configured" msgstr "No hay respuestas CTCP configuradas para el usuario {1}" -#: controlpanel.cpp:1298 +#: controlpanel.cpp:1299 msgid "CTCP replies for user {1}:" msgstr "Respuestas CTCP del usuario {1}:" -#: controlpanel.cpp:1314 +#: controlpanel.cpp:1315 msgid "Usage: AddCTCP [user] [request] [reply]" msgstr "Uso: AddCTCP [usuario] [solicitud] [respuesta]" -#: controlpanel.cpp:1316 +#: controlpanel.cpp:1317 msgid "" "This will cause ZNC to reply to the CTCP instead of forwarding it to clients." msgstr "" "Esto hará que ZNC responda a los CTCP en vez de reenviarselos a los clientes." -#: controlpanel.cpp:1319 +#: controlpanel.cpp:1320 msgid "An empty reply will cause the CTCP request to be blocked." msgstr "Una respuesta vacía hará que la solicitud CTCP sea bloqueada." -#: controlpanel.cpp:1328 +#: controlpanel.cpp:1329 msgid "CTCP requests {1} to user {2} will now be blocked." msgstr "Las solicitudes CTCP {1} del usuario {2} serán bloqueadas." -#: controlpanel.cpp:1332 +#: controlpanel.cpp:1333 msgid "CTCP requests {1} to user {2} will now get reply: {3}" msgstr "Las solicitudes CTCP {1} del usuario {2} se responderán con: {3}" -#: controlpanel.cpp:1349 +#: controlpanel.cpp:1350 msgid "Usage: DelCTCP [user] [request]" msgstr "Uso: DelCTCP [usuario] [solicitud]" -#: controlpanel.cpp:1355 +#: controlpanel.cpp:1356 msgid "CTCP requests {1} to user {2} will now be sent to IRC clients" msgstr "Las solicitudes CTCP {1} del usuario {2} serán enviadas a los clientes" -#: controlpanel.cpp:1359 +#: controlpanel.cpp:1360 msgid "" "CTCP requests {1} to user {2} will be sent to IRC clients (nothing has " "changed)" @@ -457,286 +457,286 @@ msgstr "" "Las solicitudes CTCP {1} del usuario {2} serán enviadas a los clientes (no " "se ha cambiado nada)" -#: controlpanel.cpp:1369 controlpanel.cpp:1443 +#: controlpanel.cpp:1370 controlpanel.cpp:1444 msgid "Loading modules has been disabled." msgstr "La carga de módulos ha sido deshabilitada." -#: controlpanel.cpp:1378 +#: controlpanel.cpp:1379 msgid "Error: Unable to load module {1}: {2}" msgstr "Error: no se ha podido cargar el módulo {1}: {2}" -#: controlpanel.cpp:1381 +#: controlpanel.cpp:1382 msgid "Loaded module {1}" msgstr "Cargado módulo {1}" -#: controlpanel.cpp:1386 +#: controlpanel.cpp:1387 msgid "Error: Unable to reload module {1}: {2}" msgstr "Error: no se ha podido recargar el módulo {1}: {2}" -#: controlpanel.cpp:1389 +#: controlpanel.cpp:1390 msgid "Reloaded module {1}" msgstr "Recargado módulo {1}" -#: controlpanel.cpp:1393 +#: controlpanel.cpp:1394 msgid "Error: Unable to load module {1} because it is already loaded" msgstr "Error: no se ha podido cargar el módulo {1} porque ya está cargado" -#: controlpanel.cpp:1404 +#: controlpanel.cpp:1405 msgid "Usage: LoadModule [args]" msgstr "Uso: LoadModule [args]" -#: controlpanel.cpp:1423 +#: controlpanel.cpp:1424 msgid "Usage: LoadNetModule [args]" msgstr "Uso: LoadNetModule [args]" -#: controlpanel.cpp:1448 +#: controlpanel.cpp:1449 msgid "Please use /znc unloadmod {1}" msgstr "Por favor, ejecuta /znc unloadmod {1}" -#: controlpanel.cpp:1454 +#: controlpanel.cpp:1455 msgid "Error: Unable to unload module {1}: {2}" msgstr "Error: no se ha podido descargar el módulo {1}: {2}" -#: controlpanel.cpp:1457 +#: controlpanel.cpp:1458 msgid "Unloaded module {1}" msgstr "Descargado módulo {1}" -#: controlpanel.cpp:1466 +#: controlpanel.cpp:1467 msgid "Usage: UnloadModule " msgstr "Uso: UnloadModule " -#: controlpanel.cpp:1483 +#: controlpanel.cpp:1484 msgid "Usage: UnloadNetModule " msgstr "Uso: UnloadNetModule " -#: controlpanel.cpp:1500 controlpanel.cpp:1506 +#: controlpanel.cpp:1501 controlpanel.cpp:1507 msgctxt "listmodules" msgid "Name" msgstr "Nombre" -#: controlpanel.cpp:1501 controlpanel.cpp:1507 +#: controlpanel.cpp:1502 controlpanel.cpp:1508 msgctxt "listmodules" msgid "Arguments" msgstr "Parámetros" -#: controlpanel.cpp:1526 +#: controlpanel.cpp:1527 msgid "User {1} has no modules loaded." msgstr "El usuario {1} no tiene módulos cargados." -#: controlpanel.cpp:1530 +#: controlpanel.cpp:1531 msgid "Modules loaded for user {1}:" msgstr "Módulos cargados para el usuario {1}:" -#: controlpanel.cpp:1550 +#: controlpanel.cpp:1551 msgid "Network {1} of user {2} has no modules loaded." msgstr "La red {1} del usuario {2} no tiene módulos cargados." -#: controlpanel.cpp:1555 +#: controlpanel.cpp:1556 msgid "Modules loaded for network {1} of user {2}:" msgstr "Módulos cargados para la red {1} del usuario {2}:" -#: controlpanel.cpp:1562 +#: controlpanel.cpp:1563 msgid "[command] [variable]" msgstr "[comando] [variable]" -#: controlpanel.cpp:1563 +#: controlpanel.cpp:1564 msgid "Prints help for matching commands and variables" msgstr "Muestra la ayuda de los comandos y variables" -#: controlpanel.cpp:1566 +#: controlpanel.cpp:1567 msgid " [username]" msgstr " [usuario]" -#: controlpanel.cpp:1567 +#: controlpanel.cpp:1568 msgid "Prints the variable's value for the given or current user" msgstr "" "Muestra los valores de las variables del usuario actual o el proporcionado" -#: controlpanel.cpp:1569 +#: controlpanel.cpp:1570 msgid " " msgstr " " -#: controlpanel.cpp:1570 +#: controlpanel.cpp:1571 msgid "Sets the variable's value for the given user" msgstr "Ajusta los valores de variables para el usuario proporcionado" -#: controlpanel.cpp:1572 +#: controlpanel.cpp:1573 msgid " [username] [network]" msgstr " [usuario] [red]" -#: controlpanel.cpp:1573 +#: controlpanel.cpp:1574 msgid "Prints the variable's value for the given network" msgstr "Muestra los valores de las variables de la red proporcionada" -#: controlpanel.cpp:1575 +#: controlpanel.cpp:1576 msgid " " msgstr " " -#: controlpanel.cpp:1576 +#: controlpanel.cpp:1577 msgid "Sets the variable's value for the given network" msgstr "Ajusta los valores de variables para la red proporcionada" -#: controlpanel.cpp:1578 +#: controlpanel.cpp:1579 msgid " [username] " msgstr " " -#: controlpanel.cpp:1579 +#: controlpanel.cpp:1580 msgid "Prints the variable's value for the given channel" msgstr "Muestra los valores de las variables del canal proporcionado" -#: controlpanel.cpp:1582 +#: controlpanel.cpp:1583 msgid " " msgstr " " -#: controlpanel.cpp:1583 +#: controlpanel.cpp:1584 msgid "Sets the variable's value for the given channel" msgstr "Ajusta los valores de variables para el canal proporcionado" -#: controlpanel.cpp:1585 controlpanel.cpp:1588 +#: controlpanel.cpp:1586 controlpanel.cpp:1589 msgid " " msgstr " " -#: controlpanel.cpp:1586 +#: controlpanel.cpp:1587 msgid "Adds a new channel" msgstr "Añadir un nuevo canal" -#: controlpanel.cpp:1589 +#: controlpanel.cpp:1590 msgid "Deletes a channel" msgstr "Eliminar canal" -#: controlpanel.cpp:1591 +#: controlpanel.cpp:1592 msgid "Lists users" msgstr "Mostrar usuarios" -#: controlpanel.cpp:1593 +#: controlpanel.cpp:1594 msgid " " msgstr " " -#: controlpanel.cpp:1594 +#: controlpanel.cpp:1595 msgid "Adds a new user" msgstr "Añadir un usuario nuevo" -#: controlpanel.cpp:1596 controlpanel.cpp:1619 controlpanel.cpp:1633 +#: controlpanel.cpp:1597 controlpanel.cpp:1620 controlpanel.cpp:1634 msgid "" msgstr "" -#: controlpanel.cpp:1596 +#: controlpanel.cpp:1597 msgid "Deletes a user" msgstr "Eliminar usuario" -#: controlpanel.cpp:1598 +#: controlpanel.cpp:1599 msgid " " msgstr " " -#: controlpanel.cpp:1599 +#: controlpanel.cpp:1600 msgid "Clones a user" msgstr "Duplica un usuario" -#: controlpanel.cpp:1601 controlpanel.cpp:1604 +#: controlpanel.cpp:1602 controlpanel.cpp:1605 msgid " " msgstr " " -#: controlpanel.cpp:1602 +#: controlpanel.cpp:1603 msgid "Adds a new IRC server for the given or current user" msgstr "Añade un nuevo servidor de IRC para el usuario actual o proporcionado" -#: controlpanel.cpp:1605 +#: controlpanel.cpp:1606 msgid "Deletes an IRC server from the given or current user" msgstr "Borra un servidor de IRC para el usuario actual o proporcionado" -#: controlpanel.cpp:1607 controlpanel.cpp:1610 controlpanel.cpp:1630 +#: controlpanel.cpp:1608 controlpanel.cpp:1611 controlpanel.cpp:1631 msgid " " msgstr " " -#: controlpanel.cpp:1608 +#: controlpanel.cpp:1609 msgid "Cycles the user's IRC server connection" msgstr "Reconecta la conexión de un usario al IRC" -#: controlpanel.cpp:1611 +#: controlpanel.cpp:1612 msgid "Disconnects the user from their IRC server" msgstr "Desconecta un usuario de su servidor de IRC" -#: controlpanel.cpp:1613 +#: controlpanel.cpp:1614 msgid " [args]" msgstr " [args]" -#: controlpanel.cpp:1614 +#: controlpanel.cpp:1615 msgid "Loads a Module for a user" msgstr "Carga un módulo a un usuario" -#: controlpanel.cpp:1616 +#: controlpanel.cpp:1617 msgid " " msgstr " " -#: controlpanel.cpp:1617 +#: controlpanel.cpp:1618 msgid "Removes a Module of a user" msgstr "Quita un módulo de un usuario" -#: controlpanel.cpp:1620 +#: controlpanel.cpp:1621 msgid "Get the list of modules for a user" msgstr "Obtiene la lista de módulos de un usuario" -#: controlpanel.cpp:1623 +#: controlpanel.cpp:1624 msgid " [args]" msgstr " [args]" -#: controlpanel.cpp:1624 +#: controlpanel.cpp:1625 msgid "Loads a Module for a network" msgstr "Carga un módulo para una red" -#: controlpanel.cpp:1627 +#: controlpanel.cpp:1628 msgid " " msgstr " " -#: controlpanel.cpp:1628 +#: controlpanel.cpp:1629 msgid "Removes a Module of a network" msgstr "Elimina el módulo de una red" -#: controlpanel.cpp:1631 +#: controlpanel.cpp:1632 msgid "Get the list of modules for a network" msgstr "Obtiene la lista de módulos de una red" -#: controlpanel.cpp:1634 +#: controlpanel.cpp:1635 msgid "List the configured CTCP replies" msgstr "Muestra las respuestas CTCP configuradas" -#: controlpanel.cpp:1636 +#: controlpanel.cpp:1637 msgid " [reply]" msgstr " [respuesta]" -#: controlpanel.cpp:1637 +#: controlpanel.cpp:1638 msgid "Configure a new CTCP reply" msgstr "Configura una nueva respuesta CTCP" -#: controlpanel.cpp:1639 +#: controlpanel.cpp:1640 msgid " " msgstr " " -#: controlpanel.cpp:1640 +#: controlpanel.cpp:1641 msgid "Remove a CTCP reply" msgstr "Elimina una respuesta CTCP" -#: controlpanel.cpp:1644 controlpanel.cpp:1647 +#: controlpanel.cpp:1645 controlpanel.cpp:1648 msgid "[username] " msgstr "[usuario] " -#: controlpanel.cpp:1645 +#: controlpanel.cpp:1646 msgid "Add a network for a user" msgstr "Añade una red a un usuario" -#: controlpanel.cpp:1648 +#: controlpanel.cpp:1649 msgid "Delete a network for a user" msgstr "Borra la red de un usuario" -#: controlpanel.cpp:1650 +#: controlpanel.cpp:1651 msgid "[username]" msgstr "[usuario]" -#: controlpanel.cpp:1651 +#: controlpanel.cpp:1652 msgid "List all networks for a user" msgstr "Muestra las redes de un usuario" -#: controlpanel.cpp:1664 +#: controlpanel.cpp:1665 msgid "" "Dynamic configuration through IRC. Allows editing only yourself if you're " "not ZNC admin." diff --git a/modules/po/controlpanel.fr_FR.po b/modules/po/controlpanel.fr_FR.po index 6d0a535f..a5a0f597 100644 --- a/modules/po/controlpanel.fr_FR.po +++ b/modules/po/controlpanel.fr_FR.po @@ -36,12 +36,12 @@ msgstr "Entier" msgid "Number" msgstr "Nombre" -#: controlpanel.cpp:125 +#: controlpanel.cpp:126 msgid "The following variables are available when using the Set/Get commands:" msgstr "" "Les variables suivantes sont disponibles en utilisant les commandes Set/Get :" -#: controlpanel.cpp:149 +#: controlpanel.cpp:150 msgid "" "The following variables are available when using the SetNetwork/GetNetwork " "commands:" @@ -49,7 +49,7 @@ msgstr "" "Les variables suivantes sont disponibles en utilisant les commandes " "SetNetwork/GetNetwork :" -#: controlpanel.cpp:163 +#: controlpanel.cpp:164 msgid "" "The following variables are available when using the SetChan/GetChan " "commands:" @@ -57,7 +57,7 @@ msgstr "" "Les variables suivantes sont disponibles en utilisant les commandes SetChan/" "GetChan :" -#: controlpanel.cpp:170 +#: controlpanel.cpp:171 msgid "" "You can use $user as the user name and $network as the network name for " "modifying your own user and network." @@ -65,673 +65,673 @@ msgstr "" "Vous pouvez utiliser $user comme nom d'utilisateur et $network comme nom de " "réseau pour modifier votre propre utilisateur et réseau." -#: controlpanel.cpp:179 controlpanel.cpp:966 controlpanel.cpp:1003 +#: controlpanel.cpp:180 controlpanel.cpp:967 controlpanel.cpp:1004 msgid "Error: User [{1}] does not exist!" msgstr "Erreur : l'utilisateur [{1}] n'existe pas !" -#: controlpanel.cpp:184 +#: controlpanel.cpp:185 msgid "Error: You need to have admin rights to modify other users!" msgstr "" "Erreur : vous devez avoir les droits d'administration pour modifier les " "autres utilisateurs !" -#: controlpanel.cpp:194 +#: controlpanel.cpp:195 msgid "Error: You cannot use $network to modify other users!" msgstr "" "Erreur : vous ne pouvez pas utiliser $network pour modifier les autres " "utilisateurs !" -#: controlpanel.cpp:202 +#: controlpanel.cpp:203 msgid "Error: User {1} does not have a network named [{2}]." msgstr "Erreur : l'utilisateur {1} n'a pas de réseau nommé [{2}]." -#: controlpanel.cpp:214 +#: controlpanel.cpp:215 msgid "Usage: Get [username]" msgstr "Utilisation : Get [username]" -#: controlpanel.cpp:304 controlpanel.cpp:507 controlpanel.cpp:582 -#: controlpanel.cpp:658 controlpanel.cpp:793 controlpanel.cpp:878 +#: controlpanel.cpp:305 controlpanel.cpp:508 controlpanel.cpp:583 +#: controlpanel.cpp:659 controlpanel.cpp:794 controlpanel.cpp:879 msgid "Error: Unknown variable" msgstr "Erreur : variable inconnue" -#: controlpanel.cpp:313 +#: controlpanel.cpp:314 msgid "Usage: Set " msgstr "Utilisation : Set " -#: controlpanel.cpp:335 controlpanel.cpp:623 +#: controlpanel.cpp:336 controlpanel.cpp:624 msgid "This bind host is already set!" msgstr "Cet hôte lié est déjà configuré !" -#: controlpanel.cpp:342 controlpanel.cpp:354 controlpanel.cpp:362 -#: controlpanel.cpp:425 controlpanel.cpp:444 controlpanel.cpp:460 -#: controlpanel.cpp:470 controlpanel.cpp:630 +#: controlpanel.cpp:343 controlpanel.cpp:355 controlpanel.cpp:363 +#: controlpanel.cpp:426 controlpanel.cpp:445 controlpanel.cpp:461 +#: controlpanel.cpp:471 controlpanel.cpp:631 msgid "Access denied!" msgstr "Accès refusé !" -#: controlpanel.cpp:376 controlpanel.cpp:385 controlpanel.cpp:842 +#: controlpanel.cpp:377 controlpanel.cpp:386 controlpanel.cpp:843 msgid "Setting failed, limit for buffer size is {1}" msgstr "Configuration impossible, la limite de la taille du cache est de {1}" -#: controlpanel.cpp:405 +#: controlpanel.cpp:406 msgid "Password has been changed!" msgstr "Le mot de passe a été modifié !" -#: controlpanel.cpp:413 +#: controlpanel.cpp:414 msgid "Timeout can't be less than 30 seconds!" msgstr "L'expiration ne peut pas être inférieure à 30 secondes !" -#: controlpanel.cpp:477 +#: controlpanel.cpp:478 msgid "That would be a bad idea!" msgstr "Ce serait une mauvaise idée !" -#: controlpanel.cpp:495 +#: controlpanel.cpp:496 msgid "Supported languages: {1}" msgstr "Langues supportées : {1}" -#: controlpanel.cpp:519 +#: controlpanel.cpp:520 msgid "Usage: GetNetwork [username] [network]" msgstr "Utilisation : GetNetwork [username] [network]" -#: controlpanel.cpp:538 +#: controlpanel.cpp:539 msgid "Error: A network must be specified to get another users settings." msgstr "" "Erreur : un réseau doit être spécifié pour accéder aux paramètres d'un autre " "utilisateur." -#: controlpanel.cpp:544 +#: controlpanel.cpp:545 msgid "You are not currently attached to a network." msgstr "Vous n'êtes pas actuellement rattaché à un réseau." -#: controlpanel.cpp:550 +#: controlpanel.cpp:551 msgid "Error: Invalid network." msgstr "Erreur : réseau non valide." -#: controlpanel.cpp:594 +#: controlpanel.cpp:595 msgid "Usage: SetNetwork " msgstr "" "Utilisation : SetNetwork " -#: controlpanel.cpp:668 +#: controlpanel.cpp:669 msgid "Usage: AddChan " msgstr "Utilisation : AddChan " -#: controlpanel.cpp:681 +#: controlpanel.cpp:682 msgid "Error: User {1} already has a channel named {2}." msgstr "Erreur : l'utilisateur {1} a déjà un salon nommé {2}." -#: controlpanel.cpp:688 +#: controlpanel.cpp:689 msgid "Channel {1} for user {2} added to network {3}." msgstr "Salon {1} pour l'utilisateur {2} ajouté au réseau {3}." -#: controlpanel.cpp:692 +#: controlpanel.cpp:693 msgid "" "Could not add channel {1} for user {2} to network {3}, does it already exist?" msgstr "" "Impossible d'ajouter le salon {1} pour l'utilisateur {2} au réseau {3}, " "existe-t-il déjà ?" -#: controlpanel.cpp:702 +#: controlpanel.cpp:703 msgid "Usage: DelChan " msgstr "Utilisation : DelChan " -#: controlpanel.cpp:717 +#: controlpanel.cpp:718 msgid "Error: User {1} does not have any channel matching [{2}] in network {3}" msgstr "" "Erreur : l'utilisateur {1} n'a aucun salon correspondant à [{2}] dans le " "réseau {3}" -#: controlpanel.cpp:730 +#: controlpanel.cpp:731 msgid "Channel {1} is deleted from network {2} of user {3}" msgid_plural "Channels {1} are deleted from network {2} of user {3}" msgstr[0] "Le salon {1} est supprimé du réseau {2} de l'utilisateur {3}" msgstr[1] "Les salons {1} sont supprimés du réseau {2} de l'utilisateur {3}" -#: controlpanel.cpp:745 +#: controlpanel.cpp:746 msgid "Usage: GetChan " msgstr "Utilisation : GetChan " -#: controlpanel.cpp:759 controlpanel.cpp:823 +#: controlpanel.cpp:760 controlpanel.cpp:824 msgid "Error: No channels matching [{1}] found." msgstr "Erreur : aucun salon correspondant à [{1}] trouvé." -#: controlpanel.cpp:808 +#: controlpanel.cpp:809 msgid "Usage: SetChan " msgstr "" "Utilisation : SetChan " "" -#: controlpanel.cpp:889 controlpanel.cpp:899 +#: controlpanel.cpp:890 controlpanel.cpp:900 msgctxt "listusers" msgid "Username" msgstr "Nom d'utilisateur" -#: controlpanel.cpp:890 controlpanel.cpp:900 +#: controlpanel.cpp:891 controlpanel.cpp:901 msgctxt "listusers" msgid "Realname" msgstr "Nom réel" -#: controlpanel.cpp:891 controlpanel.cpp:903 controlpanel.cpp:905 +#: controlpanel.cpp:892 controlpanel.cpp:904 controlpanel.cpp:906 msgctxt "listusers" msgid "IsAdmin" msgstr "Est administrateur" -#: controlpanel.cpp:892 controlpanel.cpp:906 +#: controlpanel.cpp:893 controlpanel.cpp:907 msgctxt "listusers" msgid "Nick" msgstr "Pseudo" -#: controlpanel.cpp:893 controlpanel.cpp:907 +#: controlpanel.cpp:894 controlpanel.cpp:908 msgctxt "listusers" msgid "AltNick" msgstr "Pseudo alternatif" -#: controlpanel.cpp:894 controlpanel.cpp:908 +#: controlpanel.cpp:895 controlpanel.cpp:909 msgctxt "listusers" msgid "Ident" msgstr "Identité" -#: controlpanel.cpp:895 controlpanel.cpp:909 +#: controlpanel.cpp:896 controlpanel.cpp:910 msgctxt "listusers" msgid "BindHost" msgstr "Hôte lié" -#: controlpanel.cpp:903 controlpanel.cpp:1143 +#: controlpanel.cpp:904 controlpanel.cpp:1144 msgid "No" msgstr "Non" -#: controlpanel.cpp:905 controlpanel.cpp:1135 +#: controlpanel.cpp:906 controlpanel.cpp:1136 msgid "Yes" msgstr "Oui" -#: controlpanel.cpp:919 controlpanel.cpp:988 +#: controlpanel.cpp:920 controlpanel.cpp:989 msgid "Error: You need to have admin rights to add new users!" msgstr "" "Erreur : vous devez avoir les droits d'administration pour ajouter de " "nouveaux utilisateurs !" -#: controlpanel.cpp:925 +#: controlpanel.cpp:926 msgid "Usage: AddUser " msgstr "Utilisation : AddUser " -#: controlpanel.cpp:930 +#: controlpanel.cpp:931 msgid "Error: User {1} already exists!" msgstr "" -#: controlpanel.cpp:942 controlpanel.cpp:1017 +#: controlpanel.cpp:943 controlpanel.cpp:1018 msgid "Error: User not added: {1}" msgstr "" -#: controlpanel.cpp:946 controlpanel.cpp:1021 +#: controlpanel.cpp:947 controlpanel.cpp:1022 msgid "User {1} added!" msgstr "" -#: controlpanel.cpp:953 +#: controlpanel.cpp:954 msgid "Error: You need to have admin rights to delete users!" msgstr "" -#: controlpanel.cpp:959 +#: controlpanel.cpp:960 msgid "Usage: DelUser " msgstr "" -#: controlpanel.cpp:971 +#: controlpanel.cpp:972 msgid "Error: You can't delete yourself!" msgstr "" -#: controlpanel.cpp:977 +#: controlpanel.cpp:978 msgid "Error: Internal error!" msgstr "" -#: controlpanel.cpp:981 +#: controlpanel.cpp:982 msgid "User {1} deleted!" msgstr "" -#: controlpanel.cpp:996 +#: controlpanel.cpp:997 msgid "Usage: CloneUser " msgstr "" -#: controlpanel.cpp:1011 +#: controlpanel.cpp:1012 msgid "Error: Cloning failed: {1}" msgstr "" -#: controlpanel.cpp:1040 +#: controlpanel.cpp:1041 msgid "Usage: AddNetwork [user] network" msgstr "" -#: controlpanel.cpp:1046 +#: controlpanel.cpp:1047 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks using /znc DelNetwork " msgstr "" -#: controlpanel.cpp:1054 +#: controlpanel.cpp:1055 msgid "Error: User {1} already has a network with the name {2}" msgstr "" -#: controlpanel.cpp:1061 +#: controlpanel.cpp:1062 msgid "Network {1} added to user {2}." msgstr "" -#: controlpanel.cpp:1065 +#: controlpanel.cpp:1066 msgid "Error: Network [{1}] could not be added for user {2}: {3}" msgstr "" -#: controlpanel.cpp:1085 +#: controlpanel.cpp:1086 msgid "Usage: DelNetwork [user] network" msgstr "" -#: controlpanel.cpp:1096 +#: controlpanel.cpp:1097 msgid "The currently active network can be deleted via {1}status" msgstr "" -#: controlpanel.cpp:1102 +#: controlpanel.cpp:1103 msgid "Network {1} deleted for user {2}." msgstr "" -#: controlpanel.cpp:1106 +#: controlpanel.cpp:1107 msgid "Error: Network {1} could not be deleted for user {2}." msgstr "" -#: controlpanel.cpp:1125 controlpanel.cpp:1133 +#: controlpanel.cpp:1126 controlpanel.cpp:1134 msgctxt "listnetworks" msgid "Network" msgstr "" -#: controlpanel.cpp:1126 controlpanel.cpp:1135 controlpanel.cpp:1143 +#: controlpanel.cpp:1127 controlpanel.cpp:1136 controlpanel.cpp:1144 msgctxt "listnetworks" msgid "OnIRC" msgstr "" -#: controlpanel.cpp:1127 controlpanel.cpp:1136 +#: controlpanel.cpp:1128 controlpanel.cpp:1137 msgctxt "listnetworks" msgid "IRC Server" msgstr "" -#: controlpanel.cpp:1128 controlpanel.cpp:1138 +#: controlpanel.cpp:1129 controlpanel.cpp:1139 msgctxt "listnetworks" msgid "IRC User" msgstr "" -#: controlpanel.cpp:1129 controlpanel.cpp:1140 +#: controlpanel.cpp:1130 controlpanel.cpp:1141 msgctxt "listnetworks" msgid "Channels" msgstr "" -#: controlpanel.cpp:1148 +#: controlpanel.cpp:1149 msgid "No networks" msgstr "" -#: controlpanel.cpp:1159 +#: controlpanel.cpp:1160 msgid "Usage: AddServer [[+]port] [password]" msgstr "" -#: controlpanel.cpp:1173 +#: controlpanel.cpp:1174 msgid "Added IRC Server {1} to network {2} for user {3}." msgstr "" -#: controlpanel.cpp:1177 +#: controlpanel.cpp:1178 msgid "Error: Could not add IRC server {1} to network {2} for user {3}." msgstr "" -#: controlpanel.cpp:1190 +#: controlpanel.cpp:1191 msgid "Usage: DelServer [[+]port] [password]" msgstr "" -#: controlpanel.cpp:1205 +#: controlpanel.cpp:1206 msgid "Deleted IRC Server {1} from network {2} for user {3}." msgstr "" -#: controlpanel.cpp:1209 +#: controlpanel.cpp:1210 msgid "Error: Could not delete IRC server {1} from network {2} for user {3}." msgstr "" -#: controlpanel.cpp:1219 +#: controlpanel.cpp:1220 msgid "Usage: Reconnect " msgstr "" -#: controlpanel.cpp:1246 +#: controlpanel.cpp:1247 msgid "Queued network {1} of user {2} for a reconnect." msgstr "" -#: controlpanel.cpp:1255 +#: controlpanel.cpp:1256 msgid "Usage: Disconnect " msgstr "" -#: controlpanel.cpp:1270 +#: controlpanel.cpp:1271 msgid "Closed IRC connection for network {1} of user {2}." msgstr "" -#: controlpanel.cpp:1285 controlpanel.cpp:1290 -msgctxt "listctcp" -msgid "Request" -msgstr "" - #: controlpanel.cpp:1286 controlpanel.cpp:1291 msgctxt "listctcp" +msgid "Request" +msgstr "" + +#: controlpanel.cpp:1287 controlpanel.cpp:1292 +msgctxt "listctcp" msgid "Reply" msgstr "" -#: controlpanel.cpp:1295 +#: controlpanel.cpp:1296 msgid "No CTCP replies for user {1} are configured" msgstr "" -#: controlpanel.cpp:1298 +#: controlpanel.cpp:1299 msgid "CTCP replies for user {1}:" msgstr "" -#: controlpanel.cpp:1314 +#: controlpanel.cpp:1315 msgid "Usage: AddCTCP [user] [request] [reply]" msgstr "" -#: controlpanel.cpp:1316 +#: controlpanel.cpp:1317 msgid "" "This will cause ZNC to reply to the CTCP instead of forwarding it to clients." msgstr "" -#: controlpanel.cpp:1319 +#: controlpanel.cpp:1320 msgid "An empty reply will cause the CTCP request to be blocked." msgstr "" -#: controlpanel.cpp:1328 +#: controlpanel.cpp:1329 msgid "CTCP requests {1} to user {2} will now be blocked." msgstr "" -#: controlpanel.cpp:1332 +#: controlpanel.cpp:1333 msgid "CTCP requests {1} to user {2} will now get reply: {3}" msgstr "" -#: controlpanel.cpp:1349 +#: controlpanel.cpp:1350 msgid "Usage: DelCTCP [user] [request]" msgstr "" -#: controlpanel.cpp:1355 +#: controlpanel.cpp:1356 msgid "CTCP requests {1} to user {2} will now be sent to IRC clients" msgstr "" -#: controlpanel.cpp:1359 +#: controlpanel.cpp:1360 msgid "" "CTCP requests {1} to user {2} will be sent to IRC clients (nothing has " "changed)" msgstr "" -#: controlpanel.cpp:1369 controlpanel.cpp:1443 +#: controlpanel.cpp:1370 controlpanel.cpp:1444 msgid "Loading modules has been disabled." msgstr "" -#: controlpanel.cpp:1378 +#: controlpanel.cpp:1379 msgid "Error: Unable to load module {1}: {2}" msgstr "" -#: controlpanel.cpp:1381 +#: controlpanel.cpp:1382 msgid "Loaded module {1}" msgstr "" -#: controlpanel.cpp:1386 +#: controlpanel.cpp:1387 msgid "Error: Unable to reload module {1}: {2}" msgstr "" -#: controlpanel.cpp:1389 +#: controlpanel.cpp:1390 msgid "Reloaded module {1}" msgstr "" -#: controlpanel.cpp:1393 +#: controlpanel.cpp:1394 msgid "Error: Unable to load module {1} because it is already loaded" msgstr "" -#: controlpanel.cpp:1404 +#: controlpanel.cpp:1405 msgid "Usage: LoadModule [args]" msgstr "" -#: controlpanel.cpp:1423 +#: controlpanel.cpp:1424 msgid "Usage: LoadNetModule [args]" msgstr "" -#: controlpanel.cpp:1448 +#: controlpanel.cpp:1449 msgid "Please use /znc unloadmod {1}" msgstr "" -#: controlpanel.cpp:1454 +#: controlpanel.cpp:1455 msgid "Error: Unable to unload module {1}: {2}" msgstr "" -#: controlpanel.cpp:1457 +#: controlpanel.cpp:1458 msgid "Unloaded module {1}" msgstr "" -#: controlpanel.cpp:1466 +#: controlpanel.cpp:1467 msgid "Usage: UnloadModule " msgstr "" -#: controlpanel.cpp:1483 +#: controlpanel.cpp:1484 msgid "Usage: UnloadNetModule " msgstr "" -#: controlpanel.cpp:1500 controlpanel.cpp:1506 -msgctxt "listmodules" -msgid "Name" -msgstr "" - #: controlpanel.cpp:1501 controlpanel.cpp:1507 msgctxt "listmodules" +msgid "Name" +msgstr "" + +#: controlpanel.cpp:1502 controlpanel.cpp:1508 +msgctxt "listmodules" msgid "Arguments" msgstr "" -#: controlpanel.cpp:1526 +#: controlpanel.cpp:1527 msgid "User {1} has no modules loaded." msgstr "" -#: controlpanel.cpp:1530 +#: controlpanel.cpp:1531 msgid "Modules loaded for user {1}:" msgstr "" -#: controlpanel.cpp:1550 +#: controlpanel.cpp:1551 msgid "Network {1} of user {2} has no modules loaded." msgstr "" -#: controlpanel.cpp:1555 +#: controlpanel.cpp:1556 msgid "Modules loaded for network {1} of user {2}:" msgstr "" -#: controlpanel.cpp:1562 +#: controlpanel.cpp:1563 msgid "[command] [variable]" msgstr "" -#: controlpanel.cpp:1563 +#: controlpanel.cpp:1564 msgid "Prints help for matching commands and variables" msgstr "" -#: controlpanel.cpp:1566 +#: controlpanel.cpp:1567 msgid " [username]" msgstr "" -#: controlpanel.cpp:1567 +#: controlpanel.cpp:1568 msgid "Prints the variable's value for the given or current user" msgstr "" -#: controlpanel.cpp:1569 +#: controlpanel.cpp:1570 msgid " " msgstr "" -#: controlpanel.cpp:1570 +#: controlpanel.cpp:1571 msgid "Sets the variable's value for the given user" msgstr "" -#: controlpanel.cpp:1572 +#: controlpanel.cpp:1573 msgid " [username] [network]" msgstr "" -#: controlpanel.cpp:1573 +#: controlpanel.cpp:1574 msgid "Prints the variable's value for the given network" msgstr "" -#: controlpanel.cpp:1575 +#: controlpanel.cpp:1576 msgid " " msgstr "" -#: controlpanel.cpp:1576 +#: controlpanel.cpp:1577 msgid "Sets the variable's value for the given network" msgstr "" -#: controlpanel.cpp:1578 +#: controlpanel.cpp:1579 msgid " [username] " msgstr "" -#: controlpanel.cpp:1579 +#: controlpanel.cpp:1580 msgid "Prints the variable's value for the given channel" msgstr "" -#: controlpanel.cpp:1582 +#: controlpanel.cpp:1583 msgid " " msgstr "" -#: controlpanel.cpp:1583 +#: controlpanel.cpp:1584 msgid "Sets the variable's value for the given channel" msgstr "" -#: controlpanel.cpp:1585 controlpanel.cpp:1588 +#: controlpanel.cpp:1586 controlpanel.cpp:1589 msgid " " msgstr "" -#: controlpanel.cpp:1586 +#: controlpanel.cpp:1587 msgid "Adds a new channel" msgstr "" -#: controlpanel.cpp:1589 +#: controlpanel.cpp:1590 msgid "Deletes a channel" msgstr "" -#: controlpanel.cpp:1591 +#: controlpanel.cpp:1592 msgid "Lists users" msgstr "" -#: controlpanel.cpp:1593 +#: controlpanel.cpp:1594 msgid " " msgstr "" -#: controlpanel.cpp:1594 +#: controlpanel.cpp:1595 msgid "Adds a new user" msgstr "" -#: controlpanel.cpp:1596 controlpanel.cpp:1619 controlpanel.cpp:1633 +#: controlpanel.cpp:1597 controlpanel.cpp:1620 controlpanel.cpp:1634 msgid "" msgstr "" -#: controlpanel.cpp:1596 +#: controlpanel.cpp:1597 msgid "Deletes a user" msgstr "" -#: controlpanel.cpp:1598 +#: controlpanel.cpp:1599 msgid " " msgstr "" -#: controlpanel.cpp:1599 +#: controlpanel.cpp:1600 msgid "Clones a user" msgstr "" -#: controlpanel.cpp:1601 controlpanel.cpp:1604 +#: controlpanel.cpp:1602 controlpanel.cpp:1605 msgid " " msgstr "" -#: controlpanel.cpp:1602 +#: controlpanel.cpp:1603 msgid "Adds a new IRC server for the given or current user" msgstr "" -#: controlpanel.cpp:1605 +#: controlpanel.cpp:1606 msgid "Deletes an IRC server from the given or current user" msgstr "" -#: controlpanel.cpp:1607 controlpanel.cpp:1610 controlpanel.cpp:1630 +#: controlpanel.cpp:1608 controlpanel.cpp:1611 controlpanel.cpp:1631 msgid " " msgstr "" -#: controlpanel.cpp:1608 +#: controlpanel.cpp:1609 msgid "Cycles the user's IRC server connection" msgstr "" -#: controlpanel.cpp:1611 +#: controlpanel.cpp:1612 msgid "Disconnects the user from their IRC server" msgstr "" -#: controlpanel.cpp:1613 +#: controlpanel.cpp:1614 msgid " [args]" msgstr "" -#: controlpanel.cpp:1614 +#: controlpanel.cpp:1615 msgid "Loads a Module for a user" msgstr "" -#: controlpanel.cpp:1616 +#: controlpanel.cpp:1617 msgid " " msgstr "" -#: controlpanel.cpp:1617 +#: controlpanel.cpp:1618 msgid "Removes a Module of a user" msgstr "" -#: controlpanel.cpp:1620 +#: controlpanel.cpp:1621 msgid "Get the list of modules for a user" msgstr "" -#: controlpanel.cpp:1623 +#: controlpanel.cpp:1624 msgid " [args]" msgstr "" -#: controlpanel.cpp:1624 +#: controlpanel.cpp:1625 msgid "Loads a Module for a network" msgstr "" -#: controlpanel.cpp:1627 +#: controlpanel.cpp:1628 msgid " " msgstr "" -#: controlpanel.cpp:1628 +#: controlpanel.cpp:1629 msgid "Removes a Module of a network" msgstr "" -#: controlpanel.cpp:1631 +#: controlpanel.cpp:1632 msgid "Get the list of modules for a network" msgstr "" -#: controlpanel.cpp:1634 +#: controlpanel.cpp:1635 msgid "List the configured CTCP replies" msgstr "" -#: controlpanel.cpp:1636 +#: controlpanel.cpp:1637 msgid " [reply]" msgstr "" -#: controlpanel.cpp:1637 +#: controlpanel.cpp:1638 msgid "Configure a new CTCP reply" msgstr "" -#: controlpanel.cpp:1639 +#: controlpanel.cpp:1640 msgid " " msgstr "" -#: controlpanel.cpp:1640 +#: controlpanel.cpp:1641 msgid "Remove a CTCP reply" msgstr "" -#: controlpanel.cpp:1644 controlpanel.cpp:1647 +#: controlpanel.cpp:1645 controlpanel.cpp:1648 msgid "[username] " msgstr "" -#: controlpanel.cpp:1645 +#: controlpanel.cpp:1646 msgid "Add a network for a user" msgstr "" -#: controlpanel.cpp:1648 +#: controlpanel.cpp:1649 msgid "Delete a network for a user" msgstr "" -#: controlpanel.cpp:1650 +#: controlpanel.cpp:1651 msgid "[username]" msgstr "" -#: controlpanel.cpp:1651 +#: controlpanel.cpp:1652 msgid "List all networks for a user" msgstr "" -#: controlpanel.cpp:1664 +#: controlpanel.cpp:1665 msgid "" "Dynamic configuration through IRC. Allows editing only yourself if you're " "not ZNC admin." diff --git a/modules/po/controlpanel.id_ID.po b/modules/po/controlpanel.id_ID.po index e385260f..3d0b9b8c 100644 --- a/modules/po/controlpanel.id_ID.po +++ b/modules/po/controlpanel.id_ID.po @@ -36,679 +36,679 @@ msgstr "" msgid "Number" msgstr "" -#: controlpanel.cpp:125 +#: controlpanel.cpp:126 msgid "The following variables are available when using the Set/Get commands:" msgstr "" -#: controlpanel.cpp:149 +#: controlpanel.cpp:150 msgid "" "The following variables are available when using the SetNetwork/GetNetwork " "commands:" msgstr "" -#: controlpanel.cpp:163 +#: controlpanel.cpp:164 msgid "" "The following variables are available when using the SetChan/GetChan " "commands:" msgstr "" -#: controlpanel.cpp:170 +#: controlpanel.cpp:171 msgid "" "You can use $user as the user name and $network as the network name for " "modifying your own user and network." msgstr "" -#: controlpanel.cpp:179 controlpanel.cpp:966 controlpanel.cpp:1003 +#: controlpanel.cpp:180 controlpanel.cpp:967 controlpanel.cpp:1004 msgid "Error: User [{1}] does not exist!" msgstr "" -#: controlpanel.cpp:184 +#: controlpanel.cpp:185 msgid "Error: You need to have admin rights to modify other users!" msgstr "" -#: controlpanel.cpp:194 +#: controlpanel.cpp:195 msgid "Error: You cannot use $network to modify other users!" msgstr "" -#: controlpanel.cpp:202 +#: controlpanel.cpp:203 msgid "Error: User {1} does not have a network named [{2}]." msgstr "" -#: controlpanel.cpp:214 +#: controlpanel.cpp:215 msgid "Usage: Get [username]" msgstr "" -#: controlpanel.cpp:304 controlpanel.cpp:507 controlpanel.cpp:582 -#: controlpanel.cpp:658 controlpanel.cpp:793 controlpanel.cpp:878 +#: controlpanel.cpp:305 controlpanel.cpp:508 controlpanel.cpp:583 +#: controlpanel.cpp:659 controlpanel.cpp:794 controlpanel.cpp:879 msgid "Error: Unknown variable" msgstr "" -#: controlpanel.cpp:313 +#: controlpanel.cpp:314 msgid "Usage: Set " msgstr "" -#: controlpanel.cpp:335 controlpanel.cpp:623 +#: controlpanel.cpp:336 controlpanel.cpp:624 msgid "This bind host is already set!" msgstr "" -#: controlpanel.cpp:342 controlpanel.cpp:354 controlpanel.cpp:362 -#: controlpanel.cpp:425 controlpanel.cpp:444 controlpanel.cpp:460 -#: controlpanel.cpp:470 controlpanel.cpp:630 +#: controlpanel.cpp:343 controlpanel.cpp:355 controlpanel.cpp:363 +#: controlpanel.cpp:426 controlpanel.cpp:445 controlpanel.cpp:461 +#: controlpanel.cpp:471 controlpanel.cpp:631 msgid "Access denied!" msgstr "" -#: controlpanel.cpp:376 controlpanel.cpp:385 controlpanel.cpp:842 +#: controlpanel.cpp:377 controlpanel.cpp:386 controlpanel.cpp:843 msgid "Setting failed, limit for buffer size is {1}" msgstr "" -#: controlpanel.cpp:405 +#: controlpanel.cpp:406 msgid "Password has been changed!" msgstr "" -#: controlpanel.cpp:413 +#: controlpanel.cpp:414 msgid "Timeout can't be less than 30 seconds!" msgstr "" -#: controlpanel.cpp:477 +#: controlpanel.cpp:478 msgid "That would be a bad idea!" msgstr "" -#: controlpanel.cpp:495 +#: controlpanel.cpp:496 msgid "Supported languages: {1}" msgstr "" -#: controlpanel.cpp:519 +#: controlpanel.cpp:520 msgid "Usage: GetNetwork [username] [network]" msgstr "" -#: controlpanel.cpp:538 +#: controlpanel.cpp:539 msgid "Error: A network must be specified to get another users settings." msgstr "" -#: controlpanel.cpp:544 +#: controlpanel.cpp:545 msgid "You are not currently attached to a network." msgstr "" -#: controlpanel.cpp:550 +#: controlpanel.cpp:551 msgid "Error: Invalid network." msgstr "" -#: controlpanel.cpp:594 +#: controlpanel.cpp:595 msgid "Usage: SetNetwork " msgstr "" -#: controlpanel.cpp:668 +#: controlpanel.cpp:669 msgid "Usage: AddChan " msgstr "" -#: controlpanel.cpp:681 +#: controlpanel.cpp:682 msgid "Error: User {1} already has a channel named {2}." msgstr "" -#: controlpanel.cpp:688 +#: controlpanel.cpp:689 msgid "Channel {1} for user {2} added to network {3}." msgstr "" -#: controlpanel.cpp:692 +#: controlpanel.cpp:693 msgid "" "Could not add channel {1} for user {2} to network {3}, does it already exist?" msgstr "" -#: controlpanel.cpp:702 +#: controlpanel.cpp:703 msgid "Usage: DelChan " msgstr "" -#: controlpanel.cpp:717 +#: controlpanel.cpp:718 msgid "Error: User {1} does not have any channel matching [{2}] in network {3}" msgstr "" -#: controlpanel.cpp:730 +#: controlpanel.cpp:731 msgid "Channel {1} is deleted from network {2} of user {3}" msgid_plural "Channels {1} are deleted from network {2} of user {3}" msgstr[0] "" -#: controlpanel.cpp:745 +#: controlpanel.cpp:746 msgid "Usage: GetChan " msgstr "" -#: controlpanel.cpp:759 controlpanel.cpp:823 +#: controlpanel.cpp:760 controlpanel.cpp:824 msgid "Error: No channels matching [{1}] found." msgstr "" -#: controlpanel.cpp:808 +#: controlpanel.cpp:809 msgid "Usage: SetChan " msgstr "" -#: controlpanel.cpp:889 controlpanel.cpp:899 -msgctxt "listusers" -msgid "Username" -msgstr "" - #: controlpanel.cpp:890 controlpanel.cpp:900 msgctxt "listusers" +msgid "Username" +msgstr "" + +#: controlpanel.cpp:891 controlpanel.cpp:901 +msgctxt "listusers" msgid "Realname" msgstr "" -#: controlpanel.cpp:891 controlpanel.cpp:903 controlpanel.cpp:905 +#: controlpanel.cpp:892 controlpanel.cpp:904 controlpanel.cpp:906 msgctxt "listusers" msgid "IsAdmin" msgstr "" -#: controlpanel.cpp:892 controlpanel.cpp:906 +#: controlpanel.cpp:893 controlpanel.cpp:907 msgctxt "listusers" msgid "Nick" msgstr "" -#: controlpanel.cpp:893 controlpanel.cpp:907 +#: controlpanel.cpp:894 controlpanel.cpp:908 msgctxt "listusers" msgid "AltNick" msgstr "" -#: controlpanel.cpp:894 controlpanel.cpp:908 +#: controlpanel.cpp:895 controlpanel.cpp:909 msgctxt "listusers" msgid "Ident" msgstr "" -#: controlpanel.cpp:895 controlpanel.cpp:909 +#: controlpanel.cpp:896 controlpanel.cpp:910 msgctxt "listusers" msgid "BindHost" msgstr "" -#: controlpanel.cpp:903 controlpanel.cpp:1143 +#: controlpanel.cpp:904 controlpanel.cpp:1144 msgid "No" msgstr "" -#: controlpanel.cpp:905 controlpanel.cpp:1135 +#: controlpanel.cpp:906 controlpanel.cpp:1136 msgid "Yes" msgstr "" -#: controlpanel.cpp:919 controlpanel.cpp:988 +#: controlpanel.cpp:920 controlpanel.cpp:989 msgid "Error: You need to have admin rights to add new users!" msgstr "" -#: controlpanel.cpp:925 +#: controlpanel.cpp:926 msgid "Usage: AddUser " msgstr "" -#: controlpanel.cpp:930 +#: controlpanel.cpp:931 msgid "Error: User {1} already exists!" msgstr "" -#: controlpanel.cpp:942 controlpanel.cpp:1017 +#: controlpanel.cpp:943 controlpanel.cpp:1018 msgid "Error: User not added: {1}" msgstr "" -#: controlpanel.cpp:946 controlpanel.cpp:1021 +#: controlpanel.cpp:947 controlpanel.cpp:1022 msgid "User {1} added!" msgstr "" -#: controlpanel.cpp:953 +#: controlpanel.cpp:954 msgid "Error: You need to have admin rights to delete users!" msgstr "" -#: controlpanel.cpp:959 +#: controlpanel.cpp:960 msgid "Usage: DelUser " msgstr "" -#: controlpanel.cpp:971 +#: controlpanel.cpp:972 msgid "Error: You can't delete yourself!" msgstr "" -#: controlpanel.cpp:977 +#: controlpanel.cpp:978 msgid "Error: Internal error!" msgstr "" -#: controlpanel.cpp:981 +#: controlpanel.cpp:982 msgid "User {1} deleted!" msgstr "" -#: controlpanel.cpp:996 +#: controlpanel.cpp:997 msgid "Usage: CloneUser " msgstr "" -#: controlpanel.cpp:1011 +#: controlpanel.cpp:1012 msgid "Error: Cloning failed: {1}" msgstr "" -#: controlpanel.cpp:1040 +#: controlpanel.cpp:1041 msgid "Usage: AddNetwork [user] network" msgstr "" -#: controlpanel.cpp:1046 +#: controlpanel.cpp:1047 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks using /znc DelNetwork " msgstr "" -#: controlpanel.cpp:1054 +#: controlpanel.cpp:1055 msgid "Error: User {1} already has a network with the name {2}" msgstr "" -#: controlpanel.cpp:1061 +#: controlpanel.cpp:1062 msgid "Network {1} added to user {2}." msgstr "" -#: controlpanel.cpp:1065 +#: controlpanel.cpp:1066 msgid "Error: Network [{1}] could not be added for user {2}: {3}" msgstr "" -#: controlpanel.cpp:1085 +#: controlpanel.cpp:1086 msgid "Usage: DelNetwork [user] network" msgstr "" -#: controlpanel.cpp:1096 +#: controlpanel.cpp:1097 msgid "The currently active network can be deleted via {1}status" msgstr "" -#: controlpanel.cpp:1102 +#: controlpanel.cpp:1103 msgid "Network {1} deleted for user {2}." msgstr "" -#: controlpanel.cpp:1106 +#: controlpanel.cpp:1107 msgid "Error: Network {1} could not be deleted for user {2}." msgstr "" -#: controlpanel.cpp:1125 controlpanel.cpp:1133 +#: controlpanel.cpp:1126 controlpanel.cpp:1134 msgctxt "listnetworks" msgid "Network" msgstr "" -#: controlpanel.cpp:1126 controlpanel.cpp:1135 controlpanel.cpp:1143 +#: controlpanel.cpp:1127 controlpanel.cpp:1136 controlpanel.cpp:1144 msgctxt "listnetworks" msgid "OnIRC" msgstr "" -#: controlpanel.cpp:1127 controlpanel.cpp:1136 +#: controlpanel.cpp:1128 controlpanel.cpp:1137 msgctxt "listnetworks" msgid "IRC Server" msgstr "" -#: controlpanel.cpp:1128 controlpanel.cpp:1138 +#: controlpanel.cpp:1129 controlpanel.cpp:1139 msgctxt "listnetworks" msgid "IRC User" msgstr "" -#: controlpanel.cpp:1129 controlpanel.cpp:1140 +#: controlpanel.cpp:1130 controlpanel.cpp:1141 msgctxt "listnetworks" msgid "Channels" msgstr "" -#: controlpanel.cpp:1148 +#: controlpanel.cpp:1149 msgid "No networks" msgstr "" -#: controlpanel.cpp:1159 +#: controlpanel.cpp:1160 msgid "Usage: AddServer [[+]port] [password]" msgstr "" -#: controlpanel.cpp:1173 +#: controlpanel.cpp:1174 msgid "Added IRC Server {1} to network {2} for user {3}." msgstr "" -#: controlpanel.cpp:1177 +#: controlpanel.cpp:1178 msgid "Error: Could not add IRC server {1} to network {2} for user {3}." msgstr "" -#: controlpanel.cpp:1190 +#: controlpanel.cpp:1191 msgid "Usage: DelServer [[+]port] [password]" msgstr "" -#: controlpanel.cpp:1205 +#: controlpanel.cpp:1206 msgid "Deleted IRC Server {1} from network {2} for user {3}." msgstr "" -#: controlpanel.cpp:1209 +#: controlpanel.cpp:1210 msgid "Error: Could not delete IRC server {1} from network {2} for user {3}." msgstr "" -#: controlpanel.cpp:1219 +#: controlpanel.cpp:1220 msgid "Usage: Reconnect " msgstr "" -#: controlpanel.cpp:1246 +#: controlpanel.cpp:1247 msgid "Queued network {1} of user {2} for a reconnect." msgstr "" -#: controlpanel.cpp:1255 +#: controlpanel.cpp:1256 msgid "Usage: Disconnect " msgstr "" -#: controlpanel.cpp:1270 +#: controlpanel.cpp:1271 msgid "Closed IRC connection for network {1} of user {2}." msgstr "" -#: controlpanel.cpp:1285 controlpanel.cpp:1290 -msgctxt "listctcp" -msgid "Request" -msgstr "" - #: controlpanel.cpp:1286 controlpanel.cpp:1291 msgctxt "listctcp" +msgid "Request" +msgstr "" + +#: controlpanel.cpp:1287 controlpanel.cpp:1292 +msgctxt "listctcp" msgid "Reply" msgstr "" -#: controlpanel.cpp:1295 +#: controlpanel.cpp:1296 msgid "No CTCP replies for user {1} are configured" msgstr "" -#: controlpanel.cpp:1298 +#: controlpanel.cpp:1299 msgid "CTCP replies for user {1}:" msgstr "" -#: controlpanel.cpp:1314 +#: controlpanel.cpp:1315 msgid "Usage: AddCTCP [user] [request] [reply]" msgstr "" -#: controlpanel.cpp:1316 +#: controlpanel.cpp:1317 msgid "" "This will cause ZNC to reply to the CTCP instead of forwarding it to clients." msgstr "" -#: controlpanel.cpp:1319 +#: controlpanel.cpp:1320 msgid "An empty reply will cause the CTCP request to be blocked." msgstr "" -#: controlpanel.cpp:1328 +#: controlpanel.cpp:1329 msgid "CTCP requests {1} to user {2} will now be blocked." msgstr "" -#: controlpanel.cpp:1332 +#: controlpanel.cpp:1333 msgid "CTCP requests {1} to user {2} will now get reply: {3}" msgstr "" -#: controlpanel.cpp:1349 +#: controlpanel.cpp:1350 msgid "Usage: DelCTCP [user] [request]" msgstr "" -#: controlpanel.cpp:1355 +#: controlpanel.cpp:1356 msgid "CTCP requests {1} to user {2} will now be sent to IRC clients" msgstr "" -#: controlpanel.cpp:1359 +#: controlpanel.cpp:1360 msgid "" "CTCP requests {1} to user {2} will be sent to IRC clients (nothing has " "changed)" msgstr "" -#: controlpanel.cpp:1369 controlpanel.cpp:1443 +#: controlpanel.cpp:1370 controlpanel.cpp:1444 msgid "Loading modules has been disabled." msgstr "" -#: controlpanel.cpp:1378 +#: controlpanel.cpp:1379 msgid "Error: Unable to load module {1}: {2}" msgstr "" -#: controlpanel.cpp:1381 +#: controlpanel.cpp:1382 msgid "Loaded module {1}" msgstr "" -#: controlpanel.cpp:1386 +#: controlpanel.cpp:1387 msgid "Error: Unable to reload module {1}: {2}" msgstr "" -#: controlpanel.cpp:1389 +#: controlpanel.cpp:1390 msgid "Reloaded module {1}" msgstr "" -#: controlpanel.cpp:1393 +#: controlpanel.cpp:1394 msgid "Error: Unable to load module {1} because it is already loaded" msgstr "" -#: controlpanel.cpp:1404 +#: controlpanel.cpp:1405 msgid "Usage: LoadModule [args]" msgstr "" -#: controlpanel.cpp:1423 +#: controlpanel.cpp:1424 msgid "Usage: LoadNetModule [args]" msgstr "" -#: controlpanel.cpp:1448 +#: controlpanel.cpp:1449 msgid "Please use /znc unloadmod {1}" msgstr "" -#: controlpanel.cpp:1454 +#: controlpanel.cpp:1455 msgid "Error: Unable to unload module {1}: {2}" msgstr "" -#: controlpanel.cpp:1457 +#: controlpanel.cpp:1458 msgid "Unloaded module {1}" msgstr "" -#: controlpanel.cpp:1466 +#: controlpanel.cpp:1467 msgid "Usage: UnloadModule " msgstr "" -#: controlpanel.cpp:1483 +#: controlpanel.cpp:1484 msgid "Usage: UnloadNetModule " msgstr "" -#: controlpanel.cpp:1500 controlpanel.cpp:1506 -msgctxt "listmodules" -msgid "Name" -msgstr "" - #: controlpanel.cpp:1501 controlpanel.cpp:1507 msgctxt "listmodules" +msgid "Name" +msgstr "" + +#: controlpanel.cpp:1502 controlpanel.cpp:1508 +msgctxt "listmodules" msgid "Arguments" msgstr "" -#: controlpanel.cpp:1526 +#: controlpanel.cpp:1527 msgid "User {1} has no modules loaded." msgstr "" -#: controlpanel.cpp:1530 +#: controlpanel.cpp:1531 msgid "Modules loaded for user {1}:" msgstr "" -#: controlpanel.cpp:1550 +#: controlpanel.cpp:1551 msgid "Network {1} of user {2} has no modules loaded." msgstr "" -#: controlpanel.cpp:1555 +#: controlpanel.cpp:1556 msgid "Modules loaded for network {1} of user {2}:" msgstr "" -#: controlpanel.cpp:1562 +#: controlpanel.cpp:1563 msgid "[command] [variable]" msgstr "" -#: controlpanel.cpp:1563 +#: controlpanel.cpp:1564 msgid "Prints help for matching commands and variables" msgstr "" -#: controlpanel.cpp:1566 +#: controlpanel.cpp:1567 msgid " [username]" msgstr "" -#: controlpanel.cpp:1567 +#: controlpanel.cpp:1568 msgid "Prints the variable's value for the given or current user" msgstr "" -#: controlpanel.cpp:1569 +#: controlpanel.cpp:1570 msgid " " msgstr "" -#: controlpanel.cpp:1570 +#: controlpanel.cpp:1571 msgid "Sets the variable's value for the given user" msgstr "" -#: controlpanel.cpp:1572 +#: controlpanel.cpp:1573 msgid " [username] [network]" msgstr "" -#: controlpanel.cpp:1573 +#: controlpanel.cpp:1574 msgid "Prints the variable's value for the given network" msgstr "" -#: controlpanel.cpp:1575 +#: controlpanel.cpp:1576 msgid " " msgstr "" -#: controlpanel.cpp:1576 +#: controlpanel.cpp:1577 msgid "Sets the variable's value for the given network" msgstr "" -#: controlpanel.cpp:1578 +#: controlpanel.cpp:1579 msgid " [username] " msgstr "" -#: controlpanel.cpp:1579 +#: controlpanel.cpp:1580 msgid "Prints the variable's value for the given channel" msgstr "" -#: controlpanel.cpp:1582 +#: controlpanel.cpp:1583 msgid " " msgstr "" -#: controlpanel.cpp:1583 +#: controlpanel.cpp:1584 msgid "Sets the variable's value for the given channel" msgstr "" -#: controlpanel.cpp:1585 controlpanel.cpp:1588 +#: controlpanel.cpp:1586 controlpanel.cpp:1589 msgid " " msgstr "" -#: controlpanel.cpp:1586 +#: controlpanel.cpp:1587 msgid "Adds a new channel" msgstr "" -#: controlpanel.cpp:1589 +#: controlpanel.cpp:1590 msgid "Deletes a channel" msgstr "" -#: controlpanel.cpp:1591 +#: controlpanel.cpp:1592 msgid "Lists users" msgstr "" -#: controlpanel.cpp:1593 +#: controlpanel.cpp:1594 msgid " " msgstr "" -#: controlpanel.cpp:1594 +#: controlpanel.cpp:1595 msgid "Adds a new user" msgstr "" -#: controlpanel.cpp:1596 controlpanel.cpp:1619 controlpanel.cpp:1633 +#: controlpanel.cpp:1597 controlpanel.cpp:1620 controlpanel.cpp:1634 msgid "" msgstr "" -#: controlpanel.cpp:1596 +#: controlpanel.cpp:1597 msgid "Deletes a user" msgstr "" -#: controlpanel.cpp:1598 +#: controlpanel.cpp:1599 msgid " " msgstr "" -#: controlpanel.cpp:1599 +#: controlpanel.cpp:1600 msgid "Clones a user" msgstr "" -#: controlpanel.cpp:1601 controlpanel.cpp:1604 +#: controlpanel.cpp:1602 controlpanel.cpp:1605 msgid " " msgstr "" -#: controlpanel.cpp:1602 +#: controlpanel.cpp:1603 msgid "Adds a new IRC server for the given or current user" msgstr "" -#: controlpanel.cpp:1605 +#: controlpanel.cpp:1606 msgid "Deletes an IRC server from the given or current user" msgstr "" -#: controlpanel.cpp:1607 controlpanel.cpp:1610 controlpanel.cpp:1630 +#: controlpanel.cpp:1608 controlpanel.cpp:1611 controlpanel.cpp:1631 msgid " " msgstr "" -#: controlpanel.cpp:1608 +#: controlpanel.cpp:1609 msgid "Cycles the user's IRC server connection" msgstr "" -#: controlpanel.cpp:1611 +#: controlpanel.cpp:1612 msgid "Disconnects the user from their IRC server" msgstr "" -#: controlpanel.cpp:1613 +#: controlpanel.cpp:1614 msgid " [args]" msgstr "" -#: controlpanel.cpp:1614 +#: controlpanel.cpp:1615 msgid "Loads a Module for a user" msgstr "" -#: controlpanel.cpp:1616 +#: controlpanel.cpp:1617 msgid " " msgstr "" -#: controlpanel.cpp:1617 +#: controlpanel.cpp:1618 msgid "Removes a Module of a user" msgstr "" -#: controlpanel.cpp:1620 +#: controlpanel.cpp:1621 msgid "Get the list of modules for a user" msgstr "" -#: controlpanel.cpp:1623 +#: controlpanel.cpp:1624 msgid " [args]" msgstr "" -#: controlpanel.cpp:1624 +#: controlpanel.cpp:1625 msgid "Loads a Module for a network" msgstr "" -#: controlpanel.cpp:1627 +#: controlpanel.cpp:1628 msgid " " msgstr "" -#: controlpanel.cpp:1628 +#: controlpanel.cpp:1629 msgid "Removes a Module of a network" msgstr "" -#: controlpanel.cpp:1631 +#: controlpanel.cpp:1632 msgid "Get the list of modules for a network" msgstr "" -#: controlpanel.cpp:1634 +#: controlpanel.cpp:1635 msgid "List the configured CTCP replies" msgstr "" -#: controlpanel.cpp:1636 +#: controlpanel.cpp:1637 msgid " [reply]" msgstr "" -#: controlpanel.cpp:1637 +#: controlpanel.cpp:1638 msgid "Configure a new CTCP reply" msgstr "" -#: controlpanel.cpp:1639 +#: controlpanel.cpp:1640 msgid " " msgstr "" -#: controlpanel.cpp:1640 +#: controlpanel.cpp:1641 msgid "Remove a CTCP reply" msgstr "" -#: controlpanel.cpp:1644 controlpanel.cpp:1647 +#: controlpanel.cpp:1645 controlpanel.cpp:1648 msgid "[username] " msgstr "" -#: controlpanel.cpp:1645 +#: controlpanel.cpp:1646 msgid "Add a network for a user" msgstr "" -#: controlpanel.cpp:1648 +#: controlpanel.cpp:1649 msgid "Delete a network for a user" msgstr "" -#: controlpanel.cpp:1650 +#: controlpanel.cpp:1651 msgid "[username]" msgstr "" -#: controlpanel.cpp:1651 +#: controlpanel.cpp:1652 msgid "List all networks for a user" msgstr "" -#: controlpanel.cpp:1664 +#: controlpanel.cpp:1665 msgid "" "Dynamic configuration through IRC. Allows editing only yourself if you're " "not ZNC admin." diff --git a/modules/po/controlpanel.it_IT.po b/modules/po/controlpanel.it_IT.po index 00a03878..a9175f9e 100644 --- a/modules/po/controlpanel.it_IT.po +++ b/modules/po/controlpanel.it_IT.po @@ -36,12 +36,12 @@ msgstr "Numero intero" msgid "Number" msgstr "Numero" -#: controlpanel.cpp:125 +#: controlpanel.cpp:126 msgid "The following variables are available when using the Set/Get commands:" msgstr "" "Le seguenti variabili sono disponibili quando utilizzi i comandi Set/Get:" -#: controlpanel.cpp:149 +#: controlpanel.cpp:150 msgid "" "The following variables are available when using the SetNetwork/GetNetwork " "commands:" @@ -49,7 +49,7 @@ msgstr "" "Le seguenti variabili sono disponibili quando utilizzi i camandi SetNetwork/" "GetNetwork:" -#: controlpanel.cpp:163 +#: controlpanel.cpp:164 msgid "" "The following variables are available when using the SetChan/GetChan " "commands:" @@ -57,7 +57,7 @@ msgstr "" "Le seguenti variabili sono disponibili quando utilizzi i camandi SetChan/" "GetChan:" -#: controlpanel.cpp:170 +#: controlpanel.cpp:171 msgid "" "You can use $user as the user name and $network as the network name for " "modifying your own user and network." @@ -65,236 +65,236 @@ msgstr "" "Puoi usare $user come nome utente e $network come nome del network per " "modificare il tuo nome utente e network." -#: controlpanel.cpp:179 controlpanel.cpp:966 controlpanel.cpp:1003 +#: controlpanel.cpp:180 controlpanel.cpp:967 controlpanel.cpp:1004 msgid "Error: User [{1}] does not exist!" msgstr "Errore: L'utente [{1}] non esiste!" -#: controlpanel.cpp:184 +#: controlpanel.cpp:185 msgid "Error: You need to have admin rights to modify other users!" msgstr "" "Errore: Devi avere i diritti di amministratore per modificare altri utenti!" -#: controlpanel.cpp:194 +#: controlpanel.cpp:195 msgid "Error: You cannot use $network to modify other users!" msgstr "Errore: Non puoi usare $network per modificare altri utenti!" -#: controlpanel.cpp:202 +#: controlpanel.cpp:203 msgid "Error: User {1} does not have a network named [{2}]." msgstr "Errore: L'utente {1} non ha un nome network [{2}]." -#: controlpanel.cpp:214 +#: controlpanel.cpp:215 msgid "Usage: Get [username]" msgstr "Utilizzo: Get [nome utente]" -#: controlpanel.cpp:304 controlpanel.cpp:507 controlpanel.cpp:582 -#: controlpanel.cpp:658 controlpanel.cpp:793 controlpanel.cpp:878 +#: controlpanel.cpp:305 controlpanel.cpp:508 controlpanel.cpp:583 +#: controlpanel.cpp:659 controlpanel.cpp:794 controlpanel.cpp:879 msgid "Error: Unknown variable" msgstr "Errore: Variabile sconosciuta" -#: controlpanel.cpp:313 +#: controlpanel.cpp:314 msgid "Usage: Set " msgstr "Utilizzo: Set " -#: controlpanel.cpp:335 controlpanel.cpp:623 +#: controlpanel.cpp:336 controlpanel.cpp:624 msgid "This bind host is already set!" msgstr "Questo bind host è già impostato!" -#: controlpanel.cpp:342 controlpanel.cpp:354 controlpanel.cpp:362 -#: controlpanel.cpp:425 controlpanel.cpp:444 controlpanel.cpp:460 -#: controlpanel.cpp:470 controlpanel.cpp:630 +#: controlpanel.cpp:343 controlpanel.cpp:355 controlpanel.cpp:363 +#: controlpanel.cpp:426 controlpanel.cpp:445 controlpanel.cpp:461 +#: controlpanel.cpp:471 controlpanel.cpp:631 msgid "Access denied!" msgstr "Accesso negato!" -#: controlpanel.cpp:376 controlpanel.cpp:385 controlpanel.cpp:842 +#: controlpanel.cpp:377 controlpanel.cpp:386 controlpanel.cpp:843 msgid "Setting failed, limit for buffer size is {1}" msgstr "Impostazione fallita, il limite per la dimensione del buffer è {1}" -#: controlpanel.cpp:405 +#: controlpanel.cpp:406 msgid "Password has been changed!" msgstr "La password è stata cambiata" -#: controlpanel.cpp:413 +#: controlpanel.cpp:414 msgid "Timeout can't be less than 30 seconds!" msgstr "Il timeout non può essere inferiore a 30 secondi!" -#: controlpanel.cpp:477 +#: controlpanel.cpp:478 msgid "That would be a bad idea!" msgstr "Questa sarebbe una cattiva idea!" -#: controlpanel.cpp:495 +#: controlpanel.cpp:496 msgid "Supported languages: {1}" msgstr "Lingue supportate: {1}" -#: controlpanel.cpp:519 +#: controlpanel.cpp:520 msgid "Usage: GetNetwork [username] [network]" msgstr "Utilizzo: GetNetwork [nome utente] [network]" -#: controlpanel.cpp:538 +#: controlpanel.cpp:539 msgid "Error: A network must be specified to get another users settings." msgstr "" "Errore: Deve essere specificato un network per ottenere le impostazioni di " "un altro utente." -#: controlpanel.cpp:544 +#: controlpanel.cpp:545 msgid "You are not currently attached to a network." msgstr "Attualmente non sei agganciato ad un network." -#: controlpanel.cpp:550 +#: controlpanel.cpp:551 msgid "Error: Invalid network." msgstr "Errore: Network non valido." -#: controlpanel.cpp:594 +#: controlpanel.cpp:595 msgid "Usage: SetNetwork " msgstr "Usa: SetNetwork " -#: controlpanel.cpp:668 +#: controlpanel.cpp:669 msgid "Usage: AddChan " msgstr "Utilizzo: AddChan " -#: controlpanel.cpp:681 +#: controlpanel.cpp:682 msgid "Error: User {1} already has a channel named {2}." msgstr "Errore: L'utente {1} ha già un canale di nome {2}." -#: controlpanel.cpp:688 +#: controlpanel.cpp:689 msgid "Channel {1} for user {2} added to network {3}." msgstr "Il canale {1} per l'utente {2} è stato aggiunto al network {3}." -#: controlpanel.cpp:692 +#: controlpanel.cpp:693 msgid "" "Could not add channel {1} for user {2} to network {3}, does it already exist?" msgstr "" "Impossibile aggiungere il canale {1} per l'utente {2} sul network {3}, " "esiste già?" -#: controlpanel.cpp:702 +#: controlpanel.cpp:703 msgid "Usage: DelChan " msgstr "Utilizzo: DelChan " -#: controlpanel.cpp:717 +#: controlpanel.cpp:718 msgid "Error: User {1} does not have any channel matching [{2}] in network {3}" msgstr "" "Errore: L'utente {1} non ha nessun canale corrispondente a [{2}] nel network " "{3}" -#: controlpanel.cpp:730 +#: controlpanel.cpp:731 msgid "Channel {1} is deleted from network {2} of user {3}" msgid_plural "Channels {1} are deleted from network {2} of user {3}" msgstr[0] "Il canale {1} è eliminato dal network {2} dell'utente {3}" msgstr[1] "I canali {1} sono eliminati dal network {2} dell'utente {3}" -#: controlpanel.cpp:745 +#: controlpanel.cpp:746 msgid "Usage: GetChan " msgstr "Utilizzo: GetChan " -#: controlpanel.cpp:759 controlpanel.cpp:823 +#: controlpanel.cpp:760 controlpanel.cpp:824 msgid "Error: No channels matching [{1}] found." msgstr "Errore: Nessun canale corrispondente a [{1}] è stato trovato." -#: controlpanel.cpp:808 +#: controlpanel.cpp:809 msgid "Usage: SetChan " msgstr "" "Utilizzo: SetChan " -#: controlpanel.cpp:889 controlpanel.cpp:899 +#: controlpanel.cpp:890 controlpanel.cpp:900 msgctxt "listusers" msgid "Username" msgstr "Nome utente" -#: controlpanel.cpp:890 controlpanel.cpp:900 +#: controlpanel.cpp:891 controlpanel.cpp:901 msgctxt "listusers" msgid "Realname" msgstr "Nome reale" -#: controlpanel.cpp:891 controlpanel.cpp:903 controlpanel.cpp:905 +#: controlpanel.cpp:892 controlpanel.cpp:904 controlpanel.cpp:906 msgctxt "listusers" msgid "IsAdmin" msgstr "è Admin" -#: controlpanel.cpp:892 controlpanel.cpp:906 +#: controlpanel.cpp:893 controlpanel.cpp:907 msgctxt "listusers" msgid "Nick" msgstr "Nick" -#: controlpanel.cpp:893 controlpanel.cpp:907 +#: controlpanel.cpp:894 controlpanel.cpp:908 msgctxt "listusers" msgid "AltNick" msgstr "Nick alternativo" -#: controlpanel.cpp:894 controlpanel.cpp:908 +#: controlpanel.cpp:895 controlpanel.cpp:909 msgctxt "listusers" msgid "Ident" msgstr "Ident" -#: controlpanel.cpp:895 controlpanel.cpp:909 +#: controlpanel.cpp:896 controlpanel.cpp:910 msgctxt "listusers" msgid "BindHost" msgstr "BindHost" -#: controlpanel.cpp:903 controlpanel.cpp:1143 +#: controlpanel.cpp:904 controlpanel.cpp:1144 msgid "No" msgstr "No" -#: controlpanel.cpp:905 controlpanel.cpp:1135 +#: controlpanel.cpp:906 controlpanel.cpp:1136 msgid "Yes" msgstr "Si" -#: controlpanel.cpp:919 controlpanel.cpp:988 +#: controlpanel.cpp:920 controlpanel.cpp:989 msgid "Error: You need to have admin rights to add new users!" msgstr "" "Errore: Devi avere i diritti di amministratore per aggiungere nuovi utenti!" -#: controlpanel.cpp:925 +#: controlpanel.cpp:926 msgid "Usage: AddUser " msgstr "Utilizzo: AddUser " -#: controlpanel.cpp:930 +#: controlpanel.cpp:931 msgid "Error: User {1} already exists!" msgstr "Errore: L'utente {1} è già esistente!" -#: controlpanel.cpp:942 controlpanel.cpp:1017 +#: controlpanel.cpp:943 controlpanel.cpp:1018 msgid "Error: User not added: {1}" msgstr "Errore: Utente non aggiunto: {1}" -#: controlpanel.cpp:946 controlpanel.cpp:1021 +#: controlpanel.cpp:947 controlpanel.cpp:1022 msgid "User {1} added!" msgstr "L'utente {1} è aggiunto!" -#: controlpanel.cpp:953 +#: controlpanel.cpp:954 msgid "Error: You need to have admin rights to delete users!" msgstr "" "Errore: Devi avere i diritti di amministratore per rimuovere gli utenti!" -#: controlpanel.cpp:959 +#: controlpanel.cpp:960 msgid "Usage: DelUser " msgstr "Utilizzo: DelUser " -#: controlpanel.cpp:971 +#: controlpanel.cpp:972 msgid "Error: You can't delete yourself!" msgstr "Errore: Non puoi eliminare te stesso!" -#: controlpanel.cpp:977 +#: controlpanel.cpp:978 msgid "Error: Internal error!" msgstr "Errore: Errore interno!" -#: controlpanel.cpp:981 +#: controlpanel.cpp:982 msgid "User {1} deleted!" msgstr "Utente {1} eliminato!" -#: controlpanel.cpp:996 +#: controlpanel.cpp:997 msgid "Usage: CloneUser " msgstr "" "Usa\n" "Utilizzo: CloneUser " -#: controlpanel.cpp:1011 +#: controlpanel.cpp:1012 msgid "Error: Cloning failed: {1}" msgstr "Errore: Clonazione fallita: {1}" -#: controlpanel.cpp:1040 +#: controlpanel.cpp:1041 msgid "Usage: AddNetwork [user] network" msgstr "Utilizzo: AddNetwork [utente] network" -#: controlpanel.cpp:1046 +#: controlpanel.cpp:1047 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks using /znc DelNetwork " @@ -303,160 +303,160 @@ msgstr "" "il limite per te, oppure elimina i network non necessari usando /znc " "DelNetwork " -#: controlpanel.cpp:1054 +#: controlpanel.cpp:1055 msgid "Error: User {1} already has a network with the name {2}" msgstr "Errore: L'utente {1} ha già un network con il nome {2}" -#: controlpanel.cpp:1061 +#: controlpanel.cpp:1062 msgid "Network {1} added to user {2}." msgstr "Il network {1} è stato aggiunto all'utente {2}." -#: controlpanel.cpp:1065 +#: controlpanel.cpp:1066 msgid "Error: Network [{1}] could not be added for user {2}: {3}" msgstr "Errore: Il network [{1}] non può essere aggiunto per l'utente {2}: {3}" -#: controlpanel.cpp:1085 +#: controlpanel.cpp:1086 msgid "Usage: DelNetwork [user] network" msgstr "Utilizzo: DelNetwork [utente] network" -#: controlpanel.cpp:1096 +#: controlpanel.cpp:1097 msgid "The currently active network can be deleted via {1}status" msgstr "" "Il network attualmente attivo può essere eliminato tramite lo stato {1}" -#: controlpanel.cpp:1102 +#: controlpanel.cpp:1103 msgid "Network {1} deleted for user {2}." msgstr "Il network {1} è stato eliminato per l'utente {2}." -#: controlpanel.cpp:1106 +#: controlpanel.cpp:1107 msgid "Error: Network {1} could not be deleted for user {2}." msgstr "Errore: Il network {1} non può essere eliminato per l'utente {2}." -#: controlpanel.cpp:1125 controlpanel.cpp:1133 +#: controlpanel.cpp:1126 controlpanel.cpp:1134 msgctxt "listnetworks" msgid "Network" msgstr "Network" -#: controlpanel.cpp:1126 controlpanel.cpp:1135 controlpanel.cpp:1143 +#: controlpanel.cpp:1127 controlpanel.cpp:1136 controlpanel.cpp:1144 msgctxt "listnetworks" msgid "OnIRC" msgstr "Su IRC" -#: controlpanel.cpp:1127 controlpanel.cpp:1136 +#: controlpanel.cpp:1128 controlpanel.cpp:1137 msgctxt "listnetworks" msgid "IRC Server" msgstr "Server IRC" -#: controlpanel.cpp:1128 controlpanel.cpp:1138 +#: controlpanel.cpp:1129 controlpanel.cpp:1139 msgctxt "listnetworks" msgid "IRC User" msgstr "Utente IRC" -#: controlpanel.cpp:1129 controlpanel.cpp:1140 +#: controlpanel.cpp:1130 controlpanel.cpp:1141 msgctxt "listnetworks" msgid "Channels" msgstr "Canali" -#: controlpanel.cpp:1148 +#: controlpanel.cpp:1149 msgid "No networks" msgstr "Nessun network" -#: controlpanel.cpp:1159 +#: controlpanel.cpp:1160 msgid "Usage: AddServer [[+]port] [password]" msgstr "" "Utilizzo: AddServer [[+]porta] [password]" -#: controlpanel.cpp:1173 +#: controlpanel.cpp:1174 msgid "Added IRC Server {1} to network {2} for user {3}." msgstr "Aggiunto il Server IRC {1} al network {2} per l'utente {3}." -#: controlpanel.cpp:1177 +#: controlpanel.cpp:1178 msgid "Error: Could not add IRC server {1} to network {2} for user {3}." msgstr "" "Errore: Impossibile aggiungere il server IRC {1} al network {2} per l'utente " "{3}." -#: controlpanel.cpp:1190 +#: controlpanel.cpp:1191 msgid "Usage: DelServer [[+]port] [password]" msgstr "" "Utilizzo: DelServer [[+]porta] [password]" -#: controlpanel.cpp:1205 +#: controlpanel.cpp:1206 msgid "Deleted IRC Server {1} from network {2} for user {3}." msgstr "Eliminato il Server IRC {1} del network {2} per l'utente {3}." -#: controlpanel.cpp:1209 +#: controlpanel.cpp:1210 msgid "Error: Could not delete IRC server {1} from network {2} for user {3}." msgstr "" "Errore: Impossibile eliminare il server IRC {1} dal network {2} per l'utente " "{3}." -#: controlpanel.cpp:1219 +#: controlpanel.cpp:1220 msgid "Usage: Reconnect " msgstr "Utilizzo: Reconnect " -#: controlpanel.cpp:1246 +#: controlpanel.cpp:1247 msgid "Queued network {1} of user {2} for a reconnect." msgstr "Il network {1} dell'utente {2} è in coda per una riconnessione." -#: controlpanel.cpp:1255 +#: controlpanel.cpp:1256 msgid "Usage: Disconnect " msgstr "Utilizzo: Disconnect " -#: controlpanel.cpp:1270 +#: controlpanel.cpp:1271 msgid "Closed IRC connection for network {1} of user {2}." msgstr "Chiusa la connessione IRC al network {1} dell'utente {2}." -#: controlpanel.cpp:1285 controlpanel.cpp:1290 +#: controlpanel.cpp:1286 controlpanel.cpp:1291 msgctxt "listctcp" msgid "Request" msgstr "Richiesta" -#: controlpanel.cpp:1286 controlpanel.cpp:1291 +#: controlpanel.cpp:1287 controlpanel.cpp:1292 msgctxt "listctcp" msgid "Reply" msgstr "Rispondi" -#: controlpanel.cpp:1295 +#: controlpanel.cpp:1296 msgid "No CTCP replies for user {1} are configured" msgstr "Nessuna risposta CTCP per l'utente {1} è stata configurata" -#: controlpanel.cpp:1298 +#: controlpanel.cpp:1299 msgid "CTCP replies for user {1}:" msgstr "Risposte CTCP per l'utente {1}:" -#: controlpanel.cpp:1314 +#: controlpanel.cpp:1315 msgid "Usage: AddCTCP [user] [request] [reply]" msgstr "Utilizzo: AddCTCP [utente] [richiesta] [risposta]" -#: controlpanel.cpp:1316 +#: controlpanel.cpp:1317 msgid "" "This will cause ZNC to reply to the CTCP instead of forwarding it to clients." msgstr "" "Questo farà sì che ZNC risponda al CTCP invece di inoltrarlo ai client." -#: controlpanel.cpp:1319 +#: controlpanel.cpp:1320 msgid "An empty reply will cause the CTCP request to be blocked." msgstr "Una risposta vuota causerà il blocco della richiesta CTCP." -#: controlpanel.cpp:1328 +#: controlpanel.cpp:1329 msgid "CTCP requests {1} to user {2} will now be blocked." msgstr "Le richieste CTCP {1} all'utente {2} verranno ora bloccate." -#: controlpanel.cpp:1332 +#: controlpanel.cpp:1333 msgid "CTCP requests {1} to user {2} will now get reply: {3}" msgstr "Le richieste CTCP {1} all'utente {2} ora avranno risposta: {3}" -#: controlpanel.cpp:1349 +#: controlpanel.cpp:1350 msgid "Usage: DelCTCP [user] [request]" msgstr "Utilizzo: DelCTCP [utente] [richiesta]" -#: controlpanel.cpp:1355 +#: controlpanel.cpp:1356 msgid "CTCP requests {1} to user {2} will now be sent to IRC clients" msgstr "" "Le richieste CTCP {1} all'utente {2} verranno ora inviate al client IRC" -#: controlpanel.cpp:1359 +#: controlpanel.cpp:1360 msgid "" "CTCP requests {1} to user {2} will be sent to IRC clients (nothing has " "changed)" @@ -464,286 +464,286 @@ msgstr "" "Le richieste CTCP {1} all'utente {2} verranno inviate ai client IRC (nulla è " "cambiato)" -#: controlpanel.cpp:1369 controlpanel.cpp:1443 +#: controlpanel.cpp:1370 controlpanel.cpp:1444 msgid "Loading modules has been disabled." msgstr "Il caricamento dei moduli è stato disabilitato." -#: controlpanel.cpp:1378 +#: controlpanel.cpp:1379 msgid "Error: Unable to load module {1}: {2}" msgstr "Errore: Impossibile caricare il modulo {1}: {2}" -#: controlpanel.cpp:1381 +#: controlpanel.cpp:1382 msgid "Loaded module {1}" msgstr "Modulo caricato: {1}" -#: controlpanel.cpp:1386 +#: controlpanel.cpp:1387 msgid "Error: Unable to reload module {1}: {2}" msgstr "Errore: Impossibile ricaricare il modulo {1}: {2}" -#: controlpanel.cpp:1389 +#: controlpanel.cpp:1390 msgid "Reloaded module {1}" msgstr "Modulo ricaricato: {1}" -#: controlpanel.cpp:1393 +#: controlpanel.cpp:1394 msgid "Error: Unable to load module {1} because it is already loaded" msgstr "Errore: Impossibile caricare il modulo {1} perché è già stato caricato" -#: controlpanel.cpp:1404 +#: controlpanel.cpp:1405 msgid "Usage: LoadModule [args]" msgstr "Utilizzo: LoadModule [argomenti]" -#: controlpanel.cpp:1423 +#: controlpanel.cpp:1424 msgid "Usage: LoadNetModule [args]" msgstr "" "Utilizzo: LoadNetModule [argomenti]" -#: controlpanel.cpp:1448 +#: controlpanel.cpp:1449 msgid "Please use /znc unloadmod {1}" msgstr "Per favore usa il comando /znc unloadmod {1}" -#: controlpanel.cpp:1454 +#: controlpanel.cpp:1455 msgid "Error: Unable to unload module {1}: {2}" msgstr "Errore: Impossibile rimuovere il modulo {1}: {2}" -#: controlpanel.cpp:1457 +#: controlpanel.cpp:1458 msgid "Unloaded module {1}" msgstr "Rimosso il modulo: {1}" -#: controlpanel.cpp:1466 +#: controlpanel.cpp:1467 msgid "Usage: UnloadModule " msgstr "Utilizzo: UnloadModule " -#: controlpanel.cpp:1483 +#: controlpanel.cpp:1484 msgid "Usage: UnloadNetModule " msgstr "Utilizzo: UnloadNetModule " -#: controlpanel.cpp:1500 controlpanel.cpp:1506 +#: controlpanel.cpp:1501 controlpanel.cpp:1507 msgctxt "listmodules" msgid "Name" msgstr "Nome" -#: controlpanel.cpp:1501 controlpanel.cpp:1507 +#: controlpanel.cpp:1502 controlpanel.cpp:1508 msgctxt "listmodules" msgid "Arguments" msgstr "Argomenti" -#: controlpanel.cpp:1526 +#: controlpanel.cpp:1527 msgid "User {1} has no modules loaded." msgstr "L'utente {1} non ha moduli caricati." -#: controlpanel.cpp:1530 +#: controlpanel.cpp:1531 msgid "Modules loaded for user {1}:" msgstr "Moduli caricati per l'utente {1}:" -#: controlpanel.cpp:1550 +#: controlpanel.cpp:1551 msgid "Network {1} of user {2} has no modules loaded." msgstr "Il network {1} dell'utente {2} non ha moduli caricati." -#: controlpanel.cpp:1555 +#: controlpanel.cpp:1556 msgid "Modules loaded for network {1} of user {2}:" msgstr "Moduli caricati per il network {1} dell'utente {2}:" -#: controlpanel.cpp:1562 +#: controlpanel.cpp:1563 msgid "[command] [variable]" msgstr "[comando] [variabile]" -#: controlpanel.cpp:1563 +#: controlpanel.cpp:1564 msgid "Prints help for matching commands and variables" msgstr "Mostra la guida corrispondente a comandi e variabili" -#: controlpanel.cpp:1566 +#: controlpanel.cpp:1567 msgid " [username]" msgstr " [nome utente]" -#: controlpanel.cpp:1567 +#: controlpanel.cpp:1568 msgid "Prints the variable's value for the given or current user" msgstr "Mostra il valore della variabile per l'utente specificato o corrente" -#: controlpanel.cpp:1569 +#: controlpanel.cpp:1570 msgid " " msgstr " " -#: controlpanel.cpp:1570 +#: controlpanel.cpp:1571 msgid "Sets the variable's value for the given user" msgstr "Imposta il valore della variabile per l'utente specificato" -#: controlpanel.cpp:1572 +#: controlpanel.cpp:1573 msgid " [username] [network]" msgstr " [nome utente] [network]" -#: controlpanel.cpp:1573 +#: controlpanel.cpp:1574 msgid "Prints the variable's value for the given network" msgstr "Mostra il valore della variabaile del network specificato" -#: controlpanel.cpp:1575 +#: controlpanel.cpp:1576 msgid " " msgstr " " -#: controlpanel.cpp:1576 +#: controlpanel.cpp:1577 msgid "Sets the variable's value for the given network" msgstr "Imposta il valore della variabile per il network specificato" -#: controlpanel.cpp:1578 +#: controlpanel.cpp:1579 msgid " [username] " msgstr " [nome utente] " -#: controlpanel.cpp:1579 +#: controlpanel.cpp:1580 msgid "Prints the variable's value for the given channel" msgstr "Mostra il valore della variabaile del canale specificato" -#: controlpanel.cpp:1582 +#: controlpanel.cpp:1583 msgid " " msgstr " " -#: controlpanel.cpp:1583 +#: controlpanel.cpp:1584 msgid "Sets the variable's value for the given channel" msgstr "Imposta il valore della variabile per il canale specificato" -#: controlpanel.cpp:1585 controlpanel.cpp:1588 +#: controlpanel.cpp:1586 controlpanel.cpp:1589 msgid " " msgstr " " -#: controlpanel.cpp:1586 +#: controlpanel.cpp:1587 msgid "Adds a new channel" msgstr "Aggiunge un nuovo canale" -#: controlpanel.cpp:1589 +#: controlpanel.cpp:1590 msgid "Deletes a channel" msgstr "Elimina un canale" -#: controlpanel.cpp:1591 +#: controlpanel.cpp:1592 msgid "Lists users" msgstr "Elenca gli utenti" -#: controlpanel.cpp:1593 +#: controlpanel.cpp:1594 msgid " " msgstr " " -#: controlpanel.cpp:1594 +#: controlpanel.cpp:1595 msgid "Adds a new user" msgstr "Aggiunge un nuovo utente" -#: controlpanel.cpp:1596 controlpanel.cpp:1619 controlpanel.cpp:1633 +#: controlpanel.cpp:1597 controlpanel.cpp:1620 controlpanel.cpp:1634 msgid "" msgstr "" -#: controlpanel.cpp:1596 +#: controlpanel.cpp:1597 msgid "Deletes a user" msgstr "Elimina un utente" -#: controlpanel.cpp:1598 +#: controlpanel.cpp:1599 msgid " " msgstr " " -#: controlpanel.cpp:1599 +#: controlpanel.cpp:1600 msgid "Clones a user" msgstr "Clona un utente" -#: controlpanel.cpp:1601 controlpanel.cpp:1604 +#: controlpanel.cpp:1602 controlpanel.cpp:1605 msgid " " msgstr " " -#: controlpanel.cpp:1602 +#: controlpanel.cpp:1603 msgid "Adds a new IRC server for the given or current user" msgstr "Aggiunge un nuovo server IRC all'utente specificato o corrente" -#: controlpanel.cpp:1605 +#: controlpanel.cpp:1606 msgid "Deletes an IRC server from the given or current user" msgstr "Elimina un server IRC dall'utente specificato o corrente" -#: controlpanel.cpp:1607 controlpanel.cpp:1610 controlpanel.cpp:1630 +#: controlpanel.cpp:1608 controlpanel.cpp:1611 controlpanel.cpp:1631 msgid " " msgstr " " -#: controlpanel.cpp:1608 +#: controlpanel.cpp:1609 msgid "Cycles the user's IRC server connection" msgstr "Cicla la connessione al server IRC dell'utente" -#: controlpanel.cpp:1611 +#: controlpanel.cpp:1612 msgid "Disconnects the user from their IRC server" msgstr "Disconnette l'utente dal proprio server IRC" -#: controlpanel.cpp:1613 +#: controlpanel.cpp:1614 msgid " [args]" msgstr " [argomenti]" -#: controlpanel.cpp:1614 +#: controlpanel.cpp:1615 msgid "Loads a Module for a user" msgstr "Carica un modulo per un utente" -#: controlpanel.cpp:1616 +#: controlpanel.cpp:1617 msgid " " msgstr " " -#: controlpanel.cpp:1617 +#: controlpanel.cpp:1618 msgid "Removes a Module of a user" msgstr "Rimuove un modulo da un utente" -#: controlpanel.cpp:1620 +#: controlpanel.cpp:1621 msgid "Get the list of modules for a user" msgstr "Mostra un elenco dei moduli caricati per un utente" -#: controlpanel.cpp:1623 +#: controlpanel.cpp:1624 msgid " [args]" msgstr " [argomenti]" -#: controlpanel.cpp:1624 +#: controlpanel.cpp:1625 msgid "Loads a Module for a network" msgstr "Carica un modulo per un network" -#: controlpanel.cpp:1627 +#: controlpanel.cpp:1628 msgid " " msgstr " " -#: controlpanel.cpp:1628 +#: controlpanel.cpp:1629 msgid "Removes a Module of a network" msgstr "Rimuove un modulo da un network" -#: controlpanel.cpp:1631 +#: controlpanel.cpp:1632 msgid "Get the list of modules for a network" msgstr "Mostra un elenco dei moduli caricati per un network" -#: controlpanel.cpp:1634 +#: controlpanel.cpp:1635 msgid "List the configured CTCP replies" msgstr "Elenco delle risposte configurate per il CTCP" -#: controlpanel.cpp:1636 +#: controlpanel.cpp:1637 msgid " [reply]" msgstr " [risposta]" -#: controlpanel.cpp:1637 +#: controlpanel.cpp:1638 msgid "Configure a new CTCP reply" msgstr "Configura una nuova risposta CTCP" -#: controlpanel.cpp:1639 +#: controlpanel.cpp:1640 msgid " " msgstr " " -#: controlpanel.cpp:1640 +#: controlpanel.cpp:1641 msgid "Remove a CTCP reply" msgstr "Rimuove una risposta CTCP" -#: controlpanel.cpp:1644 controlpanel.cpp:1647 +#: controlpanel.cpp:1645 controlpanel.cpp:1648 msgid "[username] " msgstr "[nome utente] " -#: controlpanel.cpp:1645 +#: controlpanel.cpp:1646 msgid "Add a network for a user" msgstr "Aggiunge un network ad un utente" -#: controlpanel.cpp:1648 +#: controlpanel.cpp:1649 msgid "Delete a network for a user" msgstr "Elimina un network da un utente" -#: controlpanel.cpp:1650 +#: controlpanel.cpp:1651 msgid "[username]" msgstr "[nome utente]" -#: controlpanel.cpp:1651 +#: controlpanel.cpp:1652 msgid "List all networks for a user" msgstr "Elenca tutti i network di un utente" -#: controlpanel.cpp:1664 +#: controlpanel.cpp:1665 msgid "" "Dynamic configuration through IRC. Allows editing only yourself if you're " "not ZNC admin." diff --git a/modules/po/controlpanel.nl_NL.po b/modules/po/controlpanel.nl_NL.po index c5854741..284b5e45 100644 --- a/modules/po/controlpanel.nl_NL.po +++ b/modules/po/controlpanel.nl_NL.po @@ -36,13 +36,13 @@ msgstr "Heel getal" msgid "Number" msgstr "Nummer" -#: controlpanel.cpp:125 +#: controlpanel.cpp:126 msgid "The following variables are available when using the Set/Get commands:" msgstr "" "De volgende variabelen zijn beschikbaar bij het gebruik van de Set/Get " "commando's:" -#: controlpanel.cpp:149 +#: controlpanel.cpp:150 msgid "" "The following variables are available when using the SetNetwork/GetNetwork " "commands:" @@ -50,7 +50,7 @@ msgstr "" "De volgende variabelen zijn beschikbaar bij het gebruik van de SetNetwork/" "GetNetwork commando's:" -#: controlpanel.cpp:163 +#: controlpanel.cpp:164 msgid "" "The following variables are available when using the SetChan/GetChan " "commands:" @@ -58,7 +58,7 @@ msgstr "" "De volgende variabelen zijn beschikbaar bij het gebruik van de SetChan/" "GetChan commando's:" -#: controlpanel.cpp:170 +#: controlpanel.cpp:171 msgid "" "You can use $user as the user name and $network as the network name for " "modifying your own user and network." @@ -66,232 +66,232 @@ msgstr "" "Je kan $user als gebruiker en $network als netwerknaam gebruiken bij het " "aanpassen van je eigen gebruiker en network." -#: controlpanel.cpp:179 controlpanel.cpp:966 controlpanel.cpp:1003 +#: controlpanel.cpp:180 controlpanel.cpp:967 controlpanel.cpp:1004 msgid "Error: User [{1}] does not exist!" msgstr "Fout: Gebruiker [{1}] bestaat niet!" -#: controlpanel.cpp:184 +#: controlpanel.cpp:185 msgid "Error: You need to have admin rights to modify other users!" msgstr "" "Fout: Je moet beheerdersrechten hebben om andere gebruikers aan te passen!" -#: controlpanel.cpp:194 +#: controlpanel.cpp:195 msgid "Error: You cannot use $network to modify other users!" msgstr "Fout: Je kan $network niet gebruiken om andere gebruiks aan te passen!" -#: controlpanel.cpp:202 +#: controlpanel.cpp:203 msgid "Error: User {1} does not have a network named [{2}]." msgstr "Fout: Gebruiker {1} heeft geen netwerk genaamd [{2}]." -#: controlpanel.cpp:214 +#: controlpanel.cpp:215 msgid "Usage: Get [username]" msgstr "Gebruik: Get [gebruikersnaam]" -#: controlpanel.cpp:304 controlpanel.cpp:507 controlpanel.cpp:582 -#: controlpanel.cpp:658 controlpanel.cpp:793 controlpanel.cpp:878 +#: controlpanel.cpp:305 controlpanel.cpp:508 controlpanel.cpp:583 +#: controlpanel.cpp:659 controlpanel.cpp:794 controlpanel.cpp:879 msgid "Error: Unknown variable" msgstr "Fout: Onbekende variabele" -#: controlpanel.cpp:313 +#: controlpanel.cpp:314 msgid "Usage: Set " msgstr "Gebruik: Get " -#: controlpanel.cpp:335 controlpanel.cpp:623 +#: controlpanel.cpp:336 controlpanel.cpp:624 msgid "This bind host is already set!" msgstr "Deze bindhost is al ingesteld!" -#: controlpanel.cpp:342 controlpanel.cpp:354 controlpanel.cpp:362 -#: controlpanel.cpp:425 controlpanel.cpp:444 controlpanel.cpp:460 -#: controlpanel.cpp:470 controlpanel.cpp:630 +#: controlpanel.cpp:343 controlpanel.cpp:355 controlpanel.cpp:363 +#: controlpanel.cpp:426 controlpanel.cpp:445 controlpanel.cpp:461 +#: controlpanel.cpp:471 controlpanel.cpp:631 msgid "Access denied!" msgstr "Toegang geweigerd!" -#: controlpanel.cpp:376 controlpanel.cpp:385 controlpanel.cpp:842 +#: controlpanel.cpp:377 controlpanel.cpp:386 controlpanel.cpp:843 msgid "Setting failed, limit for buffer size is {1}" msgstr "Configuratie gefaald, limiet van buffer grootte is {1}" -#: controlpanel.cpp:405 +#: controlpanel.cpp:406 msgid "Password has been changed!" msgstr "Wachtwoord is aangepast!" -#: controlpanel.cpp:413 +#: controlpanel.cpp:414 msgid "Timeout can't be less than 30 seconds!" msgstr "Time-out kan niet minder dan 30 seconden zijn!" -#: controlpanel.cpp:477 +#: controlpanel.cpp:478 msgid "That would be a bad idea!" msgstr "Dat zou een slecht idee zijn!" -#: controlpanel.cpp:495 +#: controlpanel.cpp:496 msgid "Supported languages: {1}" msgstr "Ondersteunde talen: {1}" -#: controlpanel.cpp:519 +#: controlpanel.cpp:520 msgid "Usage: GetNetwork [username] [network]" msgstr "Gebruik: GetNetwork [gebruikersnaam] [netwerk]" -#: controlpanel.cpp:538 +#: controlpanel.cpp:539 msgid "Error: A network must be specified to get another users settings." msgstr "" "Fout: Een netwerk moet ingevoerd worden om de instellingen van een andere " "gebruiker op te halen." -#: controlpanel.cpp:544 +#: controlpanel.cpp:545 msgid "You are not currently attached to a network." msgstr "Je bent op het moment niet verbonden met een netwerk." -#: controlpanel.cpp:550 +#: controlpanel.cpp:551 msgid "Error: Invalid network." msgstr "Fout: Onjuist netwerk." -#: controlpanel.cpp:594 +#: controlpanel.cpp:595 msgid "Usage: SetNetwork " msgstr "Gebruik: SetNetwork " -#: controlpanel.cpp:668 +#: controlpanel.cpp:669 msgid "Usage: AddChan " msgstr "Gebruik: AddChan " -#: controlpanel.cpp:681 +#: controlpanel.cpp:682 msgid "Error: User {1} already has a channel named {2}." msgstr "Fout: Gebruiker {1} heeft al een kanaal genaamd {2}." -#: controlpanel.cpp:688 +#: controlpanel.cpp:689 msgid "Channel {1} for user {2} added to network {3}." msgstr "Kanaal {1} voor gebruiker {2} toegevoegd aan netwerk {3}." -#: controlpanel.cpp:692 +#: controlpanel.cpp:693 msgid "" "Could not add channel {1} for user {2} to network {3}, does it already exist?" msgstr "" "Kon kanaal {1} voor gebruiker {2} op netwerk {3} niet toevoegen, bestaat " "deze al?" -#: controlpanel.cpp:702 +#: controlpanel.cpp:703 msgid "Usage: DelChan " msgstr "Gebruik: DelChan " -#: controlpanel.cpp:717 +#: controlpanel.cpp:718 msgid "Error: User {1} does not have any channel matching [{2}] in network {3}" msgstr "" "Fout: Gebruiker {1} heeft geen kanaal die overeen komt met [{2}] in netwerk " "{3}" -#: controlpanel.cpp:730 +#: controlpanel.cpp:731 msgid "Channel {1} is deleted from network {2} of user {3}" msgid_plural "Channels {1} are deleted from network {2} of user {3}" msgstr[0] "Kanaal {1} is verwijderd van netwerk {2} van gebruiker {3}" msgstr[1] "Kanalen {1} zijn verwijderd van netwerk {2} van gebruiker {3}" -#: controlpanel.cpp:745 +#: controlpanel.cpp:746 msgid "Usage: GetChan " msgstr "Gebruik: GetChan " -#: controlpanel.cpp:759 controlpanel.cpp:823 +#: controlpanel.cpp:760 controlpanel.cpp:824 msgid "Error: No channels matching [{1}] found." msgstr "Fout: Geen overeenkomst met kanalen gevonden: [{1}]." -#: controlpanel.cpp:808 +#: controlpanel.cpp:809 msgid "Usage: SetChan " msgstr "" "Gebruik: SetChan " -#: controlpanel.cpp:889 controlpanel.cpp:899 +#: controlpanel.cpp:890 controlpanel.cpp:900 msgctxt "listusers" msgid "Username" msgstr "Gebruikersnaam" -#: controlpanel.cpp:890 controlpanel.cpp:900 +#: controlpanel.cpp:891 controlpanel.cpp:901 msgctxt "listusers" msgid "Realname" msgstr "Echte naam" -#: controlpanel.cpp:891 controlpanel.cpp:903 controlpanel.cpp:905 +#: controlpanel.cpp:892 controlpanel.cpp:904 controlpanel.cpp:906 msgctxt "listusers" msgid "IsAdmin" msgstr "IsBeheerder" -#: controlpanel.cpp:892 controlpanel.cpp:906 +#: controlpanel.cpp:893 controlpanel.cpp:907 msgctxt "listusers" msgid "Nick" msgstr "Naam" -#: controlpanel.cpp:893 controlpanel.cpp:907 +#: controlpanel.cpp:894 controlpanel.cpp:908 msgctxt "listusers" msgid "AltNick" msgstr "AlternatieveNaam" -#: controlpanel.cpp:894 controlpanel.cpp:908 +#: controlpanel.cpp:895 controlpanel.cpp:909 msgctxt "listusers" msgid "Ident" msgstr "Identiteit" -#: controlpanel.cpp:895 controlpanel.cpp:909 +#: controlpanel.cpp:896 controlpanel.cpp:910 msgctxt "listusers" msgid "BindHost" msgstr "BindHost" -#: controlpanel.cpp:903 controlpanel.cpp:1143 +#: controlpanel.cpp:904 controlpanel.cpp:1144 msgid "No" msgstr "Nee" -#: controlpanel.cpp:905 controlpanel.cpp:1135 +#: controlpanel.cpp:906 controlpanel.cpp:1136 msgid "Yes" msgstr "Ja" -#: controlpanel.cpp:919 controlpanel.cpp:988 +#: controlpanel.cpp:920 controlpanel.cpp:989 msgid "Error: You need to have admin rights to add new users!" msgstr "Fout: Je moet beheerdersrechten hebben om gebruikers toe te voegen!" -#: controlpanel.cpp:925 +#: controlpanel.cpp:926 msgid "Usage: AddUser " msgstr "Gebruik: AddUser " -#: controlpanel.cpp:930 +#: controlpanel.cpp:931 msgid "Error: User {1} already exists!" msgstr "Fout: Gebruiker {1} bestaat al!" -#: controlpanel.cpp:942 controlpanel.cpp:1017 +#: controlpanel.cpp:943 controlpanel.cpp:1018 msgid "Error: User not added: {1}" msgstr "Fout: Gebruiker niet toegevoegd: {1}" -#: controlpanel.cpp:946 controlpanel.cpp:1021 +#: controlpanel.cpp:947 controlpanel.cpp:1022 msgid "User {1} added!" msgstr "Gebruiker {1} toegevoegd!" -#: controlpanel.cpp:953 +#: controlpanel.cpp:954 msgid "Error: You need to have admin rights to delete users!" msgstr "Fout: Je moet beheerdersrechten hebben om gebruikers te verwijderen!" -#: controlpanel.cpp:959 +#: controlpanel.cpp:960 msgid "Usage: DelUser " msgstr "Gebruik: DelUser " -#: controlpanel.cpp:971 +#: controlpanel.cpp:972 msgid "Error: You can't delete yourself!" msgstr "Fout: Je kan jezelf niet verwijderen!" -#: controlpanel.cpp:977 +#: controlpanel.cpp:978 msgid "Error: Internal error!" msgstr "Fout: Interne fout!" -#: controlpanel.cpp:981 +#: controlpanel.cpp:982 msgid "User {1} deleted!" msgstr "Gebruiker {1} verwijderd!" -#: controlpanel.cpp:996 +#: controlpanel.cpp:997 msgid "Usage: CloneUser " msgstr "Gebruik: CloneUser " -#: controlpanel.cpp:1011 +#: controlpanel.cpp:1012 msgid "Error: Cloning failed: {1}" msgstr "Fout: Kloon mislukt: {1}" -#: controlpanel.cpp:1040 +#: controlpanel.cpp:1041 msgid "Usage: AddNetwork [user] network" msgstr "Gebruik: AddNetwork [gebruiker] netwerk" -#: controlpanel.cpp:1046 +#: controlpanel.cpp:1047 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks using /znc DelNetwork " @@ -300,161 +300,161 @@ msgstr "" "te passen voor je, of verwijder onnodige netwerken door middel van /znc " "DelNetwork " -#: controlpanel.cpp:1054 +#: controlpanel.cpp:1055 msgid "Error: User {1} already has a network with the name {2}" msgstr "Fout: Gebruiker {1} heeft al een netwerk met de naam {2}" -#: controlpanel.cpp:1061 +#: controlpanel.cpp:1062 msgid "Network {1} added to user {2}." msgstr "Netwerk {1} aan gebruiker {2} toegevoegd." -#: controlpanel.cpp:1065 +#: controlpanel.cpp:1066 msgid "Error: Network [{1}] could not be added for user {2}: {3}" msgstr "Fout: Netwerk [{1}] kon niet toegevoegd worden voor gebruiker {2}: {3}" -#: controlpanel.cpp:1085 +#: controlpanel.cpp:1086 msgid "Usage: DelNetwork [user] network" msgstr "Gebruik: DelNetwork [gebruiker] netwerk" -#: controlpanel.cpp:1096 +#: controlpanel.cpp:1097 msgid "The currently active network can be deleted via {1}status" msgstr "Het huidige actieve netwerk kan worden verwijderd via {1}status" -#: controlpanel.cpp:1102 +#: controlpanel.cpp:1103 msgid "Network {1} deleted for user {2}." msgstr "Netwerk {1} verwijderd voor gebruiker {2}." -#: controlpanel.cpp:1106 +#: controlpanel.cpp:1107 msgid "Error: Network {1} could not be deleted for user {2}." msgstr "Fout: Netwerk [{1}] kon niet verwijderd worden voor gebruiker {2}." -#: controlpanel.cpp:1125 controlpanel.cpp:1133 +#: controlpanel.cpp:1126 controlpanel.cpp:1134 msgctxt "listnetworks" msgid "Network" msgstr "Netwerk" -#: controlpanel.cpp:1126 controlpanel.cpp:1135 controlpanel.cpp:1143 +#: controlpanel.cpp:1127 controlpanel.cpp:1136 controlpanel.cpp:1144 msgctxt "listnetworks" msgid "OnIRC" msgstr "OpIRC" -#: controlpanel.cpp:1127 controlpanel.cpp:1136 +#: controlpanel.cpp:1128 controlpanel.cpp:1137 msgctxt "listnetworks" msgid "IRC Server" msgstr "IRC Server" -#: controlpanel.cpp:1128 controlpanel.cpp:1138 +#: controlpanel.cpp:1129 controlpanel.cpp:1139 msgctxt "listnetworks" msgid "IRC User" msgstr "IRC Gebruiker" -#: controlpanel.cpp:1129 controlpanel.cpp:1140 +#: controlpanel.cpp:1130 controlpanel.cpp:1141 msgctxt "listnetworks" msgid "Channels" msgstr "Kanalen" -#: controlpanel.cpp:1148 +#: controlpanel.cpp:1149 msgid "No networks" msgstr "Geen netwerken" -#: controlpanel.cpp:1159 +#: controlpanel.cpp:1160 msgid "Usage: AddServer [[+]port] [password]" msgstr "" "Gebruik: AddServer [[+]poort] " "[wachtwoord]" -#: controlpanel.cpp:1173 +#: controlpanel.cpp:1174 msgid "Added IRC Server {1} to network {2} for user {3}." msgstr "IRC Server {1} toegevegd aan netwerk {2} van gebruiker {3}." -#: controlpanel.cpp:1177 +#: controlpanel.cpp:1178 msgid "Error: Could not add IRC server {1} to network {2} for user {3}." msgstr "" "Fout: kon IRC server {1} niet aan netwerk {2} van gebruiker {3} toevoegen." -#: controlpanel.cpp:1190 +#: controlpanel.cpp:1191 msgid "Usage: DelServer [[+]port] [password]" msgstr "" "Gebruik: DelServer [[+]poort] " "[wachtwoord]" -#: controlpanel.cpp:1205 +#: controlpanel.cpp:1206 msgid "Deleted IRC Server {1} from network {2} for user {3}." msgstr "IRC Server {1} verwijderd van netwerk {2} van gebruiker {3}." -#: controlpanel.cpp:1209 +#: controlpanel.cpp:1210 msgid "Error: Could not delete IRC server {1} from network {2} for user {3}." msgstr "" "Fout: kon IRC server {1} niet van netwerk {2} van gebruiker {3} verwijderen." -#: controlpanel.cpp:1219 +#: controlpanel.cpp:1220 msgid "Usage: Reconnect " msgstr "Gebruik: Reconnect " -#: controlpanel.cpp:1246 +#: controlpanel.cpp:1247 msgid "Queued network {1} of user {2} for a reconnect." msgstr "Netwerk {1} van gebruiker {2} toegevoegd om opnieuw te verbinden." -#: controlpanel.cpp:1255 +#: controlpanel.cpp:1256 msgid "Usage: Disconnect " msgstr "Gebruik: Disconnect " -#: controlpanel.cpp:1270 +#: controlpanel.cpp:1271 msgid "Closed IRC connection for network {1} of user {2}." msgstr "IRC verbinding afgesloten voor netwerk {1} van gebruiker {2}." -#: controlpanel.cpp:1285 controlpanel.cpp:1290 +#: controlpanel.cpp:1286 controlpanel.cpp:1291 msgctxt "listctcp" msgid "Request" msgstr "Aanvraag" -#: controlpanel.cpp:1286 controlpanel.cpp:1291 +#: controlpanel.cpp:1287 controlpanel.cpp:1292 msgctxt "listctcp" msgid "Reply" msgstr "Antwoord" -#: controlpanel.cpp:1295 +#: controlpanel.cpp:1296 msgid "No CTCP replies for user {1} are configured" msgstr "Geen CTCP antwoorden voor gebruiker {1} zijn ingesteld" -#: controlpanel.cpp:1298 +#: controlpanel.cpp:1299 msgid "CTCP replies for user {1}:" msgstr "CTCP antwoorden voor gebruiker {1}:" -#: controlpanel.cpp:1314 +#: controlpanel.cpp:1315 msgid "Usage: AddCTCP [user] [request] [reply]" msgstr "Gebruik: AddCTCP [gebruikersnaam] [aanvraag] [antwoord]" -#: controlpanel.cpp:1316 +#: controlpanel.cpp:1317 msgid "" "This will cause ZNC to reply to the CTCP instead of forwarding it to clients." msgstr "" "Dit zorgt er voor dat ZNC antwoord op de CTCP aanvragen in plaats van deze " "door te sturen naar clients." -#: controlpanel.cpp:1319 +#: controlpanel.cpp:1320 msgid "An empty reply will cause the CTCP request to be blocked." msgstr "" "Een leeg antwoord zorgt er voor dat deze CTCP aanvraag geblokkeerd zal " "worden." -#: controlpanel.cpp:1328 +#: controlpanel.cpp:1329 msgid "CTCP requests {1} to user {2} will now be blocked." msgstr "CTCP aanvraag {1} naar gebruiker {2} zal nu worden geblokkeerd." -#: controlpanel.cpp:1332 +#: controlpanel.cpp:1333 msgid "CTCP requests {1} to user {2} will now get reply: {3}" msgstr "CTCP aanvraag {1} naar gebruiker {2} zal nu als antwoord krijgen: {3}" -#: controlpanel.cpp:1349 +#: controlpanel.cpp:1350 msgid "Usage: DelCTCP [user] [request]" msgstr "Gebruik: DelCTCP [gebruikersnaam] [aanvraag]" -#: controlpanel.cpp:1355 +#: controlpanel.cpp:1356 msgid "CTCP requests {1} to user {2} will now be sent to IRC clients" msgstr "CTCP aanvraag {1} naar gebruiker {2} zal nu doorgestuurd worden" -#: controlpanel.cpp:1359 +#: controlpanel.cpp:1360 msgid "" "CTCP requests {1} to user {2} will be sent to IRC clients (nothing has " "changed)" @@ -462,290 +462,290 @@ msgstr "" "CTCP aanvraag {1} naar gebruiker {2} zal nu doorgestuurd worden (niets " "veranderd)" -#: controlpanel.cpp:1369 controlpanel.cpp:1443 +#: controlpanel.cpp:1370 controlpanel.cpp:1444 msgid "Loading modules has been disabled." msgstr "Het laden van modulen is uit gezet." -#: controlpanel.cpp:1378 +#: controlpanel.cpp:1379 msgid "Error: Unable to load module {1}: {2}" msgstr "Fout: Niet mogelijk om module te laden, {1}: {2}" -#: controlpanel.cpp:1381 +#: controlpanel.cpp:1382 msgid "Loaded module {1}" msgstr "Module {1} geladen" -#: controlpanel.cpp:1386 +#: controlpanel.cpp:1387 msgid "Error: Unable to reload module {1}: {2}" msgstr "Fout: Niet mogelijk om module te herladen, {1}: {2}" -#: controlpanel.cpp:1389 +#: controlpanel.cpp:1390 msgid "Reloaded module {1}" msgstr "Module {1} opnieuw geladen" -#: controlpanel.cpp:1393 +#: controlpanel.cpp:1394 msgid "Error: Unable to load module {1} because it is already loaded" msgstr "Fout: Niet mogelijk om module {1} te laden, deze is al geladen" -#: controlpanel.cpp:1404 +#: controlpanel.cpp:1405 msgid "Usage: LoadModule [args]" msgstr "Gebruik: LoadModule [argumenten]" -#: controlpanel.cpp:1423 +#: controlpanel.cpp:1424 msgid "Usage: LoadNetModule [args]" msgstr "" "Gebruik: LoadNetModule [argumenten]" -#: controlpanel.cpp:1448 +#: controlpanel.cpp:1449 msgid "Please use /znc unloadmod {1}" msgstr "Gebruik a.u.b. /znc unloadmod {1}" -#: controlpanel.cpp:1454 +#: controlpanel.cpp:1455 msgid "Error: Unable to unload module {1}: {2}" msgstr "Fout: Niet mogelijk om module to stoppen, {1}: {2}" -#: controlpanel.cpp:1457 +#: controlpanel.cpp:1458 msgid "Unloaded module {1}" msgstr "Module {1} gestopt" -#: controlpanel.cpp:1466 +#: controlpanel.cpp:1467 msgid "Usage: UnloadModule " msgstr "Gebruik: UnloadModule " -#: controlpanel.cpp:1483 +#: controlpanel.cpp:1484 msgid "Usage: UnloadNetModule " msgstr "Gebruik: UnloadNetModule " -#: controlpanel.cpp:1500 controlpanel.cpp:1506 +#: controlpanel.cpp:1501 controlpanel.cpp:1507 msgctxt "listmodules" msgid "Name" msgstr "Naam" -#: controlpanel.cpp:1501 controlpanel.cpp:1507 +#: controlpanel.cpp:1502 controlpanel.cpp:1508 msgctxt "listmodules" msgid "Arguments" msgstr "Argumenten" -#: controlpanel.cpp:1526 +#: controlpanel.cpp:1527 msgid "User {1} has no modules loaded." msgstr "Gebruiker {1} heeft geen modulen geladen." -#: controlpanel.cpp:1530 +#: controlpanel.cpp:1531 msgid "Modules loaded for user {1}:" msgstr "Modulen geladen voor gebruiker {1}:" -#: controlpanel.cpp:1550 +#: controlpanel.cpp:1551 msgid "Network {1} of user {2} has no modules loaded." msgstr "Netwerk {1} van gebruiker {2} heeft geen modulen geladen." -#: controlpanel.cpp:1555 +#: controlpanel.cpp:1556 msgid "Modules loaded for network {1} of user {2}:" msgstr "Modulen geladen voor netwerk {1} van gebruiker {2}:" -#: controlpanel.cpp:1562 +#: controlpanel.cpp:1563 msgid "[command] [variable]" msgstr "[commando] [variabele]" -#: controlpanel.cpp:1563 +#: controlpanel.cpp:1564 msgid "Prints help for matching commands and variables" msgstr "Laat help zien voor de overeenkomende commando's en variabelen" -#: controlpanel.cpp:1566 +#: controlpanel.cpp:1567 msgid " [username]" msgstr " [gebruikersnaam]" -#: controlpanel.cpp:1567 +#: controlpanel.cpp:1568 msgid "Prints the variable's value for the given or current user" msgstr "" "Laat de waarde van de variabele voor de ingevoerde of huidige gebruiker zien" -#: controlpanel.cpp:1569 +#: controlpanel.cpp:1570 msgid " " msgstr " " -#: controlpanel.cpp:1570 +#: controlpanel.cpp:1571 msgid "Sets the variable's value for the given user" msgstr "Stelt de waarde voor de variabele voor de ingevoerde gebruiker in" -#: controlpanel.cpp:1572 +#: controlpanel.cpp:1573 msgid " [username] [network]" msgstr " [gebruikersnaam] [netwerk]" -#: controlpanel.cpp:1573 +#: controlpanel.cpp:1574 msgid "Prints the variable's value for the given network" msgstr "" "Laat de huidige waarde voor de variabele van het ingevoerde netwerk zien" -#: controlpanel.cpp:1575 +#: controlpanel.cpp:1576 msgid " " msgstr " " -#: controlpanel.cpp:1576 +#: controlpanel.cpp:1577 msgid "Sets the variable's value for the given network" msgstr "Stelt de waarde voor de variabele voor het ingevoerde netwerk in" -#: controlpanel.cpp:1578 +#: controlpanel.cpp:1579 msgid " [username] " msgstr " [gebruikersnaam] " -#: controlpanel.cpp:1579 +#: controlpanel.cpp:1580 msgid "Prints the variable's value for the given channel" msgstr "" "Laat de huidige waarde voor de variabele van het ingevoerde kanaal zien" -#: controlpanel.cpp:1582 +#: controlpanel.cpp:1583 msgid " " msgstr " " -#: controlpanel.cpp:1583 +#: controlpanel.cpp:1584 msgid "Sets the variable's value for the given channel" msgstr "Stelt de waarde voor de variabele voor het ingevoerde kanaal in" -#: controlpanel.cpp:1585 controlpanel.cpp:1588 +#: controlpanel.cpp:1586 controlpanel.cpp:1589 msgid " " msgstr " " -#: controlpanel.cpp:1586 +#: controlpanel.cpp:1587 msgid "Adds a new channel" msgstr "Voegt een nieuw kanaal toe" -#: controlpanel.cpp:1589 +#: controlpanel.cpp:1590 msgid "Deletes a channel" msgstr "Verwijdert een kanaal" -#: controlpanel.cpp:1591 +#: controlpanel.cpp:1592 msgid "Lists users" msgstr "Weergeeft gebruikers" -#: controlpanel.cpp:1593 +#: controlpanel.cpp:1594 msgid " " msgstr " " -#: controlpanel.cpp:1594 +#: controlpanel.cpp:1595 msgid "Adds a new user" msgstr "Voegt een nieuwe gebruiker toe" -#: controlpanel.cpp:1596 controlpanel.cpp:1619 controlpanel.cpp:1633 +#: controlpanel.cpp:1597 controlpanel.cpp:1620 controlpanel.cpp:1634 msgid "" msgstr "" -#: controlpanel.cpp:1596 +#: controlpanel.cpp:1597 msgid "Deletes a user" msgstr "Verwijdert een gebruiker" -#: controlpanel.cpp:1598 +#: controlpanel.cpp:1599 msgid " " msgstr " " -#: controlpanel.cpp:1599 +#: controlpanel.cpp:1600 msgid "Clones a user" msgstr "Kloont een gebruiker" -#: controlpanel.cpp:1601 controlpanel.cpp:1604 +#: controlpanel.cpp:1602 controlpanel.cpp:1605 msgid " " msgstr " " -#: controlpanel.cpp:1602 +#: controlpanel.cpp:1603 msgid "Adds a new IRC server for the given or current user" msgstr "" "Voegt een nieuwe IRC server toe voor de ingevoerde of huidige gebruiker" -#: controlpanel.cpp:1605 +#: controlpanel.cpp:1606 msgid "Deletes an IRC server from the given or current user" msgstr "Verwijdert een IRC server voor de ingevoerde of huidige gebruiker" -#: controlpanel.cpp:1607 controlpanel.cpp:1610 controlpanel.cpp:1630 +#: controlpanel.cpp:1608 controlpanel.cpp:1611 controlpanel.cpp:1631 msgid " " msgstr " " -#: controlpanel.cpp:1608 +#: controlpanel.cpp:1609 msgid "Cycles the user's IRC server connection" msgstr "Verbind opnieuw met de IRC server" -#: controlpanel.cpp:1611 +#: controlpanel.cpp:1612 msgid "Disconnects the user from their IRC server" msgstr "Stopt de verbinding van de gebruiker naar de IRC server" -#: controlpanel.cpp:1613 +#: controlpanel.cpp:1614 msgid " [args]" msgstr " [argumenten]" -#: controlpanel.cpp:1614 +#: controlpanel.cpp:1615 msgid "Loads a Module for a user" msgstr "Laad een module voor een gebruiker" -#: controlpanel.cpp:1616 +#: controlpanel.cpp:1617 msgid " " msgstr " " -#: controlpanel.cpp:1617 +#: controlpanel.cpp:1618 msgid "Removes a Module of a user" msgstr "Stopt een module van een gebruiker" -#: controlpanel.cpp:1620 +#: controlpanel.cpp:1621 msgid "Get the list of modules for a user" msgstr "Laat de lijst van modulen voor een gebruiker zien" -#: controlpanel.cpp:1623 +#: controlpanel.cpp:1624 msgid " [args]" msgstr " [argumenten]" -#: controlpanel.cpp:1624 +#: controlpanel.cpp:1625 msgid "Loads a Module for a network" msgstr "Laad een module voor een netwerk" -#: controlpanel.cpp:1627 +#: controlpanel.cpp:1628 msgid " " msgstr " " -#: controlpanel.cpp:1628 +#: controlpanel.cpp:1629 msgid "Removes a Module of a network" msgstr "Stopt een module van een netwerk" -#: controlpanel.cpp:1631 +#: controlpanel.cpp:1632 msgid "Get the list of modules for a network" msgstr "Laat de lijst van modulen voor een netwerk zien" -#: controlpanel.cpp:1634 +#: controlpanel.cpp:1635 msgid "List the configured CTCP replies" msgstr "Laat de ingestelde CTCP antwoorden zien" -#: controlpanel.cpp:1636 +#: controlpanel.cpp:1637 msgid " [reply]" msgstr " [antwoord]" -#: controlpanel.cpp:1637 +#: controlpanel.cpp:1638 msgid "Configure a new CTCP reply" msgstr "Stel een nieuw CTCP antwoord in" -#: controlpanel.cpp:1639 +#: controlpanel.cpp:1640 msgid " " msgstr " " -#: controlpanel.cpp:1640 +#: controlpanel.cpp:1641 msgid "Remove a CTCP reply" msgstr "Verwijder een CTCP antwoord" -#: controlpanel.cpp:1644 controlpanel.cpp:1647 +#: controlpanel.cpp:1645 controlpanel.cpp:1648 msgid "[username] " msgstr "[gebruikersnaam] " -#: controlpanel.cpp:1645 +#: controlpanel.cpp:1646 msgid "Add a network for a user" msgstr "Voeg een netwerk toe voor een gebruiker" -#: controlpanel.cpp:1648 +#: controlpanel.cpp:1649 msgid "Delete a network for a user" msgstr "Verwijder een netwerk van een gebruiker" -#: controlpanel.cpp:1650 +#: controlpanel.cpp:1651 msgid "[username]" msgstr "[gebruikersnaam]" -#: controlpanel.cpp:1651 +#: controlpanel.cpp:1652 msgid "List all networks for a user" msgstr "Laat alle netwerken van een gebruiker zien" -#: controlpanel.cpp:1664 +#: controlpanel.cpp:1665 msgid "" "Dynamic configuration through IRC. Allows editing only yourself if you're " "not ZNC admin." diff --git a/modules/po/controlpanel.pot b/modules/po/controlpanel.pot index a2385d9e..10f9b644 100644 --- a/modules/po/controlpanel.pot +++ b/modules/po/controlpanel.pot @@ -29,680 +29,680 @@ msgstr "" msgid "Number" msgstr "" -#: controlpanel.cpp:125 +#: controlpanel.cpp:126 msgid "The following variables are available when using the Set/Get commands:" msgstr "" -#: controlpanel.cpp:149 +#: controlpanel.cpp:150 msgid "" "The following variables are available when using the SetNetwork/GetNetwork " "commands:" msgstr "" -#: controlpanel.cpp:163 +#: controlpanel.cpp:164 msgid "" "The following variables are available when using the SetChan/GetChan " "commands:" msgstr "" -#: controlpanel.cpp:170 +#: controlpanel.cpp:171 msgid "" "You can use $user as the user name and $network as the network name for " "modifying your own user and network." msgstr "" -#: controlpanel.cpp:179 controlpanel.cpp:966 controlpanel.cpp:1003 +#: controlpanel.cpp:180 controlpanel.cpp:967 controlpanel.cpp:1004 msgid "Error: User [{1}] does not exist!" msgstr "" -#: controlpanel.cpp:184 +#: controlpanel.cpp:185 msgid "Error: You need to have admin rights to modify other users!" msgstr "" -#: controlpanel.cpp:194 +#: controlpanel.cpp:195 msgid "Error: You cannot use $network to modify other users!" msgstr "" -#: controlpanel.cpp:202 +#: controlpanel.cpp:203 msgid "Error: User {1} does not have a network named [{2}]." msgstr "" -#: controlpanel.cpp:214 +#: controlpanel.cpp:215 msgid "Usage: Get [username]" msgstr "" -#: controlpanel.cpp:304 controlpanel.cpp:507 controlpanel.cpp:582 -#: controlpanel.cpp:658 controlpanel.cpp:793 controlpanel.cpp:878 +#: controlpanel.cpp:305 controlpanel.cpp:508 controlpanel.cpp:583 +#: controlpanel.cpp:659 controlpanel.cpp:794 controlpanel.cpp:879 msgid "Error: Unknown variable" msgstr "" -#: controlpanel.cpp:313 +#: controlpanel.cpp:314 msgid "Usage: Set " msgstr "" -#: controlpanel.cpp:335 controlpanel.cpp:623 +#: controlpanel.cpp:336 controlpanel.cpp:624 msgid "This bind host is already set!" msgstr "" -#: controlpanel.cpp:342 controlpanel.cpp:354 controlpanel.cpp:362 -#: controlpanel.cpp:425 controlpanel.cpp:444 controlpanel.cpp:460 -#: controlpanel.cpp:470 controlpanel.cpp:630 +#: controlpanel.cpp:343 controlpanel.cpp:355 controlpanel.cpp:363 +#: controlpanel.cpp:426 controlpanel.cpp:445 controlpanel.cpp:461 +#: controlpanel.cpp:471 controlpanel.cpp:631 msgid "Access denied!" msgstr "" -#: controlpanel.cpp:376 controlpanel.cpp:385 controlpanel.cpp:842 +#: controlpanel.cpp:377 controlpanel.cpp:386 controlpanel.cpp:843 msgid "Setting failed, limit for buffer size is {1}" msgstr "" -#: controlpanel.cpp:405 +#: controlpanel.cpp:406 msgid "Password has been changed!" msgstr "" -#: controlpanel.cpp:413 +#: controlpanel.cpp:414 msgid "Timeout can't be less than 30 seconds!" msgstr "" -#: controlpanel.cpp:477 +#: controlpanel.cpp:478 msgid "That would be a bad idea!" msgstr "" -#: controlpanel.cpp:495 +#: controlpanel.cpp:496 msgid "Supported languages: {1}" msgstr "" -#: controlpanel.cpp:519 +#: controlpanel.cpp:520 msgid "Usage: GetNetwork [username] [network]" msgstr "" -#: controlpanel.cpp:538 +#: controlpanel.cpp:539 msgid "Error: A network must be specified to get another users settings." msgstr "" -#: controlpanel.cpp:544 +#: controlpanel.cpp:545 msgid "You are not currently attached to a network." msgstr "" -#: controlpanel.cpp:550 +#: controlpanel.cpp:551 msgid "Error: Invalid network." msgstr "" -#: controlpanel.cpp:594 +#: controlpanel.cpp:595 msgid "Usage: SetNetwork " msgstr "" -#: controlpanel.cpp:668 +#: controlpanel.cpp:669 msgid "Usage: AddChan " msgstr "" -#: controlpanel.cpp:681 +#: controlpanel.cpp:682 msgid "Error: User {1} already has a channel named {2}." msgstr "" -#: controlpanel.cpp:688 +#: controlpanel.cpp:689 msgid "Channel {1} for user {2} added to network {3}." msgstr "" -#: controlpanel.cpp:692 +#: controlpanel.cpp:693 msgid "" "Could not add channel {1} for user {2} to network {3}, does it already exist?" msgstr "" -#: controlpanel.cpp:702 +#: controlpanel.cpp:703 msgid "Usage: DelChan " msgstr "" -#: controlpanel.cpp:717 +#: controlpanel.cpp:718 msgid "Error: User {1} does not have any channel matching [{2}] in network {3}" msgstr "" -#: controlpanel.cpp:730 +#: controlpanel.cpp:731 msgid "Channel {1} is deleted from network {2} of user {3}" msgid_plural "Channels {1} are deleted from network {2} of user {3}" msgstr[0] "" msgstr[1] "" -#: controlpanel.cpp:745 +#: controlpanel.cpp:746 msgid "Usage: GetChan " msgstr "" -#: controlpanel.cpp:759 controlpanel.cpp:823 +#: controlpanel.cpp:760 controlpanel.cpp:824 msgid "Error: No channels matching [{1}] found." msgstr "" -#: controlpanel.cpp:808 +#: controlpanel.cpp:809 msgid "Usage: SetChan " msgstr "" -#: controlpanel.cpp:889 controlpanel.cpp:899 -msgctxt "listusers" -msgid "Username" -msgstr "" - #: controlpanel.cpp:890 controlpanel.cpp:900 msgctxt "listusers" +msgid "Username" +msgstr "" + +#: controlpanel.cpp:891 controlpanel.cpp:901 +msgctxt "listusers" msgid "Realname" msgstr "" -#: controlpanel.cpp:891 controlpanel.cpp:903 controlpanel.cpp:905 +#: controlpanel.cpp:892 controlpanel.cpp:904 controlpanel.cpp:906 msgctxt "listusers" msgid "IsAdmin" msgstr "" -#: controlpanel.cpp:892 controlpanel.cpp:906 +#: controlpanel.cpp:893 controlpanel.cpp:907 msgctxt "listusers" msgid "Nick" msgstr "" -#: controlpanel.cpp:893 controlpanel.cpp:907 +#: controlpanel.cpp:894 controlpanel.cpp:908 msgctxt "listusers" msgid "AltNick" msgstr "" -#: controlpanel.cpp:894 controlpanel.cpp:908 +#: controlpanel.cpp:895 controlpanel.cpp:909 msgctxt "listusers" msgid "Ident" msgstr "" -#: controlpanel.cpp:895 controlpanel.cpp:909 +#: controlpanel.cpp:896 controlpanel.cpp:910 msgctxt "listusers" msgid "BindHost" msgstr "" -#: controlpanel.cpp:903 controlpanel.cpp:1143 +#: controlpanel.cpp:904 controlpanel.cpp:1144 msgid "No" msgstr "" -#: controlpanel.cpp:905 controlpanel.cpp:1135 +#: controlpanel.cpp:906 controlpanel.cpp:1136 msgid "Yes" msgstr "" -#: controlpanel.cpp:919 controlpanel.cpp:988 +#: controlpanel.cpp:920 controlpanel.cpp:989 msgid "Error: You need to have admin rights to add new users!" msgstr "" -#: controlpanel.cpp:925 +#: controlpanel.cpp:926 msgid "Usage: AddUser " msgstr "" -#: controlpanel.cpp:930 +#: controlpanel.cpp:931 msgid "Error: User {1} already exists!" msgstr "" -#: controlpanel.cpp:942 controlpanel.cpp:1017 +#: controlpanel.cpp:943 controlpanel.cpp:1018 msgid "Error: User not added: {1}" msgstr "" -#: controlpanel.cpp:946 controlpanel.cpp:1021 +#: controlpanel.cpp:947 controlpanel.cpp:1022 msgid "User {1} added!" msgstr "" -#: controlpanel.cpp:953 +#: controlpanel.cpp:954 msgid "Error: You need to have admin rights to delete users!" msgstr "" -#: controlpanel.cpp:959 +#: controlpanel.cpp:960 msgid "Usage: DelUser " msgstr "" -#: controlpanel.cpp:971 +#: controlpanel.cpp:972 msgid "Error: You can't delete yourself!" msgstr "" -#: controlpanel.cpp:977 +#: controlpanel.cpp:978 msgid "Error: Internal error!" msgstr "" -#: controlpanel.cpp:981 +#: controlpanel.cpp:982 msgid "User {1} deleted!" msgstr "" -#: controlpanel.cpp:996 +#: controlpanel.cpp:997 msgid "Usage: CloneUser " msgstr "" -#: controlpanel.cpp:1011 +#: controlpanel.cpp:1012 msgid "Error: Cloning failed: {1}" msgstr "" -#: controlpanel.cpp:1040 +#: controlpanel.cpp:1041 msgid "Usage: AddNetwork [user] network" msgstr "" -#: controlpanel.cpp:1046 +#: controlpanel.cpp:1047 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks using /znc DelNetwork " msgstr "" -#: controlpanel.cpp:1054 +#: controlpanel.cpp:1055 msgid "Error: User {1} already has a network with the name {2}" msgstr "" -#: controlpanel.cpp:1061 +#: controlpanel.cpp:1062 msgid "Network {1} added to user {2}." msgstr "" -#: controlpanel.cpp:1065 +#: controlpanel.cpp:1066 msgid "Error: Network [{1}] could not be added for user {2}: {3}" msgstr "" -#: controlpanel.cpp:1085 +#: controlpanel.cpp:1086 msgid "Usage: DelNetwork [user] network" msgstr "" -#: controlpanel.cpp:1096 +#: controlpanel.cpp:1097 msgid "The currently active network can be deleted via {1}status" msgstr "" -#: controlpanel.cpp:1102 +#: controlpanel.cpp:1103 msgid "Network {1} deleted for user {2}." msgstr "" -#: controlpanel.cpp:1106 +#: controlpanel.cpp:1107 msgid "Error: Network {1} could not be deleted for user {2}." msgstr "" -#: controlpanel.cpp:1125 controlpanel.cpp:1133 +#: controlpanel.cpp:1126 controlpanel.cpp:1134 msgctxt "listnetworks" msgid "Network" msgstr "" -#: controlpanel.cpp:1126 controlpanel.cpp:1135 controlpanel.cpp:1143 +#: controlpanel.cpp:1127 controlpanel.cpp:1136 controlpanel.cpp:1144 msgctxt "listnetworks" msgid "OnIRC" msgstr "" -#: controlpanel.cpp:1127 controlpanel.cpp:1136 +#: controlpanel.cpp:1128 controlpanel.cpp:1137 msgctxt "listnetworks" msgid "IRC Server" msgstr "" -#: controlpanel.cpp:1128 controlpanel.cpp:1138 +#: controlpanel.cpp:1129 controlpanel.cpp:1139 msgctxt "listnetworks" msgid "IRC User" msgstr "" -#: controlpanel.cpp:1129 controlpanel.cpp:1140 +#: controlpanel.cpp:1130 controlpanel.cpp:1141 msgctxt "listnetworks" msgid "Channels" msgstr "" -#: controlpanel.cpp:1148 +#: controlpanel.cpp:1149 msgid "No networks" msgstr "" -#: controlpanel.cpp:1159 +#: controlpanel.cpp:1160 msgid "Usage: AddServer [[+]port] [password]" msgstr "" -#: controlpanel.cpp:1173 +#: controlpanel.cpp:1174 msgid "Added IRC Server {1} to network {2} for user {3}." msgstr "" -#: controlpanel.cpp:1177 +#: controlpanel.cpp:1178 msgid "Error: Could not add IRC server {1} to network {2} for user {3}." msgstr "" -#: controlpanel.cpp:1190 +#: controlpanel.cpp:1191 msgid "Usage: DelServer [[+]port] [password]" msgstr "" -#: controlpanel.cpp:1205 +#: controlpanel.cpp:1206 msgid "Deleted IRC Server {1} from network {2} for user {3}." msgstr "" -#: controlpanel.cpp:1209 +#: controlpanel.cpp:1210 msgid "Error: Could not delete IRC server {1} from network {2} for user {3}." msgstr "" -#: controlpanel.cpp:1219 +#: controlpanel.cpp:1220 msgid "Usage: Reconnect " msgstr "" -#: controlpanel.cpp:1246 +#: controlpanel.cpp:1247 msgid "Queued network {1} of user {2} for a reconnect." msgstr "" -#: controlpanel.cpp:1255 +#: controlpanel.cpp:1256 msgid "Usage: Disconnect " msgstr "" -#: controlpanel.cpp:1270 +#: controlpanel.cpp:1271 msgid "Closed IRC connection for network {1} of user {2}." msgstr "" -#: controlpanel.cpp:1285 controlpanel.cpp:1290 -msgctxt "listctcp" -msgid "Request" -msgstr "" - #: controlpanel.cpp:1286 controlpanel.cpp:1291 msgctxt "listctcp" +msgid "Request" +msgstr "" + +#: controlpanel.cpp:1287 controlpanel.cpp:1292 +msgctxt "listctcp" msgid "Reply" msgstr "" -#: controlpanel.cpp:1295 +#: controlpanel.cpp:1296 msgid "No CTCP replies for user {1} are configured" msgstr "" -#: controlpanel.cpp:1298 +#: controlpanel.cpp:1299 msgid "CTCP replies for user {1}:" msgstr "" -#: controlpanel.cpp:1314 +#: controlpanel.cpp:1315 msgid "Usage: AddCTCP [user] [request] [reply]" msgstr "" -#: controlpanel.cpp:1316 +#: controlpanel.cpp:1317 msgid "" "This will cause ZNC to reply to the CTCP instead of forwarding it to clients." msgstr "" -#: controlpanel.cpp:1319 +#: controlpanel.cpp:1320 msgid "An empty reply will cause the CTCP request to be blocked." msgstr "" -#: controlpanel.cpp:1328 +#: controlpanel.cpp:1329 msgid "CTCP requests {1} to user {2} will now be blocked." msgstr "" -#: controlpanel.cpp:1332 +#: controlpanel.cpp:1333 msgid "CTCP requests {1} to user {2} will now get reply: {3}" msgstr "" -#: controlpanel.cpp:1349 +#: controlpanel.cpp:1350 msgid "Usage: DelCTCP [user] [request]" msgstr "" -#: controlpanel.cpp:1355 +#: controlpanel.cpp:1356 msgid "CTCP requests {1} to user {2} will now be sent to IRC clients" msgstr "" -#: controlpanel.cpp:1359 +#: controlpanel.cpp:1360 msgid "" "CTCP requests {1} to user {2} will be sent to IRC clients (nothing has " "changed)" msgstr "" -#: controlpanel.cpp:1369 controlpanel.cpp:1443 +#: controlpanel.cpp:1370 controlpanel.cpp:1444 msgid "Loading modules has been disabled." msgstr "" -#: controlpanel.cpp:1378 +#: controlpanel.cpp:1379 msgid "Error: Unable to load module {1}: {2}" msgstr "" -#: controlpanel.cpp:1381 +#: controlpanel.cpp:1382 msgid "Loaded module {1}" msgstr "" -#: controlpanel.cpp:1386 +#: controlpanel.cpp:1387 msgid "Error: Unable to reload module {1}: {2}" msgstr "" -#: controlpanel.cpp:1389 +#: controlpanel.cpp:1390 msgid "Reloaded module {1}" msgstr "" -#: controlpanel.cpp:1393 +#: controlpanel.cpp:1394 msgid "Error: Unable to load module {1} because it is already loaded" msgstr "" -#: controlpanel.cpp:1404 +#: controlpanel.cpp:1405 msgid "Usage: LoadModule [args]" msgstr "" -#: controlpanel.cpp:1423 +#: controlpanel.cpp:1424 msgid "Usage: LoadNetModule [args]" msgstr "" -#: controlpanel.cpp:1448 +#: controlpanel.cpp:1449 msgid "Please use /znc unloadmod {1}" msgstr "" -#: controlpanel.cpp:1454 +#: controlpanel.cpp:1455 msgid "Error: Unable to unload module {1}: {2}" msgstr "" -#: controlpanel.cpp:1457 +#: controlpanel.cpp:1458 msgid "Unloaded module {1}" msgstr "" -#: controlpanel.cpp:1466 +#: controlpanel.cpp:1467 msgid "Usage: UnloadModule " msgstr "" -#: controlpanel.cpp:1483 +#: controlpanel.cpp:1484 msgid "Usage: UnloadNetModule " msgstr "" -#: controlpanel.cpp:1500 controlpanel.cpp:1506 -msgctxt "listmodules" -msgid "Name" -msgstr "" - #: controlpanel.cpp:1501 controlpanel.cpp:1507 msgctxt "listmodules" +msgid "Name" +msgstr "" + +#: controlpanel.cpp:1502 controlpanel.cpp:1508 +msgctxt "listmodules" msgid "Arguments" msgstr "" -#: controlpanel.cpp:1526 +#: controlpanel.cpp:1527 msgid "User {1} has no modules loaded." msgstr "" -#: controlpanel.cpp:1530 +#: controlpanel.cpp:1531 msgid "Modules loaded for user {1}:" msgstr "" -#: controlpanel.cpp:1550 +#: controlpanel.cpp:1551 msgid "Network {1} of user {2} has no modules loaded." msgstr "" -#: controlpanel.cpp:1555 +#: controlpanel.cpp:1556 msgid "Modules loaded for network {1} of user {2}:" msgstr "" -#: controlpanel.cpp:1562 +#: controlpanel.cpp:1563 msgid "[command] [variable]" msgstr "" -#: controlpanel.cpp:1563 +#: controlpanel.cpp:1564 msgid "Prints help for matching commands and variables" msgstr "" -#: controlpanel.cpp:1566 +#: controlpanel.cpp:1567 msgid " [username]" msgstr "" -#: controlpanel.cpp:1567 +#: controlpanel.cpp:1568 msgid "Prints the variable's value for the given or current user" msgstr "" -#: controlpanel.cpp:1569 +#: controlpanel.cpp:1570 msgid " " msgstr "" -#: controlpanel.cpp:1570 +#: controlpanel.cpp:1571 msgid "Sets the variable's value for the given user" msgstr "" -#: controlpanel.cpp:1572 +#: controlpanel.cpp:1573 msgid " [username] [network]" msgstr "" -#: controlpanel.cpp:1573 +#: controlpanel.cpp:1574 msgid "Prints the variable's value for the given network" msgstr "" -#: controlpanel.cpp:1575 +#: controlpanel.cpp:1576 msgid " " msgstr "" -#: controlpanel.cpp:1576 +#: controlpanel.cpp:1577 msgid "Sets the variable's value for the given network" msgstr "" -#: controlpanel.cpp:1578 +#: controlpanel.cpp:1579 msgid " [username] " msgstr "" -#: controlpanel.cpp:1579 +#: controlpanel.cpp:1580 msgid "Prints the variable's value for the given channel" msgstr "" -#: controlpanel.cpp:1582 +#: controlpanel.cpp:1583 msgid " " msgstr "" -#: controlpanel.cpp:1583 +#: controlpanel.cpp:1584 msgid "Sets the variable's value for the given channel" msgstr "" -#: controlpanel.cpp:1585 controlpanel.cpp:1588 +#: controlpanel.cpp:1586 controlpanel.cpp:1589 msgid " " msgstr "" -#: controlpanel.cpp:1586 +#: controlpanel.cpp:1587 msgid "Adds a new channel" msgstr "" -#: controlpanel.cpp:1589 +#: controlpanel.cpp:1590 msgid "Deletes a channel" msgstr "" -#: controlpanel.cpp:1591 +#: controlpanel.cpp:1592 msgid "Lists users" msgstr "" -#: controlpanel.cpp:1593 +#: controlpanel.cpp:1594 msgid " " msgstr "" -#: controlpanel.cpp:1594 +#: controlpanel.cpp:1595 msgid "Adds a new user" msgstr "" -#: controlpanel.cpp:1596 controlpanel.cpp:1619 controlpanel.cpp:1633 +#: controlpanel.cpp:1597 controlpanel.cpp:1620 controlpanel.cpp:1634 msgid "" msgstr "" -#: controlpanel.cpp:1596 +#: controlpanel.cpp:1597 msgid "Deletes a user" msgstr "" -#: controlpanel.cpp:1598 +#: controlpanel.cpp:1599 msgid " " msgstr "" -#: controlpanel.cpp:1599 +#: controlpanel.cpp:1600 msgid "Clones a user" msgstr "" -#: controlpanel.cpp:1601 controlpanel.cpp:1604 +#: controlpanel.cpp:1602 controlpanel.cpp:1605 msgid " " msgstr "" -#: controlpanel.cpp:1602 +#: controlpanel.cpp:1603 msgid "Adds a new IRC server for the given or current user" msgstr "" -#: controlpanel.cpp:1605 +#: controlpanel.cpp:1606 msgid "Deletes an IRC server from the given or current user" msgstr "" -#: controlpanel.cpp:1607 controlpanel.cpp:1610 controlpanel.cpp:1630 +#: controlpanel.cpp:1608 controlpanel.cpp:1611 controlpanel.cpp:1631 msgid " " msgstr "" -#: controlpanel.cpp:1608 +#: controlpanel.cpp:1609 msgid "Cycles the user's IRC server connection" msgstr "" -#: controlpanel.cpp:1611 +#: controlpanel.cpp:1612 msgid "Disconnects the user from their IRC server" msgstr "" -#: controlpanel.cpp:1613 +#: controlpanel.cpp:1614 msgid " [args]" msgstr "" -#: controlpanel.cpp:1614 +#: controlpanel.cpp:1615 msgid "Loads a Module for a user" msgstr "" -#: controlpanel.cpp:1616 +#: controlpanel.cpp:1617 msgid " " msgstr "" -#: controlpanel.cpp:1617 +#: controlpanel.cpp:1618 msgid "Removes a Module of a user" msgstr "" -#: controlpanel.cpp:1620 +#: controlpanel.cpp:1621 msgid "Get the list of modules for a user" msgstr "" -#: controlpanel.cpp:1623 +#: controlpanel.cpp:1624 msgid " [args]" msgstr "" -#: controlpanel.cpp:1624 +#: controlpanel.cpp:1625 msgid "Loads a Module for a network" msgstr "" -#: controlpanel.cpp:1627 +#: controlpanel.cpp:1628 msgid " " msgstr "" -#: controlpanel.cpp:1628 +#: controlpanel.cpp:1629 msgid "Removes a Module of a network" msgstr "" -#: controlpanel.cpp:1631 +#: controlpanel.cpp:1632 msgid "Get the list of modules for a network" msgstr "" -#: controlpanel.cpp:1634 +#: controlpanel.cpp:1635 msgid "List the configured CTCP replies" msgstr "" -#: controlpanel.cpp:1636 +#: controlpanel.cpp:1637 msgid " [reply]" msgstr "" -#: controlpanel.cpp:1637 +#: controlpanel.cpp:1638 msgid "Configure a new CTCP reply" msgstr "" -#: controlpanel.cpp:1639 +#: controlpanel.cpp:1640 msgid " " msgstr "" -#: controlpanel.cpp:1640 +#: controlpanel.cpp:1641 msgid "Remove a CTCP reply" msgstr "" -#: controlpanel.cpp:1644 controlpanel.cpp:1647 +#: controlpanel.cpp:1645 controlpanel.cpp:1648 msgid "[username] " msgstr "" -#: controlpanel.cpp:1645 +#: controlpanel.cpp:1646 msgid "Add a network for a user" msgstr "" -#: controlpanel.cpp:1648 +#: controlpanel.cpp:1649 msgid "Delete a network for a user" msgstr "" -#: controlpanel.cpp:1650 +#: controlpanel.cpp:1651 msgid "[username]" msgstr "" -#: controlpanel.cpp:1651 +#: controlpanel.cpp:1652 msgid "List all networks for a user" msgstr "" -#: controlpanel.cpp:1664 +#: controlpanel.cpp:1665 msgid "" "Dynamic configuration through IRC. Allows editing only yourself if you're " "not ZNC admin." diff --git a/modules/po/controlpanel.pt_BR.po b/modules/po/controlpanel.pt_BR.po index a65fadf0..19a4cc24 100644 --- a/modules/po/controlpanel.pt_BR.po +++ b/modules/po/controlpanel.pt_BR.po @@ -36,680 +36,680 @@ msgstr "" msgid "Number" msgstr "" -#: controlpanel.cpp:125 +#: controlpanel.cpp:126 msgid "The following variables are available when using the Set/Get commands:" msgstr "" -#: controlpanel.cpp:149 +#: controlpanel.cpp:150 msgid "" "The following variables are available when using the SetNetwork/GetNetwork " "commands:" msgstr "" -#: controlpanel.cpp:163 +#: controlpanel.cpp:164 msgid "" "The following variables are available when using the SetChan/GetChan " "commands:" msgstr "" -#: controlpanel.cpp:170 +#: controlpanel.cpp:171 msgid "" "You can use $user as the user name and $network as the network name for " "modifying your own user and network." msgstr "" -#: controlpanel.cpp:179 controlpanel.cpp:966 controlpanel.cpp:1003 +#: controlpanel.cpp:180 controlpanel.cpp:967 controlpanel.cpp:1004 msgid "Error: User [{1}] does not exist!" msgstr "" -#: controlpanel.cpp:184 +#: controlpanel.cpp:185 msgid "Error: You need to have admin rights to modify other users!" msgstr "" -#: controlpanel.cpp:194 +#: controlpanel.cpp:195 msgid "Error: You cannot use $network to modify other users!" msgstr "" -#: controlpanel.cpp:202 +#: controlpanel.cpp:203 msgid "Error: User {1} does not have a network named [{2}]." msgstr "" -#: controlpanel.cpp:214 +#: controlpanel.cpp:215 msgid "Usage: Get [username]" msgstr "" -#: controlpanel.cpp:304 controlpanel.cpp:507 controlpanel.cpp:582 -#: controlpanel.cpp:658 controlpanel.cpp:793 controlpanel.cpp:878 +#: controlpanel.cpp:305 controlpanel.cpp:508 controlpanel.cpp:583 +#: controlpanel.cpp:659 controlpanel.cpp:794 controlpanel.cpp:879 msgid "Error: Unknown variable" msgstr "" -#: controlpanel.cpp:313 +#: controlpanel.cpp:314 msgid "Usage: Set " msgstr "" -#: controlpanel.cpp:335 controlpanel.cpp:623 +#: controlpanel.cpp:336 controlpanel.cpp:624 msgid "This bind host is already set!" msgstr "" -#: controlpanel.cpp:342 controlpanel.cpp:354 controlpanel.cpp:362 -#: controlpanel.cpp:425 controlpanel.cpp:444 controlpanel.cpp:460 -#: controlpanel.cpp:470 controlpanel.cpp:630 +#: controlpanel.cpp:343 controlpanel.cpp:355 controlpanel.cpp:363 +#: controlpanel.cpp:426 controlpanel.cpp:445 controlpanel.cpp:461 +#: controlpanel.cpp:471 controlpanel.cpp:631 msgid "Access denied!" msgstr "" -#: controlpanel.cpp:376 controlpanel.cpp:385 controlpanel.cpp:842 +#: controlpanel.cpp:377 controlpanel.cpp:386 controlpanel.cpp:843 msgid "Setting failed, limit for buffer size is {1}" msgstr "" -#: controlpanel.cpp:405 +#: controlpanel.cpp:406 msgid "Password has been changed!" msgstr "A senha foi alterada!" -#: controlpanel.cpp:413 +#: controlpanel.cpp:414 msgid "Timeout can't be less than 30 seconds!" msgstr "" -#: controlpanel.cpp:477 +#: controlpanel.cpp:478 msgid "That would be a bad idea!" msgstr "" -#: controlpanel.cpp:495 +#: controlpanel.cpp:496 msgid "Supported languages: {1}" msgstr "Idiomas suportados: {1}" -#: controlpanel.cpp:519 +#: controlpanel.cpp:520 msgid "Usage: GetNetwork [username] [network]" msgstr "" -#: controlpanel.cpp:538 +#: controlpanel.cpp:539 msgid "Error: A network must be specified to get another users settings." msgstr "" -#: controlpanel.cpp:544 +#: controlpanel.cpp:545 msgid "You are not currently attached to a network." msgstr "" -#: controlpanel.cpp:550 +#: controlpanel.cpp:551 msgid "Error: Invalid network." msgstr "" -#: controlpanel.cpp:594 +#: controlpanel.cpp:595 msgid "Usage: SetNetwork " msgstr "" -#: controlpanel.cpp:668 +#: controlpanel.cpp:669 msgid "Usage: AddChan " msgstr "" -#: controlpanel.cpp:681 +#: controlpanel.cpp:682 msgid "Error: User {1} already has a channel named {2}." msgstr "" -#: controlpanel.cpp:688 +#: controlpanel.cpp:689 msgid "Channel {1} for user {2} added to network {3}." msgstr "" -#: controlpanel.cpp:692 +#: controlpanel.cpp:693 msgid "" "Could not add channel {1} for user {2} to network {3}, does it already exist?" msgstr "" -#: controlpanel.cpp:702 +#: controlpanel.cpp:703 msgid "Usage: DelChan " msgstr "" -#: controlpanel.cpp:717 +#: controlpanel.cpp:718 msgid "Error: User {1} does not have any channel matching [{2}] in network {3}" msgstr "" -#: controlpanel.cpp:730 +#: controlpanel.cpp:731 msgid "Channel {1} is deleted from network {2} of user {3}" msgid_plural "Channels {1} are deleted from network {2} of user {3}" msgstr[0] "" msgstr[1] "" -#: controlpanel.cpp:745 +#: controlpanel.cpp:746 msgid "Usage: GetChan " msgstr "" -#: controlpanel.cpp:759 controlpanel.cpp:823 +#: controlpanel.cpp:760 controlpanel.cpp:824 msgid "Error: No channels matching [{1}] found." msgstr "" -#: controlpanel.cpp:808 +#: controlpanel.cpp:809 msgid "Usage: SetChan " msgstr "" -#: controlpanel.cpp:889 controlpanel.cpp:899 -msgctxt "listusers" -msgid "Username" -msgstr "" - #: controlpanel.cpp:890 controlpanel.cpp:900 msgctxt "listusers" +msgid "Username" +msgstr "" + +#: controlpanel.cpp:891 controlpanel.cpp:901 +msgctxt "listusers" msgid "Realname" msgstr "" -#: controlpanel.cpp:891 controlpanel.cpp:903 controlpanel.cpp:905 +#: controlpanel.cpp:892 controlpanel.cpp:904 controlpanel.cpp:906 msgctxt "listusers" msgid "IsAdmin" msgstr "Administrador" -#: controlpanel.cpp:892 controlpanel.cpp:906 +#: controlpanel.cpp:893 controlpanel.cpp:907 msgctxt "listusers" msgid "Nick" msgstr "Apelido" -#: controlpanel.cpp:893 controlpanel.cpp:907 +#: controlpanel.cpp:894 controlpanel.cpp:908 msgctxt "listusers" msgid "AltNick" msgstr "Apelido alternativo" -#: controlpanel.cpp:894 controlpanel.cpp:908 +#: controlpanel.cpp:895 controlpanel.cpp:909 msgctxt "listusers" msgid "Ident" msgstr "" -#: controlpanel.cpp:895 controlpanel.cpp:909 +#: controlpanel.cpp:896 controlpanel.cpp:910 msgctxt "listusers" msgid "BindHost" msgstr "" -#: controlpanel.cpp:903 controlpanel.cpp:1143 +#: controlpanel.cpp:904 controlpanel.cpp:1144 msgid "No" msgstr "Não" -#: controlpanel.cpp:905 controlpanel.cpp:1135 +#: controlpanel.cpp:906 controlpanel.cpp:1136 msgid "Yes" msgstr "Sim" -#: controlpanel.cpp:919 controlpanel.cpp:988 +#: controlpanel.cpp:920 controlpanel.cpp:989 msgid "Error: You need to have admin rights to add new users!" msgstr "" -#: controlpanel.cpp:925 +#: controlpanel.cpp:926 msgid "Usage: AddUser " msgstr "" -#: controlpanel.cpp:930 +#: controlpanel.cpp:931 msgid "Error: User {1} already exists!" msgstr "" -#: controlpanel.cpp:942 controlpanel.cpp:1017 +#: controlpanel.cpp:943 controlpanel.cpp:1018 msgid "Error: User not added: {1}" msgstr "" -#: controlpanel.cpp:946 controlpanel.cpp:1021 +#: controlpanel.cpp:947 controlpanel.cpp:1022 msgid "User {1} added!" msgstr "" -#: controlpanel.cpp:953 +#: controlpanel.cpp:954 msgid "Error: You need to have admin rights to delete users!" msgstr "" -#: controlpanel.cpp:959 +#: controlpanel.cpp:960 msgid "Usage: DelUser " msgstr "" -#: controlpanel.cpp:971 +#: controlpanel.cpp:972 msgid "Error: You can't delete yourself!" msgstr "" -#: controlpanel.cpp:977 +#: controlpanel.cpp:978 msgid "Error: Internal error!" msgstr "" -#: controlpanel.cpp:981 +#: controlpanel.cpp:982 msgid "User {1} deleted!" msgstr "" -#: controlpanel.cpp:996 +#: controlpanel.cpp:997 msgid "Usage: CloneUser " msgstr "" -#: controlpanel.cpp:1011 +#: controlpanel.cpp:1012 msgid "Error: Cloning failed: {1}" msgstr "" -#: controlpanel.cpp:1040 +#: controlpanel.cpp:1041 msgid "Usage: AddNetwork [user] network" msgstr "" -#: controlpanel.cpp:1046 +#: controlpanel.cpp:1047 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks using /znc DelNetwork " msgstr "" -#: controlpanel.cpp:1054 +#: controlpanel.cpp:1055 msgid "Error: User {1} already has a network with the name {2}" msgstr "" -#: controlpanel.cpp:1061 +#: controlpanel.cpp:1062 msgid "Network {1} added to user {2}." msgstr "" -#: controlpanel.cpp:1065 +#: controlpanel.cpp:1066 msgid "Error: Network [{1}] could not be added for user {2}: {3}" msgstr "" -#: controlpanel.cpp:1085 +#: controlpanel.cpp:1086 msgid "Usage: DelNetwork [user] network" msgstr "" -#: controlpanel.cpp:1096 +#: controlpanel.cpp:1097 msgid "The currently active network can be deleted via {1}status" msgstr "" -#: controlpanel.cpp:1102 +#: controlpanel.cpp:1103 msgid "Network {1} deleted for user {2}." msgstr "" -#: controlpanel.cpp:1106 +#: controlpanel.cpp:1107 msgid "Error: Network {1} could not be deleted for user {2}." msgstr "" -#: controlpanel.cpp:1125 controlpanel.cpp:1133 +#: controlpanel.cpp:1126 controlpanel.cpp:1134 msgctxt "listnetworks" msgid "Network" msgstr "" -#: controlpanel.cpp:1126 controlpanel.cpp:1135 controlpanel.cpp:1143 +#: controlpanel.cpp:1127 controlpanel.cpp:1136 controlpanel.cpp:1144 msgctxt "listnetworks" msgid "OnIRC" msgstr "" -#: controlpanel.cpp:1127 controlpanel.cpp:1136 +#: controlpanel.cpp:1128 controlpanel.cpp:1137 msgctxt "listnetworks" msgid "IRC Server" msgstr "" -#: controlpanel.cpp:1128 controlpanel.cpp:1138 +#: controlpanel.cpp:1129 controlpanel.cpp:1139 msgctxt "listnetworks" msgid "IRC User" msgstr "" -#: controlpanel.cpp:1129 controlpanel.cpp:1140 +#: controlpanel.cpp:1130 controlpanel.cpp:1141 msgctxt "listnetworks" msgid "Channels" msgstr "" -#: controlpanel.cpp:1148 +#: controlpanel.cpp:1149 msgid "No networks" msgstr "" -#: controlpanel.cpp:1159 +#: controlpanel.cpp:1160 msgid "Usage: AddServer [[+]port] [password]" msgstr "" -#: controlpanel.cpp:1173 +#: controlpanel.cpp:1174 msgid "Added IRC Server {1} to network {2} for user {3}." msgstr "" -#: controlpanel.cpp:1177 +#: controlpanel.cpp:1178 msgid "Error: Could not add IRC server {1} to network {2} for user {3}." msgstr "" -#: controlpanel.cpp:1190 +#: controlpanel.cpp:1191 msgid "Usage: DelServer [[+]port] [password]" msgstr "" -#: controlpanel.cpp:1205 +#: controlpanel.cpp:1206 msgid "Deleted IRC Server {1} from network {2} for user {3}." msgstr "" -#: controlpanel.cpp:1209 +#: controlpanel.cpp:1210 msgid "Error: Could not delete IRC server {1} from network {2} for user {3}." msgstr "" -#: controlpanel.cpp:1219 +#: controlpanel.cpp:1220 msgid "Usage: Reconnect " msgstr "" -#: controlpanel.cpp:1246 +#: controlpanel.cpp:1247 msgid "Queued network {1} of user {2} for a reconnect." msgstr "" -#: controlpanel.cpp:1255 +#: controlpanel.cpp:1256 msgid "Usage: Disconnect " msgstr "" -#: controlpanel.cpp:1270 +#: controlpanel.cpp:1271 msgid "Closed IRC connection for network {1} of user {2}." msgstr "" -#: controlpanel.cpp:1285 controlpanel.cpp:1290 -msgctxt "listctcp" -msgid "Request" -msgstr "" - #: controlpanel.cpp:1286 controlpanel.cpp:1291 msgctxt "listctcp" +msgid "Request" +msgstr "" + +#: controlpanel.cpp:1287 controlpanel.cpp:1292 +msgctxt "listctcp" msgid "Reply" msgstr "" -#: controlpanel.cpp:1295 +#: controlpanel.cpp:1296 msgid "No CTCP replies for user {1} are configured" msgstr "" -#: controlpanel.cpp:1298 +#: controlpanel.cpp:1299 msgid "CTCP replies for user {1}:" msgstr "" -#: controlpanel.cpp:1314 +#: controlpanel.cpp:1315 msgid "Usage: AddCTCP [user] [request] [reply]" msgstr "" -#: controlpanel.cpp:1316 +#: controlpanel.cpp:1317 msgid "" "This will cause ZNC to reply to the CTCP instead of forwarding it to clients." msgstr "" -#: controlpanel.cpp:1319 +#: controlpanel.cpp:1320 msgid "An empty reply will cause the CTCP request to be blocked." msgstr "" -#: controlpanel.cpp:1328 +#: controlpanel.cpp:1329 msgid "CTCP requests {1} to user {2} will now be blocked." msgstr "" -#: controlpanel.cpp:1332 +#: controlpanel.cpp:1333 msgid "CTCP requests {1} to user {2} will now get reply: {3}" msgstr "" -#: controlpanel.cpp:1349 +#: controlpanel.cpp:1350 msgid "Usage: DelCTCP [user] [request]" msgstr "" -#: controlpanel.cpp:1355 +#: controlpanel.cpp:1356 msgid "CTCP requests {1} to user {2} will now be sent to IRC clients" msgstr "" -#: controlpanel.cpp:1359 +#: controlpanel.cpp:1360 msgid "" "CTCP requests {1} to user {2} will be sent to IRC clients (nothing has " "changed)" msgstr "" -#: controlpanel.cpp:1369 controlpanel.cpp:1443 +#: controlpanel.cpp:1370 controlpanel.cpp:1444 msgid "Loading modules has been disabled." msgstr "" -#: controlpanel.cpp:1378 +#: controlpanel.cpp:1379 msgid "Error: Unable to load module {1}: {2}" msgstr "" -#: controlpanel.cpp:1381 +#: controlpanel.cpp:1382 msgid "Loaded module {1}" msgstr "" -#: controlpanel.cpp:1386 +#: controlpanel.cpp:1387 msgid "Error: Unable to reload module {1}: {2}" msgstr "" -#: controlpanel.cpp:1389 +#: controlpanel.cpp:1390 msgid "Reloaded module {1}" msgstr "" -#: controlpanel.cpp:1393 +#: controlpanel.cpp:1394 msgid "Error: Unable to load module {1} because it is already loaded" msgstr "" -#: controlpanel.cpp:1404 +#: controlpanel.cpp:1405 msgid "Usage: LoadModule [args]" msgstr "" -#: controlpanel.cpp:1423 +#: controlpanel.cpp:1424 msgid "Usage: LoadNetModule [args]" msgstr "" -#: controlpanel.cpp:1448 +#: controlpanel.cpp:1449 msgid "Please use /znc unloadmod {1}" msgstr "" -#: controlpanel.cpp:1454 +#: controlpanel.cpp:1455 msgid "Error: Unable to unload module {1}: {2}" msgstr "" -#: controlpanel.cpp:1457 +#: controlpanel.cpp:1458 msgid "Unloaded module {1}" msgstr "" -#: controlpanel.cpp:1466 +#: controlpanel.cpp:1467 msgid "Usage: UnloadModule " msgstr "" -#: controlpanel.cpp:1483 +#: controlpanel.cpp:1484 msgid "Usage: UnloadNetModule " msgstr "" -#: controlpanel.cpp:1500 controlpanel.cpp:1506 -msgctxt "listmodules" -msgid "Name" -msgstr "" - #: controlpanel.cpp:1501 controlpanel.cpp:1507 msgctxt "listmodules" +msgid "Name" +msgstr "" + +#: controlpanel.cpp:1502 controlpanel.cpp:1508 +msgctxt "listmodules" msgid "Arguments" msgstr "" -#: controlpanel.cpp:1526 +#: controlpanel.cpp:1527 msgid "User {1} has no modules loaded." msgstr "" -#: controlpanel.cpp:1530 +#: controlpanel.cpp:1531 msgid "Modules loaded for user {1}:" msgstr "" -#: controlpanel.cpp:1550 +#: controlpanel.cpp:1551 msgid "Network {1} of user {2} has no modules loaded." msgstr "" -#: controlpanel.cpp:1555 +#: controlpanel.cpp:1556 msgid "Modules loaded for network {1} of user {2}:" msgstr "" -#: controlpanel.cpp:1562 +#: controlpanel.cpp:1563 msgid "[command] [variable]" msgstr "" -#: controlpanel.cpp:1563 +#: controlpanel.cpp:1564 msgid "Prints help for matching commands and variables" msgstr "" -#: controlpanel.cpp:1566 +#: controlpanel.cpp:1567 msgid " [username]" msgstr "" -#: controlpanel.cpp:1567 +#: controlpanel.cpp:1568 msgid "Prints the variable's value for the given or current user" msgstr "" -#: controlpanel.cpp:1569 +#: controlpanel.cpp:1570 msgid " " msgstr "" -#: controlpanel.cpp:1570 +#: controlpanel.cpp:1571 msgid "Sets the variable's value for the given user" msgstr "" -#: controlpanel.cpp:1572 +#: controlpanel.cpp:1573 msgid " [username] [network]" msgstr "" -#: controlpanel.cpp:1573 +#: controlpanel.cpp:1574 msgid "Prints the variable's value for the given network" msgstr "" -#: controlpanel.cpp:1575 +#: controlpanel.cpp:1576 msgid " " msgstr "" -#: controlpanel.cpp:1576 +#: controlpanel.cpp:1577 msgid "Sets the variable's value for the given network" msgstr "" -#: controlpanel.cpp:1578 +#: controlpanel.cpp:1579 msgid " [username] " msgstr "" -#: controlpanel.cpp:1579 +#: controlpanel.cpp:1580 msgid "Prints the variable's value for the given channel" msgstr "" -#: controlpanel.cpp:1582 +#: controlpanel.cpp:1583 msgid " " msgstr "" -#: controlpanel.cpp:1583 +#: controlpanel.cpp:1584 msgid "Sets the variable's value for the given channel" msgstr "" -#: controlpanel.cpp:1585 controlpanel.cpp:1588 +#: controlpanel.cpp:1586 controlpanel.cpp:1589 msgid " " msgstr "" -#: controlpanel.cpp:1586 +#: controlpanel.cpp:1587 msgid "Adds a new channel" msgstr "" -#: controlpanel.cpp:1589 +#: controlpanel.cpp:1590 msgid "Deletes a channel" msgstr "" -#: controlpanel.cpp:1591 +#: controlpanel.cpp:1592 msgid "Lists users" msgstr "" -#: controlpanel.cpp:1593 +#: controlpanel.cpp:1594 msgid " " msgstr "" -#: controlpanel.cpp:1594 +#: controlpanel.cpp:1595 msgid "Adds a new user" msgstr "" -#: controlpanel.cpp:1596 controlpanel.cpp:1619 controlpanel.cpp:1633 +#: controlpanel.cpp:1597 controlpanel.cpp:1620 controlpanel.cpp:1634 msgid "" msgstr "" -#: controlpanel.cpp:1596 +#: controlpanel.cpp:1597 msgid "Deletes a user" msgstr "" -#: controlpanel.cpp:1598 +#: controlpanel.cpp:1599 msgid " " msgstr "" -#: controlpanel.cpp:1599 +#: controlpanel.cpp:1600 msgid "Clones a user" msgstr "" -#: controlpanel.cpp:1601 controlpanel.cpp:1604 +#: controlpanel.cpp:1602 controlpanel.cpp:1605 msgid " " msgstr "" -#: controlpanel.cpp:1602 +#: controlpanel.cpp:1603 msgid "Adds a new IRC server for the given or current user" msgstr "" -#: controlpanel.cpp:1605 +#: controlpanel.cpp:1606 msgid "Deletes an IRC server from the given or current user" msgstr "" -#: controlpanel.cpp:1607 controlpanel.cpp:1610 controlpanel.cpp:1630 +#: controlpanel.cpp:1608 controlpanel.cpp:1611 controlpanel.cpp:1631 msgid " " msgstr "" -#: controlpanel.cpp:1608 +#: controlpanel.cpp:1609 msgid "Cycles the user's IRC server connection" msgstr "" -#: controlpanel.cpp:1611 +#: controlpanel.cpp:1612 msgid "Disconnects the user from their IRC server" msgstr "" -#: controlpanel.cpp:1613 +#: controlpanel.cpp:1614 msgid " [args]" msgstr "" -#: controlpanel.cpp:1614 +#: controlpanel.cpp:1615 msgid "Loads a Module for a user" msgstr "" -#: controlpanel.cpp:1616 +#: controlpanel.cpp:1617 msgid " " msgstr "" -#: controlpanel.cpp:1617 +#: controlpanel.cpp:1618 msgid "Removes a Module of a user" msgstr "" -#: controlpanel.cpp:1620 +#: controlpanel.cpp:1621 msgid "Get the list of modules for a user" msgstr "" -#: controlpanel.cpp:1623 +#: controlpanel.cpp:1624 msgid " [args]" msgstr "" -#: controlpanel.cpp:1624 +#: controlpanel.cpp:1625 msgid "Loads a Module for a network" msgstr "" -#: controlpanel.cpp:1627 +#: controlpanel.cpp:1628 msgid " " msgstr "" -#: controlpanel.cpp:1628 +#: controlpanel.cpp:1629 msgid "Removes a Module of a network" msgstr "" -#: controlpanel.cpp:1631 +#: controlpanel.cpp:1632 msgid "Get the list of modules for a network" msgstr "" -#: controlpanel.cpp:1634 +#: controlpanel.cpp:1635 msgid "List the configured CTCP replies" msgstr "" -#: controlpanel.cpp:1636 +#: controlpanel.cpp:1637 msgid " [reply]" msgstr "" -#: controlpanel.cpp:1637 +#: controlpanel.cpp:1638 msgid "Configure a new CTCP reply" msgstr "" -#: controlpanel.cpp:1639 +#: controlpanel.cpp:1640 msgid " " msgstr "" -#: controlpanel.cpp:1640 +#: controlpanel.cpp:1641 msgid "Remove a CTCP reply" msgstr "" -#: controlpanel.cpp:1644 controlpanel.cpp:1647 +#: controlpanel.cpp:1645 controlpanel.cpp:1648 msgid "[username] " msgstr "" -#: controlpanel.cpp:1645 +#: controlpanel.cpp:1646 msgid "Add a network for a user" msgstr "" -#: controlpanel.cpp:1648 +#: controlpanel.cpp:1649 msgid "Delete a network for a user" msgstr "" -#: controlpanel.cpp:1650 +#: controlpanel.cpp:1651 msgid "[username]" msgstr "" -#: controlpanel.cpp:1651 +#: controlpanel.cpp:1652 msgid "List all networks for a user" msgstr "" -#: controlpanel.cpp:1664 +#: controlpanel.cpp:1665 msgid "" "Dynamic configuration through IRC. Allows editing only yourself if you're " "not ZNC admin." diff --git a/modules/po/controlpanel.ru_RU.po b/modules/po/controlpanel.ru_RU.po index 8edc9609..9e430926 100644 --- a/modules/po/controlpanel.ru_RU.po +++ b/modules/po/controlpanel.ru_RU.po @@ -38,133 +38,133 @@ msgstr "" msgid "Number" msgstr "" -#: controlpanel.cpp:125 +#: controlpanel.cpp:126 msgid "The following variables are available when using the Set/Get commands:" msgstr "" -#: controlpanel.cpp:149 +#: controlpanel.cpp:150 msgid "" "The following variables are available when using the SetNetwork/GetNetwork " "commands:" msgstr "" -#: controlpanel.cpp:163 +#: controlpanel.cpp:164 msgid "" "The following variables are available when using the SetChan/GetChan " "commands:" msgstr "" -#: controlpanel.cpp:170 +#: controlpanel.cpp:171 msgid "" "You can use $user as the user name and $network as the network name for " "modifying your own user and network." msgstr "" -#: controlpanel.cpp:179 controlpanel.cpp:966 controlpanel.cpp:1003 +#: controlpanel.cpp:180 controlpanel.cpp:967 controlpanel.cpp:1004 msgid "Error: User [{1}] does not exist!" msgstr "" -#: controlpanel.cpp:184 +#: controlpanel.cpp:185 msgid "Error: You need to have admin rights to modify other users!" msgstr "" -#: controlpanel.cpp:194 +#: controlpanel.cpp:195 msgid "Error: You cannot use $network to modify other users!" msgstr "" -#: controlpanel.cpp:202 +#: controlpanel.cpp:203 msgid "Error: User {1} does not have a network named [{2}]." msgstr "" -#: controlpanel.cpp:214 +#: controlpanel.cpp:215 msgid "Usage: Get [username]" msgstr "" -#: controlpanel.cpp:304 controlpanel.cpp:507 controlpanel.cpp:582 -#: controlpanel.cpp:658 controlpanel.cpp:793 controlpanel.cpp:878 +#: controlpanel.cpp:305 controlpanel.cpp:508 controlpanel.cpp:583 +#: controlpanel.cpp:659 controlpanel.cpp:794 controlpanel.cpp:879 msgid "Error: Unknown variable" msgstr "" -#: controlpanel.cpp:313 +#: controlpanel.cpp:314 msgid "Usage: Set " msgstr "" -#: controlpanel.cpp:335 controlpanel.cpp:623 +#: controlpanel.cpp:336 controlpanel.cpp:624 msgid "This bind host is already set!" msgstr "" -#: controlpanel.cpp:342 controlpanel.cpp:354 controlpanel.cpp:362 -#: controlpanel.cpp:425 controlpanel.cpp:444 controlpanel.cpp:460 -#: controlpanel.cpp:470 controlpanel.cpp:630 +#: controlpanel.cpp:343 controlpanel.cpp:355 controlpanel.cpp:363 +#: controlpanel.cpp:426 controlpanel.cpp:445 controlpanel.cpp:461 +#: controlpanel.cpp:471 controlpanel.cpp:631 msgid "Access denied!" msgstr "" -#: controlpanel.cpp:376 controlpanel.cpp:385 controlpanel.cpp:842 +#: controlpanel.cpp:377 controlpanel.cpp:386 controlpanel.cpp:843 msgid "Setting failed, limit for buffer size is {1}" msgstr "" -#: controlpanel.cpp:405 +#: controlpanel.cpp:406 msgid "Password has been changed!" msgstr "" -#: controlpanel.cpp:413 +#: controlpanel.cpp:414 msgid "Timeout can't be less than 30 seconds!" msgstr "" -#: controlpanel.cpp:477 +#: controlpanel.cpp:478 msgid "That would be a bad idea!" msgstr "" -#: controlpanel.cpp:495 +#: controlpanel.cpp:496 msgid "Supported languages: {1}" msgstr "" -#: controlpanel.cpp:519 +#: controlpanel.cpp:520 msgid "Usage: GetNetwork [username] [network]" msgstr "" -#: controlpanel.cpp:538 +#: controlpanel.cpp:539 msgid "Error: A network must be specified to get another users settings." msgstr "" -#: controlpanel.cpp:544 +#: controlpanel.cpp:545 msgid "You are not currently attached to a network." msgstr "" -#: controlpanel.cpp:550 +#: controlpanel.cpp:551 msgid "Error: Invalid network." msgstr "" -#: controlpanel.cpp:594 +#: controlpanel.cpp:595 msgid "Usage: SetNetwork " msgstr "" -#: controlpanel.cpp:668 +#: controlpanel.cpp:669 msgid "Usage: AddChan " msgstr "" -#: controlpanel.cpp:681 +#: controlpanel.cpp:682 msgid "Error: User {1} already has a channel named {2}." msgstr "" -#: controlpanel.cpp:688 +#: controlpanel.cpp:689 msgid "Channel {1} for user {2} added to network {3}." msgstr "" -#: controlpanel.cpp:692 +#: controlpanel.cpp:693 msgid "" "Could not add channel {1} for user {2} to network {3}, does it already exist?" msgstr "" -#: controlpanel.cpp:702 +#: controlpanel.cpp:703 msgid "Usage: DelChan " msgstr "" -#: controlpanel.cpp:717 +#: controlpanel.cpp:718 msgid "Error: User {1} does not have any channel matching [{2}] in network {3}" msgstr "" -#: controlpanel.cpp:730 +#: controlpanel.cpp:731 msgid "Channel {1} is deleted from network {2} of user {3}" msgid_plural "Channels {1} are deleted from network {2} of user {3}" msgstr[0] "" @@ -172,548 +172,548 @@ msgstr[1] "" msgstr[2] "" msgstr[3] "" -#: controlpanel.cpp:745 +#: controlpanel.cpp:746 msgid "Usage: GetChan " msgstr "" -#: controlpanel.cpp:759 controlpanel.cpp:823 +#: controlpanel.cpp:760 controlpanel.cpp:824 msgid "Error: No channels matching [{1}] found." msgstr "" -#: controlpanel.cpp:808 +#: controlpanel.cpp:809 msgid "Usage: SetChan " msgstr "" -#: controlpanel.cpp:889 controlpanel.cpp:899 -msgctxt "listusers" -msgid "Username" -msgstr "" - #: controlpanel.cpp:890 controlpanel.cpp:900 msgctxt "listusers" +msgid "Username" +msgstr "" + +#: controlpanel.cpp:891 controlpanel.cpp:901 +msgctxt "listusers" msgid "Realname" msgstr "" -#: controlpanel.cpp:891 controlpanel.cpp:903 controlpanel.cpp:905 +#: controlpanel.cpp:892 controlpanel.cpp:904 controlpanel.cpp:906 msgctxt "listusers" msgid "IsAdmin" msgstr "" -#: controlpanel.cpp:892 controlpanel.cpp:906 +#: controlpanel.cpp:893 controlpanel.cpp:907 msgctxt "listusers" msgid "Nick" msgstr "" -#: controlpanel.cpp:893 controlpanel.cpp:907 +#: controlpanel.cpp:894 controlpanel.cpp:908 msgctxt "listusers" msgid "AltNick" msgstr "" -#: controlpanel.cpp:894 controlpanel.cpp:908 +#: controlpanel.cpp:895 controlpanel.cpp:909 msgctxt "listusers" msgid "Ident" msgstr "" -#: controlpanel.cpp:895 controlpanel.cpp:909 +#: controlpanel.cpp:896 controlpanel.cpp:910 msgctxt "listusers" msgid "BindHost" msgstr "" -#: controlpanel.cpp:903 controlpanel.cpp:1143 +#: controlpanel.cpp:904 controlpanel.cpp:1144 msgid "No" msgstr "" -#: controlpanel.cpp:905 controlpanel.cpp:1135 +#: controlpanel.cpp:906 controlpanel.cpp:1136 msgid "Yes" msgstr "" -#: controlpanel.cpp:919 controlpanel.cpp:988 +#: controlpanel.cpp:920 controlpanel.cpp:989 msgid "Error: You need to have admin rights to add new users!" msgstr "" -#: controlpanel.cpp:925 +#: controlpanel.cpp:926 msgid "Usage: AddUser " msgstr "" -#: controlpanel.cpp:930 +#: controlpanel.cpp:931 msgid "Error: User {1} already exists!" msgstr "" -#: controlpanel.cpp:942 controlpanel.cpp:1017 +#: controlpanel.cpp:943 controlpanel.cpp:1018 msgid "Error: User not added: {1}" msgstr "" -#: controlpanel.cpp:946 controlpanel.cpp:1021 +#: controlpanel.cpp:947 controlpanel.cpp:1022 msgid "User {1} added!" msgstr "" -#: controlpanel.cpp:953 +#: controlpanel.cpp:954 msgid "Error: You need to have admin rights to delete users!" msgstr "" -#: controlpanel.cpp:959 +#: controlpanel.cpp:960 msgid "Usage: DelUser " msgstr "" -#: controlpanel.cpp:971 +#: controlpanel.cpp:972 msgid "Error: You can't delete yourself!" msgstr "" -#: controlpanel.cpp:977 +#: controlpanel.cpp:978 msgid "Error: Internal error!" msgstr "" -#: controlpanel.cpp:981 +#: controlpanel.cpp:982 msgid "User {1} deleted!" msgstr "" -#: controlpanel.cpp:996 +#: controlpanel.cpp:997 msgid "Usage: CloneUser " msgstr "" -#: controlpanel.cpp:1011 +#: controlpanel.cpp:1012 msgid "Error: Cloning failed: {1}" msgstr "" -#: controlpanel.cpp:1040 +#: controlpanel.cpp:1041 msgid "Usage: AddNetwork [user] network" msgstr "" -#: controlpanel.cpp:1046 +#: controlpanel.cpp:1047 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks using /znc DelNetwork " msgstr "" -#: controlpanel.cpp:1054 +#: controlpanel.cpp:1055 msgid "Error: User {1} already has a network with the name {2}" msgstr "" -#: controlpanel.cpp:1061 +#: controlpanel.cpp:1062 msgid "Network {1} added to user {2}." msgstr "" -#: controlpanel.cpp:1065 +#: controlpanel.cpp:1066 msgid "Error: Network [{1}] could not be added for user {2}: {3}" msgstr "" -#: controlpanel.cpp:1085 +#: controlpanel.cpp:1086 msgid "Usage: DelNetwork [user] network" msgstr "" -#: controlpanel.cpp:1096 +#: controlpanel.cpp:1097 msgid "The currently active network can be deleted via {1}status" msgstr "" -#: controlpanel.cpp:1102 +#: controlpanel.cpp:1103 msgid "Network {1} deleted for user {2}." msgstr "" -#: controlpanel.cpp:1106 +#: controlpanel.cpp:1107 msgid "Error: Network {1} could not be deleted for user {2}." msgstr "" -#: controlpanel.cpp:1125 controlpanel.cpp:1133 +#: controlpanel.cpp:1126 controlpanel.cpp:1134 msgctxt "listnetworks" msgid "Network" msgstr "" -#: controlpanel.cpp:1126 controlpanel.cpp:1135 controlpanel.cpp:1143 +#: controlpanel.cpp:1127 controlpanel.cpp:1136 controlpanel.cpp:1144 msgctxt "listnetworks" msgid "OnIRC" msgstr "" -#: controlpanel.cpp:1127 controlpanel.cpp:1136 +#: controlpanel.cpp:1128 controlpanel.cpp:1137 msgctxt "listnetworks" msgid "IRC Server" msgstr "" -#: controlpanel.cpp:1128 controlpanel.cpp:1138 +#: controlpanel.cpp:1129 controlpanel.cpp:1139 msgctxt "listnetworks" msgid "IRC User" msgstr "" -#: controlpanel.cpp:1129 controlpanel.cpp:1140 +#: controlpanel.cpp:1130 controlpanel.cpp:1141 msgctxt "listnetworks" msgid "Channels" msgstr "" -#: controlpanel.cpp:1148 +#: controlpanel.cpp:1149 msgid "No networks" msgstr "" -#: controlpanel.cpp:1159 +#: controlpanel.cpp:1160 msgid "Usage: AddServer [[+]port] [password]" msgstr "" -#: controlpanel.cpp:1173 +#: controlpanel.cpp:1174 msgid "Added IRC Server {1} to network {2} for user {3}." msgstr "" -#: controlpanel.cpp:1177 +#: controlpanel.cpp:1178 msgid "Error: Could not add IRC server {1} to network {2} for user {3}." msgstr "" -#: controlpanel.cpp:1190 +#: controlpanel.cpp:1191 msgid "Usage: DelServer [[+]port] [password]" msgstr "" -#: controlpanel.cpp:1205 +#: controlpanel.cpp:1206 msgid "Deleted IRC Server {1} from network {2} for user {3}." msgstr "" -#: controlpanel.cpp:1209 +#: controlpanel.cpp:1210 msgid "Error: Could not delete IRC server {1} from network {2} for user {3}." msgstr "" -#: controlpanel.cpp:1219 +#: controlpanel.cpp:1220 msgid "Usage: Reconnect " msgstr "" -#: controlpanel.cpp:1246 +#: controlpanel.cpp:1247 msgid "Queued network {1} of user {2} for a reconnect." msgstr "" -#: controlpanel.cpp:1255 +#: controlpanel.cpp:1256 msgid "Usage: Disconnect " msgstr "" -#: controlpanel.cpp:1270 +#: controlpanel.cpp:1271 msgid "Closed IRC connection for network {1} of user {2}." msgstr "" -#: controlpanel.cpp:1285 controlpanel.cpp:1290 -msgctxt "listctcp" -msgid "Request" -msgstr "" - #: controlpanel.cpp:1286 controlpanel.cpp:1291 msgctxt "listctcp" +msgid "Request" +msgstr "" + +#: controlpanel.cpp:1287 controlpanel.cpp:1292 +msgctxt "listctcp" msgid "Reply" msgstr "" -#: controlpanel.cpp:1295 +#: controlpanel.cpp:1296 msgid "No CTCP replies for user {1} are configured" msgstr "" -#: controlpanel.cpp:1298 +#: controlpanel.cpp:1299 msgid "CTCP replies for user {1}:" msgstr "" -#: controlpanel.cpp:1314 +#: controlpanel.cpp:1315 msgid "Usage: AddCTCP [user] [request] [reply]" msgstr "" -#: controlpanel.cpp:1316 +#: controlpanel.cpp:1317 msgid "" "This will cause ZNC to reply to the CTCP instead of forwarding it to clients." msgstr "" -#: controlpanel.cpp:1319 +#: controlpanel.cpp:1320 msgid "An empty reply will cause the CTCP request to be blocked." msgstr "" -#: controlpanel.cpp:1328 +#: controlpanel.cpp:1329 msgid "CTCP requests {1} to user {2} will now be blocked." msgstr "" -#: controlpanel.cpp:1332 +#: controlpanel.cpp:1333 msgid "CTCP requests {1} to user {2} will now get reply: {3}" msgstr "" -#: controlpanel.cpp:1349 +#: controlpanel.cpp:1350 msgid "Usage: DelCTCP [user] [request]" msgstr "" -#: controlpanel.cpp:1355 +#: controlpanel.cpp:1356 msgid "CTCP requests {1} to user {2} will now be sent to IRC clients" msgstr "" -#: controlpanel.cpp:1359 +#: controlpanel.cpp:1360 msgid "" "CTCP requests {1} to user {2} will be sent to IRC clients (nothing has " "changed)" msgstr "" -#: controlpanel.cpp:1369 controlpanel.cpp:1443 +#: controlpanel.cpp:1370 controlpanel.cpp:1444 msgid "Loading modules has been disabled." msgstr "" -#: controlpanel.cpp:1378 +#: controlpanel.cpp:1379 msgid "Error: Unable to load module {1}: {2}" msgstr "" -#: controlpanel.cpp:1381 +#: controlpanel.cpp:1382 msgid "Loaded module {1}" msgstr "" -#: controlpanel.cpp:1386 +#: controlpanel.cpp:1387 msgid "Error: Unable to reload module {1}: {2}" msgstr "" -#: controlpanel.cpp:1389 +#: controlpanel.cpp:1390 msgid "Reloaded module {1}" msgstr "" -#: controlpanel.cpp:1393 +#: controlpanel.cpp:1394 msgid "Error: Unable to load module {1} because it is already loaded" msgstr "" -#: controlpanel.cpp:1404 +#: controlpanel.cpp:1405 msgid "Usage: LoadModule [args]" msgstr "" -#: controlpanel.cpp:1423 +#: controlpanel.cpp:1424 msgid "Usage: LoadNetModule [args]" msgstr "" -#: controlpanel.cpp:1448 +#: controlpanel.cpp:1449 msgid "Please use /znc unloadmod {1}" msgstr "" -#: controlpanel.cpp:1454 +#: controlpanel.cpp:1455 msgid "Error: Unable to unload module {1}: {2}" msgstr "" -#: controlpanel.cpp:1457 +#: controlpanel.cpp:1458 msgid "Unloaded module {1}" msgstr "" -#: controlpanel.cpp:1466 +#: controlpanel.cpp:1467 msgid "Usage: UnloadModule " msgstr "" -#: controlpanel.cpp:1483 +#: controlpanel.cpp:1484 msgid "Usage: UnloadNetModule " msgstr "" -#: controlpanel.cpp:1500 controlpanel.cpp:1506 -msgctxt "listmodules" -msgid "Name" -msgstr "" - #: controlpanel.cpp:1501 controlpanel.cpp:1507 msgctxt "listmodules" +msgid "Name" +msgstr "" + +#: controlpanel.cpp:1502 controlpanel.cpp:1508 +msgctxt "listmodules" msgid "Arguments" msgstr "" -#: controlpanel.cpp:1526 +#: controlpanel.cpp:1527 msgid "User {1} has no modules loaded." msgstr "" -#: controlpanel.cpp:1530 +#: controlpanel.cpp:1531 msgid "Modules loaded for user {1}:" msgstr "" -#: controlpanel.cpp:1550 +#: controlpanel.cpp:1551 msgid "Network {1} of user {2} has no modules loaded." msgstr "" -#: controlpanel.cpp:1555 +#: controlpanel.cpp:1556 msgid "Modules loaded for network {1} of user {2}:" msgstr "" -#: controlpanel.cpp:1562 +#: controlpanel.cpp:1563 msgid "[command] [variable]" msgstr "" -#: controlpanel.cpp:1563 +#: controlpanel.cpp:1564 msgid "Prints help for matching commands and variables" msgstr "" -#: controlpanel.cpp:1566 +#: controlpanel.cpp:1567 msgid " [username]" msgstr "" -#: controlpanel.cpp:1567 +#: controlpanel.cpp:1568 msgid "Prints the variable's value for the given or current user" msgstr "" -#: controlpanel.cpp:1569 +#: controlpanel.cpp:1570 msgid " " msgstr "" -#: controlpanel.cpp:1570 +#: controlpanel.cpp:1571 msgid "Sets the variable's value for the given user" msgstr "" -#: controlpanel.cpp:1572 +#: controlpanel.cpp:1573 msgid " [username] [network]" msgstr "" -#: controlpanel.cpp:1573 +#: controlpanel.cpp:1574 msgid "Prints the variable's value for the given network" msgstr "" -#: controlpanel.cpp:1575 +#: controlpanel.cpp:1576 msgid " " msgstr "" -#: controlpanel.cpp:1576 +#: controlpanel.cpp:1577 msgid "Sets the variable's value for the given network" msgstr "" -#: controlpanel.cpp:1578 +#: controlpanel.cpp:1579 msgid " [username] " msgstr "" -#: controlpanel.cpp:1579 +#: controlpanel.cpp:1580 msgid "Prints the variable's value for the given channel" msgstr "" -#: controlpanel.cpp:1582 +#: controlpanel.cpp:1583 msgid " " msgstr "" -#: controlpanel.cpp:1583 +#: controlpanel.cpp:1584 msgid "Sets the variable's value for the given channel" msgstr "" -#: controlpanel.cpp:1585 controlpanel.cpp:1588 +#: controlpanel.cpp:1586 controlpanel.cpp:1589 msgid " " msgstr "" -#: controlpanel.cpp:1586 +#: controlpanel.cpp:1587 msgid "Adds a new channel" msgstr "" -#: controlpanel.cpp:1589 +#: controlpanel.cpp:1590 msgid "Deletes a channel" msgstr "" -#: controlpanel.cpp:1591 +#: controlpanel.cpp:1592 msgid "Lists users" msgstr "" -#: controlpanel.cpp:1593 +#: controlpanel.cpp:1594 msgid " " msgstr "" -#: controlpanel.cpp:1594 +#: controlpanel.cpp:1595 msgid "Adds a new user" msgstr "" -#: controlpanel.cpp:1596 controlpanel.cpp:1619 controlpanel.cpp:1633 +#: controlpanel.cpp:1597 controlpanel.cpp:1620 controlpanel.cpp:1634 msgid "" msgstr "" -#: controlpanel.cpp:1596 +#: controlpanel.cpp:1597 msgid "Deletes a user" msgstr "" -#: controlpanel.cpp:1598 +#: controlpanel.cpp:1599 msgid " " msgstr "" -#: controlpanel.cpp:1599 +#: controlpanel.cpp:1600 msgid "Clones a user" msgstr "" -#: controlpanel.cpp:1601 controlpanel.cpp:1604 +#: controlpanel.cpp:1602 controlpanel.cpp:1605 msgid " " msgstr "" -#: controlpanel.cpp:1602 +#: controlpanel.cpp:1603 msgid "Adds a new IRC server for the given or current user" msgstr "" -#: controlpanel.cpp:1605 +#: controlpanel.cpp:1606 msgid "Deletes an IRC server from the given or current user" msgstr "" -#: controlpanel.cpp:1607 controlpanel.cpp:1610 controlpanel.cpp:1630 +#: controlpanel.cpp:1608 controlpanel.cpp:1611 controlpanel.cpp:1631 msgid " " msgstr "" -#: controlpanel.cpp:1608 +#: controlpanel.cpp:1609 msgid "Cycles the user's IRC server connection" msgstr "" -#: controlpanel.cpp:1611 +#: controlpanel.cpp:1612 msgid "Disconnects the user from their IRC server" msgstr "" -#: controlpanel.cpp:1613 +#: controlpanel.cpp:1614 msgid " [args]" msgstr "" -#: controlpanel.cpp:1614 +#: controlpanel.cpp:1615 msgid "Loads a Module for a user" msgstr "" -#: controlpanel.cpp:1616 +#: controlpanel.cpp:1617 msgid " " msgstr "" -#: controlpanel.cpp:1617 +#: controlpanel.cpp:1618 msgid "Removes a Module of a user" msgstr "" -#: controlpanel.cpp:1620 +#: controlpanel.cpp:1621 msgid "Get the list of modules for a user" msgstr "" -#: controlpanel.cpp:1623 +#: controlpanel.cpp:1624 msgid " [args]" msgstr "" -#: controlpanel.cpp:1624 +#: controlpanel.cpp:1625 msgid "Loads a Module for a network" msgstr "" -#: controlpanel.cpp:1627 +#: controlpanel.cpp:1628 msgid " " msgstr "" -#: controlpanel.cpp:1628 +#: controlpanel.cpp:1629 msgid "Removes a Module of a network" msgstr "" -#: controlpanel.cpp:1631 +#: controlpanel.cpp:1632 msgid "Get the list of modules for a network" msgstr "" -#: controlpanel.cpp:1634 +#: controlpanel.cpp:1635 msgid "List the configured CTCP replies" msgstr "" -#: controlpanel.cpp:1636 +#: controlpanel.cpp:1637 msgid " [reply]" msgstr "" -#: controlpanel.cpp:1637 +#: controlpanel.cpp:1638 msgid "Configure a new CTCP reply" msgstr "" -#: controlpanel.cpp:1639 +#: controlpanel.cpp:1640 msgid " " msgstr "" -#: controlpanel.cpp:1640 +#: controlpanel.cpp:1641 msgid "Remove a CTCP reply" msgstr "" -#: controlpanel.cpp:1644 controlpanel.cpp:1647 +#: controlpanel.cpp:1645 controlpanel.cpp:1648 msgid "[username] " msgstr "" -#: controlpanel.cpp:1645 +#: controlpanel.cpp:1646 msgid "Add a network for a user" msgstr "" -#: controlpanel.cpp:1648 +#: controlpanel.cpp:1649 msgid "Delete a network for a user" msgstr "" -#: controlpanel.cpp:1650 +#: controlpanel.cpp:1651 msgid "[username]" msgstr "" -#: controlpanel.cpp:1651 +#: controlpanel.cpp:1652 msgid "List all networks for a user" msgstr "" -#: controlpanel.cpp:1664 +#: controlpanel.cpp:1665 msgid "" "Dynamic configuration through IRC. Allows editing only yourself if you're " "not ZNC admin." diff --git a/modules/po/sasl.bg_BG.po b/modules/po/sasl.bg_BG.po index f380e109..d591ba98 100644 --- a/modules/po/sasl.bg_BG.po +++ b/modules/po/sasl.bg_BG.po @@ -10,7 +10,7 @@ msgstr "" "Language-Team: Bulgarian\n" "Language: bg_BG\n" -#: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:292 +#: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:301 msgid "SASL" msgstr "" @@ -157,15 +157,15 @@ msgstr "" msgid "Use 'RequireAuth no' to disable." msgstr "" -#: sasl.cpp:247 +#: sasl.cpp:256 msgid "{1} mechanism succeeded." msgstr "" -#: sasl.cpp:259 +#: sasl.cpp:268 msgid "{1} mechanism failed." msgstr "" -#: sasl.cpp:337 +#: sasl.cpp:346 msgid "" "Adds support for sasl authentication capability to authenticate to an IRC " "server" diff --git a/modules/po/sasl.de_DE.po b/modules/po/sasl.de_DE.po index fe9df94a..ef7f71cd 100644 --- a/modules/po/sasl.de_DE.po +++ b/modules/po/sasl.de_DE.po @@ -10,7 +10,7 @@ msgstr "" "Language-Team: German\n" "Language: de_DE\n" -#: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:292 +#: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:301 msgid "SASL" msgstr "" @@ -157,15 +157,15 @@ msgstr "" msgid "Use 'RequireAuth no' to disable." msgstr "" -#: sasl.cpp:247 +#: sasl.cpp:256 msgid "{1} mechanism succeeded." msgstr "" -#: sasl.cpp:259 +#: sasl.cpp:268 msgid "{1} mechanism failed." msgstr "" -#: sasl.cpp:337 +#: sasl.cpp:346 msgid "" "Adds support for sasl authentication capability to authenticate to an IRC " "server" diff --git a/modules/po/sasl.es_ES.po b/modules/po/sasl.es_ES.po index 966a1236..544a0f6c 100644 --- a/modules/po/sasl.es_ES.po +++ b/modules/po/sasl.es_ES.po @@ -10,7 +10,7 @@ msgstr "" "Language-Team: Spanish\n" "Language: es_ES\n" -#: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:292 +#: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:301 msgid "SASL" msgstr "SASL" @@ -161,15 +161,15 @@ msgstr "Deshabilitando red, necesitamos autenticación." msgid "Use 'RequireAuth no' to disable." msgstr "Ejecuta 'RequireAuth no' para desactivarlo." -#: sasl.cpp:247 +#: sasl.cpp:256 msgid "{1} mechanism succeeded." msgstr "Mecanismo {1} conseguido." -#: sasl.cpp:259 +#: sasl.cpp:268 msgid "{1} mechanism failed." msgstr "Mecanismo {1} fallido." -#: sasl.cpp:337 +#: sasl.cpp:346 msgid "" "Adds support for sasl authentication capability to authenticate to an IRC " "server" diff --git a/modules/po/sasl.fr_FR.po b/modules/po/sasl.fr_FR.po index 7fc883a7..1c2ec841 100644 --- a/modules/po/sasl.fr_FR.po +++ b/modules/po/sasl.fr_FR.po @@ -10,7 +10,7 @@ msgstr "" "Language-Team: French\n" "Language: fr_FR\n" -#: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:292 +#: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:301 msgid "SASL" msgstr "" @@ -157,15 +157,15 @@ msgstr "" msgid "Use 'RequireAuth no' to disable." msgstr "" -#: sasl.cpp:247 +#: sasl.cpp:256 msgid "{1} mechanism succeeded." msgstr "" -#: sasl.cpp:259 +#: sasl.cpp:268 msgid "{1} mechanism failed." msgstr "" -#: sasl.cpp:337 +#: sasl.cpp:346 msgid "" "Adds support for sasl authentication capability to authenticate to an IRC " "server" diff --git a/modules/po/sasl.id_ID.po b/modules/po/sasl.id_ID.po index cc93f345..9cfcaf64 100644 --- a/modules/po/sasl.id_ID.po +++ b/modules/po/sasl.id_ID.po @@ -10,7 +10,7 @@ msgstr "" "Language-Team: Indonesian\n" "Language: id_ID\n" -#: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:292 +#: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:301 msgid "SASL" msgstr "" @@ -157,15 +157,15 @@ msgstr "" msgid "Use 'RequireAuth no' to disable." msgstr "" -#: sasl.cpp:247 +#: sasl.cpp:256 msgid "{1} mechanism succeeded." msgstr "" -#: sasl.cpp:259 +#: sasl.cpp:268 msgid "{1} mechanism failed." msgstr "" -#: sasl.cpp:337 +#: sasl.cpp:346 msgid "" "Adds support for sasl authentication capability to authenticate to an IRC " "server" diff --git a/modules/po/sasl.it_IT.po b/modules/po/sasl.it_IT.po index 5d499f35..bd0c8d27 100644 --- a/modules/po/sasl.it_IT.po +++ b/modules/po/sasl.it_IT.po @@ -10,7 +10,7 @@ msgstr "" "Language-Team: Italian\n" "Language: it_IT\n" -#: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:292 +#: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:301 msgid "SASL" msgstr "SASL" @@ -162,15 +162,15 @@ msgstr "Disabilitando il network, è rischiesta l'autenticazione." msgid "Use 'RequireAuth no' to disable." msgstr "Usa 'RequireAuth no' per disabilitare." -#: sasl.cpp:247 +#: sasl.cpp:256 msgid "{1} mechanism succeeded." msgstr "{1} meccanismo riuscito." -#: sasl.cpp:259 +#: sasl.cpp:268 msgid "{1} mechanism failed." msgstr "{1} meccanismo fallito." -#: sasl.cpp:337 +#: sasl.cpp:346 msgid "" "Adds support for sasl authentication capability to authenticate to an IRC " "server" diff --git a/modules/po/sasl.nl_NL.po b/modules/po/sasl.nl_NL.po index 44dea84b..6d308890 100644 --- a/modules/po/sasl.nl_NL.po +++ b/modules/po/sasl.nl_NL.po @@ -10,7 +10,7 @@ msgstr "" "Language-Team: Dutch\n" "Language: nl_NL\n" -#: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:292 +#: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:301 msgid "SASL" msgstr "SASL" @@ -162,15 +162,15 @@ msgstr "Netwerk uitgeschakeld, we eisen authenticatie." msgid "Use 'RequireAuth no' to disable." msgstr "Gebruik 'RequireAuth no' om uit te schakelen." -#: sasl.cpp:247 +#: sasl.cpp:256 msgid "{1} mechanism succeeded." msgstr "{1} mechanisme gelukt." -#: sasl.cpp:259 +#: sasl.cpp:268 msgid "{1} mechanism failed." msgstr "{1} mechanisme gefaalt." -#: sasl.cpp:337 +#: sasl.cpp:346 msgid "" "Adds support for sasl authentication capability to authenticate to an IRC " "server" diff --git a/modules/po/sasl.pot b/modules/po/sasl.pot index 0173287a..b88abff9 100644 --- a/modules/po/sasl.pot +++ b/modules/po/sasl.pot @@ -3,7 +3,7 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -#: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:292 +#: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:301 msgid "SASL" msgstr "" @@ -150,15 +150,15 @@ msgstr "" msgid "Use 'RequireAuth no' to disable." msgstr "" -#: sasl.cpp:247 +#: sasl.cpp:256 msgid "{1} mechanism succeeded." msgstr "" -#: sasl.cpp:259 +#: sasl.cpp:268 msgid "{1} mechanism failed." msgstr "" -#: sasl.cpp:337 +#: sasl.cpp:346 msgid "" "Adds support for sasl authentication capability to authenticate to an IRC " "server" diff --git a/modules/po/sasl.pt_BR.po b/modules/po/sasl.pt_BR.po index 0dbd84d8..87dfacc2 100644 --- a/modules/po/sasl.pt_BR.po +++ b/modules/po/sasl.pt_BR.po @@ -10,7 +10,7 @@ msgstr "" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" -#: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:292 +#: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:301 msgid "SASL" msgstr "" @@ -157,15 +157,15 @@ msgstr "" msgid "Use 'RequireAuth no' to disable." msgstr "" -#: sasl.cpp:247 +#: sasl.cpp:256 msgid "{1} mechanism succeeded." msgstr "" -#: sasl.cpp:259 +#: sasl.cpp:268 msgid "{1} mechanism failed." msgstr "" -#: sasl.cpp:337 +#: sasl.cpp:346 msgid "" "Adds support for sasl authentication capability to authenticate to an IRC " "server" diff --git a/modules/po/sasl.ru_RU.po b/modules/po/sasl.ru_RU.po index acd3d1b4..55085702 100644 --- a/modules/po/sasl.ru_RU.po +++ b/modules/po/sasl.ru_RU.po @@ -12,7 +12,7 @@ msgstr "" "Language-Team: Russian\n" "Language: ru_RU\n" -#: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:292 +#: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:301 msgid "SASL" msgstr "" @@ -159,15 +159,15 @@ msgstr "" msgid "Use 'RequireAuth no' to disable." msgstr "" -#: sasl.cpp:247 +#: sasl.cpp:256 msgid "{1} mechanism succeeded." msgstr "" -#: sasl.cpp:259 +#: sasl.cpp:268 msgid "{1} mechanism failed." msgstr "" -#: sasl.cpp:337 +#: sasl.cpp:346 msgid "" "Adds support for sasl authentication capability to authenticate to an IRC " "server" diff --git a/modules/po/webadmin.bg_BG.po b/modules/po/webadmin.bg_BG.po index 87c1eb05..8d94f112 100644 --- a/modules/po/webadmin.bg_BG.po +++ b/modules/po/webadmin.bg_BG.po @@ -1151,7 +1151,7 @@ msgid "Deny LoadMod" msgstr "" #: webadmin.cpp:1551 -msgid "Admin" +msgid "Admin (dangerous! may gain shell access)" msgstr "" #: webadmin.cpp:1561 diff --git a/modules/po/webadmin.de_DE.po b/modules/po/webadmin.de_DE.po index cd73388c..972fc40d 100644 --- a/modules/po/webadmin.de_DE.po +++ b/modules/po/webadmin.de_DE.po @@ -1209,7 +1209,7 @@ msgid "Deny LoadMod" msgstr "" #: webadmin.cpp:1551 -msgid "Admin" +msgid "Admin (dangerous! may gain shell access)" msgstr "" #: webadmin.cpp:1561 diff --git a/modules/po/webadmin.es_ES.po b/modules/po/webadmin.es_ES.po index 22c237b7..4ce3083a 100644 --- a/modules/po/webadmin.es_ES.po +++ b/modules/po/webadmin.es_ES.po @@ -1219,8 +1219,8 @@ msgid "Deny LoadMod" msgstr "Bloquear LoadMod" #: webadmin.cpp:1551 -msgid "Admin" -msgstr "Admin" +msgid "Admin (dangerous! may gain shell access)" +msgstr "" #: webadmin.cpp:1561 msgid "Deny SetBindHost" diff --git a/modules/po/webadmin.fr_FR.po b/modules/po/webadmin.fr_FR.po index c34f4f8c..20311be6 100644 --- a/modules/po/webadmin.fr_FR.po +++ b/modules/po/webadmin.fr_FR.po @@ -1237,8 +1237,8 @@ msgid "Deny LoadMod" msgstr "Interdire LoadMod" #: webadmin.cpp:1551 -msgid "Admin" -msgstr "Admin" +msgid "Admin (dangerous! may gain shell access)" +msgstr "" #: webadmin.cpp:1561 msgid "Deny SetBindHost" diff --git a/modules/po/webadmin.id_ID.po b/modules/po/webadmin.id_ID.po index f8b44a26..3e997a9e 100644 --- a/modules/po/webadmin.id_ID.po +++ b/modules/po/webadmin.id_ID.po @@ -1151,7 +1151,7 @@ msgid "Deny LoadMod" msgstr "" #: webadmin.cpp:1551 -msgid "Admin" +msgid "Admin (dangerous! may gain shell access)" msgstr "" #: webadmin.cpp:1561 diff --git a/modules/po/webadmin.it_IT.po b/modules/po/webadmin.it_IT.po index 50c4767a..e6ccdd5d 100644 --- a/modules/po/webadmin.it_IT.po +++ b/modules/po/webadmin.it_IT.po @@ -1252,8 +1252,8 @@ msgid "Deny LoadMod" msgstr "Nega LoadMod" #: webadmin.cpp:1551 -msgid "Admin" -msgstr "Admin" +msgid "Admin (dangerous! may gain shell access)" +msgstr "" #: webadmin.cpp:1561 msgid "Deny SetBindHost" diff --git a/modules/po/webadmin.nl_NL.po b/modules/po/webadmin.nl_NL.po index 9c83952b..613ec193 100644 --- a/modules/po/webadmin.nl_NL.po +++ b/modules/po/webadmin.nl_NL.po @@ -1221,8 +1221,8 @@ msgid "Deny LoadMod" msgstr "Sta LoadMod niet toe" #: webadmin.cpp:1551 -msgid "Admin" -msgstr "Beheerder" +msgid "Admin (dangerous! may gain shell access)" +msgstr "" #: webadmin.cpp:1561 msgid "Deny SetBindHost" diff --git a/modules/po/webadmin.pot b/modules/po/webadmin.pot index 6632885f..b0f1bdca 100644 --- a/modules/po/webadmin.pot +++ b/modules/po/webadmin.pot @@ -1144,7 +1144,7 @@ msgid "Deny LoadMod" msgstr "" #: webadmin.cpp:1551 -msgid "Admin" +msgid "Admin (dangerous! may gain shell access)" msgstr "" #: webadmin.cpp:1561 diff --git a/modules/po/webadmin.pt_BR.po b/modules/po/webadmin.pt_BR.po index 0f143a39..53f73b79 100644 --- a/modules/po/webadmin.pt_BR.po +++ b/modules/po/webadmin.pt_BR.po @@ -1151,7 +1151,7 @@ msgid "Deny LoadMod" msgstr "" #: webadmin.cpp:1551 -msgid "Admin" +msgid "Admin (dangerous! may gain shell access)" msgstr "" #: webadmin.cpp:1561 diff --git a/modules/po/webadmin.ru_RU.po b/modules/po/webadmin.ru_RU.po index b57b546f..c8a3ccde 100644 --- a/modules/po/webadmin.ru_RU.po +++ b/modules/po/webadmin.ru_RU.po @@ -1212,8 +1212,8 @@ msgid "Deny LoadMod" msgstr "Запрет загрузки модулей" #: webadmin.cpp:1551 -msgid "Admin" -msgstr "Администратор" +msgid "Admin (dangerous! may gain shell access)" +msgstr "" #: webadmin.cpp:1561 msgid "Deny SetBindHost" diff --git a/src/po/znc.bg_BG.po b/src/po/znc.bg_BG.po index 34bf8aa6..9287862a 100644 --- a/src/po/znc.bg_BG.po +++ b/src/po/znc.bg_BG.po @@ -229,35 +229,35 @@ msgstr "" msgid "Removing channel {1}" msgstr "" -#: Client.cpp:1256 +#: Client.cpp:1258 msgid "Your message to {1} got lost, you are not connected to IRC!" msgstr "" -#: Client.cpp:1309 Client.cpp:1315 +#: Client.cpp:1311 Client.cpp:1317 msgid "Hello. How may I help you?" msgstr "" -#: Client.cpp:1329 +#: Client.cpp:1331 msgid "Usage: /attach <#chans>" msgstr "" -#: Client.cpp:1336 Client.cpp:1358 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: Client.cpp:1338 Client.cpp:1360 ClientCommand.cpp:129 ClientCommand.cpp:151 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" msgstr[0] "" msgstr[1] "" -#: Client.cpp:1339 ClientCommand.cpp:132 +#: Client.cpp:1341 ClientCommand.cpp:132 msgid "Attached {1} channel" msgid_plural "Attached {1} channels" msgstr[0] "" msgstr[1] "" -#: Client.cpp:1351 +#: Client.cpp:1353 msgid "Usage: /detach <#chans>" msgstr "" -#: Client.cpp:1361 ClientCommand.cpp:154 +#: Client.cpp:1363 ClientCommand.cpp:154 msgid "Detached {1} channel" msgid_plural "Detached {1} channels" msgstr[0] "" diff --git a/src/po/znc.de_DE.po b/src/po/znc.de_DE.po index 460ce587..1410a2b9 100644 --- a/src/po/znc.de_DE.po +++ b/src/po/znc.de_DE.po @@ -256,36 +256,36 @@ msgstr "" msgid "Removing channel {1}" msgstr "Entferne Kanal {1}" -#: Client.cpp:1256 +#: Client.cpp:1258 msgid "Your message to {1} got lost, you are not connected to IRC!" msgstr "" "Deine Nachricht an {1} wurde verloren, du bist nicht mit dem IRC verbunden!" -#: Client.cpp:1309 Client.cpp:1315 +#: Client.cpp:1311 Client.cpp:1317 msgid "Hello. How may I help you?" msgstr "Hallo. Wie kann ich dir helfen?" -#: Client.cpp:1329 +#: Client.cpp:1331 msgid "Usage: /attach <#chans>" msgstr "Verwendung: /attach <#Kanal>" -#: Client.cpp:1336 Client.cpp:1358 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: Client.cpp:1338 Client.cpp:1360 ClientCommand.cpp:129 ClientCommand.cpp:151 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" msgstr[0] "Es gibt einen Kanal, der auf [{2}] passt" msgstr[1] "Es gibt {1} Kanäle, die auf [{2}] passen" -#: Client.cpp:1339 ClientCommand.cpp:132 +#: Client.cpp:1341 ClientCommand.cpp:132 msgid "Attached {1} channel" msgid_plural "Attached {1} channels" msgstr[0] "Zu {1} Kanal verbunden" msgstr[1] "Zu {1} Kanälen verbunden" -#: Client.cpp:1351 +#: Client.cpp:1353 msgid "Usage: /detach <#chans>" msgstr "Verwendung: /detach <#Kanäle>" -#: Client.cpp:1361 ClientCommand.cpp:154 +#: Client.cpp:1363 ClientCommand.cpp:154 msgid "Detached {1} channel" msgid_plural "Detached {1} channels" msgstr[0] "Von {1} Kanal getrennt" diff --git a/src/po/znc.es_ES.po b/src/po/znc.es_ES.po index 8cb6404e..45a6ab33 100644 --- a/src/po/znc.es_ES.po +++ b/src/po/znc.es_ES.po @@ -245,35 +245,35 @@ msgstr "Tu notice a {1} se ha perdido, ¡no estás conectado al IRC!" msgid "Removing channel {1}" msgstr "Eliminando canal {1}" -#: Client.cpp:1256 +#: Client.cpp:1258 msgid "Your message to {1} got lost, you are not connected to IRC!" msgstr "Tu mensaje a {1} se ha perdido, ¡no estás conectado al IRC!" -#: Client.cpp:1309 Client.cpp:1315 +#: Client.cpp:1311 Client.cpp:1317 msgid "Hello. How may I help you?" msgstr "Hola. ¿En qué te puedo ayudar?" -#: Client.cpp:1329 +#: Client.cpp:1331 msgid "Usage: /attach <#chans>" msgstr "Uso: /attach <#canales>" -#: Client.cpp:1336 Client.cpp:1358 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: Client.cpp:1338 Client.cpp:1360 ClientCommand.cpp:129 ClientCommand.cpp:151 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" msgstr[0] "Hay {1} canal que coincide con [{2}]" msgstr[1] "Hay {1} canales que coinciden con [{2}]" -#: Client.cpp:1339 ClientCommand.cpp:132 +#: Client.cpp:1341 ClientCommand.cpp:132 msgid "Attached {1} channel" msgid_plural "Attached {1} channels" msgstr[0] "Vinculado a {1} canal" msgstr[1] "Unido a {1} canales" -#: Client.cpp:1351 +#: Client.cpp:1353 msgid "Usage: /detach <#chans>" msgstr "Uso: /detach <#canales>" -#: Client.cpp:1361 ClientCommand.cpp:154 +#: Client.cpp:1363 ClientCommand.cpp:154 msgid "Detached {1} channel" msgid_plural "Detached {1} channels" msgstr[0] "Desvinculado {1} canal" diff --git a/src/po/znc.fr_FR.po b/src/po/znc.fr_FR.po index 24e22c14..e4cfcde8 100644 --- a/src/po/znc.fr_FR.po +++ b/src/po/znc.fr_FR.po @@ -254,35 +254,35 @@ msgstr "Votre notice vers {1} a été perdue, vous n'êtes plus connecté à IRC msgid "Removing channel {1}" msgstr "Suppression du salon {1}" -#: Client.cpp:1256 +#: Client.cpp:1258 msgid "Your message to {1} got lost, you are not connected to IRC!" msgstr "Votre message à {1} a été perdu, vous n'êtes pas connecté à IRC !" -#: Client.cpp:1309 Client.cpp:1315 +#: Client.cpp:1311 Client.cpp:1317 msgid "Hello. How may I help you?" msgstr "Bonjour. Comment puis-je vous aider ?" -#: Client.cpp:1329 +#: Client.cpp:1331 msgid "Usage: /attach <#chans>" msgstr "Utilisation : /attach <#salons>" -#: Client.cpp:1336 Client.cpp:1358 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: Client.cpp:1338 Client.cpp:1360 ClientCommand.cpp:129 ClientCommand.cpp:151 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" msgstr[0] "Il y avait {1} salon correspondant [{2}]" msgstr[1] "Il y avait {1} salons correspondant [{2}]" -#: Client.cpp:1339 ClientCommand.cpp:132 +#: Client.cpp:1341 ClientCommand.cpp:132 msgid "Attached {1} channel" msgid_plural "Attached {1} channels" msgstr[0] "A attaché {1} salon" msgstr[1] "A attaché {1} salons" -#: Client.cpp:1351 +#: Client.cpp:1353 msgid "Usage: /detach <#chans>" msgstr "Utilisation : /detach <#salons>" -#: Client.cpp:1361 ClientCommand.cpp:154 +#: Client.cpp:1363 ClientCommand.cpp:154 msgid "Detached {1} channel" msgid_plural "Detached {1} channels" msgstr[0] "A détaché {1} salon" diff --git a/src/po/znc.id_ID.po b/src/po/znc.id_ID.po index 09ff7d5e..357de1bc 100644 --- a/src/po/znc.id_ID.po +++ b/src/po/znc.id_ID.po @@ -245,33 +245,33 @@ msgstr "Notice anda untuk {1} tersesat, anda tidak terhubung ke IRC!" msgid "Removing channel {1}" msgstr "Menghapus channel {1}" -#: Client.cpp:1256 +#: Client.cpp:1258 msgid "Your message to {1} got lost, you are not connected to IRC!" msgstr "Pesan anda untuk {1} tersesat, anda tidak terhubung ke IRC!" -#: Client.cpp:1309 Client.cpp:1315 +#: Client.cpp:1311 Client.cpp:1317 msgid "Hello. How may I help you?" msgstr "Halo. Bagaimana saya bisa membantu anda?" -#: Client.cpp:1329 +#: Client.cpp:1331 msgid "Usage: /attach <#chans>" msgstr "Gunakan: /attach <#chan>" -#: Client.cpp:1336 Client.cpp:1358 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: Client.cpp:1338 Client.cpp:1360 ClientCommand.cpp:129 ClientCommand.cpp:151 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" msgstr[0] "Ada {1} pencocokan saluran [{2}]" -#: Client.cpp:1339 ClientCommand.cpp:132 +#: Client.cpp:1341 ClientCommand.cpp:132 msgid "Attached {1} channel" msgid_plural "Attached {1} channels" msgstr[0] "" -#: Client.cpp:1351 +#: Client.cpp:1353 msgid "Usage: /detach <#chans>" msgstr "" -#: Client.cpp:1361 ClientCommand.cpp:154 +#: Client.cpp:1363 ClientCommand.cpp:154 msgid "Detached {1} channel" msgid_plural "Detached {1} channels" msgstr[0] "" diff --git a/src/po/znc.it_IT.po b/src/po/znc.it_IT.po index 71a7c7ed..b31b5114 100644 --- a/src/po/znc.it_IT.po +++ b/src/po/znc.it_IT.po @@ -250,35 +250,35 @@ msgstr "Il tuo NOTICE a {1} è andato perso, non sei connesso ad IRC!" msgid "Removing channel {1}" msgstr "Rimozione del canle {1}" -#: Client.cpp:1256 +#: Client.cpp:1258 msgid "Your message to {1} got lost, you are not connected to IRC!" msgstr "Il tuo messaggio a {1} è andato perso, non sei connesso ad IRC!" -#: Client.cpp:1309 Client.cpp:1315 +#: Client.cpp:1311 Client.cpp:1317 msgid "Hello. How may I help you?" msgstr "Ciao! Come posso aiutarti? Puoi iniziare a scrivere help" -#: Client.cpp:1329 +#: Client.cpp:1331 msgid "Usage: /attach <#chans>" msgstr "Usa: /attach <#canali>" -#: Client.cpp:1336 Client.cpp:1358 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: Client.cpp:1338 Client.cpp:1360 ClientCommand.cpp:129 ClientCommand.cpp:151 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" msgstr[0] "Trovato {1} canale corrispondente a [{2}]" msgstr[1] "Trovati {1} canali corrispondenti a [{2}]" -#: Client.cpp:1339 ClientCommand.cpp:132 +#: Client.cpp:1341 ClientCommand.cpp:132 msgid "Attached {1} channel" msgid_plural "Attached {1} channels" msgstr[0] "Agganciato {1} canale (Attached)" msgstr[1] "Agganciati {1} canali (Attached)" -#: Client.cpp:1351 +#: Client.cpp:1353 msgid "Usage: /detach <#chans>" msgstr "Usa: /detach <#canali>" -#: Client.cpp:1361 ClientCommand.cpp:154 +#: Client.cpp:1363 ClientCommand.cpp:154 msgid "Detached {1} channel" msgid_plural "Detached {1} channels" msgstr[0] "Scollegato {1} canale (Detached)" diff --git a/src/po/znc.nl_NL.po b/src/po/znc.nl_NL.po index 8cb9802e..b3a878a8 100644 --- a/src/po/znc.nl_NL.po +++ b/src/po/znc.nl_NL.po @@ -259,36 +259,36 @@ msgstr "" msgid "Removing channel {1}" msgstr "Kanaal verwijderen: {1}" -#: Client.cpp:1256 +#: Client.cpp:1258 msgid "Your message to {1} got lost, you are not connected to IRC!" msgstr "" "Je bericht naar {1} is verloren geraakt, je bent niet verbonden met IRC!" -#: Client.cpp:1309 Client.cpp:1315 +#: Client.cpp:1311 Client.cpp:1317 msgid "Hello. How may I help you?" msgstr "Hallo. Hoe kan ik je helpen?" -#: Client.cpp:1329 +#: Client.cpp:1331 msgid "Usage: /attach <#chans>" msgstr "Gebruik: /attach <#kanalen>" -#: Client.cpp:1336 Client.cpp:1358 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: Client.cpp:1338 Client.cpp:1360 ClientCommand.cpp:129 ClientCommand.cpp:151 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" msgstr[0] "Er was {1} kanaal overeenkomend met [{2}]" msgstr[1] "Er waren {1} kanalen overeenkomend met [{2}]" -#: Client.cpp:1339 ClientCommand.cpp:132 +#: Client.cpp:1341 ClientCommand.cpp:132 msgid "Attached {1} channel" msgid_plural "Attached {1} channels" msgstr[0] "Gekoppeld aan {1} kanaal" msgstr[1] "Gekoppeld aan {1} kanalen" -#: Client.cpp:1351 +#: Client.cpp:1353 msgid "Usage: /detach <#chans>" msgstr "Gebruik: /detach <#kanalen>" -#: Client.cpp:1361 ClientCommand.cpp:154 +#: Client.cpp:1363 ClientCommand.cpp:154 msgid "Detached {1} channel" msgid_plural "Detached {1} channels" msgstr[0] "Losgekoppeld van {1} kanaal" diff --git a/src/po/znc.pot b/src/po/znc.pot index e318797e..5a2c5fa4 100644 --- a/src/po/znc.pot +++ b/src/po/znc.pot @@ -222,35 +222,35 @@ msgstr "" msgid "Removing channel {1}" msgstr "" -#: Client.cpp:1256 +#: Client.cpp:1258 msgid "Your message to {1} got lost, you are not connected to IRC!" msgstr "" -#: Client.cpp:1309 Client.cpp:1315 +#: Client.cpp:1311 Client.cpp:1317 msgid "Hello. How may I help you?" msgstr "" -#: Client.cpp:1329 +#: Client.cpp:1331 msgid "Usage: /attach <#chans>" msgstr "" -#: Client.cpp:1336 Client.cpp:1358 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: Client.cpp:1338 Client.cpp:1360 ClientCommand.cpp:129 ClientCommand.cpp:151 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" msgstr[0] "" msgstr[1] "" -#: Client.cpp:1339 ClientCommand.cpp:132 +#: Client.cpp:1341 ClientCommand.cpp:132 msgid "Attached {1} channel" msgid_plural "Attached {1} channels" msgstr[0] "" msgstr[1] "" -#: Client.cpp:1351 +#: Client.cpp:1353 msgid "Usage: /detach <#chans>" msgstr "" -#: Client.cpp:1361 ClientCommand.cpp:154 +#: Client.cpp:1363 ClientCommand.cpp:154 msgid "Detached {1} channel" msgid_plural "Detached {1} channels" msgstr[0] "" diff --git a/src/po/znc.pt_BR.po b/src/po/znc.pt_BR.po index 27040d98..c7e2d71f 100644 --- a/src/po/znc.pt_BR.po +++ b/src/po/znc.pt_BR.po @@ -249,35 +249,35 @@ msgstr "O seu aviso para {1} foi perdido, você não está conectado ao IRC!" msgid "Removing channel {1}" msgstr "Removendo canal {1}" -#: Client.cpp:1256 +#: Client.cpp:1258 msgid "Your message to {1} got lost, you are not connected to IRC!" msgstr "Sua mensagem para {1} foi perdida, você não está conectado ao IRC!" -#: Client.cpp:1309 Client.cpp:1315 +#: Client.cpp:1311 Client.cpp:1317 msgid "Hello. How may I help you?" msgstr "Olá. Como posso ajudá-lo(a)?" -#: Client.cpp:1329 +#: Client.cpp:1331 msgid "Usage: /attach <#chans>" msgstr "Uso: /attach <#canais>" -#: Client.cpp:1336 Client.cpp:1358 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: Client.cpp:1338 Client.cpp:1360 ClientCommand.cpp:129 ClientCommand.cpp:151 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" msgstr[0] "Foi encontrado {1} canal correspondente a [{2}]" msgstr[1] "Foi encontrado {1} canal correspondentes a [{2}]" -#: Client.cpp:1339 ClientCommand.cpp:132 +#: Client.cpp:1341 ClientCommand.cpp:132 msgid "Attached {1} channel" msgid_plural "Attached {1} channels" msgstr[0] "{1} canal foi anexado" msgstr[1] "{1} canais foram anexados" -#: Client.cpp:1351 +#: Client.cpp:1353 msgid "Usage: /detach <#chans>" msgstr "Uso: /detach <#canais>" -#: Client.cpp:1361 ClientCommand.cpp:154 +#: Client.cpp:1363 ClientCommand.cpp:154 msgid "Detached {1} channel" msgid_plural "Detached {1} channels" msgstr[0] "{1} canal foi desanexado" @@ -919,7 +919,7 @@ msgstr "" #: ClientCommand.cpp:1196 msgid "Unable to reload {1}: {2}" -msgstr "" +msgstr "Falha ao recarregar {1}: {2}" #: ClientCommand.cpp:1204 msgid "Unable to reload global module {1}: Access denied." @@ -1263,7 +1263,7 @@ msgstr "Listar todos os canais" #: ClientCommand.cpp:1703 msgctxt "helpcmd|ListNicks|args" msgid "<#chan>" -msgstr "" +msgstr "<#canal>" #: ClientCommand.cpp:1704 msgctxt "helpcmd|ListNicks|desc" @@ -1283,7 +1283,7 @@ msgstr "Listar todos os servidores da rede atual" #: ClientCommand.cpp:1715 msgctxt "helpcmd|AddNetwork|args" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1716 msgctxt "helpcmd|AddNetwork|desc" @@ -1385,7 +1385,7 @@ msgstr "" #: ClientCommand.cpp:1763 msgctxt "helpcmd|EnableChan|desc" msgid "Enable channels" -msgstr "" +msgstr "Habilitar canais" #: ClientCommand.cpp:1764 msgctxt "helpcmd|DisableChan|args" diff --git a/src/po/znc.ru_RU.po b/src/po/znc.ru_RU.po index 2c07c4a4..33448cd0 100644 --- a/src/po/znc.ru_RU.po +++ b/src/po/znc.ru_RU.po @@ -244,19 +244,19 @@ msgstr "Вы не подключены к IRC, ваше сообщение к {1 msgid "Removing channel {1}" msgstr "Убираю канал {1}" -#: Client.cpp:1256 +#: Client.cpp:1258 msgid "Your message to {1} got lost, you are not connected to IRC!" msgstr "Вы не подключены к IRC, ваше сообщение к {1} утеряно!" -#: Client.cpp:1309 Client.cpp:1315 +#: Client.cpp:1311 Client.cpp:1317 msgid "Hello. How may I help you?" msgstr "Привет, чем могу быть вам полезен?" -#: Client.cpp:1329 +#: Client.cpp:1331 msgid "Usage: /attach <#chans>" msgstr "Использование: /attach <#каналы>" -#: Client.cpp:1336 Client.cpp:1358 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: Client.cpp:1338 Client.cpp:1360 ClientCommand.cpp:129 ClientCommand.cpp:151 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" msgstr[0] "{1} канал подходит под маску [{2}]" @@ -264,7 +264,7 @@ msgstr[1] "{1} канала подходят под маску [{2}]" msgstr[2] "{1} каналов подходят под маску [{2}]" msgstr[3] "{1} каналов подходят под маску [{2}]" -#: Client.cpp:1339 ClientCommand.cpp:132 +#: Client.cpp:1341 ClientCommand.cpp:132 msgid "Attached {1} channel" msgid_plural "Attached {1} channels" msgstr[0] "Прицепляю {1} канал" @@ -272,11 +272,11 @@ msgstr[1] "Прицепляю {1} канала" msgstr[2] "Прицепляю {1} каналов" msgstr[3] "Прицепляю {1} каналов" -#: Client.cpp:1351 +#: Client.cpp:1353 msgid "Usage: /detach <#chans>" msgstr "Использование: /detach <#каналы>" -#: Client.cpp:1361 ClientCommand.cpp:154 +#: Client.cpp:1363 ClientCommand.cpp:154 msgid "Detached {1} channel" msgid_plural "Detached {1} channels" msgstr[0] "Отцепляю {1} канал" From a21d40028c966fcf5adbddcc9ace69170512d50f Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Sat, 18 Apr 2020 22:07:16 +0000 Subject: [PATCH 373/798] Update translations from Crowdin for bg_BG de_DE es_ES fr_FR id_ID it_IT nl_NL pt_BR ru_RU --- de.zip | 5 + modules/po/admindebug.bg_BG.po | 2 +- modules/po/admindebug.de_DE.po | 6 +- modules/po/admindebug.es_ES.po | 2 +- modules/po/admindebug.fr_FR.po | 2 +- modules/po/admindebug.id_ID.po | 2 +- modules/po/admindebug.it_IT.po | 2 +- modules/po/admindebug.nl_NL.po | 2 +- modules/po/admindebug.pt_BR.po | 2 +- modules/po/admindebug.ru_RU.po | 2 +- modules/po/adminlog.bg_BG.po | 2 +- modules/po/adminlog.de_DE.po | 6 +- modules/po/adminlog.es_ES.po | 2 +- modules/po/adminlog.fr_FR.po | 2 +- modules/po/adminlog.id_ID.po | 2 +- modules/po/adminlog.it_IT.po | 2 +- modules/po/adminlog.nl_NL.po | 2 +- modules/po/adminlog.pt_BR.po | 2 +- modules/po/adminlog.ru_RU.po | 2 +- modules/po/alias.bg_BG.po | 2 +- modules/po/alias.de_DE.po | 6 +- modules/po/alias.es_ES.po | 2 +- modules/po/alias.fr_FR.po | 2 +- modules/po/alias.id_ID.po | 2 +- modules/po/alias.it_IT.po | 2 +- modules/po/alias.nl_NL.po | 2 +- modules/po/alias.pt_BR.po | 2 +- modules/po/alias.ru_RU.po | 2 +- modules/po/autoattach.bg_BG.po | 2 +- modules/po/autoattach.de_DE.po | 6 +- modules/po/autoattach.es_ES.po | 2 +- modules/po/autoattach.fr_FR.po | 2 +- modules/po/autoattach.id_ID.po | 2 +- modules/po/autoattach.it_IT.po | 2 +- modules/po/autoattach.nl_NL.po | 2 +- modules/po/autoattach.pt_BR.po | 2 +- modules/po/autoattach.ru_RU.po | 2 +- modules/po/autocycle.bg_BG.po | 2 +- modules/po/autocycle.de_DE.po | 6 +- modules/po/autocycle.es_ES.po | 2 +- modules/po/autocycle.fr_FR.po | 2 +- modules/po/autocycle.id_ID.po | 2 +- modules/po/autocycle.it_IT.po | 2 +- modules/po/autocycle.nl_NL.po | 2 +- modules/po/autocycle.pt_BR.po | 2 +- modules/po/autocycle.ru_RU.po | 2 +- modules/po/autoop.bg_BG.po | 2 +- modules/po/autoop.de_DE.po | 6 +- modules/po/autoop.es_ES.po | 2 +- modules/po/autoop.fr_FR.po | 2 +- modules/po/autoop.id_ID.po | 2 +- modules/po/autoop.it_IT.po | 2 +- modules/po/autoop.nl_NL.po | 2 +- modules/po/autoop.pt_BR.po | 2 +- modules/po/autoop.ru_RU.po | 2 +- modules/po/autoreply.bg_BG.po | 2 +- modules/po/autoreply.de_DE.po | 6 +- modules/po/autoreply.es_ES.po | 2 +- modules/po/autoreply.fr_FR.po | 2 +- modules/po/autoreply.id_ID.po | 2 +- modules/po/autoreply.it_IT.po | 2 +- modules/po/autoreply.nl_NL.po | 2 +- modules/po/autoreply.pt_BR.po | 2 +- modules/po/autoreply.ru_RU.po | 2 +- modules/po/autovoice.bg_BG.po | 2 +- modules/po/autovoice.de_DE.po | 6 +- modules/po/autovoice.es_ES.po | 2 +- modules/po/autovoice.fr_FR.po | 2 +- modules/po/autovoice.id_ID.po | 2 +- modules/po/autovoice.it_IT.po | 2 +- modules/po/autovoice.nl_NL.po | 2 +- modules/po/autovoice.pt_BR.po | 2 +- modules/po/autovoice.ru_RU.po | 2 +- modules/po/awaystore.bg_BG.po | 2 +- modules/po/awaystore.de_DE.po | 6 +- modules/po/awaystore.es_ES.po | 2 +- modules/po/awaystore.fr_FR.po | 2 +- modules/po/awaystore.id_ID.po | 2 +- modules/po/awaystore.it_IT.po | 2 +- modules/po/awaystore.nl_NL.po | 2 +- modules/po/awaystore.pt_BR.po | 2 +- modules/po/awaystore.ru_RU.po | 2 +- modules/po/block_motd.bg_BG.po | 2 +- modules/po/block_motd.de_DE.po | 6 +- modules/po/block_motd.es_ES.po | 2 +- modules/po/block_motd.fr_FR.po | 2 +- modules/po/block_motd.id_ID.po | 2 +- modules/po/block_motd.it_IT.po | 2 +- modules/po/block_motd.nl_NL.po | 2 +- modules/po/block_motd.pt_BR.po | 2 +- modules/po/block_motd.ru_RU.po | 2 +- modules/po/blockuser.bg_BG.po | 2 +- modules/po/blockuser.de_DE.po | 6 +- modules/po/blockuser.es_ES.po | 2 +- modules/po/blockuser.fr_FR.po | 2 +- modules/po/blockuser.id_ID.po | 2 +- modules/po/blockuser.it_IT.po | 2 +- modules/po/blockuser.nl_NL.po | 2 +- modules/po/blockuser.pt_BR.po | 2 +- modules/po/blockuser.ru_RU.po | 2 +- modules/po/bouncedcc.bg_BG.po | 2 +- modules/po/bouncedcc.de_DE.po | 6 +- modules/po/bouncedcc.es_ES.po | 2 +- modules/po/bouncedcc.fr_FR.po | 2 +- modules/po/bouncedcc.id_ID.po | 2 +- modules/po/bouncedcc.it_IT.po | 2 +- modules/po/bouncedcc.nl_NL.po | 2 +- modules/po/bouncedcc.pt_BR.po | 2 +- modules/po/bouncedcc.ru_RU.po | 2 +- modules/po/buffextras.bg_BG.po | 2 +- modules/po/buffextras.de_DE.po | 6 +- modules/po/buffextras.es_ES.po | 2 +- modules/po/buffextras.fr_FR.po | 2 +- modules/po/buffextras.id_ID.po | 2 +- modules/po/buffextras.it_IT.po | 2 +- modules/po/buffextras.nl_NL.po | 2 +- modules/po/buffextras.pt_BR.po | 2 +- modules/po/buffextras.ru_RU.po | 2 +- modules/po/cert.bg_BG.po | 2 +- modules/po/cert.de_DE.po | 6 +- modules/po/cert.es_ES.po | 2 +- modules/po/cert.fr_FR.po | 2 +- modules/po/cert.id_ID.po | 2 +- modules/po/cert.it_IT.po | 2 +- modules/po/cert.nl_NL.po | 2 +- modules/po/cert.pt_BR.po | 2 +- modules/po/cert.ru_RU.po | 2 +- modules/po/certauth.bg_BG.po | 2 +- modules/po/certauth.de_DE.po | 6 +- modules/po/certauth.es_ES.po | 2 +- modules/po/certauth.fr_FR.po | 2 +- modules/po/certauth.id_ID.po | 2 +- modules/po/certauth.it_IT.po | 2 +- modules/po/certauth.nl_NL.po | 2 +- modules/po/certauth.pt_BR.po | 2 +- modules/po/certauth.ru_RU.po | 2 +- modules/po/chansaver.bg_BG.po | 2 +- modules/po/chansaver.de_DE.po | 6 +- modules/po/chansaver.es_ES.po | 2 +- modules/po/chansaver.fr_FR.po | 2 +- modules/po/chansaver.id_ID.po | 2 +- modules/po/chansaver.it_IT.po | 2 +- modules/po/chansaver.nl_NL.po | 2 +- modules/po/chansaver.pt_BR.po | 2 +- modules/po/chansaver.ru_RU.po | 2 +- modules/po/clearbufferonmsg.bg_BG.po | 2 +- modules/po/clearbufferonmsg.de_DE.po | 6 +- modules/po/clearbufferonmsg.es_ES.po | 2 +- modules/po/clearbufferonmsg.fr_FR.po | 2 +- modules/po/clearbufferonmsg.id_ID.po | 2 +- modules/po/clearbufferonmsg.it_IT.po | 2 +- modules/po/clearbufferonmsg.nl_NL.po | 2 +- modules/po/clearbufferonmsg.pt_BR.po | 2 +- modules/po/clearbufferonmsg.ru_RU.po | 2 +- modules/po/clientnotify.bg_BG.po | 2 +- modules/po/clientnotify.de_DE.po | 6 +- modules/po/clientnotify.es_ES.po | 4 +- modules/po/clientnotify.fr_FR.po | 2 +- modules/po/clientnotify.id_ID.po | 2 +- modules/po/clientnotify.it_IT.po | 2 +- modules/po/clientnotify.nl_NL.po | 2 +- modules/po/clientnotify.pt_BR.po | 2 +- modules/po/clientnotify.ru_RU.po | 2 +- modules/po/controlpanel.bg_BG.po | 348 +++++++++++++-------------- modules/po/controlpanel.de_DE.po | 334 ++++++++++++------------- modules/po/controlpanel.es_ES.po | 330 ++++++++++++------------- modules/po/controlpanel.fr_FR.po | 342 +++++++++++++------------- modules/po/controlpanel.id_ID.po | 348 +++++++++++++-------------- modules/po/controlpanel.it_IT.po | 330 ++++++++++++------------- modules/po/controlpanel.nl_NL.po | 330 ++++++++++++------------- modules/po/controlpanel.pot | 346 +++++++++++++------------- modules/po/controlpanel.pt_BR.po | 348 +++++++++++++-------------- modules/po/controlpanel.ru_RU.po | 348 +++++++++++++-------------- modules/po/crypt.bg_BG.po | 2 +- modules/po/crypt.de_DE.po | 6 +- modules/po/crypt.es_ES.po | 2 +- modules/po/crypt.fr_FR.po | 2 +- modules/po/crypt.id_ID.po | 2 +- modules/po/crypt.it_IT.po | 2 +- modules/po/crypt.nl_NL.po | 2 +- modules/po/crypt.pt_BR.po | 2 +- modules/po/crypt.ru_RU.po | 2 +- modules/po/ctcpflood.bg_BG.po | 2 +- modules/po/ctcpflood.de_DE.po | 6 +- modules/po/ctcpflood.es_ES.po | 2 +- modules/po/ctcpflood.fr_FR.po | 2 +- modules/po/ctcpflood.id_ID.po | 2 +- modules/po/ctcpflood.it_IT.po | 2 +- modules/po/ctcpflood.nl_NL.po | 2 +- modules/po/ctcpflood.pt_BR.po | 2 +- modules/po/ctcpflood.ru_RU.po | 2 +- modules/po/cyrusauth.bg_BG.po | 2 +- modules/po/cyrusauth.de_DE.po | 6 +- modules/po/cyrusauth.es_ES.po | 2 +- modules/po/cyrusauth.fr_FR.po | 2 +- modules/po/cyrusauth.id_ID.po | 2 +- modules/po/cyrusauth.it_IT.po | 2 +- modules/po/cyrusauth.nl_NL.po | 2 +- modules/po/cyrusauth.pt_BR.po | 2 +- modules/po/cyrusauth.ru_RU.po | 2 +- modules/po/dcc.bg_BG.po | 2 +- modules/po/dcc.de_DE.po | 6 +- modules/po/dcc.es_ES.po | 2 +- modules/po/dcc.fr_FR.po | 2 +- modules/po/dcc.id_ID.po | 2 +- modules/po/dcc.it_IT.po | 2 +- modules/po/dcc.nl_NL.po | 2 +- modules/po/dcc.pt_BR.po | 2 +- modules/po/dcc.ru_RU.po | 2 +- modules/po/disconkick.bg_BG.po | 2 +- modules/po/disconkick.de_DE.po | 6 +- modules/po/disconkick.es_ES.po | 2 +- modules/po/disconkick.fr_FR.po | 2 +- modules/po/disconkick.id_ID.po | 2 +- modules/po/disconkick.it_IT.po | 2 +- modules/po/disconkick.nl_NL.po | 2 +- modules/po/disconkick.pt_BR.po | 2 +- modules/po/disconkick.ru_RU.po | 2 +- modules/po/fail2ban.bg_BG.po | 2 +- modules/po/fail2ban.de_DE.po | 6 +- modules/po/fail2ban.es_ES.po | 2 +- modules/po/fail2ban.fr_FR.po | 2 +- modules/po/fail2ban.id_ID.po | 2 +- modules/po/fail2ban.it_IT.po | 2 +- modules/po/fail2ban.nl_NL.po | 2 +- modules/po/fail2ban.pt_BR.po | 2 +- modules/po/fail2ban.ru_RU.po | 2 +- modules/po/flooddetach.bg_BG.po | 2 +- modules/po/flooddetach.de_DE.po | 6 +- modules/po/flooddetach.es_ES.po | 2 +- modules/po/flooddetach.fr_FR.po | 2 +- modules/po/flooddetach.id_ID.po | 2 +- modules/po/flooddetach.it_IT.po | 2 +- modules/po/flooddetach.nl_NL.po | 2 +- modules/po/flooddetach.pt_BR.po | 2 +- modules/po/flooddetach.ru_RU.po | 2 +- modules/po/identfile.bg_BG.po | 2 +- modules/po/identfile.de_DE.po | 6 +- modules/po/identfile.es_ES.po | 2 +- modules/po/identfile.fr_FR.po | 2 +- modules/po/identfile.id_ID.po | 2 +- modules/po/identfile.it_IT.po | 2 +- modules/po/identfile.nl_NL.po | 2 +- modules/po/identfile.pt_BR.po | 2 +- modules/po/identfile.ru_RU.po | 2 +- modules/po/imapauth.bg_BG.po | 2 +- modules/po/imapauth.de_DE.po | 6 +- modules/po/imapauth.es_ES.po | 2 +- modules/po/imapauth.fr_FR.po | 2 +- modules/po/imapauth.id_ID.po | 2 +- modules/po/imapauth.it_IT.po | 2 +- modules/po/imapauth.nl_NL.po | 2 +- modules/po/imapauth.pt_BR.po | 2 +- modules/po/imapauth.ru_RU.po | 2 +- modules/po/keepnick.bg_BG.po | 2 +- modules/po/keepnick.de_DE.po | 6 +- modules/po/keepnick.es_ES.po | 2 +- modules/po/keepnick.fr_FR.po | 2 +- modules/po/keepnick.id_ID.po | 2 +- modules/po/keepnick.it_IT.po | 2 +- modules/po/keepnick.nl_NL.po | 2 +- modules/po/keepnick.pt_BR.po | 2 +- modules/po/keepnick.ru_RU.po | 2 +- modules/po/kickrejoin.bg_BG.po | 2 +- modules/po/kickrejoin.de_DE.po | 6 +- modules/po/kickrejoin.es_ES.po | 2 +- modules/po/kickrejoin.fr_FR.po | 2 +- modules/po/kickrejoin.id_ID.po | 2 +- modules/po/kickrejoin.it_IT.po | 2 +- modules/po/kickrejoin.nl_NL.po | 2 +- modules/po/kickrejoin.pt_BR.po | 2 +- modules/po/kickrejoin.ru_RU.po | 2 +- modules/po/lastseen.bg_BG.po | 2 +- modules/po/lastseen.de_DE.po | 6 +- modules/po/lastseen.es_ES.po | 2 +- modules/po/lastseen.fr_FR.po | 2 +- modules/po/lastseen.id_ID.po | 2 +- modules/po/lastseen.it_IT.po | 2 +- modules/po/lastseen.nl_NL.po | 2 +- modules/po/lastseen.pt_BR.po | 2 +- modules/po/lastseen.ru_RU.po | 2 +- modules/po/listsockets.bg_BG.po | 2 +- modules/po/listsockets.de_DE.po | 6 +- modules/po/listsockets.es_ES.po | 2 +- modules/po/listsockets.fr_FR.po | 2 +- modules/po/listsockets.id_ID.po | 2 +- modules/po/listsockets.it_IT.po | 2 +- modules/po/listsockets.nl_NL.po | 2 +- modules/po/listsockets.pt_BR.po | 2 +- modules/po/listsockets.ru_RU.po | 2 +- modules/po/log.bg_BG.po | 2 +- modules/po/log.de_DE.po | 6 +- modules/po/log.es_ES.po | 2 +- modules/po/log.fr_FR.po | 2 +- modules/po/log.id_ID.po | 2 +- modules/po/log.it_IT.po | 2 +- modules/po/log.nl_NL.po | 2 +- modules/po/log.pt_BR.po | 2 +- modules/po/log.ru_RU.po | 2 +- modules/po/missingmotd.bg_BG.po | 2 +- modules/po/missingmotd.de_DE.po | 6 +- modules/po/missingmotd.es_ES.po | 2 +- modules/po/missingmotd.fr_FR.po | 2 +- modules/po/missingmotd.id_ID.po | 2 +- modules/po/missingmotd.it_IT.po | 2 +- modules/po/missingmotd.nl_NL.po | 2 +- modules/po/missingmotd.pt_BR.po | 2 +- modules/po/missingmotd.ru_RU.po | 2 +- modules/po/modperl.bg_BG.po | 2 +- modules/po/modperl.de_DE.po | 6 +- modules/po/modperl.es_ES.po | 2 +- modules/po/modperl.fr_FR.po | 2 +- modules/po/modperl.id_ID.po | 2 +- modules/po/modperl.it_IT.po | 2 +- modules/po/modperl.nl_NL.po | 2 +- modules/po/modperl.pt_BR.po | 2 +- modules/po/modperl.ru_RU.po | 2 +- modules/po/modpython.bg_BG.po | 2 +- modules/po/modpython.de_DE.po | 6 +- modules/po/modpython.es_ES.po | 2 +- modules/po/modpython.fr_FR.po | 2 +- modules/po/modpython.id_ID.po | 2 +- modules/po/modpython.it_IT.po | 2 +- modules/po/modpython.nl_NL.po | 2 +- modules/po/modpython.pt_BR.po | 2 +- modules/po/modpython.ru_RU.po | 2 +- modules/po/modules_online.bg_BG.po | 2 +- modules/po/modules_online.de_DE.po | 6 +- modules/po/modules_online.es_ES.po | 2 +- modules/po/modules_online.fr_FR.po | 2 +- modules/po/modules_online.id_ID.po | 2 +- modules/po/modules_online.it_IT.po | 2 +- modules/po/modules_online.nl_NL.po | 2 +- modules/po/modules_online.pt_BR.po | 2 +- modules/po/modules_online.ru_RU.po | 2 +- modules/po/nickserv.bg_BG.po | 2 +- modules/po/nickserv.de_DE.po | 6 +- modules/po/nickserv.es_ES.po | 2 +- modules/po/nickserv.fr_FR.po | 2 +- modules/po/nickserv.id_ID.po | 2 +- modules/po/nickserv.it_IT.po | 2 +- modules/po/nickserv.nl_NL.po | 2 +- modules/po/nickserv.pt_BR.po | 2 +- modules/po/nickserv.ru_RU.po | 2 +- modules/po/notes.bg_BG.po | 2 +- modules/po/notes.de_DE.po | 6 +- modules/po/notes.es_ES.po | 2 +- modules/po/notes.fr_FR.po | 2 +- modules/po/notes.id_ID.po | 2 +- modules/po/notes.it_IT.po | 2 +- modules/po/notes.nl_NL.po | 2 +- modules/po/notes.pt_BR.po | 2 +- modules/po/notes.ru_RU.po | 2 +- modules/po/notify_connect.bg_BG.po | 2 +- modules/po/notify_connect.de_DE.po | 6 +- modules/po/notify_connect.es_ES.po | 2 +- modules/po/notify_connect.fr_FR.po | 2 +- modules/po/notify_connect.id_ID.po | 2 +- modules/po/notify_connect.it_IT.po | 2 +- modules/po/notify_connect.nl_NL.po | 2 +- modules/po/notify_connect.pt_BR.po | 2 +- modules/po/notify_connect.ru_RU.po | 2 +- modules/po/perform.bg_BG.po | 2 +- modules/po/perform.de_DE.po | 6 +- modules/po/perform.es_ES.po | 2 +- modules/po/perform.fr_FR.po | 2 +- modules/po/perform.id_ID.po | 2 +- modules/po/perform.it_IT.po | 2 +- modules/po/perform.nl_NL.po | 2 +- modules/po/perform.pt_BR.po | 2 +- modules/po/perform.ru_RU.po | 2 +- modules/po/perleval.bg_BG.po | 2 +- modules/po/perleval.de_DE.po | 6 +- modules/po/perleval.es_ES.po | 2 +- modules/po/perleval.fr_FR.po | 2 +- modules/po/perleval.id_ID.po | 2 +- modules/po/perleval.it_IT.po | 2 +- modules/po/perleval.nl_NL.po | 2 +- modules/po/perleval.pt_BR.po | 2 +- modules/po/perleval.ru_RU.po | 2 +- modules/po/pyeval.bg_BG.po | 2 +- modules/po/pyeval.de_DE.po | 6 +- modules/po/pyeval.es_ES.po | 2 +- modules/po/pyeval.fr_FR.po | 2 +- modules/po/pyeval.id_ID.po | 2 +- modules/po/pyeval.it_IT.po | 2 +- modules/po/pyeval.nl_NL.po | 2 +- modules/po/pyeval.pt_BR.po | 2 +- modules/po/pyeval.ru_RU.po | 2 +- modules/po/raw.bg_BG.po | 2 +- modules/po/raw.de_DE.po | 6 +- modules/po/raw.es_ES.po | 2 +- modules/po/raw.fr_FR.po | 2 +- modules/po/raw.id_ID.po | 2 +- modules/po/raw.it_IT.po | 2 +- modules/po/raw.nl_NL.po | 2 +- modules/po/raw.pt_BR.po | 2 +- modules/po/raw.ru_RU.po | 2 +- modules/po/route_replies.bg_BG.po | 2 +- modules/po/route_replies.de_DE.po | 6 +- modules/po/route_replies.es_ES.po | 2 +- modules/po/route_replies.fr_FR.po | 2 +- modules/po/route_replies.id_ID.po | 2 +- modules/po/route_replies.it_IT.po | 2 +- modules/po/route_replies.nl_NL.po | 2 +- modules/po/route_replies.pt_BR.po | 2 +- modules/po/route_replies.ru_RU.po | 2 +- modules/po/sample.bg_BG.po | 2 +- modules/po/sample.de_DE.po | 6 +- modules/po/sample.es_ES.po | 2 +- modules/po/sample.fr_FR.po | 2 +- modules/po/sample.id_ID.po | 2 +- modules/po/sample.it_IT.po | 2 +- modules/po/sample.nl_NL.po | 2 +- modules/po/sample.pt_BR.po | 2 +- modules/po/sample.ru_RU.po | 2 +- modules/po/samplewebapi.bg_BG.po | 2 +- modules/po/samplewebapi.de_DE.po | 6 +- modules/po/samplewebapi.es_ES.po | 2 +- modules/po/samplewebapi.fr_FR.po | 2 +- modules/po/samplewebapi.id_ID.po | 2 +- modules/po/samplewebapi.it_IT.po | 2 +- modules/po/samplewebapi.nl_NL.po | 2 +- modules/po/samplewebapi.pt_BR.po | 2 +- modules/po/samplewebapi.ru_RU.po | 2 +- modules/po/sasl.bg_BG.po | 10 +- modules/po/sasl.de_DE.po | 14 +- modules/po/sasl.es_ES.po | 10 +- modules/po/sasl.fr_FR.po | 10 +- modules/po/sasl.id_ID.po | 10 +- modules/po/sasl.it_IT.po | 10 +- modules/po/sasl.nl_NL.po | 10 +- modules/po/sasl.pot | 8 +- modules/po/sasl.pt_BR.po | 10 +- modules/po/sasl.ru_RU.po | 10 +- modules/po/savebuff.bg_BG.po | 2 +- modules/po/savebuff.de_DE.po | 6 +- modules/po/savebuff.es_ES.po | 2 +- modules/po/savebuff.fr_FR.po | 2 +- modules/po/savebuff.id_ID.po | 2 +- modules/po/savebuff.it_IT.po | 2 +- modules/po/savebuff.nl_NL.po | 2 +- modules/po/savebuff.pt_BR.po | 2 +- modules/po/savebuff.ru_RU.po | 2 +- modules/po/send_raw.bg_BG.po | 2 +- modules/po/send_raw.de_DE.po | 6 +- modules/po/send_raw.es_ES.po | 2 +- modules/po/send_raw.fr_FR.po | 2 +- modules/po/send_raw.id_ID.po | 2 +- modules/po/send_raw.it_IT.po | 2 +- modules/po/send_raw.nl_NL.po | 2 +- modules/po/send_raw.pt_BR.po | 2 +- modules/po/send_raw.ru_RU.po | 2 +- modules/po/shell.bg_BG.po | 2 +- modules/po/shell.de_DE.po | 6 +- modules/po/shell.es_ES.po | 2 +- modules/po/shell.fr_FR.po | 2 +- modules/po/shell.id_ID.po | 2 +- modules/po/shell.it_IT.po | 2 +- modules/po/shell.nl_NL.po | 2 +- modules/po/shell.pt_BR.po | 2 +- modules/po/shell.ru_RU.po | 2 +- modules/po/simple_away.bg_BG.po | 2 +- modules/po/simple_away.de_DE.po | 6 +- modules/po/simple_away.es_ES.po | 2 +- modules/po/simple_away.fr_FR.po | 2 +- modules/po/simple_away.id_ID.po | 2 +- modules/po/simple_away.it_IT.po | 2 +- modules/po/simple_away.nl_NL.po | 2 +- modules/po/simple_away.pt_BR.po | 2 +- modules/po/simple_away.ru_RU.po | 2 +- modules/po/stickychan.bg_BG.po | 2 +- modules/po/stickychan.de_DE.po | 6 +- modules/po/stickychan.es_ES.po | 2 +- modules/po/stickychan.fr_FR.po | 2 +- modules/po/stickychan.id_ID.po | 2 +- modules/po/stickychan.it_IT.po | 2 +- modules/po/stickychan.nl_NL.po | 2 +- modules/po/stickychan.pt_BR.po | 2 +- modules/po/stickychan.ru_RU.po | 2 +- modules/po/stripcontrols.bg_BG.po | 2 +- modules/po/stripcontrols.de_DE.po | 6 +- modules/po/stripcontrols.es_ES.po | 2 +- modules/po/stripcontrols.fr_FR.po | 2 +- modules/po/stripcontrols.id_ID.po | 2 +- modules/po/stripcontrols.it_IT.po | 2 +- modules/po/stripcontrols.nl_NL.po | 2 +- modules/po/stripcontrols.pt_BR.po | 2 +- modules/po/stripcontrols.ru_RU.po | 2 +- modules/po/watch.bg_BG.po | 2 +- modules/po/watch.de_DE.po | 6 +- modules/po/watch.es_ES.po | 2 +- modules/po/watch.fr_FR.po | 2 +- modules/po/watch.id_ID.po | 2 +- modules/po/watch.it_IT.po | 2 +- modules/po/watch.nl_NL.po | 2 +- modules/po/watch.pt_BR.po | 2 +- modules/po/watch.ru_RU.po | 2 +- modules/po/webadmin.bg_BG.po | 4 +- modules/po/webadmin.de_DE.po | 8 +- modules/po/webadmin.es_ES.po | 6 +- modules/po/webadmin.fr_FR.po | 6 +- modules/po/webadmin.id_ID.po | 4 +- modules/po/webadmin.it_IT.po | 6 +- modules/po/webadmin.nl_NL.po | 6 +- modules/po/webadmin.pot | 2 +- modules/po/webadmin.pt_BR.po | 4 +- modules/po/webadmin.ru_RU.po | 6 +- src/po/znc.bg_BG.po | 16 +- src/po/znc.de_DE.po | 20 +- src/po/znc.es_ES.po | 16 +- src/po/znc.fr_FR.po | 16 +- src/po/znc.id_ID.po | 16 +- src/po/znc.it_IT.po | 16 +- src/po/znc.nl_NL.po | 16 +- src/po/znc.pot | 14 +- src/po/znc.pt_BR.po | 24 +- src/po/znc.ru_RU.po | 16 +- 518 files changed, 2452 insertions(+), 2449 deletions(-) create mode 100644 de.zip diff --git a/de.zip b/de.zip new file mode 100644 index 00000000..c92a8386 --- /dev/null +++ b/de.zip @@ -0,0 +1,5 @@ + + + 8 + File was not found + diff --git a/modules/po/admindebug.bg_BG.po b/modules/po/admindebug.bg_BG.po index 029d4323..d2d88a53 100644 --- a/modules/po/admindebug.bg_BG.po +++ b/modules/po/admindebug.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /master/modules/po/admindebug.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/admindebug.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/admindebug.de_DE.po b/modules/po/admindebug.de_DE.po index 75005689..cfeab62b 100644 --- a/modules/po/admindebug.de_DE.po +++ b/modules/po/admindebug.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/admindebug.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" #: admindebug.cpp:30 msgid "Enable Debug Mode" diff --git a/modules/po/admindebug.es_ES.po b/modules/po/admindebug.es_ES.po index f2a47a09..b6da09ad 100644 --- a/modules/po/admindebug.es_ES.po +++ b/modules/po/admindebug.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /master/modules/po/admindebug.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/admindebug.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/admindebug.fr_FR.po b/modules/po/admindebug.fr_FR.po index e215f061..1071d58c 100644 --- a/modules/po/admindebug.fr_FR.po +++ b/modules/po/admindebug.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /master/modules/po/admindebug.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/admindebug.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/admindebug.id_ID.po b/modules/po/admindebug.id_ID.po index 93a798c7..191649c4 100644 --- a/modules/po/admindebug.id_ID.po +++ b/modules/po/admindebug.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /master/modules/po/admindebug.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/admindebug.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/admindebug.it_IT.po b/modules/po/admindebug.it_IT.po index eb2e134a..d6fed307 100644 --- a/modules/po/admindebug.it_IT.po +++ b/modules/po/admindebug.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /master/modules/po/admindebug.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/admindebug.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/admindebug.nl_NL.po b/modules/po/admindebug.nl_NL.po index dad17bd7..8e1a1950 100644 --- a/modules/po/admindebug.nl_NL.po +++ b/modules/po/admindebug.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /master/modules/po/admindebug.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/admindebug.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/admindebug.pt_BR.po b/modules/po/admindebug.pt_BR.po index b9acb37f..2468297b 100644 --- a/modules/po/admindebug.pt_BR.po +++ b/modules/po/admindebug.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /master/modules/po/admindebug.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/admindebug.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/admindebug.ru_RU.po b/modules/po/admindebug.ru_RU.po index 41401d93..a968b169 100644 --- a/modules/po/admindebug.ru_RU.po +++ b/modules/po/admindebug.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /master/modules/po/admindebug.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/admindebug.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/adminlog.bg_BG.po b/modules/po/adminlog.bg_BG.po index dc1cc448..5ab0260d 100644 --- a/modules/po/adminlog.bg_BG.po +++ b/modules/po/adminlog.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /master/modules/po/adminlog.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/adminlog.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/adminlog.de_DE.po b/modules/po/adminlog.de_DE.po index 904440da..56e0bb1d 100644 --- a/modules/po/adminlog.de_DE.po +++ b/modules/po/adminlog.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/adminlog.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" #: adminlog.cpp:29 msgid "Show the logging target" diff --git a/modules/po/adminlog.es_ES.po b/modules/po/adminlog.es_ES.po index 99e06037..e7949500 100644 --- a/modules/po/adminlog.es_ES.po +++ b/modules/po/adminlog.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /master/modules/po/adminlog.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/adminlog.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/adminlog.fr_FR.po b/modules/po/adminlog.fr_FR.po index 49bf3406..e4e4950a 100644 --- a/modules/po/adminlog.fr_FR.po +++ b/modules/po/adminlog.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /master/modules/po/adminlog.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/adminlog.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/adminlog.id_ID.po b/modules/po/adminlog.id_ID.po index d0bc8c1d..5b34b10b 100644 --- a/modules/po/adminlog.id_ID.po +++ b/modules/po/adminlog.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /master/modules/po/adminlog.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/adminlog.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/adminlog.it_IT.po b/modules/po/adminlog.it_IT.po index f4a99b91..9e716dd7 100644 --- a/modules/po/adminlog.it_IT.po +++ b/modules/po/adminlog.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /master/modules/po/adminlog.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/adminlog.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/adminlog.nl_NL.po b/modules/po/adminlog.nl_NL.po index a5e44451..e9ebcfe4 100644 --- a/modules/po/adminlog.nl_NL.po +++ b/modules/po/adminlog.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /master/modules/po/adminlog.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/adminlog.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/adminlog.pt_BR.po b/modules/po/adminlog.pt_BR.po index 2b15a807..a159b034 100644 --- a/modules/po/adminlog.pt_BR.po +++ b/modules/po/adminlog.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /master/modules/po/adminlog.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/adminlog.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/adminlog.ru_RU.po b/modules/po/adminlog.ru_RU.po index 8a1e443b..9148b8d7 100644 --- a/modules/po/adminlog.ru_RU.po +++ b/modules/po/adminlog.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /master/modules/po/adminlog.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/adminlog.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/alias.bg_BG.po b/modules/po/alias.bg_BG.po index 11ea8404..a4e82111 100644 --- a/modules/po/alias.bg_BG.po +++ b/modules/po/alias.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /master/modules/po/alias.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/alias.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/alias.de_DE.po b/modules/po/alias.de_DE.po index 5386b71b..9d0b59d4 100644 --- a/modules/po/alias.de_DE.po +++ b/modules/po/alias.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/alias.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" #: alias.cpp:141 msgid "missing required parameter: {1}" diff --git a/modules/po/alias.es_ES.po b/modules/po/alias.es_ES.po index e2f96c36..82215c0a 100644 --- a/modules/po/alias.es_ES.po +++ b/modules/po/alias.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /master/modules/po/alias.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/alias.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/alias.fr_FR.po b/modules/po/alias.fr_FR.po index c9f85c49..cb2643ca 100644 --- a/modules/po/alias.fr_FR.po +++ b/modules/po/alias.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /master/modules/po/alias.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/alias.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/alias.id_ID.po b/modules/po/alias.id_ID.po index da32ebcf..074be381 100644 --- a/modules/po/alias.id_ID.po +++ b/modules/po/alias.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /master/modules/po/alias.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/alias.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/alias.it_IT.po b/modules/po/alias.it_IT.po index e54255d1..e1031453 100644 --- a/modules/po/alias.it_IT.po +++ b/modules/po/alias.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /master/modules/po/alias.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/alias.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/alias.nl_NL.po b/modules/po/alias.nl_NL.po index a3dd8e14..ac8edad9 100644 --- a/modules/po/alias.nl_NL.po +++ b/modules/po/alias.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /master/modules/po/alias.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/alias.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/alias.pt_BR.po b/modules/po/alias.pt_BR.po index 358c80ba..bda205fd 100644 --- a/modules/po/alias.pt_BR.po +++ b/modules/po/alias.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /master/modules/po/alias.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/alias.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/alias.ru_RU.po b/modules/po/alias.ru_RU.po index 2c31e075..38604c27 100644 --- a/modules/po/alias.ru_RU.po +++ b/modules/po/alias.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /master/modules/po/alias.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/alias.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/autoattach.bg_BG.po b/modules/po/autoattach.bg_BG.po index f4ac7257..48cbd8ef 100644 --- a/modules/po/autoattach.bg_BG.po +++ b/modules/po/autoattach.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /master/modules/po/autoattach.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/autoattach.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/autoattach.de_DE.po b/modules/po/autoattach.de_DE.po index 29b83258..90849a82 100644 --- a/modules/po/autoattach.de_DE.po +++ b/modules/po/autoattach.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/autoattach.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" #: autoattach.cpp:94 msgid "Added to list" diff --git a/modules/po/autoattach.es_ES.po b/modules/po/autoattach.es_ES.po index cc65ea06..454c4872 100644 --- a/modules/po/autoattach.es_ES.po +++ b/modules/po/autoattach.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /master/modules/po/autoattach.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/autoattach.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/autoattach.fr_FR.po b/modules/po/autoattach.fr_FR.po index b88369a2..919f2e43 100644 --- a/modules/po/autoattach.fr_FR.po +++ b/modules/po/autoattach.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /master/modules/po/autoattach.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/autoattach.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/autoattach.id_ID.po b/modules/po/autoattach.id_ID.po index 1a3e906e..9dc049cf 100644 --- a/modules/po/autoattach.id_ID.po +++ b/modules/po/autoattach.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /master/modules/po/autoattach.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/autoattach.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/autoattach.it_IT.po b/modules/po/autoattach.it_IT.po index 934b2f56..2b11a17a 100644 --- a/modules/po/autoattach.it_IT.po +++ b/modules/po/autoattach.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /master/modules/po/autoattach.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/autoattach.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/autoattach.nl_NL.po b/modules/po/autoattach.nl_NL.po index ee15851f..9ea4f61f 100644 --- a/modules/po/autoattach.nl_NL.po +++ b/modules/po/autoattach.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /master/modules/po/autoattach.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/autoattach.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/autoattach.pt_BR.po b/modules/po/autoattach.pt_BR.po index 454e0fc1..586105bc 100644 --- a/modules/po/autoattach.pt_BR.po +++ b/modules/po/autoattach.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /master/modules/po/autoattach.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/autoattach.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/autoattach.ru_RU.po b/modules/po/autoattach.ru_RU.po index 5ad48035..e1f181bf 100644 --- a/modules/po/autoattach.ru_RU.po +++ b/modules/po/autoattach.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /master/modules/po/autoattach.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/autoattach.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/autocycle.bg_BG.po b/modules/po/autocycle.bg_BG.po index d4231689..b90cdb44 100644 --- a/modules/po/autocycle.bg_BG.po +++ b/modules/po/autocycle.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /master/modules/po/autocycle.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/autocycle.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/autocycle.de_DE.po b/modules/po/autocycle.de_DE.po index 77f76175..3f60a7c5 100644 --- a/modules/po/autocycle.de_DE.po +++ b/modules/po/autocycle.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/autocycle.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" #: autocycle.cpp:27 autocycle.cpp:30 msgid "[!]<#chan>" diff --git a/modules/po/autocycle.es_ES.po b/modules/po/autocycle.es_ES.po index 27ef7e22..37552312 100644 --- a/modules/po/autocycle.es_ES.po +++ b/modules/po/autocycle.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /master/modules/po/autocycle.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/autocycle.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/autocycle.fr_FR.po b/modules/po/autocycle.fr_FR.po index 4a837852..83027301 100644 --- a/modules/po/autocycle.fr_FR.po +++ b/modules/po/autocycle.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /master/modules/po/autocycle.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/autocycle.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/autocycle.id_ID.po b/modules/po/autocycle.id_ID.po index 7350a33b..b7800e0a 100644 --- a/modules/po/autocycle.id_ID.po +++ b/modules/po/autocycle.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /master/modules/po/autocycle.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/autocycle.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/autocycle.it_IT.po b/modules/po/autocycle.it_IT.po index 063e2967..5f1a287e 100644 --- a/modules/po/autocycle.it_IT.po +++ b/modules/po/autocycle.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /master/modules/po/autocycle.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/autocycle.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/autocycle.nl_NL.po b/modules/po/autocycle.nl_NL.po index e381ed96..c2cf1e7b 100644 --- a/modules/po/autocycle.nl_NL.po +++ b/modules/po/autocycle.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /master/modules/po/autocycle.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/autocycle.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/autocycle.pt_BR.po b/modules/po/autocycle.pt_BR.po index 01ce7dea..a0c10d7c 100644 --- a/modules/po/autocycle.pt_BR.po +++ b/modules/po/autocycle.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /master/modules/po/autocycle.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/autocycle.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/autocycle.ru_RU.po b/modules/po/autocycle.ru_RU.po index 3d6dbd8c..41d06fd3 100644 --- a/modules/po/autocycle.ru_RU.po +++ b/modules/po/autocycle.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /master/modules/po/autocycle.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/autocycle.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/autoop.bg_BG.po b/modules/po/autoop.bg_BG.po index 1ee723cc..e7a2f9c3 100644 --- a/modules/po/autoop.bg_BG.po +++ b/modules/po/autoop.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /master/modules/po/autoop.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/autoop.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/autoop.de_DE.po b/modules/po/autoop.de_DE.po index c5c0b831..fa3d9b4a 100644 --- a/modules/po/autoop.de_DE.po +++ b/modules/po/autoop.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/autoop.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" #: autoop.cpp:154 msgid "List all users" diff --git a/modules/po/autoop.es_ES.po b/modules/po/autoop.es_ES.po index 0dcb0ccf..ecac88aa 100644 --- a/modules/po/autoop.es_ES.po +++ b/modules/po/autoop.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /master/modules/po/autoop.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/autoop.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/autoop.fr_FR.po b/modules/po/autoop.fr_FR.po index 2754f21d..dd323ca3 100644 --- a/modules/po/autoop.fr_FR.po +++ b/modules/po/autoop.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /master/modules/po/autoop.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/autoop.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/autoop.id_ID.po b/modules/po/autoop.id_ID.po index 9e004ac4..4ad08a2f 100644 --- a/modules/po/autoop.id_ID.po +++ b/modules/po/autoop.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /master/modules/po/autoop.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/autoop.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/autoop.it_IT.po b/modules/po/autoop.it_IT.po index ba81fbb6..fd6f3490 100644 --- a/modules/po/autoop.it_IT.po +++ b/modules/po/autoop.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /master/modules/po/autoop.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/autoop.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/autoop.nl_NL.po b/modules/po/autoop.nl_NL.po index b53a8034..cce52ea5 100644 --- a/modules/po/autoop.nl_NL.po +++ b/modules/po/autoop.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /master/modules/po/autoop.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/autoop.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/autoop.pt_BR.po b/modules/po/autoop.pt_BR.po index ede3f80c..21d4272c 100644 --- a/modules/po/autoop.pt_BR.po +++ b/modules/po/autoop.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /master/modules/po/autoop.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/autoop.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/autoop.ru_RU.po b/modules/po/autoop.ru_RU.po index 8e604c71..82fcfeb1 100644 --- a/modules/po/autoop.ru_RU.po +++ b/modules/po/autoop.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /master/modules/po/autoop.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/autoop.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/autoreply.bg_BG.po b/modules/po/autoreply.bg_BG.po index acd6bcb3..e7703a8a 100644 --- a/modules/po/autoreply.bg_BG.po +++ b/modules/po/autoreply.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /master/modules/po/autoreply.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/autoreply.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/autoreply.de_DE.po b/modules/po/autoreply.de_DE.po index e300dab8..7f18507f 100644 --- a/modules/po/autoreply.de_DE.po +++ b/modules/po/autoreply.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/autoreply.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" #: autoreply.cpp:25 msgid "" diff --git a/modules/po/autoreply.es_ES.po b/modules/po/autoreply.es_ES.po index d88d3665..3099fc22 100644 --- a/modules/po/autoreply.es_ES.po +++ b/modules/po/autoreply.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /master/modules/po/autoreply.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/autoreply.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/autoreply.fr_FR.po b/modules/po/autoreply.fr_FR.po index 5761d848..e12a49f2 100644 --- a/modules/po/autoreply.fr_FR.po +++ b/modules/po/autoreply.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /master/modules/po/autoreply.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/autoreply.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/autoreply.id_ID.po b/modules/po/autoreply.id_ID.po index 95a9bcd4..cb82afd3 100644 --- a/modules/po/autoreply.id_ID.po +++ b/modules/po/autoreply.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /master/modules/po/autoreply.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/autoreply.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/autoreply.it_IT.po b/modules/po/autoreply.it_IT.po index a02d904a..9c9a639c 100644 --- a/modules/po/autoreply.it_IT.po +++ b/modules/po/autoreply.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /master/modules/po/autoreply.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/autoreply.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/autoreply.nl_NL.po b/modules/po/autoreply.nl_NL.po index 00294f41..055eb4ff 100644 --- a/modules/po/autoreply.nl_NL.po +++ b/modules/po/autoreply.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /master/modules/po/autoreply.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/autoreply.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/autoreply.pt_BR.po b/modules/po/autoreply.pt_BR.po index d7a6badc..90776d9c 100644 --- a/modules/po/autoreply.pt_BR.po +++ b/modules/po/autoreply.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /master/modules/po/autoreply.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/autoreply.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/autoreply.ru_RU.po b/modules/po/autoreply.ru_RU.po index caecb346..8fb023dd 100644 --- a/modules/po/autoreply.ru_RU.po +++ b/modules/po/autoreply.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /master/modules/po/autoreply.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/autoreply.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/autovoice.bg_BG.po b/modules/po/autovoice.bg_BG.po index a71b3b58..655f814a 100644 --- a/modules/po/autovoice.bg_BG.po +++ b/modules/po/autovoice.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /master/modules/po/autovoice.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/autovoice.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/autovoice.de_DE.po b/modules/po/autovoice.de_DE.po index dd48deaf..2e51d5d3 100644 --- a/modules/po/autovoice.de_DE.po +++ b/modules/po/autovoice.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/autovoice.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" #: autovoice.cpp:120 msgid "List all users" diff --git a/modules/po/autovoice.es_ES.po b/modules/po/autovoice.es_ES.po index 764c122b..b06fc508 100644 --- a/modules/po/autovoice.es_ES.po +++ b/modules/po/autovoice.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /master/modules/po/autovoice.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/autovoice.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/autovoice.fr_FR.po b/modules/po/autovoice.fr_FR.po index 612fc0bb..a44dffb9 100644 --- a/modules/po/autovoice.fr_FR.po +++ b/modules/po/autovoice.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /master/modules/po/autovoice.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/autovoice.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/autovoice.id_ID.po b/modules/po/autovoice.id_ID.po index 7ae8d461..2ddb1535 100644 --- a/modules/po/autovoice.id_ID.po +++ b/modules/po/autovoice.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /master/modules/po/autovoice.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/autovoice.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/autovoice.it_IT.po b/modules/po/autovoice.it_IT.po index b359cdeb..fa5646b8 100644 --- a/modules/po/autovoice.it_IT.po +++ b/modules/po/autovoice.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /master/modules/po/autovoice.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/autovoice.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/autovoice.nl_NL.po b/modules/po/autovoice.nl_NL.po index 8e4ad649..756fa403 100644 --- a/modules/po/autovoice.nl_NL.po +++ b/modules/po/autovoice.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /master/modules/po/autovoice.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/autovoice.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/autovoice.pt_BR.po b/modules/po/autovoice.pt_BR.po index e1846325..b274fb8a 100644 --- a/modules/po/autovoice.pt_BR.po +++ b/modules/po/autovoice.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /master/modules/po/autovoice.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/autovoice.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/autovoice.ru_RU.po b/modules/po/autovoice.ru_RU.po index 43b3d97e..f0acf91d 100644 --- a/modules/po/autovoice.ru_RU.po +++ b/modules/po/autovoice.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /master/modules/po/autovoice.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/autovoice.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/awaystore.bg_BG.po b/modules/po/awaystore.bg_BG.po index bd4b7ed4..f1466832 100644 --- a/modules/po/awaystore.bg_BG.po +++ b/modules/po/awaystore.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /master/modules/po/awaystore.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/awaystore.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/awaystore.de_DE.po b/modules/po/awaystore.de_DE.po index 687737e7..c1f192fb 100644 --- a/modules/po/awaystore.de_DE.po +++ b/modules/po/awaystore.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/awaystore.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" #: awaystore.cpp:67 msgid "You have been marked as away" diff --git a/modules/po/awaystore.es_ES.po b/modules/po/awaystore.es_ES.po index 2a09a28b..522df2a4 100644 --- a/modules/po/awaystore.es_ES.po +++ b/modules/po/awaystore.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /master/modules/po/awaystore.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/awaystore.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/awaystore.fr_FR.po b/modules/po/awaystore.fr_FR.po index 73217eb1..e941e3cb 100644 --- a/modules/po/awaystore.fr_FR.po +++ b/modules/po/awaystore.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /master/modules/po/awaystore.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/awaystore.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/awaystore.id_ID.po b/modules/po/awaystore.id_ID.po index 3a8a6929..e351e9c5 100644 --- a/modules/po/awaystore.id_ID.po +++ b/modules/po/awaystore.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /master/modules/po/awaystore.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/awaystore.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/awaystore.it_IT.po b/modules/po/awaystore.it_IT.po index 23ff16a3..d35e606b 100644 --- a/modules/po/awaystore.it_IT.po +++ b/modules/po/awaystore.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /master/modules/po/awaystore.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/awaystore.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/awaystore.nl_NL.po b/modules/po/awaystore.nl_NL.po index 46988990..7f27ed45 100644 --- a/modules/po/awaystore.nl_NL.po +++ b/modules/po/awaystore.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /master/modules/po/awaystore.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/awaystore.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/awaystore.pt_BR.po b/modules/po/awaystore.pt_BR.po index 1ae4e75e..9ec025c5 100644 --- a/modules/po/awaystore.pt_BR.po +++ b/modules/po/awaystore.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /master/modules/po/awaystore.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/awaystore.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/awaystore.ru_RU.po b/modules/po/awaystore.ru_RU.po index 86568580..d059e777 100644 --- a/modules/po/awaystore.ru_RU.po +++ b/modules/po/awaystore.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /master/modules/po/awaystore.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/awaystore.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/block_motd.bg_BG.po b/modules/po/block_motd.bg_BG.po index b7e5e703..5009987a 100644 --- a/modules/po/block_motd.bg_BG.po +++ b/modules/po/block_motd.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /master/modules/po/block_motd.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/block_motd.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/block_motd.de_DE.po b/modules/po/block_motd.de_DE.po index ced8bae9..e2e6928c 100644 --- a/modules/po/block_motd.de_DE.po +++ b/modules/po/block_motd.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/block_motd.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" #: block_motd.cpp:26 msgid "[]" diff --git a/modules/po/block_motd.es_ES.po b/modules/po/block_motd.es_ES.po index d1958585..96589200 100644 --- a/modules/po/block_motd.es_ES.po +++ b/modules/po/block_motd.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /master/modules/po/block_motd.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/block_motd.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/block_motd.fr_FR.po b/modules/po/block_motd.fr_FR.po index 3ae72642..0efd345d 100644 --- a/modules/po/block_motd.fr_FR.po +++ b/modules/po/block_motd.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /master/modules/po/block_motd.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/block_motd.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/block_motd.id_ID.po b/modules/po/block_motd.id_ID.po index 3b1b22d7..1ba5719e 100644 --- a/modules/po/block_motd.id_ID.po +++ b/modules/po/block_motd.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /master/modules/po/block_motd.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/block_motd.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/block_motd.it_IT.po b/modules/po/block_motd.it_IT.po index 87ff5445..b7b83875 100644 --- a/modules/po/block_motd.it_IT.po +++ b/modules/po/block_motd.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /master/modules/po/block_motd.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/block_motd.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/block_motd.nl_NL.po b/modules/po/block_motd.nl_NL.po index 03b8a6f7..58751e08 100644 --- a/modules/po/block_motd.nl_NL.po +++ b/modules/po/block_motd.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /master/modules/po/block_motd.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/block_motd.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/block_motd.pt_BR.po b/modules/po/block_motd.pt_BR.po index ddf7f2f9..db2c33e2 100644 --- a/modules/po/block_motd.pt_BR.po +++ b/modules/po/block_motd.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /master/modules/po/block_motd.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/block_motd.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/block_motd.ru_RU.po b/modules/po/block_motd.ru_RU.po index 033d5e10..6937d9e4 100644 --- a/modules/po/block_motd.ru_RU.po +++ b/modules/po/block_motd.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /master/modules/po/block_motd.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/block_motd.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/blockuser.bg_BG.po b/modules/po/blockuser.bg_BG.po index 259a6043..eaededb8 100644 --- a/modules/po/blockuser.bg_BG.po +++ b/modules/po/blockuser.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /master/modules/po/blockuser.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/blockuser.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/blockuser.de_DE.po b/modules/po/blockuser.de_DE.po index d47cb4cf..e12d0797 100644 --- a/modules/po/blockuser.de_DE.po +++ b/modules/po/blockuser.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/blockuser.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" #: modules/po/../data/blockuser/tmpl/blockuser_WebadminUser.tmpl:9 msgid "Account is blocked" diff --git a/modules/po/blockuser.es_ES.po b/modules/po/blockuser.es_ES.po index a676c0b8..fa341422 100644 --- a/modules/po/blockuser.es_ES.po +++ b/modules/po/blockuser.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /master/modules/po/blockuser.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/blockuser.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/blockuser.fr_FR.po b/modules/po/blockuser.fr_FR.po index af06ccc6..b88cb575 100644 --- a/modules/po/blockuser.fr_FR.po +++ b/modules/po/blockuser.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /master/modules/po/blockuser.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/blockuser.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/blockuser.id_ID.po b/modules/po/blockuser.id_ID.po index 8409b1ae..56714109 100644 --- a/modules/po/blockuser.id_ID.po +++ b/modules/po/blockuser.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /master/modules/po/blockuser.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/blockuser.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/blockuser.it_IT.po b/modules/po/blockuser.it_IT.po index b26d3820..67a88017 100644 --- a/modules/po/blockuser.it_IT.po +++ b/modules/po/blockuser.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /master/modules/po/blockuser.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/blockuser.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/blockuser.nl_NL.po b/modules/po/blockuser.nl_NL.po index 34522231..a5e0b8ab 100644 --- a/modules/po/blockuser.nl_NL.po +++ b/modules/po/blockuser.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /master/modules/po/blockuser.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/blockuser.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/blockuser.pt_BR.po b/modules/po/blockuser.pt_BR.po index dd2c8959..4d4a42fc 100644 --- a/modules/po/blockuser.pt_BR.po +++ b/modules/po/blockuser.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /master/modules/po/blockuser.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/blockuser.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/blockuser.ru_RU.po b/modules/po/blockuser.ru_RU.po index fb668475..bd9b8d18 100644 --- a/modules/po/blockuser.ru_RU.po +++ b/modules/po/blockuser.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /master/modules/po/blockuser.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/blockuser.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/bouncedcc.bg_BG.po b/modules/po/bouncedcc.bg_BG.po index 889e4868..c3f8e0b2 100644 --- a/modules/po/bouncedcc.bg_BG.po +++ b/modules/po/bouncedcc.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /master/modules/po/bouncedcc.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/bouncedcc.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/bouncedcc.de_DE.po b/modules/po/bouncedcc.de_DE.po index e8830d8a..d7aed1d8 100644 --- a/modules/po/bouncedcc.de_DE.po +++ b/modules/po/bouncedcc.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/bouncedcc.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" #: bouncedcc.cpp:101 bouncedcc.cpp:119 bouncedcc.cpp:121 msgctxt "list" diff --git a/modules/po/bouncedcc.es_ES.po b/modules/po/bouncedcc.es_ES.po index b0915845..87e263e0 100644 --- a/modules/po/bouncedcc.es_ES.po +++ b/modules/po/bouncedcc.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /master/modules/po/bouncedcc.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/bouncedcc.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/bouncedcc.fr_FR.po b/modules/po/bouncedcc.fr_FR.po index e69d6e82..27fe1eae 100644 --- a/modules/po/bouncedcc.fr_FR.po +++ b/modules/po/bouncedcc.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /master/modules/po/bouncedcc.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/bouncedcc.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/bouncedcc.id_ID.po b/modules/po/bouncedcc.id_ID.po index 93a3582d..68c8332a 100644 --- a/modules/po/bouncedcc.id_ID.po +++ b/modules/po/bouncedcc.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /master/modules/po/bouncedcc.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/bouncedcc.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/bouncedcc.it_IT.po b/modules/po/bouncedcc.it_IT.po index 5a899f38..6bc93628 100644 --- a/modules/po/bouncedcc.it_IT.po +++ b/modules/po/bouncedcc.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /master/modules/po/bouncedcc.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/bouncedcc.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/bouncedcc.nl_NL.po b/modules/po/bouncedcc.nl_NL.po index fca30c9a..3e8fae22 100644 --- a/modules/po/bouncedcc.nl_NL.po +++ b/modules/po/bouncedcc.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /master/modules/po/bouncedcc.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/bouncedcc.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/bouncedcc.pt_BR.po b/modules/po/bouncedcc.pt_BR.po index 3db8d92c..3d8bd31a 100644 --- a/modules/po/bouncedcc.pt_BR.po +++ b/modules/po/bouncedcc.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /master/modules/po/bouncedcc.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/bouncedcc.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/bouncedcc.ru_RU.po b/modules/po/bouncedcc.ru_RU.po index 84011ac8..cf4c9183 100644 --- a/modules/po/bouncedcc.ru_RU.po +++ b/modules/po/bouncedcc.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /master/modules/po/bouncedcc.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/bouncedcc.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/buffextras.bg_BG.po b/modules/po/buffextras.bg_BG.po index 7aaf8c0f..838f1da2 100644 --- a/modules/po/buffextras.bg_BG.po +++ b/modules/po/buffextras.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /master/modules/po/buffextras.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/buffextras.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/buffextras.de_DE.po b/modules/po/buffextras.de_DE.po index 5e96573e..5ca39879 100644 --- a/modules/po/buffextras.de_DE.po +++ b/modules/po/buffextras.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/buffextras.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" #: buffextras.cpp:45 msgid "Server" diff --git a/modules/po/buffextras.es_ES.po b/modules/po/buffextras.es_ES.po index dffcc796..723341be 100644 --- a/modules/po/buffextras.es_ES.po +++ b/modules/po/buffextras.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /master/modules/po/buffextras.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/buffextras.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/buffextras.fr_FR.po b/modules/po/buffextras.fr_FR.po index 4fb4b7bc..0abd9225 100644 --- a/modules/po/buffextras.fr_FR.po +++ b/modules/po/buffextras.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /master/modules/po/buffextras.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/buffextras.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/buffextras.id_ID.po b/modules/po/buffextras.id_ID.po index 9cffb743..d7f9f5cc 100644 --- a/modules/po/buffextras.id_ID.po +++ b/modules/po/buffextras.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /master/modules/po/buffextras.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/buffextras.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/buffextras.it_IT.po b/modules/po/buffextras.it_IT.po index 7c400747..78620817 100644 --- a/modules/po/buffextras.it_IT.po +++ b/modules/po/buffextras.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /master/modules/po/buffextras.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/buffextras.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/buffextras.nl_NL.po b/modules/po/buffextras.nl_NL.po index ccb6f6e7..c37e77ef 100644 --- a/modules/po/buffextras.nl_NL.po +++ b/modules/po/buffextras.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /master/modules/po/buffextras.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/buffextras.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/buffextras.pt_BR.po b/modules/po/buffextras.pt_BR.po index 4149f380..184f6458 100644 --- a/modules/po/buffextras.pt_BR.po +++ b/modules/po/buffextras.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /master/modules/po/buffextras.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/buffextras.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/buffextras.ru_RU.po b/modules/po/buffextras.ru_RU.po index 6defdf31..bb9ed1aa 100644 --- a/modules/po/buffextras.ru_RU.po +++ b/modules/po/buffextras.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /master/modules/po/buffextras.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/buffextras.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/cert.bg_BG.po b/modules/po/cert.bg_BG.po index f9e58219..677648ff 100644 --- a/modules/po/cert.bg_BG.po +++ b/modules/po/cert.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /master/modules/po/cert.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/cert.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/cert.de_DE.po b/modules/po/cert.de_DE.po index 638d1e91..5062ad1f 100644 --- a/modules/po/cert.de_DE.po +++ b/modules/po/cert.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/cert.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" # this text is inserted into `click here` in the other string #: modules/po/../data/cert/tmpl/index.tmpl:5 diff --git a/modules/po/cert.es_ES.po b/modules/po/cert.es_ES.po index 4786d510..02e38b70 100644 --- a/modules/po/cert.es_ES.po +++ b/modules/po/cert.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /master/modules/po/cert.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/cert.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/cert.fr_FR.po b/modules/po/cert.fr_FR.po index 6f71ef32..d08d42b2 100644 --- a/modules/po/cert.fr_FR.po +++ b/modules/po/cert.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /master/modules/po/cert.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/cert.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/cert.id_ID.po b/modules/po/cert.id_ID.po index 2fd71c07..64557de2 100644 --- a/modules/po/cert.id_ID.po +++ b/modules/po/cert.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /master/modules/po/cert.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/cert.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/cert.it_IT.po b/modules/po/cert.it_IT.po index 831bc452..25bf0f27 100644 --- a/modules/po/cert.it_IT.po +++ b/modules/po/cert.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /master/modules/po/cert.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/cert.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/cert.nl_NL.po b/modules/po/cert.nl_NL.po index 67b0b59b..519a5fda 100644 --- a/modules/po/cert.nl_NL.po +++ b/modules/po/cert.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /master/modules/po/cert.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/cert.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/cert.pt_BR.po b/modules/po/cert.pt_BR.po index 59f61c04..c6396d23 100644 --- a/modules/po/cert.pt_BR.po +++ b/modules/po/cert.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /master/modules/po/cert.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/cert.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/cert.ru_RU.po b/modules/po/cert.ru_RU.po index f96df913..1ecffc9f 100644 --- a/modules/po/cert.ru_RU.po +++ b/modules/po/cert.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /master/modules/po/cert.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/cert.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/certauth.bg_BG.po b/modules/po/certauth.bg_BG.po index d21338b7..846d531f 100644 --- a/modules/po/certauth.bg_BG.po +++ b/modules/po/certauth.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /master/modules/po/certauth.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/certauth.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/certauth.de_DE.po b/modules/po/certauth.de_DE.po index 080e258e..26348b98 100644 --- a/modules/po/certauth.de_DE.po +++ b/modules/po/certauth.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/certauth.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" #: modules/po/../data/certauth/tmpl/index.tmpl:7 msgid "Add a key" diff --git a/modules/po/certauth.es_ES.po b/modules/po/certauth.es_ES.po index e04e33ee..f1430e81 100644 --- a/modules/po/certauth.es_ES.po +++ b/modules/po/certauth.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /master/modules/po/certauth.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/certauth.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/certauth.fr_FR.po b/modules/po/certauth.fr_FR.po index 1ef0ef57..f4e254cf 100644 --- a/modules/po/certauth.fr_FR.po +++ b/modules/po/certauth.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /master/modules/po/certauth.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/certauth.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/certauth.id_ID.po b/modules/po/certauth.id_ID.po index a61df9db..0bc84ada 100644 --- a/modules/po/certauth.id_ID.po +++ b/modules/po/certauth.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /master/modules/po/certauth.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/certauth.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/certauth.it_IT.po b/modules/po/certauth.it_IT.po index 83ec962a..f6803253 100644 --- a/modules/po/certauth.it_IT.po +++ b/modules/po/certauth.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /master/modules/po/certauth.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/certauth.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/certauth.nl_NL.po b/modules/po/certauth.nl_NL.po index 173c55ad..e2f6ef14 100644 --- a/modules/po/certauth.nl_NL.po +++ b/modules/po/certauth.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /master/modules/po/certauth.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/certauth.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/certauth.pt_BR.po b/modules/po/certauth.pt_BR.po index 8912c1f2..0824d0be 100644 --- a/modules/po/certauth.pt_BR.po +++ b/modules/po/certauth.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /master/modules/po/certauth.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/certauth.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/certauth.ru_RU.po b/modules/po/certauth.ru_RU.po index aa45cce5..59490080 100644 --- a/modules/po/certauth.ru_RU.po +++ b/modules/po/certauth.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /master/modules/po/certauth.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/certauth.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/chansaver.bg_BG.po b/modules/po/chansaver.bg_BG.po index d0c6611d..a69250a9 100644 --- a/modules/po/chansaver.bg_BG.po +++ b/modules/po/chansaver.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /master/modules/po/chansaver.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/chansaver.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/chansaver.de_DE.po b/modules/po/chansaver.de_DE.po index 63e63bab..5dee37de 100644 --- a/modules/po/chansaver.de_DE.po +++ b/modules/po/chansaver.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/chansaver.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" #: chansaver.cpp:91 msgid "Keeps config up-to-date when user joins/parts." diff --git a/modules/po/chansaver.es_ES.po b/modules/po/chansaver.es_ES.po index 511da57a..06aaff47 100644 --- a/modules/po/chansaver.es_ES.po +++ b/modules/po/chansaver.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /master/modules/po/chansaver.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/chansaver.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/chansaver.fr_FR.po b/modules/po/chansaver.fr_FR.po index 1faa18d8..fcbdb960 100644 --- a/modules/po/chansaver.fr_FR.po +++ b/modules/po/chansaver.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /master/modules/po/chansaver.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/chansaver.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/chansaver.id_ID.po b/modules/po/chansaver.id_ID.po index cc3db948..ed26450d 100644 --- a/modules/po/chansaver.id_ID.po +++ b/modules/po/chansaver.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /master/modules/po/chansaver.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/chansaver.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/chansaver.it_IT.po b/modules/po/chansaver.it_IT.po index 295f0af1..2b1771a0 100644 --- a/modules/po/chansaver.it_IT.po +++ b/modules/po/chansaver.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /master/modules/po/chansaver.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/chansaver.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/chansaver.nl_NL.po b/modules/po/chansaver.nl_NL.po index f202ed77..8b76eea6 100644 --- a/modules/po/chansaver.nl_NL.po +++ b/modules/po/chansaver.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /master/modules/po/chansaver.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/chansaver.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/chansaver.pt_BR.po b/modules/po/chansaver.pt_BR.po index 874a3f40..98f747b8 100644 --- a/modules/po/chansaver.pt_BR.po +++ b/modules/po/chansaver.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /master/modules/po/chansaver.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/chansaver.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/chansaver.ru_RU.po b/modules/po/chansaver.ru_RU.po index f3dfc856..f03f91f0 100644 --- a/modules/po/chansaver.ru_RU.po +++ b/modules/po/chansaver.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /master/modules/po/chansaver.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/chansaver.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/clearbufferonmsg.bg_BG.po b/modules/po/clearbufferonmsg.bg_BG.po index 40f1c332..c1855522 100644 --- a/modules/po/clearbufferonmsg.bg_BG.po +++ b/modules/po/clearbufferonmsg.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /master/modules/po/clearbufferonmsg.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/clearbufferonmsg.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/clearbufferonmsg.de_DE.po b/modules/po/clearbufferonmsg.de_DE.po index 6556574d..20fce3b2 100644 --- a/modules/po/clearbufferonmsg.de_DE.po +++ b/modules/po/clearbufferonmsg.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/clearbufferonmsg.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" #: clearbufferonmsg.cpp:160 msgid "Clears all channel and query buffers whenever the user does something" diff --git a/modules/po/clearbufferonmsg.es_ES.po b/modules/po/clearbufferonmsg.es_ES.po index 46e19ddb..ea418d61 100644 --- a/modules/po/clearbufferonmsg.es_ES.po +++ b/modules/po/clearbufferonmsg.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /master/modules/po/clearbufferonmsg.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/clearbufferonmsg.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/clearbufferonmsg.fr_FR.po b/modules/po/clearbufferonmsg.fr_FR.po index bfe47e51..65a3159d 100644 --- a/modules/po/clearbufferonmsg.fr_FR.po +++ b/modules/po/clearbufferonmsg.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /master/modules/po/clearbufferonmsg.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/clearbufferonmsg.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/clearbufferonmsg.id_ID.po b/modules/po/clearbufferonmsg.id_ID.po index 0e6deee8..7b4b0073 100644 --- a/modules/po/clearbufferonmsg.id_ID.po +++ b/modules/po/clearbufferonmsg.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /master/modules/po/clearbufferonmsg.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/clearbufferonmsg.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/clearbufferonmsg.it_IT.po b/modules/po/clearbufferonmsg.it_IT.po index 5885e399..f1eece89 100644 --- a/modules/po/clearbufferonmsg.it_IT.po +++ b/modules/po/clearbufferonmsg.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /master/modules/po/clearbufferonmsg.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/clearbufferonmsg.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/clearbufferonmsg.nl_NL.po b/modules/po/clearbufferonmsg.nl_NL.po index 422f2147..2c7eaf01 100644 --- a/modules/po/clearbufferonmsg.nl_NL.po +++ b/modules/po/clearbufferonmsg.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /master/modules/po/clearbufferonmsg.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/clearbufferonmsg.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/clearbufferonmsg.pt_BR.po b/modules/po/clearbufferonmsg.pt_BR.po index e1a02d60..9241ef66 100644 --- a/modules/po/clearbufferonmsg.pt_BR.po +++ b/modules/po/clearbufferonmsg.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /master/modules/po/clearbufferonmsg.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/clearbufferonmsg.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/clearbufferonmsg.ru_RU.po b/modules/po/clearbufferonmsg.ru_RU.po index e86407ec..9a80ef2c 100644 --- a/modules/po/clearbufferonmsg.ru_RU.po +++ b/modules/po/clearbufferonmsg.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /master/modules/po/clearbufferonmsg.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/clearbufferonmsg.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/clientnotify.bg_BG.po b/modules/po/clientnotify.bg_BG.po index 64b2bcd5..f5be65f8 100644 --- a/modules/po/clientnotify.bg_BG.po +++ b/modules/po/clientnotify.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /master/modules/po/clientnotify.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/clientnotify.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/clientnotify.de_DE.po b/modules/po/clientnotify.de_DE.po index 0edb0712..d02dc204 100644 --- a/modules/po/clientnotify.de_DE.po +++ b/modules/po/clientnotify.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/clientnotify.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" #: clientnotify.cpp:47 msgid "" diff --git a/modules/po/clientnotify.es_ES.po b/modules/po/clientnotify.es_ES.po index 84cbdfa8..ec454dfd 100644 --- a/modules/po/clientnotify.es_ES.po +++ b/modules/po/clientnotify.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /master/modules/po/clientnotify.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/clientnotify.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" @@ -42,8 +42,6 @@ msgid_plural "" "see all {1} clients." msgstr[0] "" msgstr[1] "" -"Otro cliente se ha autenticado con tu usuario. Usa el comando 'ListClients' " -"para ver todos los clientes de {1}." #: clientnotify.cpp:108 msgid "Usage: Method " diff --git a/modules/po/clientnotify.fr_FR.po b/modules/po/clientnotify.fr_FR.po index c863411c..078a6d88 100644 --- a/modules/po/clientnotify.fr_FR.po +++ b/modules/po/clientnotify.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /master/modules/po/clientnotify.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/clientnotify.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/clientnotify.id_ID.po b/modules/po/clientnotify.id_ID.po index 135a46da..429ac743 100644 --- a/modules/po/clientnotify.id_ID.po +++ b/modules/po/clientnotify.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /master/modules/po/clientnotify.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/clientnotify.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/clientnotify.it_IT.po b/modules/po/clientnotify.it_IT.po index c71eb84e..672a99cc 100644 --- a/modules/po/clientnotify.it_IT.po +++ b/modules/po/clientnotify.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /master/modules/po/clientnotify.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/clientnotify.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/clientnotify.nl_NL.po b/modules/po/clientnotify.nl_NL.po index f24ebfcc..bbf53809 100644 --- a/modules/po/clientnotify.nl_NL.po +++ b/modules/po/clientnotify.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /master/modules/po/clientnotify.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/clientnotify.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/clientnotify.pt_BR.po b/modules/po/clientnotify.pt_BR.po index 21130711..e17965d7 100644 --- a/modules/po/clientnotify.pt_BR.po +++ b/modules/po/clientnotify.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /master/modules/po/clientnotify.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/clientnotify.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/clientnotify.ru_RU.po b/modules/po/clientnotify.ru_RU.po index 020bc2ab..1486e5a0 100644 --- a/modules/po/clientnotify.ru_RU.po +++ b/modules/po/clientnotify.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /master/modules/po/clientnotify.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/clientnotify.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/controlpanel.bg_BG.po b/modules/po/controlpanel.bg_BG.po index 19eae059..471184fc 100644 --- a/modules/po/controlpanel.bg_BG.po +++ b/modules/po/controlpanel.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /master/modules/po/controlpanel.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/controlpanel.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" @@ -36,680 +36,680 @@ msgstr "" msgid "Number" msgstr "" -#: controlpanel.cpp:125 +#: controlpanel.cpp:126 msgid "The following variables are available when using the Set/Get commands:" msgstr "" -#: controlpanel.cpp:149 +#: controlpanel.cpp:150 msgid "" "The following variables are available when using the SetNetwork/GetNetwork " "commands:" msgstr "" -#: controlpanel.cpp:163 +#: controlpanel.cpp:164 msgid "" "The following variables are available when using the SetChan/GetChan " "commands:" msgstr "" -#: controlpanel.cpp:170 +#: controlpanel.cpp:171 msgid "" "You can use $user as the user name and $network as the network name for " "modifying your own user and network." msgstr "" -#: controlpanel.cpp:179 controlpanel.cpp:966 controlpanel.cpp:1003 +#: controlpanel.cpp:180 controlpanel.cpp:967 controlpanel.cpp:1004 msgid "Error: User [{1}] does not exist!" msgstr "" -#: controlpanel.cpp:184 +#: controlpanel.cpp:185 msgid "Error: You need to have admin rights to modify other users!" msgstr "" -#: controlpanel.cpp:194 +#: controlpanel.cpp:195 msgid "Error: You cannot use $network to modify other users!" msgstr "" -#: controlpanel.cpp:202 +#: controlpanel.cpp:203 msgid "Error: User {1} does not have a network named [{2}]." msgstr "" -#: controlpanel.cpp:214 +#: controlpanel.cpp:215 msgid "Usage: Get [username]" msgstr "" -#: controlpanel.cpp:304 controlpanel.cpp:507 controlpanel.cpp:582 -#: controlpanel.cpp:658 controlpanel.cpp:793 controlpanel.cpp:878 +#: controlpanel.cpp:305 controlpanel.cpp:508 controlpanel.cpp:583 +#: controlpanel.cpp:659 controlpanel.cpp:794 controlpanel.cpp:879 msgid "Error: Unknown variable" msgstr "" -#: controlpanel.cpp:313 +#: controlpanel.cpp:314 msgid "Usage: Set " msgstr "" -#: controlpanel.cpp:335 controlpanel.cpp:623 +#: controlpanel.cpp:336 controlpanel.cpp:624 msgid "This bind host is already set!" msgstr "" -#: controlpanel.cpp:342 controlpanel.cpp:354 controlpanel.cpp:362 -#: controlpanel.cpp:425 controlpanel.cpp:444 controlpanel.cpp:460 -#: controlpanel.cpp:470 controlpanel.cpp:630 +#: controlpanel.cpp:343 controlpanel.cpp:355 controlpanel.cpp:363 +#: controlpanel.cpp:426 controlpanel.cpp:445 controlpanel.cpp:461 +#: controlpanel.cpp:471 controlpanel.cpp:631 msgid "Access denied!" msgstr "" -#: controlpanel.cpp:376 controlpanel.cpp:385 controlpanel.cpp:842 +#: controlpanel.cpp:377 controlpanel.cpp:386 controlpanel.cpp:843 msgid "Setting failed, limit for buffer size is {1}" msgstr "" -#: controlpanel.cpp:405 +#: controlpanel.cpp:406 msgid "Password has been changed!" msgstr "" -#: controlpanel.cpp:413 +#: controlpanel.cpp:414 msgid "Timeout can't be less than 30 seconds!" msgstr "" -#: controlpanel.cpp:477 +#: controlpanel.cpp:478 msgid "That would be a bad idea!" msgstr "" -#: controlpanel.cpp:495 +#: controlpanel.cpp:496 msgid "Supported languages: {1}" msgstr "" -#: controlpanel.cpp:519 +#: controlpanel.cpp:520 msgid "Usage: GetNetwork [username] [network]" msgstr "" -#: controlpanel.cpp:538 +#: controlpanel.cpp:539 msgid "Error: A network must be specified to get another users settings." msgstr "" -#: controlpanel.cpp:544 +#: controlpanel.cpp:545 msgid "You are not currently attached to a network." msgstr "" -#: controlpanel.cpp:550 +#: controlpanel.cpp:551 msgid "Error: Invalid network." msgstr "" -#: controlpanel.cpp:594 +#: controlpanel.cpp:595 msgid "Usage: SetNetwork " msgstr "" -#: controlpanel.cpp:668 +#: controlpanel.cpp:669 msgid "Usage: AddChan " msgstr "" -#: controlpanel.cpp:681 +#: controlpanel.cpp:682 msgid "Error: User {1} already has a channel named {2}." msgstr "" -#: controlpanel.cpp:688 +#: controlpanel.cpp:689 msgid "Channel {1} for user {2} added to network {3}." msgstr "" -#: controlpanel.cpp:692 +#: controlpanel.cpp:693 msgid "" "Could not add channel {1} for user {2} to network {3}, does it already exist?" msgstr "" -#: controlpanel.cpp:702 +#: controlpanel.cpp:703 msgid "Usage: DelChan " msgstr "" -#: controlpanel.cpp:717 +#: controlpanel.cpp:718 msgid "Error: User {1} does not have any channel matching [{2}] in network {3}" msgstr "" -#: controlpanel.cpp:730 +#: controlpanel.cpp:731 msgid "Channel {1} is deleted from network {2} of user {3}" msgid_plural "Channels {1} are deleted from network {2} of user {3}" msgstr[0] "" msgstr[1] "" -#: controlpanel.cpp:745 +#: controlpanel.cpp:746 msgid "Usage: GetChan " msgstr "" -#: controlpanel.cpp:759 controlpanel.cpp:823 +#: controlpanel.cpp:760 controlpanel.cpp:824 msgid "Error: No channels matching [{1}] found." msgstr "" -#: controlpanel.cpp:808 +#: controlpanel.cpp:809 msgid "Usage: SetChan " msgstr "" -#: controlpanel.cpp:889 controlpanel.cpp:899 -msgctxt "listusers" -msgid "Username" -msgstr "" - #: controlpanel.cpp:890 controlpanel.cpp:900 msgctxt "listusers" +msgid "Username" +msgstr "" + +#: controlpanel.cpp:891 controlpanel.cpp:901 +msgctxt "listusers" msgid "Realname" msgstr "" -#: controlpanel.cpp:891 controlpanel.cpp:903 controlpanel.cpp:905 +#: controlpanel.cpp:892 controlpanel.cpp:904 controlpanel.cpp:906 msgctxt "listusers" msgid "IsAdmin" msgstr "" -#: controlpanel.cpp:892 controlpanel.cpp:906 +#: controlpanel.cpp:893 controlpanel.cpp:907 msgctxt "listusers" msgid "Nick" msgstr "" -#: controlpanel.cpp:893 controlpanel.cpp:907 +#: controlpanel.cpp:894 controlpanel.cpp:908 msgctxt "listusers" msgid "AltNick" msgstr "" -#: controlpanel.cpp:894 controlpanel.cpp:908 +#: controlpanel.cpp:895 controlpanel.cpp:909 msgctxt "listusers" msgid "Ident" msgstr "" -#: controlpanel.cpp:895 controlpanel.cpp:909 +#: controlpanel.cpp:896 controlpanel.cpp:910 msgctxt "listusers" msgid "BindHost" msgstr "" -#: controlpanel.cpp:903 controlpanel.cpp:1143 +#: controlpanel.cpp:904 controlpanel.cpp:1144 msgid "No" msgstr "" -#: controlpanel.cpp:905 controlpanel.cpp:1135 +#: controlpanel.cpp:906 controlpanel.cpp:1136 msgid "Yes" msgstr "" -#: controlpanel.cpp:919 controlpanel.cpp:988 +#: controlpanel.cpp:920 controlpanel.cpp:989 msgid "Error: You need to have admin rights to add new users!" msgstr "" -#: controlpanel.cpp:925 +#: controlpanel.cpp:926 msgid "Usage: AddUser " msgstr "" -#: controlpanel.cpp:930 +#: controlpanel.cpp:931 msgid "Error: User {1} already exists!" msgstr "" -#: controlpanel.cpp:942 controlpanel.cpp:1017 +#: controlpanel.cpp:943 controlpanel.cpp:1018 msgid "Error: User not added: {1}" msgstr "" -#: controlpanel.cpp:946 controlpanel.cpp:1021 +#: controlpanel.cpp:947 controlpanel.cpp:1022 msgid "User {1} added!" msgstr "" -#: controlpanel.cpp:953 +#: controlpanel.cpp:954 msgid "Error: You need to have admin rights to delete users!" msgstr "" -#: controlpanel.cpp:959 +#: controlpanel.cpp:960 msgid "Usage: DelUser " msgstr "" -#: controlpanel.cpp:971 +#: controlpanel.cpp:972 msgid "Error: You can't delete yourself!" msgstr "" -#: controlpanel.cpp:977 +#: controlpanel.cpp:978 msgid "Error: Internal error!" msgstr "" -#: controlpanel.cpp:981 +#: controlpanel.cpp:982 msgid "User {1} deleted!" msgstr "" -#: controlpanel.cpp:996 +#: controlpanel.cpp:997 msgid "Usage: CloneUser " msgstr "" -#: controlpanel.cpp:1011 +#: controlpanel.cpp:1012 msgid "Error: Cloning failed: {1}" msgstr "" -#: controlpanel.cpp:1040 +#: controlpanel.cpp:1041 msgid "Usage: AddNetwork [user] network" msgstr "" -#: controlpanel.cpp:1046 +#: controlpanel.cpp:1047 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks using /znc DelNetwork " msgstr "" -#: controlpanel.cpp:1054 +#: controlpanel.cpp:1055 msgid "Error: User {1} already has a network with the name {2}" msgstr "" -#: controlpanel.cpp:1061 +#: controlpanel.cpp:1062 msgid "Network {1} added to user {2}." msgstr "" -#: controlpanel.cpp:1065 +#: controlpanel.cpp:1066 msgid "Error: Network [{1}] could not be added for user {2}: {3}" msgstr "" -#: controlpanel.cpp:1085 +#: controlpanel.cpp:1086 msgid "Usage: DelNetwork [user] network" msgstr "" -#: controlpanel.cpp:1096 +#: controlpanel.cpp:1097 msgid "The currently active network can be deleted via {1}status" msgstr "" -#: controlpanel.cpp:1102 +#: controlpanel.cpp:1103 msgid "Network {1} deleted for user {2}." msgstr "" -#: controlpanel.cpp:1106 +#: controlpanel.cpp:1107 msgid "Error: Network {1} could not be deleted for user {2}." msgstr "" -#: controlpanel.cpp:1125 controlpanel.cpp:1133 +#: controlpanel.cpp:1126 controlpanel.cpp:1134 msgctxt "listnetworks" msgid "Network" msgstr "" -#: controlpanel.cpp:1126 controlpanel.cpp:1135 controlpanel.cpp:1143 +#: controlpanel.cpp:1127 controlpanel.cpp:1136 controlpanel.cpp:1144 msgctxt "listnetworks" msgid "OnIRC" msgstr "" -#: controlpanel.cpp:1127 controlpanel.cpp:1136 +#: controlpanel.cpp:1128 controlpanel.cpp:1137 msgctxt "listnetworks" msgid "IRC Server" msgstr "" -#: controlpanel.cpp:1128 controlpanel.cpp:1138 +#: controlpanel.cpp:1129 controlpanel.cpp:1139 msgctxt "listnetworks" msgid "IRC User" msgstr "" -#: controlpanel.cpp:1129 controlpanel.cpp:1140 +#: controlpanel.cpp:1130 controlpanel.cpp:1141 msgctxt "listnetworks" msgid "Channels" msgstr "" -#: controlpanel.cpp:1148 +#: controlpanel.cpp:1149 msgid "No networks" msgstr "" -#: controlpanel.cpp:1159 +#: controlpanel.cpp:1160 msgid "Usage: AddServer [[+]port] [password]" msgstr "" -#: controlpanel.cpp:1173 +#: controlpanel.cpp:1174 msgid "Added IRC Server {1} to network {2} for user {3}." msgstr "" -#: controlpanel.cpp:1177 +#: controlpanel.cpp:1178 msgid "Error: Could not add IRC server {1} to network {2} for user {3}." msgstr "" -#: controlpanel.cpp:1190 +#: controlpanel.cpp:1191 msgid "Usage: DelServer [[+]port] [password]" msgstr "" -#: controlpanel.cpp:1205 +#: controlpanel.cpp:1206 msgid "Deleted IRC Server {1} from network {2} for user {3}." msgstr "" -#: controlpanel.cpp:1209 +#: controlpanel.cpp:1210 msgid "Error: Could not delete IRC server {1} from network {2} for user {3}." msgstr "" -#: controlpanel.cpp:1219 +#: controlpanel.cpp:1220 msgid "Usage: Reconnect " msgstr "" -#: controlpanel.cpp:1246 +#: controlpanel.cpp:1247 msgid "Queued network {1} of user {2} for a reconnect." msgstr "" -#: controlpanel.cpp:1255 +#: controlpanel.cpp:1256 msgid "Usage: Disconnect " msgstr "" -#: controlpanel.cpp:1270 +#: controlpanel.cpp:1271 msgid "Closed IRC connection for network {1} of user {2}." msgstr "" -#: controlpanel.cpp:1285 controlpanel.cpp:1290 -msgctxt "listctcp" -msgid "Request" -msgstr "" - #: controlpanel.cpp:1286 controlpanel.cpp:1291 msgctxt "listctcp" +msgid "Request" +msgstr "" + +#: controlpanel.cpp:1287 controlpanel.cpp:1292 +msgctxt "listctcp" msgid "Reply" msgstr "" -#: controlpanel.cpp:1295 +#: controlpanel.cpp:1296 msgid "No CTCP replies for user {1} are configured" msgstr "" -#: controlpanel.cpp:1298 +#: controlpanel.cpp:1299 msgid "CTCP replies for user {1}:" msgstr "" -#: controlpanel.cpp:1314 +#: controlpanel.cpp:1315 msgid "Usage: AddCTCP [user] [request] [reply]" msgstr "" -#: controlpanel.cpp:1316 +#: controlpanel.cpp:1317 msgid "" "This will cause ZNC to reply to the CTCP instead of forwarding it to clients." msgstr "" -#: controlpanel.cpp:1319 +#: controlpanel.cpp:1320 msgid "An empty reply will cause the CTCP request to be blocked." msgstr "" -#: controlpanel.cpp:1328 +#: controlpanel.cpp:1329 msgid "CTCP requests {1} to user {2} will now be blocked." msgstr "" -#: controlpanel.cpp:1332 +#: controlpanel.cpp:1333 msgid "CTCP requests {1} to user {2} will now get reply: {3}" msgstr "" -#: controlpanel.cpp:1349 +#: controlpanel.cpp:1350 msgid "Usage: DelCTCP [user] [request]" msgstr "" -#: controlpanel.cpp:1355 +#: controlpanel.cpp:1356 msgid "CTCP requests {1} to user {2} will now be sent to IRC clients" msgstr "" -#: controlpanel.cpp:1359 +#: controlpanel.cpp:1360 msgid "" "CTCP requests {1} to user {2} will be sent to IRC clients (nothing has " "changed)" msgstr "" -#: controlpanel.cpp:1369 controlpanel.cpp:1443 +#: controlpanel.cpp:1370 controlpanel.cpp:1444 msgid "Loading modules has been disabled." msgstr "" -#: controlpanel.cpp:1378 +#: controlpanel.cpp:1379 msgid "Error: Unable to load module {1}: {2}" msgstr "" -#: controlpanel.cpp:1381 +#: controlpanel.cpp:1382 msgid "Loaded module {1}" msgstr "" -#: controlpanel.cpp:1386 +#: controlpanel.cpp:1387 msgid "Error: Unable to reload module {1}: {2}" msgstr "" -#: controlpanel.cpp:1389 +#: controlpanel.cpp:1390 msgid "Reloaded module {1}" msgstr "" -#: controlpanel.cpp:1393 +#: controlpanel.cpp:1394 msgid "Error: Unable to load module {1} because it is already loaded" msgstr "" -#: controlpanel.cpp:1404 +#: controlpanel.cpp:1405 msgid "Usage: LoadModule [args]" msgstr "" -#: controlpanel.cpp:1423 +#: controlpanel.cpp:1424 msgid "Usage: LoadNetModule [args]" msgstr "" -#: controlpanel.cpp:1448 +#: controlpanel.cpp:1449 msgid "Please use /znc unloadmod {1}" msgstr "" -#: controlpanel.cpp:1454 +#: controlpanel.cpp:1455 msgid "Error: Unable to unload module {1}: {2}" msgstr "" -#: controlpanel.cpp:1457 +#: controlpanel.cpp:1458 msgid "Unloaded module {1}" msgstr "" -#: controlpanel.cpp:1466 +#: controlpanel.cpp:1467 msgid "Usage: UnloadModule " msgstr "" -#: controlpanel.cpp:1483 +#: controlpanel.cpp:1484 msgid "Usage: UnloadNetModule " msgstr "" -#: controlpanel.cpp:1500 controlpanel.cpp:1506 -msgctxt "listmodules" -msgid "Name" -msgstr "" - #: controlpanel.cpp:1501 controlpanel.cpp:1507 msgctxt "listmodules" +msgid "Name" +msgstr "" + +#: controlpanel.cpp:1502 controlpanel.cpp:1508 +msgctxt "listmodules" msgid "Arguments" msgstr "" -#: controlpanel.cpp:1526 +#: controlpanel.cpp:1527 msgid "User {1} has no modules loaded." msgstr "" -#: controlpanel.cpp:1530 +#: controlpanel.cpp:1531 msgid "Modules loaded for user {1}:" msgstr "" -#: controlpanel.cpp:1550 +#: controlpanel.cpp:1551 msgid "Network {1} of user {2} has no modules loaded." msgstr "" -#: controlpanel.cpp:1555 +#: controlpanel.cpp:1556 msgid "Modules loaded for network {1} of user {2}:" msgstr "" -#: controlpanel.cpp:1562 +#: controlpanel.cpp:1563 msgid "[command] [variable]" msgstr "" -#: controlpanel.cpp:1563 +#: controlpanel.cpp:1564 msgid "Prints help for matching commands and variables" msgstr "" -#: controlpanel.cpp:1566 +#: controlpanel.cpp:1567 msgid " [username]" msgstr "" -#: controlpanel.cpp:1567 +#: controlpanel.cpp:1568 msgid "Prints the variable's value for the given or current user" msgstr "" -#: controlpanel.cpp:1569 +#: controlpanel.cpp:1570 msgid " " msgstr "" -#: controlpanel.cpp:1570 +#: controlpanel.cpp:1571 msgid "Sets the variable's value for the given user" msgstr "" -#: controlpanel.cpp:1572 +#: controlpanel.cpp:1573 msgid " [username] [network]" msgstr "" -#: controlpanel.cpp:1573 +#: controlpanel.cpp:1574 msgid "Prints the variable's value for the given network" msgstr "" -#: controlpanel.cpp:1575 +#: controlpanel.cpp:1576 msgid " " msgstr "" -#: controlpanel.cpp:1576 +#: controlpanel.cpp:1577 msgid "Sets the variable's value for the given network" msgstr "" -#: controlpanel.cpp:1578 +#: controlpanel.cpp:1579 msgid " [username] " msgstr "" -#: controlpanel.cpp:1579 +#: controlpanel.cpp:1580 msgid "Prints the variable's value for the given channel" msgstr "" -#: controlpanel.cpp:1582 +#: controlpanel.cpp:1583 msgid " " msgstr "" -#: controlpanel.cpp:1583 +#: controlpanel.cpp:1584 msgid "Sets the variable's value for the given channel" msgstr "" -#: controlpanel.cpp:1585 controlpanel.cpp:1588 +#: controlpanel.cpp:1586 controlpanel.cpp:1589 msgid " " msgstr "" -#: controlpanel.cpp:1586 +#: controlpanel.cpp:1587 msgid "Adds a new channel" msgstr "" -#: controlpanel.cpp:1589 +#: controlpanel.cpp:1590 msgid "Deletes a channel" msgstr "" -#: controlpanel.cpp:1591 +#: controlpanel.cpp:1592 msgid "Lists users" msgstr "" -#: controlpanel.cpp:1593 +#: controlpanel.cpp:1594 msgid " " msgstr "" -#: controlpanel.cpp:1594 +#: controlpanel.cpp:1595 msgid "Adds a new user" msgstr "" -#: controlpanel.cpp:1596 controlpanel.cpp:1619 controlpanel.cpp:1633 +#: controlpanel.cpp:1597 controlpanel.cpp:1620 controlpanel.cpp:1634 msgid "" msgstr "" -#: controlpanel.cpp:1596 +#: controlpanel.cpp:1597 msgid "Deletes a user" msgstr "" -#: controlpanel.cpp:1598 +#: controlpanel.cpp:1599 msgid " " msgstr "" -#: controlpanel.cpp:1599 +#: controlpanel.cpp:1600 msgid "Clones a user" msgstr "" -#: controlpanel.cpp:1601 controlpanel.cpp:1604 +#: controlpanel.cpp:1602 controlpanel.cpp:1605 msgid " " msgstr "" -#: controlpanel.cpp:1602 +#: controlpanel.cpp:1603 msgid "Adds a new IRC server for the given or current user" msgstr "" -#: controlpanel.cpp:1605 +#: controlpanel.cpp:1606 msgid "Deletes an IRC server from the given or current user" msgstr "" -#: controlpanel.cpp:1607 controlpanel.cpp:1610 controlpanel.cpp:1630 +#: controlpanel.cpp:1608 controlpanel.cpp:1611 controlpanel.cpp:1631 msgid " " msgstr "" -#: controlpanel.cpp:1608 +#: controlpanel.cpp:1609 msgid "Cycles the user's IRC server connection" msgstr "" -#: controlpanel.cpp:1611 +#: controlpanel.cpp:1612 msgid "Disconnects the user from their IRC server" msgstr "" -#: controlpanel.cpp:1613 +#: controlpanel.cpp:1614 msgid " [args]" msgstr "" -#: controlpanel.cpp:1614 +#: controlpanel.cpp:1615 msgid "Loads a Module for a user" msgstr "" -#: controlpanel.cpp:1616 +#: controlpanel.cpp:1617 msgid " " msgstr "" -#: controlpanel.cpp:1617 +#: controlpanel.cpp:1618 msgid "Removes a Module of a user" msgstr "" -#: controlpanel.cpp:1620 +#: controlpanel.cpp:1621 msgid "Get the list of modules for a user" msgstr "" -#: controlpanel.cpp:1623 +#: controlpanel.cpp:1624 msgid " [args]" msgstr "" -#: controlpanel.cpp:1624 +#: controlpanel.cpp:1625 msgid "Loads a Module for a network" msgstr "" -#: controlpanel.cpp:1627 +#: controlpanel.cpp:1628 msgid " " msgstr "" -#: controlpanel.cpp:1628 +#: controlpanel.cpp:1629 msgid "Removes a Module of a network" msgstr "" -#: controlpanel.cpp:1631 +#: controlpanel.cpp:1632 msgid "Get the list of modules for a network" msgstr "" -#: controlpanel.cpp:1634 +#: controlpanel.cpp:1635 msgid "List the configured CTCP replies" msgstr "" -#: controlpanel.cpp:1636 +#: controlpanel.cpp:1637 msgid " [reply]" msgstr "" -#: controlpanel.cpp:1637 +#: controlpanel.cpp:1638 msgid "Configure a new CTCP reply" msgstr "" -#: controlpanel.cpp:1639 +#: controlpanel.cpp:1640 msgid " " msgstr "" -#: controlpanel.cpp:1640 +#: controlpanel.cpp:1641 msgid "Remove a CTCP reply" msgstr "" -#: controlpanel.cpp:1644 controlpanel.cpp:1647 +#: controlpanel.cpp:1645 controlpanel.cpp:1648 msgid "[username] " msgstr "" -#: controlpanel.cpp:1645 +#: controlpanel.cpp:1646 msgid "Add a network for a user" msgstr "" -#: controlpanel.cpp:1648 +#: controlpanel.cpp:1649 msgid "Delete a network for a user" msgstr "" -#: controlpanel.cpp:1650 +#: controlpanel.cpp:1651 msgid "[username]" msgstr "" -#: controlpanel.cpp:1651 +#: controlpanel.cpp:1652 msgid "List all networks for a user" msgstr "" -#: controlpanel.cpp:1664 +#: controlpanel.cpp:1665 msgid "" "Dynamic configuration through IRC. Allows editing only yourself if you're " "not ZNC admin." diff --git a/modules/po/controlpanel.de_DE.po b/modules/po/controlpanel.de_DE.po index 41268773..5967ce99 100644 --- a/modules/po/controlpanel.de_DE.po +++ b/modules/po/controlpanel.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/controlpanel.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" #: controlpanel.cpp:51 controlpanel.cpp:64 msgctxt "helptable" @@ -36,11 +36,11 @@ msgstr "Ganzzahl" msgid "Number" msgstr "Nummer" -#: controlpanel.cpp:125 +#: controlpanel.cpp:126 msgid "The following variables are available when using the Set/Get commands:" msgstr "Die folgenden Variablen stehen für die Set/Get-Befehle zur Verfügung:" -#: controlpanel.cpp:149 +#: controlpanel.cpp:150 msgid "" "The following variables are available when using the SetNetwork/GetNetwork " "commands:" @@ -48,14 +48,14 @@ msgstr "" "Die folgenden Variablen stehen für die SetNetwork/GetNetwork-Befehle zur " "Verfügung:" -#: controlpanel.cpp:163 +#: controlpanel.cpp:164 msgid "" "The following variables are available when using the SetChan/GetChan " "commands:" msgstr "" "Die folgenden Variablen stehen für die SetChan/GetChan-Befehle zur Verfügung:" -#: controlpanel.cpp:170 +#: controlpanel.cpp:171 msgid "" "You can use $user as the user name and $network as the network name for " "modifying your own user and network." @@ -63,232 +63,232 @@ msgstr "" "Um deinen eigenen User und dein eigenes Netzwerk zu bearbeiten, können $user " "und $network verwendet werden." -#: controlpanel.cpp:179 controlpanel.cpp:966 controlpanel.cpp:1003 +#: controlpanel.cpp:180 controlpanel.cpp:967 controlpanel.cpp:1004 msgid "Error: User [{1}] does not exist!" msgstr "Fehler: Benutzer [{1}] existiert nicht!" -#: controlpanel.cpp:184 +#: controlpanel.cpp:185 msgid "Error: You need to have admin rights to modify other users!" msgstr "Fehler: Administratorrechte benötigt um andere Benutzer zu bearbeiten!" -#: controlpanel.cpp:194 +#: controlpanel.cpp:195 msgid "Error: You cannot use $network to modify other users!" msgstr "" "Fehler: $network kann nicht verwendet werden um andere Benutzer zu " "bearbeiten!" -#: controlpanel.cpp:202 +#: controlpanel.cpp:203 msgid "Error: User {1} does not have a network named [{2}]." msgstr "Fehler: Benutzer {1} hat kein Netzwerk namens [{2}]." -#: controlpanel.cpp:214 +#: controlpanel.cpp:215 msgid "Usage: Get [username]" msgstr "Verwendung: Get [Benutzername]" -#: controlpanel.cpp:304 controlpanel.cpp:507 controlpanel.cpp:582 -#: controlpanel.cpp:658 controlpanel.cpp:793 controlpanel.cpp:878 +#: controlpanel.cpp:305 controlpanel.cpp:508 controlpanel.cpp:583 +#: controlpanel.cpp:659 controlpanel.cpp:794 controlpanel.cpp:879 msgid "Error: Unknown variable" msgstr "Fehler: Unbekannte Variable" -#: controlpanel.cpp:313 +#: controlpanel.cpp:314 msgid "Usage: Set " msgstr "Verwendung: Set " -#: controlpanel.cpp:335 controlpanel.cpp:623 +#: controlpanel.cpp:336 controlpanel.cpp:624 msgid "This bind host is already set!" msgstr "Dieser Bind Host ist bereits gesetzt!" -#: controlpanel.cpp:342 controlpanel.cpp:354 controlpanel.cpp:362 -#: controlpanel.cpp:425 controlpanel.cpp:444 controlpanel.cpp:460 -#: controlpanel.cpp:470 controlpanel.cpp:630 +#: controlpanel.cpp:343 controlpanel.cpp:355 controlpanel.cpp:363 +#: controlpanel.cpp:426 controlpanel.cpp:445 controlpanel.cpp:461 +#: controlpanel.cpp:471 controlpanel.cpp:631 msgid "Access denied!" msgstr "Zugriff verweigert!" -#: controlpanel.cpp:376 controlpanel.cpp:385 controlpanel.cpp:842 +#: controlpanel.cpp:377 controlpanel.cpp:386 controlpanel.cpp:843 msgid "Setting failed, limit for buffer size is {1}" msgstr "Setzen fehlgeschlagen, da das Limit für die Puffergröße {1} ist" -#: controlpanel.cpp:405 +#: controlpanel.cpp:406 msgid "Password has been changed!" msgstr "Das Passwort wurde geändert!" -#: controlpanel.cpp:413 +#: controlpanel.cpp:414 msgid "Timeout can't be less than 30 seconds!" msgstr "Timeout kann nicht weniger als 30 Sekunden sein!" -#: controlpanel.cpp:477 +#: controlpanel.cpp:478 msgid "That would be a bad idea!" msgstr "Das wäre eine schlechte Idee!" -#: controlpanel.cpp:495 +#: controlpanel.cpp:496 msgid "Supported languages: {1}" msgstr "Unterstützte Sprachen: {1}" -#: controlpanel.cpp:519 +#: controlpanel.cpp:520 msgid "Usage: GetNetwork [username] [network]" msgstr "Verwendung: GetNetwork [Benutzername] [Netzwerk]" -#: controlpanel.cpp:538 +#: controlpanel.cpp:539 msgid "Error: A network must be specified to get another users settings." msgstr "" "Fehler: Ein Netzwerk muss angegeben werden um Einstellungen eines anderen " "Nutzers zu bekommen." -#: controlpanel.cpp:544 +#: controlpanel.cpp:545 msgid "You are not currently attached to a network." msgstr "Du bist aktuell nicht mit einem Netzwerk verbunden." -#: controlpanel.cpp:550 +#: controlpanel.cpp:551 msgid "Error: Invalid network." msgstr "Fehler: Ungültiges Netzwerk." -#: controlpanel.cpp:594 +#: controlpanel.cpp:595 msgid "Usage: SetNetwork " msgstr "Verwendung: SetNetwork " -#: controlpanel.cpp:668 +#: controlpanel.cpp:669 msgid "Usage: AddChan " msgstr "Verwendung: AddChan " -#: controlpanel.cpp:681 +#: controlpanel.cpp:682 msgid "Error: User {1} already has a channel named {2}." msgstr "Fehler: Benutzer {1} hat bereits einen Kanal namens {2}." -#: controlpanel.cpp:688 +#: controlpanel.cpp:689 msgid "Channel {1} for user {2} added to network {3}." msgstr "Kanal {1} für User {2} zum Netzwerk {3} hinzugefügt." -#: controlpanel.cpp:692 +#: controlpanel.cpp:693 msgid "" "Could not add channel {1} for user {2} to network {3}, does it already exist?" msgstr "" "Konnte Kanal {1} nicht für Benutzer {2} zum Netzwerk {3} hinzufügen; " "existiert er bereits?" -#: controlpanel.cpp:702 +#: controlpanel.cpp:703 msgid "Usage: DelChan " msgstr "Verwendung: DelChan " -#: controlpanel.cpp:717 +#: controlpanel.cpp:718 msgid "Error: User {1} does not have any channel matching [{2}] in network {3}" msgstr "" "Fehler: Benutzer {1} hat keinen Kanal in Netzwerk {3}, der auf [{2}] passt" -#: controlpanel.cpp:730 +#: controlpanel.cpp:731 msgid "Channel {1} is deleted from network {2} of user {3}" msgid_plural "Channels {1} are deleted from network {2} of user {3}" msgstr[0] "Kanal {1} wurde von Netzwerk {2} von Nutzer {3} entfernt" msgstr[1] "Kanäle {1} wurden von Netzwerk {2} von Nutzer {3} entfernt" -#: controlpanel.cpp:745 +#: controlpanel.cpp:746 msgid "Usage: GetChan " msgstr "Verwendung: GetChan " -#: controlpanel.cpp:759 controlpanel.cpp:823 +#: controlpanel.cpp:760 controlpanel.cpp:824 msgid "Error: No channels matching [{1}] found." msgstr "Fehler: Keine auf [{1}] passende Kanäle gefunden." -#: controlpanel.cpp:808 +#: controlpanel.cpp:809 msgid "Usage: SetChan " msgstr "" "Verwendung: SetChan " -#: controlpanel.cpp:889 controlpanel.cpp:899 +#: controlpanel.cpp:890 controlpanel.cpp:900 msgctxt "listusers" msgid "Username" msgstr "Benutzername" -#: controlpanel.cpp:890 controlpanel.cpp:900 +#: controlpanel.cpp:891 controlpanel.cpp:901 msgctxt "listusers" msgid "Realname" msgstr "Realname" -#: controlpanel.cpp:891 controlpanel.cpp:903 controlpanel.cpp:905 +#: controlpanel.cpp:892 controlpanel.cpp:904 controlpanel.cpp:906 msgctxt "listusers" msgid "IsAdmin" msgstr "IstAdmin" -#: controlpanel.cpp:892 controlpanel.cpp:906 +#: controlpanel.cpp:893 controlpanel.cpp:907 msgctxt "listusers" msgid "Nick" msgstr "Nick" -#: controlpanel.cpp:893 controlpanel.cpp:907 +#: controlpanel.cpp:894 controlpanel.cpp:908 msgctxt "listusers" msgid "AltNick" msgstr "AltNick" -#: controlpanel.cpp:894 controlpanel.cpp:908 +#: controlpanel.cpp:895 controlpanel.cpp:909 msgctxt "listusers" msgid "Ident" msgstr "Ident" -#: controlpanel.cpp:895 controlpanel.cpp:909 +#: controlpanel.cpp:896 controlpanel.cpp:910 msgctxt "listusers" msgid "BindHost" msgstr "BindHost" -#: controlpanel.cpp:903 controlpanel.cpp:1143 +#: controlpanel.cpp:904 controlpanel.cpp:1144 msgid "No" msgstr "Nein" -#: controlpanel.cpp:905 controlpanel.cpp:1135 +#: controlpanel.cpp:906 controlpanel.cpp:1136 msgid "Yes" msgstr "Ja" -#: controlpanel.cpp:919 controlpanel.cpp:988 +#: controlpanel.cpp:920 controlpanel.cpp:989 msgid "Error: You need to have admin rights to add new users!" msgstr "Fehler: Administratorrechte benötigt um neue Benutzer hinzuzufügen!" -#: controlpanel.cpp:925 +#: controlpanel.cpp:926 msgid "Usage: AddUser " msgstr "Verwendung: AddUser " -#: controlpanel.cpp:930 +#: controlpanel.cpp:931 msgid "Error: User {1} already exists!" msgstr "Fehler: Benutzer {1} existiert bereits!" -#: controlpanel.cpp:942 controlpanel.cpp:1017 +#: controlpanel.cpp:943 controlpanel.cpp:1018 msgid "Error: User not added: {1}" msgstr "Fehler: Benutzer nicht hinzugefügt: {1}" -#: controlpanel.cpp:946 controlpanel.cpp:1021 +#: controlpanel.cpp:947 controlpanel.cpp:1022 msgid "User {1} added!" msgstr "Benutzer {1} hinzugefügt!" -#: controlpanel.cpp:953 +#: controlpanel.cpp:954 msgid "Error: You need to have admin rights to delete users!" msgstr "Fehler: Administratorrechte benötigt um Benutzer zu löschen!" -#: controlpanel.cpp:959 +#: controlpanel.cpp:960 msgid "Usage: DelUser " msgstr "Verwendung: DelUser " -#: controlpanel.cpp:971 +#: controlpanel.cpp:972 msgid "Error: You can't delete yourself!" msgstr "Fehler: Du kannst dich nicht selbst löschen!" -#: controlpanel.cpp:977 +#: controlpanel.cpp:978 msgid "Error: Internal error!" msgstr "Fehler: Interner Fehler!" -#: controlpanel.cpp:981 +#: controlpanel.cpp:982 msgid "User {1} deleted!" msgstr "Benutzer {1} gelöscht!" -#: controlpanel.cpp:996 +#: controlpanel.cpp:997 msgid "Usage: CloneUser " msgstr "Verwendung: CloneUser " -#: controlpanel.cpp:1011 +#: controlpanel.cpp:1012 msgid "Error: Cloning failed: {1}" msgstr "Fehler: Klonen fehlgeschlagen: {1}" -#: controlpanel.cpp:1040 +#: controlpanel.cpp:1041 msgid "Usage: AddNetwork [user] network" msgstr "Verwendung: AddNetwork [Benutzer] Netzwerk" -#: controlpanel.cpp:1046 +#: controlpanel.cpp:1047 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks using /znc DelNetwork " @@ -297,159 +297,159 @@ msgstr "" "dich zu erhöhen, oder löschen nicht benötigte Netzwerke mit /znc DelNetwork " "" -#: controlpanel.cpp:1054 +#: controlpanel.cpp:1055 msgid "Error: User {1} already has a network with the name {2}" msgstr "Fehler: Benutzer {1} hat schon ein Netzwerk namens {2}" -#: controlpanel.cpp:1061 +#: controlpanel.cpp:1062 msgid "Network {1} added to user {2}." msgstr "Netzwerk {1} zu Benutzer {2} hinzugefügt." -#: controlpanel.cpp:1065 +#: controlpanel.cpp:1066 msgid "Error: Network [{1}] could not be added for user {2}: {3}" msgstr "" "Fehler: Netzwerk [{1}] konnte nicht zu Benutzer {2} hinzugefügt werden: {3}" -#: controlpanel.cpp:1085 +#: controlpanel.cpp:1086 msgid "Usage: DelNetwork [user] network" msgstr "Verwendung: DelNetwork [Benutzer] Netzwerk" -#: controlpanel.cpp:1096 +#: controlpanel.cpp:1097 msgid "The currently active network can be deleted via {1}status" msgstr "Das derzeit aktive Netzwerk can mit {1}status gelöscht werden" -#: controlpanel.cpp:1102 +#: controlpanel.cpp:1103 msgid "Network {1} deleted for user {2}." msgstr "Netzwerk {1} von Benutzer {2} gelöscht." -#: controlpanel.cpp:1106 +#: controlpanel.cpp:1107 msgid "Error: Network {1} could not be deleted for user {2}." msgstr "Fehler: Netzwerk {1} von Benutzer {2} konnte nicht gelöscht werden." -#: controlpanel.cpp:1125 controlpanel.cpp:1133 +#: controlpanel.cpp:1126 controlpanel.cpp:1134 msgctxt "listnetworks" msgid "Network" msgstr "Netzwerk" -#: controlpanel.cpp:1126 controlpanel.cpp:1135 controlpanel.cpp:1143 +#: controlpanel.cpp:1127 controlpanel.cpp:1136 controlpanel.cpp:1144 msgctxt "listnetworks" msgid "OnIRC" msgstr "OnIRC" -#: controlpanel.cpp:1127 controlpanel.cpp:1136 +#: controlpanel.cpp:1128 controlpanel.cpp:1137 msgctxt "listnetworks" msgid "IRC Server" msgstr "IRC-Server" -#: controlpanel.cpp:1128 controlpanel.cpp:1138 +#: controlpanel.cpp:1129 controlpanel.cpp:1139 msgctxt "listnetworks" msgid "IRC User" msgstr "IRC-Benutzer" -#: controlpanel.cpp:1129 controlpanel.cpp:1140 +#: controlpanel.cpp:1130 controlpanel.cpp:1141 msgctxt "listnetworks" msgid "Channels" msgstr "Kanäle" -#: controlpanel.cpp:1148 +#: controlpanel.cpp:1149 msgid "No networks" msgstr "Keine Netzwerke" -#: controlpanel.cpp:1159 +#: controlpanel.cpp:1160 msgid "Usage: AddServer [[+]port] [password]" msgstr "" "Verwendung: AddServer [[+]Port] [Passwort]" -#: controlpanel.cpp:1173 +#: controlpanel.cpp:1174 msgid "Added IRC Server {1} to network {2} for user {3}." msgstr "IRC-Server {1} zu Netzwerk {2} von Benutzer {3} hinzugefügt." -#: controlpanel.cpp:1177 +#: controlpanel.cpp:1178 msgid "Error: Could not add IRC server {1} to network {2} for user {3}." msgstr "" "Fehler: Konnte IRC-Server {1} nicht zu Netzwerk {2} von Benutzer {3} " "hinzufügen." -#: controlpanel.cpp:1190 +#: controlpanel.cpp:1191 msgid "Usage: DelServer [[+]port] [password]" msgstr "" "Verwendung: DelServer [[+]Port] [Passwort]" -#: controlpanel.cpp:1205 +#: controlpanel.cpp:1206 msgid "Deleted IRC Server {1} from network {2} for user {3}." msgstr "IRC-Server {1} von Netzwerk {2} von User {3} gelöscht." -#: controlpanel.cpp:1209 +#: controlpanel.cpp:1210 msgid "Error: Could not delete IRC server {1} from network {2} for user {3}." msgstr "" "Fehler: Konnte IRC-Server {1} von Netzwerk {2} von User {3} nicht löschen." -#: controlpanel.cpp:1219 +#: controlpanel.cpp:1220 msgid "Usage: Reconnect " msgstr "Verwendung: Reconnect " -#: controlpanel.cpp:1246 +#: controlpanel.cpp:1247 msgid "Queued network {1} of user {2} for a reconnect." msgstr "Netzwerk {1} von Benutzer {2} für eine Neu-Verbindung eingereiht." -#: controlpanel.cpp:1255 +#: controlpanel.cpp:1256 msgid "Usage: Disconnect " msgstr "Verwendung: Disconnect " -#: controlpanel.cpp:1270 +#: controlpanel.cpp:1271 msgid "Closed IRC connection for network {1} of user {2}." msgstr "IRC-Verbindung von Netzwerk {1} von Benutzer {2} geschlossen." -#: controlpanel.cpp:1285 controlpanel.cpp:1290 +#: controlpanel.cpp:1286 controlpanel.cpp:1291 msgctxt "listctcp" msgid "Request" msgstr "Anfrage" -#: controlpanel.cpp:1286 controlpanel.cpp:1291 +#: controlpanel.cpp:1287 controlpanel.cpp:1292 msgctxt "listctcp" msgid "Reply" msgstr "Antwort" -#: controlpanel.cpp:1295 +#: controlpanel.cpp:1296 msgid "No CTCP replies for user {1} are configured" msgstr "Keine CTCP-Antworten für Benutzer {1} konfiguriert" -#: controlpanel.cpp:1298 +#: controlpanel.cpp:1299 msgid "CTCP replies for user {1}:" msgstr "CTCP-Antworten für Benutzer {1}:" -#: controlpanel.cpp:1314 +#: controlpanel.cpp:1315 msgid "Usage: AddCTCP [user] [request] [reply]" msgstr "Verwendung: AddCTCP [Benutzer] [Anfrage] [Antwort]" -#: controlpanel.cpp:1316 +#: controlpanel.cpp:1317 msgid "" "This will cause ZNC to reply to the CTCP instead of forwarding it to clients." msgstr "" "Hierdurch wird ZNC den CTCP beantworten anstelle ihn zum Client " "weiterzuleiten." -#: controlpanel.cpp:1319 +#: controlpanel.cpp:1320 msgid "An empty reply will cause the CTCP request to be blocked." msgstr "Eine leere Antwort blockiert die CTCP-Anfrage." -#: controlpanel.cpp:1328 +#: controlpanel.cpp:1329 msgid "CTCP requests {1} to user {2} will now be blocked." msgstr "CTCP-Anfragen {1} an Benutzer {2} werden nun blockiert." -#: controlpanel.cpp:1332 +#: controlpanel.cpp:1333 msgid "CTCP requests {1} to user {2} will now get reply: {3}" msgstr "CTCP-Anfragen {1} an Benutzer {2} werden nun beantwortet mit: {3}" -#: controlpanel.cpp:1349 +#: controlpanel.cpp:1350 msgid "Usage: DelCTCP [user] [request]" msgstr "Verwendung: DelCTCP [Benutzer] [Anfrage]" -#: controlpanel.cpp:1355 +#: controlpanel.cpp:1356 msgid "CTCP requests {1} to user {2} will now be sent to IRC clients" msgstr "CTCP-Anfragen {1} an Benutzer {2} werden nun an IRC-Clients gesendet" -#: controlpanel.cpp:1359 +#: controlpanel.cpp:1360 msgid "" "CTCP requests {1} to user {2} will be sent to IRC clients (nothing has " "changed)" @@ -457,288 +457,288 @@ msgstr "" "CTCP-Anfragen {1} an Benutzer {2} werden an IRC-Clients gesendet (nichts hat " "sich geändert)" -#: controlpanel.cpp:1369 controlpanel.cpp:1443 +#: controlpanel.cpp:1370 controlpanel.cpp:1444 msgid "Loading modules has been disabled." msgstr "Das Laden von Modulen wurde deaktiviert." -#: controlpanel.cpp:1378 +#: controlpanel.cpp:1379 msgid "Error: Unable to load module {1}: {2}" msgstr "Fehler: Konnte Modul {1} nicht laden: {2}" -#: controlpanel.cpp:1381 +#: controlpanel.cpp:1382 msgid "Loaded module {1}" msgstr "Modul {1} geladen" -#: controlpanel.cpp:1386 +#: controlpanel.cpp:1387 msgid "Error: Unable to reload module {1}: {2}" msgstr "Fehler: Konnte Modul {1} nicht neu laden: {2}" -#: controlpanel.cpp:1389 +#: controlpanel.cpp:1390 msgid "Reloaded module {1}" msgstr "Module {1} neu geladen" -#: controlpanel.cpp:1393 +#: controlpanel.cpp:1394 msgid "Error: Unable to load module {1} because it is already loaded" msgstr "Fehler: Modul {1} kann nicht geladen werden, da es bereits geladen ist" -#: controlpanel.cpp:1404 +#: controlpanel.cpp:1405 msgid "Usage: LoadModule [args]" msgstr "Verwendung: LoadModule [Argumente]" -#: controlpanel.cpp:1423 +#: controlpanel.cpp:1424 msgid "Usage: LoadNetModule [args]" msgstr "" "Verwendung: LoadNetModule [Argumente]" -#: controlpanel.cpp:1448 +#: controlpanel.cpp:1449 msgid "Please use /znc unloadmod {1}" msgstr "Bitte verwende /znc unloadmod {1}" -#: controlpanel.cpp:1454 +#: controlpanel.cpp:1455 msgid "Error: Unable to unload module {1}: {2}" msgstr "Fehler: Konnte Modul {1} nicht entladen: {2}" -#: controlpanel.cpp:1457 +#: controlpanel.cpp:1458 msgid "Unloaded module {1}" msgstr "Modul {1} entladen" -#: controlpanel.cpp:1466 +#: controlpanel.cpp:1467 msgid "Usage: UnloadModule " msgstr "Verwendung: UnloadModule " -#: controlpanel.cpp:1483 +#: controlpanel.cpp:1484 msgid "Usage: UnloadNetModule " msgstr "Verwendung: UnloadNetModule " -#: controlpanel.cpp:1500 controlpanel.cpp:1506 +#: controlpanel.cpp:1501 controlpanel.cpp:1507 msgctxt "listmodules" msgid "Name" msgstr "Name" -#: controlpanel.cpp:1501 controlpanel.cpp:1507 +#: controlpanel.cpp:1502 controlpanel.cpp:1508 msgctxt "listmodules" msgid "Arguments" msgstr "Argumente" -#: controlpanel.cpp:1526 +#: controlpanel.cpp:1527 msgid "User {1} has no modules loaded." msgstr "Benutzer {1} hat keine Module geladen." -#: controlpanel.cpp:1530 +#: controlpanel.cpp:1531 msgid "Modules loaded for user {1}:" msgstr "Für Benutzer {1} geladene Module:" -#: controlpanel.cpp:1550 +#: controlpanel.cpp:1551 msgid "Network {1} of user {2} has no modules loaded." msgstr "Netzwerk {1} des Benutzers {2} hat keine Module geladen." -#: controlpanel.cpp:1555 +#: controlpanel.cpp:1556 msgid "Modules loaded for network {1} of user {2}:" msgstr "Für Netzwerk {1} von Benutzer {2} geladene Module:" -#: controlpanel.cpp:1562 +#: controlpanel.cpp:1563 msgid "[command] [variable]" msgstr "[Kommando] [Variable]" -#: controlpanel.cpp:1563 +#: controlpanel.cpp:1564 msgid "Prints help for matching commands and variables" msgstr "Gibt die Hilfe für passende Kommandos und Variablen aus" -#: controlpanel.cpp:1566 +#: controlpanel.cpp:1567 msgid " [username]" msgstr " [Benutzername]" -#: controlpanel.cpp:1567 +#: controlpanel.cpp:1568 msgid "Prints the variable's value for the given or current user" msgstr "" "Gibt den Wert der Variable für den gegebenen oder aktuellen Benutzer aus" -#: controlpanel.cpp:1569 +#: controlpanel.cpp:1570 msgid " " msgstr " " -#: controlpanel.cpp:1570 +#: controlpanel.cpp:1571 msgid "Sets the variable's value for the given user" msgstr "Setzt den Wert der Variable für den gegebenen oder aktuellen Benutzer" -#: controlpanel.cpp:1572 +#: controlpanel.cpp:1573 msgid " [username] [network]" msgstr " [Benutzername] [Netzwerk]" -#: controlpanel.cpp:1573 +#: controlpanel.cpp:1574 msgid "Prints the variable's value for the given network" msgstr "Gibt den Wert der Variable für das gegebene Netzwerk aus" -#: controlpanel.cpp:1575 +#: controlpanel.cpp:1576 msgid " " msgstr " " -#: controlpanel.cpp:1576 +#: controlpanel.cpp:1577 msgid "Sets the variable's value for the given network" msgstr "Setzt den Wert der Variable für das gegebene Netzwerk" -#: controlpanel.cpp:1578 +#: controlpanel.cpp:1579 msgid " [username] " msgstr " [Benutzername] " -#: controlpanel.cpp:1579 +#: controlpanel.cpp:1580 msgid "Prints the variable's value for the given channel" msgstr "Gibt den Wert der Variable für den gegebenen Kanal aus" -#: controlpanel.cpp:1582 +#: controlpanel.cpp:1583 msgid " " msgstr " " -#: controlpanel.cpp:1583 +#: controlpanel.cpp:1584 msgid "Sets the variable's value for the given channel" msgstr "Setzt den Wert der Variable für den gegebenen Kanal" -#: controlpanel.cpp:1585 controlpanel.cpp:1588 +#: controlpanel.cpp:1586 controlpanel.cpp:1589 msgid " " msgstr " " -#: controlpanel.cpp:1586 +#: controlpanel.cpp:1587 msgid "Adds a new channel" msgstr "Fügt einen neuen Kanal hinzu" -#: controlpanel.cpp:1589 +#: controlpanel.cpp:1590 msgid "Deletes a channel" msgstr "Löscht einen Kanal" -#: controlpanel.cpp:1591 +#: controlpanel.cpp:1592 msgid "Lists users" msgstr "Listet Benutzer auf" -#: controlpanel.cpp:1593 +#: controlpanel.cpp:1594 msgid " " msgstr " " -#: controlpanel.cpp:1594 +#: controlpanel.cpp:1595 msgid "Adds a new user" msgstr "Fügt einen neuen Benutzer hinzu" -#: controlpanel.cpp:1596 controlpanel.cpp:1619 controlpanel.cpp:1633 +#: controlpanel.cpp:1597 controlpanel.cpp:1620 controlpanel.cpp:1634 msgid "" msgstr "" -#: controlpanel.cpp:1596 +#: controlpanel.cpp:1597 msgid "Deletes a user" msgstr "Löscht einen Benutzer" -#: controlpanel.cpp:1598 +#: controlpanel.cpp:1599 msgid " " msgstr " " -#: controlpanel.cpp:1599 +#: controlpanel.cpp:1600 msgid "Clones a user" msgstr "Klont einen Benutzer" -#: controlpanel.cpp:1601 controlpanel.cpp:1604 +#: controlpanel.cpp:1602 controlpanel.cpp:1605 msgid " " msgstr " " -#: controlpanel.cpp:1602 +#: controlpanel.cpp:1603 msgid "Adds a new IRC server for the given or current user" msgstr "" "Fügt einen neuen IRC-Server zum gegebenen oder aktuellen Benutzer hinzu" -#: controlpanel.cpp:1605 +#: controlpanel.cpp:1606 msgid "Deletes an IRC server from the given or current user" msgstr "Löscht einen IRC-Server vom gegebenen oder aktuellen Benutzer" -#: controlpanel.cpp:1607 controlpanel.cpp:1610 controlpanel.cpp:1630 +#: controlpanel.cpp:1608 controlpanel.cpp:1611 controlpanel.cpp:1631 msgid " " msgstr " " -#: controlpanel.cpp:1608 +#: controlpanel.cpp:1609 msgid "Cycles the user's IRC server connection" msgstr "Erneuert die IRC-Verbindung des Benutzers" -#: controlpanel.cpp:1611 +#: controlpanel.cpp:1612 msgid "Disconnects the user from their IRC server" msgstr "Trennt den Benutzer von ihrem IRC-Server" -#: controlpanel.cpp:1613 +#: controlpanel.cpp:1614 msgid " [args]" msgstr " [Argumente]" -#: controlpanel.cpp:1614 +#: controlpanel.cpp:1615 msgid "Loads a Module for a user" msgstr "Lädt ein Modul für einen Benutzer" -#: controlpanel.cpp:1616 +#: controlpanel.cpp:1617 msgid " " msgstr " " -#: controlpanel.cpp:1617 +#: controlpanel.cpp:1618 msgid "Removes a Module of a user" msgstr "Entfernt ein Modul von einem Benutzer" -#: controlpanel.cpp:1620 +#: controlpanel.cpp:1621 msgid "Get the list of modules for a user" msgstr "Zeigt eine Liste der Module eines Benutzers" -#: controlpanel.cpp:1623 +#: controlpanel.cpp:1624 msgid " [args]" msgstr " [args]" -#: controlpanel.cpp:1624 +#: controlpanel.cpp:1625 msgid "Loads a Module for a network" msgstr "Lädt ein Modul für ein Netzwerk" -#: controlpanel.cpp:1627 +#: controlpanel.cpp:1628 msgid " " msgstr " " -#: controlpanel.cpp:1628 +#: controlpanel.cpp:1629 msgid "Removes a Module of a network" msgstr "Entfernt ein Modul von einem Netzwerk" -#: controlpanel.cpp:1631 +#: controlpanel.cpp:1632 msgid "Get the list of modules for a network" msgstr "Zeigt eine Liste der Module eines Netzwerks" -#: controlpanel.cpp:1634 +#: controlpanel.cpp:1635 msgid "List the configured CTCP replies" msgstr "Liste die konfigurierten CTCP-Antworten auf" -#: controlpanel.cpp:1636 +#: controlpanel.cpp:1637 msgid " [reply]" msgstr " [Antwort]" -#: controlpanel.cpp:1637 +#: controlpanel.cpp:1638 msgid "Configure a new CTCP reply" msgstr "Konfiguriere eine neue CTCP-Antwort" -#: controlpanel.cpp:1639 +#: controlpanel.cpp:1640 msgid " " msgstr " " -#: controlpanel.cpp:1640 +#: controlpanel.cpp:1641 msgid "Remove a CTCP reply" msgstr "Entfernt eine CTCP-Antwort" -#: controlpanel.cpp:1644 controlpanel.cpp:1647 +#: controlpanel.cpp:1645 controlpanel.cpp:1648 msgid "[username] " msgstr "[Benutzername] " -#: controlpanel.cpp:1645 +#: controlpanel.cpp:1646 msgid "Add a network for a user" msgstr "Füge ein Netzwerk für einen Benutzer hinzu" -#: controlpanel.cpp:1648 +#: controlpanel.cpp:1649 msgid "Delete a network for a user" msgstr "Lösche ein Netzwerk für einen Benutzer" -#: controlpanel.cpp:1650 +#: controlpanel.cpp:1651 msgid "[username]" msgstr "[Benutzername]" -#: controlpanel.cpp:1651 +#: controlpanel.cpp:1652 msgid "List all networks for a user" msgstr "Listet alle Netzwerke für einen Benutzer auf" -#: controlpanel.cpp:1664 +#: controlpanel.cpp:1665 msgid "" "Dynamic configuration through IRC. Allows editing only yourself if you're " "not ZNC admin." diff --git a/modules/po/controlpanel.es_ES.po b/modules/po/controlpanel.es_ES.po index 877f3058..91493908 100644 --- a/modules/po/controlpanel.es_ES.po +++ b/modules/po/controlpanel.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /master/modules/po/controlpanel.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/controlpanel.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" @@ -36,13 +36,13 @@ msgstr "Entero" msgid "Number" msgstr "Número" -#: controlpanel.cpp:125 +#: controlpanel.cpp:126 msgid "The following variables are available when using the Set/Get commands:" msgstr "" "Las siguientes variables están disponibles cuando se usan los comandos Get/" "Set:" -#: controlpanel.cpp:149 +#: controlpanel.cpp:150 msgid "" "The following variables are available when using the SetNetwork/GetNetwork " "commands:" @@ -50,7 +50,7 @@ msgstr "" "Las siguientes variables están disponibles cuando se usan los comandos " "SetNetwork/GetNetwork:" -#: controlpanel.cpp:163 +#: controlpanel.cpp:164 msgid "" "The following variables are available when using the SetChan/GetChan " "commands:" @@ -58,7 +58,7 @@ msgstr "" "Las siguientes variables están disponibles cuando se usan los comandos " "SetChan/GetChan:" -#: controlpanel.cpp:170 +#: controlpanel.cpp:171 msgid "" "You can use $user as the user name and $network as the network name for " "modifying your own user and network." @@ -66,233 +66,233 @@ msgstr "" "Puedes usar $user como nombre de usuario y $network como el nombre de la red " "para modificar tu propio usuario y red." -#: controlpanel.cpp:179 controlpanel.cpp:966 controlpanel.cpp:1003 +#: controlpanel.cpp:180 controlpanel.cpp:967 controlpanel.cpp:1004 msgid "Error: User [{1}] does not exist!" msgstr "Error: el usuario [{1}] no existe" -#: controlpanel.cpp:184 +#: controlpanel.cpp:185 msgid "Error: You need to have admin rights to modify other users!" msgstr "" "Error: tienes que tener permisos administrativos para modificar otros " "usuarios" -#: controlpanel.cpp:194 +#: controlpanel.cpp:195 msgid "Error: You cannot use $network to modify other users!" msgstr "Error: no puedes usar $network para modificar otros usuarios" -#: controlpanel.cpp:202 +#: controlpanel.cpp:203 msgid "Error: User {1} does not have a network named [{2}]." msgstr "Error: el usuario {1} no tiene una red llamada [{2}]." -#: controlpanel.cpp:214 +#: controlpanel.cpp:215 msgid "Usage: Get [username]" msgstr "Uso: Get [usuario]" -#: controlpanel.cpp:304 controlpanel.cpp:507 controlpanel.cpp:582 -#: controlpanel.cpp:658 controlpanel.cpp:793 controlpanel.cpp:878 +#: controlpanel.cpp:305 controlpanel.cpp:508 controlpanel.cpp:583 +#: controlpanel.cpp:659 controlpanel.cpp:794 controlpanel.cpp:879 msgid "Error: Unknown variable" msgstr "Error: variable desconocida" -#: controlpanel.cpp:313 +#: controlpanel.cpp:314 msgid "Usage: Set " msgstr "Uso: Set [usuario] " -#: controlpanel.cpp:335 controlpanel.cpp:623 +#: controlpanel.cpp:336 controlpanel.cpp:624 msgid "This bind host is already set!" msgstr "Este bind host ya está definido" -#: controlpanel.cpp:342 controlpanel.cpp:354 controlpanel.cpp:362 -#: controlpanel.cpp:425 controlpanel.cpp:444 controlpanel.cpp:460 -#: controlpanel.cpp:470 controlpanel.cpp:630 +#: controlpanel.cpp:343 controlpanel.cpp:355 controlpanel.cpp:363 +#: controlpanel.cpp:426 controlpanel.cpp:445 controlpanel.cpp:461 +#: controlpanel.cpp:471 controlpanel.cpp:631 msgid "Access denied!" msgstr "¡Acceso denegado!" -#: controlpanel.cpp:376 controlpanel.cpp:385 controlpanel.cpp:842 +#: controlpanel.cpp:377 controlpanel.cpp:386 controlpanel.cpp:843 msgid "Setting failed, limit for buffer size is {1}" msgstr "Ajuste fallido, el límite para el tamaño de búfer es {1}" -#: controlpanel.cpp:405 +#: controlpanel.cpp:406 msgid "Password has been changed!" msgstr "Se ha cambiado la contraseña" -#: controlpanel.cpp:413 +#: controlpanel.cpp:414 msgid "Timeout can't be less than 30 seconds!" msgstr "¡El tiempo de espera no puede ser inferior a 30 segundos!" -#: controlpanel.cpp:477 +#: controlpanel.cpp:478 msgid "That would be a bad idea!" msgstr "Eso sería una mala idea" -#: controlpanel.cpp:495 +#: controlpanel.cpp:496 msgid "Supported languages: {1}" msgstr "Idiomas soportados: {1}" -#: controlpanel.cpp:519 +#: controlpanel.cpp:520 msgid "Usage: GetNetwork [username] [network]" msgstr "Uso: GetNetwork [usuario] [red]" -#: controlpanel.cpp:538 +#: controlpanel.cpp:539 msgid "Error: A network must be specified to get another users settings." msgstr "" "Error: debes especificar una red para obtener los ajustes de otro usuario." -#: controlpanel.cpp:544 +#: controlpanel.cpp:545 msgid "You are not currently attached to a network." msgstr "No estás adjunto a una red." -#: controlpanel.cpp:550 +#: controlpanel.cpp:551 msgid "Error: Invalid network." msgstr "Error: nombre de red inválido." -#: controlpanel.cpp:594 +#: controlpanel.cpp:595 msgid "Usage: SetNetwork " msgstr "Uso: SetNetwork " -#: controlpanel.cpp:668 +#: controlpanel.cpp:669 msgid "Usage: AddChan " msgstr "Uso: AddChan " -#: controlpanel.cpp:681 +#: controlpanel.cpp:682 msgid "Error: User {1} already has a channel named {2}." msgstr "Error: el usuario {1} ya tiene un canal llamado {2}." -#: controlpanel.cpp:688 +#: controlpanel.cpp:689 msgid "Channel {1} for user {2} added to network {3}." msgstr "El canal {1} para el usuario {2} se ha añadido a la red {3}." -#: controlpanel.cpp:692 +#: controlpanel.cpp:693 msgid "" "Could not add channel {1} for user {2} to network {3}, does it already exist?" msgstr "" "No se ha podido añadir el canal {1} para el usuario {2} a la red {3}, " "¿existe realmente?" -#: controlpanel.cpp:702 +#: controlpanel.cpp:703 msgid "Usage: DelChan " msgstr "Uso: DelChan " -#: controlpanel.cpp:717 +#: controlpanel.cpp:718 msgid "Error: User {1} does not have any channel matching [{2}] in network {3}" msgstr "" "Error: el usuario {1} no tiene ningún canal que coincida con [{2}] en la red " "{3}" -#: controlpanel.cpp:730 +#: controlpanel.cpp:731 msgid "Channel {1} is deleted from network {2} of user {3}" msgid_plural "Channels {1} are deleted from network {2} of user {3}" msgstr[0] "Borrado canal {1} de la red {2} del usuario {3}" msgstr[1] "Borrados canales {1} de la red {2} del usuario {3}" -#: controlpanel.cpp:745 +#: controlpanel.cpp:746 msgid "Usage: GetChan " msgstr "Uso: GetChan " -#: controlpanel.cpp:759 controlpanel.cpp:823 +#: controlpanel.cpp:760 controlpanel.cpp:824 msgid "Error: No channels matching [{1}] found." msgstr "Error: no hay ningún canal que coincida con [{1}]." -#: controlpanel.cpp:808 +#: controlpanel.cpp:809 msgid "Usage: SetChan " msgstr "Uso: SetChan " -#: controlpanel.cpp:889 controlpanel.cpp:899 +#: controlpanel.cpp:890 controlpanel.cpp:900 msgctxt "listusers" msgid "Username" msgstr "Usuario" -#: controlpanel.cpp:890 controlpanel.cpp:900 +#: controlpanel.cpp:891 controlpanel.cpp:901 msgctxt "listusers" msgid "Realname" msgstr "Nombre real" -#: controlpanel.cpp:891 controlpanel.cpp:903 controlpanel.cpp:905 +#: controlpanel.cpp:892 controlpanel.cpp:904 controlpanel.cpp:906 msgctxt "listusers" msgid "IsAdmin" msgstr "Admin" -#: controlpanel.cpp:892 controlpanel.cpp:906 +#: controlpanel.cpp:893 controlpanel.cpp:907 msgctxt "listusers" msgid "Nick" msgstr "Apodo" -#: controlpanel.cpp:893 controlpanel.cpp:907 +#: controlpanel.cpp:894 controlpanel.cpp:908 msgctxt "listusers" msgid "AltNick" msgstr "Apodo alternativo" -#: controlpanel.cpp:894 controlpanel.cpp:908 +#: controlpanel.cpp:895 controlpanel.cpp:909 msgctxt "listusers" msgid "Ident" msgstr "Ident" -#: controlpanel.cpp:895 controlpanel.cpp:909 +#: controlpanel.cpp:896 controlpanel.cpp:910 msgctxt "listusers" msgid "BindHost" msgstr "BindHost" -#: controlpanel.cpp:903 controlpanel.cpp:1143 +#: controlpanel.cpp:904 controlpanel.cpp:1144 msgid "No" msgstr "No" -#: controlpanel.cpp:905 controlpanel.cpp:1135 +#: controlpanel.cpp:906 controlpanel.cpp:1136 msgid "Yes" msgstr "Sí" -#: controlpanel.cpp:919 controlpanel.cpp:988 +#: controlpanel.cpp:920 controlpanel.cpp:989 msgid "Error: You need to have admin rights to add new users!" msgstr "" "Error: tienes que tener permisos administrativos para añadir nuevos usuarios" -#: controlpanel.cpp:925 +#: controlpanel.cpp:926 msgid "Usage: AddUser " msgstr "Uso: AddUser " -#: controlpanel.cpp:930 +#: controlpanel.cpp:931 msgid "Error: User {1} already exists!" msgstr "Error: el usuario {1} ya existe" -#: controlpanel.cpp:942 controlpanel.cpp:1017 +#: controlpanel.cpp:943 controlpanel.cpp:1018 msgid "Error: User not added: {1}" msgstr "Error: usuario no añadido: {1}" -#: controlpanel.cpp:946 controlpanel.cpp:1021 +#: controlpanel.cpp:947 controlpanel.cpp:1022 msgid "User {1} added!" msgstr "¡Usuario {1} añadido!" -#: controlpanel.cpp:953 +#: controlpanel.cpp:954 msgid "Error: You need to have admin rights to delete users!" msgstr "" "Error: tienes que tener permisos administrativos para eliminar usuarios" -#: controlpanel.cpp:959 +#: controlpanel.cpp:960 msgid "Usage: DelUser " msgstr "Uso: DelUser " -#: controlpanel.cpp:971 +#: controlpanel.cpp:972 msgid "Error: You can't delete yourself!" msgstr "Error: no puedes borrarte a ti mismo" -#: controlpanel.cpp:977 +#: controlpanel.cpp:978 msgid "Error: Internal error!" msgstr "Error: error interno" -#: controlpanel.cpp:981 +#: controlpanel.cpp:982 msgid "User {1} deleted!" msgstr "Usuario {1} eliminado" -#: controlpanel.cpp:996 +#: controlpanel.cpp:997 msgid "Usage: CloneUser " msgstr "Uso: CloneUser " -#: controlpanel.cpp:1011 +#: controlpanel.cpp:1012 msgid "Error: Cloning failed: {1}" msgstr "Error: clonación fallida: {1}" -#: controlpanel.cpp:1040 +#: controlpanel.cpp:1041 msgid "Usage: AddNetwork [user] network" msgstr "Uso: AddNetwork [usuario] red" -#: controlpanel.cpp:1046 +#: controlpanel.cpp:1047 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks using /znc DelNetwork " @@ -300,156 +300,156 @@ msgstr "" "Limite de redes alcanzado. Píde a un administrador que te incremente el " "límite, o elimina redes innecesarias usando /znc DelNetwork " -#: controlpanel.cpp:1054 +#: controlpanel.cpp:1055 msgid "Error: User {1} already has a network with the name {2}" msgstr "Error: el usuario {1} ya tiene una red llamada {2}" -#: controlpanel.cpp:1061 +#: controlpanel.cpp:1062 msgid "Network {1} added to user {2}." msgstr "Red {1} añadida al usuario {2}." -#: controlpanel.cpp:1065 +#: controlpanel.cpp:1066 msgid "Error: Network [{1}] could not be added for user {2}: {3}" msgstr "Error: la red [{1}] no se ha podido añadir al usuario {2}: {3}" -#: controlpanel.cpp:1085 +#: controlpanel.cpp:1086 msgid "Usage: DelNetwork [user] network" msgstr "Uso: DelNetwork [usuario] red" -#: controlpanel.cpp:1096 +#: controlpanel.cpp:1097 msgid "The currently active network can be deleted via {1}status" msgstr "La red activa actual puede ser eliminada vía {1}status" -#: controlpanel.cpp:1102 +#: controlpanel.cpp:1103 msgid "Network {1} deleted for user {2}." msgstr "Red {1} eliminada al usuario {2}." -#: controlpanel.cpp:1106 +#: controlpanel.cpp:1107 msgid "Error: Network {1} could not be deleted for user {2}." msgstr "Error: la red {1} no se ha podido eliminar al usuario {2}." -#: controlpanel.cpp:1125 controlpanel.cpp:1133 +#: controlpanel.cpp:1126 controlpanel.cpp:1134 msgctxt "listnetworks" msgid "Network" msgstr "Red" -#: controlpanel.cpp:1126 controlpanel.cpp:1135 controlpanel.cpp:1143 +#: controlpanel.cpp:1127 controlpanel.cpp:1136 controlpanel.cpp:1144 msgctxt "listnetworks" msgid "OnIRC" msgstr "EnIRC" -#: controlpanel.cpp:1127 controlpanel.cpp:1136 +#: controlpanel.cpp:1128 controlpanel.cpp:1137 msgctxt "listnetworks" msgid "IRC Server" msgstr "Servidor IRC" -#: controlpanel.cpp:1128 controlpanel.cpp:1138 +#: controlpanel.cpp:1129 controlpanel.cpp:1139 msgctxt "listnetworks" msgid "IRC User" msgstr "Usuario IRC" -#: controlpanel.cpp:1129 controlpanel.cpp:1140 +#: controlpanel.cpp:1130 controlpanel.cpp:1141 msgctxt "listnetworks" msgid "Channels" msgstr "Canales" -#: controlpanel.cpp:1148 +#: controlpanel.cpp:1149 msgid "No networks" msgstr "No hay redes" -#: controlpanel.cpp:1159 +#: controlpanel.cpp:1160 msgid "Usage: AddServer [[+]port] [password]" msgstr "Uso: AddServer [[+]puerto] [contraseña]" -#: controlpanel.cpp:1173 +#: controlpanel.cpp:1174 msgid "Added IRC Server {1} to network {2} for user {3}." msgstr "Añadido servidor IRC {1} a la red {2} al usuario {3}." -#: controlpanel.cpp:1177 +#: controlpanel.cpp:1178 msgid "Error: Could not add IRC server {1} to network {2} for user {3}." msgstr "" "Error: no se ha podido añadir el servidor IRC {1} a la red {2} del usuario " "{3}." -#: controlpanel.cpp:1190 +#: controlpanel.cpp:1191 msgid "Usage: DelServer [[+]port] [password]" msgstr "Uso: DelServer [[+]puerto] [contraseña]" -#: controlpanel.cpp:1205 +#: controlpanel.cpp:1206 msgid "Deleted IRC Server {1} from network {2} for user {3}." msgstr "Eliminado servidor IRC {1} de la red {2} al usuario {3}." -#: controlpanel.cpp:1209 +#: controlpanel.cpp:1210 msgid "Error: Could not delete IRC server {1} from network {2} for user {3}." msgstr "" "Error: no se ha podido eliminar el servidor IRC {1} de la red {2} al usuario " "{3}." -#: controlpanel.cpp:1219 +#: controlpanel.cpp:1220 msgid "Usage: Reconnect " msgstr "Uso: Reconnect " -#: controlpanel.cpp:1246 +#: controlpanel.cpp:1247 msgid "Queued network {1} of user {2} for a reconnect." msgstr "Red {1} del usuario {2} puesta en cola para reconectar." -#: controlpanel.cpp:1255 +#: controlpanel.cpp:1256 msgid "Usage: Disconnect " msgstr "Uso: Disconnect " -#: controlpanel.cpp:1270 +#: controlpanel.cpp:1271 msgid "Closed IRC connection for network {1} of user {2}." msgstr "Cerrada la conexión IRC de la red {1} al usuario {2}." -#: controlpanel.cpp:1285 controlpanel.cpp:1290 +#: controlpanel.cpp:1286 controlpanel.cpp:1291 msgctxt "listctcp" msgid "Request" msgstr "Solicitud" -#: controlpanel.cpp:1286 controlpanel.cpp:1291 +#: controlpanel.cpp:1287 controlpanel.cpp:1292 msgctxt "listctcp" msgid "Reply" msgstr "Respuesta" -#: controlpanel.cpp:1295 +#: controlpanel.cpp:1296 msgid "No CTCP replies for user {1} are configured" msgstr "No hay respuestas CTCP configuradas para el usuario {1}" -#: controlpanel.cpp:1298 +#: controlpanel.cpp:1299 msgid "CTCP replies for user {1}:" msgstr "Respuestas CTCP del usuario {1}:" -#: controlpanel.cpp:1314 +#: controlpanel.cpp:1315 msgid "Usage: AddCTCP [user] [request] [reply]" msgstr "Uso: AddCTCP [usuario] [solicitud] [respuesta]" -#: controlpanel.cpp:1316 +#: controlpanel.cpp:1317 msgid "" "This will cause ZNC to reply to the CTCP instead of forwarding it to clients." msgstr "" "Esto hará que ZNC responda a los CTCP en vez de reenviarselos a los clientes." -#: controlpanel.cpp:1319 +#: controlpanel.cpp:1320 msgid "An empty reply will cause the CTCP request to be blocked." msgstr "Una respuesta vacía hará que la solicitud CTCP sea bloqueada." -#: controlpanel.cpp:1328 +#: controlpanel.cpp:1329 msgid "CTCP requests {1} to user {2} will now be blocked." msgstr "Las solicitudes CTCP {1} del usuario {2} serán bloqueadas." -#: controlpanel.cpp:1332 +#: controlpanel.cpp:1333 msgid "CTCP requests {1} to user {2} will now get reply: {3}" msgstr "Las solicitudes CTCP {1} del usuario {2} se responderán con: {3}" -#: controlpanel.cpp:1349 +#: controlpanel.cpp:1350 msgid "Usage: DelCTCP [user] [request]" msgstr "Uso: DelCTCP [usuario] [solicitud]" -#: controlpanel.cpp:1355 +#: controlpanel.cpp:1356 msgid "CTCP requests {1} to user {2} will now be sent to IRC clients" msgstr "Las solicitudes CTCP {1} del usuario {2} serán enviadas a los clientes" -#: controlpanel.cpp:1359 +#: controlpanel.cpp:1360 msgid "" "CTCP requests {1} to user {2} will be sent to IRC clients (nothing has " "changed)" @@ -457,286 +457,286 @@ msgstr "" "Las solicitudes CTCP {1} del usuario {2} serán enviadas a los clientes (no " "se ha cambiado nada)" -#: controlpanel.cpp:1369 controlpanel.cpp:1443 +#: controlpanel.cpp:1370 controlpanel.cpp:1444 msgid "Loading modules has been disabled." msgstr "La carga de módulos ha sido deshabilitada." -#: controlpanel.cpp:1378 +#: controlpanel.cpp:1379 msgid "Error: Unable to load module {1}: {2}" msgstr "Error: no se ha podido cargar el módulo {1}: {2}" -#: controlpanel.cpp:1381 +#: controlpanel.cpp:1382 msgid "Loaded module {1}" msgstr "Cargado módulo {1}" -#: controlpanel.cpp:1386 +#: controlpanel.cpp:1387 msgid "Error: Unable to reload module {1}: {2}" msgstr "Error: no se ha podido recargar el módulo {1}: {2}" -#: controlpanel.cpp:1389 +#: controlpanel.cpp:1390 msgid "Reloaded module {1}" msgstr "Recargado módulo {1}" -#: controlpanel.cpp:1393 +#: controlpanel.cpp:1394 msgid "Error: Unable to load module {1} because it is already loaded" msgstr "Error: no se ha podido cargar el módulo {1} porque ya está cargado" -#: controlpanel.cpp:1404 +#: controlpanel.cpp:1405 msgid "Usage: LoadModule [args]" msgstr "Uso: LoadModule [args]" -#: controlpanel.cpp:1423 +#: controlpanel.cpp:1424 msgid "Usage: LoadNetModule [args]" msgstr "Uso: LoadNetModule [args]" -#: controlpanel.cpp:1448 +#: controlpanel.cpp:1449 msgid "Please use /znc unloadmod {1}" msgstr "Por favor, ejecuta /znc unloadmod {1}" -#: controlpanel.cpp:1454 +#: controlpanel.cpp:1455 msgid "Error: Unable to unload module {1}: {2}" msgstr "Error: no se ha podido descargar el módulo {1}: {2}" -#: controlpanel.cpp:1457 +#: controlpanel.cpp:1458 msgid "Unloaded module {1}" msgstr "Descargado módulo {1}" -#: controlpanel.cpp:1466 +#: controlpanel.cpp:1467 msgid "Usage: UnloadModule " msgstr "Uso: UnloadModule " -#: controlpanel.cpp:1483 +#: controlpanel.cpp:1484 msgid "Usage: UnloadNetModule " msgstr "Uso: UnloadNetModule " -#: controlpanel.cpp:1500 controlpanel.cpp:1506 +#: controlpanel.cpp:1501 controlpanel.cpp:1507 msgctxt "listmodules" msgid "Name" msgstr "Nombre" -#: controlpanel.cpp:1501 controlpanel.cpp:1507 +#: controlpanel.cpp:1502 controlpanel.cpp:1508 msgctxt "listmodules" msgid "Arguments" msgstr "Parámetros" -#: controlpanel.cpp:1526 +#: controlpanel.cpp:1527 msgid "User {1} has no modules loaded." msgstr "El usuario {1} no tiene módulos cargados." -#: controlpanel.cpp:1530 +#: controlpanel.cpp:1531 msgid "Modules loaded for user {1}:" msgstr "Módulos cargados para el usuario {1}:" -#: controlpanel.cpp:1550 +#: controlpanel.cpp:1551 msgid "Network {1} of user {2} has no modules loaded." msgstr "La red {1} del usuario {2} no tiene módulos cargados." -#: controlpanel.cpp:1555 +#: controlpanel.cpp:1556 msgid "Modules loaded for network {1} of user {2}:" msgstr "Módulos cargados para la red {1} del usuario {2}:" -#: controlpanel.cpp:1562 +#: controlpanel.cpp:1563 msgid "[command] [variable]" msgstr "[comando] [variable]" -#: controlpanel.cpp:1563 +#: controlpanel.cpp:1564 msgid "Prints help for matching commands and variables" msgstr "Muestra la ayuda de los comandos y variables" -#: controlpanel.cpp:1566 +#: controlpanel.cpp:1567 msgid " [username]" msgstr " [usuario]" -#: controlpanel.cpp:1567 +#: controlpanel.cpp:1568 msgid "Prints the variable's value for the given or current user" msgstr "" "Muestra los valores de las variables del usuario actual o el proporcionado" -#: controlpanel.cpp:1569 +#: controlpanel.cpp:1570 msgid " " msgstr " " -#: controlpanel.cpp:1570 +#: controlpanel.cpp:1571 msgid "Sets the variable's value for the given user" msgstr "Ajusta los valores de variables para el usuario proporcionado" -#: controlpanel.cpp:1572 +#: controlpanel.cpp:1573 msgid " [username] [network]" msgstr " [usuario] [red]" -#: controlpanel.cpp:1573 +#: controlpanel.cpp:1574 msgid "Prints the variable's value for the given network" msgstr "Muestra los valores de las variables de la red proporcionada" -#: controlpanel.cpp:1575 +#: controlpanel.cpp:1576 msgid " " msgstr " " -#: controlpanel.cpp:1576 +#: controlpanel.cpp:1577 msgid "Sets the variable's value for the given network" msgstr "Ajusta los valores de variables para la red proporcionada" -#: controlpanel.cpp:1578 +#: controlpanel.cpp:1579 msgid " [username] " msgstr " " -#: controlpanel.cpp:1579 +#: controlpanel.cpp:1580 msgid "Prints the variable's value for the given channel" msgstr "Muestra los valores de las variables del canal proporcionado" -#: controlpanel.cpp:1582 +#: controlpanel.cpp:1583 msgid " " msgstr " " -#: controlpanel.cpp:1583 +#: controlpanel.cpp:1584 msgid "Sets the variable's value for the given channel" msgstr "Ajusta los valores de variables para el canal proporcionado" -#: controlpanel.cpp:1585 controlpanel.cpp:1588 +#: controlpanel.cpp:1586 controlpanel.cpp:1589 msgid " " msgstr " " -#: controlpanel.cpp:1586 +#: controlpanel.cpp:1587 msgid "Adds a new channel" msgstr "Añadir un nuevo canal" -#: controlpanel.cpp:1589 +#: controlpanel.cpp:1590 msgid "Deletes a channel" msgstr "Eliminar canal" -#: controlpanel.cpp:1591 +#: controlpanel.cpp:1592 msgid "Lists users" msgstr "Mostrar usuarios" -#: controlpanel.cpp:1593 +#: controlpanel.cpp:1594 msgid " " msgstr " " -#: controlpanel.cpp:1594 +#: controlpanel.cpp:1595 msgid "Adds a new user" msgstr "Añadir un usuario nuevo" -#: controlpanel.cpp:1596 controlpanel.cpp:1619 controlpanel.cpp:1633 +#: controlpanel.cpp:1597 controlpanel.cpp:1620 controlpanel.cpp:1634 msgid "" msgstr "" -#: controlpanel.cpp:1596 +#: controlpanel.cpp:1597 msgid "Deletes a user" msgstr "Eliminar usuario" -#: controlpanel.cpp:1598 +#: controlpanel.cpp:1599 msgid " " msgstr " " -#: controlpanel.cpp:1599 +#: controlpanel.cpp:1600 msgid "Clones a user" msgstr "Duplica un usuario" -#: controlpanel.cpp:1601 controlpanel.cpp:1604 +#: controlpanel.cpp:1602 controlpanel.cpp:1605 msgid " " msgstr " " -#: controlpanel.cpp:1602 +#: controlpanel.cpp:1603 msgid "Adds a new IRC server for the given or current user" msgstr "Añade un nuevo servidor de IRC para el usuario actual o proporcionado" -#: controlpanel.cpp:1605 +#: controlpanel.cpp:1606 msgid "Deletes an IRC server from the given or current user" msgstr "Borra un servidor de IRC para el usuario actual o proporcionado" -#: controlpanel.cpp:1607 controlpanel.cpp:1610 controlpanel.cpp:1630 +#: controlpanel.cpp:1608 controlpanel.cpp:1611 controlpanel.cpp:1631 msgid " " msgstr " " -#: controlpanel.cpp:1608 +#: controlpanel.cpp:1609 msgid "Cycles the user's IRC server connection" msgstr "Reconecta la conexión de un usario al IRC" -#: controlpanel.cpp:1611 +#: controlpanel.cpp:1612 msgid "Disconnects the user from their IRC server" msgstr "Desconecta un usuario de su servidor de IRC" -#: controlpanel.cpp:1613 +#: controlpanel.cpp:1614 msgid " [args]" msgstr " [args]" -#: controlpanel.cpp:1614 +#: controlpanel.cpp:1615 msgid "Loads a Module for a user" msgstr "Carga un módulo a un usuario" -#: controlpanel.cpp:1616 +#: controlpanel.cpp:1617 msgid " " msgstr " " -#: controlpanel.cpp:1617 +#: controlpanel.cpp:1618 msgid "Removes a Module of a user" msgstr "Quita un módulo de un usuario" -#: controlpanel.cpp:1620 +#: controlpanel.cpp:1621 msgid "Get the list of modules for a user" msgstr "Obtiene la lista de módulos de un usuario" -#: controlpanel.cpp:1623 +#: controlpanel.cpp:1624 msgid " [args]" msgstr " [args]" -#: controlpanel.cpp:1624 +#: controlpanel.cpp:1625 msgid "Loads a Module for a network" msgstr "Carga un módulo para una red" -#: controlpanel.cpp:1627 +#: controlpanel.cpp:1628 msgid " " msgstr " " -#: controlpanel.cpp:1628 +#: controlpanel.cpp:1629 msgid "Removes a Module of a network" msgstr "Elimina el módulo de una red" -#: controlpanel.cpp:1631 +#: controlpanel.cpp:1632 msgid "Get the list of modules for a network" msgstr "Obtiene la lista de módulos de una red" -#: controlpanel.cpp:1634 +#: controlpanel.cpp:1635 msgid "List the configured CTCP replies" msgstr "Muestra las respuestas CTCP configuradas" -#: controlpanel.cpp:1636 +#: controlpanel.cpp:1637 msgid " [reply]" msgstr " [respuesta]" -#: controlpanel.cpp:1637 +#: controlpanel.cpp:1638 msgid "Configure a new CTCP reply" msgstr "Configura una nueva respuesta CTCP" -#: controlpanel.cpp:1639 +#: controlpanel.cpp:1640 msgid " " msgstr " " -#: controlpanel.cpp:1640 +#: controlpanel.cpp:1641 msgid "Remove a CTCP reply" msgstr "Elimina una respuesta CTCP" -#: controlpanel.cpp:1644 controlpanel.cpp:1647 +#: controlpanel.cpp:1645 controlpanel.cpp:1648 msgid "[username] " msgstr "[usuario] " -#: controlpanel.cpp:1645 +#: controlpanel.cpp:1646 msgid "Add a network for a user" msgstr "Añade una red a un usuario" -#: controlpanel.cpp:1648 +#: controlpanel.cpp:1649 msgid "Delete a network for a user" msgstr "Borra la red de un usuario" -#: controlpanel.cpp:1650 +#: controlpanel.cpp:1651 msgid "[username]" msgstr "[usuario]" -#: controlpanel.cpp:1651 +#: controlpanel.cpp:1652 msgid "List all networks for a user" msgstr "Muestra las redes de un usuario" -#: controlpanel.cpp:1664 +#: controlpanel.cpp:1665 msgid "" "Dynamic configuration through IRC. Allows editing only yourself if you're " "not ZNC admin." diff --git a/modules/po/controlpanel.fr_FR.po b/modules/po/controlpanel.fr_FR.po index 6d0a535f..38eef2ac 100644 --- a/modules/po/controlpanel.fr_FR.po +++ b/modules/po/controlpanel.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /master/modules/po/controlpanel.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/controlpanel.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" @@ -36,12 +36,12 @@ msgstr "Entier" msgid "Number" msgstr "Nombre" -#: controlpanel.cpp:125 +#: controlpanel.cpp:126 msgid "The following variables are available when using the Set/Get commands:" msgstr "" "Les variables suivantes sont disponibles en utilisant les commandes Set/Get :" -#: controlpanel.cpp:149 +#: controlpanel.cpp:150 msgid "" "The following variables are available when using the SetNetwork/GetNetwork " "commands:" @@ -49,7 +49,7 @@ msgstr "" "Les variables suivantes sont disponibles en utilisant les commandes " "SetNetwork/GetNetwork :" -#: controlpanel.cpp:163 +#: controlpanel.cpp:164 msgid "" "The following variables are available when using the SetChan/GetChan " "commands:" @@ -57,7 +57,7 @@ msgstr "" "Les variables suivantes sont disponibles en utilisant les commandes SetChan/" "GetChan :" -#: controlpanel.cpp:170 +#: controlpanel.cpp:171 msgid "" "You can use $user as the user name and $network as the network name for " "modifying your own user and network." @@ -65,673 +65,673 @@ msgstr "" "Vous pouvez utiliser $user comme nom d'utilisateur et $network comme nom de " "réseau pour modifier votre propre utilisateur et réseau." -#: controlpanel.cpp:179 controlpanel.cpp:966 controlpanel.cpp:1003 +#: controlpanel.cpp:180 controlpanel.cpp:967 controlpanel.cpp:1004 msgid "Error: User [{1}] does not exist!" msgstr "Erreur : l'utilisateur [{1}] n'existe pas !" -#: controlpanel.cpp:184 +#: controlpanel.cpp:185 msgid "Error: You need to have admin rights to modify other users!" msgstr "" "Erreur : vous devez avoir les droits d'administration pour modifier les " "autres utilisateurs !" -#: controlpanel.cpp:194 +#: controlpanel.cpp:195 msgid "Error: You cannot use $network to modify other users!" msgstr "" "Erreur : vous ne pouvez pas utiliser $network pour modifier les autres " "utilisateurs !" -#: controlpanel.cpp:202 +#: controlpanel.cpp:203 msgid "Error: User {1} does not have a network named [{2}]." msgstr "Erreur : l'utilisateur {1} n'a pas de réseau nommé [{2}]." -#: controlpanel.cpp:214 +#: controlpanel.cpp:215 msgid "Usage: Get [username]" msgstr "Utilisation : Get [username]" -#: controlpanel.cpp:304 controlpanel.cpp:507 controlpanel.cpp:582 -#: controlpanel.cpp:658 controlpanel.cpp:793 controlpanel.cpp:878 +#: controlpanel.cpp:305 controlpanel.cpp:508 controlpanel.cpp:583 +#: controlpanel.cpp:659 controlpanel.cpp:794 controlpanel.cpp:879 msgid "Error: Unknown variable" msgstr "Erreur : variable inconnue" -#: controlpanel.cpp:313 +#: controlpanel.cpp:314 msgid "Usage: Set " msgstr "Utilisation : Set " -#: controlpanel.cpp:335 controlpanel.cpp:623 +#: controlpanel.cpp:336 controlpanel.cpp:624 msgid "This bind host is already set!" msgstr "Cet hôte lié est déjà configuré !" -#: controlpanel.cpp:342 controlpanel.cpp:354 controlpanel.cpp:362 -#: controlpanel.cpp:425 controlpanel.cpp:444 controlpanel.cpp:460 -#: controlpanel.cpp:470 controlpanel.cpp:630 +#: controlpanel.cpp:343 controlpanel.cpp:355 controlpanel.cpp:363 +#: controlpanel.cpp:426 controlpanel.cpp:445 controlpanel.cpp:461 +#: controlpanel.cpp:471 controlpanel.cpp:631 msgid "Access denied!" msgstr "Accès refusé !" -#: controlpanel.cpp:376 controlpanel.cpp:385 controlpanel.cpp:842 +#: controlpanel.cpp:377 controlpanel.cpp:386 controlpanel.cpp:843 msgid "Setting failed, limit for buffer size is {1}" msgstr "Configuration impossible, la limite de la taille du cache est de {1}" -#: controlpanel.cpp:405 +#: controlpanel.cpp:406 msgid "Password has been changed!" msgstr "Le mot de passe a été modifié !" -#: controlpanel.cpp:413 +#: controlpanel.cpp:414 msgid "Timeout can't be less than 30 seconds!" msgstr "L'expiration ne peut pas être inférieure à 30 secondes !" -#: controlpanel.cpp:477 +#: controlpanel.cpp:478 msgid "That would be a bad idea!" msgstr "Ce serait une mauvaise idée !" -#: controlpanel.cpp:495 +#: controlpanel.cpp:496 msgid "Supported languages: {1}" msgstr "Langues supportées : {1}" -#: controlpanel.cpp:519 +#: controlpanel.cpp:520 msgid "Usage: GetNetwork [username] [network]" msgstr "Utilisation : GetNetwork [username] [network]" -#: controlpanel.cpp:538 +#: controlpanel.cpp:539 msgid "Error: A network must be specified to get another users settings." msgstr "" "Erreur : un réseau doit être spécifié pour accéder aux paramètres d'un autre " "utilisateur." -#: controlpanel.cpp:544 +#: controlpanel.cpp:545 msgid "You are not currently attached to a network." msgstr "Vous n'êtes pas actuellement rattaché à un réseau." -#: controlpanel.cpp:550 +#: controlpanel.cpp:551 msgid "Error: Invalid network." msgstr "Erreur : réseau non valide." -#: controlpanel.cpp:594 +#: controlpanel.cpp:595 msgid "Usage: SetNetwork " msgstr "" "Utilisation : SetNetwork " -#: controlpanel.cpp:668 +#: controlpanel.cpp:669 msgid "Usage: AddChan " msgstr "Utilisation : AddChan " -#: controlpanel.cpp:681 +#: controlpanel.cpp:682 msgid "Error: User {1} already has a channel named {2}." msgstr "Erreur : l'utilisateur {1} a déjà un salon nommé {2}." -#: controlpanel.cpp:688 +#: controlpanel.cpp:689 msgid "Channel {1} for user {2} added to network {3}." msgstr "Salon {1} pour l'utilisateur {2} ajouté au réseau {3}." -#: controlpanel.cpp:692 +#: controlpanel.cpp:693 msgid "" "Could not add channel {1} for user {2} to network {3}, does it already exist?" msgstr "" "Impossible d'ajouter le salon {1} pour l'utilisateur {2} au réseau {3}, " "existe-t-il déjà ?" -#: controlpanel.cpp:702 +#: controlpanel.cpp:703 msgid "Usage: DelChan " msgstr "Utilisation : DelChan " -#: controlpanel.cpp:717 +#: controlpanel.cpp:718 msgid "Error: User {1} does not have any channel matching [{2}] in network {3}" msgstr "" "Erreur : l'utilisateur {1} n'a aucun salon correspondant à [{2}] dans le " "réseau {3}" -#: controlpanel.cpp:730 +#: controlpanel.cpp:731 msgid "Channel {1} is deleted from network {2} of user {3}" msgid_plural "Channels {1} are deleted from network {2} of user {3}" msgstr[0] "Le salon {1} est supprimé du réseau {2} de l'utilisateur {3}" msgstr[1] "Les salons {1} sont supprimés du réseau {2} de l'utilisateur {3}" -#: controlpanel.cpp:745 +#: controlpanel.cpp:746 msgid "Usage: GetChan " msgstr "Utilisation : GetChan " -#: controlpanel.cpp:759 controlpanel.cpp:823 +#: controlpanel.cpp:760 controlpanel.cpp:824 msgid "Error: No channels matching [{1}] found." msgstr "Erreur : aucun salon correspondant à [{1}] trouvé." -#: controlpanel.cpp:808 +#: controlpanel.cpp:809 msgid "Usage: SetChan " msgstr "" "Utilisation : SetChan " "" -#: controlpanel.cpp:889 controlpanel.cpp:899 +#: controlpanel.cpp:890 controlpanel.cpp:900 msgctxt "listusers" msgid "Username" msgstr "Nom d'utilisateur" -#: controlpanel.cpp:890 controlpanel.cpp:900 +#: controlpanel.cpp:891 controlpanel.cpp:901 msgctxt "listusers" msgid "Realname" msgstr "Nom réel" -#: controlpanel.cpp:891 controlpanel.cpp:903 controlpanel.cpp:905 +#: controlpanel.cpp:892 controlpanel.cpp:904 controlpanel.cpp:906 msgctxt "listusers" msgid "IsAdmin" msgstr "Est administrateur" -#: controlpanel.cpp:892 controlpanel.cpp:906 +#: controlpanel.cpp:893 controlpanel.cpp:907 msgctxt "listusers" msgid "Nick" msgstr "Pseudo" -#: controlpanel.cpp:893 controlpanel.cpp:907 +#: controlpanel.cpp:894 controlpanel.cpp:908 msgctxt "listusers" msgid "AltNick" msgstr "Pseudo alternatif" -#: controlpanel.cpp:894 controlpanel.cpp:908 +#: controlpanel.cpp:895 controlpanel.cpp:909 msgctxt "listusers" msgid "Ident" msgstr "Identité" -#: controlpanel.cpp:895 controlpanel.cpp:909 +#: controlpanel.cpp:896 controlpanel.cpp:910 msgctxt "listusers" msgid "BindHost" msgstr "Hôte lié" -#: controlpanel.cpp:903 controlpanel.cpp:1143 +#: controlpanel.cpp:904 controlpanel.cpp:1144 msgid "No" msgstr "Non" -#: controlpanel.cpp:905 controlpanel.cpp:1135 +#: controlpanel.cpp:906 controlpanel.cpp:1136 msgid "Yes" msgstr "Oui" -#: controlpanel.cpp:919 controlpanel.cpp:988 +#: controlpanel.cpp:920 controlpanel.cpp:989 msgid "Error: You need to have admin rights to add new users!" msgstr "" "Erreur : vous devez avoir les droits d'administration pour ajouter de " "nouveaux utilisateurs !" -#: controlpanel.cpp:925 +#: controlpanel.cpp:926 msgid "Usage: AddUser " msgstr "Utilisation : AddUser " -#: controlpanel.cpp:930 +#: controlpanel.cpp:931 msgid "Error: User {1} already exists!" msgstr "" -#: controlpanel.cpp:942 controlpanel.cpp:1017 +#: controlpanel.cpp:943 controlpanel.cpp:1018 msgid "Error: User not added: {1}" msgstr "" -#: controlpanel.cpp:946 controlpanel.cpp:1021 +#: controlpanel.cpp:947 controlpanel.cpp:1022 msgid "User {1} added!" msgstr "" -#: controlpanel.cpp:953 +#: controlpanel.cpp:954 msgid "Error: You need to have admin rights to delete users!" msgstr "" -#: controlpanel.cpp:959 +#: controlpanel.cpp:960 msgid "Usage: DelUser " msgstr "" -#: controlpanel.cpp:971 +#: controlpanel.cpp:972 msgid "Error: You can't delete yourself!" msgstr "" -#: controlpanel.cpp:977 +#: controlpanel.cpp:978 msgid "Error: Internal error!" msgstr "" -#: controlpanel.cpp:981 +#: controlpanel.cpp:982 msgid "User {1} deleted!" msgstr "" -#: controlpanel.cpp:996 +#: controlpanel.cpp:997 msgid "Usage: CloneUser " msgstr "" -#: controlpanel.cpp:1011 +#: controlpanel.cpp:1012 msgid "Error: Cloning failed: {1}" msgstr "" -#: controlpanel.cpp:1040 +#: controlpanel.cpp:1041 msgid "Usage: AddNetwork [user] network" msgstr "" -#: controlpanel.cpp:1046 +#: controlpanel.cpp:1047 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks using /znc DelNetwork " msgstr "" -#: controlpanel.cpp:1054 +#: controlpanel.cpp:1055 msgid "Error: User {1} already has a network with the name {2}" msgstr "" -#: controlpanel.cpp:1061 +#: controlpanel.cpp:1062 msgid "Network {1} added to user {2}." msgstr "" -#: controlpanel.cpp:1065 +#: controlpanel.cpp:1066 msgid "Error: Network [{1}] could not be added for user {2}: {3}" msgstr "" -#: controlpanel.cpp:1085 +#: controlpanel.cpp:1086 msgid "Usage: DelNetwork [user] network" msgstr "" -#: controlpanel.cpp:1096 +#: controlpanel.cpp:1097 msgid "The currently active network can be deleted via {1}status" msgstr "" -#: controlpanel.cpp:1102 +#: controlpanel.cpp:1103 msgid "Network {1} deleted for user {2}." msgstr "" -#: controlpanel.cpp:1106 +#: controlpanel.cpp:1107 msgid "Error: Network {1} could not be deleted for user {2}." msgstr "" -#: controlpanel.cpp:1125 controlpanel.cpp:1133 +#: controlpanel.cpp:1126 controlpanel.cpp:1134 msgctxt "listnetworks" msgid "Network" msgstr "" -#: controlpanel.cpp:1126 controlpanel.cpp:1135 controlpanel.cpp:1143 +#: controlpanel.cpp:1127 controlpanel.cpp:1136 controlpanel.cpp:1144 msgctxt "listnetworks" msgid "OnIRC" msgstr "" -#: controlpanel.cpp:1127 controlpanel.cpp:1136 +#: controlpanel.cpp:1128 controlpanel.cpp:1137 msgctxt "listnetworks" msgid "IRC Server" msgstr "" -#: controlpanel.cpp:1128 controlpanel.cpp:1138 +#: controlpanel.cpp:1129 controlpanel.cpp:1139 msgctxt "listnetworks" msgid "IRC User" msgstr "" -#: controlpanel.cpp:1129 controlpanel.cpp:1140 +#: controlpanel.cpp:1130 controlpanel.cpp:1141 msgctxt "listnetworks" msgid "Channels" msgstr "" -#: controlpanel.cpp:1148 +#: controlpanel.cpp:1149 msgid "No networks" msgstr "" -#: controlpanel.cpp:1159 +#: controlpanel.cpp:1160 msgid "Usage: AddServer [[+]port] [password]" msgstr "" -#: controlpanel.cpp:1173 +#: controlpanel.cpp:1174 msgid "Added IRC Server {1} to network {2} for user {3}." msgstr "" -#: controlpanel.cpp:1177 +#: controlpanel.cpp:1178 msgid "Error: Could not add IRC server {1} to network {2} for user {3}." msgstr "" -#: controlpanel.cpp:1190 +#: controlpanel.cpp:1191 msgid "Usage: DelServer [[+]port] [password]" msgstr "" -#: controlpanel.cpp:1205 +#: controlpanel.cpp:1206 msgid "Deleted IRC Server {1} from network {2} for user {3}." msgstr "" -#: controlpanel.cpp:1209 +#: controlpanel.cpp:1210 msgid "Error: Could not delete IRC server {1} from network {2} for user {3}." msgstr "" -#: controlpanel.cpp:1219 +#: controlpanel.cpp:1220 msgid "Usage: Reconnect " msgstr "" -#: controlpanel.cpp:1246 +#: controlpanel.cpp:1247 msgid "Queued network {1} of user {2} for a reconnect." msgstr "" -#: controlpanel.cpp:1255 +#: controlpanel.cpp:1256 msgid "Usage: Disconnect " msgstr "" -#: controlpanel.cpp:1270 +#: controlpanel.cpp:1271 msgid "Closed IRC connection for network {1} of user {2}." msgstr "" -#: controlpanel.cpp:1285 controlpanel.cpp:1290 -msgctxt "listctcp" -msgid "Request" -msgstr "" - #: controlpanel.cpp:1286 controlpanel.cpp:1291 msgctxt "listctcp" +msgid "Request" +msgstr "" + +#: controlpanel.cpp:1287 controlpanel.cpp:1292 +msgctxt "listctcp" msgid "Reply" msgstr "" -#: controlpanel.cpp:1295 +#: controlpanel.cpp:1296 msgid "No CTCP replies for user {1} are configured" msgstr "" -#: controlpanel.cpp:1298 +#: controlpanel.cpp:1299 msgid "CTCP replies for user {1}:" msgstr "" -#: controlpanel.cpp:1314 +#: controlpanel.cpp:1315 msgid "Usage: AddCTCP [user] [request] [reply]" msgstr "" -#: controlpanel.cpp:1316 +#: controlpanel.cpp:1317 msgid "" "This will cause ZNC to reply to the CTCP instead of forwarding it to clients." msgstr "" -#: controlpanel.cpp:1319 +#: controlpanel.cpp:1320 msgid "An empty reply will cause the CTCP request to be blocked." msgstr "" -#: controlpanel.cpp:1328 +#: controlpanel.cpp:1329 msgid "CTCP requests {1} to user {2} will now be blocked." msgstr "" -#: controlpanel.cpp:1332 +#: controlpanel.cpp:1333 msgid "CTCP requests {1} to user {2} will now get reply: {3}" msgstr "" -#: controlpanel.cpp:1349 +#: controlpanel.cpp:1350 msgid "Usage: DelCTCP [user] [request]" msgstr "" -#: controlpanel.cpp:1355 +#: controlpanel.cpp:1356 msgid "CTCP requests {1} to user {2} will now be sent to IRC clients" msgstr "" -#: controlpanel.cpp:1359 +#: controlpanel.cpp:1360 msgid "" "CTCP requests {1} to user {2} will be sent to IRC clients (nothing has " "changed)" msgstr "" -#: controlpanel.cpp:1369 controlpanel.cpp:1443 +#: controlpanel.cpp:1370 controlpanel.cpp:1444 msgid "Loading modules has been disabled." msgstr "" -#: controlpanel.cpp:1378 +#: controlpanel.cpp:1379 msgid "Error: Unable to load module {1}: {2}" msgstr "" -#: controlpanel.cpp:1381 +#: controlpanel.cpp:1382 msgid "Loaded module {1}" msgstr "" -#: controlpanel.cpp:1386 +#: controlpanel.cpp:1387 msgid "Error: Unable to reload module {1}: {2}" msgstr "" -#: controlpanel.cpp:1389 +#: controlpanel.cpp:1390 msgid "Reloaded module {1}" msgstr "" -#: controlpanel.cpp:1393 +#: controlpanel.cpp:1394 msgid "Error: Unable to load module {1} because it is already loaded" msgstr "" -#: controlpanel.cpp:1404 +#: controlpanel.cpp:1405 msgid "Usage: LoadModule [args]" msgstr "" -#: controlpanel.cpp:1423 +#: controlpanel.cpp:1424 msgid "Usage: LoadNetModule [args]" msgstr "" -#: controlpanel.cpp:1448 +#: controlpanel.cpp:1449 msgid "Please use /znc unloadmod {1}" msgstr "" -#: controlpanel.cpp:1454 +#: controlpanel.cpp:1455 msgid "Error: Unable to unload module {1}: {2}" msgstr "" -#: controlpanel.cpp:1457 +#: controlpanel.cpp:1458 msgid "Unloaded module {1}" msgstr "" -#: controlpanel.cpp:1466 +#: controlpanel.cpp:1467 msgid "Usage: UnloadModule " msgstr "" -#: controlpanel.cpp:1483 +#: controlpanel.cpp:1484 msgid "Usage: UnloadNetModule " msgstr "" -#: controlpanel.cpp:1500 controlpanel.cpp:1506 -msgctxt "listmodules" -msgid "Name" -msgstr "" - #: controlpanel.cpp:1501 controlpanel.cpp:1507 msgctxt "listmodules" +msgid "Name" +msgstr "" + +#: controlpanel.cpp:1502 controlpanel.cpp:1508 +msgctxt "listmodules" msgid "Arguments" msgstr "" -#: controlpanel.cpp:1526 +#: controlpanel.cpp:1527 msgid "User {1} has no modules loaded." msgstr "" -#: controlpanel.cpp:1530 +#: controlpanel.cpp:1531 msgid "Modules loaded for user {1}:" msgstr "" -#: controlpanel.cpp:1550 +#: controlpanel.cpp:1551 msgid "Network {1} of user {2} has no modules loaded." msgstr "" -#: controlpanel.cpp:1555 +#: controlpanel.cpp:1556 msgid "Modules loaded for network {1} of user {2}:" msgstr "" -#: controlpanel.cpp:1562 +#: controlpanel.cpp:1563 msgid "[command] [variable]" msgstr "" -#: controlpanel.cpp:1563 +#: controlpanel.cpp:1564 msgid "Prints help for matching commands and variables" msgstr "" -#: controlpanel.cpp:1566 +#: controlpanel.cpp:1567 msgid " [username]" msgstr "" -#: controlpanel.cpp:1567 +#: controlpanel.cpp:1568 msgid "Prints the variable's value for the given or current user" msgstr "" -#: controlpanel.cpp:1569 +#: controlpanel.cpp:1570 msgid " " msgstr "" -#: controlpanel.cpp:1570 +#: controlpanel.cpp:1571 msgid "Sets the variable's value for the given user" msgstr "" -#: controlpanel.cpp:1572 +#: controlpanel.cpp:1573 msgid " [username] [network]" msgstr "" -#: controlpanel.cpp:1573 +#: controlpanel.cpp:1574 msgid "Prints the variable's value for the given network" msgstr "" -#: controlpanel.cpp:1575 +#: controlpanel.cpp:1576 msgid " " msgstr "" -#: controlpanel.cpp:1576 +#: controlpanel.cpp:1577 msgid "Sets the variable's value for the given network" msgstr "" -#: controlpanel.cpp:1578 +#: controlpanel.cpp:1579 msgid " [username] " msgstr "" -#: controlpanel.cpp:1579 +#: controlpanel.cpp:1580 msgid "Prints the variable's value for the given channel" msgstr "" -#: controlpanel.cpp:1582 +#: controlpanel.cpp:1583 msgid " " msgstr "" -#: controlpanel.cpp:1583 +#: controlpanel.cpp:1584 msgid "Sets the variable's value for the given channel" msgstr "" -#: controlpanel.cpp:1585 controlpanel.cpp:1588 +#: controlpanel.cpp:1586 controlpanel.cpp:1589 msgid " " msgstr "" -#: controlpanel.cpp:1586 +#: controlpanel.cpp:1587 msgid "Adds a new channel" msgstr "" -#: controlpanel.cpp:1589 +#: controlpanel.cpp:1590 msgid "Deletes a channel" msgstr "" -#: controlpanel.cpp:1591 +#: controlpanel.cpp:1592 msgid "Lists users" msgstr "" -#: controlpanel.cpp:1593 +#: controlpanel.cpp:1594 msgid " " msgstr "" -#: controlpanel.cpp:1594 +#: controlpanel.cpp:1595 msgid "Adds a new user" msgstr "" -#: controlpanel.cpp:1596 controlpanel.cpp:1619 controlpanel.cpp:1633 +#: controlpanel.cpp:1597 controlpanel.cpp:1620 controlpanel.cpp:1634 msgid "" msgstr "" -#: controlpanel.cpp:1596 +#: controlpanel.cpp:1597 msgid "Deletes a user" msgstr "" -#: controlpanel.cpp:1598 +#: controlpanel.cpp:1599 msgid " " msgstr "" -#: controlpanel.cpp:1599 +#: controlpanel.cpp:1600 msgid "Clones a user" msgstr "" -#: controlpanel.cpp:1601 controlpanel.cpp:1604 +#: controlpanel.cpp:1602 controlpanel.cpp:1605 msgid " " msgstr "" -#: controlpanel.cpp:1602 +#: controlpanel.cpp:1603 msgid "Adds a new IRC server for the given or current user" msgstr "" -#: controlpanel.cpp:1605 +#: controlpanel.cpp:1606 msgid "Deletes an IRC server from the given or current user" msgstr "" -#: controlpanel.cpp:1607 controlpanel.cpp:1610 controlpanel.cpp:1630 +#: controlpanel.cpp:1608 controlpanel.cpp:1611 controlpanel.cpp:1631 msgid " " msgstr "" -#: controlpanel.cpp:1608 +#: controlpanel.cpp:1609 msgid "Cycles the user's IRC server connection" msgstr "" -#: controlpanel.cpp:1611 +#: controlpanel.cpp:1612 msgid "Disconnects the user from their IRC server" msgstr "" -#: controlpanel.cpp:1613 +#: controlpanel.cpp:1614 msgid " [args]" msgstr "" -#: controlpanel.cpp:1614 +#: controlpanel.cpp:1615 msgid "Loads a Module for a user" msgstr "" -#: controlpanel.cpp:1616 +#: controlpanel.cpp:1617 msgid " " msgstr "" -#: controlpanel.cpp:1617 +#: controlpanel.cpp:1618 msgid "Removes a Module of a user" msgstr "" -#: controlpanel.cpp:1620 +#: controlpanel.cpp:1621 msgid "Get the list of modules for a user" msgstr "" -#: controlpanel.cpp:1623 +#: controlpanel.cpp:1624 msgid " [args]" msgstr "" -#: controlpanel.cpp:1624 +#: controlpanel.cpp:1625 msgid "Loads a Module for a network" msgstr "" -#: controlpanel.cpp:1627 +#: controlpanel.cpp:1628 msgid " " msgstr "" -#: controlpanel.cpp:1628 +#: controlpanel.cpp:1629 msgid "Removes a Module of a network" msgstr "" -#: controlpanel.cpp:1631 +#: controlpanel.cpp:1632 msgid "Get the list of modules for a network" msgstr "" -#: controlpanel.cpp:1634 +#: controlpanel.cpp:1635 msgid "List the configured CTCP replies" msgstr "" -#: controlpanel.cpp:1636 +#: controlpanel.cpp:1637 msgid " [reply]" msgstr "" -#: controlpanel.cpp:1637 +#: controlpanel.cpp:1638 msgid "Configure a new CTCP reply" msgstr "" -#: controlpanel.cpp:1639 +#: controlpanel.cpp:1640 msgid " " msgstr "" -#: controlpanel.cpp:1640 +#: controlpanel.cpp:1641 msgid "Remove a CTCP reply" msgstr "" -#: controlpanel.cpp:1644 controlpanel.cpp:1647 +#: controlpanel.cpp:1645 controlpanel.cpp:1648 msgid "[username] " msgstr "" -#: controlpanel.cpp:1645 +#: controlpanel.cpp:1646 msgid "Add a network for a user" msgstr "" -#: controlpanel.cpp:1648 +#: controlpanel.cpp:1649 msgid "Delete a network for a user" msgstr "" -#: controlpanel.cpp:1650 +#: controlpanel.cpp:1651 msgid "[username]" msgstr "" -#: controlpanel.cpp:1651 +#: controlpanel.cpp:1652 msgid "List all networks for a user" msgstr "" -#: controlpanel.cpp:1664 +#: controlpanel.cpp:1665 msgid "" "Dynamic configuration through IRC. Allows editing only yourself if you're " "not ZNC admin." diff --git a/modules/po/controlpanel.id_ID.po b/modules/po/controlpanel.id_ID.po index e385260f..9fb07eb1 100644 --- a/modules/po/controlpanel.id_ID.po +++ b/modules/po/controlpanel.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /master/modules/po/controlpanel.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/controlpanel.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" @@ -36,679 +36,679 @@ msgstr "" msgid "Number" msgstr "" -#: controlpanel.cpp:125 +#: controlpanel.cpp:126 msgid "The following variables are available when using the Set/Get commands:" msgstr "" -#: controlpanel.cpp:149 +#: controlpanel.cpp:150 msgid "" "The following variables are available when using the SetNetwork/GetNetwork " "commands:" msgstr "" -#: controlpanel.cpp:163 +#: controlpanel.cpp:164 msgid "" "The following variables are available when using the SetChan/GetChan " "commands:" msgstr "" -#: controlpanel.cpp:170 +#: controlpanel.cpp:171 msgid "" "You can use $user as the user name and $network as the network name for " "modifying your own user and network." msgstr "" -#: controlpanel.cpp:179 controlpanel.cpp:966 controlpanel.cpp:1003 +#: controlpanel.cpp:180 controlpanel.cpp:967 controlpanel.cpp:1004 msgid "Error: User [{1}] does not exist!" msgstr "" -#: controlpanel.cpp:184 +#: controlpanel.cpp:185 msgid "Error: You need to have admin rights to modify other users!" msgstr "" -#: controlpanel.cpp:194 +#: controlpanel.cpp:195 msgid "Error: You cannot use $network to modify other users!" msgstr "" -#: controlpanel.cpp:202 +#: controlpanel.cpp:203 msgid "Error: User {1} does not have a network named [{2}]." msgstr "" -#: controlpanel.cpp:214 +#: controlpanel.cpp:215 msgid "Usage: Get [username]" msgstr "" -#: controlpanel.cpp:304 controlpanel.cpp:507 controlpanel.cpp:582 -#: controlpanel.cpp:658 controlpanel.cpp:793 controlpanel.cpp:878 +#: controlpanel.cpp:305 controlpanel.cpp:508 controlpanel.cpp:583 +#: controlpanel.cpp:659 controlpanel.cpp:794 controlpanel.cpp:879 msgid "Error: Unknown variable" msgstr "" -#: controlpanel.cpp:313 +#: controlpanel.cpp:314 msgid "Usage: Set " msgstr "" -#: controlpanel.cpp:335 controlpanel.cpp:623 +#: controlpanel.cpp:336 controlpanel.cpp:624 msgid "This bind host is already set!" msgstr "" -#: controlpanel.cpp:342 controlpanel.cpp:354 controlpanel.cpp:362 -#: controlpanel.cpp:425 controlpanel.cpp:444 controlpanel.cpp:460 -#: controlpanel.cpp:470 controlpanel.cpp:630 +#: controlpanel.cpp:343 controlpanel.cpp:355 controlpanel.cpp:363 +#: controlpanel.cpp:426 controlpanel.cpp:445 controlpanel.cpp:461 +#: controlpanel.cpp:471 controlpanel.cpp:631 msgid "Access denied!" msgstr "" -#: controlpanel.cpp:376 controlpanel.cpp:385 controlpanel.cpp:842 +#: controlpanel.cpp:377 controlpanel.cpp:386 controlpanel.cpp:843 msgid "Setting failed, limit for buffer size is {1}" msgstr "" -#: controlpanel.cpp:405 +#: controlpanel.cpp:406 msgid "Password has been changed!" msgstr "" -#: controlpanel.cpp:413 +#: controlpanel.cpp:414 msgid "Timeout can't be less than 30 seconds!" msgstr "" -#: controlpanel.cpp:477 +#: controlpanel.cpp:478 msgid "That would be a bad idea!" msgstr "" -#: controlpanel.cpp:495 +#: controlpanel.cpp:496 msgid "Supported languages: {1}" msgstr "" -#: controlpanel.cpp:519 +#: controlpanel.cpp:520 msgid "Usage: GetNetwork [username] [network]" msgstr "" -#: controlpanel.cpp:538 +#: controlpanel.cpp:539 msgid "Error: A network must be specified to get another users settings." msgstr "" -#: controlpanel.cpp:544 +#: controlpanel.cpp:545 msgid "You are not currently attached to a network." msgstr "" -#: controlpanel.cpp:550 +#: controlpanel.cpp:551 msgid "Error: Invalid network." msgstr "" -#: controlpanel.cpp:594 +#: controlpanel.cpp:595 msgid "Usage: SetNetwork " msgstr "" -#: controlpanel.cpp:668 +#: controlpanel.cpp:669 msgid "Usage: AddChan " msgstr "" -#: controlpanel.cpp:681 +#: controlpanel.cpp:682 msgid "Error: User {1} already has a channel named {2}." msgstr "" -#: controlpanel.cpp:688 +#: controlpanel.cpp:689 msgid "Channel {1} for user {2} added to network {3}." msgstr "" -#: controlpanel.cpp:692 +#: controlpanel.cpp:693 msgid "" "Could not add channel {1} for user {2} to network {3}, does it already exist?" msgstr "" -#: controlpanel.cpp:702 +#: controlpanel.cpp:703 msgid "Usage: DelChan " msgstr "" -#: controlpanel.cpp:717 +#: controlpanel.cpp:718 msgid "Error: User {1} does not have any channel matching [{2}] in network {3}" msgstr "" -#: controlpanel.cpp:730 +#: controlpanel.cpp:731 msgid "Channel {1} is deleted from network {2} of user {3}" msgid_plural "Channels {1} are deleted from network {2} of user {3}" msgstr[0] "" -#: controlpanel.cpp:745 +#: controlpanel.cpp:746 msgid "Usage: GetChan " msgstr "" -#: controlpanel.cpp:759 controlpanel.cpp:823 +#: controlpanel.cpp:760 controlpanel.cpp:824 msgid "Error: No channels matching [{1}] found." msgstr "" -#: controlpanel.cpp:808 +#: controlpanel.cpp:809 msgid "Usage: SetChan " msgstr "" -#: controlpanel.cpp:889 controlpanel.cpp:899 -msgctxt "listusers" -msgid "Username" -msgstr "" - #: controlpanel.cpp:890 controlpanel.cpp:900 msgctxt "listusers" +msgid "Username" +msgstr "" + +#: controlpanel.cpp:891 controlpanel.cpp:901 +msgctxt "listusers" msgid "Realname" msgstr "" -#: controlpanel.cpp:891 controlpanel.cpp:903 controlpanel.cpp:905 +#: controlpanel.cpp:892 controlpanel.cpp:904 controlpanel.cpp:906 msgctxt "listusers" msgid "IsAdmin" msgstr "" -#: controlpanel.cpp:892 controlpanel.cpp:906 +#: controlpanel.cpp:893 controlpanel.cpp:907 msgctxt "listusers" msgid "Nick" msgstr "" -#: controlpanel.cpp:893 controlpanel.cpp:907 +#: controlpanel.cpp:894 controlpanel.cpp:908 msgctxt "listusers" msgid "AltNick" msgstr "" -#: controlpanel.cpp:894 controlpanel.cpp:908 +#: controlpanel.cpp:895 controlpanel.cpp:909 msgctxt "listusers" msgid "Ident" msgstr "" -#: controlpanel.cpp:895 controlpanel.cpp:909 +#: controlpanel.cpp:896 controlpanel.cpp:910 msgctxt "listusers" msgid "BindHost" msgstr "" -#: controlpanel.cpp:903 controlpanel.cpp:1143 +#: controlpanel.cpp:904 controlpanel.cpp:1144 msgid "No" msgstr "" -#: controlpanel.cpp:905 controlpanel.cpp:1135 +#: controlpanel.cpp:906 controlpanel.cpp:1136 msgid "Yes" msgstr "" -#: controlpanel.cpp:919 controlpanel.cpp:988 +#: controlpanel.cpp:920 controlpanel.cpp:989 msgid "Error: You need to have admin rights to add new users!" msgstr "" -#: controlpanel.cpp:925 +#: controlpanel.cpp:926 msgid "Usage: AddUser " msgstr "" -#: controlpanel.cpp:930 +#: controlpanel.cpp:931 msgid "Error: User {1} already exists!" msgstr "" -#: controlpanel.cpp:942 controlpanel.cpp:1017 +#: controlpanel.cpp:943 controlpanel.cpp:1018 msgid "Error: User not added: {1}" msgstr "" -#: controlpanel.cpp:946 controlpanel.cpp:1021 +#: controlpanel.cpp:947 controlpanel.cpp:1022 msgid "User {1} added!" msgstr "" -#: controlpanel.cpp:953 +#: controlpanel.cpp:954 msgid "Error: You need to have admin rights to delete users!" msgstr "" -#: controlpanel.cpp:959 +#: controlpanel.cpp:960 msgid "Usage: DelUser " msgstr "" -#: controlpanel.cpp:971 +#: controlpanel.cpp:972 msgid "Error: You can't delete yourself!" msgstr "" -#: controlpanel.cpp:977 +#: controlpanel.cpp:978 msgid "Error: Internal error!" msgstr "" -#: controlpanel.cpp:981 +#: controlpanel.cpp:982 msgid "User {1} deleted!" msgstr "" -#: controlpanel.cpp:996 +#: controlpanel.cpp:997 msgid "Usage: CloneUser " msgstr "" -#: controlpanel.cpp:1011 +#: controlpanel.cpp:1012 msgid "Error: Cloning failed: {1}" msgstr "" -#: controlpanel.cpp:1040 +#: controlpanel.cpp:1041 msgid "Usage: AddNetwork [user] network" msgstr "" -#: controlpanel.cpp:1046 +#: controlpanel.cpp:1047 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks using /znc DelNetwork " msgstr "" -#: controlpanel.cpp:1054 +#: controlpanel.cpp:1055 msgid "Error: User {1} already has a network with the name {2}" msgstr "" -#: controlpanel.cpp:1061 +#: controlpanel.cpp:1062 msgid "Network {1} added to user {2}." msgstr "" -#: controlpanel.cpp:1065 +#: controlpanel.cpp:1066 msgid "Error: Network [{1}] could not be added for user {2}: {3}" msgstr "" -#: controlpanel.cpp:1085 +#: controlpanel.cpp:1086 msgid "Usage: DelNetwork [user] network" msgstr "" -#: controlpanel.cpp:1096 +#: controlpanel.cpp:1097 msgid "The currently active network can be deleted via {1}status" msgstr "" -#: controlpanel.cpp:1102 +#: controlpanel.cpp:1103 msgid "Network {1} deleted for user {2}." msgstr "" -#: controlpanel.cpp:1106 +#: controlpanel.cpp:1107 msgid "Error: Network {1} could not be deleted for user {2}." msgstr "" -#: controlpanel.cpp:1125 controlpanel.cpp:1133 +#: controlpanel.cpp:1126 controlpanel.cpp:1134 msgctxt "listnetworks" msgid "Network" msgstr "" -#: controlpanel.cpp:1126 controlpanel.cpp:1135 controlpanel.cpp:1143 +#: controlpanel.cpp:1127 controlpanel.cpp:1136 controlpanel.cpp:1144 msgctxt "listnetworks" msgid "OnIRC" msgstr "" -#: controlpanel.cpp:1127 controlpanel.cpp:1136 +#: controlpanel.cpp:1128 controlpanel.cpp:1137 msgctxt "listnetworks" msgid "IRC Server" msgstr "" -#: controlpanel.cpp:1128 controlpanel.cpp:1138 +#: controlpanel.cpp:1129 controlpanel.cpp:1139 msgctxt "listnetworks" msgid "IRC User" msgstr "" -#: controlpanel.cpp:1129 controlpanel.cpp:1140 +#: controlpanel.cpp:1130 controlpanel.cpp:1141 msgctxt "listnetworks" msgid "Channels" msgstr "" -#: controlpanel.cpp:1148 +#: controlpanel.cpp:1149 msgid "No networks" msgstr "" -#: controlpanel.cpp:1159 +#: controlpanel.cpp:1160 msgid "Usage: AddServer [[+]port] [password]" msgstr "" -#: controlpanel.cpp:1173 +#: controlpanel.cpp:1174 msgid "Added IRC Server {1} to network {2} for user {3}." msgstr "" -#: controlpanel.cpp:1177 +#: controlpanel.cpp:1178 msgid "Error: Could not add IRC server {1} to network {2} for user {3}." msgstr "" -#: controlpanel.cpp:1190 +#: controlpanel.cpp:1191 msgid "Usage: DelServer [[+]port] [password]" msgstr "" -#: controlpanel.cpp:1205 +#: controlpanel.cpp:1206 msgid "Deleted IRC Server {1} from network {2} for user {3}." msgstr "" -#: controlpanel.cpp:1209 +#: controlpanel.cpp:1210 msgid "Error: Could not delete IRC server {1} from network {2} for user {3}." msgstr "" -#: controlpanel.cpp:1219 +#: controlpanel.cpp:1220 msgid "Usage: Reconnect " msgstr "" -#: controlpanel.cpp:1246 +#: controlpanel.cpp:1247 msgid "Queued network {1} of user {2} for a reconnect." msgstr "" -#: controlpanel.cpp:1255 +#: controlpanel.cpp:1256 msgid "Usage: Disconnect " msgstr "" -#: controlpanel.cpp:1270 +#: controlpanel.cpp:1271 msgid "Closed IRC connection for network {1} of user {2}." msgstr "" -#: controlpanel.cpp:1285 controlpanel.cpp:1290 -msgctxt "listctcp" -msgid "Request" -msgstr "" - #: controlpanel.cpp:1286 controlpanel.cpp:1291 msgctxt "listctcp" +msgid "Request" +msgstr "" + +#: controlpanel.cpp:1287 controlpanel.cpp:1292 +msgctxt "listctcp" msgid "Reply" msgstr "" -#: controlpanel.cpp:1295 +#: controlpanel.cpp:1296 msgid "No CTCP replies for user {1} are configured" msgstr "" -#: controlpanel.cpp:1298 +#: controlpanel.cpp:1299 msgid "CTCP replies for user {1}:" msgstr "" -#: controlpanel.cpp:1314 +#: controlpanel.cpp:1315 msgid "Usage: AddCTCP [user] [request] [reply]" msgstr "" -#: controlpanel.cpp:1316 +#: controlpanel.cpp:1317 msgid "" "This will cause ZNC to reply to the CTCP instead of forwarding it to clients." msgstr "" -#: controlpanel.cpp:1319 +#: controlpanel.cpp:1320 msgid "An empty reply will cause the CTCP request to be blocked." msgstr "" -#: controlpanel.cpp:1328 +#: controlpanel.cpp:1329 msgid "CTCP requests {1} to user {2} will now be blocked." msgstr "" -#: controlpanel.cpp:1332 +#: controlpanel.cpp:1333 msgid "CTCP requests {1} to user {2} will now get reply: {3}" msgstr "" -#: controlpanel.cpp:1349 +#: controlpanel.cpp:1350 msgid "Usage: DelCTCP [user] [request]" msgstr "" -#: controlpanel.cpp:1355 +#: controlpanel.cpp:1356 msgid "CTCP requests {1} to user {2} will now be sent to IRC clients" msgstr "" -#: controlpanel.cpp:1359 +#: controlpanel.cpp:1360 msgid "" "CTCP requests {1} to user {2} will be sent to IRC clients (nothing has " "changed)" msgstr "" -#: controlpanel.cpp:1369 controlpanel.cpp:1443 +#: controlpanel.cpp:1370 controlpanel.cpp:1444 msgid "Loading modules has been disabled." msgstr "" -#: controlpanel.cpp:1378 +#: controlpanel.cpp:1379 msgid "Error: Unable to load module {1}: {2}" msgstr "" -#: controlpanel.cpp:1381 +#: controlpanel.cpp:1382 msgid "Loaded module {1}" msgstr "" -#: controlpanel.cpp:1386 +#: controlpanel.cpp:1387 msgid "Error: Unable to reload module {1}: {2}" msgstr "" -#: controlpanel.cpp:1389 +#: controlpanel.cpp:1390 msgid "Reloaded module {1}" msgstr "" -#: controlpanel.cpp:1393 +#: controlpanel.cpp:1394 msgid "Error: Unable to load module {1} because it is already loaded" msgstr "" -#: controlpanel.cpp:1404 +#: controlpanel.cpp:1405 msgid "Usage: LoadModule [args]" msgstr "" -#: controlpanel.cpp:1423 +#: controlpanel.cpp:1424 msgid "Usage: LoadNetModule [args]" msgstr "" -#: controlpanel.cpp:1448 +#: controlpanel.cpp:1449 msgid "Please use /znc unloadmod {1}" msgstr "" -#: controlpanel.cpp:1454 +#: controlpanel.cpp:1455 msgid "Error: Unable to unload module {1}: {2}" msgstr "" -#: controlpanel.cpp:1457 +#: controlpanel.cpp:1458 msgid "Unloaded module {1}" msgstr "" -#: controlpanel.cpp:1466 +#: controlpanel.cpp:1467 msgid "Usage: UnloadModule " msgstr "" -#: controlpanel.cpp:1483 +#: controlpanel.cpp:1484 msgid "Usage: UnloadNetModule " msgstr "" -#: controlpanel.cpp:1500 controlpanel.cpp:1506 -msgctxt "listmodules" -msgid "Name" -msgstr "" - #: controlpanel.cpp:1501 controlpanel.cpp:1507 msgctxt "listmodules" +msgid "Name" +msgstr "" + +#: controlpanel.cpp:1502 controlpanel.cpp:1508 +msgctxt "listmodules" msgid "Arguments" msgstr "" -#: controlpanel.cpp:1526 +#: controlpanel.cpp:1527 msgid "User {1} has no modules loaded." msgstr "" -#: controlpanel.cpp:1530 +#: controlpanel.cpp:1531 msgid "Modules loaded for user {1}:" msgstr "" -#: controlpanel.cpp:1550 +#: controlpanel.cpp:1551 msgid "Network {1} of user {2} has no modules loaded." msgstr "" -#: controlpanel.cpp:1555 +#: controlpanel.cpp:1556 msgid "Modules loaded for network {1} of user {2}:" msgstr "" -#: controlpanel.cpp:1562 +#: controlpanel.cpp:1563 msgid "[command] [variable]" msgstr "" -#: controlpanel.cpp:1563 +#: controlpanel.cpp:1564 msgid "Prints help for matching commands and variables" msgstr "" -#: controlpanel.cpp:1566 +#: controlpanel.cpp:1567 msgid " [username]" msgstr "" -#: controlpanel.cpp:1567 +#: controlpanel.cpp:1568 msgid "Prints the variable's value for the given or current user" msgstr "" -#: controlpanel.cpp:1569 +#: controlpanel.cpp:1570 msgid " " msgstr "" -#: controlpanel.cpp:1570 +#: controlpanel.cpp:1571 msgid "Sets the variable's value for the given user" msgstr "" -#: controlpanel.cpp:1572 +#: controlpanel.cpp:1573 msgid " [username] [network]" msgstr "" -#: controlpanel.cpp:1573 +#: controlpanel.cpp:1574 msgid "Prints the variable's value for the given network" msgstr "" -#: controlpanel.cpp:1575 +#: controlpanel.cpp:1576 msgid " " msgstr "" -#: controlpanel.cpp:1576 +#: controlpanel.cpp:1577 msgid "Sets the variable's value for the given network" msgstr "" -#: controlpanel.cpp:1578 +#: controlpanel.cpp:1579 msgid " [username] " msgstr "" -#: controlpanel.cpp:1579 +#: controlpanel.cpp:1580 msgid "Prints the variable's value for the given channel" msgstr "" -#: controlpanel.cpp:1582 +#: controlpanel.cpp:1583 msgid " " msgstr "" -#: controlpanel.cpp:1583 +#: controlpanel.cpp:1584 msgid "Sets the variable's value for the given channel" msgstr "" -#: controlpanel.cpp:1585 controlpanel.cpp:1588 +#: controlpanel.cpp:1586 controlpanel.cpp:1589 msgid " " msgstr "" -#: controlpanel.cpp:1586 +#: controlpanel.cpp:1587 msgid "Adds a new channel" msgstr "" -#: controlpanel.cpp:1589 +#: controlpanel.cpp:1590 msgid "Deletes a channel" msgstr "" -#: controlpanel.cpp:1591 +#: controlpanel.cpp:1592 msgid "Lists users" msgstr "" -#: controlpanel.cpp:1593 +#: controlpanel.cpp:1594 msgid " " msgstr "" -#: controlpanel.cpp:1594 +#: controlpanel.cpp:1595 msgid "Adds a new user" msgstr "" -#: controlpanel.cpp:1596 controlpanel.cpp:1619 controlpanel.cpp:1633 +#: controlpanel.cpp:1597 controlpanel.cpp:1620 controlpanel.cpp:1634 msgid "" msgstr "" -#: controlpanel.cpp:1596 +#: controlpanel.cpp:1597 msgid "Deletes a user" msgstr "" -#: controlpanel.cpp:1598 +#: controlpanel.cpp:1599 msgid " " msgstr "" -#: controlpanel.cpp:1599 +#: controlpanel.cpp:1600 msgid "Clones a user" msgstr "" -#: controlpanel.cpp:1601 controlpanel.cpp:1604 +#: controlpanel.cpp:1602 controlpanel.cpp:1605 msgid " " msgstr "" -#: controlpanel.cpp:1602 +#: controlpanel.cpp:1603 msgid "Adds a new IRC server for the given or current user" msgstr "" -#: controlpanel.cpp:1605 +#: controlpanel.cpp:1606 msgid "Deletes an IRC server from the given or current user" msgstr "" -#: controlpanel.cpp:1607 controlpanel.cpp:1610 controlpanel.cpp:1630 +#: controlpanel.cpp:1608 controlpanel.cpp:1611 controlpanel.cpp:1631 msgid " " msgstr "" -#: controlpanel.cpp:1608 +#: controlpanel.cpp:1609 msgid "Cycles the user's IRC server connection" msgstr "" -#: controlpanel.cpp:1611 +#: controlpanel.cpp:1612 msgid "Disconnects the user from their IRC server" msgstr "" -#: controlpanel.cpp:1613 +#: controlpanel.cpp:1614 msgid " [args]" msgstr "" -#: controlpanel.cpp:1614 +#: controlpanel.cpp:1615 msgid "Loads a Module for a user" msgstr "" -#: controlpanel.cpp:1616 +#: controlpanel.cpp:1617 msgid " " msgstr "" -#: controlpanel.cpp:1617 +#: controlpanel.cpp:1618 msgid "Removes a Module of a user" msgstr "" -#: controlpanel.cpp:1620 +#: controlpanel.cpp:1621 msgid "Get the list of modules for a user" msgstr "" -#: controlpanel.cpp:1623 +#: controlpanel.cpp:1624 msgid " [args]" msgstr "" -#: controlpanel.cpp:1624 +#: controlpanel.cpp:1625 msgid "Loads a Module for a network" msgstr "" -#: controlpanel.cpp:1627 +#: controlpanel.cpp:1628 msgid " " msgstr "" -#: controlpanel.cpp:1628 +#: controlpanel.cpp:1629 msgid "Removes a Module of a network" msgstr "" -#: controlpanel.cpp:1631 +#: controlpanel.cpp:1632 msgid "Get the list of modules for a network" msgstr "" -#: controlpanel.cpp:1634 +#: controlpanel.cpp:1635 msgid "List the configured CTCP replies" msgstr "" -#: controlpanel.cpp:1636 +#: controlpanel.cpp:1637 msgid " [reply]" msgstr "" -#: controlpanel.cpp:1637 +#: controlpanel.cpp:1638 msgid "Configure a new CTCP reply" msgstr "" -#: controlpanel.cpp:1639 +#: controlpanel.cpp:1640 msgid " " msgstr "" -#: controlpanel.cpp:1640 +#: controlpanel.cpp:1641 msgid "Remove a CTCP reply" msgstr "" -#: controlpanel.cpp:1644 controlpanel.cpp:1647 +#: controlpanel.cpp:1645 controlpanel.cpp:1648 msgid "[username] " msgstr "" -#: controlpanel.cpp:1645 +#: controlpanel.cpp:1646 msgid "Add a network for a user" msgstr "" -#: controlpanel.cpp:1648 +#: controlpanel.cpp:1649 msgid "Delete a network for a user" msgstr "" -#: controlpanel.cpp:1650 +#: controlpanel.cpp:1651 msgid "[username]" msgstr "" -#: controlpanel.cpp:1651 +#: controlpanel.cpp:1652 msgid "List all networks for a user" msgstr "" -#: controlpanel.cpp:1664 +#: controlpanel.cpp:1665 msgid "" "Dynamic configuration through IRC. Allows editing only yourself if you're " "not ZNC admin." diff --git a/modules/po/controlpanel.it_IT.po b/modules/po/controlpanel.it_IT.po index 00a03878..6178d016 100644 --- a/modules/po/controlpanel.it_IT.po +++ b/modules/po/controlpanel.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /master/modules/po/controlpanel.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/controlpanel.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" @@ -36,12 +36,12 @@ msgstr "Numero intero" msgid "Number" msgstr "Numero" -#: controlpanel.cpp:125 +#: controlpanel.cpp:126 msgid "The following variables are available when using the Set/Get commands:" msgstr "" "Le seguenti variabili sono disponibili quando utilizzi i comandi Set/Get:" -#: controlpanel.cpp:149 +#: controlpanel.cpp:150 msgid "" "The following variables are available when using the SetNetwork/GetNetwork " "commands:" @@ -49,7 +49,7 @@ msgstr "" "Le seguenti variabili sono disponibili quando utilizzi i camandi SetNetwork/" "GetNetwork:" -#: controlpanel.cpp:163 +#: controlpanel.cpp:164 msgid "" "The following variables are available when using the SetChan/GetChan " "commands:" @@ -57,7 +57,7 @@ msgstr "" "Le seguenti variabili sono disponibili quando utilizzi i camandi SetChan/" "GetChan:" -#: controlpanel.cpp:170 +#: controlpanel.cpp:171 msgid "" "You can use $user as the user name and $network as the network name for " "modifying your own user and network." @@ -65,236 +65,236 @@ msgstr "" "Puoi usare $user come nome utente e $network come nome del network per " "modificare il tuo nome utente e network." -#: controlpanel.cpp:179 controlpanel.cpp:966 controlpanel.cpp:1003 +#: controlpanel.cpp:180 controlpanel.cpp:967 controlpanel.cpp:1004 msgid "Error: User [{1}] does not exist!" msgstr "Errore: L'utente [{1}] non esiste!" -#: controlpanel.cpp:184 +#: controlpanel.cpp:185 msgid "Error: You need to have admin rights to modify other users!" msgstr "" "Errore: Devi avere i diritti di amministratore per modificare altri utenti!" -#: controlpanel.cpp:194 +#: controlpanel.cpp:195 msgid "Error: You cannot use $network to modify other users!" msgstr "Errore: Non puoi usare $network per modificare altri utenti!" -#: controlpanel.cpp:202 +#: controlpanel.cpp:203 msgid "Error: User {1} does not have a network named [{2}]." msgstr "Errore: L'utente {1} non ha un nome network [{2}]." -#: controlpanel.cpp:214 +#: controlpanel.cpp:215 msgid "Usage: Get [username]" msgstr "Utilizzo: Get [nome utente]" -#: controlpanel.cpp:304 controlpanel.cpp:507 controlpanel.cpp:582 -#: controlpanel.cpp:658 controlpanel.cpp:793 controlpanel.cpp:878 +#: controlpanel.cpp:305 controlpanel.cpp:508 controlpanel.cpp:583 +#: controlpanel.cpp:659 controlpanel.cpp:794 controlpanel.cpp:879 msgid "Error: Unknown variable" msgstr "Errore: Variabile sconosciuta" -#: controlpanel.cpp:313 +#: controlpanel.cpp:314 msgid "Usage: Set " msgstr "Utilizzo: Set " -#: controlpanel.cpp:335 controlpanel.cpp:623 +#: controlpanel.cpp:336 controlpanel.cpp:624 msgid "This bind host is already set!" msgstr "Questo bind host è già impostato!" -#: controlpanel.cpp:342 controlpanel.cpp:354 controlpanel.cpp:362 -#: controlpanel.cpp:425 controlpanel.cpp:444 controlpanel.cpp:460 -#: controlpanel.cpp:470 controlpanel.cpp:630 +#: controlpanel.cpp:343 controlpanel.cpp:355 controlpanel.cpp:363 +#: controlpanel.cpp:426 controlpanel.cpp:445 controlpanel.cpp:461 +#: controlpanel.cpp:471 controlpanel.cpp:631 msgid "Access denied!" msgstr "Accesso negato!" -#: controlpanel.cpp:376 controlpanel.cpp:385 controlpanel.cpp:842 +#: controlpanel.cpp:377 controlpanel.cpp:386 controlpanel.cpp:843 msgid "Setting failed, limit for buffer size is {1}" msgstr "Impostazione fallita, il limite per la dimensione del buffer è {1}" -#: controlpanel.cpp:405 +#: controlpanel.cpp:406 msgid "Password has been changed!" msgstr "La password è stata cambiata" -#: controlpanel.cpp:413 +#: controlpanel.cpp:414 msgid "Timeout can't be less than 30 seconds!" msgstr "Il timeout non può essere inferiore a 30 secondi!" -#: controlpanel.cpp:477 +#: controlpanel.cpp:478 msgid "That would be a bad idea!" msgstr "Questa sarebbe una cattiva idea!" -#: controlpanel.cpp:495 +#: controlpanel.cpp:496 msgid "Supported languages: {1}" msgstr "Lingue supportate: {1}" -#: controlpanel.cpp:519 +#: controlpanel.cpp:520 msgid "Usage: GetNetwork [username] [network]" msgstr "Utilizzo: GetNetwork [nome utente] [network]" -#: controlpanel.cpp:538 +#: controlpanel.cpp:539 msgid "Error: A network must be specified to get another users settings." msgstr "" "Errore: Deve essere specificato un network per ottenere le impostazioni di " "un altro utente." -#: controlpanel.cpp:544 +#: controlpanel.cpp:545 msgid "You are not currently attached to a network." msgstr "Attualmente non sei agganciato ad un network." -#: controlpanel.cpp:550 +#: controlpanel.cpp:551 msgid "Error: Invalid network." msgstr "Errore: Network non valido." -#: controlpanel.cpp:594 +#: controlpanel.cpp:595 msgid "Usage: SetNetwork " msgstr "Usa: SetNetwork " -#: controlpanel.cpp:668 +#: controlpanel.cpp:669 msgid "Usage: AddChan " msgstr "Utilizzo: AddChan " -#: controlpanel.cpp:681 +#: controlpanel.cpp:682 msgid "Error: User {1} already has a channel named {2}." msgstr "Errore: L'utente {1} ha già un canale di nome {2}." -#: controlpanel.cpp:688 +#: controlpanel.cpp:689 msgid "Channel {1} for user {2} added to network {3}." msgstr "Il canale {1} per l'utente {2} è stato aggiunto al network {3}." -#: controlpanel.cpp:692 +#: controlpanel.cpp:693 msgid "" "Could not add channel {1} for user {2} to network {3}, does it already exist?" msgstr "" "Impossibile aggiungere il canale {1} per l'utente {2} sul network {3}, " "esiste già?" -#: controlpanel.cpp:702 +#: controlpanel.cpp:703 msgid "Usage: DelChan " msgstr "Utilizzo: DelChan " -#: controlpanel.cpp:717 +#: controlpanel.cpp:718 msgid "Error: User {1} does not have any channel matching [{2}] in network {3}" msgstr "" "Errore: L'utente {1} non ha nessun canale corrispondente a [{2}] nel network " "{3}" -#: controlpanel.cpp:730 +#: controlpanel.cpp:731 msgid "Channel {1} is deleted from network {2} of user {3}" msgid_plural "Channels {1} are deleted from network {2} of user {3}" msgstr[0] "Il canale {1} è eliminato dal network {2} dell'utente {3}" msgstr[1] "I canali {1} sono eliminati dal network {2} dell'utente {3}" -#: controlpanel.cpp:745 +#: controlpanel.cpp:746 msgid "Usage: GetChan " msgstr "Utilizzo: GetChan " -#: controlpanel.cpp:759 controlpanel.cpp:823 +#: controlpanel.cpp:760 controlpanel.cpp:824 msgid "Error: No channels matching [{1}] found." msgstr "Errore: Nessun canale corrispondente a [{1}] è stato trovato." -#: controlpanel.cpp:808 +#: controlpanel.cpp:809 msgid "Usage: SetChan " msgstr "" "Utilizzo: SetChan " -#: controlpanel.cpp:889 controlpanel.cpp:899 +#: controlpanel.cpp:890 controlpanel.cpp:900 msgctxt "listusers" msgid "Username" msgstr "Nome utente" -#: controlpanel.cpp:890 controlpanel.cpp:900 +#: controlpanel.cpp:891 controlpanel.cpp:901 msgctxt "listusers" msgid "Realname" msgstr "Nome reale" -#: controlpanel.cpp:891 controlpanel.cpp:903 controlpanel.cpp:905 +#: controlpanel.cpp:892 controlpanel.cpp:904 controlpanel.cpp:906 msgctxt "listusers" msgid "IsAdmin" msgstr "è Admin" -#: controlpanel.cpp:892 controlpanel.cpp:906 +#: controlpanel.cpp:893 controlpanel.cpp:907 msgctxt "listusers" msgid "Nick" msgstr "Nick" -#: controlpanel.cpp:893 controlpanel.cpp:907 +#: controlpanel.cpp:894 controlpanel.cpp:908 msgctxt "listusers" msgid "AltNick" msgstr "Nick alternativo" -#: controlpanel.cpp:894 controlpanel.cpp:908 +#: controlpanel.cpp:895 controlpanel.cpp:909 msgctxt "listusers" msgid "Ident" msgstr "Ident" -#: controlpanel.cpp:895 controlpanel.cpp:909 +#: controlpanel.cpp:896 controlpanel.cpp:910 msgctxt "listusers" msgid "BindHost" msgstr "BindHost" -#: controlpanel.cpp:903 controlpanel.cpp:1143 +#: controlpanel.cpp:904 controlpanel.cpp:1144 msgid "No" msgstr "No" -#: controlpanel.cpp:905 controlpanel.cpp:1135 +#: controlpanel.cpp:906 controlpanel.cpp:1136 msgid "Yes" msgstr "Si" -#: controlpanel.cpp:919 controlpanel.cpp:988 +#: controlpanel.cpp:920 controlpanel.cpp:989 msgid "Error: You need to have admin rights to add new users!" msgstr "" "Errore: Devi avere i diritti di amministratore per aggiungere nuovi utenti!" -#: controlpanel.cpp:925 +#: controlpanel.cpp:926 msgid "Usage: AddUser " msgstr "Utilizzo: AddUser " -#: controlpanel.cpp:930 +#: controlpanel.cpp:931 msgid "Error: User {1} already exists!" msgstr "Errore: L'utente {1} è già esistente!" -#: controlpanel.cpp:942 controlpanel.cpp:1017 +#: controlpanel.cpp:943 controlpanel.cpp:1018 msgid "Error: User not added: {1}" msgstr "Errore: Utente non aggiunto: {1}" -#: controlpanel.cpp:946 controlpanel.cpp:1021 +#: controlpanel.cpp:947 controlpanel.cpp:1022 msgid "User {1} added!" msgstr "L'utente {1} è aggiunto!" -#: controlpanel.cpp:953 +#: controlpanel.cpp:954 msgid "Error: You need to have admin rights to delete users!" msgstr "" "Errore: Devi avere i diritti di amministratore per rimuovere gli utenti!" -#: controlpanel.cpp:959 +#: controlpanel.cpp:960 msgid "Usage: DelUser " msgstr "Utilizzo: DelUser " -#: controlpanel.cpp:971 +#: controlpanel.cpp:972 msgid "Error: You can't delete yourself!" msgstr "Errore: Non puoi eliminare te stesso!" -#: controlpanel.cpp:977 +#: controlpanel.cpp:978 msgid "Error: Internal error!" msgstr "Errore: Errore interno!" -#: controlpanel.cpp:981 +#: controlpanel.cpp:982 msgid "User {1} deleted!" msgstr "Utente {1} eliminato!" -#: controlpanel.cpp:996 +#: controlpanel.cpp:997 msgid "Usage: CloneUser " msgstr "" "Usa\n" "Utilizzo: CloneUser " -#: controlpanel.cpp:1011 +#: controlpanel.cpp:1012 msgid "Error: Cloning failed: {1}" msgstr "Errore: Clonazione fallita: {1}" -#: controlpanel.cpp:1040 +#: controlpanel.cpp:1041 msgid "Usage: AddNetwork [user] network" msgstr "Utilizzo: AddNetwork [utente] network" -#: controlpanel.cpp:1046 +#: controlpanel.cpp:1047 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks using /znc DelNetwork " @@ -303,160 +303,160 @@ msgstr "" "il limite per te, oppure elimina i network non necessari usando /znc " "DelNetwork " -#: controlpanel.cpp:1054 +#: controlpanel.cpp:1055 msgid "Error: User {1} already has a network with the name {2}" msgstr "Errore: L'utente {1} ha già un network con il nome {2}" -#: controlpanel.cpp:1061 +#: controlpanel.cpp:1062 msgid "Network {1} added to user {2}." msgstr "Il network {1} è stato aggiunto all'utente {2}." -#: controlpanel.cpp:1065 +#: controlpanel.cpp:1066 msgid "Error: Network [{1}] could not be added for user {2}: {3}" msgstr "Errore: Il network [{1}] non può essere aggiunto per l'utente {2}: {3}" -#: controlpanel.cpp:1085 +#: controlpanel.cpp:1086 msgid "Usage: DelNetwork [user] network" msgstr "Utilizzo: DelNetwork [utente] network" -#: controlpanel.cpp:1096 +#: controlpanel.cpp:1097 msgid "The currently active network can be deleted via {1}status" msgstr "" "Il network attualmente attivo può essere eliminato tramite lo stato {1}" -#: controlpanel.cpp:1102 +#: controlpanel.cpp:1103 msgid "Network {1} deleted for user {2}." msgstr "Il network {1} è stato eliminato per l'utente {2}." -#: controlpanel.cpp:1106 +#: controlpanel.cpp:1107 msgid "Error: Network {1} could not be deleted for user {2}." msgstr "Errore: Il network {1} non può essere eliminato per l'utente {2}." -#: controlpanel.cpp:1125 controlpanel.cpp:1133 +#: controlpanel.cpp:1126 controlpanel.cpp:1134 msgctxt "listnetworks" msgid "Network" msgstr "Network" -#: controlpanel.cpp:1126 controlpanel.cpp:1135 controlpanel.cpp:1143 +#: controlpanel.cpp:1127 controlpanel.cpp:1136 controlpanel.cpp:1144 msgctxt "listnetworks" msgid "OnIRC" msgstr "Su IRC" -#: controlpanel.cpp:1127 controlpanel.cpp:1136 +#: controlpanel.cpp:1128 controlpanel.cpp:1137 msgctxt "listnetworks" msgid "IRC Server" msgstr "Server IRC" -#: controlpanel.cpp:1128 controlpanel.cpp:1138 +#: controlpanel.cpp:1129 controlpanel.cpp:1139 msgctxt "listnetworks" msgid "IRC User" msgstr "Utente IRC" -#: controlpanel.cpp:1129 controlpanel.cpp:1140 +#: controlpanel.cpp:1130 controlpanel.cpp:1141 msgctxt "listnetworks" msgid "Channels" msgstr "Canali" -#: controlpanel.cpp:1148 +#: controlpanel.cpp:1149 msgid "No networks" msgstr "Nessun network" -#: controlpanel.cpp:1159 +#: controlpanel.cpp:1160 msgid "Usage: AddServer [[+]port] [password]" msgstr "" "Utilizzo: AddServer [[+]porta] [password]" -#: controlpanel.cpp:1173 +#: controlpanel.cpp:1174 msgid "Added IRC Server {1} to network {2} for user {3}." msgstr "Aggiunto il Server IRC {1} al network {2} per l'utente {3}." -#: controlpanel.cpp:1177 +#: controlpanel.cpp:1178 msgid "Error: Could not add IRC server {1} to network {2} for user {3}." msgstr "" "Errore: Impossibile aggiungere il server IRC {1} al network {2} per l'utente " "{3}." -#: controlpanel.cpp:1190 +#: controlpanel.cpp:1191 msgid "Usage: DelServer [[+]port] [password]" msgstr "" "Utilizzo: DelServer [[+]porta] [password]" -#: controlpanel.cpp:1205 +#: controlpanel.cpp:1206 msgid "Deleted IRC Server {1} from network {2} for user {3}." msgstr "Eliminato il Server IRC {1} del network {2} per l'utente {3}." -#: controlpanel.cpp:1209 +#: controlpanel.cpp:1210 msgid "Error: Could not delete IRC server {1} from network {2} for user {3}." msgstr "" "Errore: Impossibile eliminare il server IRC {1} dal network {2} per l'utente " "{3}." -#: controlpanel.cpp:1219 +#: controlpanel.cpp:1220 msgid "Usage: Reconnect " msgstr "Utilizzo: Reconnect " -#: controlpanel.cpp:1246 +#: controlpanel.cpp:1247 msgid "Queued network {1} of user {2} for a reconnect." msgstr "Il network {1} dell'utente {2} è in coda per una riconnessione." -#: controlpanel.cpp:1255 +#: controlpanel.cpp:1256 msgid "Usage: Disconnect " msgstr "Utilizzo: Disconnect " -#: controlpanel.cpp:1270 +#: controlpanel.cpp:1271 msgid "Closed IRC connection for network {1} of user {2}." msgstr "Chiusa la connessione IRC al network {1} dell'utente {2}." -#: controlpanel.cpp:1285 controlpanel.cpp:1290 +#: controlpanel.cpp:1286 controlpanel.cpp:1291 msgctxt "listctcp" msgid "Request" msgstr "Richiesta" -#: controlpanel.cpp:1286 controlpanel.cpp:1291 +#: controlpanel.cpp:1287 controlpanel.cpp:1292 msgctxt "listctcp" msgid "Reply" msgstr "Rispondi" -#: controlpanel.cpp:1295 +#: controlpanel.cpp:1296 msgid "No CTCP replies for user {1} are configured" msgstr "Nessuna risposta CTCP per l'utente {1} è stata configurata" -#: controlpanel.cpp:1298 +#: controlpanel.cpp:1299 msgid "CTCP replies for user {1}:" msgstr "Risposte CTCP per l'utente {1}:" -#: controlpanel.cpp:1314 +#: controlpanel.cpp:1315 msgid "Usage: AddCTCP [user] [request] [reply]" msgstr "Utilizzo: AddCTCP [utente] [richiesta] [risposta]" -#: controlpanel.cpp:1316 +#: controlpanel.cpp:1317 msgid "" "This will cause ZNC to reply to the CTCP instead of forwarding it to clients." msgstr "" "Questo farà sì che ZNC risponda al CTCP invece di inoltrarlo ai client." -#: controlpanel.cpp:1319 +#: controlpanel.cpp:1320 msgid "An empty reply will cause the CTCP request to be blocked." msgstr "Una risposta vuota causerà il blocco della richiesta CTCP." -#: controlpanel.cpp:1328 +#: controlpanel.cpp:1329 msgid "CTCP requests {1} to user {2} will now be blocked." msgstr "Le richieste CTCP {1} all'utente {2} verranno ora bloccate." -#: controlpanel.cpp:1332 +#: controlpanel.cpp:1333 msgid "CTCP requests {1} to user {2} will now get reply: {3}" msgstr "Le richieste CTCP {1} all'utente {2} ora avranno risposta: {3}" -#: controlpanel.cpp:1349 +#: controlpanel.cpp:1350 msgid "Usage: DelCTCP [user] [request]" msgstr "Utilizzo: DelCTCP [utente] [richiesta]" -#: controlpanel.cpp:1355 +#: controlpanel.cpp:1356 msgid "CTCP requests {1} to user {2} will now be sent to IRC clients" msgstr "" "Le richieste CTCP {1} all'utente {2} verranno ora inviate al client IRC" -#: controlpanel.cpp:1359 +#: controlpanel.cpp:1360 msgid "" "CTCP requests {1} to user {2} will be sent to IRC clients (nothing has " "changed)" @@ -464,286 +464,286 @@ msgstr "" "Le richieste CTCP {1} all'utente {2} verranno inviate ai client IRC (nulla è " "cambiato)" -#: controlpanel.cpp:1369 controlpanel.cpp:1443 +#: controlpanel.cpp:1370 controlpanel.cpp:1444 msgid "Loading modules has been disabled." msgstr "Il caricamento dei moduli è stato disabilitato." -#: controlpanel.cpp:1378 +#: controlpanel.cpp:1379 msgid "Error: Unable to load module {1}: {2}" msgstr "Errore: Impossibile caricare il modulo {1}: {2}" -#: controlpanel.cpp:1381 +#: controlpanel.cpp:1382 msgid "Loaded module {1}" msgstr "Modulo caricato: {1}" -#: controlpanel.cpp:1386 +#: controlpanel.cpp:1387 msgid "Error: Unable to reload module {1}: {2}" msgstr "Errore: Impossibile ricaricare il modulo {1}: {2}" -#: controlpanel.cpp:1389 +#: controlpanel.cpp:1390 msgid "Reloaded module {1}" msgstr "Modulo ricaricato: {1}" -#: controlpanel.cpp:1393 +#: controlpanel.cpp:1394 msgid "Error: Unable to load module {1} because it is already loaded" msgstr "Errore: Impossibile caricare il modulo {1} perché è già stato caricato" -#: controlpanel.cpp:1404 +#: controlpanel.cpp:1405 msgid "Usage: LoadModule [args]" msgstr "Utilizzo: LoadModule [argomenti]" -#: controlpanel.cpp:1423 +#: controlpanel.cpp:1424 msgid "Usage: LoadNetModule [args]" msgstr "" "Utilizzo: LoadNetModule [argomenti]" -#: controlpanel.cpp:1448 +#: controlpanel.cpp:1449 msgid "Please use /znc unloadmod {1}" msgstr "Per favore usa il comando /znc unloadmod {1}" -#: controlpanel.cpp:1454 +#: controlpanel.cpp:1455 msgid "Error: Unable to unload module {1}: {2}" msgstr "Errore: Impossibile rimuovere il modulo {1}: {2}" -#: controlpanel.cpp:1457 +#: controlpanel.cpp:1458 msgid "Unloaded module {1}" msgstr "Rimosso il modulo: {1}" -#: controlpanel.cpp:1466 +#: controlpanel.cpp:1467 msgid "Usage: UnloadModule " msgstr "Utilizzo: UnloadModule " -#: controlpanel.cpp:1483 +#: controlpanel.cpp:1484 msgid "Usage: UnloadNetModule " msgstr "Utilizzo: UnloadNetModule " -#: controlpanel.cpp:1500 controlpanel.cpp:1506 +#: controlpanel.cpp:1501 controlpanel.cpp:1507 msgctxt "listmodules" msgid "Name" msgstr "Nome" -#: controlpanel.cpp:1501 controlpanel.cpp:1507 +#: controlpanel.cpp:1502 controlpanel.cpp:1508 msgctxt "listmodules" msgid "Arguments" msgstr "Argomenti" -#: controlpanel.cpp:1526 +#: controlpanel.cpp:1527 msgid "User {1} has no modules loaded." msgstr "L'utente {1} non ha moduli caricati." -#: controlpanel.cpp:1530 +#: controlpanel.cpp:1531 msgid "Modules loaded for user {1}:" msgstr "Moduli caricati per l'utente {1}:" -#: controlpanel.cpp:1550 +#: controlpanel.cpp:1551 msgid "Network {1} of user {2} has no modules loaded." msgstr "Il network {1} dell'utente {2} non ha moduli caricati." -#: controlpanel.cpp:1555 +#: controlpanel.cpp:1556 msgid "Modules loaded for network {1} of user {2}:" msgstr "Moduli caricati per il network {1} dell'utente {2}:" -#: controlpanel.cpp:1562 +#: controlpanel.cpp:1563 msgid "[command] [variable]" msgstr "[comando] [variabile]" -#: controlpanel.cpp:1563 +#: controlpanel.cpp:1564 msgid "Prints help for matching commands and variables" msgstr "Mostra la guida corrispondente a comandi e variabili" -#: controlpanel.cpp:1566 +#: controlpanel.cpp:1567 msgid " [username]" msgstr " [nome utente]" -#: controlpanel.cpp:1567 +#: controlpanel.cpp:1568 msgid "Prints the variable's value for the given or current user" msgstr "Mostra il valore della variabile per l'utente specificato o corrente" -#: controlpanel.cpp:1569 +#: controlpanel.cpp:1570 msgid " " msgstr " " -#: controlpanel.cpp:1570 +#: controlpanel.cpp:1571 msgid "Sets the variable's value for the given user" msgstr "Imposta il valore della variabile per l'utente specificato" -#: controlpanel.cpp:1572 +#: controlpanel.cpp:1573 msgid " [username] [network]" msgstr " [nome utente] [network]" -#: controlpanel.cpp:1573 +#: controlpanel.cpp:1574 msgid "Prints the variable's value for the given network" msgstr "Mostra il valore della variabaile del network specificato" -#: controlpanel.cpp:1575 +#: controlpanel.cpp:1576 msgid " " msgstr " " -#: controlpanel.cpp:1576 +#: controlpanel.cpp:1577 msgid "Sets the variable's value for the given network" msgstr "Imposta il valore della variabile per il network specificato" -#: controlpanel.cpp:1578 +#: controlpanel.cpp:1579 msgid " [username] " msgstr " [nome utente] " -#: controlpanel.cpp:1579 +#: controlpanel.cpp:1580 msgid "Prints the variable's value for the given channel" msgstr "Mostra il valore della variabaile del canale specificato" -#: controlpanel.cpp:1582 +#: controlpanel.cpp:1583 msgid " " msgstr " " -#: controlpanel.cpp:1583 +#: controlpanel.cpp:1584 msgid "Sets the variable's value for the given channel" msgstr "Imposta il valore della variabile per il canale specificato" -#: controlpanel.cpp:1585 controlpanel.cpp:1588 +#: controlpanel.cpp:1586 controlpanel.cpp:1589 msgid " " msgstr " " -#: controlpanel.cpp:1586 +#: controlpanel.cpp:1587 msgid "Adds a new channel" msgstr "Aggiunge un nuovo canale" -#: controlpanel.cpp:1589 +#: controlpanel.cpp:1590 msgid "Deletes a channel" msgstr "Elimina un canale" -#: controlpanel.cpp:1591 +#: controlpanel.cpp:1592 msgid "Lists users" msgstr "Elenca gli utenti" -#: controlpanel.cpp:1593 +#: controlpanel.cpp:1594 msgid " " msgstr " " -#: controlpanel.cpp:1594 +#: controlpanel.cpp:1595 msgid "Adds a new user" msgstr "Aggiunge un nuovo utente" -#: controlpanel.cpp:1596 controlpanel.cpp:1619 controlpanel.cpp:1633 +#: controlpanel.cpp:1597 controlpanel.cpp:1620 controlpanel.cpp:1634 msgid "" msgstr "" -#: controlpanel.cpp:1596 +#: controlpanel.cpp:1597 msgid "Deletes a user" msgstr "Elimina un utente" -#: controlpanel.cpp:1598 +#: controlpanel.cpp:1599 msgid " " msgstr " " -#: controlpanel.cpp:1599 +#: controlpanel.cpp:1600 msgid "Clones a user" msgstr "Clona un utente" -#: controlpanel.cpp:1601 controlpanel.cpp:1604 +#: controlpanel.cpp:1602 controlpanel.cpp:1605 msgid " " msgstr " " -#: controlpanel.cpp:1602 +#: controlpanel.cpp:1603 msgid "Adds a new IRC server for the given or current user" msgstr "Aggiunge un nuovo server IRC all'utente specificato o corrente" -#: controlpanel.cpp:1605 +#: controlpanel.cpp:1606 msgid "Deletes an IRC server from the given or current user" msgstr "Elimina un server IRC dall'utente specificato o corrente" -#: controlpanel.cpp:1607 controlpanel.cpp:1610 controlpanel.cpp:1630 +#: controlpanel.cpp:1608 controlpanel.cpp:1611 controlpanel.cpp:1631 msgid " " msgstr " " -#: controlpanel.cpp:1608 +#: controlpanel.cpp:1609 msgid "Cycles the user's IRC server connection" msgstr "Cicla la connessione al server IRC dell'utente" -#: controlpanel.cpp:1611 +#: controlpanel.cpp:1612 msgid "Disconnects the user from their IRC server" msgstr "Disconnette l'utente dal proprio server IRC" -#: controlpanel.cpp:1613 +#: controlpanel.cpp:1614 msgid " [args]" msgstr " [argomenti]" -#: controlpanel.cpp:1614 +#: controlpanel.cpp:1615 msgid "Loads a Module for a user" msgstr "Carica un modulo per un utente" -#: controlpanel.cpp:1616 +#: controlpanel.cpp:1617 msgid " " msgstr " " -#: controlpanel.cpp:1617 +#: controlpanel.cpp:1618 msgid "Removes a Module of a user" msgstr "Rimuove un modulo da un utente" -#: controlpanel.cpp:1620 +#: controlpanel.cpp:1621 msgid "Get the list of modules for a user" msgstr "Mostra un elenco dei moduli caricati per un utente" -#: controlpanel.cpp:1623 +#: controlpanel.cpp:1624 msgid " [args]" msgstr " [argomenti]" -#: controlpanel.cpp:1624 +#: controlpanel.cpp:1625 msgid "Loads a Module for a network" msgstr "Carica un modulo per un network" -#: controlpanel.cpp:1627 +#: controlpanel.cpp:1628 msgid " " msgstr " " -#: controlpanel.cpp:1628 +#: controlpanel.cpp:1629 msgid "Removes a Module of a network" msgstr "Rimuove un modulo da un network" -#: controlpanel.cpp:1631 +#: controlpanel.cpp:1632 msgid "Get the list of modules for a network" msgstr "Mostra un elenco dei moduli caricati per un network" -#: controlpanel.cpp:1634 +#: controlpanel.cpp:1635 msgid "List the configured CTCP replies" msgstr "Elenco delle risposte configurate per il CTCP" -#: controlpanel.cpp:1636 +#: controlpanel.cpp:1637 msgid " [reply]" msgstr " [risposta]" -#: controlpanel.cpp:1637 +#: controlpanel.cpp:1638 msgid "Configure a new CTCP reply" msgstr "Configura una nuova risposta CTCP" -#: controlpanel.cpp:1639 +#: controlpanel.cpp:1640 msgid " " msgstr " " -#: controlpanel.cpp:1640 +#: controlpanel.cpp:1641 msgid "Remove a CTCP reply" msgstr "Rimuove una risposta CTCP" -#: controlpanel.cpp:1644 controlpanel.cpp:1647 +#: controlpanel.cpp:1645 controlpanel.cpp:1648 msgid "[username] " msgstr "[nome utente] " -#: controlpanel.cpp:1645 +#: controlpanel.cpp:1646 msgid "Add a network for a user" msgstr "Aggiunge un network ad un utente" -#: controlpanel.cpp:1648 +#: controlpanel.cpp:1649 msgid "Delete a network for a user" msgstr "Elimina un network da un utente" -#: controlpanel.cpp:1650 +#: controlpanel.cpp:1651 msgid "[username]" msgstr "[nome utente]" -#: controlpanel.cpp:1651 +#: controlpanel.cpp:1652 msgid "List all networks for a user" msgstr "Elenca tutti i network di un utente" -#: controlpanel.cpp:1664 +#: controlpanel.cpp:1665 msgid "" "Dynamic configuration through IRC. Allows editing only yourself if you're " "not ZNC admin." diff --git a/modules/po/controlpanel.nl_NL.po b/modules/po/controlpanel.nl_NL.po index c5854741..13293d87 100644 --- a/modules/po/controlpanel.nl_NL.po +++ b/modules/po/controlpanel.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /master/modules/po/controlpanel.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/controlpanel.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" @@ -36,13 +36,13 @@ msgstr "Heel getal" msgid "Number" msgstr "Nummer" -#: controlpanel.cpp:125 +#: controlpanel.cpp:126 msgid "The following variables are available when using the Set/Get commands:" msgstr "" "De volgende variabelen zijn beschikbaar bij het gebruik van de Set/Get " "commando's:" -#: controlpanel.cpp:149 +#: controlpanel.cpp:150 msgid "" "The following variables are available when using the SetNetwork/GetNetwork " "commands:" @@ -50,7 +50,7 @@ msgstr "" "De volgende variabelen zijn beschikbaar bij het gebruik van de SetNetwork/" "GetNetwork commando's:" -#: controlpanel.cpp:163 +#: controlpanel.cpp:164 msgid "" "The following variables are available when using the SetChan/GetChan " "commands:" @@ -58,7 +58,7 @@ msgstr "" "De volgende variabelen zijn beschikbaar bij het gebruik van de SetChan/" "GetChan commando's:" -#: controlpanel.cpp:170 +#: controlpanel.cpp:171 msgid "" "You can use $user as the user name and $network as the network name for " "modifying your own user and network." @@ -66,232 +66,232 @@ msgstr "" "Je kan $user als gebruiker en $network als netwerknaam gebruiken bij het " "aanpassen van je eigen gebruiker en network." -#: controlpanel.cpp:179 controlpanel.cpp:966 controlpanel.cpp:1003 +#: controlpanel.cpp:180 controlpanel.cpp:967 controlpanel.cpp:1004 msgid "Error: User [{1}] does not exist!" msgstr "Fout: Gebruiker [{1}] bestaat niet!" -#: controlpanel.cpp:184 +#: controlpanel.cpp:185 msgid "Error: You need to have admin rights to modify other users!" msgstr "" "Fout: Je moet beheerdersrechten hebben om andere gebruikers aan te passen!" -#: controlpanel.cpp:194 +#: controlpanel.cpp:195 msgid "Error: You cannot use $network to modify other users!" msgstr "Fout: Je kan $network niet gebruiken om andere gebruiks aan te passen!" -#: controlpanel.cpp:202 +#: controlpanel.cpp:203 msgid "Error: User {1} does not have a network named [{2}]." msgstr "Fout: Gebruiker {1} heeft geen netwerk genaamd [{2}]." -#: controlpanel.cpp:214 +#: controlpanel.cpp:215 msgid "Usage: Get [username]" msgstr "Gebruik: Get [gebruikersnaam]" -#: controlpanel.cpp:304 controlpanel.cpp:507 controlpanel.cpp:582 -#: controlpanel.cpp:658 controlpanel.cpp:793 controlpanel.cpp:878 +#: controlpanel.cpp:305 controlpanel.cpp:508 controlpanel.cpp:583 +#: controlpanel.cpp:659 controlpanel.cpp:794 controlpanel.cpp:879 msgid "Error: Unknown variable" msgstr "Fout: Onbekende variabele" -#: controlpanel.cpp:313 +#: controlpanel.cpp:314 msgid "Usage: Set " msgstr "Gebruik: Get " -#: controlpanel.cpp:335 controlpanel.cpp:623 +#: controlpanel.cpp:336 controlpanel.cpp:624 msgid "This bind host is already set!" msgstr "Deze bindhost is al ingesteld!" -#: controlpanel.cpp:342 controlpanel.cpp:354 controlpanel.cpp:362 -#: controlpanel.cpp:425 controlpanel.cpp:444 controlpanel.cpp:460 -#: controlpanel.cpp:470 controlpanel.cpp:630 +#: controlpanel.cpp:343 controlpanel.cpp:355 controlpanel.cpp:363 +#: controlpanel.cpp:426 controlpanel.cpp:445 controlpanel.cpp:461 +#: controlpanel.cpp:471 controlpanel.cpp:631 msgid "Access denied!" msgstr "Toegang geweigerd!" -#: controlpanel.cpp:376 controlpanel.cpp:385 controlpanel.cpp:842 +#: controlpanel.cpp:377 controlpanel.cpp:386 controlpanel.cpp:843 msgid "Setting failed, limit for buffer size is {1}" msgstr "Configuratie gefaald, limiet van buffer grootte is {1}" -#: controlpanel.cpp:405 +#: controlpanel.cpp:406 msgid "Password has been changed!" msgstr "Wachtwoord is aangepast!" -#: controlpanel.cpp:413 +#: controlpanel.cpp:414 msgid "Timeout can't be less than 30 seconds!" msgstr "Time-out kan niet minder dan 30 seconden zijn!" -#: controlpanel.cpp:477 +#: controlpanel.cpp:478 msgid "That would be a bad idea!" msgstr "Dat zou een slecht idee zijn!" -#: controlpanel.cpp:495 +#: controlpanel.cpp:496 msgid "Supported languages: {1}" msgstr "Ondersteunde talen: {1}" -#: controlpanel.cpp:519 +#: controlpanel.cpp:520 msgid "Usage: GetNetwork [username] [network]" msgstr "Gebruik: GetNetwork [gebruikersnaam] [netwerk]" -#: controlpanel.cpp:538 +#: controlpanel.cpp:539 msgid "Error: A network must be specified to get another users settings." msgstr "" "Fout: Een netwerk moet ingevoerd worden om de instellingen van een andere " "gebruiker op te halen." -#: controlpanel.cpp:544 +#: controlpanel.cpp:545 msgid "You are not currently attached to a network." msgstr "Je bent op het moment niet verbonden met een netwerk." -#: controlpanel.cpp:550 +#: controlpanel.cpp:551 msgid "Error: Invalid network." msgstr "Fout: Onjuist netwerk." -#: controlpanel.cpp:594 +#: controlpanel.cpp:595 msgid "Usage: SetNetwork " msgstr "Gebruik: SetNetwork " -#: controlpanel.cpp:668 +#: controlpanel.cpp:669 msgid "Usage: AddChan " msgstr "Gebruik: AddChan " -#: controlpanel.cpp:681 +#: controlpanel.cpp:682 msgid "Error: User {1} already has a channel named {2}." msgstr "Fout: Gebruiker {1} heeft al een kanaal genaamd {2}." -#: controlpanel.cpp:688 +#: controlpanel.cpp:689 msgid "Channel {1} for user {2} added to network {3}." msgstr "Kanaal {1} voor gebruiker {2} toegevoegd aan netwerk {3}." -#: controlpanel.cpp:692 +#: controlpanel.cpp:693 msgid "" "Could not add channel {1} for user {2} to network {3}, does it already exist?" msgstr "" "Kon kanaal {1} voor gebruiker {2} op netwerk {3} niet toevoegen, bestaat " "deze al?" -#: controlpanel.cpp:702 +#: controlpanel.cpp:703 msgid "Usage: DelChan " msgstr "Gebruik: DelChan " -#: controlpanel.cpp:717 +#: controlpanel.cpp:718 msgid "Error: User {1} does not have any channel matching [{2}] in network {3}" msgstr "" "Fout: Gebruiker {1} heeft geen kanaal die overeen komt met [{2}] in netwerk " "{3}" -#: controlpanel.cpp:730 +#: controlpanel.cpp:731 msgid "Channel {1} is deleted from network {2} of user {3}" msgid_plural "Channels {1} are deleted from network {2} of user {3}" msgstr[0] "Kanaal {1} is verwijderd van netwerk {2} van gebruiker {3}" msgstr[1] "Kanalen {1} zijn verwijderd van netwerk {2} van gebruiker {3}" -#: controlpanel.cpp:745 +#: controlpanel.cpp:746 msgid "Usage: GetChan " msgstr "Gebruik: GetChan " -#: controlpanel.cpp:759 controlpanel.cpp:823 +#: controlpanel.cpp:760 controlpanel.cpp:824 msgid "Error: No channels matching [{1}] found." msgstr "Fout: Geen overeenkomst met kanalen gevonden: [{1}]." -#: controlpanel.cpp:808 +#: controlpanel.cpp:809 msgid "Usage: SetChan " msgstr "" "Gebruik: SetChan " -#: controlpanel.cpp:889 controlpanel.cpp:899 +#: controlpanel.cpp:890 controlpanel.cpp:900 msgctxt "listusers" msgid "Username" msgstr "Gebruikersnaam" -#: controlpanel.cpp:890 controlpanel.cpp:900 +#: controlpanel.cpp:891 controlpanel.cpp:901 msgctxt "listusers" msgid "Realname" msgstr "Echte naam" -#: controlpanel.cpp:891 controlpanel.cpp:903 controlpanel.cpp:905 +#: controlpanel.cpp:892 controlpanel.cpp:904 controlpanel.cpp:906 msgctxt "listusers" msgid "IsAdmin" msgstr "IsBeheerder" -#: controlpanel.cpp:892 controlpanel.cpp:906 +#: controlpanel.cpp:893 controlpanel.cpp:907 msgctxt "listusers" msgid "Nick" msgstr "Naam" -#: controlpanel.cpp:893 controlpanel.cpp:907 +#: controlpanel.cpp:894 controlpanel.cpp:908 msgctxt "listusers" msgid "AltNick" msgstr "AlternatieveNaam" -#: controlpanel.cpp:894 controlpanel.cpp:908 +#: controlpanel.cpp:895 controlpanel.cpp:909 msgctxt "listusers" msgid "Ident" msgstr "Identiteit" -#: controlpanel.cpp:895 controlpanel.cpp:909 +#: controlpanel.cpp:896 controlpanel.cpp:910 msgctxt "listusers" msgid "BindHost" msgstr "BindHost" -#: controlpanel.cpp:903 controlpanel.cpp:1143 +#: controlpanel.cpp:904 controlpanel.cpp:1144 msgid "No" msgstr "Nee" -#: controlpanel.cpp:905 controlpanel.cpp:1135 +#: controlpanel.cpp:906 controlpanel.cpp:1136 msgid "Yes" msgstr "Ja" -#: controlpanel.cpp:919 controlpanel.cpp:988 +#: controlpanel.cpp:920 controlpanel.cpp:989 msgid "Error: You need to have admin rights to add new users!" msgstr "Fout: Je moet beheerdersrechten hebben om gebruikers toe te voegen!" -#: controlpanel.cpp:925 +#: controlpanel.cpp:926 msgid "Usage: AddUser " msgstr "Gebruik: AddUser " -#: controlpanel.cpp:930 +#: controlpanel.cpp:931 msgid "Error: User {1} already exists!" msgstr "Fout: Gebruiker {1} bestaat al!" -#: controlpanel.cpp:942 controlpanel.cpp:1017 +#: controlpanel.cpp:943 controlpanel.cpp:1018 msgid "Error: User not added: {1}" msgstr "Fout: Gebruiker niet toegevoegd: {1}" -#: controlpanel.cpp:946 controlpanel.cpp:1021 +#: controlpanel.cpp:947 controlpanel.cpp:1022 msgid "User {1} added!" msgstr "Gebruiker {1} toegevoegd!" -#: controlpanel.cpp:953 +#: controlpanel.cpp:954 msgid "Error: You need to have admin rights to delete users!" msgstr "Fout: Je moet beheerdersrechten hebben om gebruikers te verwijderen!" -#: controlpanel.cpp:959 +#: controlpanel.cpp:960 msgid "Usage: DelUser " msgstr "Gebruik: DelUser " -#: controlpanel.cpp:971 +#: controlpanel.cpp:972 msgid "Error: You can't delete yourself!" msgstr "Fout: Je kan jezelf niet verwijderen!" -#: controlpanel.cpp:977 +#: controlpanel.cpp:978 msgid "Error: Internal error!" msgstr "Fout: Interne fout!" -#: controlpanel.cpp:981 +#: controlpanel.cpp:982 msgid "User {1} deleted!" msgstr "Gebruiker {1} verwijderd!" -#: controlpanel.cpp:996 +#: controlpanel.cpp:997 msgid "Usage: CloneUser " msgstr "Gebruik: CloneUser " -#: controlpanel.cpp:1011 +#: controlpanel.cpp:1012 msgid "Error: Cloning failed: {1}" msgstr "Fout: Kloon mislukt: {1}" -#: controlpanel.cpp:1040 +#: controlpanel.cpp:1041 msgid "Usage: AddNetwork [user] network" msgstr "Gebruik: AddNetwork [gebruiker] netwerk" -#: controlpanel.cpp:1046 +#: controlpanel.cpp:1047 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks using /znc DelNetwork " @@ -300,161 +300,161 @@ msgstr "" "te passen voor je, of verwijder onnodige netwerken door middel van /znc " "DelNetwork " -#: controlpanel.cpp:1054 +#: controlpanel.cpp:1055 msgid "Error: User {1} already has a network with the name {2}" msgstr "Fout: Gebruiker {1} heeft al een netwerk met de naam {2}" -#: controlpanel.cpp:1061 +#: controlpanel.cpp:1062 msgid "Network {1} added to user {2}." msgstr "Netwerk {1} aan gebruiker {2} toegevoegd." -#: controlpanel.cpp:1065 +#: controlpanel.cpp:1066 msgid "Error: Network [{1}] could not be added for user {2}: {3}" msgstr "Fout: Netwerk [{1}] kon niet toegevoegd worden voor gebruiker {2}: {3}" -#: controlpanel.cpp:1085 +#: controlpanel.cpp:1086 msgid "Usage: DelNetwork [user] network" msgstr "Gebruik: DelNetwork [gebruiker] netwerk" -#: controlpanel.cpp:1096 +#: controlpanel.cpp:1097 msgid "The currently active network can be deleted via {1}status" msgstr "Het huidige actieve netwerk kan worden verwijderd via {1}status" -#: controlpanel.cpp:1102 +#: controlpanel.cpp:1103 msgid "Network {1} deleted for user {2}." msgstr "Netwerk {1} verwijderd voor gebruiker {2}." -#: controlpanel.cpp:1106 +#: controlpanel.cpp:1107 msgid "Error: Network {1} could not be deleted for user {2}." msgstr "Fout: Netwerk [{1}] kon niet verwijderd worden voor gebruiker {2}." -#: controlpanel.cpp:1125 controlpanel.cpp:1133 +#: controlpanel.cpp:1126 controlpanel.cpp:1134 msgctxt "listnetworks" msgid "Network" msgstr "Netwerk" -#: controlpanel.cpp:1126 controlpanel.cpp:1135 controlpanel.cpp:1143 +#: controlpanel.cpp:1127 controlpanel.cpp:1136 controlpanel.cpp:1144 msgctxt "listnetworks" msgid "OnIRC" msgstr "OpIRC" -#: controlpanel.cpp:1127 controlpanel.cpp:1136 +#: controlpanel.cpp:1128 controlpanel.cpp:1137 msgctxt "listnetworks" msgid "IRC Server" msgstr "IRC Server" -#: controlpanel.cpp:1128 controlpanel.cpp:1138 +#: controlpanel.cpp:1129 controlpanel.cpp:1139 msgctxt "listnetworks" msgid "IRC User" msgstr "IRC Gebruiker" -#: controlpanel.cpp:1129 controlpanel.cpp:1140 +#: controlpanel.cpp:1130 controlpanel.cpp:1141 msgctxt "listnetworks" msgid "Channels" msgstr "Kanalen" -#: controlpanel.cpp:1148 +#: controlpanel.cpp:1149 msgid "No networks" msgstr "Geen netwerken" -#: controlpanel.cpp:1159 +#: controlpanel.cpp:1160 msgid "Usage: AddServer [[+]port] [password]" msgstr "" "Gebruik: AddServer [[+]poort] " "[wachtwoord]" -#: controlpanel.cpp:1173 +#: controlpanel.cpp:1174 msgid "Added IRC Server {1} to network {2} for user {3}." msgstr "IRC Server {1} toegevegd aan netwerk {2} van gebruiker {3}." -#: controlpanel.cpp:1177 +#: controlpanel.cpp:1178 msgid "Error: Could not add IRC server {1} to network {2} for user {3}." msgstr "" "Fout: kon IRC server {1} niet aan netwerk {2} van gebruiker {3} toevoegen." -#: controlpanel.cpp:1190 +#: controlpanel.cpp:1191 msgid "Usage: DelServer [[+]port] [password]" msgstr "" "Gebruik: DelServer [[+]poort] " "[wachtwoord]" -#: controlpanel.cpp:1205 +#: controlpanel.cpp:1206 msgid "Deleted IRC Server {1} from network {2} for user {3}." msgstr "IRC Server {1} verwijderd van netwerk {2} van gebruiker {3}." -#: controlpanel.cpp:1209 +#: controlpanel.cpp:1210 msgid "Error: Could not delete IRC server {1} from network {2} for user {3}." msgstr "" "Fout: kon IRC server {1} niet van netwerk {2} van gebruiker {3} verwijderen." -#: controlpanel.cpp:1219 +#: controlpanel.cpp:1220 msgid "Usage: Reconnect " msgstr "Gebruik: Reconnect " -#: controlpanel.cpp:1246 +#: controlpanel.cpp:1247 msgid "Queued network {1} of user {2} for a reconnect." msgstr "Netwerk {1} van gebruiker {2} toegevoegd om opnieuw te verbinden." -#: controlpanel.cpp:1255 +#: controlpanel.cpp:1256 msgid "Usage: Disconnect " msgstr "Gebruik: Disconnect " -#: controlpanel.cpp:1270 +#: controlpanel.cpp:1271 msgid "Closed IRC connection for network {1} of user {2}." msgstr "IRC verbinding afgesloten voor netwerk {1} van gebruiker {2}." -#: controlpanel.cpp:1285 controlpanel.cpp:1290 +#: controlpanel.cpp:1286 controlpanel.cpp:1291 msgctxt "listctcp" msgid "Request" msgstr "Aanvraag" -#: controlpanel.cpp:1286 controlpanel.cpp:1291 +#: controlpanel.cpp:1287 controlpanel.cpp:1292 msgctxt "listctcp" msgid "Reply" msgstr "Antwoord" -#: controlpanel.cpp:1295 +#: controlpanel.cpp:1296 msgid "No CTCP replies for user {1} are configured" msgstr "Geen CTCP antwoorden voor gebruiker {1} zijn ingesteld" -#: controlpanel.cpp:1298 +#: controlpanel.cpp:1299 msgid "CTCP replies for user {1}:" msgstr "CTCP antwoorden voor gebruiker {1}:" -#: controlpanel.cpp:1314 +#: controlpanel.cpp:1315 msgid "Usage: AddCTCP [user] [request] [reply]" msgstr "Gebruik: AddCTCP [gebruikersnaam] [aanvraag] [antwoord]" -#: controlpanel.cpp:1316 +#: controlpanel.cpp:1317 msgid "" "This will cause ZNC to reply to the CTCP instead of forwarding it to clients." msgstr "" "Dit zorgt er voor dat ZNC antwoord op de CTCP aanvragen in plaats van deze " "door te sturen naar clients." -#: controlpanel.cpp:1319 +#: controlpanel.cpp:1320 msgid "An empty reply will cause the CTCP request to be blocked." msgstr "" "Een leeg antwoord zorgt er voor dat deze CTCP aanvraag geblokkeerd zal " "worden." -#: controlpanel.cpp:1328 +#: controlpanel.cpp:1329 msgid "CTCP requests {1} to user {2} will now be blocked." msgstr "CTCP aanvraag {1} naar gebruiker {2} zal nu worden geblokkeerd." -#: controlpanel.cpp:1332 +#: controlpanel.cpp:1333 msgid "CTCP requests {1} to user {2} will now get reply: {3}" msgstr "CTCP aanvraag {1} naar gebruiker {2} zal nu als antwoord krijgen: {3}" -#: controlpanel.cpp:1349 +#: controlpanel.cpp:1350 msgid "Usage: DelCTCP [user] [request]" msgstr "Gebruik: DelCTCP [gebruikersnaam] [aanvraag]" -#: controlpanel.cpp:1355 +#: controlpanel.cpp:1356 msgid "CTCP requests {1} to user {2} will now be sent to IRC clients" msgstr "CTCP aanvraag {1} naar gebruiker {2} zal nu doorgestuurd worden" -#: controlpanel.cpp:1359 +#: controlpanel.cpp:1360 msgid "" "CTCP requests {1} to user {2} will be sent to IRC clients (nothing has " "changed)" @@ -462,290 +462,290 @@ msgstr "" "CTCP aanvraag {1} naar gebruiker {2} zal nu doorgestuurd worden (niets " "veranderd)" -#: controlpanel.cpp:1369 controlpanel.cpp:1443 +#: controlpanel.cpp:1370 controlpanel.cpp:1444 msgid "Loading modules has been disabled." msgstr "Het laden van modulen is uit gezet." -#: controlpanel.cpp:1378 +#: controlpanel.cpp:1379 msgid "Error: Unable to load module {1}: {2}" msgstr "Fout: Niet mogelijk om module te laden, {1}: {2}" -#: controlpanel.cpp:1381 +#: controlpanel.cpp:1382 msgid "Loaded module {1}" msgstr "Module {1} geladen" -#: controlpanel.cpp:1386 +#: controlpanel.cpp:1387 msgid "Error: Unable to reload module {1}: {2}" msgstr "Fout: Niet mogelijk om module te herladen, {1}: {2}" -#: controlpanel.cpp:1389 +#: controlpanel.cpp:1390 msgid "Reloaded module {1}" msgstr "Module {1} opnieuw geladen" -#: controlpanel.cpp:1393 +#: controlpanel.cpp:1394 msgid "Error: Unable to load module {1} because it is already loaded" msgstr "Fout: Niet mogelijk om module {1} te laden, deze is al geladen" -#: controlpanel.cpp:1404 +#: controlpanel.cpp:1405 msgid "Usage: LoadModule [args]" msgstr "Gebruik: LoadModule [argumenten]" -#: controlpanel.cpp:1423 +#: controlpanel.cpp:1424 msgid "Usage: LoadNetModule [args]" msgstr "" "Gebruik: LoadNetModule [argumenten]" -#: controlpanel.cpp:1448 +#: controlpanel.cpp:1449 msgid "Please use /znc unloadmod {1}" msgstr "Gebruik a.u.b. /znc unloadmod {1}" -#: controlpanel.cpp:1454 +#: controlpanel.cpp:1455 msgid "Error: Unable to unload module {1}: {2}" msgstr "Fout: Niet mogelijk om module to stoppen, {1}: {2}" -#: controlpanel.cpp:1457 +#: controlpanel.cpp:1458 msgid "Unloaded module {1}" msgstr "Module {1} gestopt" -#: controlpanel.cpp:1466 +#: controlpanel.cpp:1467 msgid "Usage: UnloadModule " msgstr "Gebruik: UnloadModule " -#: controlpanel.cpp:1483 +#: controlpanel.cpp:1484 msgid "Usage: UnloadNetModule " msgstr "Gebruik: UnloadNetModule " -#: controlpanel.cpp:1500 controlpanel.cpp:1506 +#: controlpanel.cpp:1501 controlpanel.cpp:1507 msgctxt "listmodules" msgid "Name" msgstr "Naam" -#: controlpanel.cpp:1501 controlpanel.cpp:1507 +#: controlpanel.cpp:1502 controlpanel.cpp:1508 msgctxt "listmodules" msgid "Arguments" msgstr "Argumenten" -#: controlpanel.cpp:1526 +#: controlpanel.cpp:1527 msgid "User {1} has no modules loaded." msgstr "Gebruiker {1} heeft geen modulen geladen." -#: controlpanel.cpp:1530 +#: controlpanel.cpp:1531 msgid "Modules loaded for user {1}:" msgstr "Modulen geladen voor gebruiker {1}:" -#: controlpanel.cpp:1550 +#: controlpanel.cpp:1551 msgid "Network {1} of user {2} has no modules loaded." msgstr "Netwerk {1} van gebruiker {2} heeft geen modulen geladen." -#: controlpanel.cpp:1555 +#: controlpanel.cpp:1556 msgid "Modules loaded for network {1} of user {2}:" msgstr "Modulen geladen voor netwerk {1} van gebruiker {2}:" -#: controlpanel.cpp:1562 +#: controlpanel.cpp:1563 msgid "[command] [variable]" msgstr "[commando] [variabele]" -#: controlpanel.cpp:1563 +#: controlpanel.cpp:1564 msgid "Prints help for matching commands and variables" msgstr "Laat help zien voor de overeenkomende commando's en variabelen" -#: controlpanel.cpp:1566 +#: controlpanel.cpp:1567 msgid " [username]" msgstr " [gebruikersnaam]" -#: controlpanel.cpp:1567 +#: controlpanel.cpp:1568 msgid "Prints the variable's value for the given or current user" msgstr "" "Laat de waarde van de variabele voor de ingevoerde of huidige gebruiker zien" -#: controlpanel.cpp:1569 +#: controlpanel.cpp:1570 msgid " " msgstr " " -#: controlpanel.cpp:1570 +#: controlpanel.cpp:1571 msgid "Sets the variable's value for the given user" msgstr "Stelt de waarde voor de variabele voor de ingevoerde gebruiker in" -#: controlpanel.cpp:1572 +#: controlpanel.cpp:1573 msgid " [username] [network]" msgstr " [gebruikersnaam] [netwerk]" -#: controlpanel.cpp:1573 +#: controlpanel.cpp:1574 msgid "Prints the variable's value for the given network" msgstr "" "Laat de huidige waarde voor de variabele van het ingevoerde netwerk zien" -#: controlpanel.cpp:1575 +#: controlpanel.cpp:1576 msgid " " msgstr " " -#: controlpanel.cpp:1576 +#: controlpanel.cpp:1577 msgid "Sets the variable's value for the given network" msgstr "Stelt de waarde voor de variabele voor het ingevoerde netwerk in" -#: controlpanel.cpp:1578 +#: controlpanel.cpp:1579 msgid " [username] " msgstr " [gebruikersnaam] " -#: controlpanel.cpp:1579 +#: controlpanel.cpp:1580 msgid "Prints the variable's value for the given channel" msgstr "" "Laat de huidige waarde voor de variabele van het ingevoerde kanaal zien" -#: controlpanel.cpp:1582 +#: controlpanel.cpp:1583 msgid " " msgstr " " -#: controlpanel.cpp:1583 +#: controlpanel.cpp:1584 msgid "Sets the variable's value for the given channel" msgstr "Stelt de waarde voor de variabele voor het ingevoerde kanaal in" -#: controlpanel.cpp:1585 controlpanel.cpp:1588 +#: controlpanel.cpp:1586 controlpanel.cpp:1589 msgid " " msgstr " " -#: controlpanel.cpp:1586 +#: controlpanel.cpp:1587 msgid "Adds a new channel" msgstr "Voegt een nieuw kanaal toe" -#: controlpanel.cpp:1589 +#: controlpanel.cpp:1590 msgid "Deletes a channel" msgstr "Verwijdert een kanaal" -#: controlpanel.cpp:1591 +#: controlpanel.cpp:1592 msgid "Lists users" msgstr "Weergeeft gebruikers" -#: controlpanel.cpp:1593 +#: controlpanel.cpp:1594 msgid " " msgstr " " -#: controlpanel.cpp:1594 +#: controlpanel.cpp:1595 msgid "Adds a new user" msgstr "Voegt een nieuwe gebruiker toe" -#: controlpanel.cpp:1596 controlpanel.cpp:1619 controlpanel.cpp:1633 +#: controlpanel.cpp:1597 controlpanel.cpp:1620 controlpanel.cpp:1634 msgid "" msgstr "" -#: controlpanel.cpp:1596 +#: controlpanel.cpp:1597 msgid "Deletes a user" msgstr "Verwijdert een gebruiker" -#: controlpanel.cpp:1598 +#: controlpanel.cpp:1599 msgid " " msgstr " " -#: controlpanel.cpp:1599 +#: controlpanel.cpp:1600 msgid "Clones a user" msgstr "Kloont een gebruiker" -#: controlpanel.cpp:1601 controlpanel.cpp:1604 +#: controlpanel.cpp:1602 controlpanel.cpp:1605 msgid " " msgstr " " -#: controlpanel.cpp:1602 +#: controlpanel.cpp:1603 msgid "Adds a new IRC server for the given or current user" msgstr "" "Voegt een nieuwe IRC server toe voor de ingevoerde of huidige gebruiker" -#: controlpanel.cpp:1605 +#: controlpanel.cpp:1606 msgid "Deletes an IRC server from the given or current user" msgstr "Verwijdert een IRC server voor de ingevoerde of huidige gebruiker" -#: controlpanel.cpp:1607 controlpanel.cpp:1610 controlpanel.cpp:1630 +#: controlpanel.cpp:1608 controlpanel.cpp:1611 controlpanel.cpp:1631 msgid " " msgstr " " -#: controlpanel.cpp:1608 +#: controlpanel.cpp:1609 msgid "Cycles the user's IRC server connection" msgstr "Verbind opnieuw met de IRC server" -#: controlpanel.cpp:1611 +#: controlpanel.cpp:1612 msgid "Disconnects the user from their IRC server" msgstr "Stopt de verbinding van de gebruiker naar de IRC server" -#: controlpanel.cpp:1613 +#: controlpanel.cpp:1614 msgid " [args]" msgstr " [argumenten]" -#: controlpanel.cpp:1614 +#: controlpanel.cpp:1615 msgid "Loads a Module for a user" msgstr "Laad een module voor een gebruiker" -#: controlpanel.cpp:1616 +#: controlpanel.cpp:1617 msgid " " msgstr " " -#: controlpanel.cpp:1617 +#: controlpanel.cpp:1618 msgid "Removes a Module of a user" msgstr "Stopt een module van een gebruiker" -#: controlpanel.cpp:1620 +#: controlpanel.cpp:1621 msgid "Get the list of modules for a user" msgstr "Laat de lijst van modulen voor een gebruiker zien" -#: controlpanel.cpp:1623 +#: controlpanel.cpp:1624 msgid " [args]" msgstr " [argumenten]" -#: controlpanel.cpp:1624 +#: controlpanel.cpp:1625 msgid "Loads a Module for a network" msgstr "Laad een module voor een netwerk" -#: controlpanel.cpp:1627 +#: controlpanel.cpp:1628 msgid " " msgstr " " -#: controlpanel.cpp:1628 +#: controlpanel.cpp:1629 msgid "Removes a Module of a network" msgstr "Stopt een module van een netwerk" -#: controlpanel.cpp:1631 +#: controlpanel.cpp:1632 msgid "Get the list of modules for a network" msgstr "Laat de lijst van modulen voor een netwerk zien" -#: controlpanel.cpp:1634 +#: controlpanel.cpp:1635 msgid "List the configured CTCP replies" msgstr "Laat de ingestelde CTCP antwoorden zien" -#: controlpanel.cpp:1636 +#: controlpanel.cpp:1637 msgid " [reply]" msgstr " [antwoord]" -#: controlpanel.cpp:1637 +#: controlpanel.cpp:1638 msgid "Configure a new CTCP reply" msgstr "Stel een nieuw CTCP antwoord in" -#: controlpanel.cpp:1639 +#: controlpanel.cpp:1640 msgid " " msgstr " " -#: controlpanel.cpp:1640 +#: controlpanel.cpp:1641 msgid "Remove a CTCP reply" msgstr "Verwijder een CTCP antwoord" -#: controlpanel.cpp:1644 controlpanel.cpp:1647 +#: controlpanel.cpp:1645 controlpanel.cpp:1648 msgid "[username] " msgstr "[gebruikersnaam] " -#: controlpanel.cpp:1645 +#: controlpanel.cpp:1646 msgid "Add a network for a user" msgstr "Voeg een netwerk toe voor een gebruiker" -#: controlpanel.cpp:1648 +#: controlpanel.cpp:1649 msgid "Delete a network for a user" msgstr "Verwijder een netwerk van een gebruiker" -#: controlpanel.cpp:1650 +#: controlpanel.cpp:1651 msgid "[username]" msgstr "[gebruikersnaam]" -#: controlpanel.cpp:1651 +#: controlpanel.cpp:1652 msgid "List all networks for a user" msgstr "Laat alle netwerken van een gebruiker zien" -#: controlpanel.cpp:1664 +#: controlpanel.cpp:1665 msgid "" "Dynamic configuration through IRC. Allows editing only yourself if you're " "not ZNC admin." diff --git a/modules/po/controlpanel.pot b/modules/po/controlpanel.pot index a2385d9e..10f9b644 100644 --- a/modules/po/controlpanel.pot +++ b/modules/po/controlpanel.pot @@ -29,680 +29,680 @@ msgstr "" msgid "Number" msgstr "" -#: controlpanel.cpp:125 +#: controlpanel.cpp:126 msgid "The following variables are available when using the Set/Get commands:" msgstr "" -#: controlpanel.cpp:149 +#: controlpanel.cpp:150 msgid "" "The following variables are available when using the SetNetwork/GetNetwork " "commands:" msgstr "" -#: controlpanel.cpp:163 +#: controlpanel.cpp:164 msgid "" "The following variables are available when using the SetChan/GetChan " "commands:" msgstr "" -#: controlpanel.cpp:170 +#: controlpanel.cpp:171 msgid "" "You can use $user as the user name and $network as the network name for " "modifying your own user and network." msgstr "" -#: controlpanel.cpp:179 controlpanel.cpp:966 controlpanel.cpp:1003 +#: controlpanel.cpp:180 controlpanel.cpp:967 controlpanel.cpp:1004 msgid "Error: User [{1}] does not exist!" msgstr "" -#: controlpanel.cpp:184 +#: controlpanel.cpp:185 msgid "Error: You need to have admin rights to modify other users!" msgstr "" -#: controlpanel.cpp:194 +#: controlpanel.cpp:195 msgid "Error: You cannot use $network to modify other users!" msgstr "" -#: controlpanel.cpp:202 +#: controlpanel.cpp:203 msgid "Error: User {1} does not have a network named [{2}]." msgstr "" -#: controlpanel.cpp:214 +#: controlpanel.cpp:215 msgid "Usage: Get [username]" msgstr "" -#: controlpanel.cpp:304 controlpanel.cpp:507 controlpanel.cpp:582 -#: controlpanel.cpp:658 controlpanel.cpp:793 controlpanel.cpp:878 +#: controlpanel.cpp:305 controlpanel.cpp:508 controlpanel.cpp:583 +#: controlpanel.cpp:659 controlpanel.cpp:794 controlpanel.cpp:879 msgid "Error: Unknown variable" msgstr "" -#: controlpanel.cpp:313 +#: controlpanel.cpp:314 msgid "Usage: Set " msgstr "" -#: controlpanel.cpp:335 controlpanel.cpp:623 +#: controlpanel.cpp:336 controlpanel.cpp:624 msgid "This bind host is already set!" msgstr "" -#: controlpanel.cpp:342 controlpanel.cpp:354 controlpanel.cpp:362 -#: controlpanel.cpp:425 controlpanel.cpp:444 controlpanel.cpp:460 -#: controlpanel.cpp:470 controlpanel.cpp:630 +#: controlpanel.cpp:343 controlpanel.cpp:355 controlpanel.cpp:363 +#: controlpanel.cpp:426 controlpanel.cpp:445 controlpanel.cpp:461 +#: controlpanel.cpp:471 controlpanel.cpp:631 msgid "Access denied!" msgstr "" -#: controlpanel.cpp:376 controlpanel.cpp:385 controlpanel.cpp:842 +#: controlpanel.cpp:377 controlpanel.cpp:386 controlpanel.cpp:843 msgid "Setting failed, limit for buffer size is {1}" msgstr "" -#: controlpanel.cpp:405 +#: controlpanel.cpp:406 msgid "Password has been changed!" msgstr "" -#: controlpanel.cpp:413 +#: controlpanel.cpp:414 msgid "Timeout can't be less than 30 seconds!" msgstr "" -#: controlpanel.cpp:477 +#: controlpanel.cpp:478 msgid "That would be a bad idea!" msgstr "" -#: controlpanel.cpp:495 +#: controlpanel.cpp:496 msgid "Supported languages: {1}" msgstr "" -#: controlpanel.cpp:519 +#: controlpanel.cpp:520 msgid "Usage: GetNetwork [username] [network]" msgstr "" -#: controlpanel.cpp:538 +#: controlpanel.cpp:539 msgid "Error: A network must be specified to get another users settings." msgstr "" -#: controlpanel.cpp:544 +#: controlpanel.cpp:545 msgid "You are not currently attached to a network." msgstr "" -#: controlpanel.cpp:550 +#: controlpanel.cpp:551 msgid "Error: Invalid network." msgstr "" -#: controlpanel.cpp:594 +#: controlpanel.cpp:595 msgid "Usage: SetNetwork " msgstr "" -#: controlpanel.cpp:668 +#: controlpanel.cpp:669 msgid "Usage: AddChan " msgstr "" -#: controlpanel.cpp:681 +#: controlpanel.cpp:682 msgid "Error: User {1} already has a channel named {2}." msgstr "" -#: controlpanel.cpp:688 +#: controlpanel.cpp:689 msgid "Channel {1} for user {2} added to network {3}." msgstr "" -#: controlpanel.cpp:692 +#: controlpanel.cpp:693 msgid "" "Could not add channel {1} for user {2} to network {3}, does it already exist?" msgstr "" -#: controlpanel.cpp:702 +#: controlpanel.cpp:703 msgid "Usage: DelChan " msgstr "" -#: controlpanel.cpp:717 +#: controlpanel.cpp:718 msgid "Error: User {1} does not have any channel matching [{2}] in network {3}" msgstr "" -#: controlpanel.cpp:730 +#: controlpanel.cpp:731 msgid "Channel {1} is deleted from network {2} of user {3}" msgid_plural "Channels {1} are deleted from network {2} of user {3}" msgstr[0] "" msgstr[1] "" -#: controlpanel.cpp:745 +#: controlpanel.cpp:746 msgid "Usage: GetChan " msgstr "" -#: controlpanel.cpp:759 controlpanel.cpp:823 +#: controlpanel.cpp:760 controlpanel.cpp:824 msgid "Error: No channels matching [{1}] found." msgstr "" -#: controlpanel.cpp:808 +#: controlpanel.cpp:809 msgid "Usage: SetChan " msgstr "" -#: controlpanel.cpp:889 controlpanel.cpp:899 -msgctxt "listusers" -msgid "Username" -msgstr "" - #: controlpanel.cpp:890 controlpanel.cpp:900 msgctxt "listusers" +msgid "Username" +msgstr "" + +#: controlpanel.cpp:891 controlpanel.cpp:901 +msgctxt "listusers" msgid "Realname" msgstr "" -#: controlpanel.cpp:891 controlpanel.cpp:903 controlpanel.cpp:905 +#: controlpanel.cpp:892 controlpanel.cpp:904 controlpanel.cpp:906 msgctxt "listusers" msgid "IsAdmin" msgstr "" -#: controlpanel.cpp:892 controlpanel.cpp:906 +#: controlpanel.cpp:893 controlpanel.cpp:907 msgctxt "listusers" msgid "Nick" msgstr "" -#: controlpanel.cpp:893 controlpanel.cpp:907 +#: controlpanel.cpp:894 controlpanel.cpp:908 msgctxt "listusers" msgid "AltNick" msgstr "" -#: controlpanel.cpp:894 controlpanel.cpp:908 +#: controlpanel.cpp:895 controlpanel.cpp:909 msgctxt "listusers" msgid "Ident" msgstr "" -#: controlpanel.cpp:895 controlpanel.cpp:909 +#: controlpanel.cpp:896 controlpanel.cpp:910 msgctxt "listusers" msgid "BindHost" msgstr "" -#: controlpanel.cpp:903 controlpanel.cpp:1143 +#: controlpanel.cpp:904 controlpanel.cpp:1144 msgid "No" msgstr "" -#: controlpanel.cpp:905 controlpanel.cpp:1135 +#: controlpanel.cpp:906 controlpanel.cpp:1136 msgid "Yes" msgstr "" -#: controlpanel.cpp:919 controlpanel.cpp:988 +#: controlpanel.cpp:920 controlpanel.cpp:989 msgid "Error: You need to have admin rights to add new users!" msgstr "" -#: controlpanel.cpp:925 +#: controlpanel.cpp:926 msgid "Usage: AddUser " msgstr "" -#: controlpanel.cpp:930 +#: controlpanel.cpp:931 msgid "Error: User {1} already exists!" msgstr "" -#: controlpanel.cpp:942 controlpanel.cpp:1017 +#: controlpanel.cpp:943 controlpanel.cpp:1018 msgid "Error: User not added: {1}" msgstr "" -#: controlpanel.cpp:946 controlpanel.cpp:1021 +#: controlpanel.cpp:947 controlpanel.cpp:1022 msgid "User {1} added!" msgstr "" -#: controlpanel.cpp:953 +#: controlpanel.cpp:954 msgid "Error: You need to have admin rights to delete users!" msgstr "" -#: controlpanel.cpp:959 +#: controlpanel.cpp:960 msgid "Usage: DelUser " msgstr "" -#: controlpanel.cpp:971 +#: controlpanel.cpp:972 msgid "Error: You can't delete yourself!" msgstr "" -#: controlpanel.cpp:977 +#: controlpanel.cpp:978 msgid "Error: Internal error!" msgstr "" -#: controlpanel.cpp:981 +#: controlpanel.cpp:982 msgid "User {1} deleted!" msgstr "" -#: controlpanel.cpp:996 +#: controlpanel.cpp:997 msgid "Usage: CloneUser " msgstr "" -#: controlpanel.cpp:1011 +#: controlpanel.cpp:1012 msgid "Error: Cloning failed: {1}" msgstr "" -#: controlpanel.cpp:1040 +#: controlpanel.cpp:1041 msgid "Usage: AddNetwork [user] network" msgstr "" -#: controlpanel.cpp:1046 +#: controlpanel.cpp:1047 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks using /znc DelNetwork " msgstr "" -#: controlpanel.cpp:1054 +#: controlpanel.cpp:1055 msgid "Error: User {1} already has a network with the name {2}" msgstr "" -#: controlpanel.cpp:1061 +#: controlpanel.cpp:1062 msgid "Network {1} added to user {2}." msgstr "" -#: controlpanel.cpp:1065 +#: controlpanel.cpp:1066 msgid "Error: Network [{1}] could not be added for user {2}: {3}" msgstr "" -#: controlpanel.cpp:1085 +#: controlpanel.cpp:1086 msgid "Usage: DelNetwork [user] network" msgstr "" -#: controlpanel.cpp:1096 +#: controlpanel.cpp:1097 msgid "The currently active network can be deleted via {1}status" msgstr "" -#: controlpanel.cpp:1102 +#: controlpanel.cpp:1103 msgid "Network {1} deleted for user {2}." msgstr "" -#: controlpanel.cpp:1106 +#: controlpanel.cpp:1107 msgid "Error: Network {1} could not be deleted for user {2}." msgstr "" -#: controlpanel.cpp:1125 controlpanel.cpp:1133 +#: controlpanel.cpp:1126 controlpanel.cpp:1134 msgctxt "listnetworks" msgid "Network" msgstr "" -#: controlpanel.cpp:1126 controlpanel.cpp:1135 controlpanel.cpp:1143 +#: controlpanel.cpp:1127 controlpanel.cpp:1136 controlpanel.cpp:1144 msgctxt "listnetworks" msgid "OnIRC" msgstr "" -#: controlpanel.cpp:1127 controlpanel.cpp:1136 +#: controlpanel.cpp:1128 controlpanel.cpp:1137 msgctxt "listnetworks" msgid "IRC Server" msgstr "" -#: controlpanel.cpp:1128 controlpanel.cpp:1138 +#: controlpanel.cpp:1129 controlpanel.cpp:1139 msgctxt "listnetworks" msgid "IRC User" msgstr "" -#: controlpanel.cpp:1129 controlpanel.cpp:1140 +#: controlpanel.cpp:1130 controlpanel.cpp:1141 msgctxt "listnetworks" msgid "Channels" msgstr "" -#: controlpanel.cpp:1148 +#: controlpanel.cpp:1149 msgid "No networks" msgstr "" -#: controlpanel.cpp:1159 +#: controlpanel.cpp:1160 msgid "Usage: AddServer [[+]port] [password]" msgstr "" -#: controlpanel.cpp:1173 +#: controlpanel.cpp:1174 msgid "Added IRC Server {1} to network {2} for user {3}." msgstr "" -#: controlpanel.cpp:1177 +#: controlpanel.cpp:1178 msgid "Error: Could not add IRC server {1} to network {2} for user {3}." msgstr "" -#: controlpanel.cpp:1190 +#: controlpanel.cpp:1191 msgid "Usage: DelServer [[+]port] [password]" msgstr "" -#: controlpanel.cpp:1205 +#: controlpanel.cpp:1206 msgid "Deleted IRC Server {1} from network {2} for user {3}." msgstr "" -#: controlpanel.cpp:1209 +#: controlpanel.cpp:1210 msgid "Error: Could not delete IRC server {1} from network {2} for user {3}." msgstr "" -#: controlpanel.cpp:1219 +#: controlpanel.cpp:1220 msgid "Usage: Reconnect " msgstr "" -#: controlpanel.cpp:1246 +#: controlpanel.cpp:1247 msgid "Queued network {1} of user {2} for a reconnect." msgstr "" -#: controlpanel.cpp:1255 +#: controlpanel.cpp:1256 msgid "Usage: Disconnect " msgstr "" -#: controlpanel.cpp:1270 +#: controlpanel.cpp:1271 msgid "Closed IRC connection for network {1} of user {2}." msgstr "" -#: controlpanel.cpp:1285 controlpanel.cpp:1290 -msgctxt "listctcp" -msgid "Request" -msgstr "" - #: controlpanel.cpp:1286 controlpanel.cpp:1291 msgctxt "listctcp" +msgid "Request" +msgstr "" + +#: controlpanel.cpp:1287 controlpanel.cpp:1292 +msgctxt "listctcp" msgid "Reply" msgstr "" -#: controlpanel.cpp:1295 +#: controlpanel.cpp:1296 msgid "No CTCP replies for user {1} are configured" msgstr "" -#: controlpanel.cpp:1298 +#: controlpanel.cpp:1299 msgid "CTCP replies for user {1}:" msgstr "" -#: controlpanel.cpp:1314 +#: controlpanel.cpp:1315 msgid "Usage: AddCTCP [user] [request] [reply]" msgstr "" -#: controlpanel.cpp:1316 +#: controlpanel.cpp:1317 msgid "" "This will cause ZNC to reply to the CTCP instead of forwarding it to clients." msgstr "" -#: controlpanel.cpp:1319 +#: controlpanel.cpp:1320 msgid "An empty reply will cause the CTCP request to be blocked." msgstr "" -#: controlpanel.cpp:1328 +#: controlpanel.cpp:1329 msgid "CTCP requests {1} to user {2} will now be blocked." msgstr "" -#: controlpanel.cpp:1332 +#: controlpanel.cpp:1333 msgid "CTCP requests {1} to user {2} will now get reply: {3}" msgstr "" -#: controlpanel.cpp:1349 +#: controlpanel.cpp:1350 msgid "Usage: DelCTCP [user] [request]" msgstr "" -#: controlpanel.cpp:1355 +#: controlpanel.cpp:1356 msgid "CTCP requests {1} to user {2} will now be sent to IRC clients" msgstr "" -#: controlpanel.cpp:1359 +#: controlpanel.cpp:1360 msgid "" "CTCP requests {1} to user {2} will be sent to IRC clients (nothing has " "changed)" msgstr "" -#: controlpanel.cpp:1369 controlpanel.cpp:1443 +#: controlpanel.cpp:1370 controlpanel.cpp:1444 msgid "Loading modules has been disabled." msgstr "" -#: controlpanel.cpp:1378 +#: controlpanel.cpp:1379 msgid "Error: Unable to load module {1}: {2}" msgstr "" -#: controlpanel.cpp:1381 +#: controlpanel.cpp:1382 msgid "Loaded module {1}" msgstr "" -#: controlpanel.cpp:1386 +#: controlpanel.cpp:1387 msgid "Error: Unable to reload module {1}: {2}" msgstr "" -#: controlpanel.cpp:1389 +#: controlpanel.cpp:1390 msgid "Reloaded module {1}" msgstr "" -#: controlpanel.cpp:1393 +#: controlpanel.cpp:1394 msgid "Error: Unable to load module {1} because it is already loaded" msgstr "" -#: controlpanel.cpp:1404 +#: controlpanel.cpp:1405 msgid "Usage: LoadModule [args]" msgstr "" -#: controlpanel.cpp:1423 +#: controlpanel.cpp:1424 msgid "Usage: LoadNetModule [args]" msgstr "" -#: controlpanel.cpp:1448 +#: controlpanel.cpp:1449 msgid "Please use /znc unloadmod {1}" msgstr "" -#: controlpanel.cpp:1454 +#: controlpanel.cpp:1455 msgid "Error: Unable to unload module {1}: {2}" msgstr "" -#: controlpanel.cpp:1457 +#: controlpanel.cpp:1458 msgid "Unloaded module {1}" msgstr "" -#: controlpanel.cpp:1466 +#: controlpanel.cpp:1467 msgid "Usage: UnloadModule " msgstr "" -#: controlpanel.cpp:1483 +#: controlpanel.cpp:1484 msgid "Usage: UnloadNetModule " msgstr "" -#: controlpanel.cpp:1500 controlpanel.cpp:1506 -msgctxt "listmodules" -msgid "Name" -msgstr "" - #: controlpanel.cpp:1501 controlpanel.cpp:1507 msgctxt "listmodules" +msgid "Name" +msgstr "" + +#: controlpanel.cpp:1502 controlpanel.cpp:1508 +msgctxt "listmodules" msgid "Arguments" msgstr "" -#: controlpanel.cpp:1526 +#: controlpanel.cpp:1527 msgid "User {1} has no modules loaded." msgstr "" -#: controlpanel.cpp:1530 +#: controlpanel.cpp:1531 msgid "Modules loaded for user {1}:" msgstr "" -#: controlpanel.cpp:1550 +#: controlpanel.cpp:1551 msgid "Network {1} of user {2} has no modules loaded." msgstr "" -#: controlpanel.cpp:1555 +#: controlpanel.cpp:1556 msgid "Modules loaded for network {1} of user {2}:" msgstr "" -#: controlpanel.cpp:1562 +#: controlpanel.cpp:1563 msgid "[command] [variable]" msgstr "" -#: controlpanel.cpp:1563 +#: controlpanel.cpp:1564 msgid "Prints help for matching commands and variables" msgstr "" -#: controlpanel.cpp:1566 +#: controlpanel.cpp:1567 msgid " [username]" msgstr "" -#: controlpanel.cpp:1567 +#: controlpanel.cpp:1568 msgid "Prints the variable's value for the given or current user" msgstr "" -#: controlpanel.cpp:1569 +#: controlpanel.cpp:1570 msgid " " msgstr "" -#: controlpanel.cpp:1570 +#: controlpanel.cpp:1571 msgid "Sets the variable's value for the given user" msgstr "" -#: controlpanel.cpp:1572 +#: controlpanel.cpp:1573 msgid " [username] [network]" msgstr "" -#: controlpanel.cpp:1573 +#: controlpanel.cpp:1574 msgid "Prints the variable's value for the given network" msgstr "" -#: controlpanel.cpp:1575 +#: controlpanel.cpp:1576 msgid " " msgstr "" -#: controlpanel.cpp:1576 +#: controlpanel.cpp:1577 msgid "Sets the variable's value for the given network" msgstr "" -#: controlpanel.cpp:1578 +#: controlpanel.cpp:1579 msgid " [username] " msgstr "" -#: controlpanel.cpp:1579 +#: controlpanel.cpp:1580 msgid "Prints the variable's value for the given channel" msgstr "" -#: controlpanel.cpp:1582 +#: controlpanel.cpp:1583 msgid " " msgstr "" -#: controlpanel.cpp:1583 +#: controlpanel.cpp:1584 msgid "Sets the variable's value for the given channel" msgstr "" -#: controlpanel.cpp:1585 controlpanel.cpp:1588 +#: controlpanel.cpp:1586 controlpanel.cpp:1589 msgid " " msgstr "" -#: controlpanel.cpp:1586 +#: controlpanel.cpp:1587 msgid "Adds a new channel" msgstr "" -#: controlpanel.cpp:1589 +#: controlpanel.cpp:1590 msgid "Deletes a channel" msgstr "" -#: controlpanel.cpp:1591 +#: controlpanel.cpp:1592 msgid "Lists users" msgstr "" -#: controlpanel.cpp:1593 +#: controlpanel.cpp:1594 msgid " " msgstr "" -#: controlpanel.cpp:1594 +#: controlpanel.cpp:1595 msgid "Adds a new user" msgstr "" -#: controlpanel.cpp:1596 controlpanel.cpp:1619 controlpanel.cpp:1633 +#: controlpanel.cpp:1597 controlpanel.cpp:1620 controlpanel.cpp:1634 msgid "" msgstr "" -#: controlpanel.cpp:1596 +#: controlpanel.cpp:1597 msgid "Deletes a user" msgstr "" -#: controlpanel.cpp:1598 +#: controlpanel.cpp:1599 msgid " " msgstr "" -#: controlpanel.cpp:1599 +#: controlpanel.cpp:1600 msgid "Clones a user" msgstr "" -#: controlpanel.cpp:1601 controlpanel.cpp:1604 +#: controlpanel.cpp:1602 controlpanel.cpp:1605 msgid " " msgstr "" -#: controlpanel.cpp:1602 +#: controlpanel.cpp:1603 msgid "Adds a new IRC server for the given or current user" msgstr "" -#: controlpanel.cpp:1605 +#: controlpanel.cpp:1606 msgid "Deletes an IRC server from the given or current user" msgstr "" -#: controlpanel.cpp:1607 controlpanel.cpp:1610 controlpanel.cpp:1630 +#: controlpanel.cpp:1608 controlpanel.cpp:1611 controlpanel.cpp:1631 msgid " " msgstr "" -#: controlpanel.cpp:1608 +#: controlpanel.cpp:1609 msgid "Cycles the user's IRC server connection" msgstr "" -#: controlpanel.cpp:1611 +#: controlpanel.cpp:1612 msgid "Disconnects the user from their IRC server" msgstr "" -#: controlpanel.cpp:1613 +#: controlpanel.cpp:1614 msgid " [args]" msgstr "" -#: controlpanel.cpp:1614 +#: controlpanel.cpp:1615 msgid "Loads a Module for a user" msgstr "" -#: controlpanel.cpp:1616 +#: controlpanel.cpp:1617 msgid " " msgstr "" -#: controlpanel.cpp:1617 +#: controlpanel.cpp:1618 msgid "Removes a Module of a user" msgstr "" -#: controlpanel.cpp:1620 +#: controlpanel.cpp:1621 msgid "Get the list of modules for a user" msgstr "" -#: controlpanel.cpp:1623 +#: controlpanel.cpp:1624 msgid " [args]" msgstr "" -#: controlpanel.cpp:1624 +#: controlpanel.cpp:1625 msgid "Loads a Module for a network" msgstr "" -#: controlpanel.cpp:1627 +#: controlpanel.cpp:1628 msgid " " msgstr "" -#: controlpanel.cpp:1628 +#: controlpanel.cpp:1629 msgid "Removes a Module of a network" msgstr "" -#: controlpanel.cpp:1631 +#: controlpanel.cpp:1632 msgid "Get the list of modules for a network" msgstr "" -#: controlpanel.cpp:1634 +#: controlpanel.cpp:1635 msgid "List the configured CTCP replies" msgstr "" -#: controlpanel.cpp:1636 +#: controlpanel.cpp:1637 msgid " [reply]" msgstr "" -#: controlpanel.cpp:1637 +#: controlpanel.cpp:1638 msgid "Configure a new CTCP reply" msgstr "" -#: controlpanel.cpp:1639 +#: controlpanel.cpp:1640 msgid " " msgstr "" -#: controlpanel.cpp:1640 +#: controlpanel.cpp:1641 msgid "Remove a CTCP reply" msgstr "" -#: controlpanel.cpp:1644 controlpanel.cpp:1647 +#: controlpanel.cpp:1645 controlpanel.cpp:1648 msgid "[username] " msgstr "" -#: controlpanel.cpp:1645 +#: controlpanel.cpp:1646 msgid "Add a network for a user" msgstr "" -#: controlpanel.cpp:1648 +#: controlpanel.cpp:1649 msgid "Delete a network for a user" msgstr "" -#: controlpanel.cpp:1650 +#: controlpanel.cpp:1651 msgid "[username]" msgstr "" -#: controlpanel.cpp:1651 +#: controlpanel.cpp:1652 msgid "List all networks for a user" msgstr "" -#: controlpanel.cpp:1664 +#: controlpanel.cpp:1665 msgid "" "Dynamic configuration through IRC. Allows editing only yourself if you're " "not ZNC admin." diff --git a/modules/po/controlpanel.pt_BR.po b/modules/po/controlpanel.pt_BR.po index a65fadf0..1cc446b6 100644 --- a/modules/po/controlpanel.pt_BR.po +++ b/modules/po/controlpanel.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /master/modules/po/controlpanel.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/controlpanel.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" @@ -36,680 +36,680 @@ msgstr "" msgid "Number" msgstr "" -#: controlpanel.cpp:125 +#: controlpanel.cpp:126 msgid "The following variables are available when using the Set/Get commands:" msgstr "" -#: controlpanel.cpp:149 +#: controlpanel.cpp:150 msgid "" "The following variables are available when using the SetNetwork/GetNetwork " "commands:" msgstr "" -#: controlpanel.cpp:163 +#: controlpanel.cpp:164 msgid "" "The following variables are available when using the SetChan/GetChan " "commands:" msgstr "" -#: controlpanel.cpp:170 +#: controlpanel.cpp:171 msgid "" "You can use $user as the user name and $network as the network name for " "modifying your own user and network." msgstr "" -#: controlpanel.cpp:179 controlpanel.cpp:966 controlpanel.cpp:1003 +#: controlpanel.cpp:180 controlpanel.cpp:967 controlpanel.cpp:1004 msgid "Error: User [{1}] does not exist!" msgstr "" -#: controlpanel.cpp:184 +#: controlpanel.cpp:185 msgid "Error: You need to have admin rights to modify other users!" msgstr "" -#: controlpanel.cpp:194 +#: controlpanel.cpp:195 msgid "Error: You cannot use $network to modify other users!" msgstr "" -#: controlpanel.cpp:202 +#: controlpanel.cpp:203 msgid "Error: User {1} does not have a network named [{2}]." msgstr "" -#: controlpanel.cpp:214 +#: controlpanel.cpp:215 msgid "Usage: Get [username]" msgstr "" -#: controlpanel.cpp:304 controlpanel.cpp:507 controlpanel.cpp:582 -#: controlpanel.cpp:658 controlpanel.cpp:793 controlpanel.cpp:878 +#: controlpanel.cpp:305 controlpanel.cpp:508 controlpanel.cpp:583 +#: controlpanel.cpp:659 controlpanel.cpp:794 controlpanel.cpp:879 msgid "Error: Unknown variable" msgstr "" -#: controlpanel.cpp:313 +#: controlpanel.cpp:314 msgid "Usage: Set " msgstr "" -#: controlpanel.cpp:335 controlpanel.cpp:623 +#: controlpanel.cpp:336 controlpanel.cpp:624 msgid "This bind host is already set!" msgstr "" -#: controlpanel.cpp:342 controlpanel.cpp:354 controlpanel.cpp:362 -#: controlpanel.cpp:425 controlpanel.cpp:444 controlpanel.cpp:460 -#: controlpanel.cpp:470 controlpanel.cpp:630 +#: controlpanel.cpp:343 controlpanel.cpp:355 controlpanel.cpp:363 +#: controlpanel.cpp:426 controlpanel.cpp:445 controlpanel.cpp:461 +#: controlpanel.cpp:471 controlpanel.cpp:631 msgid "Access denied!" msgstr "" -#: controlpanel.cpp:376 controlpanel.cpp:385 controlpanel.cpp:842 +#: controlpanel.cpp:377 controlpanel.cpp:386 controlpanel.cpp:843 msgid "Setting failed, limit for buffer size is {1}" msgstr "" -#: controlpanel.cpp:405 +#: controlpanel.cpp:406 msgid "Password has been changed!" msgstr "A senha foi alterada!" -#: controlpanel.cpp:413 +#: controlpanel.cpp:414 msgid "Timeout can't be less than 30 seconds!" msgstr "" -#: controlpanel.cpp:477 +#: controlpanel.cpp:478 msgid "That would be a bad idea!" msgstr "" -#: controlpanel.cpp:495 +#: controlpanel.cpp:496 msgid "Supported languages: {1}" msgstr "Idiomas suportados: {1}" -#: controlpanel.cpp:519 +#: controlpanel.cpp:520 msgid "Usage: GetNetwork [username] [network]" msgstr "" -#: controlpanel.cpp:538 +#: controlpanel.cpp:539 msgid "Error: A network must be specified to get another users settings." msgstr "" -#: controlpanel.cpp:544 +#: controlpanel.cpp:545 msgid "You are not currently attached to a network." msgstr "" -#: controlpanel.cpp:550 +#: controlpanel.cpp:551 msgid "Error: Invalid network." msgstr "" -#: controlpanel.cpp:594 +#: controlpanel.cpp:595 msgid "Usage: SetNetwork " msgstr "" -#: controlpanel.cpp:668 +#: controlpanel.cpp:669 msgid "Usage: AddChan " msgstr "" -#: controlpanel.cpp:681 +#: controlpanel.cpp:682 msgid "Error: User {1} already has a channel named {2}." msgstr "" -#: controlpanel.cpp:688 +#: controlpanel.cpp:689 msgid "Channel {1} for user {2} added to network {3}." msgstr "" -#: controlpanel.cpp:692 +#: controlpanel.cpp:693 msgid "" "Could not add channel {1} for user {2} to network {3}, does it already exist?" msgstr "" -#: controlpanel.cpp:702 +#: controlpanel.cpp:703 msgid "Usage: DelChan " msgstr "" -#: controlpanel.cpp:717 +#: controlpanel.cpp:718 msgid "Error: User {1} does not have any channel matching [{2}] in network {3}" msgstr "" -#: controlpanel.cpp:730 +#: controlpanel.cpp:731 msgid "Channel {1} is deleted from network {2} of user {3}" msgid_plural "Channels {1} are deleted from network {2} of user {3}" msgstr[0] "" msgstr[1] "" -#: controlpanel.cpp:745 +#: controlpanel.cpp:746 msgid "Usage: GetChan " msgstr "" -#: controlpanel.cpp:759 controlpanel.cpp:823 +#: controlpanel.cpp:760 controlpanel.cpp:824 msgid "Error: No channels matching [{1}] found." msgstr "" -#: controlpanel.cpp:808 +#: controlpanel.cpp:809 msgid "Usage: SetChan " msgstr "" -#: controlpanel.cpp:889 controlpanel.cpp:899 -msgctxt "listusers" -msgid "Username" -msgstr "" - #: controlpanel.cpp:890 controlpanel.cpp:900 msgctxt "listusers" +msgid "Username" +msgstr "" + +#: controlpanel.cpp:891 controlpanel.cpp:901 +msgctxt "listusers" msgid "Realname" msgstr "" -#: controlpanel.cpp:891 controlpanel.cpp:903 controlpanel.cpp:905 +#: controlpanel.cpp:892 controlpanel.cpp:904 controlpanel.cpp:906 msgctxt "listusers" msgid "IsAdmin" msgstr "Administrador" -#: controlpanel.cpp:892 controlpanel.cpp:906 +#: controlpanel.cpp:893 controlpanel.cpp:907 msgctxt "listusers" msgid "Nick" msgstr "Apelido" -#: controlpanel.cpp:893 controlpanel.cpp:907 +#: controlpanel.cpp:894 controlpanel.cpp:908 msgctxt "listusers" msgid "AltNick" msgstr "Apelido alternativo" -#: controlpanel.cpp:894 controlpanel.cpp:908 +#: controlpanel.cpp:895 controlpanel.cpp:909 msgctxt "listusers" msgid "Ident" msgstr "" -#: controlpanel.cpp:895 controlpanel.cpp:909 +#: controlpanel.cpp:896 controlpanel.cpp:910 msgctxt "listusers" msgid "BindHost" msgstr "" -#: controlpanel.cpp:903 controlpanel.cpp:1143 +#: controlpanel.cpp:904 controlpanel.cpp:1144 msgid "No" msgstr "Não" -#: controlpanel.cpp:905 controlpanel.cpp:1135 +#: controlpanel.cpp:906 controlpanel.cpp:1136 msgid "Yes" msgstr "Sim" -#: controlpanel.cpp:919 controlpanel.cpp:988 +#: controlpanel.cpp:920 controlpanel.cpp:989 msgid "Error: You need to have admin rights to add new users!" msgstr "" -#: controlpanel.cpp:925 +#: controlpanel.cpp:926 msgid "Usage: AddUser " msgstr "" -#: controlpanel.cpp:930 +#: controlpanel.cpp:931 msgid "Error: User {1} already exists!" msgstr "" -#: controlpanel.cpp:942 controlpanel.cpp:1017 +#: controlpanel.cpp:943 controlpanel.cpp:1018 msgid "Error: User not added: {1}" msgstr "" -#: controlpanel.cpp:946 controlpanel.cpp:1021 +#: controlpanel.cpp:947 controlpanel.cpp:1022 msgid "User {1} added!" msgstr "" -#: controlpanel.cpp:953 +#: controlpanel.cpp:954 msgid "Error: You need to have admin rights to delete users!" msgstr "" -#: controlpanel.cpp:959 +#: controlpanel.cpp:960 msgid "Usage: DelUser " msgstr "" -#: controlpanel.cpp:971 +#: controlpanel.cpp:972 msgid "Error: You can't delete yourself!" msgstr "" -#: controlpanel.cpp:977 +#: controlpanel.cpp:978 msgid "Error: Internal error!" msgstr "" -#: controlpanel.cpp:981 +#: controlpanel.cpp:982 msgid "User {1} deleted!" msgstr "" -#: controlpanel.cpp:996 +#: controlpanel.cpp:997 msgid "Usage: CloneUser " msgstr "" -#: controlpanel.cpp:1011 +#: controlpanel.cpp:1012 msgid "Error: Cloning failed: {1}" msgstr "" -#: controlpanel.cpp:1040 +#: controlpanel.cpp:1041 msgid "Usage: AddNetwork [user] network" msgstr "" -#: controlpanel.cpp:1046 +#: controlpanel.cpp:1047 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks using /znc DelNetwork " msgstr "" -#: controlpanel.cpp:1054 +#: controlpanel.cpp:1055 msgid "Error: User {1} already has a network with the name {2}" msgstr "" -#: controlpanel.cpp:1061 +#: controlpanel.cpp:1062 msgid "Network {1} added to user {2}." msgstr "" -#: controlpanel.cpp:1065 +#: controlpanel.cpp:1066 msgid "Error: Network [{1}] could not be added for user {2}: {3}" msgstr "" -#: controlpanel.cpp:1085 +#: controlpanel.cpp:1086 msgid "Usage: DelNetwork [user] network" msgstr "" -#: controlpanel.cpp:1096 +#: controlpanel.cpp:1097 msgid "The currently active network can be deleted via {1}status" msgstr "" -#: controlpanel.cpp:1102 +#: controlpanel.cpp:1103 msgid "Network {1} deleted for user {2}." msgstr "" -#: controlpanel.cpp:1106 +#: controlpanel.cpp:1107 msgid "Error: Network {1} could not be deleted for user {2}." msgstr "" -#: controlpanel.cpp:1125 controlpanel.cpp:1133 +#: controlpanel.cpp:1126 controlpanel.cpp:1134 msgctxt "listnetworks" msgid "Network" msgstr "" -#: controlpanel.cpp:1126 controlpanel.cpp:1135 controlpanel.cpp:1143 +#: controlpanel.cpp:1127 controlpanel.cpp:1136 controlpanel.cpp:1144 msgctxt "listnetworks" msgid "OnIRC" msgstr "" -#: controlpanel.cpp:1127 controlpanel.cpp:1136 +#: controlpanel.cpp:1128 controlpanel.cpp:1137 msgctxt "listnetworks" msgid "IRC Server" msgstr "" -#: controlpanel.cpp:1128 controlpanel.cpp:1138 +#: controlpanel.cpp:1129 controlpanel.cpp:1139 msgctxt "listnetworks" msgid "IRC User" msgstr "" -#: controlpanel.cpp:1129 controlpanel.cpp:1140 +#: controlpanel.cpp:1130 controlpanel.cpp:1141 msgctxt "listnetworks" msgid "Channels" msgstr "" -#: controlpanel.cpp:1148 +#: controlpanel.cpp:1149 msgid "No networks" msgstr "" -#: controlpanel.cpp:1159 +#: controlpanel.cpp:1160 msgid "Usage: AddServer [[+]port] [password]" msgstr "" -#: controlpanel.cpp:1173 +#: controlpanel.cpp:1174 msgid "Added IRC Server {1} to network {2} for user {3}." msgstr "" -#: controlpanel.cpp:1177 +#: controlpanel.cpp:1178 msgid "Error: Could not add IRC server {1} to network {2} for user {3}." msgstr "" -#: controlpanel.cpp:1190 +#: controlpanel.cpp:1191 msgid "Usage: DelServer [[+]port] [password]" msgstr "" -#: controlpanel.cpp:1205 +#: controlpanel.cpp:1206 msgid "Deleted IRC Server {1} from network {2} for user {3}." msgstr "" -#: controlpanel.cpp:1209 +#: controlpanel.cpp:1210 msgid "Error: Could not delete IRC server {1} from network {2} for user {3}." msgstr "" -#: controlpanel.cpp:1219 +#: controlpanel.cpp:1220 msgid "Usage: Reconnect " msgstr "" -#: controlpanel.cpp:1246 +#: controlpanel.cpp:1247 msgid "Queued network {1} of user {2} for a reconnect." msgstr "" -#: controlpanel.cpp:1255 +#: controlpanel.cpp:1256 msgid "Usage: Disconnect " msgstr "" -#: controlpanel.cpp:1270 +#: controlpanel.cpp:1271 msgid "Closed IRC connection for network {1} of user {2}." msgstr "" -#: controlpanel.cpp:1285 controlpanel.cpp:1290 -msgctxt "listctcp" -msgid "Request" -msgstr "" - #: controlpanel.cpp:1286 controlpanel.cpp:1291 msgctxt "listctcp" +msgid "Request" +msgstr "" + +#: controlpanel.cpp:1287 controlpanel.cpp:1292 +msgctxt "listctcp" msgid "Reply" msgstr "" -#: controlpanel.cpp:1295 +#: controlpanel.cpp:1296 msgid "No CTCP replies for user {1} are configured" msgstr "" -#: controlpanel.cpp:1298 +#: controlpanel.cpp:1299 msgid "CTCP replies for user {1}:" msgstr "" -#: controlpanel.cpp:1314 +#: controlpanel.cpp:1315 msgid "Usage: AddCTCP [user] [request] [reply]" msgstr "" -#: controlpanel.cpp:1316 +#: controlpanel.cpp:1317 msgid "" "This will cause ZNC to reply to the CTCP instead of forwarding it to clients." msgstr "" -#: controlpanel.cpp:1319 +#: controlpanel.cpp:1320 msgid "An empty reply will cause the CTCP request to be blocked." msgstr "" -#: controlpanel.cpp:1328 +#: controlpanel.cpp:1329 msgid "CTCP requests {1} to user {2} will now be blocked." msgstr "" -#: controlpanel.cpp:1332 +#: controlpanel.cpp:1333 msgid "CTCP requests {1} to user {2} will now get reply: {3}" msgstr "" -#: controlpanel.cpp:1349 +#: controlpanel.cpp:1350 msgid "Usage: DelCTCP [user] [request]" msgstr "" -#: controlpanel.cpp:1355 +#: controlpanel.cpp:1356 msgid "CTCP requests {1} to user {2} will now be sent to IRC clients" msgstr "" -#: controlpanel.cpp:1359 +#: controlpanel.cpp:1360 msgid "" "CTCP requests {1} to user {2} will be sent to IRC clients (nothing has " "changed)" msgstr "" -#: controlpanel.cpp:1369 controlpanel.cpp:1443 +#: controlpanel.cpp:1370 controlpanel.cpp:1444 msgid "Loading modules has been disabled." msgstr "" -#: controlpanel.cpp:1378 +#: controlpanel.cpp:1379 msgid "Error: Unable to load module {1}: {2}" msgstr "" -#: controlpanel.cpp:1381 +#: controlpanel.cpp:1382 msgid "Loaded module {1}" msgstr "" -#: controlpanel.cpp:1386 +#: controlpanel.cpp:1387 msgid "Error: Unable to reload module {1}: {2}" msgstr "" -#: controlpanel.cpp:1389 +#: controlpanel.cpp:1390 msgid "Reloaded module {1}" msgstr "" -#: controlpanel.cpp:1393 +#: controlpanel.cpp:1394 msgid "Error: Unable to load module {1} because it is already loaded" msgstr "" -#: controlpanel.cpp:1404 +#: controlpanel.cpp:1405 msgid "Usage: LoadModule [args]" msgstr "" -#: controlpanel.cpp:1423 +#: controlpanel.cpp:1424 msgid "Usage: LoadNetModule [args]" msgstr "" -#: controlpanel.cpp:1448 +#: controlpanel.cpp:1449 msgid "Please use /znc unloadmod {1}" msgstr "" -#: controlpanel.cpp:1454 +#: controlpanel.cpp:1455 msgid "Error: Unable to unload module {1}: {2}" msgstr "" -#: controlpanel.cpp:1457 +#: controlpanel.cpp:1458 msgid "Unloaded module {1}" msgstr "" -#: controlpanel.cpp:1466 +#: controlpanel.cpp:1467 msgid "Usage: UnloadModule " msgstr "" -#: controlpanel.cpp:1483 +#: controlpanel.cpp:1484 msgid "Usage: UnloadNetModule " msgstr "" -#: controlpanel.cpp:1500 controlpanel.cpp:1506 -msgctxt "listmodules" -msgid "Name" -msgstr "" - #: controlpanel.cpp:1501 controlpanel.cpp:1507 msgctxt "listmodules" +msgid "Name" +msgstr "" + +#: controlpanel.cpp:1502 controlpanel.cpp:1508 +msgctxt "listmodules" msgid "Arguments" msgstr "" -#: controlpanel.cpp:1526 +#: controlpanel.cpp:1527 msgid "User {1} has no modules loaded." msgstr "" -#: controlpanel.cpp:1530 +#: controlpanel.cpp:1531 msgid "Modules loaded for user {1}:" msgstr "" -#: controlpanel.cpp:1550 +#: controlpanel.cpp:1551 msgid "Network {1} of user {2} has no modules loaded." msgstr "" -#: controlpanel.cpp:1555 +#: controlpanel.cpp:1556 msgid "Modules loaded for network {1} of user {2}:" msgstr "" -#: controlpanel.cpp:1562 +#: controlpanel.cpp:1563 msgid "[command] [variable]" msgstr "" -#: controlpanel.cpp:1563 +#: controlpanel.cpp:1564 msgid "Prints help for matching commands and variables" msgstr "" -#: controlpanel.cpp:1566 +#: controlpanel.cpp:1567 msgid " [username]" msgstr "" -#: controlpanel.cpp:1567 +#: controlpanel.cpp:1568 msgid "Prints the variable's value for the given or current user" msgstr "" -#: controlpanel.cpp:1569 +#: controlpanel.cpp:1570 msgid " " msgstr "" -#: controlpanel.cpp:1570 +#: controlpanel.cpp:1571 msgid "Sets the variable's value for the given user" msgstr "" -#: controlpanel.cpp:1572 +#: controlpanel.cpp:1573 msgid " [username] [network]" msgstr "" -#: controlpanel.cpp:1573 +#: controlpanel.cpp:1574 msgid "Prints the variable's value for the given network" msgstr "" -#: controlpanel.cpp:1575 +#: controlpanel.cpp:1576 msgid " " msgstr "" -#: controlpanel.cpp:1576 +#: controlpanel.cpp:1577 msgid "Sets the variable's value for the given network" msgstr "" -#: controlpanel.cpp:1578 +#: controlpanel.cpp:1579 msgid " [username] " msgstr "" -#: controlpanel.cpp:1579 +#: controlpanel.cpp:1580 msgid "Prints the variable's value for the given channel" msgstr "" -#: controlpanel.cpp:1582 +#: controlpanel.cpp:1583 msgid " " msgstr "" -#: controlpanel.cpp:1583 +#: controlpanel.cpp:1584 msgid "Sets the variable's value for the given channel" msgstr "" -#: controlpanel.cpp:1585 controlpanel.cpp:1588 +#: controlpanel.cpp:1586 controlpanel.cpp:1589 msgid " " msgstr "" -#: controlpanel.cpp:1586 +#: controlpanel.cpp:1587 msgid "Adds a new channel" msgstr "" -#: controlpanel.cpp:1589 +#: controlpanel.cpp:1590 msgid "Deletes a channel" msgstr "" -#: controlpanel.cpp:1591 +#: controlpanel.cpp:1592 msgid "Lists users" msgstr "" -#: controlpanel.cpp:1593 +#: controlpanel.cpp:1594 msgid " " msgstr "" -#: controlpanel.cpp:1594 +#: controlpanel.cpp:1595 msgid "Adds a new user" msgstr "" -#: controlpanel.cpp:1596 controlpanel.cpp:1619 controlpanel.cpp:1633 +#: controlpanel.cpp:1597 controlpanel.cpp:1620 controlpanel.cpp:1634 msgid "" msgstr "" -#: controlpanel.cpp:1596 +#: controlpanel.cpp:1597 msgid "Deletes a user" msgstr "" -#: controlpanel.cpp:1598 +#: controlpanel.cpp:1599 msgid " " msgstr "" -#: controlpanel.cpp:1599 +#: controlpanel.cpp:1600 msgid "Clones a user" msgstr "" -#: controlpanel.cpp:1601 controlpanel.cpp:1604 +#: controlpanel.cpp:1602 controlpanel.cpp:1605 msgid " " msgstr "" -#: controlpanel.cpp:1602 +#: controlpanel.cpp:1603 msgid "Adds a new IRC server for the given or current user" msgstr "" -#: controlpanel.cpp:1605 +#: controlpanel.cpp:1606 msgid "Deletes an IRC server from the given or current user" msgstr "" -#: controlpanel.cpp:1607 controlpanel.cpp:1610 controlpanel.cpp:1630 +#: controlpanel.cpp:1608 controlpanel.cpp:1611 controlpanel.cpp:1631 msgid " " msgstr "" -#: controlpanel.cpp:1608 +#: controlpanel.cpp:1609 msgid "Cycles the user's IRC server connection" msgstr "" -#: controlpanel.cpp:1611 +#: controlpanel.cpp:1612 msgid "Disconnects the user from their IRC server" msgstr "" -#: controlpanel.cpp:1613 +#: controlpanel.cpp:1614 msgid " [args]" msgstr "" -#: controlpanel.cpp:1614 +#: controlpanel.cpp:1615 msgid "Loads a Module for a user" msgstr "" -#: controlpanel.cpp:1616 +#: controlpanel.cpp:1617 msgid " " msgstr "" -#: controlpanel.cpp:1617 +#: controlpanel.cpp:1618 msgid "Removes a Module of a user" msgstr "" -#: controlpanel.cpp:1620 +#: controlpanel.cpp:1621 msgid "Get the list of modules for a user" msgstr "" -#: controlpanel.cpp:1623 +#: controlpanel.cpp:1624 msgid " [args]" msgstr "" -#: controlpanel.cpp:1624 +#: controlpanel.cpp:1625 msgid "Loads a Module for a network" msgstr "" -#: controlpanel.cpp:1627 +#: controlpanel.cpp:1628 msgid " " msgstr "" -#: controlpanel.cpp:1628 +#: controlpanel.cpp:1629 msgid "Removes a Module of a network" msgstr "" -#: controlpanel.cpp:1631 +#: controlpanel.cpp:1632 msgid "Get the list of modules for a network" msgstr "" -#: controlpanel.cpp:1634 +#: controlpanel.cpp:1635 msgid "List the configured CTCP replies" msgstr "" -#: controlpanel.cpp:1636 +#: controlpanel.cpp:1637 msgid " [reply]" msgstr "" -#: controlpanel.cpp:1637 +#: controlpanel.cpp:1638 msgid "Configure a new CTCP reply" msgstr "" -#: controlpanel.cpp:1639 +#: controlpanel.cpp:1640 msgid " " msgstr "" -#: controlpanel.cpp:1640 +#: controlpanel.cpp:1641 msgid "Remove a CTCP reply" msgstr "" -#: controlpanel.cpp:1644 controlpanel.cpp:1647 +#: controlpanel.cpp:1645 controlpanel.cpp:1648 msgid "[username] " msgstr "" -#: controlpanel.cpp:1645 +#: controlpanel.cpp:1646 msgid "Add a network for a user" msgstr "" -#: controlpanel.cpp:1648 +#: controlpanel.cpp:1649 msgid "Delete a network for a user" msgstr "" -#: controlpanel.cpp:1650 +#: controlpanel.cpp:1651 msgid "[username]" msgstr "" -#: controlpanel.cpp:1651 +#: controlpanel.cpp:1652 msgid "List all networks for a user" msgstr "" -#: controlpanel.cpp:1664 +#: controlpanel.cpp:1665 msgid "" "Dynamic configuration through IRC. Allows editing only yourself if you're " "not ZNC admin." diff --git a/modules/po/controlpanel.ru_RU.po b/modules/po/controlpanel.ru_RU.po index 8edc9609..a06a4258 100644 --- a/modules/po/controlpanel.ru_RU.po +++ b/modules/po/controlpanel.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /master/modules/po/controlpanel.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/controlpanel.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" @@ -38,133 +38,133 @@ msgstr "" msgid "Number" msgstr "" -#: controlpanel.cpp:125 +#: controlpanel.cpp:126 msgid "The following variables are available when using the Set/Get commands:" msgstr "" -#: controlpanel.cpp:149 +#: controlpanel.cpp:150 msgid "" "The following variables are available when using the SetNetwork/GetNetwork " "commands:" msgstr "" -#: controlpanel.cpp:163 +#: controlpanel.cpp:164 msgid "" "The following variables are available when using the SetChan/GetChan " "commands:" msgstr "" -#: controlpanel.cpp:170 +#: controlpanel.cpp:171 msgid "" "You can use $user as the user name and $network as the network name for " "modifying your own user and network." msgstr "" -#: controlpanel.cpp:179 controlpanel.cpp:966 controlpanel.cpp:1003 +#: controlpanel.cpp:180 controlpanel.cpp:967 controlpanel.cpp:1004 msgid "Error: User [{1}] does not exist!" msgstr "" -#: controlpanel.cpp:184 +#: controlpanel.cpp:185 msgid "Error: You need to have admin rights to modify other users!" msgstr "" -#: controlpanel.cpp:194 +#: controlpanel.cpp:195 msgid "Error: You cannot use $network to modify other users!" msgstr "" -#: controlpanel.cpp:202 +#: controlpanel.cpp:203 msgid "Error: User {1} does not have a network named [{2}]." msgstr "" -#: controlpanel.cpp:214 +#: controlpanel.cpp:215 msgid "Usage: Get [username]" msgstr "" -#: controlpanel.cpp:304 controlpanel.cpp:507 controlpanel.cpp:582 -#: controlpanel.cpp:658 controlpanel.cpp:793 controlpanel.cpp:878 +#: controlpanel.cpp:305 controlpanel.cpp:508 controlpanel.cpp:583 +#: controlpanel.cpp:659 controlpanel.cpp:794 controlpanel.cpp:879 msgid "Error: Unknown variable" msgstr "" -#: controlpanel.cpp:313 +#: controlpanel.cpp:314 msgid "Usage: Set " msgstr "" -#: controlpanel.cpp:335 controlpanel.cpp:623 +#: controlpanel.cpp:336 controlpanel.cpp:624 msgid "This bind host is already set!" msgstr "" -#: controlpanel.cpp:342 controlpanel.cpp:354 controlpanel.cpp:362 -#: controlpanel.cpp:425 controlpanel.cpp:444 controlpanel.cpp:460 -#: controlpanel.cpp:470 controlpanel.cpp:630 +#: controlpanel.cpp:343 controlpanel.cpp:355 controlpanel.cpp:363 +#: controlpanel.cpp:426 controlpanel.cpp:445 controlpanel.cpp:461 +#: controlpanel.cpp:471 controlpanel.cpp:631 msgid "Access denied!" msgstr "" -#: controlpanel.cpp:376 controlpanel.cpp:385 controlpanel.cpp:842 +#: controlpanel.cpp:377 controlpanel.cpp:386 controlpanel.cpp:843 msgid "Setting failed, limit for buffer size is {1}" msgstr "" -#: controlpanel.cpp:405 +#: controlpanel.cpp:406 msgid "Password has been changed!" msgstr "" -#: controlpanel.cpp:413 +#: controlpanel.cpp:414 msgid "Timeout can't be less than 30 seconds!" msgstr "" -#: controlpanel.cpp:477 +#: controlpanel.cpp:478 msgid "That would be a bad idea!" msgstr "" -#: controlpanel.cpp:495 +#: controlpanel.cpp:496 msgid "Supported languages: {1}" msgstr "" -#: controlpanel.cpp:519 +#: controlpanel.cpp:520 msgid "Usage: GetNetwork [username] [network]" msgstr "" -#: controlpanel.cpp:538 +#: controlpanel.cpp:539 msgid "Error: A network must be specified to get another users settings." msgstr "" -#: controlpanel.cpp:544 +#: controlpanel.cpp:545 msgid "You are not currently attached to a network." msgstr "" -#: controlpanel.cpp:550 +#: controlpanel.cpp:551 msgid "Error: Invalid network." msgstr "" -#: controlpanel.cpp:594 +#: controlpanel.cpp:595 msgid "Usage: SetNetwork " msgstr "" -#: controlpanel.cpp:668 +#: controlpanel.cpp:669 msgid "Usage: AddChan " msgstr "" -#: controlpanel.cpp:681 +#: controlpanel.cpp:682 msgid "Error: User {1} already has a channel named {2}." msgstr "" -#: controlpanel.cpp:688 +#: controlpanel.cpp:689 msgid "Channel {1} for user {2} added to network {3}." msgstr "" -#: controlpanel.cpp:692 +#: controlpanel.cpp:693 msgid "" "Could not add channel {1} for user {2} to network {3}, does it already exist?" msgstr "" -#: controlpanel.cpp:702 +#: controlpanel.cpp:703 msgid "Usage: DelChan " msgstr "" -#: controlpanel.cpp:717 +#: controlpanel.cpp:718 msgid "Error: User {1} does not have any channel matching [{2}] in network {3}" msgstr "" -#: controlpanel.cpp:730 +#: controlpanel.cpp:731 msgid "Channel {1} is deleted from network {2} of user {3}" msgid_plural "Channels {1} are deleted from network {2} of user {3}" msgstr[0] "" @@ -172,548 +172,548 @@ msgstr[1] "" msgstr[2] "" msgstr[3] "" -#: controlpanel.cpp:745 +#: controlpanel.cpp:746 msgid "Usage: GetChan " msgstr "" -#: controlpanel.cpp:759 controlpanel.cpp:823 +#: controlpanel.cpp:760 controlpanel.cpp:824 msgid "Error: No channels matching [{1}] found." msgstr "" -#: controlpanel.cpp:808 +#: controlpanel.cpp:809 msgid "Usage: SetChan " msgstr "" -#: controlpanel.cpp:889 controlpanel.cpp:899 -msgctxt "listusers" -msgid "Username" -msgstr "" - #: controlpanel.cpp:890 controlpanel.cpp:900 msgctxt "listusers" +msgid "Username" +msgstr "" + +#: controlpanel.cpp:891 controlpanel.cpp:901 +msgctxt "listusers" msgid "Realname" msgstr "" -#: controlpanel.cpp:891 controlpanel.cpp:903 controlpanel.cpp:905 +#: controlpanel.cpp:892 controlpanel.cpp:904 controlpanel.cpp:906 msgctxt "listusers" msgid "IsAdmin" msgstr "" -#: controlpanel.cpp:892 controlpanel.cpp:906 +#: controlpanel.cpp:893 controlpanel.cpp:907 msgctxt "listusers" msgid "Nick" msgstr "" -#: controlpanel.cpp:893 controlpanel.cpp:907 +#: controlpanel.cpp:894 controlpanel.cpp:908 msgctxt "listusers" msgid "AltNick" msgstr "" -#: controlpanel.cpp:894 controlpanel.cpp:908 +#: controlpanel.cpp:895 controlpanel.cpp:909 msgctxt "listusers" msgid "Ident" msgstr "" -#: controlpanel.cpp:895 controlpanel.cpp:909 +#: controlpanel.cpp:896 controlpanel.cpp:910 msgctxt "listusers" msgid "BindHost" msgstr "" -#: controlpanel.cpp:903 controlpanel.cpp:1143 +#: controlpanel.cpp:904 controlpanel.cpp:1144 msgid "No" msgstr "" -#: controlpanel.cpp:905 controlpanel.cpp:1135 +#: controlpanel.cpp:906 controlpanel.cpp:1136 msgid "Yes" msgstr "" -#: controlpanel.cpp:919 controlpanel.cpp:988 +#: controlpanel.cpp:920 controlpanel.cpp:989 msgid "Error: You need to have admin rights to add new users!" msgstr "" -#: controlpanel.cpp:925 +#: controlpanel.cpp:926 msgid "Usage: AddUser " msgstr "" -#: controlpanel.cpp:930 +#: controlpanel.cpp:931 msgid "Error: User {1} already exists!" msgstr "" -#: controlpanel.cpp:942 controlpanel.cpp:1017 +#: controlpanel.cpp:943 controlpanel.cpp:1018 msgid "Error: User not added: {1}" msgstr "" -#: controlpanel.cpp:946 controlpanel.cpp:1021 +#: controlpanel.cpp:947 controlpanel.cpp:1022 msgid "User {1} added!" msgstr "" -#: controlpanel.cpp:953 +#: controlpanel.cpp:954 msgid "Error: You need to have admin rights to delete users!" msgstr "" -#: controlpanel.cpp:959 +#: controlpanel.cpp:960 msgid "Usage: DelUser " msgstr "" -#: controlpanel.cpp:971 +#: controlpanel.cpp:972 msgid "Error: You can't delete yourself!" msgstr "" -#: controlpanel.cpp:977 +#: controlpanel.cpp:978 msgid "Error: Internal error!" msgstr "" -#: controlpanel.cpp:981 +#: controlpanel.cpp:982 msgid "User {1} deleted!" msgstr "" -#: controlpanel.cpp:996 +#: controlpanel.cpp:997 msgid "Usage: CloneUser " msgstr "" -#: controlpanel.cpp:1011 +#: controlpanel.cpp:1012 msgid "Error: Cloning failed: {1}" msgstr "" -#: controlpanel.cpp:1040 +#: controlpanel.cpp:1041 msgid "Usage: AddNetwork [user] network" msgstr "" -#: controlpanel.cpp:1046 +#: controlpanel.cpp:1047 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks using /znc DelNetwork " msgstr "" -#: controlpanel.cpp:1054 +#: controlpanel.cpp:1055 msgid "Error: User {1} already has a network with the name {2}" msgstr "" -#: controlpanel.cpp:1061 +#: controlpanel.cpp:1062 msgid "Network {1} added to user {2}." msgstr "" -#: controlpanel.cpp:1065 +#: controlpanel.cpp:1066 msgid "Error: Network [{1}] could not be added for user {2}: {3}" msgstr "" -#: controlpanel.cpp:1085 +#: controlpanel.cpp:1086 msgid "Usage: DelNetwork [user] network" msgstr "" -#: controlpanel.cpp:1096 +#: controlpanel.cpp:1097 msgid "The currently active network can be deleted via {1}status" msgstr "" -#: controlpanel.cpp:1102 +#: controlpanel.cpp:1103 msgid "Network {1} deleted for user {2}." msgstr "" -#: controlpanel.cpp:1106 +#: controlpanel.cpp:1107 msgid "Error: Network {1} could not be deleted for user {2}." msgstr "" -#: controlpanel.cpp:1125 controlpanel.cpp:1133 +#: controlpanel.cpp:1126 controlpanel.cpp:1134 msgctxt "listnetworks" msgid "Network" msgstr "" -#: controlpanel.cpp:1126 controlpanel.cpp:1135 controlpanel.cpp:1143 +#: controlpanel.cpp:1127 controlpanel.cpp:1136 controlpanel.cpp:1144 msgctxt "listnetworks" msgid "OnIRC" msgstr "" -#: controlpanel.cpp:1127 controlpanel.cpp:1136 +#: controlpanel.cpp:1128 controlpanel.cpp:1137 msgctxt "listnetworks" msgid "IRC Server" msgstr "" -#: controlpanel.cpp:1128 controlpanel.cpp:1138 +#: controlpanel.cpp:1129 controlpanel.cpp:1139 msgctxt "listnetworks" msgid "IRC User" msgstr "" -#: controlpanel.cpp:1129 controlpanel.cpp:1140 +#: controlpanel.cpp:1130 controlpanel.cpp:1141 msgctxt "listnetworks" msgid "Channels" msgstr "" -#: controlpanel.cpp:1148 +#: controlpanel.cpp:1149 msgid "No networks" msgstr "" -#: controlpanel.cpp:1159 +#: controlpanel.cpp:1160 msgid "Usage: AddServer [[+]port] [password]" msgstr "" -#: controlpanel.cpp:1173 +#: controlpanel.cpp:1174 msgid "Added IRC Server {1} to network {2} for user {3}." msgstr "" -#: controlpanel.cpp:1177 +#: controlpanel.cpp:1178 msgid "Error: Could not add IRC server {1} to network {2} for user {3}." msgstr "" -#: controlpanel.cpp:1190 +#: controlpanel.cpp:1191 msgid "Usage: DelServer [[+]port] [password]" msgstr "" -#: controlpanel.cpp:1205 +#: controlpanel.cpp:1206 msgid "Deleted IRC Server {1} from network {2} for user {3}." msgstr "" -#: controlpanel.cpp:1209 +#: controlpanel.cpp:1210 msgid "Error: Could not delete IRC server {1} from network {2} for user {3}." msgstr "" -#: controlpanel.cpp:1219 +#: controlpanel.cpp:1220 msgid "Usage: Reconnect " msgstr "" -#: controlpanel.cpp:1246 +#: controlpanel.cpp:1247 msgid "Queued network {1} of user {2} for a reconnect." msgstr "" -#: controlpanel.cpp:1255 +#: controlpanel.cpp:1256 msgid "Usage: Disconnect " msgstr "" -#: controlpanel.cpp:1270 +#: controlpanel.cpp:1271 msgid "Closed IRC connection for network {1} of user {2}." msgstr "" -#: controlpanel.cpp:1285 controlpanel.cpp:1290 -msgctxt "listctcp" -msgid "Request" -msgstr "" - #: controlpanel.cpp:1286 controlpanel.cpp:1291 msgctxt "listctcp" +msgid "Request" +msgstr "" + +#: controlpanel.cpp:1287 controlpanel.cpp:1292 +msgctxt "listctcp" msgid "Reply" msgstr "" -#: controlpanel.cpp:1295 +#: controlpanel.cpp:1296 msgid "No CTCP replies for user {1} are configured" msgstr "" -#: controlpanel.cpp:1298 +#: controlpanel.cpp:1299 msgid "CTCP replies for user {1}:" msgstr "" -#: controlpanel.cpp:1314 +#: controlpanel.cpp:1315 msgid "Usage: AddCTCP [user] [request] [reply]" msgstr "" -#: controlpanel.cpp:1316 +#: controlpanel.cpp:1317 msgid "" "This will cause ZNC to reply to the CTCP instead of forwarding it to clients." msgstr "" -#: controlpanel.cpp:1319 +#: controlpanel.cpp:1320 msgid "An empty reply will cause the CTCP request to be blocked." msgstr "" -#: controlpanel.cpp:1328 +#: controlpanel.cpp:1329 msgid "CTCP requests {1} to user {2} will now be blocked." msgstr "" -#: controlpanel.cpp:1332 +#: controlpanel.cpp:1333 msgid "CTCP requests {1} to user {2} will now get reply: {3}" msgstr "" -#: controlpanel.cpp:1349 +#: controlpanel.cpp:1350 msgid "Usage: DelCTCP [user] [request]" msgstr "" -#: controlpanel.cpp:1355 +#: controlpanel.cpp:1356 msgid "CTCP requests {1} to user {2} will now be sent to IRC clients" msgstr "" -#: controlpanel.cpp:1359 +#: controlpanel.cpp:1360 msgid "" "CTCP requests {1} to user {2} will be sent to IRC clients (nothing has " "changed)" msgstr "" -#: controlpanel.cpp:1369 controlpanel.cpp:1443 +#: controlpanel.cpp:1370 controlpanel.cpp:1444 msgid "Loading modules has been disabled." msgstr "" -#: controlpanel.cpp:1378 +#: controlpanel.cpp:1379 msgid "Error: Unable to load module {1}: {2}" msgstr "" -#: controlpanel.cpp:1381 +#: controlpanel.cpp:1382 msgid "Loaded module {1}" msgstr "" -#: controlpanel.cpp:1386 +#: controlpanel.cpp:1387 msgid "Error: Unable to reload module {1}: {2}" msgstr "" -#: controlpanel.cpp:1389 +#: controlpanel.cpp:1390 msgid "Reloaded module {1}" msgstr "" -#: controlpanel.cpp:1393 +#: controlpanel.cpp:1394 msgid "Error: Unable to load module {1} because it is already loaded" msgstr "" -#: controlpanel.cpp:1404 +#: controlpanel.cpp:1405 msgid "Usage: LoadModule [args]" msgstr "" -#: controlpanel.cpp:1423 +#: controlpanel.cpp:1424 msgid "Usage: LoadNetModule [args]" msgstr "" -#: controlpanel.cpp:1448 +#: controlpanel.cpp:1449 msgid "Please use /znc unloadmod {1}" msgstr "" -#: controlpanel.cpp:1454 +#: controlpanel.cpp:1455 msgid "Error: Unable to unload module {1}: {2}" msgstr "" -#: controlpanel.cpp:1457 +#: controlpanel.cpp:1458 msgid "Unloaded module {1}" msgstr "" -#: controlpanel.cpp:1466 +#: controlpanel.cpp:1467 msgid "Usage: UnloadModule " msgstr "" -#: controlpanel.cpp:1483 +#: controlpanel.cpp:1484 msgid "Usage: UnloadNetModule " msgstr "" -#: controlpanel.cpp:1500 controlpanel.cpp:1506 -msgctxt "listmodules" -msgid "Name" -msgstr "" - #: controlpanel.cpp:1501 controlpanel.cpp:1507 msgctxt "listmodules" +msgid "Name" +msgstr "" + +#: controlpanel.cpp:1502 controlpanel.cpp:1508 +msgctxt "listmodules" msgid "Arguments" msgstr "" -#: controlpanel.cpp:1526 +#: controlpanel.cpp:1527 msgid "User {1} has no modules loaded." msgstr "" -#: controlpanel.cpp:1530 +#: controlpanel.cpp:1531 msgid "Modules loaded for user {1}:" msgstr "" -#: controlpanel.cpp:1550 +#: controlpanel.cpp:1551 msgid "Network {1} of user {2} has no modules loaded." msgstr "" -#: controlpanel.cpp:1555 +#: controlpanel.cpp:1556 msgid "Modules loaded for network {1} of user {2}:" msgstr "" -#: controlpanel.cpp:1562 +#: controlpanel.cpp:1563 msgid "[command] [variable]" msgstr "" -#: controlpanel.cpp:1563 +#: controlpanel.cpp:1564 msgid "Prints help for matching commands and variables" msgstr "" -#: controlpanel.cpp:1566 +#: controlpanel.cpp:1567 msgid " [username]" msgstr "" -#: controlpanel.cpp:1567 +#: controlpanel.cpp:1568 msgid "Prints the variable's value for the given or current user" msgstr "" -#: controlpanel.cpp:1569 +#: controlpanel.cpp:1570 msgid " " msgstr "" -#: controlpanel.cpp:1570 +#: controlpanel.cpp:1571 msgid "Sets the variable's value for the given user" msgstr "" -#: controlpanel.cpp:1572 +#: controlpanel.cpp:1573 msgid " [username] [network]" msgstr "" -#: controlpanel.cpp:1573 +#: controlpanel.cpp:1574 msgid "Prints the variable's value for the given network" msgstr "" -#: controlpanel.cpp:1575 +#: controlpanel.cpp:1576 msgid " " msgstr "" -#: controlpanel.cpp:1576 +#: controlpanel.cpp:1577 msgid "Sets the variable's value for the given network" msgstr "" -#: controlpanel.cpp:1578 +#: controlpanel.cpp:1579 msgid " [username] " msgstr "" -#: controlpanel.cpp:1579 +#: controlpanel.cpp:1580 msgid "Prints the variable's value for the given channel" msgstr "" -#: controlpanel.cpp:1582 +#: controlpanel.cpp:1583 msgid " " msgstr "" -#: controlpanel.cpp:1583 +#: controlpanel.cpp:1584 msgid "Sets the variable's value for the given channel" msgstr "" -#: controlpanel.cpp:1585 controlpanel.cpp:1588 +#: controlpanel.cpp:1586 controlpanel.cpp:1589 msgid " " msgstr "" -#: controlpanel.cpp:1586 +#: controlpanel.cpp:1587 msgid "Adds a new channel" msgstr "" -#: controlpanel.cpp:1589 +#: controlpanel.cpp:1590 msgid "Deletes a channel" msgstr "" -#: controlpanel.cpp:1591 +#: controlpanel.cpp:1592 msgid "Lists users" msgstr "" -#: controlpanel.cpp:1593 +#: controlpanel.cpp:1594 msgid " " msgstr "" -#: controlpanel.cpp:1594 +#: controlpanel.cpp:1595 msgid "Adds a new user" msgstr "" -#: controlpanel.cpp:1596 controlpanel.cpp:1619 controlpanel.cpp:1633 +#: controlpanel.cpp:1597 controlpanel.cpp:1620 controlpanel.cpp:1634 msgid "" msgstr "" -#: controlpanel.cpp:1596 +#: controlpanel.cpp:1597 msgid "Deletes a user" msgstr "" -#: controlpanel.cpp:1598 +#: controlpanel.cpp:1599 msgid " " msgstr "" -#: controlpanel.cpp:1599 +#: controlpanel.cpp:1600 msgid "Clones a user" msgstr "" -#: controlpanel.cpp:1601 controlpanel.cpp:1604 +#: controlpanel.cpp:1602 controlpanel.cpp:1605 msgid " " msgstr "" -#: controlpanel.cpp:1602 +#: controlpanel.cpp:1603 msgid "Adds a new IRC server for the given or current user" msgstr "" -#: controlpanel.cpp:1605 +#: controlpanel.cpp:1606 msgid "Deletes an IRC server from the given or current user" msgstr "" -#: controlpanel.cpp:1607 controlpanel.cpp:1610 controlpanel.cpp:1630 +#: controlpanel.cpp:1608 controlpanel.cpp:1611 controlpanel.cpp:1631 msgid " " msgstr "" -#: controlpanel.cpp:1608 +#: controlpanel.cpp:1609 msgid "Cycles the user's IRC server connection" msgstr "" -#: controlpanel.cpp:1611 +#: controlpanel.cpp:1612 msgid "Disconnects the user from their IRC server" msgstr "" -#: controlpanel.cpp:1613 +#: controlpanel.cpp:1614 msgid " [args]" msgstr "" -#: controlpanel.cpp:1614 +#: controlpanel.cpp:1615 msgid "Loads a Module for a user" msgstr "" -#: controlpanel.cpp:1616 +#: controlpanel.cpp:1617 msgid " " msgstr "" -#: controlpanel.cpp:1617 +#: controlpanel.cpp:1618 msgid "Removes a Module of a user" msgstr "" -#: controlpanel.cpp:1620 +#: controlpanel.cpp:1621 msgid "Get the list of modules for a user" msgstr "" -#: controlpanel.cpp:1623 +#: controlpanel.cpp:1624 msgid " [args]" msgstr "" -#: controlpanel.cpp:1624 +#: controlpanel.cpp:1625 msgid "Loads a Module for a network" msgstr "" -#: controlpanel.cpp:1627 +#: controlpanel.cpp:1628 msgid " " msgstr "" -#: controlpanel.cpp:1628 +#: controlpanel.cpp:1629 msgid "Removes a Module of a network" msgstr "" -#: controlpanel.cpp:1631 +#: controlpanel.cpp:1632 msgid "Get the list of modules for a network" msgstr "" -#: controlpanel.cpp:1634 +#: controlpanel.cpp:1635 msgid "List the configured CTCP replies" msgstr "" -#: controlpanel.cpp:1636 +#: controlpanel.cpp:1637 msgid " [reply]" msgstr "" -#: controlpanel.cpp:1637 +#: controlpanel.cpp:1638 msgid "Configure a new CTCP reply" msgstr "" -#: controlpanel.cpp:1639 +#: controlpanel.cpp:1640 msgid " " msgstr "" -#: controlpanel.cpp:1640 +#: controlpanel.cpp:1641 msgid "Remove a CTCP reply" msgstr "" -#: controlpanel.cpp:1644 controlpanel.cpp:1647 +#: controlpanel.cpp:1645 controlpanel.cpp:1648 msgid "[username] " msgstr "" -#: controlpanel.cpp:1645 +#: controlpanel.cpp:1646 msgid "Add a network for a user" msgstr "" -#: controlpanel.cpp:1648 +#: controlpanel.cpp:1649 msgid "Delete a network for a user" msgstr "" -#: controlpanel.cpp:1650 +#: controlpanel.cpp:1651 msgid "[username]" msgstr "" -#: controlpanel.cpp:1651 +#: controlpanel.cpp:1652 msgid "List all networks for a user" msgstr "" -#: controlpanel.cpp:1664 +#: controlpanel.cpp:1665 msgid "" "Dynamic configuration through IRC. Allows editing only yourself if you're " "not ZNC admin." diff --git a/modules/po/crypt.bg_BG.po b/modules/po/crypt.bg_BG.po index 87360671..dd2a9fc2 100644 --- a/modules/po/crypt.bg_BG.po +++ b/modules/po/crypt.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /master/modules/po/crypt.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/crypt.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/crypt.de_DE.po b/modules/po/crypt.de_DE.po index 265fc88b..d9dbd2b0 100644 --- a/modules/po/crypt.de_DE.po +++ b/modules/po/crypt.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/crypt.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" #: crypt.cpp:198 msgid "<#chan|Nick>" diff --git a/modules/po/crypt.es_ES.po b/modules/po/crypt.es_ES.po index 0d3ffc0a..72c8089f 100644 --- a/modules/po/crypt.es_ES.po +++ b/modules/po/crypt.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /master/modules/po/crypt.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/crypt.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/crypt.fr_FR.po b/modules/po/crypt.fr_FR.po index a0958754..7d2305fd 100644 --- a/modules/po/crypt.fr_FR.po +++ b/modules/po/crypt.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /master/modules/po/crypt.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/crypt.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/crypt.id_ID.po b/modules/po/crypt.id_ID.po index 423e141e..705164c5 100644 --- a/modules/po/crypt.id_ID.po +++ b/modules/po/crypt.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /master/modules/po/crypt.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/crypt.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/crypt.it_IT.po b/modules/po/crypt.it_IT.po index e74be2df..16c5d3ef 100644 --- a/modules/po/crypt.it_IT.po +++ b/modules/po/crypt.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /master/modules/po/crypt.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/crypt.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/crypt.nl_NL.po b/modules/po/crypt.nl_NL.po index 693f9d75..a345d337 100644 --- a/modules/po/crypt.nl_NL.po +++ b/modules/po/crypt.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /master/modules/po/crypt.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/crypt.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/crypt.pt_BR.po b/modules/po/crypt.pt_BR.po index b9748466..4e2fc0f5 100644 --- a/modules/po/crypt.pt_BR.po +++ b/modules/po/crypt.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /master/modules/po/crypt.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/crypt.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/crypt.ru_RU.po b/modules/po/crypt.ru_RU.po index 66507be6..47bdef62 100644 --- a/modules/po/crypt.ru_RU.po +++ b/modules/po/crypt.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /master/modules/po/crypt.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/crypt.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/ctcpflood.bg_BG.po b/modules/po/ctcpflood.bg_BG.po index fa9f1975..ed861569 100644 --- a/modules/po/ctcpflood.bg_BG.po +++ b/modules/po/ctcpflood.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /master/modules/po/ctcpflood.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/ctcpflood.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/ctcpflood.de_DE.po b/modules/po/ctcpflood.de_DE.po index 260d6e17..2bbcc5d7 100644 --- a/modules/po/ctcpflood.de_DE.po +++ b/modules/po/ctcpflood.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/ctcpflood.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" #: ctcpflood.cpp:25 ctcpflood.cpp:27 msgid "" diff --git a/modules/po/ctcpflood.es_ES.po b/modules/po/ctcpflood.es_ES.po index 42fde12f..bbc04d9f 100644 --- a/modules/po/ctcpflood.es_ES.po +++ b/modules/po/ctcpflood.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /master/modules/po/ctcpflood.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/ctcpflood.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/ctcpflood.fr_FR.po b/modules/po/ctcpflood.fr_FR.po index 5952c7a3..0051e169 100644 --- a/modules/po/ctcpflood.fr_FR.po +++ b/modules/po/ctcpflood.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /master/modules/po/ctcpflood.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/ctcpflood.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/ctcpflood.id_ID.po b/modules/po/ctcpflood.id_ID.po index 0aa5cdda..3386530c 100644 --- a/modules/po/ctcpflood.id_ID.po +++ b/modules/po/ctcpflood.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /master/modules/po/ctcpflood.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/ctcpflood.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/ctcpflood.it_IT.po b/modules/po/ctcpflood.it_IT.po index ec2df66b..edf166cc 100644 --- a/modules/po/ctcpflood.it_IT.po +++ b/modules/po/ctcpflood.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /master/modules/po/ctcpflood.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/ctcpflood.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/ctcpflood.nl_NL.po b/modules/po/ctcpflood.nl_NL.po index 589f4a9d..75a9b0f7 100644 --- a/modules/po/ctcpflood.nl_NL.po +++ b/modules/po/ctcpflood.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /master/modules/po/ctcpflood.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/ctcpflood.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/ctcpflood.pt_BR.po b/modules/po/ctcpflood.pt_BR.po index 8a345530..bb200517 100644 --- a/modules/po/ctcpflood.pt_BR.po +++ b/modules/po/ctcpflood.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /master/modules/po/ctcpflood.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/ctcpflood.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/ctcpflood.ru_RU.po b/modules/po/ctcpflood.ru_RU.po index 33f6c553..e8f4d9ea 100644 --- a/modules/po/ctcpflood.ru_RU.po +++ b/modules/po/ctcpflood.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /master/modules/po/ctcpflood.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/ctcpflood.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/cyrusauth.bg_BG.po b/modules/po/cyrusauth.bg_BG.po index a62da873..103c0c3c 100644 --- a/modules/po/cyrusauth.bg_BG.po +++ b/modules/po/cyrusauth.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /master/modules/po/cyrusauth.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/cyrusauth.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/cyrusauth.de_DE.po b/modules/po/cyrusauth.de_DE.po index f0419bcf..cce79204 100644 --- a/modules/po/cyrusauth.de_DE.po +++ b/modules/po/cyrusauth.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/cyrusauth.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" #: cyrusauth.cpp:42 msgid "Shows current settings" diff --git a/modules/po/cyrusauth.es_ES.po b/modules/po/cyrusauth.es_ES.po index 2f6e2886..bb73acca 100644 --- a/modules/po/cyrusauth.es_ES.po +++ b/modules/po/cyrusauth.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /master/modules/po/cyrusauth.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/cyrusauth.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/cyrusauth.fr_FR.po b/modules/po/cyrusauth.fr_FR.po index 23dccbb1..b28186e2 100644 --- a/modules/po/cyrusauth.fr_FR.po +++ b/modules/po/cyrusauth.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /master/modules/po/cyrusauth.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/cyrusauth.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/cyrusauth.id_ID.po b/modules/po/cyrusauth.id_ID.po index c446066a..1e0fcf67 100644 --- a/modules/po/cyrusauth.id_ID.po +++ b/modules/po/cyrusauth.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /master/modules/po/cyrusauth.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/cyrusauth.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/cyrusauth.it_IT.po b/modules/po/cyrusauth.it_IT.po index 375e1770..6d0400b3 100644 --- a/modules/po/cyrusauth.it_IT.po +++ b/modules/po/cyrusauth.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /master/modules/po/cyrusauth.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/cyrusauth.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/cyrusauth.nl_NL.po b/modules/po/cyrusauth.nl_NL.po index 8dbd7b0b..2df36888 100644 --- a/modules/po/cyrusauth.nl_NL.po +++ b/modules/po/cyrusauth.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /master/modules/po/cyrusauth.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/cyrusauth.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/cyrusauth.pt_BR.po b/modules/po/cyrusauth.pt_BR.po index 40b57654..ad478d35 100644 --- a/modules/po/cyrusauth.pt_BR.po +++ b/modules/po/cyrusauth.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /master/modules/po/cyrusauth.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/cyrusauth.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/cyrusauth.ru_RU.po b/modules/po/cyrusauth.ru_RU.po index fa7d902b..0f42970d 100644 --- a/modules/po/cyrusauth.ru_RU.po +++ b/modules/po/cyrusauth.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /master/modules/po/cyrusauth.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/cyrusauth.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/dcc.bg_BG.po b/modules/po/dcc.bg_BG.po index cc4434f1..4d1c7ff1 100644 --- a/modules/po/dcc.bg_BG.po +++ b/modules/po/dcc.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /master/modules/po/dcc.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/dcc.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/dcc.de_DE.po b/modules/po/dcc.de_DE.po index d9b9a72e..39f53c07 100644 --- a/modules/po/dcc.de_DE.po +++ b/modules/po/dcc.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/dcc.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" #: dcc.cpp:88 msgid " " diff --git a/modules/po/dcc.es_ES.po b/modules/po/dcc.es_ES.po index 7b104703..a5ccd156 100644 --- a/modules/po/dcc.es_ES.po +++ b/modules/po/dcc.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /master/modules/po/dcc.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/dcc.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/dcc.fr_FR.po b/modules/po/dcc.fr_FR.po index c7a35ec6..3f2675c1 100644 --- a/modules/po/dcc.fr_FR.po +++ b/modules/po/dcc.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /master/modules/po/dcc.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/dcc.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/dcc.id_ID.po b/modules/po/dcc.id_ID.po index 8190a343..a2931ec4 100644 --- a/modules/po/dcc.id_ID.po +++ b/modules/po/dcc.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /master/modules/po/dcc.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/dcc.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/dcc.it_IT.po b/modules/po/dcc.it_IT.po index 8b48a1e6..516db767 100644 --- a/modules/po/dcc.it_IT.po +++ b/modules/po/dcc.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /master/modules/po/dcc.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/dcc.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/dcc.nl_NL.po b/modules/po/dcc.nl_NL.po index b32a3f41..08882350 100644 --- a/modules/po/dcc.nl_NL.po +++ b/modules/po/dcc.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /master/modules/po/dcc.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/dcc.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/dcc.pt_BR.po b/modules/po/dcc.pt_BR.po index 914e2632..842383d9 100644 --- a/modules/po/dcc.pt_BR.po +++ b/modules/po/dcc.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /master/modules/po/dcc.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/dcc.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/dcc.ru_RU.po b/modules/po/dcc.ru_RU.po index 38bd5b0a..beeaa953 100644 --- a/modules/po/dcc.ru_RU.po +++ b/modules/po/dcc.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /master/modules/po/dcc.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/dcc.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/disconkick.bg_BG.po b/modules/po/disconkick.bg_BG.po index 3a5ce82f..f1c8d61d 100644 --- a/modules/po/disconkick.bg_BG.po +++ b/modules/po/disconkick.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /master/modules/po/disconkick.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/disconkick.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/disconkick.de_DE.po b/modules/po/disconkick.de_DE.po index 84fdf0f3..f66f1ab4 100644 --- a/modules/po/disconkick.de_DE.po +++ b/modules/po/disconkick.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/disconkick.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" #: disconkick.cpp:32 msgid "You have been disconnected from the IRC server" diff --git a/modules/po/disconkick.es_ES.po b/modules/po/disconkick.es_ES.po index 61e0fd15..2149e2c0 100644 --- a/modules/po/disconkick.es_ES.po +++ b/modules/po/disconkick.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /master/modules/po/disconkick.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/disconkick.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/disconkick.fr_FR.po b/modules/po/disconkick.fr_FR.po index 8300360a..bdf27bc5 100644 --- a/modules/po/disconkick.fr_FR.po +++ b/modules/po/disconkick.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /master/modules/po/disconkick.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/disconkick.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/disconkick.id_ID.po b/modules/po/disconkick.id_ID.po index dc3834e6..5c9d562c 100644 --- a/modules/po/disconkick.id_ID.po +++ b/modules/po/disconkick.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /master/modules/po/disconkick.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/disconkick.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/disconkick.it_IT.po b/modules/po/disconkick.it_IT.po index d26c5798..a80c2fb6 100644 --- a/modules/po/disconkick.it_IT.po +++ b/modules/po/disconkick.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /master/modules/po/disconkick.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/disconkick.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/disconkick.nl_NL.po b/modules/po/disconkick.nl_NL.po index 469928b0..fc8819cb 100644 --- a/modules/po/disconkick.nl_NL.po +++ b/modules/po/disconkick.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /master/modules/po/disconkick.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/disconkick.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/disconkick.pt_BR.po b/modules/po/disconkick.pt_BR.po index 497f50ab..358472d4 100644 --- a/modules/po/disconkick.pt_BR.po +++ b/modules/po/disconkick.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /master/modules/po/disconkick.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/disconkick.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/disconkick.ru_RU.po b/modules/po/disconkick.ru_RU.po index 2b402036..03370b73 100644 --- a/modules/po/disconkick.ru_RU.po +++ b/modules/po/disconkick.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /master/modules/po/disconkick.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/disconkick.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/fail2ban.bg_BG.po b/modules/po/fail2ban.bg_BG.po index a6441440..438f8efa 100644 --- a/modules/po/fail2ban.bg_BG.po +++ b/modules/po/fail2ban.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /master/modules/po/fail2ban.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/fail2ban.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/fail2ban.de_DE.po b/modules/po/fail2ban.de_DE.po index bfc6b9a0..9aa1dba5 100644 --- a/modules/po/fail2ban.de_DE.po +++ b/modules/po/fail2ban.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/fail2ban.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" #: fail2ban.cpp:25 msgid "[minutes]" diff --git a/modules/po/fail2ban.es_ES.po b/modules/po/fail2ban.es_ES.po index a6372a75..7d768bfa 100644 --- a/modules/po/fail2ban.es_ES.po +++ b/modules/po/fail2ban.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /master/modules/po/fail2ban.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/fail2ban.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/fail2ban.fr_FR.po b/modules/po/fail2ban.fr_FR.po index 9c061bc8..2ce40503 100644 --- a/modules/po/fail2ban.fr_FR.po +++ b/modules/po/fail2ban.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /master/modules/po/fail2ban.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/fail2ban.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/fail2ban.id_ID.po b/modules/po/fail2ban.id_ID.po index 98831a2d..3ec86036 100644 --- a/modules/po/fail2ban.id_ID.po +++ b/modules/po/fail2ban.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /master/modules/po/fail2ban.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/fail2ban.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/fail2ban.it_IT.po b/modules/po/fail2ban.it_IT.po index 2796611f..c552358c 100644 --- a/modules/po/fail2ban.it_IT.po +++ b/modules/po/fail2ban.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /master/modules/po/fail2ban.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/fail2ban.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/fail2ban.nl_NL.po b/modules/po/fail2ban.nl_NL.po index 3ddb16f1..27293450 100644 --- a/modules/po/fail2ban.nl_NL.po +++ b/modules/po/fail2ban.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /master/modules/po/fail2ban.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/fail2ban.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/fail2ban.pt_BR.po b/modules/po/fail2ban.pt_BR.po index 3e3ebc16..66b7c089 100644 --- a/modules/po/fail2ban.pt_BR.po +++ b/modules/po/fail2ban.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /master/modules/po/fail2ban.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/fail2ban.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/fail2ban.ru_RU.po b/modules/po/fail2ban.ru_RU.po index 450fe6e3..a451d061 100644 --- a/modules/po/fail2ban.ru_RU.po +++ b/modules/po/fail2ban.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /master/modules/po/fail2ban.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/fail2ban.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/flooddetach.bg_BG.po b/modules/po/flooddetach.bg_BG.po index 1299a87b..62a42229 100644 --- a/modules/po/flooddetach.bg_BG.po +++ b/modules/po/flooddetach.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /master/modules/po/flooddetach.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/flooddetach.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/flooddetach.de_DE.po b/modules/po/flooddetach.de_DE.po index 398b15ff..a2923fe2 100644 --- a/modules/po/flooddetach.de_DE.po +++ b/modules/po/flooddetach.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/flooddetach.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" #: flooddetach.cpp:30 msgid "Show current limits" diff --git a/modules/po/flooddetach.es_ES.po b/modules/po/flooddetach.es_ES.po index e3e25d84..ace71293 100644 --- a/modules/po/flooddetach.es_ES.po +++ b/modules/po/flooddetach.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /master/modules/po/flooddetach.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/flooddetach.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/flooddetach.fr_FR.po b/modules/po/flooddetach.fr_FR.po index b44ac9b9..638f3f4d 100644 --- a/modules/po/flooddetach.fr_FR.po +++ b/modules/po/flooddetach.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /master/modules/po/flooddetach.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/flooddetach.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/flooddetach.id_ID.po b/modules/po/flooddetach.id_ID.po index f4b97d5f..eefa1b4a 100644 --- a/modules/po/flooddetach.id_ID.po +++ b/modules/po/flooddetach.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /master/modules/po/flooddetach.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/flooddetach.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/flooddetach.it_IT.po b/modules/po/flooddetach.it_IT.po index 0d2a88ac..a317ad0d 100644 --- a/modules/po/flooddetach.it_IT.po +++ b/modules/po/flooddetach.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /master/modules/po/flooddetach.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/flooddetach.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/flooddetach.nl_NL.po b/modules/po/flooddetach.nl_NL.po index 47089bd8..8b139243 100644 --- a/modules/po/flooddetach.nl_NL.po +++ b/modules/po/flooddetach.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /master/modules/po/flooddetach.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/flooddetach.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/flooddetach.pt_BR.po b/modules/po/flooddetach.pt_BR.po index 85d8c162..d51a1e29 100644 --- a/modules/po/flooddetach.pt_BR.po +++ b/modules/po/flooddetach.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /master/modules/po/flooddetach.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/flooddetach.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/flooddetach.ru_RU.po b/modules/po/flooddetach.ru_RU.po index d2f22bf2..c89b28c5 100644 --- a/modules/po/flooddetach.ru_RU.po +++ b/modules/po/flooddetach.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /master/modules/po/flooddetach.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/flooddetach.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/identfile.bg_BG.po b/modules/po/identfile.bg_BG.po index b9ca6200..64bd3294 100644 --- a/modules/po/identfile.bg_BG.po +++ b/modules/po/identfile.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /master/modules/po/identfile.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/identfile.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/identfile.de_DE.po b/modules/po/identfile.de_DE.po index 0992f5e2..a98b3f3a 100644 --- a/modules/po/identfile.de_DE.po +++ b/modules/po/identfile.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/identfile.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" #: identfile.cpp:30 msgid "Show file name" diff --git a/modules/po/identfile.es_ES.po b/modules/po/identfile.es_ES.po index 4056d819..9a981f93 100644 --- a/modules/po/identfile.es_ES.po +++ b/modules/po/identfile.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /master/modules/po/identfile.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/identfile.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/identfile.fr_FR.po b/modules/po/identfile.fr_FR.po index dd26ad43..21767a2f 100644 --- a/modules/po/identfile.fr_FR.po +++ b/modules/po/identfile.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /master/modules/po/identfile.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/identfile.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/identfile.id_ID.po b/modules/po/identfile.id_ID.po index 6c1edef0..e7fd4b99 100644 --- a/modules/po/identfile.id_ID.po +++ b/modules/po/identfile.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /master/modules/po/identfile.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/identfile.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/identfile.it_IT.po b/modules/po/identfile.it_IT.po index 313980ac..636c9c21 100644 --- a/modules/po/identfile.it_IT.po +++ b/modules/po/identfile.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /master/modules/po/identfile.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/identfile.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/identfile.nl_NL.po b/modules/po/identfile.nl_NL.po index 4e2e64b0..eea8662c 100644 --- a/modules/po/identfile.nl_NL.po +++ b/modules/po/identfile.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /master/modules/po/identfile.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/identfile.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/identfile.pt_BR.po b/modules/po/identfile.pt_BR.po index f2451214..190cc652 100644 --- a/modules/po/identfile.pt_BR.po +++ b/modules/po/identfile.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /master/modules/po/identfile.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/identfile.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/identfile.ru_RU.po b/modules/po/identfile.ru_RU.po index 4358d9e2..020160db 100644 --- a/modules/po/identfile.ru_RU.po +++ b/modules/po/identfile.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /master/modules/po/identfile.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/identfile.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/imapauth.bg_BG.po b/modules/po/imapauth.bg_BG.po index fb176273..0d373b8d 100644 --- a/modules/po/imapauth.bg_BG.po +++ b/modules/po/imapauth.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /master/modules/po/imapauth.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/imapauth.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/imapauth.de_DE.po b/modules/po/imapauth.de_DE.po index 5e90346f..b99b5015 100644 --- a/modules/po/imapauth.de_DE.po +++ b/modules/po/imapauth.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/imapauth.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" #: imapauth.cpp:168 msgid "[ server [+]port [ UserFormatString ] ]" diff --git a/modules/po/imapauth.es_ES.po b/modules/po/imapauth.es_ES.po index ff540252..e86d6ff8 100644 --- a/modules/po/imapauth.es_ES.po +++ b/modules/po/imapauth.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /master/modules/po/imapauth.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/imapauth.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/imapauth.fr_FR.po b/modules/po/imapauth.fr_FR.po index 04d35943..d8743d52 100644 --- a/modules/po/imapauth.fr_FR.po +++ b/modules/po/imapauth.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /master/modules/po/imapauth.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/imapauth.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/imapauth.id_ID.po b/modules/po/imapauth.id_ID.po index 7bce0dd6..7518c093 100644 --- a/modules/po/imapauth.id_ID.po +++ b/modules/po/imapauth.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /master/modules/po/imapauth.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/imapauth.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/imapauth.it_IT.po b/modules/po/imapauth.it_IT.po index 1e61746f..83847014 100644 --- a/modules/po/imapauth.it_IT.po +++ b/modules/po/imapauth.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /master/modules/po/imapauth.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/imapauth.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/imapauth.nl_NL.po b/modules/po/imapauth.nl_NL.po index d23ad437..5ef5ca30 100644 --- a/modules/po/imapauth.nl_NL.po +++ b/modules/po/imapauth.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /master/modules/po/imapauth.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/imapauth.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/imapauth.pt_BR.po b/modules/po/imapauth.pt_BR.po index b891bc67..7895c9aa 100644 --- a/modules/po/imapauth.pt_BR.po +++ b/modules/po/imapauth.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /master/modules/po/imapauth.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/imapauth.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/imapauth.ru_RU.po b/modules/po/imapauth.ru_RU.po index 76d28a0f..555773d6 100644 --- a/modules/po/imapauth.ru_RU.po +++ b/modules/po/imapauth.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /master/modules/po/imapauth.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/imapauth.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/keepnick.bg_BG.po b/modules/po/keepnick.bg_BG.po index 414b09d4..2f313352 100644 --- a/modules/po/keepnick.bg_BG.po +++ b/modules/po/keepnick.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /master/modules/po/keepnick.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/keepnick.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/keepnick.de_DE.po b/modules/po/keepnick.de_DE.po index 0bb16d90..cef55b94 100644 --- a/modules/po/keepnick.de_DE.po +++ b/modules/po/keepnick.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/keepnick.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" #: keepnick.cpp:39 msgid "Try to get your primary nick" diff --git a/modules/po/keepnick.es_ES.po b/modules/po/keepnick.es_ES.po index adf0341c..7e33f1aa 100644 --- a/modules/po/keepnick.es_ES.po +++ b/modules/po/keepnick.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /master/modules/po/keepnick.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/keepnick.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/keepnick.fr_FR.po b/modules/po/keepnick.fr_FR.po index 7c0669fb..0ad4dcdb 100644 --- a/modules/po/keepnick.fr_FR.po +++ b/modules/po/keepnick.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /master/modules/po/keepnick.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/keepnick.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/keepnick.id_ID.po b/modules/po/keepnick.id_ID.po index 5999dc8e..2b7305b9 100644 --- a/modules/po/keepnick.id_ID.po +++ b/modules/po/keepnick.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /master/modules/po/keepnick.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/keepnick.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/keepnick.it_IT.po b/modules/po/keepnick.it_IT.po index 50e2e263..147916d1 100644 --- a/modules/po/keepnick.it_IT.po +++ b/modules/po/keepnick.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /master/modules/po/keepnick.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/keepnick.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/keepnick.nl_NL.po b/modules/po/keepnick.nl_NL.po index f0d84a2f..0420621b 100644 --- a/modules/po/keepnick.nl_NL.po +++ b/modules/po/keepnick.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /master/modules/po/keepnick.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/keepnick.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/keepnick.pt_BR.po b/modules/po/keepnick.pt_BR.po index 0891579a..9e815981 100644 --- a/modules/po/keepnick.pt_BR.po +++ b/modules/po/keepnick.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /master/modules/po/keepnick.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/keepnick.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/keepnick.ru_RU.po b/modules/po/keepnick.ru_RU.po index 1641ffe1..7e5e9333 100644 --- a/modules/po/keepnick.ru_RU.po +++ b/modules/po/keepnick.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /master/modules/po/keepnick.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/keepnick.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/kickrejoin.bg_BG.po b/modules/po/kickrejoin.bg_BG.po index cfe4b844..090e913e 100644 --- a/modules/po/kickrejoin.bg_BG.po +++ b/modules/po/kickrejoin.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /master/modules/po/kickrejoin.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/kickrejoin.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/kickrejoin.de_DE.po b/modules/po/kickrejoin.de_DE.po index f78737d8..a335d7c5 100644 --- a/modules/po/kickrejoin.de_DE.po +++ b/modules/po/kickrejoin.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/kickrejoin.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" #: kickrejoin.cpp:56 msgid "" diff --git a/modules/po/kickrejoin.es_ES.po b/modules/po/kickrejoin.es_ES.po index dd2454f7..bb806d71 100644 --- a/modules/po/kickrejoin.es_ES.po +++ b/modules/po/kickrejoin.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /master/modules/po/kickrejoin.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/kickrejoin.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/kickrejoin.fr_FR.po b/modules/po/kickrejoin.fr_FR.po index de939529..601b5bee 100644 --- a/modules/po/kickrejoin.fr_FR.po +++ b/modules/po/kickrejoin.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /master/modules/po/kickrejoin.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/kickrejoin.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/kickrejoin.id_ID.po b/modules/po/kickrejoin.id_ID.po index c348a959..d3b4ed8b 100644 --- a/modules/po/kickrejoin.id_ID.po +++ b/modules/po/kickrejoin.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /master/modules/po/kickrejoin.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/kickrejoin.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/kickrejoin.it_IT.po b/modules/po/kickrejoin.it_IT.po index 6fa63c19..31da8643 100644 --- a/modules/po/kickrejoin.it_IT.po +++ b/modules/po/kickrejoin.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /master/modules/po/kickrejoin.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/kickrejoin.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/kickrejoin.nl_NL.po b/modules/po/kickrejoin.nl_NL.po index 83317c7e..ae73404c 100644 --- a/modules/po/kickrejoin.nl_NL.po +++ b/modules/po/kickrejoin.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /master/modules/po/kickrejoin.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/kickrejoin.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/kickrejoin.pt_BR.po b/modules/po/kickrejoin.pt_BR.po index a14b7aa7..f10e7b43 100644 --- a/modules/po/kickrejoin.pt_BR.po +++ b/modules/po/kickrejoin.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /master/modules/po/kickrejoin.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/kickrejoin.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/kickrejoin.ru_RU.po b/modules/po/kickrejoin.ru_RU.po index de20f27c..7b6b8c44 100644 --- a/modules/po/kickrejoin.ru_RU.po +++ b/modules/po/kickrejoin.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /master/modules/po/kickrejoin.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/kickrejoin.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/lastseen.bg_BG.po b/modules/po/lastseen.bg_BG.po index 7b1324c3..7b51565f 100644 --- a/modules/po/lastseen.bg_BG.po +++ b/modules/po/lastseen.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /master/modules/po/lastseen.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/lastseen.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/lastseen.de_DE.po b/modules/po/lastseen.de_DE.po index 1fec2583..a4c117d0 100644 --- a/modules/po/lastseen.de_DE.po +++ b/modules/po/lastseen.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/lastseen.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" #: modules/po/../data/lastseen/tmpl/index.tmpl:8 msgid "User" diff --git a/modules/po/lastseen.es_ES.po b/modules/po/lastseen.es_ES.po index bea53e68..6e833dcd 100644 --- a/modules/po/lastseen.es_ES.po +++ b/modules/po/lastseen.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /master/modules/po/lastseen.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/lastseen.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/lastseen.fr_FR.po b/modules/po/lastseen.fr_FR.po index a31bb2d8..f8e88170 100644 --- a/modules/po/lastseen.fr_FR.po +++ b/modules/po/lastseen.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /master/modules/po/lastseen.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/lastseen.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/lastseen.id_ID.po b/modules/po/lastseen.id_ID.po index 06177a93..515b38a7 100644 --- a/modules/po/lastseen.id_ID.po +++ b/modules/po/lastseen.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /master/modules/po/lastseen.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/lastseen.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/lastseen.it_IT.po b/modules/po/lastseen.it_IT.po index 7649e960..5a4a8f4d 100644 --- a/modules/po/lastseen.it_IT.po +++ b/modules/po/lastseen.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /master/modules/po/lastseen.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/lastseen.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/lastseen.nl_NL.po b/modules/po/lastseen.nl_NL.po index 90c691cd..607785ea 100644 --- a/modules/po/lastseen.nl_NL.po +++ b/modules/po/lastseen.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /master/modules/po/lastseen.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/lastseen.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/lastseen.pt_BR.po b/modules/po/lastseen.pt_BR.po index 61ff05e3..6ab233fb 100644 --- a/modules/po/lastseen.pt_BR.po +++ b/modules/po/lastseen.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /master/modules/po/lastseen.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/lastseen.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/lastseen.ru_RU.po b/modules/po/lastseen.ru_RU.po index 56e92695..a9e37b56 100644 --- a/modules/po/lastseen.ru_RU.po +++ b/modules/po/lastseen.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /master/modules/po/lastseen.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/lastseen.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/listsockets.bg_BG.po b/modules/po/listsockets.bg_BG.po index 192adc7b..270232cf 100644 --- a/modules/po/listsockets.bg_BG.po +++ b/modules/po/listsockets.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /master/modules/po/listsockets.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/listsockets.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/listsockets.de_DE.po b/modules/po/listsockets.de_DE.po index 9ac3913b..865499ba 100644 --- a/modules/po/listsockets.de_DE.po +++ b/modules/po/listsockets.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/listsockets.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" #: modules/po/../data/listsockets/tmpl/index.tmpl:7 listsockets.cpp:213 #: listsockets.cpp:229 diff --git a/modules/po/listsockets.es_ES.po b/modules/po/listsockets.es_ES.po index c395125e..74b0405a 100644 --- a/modules/po/listsockets.es_ES.po +++ b/modules/po/listsockets.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /master/modules/po/listsockets.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/listsockets.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/listsockets.fr_FR.po b/modules/po/listsockets.fr_FR.po index 1b971abb..9ab3cbd2 100644 --- a/modules/po/listsockets.fr_FR.po +++ b/modules/po/listsockets.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /master/modules/po/listsockets.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/listsockets.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/listsockets.id_ID.po b/modules/po/listsockets.id_ID.po index ebaee12e..c25c3f35 100644 --- a/modules/po/listsockets.id_ID.po +++ b/modules/po/listsockets.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /master/modules/po/listsockets.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/listsockets.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/listsockets.it_IT.po b/modules/po/listsockets.it_IT.po index a6893464..c51c2b5b 100644 --- a/modules/po/listsockets.it_IT.po +++ b/modules/po/listsockets.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /master/modules/po/listsockets.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/listsockets.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/listsockets.nl_NL.po b/modules/po/listsockets.nl_NL.po index 1e290292..ada03ead 100644 --- a/modules/po/listsockets.nl_NL.po +++ b/modules/po/listsockets.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /master/modules/po/listsockets.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/listsockets.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/listsockets.pt_BR.po b/modules/po/listsockets.pt_BR.po index 406a4f66..c6258458 100644 --- a/modules/po/listsockets.pt_BR.po +++ b/modules/po/listsockets.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /master/modules/po/listsockets.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/listsockets.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/listsockets.ru_RU.po b/modules/po/listsockets.ru_RU.po index b529c7f2..fcf1719c 100644 --- a/modules/po/listsockets.ru_RU.po +++ b/modules/po/listsockets.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /master/modules/po/listsockets.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/listsockets.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/log.bg_BG.po b/modules/po/log.bg_BG.po index cd30d1dc..811158ea 100644 --- a/modules/po/log.bg_BG.po +++ b/modules/po/log.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /master/modules/po/log.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/log.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/log.de_DE.po b/modules/po/log.de_DE.po index 5bad9b8a..ea54f91b 100644 --- a/modules/po/log.de_DE.po +++ b/modules/po/log.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/log.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" #: log.cpp:59 msgid "" diff --git a/modules/po/log.es_ES.po b/modules/po/log.es_ES.po index 66b2f380..c48a4317 100644 --- a/modules/po/log.es_ES.po +++ b/modules/po/log.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /master/modules/po/log.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/log.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/log.fr_FR.po b/modules/po/log.fr_FR.po index a3813aaf..3b5f92bd 100644 --- a/modules/po/log.fr_FR.po +++ b/modules/po/log.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /master/modules/po/log.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/log.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/log.id_ID.po b/modules/po/log.id_ID.po index eea1e1e3..61e618d0 100644 --- a/modules/po/log.id_ID.po +++ b/modules/po/log.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /master/modules/po/log.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/log.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/log.it_IT.po b/modules/po/log.it_IT.po index 518a2489..22bbae09 100644 --- a/modules/po/log.it_IT.po +++ b/modules/po/log.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /master/modules/po/log.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/log.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/log.nl_NL.po b/modules/po/log.nl_NL.po index df86460b..b58faf25 100644 --- a/modules/po/log.nl_NL.po +++ b/modules/po/log.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /master/modules/po/log.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/log.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/log.pt_BR.po b/modules/po/log.pt_BR.po index a7630cea..ad60285c 100644 --- a/modules/po/log.pt_BR.po +++ b/modules/po/log.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /master/modules/po/log.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/log.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/log.ru_RU.po b/modules/po/log.ru_RU.po index 07edb20c..cb8cc960 100644 --- a/modules/po/log.ru_RU.po +++ b/modules/po/log.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /master/modules/po/log.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/log.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/missingmotd.bg_BG.po b/modules/po/missingmotd.bg_BG.po index f4d75ca0..fdf069d2 100644 --- a/modules/po/missingmotd.bg_BG.po +++ b/modules/po/missingmotd.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /master/modules/po/missingmotd.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/missingmotd.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/missingmotd.de_DE.po b/modules/po/missingmotd.de_DE.po index 18eef6dc..64c410e7 100644 --- a/modules/po/missingmotd.de_DE.po +++ b/modules/po/missingmotd.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/missingmotd.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" #: missingmotd.cpp:36 msgid "Sends 422 to clients when they login" diff --git a/modules/po/missingmotd.es_ES.po b/modules/po/missingmotd.es_ES.po index 4dc28707..c76ca203 100644 --- a/modules/po/missingmotd.es_ES.po +++ b/modules/po/missingmotd.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /master/modules/po/missingmotd.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/missingmotd.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/missingmotd.fr_FR.po b/modules/po/missingmotd.fr_FR.po index 5c8318ed..86468526 100644 --- a/modules/po/missingmotd.fr_FR.po +++ b/modules/po/missingmotd.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /master/modules/po/missingmotd.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/missingmotd.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/missingmotd.id_ID.po b/modules/po/missingmotd.id_ID.po index 70846637..8c81f705 100644 --- a/modules/po/missingmotd.id_ID.po +++ b/modules/po/missingmotd.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /master/modules/po/missingmotd.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/missingmotd.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/missingmotd.it_IT.po b/modules/po/missingmotd.it_IT.po index 4bd1b8f4..0c837dc0 100644 --- a/modules/po/missingmotd.it_IT.po +++ b/modules/po/missingmotd.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /master/modules/po/missingmotd.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/missingmotd.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/missingmotd.nl_NL.po b/modules/po/missingmotd.nl_NL.po index 9c65c5f6..79fe23b4 100644 --- a/modules/po/missingmotd.nl_NL.po +++ b/modules/po/missingmotd.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /master/modules/po/missingmotd.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/missingmotd.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/missingmotd.pt_BR.po b/modules/po/missingmotd.pt_BR.po index b461859e..c6b73a81 100644 --- a/modules/po/missingmotd.pt_BR.po +++ b/modules/po/missingmotd.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /master/modules/po/missingmotd.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/missingmotd.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/missingmotd.ru_RU.po b/modules/po/missingmotd.ru_RU.po index 06a03c25..19c234e4 100644 --- a/modules/po/missingmotd.ru_RU.po +++ b/modules/po/missingmotd.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /master/modules/po/missingmotd.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/missingmotd.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/modperl.bg_BG.po b/modules/po/modperl.bg_BG.po index a7bb319c..f3861d4b 100644 --- a/modules/po/modperl.bg_BG.po +++ b/modules/po/modperl.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /master/modules/po/modperl.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/modperl.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/modperl.de_DE.po b/modules/po/modperl.de_DE.po index 9eebf3ac..627e5b14 100644 --- a/modules/po/modperl.de_DE.po +++ b/modules/po/modperl.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/modperl.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" #: modperl.cpp:382 msgid "Loads perl scripts as ZNC modules" diff --git a/modules/po/modperl.es_ES.po b/modules/po/modperl.es_ES.po index f32b389f..dd4f79da 100644 --- a/modules/po/modperl.es_ES.po +++ b/modules/po/modperl.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /master/modules/po/modperl.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/modperl.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/modperl.fr_FR.po b/modules/po/modperl.fr_FR.po index bdb08bd9..e28b0d61 100644 --- a/modules/po/modperl.fr_FR.po +++ b/modules/po/modperl.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /master/modules/po/modperl.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/modperl.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/modperl.id_ID.po b/modules/po/modperl.id_ID.po index fb0b826b..066cfb42 100644 --- a/modules/po/modperl.id_ID.po +++ b/modules/po/modperl.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /master/modules/po/modperl.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/modperl.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/modperl.it_IT.po b/modules/po/modperl.it_IT.po index 18cb907d..30529bd7 100644 --- a/modules/po/modperl.it_IT.po +++ b/modules/po/modperl.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /master/modules/po/modperl.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/modperl.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/modperl.nl_NL.po b/modules/po/modperl.nl_NL.po index c6ca21dc..c0b790d0 100644 --- a/modules/po/modperl.nl_NL.po +++ b/modules/po/modperl.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /master/modules/po/modperl.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/modperl.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/modperl.pt_BR.po b/modules/po/modperl.pt_BR.po index db12038d..6d850d7b 100644 --- a/modules/po/modperl.pt_BR.po +++ b/modules/po/modperl.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /master/modules/po/modperl.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/modperl.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/modperl.ru_RU.po b/modules/po/modperl.ru_RU.po index 800bf6f5..207a5167 100644 --- a/modules/po/modperl.ru_RU.po +++ b/modules/po/modperl.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /master/modules/po/modperl.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/modperl.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/modpython.bg_BG.po b/modules/po/modpython.bg_BG.po index 5f9b59de..367f50a3 100644 --- a/modules/po/modpython.bg_BG.po +++ b/modules/po/modpython.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /master/modules/po/modpython.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/modpython.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/modpython.de_DE.po b/modules/po/modpython.de_DE.po index 7887bcf0..faf22341 100644 --- a/modules/po/modpython.de_DE.po +++ b/modules/po/modpython.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/modpython.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" #: modpython.cpp:512 msgid "Loads python scripts as ZNC modules" diff --git a/modules/po/modpython.es_ES.po b/modules/po/modpython.es_ES.po index 1a60afbc..5fe6fc29 100644 --- a/modules/po/modpython.es_ES.po +++ b/modules/po/modpython.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /master/modules/po/modpython.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/modpython.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/modpython.fr_FR.po b/modules/po/modpython.fr_FR.po index 44a8ed5d..339323bd 100644 --- a/modules/po/modpython.fr_FR.po +++ b/modules/po/modpython.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /master/modules/po/modpython.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/modpython.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/modpython.id_ID.po b/modules/po/modpython.id_ID.po index b2c35afe..978d68e2 100644 --- a/modules/po/modpython.id_ID.po +++ b/modules/po/modpython.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /master/modules/po/modpython.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/modpython.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/modpython.it_IT.po b/modules/po/modpython.it_IT.po index afc5dbec..41429fcf 100644 --- a/modules/po/modpython.it_IT.po +++ b/modules/po/modpython.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /master/modules/po/modpython.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/modpython.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/modpython.nl_NL.po b/modules/po/modpython.nl_NL.po index dfa71b2b..5df8a76f 100644 --- a/modules/po/modpython.nl_NL.po +++ b/modules/po/modpython.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /master/modules/po/modpython.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/modpython.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/modpython.pt_BR.po b/modules/po/modpython.pt_BR.po index 88e3516d..07c86185 100644 --- a/modules/po/modpython.pt_BR.po +++ b/modules/po/modpython.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /master/modules/po/modpython.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/modpython.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/modpython.ru_RU.po b/modules/po/modpython.ru_RU.po index 7ab181be..815e2dbb 100644 --- a/modules/po/modpython.ru_RU.po +++ b/modules/po/modpython.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /master/modules/po/modpython.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/modpython.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/modules_online.bg_BG.po b/modules/po/modules_online.bg_BG.po index 7dc60c2e..75a8ee69 100644 --- a/modules/po/modules_online.bg_BG.po +++ b/modules/po/modules_online.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /master/modules/po/modules_online.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/modules_online.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/modules_online.de_DE.po b/modules/po/modules_online.de_DE.po index 66cdf610..61a988bb 100644 --- a/modules/po/modules_online.de_DE.po +++ b/modules/po/modules_online.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/modules_online.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" #: modules_online.cpp:117 msgid "Makes ZNC's *modules to be \"online\"." diff --git a/modules/po/modules_online.es_ES.po b/modules/po/modules_online.es_ES.po index 5a48e0bf..6b1da0fc 100644 --- a/modules/po/modules_online.es_ES.po +++ b/modules/po/modules_online.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /master/modules/po/modules_online.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/modules_online.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/modules_online.fr_FR.po b/modules/po/modules_online.fr_FR.po index 23e16feb..4c50e869 100644 --- a/modules/po/modules_online.fr_FR.po +++ b/modules/po/modules_online.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /master/modules/po/modules_online.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/modules_online.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/modules_online.id_ID.po b/modules/po/modules_online.id_ID.po index f0a36284..8975b440 100644 --- a/modules/po/modules_online.id_ID.po +++ b/modules/po/modules_online.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /master/modules/po/modules_online.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/modules_online.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/modules_online.it_IT.po b/modules/po/modules_online.it_IT.po index 93483fad..eaa3f4f2 100644 --- a/modules/po/modules_online.it_IT.po +++ b/modules/po/modules_online.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /master/modules/po/modules_online.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/modules_online.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/modules_online.nl_NL.po b/modules/po/modules_online.nl_NL.po index 60d33712..adcbd3aa 100644 --- a/modules/po/modules_online.nl_NL.po +++ b/modules/po/modules_online.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /master/modules/po/modules_online.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/modules_online.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/modules_online.pt_BR.po b/modules/po/modules_online.pt_BR.po index ced1b8d9..0f64fa04 100644 --- a/modules/po/modules_online.pt_BR.po +++ b/modules/po/modules_online.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /master/modules/po/modules_online.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/modules_online.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/modules_online.ru_RU.po b/modules/po/modules_online.ru_RU.po index 5204b3bb..c8527184 100644 --- a/modules/po/modules_online.ru_RU.po +++ b/modules/po/modules_online.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /master/modules/po/modules_online.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/modules_online.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/nickserv.bg_BG.po b/modules/po/nickserv.bg_BG.po index 3a3aa649..6d3f9793 100644 --- a/modules/po/nickserv.bg_BG.po +++ b/modules/po/nickserv.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /master/modules/po/nickserv.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/nickserv.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/nickserv.de_DE.po b/modules/po/nickserv.de_DE.po index db1a2ebc..b0c1f1d8 100644 --- a/modules/po/nickserv.de_DE.po +++ b/modules/po/nickserv.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/nickserv.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" #: nickserv.cpp:31 msgid "Password set" diff --git a/modules/po/nickserv.es_ES.po b/modules/po/nickserv.es_ES.po index 81e032bd..0ed19216 100644 --- a/modules/po/nickserv.es_ES.po +++ b/modules/po/nickserv.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /master/modules/po/nickserv.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/nickserv.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/nickserv.fr_FR.po b/modules/po/nickserv.fr_FR.po index b50eed00..fd4570f1 100644 --- a/modules/po/nickserv.fr_FR.po +++ b/modules/po/nickserv.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /master/modules/po/nickserv.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/nickserv.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/nickserv.id_ID.po b/modules/po/nickserv.id_ID.po index 98315874..eb76c380 100644 --- a/modules/po/nickserv.id_ID.po +++ b/modules/po/nickserv.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /master/modules/po/nickserv.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/nickserv.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/nickserv.it_IT.po b/modules/po/nickserv.it_IT.po index eb7bd11f..d18bd950 100644 --- a/modules/po/nickserv.it_IT.po +++ b/modules/po/nickserv.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /master/modules/po/nickserv.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/nickserv.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/nickserv.nl_NL.po b/modules/po/nickserv.nl_NL.po index 2c1fb099..d7c1df67 100644 --- a/modules/po/nickserv.nl_NL.po +++ b/modules/po/nickserv.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /master/modules/po/nickserv.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/nickserv.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/nickserv.pt_BR.po b/modules/po/nickserv.pt_BR.po index f17bff81..ad2c5825 100644 --- a/modules/po/nickserv.pt_BR.po +++ b/modules/po/nickserv.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /master/modules/po/nickserv.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/nickserv.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/nickserv.ru_RU.po b/modules/po/nickserv.ru_RU.po index fdb88782..fb7bd0e6 100644 --- a/modules/po/nickserv.ru_RU.po +++ b/modules/po/nickserv.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /master/modules/po/nickserv.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/nickserv.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/notes.bg_BG.po b/modules/po/notes.bg_BG.po index 1618a7e0..1e5e5d93 100644 --- a/modules/po/notes.bg_BG.po +++ b/modules/po/notes.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /master/modules/po/notes.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/notes.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/notes.de_DE.po b/modules/po/notes.de_DE.po index a27158ca..f3677de5 100644 --- a/modules/po/notes.de_DE.po +++ b/modules/po/notes.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/notes.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" #: modules/po/../data/notes/tmpl/index.tmpl:7 msgid "Add A Note" diff --git a/modules/po/notes.es_ES.po b/modules/po/notes.es_ES.po index c31a442b..2606deaa 100644 --- a/modules/po/notes.es_ES.po +++ b/modules/po/notes.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /master/modules/po/notes.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/notes.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/notes.fr_FR.po b/modules/po/notes.fr_FR.po index ae6389e6..5fb2a34f 100644 --- a/modules/po/notes.fr_FR.po +++ b/modules/po/notes.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /master/modules/po/notes.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/notes.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/notes.id_ID.po b/modules/po/notes.id_ID.po index bafc4d3c..db238c89 100644 --- a/modules/po/notes.id_ID.po +++ b/modules/po/notes.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /master/modules/po/notes.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/notes.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/notes.it_IT.po b/modules/po/notes.it_IT.po index 6f636cc3..07dc7333 100644 --- a/modules/po/notes.it_IT.po +++ b/modules/po/notes.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /master/modules/po/notes.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/notes.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/notes.nl_NL.po b/modules/po/notes.nl_NL.po index 481a3706..eaa90723 100644 --- a/modules/po/notes.nl_NL.po +++ b/modules/po/notes.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /master/modules/po/notes.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/notes.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/notes.pt_BR.po b/modules/po/notes.pt_BR.po index 2219a454..0b3b2858 100644 --- a/modules/po/notes.pt_BR.po +++ b/modules/po/notes.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /master/modules/po/notes.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/notes.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/notes.ru_RU.po b/modules/po/notes.ru_RU.po index 5db82006..b5859c76 100644 --- a/modules/po/notes.ru_RU.po +++ b/modules/po/notes.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /master/modules/po/notes.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/notes.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/notify_connect.bg_BG.po b/modules/po/notify_connect.bg_BG.po index 254a313d..83639b6d 100644 --- a/modules/po/notify_connect.bg_BG.po +++ b/modules/po/notify_connect.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /master/modules/po/notify_connect.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/notify_connect.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/notify_connect.de_DE.po b/modules/po/notify_connect.de_DE.po index ec21f46d..cc2540dc 100644 --- a/modules/po/notify_connect.de_DE.po +++ b/modules/po/notify_connect.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/notify_connect.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" #: notify_connect.cpp:24 msgid "attached" diff --git a/modules/po/notify_connect.es_ES.po b/modules/po/notify_connect.es_ES.po index ff91f72d..244f5f31 100644 --- a/modules/po/notify_connect.es_ES.po +++ b/modules/po/notify_connect.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /master/modules/po/notify_connect.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/notify_connect.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/notify_connect.fr_FR.po b/modules/po/notify_connect.fr_FR.po index 64274257..624748b1 100644 --- a/modules/po/notify_connect.fr_FR.po +++ b/modules/po/notify_connect.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /master/modules/po/notify_connect.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/notify_connect.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/notify_connect.id_ID.po b/modules/po/notify_connect.id_ID.po index 4d7751ef..b8b94655 100644 --- a/modules/po/notify_connect.id_ID.po +++ b/modules/po/notify_connect.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /master/modules/po/notify_connect.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/notify_connect.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/notify_connect.it_IT.po b/modules/po/notify_connect.it_IT.po index 5c485872..1a85ea41 100644 --- a/modules/po/notify_connect.it_IT.po +++ b/modules/po/notify_connect.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /master/modules/po/notify_connect.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/notify_connect.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/notify_connect.nl_NL.po b/modules/po/notify_connect.nl_NL.po index d1deef1c..28372652 100644 --- a/modules/po/notify_connect.nl_NL.po +++ b/modules/po/notify_connect.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /master/modules/po/notify_connect.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/notify_connect.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/notify_connect.pt_BR.po b/modules/po/notify_connect.pt_BR.po index 3194492b..d77561ad 100644 --- a/modules/po/notify_connect.pt_BR.po +++ b/modules/po/notify_connect.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /master/modules/po/notify_connect.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/notify_connect.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/notify_connect.ru_RU.po b/modules/po/notify_connect.ru_RU.po index e00329c6..449405ee 100644 --- a/modules/po/notify_connect.ru_RU.po +++ b/modules/po/notify_connect.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /master/modules/po/notify_connect.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/notify_connect.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/perform.bg_BG.po b/modules/po/perform.bg_BG.po index a1b1043e..12030970 100644 --- a/modules/po/perform.bg_BG.po +++ b/modules/po/perform.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /master/modules/po/perform.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/perform.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/perform.de_DE.po b/modules/po/perform.de_DE.po index 99141deb..c99da3b9 100644 --- a/modules/po/perform.de_DE.po +++ b/modules/po/perform.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/perform.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" #: modules/po/../data/perform/tmpl/index.tmpl:7 perform.cpp:143 msgid "Perform" diff --git a/modules/po/perform.es_ES.po b/modules/po/perform.es_ES.po index 89d353b0..c5b1638e 100644 --- a/modules/po/perform.es_ES.po +++ b/modules/po/perform.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /master/modules/po/perform.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/perform.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/perform.fr_FR.po b/modules/po/perform.fr_FR.po index c6318ab8..964f908f 100644 --- a/modules/po/perform.fr_FR.po +++ b/modules/po/perform.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /master/modules/po/perform.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/perform.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/perform.id_ID.po b/modules/po/perform.id_ID.po index 37991360..6c7d13ee 100644 --- a/modules/po/perform.id_ID.po +++ b/modules/po/perform.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /master/modules/po/perform.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/perform.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/perform.it_IT.po b/modules/po/perform.it_IT.po index 409a75a9..ab83c3cd 100644 --- a/modules/po/perform.it_IT.po +++ b/modules/po/perform.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /master/modules/po/perform.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/perform.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/perform.nl_NL.po b/modules/po/perform.nl_NL.po index 640f7790..df816f13 100644 --- a/modules/po/perform.nl_NL.po +++ b/modules/po/perform.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /master/modules/po/perform.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/perform.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/perform.pt_BR.po b/modules/po/perform.pt_BR.po index fc7fdf42..701347e3 100644 --- a/modules/po/perform.pt_BR.po +++ b/modules/po/perform.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /master/modules/po/perform.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/perform.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/perform.ru_RU.po b/modules/po/perform.ru_RU.po index 79744998..09aa4af3 100644 --- a/modules/po/perform.ru_RU.po +++ b/modules/po/perform.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /master/modules/po/perform.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/perform.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/perleval.bg_BG.po b/modules/po/perleval.bg_BG.po index fe1a0727..b5ee98c2 100644 --- a/modules/po/perleval.bg_BG.po +++ b/modules/po/perleval.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /master/modules/po/perleval.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/perleval.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/perleval.de_DE.po b/modules/po/perleval.de_DE.po index a41da5dd..74018aa8 100644 --- a/modules/po/perleval.de_DE.po +++ b/modules/po/perleval.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/perleval.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" #: perleval.pm:23 msgid "Evaluates perl code" diff --git a/modules/po/perleval.es_ES.po b/modules/po/perleval.es_ES.po index 4c5130d9..27cc8493 100644 --- a/modules/po/perleval.es_ES.po +++ b/modules/po/perleval.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /master/modules/po/perleval.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/perleval.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/perleval.fr_FR.po b/modules/po/perleval.fr_FR.po index e4183d77..c007fd01 100644 --- a/modules/po/perleval.fr_FR.po +++ b/modules/po/perleval.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /master/modules/po/perleval.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/perleval.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/perleval.id_ID.po b/modules/po/perleval.id_ID.po index dd49585e..185afa29 100644 --- a/modules/po/perleval.id_ID.po +++ b/modules/po/perleval.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /master/modules/po/perleval.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/perleval.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/perleval.it_IT.po b/modules/po/perleval.it_IT.po index 6dc8fa32..f72cd601 100644 --- a/modules/po/perleval.it_IT.po +++ b/modules/po/perleval.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /master/modules/po/perleval.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/perleval.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/perleval.nl_NL.po b/modules/po/perleval.nl_NL.po index 74501d60..cbf8e3e8 100644 --- a/modules/po/perleval.nl_NL.po +++ b/modules/po/perleval.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /master/modules/po/perleval.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/perleval.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/perleval.pt_BR.po b/modules/po/perleval.pt_BR.po index 7b9ebe6d..fae850b1 100644 --- a/modules/po/perleval.pt_BR.po +++ b/modules/po/perleval.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /master/modules/po/perleval.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/perleval.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/perleval.ru_RU.po b/modules/po/perleval.ru_RU.po index d4f1ec37..98921c5f 100644 --- a/modules/po/perleval.ru_RU.po +++ b/modules/po/perleval.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /master/modules/po/perleval.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/perleval.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/pyeval.bg_BG.po b/modules/po/pyeval.bg_BG.po index dc83c6d9..03ab18df 100644 --- a/modules/po/pyeval.bg_BG.po +++ b/modules/po/pyeval.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /master/modules/po/pyeval.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/pyeval.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/pyeval.de_DE.po b/modules/po/pyeval.de_DE.po index 29d8bea3..129d2b0e 100644 --- a/modules/po/pyeval.de_DE.po +++ b/modules/po/pyeval.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/pyeval.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" #: pyeval.py:49 msgid "You must have admin privileges to load this module." diff --git a/modules/po/pyeval.es_ES.po b/modules/po/pyeval.es_ES.po index 521581f9..0fa7b13e 100644 --- a/modules/po/pyeval.es_ES.po +++ b/modules/po/pyeval.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /master/modules/po/pyeval.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/pyeval.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/pyeval.fr_FR.po b/modules/po/pyeval.fr_FR.po index 265618ad..2dce7193 100644 --- a/modules/po/pyeval.fr_FR.po +++ b/modules/po/pyeval.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /master/modules/po/pyeval.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/pyeval.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/pyeval.id_ID.po b/modules/po/pyeval.id_ID.po index dd915f7c..c7f67311 100644 --- a/modules/po/pyeval.id_ID.po +++ b/modules/po/pyeval.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /master/modules/po/pyeval.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/pyeval.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/pyeval.it_IT.po b/modules/po/pyeval.it_IT.po index 090e4fa9..673f4703 100644 --- a/modules/po/pyeval.it_IT.po +++ b/modules/po/pyeval.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /master/modules/po/pyeval.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/pyeval.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/pyeval.nl_NL.po b/modules/po/pyeval.nl_NL.po index ba4d5c1a..6e4e3337 100644 --- a/modules/po/pyeval.nl_NL.po +++ b/modules/po/pyeval.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /master/modules/po/pyeval.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/pyeval.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/pyeval.pt_BR.po b/modules/po/pyeval.pt_BR.po index db3c7fee..b427afcb 100644 --- a/modules/po/pyeval.pt_BR.po +++ b/modules/po/pyeval.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /master/modules/po/pyeval.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/pyeval.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/pyeval.ru_RU.po b/modules/po/pyeval.ru_RU.po index 802ce6c3..94ea3518 100644 --- a/modules/po/pyeval.ru_RU.po +++ b/modules/po/pyeval.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /master/modules/po/pyeval.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/pyeval.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/raw.bg_BG.po b/modules/po/raw.bg_BG.po index e395c6d8..7629bc3c 100644 --- a/modules/po/raw.bg_BG.po +++ b/modules/po/raw.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /master/modules/po/raw.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/raw.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/raw.de_DE.po b/modules/po/raw.de_DE.po index 5f60c607..305f5a52 100644 --- a/modules/po/raw.de_DE.po +++ b/modules/po/raw.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/raw.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" #: raw.cpp:43 msgid "View all of the raw traffic" diff --git a/modules/po/raw.es_ES.po b/modules/po/raw.es_ES.po index 57ecaa8a..396f2d8b 100644 --- a/modules/po/raw.es_ES.po +++ b/modules/po/raw.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /master/modules/po/raw.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/raw.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/raw.fr_FR.po b/modules/po/raw.fr_FR.po index 13108bdc..c88bf619 100644 --- a/modules/po/raw.fr_FR.po +++ b/modules/po/raw.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /master/modules/po/raw.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/raw.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/raw.id_ID.po b/modules/po/raw.id_ID.po index 72103dda..cbdeb38d 100644 --- a/modules/po/raw.id_ID.po +++ b/modules/po/raw.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /master/modules/po/raw.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/raw.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/raw.it_IT.po b/modules/po/raw.it_IT.po index 6bbd8ebe..61105932 100644 --- a/modules/po/raw.it_IT.po +++ b/modules/po/raw.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /master/modules/po/raw.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/raw.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/raw.nl_NL.po b/modules/po/raw.nl_NL.po index 9cb952bb..770ca7b3 100644 --- a/modules/po/raw.nl_NL.po +++ b/modules/po/raw.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /master/modules/po/raw.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/raw.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/raw.pt_BR.po b/modules/po/raw.pt_BR.po index 52e64660..d30424d6 100644 --- a/modules/po/raw.pt_BR.po +++ b/modules/po/raw.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /master/modules/po/raw.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/raw.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/raw.ru_RU.po b/modules/po/raw.ru_RU.po index 2eb8e049..957b10e5 100644 --- a/modules/po/raw.ru_RU.po +++ b/modules/po/raw.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /master/modules/po/raw.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/raw.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/route_replies.bg_BG.po b/modules/po/route_replies.bg_BG.po index 2f0cff8e..aee1c5e6 100644 --- a/modules/po/route_replies.bg_BG.po +++ b/modules/po/route_replies.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /master/modules/po/route_replies.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/route_replies.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/route_replies.de_DE.po b/modules/po/route_replies.de_DE.po index 4164b3c1..63657f81 100644 --- a/modules/po/route_replies.de_DE.po +++ b/modules/po/route_replies.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/route_replies.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" #: route_replies.cpp:215 msgid "[yes|no]" diff --git a/modules/po/route_replies.es_ES.po b/modules/po/route_replies.es_ES.po index d3a12b6a..9bb7e488 100644 --- a/modules/po/route_replies.es_ES.po +++ b/modules/po/route_replies.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /master/modules/po/route_replies.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/route_replies.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/route_replies.fr_FR.po b/modules/po/route_replies.fr_FR.po index e3fd9022..f04fa53f 100644 --- a/modules/po/route_replies.fr_FR.po +++ b/modules/po/route_replies.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /master/modules/po/route_replies.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/route_replies.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/route_replies.id_ID.po b/modules/po/route_replies.id_ID.po index 2a2fdc75..a99fb6d0 100644 --- a/modules/po/route_replies.id_ID.po +++ b/modules/po/route_replies.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /master/modules/po/route_replies.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/route_replies.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/route_replies.it_IT.po b/modules/po/route_replies.it_IT.po index 5ec05b42..10c7b3c6 100644 --- a/modules/po/route_replies.it_IT.po +++ b/modules/po/route_replies.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /master/modules/po/route_replies.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/route_replies.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/route_replies.nl_NL.po b/modules/po/route_replies.nl_NL.po index 29dda38e..4c3805ad 100644 --- a/modules/po/route_replies.nl_NL.po +++ b/modules/po/route_replies.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /master/modules/po/route_replies.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/route_replies.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/route_replies.pt_BR.po b/modules/po/route_replies.pt_BR.po index a46e1bbd..d17e3c15 100644 --- a/modules/po/route_replies.pt_BR.po +++ b/modules/po/route_replies.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /master/modules/po/route_replies.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/route_replies.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/route_replies.ru_RU.po b/modules/po/route_replies.ru_RU.po index 220b5e73..b505ae66 100644 --- a/modules/po/route_replies.ru_RU.po +++ b/modules/po/route_replies.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /master/modules/po/route_replies.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/route_replies.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/sample.bg_BG.po b/modules/po/sample.bg_BG.po index 469d1bde..f8f41100 100644 --- a/modules/po/sample.bg_BG.po +++ b/modules/po/sample.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /master/modules/po/sample.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/sample.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/sample.de_DE.po b/modules/po/sample.de_DE.po index caeb5901..b2bc692f 100644 --- a/modules/po/sample.de_DE.po +++ b/modules/po/sample.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/sample.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" #: sample.cpp:31 msgid "Sample job cancelled" diff --git a/modules/po/sample.es_ES.po b/modules/po/sample.es_ES.po index 3a88cea7..32256a92 100644 --- a/modules/po/sample.es_ES.po +++ b/modules/po/sample.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /master/modules/po/sample.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/sample.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/sample.fr_FR.po b/modules/po/sample.fr_FR.po index fb316738..28750a49 100644 --- a/modules/po/sample.fr_FR.po +++ b/modules/po/sample.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /master/modules/po/sample.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/sample.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/sample.id_ID.po b/modules/po/sample.id_ID.po index 4562c28f..4e6fccc3 100644 --- a/modules/po/sample.id_ID.po +++ b/modules/po/sample.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /master/modules/po/sample.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/sample.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/sample.it_IT.po b/modules/po/sample.it_IT.po index 2bade65c..f2b0ff66 100644 --- a/modules/po/sample.it_IT.po +++ b/modules/po/sample.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /master/modules/po/sample.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/sample.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/sample.nl_NL.po b/modules/po/sample.nl_NL.po index 1925a40c..75ec144b 100644 --- a/modules/po/sample.nl_NL.po +++ b/modules/po/sample.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /master/modules/po/sample.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/sample.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/sample.pt_BR.po b/modules/po/sample.pt_BR.po index b0ff0f11..a1da0cce 100644 --- a/modules/po/sample.pt_BR.po +++ b/modules/po/sample.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /master/modules/po/sample.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/sample.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/sample.ru_RU.po b/modules/po/sample.ru_RU.po index 4c170d24..fa0fa551 100644 --- a/modules/po/sample.ru_RU.po +++ b/modules/po/sample.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /master/modules/po/sample.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/sample.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/samplewebapi.bg_BG.po b/modules/po/samplewebapi.bg_BG.po index d4ba9be5..4f4888e2 100644 --- a/modules/po/samplewebapi.bg_BG.po +++ b/modules/po/samplewebapi.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /master/modules/po/samplewebapi.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/samplewebapi.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/samplewebapi.de_DE.po b/modules/po/samplewebapi.de_DE.po index bb73409b..4a2d9449 100644 --- a/modules/po/samplewebapi.de_DE.po +++ b/modules/po/samplewebapi.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/samplewebapi.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" #: samplewebapi.cpp:59 msgid "Sample Web API module." diff --git a/modules/po/samplewebapi.es_ES.po b/modules/po/samplewebapi.es_ES.po index f21988cb..4e459ac0 100644 --- a/modules/po/samplewebapi.es_ES.po +++ b/modules/po/samplewebapi.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /master/modules/po/samplewebapi.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/samplewebapi.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/samplewebapi.fr_FR.po b/modules/po/samplewebapi.fr_FR.po index c9530a5d..71002746 100644 --- a/modules/po/samplewebapi.fr_FR.po +++ b/modules/po/samplewebapi.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /master/modules/po/samplewebapi.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/samplewebapi.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/samplewebapi.id_ID.po b/modules/po/samplewebapi.id_ID.po index aebebe9c..6b0e330f 100644 --- a/modules/po/samplewebapi.id_ID.po +++ b/modules/po/samplewebapi.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /master/modules/po/samplewebapi.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/samplewebapi.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/samplewebapi.it_IT.po b/modules/po/samplewebapi.it_IT.po index 1bd7848a..c2928039 100644 --- a/modules/po/samplewebapi.it_IT.po +++ b/modules/po/samplewebapi.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /master/modules/po/samplewebapi.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/samplewebapi.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/samplewebapi.nl_NL.po b/modules/po/samplewebapi.nl_NL.po index 28e60de9..d5814343 100644 --- a/modules/po/samplewebapi.nl_NL.po +++ b/modules/po/samplewebapi.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /master/modules/po/samplewebapi.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/samplewebapi.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/samplewebapi.pt_BR.po b/modules/po/samplewebapi.pt_BR.po index b5c8a7b9..8f880dd4 100644 --- a/modules/po/samplewebapi.pt_BR.po +++ b/modules/po/samplewebapi.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /master/modules/po/samplewebapi.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/samplewebapi.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/samplewebapi.ru_RU.po b/modules/po/samplewebapi.ru_RU.po index a555df8d..74de4fa9 100644 --- a/modules/po/samplewebapi.ru_RU.po +++ b/modules/po/samplewebapi.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /master/modules/po/samplewebapi.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/samplewebapi.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/sasl.bg_BG.po b/modules/po/sasl.bg_BG.po index f380e109..9230b2e2 100644 --- a/modules/po/sasl.bg_BG.po +++ b/modules/po/sasl.bg_BG.po @@ -5,12 +5,12 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /master/modules/po/sasl.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/sasl.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" -#: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:292 +#: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:301 msgid "SASL" msgstr "" @@ -157,15 +157,15 @@ msgstr "" msgid "Use 'RequireAuth no' to disable." msgstr "" -#: sasl.cpp:247 +#: sasl.cpp:256 msgid "{1} mechanism succeeded." msgstr "" -#: sasl.cpp:259 +#: sasl.cpp:268 msgid "{1} mechanism failed." msgstr "" -#: sasl.cpp:337 +#: sasl.cpp:346 msgid "" "Adds support for sasl authentication capability to authenticate to an IRC " "server" diff --git a/modules/po/sasl.de_DE.po b/modules/po/sasl.de_DE.po index fe9df94a..651846c6 100644 --- a/modules/po/sasl.de_DE.po +++ b/modules/po/sasl.de_DE.po @@ -1,16 +1,16 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/sasl.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" -#: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:292 +#: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:301 msgid "SASL" msgstr "" @@ -157,15 +157,15 @@ msgstr "" msgid "Use 'RequireAuth no' to disable." msgstr "" -#: sasl.cpp:247 +#: sasl.cpp:256 msgid "{1} mechanism succeeded." msgstr "" -#: sasl.cpp:259 +#: sasl.cpp:268 msgid "{1} mechanism failed." msgstr "" -#: sasl.cpp:337 +#: sasl.cpp:346 msgid "" "Adds support for sasl authentication capability to authenticate to an IRC " "server" diff --git a/modules/po/sasl.es_ES.po b/modules/po/sasl.es_ES.po index 966a1236..a8285744 100644 --- a/modules/po/sasl.es_ES.po +++ b/modules/po/sasl.es_ES.po @@ -5,12 +5,12 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /master/modules/po/sasl.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/sasl.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" -#: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:292 +#: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:301 msgid "SASL" msgstr "SASL" @@ -161,15 +161,15 @@ msgstr "Deshabilitando red, necesitamos autenticación." msgid "Use 'RequireAuth no' to disable." msgstr "Ejecuta 'RequireAuth no' para desactivarlo." -#: sasl.cpp:247 +#: sasl.cpp:256 msgid "{1} mechanism succeeded." msgstr "Mecanismo {1} conseguido." -#: sasl.cpp:259 +#: sasl.cpp:268 msgid "{1} mechanism failed." msgstr "Mecanismo {1} fallido." -#: sasl.cpp:337 +#: sasl.cpp:346 msgid "" "Adds support for sasl authentication capability to authenticate to an IRC " "server" diff --git a/modules/po/sasl.fr_FR.po b/modules/po/sasl.fr_FR.po index 7fc883a7..07a761ef 100644 --- a/modules/po/sasl.fr_FR.po +++ b/modules/po/sasl.fr_FR.po @@ -5,12 +5,12 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /master/modules/po/sasl.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/sasl.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" -#: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:292 +#: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:301 msgid "SASL" msgstr "" @@ -157,15 +157,15 @@ msgstr "" msgid "Use 'RequireAuth no' to disable." msgstr "" -#: sasl.cpp:247 +#: sasl.cpp:256 msgid "{1} mechanism succeeded." msgstr "" -#: sasl.cpp:259 +#: sasl.cpp:268 msgid "{1} mechanism failed." msgstr "" -#: sasl.cpp:337 +#: sasl.cpp:346 msgid "" "Adds support for sasl authentication capability to authenticate to an IRC " "server" diff --git a/modules/po/sasl.id_ID.po b/modules/po/sasl.id_ID.po index cc93f345..93708686 100644 --- a/modules/po/sasl.id_ID.po +++ b/modules/po/sasl.id_ID.po @@ -5,12 +5,12 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /master/modules/po/sasl.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/sasl.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" -#: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:292 +#: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:301 msgid "SASL" msgstr "" @@ -157,15 +157,15 @@ msgstr "" msgid "Use 'RequireAuth no' to disable." msgstr "" -#: sasl.cpp:247 +#: sasl.cpp:256 msgid "{1} mechanism succeeded." msgstr "" -#: sasl.cpp:259 +#: sasl.cpp:268 msgid "{1} mechanism failed." msgstr "" -#: sasl.cpp:337 +#: sasl.cpp:346 msgid "" "Adds support for sasl authentication capability to authenticate to an IRC " "server" diff --git a/modules/po/sasl.it_IT.po b/modules/po/sasl.it_IT.po index 5d499f35..74cc3c16 100644 --- a/modules/po/sasl.it_IT.po +++ b/modules/po/sasl.it_IT.po @@ -5,12 +5,12 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /master/modules/po/sasl.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/sasl.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" -#: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:292 +#: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:301 msgid "SASL" msgstr "SASL" @@ -162,15 +162,15 @@ msgstr "Disabilitando il network, è rischiesta l'autenticazione." msgid "Use 'RequireAuth no' to disable." msgstr "Usa 'RequireAuth no' per disabilitare." -#: sasl.cpp:247 +#: sasl.cpp:256 msgid "{1} mechanism succeeded." msgstr "{1} meccanismo riuscito." -#: sasl.cpp:259 +#: sasl.cpp:268 msgid "{1} mechanism failed." msgstr "{1} meccanismo fallito." -#: sasl.cpp:337 +#: sasl.cpp:346 msgid "" "Adds support for sasl authentication capability to authenticate to an IRC " "server" diff --git a/modules/po/sasl.nl_NL.po b/modules/po/sasl.nl_NL.po index 44dea84b..4400b941 100644 --- a/modules/po/sasl.nl_NL.po +++ b/modules/po/sasl.nl_NL.po @@ -5,12 +5,12 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /master/modules/po/sasl.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/sasl.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" -#: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:292 +#: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:301 msgid "SASL" msgstr "SASL" @@ -162,15 +162,15 @@ msgstr "Netwerk uitgeschakeld, we eisen authenticatie." msgid "Use 'RequireAuth no' to disable." msgstr "Gebruik 'RequireAuth no' om uit te schakelen." -#: sasl.cpp:247 +#: sasl.cpp:256 msgid "{1} mechanism succeeded." msgstr "{1} mechanisme gelukt." -#: sasl.cpp:259 +#: sasl.cpp:268 msgid "{1} mechanism failed." msgstr "{1} mechanisme gefaalt." -#: sasl.cpp:337 +#: sasl.cpp:346 msgid "" "Adds support for sasl authentication capability to authenticate to an IRC " "server" diff --git a/modules/po/sasl.pot b/modules/po/sasl.pot index 0173287a..b88abff9 100644 --- a/modules/po/sasl.pot +++ b/modules/po/sasl.pot @@ -3,7 +3,7 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -#: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:292 +#: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:301 msgid "SASL" msgstr "" @@ -150,15 +150,15 @@ msgstr "" msgid "Use 'RequireAuth no' to disable." msgstr "" -#: sasl.cpp:247 +#: sasl.cpp:256 msgid "{1} mechanism succeeded." msgstr "" -#: sasl.cpp:259 +#: sasl.cpp:268 msgid "{1} mechanism failed." msgstr "" -#: sasl.cpp:337 +#: sasl.cpp:346 msgid "" "Adds support for sasl authentication capability to authenticate to an IRC " "server" diff --git a/modules/po/sasl.pt_BR.po b/modules/po/sasl.pt_BR.po index 0dbd84d8..417218b8 100644 --- a/modules/po/sasl.pt_BR.po +++ b/modules/po/sasl.pt_BR.po @@ -5,12 +5,12 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /master/modules/po/sasl.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/sasl.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" -#: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:292 +#: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:301 msgid "SASL" msgstr "" @@ -157,15 +157,15 @@ msgstr "" msgid "Use 'RequireAuth no' to disable." msgstr "" -#: sasl.cpp:247 +#: sasl.cpp:256 msgid "{1} mechanism succeeded." msgstr "" -#: sasl.cpp:259 +#: sasl.cpp:268 msgid "{1} mechanism failed." msgstr "" -#: sasl.cpp:337 +#: sasl.cpp:346 msgid "" "Adds support for sasl authentication capability to authenticate to an IRC " "server" diff --git a/modules/po/sasl.ru_RU.po b/modules/po/sasl.ru_RU.po index acd3d1b4..6a539ace 100644 --- a/modules/po/sasl.ru_RU.po +++ b/modules/po/sasl.ru_RU.po @@ -7,12 +7,12 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /master/modules/po/sasl.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/sasl.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" -#: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:292 +#: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:301 msgid "SASL" msgstr "" @@ -159,15 +159,15 @@ msgstr "" msgid "Use 'RequireAuth no' to disable." msgstr "" -#: sasl.cpp:247 +#: sasl.cpp:256 msgid "{1} mechanism succeeded." msgstr "" -#: sasl.cpp:259 +#: sasl.cpp:268 msgid "{1} mechanism failed." msgstr "" -#: sasl.cpp:337 +#: sasl.cpp:346 msgid "" "Adds support for sasl authentication capability to authenticate to an IRC " "server" diff --git a/modules/po/savebuff.bg_BG.po b/modules/po/savebuff.bg_BG.po index 2586ac9b..d878f351 100644 --- a/modules/po/savebuff.bg_BG.po +++ b/modules/po/savebuff.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /master/modules/po/savebuff.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/savebuff.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/savebuff.de_DE.po b/modules/po/savebuff.de_DE.po index 6c62713a..7573e115 100644 --- a/modules/po/savebuff.de_DE.po +++ b/modules/po/savebuff.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/savebuff.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" #: savebuff.cpp:65 msgid "" diff --git a/modules/po/savebuff.es_ES.po b/modules/po/savebuff.es_ES.po index 41583fca..9d6ae3d0 100644 --- a/modules/po/savebuff.es_ES.po +++ b/modules/po/savebuff.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /master/modules/po/savebuff.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/savebuff.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/savebuff.fr_FR.po b/modules/po/savebuff.fr_FR.po index b4608650..de8b3d6a 100644 --- a/modules/po/savebuff.fr_FR.po +++ b/modules/po/savebuff.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /master/modules/po/savebuff.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/savebuff.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/savebuff.id_ID.po b/modules/po/savebuff.id_ID.po index 445e2faf..03252c1c 100644 --- a/modules/po/savebuff.id_ID.po +++ b/modules/po/savebuff.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /master/modules/po/savebuff.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/savebuff.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/savebuff.it_IT.po b/modules/po/savebuff.it_IT.po index f320adfc..d494cc48 100644 --- a/modules/po/savebuff.it_IT.po +++ b/modules/po/savebuff.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /master/modules/po/savebuff.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/savebuff.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/savebuff.nl_NL.po b/modules/po/savebuff.nl_NL.po index 704ad69c..6b6e859b 100644 --- a/modules/po/savebuff.nl_NL.po +++ b/modules/po/savebuff.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /master/modules/po/savebuff.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/savebuff.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/savebuff.pt_BR.po b/modules/po/savebuff.pt_BR.po index 18839c23..b4b9d892 100644 --- a/modules/po/savebuff.pt_BR.po +++ b/modules/po/savebuff.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /master/modules/po/savebuff.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/savebuff.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/savebuff.ru_RU.po b/modules/po/savebuff.ru_RU.po index 6fcb7b82..951fc9a6 100644 --- a/modules/po/savebuff.ru_RU.po +++ b/modules/po/savebuff.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /master/modules/po/savebuff.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/savebuff.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/send_raw.bg_BG.po b/modules/po/send_raw.bg_BG.po index f87f21e2..fac58278 100644 --- a/modules/po/send_raw.bg_BG.po +++ b/modules/po/send_raw.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /master/modules/po/send_raw.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/send_raw.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/send_raw.de_DE.po b/modules/po/send_raw.de_DE.po index a7f9e258..af215c7c 100644 --- a/modules/po/send_raw.de_DE.po +++ b/modules/po/send_raw.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/send_raw.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" #: modules/po/../data/send_raw/tmpl/index.tmpl:9 msgid "Send a raw IRC line" diff --git a/modules/po/send_raw.es_ES.po b/modules/po/send_raw.es_ES.po index caca3f4e..7b3757c3 100644 --- a/modules/po/send_raw.es_ES.po +++ b/modules/po/send_raw.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /master/modules/po/send_raw.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/send_raw.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/send_raw.fr_FR.po b/modules/po/send_raw.fr_FR.po index 1eff4542..22270cbf 100644 --- a/modules/po/send_raw.fr_FR.po +++ b/modules/po/send_raw.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /master/modules/po/send_raw.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/send_raw.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/send_raw.id_ID.po b/modules/po/send_raw.id_ID.po index 97f2e56e..c34651df 100644 --- a/modules/po/send_raw.id_ID.po +++ b/modules/po/send_raw.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /master/modules/po/send_raw.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/send_raw.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/send_raw.it_IT.po b/modules/po/send_raw.it_IT.po index e019af2a..6628574b 100644 --- a/modules/po/send_raw.it_IT.po +++ b/modules/po/send_raw.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /master/modules/po/send_raw.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/send_raw.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/send_raw.nl_NL.po b/modules/po/send_raw.nl_NL.po index 5f30ba78..761f855c 100644 --- a/modules/po/send_raw.nl_NL.po +++ b/modules/po/send_raw.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /master/modules/po/send_raw.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/send_raw.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/send_raw.pt_BR.po b/modules/po/send_raw.pt_BR.po index e8361408..446daa7f 100644 --- a/modules/po/send_raw.pt_BR.po +++ b/modules/po/send_raw.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /master/modules/po/send_raw.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/send_raw.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/send_raw.ru_RU.po b/modules/po/send_raw.ru_RU.po index 56b1c005..cbf2c8c1 100644 --- a/modules/po/send_raw.ru_RU.po +++ b/modules/po/send_raw.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /master/modules/po/send_raw.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/send_raw.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/shell.bg_BG.po b/modules/po/shell.bg_BG.po index 75595426..7c79c839 100644 --- a/modules/po/shell.bg_BG.po +++ b/modules/po/shell.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /master/modules/po/shell.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/shell.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/shell.de_DE.po b/modules/po/shell.de_DE.po index d01a0b07..5ab861c2 100644 --- a/modules/po/shell.de_DE.po +++ b/modules/po/shell.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/shell.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" #: shell.cpp:37 msgid "Failed to execute: {1}" diff --git a/modules/po/shell.es_ES.po b/modules/po/shell.es_ES.po index b97b1d7f..fa3cc748 100644 --- a/modules/po/shell.es_ES.po +++ b/modules/po/shell.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /master/modules/po/shell.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/shell.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/shell.fr_FR.po b/modules/po/shell.fr_FR.po index b2b7cec4..91ff3085 100644 --- a/modules/po/shell.fr_FR.po +++ b/modules/po/shell.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /master/modules/po/shell.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/shell.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/shell.id_ID.po b/modules/po/shell.id_ID.po index 10305ea6..f7e49731 100644 --- a/modules/po/shell.id_ID.po +++ b/modules/po/shell.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /master/modules/po/shell.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/shell.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/shell.it_IT.po b/modules/po/shell.it_IT.po index 5c9f9797..1f6532bb 100644 --- a/modules/po/shell.it_IT.po +++ b/modules/po/shell.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /master/modules/po/shell.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/shell.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/shell.nl_NL.po b/modules/po/shell.nl_NL.po index 4106afb9..10263de3 100644 --- a/modules/po/shell.nl_NL.po +++ b/modules/po/shell.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /master/modules/po/shell.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/shell.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/shell.pt_BR.po b/modules/po/shell.pt_BR.po index 84661706..a5fa6934 100644 --- a/modules/po/shell.pt_BR.po +++ b/modules/po/shell.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /master/modules/po/shell.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/shell.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/shell.ru_RU.po b/modules/po/shell.ru_RU.po index 57700b51..5a790854 100644 --- a/modules/po/shell.ru_RU.po +++ b/modules/po/shell.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /master/modules/po/shell.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/shell.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/simple_away.bg_BG.po b/modules/po/simple_away.bg_BG.po index aecf476d..72d41654 100644 --- a/modules/po/simple_away.bg_BG.po +++ b/modules/po/simple_away.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /master/modules/po/simple_away.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/simple_away.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/simple_away.de_DE.po b/modules/po/simple_away.de_DE.po index c435d26b..73f67b29 100644 --- a/modules/po/simple_away.de_DE.po +++ b/modules/po/simple_away.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/simple_away.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" #: simple_away.cpp:56 msgid "[]" diff --git a/modules/po/simple_away.es_ES.po b/modules/po/simple_away.es_ES.po index 5b6900cf..93dc222e 100644 --- a/modules/po/simple_away.es_ES.po +++ b/modules/po/simple_away.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /master/modules/po/simple_away.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/simple_away.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/simple_away.fr_FR.po b/modules/po/simple_away.fr_FR.po index a3af28bf..99c33d5c 100644 --- a/modules/po/simple_away.fr_FR.po +++ b/modules/po/simple_away.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /master/modules/po/simple_away.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/simple_away.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/simple_away.id_ID.po b/modules/po/simple_away.id_ID.po index 437f572c..96b41e02 100644 --- a/modules/po/simple_away.id_ID.po +++ b/modules/po/simple_away.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /master/modules/po/simple_away.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/simple_away.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/simple_away.it_IT.po b/modules/po/simple_away.it_IT.po index 6ad1a57a..eac8ef17 100644 --- a/modules/po/simple_away.it_IT.po +++ b/modules/po/simple_away.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /master/modules/po/simple_away.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/simple_away.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/simple_away.nl_NL.po b/modules/po/simple_away.nl_NL.po index df9b8180..e276f659 100644 --- a/modules/po/simple_away.nl_NL.po +++ b/modules/po/simple_away.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /master/modules/po/simple_away.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/simple_away.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/simple_away.pt_BR.po b/modules/po/simple_away.pt_BR.po index e67601ac..216acc2d 100644 --- a/modules/po/simple_away.pt_BR.po +++ b/modules/po/simple_away.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /master/modules/po/simple_away.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/simple_away.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/simple_away.ru_RU.po b/modules/po/simple_away.ru_RU.po index 18f3a7df..e82a72f3 100644 --- a/modules/po/simple_away.ru_RU.po +++ b/modules/po/simple_away.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /master/modules/po/simple_away.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/simple_away.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/stickychan.bg_BG.po b/modules/po/stickychan.bg_BG.po index bc5264f2..ffdde654 100644 --- a/modules/po/stickychan.bg_BG.po +++ b/modules/po/stickychan.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /master/modules/po/stickychan.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/stickychan.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/stickychan.de_DE.po b/modules/po/stickychan.de_DE.po index a2cb8b95..abb16677 100644 --- a/modules/po/stickychan.de_DE.po +++ b/modules/po/stickychan.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/stickychan.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" #: modules/po/../data/stickychan/tmpl/index.tmpl:9 msgid "Name" diff --git a/modules/po/stickychan.es_ES.po b/modules/po/stickychan.es_ES.po index e1e84292..61d1c4c2 100644 --- a/modules/po/stickychan.es_ES.po +++ b/modules/po/stickychan.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /master/modules/po/stickychan.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/stickychan.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/stickychan.fr_FR.po b/modules/po/stickychan.fr_FR.po index 055ce588..bdfa9051 100644 --- a/modules/po/stickychan.fr_FR.po +++ b/modules/po/stickychan.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /master/modules/po/stickychan.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/stickychan.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/stickychan.id_ID.po b/modules/po/stickychan.id_ID.po index 6e11ea39..b8b3381a 100644 --- a/modules/po/stickychan.id_ID.po +++ b/modules/po/stickychan.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /master/modules/po/stickychan.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/stickychan.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/stickychan.it_IT.po b/modules/po/stickychan.it_IT.po index 9b66501e..1a0ecd78 100644 --- a/modules/po/stickychan.it_IT.po +++ b/modules/po/stickychan.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /master/modules/po/stickychan.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/stickychan.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/stickychan.nl_NL.po b/modules/po/stickychan.nl_NL.po index 868f511d..c5a2067c 100644 --- a/modules/po/stickychan.nl_NL.po +++ b/modules/po/stickychan.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /master/modules/po/stickychan.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/stickychan.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/stickychan.pt_BR.po b/modules/po/stickychan.pt_BR.po index e5f6e4ee..4d1fe6bd 100644 --- a/modules/po/stickychan.pt_BR.po +++ b/modules/po/stickychan.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /master/modules/po/stickychan.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/stickychan.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/stickychan.ru_RU.po b/modules/po/stickychan.ru_RU.po index 5f989deb..65723957 100644 --- a/modules/po/stickychan.ru_RU.po +++ b/modules/po/stickychan.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /master/modules/po/stickychan.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/stickychan.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/stripcontrols.bg_BG.po b/modules/po/stripcontrols.bg_BG.po index 68761174..797fc00f 100644 --- a/modules/po/stripcontrols.bg_BG.po +++ b/modules/po/stripcontrols.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /master/modules/po/stripcontrols.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/stripcontrols.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/stripcontrols.de_DE.po b/modules/po/stripcontrols.de_DE.po index bebe2d40..1276ae84 100644 --- a/modules/po/stripcontrols.de_DE.po +++ b/modules/po/stripcontrols.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/stripcontrols.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" #: stripcontrols.cpp:63 msgid "" diff --git a/modules/po/stripcontrols.es_ES.po b/modules/po/stripcontrols.es_ES.po index a29277d0..0b46d057 100644 --- a/modules/po/stripcontrols.es_ES.po +++ b/modules/po/stripcontrols.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /master/modules/po/stripcontrols.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/stripcontrols.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/stripcontrols.fr_FR.po b/modules/po/stripcontrols.fr_FR.po index c96c6f14..562ed641 100644 --- a/modules/po/stripcontrols.fr_FR.po +++ b/modules/po/stripcontrols.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /master/modules/po/stripcontrols.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/stripcontrols.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/stripcontrols.id_ID.po b/modules/po/stripcontrols.id_ID.po index 5f8e4dbd..adf94f71 100644 --- a/modules/po/stripcontrols.id_ID.po +++ b/modules/po/stripcontrols.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /master/modules/po/stripcontrols.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/stripcontrols.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/stripcontrols.it_IT.po b/modules/po/stripcontrols.it_IT.po index 0c669af9..68a786cf 100644 --- a/modules/po/stripcontrols.it_IT.po +++ b/modules/po/stripcontrols.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /master/modules/po/stripcontrols.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/stripcontrols.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/stripcontrols.nl_NL.po b/modules/po/stripcontrols.nl_NL.po index 5b6a3167..c0ed32e1 100644 --- a/modules/po/stripcontrols.nl_NL.po +++ b/modules/po/stripcontrols.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /master/modules/po/stripcontrols.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/stripcontrols.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/stripcontrols.pt_BR.po b/modules/po/stripcontrols.pt_BR.po index 83905011..66a69b7f 100644 --- a/modules/po/stripcontrols.pt_BR.po +++ b/modules/po/stripcontrols.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /master/modules/po/stripcontrols.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/stripcontrols.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/stripcontrols.ru_RU.po b/modules/po/stripcontrols.ru_RU.po index a07f5bed..ee3e6be9 100644 --- a/modules/po/stripcontrols.ru_RU.po +++ b/modules/po/stripcontrols.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /master/modules/po/stripcontrols.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/stripcontrols.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/watch.bg_BG.po b/modules/po/watch.bg_BG.po index d11b0935..8671637a 100644 --- a/modules/po/watch.bg_BG.po +++ b/modules/po/watch.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /master/modules/po/watch.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/watch.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/watch.de_DE.po b/modules/po/watch.de_DE.po index 1100ecb0..7dc742c2 100644 --- a/modules/po/watch.de_DE.po +++ b/modules/po/watch.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/watch.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" #: watch.cpp:178 msgid " [Target] [Pattern]" diff --git a/modules/po/watch.es_ES.po b/modules/po/watch.es_ES.po index 6628e184..38e6d0c8 100644 --- a/modules/po/watch.es_ES.po +++ b/modules/po/watch.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /master/modules/po/watch.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/watch.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/watch.fr_FR.po b/modules/po/watch.fr_FR.po index 41ccc13d..ab2911a7 100644 --- a/modules/po/watch.fr_FR.po +++ b/modules/po/watch.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /master/modules/po/watch.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/watch.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/watch.id_ID.po b/modules/po/watch.id_ID.po index 046f6aa0..0907b97b 100644 --- a/modules/po/watch.id_ID.po +++ b/modules/po/watch.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /master/modules/po/watch.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/watch.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/watch.it_IT.po b/modules/po/watch.it_IT.po index ae1a0417..9af43f41 100644 --- a/modules/po/watch.it_IT.po +++ b/modules/po/watch.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /master/modules/po/watch.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/watch.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/watch.nl_NL.po b/modules/po/watch.nl_NL.po index 3d7a0451..4aaa5a88 100644 --- a/modules/po/watch.nl_NL.po +++ b/modules/po/watch.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /master/modules/po/watch.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/watch.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/watch.pt_BR.po b/modules/po/watch.pt_BR.po index 340e8397..441c0f4e 100644 --- a/modules/po/watch.pt_BR.po +++ b/modules/po/watch.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /master/modules/po/watch.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/watch.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/watch.ru_RU.po b/modules/po/watch.ru_RU.po index d94e2600..09804a3a 100644 --- a/modules/po/watch.ru_RU.po +++ b/modules/po/watch.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /master/modules/po/watch.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/watch.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/webadmin.bg_BG.po b/modules/po/webadmin.bg_BG.po index 87c1eb05..0bae8126 100644 --- a/modules/po/webadmin.bg_BG.po +++ b/modules/po/webadmin.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /master/modules/po/webadmin.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/webadmin.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" @@ -1151,7 +1151,7 @@ msgid "Deny LoadMod" msgstr "" #: webadmin.cpp:1551 -msgid "Admin" +msgid "Admin (dangerous! may gain shell access)" msgstr "" #: webadmin.cpp:1561 diff --git a/modules/po/webadmin.de_DE.po b/modules/po/webadmin.de_DE.po index cd73388c..c533f79d 100644 --- a/modules/po/webadmin.de_DE.po +++ b/modules/po/webadmin.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/webadmin.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:12 msgid "Channel Info" @@ -1209,7 +1209,7 @@ msgid "Deny LoadMod" msgstr "" #: webadmin.cpp:1551 -msgid "Admin" +msgid "Admin (dangerous! may gain shell access)" msgstr "" #: webadmin.cpp:1561 diff --git a/modules/po/webadmin.es_ES.po b/modules/po/webadmin.es_ES.po index 22c237b7..d93673a7 100644 --- a/modules/po/webadmin.es_ES.po +++ b/modules/po/webadmin.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /master/modules/po/webadmin.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/webadmin.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" @@ -1219,8 +1219,8 @@ msgid "Deny LoadMod" msgstr "Bloquear LoadMod" #: webadmin.cpp:1551 -msgid "Admin" -msgstr "Admin" +msgid "Admin (dangerous! may gain shell access)" +msgstr "" #: webadmin.cpp:1561 msgid "Deny SetBindHost" diff --git a/modules/po/webadmin.fr_FR.po b/modules/po/webadmin.fr_FR.po index c34f4f8c..57238c20 100644 --- a/modules/po/webadmin.fr_FR.po +++ b/modules/po/webadmin.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /master/modules/po/webadmin.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/webadmin.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" @@ -1237,8 +1237,8 @@ msgid "Deny LoadMod" msgstr "Interdire LoadMod" #: webadmin.cpp:1551 -msgid "Admin" -msgstr "Admin" +msgid "Admin (dangerous! may gain shell access)" +msgstr "" #: webadmin.cpp:1561 msgid "Deny SetBindHost" diff --git a/modules/po/webadmin.id_ID.po b/modules/po/webadmin.id_ID.po index f8b44a26..c4c3007b 100644 --- a/modules/po/webadmin.id_ID.po +++ b/modules/po/webadmin.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /master/modules/po/webadmin.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/webadmin.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" @@ -1151,7 +1151,7 @@ msgid "Deny LoadMod" msgstr "" #: webadmin.cpp:1551 -msgid "Admin" +msgid "Admin (dangerous! may gain shell access)" msgstr "" #: webadmin.cpp:1561 diff --git a/modules/po/webadmin.it_IT.po b/modules/po/webadmin.it_IT.po index 50c4767a..2b626978 100644 --- a/modules/po/webadmin.it_IT.po +++ b/modules/po/webadmin.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /master/modules/po/webadmin.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/webadmin.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" @@ -1252,8 +1252,8 @@ msgid "Deny LoadMod" msgstr "Nega LoadMod" #: webadmin.cpp:1551 -msgid "Admin" -msgstr "Admin" +msgid "Admin (dangerous! may gain shell access)" +msgstr "" #: webadmin.cpp:1561 msgid "Deny SetBindHost" diff --git a/modules/po/webadmin.nl_NL.po b/modules/po/webadmin.nl_NL.po index 9c83952b..1863fd51 100644 --- a/modules/po/webadmin.nl_NL.po +++ b/modules/po/webadmin.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /master/modules/po/webadmin.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/webadmin.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" @@ -1221,8 +1221,8 @@ msgid "Deny LoadMod" msgstr "Sta LoadMod niet toe" #: webadmin.cpp:1551 -msgid "Admin" -msgstr "Beheerder" +msgid "Admin (dangerous! may gain shell access)" +msgstr "" #: webadmin.cpp:1561 msgid "Deny SetBindHost" diff --git a/modules/po/webadmin.pot b/modules/po/webadmin.pot index 6632885f..b0f1bdca 100644 --- a/modules/po/webadmin.pot +++ b/modules/po/webadmin.pot @@ -1144,7 +1144,7 @@ msgid "Deny LoadMod" msgstr "" #: webadmin.cpp:1551 -msgid "Admin" +msgid "Admin (dangerous! may gain shell access)" msgstr "" #: webadmin.cpp:1561 diff --git a/modules/po/webadmin.pt_BR.po b/modules/po/webadmin.pt_BR.po index 0f143a39..5bcb7b49 100644 --- a/modules/po/webadmin.pt_BR.po +++ b/modules/po/webadmin.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /master/modules/po/webadmin.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/webadmin.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" @@ -1151,7 +1151,7 @@ msgid "Deny LoadMod" msgstr "" #: webadmin.cpp:1551 -msgid "Admin" +msgid "Admin (dangerous! may gain shell access)" msgstr "" #: webadmin.cpp:1561 diff --git a/modules/po/webadmin.ru_RU.po b/modules/po/webadmin.ru_RU.po index b57b546f..1abd0b84 100644 --- a/modules/po/webadmin.ru_RU.po +++ b/modules/po/webadmin.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /master/modules/po/webadmin.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/webadmin.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" @@ -1212,8 +1212,8 @@ msgid "Deny LoadMod" msgstr "Запрет загрузки модулей" #: webadmin.cpp:1551 -msgid "Admin" -msgstr "Администратор" +msgid "Admin (dangerous! may gain shell access)" +msgstr "" #: webadmin.cpp:1561 msgid "Deny SetBindHost" diff --git a/src/po/znc.bg_BG.po b/src/po/znc.bg_BG.po index 34bf8aa6..8da21349 100644 --- a/src/po/znc.bg_BG.po +++ b/src/po/znc.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /master/src/po/znc.pot\n" +"X-Crowdin-File: /1.8.x/src/po/znc.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" @@ -229,35 +229,35 @@ msgstr "" msgid "Removing channel {1}" msgstr "" -#: Client.cpp:1256 +#: Client.cpp:1258 msgid "Your message to {1} got lost, you are not connected to IRC!" msgstr "" -#: Client.cpp:1309 Client.cpp:1315 +#: Client.cpp:1311 Client.cpp:1317 msgid "Hello. How may I help you?" msgstr "" -#: Client.cpp:1329 +#: Client.cpp:1331 msgid "Usage: /attach <#chans>" msgstr "" -#: Client.cpp:1336 Client.cpp:1358 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: Client.cpp:1338 Client.cpp:1360 ClientCommand.cpp:129 ClientCommand.cpp:151 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" msgstr[0] "" msgstr[1] "" -#: Client.cpp:1339 ClientCommand.cpp:132 +#: Client.cpp:1341 ClientCommand.cpp:132 msgid "Attached {1} channel" msgid_plural "Attached {1} channels" msgstr[0] "" msgstr[1] "" -#: Client.cpp:1351 +#: Client.cpp:1353 msgid "Usage: /detach <#chans>" msgstr "" -#: Client.cpp:1361 ClientCommand.cpp:154 +#: Client.cpp:1363 ClientCommand.cpp:154 msgid "Detached {1} channel" msgid_plural "Detached {1} channels" msgstr[0] "" diff --git a/src/po/znc.de_DE.po b/src/po/znc.de_DE.po index 460ce587..387716ad 100644 --- a/src/po/znc.de_DE.po +++ b/src/po/znc.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/src/po/znc.pot\n" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" #: webskins/_default_/tmpl/InfoBar.tmpl:6 msgid "Logged in as: {1}" @@ -256,36 +256,36 @@ msgstr "" msgid "Removing channel {1}" msgstr "Entferne Kanal {1}" -#: Client.cpp:1256 +#: Client.cpp:1258 msgid "Your message to {1} got lost, you are not connected to IRC!" msgstr "" "Deine Nachricht an {1} wurde verloren, du bist nicht mit dem IRC verbunden!" -#: Client.cpp:1309 Client.cpp:1315 +#: Client.cpp:1311 Client.cpp:1317 msgid "Hello. How may I help you?" msgstr "Hallo. Wie kann ich dir helfen?" -#: Client.cpp:1329 +#: Client.cpp:1331 msgid "Usage: /attach <#chans>" msgstr "Verwendung: /attach <#Kanal>" -#: Client.cpp:1336 Client.cpp:1358 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: Client.cpp:1338 Client.cpp:1360 ClientCommand.cpp:129 ClientCommand.cpp:151 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" msgstr[0] "Es gibt einen Kanal, der auf [{2}] passt" msgstr[1] "Es gibt {1} Kanäle, die auf [{2}] passen" -#: Client.cpp:1339 ClientCommand.cpp:132 +#: Client.cpp:1341 ClientCommand.cpp:132 msgid "Attached {1} channel" msgid_plural "Attached {1} channels" msgstr[0] "Zu {1} Kanal verbunden" msgstr[1] "Zu {1} Kanälen verbunden" -#: Client.cpp:1351 +#: Client.cpp:1353 msgid "Usage: /detach <#chans>" msgstr "Verwendung: /detach <#Kanäle>" -#: Client.cpp:1361 ClientCommand.cpp:154 +#: Client.cpp:1363 ClientCommand.cpp:154 msgid "Detached {1} channel" msgid_plural "Detached {1} channels" msgstr[0] "Von {1} Kanal getrennt" diff --git a/src/po/znc.es_ES.po b/src/po/znc.es_ES.po index 8cb6404e..8f0d240d 100644 --- a/src/po/znc.es_ES.po +++ b/src/po/znc.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /master/src/po/znc.pot\n" +"X-Crowdin-File: /1.8.x/src/po/znc.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" @@ -245,35 +245,35 @@ msgstr "Tu notice a {1} se ha perdido, ¡no estás conectado al IRC!" msgid "Removing channel {1}" msgstr "Eliminando canal {1}" -#: Client.cpp:1256 +#: Client.cpp:1258 msgid "Your message to {1} got lost, you are not connected to IRC!" msgstr "Tu mensaje a {1} se ha perdido, ¡no estás conectado al IRC!" -#: Client.cpp:1309 Client.cpp:1315 +#: Client.cpp:1311 Client.cpp:1317 msgid "Hello. How may I help you?" msgstr "Hola. ¿En qué te puedo ayudar?" -#: Client.cpp:1329 +#: Client.cpp:1331 msgid "Usage: /attach <#chans>" msgstr "Uso: /attach <#canales>" -#: Client.cpp:1336 Client.cpp:1358 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: Client.cpp:1338 Client.cpp:1360 ClientCommand.cpp:129 ClientCommand.cpp:151 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" msgstr[0] "Hay {1} canal que coincide con [{2}]" msgstr[1] "Hay {1} canales que coinciden con [{2}]" -#: Client.cpp:1339 ClientCommand.cpp:132 +#: Client.cpp:1341 ClientCommand.cpp:132 msgid "Attached {1} channel" msgid_plural "Attached {1} channels" msgstr[0] "Vinculado a {1} canal" msgstr[1] "Unido a {1} canales" -#: Client.cpp:1351 +#: Client.cpp:1353 msgid "Usage: /detach <#chans>" msgstr "Uso: /detach <#canales>" -#: Client.cpp:1361 ClientCommand.cpp:154 +#: Client.cpp:1363 ClientCommand.cpp:154 msgid "Detached {1} channel" msgid_plural "Detached {1} channels" msgstr[0] "Desvinculado {1} canal" diff --git a/src/po/znc.fr_FR.po b/src/po/znc.fr_FR.po index 24e22c14..85ffb1b3 100644 --- a/src/po/znc.fr_FR.po +++ b/src/po/znc.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /master/src/po/znc.pot\n" +"X-Crowdin-File: /1.8.x/src/po/znc.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" @@ -254,35 +254,35 @@ msgstr "Votre notice vers {1} a été perdue, vous n'êtes plus connecté à IRC msgid "Removing channel {1}" msgstr "Suppression du salon {1}" -#: Client.cpp:1256 +#: Client.cpp:1258 msgid "Your message to {1} got lost, you are not connected to IRC!" msgstr "Votre message à {1} a été perdu, vous n'êtes pas connecté à IRC !" -#: Client.cpp:1309 Client.cpp:1315 +#: Client.cpp:1311 Client.cpp:1317 msgid "Hello. How may I help you?" msgstr "Bonjour. Comment puis-je vous aider ?" -#: Client.cpp:1329 +#: Client.cpp:1331 msgid "Usage: /attach <#chans>" msgstr "Utilisation : /attach <#salons>" -#: Client.cpp:1336 Client.cpp:1358 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: Client.cpp:1338 Client.cpp:1360 ClientCommand.cpp:129 ClientCommand.cpp:151 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" msgstr[0] "Il y avait {1} salon correspondant [{2}]" msgstr[1] "Il y avait {1} salons correspondant [{2}]" -#: Client.cpp:1339 ClientCommand.cpp:132 +#: Client.cpp:1341 ClientCommand.cpp:132 msgid "Attached {1} channel" msgid_plural "Attached {1} channels" msgstr[0] "A attaché {1} salon" msgstr[1] "A attaché {1} salons" -#: Client.cpp:1351 +#: Client.cpp:1353 msgid "Usage: /detach <#chans>" msgstr "Utilisation : /detach <#salons>" -#: Client.cpp:1361 ClientCommand.cpp:154 +#: Client.cpp:1363 ClientCommand.cpp:154 msgid "Detached {1} channel" msgid_plural "Detached {1} channels" msgstr[0] "A détaché {1} salon" diff --git a/src/po/znc.id_ID.po b/src/po/znc.id_ID.po index 09ff7d5e..292a49cf 100644 --- a/src/po/znc.id_ID.po +++ b/src/po/znc.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /master/src/po/znc.pot\n" +"X-Crowdin-File: /1.8.x/src/po/znc.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" @@ -245,33 +245,33 @@ msgstr "Notice anda untuk {1} tersesat, anda tidak terhubung ke IRC!" msgid "Removing channel {1}" msgstr "Menghapus channel {1}" -#: Client.cpp:1256 +#: Client.cpp:1258 msgid "Your message to {1} got lost, you are not connected to IRC!" msgstr "Pesan anda untuk {1} tersesat, anda tidak terhubung ke IRC!" -#: Client.cpp:1309 Client.cpp:1315 +#: Client.cpp:1311 Client.cpp:1317 msgid "Hello. How may I help you?" msgstr "Halo. Bagaimana saya bisa membantu anda?" -#: Client.cpp:1329 +#: Client.cpp:1331 msgid "Usage: /attach <#chans>" msgstr "Gunakan: /attach <#chan>" -#: Client.cpp:1336 Client.cpp:1358 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: Client.cpp:1338 Client.cpp:1360 ClientCommand.cpp:129 ClientCommand.cpp:151 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" msgstr[0] "Ada {1} pencocokan saluran [{2}]" -#: Client.cpp:1339 ClientCommand.cpp:132 +#: Client.cpp:1341 ClientCommand.cpp:132 msgid "Attached {1} channel" msgid_plural "Attached {1} channels" msgstr[0] "" -#: Client.cpp:1351 +#: Client.cpp:1353 msgid "Usage: /detach <#chans>" msgstr "" -#: Client.cpp:1361 ClientCommand.cpp:154 +#: Client.cpp:1363 ClientCommand.cpp:154 msgid "Detached {1} channel" msgid_plural "Detached {1} channels" msgstr[0] "" diff --git a/src/po/znc.it_IT.po b/src/po/znc.it_IT.po index 71a7c7ed..e4b72cd3 100644 --- a/src/po/znc.it_IT.po +++ b/src/po/znc.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /master/src/po/znc.pot\n" +"X-Crowdin-File: /1.8.x/src/po/znc.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" @@ -250,35 +250,35 @@ msgstr "Il tuo NOTICE a {1} è andato perso, non sei connesso ad IRC!" msgid "Removing channel {1}" msgstr "Rimozione del canle {1}" -#: Client.cpp:1256 +#: Client.cpp:1258 msgid "Your message to {1} got lost, you are not connected to IRC!" msgstr "Il tuo messaggio a {1} è andato perso, non sei connesso ad IRC!" -#: Client.cpp:1309 Client.cpp:1315 +#: Client.cpp:1311 Client.cpp:1317 msgid "Hello. How may I help you?" msgstr "Ciao! Come posso aiutarti? Puoi iniziare a scrivere help" -#: Client.cpp:1329 +#: Client.cpp:1331 msgid "Usage: /attach <#chans>" msgstr "Usa: /attach <#canali>" -#: Client.cpp:1336 Client.cpp:1358 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: Client.cpp:1338 Client.cpp:1360 ClientCommand.cpp:129 ClientCommand.cpp:151 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" msgstr[0] "Trovato {1} canale corrispondente a [{2}]" msgstr[1] "Trovati {1} canali corrispondenti a [{2}]" -#: Client.cpp:1339 ClientCommand.cpp:132 +#: Client.cpp:1341 ClientCommand.cpp:132 msgid "Attached {1} channel" msgid_plural "Attached {1} channels" msgstr[0] "Agganciato {1} canale (Attached)" msgstr[1] "Agganciati {1} canali (Attached)" -#: Client.cpp:1351 +#: Client.cpp:1353 msgid "Usage: /detach <#chans>" msgstr "Usa: /detach <#canali>" -#: Client.cpp:1361 ClientCommand.cpp:154 +#: Client.cpp:1363 ClientCommand.cpp:154 msgid "Detached {1} channel" msgid_plural "Detached {1} channels" msgstr[0] "Scollegato {1} canale (Detached)" diff --git a/src/po/znc.nl_NL.po b/src/po/znc.nl_NL.po index 8cb9802e..0ca04df1 100644 --- a/src/po/znc.nl_NL.po +++ b/src/po/znc.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /master/src/po/znc.pot\n" +"X-Crowdin-File: /1.8.x/src/po/znc.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" @@ -259,36 +259,36 @@ msgstr "" msgid "Removing channel {1}" msgstr "Kanaal verwijderen: {1}" -#: Client.cpp:1256 +#: Client.cpp:1258 msgid "Your message to {1} got lost, you are not connected to IRC!" msgstr "" "Je bericht naar {1} is verloren geraakt, je bent niet verbonden met IRC!" -#: Client.cpp:1309 Client.cpp:1315 +#: Client.cpp:1311 Client.cpp:1317 msgid "Hello. How may I help you?" msgstr "Hallo. Hoe kan ik je helpen?" -#: Client.cpp:1329 +#: Client.cpp:1331 msgid "Usage: /attach <#chans>" msgstr "Gebruik: /attach <#kanalen>" -#: Client.cpp:1336 Client.cpp:1358 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: Client.cpp:1338 Client.cpp:1360 ClientCommand.cpp:129 ClientCommand.cpp:151 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" msgstr[0] "Er was {1} kanaal overeenkomend met [{2}]" msgstr[1] "Er waren {1} kanalen overeenkomend met [{2}]" -#: Client.cpp:1339 ClientCommand.cpp:132 +#: Client.cpp:1341 ClientCommand.cpp:132 msgid "Attached {1} channel" msgid_plural "Attached {1} channels" msgstr[0] "Gekoppeld aan {1} kanaal" msgstr[1] "Gekoppeld aan {1} kanalen" -#: Client.cpp:1351 +#: Client.cpp:1353 msgid "Usage: /detach <#chans>" msgstr "Gebruik: /detach <#kanalen>" -#: Client.cpp:1361 ClientCommand.cpp:154 +#: Client.cpp:1363 ClientCommand.cpp:154 msgid "Detached {1} channel" msgid_plural "Detached {1} channels" msgstr[0] "Losgekoppeld van {1} kanaal" diff --git a/src/po/znc.pot b/src/po/znc.pot index e318797e..5a2c5fa4 100644 --- a/src/po/znc.pot +++ b/src/po/znc.pot @@ -222,35 +222,35 @@ msgstr "" msgid "Removing channel {1}" msgstr "" -#: Client.cpp:1256 +#: Client.cpp:1258 msgid "Your message to {1} got lost, you are not connected to IRC!" msgstr "" -#: Client.cpp:1309 Client.cpp:1315 +#: Client.cpp:1311 Client.cpp:1317 msgid "Hello. How may I help you?" msgstr "" -#: Client.cpp:1329 +#: Client.cpp:1331 msgid "Usage: /attach <#chans>" msgstr "" -#: Client.cpp:1336 Client.cpp:1358 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: Client.cpp:1338 Client.cpp:1360 ClientCommand.cpp:129 ClientCommand.cpp:151 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" msgstr[0] "" msgstr[1] "" -#: Client.cpp:1339 ClientCommand.cpp:132 +#: Client.cpp:1341 ClientCommand.cpp:132 msgid "Attached {1} channel" msgid_plural "Attached {1} channels" msgstr[0] "" msgstr[1] "" -#: Client.cpp:1351 +#: Client.cpp:1353 msgid "Usage: /detach <#chans>" msgstr "" -#: Client.cpp:1361 ClientCommand.cpp:154 +#: Client.cpp:1363 ClientCommand.cpp:154 msgid "Detached {1} channel" msgid_plural "Detached {1} channels" msgstr[0] "" diff --git a/src/po/znc.pt_BR.po b/src/po/znc.pt_BR.po index 27040d98..a8ed99b8 100644 --- a/src/po/znc.pt_BR.po +++ b/src/po/znc.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /master/src/po/znc.pot\n" +"X-Crowdin-File: /1.8.x/src/po/znc.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" @@ -249,35 +249,35 @@ msgstr "O seu aviso para {1} foi perdido, você não está conectado ao IRC!" msgid "Removing channel {1}" msgstr "Removendo canal {1}" -#: Client.cpp:1256 +#: Client.cpp:1258 msgid "Your message to {1} got lost, you are not connected to IRC!" msgstr "Sua mensagem para {1} foi perdida, você não está conectado ao IRC!" -#: Client.cpp:1309 Client.cpp:1315 +#: Client.cpp:1311 Client.cpp:1317 msgid "Hello. How may I help you?" msgstr "Olá. Como posso ajudá-lo(a)?" -#: Client.cpp:1329 +#: Client.cpp:1331 msgid "Usage: /attach <#chans>" msgstr "Uso: /attach <#canais>" -#: Client.cpp:1336 Client.cpp:1358 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: Client.cpp:1338 Client.cpp:1360 ClientCommand.cpp:129 ClientCommand.cpp:151 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" msgstr[0] "Foi encontrado {1} canal correspondente a [{2}]" msgstr[1] "Foi encontrado {1} canal correspondentes a [{2}]" -#: Client.cpp:1339 ClientCommand.cpp:132 +#: Client.cpp:1341 ClientCommand.cpp:132 msgid "Attached {1} channel" msgid_plural "Attached {1} channels" msgstr[0] "{1} canal foi anexado" msgstr[1] "{1} canais foram anexados" -#: Client.cpp:1351 +#: Client.cpp:1353 msgid "Usage: /detach <#chans>" msgstr "Uso: /detach <#canais>" -#: Client.cpp:1361 ClientCommand.cpp:154 +#: Client.cpp:1363 ClientCommand.cpp:154 msgid "Detached {1} channel" msgid_plural "Detached {1} channels" msgstr[0] "{1} canal foi desanexado" @@ -919,7 +919,7 @@ msgstr "" #: ClientCommand.cpp:1196 msgid "Unable to reload {1}: {2}" -msgstr "" +msgstr "Falha ao recarregar {1}: {2}" #: ClientCommand.cpp:1204 msgid "Unable to reload global module {1}: Access denied." @@ -1263,7 +1263,7 @@ msgstr "Listar todos os canais" #: ClientCommand.cpp:1703 msgctxt "helpcmd|ListNicks|args" msgid "<#chan>" -msgstr "" +msgstr "<#canal>" #: ClientCommand.cpp:1704 msgctxt "helpcmd|ListNicks|desc" @@ -1283,7 +1283,7 @@ msgstr "Listar todos os servidores da rede atual" #: ClientCommand.cpp:1715 msgctxt "helpcmd|AddNetwork|args" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1716 msgctxt "helpcmd|AddNetwork|desc" @@ -1385,7 +1385,7 @@ msgstr "" #: ClientCommand.cpp:1763 msgctxt "helpcmd|EnableChan|desc" msgid "Enable channels" -msgstr "" +msgstr "Habilitar canais" #: ClientCommand.cpp:1764 msgctxt "helpcmd|DisableChan|args" diff --git a/src/po/znc.ru_RU.po b/src/po/znc.ru_RU.po index 2c07c4a4..d075bea5 100644 --- a/src/po/znc.ru_RU.po +++ b/src/po/znc.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /master/src/po/znc.pot\n" +"X-Crowdin-File: /1.8.x/src/po/znc.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" @@ -244,19 +244,19 @@ msgstr "Вы не подключены к IRC, ваше сообщение к {1 msgid "Removing channel {1}" msgstr "Убираю канал {1}" -#: Client.cpp:1256 +#: Client.cpp:1258 msgid "Your message to {1} got lost, you are not connected to IRC!" msgstr "Вы не подключены к IRC, ваше сообщение к {1} утеряно!" -#: Client.cpp:1309 Client.cpp:1315 +#: Client.cpp:1311 Client.cpp:1317 msgid "Hello. How may I help you?" msgstr "Привет, чем могу быть вам полезен?" -#: Client.cpp:1329 +#: Client.cpp:1331 msgid "Usage: /attach <#chans>" msgstr "Использование: /attach <#каналы>" -#: Client.cpp:1336 Client.cpp:1358 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: Client.cpp:1338 Client.cpp:1360 ClientCommand.cpp:129 ClientCommand.cpp:151 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" msgstr[0] "{1} канал подходит под маску [{2}]" @@ -264,7 +264,7 @@ msgstr[1] "{1} канала подходят под маску [{2}]" msgstr[2] "{1} каналов подходят под маску [{2}]" msgstr[3] "{1} каналов подходят под маску [{2}]" -#: Client.cpp:1339 ClientCommand.cpp:132 +#: Client.cpp:1341 ClientCommand.cpp:132 msgid "Attached {1} channel" msgid_plural "Attached {1} channels" msgstr[0] "Прицепляю {1} канал" @@ -272,11 +272,11 @@ msgstr[1] "Прицепляю {1} канала" msgstr[2] "Прицепляю {1} каналов" msgstr[3] "Прицепляю {1} каналов" -#: Client.cpp:1351 +#: Client.cpp:1353 msgid "Usage: /detach <#chans>" msgstr "Использование: /detach <#каналы>" -#: Client.cpp:1361 ClientCommand.cpp:154 +#: Client.cpp:1363 ClientCommand.cpp:154 msgid "Detached {1} channel" msgid_plural "Detached {1} channels" msgstr[0] "Отцепляю {1} канал" From e801c497409ce01faf91259b11b6cbd7b8346501 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Mon, 20 Apr 2020 20:51:07 +0100 Subject: [PATCH 374/798] Test #1715 --- test/StringTest.cpp | 6 ++++-- 1 file changed, 4 insertions(+), 2 deletions(-) diff --git a/test/StringTest.cpp b/test/StringTest.cpp index aef7881d..7c2efec2 100644 --- a/test/StringTest.cpp +++ b/test/StringTest.cpp @@ -53,6 +53,8 @@ TEST_F(EscapeTest, Test) { testString("&<>", "%26%3C%3E", "&<>", "&<>", "&<>"); testString(" ;", "+%3B", " ;", " ;", "\\s\\:"); // clang-format on + EXPECT_EQ(CString("a<.b>c").Escape_n(CString::EHTML, CString::EASCII), + "a<.b>c"); } TEST(StringTest, Bool) { @@ -199,8 +201,8 @@ TEST(StringTest, Equals) { TEST(StringTest, Find) { EXPECT_EQ(CString("Hello, I'm Bob").Find("Hello"), 0u); - EXPECT_EQ( - CString("Hello, I'm Bob").Find("Hello", CString::CaseInsensitive), 0u); + EXPECT_EQ(CString("Hello, I'm Bob").Find("Hello", CString::CaseInsensitive), + 0u); EXPECT_EQ(CString("Hello, I'm Bob").Find("Hello", CString::CaseSensitive), 0u); From 8d1637e26ef4bb8740f9af0046efac3df307c011 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Mon, 20 Apr 2020 21:33:54 +0100 Subject: [PATCH 375/798] ZNC 1.8.0-beta1 --- CMakeLists.txt | 2 +- configure.ac | 2 +- 2 files changed, 2 insertions(+), 2 deletions(-) diff --git a/CMakeLists.txt b/CMakeLists.txt index 46b58276..83cf94c0 100644 --- a/CMakeLists.txt +++ b/CMakeLists.txt @@ -18,7 +18,7 @@ cmake_minimum_required(VERSION 3.1) project(ZNC VERSION 1.8.0 LANGUAGES CXX) set(ZNC_VERSION 1.8.0) set(append_git_version false) -set(alpha_version "-alpha1") # e.g. "-rc1" +set(alpha_version "-beta1") # e.g. "-rc1" set(VERSION_EXTRA "" CACHE STRING "Additional string appended to version, e.g. to mark distribution") diff --git a/configure.ac b/configure.ac index 6a8e908d..3a4a8b47 100644 --- a/configure.ac +++ b/configure.ac @@ -7,7 +7,7 @@ AC_DEFUN([AC_PROG_CC], [m4_errprint(__file__:__line__[: Something is trying to u dnl Needed for AC_PATH_PROGS_FEATURE_CHECK which was added in 2.62 AC_PREREQ([2.62]) dnl Keep the version number in sync with version.h! -AC_INIT([znc], [1.8.0-alpha1]) +AC_INIT([znc], [1.8.0-beta1]) LIBZNC_VERSION=1.8.0 AC_CONFIG_MACRO_DIR([m4]) AC_CONFIG_SRCDIR([src/znc.cpp]) From 8717badcfc2de8cd6d6dcd0e440bdcf0e1924b97 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Tue, 21 Apr 2020 23:09:11 +0100 Subject: [PATCH 376/798] Try fix flaky ZNCTest.AwayNotify --- test/integration/tests/core.cpp | 3 +++ 1 file changed, 3 insertions(+) diff --git a/test/integration/tests/core.cpp b/test/integration/tests/core.cpp index a3f0d4da..863754fe 100644 --- a/test/integration/tests/core.cpp +++ b/test/integration/tests/core.cpp @@ -264,6 +264,9 @@ TEST_F(ZNCTest, AwayNotify) { client.ReadUntil(":x!y@z AWAY :reason"); ircd.Close(); client.ReadUntil("DEL :away-notify"); + // This test often fails on macos due to ZNC process not finishing. + // No idea why. Let's try to shutdown it more explicitly... + client.Write("znc shutdown"); } TEST_F(ZNCTest, JoinKey) { From efe640085a1d5abeed468ac77631c79ba08f8777 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Fri, 24 Apr 2020 00:27:14 +0000 Subject: [PATCH 377/798] Update translations from Crowdin for bg_BG es_ES fr_FR id_ID it_IT nl_NL pt_BR ru_RU --- modules/po/admindebug.bg_BG.po | 2 +- modules/po/admindebug.es_ES.po | 2 +- modules/po/admindebug.fr_FR.po | 2 +- modules/po/admindebug.id_ID.po | 2 +- modules/po/admindebug.it_IT.po | 2 +- modules/po/admindebug.nl_NL.po | 2 +- modules/po/admindebug.pt_BR.po | 2 +- modules/po/admindebug.ru_RU.po | 2 +- modules/po/adminlog.bg_BG.po | 2 +- modules/po/adminlog.es_ES.po | 2 +- modules/po/adminlog.fr_FR.po | 2 +- modules/po/adminlog.id_ID.po | 2 +- modules/po/adminlog.it_IT.po | 2 +- modules/po/adminlog.nl_NL.po | 2 +- modules/po/adminlog.pt_BR.po | 2 +- modules/po/adminlog.ru_RU.po | 2 +- modules/po/alias.bg_BG.po | 2 +- modules/po/alias.es_ES.po | 2 +- modules/po/alias.fr_FR.po | 2 +- modules/po/alias.id_ID.po | 2 +- modules/po/alias.it_IT.po | 2 +- modules/po/alias.nl_NL.po | 2 +- modules/po/alias.pt_BR.po | 2 +- modules/po/alias.ru_RU.po | 2 +- modules/po/autoattach.bg_BG.po | 2 +- modules/po/autoattach.es_ES.po | 2 +- modules/po/autoattach.fr_FR.po | 2 +- modules/po/autoattach.id_ID.po | 2 +- modules/po/autoattach.it_IT.po | 2 +- modules/po/autoattach.nl_NL.po | 2 +- modules/po/autoattach.pt_BR.po | 2 +- modules/po/autoattach.ru_RU.po | 2 +- modules/po/autocycle.bg_BG.po | 2 +- modules/po/autocycle.es_ES.po | 2 +- modules/po/autocycle.fr_FR.po | 2 +- modules/po/autocycle.id_ID.po | 2 +- modules/po/autocycle.it_IT.po | 2 +- modules/po/autocycle.nl_NL.po | 2 +- modules/po/autocycle.pt_BR.po | 2 +- modules/po/autocycle.ru_RU.po | 2 +- modules/po/autoop.bg_BG.po | 2 +- modules/po/autoop.es_ES.po | 2 +- modules/po/autoop.fr_FR.po | 2 +- modules/po/autoop.id_ID.po | 2 +- modules/po/autoop.it_IT.po | 2 +- modules/po/autoop.nl_NL.po | 2 +- modules/po/autoop.pt_BR.po | 2 +- modules/po/autoop.ru_RU.po | 2 +- modules/po/autoreply.bg_BG.po | 2 +- modules/po/autoreply.es_ES.po | 2 +- modules/po/autoreply.fr_FR.po | 2 +- modules/po/autoreply.id_ID.po | 2 +- modules/po/autoreply.it_IT.po | 2 +- modules/po/autoreply.nl_NL.po | 2 +- modules/po/autoreply.pt_BR.po | 2 +- modules/po/autoreply.ru_RU.po | 2 +- modules/po/autovoice.bg_BG.po | 2 +- modules/po/autovoice.es_ES.po | 2 +- modules/po/autovoice.fr_FR.po | 2 +- modules/po/autovoice.id_ID.po | 2 +- modules/po/autovoice.it_IT.po | 2 +- modules/po/autovoice.nl_NL.po | 2 +- modules/po/autovoice.pt_BR.po | 2 +- modules/po/autovoice.ru_RU.po | 2 +- modules/po/awaystore.bg_BG.po | 2 +- modules/po/awaystore.es_ES.po | 2 +- modules/po/awaystore.fr_FR.po | 2 +- modules/po/awaystore.id_ID.po | 2 +- modules/po/awaystore.it_IT.po | 2 +- modules/po/awaystore.nl_NL.po | 2 +- modules/po/awaystore.pt_BR.po | 2 +- modules/po/awaystore.ru_RU.po | 2 +- modules/po/block_motd.bg_BG.po | 2 +- modules/po/block_motd.es_ES.po | 2 +- modules/po/block_motd.fr_FR.po | 2 +- modules/po/block_motd.id_ID.po | 2 +- modules/po/block_motd.it_IT.po | 2 +- modules/po/block_motd.nl_NL.po | 2 +- modules/po/block_motd.pt_BR.po | 2 +- modules/po/block_motd.ru_RU.po | 2 +- modules/po/blockuser.bg_BG.po | 2 +- modules/po/blockuser.es_ES.po | 2 +- modules/po/blockuser.fr_FR.po | 2 +- modules/po/blockuser.id_ID.po | 2 +- modules/po/blockuser.it_IT.po | 2 +- modules/po/blockuser.nl_NL.po | 2 +- modules/po/blockuser.pt_BR.po | 2 +- modules/po/blockuser.ru_RU.po | 2 +- modules/po/bouncedcc.bg_BG.po | 2 +- modules/po/bouncedcc.es_ES.po | 2 +- modules/po/bouncedcc.fr_FR.po | 2 +- modules/po/bouncedcc.id_ID.po | 2 +- modules/po/bouncedcc.it_IT.po | 2 +- modules/po/bouncedcc.nl_NL.po | 2 +- modules/po/bouncedcc.pt_BR.po | 2 +- modules/po/bouncedcc.ru_RU.po | 2 +- modules/po/buffextras.bg_BG.po | 2 +- modules/po/buffextras.es_ES.po | 2 +- modules/po/buffextras.fr_FR.po | 2 +- modules/po/buffextras.id_ID.po | 2 +- modules/po/buffextras.it_IT.po | 2 +- modules/po/buffextras.nl_NL.po | 2 +- modules/po/buffextras.pt_BR.po | 2 +- modules/po/buffextras.ru_RU.po | 2 +- modules/po/cert.bg_BG.po | 2 +- modules/po/cert.es_ES.po | 2 +- modules/po/cert.fr_FR.po | 2 +- modules/po/cert.id_ID.po | 2 +- modules/po/cert.it_IT.po | 2 +- modules/po/cert.nl_NL.po | 2 +- modules/po/cert.pt_BR.po | 2 +- modules/po/cert.ru_RU.po | 2 +- modules/po/certauth.bg_BG.po | 2 +- modules/po/certauth.es_ES.po | 2 +- modules/po/certauth.fr_FR.po | 2 +- modules/po/certauth.id_ID.po | 2 +- modules/po/certauth.it_IT.po | 2 +- modules/po/certauth.nl_NL.po | 2 +- modules/po/certauth.pt_BR.po | 2 +- modules/po/certauth.ru_RU.po | 2 +- modules/po/chansaver.bg_BG.po | 2 +- modules/po/chansaver.es_ES.po | 2 +- modules/po/chansaver.fr_FR.po | 2 +- modules/po/chansaver.id_ID.po | 2 +- modules/po/chansaver.it_IT.po | 2 +- modules/po/chansaver.nl_NL.po | 2 +- modules/po/chansaver.pt_BR.po | 2 +- modules/po/chansaver.ru_RU.po | 2 +- modules/po/clearbufferonmsg.bg_BG.po | 2 +- modules/po/clearbufferonmsg.es_ES.po | 2 +- modules/po/clearbufferonmsg.fr_FR.po | 2 +- modules/po/clearbufferonmsg.id_ID.po | 2 +- modules/po/clearbufferonmsg.it_IT.po | 2 +- modules/po/clearbufferonmsg.nl_NL.po | 2 +- modules/po/clearbufferonmsg.pt_BR.po | 2 +- modules/po/clearbufferonmsg.ru_RU.po | 2 +- modules/po/clientnotify.bg_BG.po | 2 +- modules/po/clientnotify.es_ES.po | 4 +++- modules/po/clientnotify.fr_FR.po | 2 +- modules/po/clientnotify.id_ID.po | 2 +- modules/po/clientnotify.it_IT.po | 2 +- modules/po/clientnotify.nl_NL.po | 2 +- modules/po/clientnotify.pt_BR.po | 2 +- modules/po/clientnotify.ru_RU.po | 2 +- modules/po/controlpanel.bg_BG.po | 2 +- modules/po/controlpanel.es_ES.po | 2 +- modules/po/controlpanel.fr_FR.po | 2 +- modules/po/controlpanel.id_ID.po | 2 +- modules/po/controlpanel.it_IT.po | 2 +- modules/po/controlpanel.nl_NL.po | 2 +- modules/po/controlpanel.pt_BR.po | 2 +- modules/po/controlpanel.ru_RU.po | 2 +- modules/po/crypt.bg_BG.po | 2 +- modules/po/crypt.es_ES.po | 2 +- modules/po/crypt.fr_FR.po | 2 +- modules/po/crypt.id_ID.po | 2 +- modules/po/crypt.it_IT.po | 2 +- modules/po/crypt.nl_NL.po | 2 +- modules/po/crypt.pt_BR.po | 2 +- modules/po/crypt.ru_RU.po | 2 +- modules/po/ctcpflood.bg_BG.po | 2 +- modules/po/ctcpflood.es_ES.po | 2 +- modules/po/ctcpflood.fr_FR.po | 2 +- modules/po/ctcpflood.id_ID.po | 2 +- modules/po/ctcpflood.it_IT.po | 2 +- modules/po/ctcpflood.nl_NL.po | 2 +- modules/po/ctcpflood.pt_BR.po | 2 +- modules/po/ctcpflood.ru_RU.po | 2 +- modules/po/cyrusauth.bg_BG.po | 2 +- modules/po/cyrusauth.es_ES.po | 2 +- modules/po/cyrusauth.fr_FR.po | 2 +- modules/po/cyrusauth.id_ID.po | 2 +- modules/po/cyrusauth.it_IT.po | 2 +- modules/po/cyrusauth.nl_NL.po | 2 +- modules/po/cyrusauth.pt_BR.po | 2 +- modules/po/cyrusauth.ru_RU.po | 2 +- modules/po/dcc.bg_BG.po | 2 +- modules/po/dcc.es_ES.po | 2 +- modules/po/dcc.fr_FR.po | 2 +- modules/po/dcc.id_ID.po | 2 +- modules/po/dcc.it_IT.po | 2 +- modules/po/dcc.nl_NL.po | 2 +- modules/po/dcc.pt_BR.po | 2 +- modules/po/dcc.ru_RU.po | 2 +- modules/po/disconkick.bg_BG.po | 2 +- modules/po/disconkick.es_ES.po | 2 +- modules/po/disconkick.fr_FR.po | 2 +- modules/po/disconkick.id_ID.po | 2 +- modules/po/disconkick.it_IT.po | 2 +- modules/po/disconkick.nl_NL.po | 2 +- modules/po/disconkick.pt_BR.po | 2 +- modules/po/disconkick.ru_RU.po | 2 +- modules/po/fail2ban.bg_BG.po | 2 +- modules/po/fail2ban.es_ES.po | 2 +- modules/po/fail2ban.fr_FR.po | 2 +- modules/po/fail2ban.id_ID.po | 2 +- modules/po/fail2ban.it_IT.po | 2 +- modules/po/fail2ban.nl_NL.po | 2 +- modules/po/fail2ban.pt_BR.po | 2 +- modules/po/fail2ban.ru_RU.po | 2 +- modules/po/flooddetach.bg_BG.po | 2 +- modules/po/flooddetach.es_ES.po | 2 +- modules/po/flooddetach.fr_FR.po | 2 +- modules/po/flooddetach.id_ID.po | 2 +- modules/po/flooddetach.it_IT.po | 2 +- modules/po/flooddetach.nl_NL.po | 2 +- modules/po/flooddetach.pt_BR.po | 2 +- modules/po/flooddetach.ru_RU.po | 2 +- modules/po/identfile.bg_BG.po | 2 +- modules/po/identfile.es_ES.po | 2 +- modules/po/identfile.fr_FR.po | 2 +- modules/po/identfile.id_ID.po | 2 +- modules/po/identfile.it_IT.po | 2 +- modules/po/identfile.nl_NL.po | 2 +- modules/po/identfile.pt_BR.po | 2 +- modules/po/identfile.ru_RU.po | 2 +- modules/po/imapauth.bg_BG.po | 2 +- modules/po/imapauth.es_ES.po | 2 +- modules/po/imapauth.fr_FR.po | 2 +- modules/po/imapauth.id_ID.po | 2 +- modules/po/imapauth.it_IT.po | 2 +- modules/po/imapauth.nl_NL.po | 2 +- modules/po/imapauth.pt_BR.po | 2 +- modules/po/imapauth.ru_RU.po | 2 +- modules/po/keepnick.bg_BG.po | 2 +- modules/po/keepnick.es_ES.po | 2 +- modules/po/keepnick.fr_FR.po | 2 +- modules/po/keepnick.id_ID.po | 2 +- modules/po/keepnick.it_IT.po | 2 +- modules/po/keepnick.nl_NL.po | 2 +- modules/po/keepnick.pt_BR.po | 2 +- modules/po/keepnick.ru_RU.po | 2 +- modules/po/kickrejoin.bg_BG.po | 2 +- modules/po/kickrejoin.es_ES.po | 2 +- modules/po/kickrejoin.fr_FR.po | 2 +- modules/po/kickrejoin.id_ID.po | 2 +- modules/po/kickrejoin.it_IT.po | 2 +- modules/po/kickrejoin.nl_NL.po | 2 +- modules/po/kickrejoin.pt_BR.po | 2 +- modules/po/kickrejoin.ru_RU.po | 2 +- modules/po/lastseen.bg_BG.po | 2 +- modules/po/lastseen.es_ES.po | 2 +- modules/po/lastseen.fr_FR.po | 2 +- modules/po/lastseen.id_ID.po | 2 +- modules/po/lastseen.it_IT.po | 2 +- modules/po/lastseen.nl_NL.po | 2 +- modules/po/lastseen.pt_BR.po | 2 +- modules/po/lastseen.ru_RU.po | 2 +- modules/po/listsockets.bg_BG.po | 2 +- modules/po/listsockets.es_ES.po | 2 +- modules/po/listsockets.fr_FR.po | 2 +- modules/po/listsockets.id_ID.po | 2 +- modules/po/listsockets.it_IT.po | 2 +- modules/po/listsockets.nl_NL.po | 2 +- modules/po/listsockets.pt_BR.po | 2 +- modules/po/listsockets.ru_RU.po | 2 +- modules/po/log.bg_BG.po | 2 +- modules/po/log.es_ES.po | 2 +- modules/po/log.fr_FR.po | 2 +- modules/po/log.id_ID.po | 2 +- modules/po/log.it_IT.po | 2 +- modules/po/log.nl_NL.po | 2 +- modules/po/log.pt_BR.po | 2 +- modules/po/log.ru_RU.po | 2 +- modules/po/missingmotd.bg_BG.po | 2 +- modules/po/missingmotd.es_ES.po | 2 +- modules/po/missingmotd.fr_FR.po | 2 +- modules/po/missingmotd.id_ID.po | 2 +- modules/po/missingmotd.it_IT.po | 2 +- modules/po/missingmotd.nl_NL.po | 2 +- modules/po/missingmotd.pt_BR.po | 2 +- modules/po/missingmotd.ru_RU.po | 2 +- modules/po/modperl.bg_BG.po | 2 +- modules/po/modperl.es_ES.po | 2 +- modules/po/modperl.fr_FR.po | 2 +- modules/po/modperl.id_ID.po | 2 +- modules/po/modperl.it_IT.po | 2 +- modules/po/modperl.nl_NL.po | 2 +- modules/po/modperl.pt_BR.po | 2 +- modules/po/modperl.ru_RU.po | 2 +- modules/po/modpython.bg_BG.po | 2 +- modules/po/modpython.es_ES.po | 2 +- modules/po/modpython.fr_FR.po | 2 +- modules/po/modpython.id_ID.po | 2 +- modules/po/modpython.it_IT.po | 2 +- modules/po/modpython.nl_NL.po | 2 +- modules/po/modpython.pt_BR.po | 2 +- modules/po/modpython.ru_RU.po | 2 +- modules/po/modules_online.bg_BG.po | 2 +- modules/po/modules_online.es_ES.po | 2 +- modules/po/modules_online.fr_FR.po | 2 +- modules/po/modules_online.id_ID.po | 2 +- modules/po/modules_online.it_IT.po | 2 +- modules/po/modules_online.nl_NL.po | 2 +- modules/po/modules_online.pt_BR.po | 2 +- modules/po/modules_online.ru_RU.po | 2 +- modules/po/nickserv.bg_BG.po | 2 +- modules/po/nickserv.es_ES.po | 2 +- modules/po/nickserv.fr_FR.po | 2 +- modules/po/nickserv.id_ID.po | 2 +- modules/po/nickserv.it_IT.po | 2 +- modules/po/nickserv.nl_NL.po | 2 +- modules/po/nickserv.pt_BR.po | 2 +- modules/po/nickserv.ru_RU.po | 2 +- modules/po/notes.bg_BG.po | 2 +- modules/po/notes.es_ES.po | 2 +- modules/po/notes.fr_FR.po | 2 +- modules/po/notes.id_ID.po | 2 +- modules/po/notes.it_IT.po | 2 +- modules/po/notes.nl_NL.po | 2 +- modules/po/notes.pt_BR.po | 2 +- modules/po/notes.ru_RU.po | 2 +- modules/po/notify_connect.bg_BG.po | 2 +- modules/po/notify_connect.es_ES.po | 2 +- modules/po/notify_connect.fr_FR.po | 2 +- modules/po/notify_connect.id_ID.po | 2 +- modules/po/notify_connect.it_IT.po | 2 +- modules/po/notify_connect.nl_NL.po | 2 +- modules/po/notify_connect.pt_BR.po | 2 +- modules/po/notify_connect.ru_RU.po | 2 +- modules/po/perform.bg_BG.po | 2 +- modules/po/perform.es_ES.po | 2 +- modules/po/perform.fr_FR.po | 2 +- modules/po/perform.id_ID.po | 2 +- modules/po/perform.it_IT.po | 2 +- modules/po/perform.nl_NL.po | 2 +- modules/po/perform.pt_BR.po | 2 +- modules/po/perform.ru_RU.po | 2 +- modules/po/perleval.bg_BG.po | 2 +- modules/po/perleval.es_ES.po | 2 +- modules/po/perleval.fr_FR.po | 2 +- modules/po/perleval.id_ID.po | 2 +- modules/po/perleval.it_IT.po | 2 +- modules/po/perleval.nl_NL.po | 2 +- modules/po/perleval.pt_BR.po | 2 +- modules/po/perleval.ru_RU.po | 2 +- modules/po/pyeval.bg_BG.po | 2 +- modules/po/pyeval.es_ES.po | 2 +- modules/po/pyeval.fr_FR.po | 2 +- modules/po/pyeval.id_ID.po | 2 +- modules/po/pyeval.it_IT.po | 2 +- modules/po/pyeval.nl_NL.po | 2 +- modules/po/pyeval.pt_BR.po | 2 +- modules/po/pyeval.ru_RU.po | 2 +- modules/po/raw.bg_BG.po | 2 +- modules/po/raw.es_ES.po | 2 +- modules/po/raw.fr_FR.po | 2 +- modules/po/raw.id_ID.po | 2 +- modules/po/raw.it_IT.po | 2 +- modules/po/raw.nl_NL.po | 2 +- modules/po/raw.pt_BR.po | 2 +- modules/po/raw.ru_RU.po | 2 +- modules/po/route_replies.bg_BG.po | 2 +- modules/po/route_replies.es_ES.po | 2 +- modules/po/route_replies.fr_FR.po | 2 +- modules/po/route_replies.id_ID.po | 2 +- modules/po/route_replies.it_IT.po | 2 +- modules/po/route_replies.nl_NL.po | 2 +- modules/po/route_replies.pt_BR.po | 2 +- modules/po/route_replies.ru_RU.po | 2 +- modules/po/sample.bg_BG.po | 2 +- modules/po/sample.es_ES.po | 2 +- modules/po/sample.fr_FR.po | 2 +- modules/po/sample.id_ID.po | 2 +- modules/po/sample.it_IT.po | 2 +- modules/po/sample.nl_NL.po | 2 +- modules/po/sample.pt_BR.po | 2 +- modules/po/sample.ru_RU.po | 2 +- modules/po/samplewebapi.bg_BG.po | 2 +- modules/po/samplewebapi.es_ES.po | 2 +- modules/po/samplewebapi.fr_FR.po | 2 +- modules/po/samplewebapi.id_ID.po | 2 +- modules/po/samplewebapi.it_IT.po | 2 +- modules/po/samplewebapi.nl_NL.po | 2 +- modules/po/samplewebapi.pt_BR.po | 2 +- modules/po/samplewebapi.ru_RU.po | 2 +- modules/po/sasl.bg_BG.po | 2 +- modules/po/sasl.es_ES.po | 2 +- modules/po/sasl.fr_FR.po | 2 +- modules/po/sasl.id_ID.po | 2 +- modules/po/sasl.it_IT.po | 2 +- modules/po/sasl.nl_NL.po | 2 +- modules/po/sasl.pt_BR.po | 2 +- modules/po/sasl.ru_RU.po | 2 +- modules/po/savebuff.bg_BG.po | 2 +- modules/po/savebuff.es_ES.po | 2 +- modules/po/savebuff.fr_FR.po | 2 +- modules/po/savebuff.id_ID.po | 2 +- modules/po/savebuff.it_IT.po | 2 +- modules/po/savebuff.nl_NL.po | 2 +- modules/po/savebuff.pt_BR.po | 2 +- modules/po/savebuff.ru_RU.po | 2 +- modules/po/send_raw.bg_BG.po | 2 +- modules/po/send_raw.es_ES.po | 2 +- modules/po/send_raw.fr_FR.po | 2 +- modules/po/send_raw.id_ID.po | 2 +- modules/po/send_raw.it_IT.po | 2 +- modules/po/send_raw.nl_NL.po | 2 +- modules/po/send_raw.pt_BR.po | 2 +- modules/po/send_raw.ru_RU.po | 2 +- modules/po/shell.bg_BG.po | 2 +- modules/po/shell.es_ES.po | 2 +- modules/po/shell.fr_FR.po | 2 +- modules/po/shell.id_ID.po | 2 +- modules/po/shell.it_IT.po | 2 +- modules/po/shell.nl_NL.po | 2 +- modules/po/shell.pt_BR.po | 2 +- modules/po/shell.ru_RU.po | 2 +- modules/po/simple_away.bg_BG.po | 2 +- modules/po/simple_away.es_ES.po | 2 +- modules/po/simple_away.fr_FR.po | 2 +- modules/po/simple_away.id_ID.po | 2 +- modules/po/simple_away.it_IT.po | 2 +- modules/po/simple_away.nl_NL.po | 2 +- modules/po/simple_away.pt_BR.po | 2 +- modules/po/simple_away.ru_RU.po | 2 +- modules/po/stickychan.bg_BG.po | 2 +- modules/po/stickychan.es_ES.po | 2 +- modules/po/stickychan.fr_FR.po | 2 +- modules/po/stickychan.id_ID.po | 2 +- modules/po/stickychan.it_IT.po | 2 +- modules/po/stickychan.nl_NL.po | 2 +- modules/po/stickychan.pt_BR.po | 2 +- modules/po/stickychan.ru_RU.po | 2 +- modules/po/stripcontrols.bg_BG.po | 2 +- modules/po/stripcontrols.es_ES.po | 2 +- modules/po/stripcontrols.fr_FR.po | 2 +- modules/po/stripcontrols.id_ID.po | 2 +- modules/po/stripcontrols.it_IT.po | 2 +- modules/po/stripcontrols.nl_NL.po | 2 +- modules/po/stripcontrols.pt_BR.po | 2 +- modules/po/stripcontrols.ru_RU.po | 2 +- modules/po/watch.bg_BG.po | 2 +- modules/po/watch.es_ES.po | 2 +- modules/po/watch.fr_FR.po | 2 +- modules/po/watch.id_ID.po | 2 +- modules/po/watch.it_IT.po | 2 +- modules/po/watch.nl_NL.po | 2 +- modules/po/watch.pt_BR.po | 2 +- modules/po/watch.ru_RU.po | 2 +- modules/po/webadmin.bg_BG.po | 2 +- modules/po/webadmin.es_ES.po | 2 +- modules/po/webadmin.fr_FR.po | 2 +- modules/po/webadmin.id_ID.po | 2 +- modules/po/webadmin.it_IT.po | 2 +- modules/po/webadmin.nl_NL.po | 2 +- modules/po/webadmin.pt_BR.po | 2 +- modules/po/webadmin.ru_RU.po | 2 +- src/po/znc.bg_BG.po | 2 +- src/po/znc.es_ES.po | 2 +- src/po/znc.fr_FR.po | 2 +- src/po/znc.id_ID.po | 2 +- src/po/znc.it_IT.po | 2 +- src/po/znc.nl_NL.po | 2 +- src/po/znc.pt_BR.po | 2 +- src/po/znc.ru_RU.po | 2 +- 456 files changed, 458 insertions(+), 456 deletions(-) diff --git a/modules/po/admindebug.bg_BG.po b/modules/po/admindebug.bg_BG.po index d2d88a53..029d4323 100644 --- a/modules/po/admindebug.bg_BG.po +++ b/modules/po/admindebug.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /1.8.x/modules/po/admindebug.pot\n" +"X-Crowdin-File: /master/modules/po/admindebug.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/admindebug.es_ES.po b/modules/po/admindebug.es_ES.po index b6da09ad..f2a47a09 100644 --- a/modules/po/admindebug.es_ES.po +++ b/modules/po/admindebug.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /1.8.x/modules/po/admindebug.pot\n" +"X-Crowdin-File: /master/modules/po/admindebug.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/admindebug.fr_FR.po b/modules/po/admindebug.fr_FR.po index 1071d58c..e215f061 100644 --- a/modules/po/admindebug.fr_FR.po +++ b/modules/po/admindebug.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.8.x/modules/po/admindebug.pot\n" +"X-Crowdin-File: /master/modules/po/admindebug.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/admindebug.id_ID.po b/modules/po/admindebug.id_ID.po index 191649c4..93a798c7 100644 --- a/modules/po/admindebug.id_ID.po +++ b/modules/po/admindebug.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.8.x/modules/po/admindebug.pot\n" +"X-Crowdin-File: /master/modules/po/admindebug.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/admindebug.it_IT.po b/modules/po/admindebug.it_IT.po index d6fed307..eb2e134a 100644 --- a/modules/po/admindebug.it_IT.po +++ b/modules/po/admindebug.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /1.8.x/modules/po/admindebug.pot\n" +"X-Crowdin-File: /master/modules/po/admindebug.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/admindebug.nl_NL.po b/modules/po/admindebug.nl_NL.po index 8e1a1950..dad17bd7 100644 --- a/modules/po/admindebug.nl_NL.po +++ b/modules/po/admindebug.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.8.x/modules/po/admindebug.pot\n" +"X-Crowdin-File: /master/modules/po/admindebug.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/admindebug.pt_BR.po b/modules/po/admindebug.pt_BR.po index 2468297b..b9acb37f 100644 --- a/modules/po/admindebug.pt_BR.po +++ b/modules/po/admindebug.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /1.8.x/modules/po/admindebug.pot\n" +"X-Crowdin-File: /master/modules/po/admindebug.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/admindebug.ru_RU.po b/modules/po/admindebug.ru_RU.po index a968b169..41401d93 100644 --- a/modules/po/admindebug.ru_RU.po +++ b/modules/po/admindebug.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /1.8.x/modules/po/admindebug.pot\n" +"X-Crowdin-File: /master/modules/po/admindebug.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/adminlog.bg_BG.po b/modules/po/adminlog.bg_BG.po index 5ab0260d..dc1cc448 100644 --- a/modules/po/adminlog.bg_BG.po +++ b/modules/po/adminlog.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /1.8.x/modules/po/adminlog.pot\n" +"X-Crowdin-File: /master/modules/po/adminlog.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/adminlog.es_ES.po b/modules/po/adminlog.es_ES.po index e7949500..99e06037 100644 --- a/modules/po/adminlog.es_ES.po +++ b/modules/po/adminlog.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /1.8.x/modules/po/adminlog.pot\n" +"X-Crowdin-File: /master/modules/po/adminlog.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/adminlog.fr_FR.po b/modules/po/adminlog.fr_FR.po index e4e4950a..49bf3406 100644 --- a/modules/po/adminlog.fr_FR.po +++ b/modules/po/adminlog.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.8.x/modules/po/adminlog.pot\n" +"X-Crowdin-File: /master/modules/po/adminlog.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/adminlog.id_ID.po b/modules/po/adminlog.id_ID.po index 5b34b10b..d0bc8c1d 100644 --- a/modules/po/adminlog.id_ID.po +++ b/modules/po/adminlog.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.8.x/modules/po/adminlog.pot\n" +"X-Crowdin-File: /master/modules/po/adminlog.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/adminlog.it_IT.po b/modules/po/adminlog.it_IT.po index 9e716dd7..f4a99b91 100644 --- a/modules/po/adminlog.it_IT.po +++ b/modules/po/adminlog.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /1.8.x/modules/po/adminlog.pot\n" +"X-Crowdin-File: /master/modules/po/adminlog.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/adminlog.nl_NL.po b/modules/po/adminlog.nl_NL.po index e9ebcfe4..a5e44451 100644 --- a/modules/po/adminlog.nl_NL.po +++ b/modules/po/adminlog.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.8.x/modules/po/adminlog.pot\n" +"X-Crowdin-File: /master/modules/po/adminlog.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/adminlog.pt_BR.po b/modules/po/adminlog.pt_BR.po index a159b034..2b15a807 100644 --- a/modules/po/adminlog.pt_BR.po +++ b/modules/po/adminlog.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /1.8.x/modules/po/adminlog.pot\n" +"X-Crowdin-File: /master/modules/po/adminlog.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/adminlog.ru_RU.po b/modules/po/adminlog.ru_RU.po index 9148b8d7..8a1e443b 100644 --- a/modules/po/adminlog.ru_RU.po +++ b/modules/po/adminlog.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /1.8.x/modules/po/adminlog.pot\n" +"X-Crowdin-File: /master/modules/po/adminlog.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/alias.bg_BG.po b/modules/po/alias.bg_BG.po index a4e82111..11ea8404 100644 --- a/modules/po/alias.bg_BG.po +++ b/modules/po/alias.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /1.8.x/modules/po/alias.pot\n" +"X-Crowdin-File: /master/modules/po/alias.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/alias.es_ES.po b/modules/po/alias.es_ES.po index 82215c0a..e2f96c36 100644 --- a/modules/po/alias.es_ES.po +++ b/modules/po/alias.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /1.8.x/modules/po/alias.pot\n" +"X-Crowdin-File: /master/modules/po/alias.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/alias.fr_FR.po b/modules/po/alias.fr_FR.po index cb2643ca..c9f85c49 100644 --- a/modules/po/alias.fr_FR.po +++ b/modules/po/alias.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.8.x/modules/po/alias.pot\n" +"X-Crowdin-File: /master/modules/po/alias.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/alias.id_ID.po b/modules/po/alias.id_ID.po index 074be381..da32ebcf 100644 --- a/modules/po/alias.id_ID.po +++ b/modules/po/alias.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.8.x/modules/po/alias.pot\n" +"X-Crowdin-File: /master/modules/po/alias.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/alias.it_IT.po b/modules/po/alias.it_IT.po index e1031453..e54255d1 100644 --- a/modules/po/alias.it_IT.po +++ b/modules/po/alias.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /1.8.x/modules/po/alias.pot\n" +"X-Crowdin-File: /master/modules/po/alias.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/alias.nl_NL.po b/modules/po/alias.nl_NL.po index ac8edad9..a3dd8e14 100644 --- a/modules/po/alias.nl_NL.po +++ b/modules/po/alias.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.8.x/modules/po/alias.pot\n" +"X-Crowdin-File: /master/modules/po/alias.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/alias.pt_BR.po b/modules/po/alias.pt_BR.po index bda205fd..358c80ba 100644 --- a/modules/po/alias.pt_BR.po +++ b/modules/po/alias.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /1.8.x/modules/po/alias.pot\n" +"X-Crowdin-File: /master/modules/po/alias.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/alias.ru_RU.po b/modules/po/alias.ru_RU.po index 38604c27..2c31e075 100644 --- a/modules/po/alias.ru_RU.po +++ b/modules/po/alias.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /1.8.x/modules/po/alias.pot\n" +"X-Crowdin-File: /master/modules/po/alias.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/autoattach.bg_BG.po b/modules/po/autoattach.bg_BG.po index 48cbd8ef..f4ac7257 100644 --- a/modules/po/autoattach.bg_BG.po +++ b/modules/po/autoattach.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /1.8.x/modules/po/autoattach.pot\n" +"X-Crowdin-File: /master/modules/po/autoattach.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/autoattach.es_ES.po b/modules/po/autoattach.es_ES.po index 454c4872..cc65ea06 100644 --- a/modules/po/autoattach.es_ES.po +++ b/modules/po/autoattach.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /1.8.x/modules/po/autoattach.pot\n" +"X-Crowdin-File: /master/modules/po/autoattach.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/autoattach.fr_FR.po b/modules/po/autoattach.fr_FR.po index 919f2e43..b88369a2 100644 --- a/modules/po/autoattach.fr_FR.po +++ b/modules/po/autoattach.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.8.x/modules/po/autoattach.pot\n" +"X-Crowdin-File: /master/modules/po/autoattach.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/autoattach.id_ID.po b/modules/po/autoattach.id_ID.po index 9dc049cf..1a3e906e 100644 --- a/modules/po/autoattach.id_ID.po +++ b/modules/po/autoattach.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.8.x/modules/po/autoattach.pot\n" +"X-Crowdin-File: /master/modules/po/autoattach.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/autoattach.it_IT.po b/modules/po/autoattach.it_IT.po index 2b11a17a..934b2f56 100644 --- a/modules/po/autoattach.it_IT.po +++ b/modules/po/autoattach.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /1.8.x/modules/po/autoattach.pot\n" +"X-Crowdin-File: /master/modules/po/autoattach.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/autoattach.nl_NL.po b/modules/po/autoattach.nl_NL.po index 9ea4f61f..ee15851f 100644 --- a/modules/po/autoattach.nl_NL.po +++ b/modules/po/autoattach.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.8.x/modules/po/autoattach.pot\n" +"X-Crowdin-File: /master/modules/po/autoattach.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/autoattach.pt_BR.po b/modules/po/autoattach.pt_BR.po index 586105bc..454e0fc1 100644 --- a/modules/po/autoattach.pt_BR.po +++ b/modules/po/autoattach.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /1.8.x/modules/po/autoattach.pot\n" +"X-Crowdin-File: /master/modules/po/autoattach.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/autoattach.ru_RU.po b/modules/po/autoattach.ru_RU.po index e1f181bf..5ad48035 100644 --- a/modules/po/autoattach.ru_RU.po +++ b/modules/po/autoattach.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /1.8.x/modules/po/autoattach.pot\n" +"X-Crowdin-File: /master/modules/po/autoattach.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/autocycle.bg_BG.po b/modules/po/autocycle.bg_BG.po index b90cdb44..d4231689 100644 --- a/modules/po/autocycle.bg_BG.po +++ b/modules/po/autocycle.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /1.8.x/modules/po/autocycle.pot\n" +"X-Crowdin-File: /master/modules/po/autocycle.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/autocycle.es_ES.po b/modules/po/autocycle.es_ES.po index 37552312..27ef7e22 100644 --- a/modules/po/autocycle.es_ES.po +++ b/modules/po/autocycle.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /1.8.x/modules/po/autocycle.pot\n" +"X-Crowdin-File: /master/modules/po/autocycle.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/autocycle.fr_FR.po b/modules/po/autocycle.fr_FR.po index 83027301..4a837852 100644 --- a/modules/po/autocycle.fr_FR.po +++ b/modules/po/autocycle.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.8.x/modules/po/autocycle.pot\n" +"X-Crowdin-File: /master/modules/po/autocycle.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/autocycle.id_ID.po b/modules/po/autocycle.id_ID.po index b7800e0a..7350a33b 100644 --- a/modules/po/autocycle.id_ID.po +++ b/modules/po/autocycle.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.8.x/modules/po/autocycle.pot\n" +"X-Crowdin-File: /master/modules/po/autocycle.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/autocycle.it_IT.po b/modules/po/autocycle.it_IT.po index 5f1a287e..063e2967 100644 --- a/modules/po/autocycle.it_IT.po +++ b/modules/po/autocycle.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /1.8.x/modules/po/autocycle.pot\n" +"X-Crowdin-File: /master/modules/po/autocycle.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/autocycle.nl_NL.po b/modules/po/autocycle.nl_NL.po index c2cf1e7b..e381ed96 100644 --- a/modules/po/autocycle.nl_NL.po +++ b/modules/po/autocycle.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.8.x/modules/po/autocycle.pot\n" +"X-Crowdin-File: /master/modules/po/autocycle.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/autocycle.pt_BR.po b/modules/po/autocycle.pt_BR.po index a0c10d7c..01ce7dea 100644 --- a/modules/po/autocycle.pt_BR.po +++ b/modules/po/autocycle.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /1.8.x/modules/po/autocycle.pot\n" +"X-Crowdin-File: /master/modules/po/autocycle.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/autocycle.ru_RU.po b/modules/po/autocycle.ru_RU.po index 41d06fd3..3d6dbd8c 100644 --- a/modules/po/autocycle.ru_RU.po +++ b/modules/po/autocycle.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /1.8.x/modules/po/autocycle.pot\n" +"X-Crowdin-File: /master/modules/po/autocycle.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/autoop.bg_BG.po b/modules/po/autoop.bg_BG.po index e7a2f9c3..1ee723cc 100644 --- a/modules/po/autoop.bg_BG.po +++ b/modules/po/autoop.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /1.8.x/modules/po/autoop.pot\n" +"X-Crowdin-File: /master/modules/po/autoop.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/autoop.es_ES.po b/modules/po/autoop.es_ES.po index ecac88aa..0dcb0ccf 100644 --- a/modules/po/autoop.es_ES.po +++ b/modules/po/autoop.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /1.8.x/modules/po/autoop.pot\n" +"X-Crowdin-File: /master/modules/po/autoop.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/autoop.fr_FR.po b/modules/po/autoop.fr_FR.po index dd323ca3..2754f21d 100644 --- a/modules/po/autoop.fr_FR.po +++ b/modules/po/autoop.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.8.x/modules/po/autoop.pot\n" +"X-Crowdin-File: /master/modules/po/autoop.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/autoop.id_ID.po b/modules/po/autoop.id_ID.po index 4ad08a2f..9e004ac4 100644 --- a/modules/po/autoop.id_ID.po +++ b/modules/po/autoop.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.8.x/modules/po/autoop.pot\n" +"X-Crowdin-File: /master/modules/po/autoop.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/autoop.it_IT.po b/modules/po/autoop.it_IT.po index fd6f3490..ba81fbb6 100644 --- a/modules/po/autoop.it_IT.po +++ b/modules/po/autoop.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /1.8.x/modules/po/autoop.pot\n" +"X-Crowdin-File: /master/modules/po/autoop.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/autoop.nl_NL.po b/modules/po/autoop.nl_NL.po index cce52ea5..b53a8034 100644 --- a/modules/po/autoop.nl_NL.po +++ b/modules/po/autoop.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.8.x/modules/po/autoop.pot\n" +"X-Crowdin-File: /master/modules/po/autoop.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/autoop.pt_BR.po b/modules/po/autoop.pt_BR.po index 21d4272c..ede3f80c 100644 --- a/modules/po/autoop.pt_BR.po +++ b/modules/po/autoop.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /1.8.x/modules/po/autoop.pot\n" +"X-Crowdin-File: /master/modules/po/autoop.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/autoop.ru_RU.po b/modules/po/autoop.ru_RU.po index 82fcfeb1..8e604c71 100644 --- a/modules/po/autoop.ru_RU.po +++ b/modules/po/autoop.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /1.8.x/modules/po/autoop.pot\n" +"X-Crowdin-File: /master/modules/po/autoop.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/autoreply.bg_BG.po b/modules/po/autoreply.bg_BG.po index e7703a8a..acd6bcb3 100644 --- a/modules/po/autoreply.bg_BG.po +++ b/modules/po/autoreply.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /1.8.x/modules/po/autoreply.pot\n" +"X-Crowdin-File: /master/modules/po/autoreply.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/autoreply.es_ES.po b/modules/po/autoreply.es_ES.po index 3099fc22..d88d3665 100644 --- a/modules/po/autoreply.es_ES.po +++ b/modules/po/autoreply.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /1.8.x/modules/po/autoreply.pot\n" +"X-Crowdin-File: /master/modules/po/autoreply.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/autoreply.fr_FR.po b/modules/po/autoreply.fr_FR.po index e12a49f2..5761d848 100644 --- a/modules/po/autoreply.fr_FR.po +++ b/modules/po/autoreply.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.8.x/modules/po/autoreply.pot\n" +"X-Crowdin-File: /master/modules/po/autoreply.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/autoreply.id_ID.po b/modules/po/autoreply.id_ID.po index cb82afd3..95a9bcd4 100644 --- a/modules/po/autoreply.id_ID.po +++ b/modules/po/autoreply.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.8.x/modules/po/autoreply.pot\n" +"X-Crowdin-File: /master/modules/po/autoreply.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/autoreply.it_IT.po b/modules/po/autoreply.it_IT.po index 9c9a639c..a02d904a 100644 --- a/modules/po/autoreply.it_IT.po +++ b/modules/po/autoreply.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /1.8.x/modules/po/autoreply.pot\n" +"X-Crowdin-File: /master/modules/po/autoreply.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/autoreply.nl_NL.po b/modules/po/autoreply.nl_NL.po index 055eb4ff..00294f41 100644 --- a/modules/po/autoreply.nl_NL.po +++ b/modules/po/autoreply.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.8.x/modules/po/autoreply.pot\n" +"X-Crowdin-File: /master/modules/po/autoreply.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/autoreply.pt_BR.po b/modules/po/autoreply.pt_BR.po index 90776d9c..d7a6badc 100644 --- a/modules/po/autoreply.pt_BR.po +++ b/modules/po/autoreply.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /1.8.x/modules/po/autoreply.pot\n" +"X-Crowdin-File: /master/modules/po/autoreply.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/autoreply.ru_RU.po b/modules/po/autoreply.ru_RU.po index 8fb023dd..caecb346 100644 --- a/modules/po/autoreply.ru_RU.po +++ b/modules/po/autoreply.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /1.8.x/modules/po/autoreply.pot\n" +"X-Crowdin-File: /master/modules/po/autoreply.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/autovoice.bg_BG.po b/modules/po/autovoice.bg_BG.po index 655f814a..a71b3b58 100644 --- a/modules/po/autovoice.bg_BG.po +++ b/modules/po/autovoice.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /1.8.x/modules/po/autovoice.pot\n" +"X-Crowdin-File: /master/modules/po/autovoice.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/autovoice.es_ES.po b/modules/po/autovoice.es_ES.po index b06fc508..764c122b 100644 --- a/modules/po/autovoice.es_ES.po +++ b/modules/po/autovoice.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /1.8.x/modules/po/autovoice.pot\n" +"X-Crowdin-File: /master/modules/po/autovoice.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/autovoice.fr_FR.po b/modules/po/autovoice.fr_FR.po index a44dffb9..612fc0bb 100644 --- a/modules/po/autovoice.fr_FR.po +++ b/modules/po/autovoice.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.8.x/modules/po/autovoice.pot\n" +"X-Crowdin-File: /master/modules/po/autovoice.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/autovoice.id_ID.po b/modules/po/autovoice.id_ID.po index 2ddb1535..7ae8d461 100644 --- a/modules/po/autovoice.id_ID.po +++ b/modules/po/autovoice.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.8.x/modules/po/autovoice.pot\n" +"X-Crowdin-File: /master/modules/po/autovoice.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/autovoice.it_IT.po b/modules/po/autovoice.it_IT.po index fa5646b8..b359cdeb 100644 --- a/modules/po/autovoice.it_IT.po +++ b/modules/po/autovoice.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /1.8.x/modules/po/autovoice.pot\n" +"X-Crowdin-File: /master/modules/po/autovoice.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/autovoice.nl_NL.po b/modules/po/autovoice.nl_NL.po index 756fa403..8e4ad649 100644 --- a/modules/po/autovoice.nl_NL.po +++ b/modules/po/autovoice.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.8.x/modules/po/autovoice.pot\n" +"X-Crowdin-File: /master/modules/po/autovoice.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/autovoice.pt_BR.po b/modules/po/autovoice.pt_BR.po index b274fb8a..e1846325 100644 --- a/modules/po/autovoice.pt_BR.po +++ b/modules/po/autovoice.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /1.8.x/modules/po/autovoice.pot\n" +"X-Crowdin-File: /master/modules/po/autovoice.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/autovoice.ru_RU.po b/modules/po/autovoice.ru_RU.po index f0acf91d..43b3d97e 100644 --- a/modules/po/autovoice.ru_RU.po +++ b/modules/po/autovoice.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /1.8.x/modules/po/autovoice.pot\n" +"X-Crowdin-File: /master/modules/po/autovoice.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/awaystore.bg_BG.po b/modules/po/awaystore.bg_BG.po index f1466832..bd4b7ed4 100644 --- a/modules/po/awaystore.bg_BG.po +++ b/modules/po/awaystore.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /1.8.x/modules/po/awaystore.pot\n" +"X-Crowdin-File: /master/modules/po/awaystore.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/awaystore.es_ES.po b/modules/po/awaystore.es_ES.po index 522df2a4..2a09a28b 100644 --- a/modules/po/awaystore.es_ES.po +++ b/modules/po/awaystore.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /1.8.x/modules/po/awaystore.pot\n" +"X-Crowdin-File: /master/modules/po/awaystore.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/awaystore.fr_FR.po b/modules/po/awaystore.fr_FR.po index e941e3cb..73217eb1 100644 --- a/modules/po/awaystore.fr_FR.po +++ b/modules/po/awaystore.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.8.x/modules/po/awaystore.pot\n" +"X-Crowdin-File: /master/modules/po/awaystore.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/awaystore.id_ID.po b/modules/po/awaystore.id_ID.po index e351e9c5..3a8a6929 100644 --- a/modules/po/awaystore.id_ID.po +++ b/modules/po/awaystore.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.8.x/modules/po/awaystore.pot\n" +"X-Crowdin-File: /master/modules/po/awaystore.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/awaystore.it_IT.po b/modules/po/awaystore.it_IT.po index d35e606b..23ff16a3 100644 --- a/modules/po/awaystore.it_IT.po +++ b/modules/po/awaystore.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /1.8.x/modules/po/awaystore.pot\n" +"X-Crowdin-File: /master/modules/po/awaystore.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/awaystore.nl_NL.po b/modules/po/awaystore.nl_NL.po index 7f27ed45..46988990 100644 --- a/modules/po/awaystore.nl_NL.po +++ b/modules/po/awaystore.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.8.x/modules/po/awaystore.pot\n" +"X-Crowdin-File: /master/modules/po/awaystore.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/awaystore.pt_BR.po b/modules/po/awaystore.pt_BR.po index 9ec025c5..1ae4e75e 100644 --- a/modules/po/awaystore.pt_BR.po +++ b/modules/po/awaystore.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /1.8.x/modules/po/awaystore.pot\n" +"X-Crowdin-File: /master/modules/po/awaystore.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/awaystore.ru_RU.po b/modules/po/awaystore.ru_RU.po index d059e777..86568580 100644 --- a/modules/po/awaystore.ru_RU.po +++ b/modules/po/awaystore.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /1.8.x/modules/po/awaystore.pot\n" +"X-Crowdin-File: /master/modules/po/awaystore.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/block_motd.bg_BG.po b/modules/po/block_motd.bg_BG.po index 5009987a..b7e5e703 100644 --- a/modules/po/block_motd.bg_BG.po +++ b/modules/po/block_motd.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /1.8.x/modules/po/block_motd.pot\n" +"X-Crowdin-File: /master/modules/po/block_motd.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/block_motd.es_ES.po b/modules/po/block_motd.es_ES.po index 96589200..d1958585 100644 --- a/modules/po/block_motd.es_ES.po +++ b/modules/po/block_motd.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /1.8.x/modules/po/block_motd.pot\n" +"X-Crowdin-File: /master/modules/po/block_motd.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/block_motd.fr_FR.po b/modules/po/block_motd.fr_FR.po index 0efd345d..3ae72642 100644 --- a/modules/po/block_motd.fr_FR.po +++ b/modules/po/block_motd.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.8.x/modules/po/block_motd.pot\n" +"X-Crowdin-File: /master/modules/po/block_motd.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/block_motd.id_ID.po b/modules/po/block_motd.id_ID.po index 1ba5719e..3b1b22d7 100644 --- a/modules/po/block_motd.id_ID.po +++ b/modules/po/block_motd.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.8.x/modules/po/block_motd.pot\n" +"X-Crowdin-File: /master/modules/po/block_motd.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/block_motd.it_IT.po b/modules/po/block_motd.it_IT.po index b7b83875..87ff5445 100644 --- a/modules/po/block_motd.it_IT.po +++ b/modules/po/block_motd.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /1.8.x/modules/po/block_motd.pot\n" +"X-Crowdin-File: /master/modules/po/block_motd.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/block_motd.nl_NL.po b/modules/po/block_motd.nl_NL.po index 58751e08..03b8a6f7 100644 --- a/modules/po/block_motd.nl_NL.po +++ b/modules/po/block_motd.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.8.x/modules/po/block_motd.pot\n" +"X-Crowdin-File: /master/modules/po/block_motd.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/block_motd.pt_BR.po b/modules/po/block_motd.pt_BR.po index db2c33e2..ddf7f2f9 100644 --- a/modules/po/block_motd.pt_BR.po +++ b/modules/po/block_motd.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /1.8.x/modules/po/block_motd.pot\n" +"X-Crowdin-File: /master/modules/po/block_motd.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/block_motd.ru_RU.po b/modules/po/block_motd.ru_RU.po index 6937d9e4..033d5e10 100644 --- a/modules/po/block_motd.ru_RU.po +++ b/modules/po/block_motd.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /1.8.x/modules/po/block_motd.pot\n" +"X-Crowdin-File: /master/modules/po/block_motd.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/blockuser.bg_BG.po b/modules/po/blockuser.bg_BG.po index eaededb8..259a6043 100644 --- a/modules/po/blockuser.bg_BG.po +++ b/modules/po/blockuser.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /1.8.x/modules/po/blockuser.pot\n" +"X-Crowdin-File: /master/modules/po/blockuser.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/blockuser.es_ES.po b/modules/po/blockuser.es_ES.po index fa341422..a676c0b8 100644 --- a/modules/po/blockuser.es_ES.po +++ b/modules/po/blockuser.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /1.8.x/modules/po/blockuser.pot\n" +"X-Crowdin-File: /master/modules/po/blockuser.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/blockuser.fr_FR.po b/modules/po/blockuser.fr_FR.po index b88cb575..af06ccc6 100644 --- a/modules/po/blockuser.fr_FR.po +++ b/modules/po/blockuser.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.8.x/modules/po/blockuser.pot\n" +"X-Crowdin-File: /master/modules/po/blockuser.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/blockuser.id_ID.po b/modules/po/blockuser.id_ID.po index 56714109..8409b1ae 100644 --- a/modules/po/blockuser.id_ID.po +++ b/modules/po/blockuser.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.8.x/modules/po/blockuser.pot\n" +"X-Crowdin-File: /master/modules/po/blockuser.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/blockuser.it_IT.po b/modules/po/blockuser.it_IT.po index 67a88017..b26d3820 100644 --- a/modules/po/blockuser.it_IT.po +++ b/modules/po/blockuser.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /1.8.x/modules/po/blockuser.pot\n" +"X-Crowdin-File: /master/modules/po/blockuser.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/blockuser.nl_NL.po b/modules/po/blockuser.nl_NL.po index a5e0b8ab..34522231 100644 --- a/modules/po/blockuser.nl_NL.po +++ b/modules/po/blockuser.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.8.x/modules/po/blockuser.pot\n" +"X-Crowdin-File: /master/modules/po/blockuser.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/blockuser.pt_BR.po b/modules/po/blockuser.pt_BR.po index 4d4a42fc..dd2c8959 100644 --- a/modules/po/blockuser.pt_BR.po +++ b/modules/po/blockuser.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /1.8.x/modules/po/blockuser.pot\n" +"X-Crowdin-File: /master/modules/po/blockuser.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/blockuser.ru_RU.po b/modules/po/blockuser.ru_RU.po index bd9b8d18..fb668475 100644 --- a/modules/po/blockuser.ru_RU.po +++ b/modules/po/blockuser.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /1.8.x/modules/po/blockuser.pot\n" +"X-Crowdin-File: /master/modules/po/blockuser.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/bouncedcc.bg_BG.po b/modules/po/bouncedcc.bg_BG.po index c3f8e0b2..889e4868 100644 --- a/modules/po/bouncedcc.bg_BG.po +++ b/modules/po/bouncedcc.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /1.8.x/modules/po/bouncedcc.pot\n" +"X-Crowdin-File: /master/modules/po/bouncedcc.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/bouncedcc.es_ES.po b/modules/po/bouncedcc.es_ES.po index 87e263e0..b0915845 100644 --- a/modules/po/bouncedcc.es_ES.po +++ b/modules/po/bouncedcc.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /1.8.x/modules/po/bouncedcc.pot\n" +"X-Crowdin-File: /master/modules/po/bouncedcc.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/bouncedcc.fr_FR.po b/modules/po/bouncedcc.fr_FR.po index 27fe1eae..e69d6e82 100644 --- a/modules/po/bouncedcc.fr_FR.po +++ b/modules/po/bouncedcc.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.8.x/modules/po/bouncedcc.pot\n" +"X-Crowdin-File: /master/modules/po/bouncedcc.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/bouncedcc.id_ID.po b/modules/po/bouncedcc.id_ID.po index 68c8332a..93a3582d 100644 --- a/modules/po/bouncedcc.id_ID.po +++ b/modules/po/bouncedcc.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.8.x/modules/po/bouncedcc.pot\n" +"X-Crowdin-File: /master/modules/po/bouncedcc.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/bouncedcc.it_IT.po b/modules/po/bouncedcc.it_IT.po index 6bc93628..5a899f38 100644 --- a/modules/po/bouncedcc.it_IT.po +++ b/modules/po/bouncedcc.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /1.8.x/modules/po/bouncedcc.pot\n" +"X-Crowdin-File: /master/modules/po/bouncedcc.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/bouncedcc.nl_NL.po b/modules/po/bouncedcc.nl_NL.po index 3e8fae22..fca30c9a 100644 --- a/modules/po/bouncedcc.nl_NL.po +++ b/modules/po/bouncedcc.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.8.x/modules/po/bouncedcc.pot\n" +"X-Crowdin-File: /master/modules/po/bouncedcc.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/bouncedcc.pt_BR.po b/modules/po/bouncedcc.pt_BR.po index 3d8bd31a..3db8d92c 100644 --- a/modules/po/bouncedcc.pt_BR.po +++ b/modules/po/bouncedcc.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /1.8.x/modules/po/bouncedcc.pot\n" +"X-Crowdin-File: /master/modules/po/bouncedcc.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/bouncedcc.ru_RU.po b/modules/po/bouncedcc.ru_RU.po index cf4c9183..84011ac8 100644 --- a/modules/po/bouncedcc.ru_RU.po +++ b/modules/po/bouncedcc.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /1.8.x/modules/po/bouncedcc.pot\n" +"X-Crowdin-File: /master/modules/po/bouncedcc.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/buffextras.bg_BG.po b/modules/po/buffextras.bg_BG.po index 838f1da2..7aaf8c0f 100644 --- a/modules/po/buffextras.bg_BG.po +++ b/modules/po/buffextras.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /1.8.x/modules/po/buffextras.pot\n" +"X-Crowdin-File: /master/modules/po/buffextras.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/buffextras.es_ES.po b/modules/po/buffextras.es_ES.po index 723341be..dffcc796 100644 --- a/modules/po/buffextras.es_ES.po +++ b/modules/po/buffextras.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /1.8.x/modules/po/buffextras.pot\n" +"X-Crowdin-File: /master/modules/po/buffextras.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/buffextras.fr_FR.po b/modules/po/buffextras.fr_FR.po index 0abd9225..4fb4b7bc 100644 --- a/modules/po/buffextras.fr_FR.po +++ b/modules/po/buffextras.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.8.x/modules/po/buffextras.pot\n" +"X-Crowdin-File: /master/modules/po/buffextras.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/buffextras.id_ID.po b/modules/po/buffextras.id_ID.po index d7f9f5cc..9cffb743 100644 --- a/modules/po/buffextras.id_ID.po +++ b/modules/po/buffextras.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.8.x/modules/po/buffextras.pot\n" +"X-Crowdin-File: /master/modules/po/buffextras.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/buffextras.it_IT.po b/modules/po/buffextras.it_IT.po index 78620817..7c400747 100644 --- a/modules/po/buffextras.it_IT.po +++ b/modules/po/buffextras.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /1.8.x/modules/po/buffextras.pot\n" +"X-Crowdin-File: /master/modules/po/buffextras.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/buffextras.nl_NL.po b/modules/po/buffextras.nl_NL.po index c37e77ef..ccb6f6e7 100644 --- a/modules/po/buffextras.nl_NL.po +++ b/modules/po/buffextras.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.8.x/modules/po/buffextras.pot\n" +"X-Crowdin-File: /master/modules/po/buffextras.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/buffextras.pt_BR.po b/modules/po/buffextras.pt_BR.po index 184f6458..4149f380 100644 --- a/modules/po/buffextras.pt_BR.po +++ b/modules/po/buffextras.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /1.8.x/modules/po/buffextras.pot\n" +"X-Crowdin-File: /master/modules/po/buffextras.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/buffextras.ru_RU.po b/modules/po/buffextras.ru_RU.po index bb9ed1aa..6defdf31 100644 --- a/modules/po/buffextras.ru_RU.po +++ b/modules/po/buffextras.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /1.8.x/modules/po/buffextras.pot\n" +"X-Crowdin-File: /master/modules/po/buffextras.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/cert.bg_BG.po b/modules/po/cert.bg_BG.po index 677648ff..f9e58219 100644 --- a/modules/po/cert.bg_BG.po +++ b/modules/po/cert.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /1.8.x/modules/po/cert.pot\n" +"X-Crowdin-File: /master/modules/po/cert.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/cert.es_ES.po b/modules/po/cert.es_ES.po index 02e38b70..4786d510 100644 --- a/modules/po/cert.es_ES.po +++ b/modules/po/cert.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /1.8.x/modules/po/cert.pot\n" +"X-Crowdin-File: /master/modules/po/cert.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/cert.fr_FR.po b/modules/po/cert.fr_FR.po index d08d42b2..6f71ef32 100644 --- a/modules/po/cert.fr_FR.po +++ b/modules/po/cert.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.8.x/modules/po/cert.pot\n" +"X-Crowdin-File: /master/modules/po/cert.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/cert.id_ID.po b/modules/po/cert.id_ID.po index 64557de2..2fd71c07 100644 --- a/modules/po/cert.id_ID.po +++ b/modules/po/cert.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.8.x/modules/po/cert.pot\n" +"X-Crowdin-File: /master/modules/po/cert.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/cert.it_IT.po b/modules/po/cert.it_IT.po index 25bf0f27..831bc452 100644 --- a/modules/po/cert.it_IT.po +++ b/modules/po/cert.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /1.8.x/modules/po/cert.pot\n" +"X-Crowdin-File: /master/modules/po/cert.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/cert.nl_NL.po b/modules/po/cert.nl_NL.po index 519a5fda..67b0b59b 100644 --- a/modules/po/cert.nl_NL.po +++ b/modules/po/cert.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.8.x/modules/po/cert.pot\n" +"X-Crowdin-File: /master/modules/po/cert.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/cert.pt_BR.po b/modules/po/cert.pt_BR.po index c6396d23..59f61c04 100644 --- a/modules/po/cert.pt_BR.po +++ b/modules/po/cert.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /1.8.x/modules/po/cert.pot\n" +"X-Crowdin-File: /master/modules/po/cert.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/cert.ru_RU.po b/modules/po/cert.ru_RU.po index 1ecffc9f..f96df913 100644 --- a/modules/po/cert.ru_RU.po +++ b/modules/po/cert.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /1.8.x/modules/po/cert.pot\n" +"X-Crowdin-File: /master/modules/po/cert.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/certauth.bg_BG.po b/modules/po/certauth.bg_BG.po index 846d531f..d21338b7 100644 --- a/modules/po/certauth.bg_BG.po +++ b/modules/po/certauth.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /1.8.x/modules/po/certauth.pot\n" +"X-Crowdin-File: /master/modules/po/certauth.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/certauth.es_ES.po b/modules/po/certauth.es_ES.po index f1430e81..e04e33ee 100644 --- a/modules/po/certauth.es_ES.po +++ b/modules/po/certauth.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /1.8.x/modules/po/certauth.pot\n" +"X-Crowdin-File: /master/modules/po/certauth.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/certauth.fr_FR.po b/modules/po/certauth.fr_FR.po index f4e254cf..1ef0ef57 100644 --- a/modules/po/certauth.fr_FR.po +++ b/modules/po/certauth.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.8.x/modules/po/certauth.pot\n" +"X-Crowdin-File: /master/modules/po/certauth.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/certauth.id_ID.po b/modules/po/certauth.id_ID.po index 0bc84ada..a61df9db 100644 --- a/modules/po/certauth.id_ID.po +++ b/modules/po/certauth.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.8.x/modules/po/certauth.pot\n" +"X-Crowdin-File: /master/modules/po/certauth.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/certauth.it_IT.po b/modules/po/certauth.it_IT.po index f6803253..83ec962a 100644 --- a/modules/po/certauth.it_IT.po +++ b/modules/po/certauth.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /1.8.x/modules/po/certauth.pot\n" +"X-Crowdin-File: /master/modules/po/certauth.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/certauth.nl_NL.po b/modules/po/certauth.nl_NL.po index e2f6ef14..173c55ad 100644 --- a/modules/po/certauth.nl_NL.po +++ b/modules/po/certauth.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.8.x/modules/po/certauth.pot\n" +"X-Crowdin-File: /master/modules/po/certauth.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/certauth.pt_BR.po b/modules/po/certauth.pt_BR.po index 0824d0be..8912c1f2 100644 --- a/modules/po/certauth.pt_BR.po +++ b/modules/po/certauth.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /1.8.x/modules/po/certauth.pot\n" +"X-Crowdin-File: /master/modules/po/certauth.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/certauth.ru_RU.po b/modules/po/certauth.ru_RU.po index 59490080..aa45cce5 100644 --- a/modules/po/certauth.ru_RU.po +++ b/modules/po/certauth.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /1.8.x/modules/po/certauth.pot\n" +"X-Crowdin-File: /master/modules/po/certauth.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/chansaver.bg_BG.po b/modules/po/chansaver.bg_BG.po index a69250a9..d0c6611d 100644 --- a/modules/po/chansaver.bg_BG.po +++ b/modules/po/chansaver.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /1.8.x/modules/po/chansaver.pot\n" +"X-Crowdin-File: /master/modules/po/chansaver.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/chansaver.es_ES.po b/modules/po/chansaver.es_ES.po index 06aaff47..511da57a 100644 --- a/modules/po/chansaver.es_ES.po +++ b/modules/po/chansaver.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /1.8.x/modules/po/chansaver.pot\n" +"X-Crowdin-File: /master/modules/po/chansaver.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/chansaver.fr_FR.po b/modules/po/chansaver.fr_FR.po index fcbdb960..1faa18d8 100644 --- a/modules/po/chansaver.fr_FR.po +++ b/modules/po/chansaver.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.8.x/modules/po/chansaver.pot\n" +"X-Crowdin-File: /master/modules/po/chansaver.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/chansaver.id_ID.po b/modules/po/chansaver.id_ID.po index ed26450d..cc3db948 100644 --- a/modules/po/chansaver.id_ID.po +++ b/modules/po/chansaver.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.8.x/modules/po/chansaver.pot\n" +"X-Crowdin-File: /master/modules/po/chansaver.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/chansaver.it_IT.po b/modules/po/chansaver.it_IT.po index 2b1771a0..295f0af1 100644 --- a/modules/po/chansaver.it_IT.po +++ b/modules/po/chansaver.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /1.8.x/modules/po/chansaver.pot\n" +"X-Crowdin-File: /master/modules/po/chansaver.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/chansaver.nl_NL.po b/modules/po/chansaver.nl_NL.po index 8b76eea6..f202ed77 100644 --- a/modules/po/chansaver.nl_NL.po +++ b/modules/po/chansaver.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.8.x/modules/po/chansaver.pot\n" +"X-Crowdin-File: /master/modules/po/chansaver.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/chansaver.pt_BR.po b/modules/po/chansaver.pt_BR.po index 98f747b8..874a3f40 100644 --- a/modules/po/chansaver.pt_BR.po +++ b/modules/po/chansaver.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /1.8.x/modules/po/chansaver.pot\n" +"X-Crowdin-File: /master/modules/po/chansaver.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/chansaver.ru_RU.po b/modules/po/chansaver.ru_RU.po index f03f91f0..f3dfc856 100644 --- a/modules/po/chansaver.ru_RU.po +++ b/modules/po/chansaver.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /1.8.x/modules/po/chansaver.pot\n" +"X-Crowdin-File: /master/modules/po/chansaver.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/clearbufferonmsg.bg_BG.po b/modules/po/clearbufferonmsg.bg_BG.po index c1855522..40f1c332 100644 --- a/modules/po/clearbufferonmsg.bg_BG.po +++ b/modules/po/clearbufferonmsg.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /1.8.x/modules/po/clearbufferonmsg.pot\n" +"X-Crowdin-File: /master/modules/po/clearbufferonmsg.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/clearbufferonmsg.es_ES.po b/modules/po/clearbufferonmsg.es_ES.po index ea418d61..46e19ddb 100644 --- a/modules/po/clearbufferonmsg.es_ES.po +++ b/modules/po/clearbufferonmsg.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /1.8.x/modules/po/clearbufferonmsg.pot\n" +"X-Crowdin-File: /master/modules/po/clearbufferonmsg.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/clearbufferonmsg.fr_FR.po b/modules/po/clearbufferonmsg.fr_FR.po index 65a3159d..bfe47e51 100644 --- a/modules/po/clearbufferonmsg.fr_FR.po +++ b/modules/po/clearbufferonmsg.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.8.x/modules/po/clearbufferonmsg.pot\n" +"X-Crowdin-File: /master/modules/po/clearbufferonmsg.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/clearbufferonmsg.id_ID.po b/modules/po/clearbufferonmsg.id_ID.po index 7b4b0073..0e6deee8 100644 --- a/modules/po/clearbufferonmsg.id_ID.po +++ b/modules/po/clearbufferonmsg.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.8.x/modules/po/clearbufferonmsg.pot\n" +"X-Crowdin-File: /master/modules/po/clearbufferonmsg.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/clearbufferonmsg.it_IT.po b/modules/po/clearbufferonmsg.it_IT.po index f1eece89..5885e399 100644 --- a/modules/po/clearbufferonmsg.it_IT.po +++ b/modules/po/clearbufferonmsg.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /1.8.x/modules/po/clearbufferonmsg.pot\n" +"X-Crowdin-File: /master/modules/po/clearbufferonmsg.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/clearbufferonmsg.nl_NL.po b/modules/po/clearbufferonmsg.nl_NL.po index 2c7eaf01..422f2147 100644 --- a/modules/po/clearbufferonmsg.nl_NL.po +++ b/modules/po/clearbufferonmsg.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.8.x/modules/po/clearbufferonmsg.pot\n" +"X-Crowdin-File: /master/modules/po/clearbufferonmsg.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/clearbufferonmsg.pt_BR.po b/modules/po/clearbufferonmsg.pt_BR.po index 9241ef66..e1a02d60 100644 --- a/modules/po/clearbufferonmsg.pt_BR.po +++ b/modules/po/clearbufferonmsg.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /1.8.x/modules/po/clearbufferonmsg.pot\n" +"X-Crowdin-File: /master/modules/po/clearbufferonmsg.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/clearbufferonmsg.ru_RU.po b/modules/po/clearbufferonmsg.ru_RU.po index 9a80ef2c..e86407ec 100644 --- a/modules/po/clearbufferonmsg.ru_RU.po +++ b/modules/po/clearbufferonmsg.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /1.8.x/modules/po/clearbufferonmsg.pot\n" +"X-Crowdin-File: /master/modules/po/clearbufferonmsg.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/clientnotify.bg_BG.po b/modules/po/clientnotify.bg_BG.po index f5be65f8..64b2bcd5 100644 --- a/modules/po/clientnotify.bg_BG.po +++ b/modules/po/clientnotify.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /1.8.x/modules/po/clientnotify.pot\n" +"X-Crowdin-File: /master/modules/po/clientnotify.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/clientnotify.es_ES.po b/modules/po/clientnotify.es_ES.po index ec454dfd..84cbdfa8 100644 --- a/modules/po/clientnotify.es_ES.po +++ b/modules/po/clientnotify.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /1.8.x/modules/po/clientnotify.pot\n" +"X-Crowdin-File: /master/modules/po/clientnotify.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" @@ -42,6 +42,8 @@ msgid_plural "" "see all {1} clients." msgstr[0] "" msgstr[1] "" +"Otro cliente se ha autenticado con tu usuario. Usa el comando 'ListClients' " +"para ver todos los clientes de {1}." #: clientnotify.cpp:108 msgid "Usage: Method " diff --git a/modules/po/clientnotify.fr_FR.po b/modules/po/clientnotify.fr_FR.po index 078a6d88..c863411c 100644 --- a/modules/po/clientnotify.fr_FR.po +++ b/modules/po/clientnotify.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.8.x/modules/po/clientnotify.pot\n" +"X-Crowdin-File: /master/modules/po/clientnotify.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/clientnotify.id_ID.po b/modules/po/clientnotify.id_ID.po index 429ac743..135a46da 100644 --- a/modules/po/clientnotify.id_ID.po +++ b/modules/po/clientnotify.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.8.x/modules/po/clientnotify.pot\n" +"X-Crowdin-File: /master/modules/po/clientnotify.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/clientnotify.it_IT.po b/modules/po/clientnotify.it_IT.po index 672a99cc..c71eb84e 100644 --- a/modules/po/clientnotify.it_IT.po +++ b/modules/po/clientnotify.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /1.8.x/modules/po/clientnotify.pot\n" +"X-Crowdin-File: /master/modules/po/clientnotify.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/clientnotify.nl_NL.po b/modules/po/clientnotify.nl_NL.po index bbf53809..f24ebfcc 100644 --- a/modules/po/clientnotify.nl_NL.po +++ b/modules/po/clientnotify.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.8.x/modules/po/clientnotify.pot\n" +"X-Crowdin-File: /master/modules/po/clientnotify.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/clientnotify.pt_BR.po b/modules/po/clientnotify.pt_BR.po index e17965d7..21130711 100644 --- a/modules/po/clientnotify.pt_BR.po +++ b/modules/po/clientnotify.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /1.8.x/modules/po/clientnotify.pot\n" +"X-Crowdin-File: /master/modules/po/clientnotify.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/clientnotify.ru_RU.po b/modules/po/clientnotify.ru_RU.po index 1486e5a0..020bc2ab 100644 --- a/modules/po/clientnotify.ru_RU.po +++ b/modules/po/clientnotify.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /1.8.x/modules/po/clientnotify.pot\n" +"X-Crowdin-File: /master/modules/po/clientnotify.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/controlpanel.bg_BG.po b/modules/po/controlpanel.bg_BG.po index 471184fc..7a95bd83 100644 --- a/modules/po/controlpanel.bg_BG.po +++ b/modules/po/controlpanel.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /1.8.x/modules/po/controlpanel.pot\n" +"X-Crowdin-File: /master/modules/po/controlpanel.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/controlpanel.es_ES.po b/modules/po/controlpanel.es_ES.po index 91493908..21dbf2c0 100644 --- a/modules/po/controlpanel.es_ES.po +++ b/modules/po/controlpanel.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /1.8.x/modules/po/controlpanel.pot\n" +"X-Crowdin-File: /master/modules/po/controlpanel.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/controlpanel.fr_FR.po b/modules/po/controlpanel.fr_FR.po index 38eef2ac..a5a0f597 100644 --- a/modules/po/controlpanel.fr_FR.po +++ b/modules/po/controlpanel.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.8.x/modules/po/controlpanel.pot\n" +"X-Crowdin-File: /master/modules/po/controlpanel.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/controlpanel.id_ID.po b/modules/po/controlpanel.id_ID.po index 9fb07eb1..3d0b9b8c 100644 --- a/modules/po/controlpanel.id_ID.po +++ b/modules/po/controlpanel.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.8.x/modules/po/controlpanel.pot\n" +"X-Crowdin-File: /master/modules/po/controlpanel.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/controlpanel.it_IT.po b/modules/po/controlpanel.it_IT.po index 6178d016..a9175f9e 100644 --- a/modules/po/controlpanel.it_IT.po +++ b/modules/po/controlpanel.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /1.8.x/modules/po/controlpanel.pot\n" +"X-Crowdin-File: /master/modules/po/controlpanel.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/controlpanel.nl_NL.po b/modules/po/controlpanel.nl_NL.po index 13293d87..284b5e45 100644 --- a/modules/po/controlpanel.nl_NL.po +++ b/modules/po/controlpanel.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.8.x/modules/po/controlpanel.pot\n" +"X-Crowdin-File: /master/modules/po/controlpanel.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/controlpanel.pt_BR.po b/modules/po/controlpanel.pt_BR.po index 1cc446b6..19a4cc24 100644 --- a/modules/po/controlpanel.pt_BR.po +++ b/modules/po/controlpanel.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /1.8.x/modules/po/controlpanel.pot\n" +"X-Crowdin-File: /master/modules/po/controlpanel.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/controlpanel.ru_RU.po b/modules/po/controlpanel.ru_RU.po index a06a4258..9e430926 100644 --- a/modules/po/controlpanel.ru_RU.po +++ b/modules/po/controlpanel.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /1.8.x/modules/po/controlpanel.pot\n" +"X-Crowdin-File: /master/modules/po/controlpanel.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/crypt.bg_BG.po b/modules/po/crypt.bg_BG.po index dd2a9fc2..87360671 100644 --- a/modules/po/crypt.bg_BG.po +++ b/modules/po/crypt.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /1.8.x/modules/po/crypt.pot\n" +"X-Crowdin-File: /master/modules/po/crypt.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/crypt.es_ES.po b/modules/po/crypt.es_ES.po index 72c8089f..0d3ffc0a 100644 --- a/modules/po/crypt.es_ES.po +++ b/modules/po/crypt.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /1.8.x/modules/po/crypt.pot\n" +"X-Crowdin-File: /master/modules/po/crypt.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/crypt.fr_FR.po b/modules/po/crypt.fr_FR.po index 7d2305fd..a0958754 100644 --- a/modules/po/crypt.fr_FR.po +++ b/modules/po/crypt.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.8.x/modules/po/crypt.pot\n" +"X-Crowdin-File: /master/modules/po/crypt.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/crypt.id_ID.po b/modules/po/crypt.id_ID.po index 705164c5..423e141e 100644 --- a/modules/po/crypt.id_ID.po +++ b/modules/po/crypt.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.8.x/modules/po/crypt.pot\n" +"X-Crowdin-File: /master/modules/po/crypt.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/crypt.it_IT.po b/modules/po/crypt.it_IT.po index 16c5d3ef..e74be2df 100644 --- a/modules/po/crypt.it_IT.po +++ b/modules/po/crypt.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /1.8.x/modules/po/crypt.pot\n" +"X-Crowdin-File: /master/modules/po/crypt.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/crypt.nl_NL.po b/modules/po/crypt.nl_NL.po index a345d337..693f9d75 100644 --- a/modules/po/crypt.nl_NL.po +++ b/modules/po/crypt.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.8.x/modules/po/crypt.pot\n" +"X-Crowdin-File: /master/modules/po/crypt.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/crypt.pt_BR.po b/modules/po/crypt.pt_BR.po index 4e2fc0f5..b9748466 100644 --- a/modules/po/crypt.pt_BR.po +++ b/modules/po/crypt.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /1.8.x/modules/po/crypt.pot\n" +"X-Crowdin-File: /master/modules/po/crypt.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/crypt.ru_RU.po b/modules/po/crypt.ru_RU.po index 47bdef62..66507be6 100644 --- a/modules/po/crypt.ru_RU.po +++ b/modules/po/crypt.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /1.8.x/modules/po/crypt.pot\n" +"X-Crowdin-File: /master/modules/po/crypt.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/ctcpflood.bg_BG.po b/modules/po/ctcpflood.bg_BG.po index ed861569..fa9f1975 100644 --- a/modules/po/ctcpflood.bg_BG.po +++ b/modules/po/ctcpflood.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /1.8.x/modules/po/ctcpflood.pot\n" +"X-Crowdin-File: /master/modules/po/ctcpflood.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/ctcpflood.es_ES.po b/modules/po/ctcpflood.es_ES.po index bbc04d9f..42fde12f 100644 --- a/modules/po/ctcpflood.es_ES.po +++ b/modules/po/ctcpflood.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /1.8.x/modules/po/ctcpflood.pot\n" +"X-Crowdin-File: /master/modules/po/ctcpflood.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/ctcpflood.fr_FR.po b/modules/po/ctcpflood.fr_FR.po index 0051e169..5952c7a3 100644 --- a/modules/po/ctcpflood.fr_FR.po +++ b/modules/po/ctcpflood.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.8.x/modules/po/ctcpflood.pot\n" +"X-Crowdin-File: /master/modules/po/ctcpflood.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/ctcpflood.id_ID.po b/modules/po/ctcpflood.id_ID.po index 3386530c..0aa5cdda 100644 --- a/modules/po/ctcpflood.id_ID.po +++ b/modules/po/ctcpflood.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.8.x/modules/po/ctcpflood.pot\n" +"X-Crowdin-File: /master/modules/po/ctcpflood.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/ctcpflood.it_IT.po b/modules/po/ctcpflood.it_IT.po index edf166cc..ec2df66b 100644 --- a/modules/po/ctcpflood.it_IT.po +++ b/modules/po/ctcpflood.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /1.8.x/modules/po/ctcpflood.pot\n" +"X-Crowdin-File: /master/modules/po/ctcpflood.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/ctcpflood.nl_NL.po b/modules/po/ctcpflood.nl_NL.po index 75a9b0f7..589f4a9d 100644 --- a/modules/po/ctcpflood.nl_NL.po +++ b/modules/po/ctcpflood.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.8.x/modules/po/ctcpflood.pot\n" +"X-Crowdin-File: /master/modules/po/ctcpflood.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/ctcpflood.pt_BR.po b/modules/po/ctcpflood.pt_BR.po index bb200517..8a345530 100644 --- a/modules/po/ctcpflood.pt_BR.po +++ b/modules/po/ctcpflood.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /1.8.x/modules/po/ctcpflood.pot\n" +"X-Crowdin-File: /master/modules/po/ctcpflood.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/ctcpflood.ru_RU.po b/modules/po/ctcpflood.ru_RU.po index e8f4d9ea..33f6c553 100644 --- a/modules/po/ctcpflood.ru_RU.po +++ b/modules/po/ctcpflood.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /1.8.x/modules/po/ctcpflood.pot\n" +"X-Crowdin-File: /master/modules/po/ctcpflood.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/cyrusauth.bg_BG.po b/modules/po/cyrusauth.bg_BG.po index 103c0c3c..a62da873 100644 --- a/modules/po/cyrusauth.bg_BG.po +++ b/modules/po/cyrusauth.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /1.8.x/modules/po/cyrusauth.pot\n" +"X-Crowdin-File: /master/modules/po/cyrusauth.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/cyrusauth.es_ES.po b/modules/po/cyrusauth.es_ES.po index bb73acca..2f6e2886 100644 --- a/modules/po/cyrusauth.es_ES.po +++ b/modules/po/cyrusauth.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /1.8.x/modules/po/cyrusauth.pot\n" +"X-Crowdin-File: /master/modules/po/cyrusauth.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/cyrusauth.fr_FR.po b/modules/po/cyrusauth.fr_FR.po index b28186e2..23dccbb1 100644 --- a/modules/po/cyrusauth.fr_FR.po +++ b/modules/po/cyrusauth.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.8.x/modules/po/cyrusauth.pot\n" +"X-Crowdin-File: /master/modules/po/cyrusauth.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/cyrusauth.id_ID.po b/modules/po/cyrusauth.id_ID.po index 1e0fcf67..c446066a 100644 --- a/modules/po/cyrusauth.id_ID.po +++ b/modules/po/cyrusauth.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.8.x/modules/po/cyrusauth.pot\n" +"X-Crowdin-File: /master/modules/po/cyrusauth.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/cyrusauth.it_IT.po b/modules/po/cyrusauth.it_IT.po index 6d0400b3..375e1770 100644 --- a/modules/po/cyrusauth.it_IT.po +++ b/modules/po/cyrusauth.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /1.8.x/modules/po/cyrusauth.pot\n" +"X-Crowdin-File: /master/modules/po/cyrusauth.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/cyrusauth.nl_NL.po b/modules/po/cyrusauth.nl_NL.po index 2df36888..8dbd7b0b 100644 --- a/modules/po/cyrusauth.nl_NL.po +++ b/modules/po/cyrusauth.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.8.x/modules/po/cyrusauth.pot\n" +"X-Crowdin-File: /master/modules/po/cyrusauth.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/cyrusauth.pt_BR.po b/modules/po/cyrusauth.pt_BR.po index ad478d35..40b57654 100644 --- a/modules/po/cyrusauth.pt_BR.po +++ b/modules/po/cyrusauth.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /1.8.x/modules/po/cyrusauth.pot\n" +"X-Crowdin-File: /master/modules/po/cyrusauth.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/cyrusauth.ru_RU.po b/modules/po/cyrusauth.ru_RU.po index 0f42970d..fa7d902b 100644 --- a/modules/po/cyrusauth.ru_RU.po +++ b/modules/po/cyrusauth.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /1.8.x/modules/po/cyrusauth.pot\n" +"X-Crowdin-File: /master/modules/po/cyrusauth.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/dcc.bg_BG.po b/modules/po/dcc.bg_BG.po index 4d1c7ff1..cc4434f1 100644 --- a/modules/po/dcc.bg_BG.po +++ b/modules/po/dcc.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /1.8.x/modules/po/dcc.pot\n" +"X-Crowdin-File: /master/modules/po/dcc.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/dcc.es_ES.po b/modules/po/dcc.es_ES.po index a5ccd156..7b104703 100644 --- a/modules/po/dcc.es_ES.po +++ b/modules/po/dcc.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /1.8.x/modules/po/dcc.pot\n" +"X-Crowdin-File: /master/modules/po/dcc.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/dcc.fr_FR.po b/modules/po/dcc.fr_FR.po index 3f2675c1..c7a35ec6 100644 --- a/modules/po/dcc.fr_FR.po +++ b/modules/po/dcc.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.8.x/modules/po/dcc.pot\n" +"X-Crowdin-File: /master/modules/po/dcc.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/dcc.id_ID.po b/modules/po/dcc.id_ID.po index a2931ec4..8190a343 100644 --- a/modules/po/dcc.id_ID.po +++ b/modules/po/dcc.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.8.x/modules/po/dcc.pot\n" +"X-Crowdin-File: /master/modules/po/dcc.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/dcc.it_IT.po b/modules/po/dcc.it_IT.po index 516db767..8b48a1e6 100644 --- a/modules/po/dcc.it_IT.po +++ b/modules/po/dcc.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /1.8.x/modules/po/dcc.pot\n" +"X-Crowdin-File: /master/modules/po/dcc.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/dcc.nl_NL.po b/modules/po/dcc.nl_NL.po index 08882350..b32a3f41 100644 --- a/modules/po/dcc.nl_NL.po +++ b/modules/po/dcc.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.8.x/modules/po/dcc.pot\n" +"X-Crowdin-File: /master/modules/po/dcc.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/dcc.pt_BR.po b/modules/po/dcc.pt_BR.po index 842383d9..914e2632 100644 --- a/modules/po/dcc.pt_BR.po +++ b/modules/po/dcc.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /1.8.x/modules/po/dcc.pot\n" +"X-Crowdin-File: /master/modules/po/dcc.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/dcc.ru_RU.po b/modules/po/dcc.ru_RU.po index beeaa953..38bd5b0a 100644 --- a/modules/po/dcc.ru_RU.po +++ b/modules/po/dcc.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /1.8.x/modules/po/dcc.pot\n" +"X-Crowdin-File: /master/modules/po/dcc.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/disconkick.bg_BG.po b/modules/po/disconkick.bg_BG.po index f1c8d61d..3a5ce82f 100644 --- a/modules/po/disconkick.bg_BG.po +++ b/modules/po/disconkick.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /1.8.x/modules/po/disconkick.pot\n" +"X-Crowdin-File: /master/modules/po/disconkick.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/disconkick.es_ES.po b/modules/po/disconkick.es_ES.po index 2149e2c0..61e0fd15 100644 --- a/modules/po/disconkick.es_ES.po +++ b/modules/po/disconkick.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /1.8.x/modules/po/disconkick.pot\n" +"X-Crowdin-File: /master/modules/po/disconkick.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/disconkick.fr_FR.po b/modules/po/disconkick.fr_FR.po index bdf27bc5..8300360a 100644 --- a/modules/po/disconkick.fr_FR.po +++ b/modules/po/disconkick.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.8.x/modules/po/disconkick.pot\n" +"X-Crowdin-File: /master/modules/po/disconkick.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/disconkick.id_ID.po b/modules/po/disconkick.id_ID.po index 5c9d562c..dc3834e6 100644 --- a/modules/po/disconkick.id_ID.po +++ b/modules/po/disconkick.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.8.x/modules/po/disconkick.pot\n" +"X-Crowdin-File: /master/modules/po/disconkick.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/disconkick.it_IT.po b/modules/po/disconkick.it_IT.po index a80c2fb6..d26c5798 100644 --- a/modules/po/disconkick.it_IT.po +++ b/modules/po/disconkick.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /1.8.x/modules/po/disconkick.pot\n" +"X-Crowdin-File: /master/modules/po/disconkick.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/disconkick.nl_NL.po b/modules/po/disconkick.nl_NL.po index fc8819cb..469928b0 100644 --- a/modules/po/disconkick.nl_NL.po +++ b/modules/po/disconkick.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.8.x/modules/po/disconkick.pot\n" +"X-Crowdin-File: /master/modules/po/disconkick.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/disconkick.pt_BR.po b/modules/po/disconkick.pt_BR.po index 358472d4..497f50ab 100644 --- a/modules/po/disconkick.pt_BR.po +++ b/modules/po/disconkick.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /1.8.x/modules/po/disconkick.pot\n" +"X-Crowdin-File: /master/modules/po/disconkick.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/disconkick.ru_RU.po b/modules/po/disconkick.ru_RU.po index 03370b73..2b402036 100644 --- a/modules/po/disconkick.ru_RU.po +++ b/modules/po/disconkick.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /1.8.x/modules/po/disconkick.pot\n" +"X-Crowdin-File: /master/modules/po/disconkick.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/fail2ban.bg_BG.po b/modules/po/fail2ban.bg_BG.po index 438f8efa..a6441440 100644 --- a/modules/po/fail2ban.bg_BG.po +++ b/modules/po/fail2ban.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /1.8.x/modules/po/fail2ban.pot\n" +"X-Crowdin-File: /master/modules/po/fail2ban.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/fail2ban.es_ES.po b/modules/po/fail2ban.es_ES.po index 7d768bfa..a6372a75 100644 --- a/modules/po/fail2ban.es_ES.po +++ b/modules/po/fail2ban.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /1.8.x/modules/po/fail2ban.pot\n" +"X-Crowdin-File: /master/modules/po/fail2ban.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/fail2ban.fr_FR.po b/modules/po/fail2ban.fr_FR.po index 2ce40503..9c061bc8 100644 --- a/modules/po/fail2ban.fr_FR.po +++ b/modules/po/fail2ban.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.8.x/modules/po/fail2ban.pot\n" +"X-Crowdin-File: /master/modules/po/fail2ban.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/fail2ban.id_ID.po b/modules/po/fail2ban.id_ID.po index 3ec86036..98831a2d 100644 --- a/modules/po/fail2ban.id_ID.po +++ b/modules/po/fail2ban.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.8.x/modules/po/fail2ban.pot\n" +"X-Crowdin-File: /master/modules/po/fail2ban.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/fail2ban.it_IT.po b/modules/po/fail2ban.it_IT.po index c552358c..2796611f 100644 --- a/modules/po/fail2ban.it_IT.po +++ b/modules/po/fail2ban.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /1.8.x/modules/po/fail2ban.pot\n" +"X-Crowdin-File: /master/modules/po/fail2ban.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/fail2ban.nl_NL.po b/modules/po/fail2ban.nl_NL.po index 27293450..3ddb16f1 100644 --- a/modules/po/fail2ban.nl_NL.po +++ b/modules/po/fail2ban.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.8.x/modules/po/fail2ban.pot\n" +"X-Crowdin-File: /master/modules/po/fail2ban.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/fail2ban.pt_BR.po b/modules/po/fail2ban.pt_BR.po index 66b7c089..3e3ebc16 100644 --- a/modules/po/fail2ban.pt_BR.po +++ b/modules/po/fail2ban.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /1.8.x/modules/po/fail2ban.pot\n" +"X-Crowdin-File: /master/modules/po/fail2ban.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/fail2ban.ru_RU.po b/modules/po/fail2ban.ru_RU.po index a451d061..450fe6e3 100644 --- a/modules/po/fail2ban.ru_RU.po +++ b/modules/po/fail2ban.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /1.8.x/modules/po/fail2ban.pot\n" +"X-Crowdin-File: /master/modules/po/fail2ban.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/flooddetach.bg_BG.po b/modules/po/flooddetach.bg_BG.po index 62a42229..1299a87b 100644 --- a/modules/po/flooddetach.bg_BG.po +++ b/modules/po/flooddetach.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /1.8.x/modules/po/flooddetach.pot\n" +"X-Crowdin-File: /master/modules/po/flooddetach.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/flooddetach.es_ES.po b/modules/po/flooddetach.es_ES.po index ace71293..e3e25d84 100644 --- a/modules/po/flooddetach.es_ES.po +++ b/modules/po/flooddetach.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /1.8.x/modules/po/flooddetach.pot\n" +"X-Crowdin-File: /master/modules/po/flooddetach.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/flooddetach.fr_FR.po b/modules/po/flooddetach.fr_FR.po index 638f3f4d..b44ac9b9 100644 --- a/modules/po/flooddetach.fr_FR.po +++ b/modules/po/flooddetach.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.8.x/modules/po/flooddetach.pot\n" +"X-Crowdin-File: /master/modules/po/flooddetach.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/flooddetach.id_ID.po b/modules/po/flooddetach.id_ID.po index eefa1b4a..f4b97d5f 100644 --- a/modules/po/flooddetach.id_ID.po +++ b/modules/po/flooddetach.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.8.x/modules/po/flooddetach.pot\n" +"X-Crowdin-File: /master/modules/po/flooddetach.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/flooddetach.it_IT.po b/modules/po/flooddetach.it_IT.po index a317ad0d..0d2a88ac 100644 --- a/modules/po/flooddetach.it_IT.po +++ b/modules/po/flooddetach.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /1.8.x/modules/po/flooddetach.pot\n" +"X-Crowdin-File: /master/modules/po/flooddetach.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/flooddetach.nl_NL.po b/modules/po/flooddetach.nl_NL.po index 8b139243..47089bd8 100644 --- a/modules/po/flooddetach.nl_NL.po +++ b/modules/po/flooddetach.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.8.x/modules/po/flooddetach.pot\n" +"X-Crowdin-File: /master/modules/po/flooddetach.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/flooddetach.pt_BR.po b/modules/po/flooddetach.pt_BR.po index d51a1e29..85d8c162 100644 --- a/modules/po/flooddetach.pt_BR.po +++ b/modules/po/flooddetach.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /1.8.x/modules/po/flooddetach.pot\n" +"X-Crowdin-File: /master/modules/po/flooddetach.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/flooddetach.ru_RU.po b/modules/po/flooddetach.ru_RU.po index c89b28c5..d2f22bf2 100644 --- a/modules/po/flooddetach.ru_RU.po +++ b/modules/po/flooddetach.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /1.8.x/modules/po/flooddetach.pot\n" +"X-Crowdin-File: /master/modules/po/flooddetach.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/identfile.bg_BG.po b/modules/po/identfile.bg_BG.po index 64bd3294..b9ca6200 100644 --- a/modules/po/identfile.bg_BG.po +++ b/modules/po/identfile.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /1.8.x/modules/po/identfile.pot\n" +"X-Crowdin-File: /master/modules/po/identfile.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/identfile.es_ES.po b/modules/po/identfile.es_ES.po index 9a981f93..4056d819 100644 --- a/modules/po/identfile.es_ES.po +++ b/modules/po/identfile.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /1.8.x/modules/po/identfile.pot\n" +"X-Crowdin-File: /master/modules/po/identfile.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/identfile.fr_FR.po b/modules/po/identfile.fr_FR.po index 21767a2f..dd26ad43 100644 --- a/modules/po/identfile.fr_FR.po +++ b/modules/po/identfile.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.8.x/modules/po/identfile.pot\n" +"X-Crowdin-File: /master/modules/po/identfile.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/identfile.id_ID.po b/modules/po/identfile.id_ID.po index e7fd4b99..6c1edef0 100644 --- a/modules/po/identfile.id_ID.po +++ b/modules/po/identfile.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.8.x/modules/po/identfile.pot\n" +"X-Crowdin-File: /master/modules/po/identfile.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/identfile.it_IT.po b/modules/po/identfile.it_IT.po index 636c9c21..313980ac 100644 --- a/modules/po/identfile.it_IT.po +++ b/modules/po/identfile.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /1.8.x/modules/po/identfile.pot\n" +"X-Crowdin-File: /master/modules/po/identfile.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/identfile.nl_NL.po b/modules/po/identfile.nl_NL.po index eea8662c..4e2e64b0 100644 --- a/modules/po/identfile.nl_NL.po +++ b/modules/po/identfile.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.8.x/modules/po/identfile.pot\n" +"X-Crowdin-File: /master/modules/po/identfile.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/identfile.pt_BR.po b/modules/po/identfile.pt_BR.po index 190cc652..f2451214 100644 --- a/modules/po/identfile.pt_BR.po +++ b/modules/po/identfile.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /1.8.x/modules/po/identfile.pot\n" +"X-Crowdin-File: /master/modules/po/identfile.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/identfile.ru_RU.po b/modules/po/identfile.ru_RU.po index 020160db..4358d9e2 100644 --- a/modules/po/identfile.ru_RU.po +++ b/modules/po/identfile.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /1.8.x/modules/po/identfile.pot\n" +"X-Crowdin-File: /master/modules/po/identfile.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/imapauth.bg_BG.po b/modules/po/imapauth.bg_BG.po index 0d373b8d..fb176273 100644 --- a/modules/po/imapauth.bg_BG.po +++ b/modules/po/imapauth.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /1.8.x/modules/po/imapauth.pot\n" +"X-Crowdin-File: /master/modules/po/imapauth.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/imapauth.es_ES.po b/modules/po/imapauth.es_ES.po index e86d6ff8..ff540252 100644 --- a/modules/po/imapauth.es_ES.po +++ b/modules/po/imapauth.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /1.8.x/modules/po/imapauth.pot\n" +"X-Crowdin-File: /master/modules/po/imapauth.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/imapauth.fr_FR.po b/modules/po/imapauth.fr_FR.po index d8743d52..04d35943 100644 --- a/modules/po/imapauth.fr_FR.po +++ b/modules/po/imapauth.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.8.x/modules/po/imapauth.pot\n" +"X-Crowdin-File: /master/modules/po/imapauth.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/imapauth.id_ID.po b/modules/po/imapauth.id_ID.po index 7518c093..7bce0dd6 100644 --- a/modules/po/imapauth.id_ID.po +++ b/modules/po/imapauth.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.8.x/modules/po/imapauth.pot\n" +"X-Crowdin-File: /master/modules/po/imapauth.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/imapauth.it_IT.po b/modules/po/imapauth.it_IT.po index 83847014..1e61746f 100644 --- a/modules/po/imapauth.it_IT.po +++ b/modules/po/imapauth.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /1.8.x/modules/po/imapauth.pot\n" +"X-Crowdin-File: /master/modules/po/imapauth.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/imapauth.nl_NL.po b/modules/po/imapauth.nl_NL.po index 5ef5ca30..d23ad437 100644 --- a/modules/po/imapauth.nl_NL.po +++ b/modules/po/imapauth.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.8.x/modules/po/imapauth.pot\n" +"X-Crowdin-File: /master/modules/po/imapauth.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/imapauth.pt_BR.po b/modules/po/imapauth.pt_BR.po index 7895c9aa..b891bc67 100644 --- a/modules/po/imapauth.pt_BR.po +++ b/modules/po/imapauth.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /1.8.x/modules/po/imapauth.pot\n" +"X-Crowdin-File: /master/modules/po/imapauth.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/imapauth.ru_RU.po b/modules/po/imapauth.ru_RU.po index 555773d6..76d28a0f 100644 --- a/modules/po/imapauth.ru_RU.po +++ b/modules/po/imapauth.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /1.8.x/modules/po/imapauth.pot\n" +"X-Crowdin-File: /master/modules/po/imapauth.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/keepnick.bg_BG.po b/modules/po/keepnick.bg_BG.po index 2f313352..414b09d4 100644 --- a/modules/po/keepnick.bg_BG.po +++ b/modules/po/keepnick.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /1.8.x/modules/po/keepnick.pot\n" +"X-Crowdin-File: /master/modules/po/keepnick.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/keepnick.es_ES.po b/modules/po/keepnick.es_ES.po index 7e33f1aa..adf0341c 100644 --- a/modules/po/keepnick.es_ES.po +++ b/modules/po/keepnick.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /1.8.x/modules/po/keepnick.pot\n" +"X-Crowdin-File: /master/modules/po/keepnick.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/keepnick.fr_FR.po b/modules/po/keepnick.fr_FR.po index 0ad4dcdb..7c0669fb 100644 --- a/modules/po/keepnick.fr_FR.po +++ b/modules/po/keepnick.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.8.x/modules/po/keepnick.pot\n" +"X-Crowdin-File: /master/modules/po/keepnick.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/keepnick.id_ID.po b/modules/po/keepnick.id_ID.po index 2b7305b9..5999dc8e 100644 --- a/modules/po/keepnick.id_ID.po +++ b/modules/po/keepnick.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.8.x/modules/po/keepnick.pot\n" +"X-Crowdin-File: /master/modules/po/keepnick.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/keepnick.it_IT.po b/modules/po/keepnick.it_IT.po index 147916d1..50e2e263 100644 --- a/modules/po/keepnick.it_IT.po +++ b/modules/po/keepnick.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /1.8.x/modules/po/keepnick.pot\n" +"X-Crowdin-File: /master/modules/po/keepnick.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/keepnick.nl_NL.po b/modules/po/keepnick.nl_NL.po index 0420621b..f0d84a2f 100644 --- a/modules/po/keepnick.nl_NL.po +++ b/modules/po/keepnick.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.8.x/modules/po/keepnick.pot\n" +"X-Crowdin-File: /master/modules/po/keepnick.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/keepnick.pt_BR.po b/modules/po/keepnick.pt_BR.po index 9e815981..0891579a 100644 --- a/modules/po/keepnick.pt_BR.po +++ b/modules/po/keepnick.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /1.8.x/modules/po/keepnick.pot\n" +"X-Crowdin-File: /master/modules/po/keepnick.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/keepnick.ru_RU.po b/modules/po/keepnick.ru_RU.po index 7e5e9333..1641ffe1 100644 --- a/modules/po/keepnick.ru_RU.po +++ b/modules/po/keepnick.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /1.8.x/modules/po/keepnick.pot\n" +"X-Crowdin-File: /master/modules/po/keepnick.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/kickrejoin.bg_BG.po b/modules/po/kickrejoin.bg_BG.po index 090e913e..cfe4b844 100644 --- a/modules/po/kickrejoin.bg_BG.po +++ b/modules/po/kickrejoin.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /1.8.x/modules/po/kickrejoin.pot\n" +"X-Crowdin-File: /master/modules/po/kickrejoin.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/kickrejoin.es_ES.po b/modules/po/kickrejoin.es_ES.po index bb806d71..dd2454f7 100644 --- a/modules/po/kickrejoin.es_ES.po +++ b/modules/po/kickrejoin.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /1.8.x/modules/po/kickrejoin.pot\n" +"X-Crowdin-File: /master/modules/po/kickrejoin.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/kickrejoin.fr_FR.po b/modules/po/kickrejoin.fr_FR.po index 601b5bee..de939529 100644 --- a/modules/po/kickrejoin.fr_FR.po +++ b/modules/po/kickrejoin.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.8.x/modules/po/kickrejoin.pot\n" +"X-Crowdin-File: /master/modules/po/kickrejoin.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/kickrejoin.id_ID.po b/modules/po/kickrejoin.id_ID.po index d3b4ed8b..c348a959 100644 --- a/modules/po/kickrejoin.id_ID.po +++ b/modules/po/kickrejoin.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.8.x/modules/po/kickrejoin.pot\n" +"X-Crowdin-File: /master/modules/po/kickrejoin.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/kickrejoin.it_IT.po b/modules/po/kickrejoin.it_IT.po index 31da8643..6fa63c19 100644 --- a/modules/po/kickrejoin.it_IT.po +++ b/modules/po/kickrejoin.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /1.8.x/modules/po/kickrejoin.pot\n" +"X-Crowdin-File: /master/modules/po/kickrejoin.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/kickrejoin.nl_NL.po b/modules/po/kickrejoin.nl_NL.po index ae73404c..83317c7e 100644 --- a/modules/po/kickrejoin.nl_NL.po +++ b/modules/po/kickrejoin.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.8.x/modules/po/kickrejoin.pot\n" +"X-Crowdin-File: /master/modules/po/kickrejoin.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/kickrejoin.pt_BR.po b/modules/po/kickrejoin.pt_BR.po index f10e7b43..a14b7aa7 100644 --- a/modules/po/kickrejoin.pt_BR.po +++ b/modules/po/kickrejoin.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /1.8.x/modules/po/kickrejoin.pot\n" +"X-Crowdin-File: /master/modules/po/kickrejoin.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/kickrejoin.ru_RU.po b/modules/po/kickrejoin.ru_RU.po index 7b6b8c44..de20f27c 100644 --- a/modules/po/kickrejoin.ru_RU.po +++ b/modules/po/kickrejoin.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /1.8.x/modules/po/kickrejoin.pot\n" +"X-Crowdin-File: /master/modules/po/kickrejoin.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/lastseen.bg_BG.po b/modules/po/lastseen.bg_BG.po index 7b51565f..7b1324c3 100644 --- a/modules/po/lastseen.bg_BG.po +++ b/modules/po/lastseen.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /1.8.x/modules/po/lastseen.pot\n" +"X-Crowdin-File: /master/modules/po/lastseen.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/lastseen.es_ES.po b/modules/po/lastseen.es_ES.po index 6e833dcd..bea53e68 100644 --- a/modules/po/lastseen.es_ES.po +++ b/modules/po/lastseen.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /1.8.x/modules/po/lastseen.pot\n" +"X-Crowdin-File: /master/modules/po/lastseen.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/lastseen.fr_FR.po b/modules/po/lastseen.fr_FR.po index f8e88170..a31bb2d8 100644 --- a/modules/po/lastseen.fr_FR.po +++ b/modules/po/lastseen.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.8.x/modules/po/lastseen.pot\n" +"X-Crowdin-File: /master/modules/po/lastseen.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/lastseen.id_ID.po b/modules/po/lastseen.id_ID.po index 515b38a7..06177a93 100644 --- a/modules/po/lastseen.id_ID.po +++ b/modules/po/lastseen.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.8.x/modules/po/lastseen.pot\n" +"X-Crowdin-File: /master/modules/po/lastseen.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/lastseen.it_IT.po b/modules/po/lastseen.it_IT.po index 5a4a8f4d..7649e960 100644 --- a/modules/po/lastseen.it_IT.po +++ b/modules/po/lastseen.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /1.8.x/modules/po/lastseen.pot\n" +"X-Crowdin-File: /master/modules/po/lastseen.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/lastseen.nl_NL.po b/modules/po/lastseen.nl_NL.po index 607785ea..90c691cd 100644 --- a/modules/po/lastseen.nl_NL.po +++ b/modules/po/lastseen.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.8.x/modules/po/lastseen.pot\n" +"X-Crowdin-File: /master/modules/po/lastseen.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/lastseen.pt_BR.po b/modules/po/lastseen.pt_BR.po index 6ab233fb..61ff05e3 100644 --- a/modules/po/lastseen.pt_BR.po +++ b/modules/po/lastseen.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /1.8.x/modules/po/lastseen.pot\n" +"X-Crowdin-File: /master/modules/po/lastseen.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/lastseen.ru_RU.po b/modules/po/lastseen.ru_RU.po index a9e37b56..56e92695 100644 --- a/modules/po/lastseen.ru_RU.po +++ b/modules/po/lastseen.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /1.8.x/modules/po/lastseen.pot\n" +"X-Crowdin-File: /master/modules/po/lastseen.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/listsockets.bg_BG.po b/modules/po/listsockets.bg_BG.po index 270232cf..192adc7b 100644 --- a/modules/po/listsockets.bg_BG.po +++ b/modules/po/listsockets.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /1.8.x/modules/po/listsockets.pot\n" +"X-Crowdin-File: /master/modules/po/listsockets.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/listsockets.es_ES.po b/modules/po/listsockets.es_ES.po index 74b0405a..c395125e 100644 --- a/modules/po/listsockets.es_ES.po +++ b/modules/po/listsockets.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /1.8.x/modules/po/listsockets.pot\n" +"X-Crowdin-File: /master/modules/po/listsockets.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/listsockets.fr_FR.po b/modules/po/listsockets.fr_FR.po index 9ab3cbd2..1b971abb 100644 --- a/modules/po/listsockets.fr_FR.po +++ b/modules/po/listsockets.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.8.x/modules/po/listsockets.pot\n" +"X-Crowdin-File: /master/modules/po/listsockets.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/listsockets.id_ID.po b/modules/po/listsockets.id_ID.po index c25c3f35..ebaee12e 100644 --- a/modules/po/listsockets.id_ID.po +++ b/modules/po/listsockets.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.8.x/modules/po/listsockets.pot\n" +"X-Crowdin-File: /master/modules/po/listsockets.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/listsockets.it_IT.po b/modules/po/listsockets.it_IT.po index c51c2b5b..a6893464 100644 --- a/modules/po/listsockets.it_IT.po +++ b/modules/po/listsockets.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /1.8.x/modules/po/listsockets.pot\n" +"X-Crowdin-File: /master/modules/po/listsockets.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/listsockets.nl_NL.po b/modules/po/listsockets.nl_NL.po index ada03ead..1e290292 100644 --- a/modules/po/listsockets.nl_NL.po +++ b/modules/po/listsockets.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.8.x/modules/po/listsockets.pot\n" +"X-Crowdin-File: /master/modules/po/listsockets.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/listsockets.pt_BR.po b/modules/po/listsockets.pt_BR.po index c6258458..406a4f66 100644 --- a/modules/po/listsockets.pt_BR.po +++ b/modules/po/listsockets.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /1.8.x/modules/po/listsockets.pot\n" +"X-Crowdin-File: /master/modules/po/listsockets.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/listsockets.ru_RU.po b/modules/po/listsockets.ru_RU.po index fcf1719c..b529c7f2 100644 --- a/modules/po/listsockets.ru_RU.po +++ b/modules/po/listsockets.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /1.8.x/modules/po/listsockets.pot\n" +"X-Crowdin-File: /master/modules/po/listsockets.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/log.bg_BG.po b/modules/po/log.bg_BG.po index 811158ea..cd30d1dc 100644 --- a/modules/po/log.bg_BG.po +++ b/modules/po/log.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /1.8.x/modules/po/log.pot\n" +"X-Crowdin-File: /master/modules/po/log.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/log.es_ES.po b/modules/po/log.es_ES.po index c48a4317..66b2f380 100644 --- a/modules/po/log.es_ES.po +++ b/modules/po/log.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /1.8.x/modules/po/log.pot\n" +"X-Crowdin-File: /master/modules/po/log.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/log.fr_FR.po b/modules/po/log.fr_FR.po index 3b5f92bd..a3813aaf 100644 --- a/modules/po/log.fr_FR.po +++ b/modules/po/log.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.8.x/modules/po/log.pot\n" +"X-Crowdin-File: /master/modules/po/log.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/log.id_ID.po b/modules/po/log.id_ID.po index 61e618d0..eea1e1e3 100644 --- a/modules/po/log.id_ID.po +++ b/modules/po/log.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.8.x/modules/po/log.pot\n" +"X-Crowdin-File: /master/modules/po/log.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/log.it_IT.po b/modules/po/log.it_IT.po index 22bbae09..518a2489 100644 --- a/modules/po/log.it_IT.po +++ b/modules/po/log.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /1.8.x/modules/po/log.pot\n" +"X-Crowdin-File: /master/modules/po/log.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/log.nl_NL.po b/modules/po/log.nl_NL.po index b58faf25..df86460b 100644 --- a/modules/po/log.nl_NL.po +++ b/modules/po/log.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.8.x/modules/po/log.pot\n" +"X-Crowdin-File: /master/modules/po/log.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/log.pt_BR.po b/modules/po/log.pt_BR.po index ad60285c..a7630cea 100644 --- a/modules/po/log.pt_BR.po +++ b/modules/po/log.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /1.8.x/modules/po/log.pot\n" +"X-Crowdin-File: /master/modules/po/log.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/log.ru_RU.po b/modules/po/log.ru_RU.po index cb8cc960..07edb20c 100644 --- a/modules/po/log.ru_RU.po +++ b/modules/po/log.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /1.8.x/modules/po/log.pot\n" +"X-Crowdin-File: /master/modules/po/log.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/missingmotd.bg_BG.po b/modules/po/missingmotd.bg_BG.po index fdf069d2..f4d75ca0 100644 --- a/modules/po/missingmotd.bg_BG.po +++ b/modules/po/missingmotd.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /1.8.x/modules/po/missingmotd.pot\n" +"X-Crowdin-File: /master/modules/po/missingmotd.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/missingmotd.es_ES.po b/modules/po/missingmotd.es_ES.po index c76ca203..4dc28707 100644 --- a/modules/po/missingmotd.es_ES.po +++ b/modules/po/missingmotd.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /1.8.x/modules/po/missingmotd.pot\n" +"X-Crowdin-File: /master/modules/po/missingmotd.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/missingmotd.fr_FR.po b/modules/po/missingmotd.fr_FR.po index 86468526..5c8318ed 100644 --- a/modules/po/missingmotd.fr_FR.po +++ b/modules/po/missingmotd.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.8.x/modules/po/missingmotd.pot\n" +"X-Crowdin-File: /master/modules/po/missingmotd.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/missingmotd.id_ID.po b/modules/po/missingmotd.id_ID.po index 8c81f705..70846637 100644 --- a/modules/po/missingmotd.id_ID.po +++ b/modules/po/missingmotd.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.8.x/modules/po/missingmotd.pot\n" +"X-Crowdin-File: /master/modules/po/missingmotd.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/missingmotd.it_IT.po b/modules/po/missingmotd.it_IT.po index 0c837dc0..4bd1b8f4 100644 --- a/modules/po/missingmotd.it_IT.po +++ b/modules/po/missingmotd.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /1.8.x/modules/po/missingmotd.pot\n" +"X-Crowdin-File: /master/modules/po/missingmotd.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/missingmotd.nl_NL.po b/modules/po/missingmotd.nl_NL.po index 79fe23b4..9c65c5f6 100644 --- a/modules/po/missingmotd.nl_NL.po +++ b/modules/po/missingmotd.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.8.x/modules/po/missingmotd.pot\n" +"X-Crowdin-File: /master/modules/po/missingmotd.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/missingmotd.pt_BR.po b/modules/po/missingmotd.pt_BR.po index c6b73a81..b461859e 100644 --- a/modules/po/missingmotd.pt_BR.po +++ b/modules/po/missingmotd.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /1.8.x/modules/po/missingmotd.pot\n" +"X-Crowdin-File: /master/modules/po/missingmotd.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/missingmotd.ru_RU.po b/modules/po/missingmotd.ru_RU.po index 19c234e4..06a03c25 100644 --- a/modules/po/missingmotd.ru_RU.po +++ b/modules/po/missingmotd.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /1.8.x/modules/po/missingmotd.pot\n" +"X-Crowdin-File: /master/modules/po/missingmotd.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/modperl.bg_BG.po b/modules/po/modperl.bg_BG.po index f3861d4b..a7bb319c 100644 --- a/modules/po/modperl.bg_BG.po +++ b/modules/po/modperl.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /1.8.x/modules/po/modperl.pot\n" +"X-Crowdin-File: /master/modules/po/modperl.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/modperl.es_ES.po b/modules/po/modperl.es_ES.po index dd4f79da..f32b389f 100644 --- a/modules/po/modperl.es_ES.po +++ b/modules/po/modperl.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /1.8.x/modules/po/modperl.pot\n" +"X-Crowdin-File: /master/modules/po/modperl.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/modperl.fr_FR.po b/modules/po/modperl.fr_FR.po index e28b0d61..bdb08bd9 100644 --- a/modules/po/modperl.fr_FR.po +++ b/modules/po/modperl.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.8.x/modules/po/modperl.pot\n" +"X-Crowdin-File: /master/modules/po/modperl.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/modperl.id_ID.po b/modules/po/modperl.id_ID.po index 066cfb42..fb0b826b 100644 --- a/modules/po/modperl.id_ID.po +++ b/modules/po/modperl.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.8.x/modules/po/modperl.pot\n" +"X-Crowdin-File: /master/modules/po/modperl.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/modperl.it_IT.po b/modules/po/modperl.it_IT.po index 30529bd7..18cb907d 100644 --- a/modules/po/modperl.it_IT.po +++ b/modules/po/modperl.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /1.8.x/modules/po/modperl.pot\n" +"X-Crowdin-File: /master/modules/po/modperl.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/modperl.nl_NL.po b/modules/po/modperl.nl_NL.po index c0b790d0..c6ca21dc 100644 --- a/modules/po/modperl.nl_NL.po +++ b/modules/po/modperl.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.8.x/modules/po/modperl.pot\n" +"X-Crowdin-File: /master/modules/po/modperl.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/modperl.pt_BR.po b/modules/po/modperl.pt_BR.po index 6d850d7b..db12038d 100644 --- a/modules/po/modperl.pt_BR.po +++ b/modules/po/modperl.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /1.8.x/modules/po/modperl.pot\n" +"X-Crowdin-File: /master/modules/po/modperl.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/modperl.ru_RU.po b/modules/po/modperl.ru_RU.po index 207a5167..800bf6f5 100644 --- a/modules/po/modperl.ru_RU.po +++ b/modules/po/modperl.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /1.8.x/modules/po/modperl.pot\n" +"X-Crowdin-File: /master/modules/po/modperl.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/modpython.bg_BG.po b/modules/po/modpython.bg_BG.po index 367f50a3..5f9b59de 100644 --- a/modules/po/modpython.bg_BG.po +++ b/modules/po/modpython.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /1.8.x/modules/po/modpython.pot\n" +"X-Crowdin-File: /master/modules/po/modpython.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/modpython.es_ES.po b/modules/po/modpython.es_ES.po index 5fe6fc29..1a60afbc 100644 --- a/modules/po/modpython.es_ES.po +++ b/modules/po/modpython.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /1.8.x/modules/po/modpython.pot\n" +"X-Crowdin-File: /master/modules/po/modpython.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/modpython.fr_FR.po b/modules/po/modpython.fr_FR.po index 339323bd..44a8ed5d 100644 --- a/modules/po/modpython.fr_FR.po +++ b/modules/po/modpython.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.8.x/modules/po/modpython.pot\n" +"X-Crowdin-File: /master/modules/po/modpython.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/modpython.id_ID.po b/modules/po/modpython.id_ID.po index 978d68e2..b2c35afe 100644 --- a/modules/po/modpython.id_ID.po +++ b/modules/po/modpython.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.8.x/modules/po/modpython.pot\n" +"X-Crowdin-File: /master/modules/po/modpython.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/modpython.it_IT.po b/modules/po/modpython.it_IT.po index 41429fcf..afc5dbec 100644 --- a/modules/po/modpython.it_IT.po +++ b/modules/po/modpython.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /1.8.x/modules/po/modpython.pot\n" +"X-Crowdin-File: /master/modules/po/modpython.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/modpython.nl_NL.po b/modules/po/modpython.nl_NL.po index 5df8a76f..dfa71b2b 100644 --- a/modules/po/modpython.nl_NL.po +++ b/modules/po/modpython.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.8.x/modules/po/modpython.pot\n" +"X-Crowdin-File: /master/modules/po/modpython.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/modpython.pt_BR.po b/modules/po/modpython.pt_BR.po index 07c86185..88e3516d 100644 --- a/modules/po/modpython.pt_BR.po +++ b/modules/po/modpython.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /1.8.x/modules/po/modpython.pot\n" +"X-Crowdin-File: /master/modules/po/modpython.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/modpython.ru_RU.po b/modules/po/modpython.ru_RU.po index 815e2dbb..7ab181be 100644 --- a/modules/po/modpython.ru_RU.po +++ b/modules/po/modpython.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /1.8.x/modules/po/modpython.pot\n" +"X-Crowdin-File: /master/modules/po/modpython.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/modules_online.bg_BG.po b/modules/po/modules_online.bg_BG.po index 75a8ee69..7dc60c2e 100644 --- a/modules/po/modules_online.bg_BG.po +++ b/modules/po/modules_online.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /1.8.x/modules/po/modules_online.pot\n" +"X-Crowdin-File: /master/modules/po/modules_online.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/modules_online.es_ES.po b/modules/po/modules_online.es_ES.po index 6b1da0fc..5a48e0bf 100644 --- a/modules/po/modules_online.es_ES.po +++ b/modules/po/modules_online.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /1.8.x/modules/po/modules_online.pot\n" +"X-Crowdin-File: /master/modules/po/modules_online.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/modules_online.fr_FR.po b/modules/po/modules_online.fr_FR.po index 4c50e869..23e16feb 100644 --- a/modules/po/modules_online.fr_FR.po +++ b/modules/po/modules_online.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.8.x/modules/po/modules_online.pot\n" +"X-Crowdin-File: /master/modules/po/modules_online.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/modules_online.id_ID.po b/modules/po/modules_online.id_ID.po index 8975b440..f0a36284 100644 --- a/modules/po/modules_online.id_ID.po +++ b/modules/po/modules_online.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.8.x/modules/po/modules_online.pot\n" +"X-Crowdin-File: /master/modules/po/modules_online.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/modules_online.it_IT.po b/modules/po/modules_online.it_IT.po index eaa3f4f2..93483fad 100644 --- a/modules/po/modules_online.it_IT.po +++ b/modules/po/modules_online.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /1.8.x/modules/po/modules_online.pot\n" +"X-Crowdin-File: /master/modules/po/modules_online.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/modules_online.nl_NL.po b/modules/po/modules_online.nl_NL.po index adcbd3aa..60d33712 100644 --- a/modules/po/modules_online.nl_NL.po +++ b/modules/po/modules_online.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.8.x/modules/po/modules_online.pot\n" +"X-Crowdin-File: /master/modules/po/modules_online.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/modules_online.pt_BR.po b/modules/po/modules_online.pt_BR.po index 0f64fa04..ced1b8d9 100644 --- a/modules/po/modules_online.pt_BR.po +++ b/modules/po/modules_online.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /1.8.x/modules/po/modules_online.pot\n" +"X-Crowdin-File: /master/modules/po/modules_online.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/modules_online.ru_RU.po b/modules/po/modules_online.ru_RU.po index c8527184..5204b3bb 100644 --- a/modules/po/modules_online.ru_RU.po +++ b/modules/po/modules_online.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /1.8.x/modules/po/modules_online.pot\n" +"X-Crowdin-File: /master/modules/po/modules_online.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/nickserv.bg_BG.po b/modules/po/nickserv.bg_BG.po index 6d3f9793..3a3aa649 100644 --- a/modules/po/nickserv.bg_BG.po +++ b/modules/po/nickserv.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /1.8.x/modules/po/nickserv.pot\n" +"X-Crowdin-File: /master/modules/po/nickserv.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/nickserv.es_ES.po b/modules/po/nickserv.es_ES.po index 0ed19216..81e032bd 100644 --- a/modules/po/nickserv.es_ES.po +++ b/modules/po/nickserv.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /1.8.x/modules/po/nickserv.pot\n" +"X-Crowdin-File: /master/modules/po/nickserv.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/nickserv.fr_FR.po b/modules/po/nickserv.fr_FR.po index fd4570f1..b50eed00 100644 --- a/modules/po/nickserv.fr_FR.po +++ b/modules/po/nickserv.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.8.x/modules/po/nickserv.pot\n" +"X-Crowdin-File: /master/modules/po/nickserv.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/nickserv.id_ID.po b/modules/po/nickserv.id_ID.po index eb76c380..98315874 100644 --- a/modules/po/nickserv.id_ID.po +++ b/modules/po/nickserv.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.8.x/modules/po/nickserv.pot\n" +"X-Crowdin-File: /master/modules/po/nickserv.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/nickserv.it_IT.po b/modules/po/nickserv.it_IT.po index d18bd950..eb7bd11f 100644 --- a/modules/po/nickserv.it_IT.po +++ b/modules/po/nickserv.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /1.8.x/modules/po/nickserv.pot\n" +"X-Crowdin-File: /master/modules/po/nickserv.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/nickserv.nl_NL.po b/modules/po/nickserv.nl_NL.po index d7c1df67..2c1fb099 100644 --- a/modules/po/nickserv.nl_NL.po +++ b/modules/po/nickserv.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.8.x/modules/po/nickserv.pot\n" +"X-Crowdin-File: /master/modules/po/nickserv.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/nickserv.pt_BR.po b/modules/po/nickserv.pt_BR.po index ad2c5825..f17bff81 100644 --- a/modules/po/nickserv.pt_BR.po +++ b/modules/po/nickserv.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /1.8.x/modules/po/nickserv.pot\n" +"X-Crowdin-File: /master/modules/po/nickserv.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/nickserv.ru_RU.po b/modules/po/nickserv.ru_RU.po index fb7bd0e6..fdb88782 100644 --- a/modules/po/nickserv.ru_RU.po +++ b/modules/po/nickserv.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /1.8.x/modules/po/nickserv.pot\n" +"X-Crowdin-File: /master/modules/po/nickserv.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/notes.bg_BG.po b/modules/po/notes.bg_BG.po index 1e5e5d93..1618a7e0 100644 --- a/modules/po/notes.bg_BG.po +++ b/modules/po/notes.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /1.8.x/modules/po/notes.pot\n" +"X-Crowdin-File: /master/modules/po/notes.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/notes.es_ES.po b/modules/po/notes.es_ES.po index 2606deaa..c31a442b 100644 --- a/modules/po/notes.es_ES.po +++ b/modules/po/notes.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /1.8.x/modules/po/notes.pot\n" +"X-Crowdin-File: /master/modules/po/notes.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/notes.fr_FR.po b/modules/po/notes.fr_FR.po index 5fb2a34f..ae6389e6 100644 --- a/modules/po/notes.fr_FR.po +++ b/modules/po/notes.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.8.x/modules/po/notes.pot\n" +"X-Crowdin-File: /master/modules/po/notes.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/notes.id_ID.po b/modules/po/notes.id_ID.po index db238c89..bafc4d3c 100644 --- a/modules/po/notes.id_ID.po +++ b/modules/po/notes.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.8.x/modules/po/notes.pot\n" +"X-Crowdin-File: /master/modules/po/notes.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/notes.it_IT.po b/modules/po/notes.it_IT.po index 07dc7333..6f636cc3 100644 --- a/modules/po/notes.it_IT.po +++ b/modules/po/notes.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /1.8.x/modules/po/notes.pot\n" +"X-Crowdin-File: /master/modules/po/notes.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/notes.nl_NL.po b/modules/po/notes.nl_NL.po index eaa90723..481a3706 100644 --- a/modules/po/notes.nl_NL.po +++ b/modules/po/notes.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.8.x/modules/po/notes.pot\n" +"X-Crowdin-File: /master/modules/po/notes.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/notes.pt_BR.po b/modules/po/notes.pt_BR.po index 0b3b2858..2219a454 100644 --- a/modules/po/notes.pt_BR.po +++ b/modules/po/notes.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /1.8.x/modules/po/notes.pot\n" +"X-Crowdin-File: /master/modules/po/notes.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/notes.ru_RU.po b/modules/po/notes.ru_RU.po index b5859c76..5db82006 100644 --- a/modules/po/notes.ru_RU.po +++ b/modules/po/notes.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /1.8.x/modules/po/notes.pot\n" +"X-Crowdin-File: /master/modules/po/notes.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/notify_connect.bg_BG.po b/modules/po/notify_connect.bg_BG.po index 83639b6d..254a313d 100644 --- a/modules/po/notify_connect.bg_BG.po +++ b/modules/po/notify_connect.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /1.8.x/modules/po/notify_connect.pot\n" +"X-Crowdin-File: /master/modules/po/notify_connect.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/notify_connect.es_ES.po b/modules/po/notify_connect.es_ES.po index 244f5f31..ff91f72d 100644 --- a/modules/po/notify_connect.es_ES.po +++ b/modules/po/notify_connect.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /1.8.x/modules/po/notify_connect.pot\n" +"X-Crowdin-File: /master/modules/po/notify_connect.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/notify_connect.fr_FR.po b/modules/po/notify_connect.fr_FR.po index 624748b1..64274257 100644 --- a/modules/po/notify_connect.fr_FR.po +++ b/modules/po/notify_connect.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.8.x/modules/po/notify_connect.pot\n" +"X-Crowdin-File: /master/modules/po/notify_connect.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/notify_connect.id_ID.po b/modules/po/notify_connect.id_ID.po index b8b94655..4d7751ef 100644 --- a/modules/po/notify_connect.id_ID.po +++ b/modules/po/notify_connect.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.8.x/modules/po/notify_connect.pot\n" +"X-Crowdin-File: /master/modules/po/notify_connect.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/notify_connect.it_IT.po b/modules/po/notify_connect.it_IT.po index 1a85ea41..5c485872 100644 --- a/modules/po/notify_connect.it_IT.po +++ b/modules/po/notify_connect.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /1.8.x/modules/po/notify_connect.pot\n" +"X-Crowdin-File: /master/modules/po/notify_connect.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/notify_connect.nl_NL.po b/modules/po/notify_connect.nl_NL.po index 28372652..d1deef1c 100644 --- a/modules/po/notify_connect.nl_NL.po +++ b/modules/po/notify_connect.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.8.x/modules/po/notify_connect.pot\n" +"X-Crowdin-File: /master/modules/po/notify_connect.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/notify_connect.pt_BR.po b/modules/po/notify_connect.pt_BR.po index d77561ad..3194492b 100644 --- a/modules/po/notify_connect.pt_BR.po +++ b/modules/po/notify_connect.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /1.8.x/modules/po/notify_connect.pot\n" +"X-Crowdin-File: /master/modules/po/notify_connect.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/notify_connect.ru_RU.po b/modules/po/notify_connect.ru_RU.po index 449405ee..e00329c6 100644 --- a/modules/po/notify_connect.ru_RU.po +++ b/modules/po/notify_connect.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /1.8.x/modules/po/notify_connect.pot\n" +"X-Crowdin-File: /master/modules/po/notify_connect.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/perform.bg_BG.po b/modules/po/perform.bg_BG.po index 12030970..a1b1043e 100644 --- a/modules/po/perform.bg_BG.po +++ b/modules/po/perform.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /1.8.x/modules/po/perform.pot\n" +"X-Crowdin-File: /master/modules/po/perform.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/perform.es_ES.po b/modules/po/perform.es_ES.po index c5b1638e..89d353b0 100644 --- a/modules/po/perform.es_ES.po +++ b/modules/po/perform.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /1.8.x/modules/po/perform.pot\n" +"X-Crowdin-File: /master/modules/po/perform.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/perform.fr_FR.po b/modules/po/perform.fr_FR.po index 964f908f..c6318ab8 100644 --- a/modules/po/perform.fr_FR.po +++ b/modules/po/perform.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.8.x/modules/po/perform.pot\n" +"X-Crowdin-File: /master/modules/po/perform.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/perform.id_ID.po b/modules/po/perform.id_ID.po index 6c7d13ee..37991360 100644 --- a/modules/po/perform.id_ID.po +++ b/modules/po/perform.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.8.x/modules/po/perform.pot\n" +"X-Crowdin-File: /master/modules/po/perform.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/perform.it_IT.po b/modules/po/perform.it_IT.po index ab83c3cd..409a75a9 100644 --- a/modules/po/perform.it_IT.po +++ b/modules/po/perform.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /1.8.x/modules/po/perform.pot\n" +"X-Crowdin-File: /master/modules/po/perform.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/perform.nl_NL.po b/modules/po/perform.nl_NL.po index df816f13..640f7790 100644 --- a/modules/po/perform.nl_NL.po +++ b/modules/po/perform.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.8.x/modules/po/perform.pot\n" +"X-Crowdin-File: /master/modules/po/perform.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/perform.pt_BR.po b/modules/po/perform.pt_BR.po index 701347e3..fc7fdf42 100644 --- a/modules/po/perform.pt_BR.po +++ b/modules/po/perform.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /1.8.x/modules/po/perform.pot\n" +"X-Crowdin-File: /master/modules/po/perform.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/perform.ru_RU.po b/modules/po/perform.ru_RU.po index 09aa4af3..79744998 100644 --- a/modules/po/perform.ru_RU.po +++ b/modules/po/perform.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /1.8.x/modules/po/perform.pot\n" +"X-Crowdin-File: /master/modules/po/perform.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/perleval.bg_BG.po b/modules/po/perleval.bg_BG.po index b5ee98c2..fe1a0727 100644 --- a/modules/po/perleval.bg_BG.po +++ b/modules/po/perleval.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /1.8.x/modules/po/perleval.pot\n" +"X-Crowdin-File: /master/modules/po/perleval.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/perleval.es_ES.po b/modules/po/perleval.es_ES.po index 27cc8493..4c5130d9 100644 --- a/modules/po/perleval.es_ES.po +++ b/modules/po/perleval.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /1.8.x/modules/po/perleval.pot\n" +"X-Crowdin-File: /master/modules/po/perleval.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/perleval.fr_FR.po b/modules/po/perleval.fr_FR.po index c007fd01..e4183d77 100644 --- a/modules/po/perleval.fr_FR.po +++ b/modules/po/perleval.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.8.x/modules/po/perleval.pot\n" +"X-Crowdin-File: /master/modules/po/perleval.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/perleval.id_ID.po b/modules/po/perleval.id_ID.po index 185afa29..dd49585e 100644 --- a/modules/po/perleval.id_ID.po +++ b/modules/po/perleval.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.8.x/modules/po/perleval.pot\n" +"X-Crowdin-File: /master/modules/po/perleval.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/perleval.it_IT.po b/modules/po/perleval.it_IT.po index f72cd601..6dc8fa32 100644 --- a/modules/po/perleval.it_IT.po +++ b/modules/po/perleval.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /1.8.x/modules/po/perleval.pot\n" +"X-Crowdin-File: /master/modules/po/perleval.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/perleval.nl_NL.po b/modules/po/perleval.nl_NL.po index cbf8e3e8..74501d60 100644 --- a/modules/po/perleval.nl_NL.po +++ b/modules/po/perleval.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.8.x/modules/po/perleval.pot\n" +"X-Crowdin-File: /master/modules/po/perleval.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/perleval.pt_BR.po b/modules/po/perleval.pt_BR.po index fae850b1..7b9ebe6d 100644 --- a/modules/po/perleval.pt_BR.po +++ b/modules/po/perleval.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /1.8.x/modules/po/perleval.pot\n" +"X-Crowdin-File: /master/modules/po/perleval.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/perleval.ru_RU.po b/modules/po/perleval.ru_RU.po index 98921c5f..d4f1ec37 100644 --- a/modules/po/perleval.ru_RU.po +++ b/modules/po/perleval.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /1.8.x/modules/po/perleval.pot\n" +"X-Crowdin-File: /master/modules/po/perleval.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/pyeval.bg_BG.po b/modules/po/pyeval.bg_BG.po index 03ab18df..dc83c6d9 100644 --- a/modules/po/pyeval.bg_BG.po +++ b/modules/po/pyeval.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /1.8.x/modules/po/pyeval.pot\n" +"X-Crowdin-File: /master/modules/po/pyeval.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/pyeval.es_ES.po b/modules/po/pyeval.es_ES.po index 0fa7b13e..521581f9 100644 --- a/modules/po/pyeval.es_ES.po +++ b/modules/po/pyeval.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /1.8.x/modules/po/pyeval.pot\n" +"X-Crowdin-File: /master/modules/po/pyeval.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/pyeval.fr_FR.po b/modules/po/pyeval.fr_FR.po index 2dce7193..265618ad 100644 --- a/modules/po/pyeval.fr_FR.po +++ b/modules/po/pyeval.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.8.x/modules/po/pyeval.pot\n" +"X-Crowdin-File: /master/modules/po/pyeval.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/pyeval.id_ID.po b/modules/po/pyeval.id_ID.po index c7f67311..dd915f7c 100644 --- a/modules/po/pyeval.id_ID.po +++ b/modules/po/pyeval.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.8.x/modules/po/pyeval.pot\n" +"X-Crowdin-File: /master/modules/po/pyeval.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/pyeval.it_IT.po b/modules/po/pyeval.it_IT.po index 673f4703..090e4fa9 100644 --- a/modules/po/pyeval.it_IT.po +++ b/modules/po/pyeval.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /1.8.x/modules/po/pyeval.pot\n" +"X-Crowdin-File: /master/modules/po/pyeval.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/pyeval.nl_NL.po b/modules/po/pyeval.nl_NL.po index 6e4e3337..ba4d5c1a 100644 --- a/modules/po/pyeval.nl_NL.po +++ b/modules/po/pyeval.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.8.x/modules/po/pyeval.pot\n" +"X-Crowdin-File: /master/modules/po/pyeval.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/pyeval.pt_BR.po b/modules/po/pyeval.pt_BR.po index b427afcb..db3c7fee 100644 --- a/modules/po/pyeval.pt_BR.po +++ b/modules/po/pyeval.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /1.8.x/modules/po/pyeval.pot\n" +"X-Crowdin-File: /master/modules/po/pyeval.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/pyeval.ru_RU.po b/modules/po/pyeval.ru_RU.po index 94ea3518..802ce6c3 100644 --- a/modules/po/pyeval.ru_RU.po +++ b/modules/po/pyeval.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /1.8.x/modules/po/pyeval.pot\n" +"X-Crowdin-File: /master/modules/po/pyeval.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/raw.bg_BG.po b/modules/po/raw.bg_BG.po index 7629bc3c..e395c6d8 100644 --- a/modules/po/raw.bg_BG.po +++ b/modules/po/raw.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /1.8.x/modules/po/raw.pot\n" +"X-Crowdin-File: /master/modules/po/raw.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/raw.es_ES.po b/modules/po/raw.es_ES.po index 396f2d8b..57ecaa8a 100644 --- a/modules/po/raw.es_ES.po +++ b/modules/po/raw.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /1.8.x/modules/po/raw.pot\n" +"X-Crowdin-File: /master/modules/po/raw.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/raw.fr_FR.po b/modules/po/raw.fr_FR.po index c88bf619..13108bdc 100644 --- a/modules/po/raw.fr_FR.po +++ b/modules/po/raw.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.8.x/modules/po/raw.pot\n" +"X-Crowdin-File: /master/modules/po/raw.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/raw.id_ID.po b/modules/po/raw.id_ID.po index cbdeb38d..72103dda 100644 --- a/modules/po/raw.id_ID.po +++ b/modules/po/raw.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.8.x/modules/po/raw.pot\n" +"X-Crowdin-File: /master/modules/po/raw.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/raw.it_IT.po b/modules/po/raw.it_IT.po index 61105932..6bbd8ebe 100644 --- a/modules/po/raw.it_IT.po +++ b/modules/po/raw.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /1.8.x/modules/po/raw.pot\n" +"X-Crowdin-File: /master/modules/po/raw.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/raw.nl_NL.po b/modules/po/raw.nl_NL.po index 770ca7b3..9cb952bb 100644 --- a/modules/po/raw.nl_NL.po +++ b/modules/po/raw.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.8.x/modules/po/raw.pot\n" +"X-Crowdin-File: /master/modules/po/raw.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/raw.pt_BR.po b/modules/po/raw.pt_BR.po index d30424d6..52e64660 100644 --- a/modules/po/raw.pt_BR.po +++ b/modules/po/raw.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /1.8.x/modules/po/raw.pot\n" +"X-Crowdin-File: /master/modules/po/raw.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/raw.ru_RU.po b/modules/po/raw.ru_RU.po index 957b10e5..2eb8e049 100644 --- a/modules/po/raw.ru_RU.po +++ b/modules/po/raw.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /1.8.x/modules/po/raw.pot\n" +"X-Crowdin-File: /master/modules/po/raw.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/route_replies.bg_BG.po b/modules/po/route_replies.bg_BG.po index aee1c5e6..2f0cff8e 100644 --- a/modules/po/route_replies.bg_BG.po +++ b/modules/po/route_replies.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /1.8.x/modules/po/route_replies.pot\n" +"X-Crowdin-File: /master/modules/po/route_replies.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/route_replies.es_ES.po b/modules/po/route_replies.es_ES.po index 9bb7e488..d3a12b6a 100644 --- a/modules/po/route_replies.es_ES.po +++ b/modules/po/route_replies.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /1.8.x/modules/po/route_replies.pot\n" +"X-Crowdin-File: /master/modules/po/route_replies.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/route_replies.fr_FR.po b/modules/po/route_replies.fr_FR.po index f04fa53f..e3fd9022 100644 --- a/modules/po/route_replies.fr_FR.po +++ b/modules/po/route_replies.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.8.x/modules/po/route_replies.pot\n" +"X-Crowdin-File: /master/modules/po/route_replies.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/route_replies.id_ID.po b/modules/po/route_replies.id_ID.po index a99fb6d0..2a2fdc75 100644 --- a/modules/po/route_replies.id_ID.po +++ b/modules/po/route_replies.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.8.x/modules/po/route_replies.pot\n" +"X-Crowdin-File: /master/modules/po/route_replies.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/route_replies.it_IT.po b/modules/po/route_replies.it_IT.po index 10c7b3c6..5ec05b42 100644 --- a/modules/po/route_replies.it_IT.po +++ b/modules/po/route_replies.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /1.8.x/modules/po/route_replies.pot\n" +"X-Crowdin-File: /master/modules/po/route_replies.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/route_replies.nl_NL.po b/modules/po/route_replies.nl_NL.po index 4c3805ad..29dda38e 100644 --- a/modules/po/route_replies.nl_NL.po +++ b/modules/po/route_replies.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.8.x/modules/po/route_replies.pot\n" +"X-Crowdin-File: /master/modules/po/route_replies.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/route_replies.pt_BR.po b/modules/po/route_replies.pt_BR.po index d17e3c15..a46e1bbd 100644 --- a/modules/po/route_replies.pt_BR.po +++ b/modules/po/route_replies.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /1.8.x/modules/po/route_replies.pot\n" +"X-Crowdin-File: /master/modules/po/route_replies.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/route_replies.ru_RU.po b/modules/po/route_replies.ru_RU.po index b505ae66..220b5e73 100644 --- a/modules/po/route_replies.ru_RU.po +++ b/modules/po/route_replies.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /1.8.x/modules/po/route_replies.pot\n" +"X-Crowdin-File: /master/modules/po/route_replies.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/sample.bg_BG.po b/modules/po/sample.bg_BG.po index f8f41100..469d1bde 100644 --- a/modules/po/sample.bg_BG.po +++ b/modules/po/sample.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /1.8.x/modules/po/sample.pot\n" +"X-Crowdin-File: /master/modules/po/sample.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/sample.es_ES.po b/modules/po/sample.es_ES.po index 32256a92..3a88cea7 100644 --- a/modules/po/sample.es_ES.po +++ b/modules/po/sample.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /1.8.x/modules/po/sample.pot\n" +"X-Crowdin-File: /master/modules/po/sample.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/sample.fr_FR.po b/modules/po/sample.fr_FR.po index 28750a49..fb316738 100644 --- a/modules/po/sample.fr_FR.po +++ b/modules/po/sample.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.8.x/modules/po/sample.pot\n" +"X-Crowdin-File: /master/modules/po/sample.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/sample.id_ID.po b/modules/po/sample.id_ID.po index 4e6fccc3..4562c28f 100644 --- a/modules/po/sample.id_ID.po +++ b/modules/po/sample.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.8.x/modules/po/sample.pot\n" +"X-Crowdin-File: /master/modules/po/sample.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/sample.it_IT.po b/modules/po/sample.it_IT.po index f2b0ff66..2bade65c 100644 --- a/modules/po/sample.it_IT.po +++ b/modules/po/sample.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /1.8.x/modules/po/sample.pot\n" +"X-Crowdin-File: /master/modules/po/sample.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/sample.nl_NL.po b/modules/po/sample.nl_NL.po index 75ec144b..1925a40c 100644 --- a/modules/po/sample.nl_NL.po +++ b/modules/po/sample.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.8.x/modules/po/sample.pot\n" +"X-Crowdin-File: /master/modules/po/sample.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/sample.pt_BR.po b/modules/po/sample.pt_BR.po index a1da0cce..b0ff0f11 100644 --- a/modules/po/sample.pt_BR.po +++ b/modules/po/sample.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /1.8.x/modules/po/sample.pot\n" +"X-Crowdin-File: /master/modules/po/sample.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/sample.ru_RU.po b/modules/po/sample.ru_RU.po index fa0fa551..4c170d24 100644 --- a/modules/po/sample.ru_RU.po +++ b/modules/po/sample.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /1.8.x/modules/po/sample.pot\n" +"X-Crowdin-File: /master/modules/po/sample.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/samplewebapi.bg_BG.po b/modules/po/samplewebapi.bg_BG.po index 4f4888e2..d4ba9be5 100644 --- a/modules/po/samplewebapi.bg_BG.po +++ b/modules/po/samplewebapi.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /1.8.x/modules/po/samplewebapi.pot\n" +"X-Crowdin-File: /master/modules/po/samplewebapi.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/samplewebapi.es_ES.po b/modules/po/samplewebapi.es_ES.po index 4e459ac0..f21988cb 100644 --- a/modules/po/samplewebapi.es_ES.po +++ b/modules/po/samplewebapi.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /1.8.x/modules/po/samplewebapi.pot\n" +"X-Crowdin-File: /master/modules/po/samplewebapi.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/samplewebapi.fr_FR.po b/modules/po/samplewebapi.fr_FR.po index 71002746..c9530a5d 100644 --- a/modules/po/samplewebapi.fr_FR.po +++ b/modules/po/samplewebapi.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.8.x/modules/po/samplewebapi.pot\n" +"X-Crowdin-File: /master/modules/po/samplewebapi.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/samplewebapi.id_ID.po b/modules/po/samplewebapi.id_ID.po index 6b0e330f..aebebe9c 100644 --- a/modules/po/samplewebapi.id_ID.po +++ b/modules/po/samplewebapi.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.8.x/modules/po/samplewebapi.pot\n" +"X-Crowdin-File: /master/modules/po/samplewebapi.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/samplewebapi.it_IT.po b/modules/po/samplewebapi.it_IT.po index c2928039..1bd7848a 100644 --- a/modules/po/samplewebapi.it_IT.po +++ b/modules/po/samplewebapi.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /1.8.x/modules/po/samplewebapi.pot\n" +"X-Crowdin-File: /master/modules/po/samplewebapi.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/samplewebapi.nl_NL.po b/modules/po/samplewebapi.nl_NL.po index d5814343..28e60de9 100644 --- a/modules/po/samplewebapi.nl_NL.po +++ b/modules/po/samplewebapi.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.8.x/modules/po/samplewebapi.pot\n" +"X-Crowdin-File: /master/modules/po/samplewebapi.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/samplewebapi.pt_BR.po b/modules/po/samplewebapi.pt_BR.po index 8f880dd4..b5c8a7b9 100644 --- a/modules/po/samplewebapi.pt_BR.po +++ b/modules/po/samplewebapi.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /1.8.x/modules/po/samplewebapi.pot\n" +"X-Crowdin-File: /master/modules/po/samplewebapi.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/samplewebapi.ru_RU.po b/modules/po/samplewebapi.ru_RU.po index 74de4fa9..a555df8d 100644 --- a/modules/po/samplewebapi.ru_RU.po +++ b/modules/po/samplewebapi.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /1.8.x/modules/po/samplewebapi.pot\n" +"X-Crowdin-File: /master/modules/po/samplewebapi.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/sasl.bg_BG.po b/modules/po/sasl.bg_BG.po index 9230b2e2..d591ba98 100644 --- a/modules/po/sasl.bg_BG.po +++ b/modules/po/sasl.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /1.8.x/modules/po/sasl.pot\n" +"X-Crowdin-File: /master/modules/po/sasl.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/sasl.es_ES.po b/modules/po/sasl.es_ES.po index a8285744..544a0f6c 100644 --- a/modules/po/sasl.es_ES.po +++ b/modules/po/sasl.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /1.8.x/modules/po/sasl.pot\n" +"X-Crowdin-File: /master/modules/po/sasl.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/sasl.fr_FR.po b/modules/po/sasl.fr_FR.po index 07a761ef..1c2ec841 100644 --- a/modules/po/sasl.fr_FR.po +++ b/modules/po/sasl.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.8.x/modules/po/sasl.pot\n" +"X-Crowdin-File: /master/modules/po/sasl.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/sasl.id_ID.po b/modules/po/sasl.id_ID.po index 93708686..9cfcaf64 100644 --- a/modules/po/sasl.id_ID.po +++ b/modules/po/sasl.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.8.x/modules/po/sasl.pot\n" +"X-Crowdin-File: /master/modules/po/sasl.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/sasl.it_IT.po b/modules/po/sasl.it_IT.po index 74cc3c16..bd0c8d27 100644 --- a/modules/po/sasl.it_IT.po +++ b/modules/po/sasl.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /1.8.x/modules/po/sasl.pot\n" +"X-Crowdin-File: /master/modules/po/sasl.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/sasl.nl_NL.po b/modules/po/sasl.nl_NL.po index 4400b941..6d308890 100644 --- a/modules/po/sasl.nl_NL.po +++ b/modules/po/sasl.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.8.x/modules/po/sasl.pot\n" +"X-Crowdin-File: /master/modules/po/sasl.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/sasl.pt_BR.po b/modules/po/sasl.pt_BR.po index 417218b8..87dfacc2 100644 --- a/modules/po/sasl.pt_BR.po +++ b/modules/po/sasl.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /1.8.x/modules/po/sasl.pot\n" +"X-Crowdin-File: /master/modules/po/sasl.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/sasl.ru_RU.po b/modules/po/sasl.ru_RU.po index 6a539ace..55085702 100644 --- a/modules/po/sasl.ru_RU.po +++ b/modules/po/sasl.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /1.8.x/modules/po/sasl.pot\n" +"X-Crowdin-File: /master/modules/po/sasl.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/savebuff.bg_BG.po b/modules/po/savebuff.bg_BG.po index d878f351..2586ac9b 100644 --- a/modules/po/savebuff.bg_BG.po +++ b/modules/po/savebuff.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /1.8.x/modules/po/savebuff.pot\n" +"X-Crowdin-File: /master/modules/po/savebuff.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/savebuff.es_ES.po b/modules/po/savebuff.es_ES.po index 9d6ae3d0..41583fca 100644 --- a/modules/po/savebuff.es_ES.po +++ b/modules/po/savebuff.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /1.8.x/modules/po/savebuff.pot\n" +"X-Crowdin-File: /master/modules/po/savebuff.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/savebuff.fr_FR.po b/modules/po/savebuff.fr_FR.po index de8b3d6a..b4608650 100644 --- a/modules/po/savebuff.fr_FR.po +++ b/modules/po/savebuff.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.8.x/modules/po/savebuff.pot\n" +"X-Crowdin-File: /master/modules/po/savebuff.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/savebuff.id_ID.po b/modules/po/savebuff.id_ID.po index 03252c1c..445e2faf 100644 --- a/modules/po/savebuff.id_ID.po +++ b/modules/po/savebuff.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.8.x/modules/po/savebuff.pot\n" +"X-Crowdin-File: /master/modules/po/savebuff.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/savebuff.it_IT.po b/modules/po/savebuff.it_IT.po index d494cc48..f320adfc 100644 --- a/modules/po/savebuff.it_IT.po +++ b/modules/po/savebuff.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /1.8.x/modules/po/savebuff.pot\n" +"X-Crowdin-File: /master/modules/po/savebuff.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/savebuff.nl_NL.po b/modules/po/savebuff.nl_NL.po index 6b6e859b..704ad69c 100644 --- a/modules/po/savebuff.nl_NL.po +++ b/modules/po/savebuff.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.8.x/modules/po/savebuff.pot\n" +"X-Crowdin-File: /master/modules/po/savebuff.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/savebuff.pt_BR.po b/modules/po/savebuff.pt_BR.po index b4b9d892..18839c23 100644 --- a/modules/po/savebuff.pt_BR.po +++ b/modules/po/savebuff.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /1.8.x/modules/po/savebuff.pot\n" +"X-Crowdin-File: /master/modules/po/savebuff.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/savebuff.ru_RU.po b/modules/po/savebuff.ru_RU.po index 951fc9a6..6fcb7b82 100644 --- a/modules/po/savebuff.ru_RU.po +++ b/modules/po/savebuff.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /1.8.x/modules/po/savebuff.pot\n" +"X-Crowdin-File: /master/modules/po/savebuff.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/send_raw.bg_BG.po b/modules/po/send_raw.bg_BG.po index fac58278..f87f21e2 100644 --- a/modules/po/send_raw.bg_BG.po +++ b/modules/po/send_raw.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /1.8.x/modules/po/send_raw.pot\n" +"X-Crowdin-File: /master/modules/po/send_raw.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/send_raw.es_ES.po b/modules/po/send_raw.es_ES.po index 7b3757c3..caca3f4e 100644 --- a/modules/po/send_raw.es_ES.po +++ b/modules/po/send_raw.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /1.8.x/modules/po/send_raw.pot\n" +"X-Crowdin-File: /master/modules/po/send_raw.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/send_raw.fr_FR.po b/modules/po/send_raw.fr_FR.po index 22270cbf..1eff4542 100644 --- a/modules/po/send_raw.fr_FR.po +++ b/modules/po/send_raw.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.8.x/modules/po/send_raw.pot\n" +"X-Crowdin-File: /master/modules/po/send_raw.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/send_raw.id_ID.po b/modules/po/send_raw.id_ID.po index c34651df..97f2e56e 100644 --- a/modules/po/send_raw.id_ID.po +++ b/modules/po/send_raw.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.8.x/modules/po/send_raw.pot\n" +"X-Crowdin-File: /master/modules/po/send_raw.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/send_raw.it_IT.po b/modules/po/send_raw.it_IT.po index 6628574b..e019af2a 100644 --- a/modules/po/send_raw.it_IT.po +++ b/modules/po/send_raw.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /1.8.x/modules/po/send_raw.pot\n" +"X-Crowdin-File: /master/modules/po/send_raw.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/send_raw.nl_NL.po b/modules/po/send_raw.nl_NL.po index 761f855c..5f30ba78 100644 --- a/modules/po/send_raw.nl_NL.po +++ b/modules/po/send_raw.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.8.x/modules/po/send_raw.pot\n" +"X-Crowdin-File: /master/modules/po/send_raw.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/send_raw.pt_BR.po b/modules/po/send_raw.pt_BR.po index 446daa7f..e8361408 100644 --- a/modules/po/send_raw.pt_BR.po +++ b/modules/po/send_raw.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /1.8.x/modules/po/send_raw.pot\n" +"X-Crowdin-File: /master/modules/po/send_raw.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/send_raw.ru_RU.po b/modules/po/send_raw.ru_RU.po index cbf2c8c1..56b1c005 100644 --- a/modules/po/send_raw.ru_RU.po +++ b/modules/po/send_raw.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /1.8.x/modules/po/send_raw.pot\n" +"X-Crowdin-File: /master/modules/po/send_raw.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/shell.bg_BG.po b/modules/po/shell.bg_BG.po index 7c79c839..75595426 100644 --- a/modules/po/shell.bg_BG.po +++ b/modules/po/shell.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /1.8.x/modules/po/shell.pot\n" +"X-Crowdin-File: /master/modules/po/shell.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/shell.es_ES.po b/modules/po/shell.es_ES.po index fa3cc748..b97b1d7f 100644 --- a/modules/po/shell.es_ES.po +++ b/modules/po/shell.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /1.8.x/modules/po/shell.pot\n" +"X-Crowdin-File: /master/modules/po/shell.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/shell.fr_FR.po b/modules/po/shell.fr_FR.po index 91ff3085..b2b7cec4 100644 --- a/modules/po/shell.fr_FR.po +++ b/modules/po/shell.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.8.x/modules/po/shell.pot\n" +"X-Crowdin-File: /master/modules/po/shell.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/shell.id_ID.po b/modules/po/shell.id_ID.po index f7e49731..10305ea6 100644 --- a/modules/po/shell.id_ID.po +++ b/modules/po/shell.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.8.x/modules/po/shell.pot\n" +"X-Crowdin-File: /master/modules/po/shell.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/shell.it_IT.po b/modules/po/shell.it_IT.po index 1f6532bb..5c9f9797 100644 --- a/modules/po/shell.it_IT.po +++ b/modules/po/shell.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /1.8.x/modules/po/shell.pot\n" +"X-Crowdin-File: /master/modules/po/shell.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/shell.nl_NL.po b/modules/po/shell.nl_NL.po index 10263de3..4106afb9 100644 --- a/modules/po/shell.nl_NL.po +++ b/modules/po/shell.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.8.x/modules/po/shell.pot\n" +"X-Crowdin-File: /master/modules/po/shell.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/shell.pt_BR.po b/modules/po/shell.pt_BR.po index a5fa6934..84661706 100644 --- a/modules/po/shell.pt_BR.po +++ b/modules/po/shell.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /1.8.x/modules/po/shell.pot\n" +"X-Crowdin-File: /master/modules/po/shell.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/shell.ru_RU.po b/modules/po/shell.ru_RU.po index 5a790854..57700b51 100644 --- a/modules/po/shell.ru_RU.po +++ b/modules/po/shell.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /1.8.x/modules/po/shell.pot\n" +"X-Crowdin-File: /master/modules/po/shell.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/simple_away.bg_BG.po b/modules/po/simple_away.bg_BG.po index 72d41654..aecf476d 100644 --- a/modules/po/simple_away.bg_BG.po +++ b/modules/po/simple_away.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /1.8.x/modules/po/simple_away.pot\n" +"X-Crowdin-File: /master/modules/po/simple_away.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/simple_away.es_ES.po b/modules/po/simple_away.es_ES.po index 93dc222e..5b6900cf 100644 --- a/modules/po/simple_away.es_ES.po +++ b/modules/po/simple_away.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /1.8.x/modules/po/simple_away.pot\n" +"X-Crowdin-File: /master/modules/po/simple_away.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/simple_away.fr_FR.po b/modules/po/simple_away.fr_FR.po index 99c33d5c..a3af28bf 100644 --- a/modules/po/simple_away.fr_FR.po +++ b/modules/po/simple_away.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.8.x/modules/po/simple_away.pot\n" +"X-Crowdin-File: /master/modules/po/simple_away.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/simple_away.id_ID.po b/modules/po/simple_away.id_ID.po index 96b41e02..437f572c 100644 --- a/modules/po/simple_away.id_ID.po +++ b/modules/po/simple_away.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.8.x/modules/po/simple_away.pot\n" +"X-Crowdin-File: /master/modules/po/simple_away.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/simple_away.it_IT.po b/modules/po/simple_away.it_IT.po index eac8ef17..6ad1a57a 100644 --- a/modules/po/simple_away.it_IT.po +++ b/modules/po/simple_away.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /1.8.x/modules/po/simple_away.pot\n" +"X-Crowdin-File: /master/modules/po/simple_away.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/simple_away.nl_NL.po b/modules/po/simple_away.nl_NL.po index e276f659..df9b8180 100644 --- a/modules/po/simple_away.nl_NL.po +++ b/modules/po/simple_away.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.8.x/modules/po/simple_away.pot\n" +"X-Crowdin-File: /master/modules/po/simple_away.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/simple_away.pt_BR.po b/modules/po/simple_away.pt_BR.po index 216acc2d..e67601ac 100644 --- a/modules/po/simple_away.pt_BR.po +++ b/modules/po/simple_away.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /1.8.x/modules/po/simple_away.pot\n" +"X-Crowdin-File: /master/modules/po/simple_away.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/simple_away.ru_RU.po b/modules/po/simple_away.ru_RU.po index e82a72f3..18f3a7df 100644 --- a/modules/po/simple_away.ru_RU.po +++ b/modules/po/simple_away.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /1.8.x/modules/po/simple_away.pot\n" +"X-Crowdin-File: /master/modules/po/simple_away.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/stickychan.bg_BG.po b/modules/po/stickychan.bg_BG.po index ffdde654..bc5264f2 100644 --- a/modules/po/stickychan.bg_BG.po +++ b/modules/po/stickychan.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /1.8.x/modules/po/stickychan.pot\n" +"X-Crowdin-File: /master/modules/po/stickychan.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/stickychan.es_ES.po b/modules/po/stickychan.es_ES.po index 61d1c4c2..e1e84292 100644 --- a/modules/po/stickychan.es_ES.po +++ b/modules/po/stickychan.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /1.8.x/modules/po/stickychan.pot\n" +"X-Crowdin-File: /master/modules/po/stickychan.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/stickychan.fr_FR.po b/modules/po/stickychan.fr_FR.po index bdfa9051..055ce588 100644 --- a/modules/po/stickychan.fr_FR.po +++ b/modules/po/stickychan.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.8.x/modules/po/stickychan.pot\n" +"X-Crowdin-File: /master/modules/po/stickychan.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/stickychan.id_ID.po b/modules/po/stickychan.id_ID.po index b8b3381a..6e11ea39 100644 --- a/modules/po/stickychan.id_ID.po +++ b/modules/po/stickychan.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.8.x/modules/po/stickychan.pot\n" +"X-Crowdin-File: /master/modules/po/stickychan.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/stickychan.it_IT.po b/modules/po/stickychan.it_IT.po index 1a0ecd78..9b66501e 100644 --- a/modules/po/stickychan.it_IT.po +++ b/modules/po/stickychan.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /1.8.x/modules/po/stickychan.pot\n" +"X-Crowdin-File: /master/modules/po/stickychan.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/stickychan.nl_NL.po b/modules/po/stickychan.nl_NL.po index c5a2067c..868f511d 100644 --- a/modules/po/stickychan.nl_NL.po +++ b/modules/po/stickychan.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.8.x/modules/po/stickychan.pot\n" +"X-Crowdin-File: /master/modules/po/stickychan.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/stickychan.pt_BR.po b/modules/po/stickychan.pt_BR.po index 4d1fe6bd..e5f6e4ee 100644 --- a/modules/po/stickychan.pt_BR.po +++ b/modules/po/stickychan.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /1.8.x/modules/po/stickychan.pot\n" +"X-Crowdin-File: /master/modules/po/stickychan.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/stickychan.ru_RU.po b/modules/po/stickychan.ru_RU.po index 65723957..5f989deb 100644 --- a/modules/po/stickychan.ru_RU.po +++ b/modules/po/stickychan.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /1.8.x/modules/po/stickychan.pot\n" +"X-Crowdin-File: /master/modules/po/stickychan.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/stripcontrols.bg_BG.po b/modules/po/stripcontrols.bg_BG.po index 797fc00f..68761174 100644 --- a/modules/po/stripcontrols.bg_BG.po +++ b/modules/po/stripcontrols.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /1.8.x/modules/po/stripcontrols.pot\n" +"X-Crowdin-File: /master/modules/po/stripcontrols.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/stripcontrols.es_ES.po b/modules/po/stripcontrols.es_ES.po index 0b46d057..a29277d0 100644 --- a/modules/po/stripcontrols.es_ES.po +++ b/modules/po/stripcontrols.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /1.8.x/modules/po/stripcontrols.pot\n" +"X-Crowdin-File: /master/modules/po/stripcontrols.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/stripcontrols.fr_FR.po b/modules/po/stripcontrols.fr_FR.po index 562ed641..c96c6f14 100644 --- a/modules/po/stripcontrols.fr_FR.po +++ b/modules/po/stripcontrols.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.8.x/modules/po/stripcontrols.pot\n" +"X-Crowdin-File: /master/modules/po/stripcontrols.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/stripcontrols.id_ID.po b/modules/po/stripcontrols.id_ID.po index adf94f71..5f8e4dbd 100644 --- a/modules/po/stripcontrols.id_ID.po +++ b/modules/po/stripcontrols.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.8.x/modules/po/stripcontrols.pot\n" +"X-Crowdin-File: /master/modules/po/stripcontrols.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/stripcontrols.it_IT.po b/modules/po/stripcontrols.it_IT.po index 68a786cf..0c669af9 100644 --- a/modules/po/stripcontrols.it_IT.po +++ b/modules/po/stripcontrols.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /1.8.x/modules/po/stripcontrols.pot\n" +"X-Crowdin-File: /master/modules/po/stripcontrols.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/stripcontrols.nl_NL.po b/modules/po/stripcontrols.nl_NL.po index c0ed32e1..5b6a3167 100644 --- a/modules/po/stripcontrols.nl_NL.po +++ b/modules/po/stripcontrols.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.8.x/modules/po/stripcontrols.pot\n" +"X-Crowdin-File: /master/modules/po/stripcontrols.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/stripcontrols.pt_BR.po b/modules/po/stripcontrols.pt_BR.po index 66a69b7f..83905011 100644 --- a/modules/po/stripcontrols.pt_BR.po +++ b/modules/po/stripcontrols.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /1.8.x/modules/po/stripcontrols.pot\n" +"X-Crowdin-File: /master/modules/po/stripcontrols.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/stripcontrols.ru_RU.po b/modules/po/stripcontrols.ru_RU.po index ee3e6be9..a07f5bed 100644 --- a/modules/po/stripcontrols.ru_RU.po +++ b/modules/po/stripcontrols.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /1.8.x/modules/po/stripcontrols.pot\n" +"X-Crowdin-File: /master/modules/po/stripcontrols.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/watch.bg_BG.po b/modules/po/watch.bg_BG.po index 8671637a..d11b0935 100644 --- a/modules/po/watch.bg_BG.po +++ b/modules/po/watch.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /1.8.x/modules/po/watch.pot\n" +"X-Crowdin-File: /master/modules/po/watch.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/watch.es_ES.po b/modules/po/watch.es_ES.po index 38e6d0c8..6628e184 100644 --- a/modules/po/watch.es_ES.po +++ b/modules/po/watch.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /1.8.x/modules/po/watch.pot\n" +"X-Crowdin-File: /master/modules/po/watch.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/watch.fr_FR.po b/modules/po/watch.fr_FR.po index ab2911a7..41ccc13d 100644 --- a/modules/po/watch.fr_FR.po +++ b/modules/po/watch.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.8.x/modules/po/watch.pot\n" +"X-Crowdin-File: /master/modules/po/watch.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/watch.id_ID.po b/modules/po/watch.id_ID.po index 0907b97b..046f6aa0 100644 --- a/modules/po/watch.id_ID.po +++ b/modules/po/watch.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.8.x/modules/po/watch.pot\n" +"X-Crowdin-File: /master/modules/po/watch.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/watch.it_IT.po b/modules/po/watch.it_IT.po index 9af43f41..ae1a0417 100644 --- a/modules/po/watch.it_IT.po +++ b/modules/po/watch.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /1.8.x/modules/po/watch.pot\n" +"X-Crowdin-File: /master/modules/po/watch.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/watch.nl_NL.po b/modules/po/watch.nl_NL.po index 4aaa5a88..3d7a0451 100644 --- a/modules/po/watch.nl_NL.po +++ b/modules/po/watch.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.8.x/modules/po/watch.pot\n" +"X-Crowdin-File: /master/modules/po/watch.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/watch.pt_BR.po b/modules/po/watch.pt_BR.po index 441c0f4e..340e8397 100644 --- a/modules/po/watch.pt_BR.po +++ b/modules/po/watch.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /1.8.x/modules/po/watch.pot\n" +"X-Crowdin-File: /master/modules/po/watch.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/watch.ru_RU.po b/modules/po/watch.ru_RU.po index 09804a3a..d94e2600 100644 --- a/modules/po/watch.ru_RU.po +++ b/modules/po/watch.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /1.8.x/modules/po/watch.pot\n" +"X-Crowdin-File: /master/modules/po/watch.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/webadmin.bg_BG.po b/modules/po/webadmin.bg_BG.po index 0bae8126..8d94f112 100644 --- a/modules/po/webadmin.bg_BG.po +++ b/modules/po/webadmin.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /1.8.x/modules/po/webadmin.pot\n" +"X-Crowdin-File: /master/modules/po/webadmin.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/webadmin.es_ES.po b/modules/po/webadmin.es_ES.po index d93673a7..4ce3083a 100644 --- a/modules/po/webadmin.es_ES.po +++ b/modules/po/webadmin.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /1.8.x/modules/po/webadmin.pot\n" +"X-Crowdin-File: /master/modules/po/webadmin.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/webadmin.fr_FR.po b/modules/po/webadmin.fr_FR.po index 57238c20..20311be6 100644 --- a/modules/po/webadmin.fr_FR.po +++ b/modules/po/webadmin.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.8.x/modules/po/webadmin.pot\n" +"X-Crowdin-File: /master/modules/po/webadmin.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/webadmin.id_ID.po b/modules/po/webadmin.id_ID.po index c4c3007b..3e997a9e 100644 --- a/modules/po/webadmin.id_ID.po +++ b/modules/po/webadmin.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.8.x/modules/po/webadmin.pot\n" +"X-Crowdin-File: /master/modules/po/webadmin.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/webadmin.it_IT.po b/modules/po/webadmin.it_IT.po index 2b626978..e6ccdd5d 100644 --- a/modules/po/webadmin.it_IT.po +++ b/modules/po/webadmin.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /1.8.x/modules/po/webadmin.pot\n" +"X-Crowdin-File: /master/modules/po/webadmin.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/webadmin.nl_NL.po b/modules/po/webadmin.nl_NL.po index 1863fd51..613ec193 100644 --- a/modules/po/webadmin.nl_NL.po +++ b/modules/po/webadmin.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.8.x/modules/po/webadmin.pot\n" +"X-Crowdin-File: /master/modules/po/webadmin.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/webadmin.pt_BR.po b/modules/po/webadmin.pt_BR.po index 5bcb7b49..53f73b79 100644 --- a/modules/po/webadmin.pt_BR.po +++ b/modules/po/webadmin.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /1.8.x/modules/po/webadmin.pot\n" +"X-Crowdin-File: /master/modules/po/webadmin.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/webadmin.ru_RU.po b/modules/po/webadmin.ru_RU.po index 1abd0b84..c8a3ccde 100644 --- a/modules/po/webadmin.ru_RU.po +++ b/modules/po/webadmin.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /1.8.x/modules/po/webadmin.pot\n" +"X-Crowdin-File: /master/modules/po/webadmin.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/src/po/znc.bg_BG.po b/src/po/znc.bg_BG.po index 8da21349..9287862a 100644 --- a/src/po/znc.bg_BG.po +++ b/src/po/znc.bg_BG.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: bg\n" -"X-Crowdin-File: /1.8.x/src/po/znc.pot\n" +"X-Crowdin-File: /master/src/po/znc.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/src/po/znc.es_ES.po b/src/po/znc.es_ES.po index 8f0d240d..45a6ab33 100644 --- a/src/po/znc.es_ES.po +++ b/src/po/znc.es_ES.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: es-ES\n" -"X-Crowdin-File: /1.8.x/src/po/znc.pot\n" +"X-Crowdin-File: /master/src/po/znc.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/src/po/znc.fr_FR.po b/src/po/znc.fr_FR.po index 85ffb1b3..e4cfcde8 100644 --- a/src/po/znc.fr_FR.po +++ b/src/po/znc.fr_FR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: fr\n" -"X-Crowdin-File: /1.8.x/src/po/znc.pot\n" +"X-Crowdin-File: /master/src/po/znc.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/src/po/znc.id_ID.po b/src/po/znc.id_ID.po index 292a49cf..357de1bc 100644 --- a/src/po/znc.id_ID.po +++ b/src/po/znc.id_ID.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: id\n" -"X-Crowdin-File: /1.8.x/src/po/znc.pot\n" +"X-Crowdin-File: /master/src/po/znc.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/src/po/znc.it_IT.po b/src/po/znc.it_IT.po index e4b72cd3..b31b5114 100644 --- a/src/po/znc.it_IT.po +++ b/src/po/znc.it_IT.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: it\n" -"X-Crowdin-File: /1.8.x/src/po/znc.pot\n" +"X-Crowdin-File: /master/src/po/znc.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/src/po/znc.nl_NL.po b/src/po/znc.nl_NL.po index 0ca04df1..b3a878a8 100644 --- a/src/po/znc.nl_NL.po +++ b/src/po/znc.nl_NL.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: nl\n" -"X-Crowdin-File: /1.8.x/src/po/znc.pot\n" +"X-Crowdin-File: /master/src/po/znc.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/src/po/znc.pt_BR.po b/src/po/znc.pt_BR.po index a8ed99b8..c7e2d71f 100644 --- a/src/po/znc.pt_BR.po +++ b/src/po/znc.pt_BR.po @@ -5,7 +5,7 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: pt-BR\n" -"X-Crowdin-File: /1.8.x/src/po/znc.pot\n" +"X-Crowdin-File: /master/src/po/znc.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/src/po/znc.ru_RU.po b/src/po/znc.ru_RU.po index d075bea5..33448cd0 100644 --- a/src/po/znc.ru_RU.po +++ b/src/po/znc.ru_RU.po @@ -7,7 +7,7 @@ msgstr "" "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: ru\n" -"X-Crowdin-File: /1.8.x/src/po/znc.pot\n" +"X-Crowdin-File: /master/src/po/znc.pot\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" From c00078781d9b14404d374a43c469322f6f1e3def Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Sun, 26 Apr 2020 09:39:55 +0100 Subject: [PATCH 378/798] ZNC 1.8.0-rc1 --- CMakeLists.txt | 2 +- configure.ac | 2 +- 2 files changed, 2 insertions(+), 2 deletions(-) diff --git a/CMakeLists.txt b/CMakeLists.txt index 83cf94c0..d2e2ec3f 100644 --- a/CMakeLists.txt +++ b/CMakeLists.txt @@ -18,7 +18,7 @@ cmake_minimum_required(VERSION 3.1) project(ZNC VERSION 1.8.0 LANGUAGES CXX) set(ZNC_VERSION 1.8.0) set(append_git_version false) -set(alpha_version "-beta1") # e.g. "-rc1" +set(alpha_version "-rc1") # e.g. "-rc1" set(VERSION_EXTRA "" CACHE STRING "Additional string appended to version, e.g. to mark distribution") diff --git a/configure.ac b/configure.ac index 3a4a8b47..788fafb2 100644 --- a/configure.ac +++ b/configure.ac @@ -7,7 +7,7 @@ AC_DEFUN([AC_PROG_CC], [m4_errprint(__file__:__line__[: Something is trying to u dnl Needed for AC_PATH_PROGS_FEATURE_CHECK which was added in 2.62 AC_PREREQ([2.62]) dnl Keep the version number in sync with version.h! -AC_INIT([znc], [1.8.0-beta1]) +AC_INIT([znc], [1.8.0-rc1]) LIBZNC_VERSION=1.8.0 AC_CONFIG_MACRO_DIR([m4]) AC_CONFIG_SRCDIR([src/znc.cpp]) From 492b4ab00792adbf773379e9b0b781ee4d29567d Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Fri, 1 May 2020 21:51:29 +0100 Subject: [PATCH 379/798] Increase the version number to 1.8.0 --- CMakeLists.txt | 2 +- ChangeLog.md | 39 +++++++++++++++++++++++++++++++++++++++ configure.ac | 2 +- 3 files changed, 41 insertions(+), 2 deletions(-) diff --git a/CMakeLists.txt b/CMakeLists.txt index d2e2ec3f..8b777926 100644 --- a/CMakeLists.txt +++ b/CMakeLists.txt @@ -18,7 +18,7 @@ cmake_minimum_required(VERSION 3.1) project(ZNC VERSION 1.8.0 LANGUAGES CXX) set(ZNC_VERSION 1.8.0) set(append_git_version false) -set(alpha_version "-rc1") # e.g. "-rc1" +set(alpha_version "") # e.g. "-rc1" set(VERSION_EXTRA "" CACHE STRING "Additional string appended to version, e.g. to mark distribution") diff --git a/ChangeLog.md b/ChangeLog.md index 29d2791a..cdb057f1 100644 --- a/ChangeLog.md +++ b/ChangeLog.md @@ -1,3 +1,42 @@ +# ZNC 1.8.0 (2020-05-01) + +## New +* Output of various commands (e.g. `/znc help`) was switched from a table to a list +* Support IP while verifying SSL certificates +* Make it more visible that admins have lots of privileges + +## Fixes +* Fix parsing of channel modes when the last parameter starts with a colon, improving compatibility with InspIRCd v3 +* Fix null dereference on startup when reading invalid config +* Don't show server passwords on ZNC startup +* Fix build with newer OpenSSL +* Fix in-source CMake build +* Fix echo-message for `status` + +## Modules +* controlpanel: Add already supported NoTrafficTimeout User variable to help output +* modpython: + * Use FindPython3 in addition to pkg-config in CMake to simplify builds on Gentoo when not using emerge + * Support python 3.9 +* modtcl: Added GetNetworkName +* partyline: Module is removed +* q: Module is removed +* route_replies: Handle more numerics +* sasl: Fix sending of long authentication information +* shell: Unblock signals when spawning child processes +* simple_away: Convert to UTC time +* watch: Better support multiple clients +* webadmin: Better wording for TrustPKI setting + +## Internal +* Refactor the way how SSL certificate is checked to simplify future socket-related refactors +* Build integration test and ZNC itself with the same compiler (https://bugs.gentoo.org/699258) +* Various improvements for translation CI +* Normalize variable name sUserName/sUsername +* Make de-escaping less lenient + + + # ZNC 1.7.5 (2019-09-23) * modpython: Add support for Python 3.8 diff --git a/configure.ac b/configure.ac index 788fafb2..753790e2 100644 --- a/configure.ac +++ b/configure.ac @@ -7,7 +7,7 @@ AC_DEFUN([AC_PROG_CC], [m4_errprint(__file__:__line__[: Something is trying to u dnl Needed for AC_PATH_PROGS_FEATURE_CHECK which was added in 2.62 AC_PREREQ([2.62]) dnl Keep the version number in sync with version.h! -AC_INIT([znc], [1.8.0-rc1]) +AC_INIT([znc], [1.8.0]) LIBZNC_VERSION=1.8.0 AC_CONFIG_MACRO_DIR([m4]) AC_CONFIG_SRCDIR([src/znc.cpp]) From 54053c06765139e0fb77b47f2db58f912c890d6e Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Fri, 1 May 2020 22:18:38 +0100 Subject: [PATCH 380/798] Return version number to git: 1.8.x --- CMakeLists.txt | 4 ++-- configure.ac | 4 ++-- include/znc/version.h | 4 ++-- 3 files changed, 6 insertions(+), 6 deletions(-) diff --git a/CMakeLists.txt b/CMakeLists.txt index 8b777926..a80eae58 100644 --- a/CMakeLists.txt +++ b/CMakeLists.txt @@ -16,8 +16,8 @@ cmake_minimum_required(VERSION 3.1) project(ZNC VERSION 1.8.0 LANGUAGES CXX) -set(ZNC_VERSION 1.8.0) -set(append_git_version false) +set(ZNC_VERSION 1.8.x) +set(append_git_version true) set(alpha_version "") # e.g. "-rc1" set(VERSION_EXTRA "" CACHE STRING "Additional string appended to version, e.g. to mark distribution") diff --git a/configure.ac b/configure.ac index 753790e2..2dd5b1d3 100644 --- a/configure.ac +++ b/configure.ac @@ -7,8 +7,8 @@ AC_DEFUN([AC_PROG_CC], [m4_errprint(__file__:__line__[: Something is trying to u dnl Needed for AC_PATH_PROGS_FEATURE_CHECK which was added in 2.62 AC_PREREQ([2.62]) dnl Keep the version number in sync with version.h! -AC_INIT([znc], [1.8.0]) -LIBZNC_VERSION=1.8.0 +AC_INIT([znc], [1.8.x]) +LIBZNC_VERSION=1.8.x AC_CONFIG_MACRO_DIR([m4]) AC_CONFIG_SRCDIR([src/znc.cpp]) AC_LANG([C++]) diff --git a/include/znc/version.h b/include/znc/version.h index 04eae2d0..d40ea5f6 100644 --- a/include/znc/version.h +++ b/include/znc/version.h @@ -20,9 +20,9 @@ limitations under the License. // The following defines are for #if comparison (preprocessor only likes ints) #define VERSION_MAJOR 1 #define VERSION_MINOR 8 -#define VERSION_PATCH 0 +#define VERSION_PATCH -1 // This one is for display purpose and to check ABI compatibility of modules -#define VERSION_STR "1.8.0" +#define VERSION_STR "1.8.x" #endif // Don't use this one From ff7758b573afc5dc96ea699eee95f313a938406b Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Fri, 1 May 2020 22:20:07 +0100 Subject: [PATCH 381/798] Increase version number to 1.9.x --- CMakeLists.txt | 4 ++-- configure.ac | 4 ++-- include/znc/version.h | 4 ++-- 3 files changed, 6 insertions(+), 6 deletions(-) diff --git a/CMakeLists.txt b/CMakeLists.txt index a80eae58..c7c19158 100644 --- a/CMakeLists.txt +++ b/CMakeLists.txt @@ -15,8 +15,8 @@ # cmake_minimum_required(VERSION 3.1) -project(ZNC VERSION 1.8.0 LANGUAGES CXX) -set(ZNC_VERSION 1.8.x) +project(ZNC VERSION 1.9.0 LANGUAGES CXX) +set(ZNC_VERSION 1.9.x) set(append_git_version true) set(alpha_version "") # e.g. "-rc1" set(VERSION_EXTRA "" CACHE STRING diff --git a/configure.ac b/configure.ac index 2dd5b1d3..5731b581 100644 --- a/configure.ac +++ b/configure.ac @@ -7,8 +7,8 @@ AC_DEFUN([AC_PROG_CC], [m4_errprint(__file__:__line__[: Something is trying to u dnl Needed for AC_PATH_PROGS_FEATURE_CHECK which was added in 2.62 AC_PREREQ([2.62]) dnl Keep the version number in sync with version.h! -AC_INIT([znc], [1.8.x]) -LIBZNC_VERSION=1.8.x +AC_INIT([znc], [1.9.x]) +LIBZNC_VERSION=1.9.x AC_CONFIG_MACRO_DIR([m4]) AC_CONFIG_SRCDIR([src/znc.cpp]) AC_LANG([C++]) diff --git a/include/znc/version.h b/include/znc/version.h index d40ea5f6..9f30b56e 100644 --- a/include/znc/version.h +++ b/include/znc/version.h @@ -19,10 +19,10 @@ limitations under the License. #ifndef BUILD_WITH_CMAKE // The following defines are for #if comparison (preprocessor only likes ints) #define VERSION_MAJOR 1 -#define VERSION_MINOR 8 +#define VERSION_MINOR 9 #define VERSION_PATCH -1 // This one is for display purpose and to check ABI compatibility of modules -#define VERSION_STR "1.8.x" +#define VERSION_STR "1.9.x" #endif // Don't use this one From dd42fcd209198b6eb6c839668d15ef68a3536493 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Fri, 1 May 2020 22:49:06 +0100 Subject: [PATCH 382/798] Remove autoconf, leave only CMake --- .appveyor.yml | 25 +- .travis.yml | 42 +- Makefile.in | 263 ------------ README.md | 34 +- autogen.sh | 44 -- bootstrap.sh | 1 - configure.ac | 752 --------------------------------- de.zip | 5 - include/znc/version.h | 10 - m4/ac_pkg_swig.m4 | 210 --------- m4/ax_cxx_compile_stdcxx_11.m4 | 169 -------- m4/ax_pthread.m4 | 310 -------------- m4/iconv.m4 | 272 ------------ m4/znc_visibility.m4 | 88 ---- make-tarball.sh | 7 - man/Makefile.in | 44 -- modules/Makefile.in | 146 ------- modules/modperl/Makefile.gen | 37 -- modules/modperl/Makefile.inc | 78 ---- modules/modpython/Makefile.gen | 37 -- modules/modpython/Makefile.inc | 88 ---- modules/modtcl/Makefile.inc | 15 - src/znc.cpp | 10 +- version.sh | 59 --- znc-buildmod.in | 68 --- znc-uninstalled.pc.in | 26 -- znc.pc.in | 24 -- 27 files changed, 24 insertions(+), 2840 deletions(-) delete mode 100644 Makefile.in delete mode 100755 autogen.sh delete mode 120000 bootstrap.sh delete mode 100644 configure.ac delete mode 100644 de.zip delete mode 100644 m4/ac_pkg_swig.m4 delete mode 100644 m4/ax_cxx_compile_stdcxx_11.m4 delete mode 100644 m4/ax_pthread.m4 delete mode 100644 m4/iconv.m4 delete mode 100644 m4/znc_visibility.m4 delete mode 100644 man/Makefile.in delete mode 100644 modules/Makefile.in delete mode 100644 modules/modperl/Makefile.gen delete mode 100644 modules/modperl/Makefile.inc delete mode 100644 modules/modpython/Makefile.gen delete mode 100644 modules/modpython/Makefile.inc delete mode 100644 modules/modtcl/Makefile.inc delete mode 100755 version.sh delete mode 100755 znc-buildmod.in delete mode 100644 znc-uninstalled.pc.in delete mode 100644 znc.pc.in diff --git a/.appveyor.yml b/.appveyor.yml index cdf11244..758718dc 100644 --- a/.appveyor.yml +++ b/.appveyor.yml @@ -7,39 +7,22 @@ clone_depth: 10 environment: matrix: - cygwin_url: https://cygwin.com/setup-x86_64.exe - build_with: cmake - cygwin_url: https://cygwin.com/setup-x86.exe - build_with: cmake - - cygwin_url: https://cygwin.com/setup-x86_64.exe - build_with: autoconf - - cygwin_url: https://cygwin.com/setup-x86.exe - build_with: autoconf install: - ps: Invoke-WebRequest $env:cygwin_url -OutFile c:\cygwin-setup.exe # libcrypt-devel is needed only on x86_64 and only for modperl... probably some dependency problem. - - c:\cygwin-setup.exe --quiet-mode --no-shortcuts --no-startmenu --no-desktop --upgrade-also --only-site --site http://cygwin.mirror.constant.com/ --root c:\cygwin-root --local-package-dir c:\cygwin-setup-cache --packages automake,gcc-g++,make,pkg-config,wget,libssl-devel,libicu-devel,zlib-devel,libcrypt-devel,perl,python3-devel,swig,libsasl2-devel,libQt5Core-devel,cmake,libboost-devel,gettext-devel + - c:\cygwin-setup.exe --quiet-mode --no-shortcuts --no-startmenu --no-desktop --upgrade-also --only-site --site http://cygwin.mirror.constant.com/ --root c:\cygwin-root --local-package-dir c:\cygwin-setup-cache --packages gcc-g++,make,pkg-config,wget,libssl-devel,libicu-devel,zlib-devel,libcrypt-devel,perl,python3-devel,swig,libsasl2-devel,libQt5Core-devel,cmake,libboost-devel,gettext-devel - c:\cygwin-root\bin\sh -lc "echo Hi" - c:\cygwin-root\bin\sh -lc "uname -a" - c:\cygwin-root\bin\sh -lc "cat /proc/cpuinfo" - c:\cygwin-root\bin\sh -lc "cat /proc/meminfo" - c:\cygwin-root\bin\sh -lc "cygcheck -s -v > $APPVEYOR_BUILD_FOLDER/cygcheck.log 2>&1" - ps: Push-AppveyorArtifact cygcheck.log - - ps: | - if ($env:build_with -eq "cmake") { - $env:cfg_suffix = ".sh" - $env:unittest = "unittest" - $env:inttest = "inttest" - } else { - $env:cfg_suffix = "" - $env:unittest = "test" - $env:inttest = "test2" - } # stdin is broken at AppVeyor, so we open it explicitly as /dev/null build_script: - git submodule update --init - - c:\cygwin-root\bin\sh -lc "cd $APPVEYOR_BUILD_FOLDER; ./autogen.sh < /dev/null" - mkdir build - - c:\cygwin-root\bin\sh -lc "cd $APPVEYOR_BUILD_FOLDER/build; ../configure$cfg_suffix --enable-charset --enable-zlib --enable-openssl --enable-perl --enable-python --enable-cyrus < /dev/null; result=$?; if [[ $build_with == cmake ]]; then cmake --system-information > config.log; fi; appveyor PushArtifact config.log; exit $result" + - c:\cygwin-root\bin\sh -lc "cd $APPVEYOR_BUILD_FOLDER/build; ../configure.sh --enable-charset --enable-zlib --enable-openssl --enable-perl --enable-python --enable-cyrus < /dev/null; result=$?; cmake --system-information > config.log; appveyor PushArtifact config.log; exit $result" - c:\cygwin-root\bin\sh -lc "cd $APPVEYOR_BUILD_FOLDER/build; make VERBOSE=1 -j2 < /dev/null" - c:\cygwin-root\bin\sh -lc "cd $APPVEYOR_BUILD_FOLDER/build; make install < /dev/null" - c:\cygwin-root\bin\sh -lc "znc --version" @@ -47,5 +30,5 @@ build_script: - c:\cygwin-root\bin\sh -lc "find /usr/local/lib/znc -iname '*.dll' -o -iname '*.so' | tee /tmp/files-to-rebase" - c:\cygwin-root\bin\sh -lc "rebaseall -v -T /tmp/files-to-rebase" test_script: - - c:\cygwin-root\bin\sh -lc "cd $APPVEYOR_BUILD_FOLDER/build; make VERBOSE=1 $unittest < /dev/null" - - c:\cygwin-root\bin\sh -lc "cd $APPVEYOR_BUILD_FOLDER/build; make VERBOSE=1 $inttest < /dev/null" + - c:\cygwin-root\bin\sh -lc "cd $APPVEYOR_BUILD_FOLDER/build; make VERBOSE=1 unittest < /dev/null" + - c:\cygwin-root\bin\sh -lc "cd $APPVEYOR_BUILD_FOLDER/build; make VERBOSE=1 inttest < /dev/null" diff --git a/.travis.yml b/.travis.yml index 43011bfd..c5809d07 100644 --- a/.travis.yml +++ b/.travis.yml @@ -13,41 +13,31 @@ matrix: - os: linux dist: xenial compiler: gcc - env: BUILD_TYPE=normal BUILD_WITH=cmake - - os: linux - compiler: gcc - env: BUILD_TYPE=normal BUILD_WITH=autoconf + env: BUILD_TYPE=normal - os: linux compiler: clang - env: BUILD_TYPE=asan BUILD_WITH=cmake + env: BUILD_TYPE=asan - os: linux compiler: clang - env: BUILD_TYPE=tsan BUILD_WITH=cmake + env: BUILD_TYPE=tsan # TODO: enable # - os: linux # compiler: clang - # env: BUILD_TYPE=msan BUILD_WITH=cmake + # env: BUILD_TYPE=msan # - os: linux # compiler: clang - # env: BUILD_TYPE=ubsan BUILD_WITH=cmake + # env: BUILD_TYPE=ubsan - os: linux compiler: gcc - env: BUILD_TYPE=normal BUILD_WITH=cmake + env: BUILD_TYPE=normal arch: arm64 - os: osx osx_image: xcode9.3 # macOS 10.13 compiler: clang - env: BUILD_TYPE=normal BUILD_WITH=cmake - - os: osx - osx_image: xcode9.3 # macOS 10.13 - compiler: clang - env: BUILD_TYPE=normal BUILD_WITH=autoconf + env: BUILD_TYPE=normal - os: linux compiler: gcc - env: BUILD_TYPE=tarball BUILD_WITH=cmake - - os: linux - compiler: gcc - env: BUILD_TYPE=tarball BUILD_WITH=autoconf + env: BUILD_TYPE=tarball - stage: deploy os: linux env: @@ -99,7 +89,6 @@ before_install: - if [[ "$BUILD_TYPE" == "tsan" ]]; then MYCXXFLAGS+=" -fsanitize=thread -O1 -fPIE" MYLDFLAGS+=" -fsanitize=thread"; fi - if [[ "$BUILD_TYPE" == "msan" ]]; then MYCXXFLAGS+=" -fsanitize=memory -O1 -fno-omit-frame-pointer -fno-optimize-sibling-calls -fsanitize-memory-track-origins" MYLDFLAGS+=" -fsanitize=memory"; fi - if [[ "$BUILD_TYPE" == "ubsan" ]]; then MYCXXFLAGS=" -fsanitize=undefined -O1 -fPIE -fno-sanitize-recover" MYLDFLAGS="-fsanitize=undefined -pie -fno-sanitize-recover"; fi - - if [[ "$BUILD_WITH" == "cmake" ]]; then CFGSUFFIX=.sh UNITTEST=unittest INTTEST=inttest; else CFGSUFFIX= UNITTEST=test INTTEST=test2; fi - if [[ "$CC" == "gcc" ]]; then MYCXXFLAGS+=" --coverage" MYLDFLAGS+=" --coverage"; fi - if [[ "$CC" == "clang" ]]; then MYCXXFLAGS+=" -fprofile-instr-generate -fcoverage-mapping" MYLDFLAGS+=" -fprofile-instr-generate"; fi install: @@ -107,7 +96,7 @@ install: - if [[ "$TRAVIS_OS_NAME" == "linux" ]]; then lsb_release -a; fi - if [[ "$TRAVIS_OS_NAME" == "linux" ]]; then sudo apt-get update; fi - if [[ "$TRAVIS_OS_NAME" == "linux" ]]; then sudo apt-get install -y libperl-dev tcl-dev libsasl2-dev libicu-dev swig qtbase5-dev libboost-locale-dev python3-pip cpanminus; fi - - if [[ "$TRAVIS_OS_NAME" == "linux" && "$BUILD_WITH" == "cmake" ]]; then sudo apt-get install -y cmake; fi + - if [[ "$TRAVIS_OS_NAME" == "linux" ]]; then sudo apt-get install -y cmake; fi - if [[ "$TRAVIS_OS_NAME" == "linux" ]]; then cpanm --local-lib=~/perl5 local::lib && eval $(perl -I ~/perl5/lib/perl5/ -Mlocal::lib); fi - if [[ "$TRAVIS_OS_NAME" == "linux" ]]; then cpanm --notest Devel::Cover::Report::Clover; fi - if [[ "$TRAVIS_OS_NAME" == "linux" ]]; then export ZNC_MODPERL_COVERAGE=1; fi @@ -121,9 +110,8 @@ install: - if [[ "$TRAVIS_OS_NAME" == "osx" ]]; then brew list --versions; fi - if [[ "$TRAVIS_OS_NAME" == "osx" ]]; then brew update; fi - if [[ "$TRAVIS_OS_NAME" == "osx" ]]; then brew install swig icu4c jq qt5 gettext python cmake openssl pkg-config; fi - - if [[ "$TRAVIS_OS_NAME" == "osx" ]]; then brew install autoconf automake; fi - if [[ "$TRAVIS_OS_NAME" == "osx" ]]; then brew outdated python || brew upgrade python; fi - - if [[ "$TRAVIS_OS_NAME" == "osx" && "$BUILD_WITH" == "cmake" ]]; then brew outdated cmake || brew upgrade cmake; fi + - if [[ "$TRAVIS_OS_NAME" == "osx" ]]; then brew outdated cmake || brew upgrade cmake; fi - if [[ "$TRAVIS_OS_NAME" == "osx" ]]; then brew info --json=v1 --installed | jq .; fi - if [[ "$TRAVIS_OS_NAME" == "osx" ]]; then export PKG_CONFIG_PATH="$(brew --prefix qt5)/lib/pkgconfig:$PKG_CONFIG_PATH"; fi - if [[ "$TRAVIS_OS_NAME" == "linux" ]]; then ls -la ~/.cache; fi @@ -139,16 +127,15 @@ script: - if [[ "$BUILD_TYPE" == "tarball" ]]; then ./make-tarball.sh --nightly znc-git-2015-01-16 /tmp/znc-tarball.tar.gz; fi - if [[ "$BUILD_TYPE" == "tarball" ]]; then cd /tmp; tar xvf znc-tarball.tar.gz; fi - if [[ "$BUILD_TYPE" == "tarball" ]]; then cd /tmp/znc-git-2015-01-16; fi - - if [[ "$BUILD_TYPE" != "tarball" && "$BUILD_WITH" != "cmake" ]]; then ./bootstrap.sh; fi - mkdir build - cd build - - ../configure$CFGSUFFIX --enable-debug --enable-perl --enable-python --enable-tcl --enable-cyrus --enable-charset $CFGFLAGS CXXFLAGS="$CXXFLAGS $MYCXXFLAGS" LDFLAGS="$LDFLAGS $MYLDFLAGS" - - if [[ "$BUILD_WITH" == "cmake" ]]; then cmake --system-information; else cat config.log; fi + - ../configure.sh --enable-debug --enable-perl --enable-python --enable-tcl --enable-cyrus --enable-charset $CFGFLAGS CXXFLAGS="$CXXFLAGS $MYCXXFLAGS" LDFLAGS="$LDFLAGS $MYLDFLAGS" + - cmake --system-information - make VERBOSE=1 - - env LLVM_PROFILE_FILE="$PWD/unittest.profraw" make VERBOSE=1 $UNITTEST + - env LLVM_PROFILE_FILE="$PWD/unittest.profraw" make VERBOSE=1 unittest - sudo make install # TODO: use DEVEL_COVER_OPTIONS for https://metacpan.org/pod/Devel::Cover - - env LLVM_PROFILE_FILE="$PWD/inttest.profraw" ZNC_MODPERL_COVERAGE_OPTS="-db,$PWD/cover_db" make VERBOSE=1 $INTTEST + - env LLVM_PROFILE_FILE="$PWD/inttest.profraw" ZNC_MODPERL_COVERAGE_OPTS="-db,$PWD/cover_db" make VERBOSE=1 inttest - /usr/local/bin/znc --version after_success: - if [[ "$TRAVIS_OS_NAME" == "linux" ]]; then ~/perl5/bin/cover --no-gcov --report=clover; fi @@ -157,7 +144,6 @@ after_success: xcrun llvm-profdata merge unittest.profraw -o unittest.profdata xcrun llvm-profdata merge inttest.profraw -o inttest.profdata xcrun llvm-cov show -show-line-counts-or-regions -instr-profile=unittest.profdata test/unittest_bin > unittest-cmake-coverage.txt - xcrun llvm-cov show -show-line-counts-or-regions -instr-profile=unittest.profdata unittest > unittest-autoconf-coverage.txt xcrun llvm-cov show -show-line-counts-or-regions -instr-profile=inttest.profdata /usr/local/bin/znc > inttest-znc-coverage.txt find /usr/local/lib/znc -name '*.so' -or -name '*.bundle' | while read f; do xcrun llvm-cov show -show-line-counts-or-regions -instr-profile=inttest.profdata $f > inttest-$(basename $f)-coverage.txt; done fi diff --git a/Makefile.in b/Makefile.in deleted file mode 100644 index 0e69a13b..00000000 --- a/Makefile.in +++ /dev/null @@ -1,263 +0,0 @@ -SHELL := @SHELL@ - -# Support out-of-tree builds -srcdir := @srcdir@ -VPATH := @srcdir@ - -prefix := @prefix@ -exec_prefix := @exec_prefix@ -datarootdir := @datarootdir@ -bindir := @bindir@ -datadir := @datadir@ -sysconfdir := @sysconfdir@ -libdir := @libdir@ -includedir := @includedir@ -sbindir := @sbindir@ -localstatedir := @localstatedir@ -systemdsystemunitdir := @systemdsystemunitdir@ -CXX := @CXX@ -CXXFLAGS := -I$(srcdir)/include -Iinclude @CPPFLAGS@ @CXXFLAGS@ -LDFLAGS := @LDFLAGS@ -LIBS := @LIBS@ -LIBZNC := @LIBZNC@ -LIBZNCDIR:= @LIBZNCDIR@ -MODDIR := @MODDIR@ -DATADIR := @DATADIR@ -PKGCONFIGDIR := $(libdir)/pkgconfig -INSTALL := @INSTALL@ -INSTALL_PROGRAM := @INSTALL_PROGRAM@ -INSTALL_SCRIPT := @INSTALL_SCRIPT@ -INSTALL_DATA := @INSTALL_DATA@ -GIT := @GIT@ -SED := @SED@ - -GTEST_DIR := @GTEST_DIR@ -GMOCK_DIR := @GMOCK_DIR@ -ifeq "$(GTEST_DIR)" "" -GTEST_DIR := $(srcdir)/third_party/googletest/googletest -endif -ifeq "$(GMOCK_DIR)" "" -GMOCK_DIR := $(srcdir)/third_party/googletest/googlemock -endif -qt_CFLAGS := @qt_CFLAGS@ -fPIC -std=c++11 -pthread -qt_LIBS := @qt_LIBS@ -pthread - -# Force the simple internal regex engine to get consistent behavior on all platforms. -# See https://code.google.com/p/chromium/issues/detail?id=317224 for more details. -GTEST_FLAGS := -DGTEST_HAS_POSIX_RE=0 -I$(GMOCK_DIR)/include -I$(GTEST_DIR)/include -# Silence warnings about overload virtual Csock::Write(), and missing field -# initializers in both gtest and gmock -GTEST_FLAGS += -Wno-overloaded-virtual -Wno-missing-field-initializers - -LIB_SRCS := ZNCString.cpp Csocket.cpp znc.cpp IRCNetwork.cpp User.cpp IRCSock.cpp \ - Client.cpp Chan.cpp Nick.cpp Server.cpp Modules.cpp MD5.cpp Buffer.cpp Utils.cpp \ - FileUtils.cpp HTTPSock.cpp Template.cpp ClientCommand.cpp Socket.cpp SHA256.cpp \ - WebModules.cpp Listener.cpp Config.cpp ZNCDebug.cpp Threads.cpp version.cpp Query.cpp \ - SSLVerifyHost.cpp Message.cpp Translation.cpp -LIB_SRCS := $(addprefix src/,$(LIB_SRCS)) -BIN_SRCS := src/main.cpp -LIB_OBJS := $(patsubst %cpp,%o,$(LIB_SRCS)) -BIN_OBJS := $(patsubst %cpp,%o,$(BIN_SRCS)) -TESTS := StringTest ConfigTest UtilsTest ThreadTest NickTest ClientTest NetworkTest \ - MessageTest ModulesTest IRCSockTest QueryTest BufferTest UserTest -TESTS := $(addprefix test/,$(addsuffix .o,$(TESTS))) -CLEAN := znc src/*.o test/*.o core core.* .version_extra .depend modules/.depend \ - unittest $(LIBZNC) -DISTCLEAN := Makefile config.log config.status znc-buildmod include/znc/zncconfig.h \ - modules/Makefile man/Makefile znc.pc znc-uninstalled.pc test/Makefile - -CXXFLAGS += -D_MODDIR_=\"$(MODDIR)\" -D_DATADIR_=\"$(DATADIR)\" - -ifneq "$(V)" "" -VERBOSE=1 -endif -ifeq "$(VERBOSE)" "" -Q=@ -E=@echo -C=-s -else -Q= -E=@\# -C= -endif - -.PHONY: all man modules clean distclean install version_extra_recompile test -.SECONDARY: - -all: znc man modules $(LIBZNC) - @echo "" - @echo " ZNC was successfully compiled." - @echo " Use '$(MAKE) install' to install ZNC to '$(prefix)'." - -ifeq "$(LIBZNC)" "" -OBJS := $(BIN_OBJS) $(LIB_OBJS) - -znc: $(OBJS) - $(E) Linking znc... - $(Q)$(CXX) $(LDFLAGS) -o $@ $(OBJS) $(LIBS) - -else -znc: $(BIN_OBJS) $(LIBZNC) - $(E) Linking znc... - $(Q)$(CXX) $(LDFLAGS) -o $@ $(BIN_OBJS) -L. -lznc -Wl,-rpath,$(LIBZNCDIR) $(LIBS) - -$(LIBZNC): $(LIB_OBJS) - $(E) Linking $(LIBZNC)... - $(Q)$(CXX) $(LDFLAGS) -shared -o $@ $(LIB_OBJS) $(LIBS) -Wl,--out-implib=libznc.dll.a -endif - -unittest: $(LIB_OBJS) test/gtest-all.o test/gmock-all.o test/gmock-main.o $(TESTS) - $(E) Linking unit test... - $(Q)$(CXX) $(LDFLAGS) -o $@ $(LIB_OBJS) test/gtest-all.o test/gmock-all.o test/gmock-main.o $(TESTS) $(LIBS) - -inttest: test/Integration.o test/Int-gtest-all.o test/Int-gmock-all.o - $(E) Linking integration test... - $(Q)g++ -std=c++11 -o $@ test/Integration.o test/Int-gtest-all.o test/Int-gmock-all.o $(LIBS) $(qt_LIBS) - -man: - @$(MAKE) -C man $(C) - -modules: $(LIBZNC) include/znc/Csocket.h - @$(MAKE) -C modules $(C) - -clean: - rm -rf $(CLEAN) - @$(MAKE) -C modules clean; - @$(MAKE) -C man clean - -distclean: clean - rm -rf $(DISTCLEAN) - -src/%.o: src/%.cpp Makefile include/znc/Csocket.h - @mkdir -p .depend src - $(E) Building core object $*... - $(Q)$(CXX) $(CXXFLAGS) -c -o $@ $< -MD -MF .depend/$*.dep -MT $@ - -test/%.o: test/%.cpp Makefile include/znc/Csocket.h - @mkdir -p .depend test - $(E) Building test object $*... - $(Q)$(CXX) $(CXXFLAGS) $(GTEST_FLAGS) -c -o $@ $< -MD -MF .depend/$*.test.dep -MT $@ - -test/gtest-all.o: $(GTEST_DIR)/src/gtest-all.cc Makefile - @mkdir -p .depend test - $(E) Building test object gtest-all... - $(Q)$(CXX) $(CXXFLAGS) $(GTEST_FLAGS) -I$(GTEST_DIR) -c -o $@ $< -MD -MF .depend/gtest-all.dep -MT $@ - -test/gmock-all.o: $(GMOCK_DIR)/src/gmock-all.cc Makefile - @mkdir -p .depend test - $(E) Building test object gmock-all... - $(Q)$(CXX) $(CXXFLAGS) $(GTEST_FLAGS) -I$(GMOCK_DIR) -c -o $@ $< -MD -MF .depend/gmock-all.dep -MT $@ - -test/gmock-main.o: $(GMOCK_DIR)/src/gmock_main.cc Makefile - @mkdir -p .depend test - $(E) Building test object gmock-main... - $(Q)$(CXX) $(CXXFLAGS) $(GTEST_FLAGS) -c -o $@ $< -MD -MF .depend/gmock-main.dep -MT $@ - -# Qt fails under TSAN, so CXXFLAGS/LDFLAGS can't be used. -test/Integration.o: test/integration/autoconf-all.cpp Makefile - @mkdir -p .depend test - $(E) Building test object Integration... - $(Q)g++ $(qt_CFLAGS) $(GTEST_FLAGS) -I$(srcdir)/test/integration/framework -c -o $@ $< -MD -MF .depend/Integration.test.dep -MT $@ '-DZNC_BIN_DIR="$(bindir)"' '-DZNC_SRC_DIR="$(realpath $(srcdir))"' -test/Int-gtest-all.o: $(GTEST_DIR)/src/gtest-all.cc Makefile - @mkdir -p .depend test - $(E) Building test object Int-gtest-all... - $(Q)g++ $(qt_CFLAGS) $(GTEST_FLAGS) -I$(GTEST_DIR) -c -o $@ $< -MD -MF .depend/Int-gtest-all.dep -MT $@ -test/Int-gmock-all.o: $(GMOCK_DIR)/src/gmock-all.cc Makefile - @mkdir -p .depend test - $(E) Building test object Int-gmock-all... - $(Q)g++ $(qt_CFLAGS) $(GTEST_FLAGS) -I$(GMOCK_DIR) -c -o $@ $< -MD -MF .depend/Int-gmock-all.dep -MT $@ -test/Int-gmock-main.o: $(GMOCK_DIR)/src/gmock_main.cc Makefile - @mkdir -p .depend test - $(E) Building test object Int-gmock-main... - $(Q)g++ $(qt_CFLAGS) $(GTEST_FLAGS) -c -o $@ $< -MD -MF .depend/Int-gmock-main.dep -MT $@ - -ifneq "THIS_IS_NOT_TARBALL" "" -# If git commit was changed since previous build, add a phony target to dependencies, forcing version.o to be recompiled -# Nightlies have pregenerated version.cpp -src/version.cpp: Makefile version.sh $(shell if [ x`cat .version_extra 2> /dev/null` != x`$(srcdir)/version.sh "$(GIT)" 3>&2 2> /dev/null` ]; then echo version_extra_recompile; fi) - @mkdir -p .depend src - $(E) Building source file version.cpp... - $(Q)WRITE_OUTPUT=yes $(srcdir)/version.sh "$(GIT)" > .version_extra 2> /dev/null - -CLEAN += src/version.cpp -endif - -CLEAN += src/Csocket.cpp include/znc/Csocket.h - -src/Csocket.cpp: third_party/Csocket/Csocket.cc - @rm -f $@ - @mkdir -p src - @sed -e 's:#include "Csocket.h":#include :' $^ > $@ -include/znc/Csocket.h: third_party/Csocket/Csocket.h - @rm -f $@ - @mkdir -p include/znc - @sed -e 's:#include "defines.h":#include :' $^ > $@ -third_party/Csocket/Csocket.h third_party/Csocket/Csocket.cc: - @echo It looks like git submodules are not initialized. Run: git submodule update --init --recursive - @exit 1 - -znc.service: znc.service.in - @sed -e "s:\@CMAKE_INSTALL_FULL_BINDIR\@:$(bindir):" $^ > $@ - -CLEAN += znc.service - -install: znc znc.service $(LIBZNC) - test -d $(DESTDIR)$(bindir) || $(INSTALL) -d $(DESTDIR)$(bindir) - test -d $(DESTDIR)$(includedir)/znc || $(INSTALL) -d $(DESTDIR)$(includedir)/znc - test -d $(DESTDIR)$(PKGCONFIGDIR) || $(INSTALL) -d $(DESTDIR)$(PKGCONFIGDIR) - test -d $(DESTDIR)$(MODDIR) || $(INSTALL) -d $(DESTDIR)$(MODDIR) - test -d $(DESTDIR)$(DATADIR) || $(INSTALL) -d $(DESTDIR)$(DATADIR) - cp -R $(srcdir)/webskins $(DESTDIR)$(DATADIR) - find $(DESTDIR)$(DATADIR)/webskins -type d -exec chmod 0755 '{}' \; - find $(DESTDIR)$(DATADIR)/webskins -type f -exec chmod 0644 '{}' \; - $(INSTALL_PROGRAM) znc $(DESTDIR)$(bindir) - $(INSTALL_SCRIPT) znc-buildmod $(DESTDIR)$(bindir) - $(INSTALL_DATA) $(srcdir)/include/znc/*.h $(DESTDIR)$(includedir)/znc - $(INSTALL_DATA) include/znc/*.h $(DESTDIR)$(includedir)/znc - $(INSTALL_DATA) znc.pc $(DESTDIR)$(PKGCONFIGDIR) - @$(MAKE) -C modules install DESTDIR=$(DESTDIR); - if test -n "$(LIBZNC)"; then \ - test -d $(DESTDIR)$(LIBZNCDIR) || $(INSTALL) -d $(DESTDIR)$(LIBZNCDIR) || exit 1 ; \ - $(INSTALL_PROGRAM) $(LIBZNC) $(DESTDIR)$(LIBZNCDIR) || exit 1 ; \ - $(INSTALL_PROGRAM) libznc.dll.a $(DESTDIR)$(libdir) || exit 1 ; \ - fi - @$(MAKE) -C man install DESTDIR=$(DESTDIR) - @HAVE_SYSTEMD_TRUE@test -d $(DESTDIR)$(systemdsystemunitdir) || $(INSTALL) -d $(DESTDIR)$(systemdsystemunitdir) - @HAVE_SYSTEMD_TRUE@$(INSTALL_DATA) $(srcdir)/znc.service $(DESTDIR)$(systemdsystemunitdir) - @echo "" - @echo "******************************************************************" - @echo " ZNC was successfully installed." - @echo " You can use '$(bindir)/znc --makeconf'" - @echo " to generate a config file." - @echo "" - @echo " If you need help with using ZNC, please visit our wiki at:" - @echo " https://znc.in" - -uninstall: - rm $(DESTDIR)$(bindir)/znc - rm $(DESTDIR)$(bindir)/znc-buildmod - rm $(DESTDIR)$(includedir)/znc/*.h - rm $(DESTDIR)$(PKGCONFIGDIR)/znc.pc - rm -rf $(DESTDIR)$(DATADIR)/webskins - if test -n "$(LIBZNC)"; then \ - rm $(DESTDIR)$(LIBZNCDIR)/$(LIBZNC) || exit 1 ; \ - rmdir $(DESTDIR)$(LIBZNCDIR) || exit 1 ; \ - fi - @$(MAKE) -C man uninstall DESTDIR=$(DESTDIR) - @if test -n "modules"; then \ - $(MAKE) -C modules uninstall DESTDIR=$(DESTDIR); \ - fi - rmdir $(DESTDIR)$(bindir) - rmdir $(DESTDIR)$(includedir)/znc - rmdir $(DESTDIR)$(PKGCONFIGDIR) - @echo "Successfully uninstalled, but empty directories were left behind" - -test: unittest - $(Q)./unittest - -# This test uses files at /lib/znc, which is less than ideal, especially from build scripts of distros. -# That's why it's a separate make target. -test2: inttest - $(Q)./inttest - --include $(wildcard .depend/*.dep) diff --git a/README.md b/README.md index 82f3f3b9..03d64c7e 100644 --- a/README.md +++ b/README.md @@ -27,9 +27,7 @@ Core: * GNU make * pkg-config * GCC 4.8 or clang 3.2 -* Either of: - * autoconf and automake (but only if building from git, not from tarball) - * CMake +* CMake ## Optional Requirements @@ -55,20 +53,11 @@ Character Encodings: * To get proper character encoding and charsets install ICU (`libicu4-dev`) I18N (UI translation) -* CMake-based build only * Boost.Locale * gettext is a build dependency ## Installing ZNC -Currently there are 2 build systems in place: CMake and `./configure`. -`./configure` will eventually be removed. -There is also `configure.sh` which should make migration to CMake easier: -it accepts the same parameters as `./configure`, -but calls CMake with CMake-style parameters. - -### Installing with CMake - Installation from source code is performed using the CMake toolchain. ```shell @@ -81,29 +70,16 @@ make install You can use `cmake-gui` or `ccmake` for more interactiveness. +There is also `configure.sh` which should make migration to CMake easier: +it accepts the same parameters as old `./configure`, +but calls CMake with CMake-style parameters. + Note for FreeBSD users: By default base OpenSSL is selected. If you want the one from ports, use `-DOPENSSL_ROOT_DIR=/usr/local`. For troubleshooting, `cmake --system-information` will show you details. -### Installing with `./configure` - -Installation from source code is performed using the `automake` toolchain. -If you are building from git, you will need to run `./autogen.sh` first to -produce the `configure` script. - -```shell -mkdir build -cd build -../configure -make -make install -``` - -You can use `./configure --help` if you want to get a list of options, though -the defaults should be suiting most needs. - ## Setting up znc.conf For setting up a configuration file in `~/.znc` you can simply do diff --git a/autogen.sh b/autogen.sh deleted file mode 100755 index 85e17395..00000000 --- a/autogen.sh +++ /dev/null @@ -1,44 +0,0 @@ -#!/bin/sh -# Run this to generate all the initial makefiles, etc. -# This is based on various examples which can be found everywhere. -set -e - -FLAGS=${FLAGS--Wall} -ACLOCAL=${ACLOCAL-aclocal} -AUTOHEADER=${AUTOHEADER-autoheader} -AUTOCONF=${AUTOCONF-autoconf} -AUTOMAKE=${AUTOMAKE-automake} -ACLOCAL_FLAGS="${ACLOCAL_FLAGS--I m4} ${FLAGS}" -AUTOHEADER_FLAGS="${AUTOHEADER_FLAGS} ${FLAGS}" -AUTOCONF_FLAGS="${AUTOCONF_FLAGS} ${FLAGS}" -AUTOMAKE_FLAGS="${AUTOMAKE_FLAGS---add-missing} ${FLAGS}" - -die() { - echo "$@" - exit 1 -} -do_cmd() { - echo "Running '$@'" - $@ -} - -test -f configure.ac || die "No configure.ac found." -which pkg-config > /dev/null || die "ERROR: pkg-config not found. Install pkg-config and run $0 again" - -# Generate aclocal.m4 for use by autoconf -do_cmd $ACLOCAL $ACLOCAL_FLAGS -# Generate zncconfig.h.in for configure -do_cmd $AUTOHEADER $AUTOHEADER_FLAGS -# Generate configure -do_cmd $AUTOCONF $AUTOCONF_FLAGS - -# Copy config.sub, config.guess, install.sh, ... -# This will complain that we don't use automake, let's just ignore that -do_cmd $AUTOMAKE $AUTOMAKE_FLAGS || true -test -f config.guess -a -f config.sub -a -f install-sh || - die "Automake didn't install config.guess, config.sub and install-sh!" - -echo "(Yes, automake is supposed to fail, ignore that)" -echo - -echo "You may now run ./configure." diff --git a/bootstrap.sh b/bootstrap.sh deleted file mode 120000 index 5347ab2e..00000000 --- a/bootstrap.sh +++ /dev/null @@ -1 +0,0 @@ -autogen.sh \ No newline at end of file diff --git a/configure.ac b/configure.ac deleted file mode 100644 index 5731b581..00000000 --- a/configure.ac +++ /dev/null @@ -1,752 +0,0 @@ -dnl This redefines AC_PROG_CC to a version which errors out instead. This is -dnl because all our tests should be done with the C++ compiler. This should -dnl catch stuff which accidentally uses the C compiler. -AC_DEFUN([AC_PROG_CC], [m4_errprint(__file__:__line__[: Something is trying to use the C compiler. Since this is a C++ project, this should not happen! -])m4_exit(1)]) - -dnl Needed for AC_PATH_PROGS_FEATURE_CHECK which was added in 2.62 -AC_PREREQ([2.62]) -dnl Keep the version number in sync with version.h! -AC_INIT([znc], [1.9.x]) -LIBZNC_VERSION=1.9.x -AC_CONFIG_MACRO_DIR([m4]) -AC_CONFIG_SRCDIR([src/znc.cpp]) -AC_LANG([C++]) -AC_CONFIG_HEADERS([include/znc/zncconfig.h]) -AH_TOP([#ifndef ZNCCONFIG_H -#define ZNCCONFIG_H]) -AH_BOTTOM([#endif /* ZNCCONFIG_H */]) - -AC_DEFUN([ZNC_AUTO_FAIL], [ - # This looks better in the summary at the end - $1="not found" - if test "x$old_$1" != "xauto" ; then - AC_MSG_ERROR([$2]) - else - AC_MSG_WARN([$3]) - fi -]) - -# AC_PROG_CXX sets CXXFLAGS to "-O2 -g" if it is unset which we don't want -CXXFLAGS="$CXXFLAGS " -AC_PROG_CXX -# "Optional" because we want custom error message -AX_CXX_COMPILE_STDCXX_11([noext], [optional]) -if test x"$HAVE_CXX11" != x1; then - AC_MSG_ERROR([Upgrade your compiler. GCC 4.8+ and Clang 3.2+ are known to work.]) -fi - -appendLib () { - if test "$LIBS" != ""; then - LIBS="$LIBS $*" - else - LIBS=$* - fi -} - -appendCXX () { - if test "$CXXFLAGS" != ""; then - CXXFLAGS="$CXXFLAGS $*" - else - CXXFLAGS=$* - fi -} - -appendMod () { - if test "$MODFLAGS" != ""; then - MODFLAGS="$MODFLAGS $*" - else - MODFLAGS=$* - fi -} - -appendLD () { - if test "$LDFLAGS" != ""; then - LDFLAGS="$LDFLAGS $*" - else - LDFLAGS=$* - fi -} - -AC_PROG_INSTALL -AC_PROG_GREP -AC_PROG_SED -AC_CANONICAL_HOST -AC_SYS_LARGEFILE -ZNC_VISIBILITY -AC_PATH_PROG([GIT], [git]) -PKG_PROG_PKG_CONFIG() - -AC_ARG_ENABLE( [debug], - AS_HELP_STRING([--enable-debug], [enable debugging]), - [DEBUG="$enableval"], - [DEBUG="no"]) -AC_ARG_ENABLE( [ipv6], - AS_HELP_STRING([--disable-ipv6], [disable ipv6 support]), - [IPV6="$enableval"], - [IPV6="yes"]) -AC_ARG_ENABLE( [openssl], - AS_HELP_STRING([--disable-openssl], [disable openssl]), - [SSL="$enableval"], - [SSL="auto"]) -AC_ARG_ENABLE( [zlib], - AS_HELP_STRING([--disable-zlib], [disable zlib]), - [ZLIB="$enableval"], - [ZLIB="auto"]) -AC_ARG_ENABLE( [perl], - AS_HELP_STRING([--enable-perl], [enable perl]), - [PERL="$enableval"], - [PERL="no"]) -AC_ARG_ENABLE( [python], - AS_HELP_STRING([--enable-python[[[=python3]]]], [enable python. - By default python3.pc of pkg-config is used, but you can use - another name, for example python-3.1]), - [PYTHON="$enableval"], - [PYTHON="no"]) -AC_ARG_ENABLE( [swig], - AS_HELP_STRING([--enable-swig], [Enable automatic generation of source files needed for modperl/modpython. - This value is ignored if perl and python are disabled. - Usually no need to enable it. - ]), - [USESWIG="$enableval"], - [USESWIG="auto"]) -AC_ARG_ENABLE( [cyrus], - AS_HELP_STRING([--enable-cyrus], [enable cyrus]), - [if test "$enableval" = "yes" ; then CYRUS=1; fi],) -AC_ARG_ENABLE( [optimization], - AS_HELP_STRING([--disable-optimization], [Disable some compiler optimizations to - decrease memory usage while compiling]), - [OPTIMIZE="$enableval"], - [OPTIMIZE="yes"]) -AC_ARG_ENABLE( [tdns], - AS_HELP_STRING([--disable-tdns], [disable threads usage for DNS resolving]), - [TDNS="$enableval"], - [TDNS="auto"]) -AC_ARG_ENABLE( [run-from-source], - AS_HELP_STRING([--enable-run-from-source], [ZNC will be runnable without installation]), - [if test "x$enableval" = "xyes" ; then - AC_DEFINE([RUN_FROM_SOURCE], [1], - [Define if ZNC should be runnable without installation]) - fi - RUNFROMSOURCE="$enableval"], - [RUNFROMSOURCE="no"]) -AC_ARG_ENABLE( [poll], - AS_HELP_STRING([--disable-poll], [use select() instead of poll()]), - [POLL="$enableval"], - [POLL="yes"]) - -AC_ARG_WITH( [gtest], - AS_HELP_STRING([--with-gtest=DIR], [Path to directory with src/gtest-all.cc file. - If not specified, git submodule will be used. - If it is not available either, "make test" will fail.])) -if test "x$with_gtest" != xno; then - AC_SUBST([GTEST_DIR], [$with_gtest]) -fi -AC_ARG_WITH([gmock], - AS_HELP_STRING([--with-gmock=DIR], [Path to directory with src/gmock-all.cc and src/gmock_main.cc files. - If not specified, git submodule will be used. - If it is not available either, "make test" will fail.])) -if test "x$with_gmock" != xno; then - AC_SUBST([GMOCK_DIR], [$with_gmock]) -fi - - -AC_ARG_WITH([systemdsystemunitdir], - AS_HELP_STRING([--with-systemdsystemunitdir=DIR], [Directory for systemd service files]), - [ - if test x"$with_systemdsystemunitdir" = xyes; then - with_systemdsystemunitdir=$($PKG_CONFIG --variable=systemdsystemunitdir systemd) - fi - ]) -if test "x$with_systemdsystemunitdir" != xno; then - AC_SUBST([systemdsystemunitdir], [$with_systemdsystemunitdir]) -fi -AM_CONDITIONAL(HAVE_SYSTEMD, [test -n "$with_systemdsystemunitdir" -a "x$with_systemdsystemunitdir" != xno ]) - -case "${host_os}" in - freebsd*) - # -D__GNU_LIBRARY__ makes this work on fbsd 4.11 - appendCXX -I/usr/local/include -D__GNU_LIBRARY__ - appendLib -L/usr/local/lib -lcompat - appendMod -L/usr/local/lib - ;; - solaris*) - appendLib -lsocket -lnsl -lresolv - ISSUN=1 - ;; - cygwin) - # We don't want to use -std=gnu++11 instead of -std=c++11, but among other things, -std=c++11 defines __STRICT_ANSI__ which makes cygwin not to compile: undefined references to strerror_r, to fdopen, to strcasecmp, etc (their declarations in system headers are between ifdef) - appendCXX -U__STRICT_ANSI__ - ISCYGWIN=1 - ;; - darwin*) - ISDARWIN=1 - - AC_PATH_PROG([BREW], [brew]) - if test -n "$BREW"; then - # add default homebrew paths - - if test "x$HAVE_ICU" != "xno"; then - AC_MSG_CHECKING([icu4c via homebrew]) - icu4c_prefix=`$BREW --prefix icu4c` - if test -n "$icu4c_prefix"; then - export PKG_CONFIG_PATH="$PKG_CONFIG_PATH:$icu4c_prefix/lib/pkgconfig" - AC_MSG_RESULT([$icu4c_prefix]) - else - AC_MSG_RESULT([no]) - fi - fi - - if test "x$PYTHON" != "xno"; then - brew_python_pc="$PYTHON" - # This is duplication of non-darwin python logic below... - if test "x$brew_python_pc" = "xyes"; then - brew_python_pc="python3" - fi - AC_MSG_CHECKING([python3 via homebrew]) - python3_prefix=`$BREW --prefix python3` - if test -n "$python3_prefix"; then - python3_prefix=`find "$python3_prefix/" -name $brew_python_pc.pc | head -n1` - if test -n "$python3_prefix"; then - python3_prefix=`dirname "$python3_prefix"` - export PKG_CONFIG_PATH="$PKG_CONFIG_PATH:$python3_prefix" - AC_MSG_RESULT([$python3_prefix]) - else - AC_MSG_RESULT([no $brew_python_pc.pc found]) - fi - else - AC_MSG_RESULT([no]) - fi - fi - - if test "x$SSL" != "xno"; then - AC_MSG_CHECKING([openssl via homebrew]) - openssl_prefix=`$BREW --prefix openssl` - if test -n "$openssl_prefix"; then - export PKG_CONFIG_PATH="$PKG_CONFIG_PATH:$openssl_prefix/lib/pkgconfig" - AC_MSG_RESULT([$openssl_prefix]) - else - AC_MSG_RESULT([no]) - fi - fi - fi - ;; -esac - -if test "$DEBUG" != "no"; then - appendCXX -ggdb3 - AC_DEFINE([_DEBUG], [1], [Define for debugging]) - if test "x$ISCYGWIN" != x1; then - # These enable some debug options in g++'s STL, e.g. invalid use of iterators - # But they cause crashes on cygwin while loading modules - AC_DEFINE([_GLIBCXX_DEBUG], [1], [Enable extra debugging checks in libstdc++]) - AC_DEFINE([_GLIBCXX_DEBUG_PEDANTIC], [1], [Enable extra debugging checks in libstdc++]) - fi -else - if test "x$OPTIMIZE" = "xyes"; then - appendCXX -O2 - - # In old times needed to define _FORTIFY_SOURCE to 2 ourself. - # Then GCC started to define it itself to 2. It was ok. - # But then GCC 4.7 started to define it to 0 or 2 depending on optimization level, and it started to conflict with our define. - AC_MSG_CHECKING([whether compiler predefines _FORTIFY_SOURCE]) - AC_COMPILE_IFELSE([ - AC_LANG_PROGRAM([[ - ]], [[ - #ifndef _FORTIFY_SOURCE - #error "Just checking, nothing fatal here" - #endif - ]]) - ], [ - AC_MSG_RESULT([yes]) - ], [ - AC_MSG_RESULT([no]) - appendCXX "-D_FORTIFY_SOURCE=2" - ]) - fi -fi - -if test "$IPV6" != "no"; then - AC_DEFINE([HAVE_IPV6], [1], [Define if IPv6 support is enabled]) -fi - -if test "x$GXX" = "xyes"; then - appendCXX -Wall -W -Wno-unused-parameter -Woverloaded-virtual -Wshadow -fi - -if test "$POLL" = "yes"; then - # poll() is broken on Mac OS, it fails with POLLNVAL for pipe()s. - if test -n "$ISDARWIN" - then - # Did they give us --enable-poll? - if test -n "$enable_poll" - then - # Yes, they asked for this. - AC_MSG_WARN([poll() is known to be broken on Mac OS X. You have been warned.]) - else - # No, our default value of "yes" got applied. - AC_MSG_WARN([poll() is known to be broken on Mac OS X. Using select() instead.]) - AC_MSG_WARN([Use --enable-poll for forcing poll() to be used.]) - POLL=no - fi - fi - if test "$POLL" = "yes"; then - AC_DEFINE([CSOCK_USE_POLL], [1], [Use poll() instead of select()]) - fi -fi - -AC_CHECK_LIB( gnugetopt, getopt_long,) -AC_CHECK_FUNCS([lstat getopt_long getpassphrase clock_gettime tcsetattr]) - -# ----- Check for dlopen - -AC_SEARCH_LIBS([dlopen], [dl], [], - [AC_MSG_ERROR([Could not find dlopen. ZNC will not work on this box until you upgrade this ancient system or at least install the necessary system libraries.])]) - -# ----- Check for pthreads - -AX_PTHREAD([ - AC_DEFINE([HAVE_PTHREAD], [1], [Define if you have POSIX threads libraries and header files.]) - appendCXX "$PTHREAD_CFLAGS" - appendLib "$PTHREAD_LIBS" -], [ - AC_MSG_ERROR([This compiler/OS doesn't seem to support pthreads.]) -]) - -# Note that old broken systems, such as OpenBSD, NetBSD, which don't support AI_ADDRCONFIG, also have thread-unsafe getaddrinfo(). -# Gladly, they fixed thread-safety before support of AI_ADDRCONFIG, so this can be abused to detect the thread-safe getaddrinfo(). -# -# TODO: drop support of blocking DNS at some point. OpenBSD supports AI_ADDRCONFIG since Nov 2014, and their getaddrinfo() is thread-safe since Nov 2013. NetBSD's one is thread-safe since ages ago. -DNS_TEXT=blocking -if test "x$TDNS" != "xno"; then - old_TDNS=$TDNS - AC_MSG_CHECKING([whether getaddrinfo() supports AI_ADDRCONFIG]) - AC_COMPILE_IFELSE([ - AC_LANG_PROGRAM([[ - #include - #include - #include - ]], [[ - int x = AI_ADDRCONFIG; - (void) x; - ]]) - ], [ - AC_MSG_RESULT([yes]) - TDNS=yes - ], [ - AC_MSG_RESULT([no]) - TDNS=no - ]) - if test "x$TDNS" = "xyes"; then - DNS_TEXT=threads - AC_DEFINE([HAVE_THREADED_DNS], [1], [Define if threaded DNS is enabled]) - else - ZNC_AUTO_FAIL([TDNS], - [support for threaded DNS not found. Try --disable-tdns. -Disabling it may result in a slight performance decrease but will not have any other side-effects], - [support for threaded DNS not found, so DNS resolving will be blocking]) - fi -fi - -# ----- Check for openssl - -SSL_TEXT="$SSL" -if test "x$SSL" != "xno"; then - old_SSL=$SSL - PKG_CHECK_MODULES([openssl], [openssl], [ - appendLib "$openssl_LIBS" - appendCXX "$openssl_CFLAGS" - ], [ - # Don't reorder this! - # On some arches libssl depends on libcrypto without linking to it :( - AC_CHECK_LIB( crypto, BIO_new,, SSL=no ; SSL_TEXT="no (libcrypt not found)" ) - AC_CHECK_LIB( ssl, SSL_shutdown,, SSL=no ; SSL_TEXT="no (libssl not found)" ) - ]) - - if test "x$SSL" != "xno"; then - AC_MSG_CHECKING([whether openssl is usable]) - AC_LINK_IFELSE([ - AC_LANG_PROGRAM([[ - #include - #include - ]], [[ - SSL_CTX* ctx = SSL_CTX_new(SSLv23_method()); - SSL* ssl = SSL_new(ctx); - DH* dh = DH_new(); - DH_free(dh); - SSL_free(ssl); - SSL_CTX_free(ctx); - ]]) - ], [ - AC_MSG_RESULT([yes]) - ], [ - AC_MSG_RESULT([no]) - SSL=no - SSL_TEXT="no (openssl not usable)" - ]) - - fi - - if test "x$SSL" = "xno" ; then - ZNC_AUTO_FAIL([SSL], - [OpenSSL not found. Try --disable-openssl.], - [OpenSSL was not found and thus disabled]) - NOSSL=1 - else - AC_DEFINE([HAVE_LIBSSL], [1], [Define if openssl is enabled]) - SSL=yes - SSL_TEXT=yes - fi -else - NOSSL=1 - SSL_TEXT="no (explicitly disabled)" -fi - -# ----- Check for zlib - -old_ZLIB="$ZLIB" -ZLIB_TEXT="$ZLIB" -if test "x$ZLIB" != "xno"; then - AC_MSG_CHECKING([whether zlib is usable]) - my_saved_LIBS="$LIBS" - appendLib "-lz" - AC_LINK_IFELSE([AC_LANG_PROGRAM([[ - #include "zlib.h" - ]], [[ - z_stream zs; - (void) deflateInit2(&zs, 0, 0, 0, 0, 0); - (void) deflate(&zs, 0); - ]]) - ], [ - AC_MSG_RESULT([yes]) - ZLIB=yes - ZLIB_TEXT=yes - ], [ - AC_MSG_RESULT([no]) - ZLIB=no - ZLIB_TEXT="no (libz not found)" - ]) - if test "x$ZLIB" = "xno"; then - ZNC_AUTO_FAIL([ZLIB], - [zlib was not found. Try --disable-zlib], - [zlib was not found and thus disabled]) - LIBS="$my_saved_LIBS" - else - AC_DEFINE([HAVE_ZLIB], [1], [Define if zlib is available]) - fi -fi - -AC_ARG_ENABLE( [charset], - AS_HELP_STRING([--disable-charset], [disable ICU support]), - [HAVE_ICU="$enableval"], - [HAVE_ICU="auto"]) -if test "x$HAVE_ICU" != "xno" -then - old_HAVE_ICU="$HAVE_ICU" - PKG_CHECK_MODULES([icu], [icu-uc], [ - appendLib "$icu_LIBS" - appendCXX "$icu_CFLAGS" - HAVE_ICU=yes - AC_DEFINE([HAVE_ICU], [1], [Enable ICU library for Unicode handling]) - AC_DEFINE([U_USING_ICU_NAMESPACE], [0], [Do not clutter global namespace with ICU C++ stuff]) - ], [ - ZNC_AUTO_FAIL([HAVE_ICU], - [support for charset conversion not found. Try --disable-charset.], - [support for charset conversion not found and thus disabled]) - HAVE_ICU="no (icu-uc not found via pkg-config)" - ]) -fi - -# For integration test only -PKG_CHECK_MODULES([qt], [Qt5Network >= 5.4], [], [:]) - -AC_ARG_WITH( [module-prefix], - AS_HELP_STRING([--with-module-prefix], [module object code [LIBDIR/znc]]), - [MODDIR=$withval], - [MODDIR="${libdir}/znc"] ) - -AC_ARG_WITH( [module-data-prefix], - AS_HELP_STRING([--with-module-data-prefix=DIR], - [static module data (webadmin skins) [DATADIR/znc]]), - [DATADIR=$withval], - [DATADIR="${datadir}/znc"] ) - -appendMod "$CXXFLAGS" -appendMod "$CFLAG_VISIBILITY" - -if test -z "$ISSUN" -a -z "$ISDARWIN" -a -z "$ISCYGWIN"; then - # This is an unknown compiler flag on some OS - appendLD -Wl,--export-dynamic -fi - -if test -z "$ISCYGWIN" ; then - # cygwin doesn't need -fPIC, everything else does (for modules) - # warning: -fPIC ignored for target (all code is position independent) - appendMod -fPIC -else - # But cygwin does want most of ZNC in a shared lib - # See https://cygwin.com/ml/cygwin-apps/2015-07/msg00108.html for the reasoning behind the name. - LIBZNC="cygznc-${LIBZNC_VERSION}.dll" - LIBZNCDIR="$bindir" - # See above about __STRICT_ANSI__ - qt_CFLAGS="$qt_CFLAGS -U__STRICT_ANSI__" -fi - -if test -z "$ISDARWIN"; then - MODLINK="-shared" -else - # Mac OS X differentiates between shared libs (-dynamiclib) - # and loadable modules (-bundle). - MODLINK="-bundle -flat_namespace -undefined suppress" - # TODO test if -twolevel_namespace and/or - # -undefined dynamic_lookup work - # (dynamic_lookup might only work on 10.4 and later) -fi - -if test "x$PERL" != xno -o "x$PYTHON" != xno; then - old_USESWIG="$USESWIG" - if test "x$USESWIG" != "xno"; then - AC_PROG_SWIG([3.0.0]) - test -z "$SWIG" && USESWIG=no - if test "x$USESWIG" = xno -a "x$old_USESWIG" = yes; then - AC_MSG_ERROR([Could not found appropriate SWIG installation. Check config.log for details.]) - fi - fi - if test -r "$srcdir/modules/modperl/generated.tar.gz" -a -r "$srcdir/modules/modpython/generated.tar.gz"; then - AC_MSG_NOTICE([modperl/modpython files are found, disabling SWIG]) - USESWIG=no - fi - if test "x$USESWIG" = xno; then - if test ! -r "$srcdir/modules/modperl/generated.tar.gz" -o ! -r "$srcdir/modules/modpython/generated.tar.gz"; then - AC_MSG_ERROR([Can not build modperl/modpython. Either install SWIG, or build ZNC from a tarball, or disable modperl/modpython. Check config.log for details.]) - else - AC_MSG_NOTICE([modperl/modpython files are found, no SWIG needed]) - fi - USESWIG="not needed" - SWIG="" - else - USESWIG=yes - fi -else - if test "x$USESWIG" = "xyes"; then - AC_MSG_WARN([swig is used only for perl and python, but both are disabled. Disabling swig.]) - fi - USESWIG='not needed' -fi - -PERL_TEXT="$PERL" -if test "x$PERL" != "xno"; then - old_PERL="$PERL" - AC_PATH_PROG([PERL_BINARY], [perl], []) - if test -n "$PERL_BINARY" && eval "$PERL_BINARY -e'use 5.010'"; then - my_saved_LDFLAGS="$LDFLAGS" - appendLD `$PERL_BINARY -MExtUtils::Embed -e ccopts -e ldopts` - AC_CHECK_LIB(perl, perl_alloc, - [: No, we do not want autoconf to do sth automatically], - PERL="no" ; PERL_TEXT="no (libperl not found)") - LDFLAGS="$my_saved_LDFLAGS" - else - PERL="no" - PERL_TEXT="no (perl binary not found or too old)" - fi - if test "x$PERL" = "xno"; then - ZNC_AUTO_FAIL([PERL], - [perl not found. Try --disable-perl.], - [perl was not found and thus disabled]) - PERL_BINARY="" - else - PERL="yes" - PERL_TEXT="yes" - fi -fi - -PYTHON_TEXT="$PYTHON" -if test "x$PYTHON" != "xno"; then - # Default value for just --enable-python - if test "x$PYTHON" = "xyes"; then - PYTHON="python3" - fi - old_PYTHON="$PYTHON" - if test -z "$PKG_CONFIG"; then - AC_MSG_ERROR([pkg-config is required for modpython.]) - fi - PKG_CHECK_MODULES([python], [$PYTHON-embed >= 3.3],, [ - PKG_CHECK_MODULES([python], [$PYTHON >= 3.3],, AC_MSG_ERROR([$PYTHON.pc not found or is wrong. Try --disable-python or install python3.])) - ]) - my_saved_LIBS="$LIBS" - my_saved_CXXFLAGS="$CXXFLAGS" - appendLib $python_LIBS - appendCXX $python_CFLAGS - AC_CHECK_FUNC([Py_Initialize], [], [PYTHON="no" ; PYTHON_TEXT="no (libpython not found)"]) - if test "x$PYTHON" != "xno"; then - # Yes, modpython depends on perl. - AC_PATH_PROG([PERL_BINARY], [perl]) - if test -z "$PERL_BINARY"; then - AC_MSG_ERROR([To compile modpython you need to be able to execute perl scripts. Try --disable-python or install perl.]) - fi - LIBS="$my_saved_LIBS" - CXXFLAGS="$my_saved_CXXFLAGS" - fi - if test "x$HAVE_ICU" != "xyes"; then - AC_MSG_ERROR([Modpython requires ZNC to be compiled with charset support, but ICU library not found. Try --disable-python or install libicu.]) - fi - if test "x$PYTHON" = "xno"; then - ZNC_AUTO_FAIL([PYTHON], - [python not found. Try --disable-python.], - [python was not found and thus disabled]) - PYTHONCFG_BINARY="" - else - PYTHON="yes" - PYTHON_TEXT="yes" - fi -fi - -if test -n "$CYRUS"; then - AC_CHECK_LIB( sasl2, sasl_server_init, - [: Dont let autoconf add -lsasl2, Makefile handles that], - AC_MSG_ERROR([could not find libsasl2. Try --disable-cyrus.])) -fi - -# Check if we want modtcl -AC_ARG_ENABLE( [tcl], - AS_HELP_STRING([--enable-tcl], [enable modtcl]), - [TCL="$enableval"], - [TCL="no"]) - -AC_ARG_WITH( [tcl-flags], - AS_HELP_STRING([--with-tcl-flags=FLAGS], - [The flags needed for compiling and linking modtcl]), - [TCL_FLAGS="$withval"],) - -if test x"$TCL" = "xyes" -then - AC_ARG_WITH( [tcl], - AS_HELP_STRING([--with-tcl=DIR], - [directory containing tclConfig.sh]), - TCL_DIR="${withval}") - - # This will need to be extended in the future, but I don't think - # it's a good idea to stuff a shitload of random stuff in here right now - for path in $TCL_DIR /usr/lib /usr/lib/tcl8.4 /usr/lib/tcl8.5 /usr/lib/tcl8.6 - do - file="${path}/tclConfig.sh" - AC_MSG_CHECKING([for ${file}]) - if test -r ${file} - then - TCL_CONF=${file} - AC_MSG_RESULT([yes]) - break - fi - AC_MSG_RESULT([no]) - done - - if test x"${TCL_CONF}" = x - then - # They --enable-tcl'd, so give them some sane default - TCL_FLAGS="-I/usr/include/tcl -ltcl" - AC_MSG_WARN([Could not find tclConfig.sh, using some sane defaults.]) - else - AC_MSG_CHECKING([modtcl flags]) - . ${TCL_CONF} - # eval because those vars depend on other vars in there - eval "TCL_LIB_SPEC=\"${TCL_LIB_SPEC}\"" - eval "TCL_INCLUDE_SPEC=\"${TCL_INCLUDE_SPEC}\"" - TCL_FLAGS="$TCL_INCLUDE_SPEC $TCL_LIB_SPEC" - AC_MSG_RESULT([$TCL_FLAGS]) - fi - my_saved_LIBS="$LIBS" - appendLib "$TCL_FLAGS" - AC_CHECK_FUNC([Tcl_CreateInterp], [TCL_TEST=yes], [TCL_TEST=no]) - if test x"$TCL_TEST" = "xno"; then - AC_MSG_ERROR([tcl not found, try --disable-tcl, or install tcl properly. If tcl is installed to a non-standard path, use --enable-tcl --with-tcl=/path]) - fi - LIBS="$my_saved_LIBS" -fi - -AC_CACHE_CHECK([for GNU make], [ac_cv_path_GNUMAKE], [ - AC_PATH_PROGS_FEATURE_CHECK([GNUMAKE], [make gmake], [[ - if $ac_path_GNUMAKE --version | $GREP GNU > /dev/null; then - ac_cv_path_GNUMAKE=$ac_path_GNUMAKE - ac_path_GNUMAKE_found=: - fi - ]], [AC_MSG_ERROR([could not find GNU make])] - ) -]) -GNUMAKE=`echo $ac_cv_path_GNUMAKE | $SED "s%.*/%%"` - -# this is in the end, for not trying to include it when it doesn't exist yet -appendCXX "-include znc/zncconfig.h" -appendMod "-include znc/zncconfig.h" - -AC_SUBST([CXXFLAGS]) -AC_SUBST([CPPFLAGS]) -AC_SUBST([MODFLAGS]) -AC_SUBST([LDFLAGS]) -AC_SUBST([LIBS]) -AC_SUBST([LIBZNC]) -AC_SUBST([LIBZNCDIR]) -AC_SUBST([ISCYGWIN]) -AC_SUBST([MODLINK]) -AC_SUBST([NOSSL]) -AC_SUBST([TCL_FLAGS]) -AC_SUBST([CYRUS]) -AC_SUBST([MODDIR]) -AC_SUBST([DATADIR]) -AC_SUBST([PERL]) -AC_SUBST([PYTHON]) -AC_SUBST([SWIG]) -AC_SUBST([python_CFLAGS]) -AC_SUBST([python_LIBS]) -AC_SUBST([qt_CFLAGS]) -AC_SUBST([qt_LIBS]) -AC_CONFIG_FILES([Makefile]) -AC_CONFIG_FILES([znc-buildmod]) -AC_CONFIG_FILES([man/Makefile]) -AC_CONFIG_FILES([znc.pc]) -AC_CONFIG_FILES([znc-uninstalled.pc]) -AC_CONFIG_FILES([modules/Makefile]) -AC_OUTPUT - -if test "x$ISCYGWIN" = x1; then - # Side effect of undefining __STRICT_ANSI__ - # http://llvm.org/bugs/show_bug.cgi?id=13530 - echo >> include/znc/zncconfig.h - echo '#ifndef ZNCCONFIG_H_ADDITIONS' >> include/znc/zncconfig.h - echo '#define ZNCCONFIG_H_ADDITIONS' >> include/znc/zncconfig.h - echo '#ifdef __clang__' >> include/znc/zncconfig.h - echo 'struct __float128;' >> include/znc/zncconfig.h - echo '#endif' >> include/znc/zncconfig.h - echo '#endif' >> include/znc/zncconfig.h -fi - -echo -echo ZNC AC_PACKAGE_VERSION configured -echo -echo "The configure script is deprecated and will be removed from ZNC" -echo "in some future version. Use either CMake or the convenience wrapper" -echo "configure.sh which takes the same parameters as configure." -echo -echo "prefix: $prefix" -echo "debug: $DEBUG" -echo "ipv6: $IPV6" -echo "openssl: $SSL_TEXT" -echo "dns: $DNS_TEXT" -echo "perl: $PERL_TEXT" -echo "python: $PYTHON_TEXT" -echo "swig: $USESWIG" -if test x"$CYRUS" = "x" ; then - echo "cyrus: no" -else - echo "cyrus: yes" -fi -if test x"$TCL_FLAGS" = "x" ; then - echo "tcl: no" -else - echo "tcl: yes" -fi -echo "charset: $HAVE_ICU" -echo "zlib: $ZLIB_TEXT" -echo "run from src: $RUNFROMSOURCE" -echo -echo "Now you can run \"$GNUMAKE\" to compile ZNC" - diff --git a/de.zip b/de.zip deleted file mode 100644 index c92a8386..00000000 --- a/de.zip +++ /dev/null @@ -1,5 +0,0 @@ - - - 8 - File was not found - diff --git a/include/znc/version.h b/include/znc/version.h index 9f30b56e..65e4233d 100644 --- a/include/znc/version.h +++ b/include/znc/version.h @@ -16,19 +16,9 @@ limitations under the License. #ifndef ZNC_VERSION_H #define ZNC_VERSION_H -#ifndef BUILD_WITH_CMAKE -// The following defines are for #if comparison (preprocessor only likes ints) -#define VERSION_MAJOR 1 -#define VERSION_MINOR 9 -#define VERSION_PATCH -1 -// This one is for display purpose and to check ABI compatibility of modules -#define VERSION_STR "1.9.x" -#endif - // Don't use this one #define VERSION (VERSION_MAJOR + VERSION_MINOR / 10.0) -// autoconf: You can add -DVERSION_EXTRA="stuff" to your CXXFLAGS! // CMake: You can add -DVERSION_EXTRA=stuff to cmake! #ifndef VERSION_EXTRA #define VERSION_EXTRA "" diff --git a/m4/ac_pkg_swig.m4 b/m4/ac_pkg_swig.m4 deleted file mode 100644 index a9da4eda..00000000 --- a/m4/ac_pkg_swig.m4 +++ /dev/null @@ -1,210 +0,0 @@ -dnl @synopsis AC_PROG_SWIG([major.minor.micro]) -dnl -dnl NOTICE: for new code, use http://www.gnu.org/s/autoconf-archive/ax_pkg_swig.html instead. -dnl -dnl This macro searches for a SWIG installation on your system. If -dnl found you should call SWIG via $(SWIG). You can use the optional -dnl first argument to check if the version of the available SWIG is -dnl greater than or equal to the value of the argument. It should have -dnl the format: N[.N[.N]] (N is a number between 0 and 999. Only the -dnl first N is mandatory.) -dnl -dnl If the version argument is given (e.g. 1.3.17), AC_PROG_SWIG checks -dnl that the swig package is this version number or higher. -dnl -dnl In configure.in, use as: -dnl -dnl AC_PROG_SWIG(1.3.17) -dnl SWIG_ENABLE_CXX -dnl SWIG_MULTI_MODULE_SUPPORT -dnl SWIG_PYTHON -dnl -dnl @category InstalledPackages -dnl @author Sebastian Huber -dnl @author Alan W. Irwin -dnl @author Rafael Laboissiere -dnl @author Andrew Collier -dnl @version 2004-09-20 -dnl -dnl Modified by Alexey Sokolov on 2012-08-08 -dnl @license GPLWithACException -dnl -dnl NOTICE: for new code, use http://www.gnu.org/s/autoconf-archive/ax_pkg_swig.html instead. - -AC_DEFUN([AC_PROG_SWIG],[ - SWIG_ERROR="" - - if test -n "$1"; then - # Calculate the required version number components - [required=$1] - [required_major=`echo $required | sed 's/[^0-9].*//'`] - if test -z "$required_major" ; then - [required_major=0] - fi - [required=`echo $required | sed 's/[0-9]*[^0-9]//'`] - [required_minor=`echo $required | sed 's/[^0-9].*//'`] - if test -z "$required_minor" ; then - [required_minor=0] - fi - [required=`echo $required | sed 's/[0-9]*[^0-9]//'`] - [required_patch=`echo $required | sed 's/[^0-9].*//'`] - if test -z "$required_patch" ; then - [required_patch=0] - fi - fi - - # for "python 3 abc set" and "PyInt_FromSize_t in python3" checks - - cat <<-END > conftest-python.i - %module conftest; - %include - %include - %template(SInt) std::set; - END - - # check if perl has std::...::size_type defined. Don't add new tests to this .i; it'll break this test due to check for "NewPointerObj((" - - cat <<-END > conftest-perl.i - %module conftest; - %include - %include - %include - %template() std::vector; - %template() std::list; - %template() std::deque; - std::vector::size_type checkVector(); - std::list::size_type checkList(); - std::deque::size_type checkDeque(); - END - SWIG_installed_versions="" - AC_CACHE_CHECK([for SWIG >= $1], [znc_cv_path_SWIG], [ - AC_PATH_PROGS_FEATURE_CHECK([SWIG], [swig swig2.0 swig3.0], [ - echo trying $ac_path_SWIG >&AS_MESSAGE_LOG_FD - $ac_path_SWIG -version >&AS_MESSAGE_LOG_FD - [swig_version=`$ac_path_SWIG -version 2>&1 | grep 'SWIG Version' | sed 's/.*\([0-9][0-9]*\.[0-9][0-9]*\.[0-9][0-9]*\).*/\1/g'`] - if test -n "$swig_version"; then - swig_right_version=1 - - SWIG_installed_versions="$SWIG_installed_versions $swig_version " - - if test -n "$required"; then - # Calculate the available version number components - [available=$swig_version] - - [available_major=`echo $available | sed 's/[^0-9].*//'`] - if test -z "$available_major" ; then - [available_major=0] - fi - [available=`echo $available | sed 's/[0-9]*[^0-9]//'`] - [available_minor=`echo $available | sed 's/[^0-9].*//'`] - if test -z "$available_minor" ; then - [available_minor=0] - fi - [available=`echo $available | sed 's/[0-9]*[^0-9]//'`] - [available_patch=`echo $available | sed 's/[^0-9].*//'`] - if test -z "$available_patch" ; then - [available_patch=0] - fi - - if test $available_major -lt $required_major; then - swig_right_version=0 - elif test $available_major -eq $required_major; then - if test $available_minor -lt $required_minor; then - swig_right_version=0 - elif test $available_minor -eq $required_minor; then - if test $available_patch -lt $required_patch; then - swig_right_version=0 - fi - fi - fi - fi - - if test $swig_right_version -eq 1; then - # "python 3 abc set", "PyInt_FromSize_t in python3" and "perl size_type" checks - echo "checking behavior of this SWIG" >&AS_MESSAGE_LOG_FD - - $ac_path_SWIG -python -py3 -c++ -shadow conftest-python.i >&AS_MESSAGE_LOG_FD && \ - echo "python wrapper created" >&AS_MESSAGE_LOG_FD && \ - echo "testing std::set... ">&AS_MESSAGE_LOG_FD && \ - grep SInt_discard conftest.py > /dev/null 2>&1 && \ - echo "std::set works" >&AS_MESSAGE_LOG_FD && \ - echo "testing PyInt_FromSize_t..." >&AS_MESSAGE_LOG_FD && \ - grep '#define PyInt_FromSize_t' conftest-python_wrap.cxx > /dev/null 2>&1 && \ - echo "PyInt_FromSize_t is defined" >&AS_MESSAGE_LOG_FD && \ - $ac_path_SWIG -perl -c++ -shadow conftest-perl.i >&AS_MESSAGE_LOG_FD && \ - echo "perl wrapper created" >&AS_MESSAGE_LOG_FD && \ - echo "testing size_type..." >&AS_MESSAGE_LOG_FD && \ - test 0 -eq `grep -c 'NewPointerObj((' conftest-perl_wrap.cxx` && \ - echo "size_type work" >&AS_MESSAGE_LOG_FD && \ - znc_cv_path_SWIG=$ac_path_SWIG \ - ac_path_SWIG_found=: - if test "x$ac_path_SWIG_found" != "x:"; then - echo "fail" >&AS_MESSAGE_LOG_FD - fi - rm -f conftest-python_wrap.cxx conftest.py - rm -f conftest-perl_wrap.cxx conftest.pm - - - else - echo "SWIG version >= $1 is required. You have '$swig_version'" >&AS_MESSAGE_LOG_FD - fi - fi - echo end trying $ac_path_SWIG >&AS_MESSAGE_LOG_FD - ]) - ]) - rm -f conftest-python.i conftest-perl.i - if test -n "$SWIG_installed_versions"; then - AC_MSG_NOTICE([Following SWIG versions are found:$SWIG_installed_versions]) - fi - - AC_SUBST([SWIG], [$znc_cv_path_SWIG]) - if test -n "$SWIG"; then - SWIG_LIB=`$SWIG -swiglib` - fi - AC_SUBST([SWIG_LIB]) -]) - -# SWIG_ENABLE_CXX() -# -# Enable SWIG C++ support. This affects all invocations of $(SWIG). -AC_DEFUN([SWIG_ENABLE_CXX],[ - AC_REQUIRE([AC_PROG_SWIG]) - AC_REQUIRE([AC_PROG_CXX]) - SWIG="$SWIG -c++" -]) - -# SWIG_MULTI_MODULE_SUPPORT() -# -# Enable support for multiple modules. This effects all invocations -# of $(SWIG). You have to link all generated modules against the -# appropriate SWIG runtime library. If you want to build Python -# modules for example, use the SWIG_PYTHON() macro and link the -# modules against $(SWIG_PYTHON_LIBS). -# -AC_DEFUN([SWIG_MULTI_MODULE_SUPPORT],[ - AC_REQUIRE([AC_PROG_SWIG]) - SWIG="$SWIG -noruntime" -]) - -# SWIG_PYTHON([use-shadow-classes = {no, yes}]) -# -# Checks for Python and provides the $(SWIG_PYTHON_CPPFLAGS), -# and $(SWIG_PYTHON_OPT) output variables. -# -# $(SWIG_PYTHON_OPT) contains all necessary SWIG options to generate -# code for Python. Shadow classes are enabled unless the value of the -# optional first argument is exactly 'no'. If you need multi module -# support (provided by the SWIG_MULTI_MODULE_SUPPORT() macro) use -# $(SWIG_PYTHON_LIBS) to link against the appropriate library. It -# contains the SWIG Python runtime library that is needed by the type -# check system for example. -AC_DEFUN([SWIG_PYTHON],[ - AC_REQUIRE([AC_PROG_SWIG]) - AC_REQUIRE([AC_PYTHON_DEVEL]) - test "x$1" != "xno" || swig_shadow=" -noproxy" - AC_SUBST([SWIG_PYTHON_OPT],[-python$swig_shadow]) - AC_SUBST([SWIG_PYTHON_CPPFLAGS],[$PYTHON_CPPFLAGS]) -]) - - - diff --git a/m4/ax_cxx_compile_stdcxx_11.m4 b/m4/ax_cxx_compile_stdcxx_11.m4 deleted file mode 100644 index 6be9c91e..00000000 --- a/m4/ax_cxx_compile_stdcxx_11.m4 +++ /dev/null @@ -1,169 +0,0 @@ -# ============================================================================ -# http://www.gnu.org/software/autoconf-archive/ax_cxx_compile_stdcxx_11.html -# ============================================================================ -# -# SYNOPSIS -# -# AX_CXX_COMPILE_STDCXX_11([ext|noext],[mandatory|optional]) -# -# DESCRIPTION -# -# Check for baseline language coverage in the compiler for the C++11 -# standard; if necessary, add switches to CXXFLAGS to enable support. -# -# The first argument, if specified, indicates whether you insist on an -# extended mode (e.g. -std=gnu++11) or a strict conformance mode (e.g. -# -std=c++11). If neither is specified, you get whatever works, with -# preference for an extended mode. -# -# The second argument, if specified 'mandatory' or if left unspecified, -# indicates that baseline C++11 support is required and that the macro -# should error out if no mode with that support is found. If specified -# 'optional', then configuration proceeds regardless, after defining -# HAVE_CXX11 if and only if a supporting mode is found. -# -# LICENSE -# -# Copyright (c) 2008 Benjamin Kosnik -# Copyright (c) 2012 Zack Weinberg -# Copyright (c) 2013 Roy Stogner -# Copyright (c) 2014, 2015 Google Inc.; contributed by Alexey Sokolov -# -# Copying and distribution of this file, with or without modification, are -# permitted in any medium without royalty provided the copyright notice -# and this notice are preserved. This file is offered as-is, without any -# warranty. - -#serial 5 - -m4_define([_AX_CXX_COMPILE_STDCXX_11_testbody], [[ - #include - template - struct check - { - static_assert(sizeof(int) <= sizeof(T), "not big enough"); - }; - - struct Base { - virtual void f() {} - }; - struct Child : public Base { - virtual void f() override {} - }; - - typedef check> right_angle_brackets; - - int a; - decltype(a) b; - - typedef check check_type; - check_type c; - check_type&& cr = static_cast(c); - - auto d = a; - auto l = [](){}; - - // http://stackoverflow.com/questions/13728184/template-aliases-and-sfinae - // Clang 3.1 fails with headers of libstd++ 4.8.3 when using std::function because of this - namespace test_template_alias_sfinae { - struct foo {}; - - template - using member = typename T::member_type; - - template - void func(...) {} - - template - void func(member*) {} - - void test(); - - void test() { - func(0); - } - } - - void test_map() { - std::map m; - m.emplace(2, 4); - } -]]) - -AC_DEFUN([AX_CXX_COMPILE_STDCXX_11], [dnl - m4_if([$1], [], [], - [$1], [ext], [], - [$1], [noext], [], - [m4_fatal([invalid argument `$1' to AX_CXX_COMPILE_STDCXX_11])])dnl - m4_if([$2], [], [ax_cxx_compile_cxx11_required=true], - [$2], [mandatory], [ax_cxx_compile_cxx11_required=true], - [$2], [optional], [ax_cxx_compile_cxx11_required=false], - [m4_fatal([invalid second argument `$2' to AX_CXX_COMPILE_STDCXX_11])]) - AC_LANG_PUSH([C++])dnl - ac_success=no - AC_CACHE_CHECK(whether $CXX supports C++11 features by default, - ax_cv_cxx_compile_cxx11, - [AC_COMPILE_IFELSE([AC_LANG_SOURCE([_AX_CXX_COMPILE_STDCXX_11_testbody])], - [ax_cv_cxx_compile_cxx11=yes], - [ax_cv_cxx_compile_cxx11=no])]) - if test x$ax_cv_cxx_compile_cxx11 = xyes; then - ac_success=yes - fi - - m4_if([$1], [noext], [], [dnl - if test x$ac_success = xno; then - for switch in -std=gnu++11 -std=gnu++0x; do - cachevar=AS_TR_SH([ax_cv_cxx_compile_cxx11_$switch]) - AC_CACHE_CHECK(whether $CXX supports C++11 features with $switch, - $cachevar, - [ac_save_CXXFLAGS="$CXXFLAGS" - CXXFLAGS="$CXXFLAGS $switch" - AC_COMPILE_IFELSE([AC_LANG_SOURCE([_AX_CXX_COMPILE_STDCXX_11_testbody])], - [eval $cachevar=yes], - [eval $cachevar=no]) - CXXFLAGS="$ac_save_CXXFLAGS"]) - if eval test x\$$cachevar = xyes; then - CXXFLAGS="$CXXFLAGS $switch" - ac_success=yes - break - fi - done - fi]) - - m4_if([$1], [ext], [], [dnl - if test x$ac_success = xno; then - for switch in -std=c++11 -std=c++0x; do - cachevar=AS_TR_SH([ax_cv_cxx_compile_cxx11_$switch]) - AC_CACHE_CHECK(whether $CXX supports C++11 features with $switch, - $cachevar, - [ac_save_CXXFLAGS="$CXXFLAGS" - CXXFLAGS="$CXXFLAGS $switch" - AC_COMPILE_IFELSE([AC_LANG_SOURCE([_AX_CXX_COMPILE_STDCXX_11_testbody])], - [eval $cachevar=yes], - [eval $cachevar=no]) - CXXFLAGS="$ac_save_CXXFLAGS"]) - if eval test x\$$cachevar = xyes; then - CXXFLAGS="$CXXFLAGS $switch" - ac_success=yes - break - fi - done - fi]) - AC_LANG_POP([C++]) - if test x$ax_cxx_compile_cxx11_required = xtrue; then - if test x$ac_success = xno; then - AC_MSG_ERROR([*** A compiler with support for C++11 language features is required.]) - fi - else - if test x$ac_success = xno; then - HAVE_CXX11=0 - AC_MSG_NOTICE([No compiler with C++11 support was found]) - else - HAVE_CXX11=1 - AC_DEFINE(HAVE_CXX11,1, - [define if the compiler supports basic C++11 syntax]) - fi - - AC_SUBST(HAVE_CXX11) - fi -]) diff --git a/m4/ax_pthread.m4 b/m4/ax_pthread.m4 deleted file mode 100644 index 90e91ca6..00000000 --- a/m4/ax_pthread.m4 +++ /dev/null @@ -1,310 +0,0 @@ -# =========================================================================== -# http://www.gnu.org/software/autoconf-archive/ax_pthread.html -# =========================================================================== -# -# SYNOPSIS -# -# AX_PTHREAD([ACTION-IF-FOUND[, ACTION-IF-NOT-FOUND]]) -# -# DESCRIPTION -# -# This macro figures out how to build C programs using POSIX threads. It -# sets the PTHREAD_LIBS output variable to the threads library and linker -# flags, and the PTHREAD_CFLAGS output variable to any special C compiler -# flags that are needed. (The user can also force certain compiler -# flags/libs to be tested by setting these environment variables.) -# -# Also sets PTHREAD_CC to any special C compiler that is needed for -# multi-threaded programs (defaults to the value of CC otherwise). (This -# is necessary on AIX to use the special cc_r compiler alias.) -# -# NOTE: You are assumed to not only compile your program with these flags, -# but also link it with them as well. e.g. you should link with -# $PTHREAD_CC $CFLAGS $PTHREAD_CFLAGS $LDFLAGS ... $PTHREAD_LIBS $LIBS -# -# If you are only building threads programs, you may wish to use these -# variables in your default LIBS, CFLAGS, and CC: -# -# LIBS="$PTHREAD_LIBS $LIBS" -# CFLAGS="$CFLAGS $PTHREAD_CFLAGS" -# CC="$PTHREAD_CC" -# -# In addition, if the PTHREAD_CREATE_JOINABLE thread-attribute constant -# has a nonstandard name, defines PTHREAD_CREATE_JOINABLE to that name -# (e.g. PTHREAD_CREATE_UNDETACHED on AIX). -# -# Also HAVE_PTHREAD_PRIO_INHERIT is defined if pthread is found and the -# PTHREAD_PRIO_INHERIT symbol is defined when compiling with -# PTHREAD_CFLAGS. -# -# ACTION-IF-FOUND is a list of shell commands to run if a threads library -# is found, and ACTION-IF-NOT-FOUND is a list of commands to run it if it -# is not found. If ACTION-IF-FOUND is not specified, the default action -# will define HAVE_PTHREAD. -# -# Please let the authors know if this macro fails on any platform, or if -# you have any other suggestions or comments. This macro was based on work -# by SGJ on autoconf scripts for FFTW (http://www.fftw.org/) (with help -# from M. Frigo), as well as ac_pthread and hb_pthread macros posted by -# Alejandro Forero Cuervo to the autoconf macro repository. We are also -# grateful for the helpful feedback of numerous users. -# -# Updated for Autoconf 2.68 by Daniel Richard G. -# -# LICENSE -# -# Copyright (c) 2008 Steven G. Johnson -# Copyright (c) 2011 Daniel Richard G. -# -# This program is free software: you can redistribute it and/or modify it -# under the terms of the GNU General Public License as published by the -# Free Software Foundation, either version 3 of the License, or (at your -# option) any later version. -# -# This program is distributed in the hope that it will be useful, but -# WITHOUT ANY WARRANTY; without even the implied warranty of -# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU General -# Public License for more details. -# -# You should have received a copy of the GNU General Public License along -# with this program. If not, see . -# -# As a special exception, the respective Autoconf Macro's copyright owner -# gives unlimited permission to copy, distribute and modify the configure -# scripts that are the output of Autoconf when processing the Macro. You -# need not follow the terms of the GNU General Public License when using -# or distributing such scripts, even though portions of the text of the -# Macro appear in them. The GNU General Public License (GPL) does govern -# all other use of the material that constitutes the Autoconf Macro. -# -# This special exception to the GPL applies to versions of the Autoconf -# Macro released by the Autoconf Archive. When you make and distribute a -# modified version of the Autoconf Macro, you may extend this special -# exception to the GPL to apply to your modified version as well. - -#serial 17 - -AU_ALIAS([ACX_PTHREAD], [AX_PTHREAD]) -AC_DEFUN([AX_PTHREAD], [ -AC_REQUIRE([AC_CANONICAL_HOST]) -AC_LANG_PUSH([C++]) -ax_pthread_ok=no - -# We used to check for pthread.h first, but this fails if pthread.h -# requires special compiler flags (e.g. on True64 or Sequent). -# It gets checked for in the link test anyway. - -# First of all, check if the user has set any of the PTHREAD_LIBS, -# etcetera environment variables, and if threads linking works using -# them: -if test x"$PTHREAD_LIBS$PTHREAD_CFLAGS" != x; then - save_CXXFLAGS="$CXXFLAGS" - CXXFLAGS="$CXXFLAGS $PTHREAD_CFLAGS" - save_LIBS="$LIBS" - LIBS="$PTHREAD_LIBS $LIBS" - AC_MSG_CHECKING([for pthread_join in LIBS=$PTHREAD_LIBS with CXXFLAGS=$PTHREAD_CFLAGS]) - AC_TRY_LINK_FUNC(pthread_join, ax_pthread_ok=yes) - AC_MSG_RESULT($ax_pthread_ok) - if test x"$ax_pthread_ok" = xno; then - PTHREAD_LIBS="" - PTHREAD_CFLAGS="" - fi - LIBS="$save_LIBS" - CXXFLAGS="$save_CXXFLAGS" -fi - -# We must check for the threads library under a number of different -# names; the ordering is very important because some systems -# (e.g. DEC) have both -lpthread and -lpthreads, where one of the -# libraries is broken (non-POSIX). - -# Create a list of thread flags to try. Items starting with a "-" are -# C compiler flags, and other items are library names, except for "none" -# which indicates that we try without any flags at all, and "pthread-config" -# which is a program returning the flags for the Pth emulation library. - -ax_pthread_flags="pthreads none -Kthread -kthread lthread -pthread -pthreads -mthreads pthread --thread-safe -mt pthread-config" - -# The ordering *is* (sometimes) important. Some notes on the -# individual items follow: - -# pthreads: AIX (must check this before -lpthread) -# none: in case threads are in libc; should be tried before -Kthread and -# other compiler flags to prevent continual compiler warnings -# -Kthread: Sequent (threads in libc, but -Kthread needed for pthread.h) -# -kthread: FreeBSD kernel threads (preferred to -pthread since SMP-able) -# lthread: LinuxThreads port on FreeBSD (also preferred to -pthread) -# -pthread: Linux/gcc (kernel threads), BSD/gcc (userland threads) -# -pthreads: Solaris/gcc -# -mthreads: Mingw32/gcc, Lynx/gcc -# -mt: Sun Workshop C (may only link SunOS threads [-lthread], but it -# doesn't hurt to check since this sometimes defines pthreads too; -# also defines -D_REENTRANT) -# ... -mt is also the pthreads flag for HP/aCC -# pthread: Linux, etcetera -# --thread-safe: KAI C++ -# pthread-config: use pthread-config program (for GNU Pth library) - -case "${host_cpu}-${host_os}" in - *solaris*) - - # On Solaris (at least, for some versions), libc contains stubbed - # (non-functional) versions of the pthreads routines, so link-based - # tests will erroneously succeed. (We need to link with -pthreads/-mt/ - # -lpthread.) (The stubs are missing pthread_cleanup_push, or rather - # a function called by this macro, so we could check for that, but - # who knows whether they'll stub that too in a future libc.) So, - # we'll just look for -pthreads and -lpthread first: - - ax_pthread_flags="-pthreads pthread -mt -pthread $ax_pthread_flags" - ;; - - *-darwin*) - ax_pthread_flags="-pthread $ax_pthread_flags" - ;; -esac - -if test x"$ax_pthread_ok" = xno; then -for flag in $ax_pthread_flags; do - - case $flag in - none) - AC_MSG_CHECKING([whether pthreads work without any flags]) - ;; - - -*) - AC_MSG_CHECKING([whether pthreads work with $flag]) - PTHREAD_CFLAGS="$flag" - PTHREAD_LIBS="$flag" - ;; - - pthread-config) - AC_CHECK_PROG(ax_pthread_config, pthread-config, yes, no) - if test x"$ax_pthread_config" = xno; then continue; fi - PTHREAD_CFLAGS="`pthread-config --cflags`" - PTHREAD_LIBS="`pthread-config --ldflags` `pthread-config --libs`" - ;; - - *) - AC_MSG_CHECKING([for the pthreads library -l$flag]) - PTHREAD_LIBS="-l$flag" - ;; - esac - - save_LIBS="$LIBS" - save_CXXFLAGS="$CXXFLAGS" - LIBS="$PTHREAD_LIBS $LIBS" - CXXFLAGS="$CXXFLAGS $PTHREAD_CFLAGS" - - # Check for various functions. We must include pthread.h, - # since some functions may be macros. (On the Sequent, we - # need a special flag -Kthread to make this header compile.) - # We check for pthread_join because it is in -lpthread on IRIX - # while pthread_create is in libc. We check for pthread_attr_init - # due to DEC craziness with -lpthreads. We check for - # pthread_cleanup_push because it is one of the few pthread - # functions on Solaris that doesn't have a non-functional libc stub. - # We try pthread_create on general principles. - AC_LINK_IFELSE([AC_LANG_PROGRAM([#include - static void routine(void *a) { *((int*)a) = 42; } - static void *start_routine(void *a) { return a; }], - [pthread_t th; pthread_attr_t attr; - pthread_create(&th, 0, start_routine, 0); - pthread_join(th, 0); - pthread_attr_init(&attr); - pthread_cleanup_push(routine, 0); - pthread_cleanup_pop(0) /* ; */])], - [ax_pthread_ok=yes], - []) - - LIBS="$save_LIBS" - CXXFLAGS="$save_CXXFLAGS" - - AC_MSG_RESULT($ax_pthread_ok) - if test "x$ax_pthread_ok" = xyes; then - break; - fi - - PTHREAD_LIBS="" - PTHREAD_CFLAGS="" -done -fi - -# Various other checks: -if test "x$ax_pthread_ok" = xyes; then - save_LIBS="$LIBS" - LIBS="$PTHREAD_LIBS $LIBS" - save_CXXFLAGS="$CXXFLAGS" - CXXFLAGS="$CXXFLAGS $PTHREAD_CFLAGS" - - # Detect AIX lossage: JOINABLE attribute is called UNDETACHED. - AC_MSG_CHECKING([for joinable pthread attribute]) - attr_name=unknown - for attr in PTHREAD_CREATE_JOINABLE PTHREAD_CREATE_UNDETACHED; do - AC_LINK_IFELSE([AC_LANG_PROGRAM([#include ], - [int attr = $attr; return attr /* ; */])], - [attr_name=$attr; break], - []) - done - AC_MSG_RESULT($attr_name) - if test "$attr_name" != PTHREAD_CREATE_JOINABLE; then - AC_DEFINE_UNQUOTED(PTHREAD_CREATE_JOINABLE, $attr_name, - [Define to necessary symbol if this constant - uses a non-standard name on your system.]) - fi - - AC_MSG_CHECKING([if more special flags are required for pthreads]) - flag=no - case "${host_cpu}-${host_os}" in - *-aix* | *-freebsd* | *-darwin*) flag="-D_THREAD_SAFE";; - *-osf* | *-hpux*) flag="-D_REENTRANT";; - *solaris*) - if test "$GXX" = "yes"; then - flag="-D_REENTRANT" - else - flag="-mt -D_REENTRANT" - fi - ;; - esac - AC_MSG_RESULT(${flag}) - if test "x$flag" != xno; then - PTHREAD_CFLAGS="$flag $PTHREAD_CFLAGS" - fi - - AC_CACHE_CHECK([for PTHREAD_PRIO_INHERIT], - ax_cv_PTHREAD_PRIO_INHERIT, [ - AC_LINK_IFELSE([ - AC_LANG_PROGRAM([[#include ]], [[int i = PTHREAD_PRIO_INHERIT; (void) i;]])], - [ax_cv_PTHREAD_PRIO_INHERIT=yes], - [ax_cv_PTHREAD_PRIO_INHERIT=no]) - ]) - AS_IF([test "x$ax_cv_PTHREAD_PRIO_INHERIT" = "xyes"], - AC_DEFINE([HAVE_PTHREAD_PRIO_INHERIT], 1, [Have PTHREAD_PRIO_INHERIT.])) - - LIBS="$save_LIBS" - CXXFLAGS="$save_CXXFLAGS" - - # More AIX lossage: must compile with xlc_r or cc_r - if test x"$GXX" != xyes; then - AC_CHECK_PROGS(PTHREAD_CC, xlc_r cc_r, ${CC}) - else - PTHREAD_CC=$CC - fi -else - PTHREAD_CC="$CC" -fi - -AC_SUBST(PTHREAD_LIBS) -AC_SUBST(PTHREAD_CFLAGS) -AC_SUBST(PTHREAD_CC) - -# Finally, execute ACTION-IF-FOUND/ACTION-IF-NOT-FOUND: -if test x"$ax_pthread_ok" = xyes; then - ifelse([$1],,AC_DEFINE(HAVE_PTHREAD,1,[Define if you have POSIX threads libraries and header files.]),[$1]) - : -else - ax_pthread_ok=no - $2 -fi -AC_LANG_POP -])dnl AX_PTHREAD diff --git a/m4/iconv.m4 b/m4/iconv.m4 deleted file mode 100644 index 8424c9bc..00000000 --- a/m4/iconv.m4 +++ /dev/null @@ -1,272 +0,0 @@ -# iconv.m4 serial 18 (gettext-0.18.2) -dnl Copyright (C) 2000-2002, 2007-2012 Free Software Foundation, Inc. -dnl This file is free software; the Free Software Foundation -dnl gives unlimited permission to copy and/or distribute it, -dnl with or without modifications, as long as this notice is preserved. - -dnl From Bruno Haible. - -AC_DEFUN([AM_ICONV_LINKFLAGS_BODY], -[ - dnl Prerequisites of AC_LIB_LINKFLAGS_BODY. - AC_REQUIRE([AC_LIB_PREPARE_PREFIX]) -dnl AC_REQUIRE([AC_LIB_RPATH]) - - dnl Search for libiconv and define LIBICONV, LTLIBICONV and INCICONV - dnl accordingly. - AC_LIB_LINKFLAGS_BODY([iconv]) -]) - -AC_DEFUN([AM_ICONV_LINK], -[ - [HAVE_ICONV=""] - - dnl Some systems have iconv in libc, some have it in libiconv (OSF/1 and - dnl those with the standalone portable GNU libiconv installed). - AC_REQUIRE([AC_CANONICAL_HOST]) dnl for cross-compiles - - dnl Search for libiconv and define LIBICONV, LTLIBICONV and INCICONV - dnl accordingly. - AC_REQUIRE([AM_ICONV_LINKFLAGS_BODY]) - - dnl Add $INCICONV to CPPFLAGS before performing the following checks, - dnl because if the user has installed libiconv and not disabled its use - dnl via --without-libiconv-prefix, he wants to use it. The first - dnl AC_LINK_IFELSE will then fail, the second AC_LINK_IFELSE will succeed. - am_save_CPPFLAGS="$CPPFLAGS" - AC_LIB_APPENDTOVAR([CPPFLAGS], [$INCICONV]) - - AC_CACHE_CHECK([for iconv], [am_cv_func_iconv], [ - am_cv_func_iconv="no, consider installing GNU libiconv" - am_cv_lib_iconv=no - AC_LINK_IFELSE( - [AC_LANG_PROGRAM( - [[ -#include -#include - ]], - [[iconv_t cd = iconv_open("",""); - iconv(cd,NULL,NULL,NULL,NULL); - iconv_close(cd);]])], - [am_cv_func_iconv=yes]) - if test "$am_cv_func_iconv" != yes; then - am_save_LIBS="$LIBS" - LIBS="$LIBS $LIBICONV" - AC_LINK_IFELSE( - [AC_LANG_PROGRAM( - [[ -#include -#include - ]], - [[iconv_t cd = iconv_open("",""); - iconv(cd,NULL,NULL,NULL,NULL); - iconv_close(cd);]])], - [am_cv_lib_iconv=yes] - [am_cv_func_iconv=yes]) - LIBS="$am_save_LIBS" - fi - ]) - if test "$am_cv_func_iconv" = yes; then - AC_CACHE_CHECK([for working iconv], [am_cv_func_iconv_works], [ - dnl This tests against bugs in AIX 5.1, AIX 6.1..7.1, HP-UX 11.11, - dnl Solaris 10. - am_save_LIBS="$LIBS" - if test $am_cv_lib_iconv = yes; then - LIBS="$LIBS $LIBICONV" - fi - AC_RUN_IFELSE( - [AC_LANG_SOURCE([[ -#include -#include -int main () -{ - int result = 0; - /* Test against AIX 5.1 bug: Failures are not distinguishable from successful - returns. */ - { - iconv_t cd_utf8_to_88591 = iconv_open ("ISO8859-1", "UTF-8"); - if (cd_utf8_to_88591 != (iconv_t)(-1)) - { - static const char input[] = "\342\202\254"; /* EURO SIGN */ - char buf[10]; - const char *inptr = input; - size_t inbytesleft = strlen (input); - char *outptr = buf; - size_t outbytesleft = sizeof (buf); - size_t res = iconv (cd_utf8_to_88591, - (char **) &inptr, &inbytesleft, - &outptr, &outbytesleft); - if (res == 0) - result |= 1; - iconv_close (cd_utf8_to_88591); - } - } - /* Test against Solaris 10 bug: Failures are not distinguishable from - successful returns. */ - { - iconv_t cd_ascii_to_88591 = iconv_open ("ISO8859-1", "646"); - if (cd_ascii_to_88591 != (iconv_t)(-1)) - { - static const char input[] = "\263"; - char buf[10]; - const char *inptr = input; - size_t inbytesleft = strlen (input); - char *outptr = buf; - size_t outbytesleft = sizeof (buf); - size_t res = iconv (cd_ascii_to_88591, - (char **) &inptr, &inbytesleft, - &outptr, &outbytesleft); - if (res == 0) - result |= 2; - iconv_close (cd_ascii_to_88591); - } - } - /* Test against AIX 6.1..7.1 bug: Buffer overrun. */ - { - iconv_t cd_88591_to_utf8 = iconv_open ("UTF-8", "ISO-8859-1"); - if (cd_88591_to_utf8 != (iconv_t)(-1)) - { - static const char input[] = "\304"; - static char buf[2] = { (char)0xDE, (char)0xAD }; - const char *inptr = input; - size_t inbytesleft = 1; - char *outptr = buf; - size_t outbytesleft = 1; - size_t res = iconv (cd_88591_to_utf8, - (char **) &inptr, &inbytesleft, - &outptr, &outbytesleft); - if (res != (size_t)(-1) || outptr - buf > 1 || buf[1] != (char)0xAD) - result |= 4; - iconv_close (cd_88591_to_utf8); - } - } -#if 0 /* This bug could be worked around by the caller. */ - /* Test against HP-UX 11.11 bug: Positive return value instead of 0. */ - { - iconv_t cd_88591_to_utf8 = iconv_open ("utf8", "iso88591"); - if (cd_88591_to_utf8 != (iconv_t)(-1)) - { - static const char input[] = "\304rger mit b\366sen B\374bchen ohne Augenma\337"; - char buf[50]; - const char *inptr = input; - size_t inbytesleft = strlen (input); - char *outptr = buf; - size_t outbytesleft = sizeof (buf); - size_t res = iconv (cd_88591_to_utf8, - (char **) &inptr, &inbytesleft, - &outptr, &outbytesleft); - if ((int)res > 0) - result |= 8; - iconv_close (cd_88591_to_utf8); - } - } -#endif - /* Test against HP-UX 11.11 bug: No converter from EUC-JP to UTF-8 is - provided. */ - if (/* Try standardized names. */ - iconv_open ("UTF-8", "EUC-JP") == (iconv_t)(-1) - /* Try IRIX, OSF/1 names. */ - && iconv_open ("UTF-8", "eucJP") == (iconv_t)(-1) - /* Try AIX names. */ - && iconv_open ("UTF-8", "IBM-eucJP") == (iconv_t)(-1) - /* Try HP-UX names. */ - && iconv_open ("utf8", "eucJP") == (iconv_t)(-1)) - result |= 16; - return result; -}]])], - [am_cv_func_iconv_works=yes], - [am_cv_func_iconv_works=no], - [ -changequote(,)dnl - case "$host_os" in - aix* | hpux*) am_cv_func_iconv_works="guessing no" ;; - *) am_cv_func_iconv_works="guessing yes" ;; - esac -changequote([,])dnl - ]) - LIBS="$am_save_LIBS" - ]) - case "$am_cv_func_iconv_works" in - *no) am_func_iconv=no am_cv_lib_iconv=no ;; - *) am_func_iconv=yes ;; - esac - else - am_func_iconv=no am_cv_lib_iconv=no - fi - if test "$am_func_iconv" = yes; then - AC_DEFINE([HAVE_ICONV], [1], - [Define if you have the iconv() function and it works.]) - [HAVE_ICONV=1] - fi - if test "$am_cv_lib_iconv" = yes; then - AC_MSG_CHECKING([how to link with libiconv]) - AC_MSG_RESULT([$LIBICONV]) - else - dnl If $LIBICONV didn't lead to a usable library, we don't need $INCICONV - dnl either. - CPPFLAGS="$am_save_CPPFLAGS" - LIBICONV= - LTLIBICONV= - fi - AC_SUBST([HAVE_ICONV]) - AC_SUBST([LIBICONV]) - AC_SUBST([LTLIBICONV]) -]) - -dnl Define AM_ICONV using AC_DEFUN_ONCE for Autoconf >= 2.64, in order to -dnl avoid warnings like -dnl "warning: AC_REQUIRE: `AM_ICONV' was expanded before it was required". -dnl This is tricky because of the way 'aclocal' is implemented: -dnl - It requires defining an auxiliary macro whose name ends in AC_DEFUN. -dnl Otherwise aclocal's initial scan pass would miss the macro definition. -dnl - It requires a line break inside the AC_DEFUN_ONCE and AC_DEFUN expansions. -dnl Otherwise aclocal would emit many "Use of uninitialized value $1" -dnl warnings. -m4_define([gl_iconv_AC_DEFUN], - m4_version_prereq([2.64], - [[AC_DEFUN_ONCE( - [$1], [$2])]], - [m4_ifdef([gl_00GNULIB], - [[AC_DEFUN_ONCE( - [$1], [$2])]], - [[AC_DEFUN( - [$1], [$2])]])])) -gl_iconv_AC_DEFUN([AM_ICONV], -[ - AM_ICONV_LINK - if test "$am_cv_func_iconv" = yes; then - AC_MSG_CHECKING([for iconv declaration]) - AC_CACHE_VAL([am_cv_proto_iconv], [ - AC_COMPILE_IFELSE( - [AC_LANG_PROGRAM( - [[ -#include -#include -extern -#ifdef __cplusplus -"C" -#endif -#if defined(__STDC__) || defined(_MSC_VER) || defined(__cplusplus) -size_t iconv (iconv_t cd, char * *inbuf, size_t *inbytesleft, char * *outbuf, size_t *outbytesleft); -#else -size_t iconv(); -#endif - ]], - [[]])], - [am_cv_proto_iconv_arg1=""], - [am_cv_proto_iconv_arg1="const"]) - am_cv_proto_iconv="extern size_t iconv (iconv_t cd, $am_cv_proto_iconv_arg1 char * *inbuf, size_t *inbytesleft, char * *outbuf, size_t *outbytesleft);"]) - am_cv_proto_iconv=`echo "[$]am_cv_proto_iconv" | tr -s ' ' | sed -e 's/( /(/'` - AC_MSG_RESULT([ - $am_cv_proto_iconv]) - AC_DEFINE_UNQUOTED([ICONV_CONST], [$am_cv_proto_iconv_arg1], - [Define as const if the declaration of iconv() needs const.]) - dnl Also substitute ICONV_CONST in the gnulib generated . - m4_ifdef([gl_ICONV_H_DEFAULTS], - [AC_REQUIRE([gl_ICONV_H_DEFAULTS]) - if test -n "$am_cv_proto_iconv_arg1"; then - ICONV_CONST="const" - fi - ]) - fi -]) diff --git a/m4/znc_visibility.m4 b/m4/znc_visibility.m4 deleted file mode 100644 index 2c642eff..00000000 --- a/m4/znc_visibility.m4 +++ /dev/null @@ -1,88 +0,0 @@ -# visibility.m4 serial 3 (gettext-0.18) -dnl Copyright (C) 2005, 2008-2010 Free Software Foundation, Inc. -dnl This file is free software; the Free Software Foundation -dnl gives unlimited permission to copy and/or distribute it, -dnl with or without modifications, as long as this notice is preserved. - -dnl From Bruno Haible. - -dnl Changes done by Uli Schlachter (C) 2011: -dnl - Renamed everything from gl_ to znc_ -dnl - Instead of using CFLAGS, this now uses CXXFLAGS (the macro would actually -dnl silently break if you called AC_LANG with anything but C before it) -dnl - Because of the above, this now requiers AC_PROG_CXX and $GXX instead -dnl of $GCC -dnl - Added calls to AC_LANG_PUSH([C++]) and AC_LANG_POP -dnl - Replaced AC_TRY_COMPILE with AC_COMPILE_IFELSE -dnl - Added a definition for dummyfunc() so that this works with -dnl -Wmissing-declarations - -dnl Tests whether the compiler supports the command-line option -dnl -fvisibility=hidden and the function and variable attributes -dnl __attribute__((__visibility__("hidden"))) and -dnl __attribute__((__visibility__("default"))). -dnl Does *not* test for __visibility__("protected") - which has tricky -dnl semantics (see the 'vismain' test in glibc) and does not exist e.g. on -dnl MacOS X. -dnl Does *not* test for __visibility__("internal") - which has processor -dnl dependent semantics. -dnl Does *not* test for #pragma GCC visibility push(hidden) - which is -dnl "really only recommended for legacy code". -dnl Set the variable CFLAG_VISIBILITY. -dnl Defines and sets the variable HAVE_VISIBILITY. - -AC_DEFUN([ZNC_VISIBILITY], -[ - AC_REQUIRE([AC_PROG_CXX]) - AC_LANG_PUSH([C++]) - CFLAG_VISIBILITY= - HAVE_VISIBILITY=0 - if test -n "$GXX"; then - dnl First, check whether -Werror can be added to the command line, or - dnl whether it leads to an error because of some other option that the - dnl user has put into $CC $CFLAGS $CPPFLAGS. - AC_MSG_CHECKING([whether the -Werror option is usable]) - AC_CACHE_VAL([znc_cv_cc_vis_werror], [ - znc_save_CXXFLAGS="$CXXFLAGS" - CXXFLAGS="$CXXFLAGS -Werror" - AC_COMPILE_IFELSE([AC_LANG_PROGRAM([], [])], - [znc_cv_cc_vis_werror=yes], - [znc_cv_cc_vis_werror=no]) - CXXFLAGS="$znc_save_CXXFLAGS"]) - AC_MSG_RESULT([$znc_cv_cc_vis_werror]) - dnl Now check whether visibility declarations are supported. - AC_MSG_CHECKING([for simple visibility declarations]) - AC_CACHE_VAL([znc_cv_cc_visibility], [ - znc_save_CXXFLAGS="$CXXFLAGS" - CXXFLAGS="$CXXFLAGS -fvisibility=hidden" - dnl We use the option -Werror and a function dummyfunc, because on some - dnl platforms (Cygwin 1.7) the use of -fvisibility triggers a warning - dnl "visibility attribute not supported in this configuration; ignored" - dnl at the first function definition in every compilation unit, and we - dnl don't want to use the option in this case. - if test $znc_cv_cc_vis_werror = yes; then - CXXFLAGS="$CXXFLAGS -Werror" - fi - AC_COMPILE_IFELSE([AC_LANG_PROGRAM( - [[extern __attribute__((__visibility__("hidden"))) int hiddenvar; - extern __attribute__((__visibility__("default"))) int exportedvar; - extern __attribute__((__visibility__("hidden"))) int hiddenfunc (void); - extern __attribute__((__visibility__("default"))) int exportedfunc (void); - void dummyfunc (void); - void dummyfunc (void) {}]], - [])], - [znc_cv_cc_visibility=yes], - [znc_cv_cc_visibility=no]) - CXXFLAGS="$znc_save_CXXFLAGS"]) - AC_MSG_RESULT([$znc_cv_cc_visibility]) - if test $znc_cv_cc_visibility = yes; then - CFLAG_VISIBILITY="-fvisibility=hidden" - HAVE_VISIBILITY=1 - fi - fi - AC_SUBST([CFLAG_VISIBILITY]) - AC_SUBST([HAVE_VISIBILITY]) - AC_DEFINE_UNQUOTED([HAVE_VISIBILITY], [$HAVE_VISIBILITY], - [Define to 1 or 0, depending whether the compiler supports simple visibility declarations.]) - AC_LANG_POP -]) diff --git a/make-tarball.sh b/make-tarball.sh index 4179febd..6656e470 100755 --- a/make-tarball.sh +++ b/make-tarball.sh @@ -50,15 +50,8 @@ cp -p third_party/Csocket/Csocket.cc third_party/Csocket/Csocket.h $TMPDIR/$ZNCD ) ( cd $TMPDIR/$ZNCDIR - AUTOMAKE_FLAGS="--add-missing --copy" ./autogen.sh - rm -r autom4te.cache/ rm -rf .travis* .appveyor* .ci/ rm make-tarball.sh - # For autoconf - sed -e "s/THIS_IS_NOT_TARBALL//" -i Makefile.in - echo '#include ' > src/version.cpp - echo "const char* ZNC_VERSION_EXTRA = VERSION_EXTRA \"$DESC\";" >> src/version.cpp - # For cmake if [ "x$DESC" != "x" ]; then if [ $NIGHTLY = 1 ]; then echo $DESC > .nightly diff --git a/man/Makefile.in b/man/Makefile.in deleted file mode 100644 index 358ca0f7..00000000 --- a/man/Makefile.in +++ /dev/null @@ -1,44 +0,0 @@ -SHELL := @SHELL@ - -# Support out-of-tree builds -VPATH := @srcdir@ - -prefix := @prefix@ -exec_prefix := @exec_prefix@ -datarootdir := @datarootdir@ -mandir := @mandir@ - -INSTALL := @INSTALL@ -INSTALL_DATA := @INSTALL_DATA@ - -MAN1 := znc.1.gz znc-buildmod.1.gz - -ifneq "$(V)" "" -VERBOSE=1 -endif -ifeq "$(VERBOSE)" "" -Q=@ -E=@echo -else -Q= -E=@\# -endif - -all: $(MAN1) - -%.1.gz: %.1 Makefile - $(E) Packing man page $@... - $(Q)gzip -9 <$< >$@ - -clean: - -rm -f $(MAN1) - -install: $(MAN1) - test -d $(DESTDIR)$(mandir)/man1 || $(INSTALL) -d $(DESTDIR)$(mandir)/man1 - $(INSTALL_DATA) $(MAN1) $(DESTDIR)$(mandir)/man1 - -uninstall: - for file in $(MAN1) ; do \ - rm $(DESTDIR)$(mandir)/man1/$$file || exit 1 ; \ - done - rmdir $(DESTDIR)$(mandir)/man1 diff --git a/modules/Makefile.in b/modules/Makefile.in deleted file mode 100644 index ea0ec029..00000000 --- a/modules/Makefile.in +++ /dev/null @@ -1,146 +0,0 @@ -# -# Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. -# -# Licensed under the Apache License, Version 2.0 (the "License"); -# you may not use this file except in compliance with the License. -# You may obtain a copy of the License at -# -# http://www.apache.org/licenses/LICENSE-2.0 -# -# Unless required by applicable law or agreed to in writing, software -# distributed under the License is distributed on an "AS IS" BASIS, -# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. -# See the License for the specific language governing permissions and -# limitations under the License. -# -all: - -SHELL := @SHELL@ - -# Support out-of-tree builds -srcdir := @srcdir@ -VPATH := @srcdir@ - -prefix := @prefix@ -exec_prefix := @exec_prefix@ -datarootdir := @datarootdir@ -bindir := @bindir@ -datadir := @datadir@ -sysconfdir := @sysconfdir@ -libdir := @libdir@ -sbindir := @sbindir@ -localstatedir := @localstatedir@ -CXX := @CXX@ -# CXXFLAGS are for the main binary, so don't use them here, use MODFLAGS instead -MODFLAGS := -I$(srcdir)/../include -I../include @CPPFLAGS@ @MODFLAGS@ -MODLINK := @MODLINK@ -LDFLAGS := @LDFLAGS@ -ISCYGWIN := @ISCYGWIN@ - -# LIBS are not and should not be used in here. -# The znc binary links already against those. -# ...but not on cygwin! -LIBS := -ifeq "$(ISCYGWIN)" "1" -LIBS += @LIBS@ -endif - -PERL_ON := @PERL@ -PERL := @PERL_BINARY@ -PYTHON_ON:= @PYTHON@ -PY_CFLAGS:= @python_CFLAGS@ -PY_LDFLAGS:=@python_LIBS@ -SWIG := @SWIG@ -MODDIR := @MODDIR@ -DATADIR := @DATADIR@ -LIBZNC := @LIBZNC@ -LIBZNCDIR:= @LIBZNCDIR@ -INSTALL := @INSTALL@ -INSTALL_PROGRAM := @INSTALL_PROGRAM@ -INSTALL_SCRIPT := @INSTALL_SCRIPT@ -INSTALL_DATA := @INSTALL_DATA@ -SED := @SED@ - -TCL_FLAGS:= @TCL_FLAGS@ - -ifneq "$(V)" "" -VERBOSE=1 -endif -ifeq "$(VERBOSE)" "" -Q=@ -E=@echo -C=-s -else -Q= -E=@\# -C= -endif - -ifneq "$(LIBZNC)" "" -LIBS += -L.. -lznc -Wl,-rpath,$(LIBZNCDIR) -endif - -CLEAN := - -FILES := $(notdir $(wildcard $(srcdir)/*.cpp)) - -include $(srcdir)/modperl/Makefile.inc -include $(srcdir)/modpython/Makefile.inc -include $(srcdir)/modtcl/Makefile.inc - -FILES := $(basename $(FILES)) - -ifeq "@NOSSL@" "1" -FILES := $(foreach file, $(FILES), \ - $(if $(shell grep REQUIRESSL $(srcdir)/$(file).cpp), \ - , \ - $(basename $(file)) \ - )) -endif - -ifeq "@CYRUS@" "" -FILES := $(shell echo $(FILES) | sed -e "s:cyrusauth::") -endif -cyrusauthLDFLAGS := -lsasl2 - -TARGETS := $(addsuffix .so, $(sort $(FILES))) - -CLEAN += *.so *.o - -.PHONY: all clean install install_datadir uninstall -.SECONDARY: - -all: $(TARGETS) - -install: all install_datadir - $(INSTALL_PROGRAM) $(TARGETS) $(DESTDIR)$(MODDIR) - -install_datadir: - rm -rf $(DESTDIR)$(DATADIR)/modules - test -d $(DESTDIR)$(MODDIR) || $(INSTALL) -d $(DESTDIR)$(MODDIR) - test -d $(DESTDIR)$(DATADIR)/modules || $(INSTALL) -d $(DESTDIR)$(DATADIR)/modules - rm -rf $(DESTDIR)$(MODDIR)/*.so - cp -R $(srcdir)/data/* $(DESTDIR)$(DATADIR)/modules - find $(DESTDIR)$(DATADIR)/modules -type d -exec chmod 0755 '{}' \; - find $(DESTDIR)$(DATADIR)/modules -type f -exec chmod 0644 '{}' \; - -clean: - rm -rf $(CLEAN) - -%.o: %.cpp Makefile - @mkdir -p .depend - $(E) Building module $(notdir $(basename $@))... - $(Q)$(CXX) $(MODFLAGS) -c -o $@ $< $($(notdir $(basename $@))CXXFLAGS) -MD -MF .depend/$(notdir $@).dep - -%.so: %.o Makefile - $(E) "Linking module" $(notdir $(basename $@))... - $(Q)$(CXX) $(MODFLAGS) $(LDFLAGS) $(MODLINK) -o $@ $< $($(notdir $(basename $@))LDFLAGS) $(LIBS) - -uninstall: - # Yes, we are lazy, just remove everything in there - rm -rf $(DESTDIR)$(MODDIR)/* - rm -rf $(DESTDIR)$(DATADIR)/* - rmdir $(DESTDIR)$(MODDIR) - rmdir $(DESTDIR)$(DATADIR) - --include $(wildcard .depend/*.dep) diff --git a/modules/modperl/Makefile.gen b/modules/modperl/Makefile.gen deleted file mode 100644 index 1250fdda..00000000 --- a/modules/modperl/Makefile.gen +++ /dev/null @@ -1,37 +0,0 @@ -all: - -VPATH := $(srcdir) - -ifneq "$(V)" "" -VERBOSE=1 -endif -ifeq "$(VERBOSE)" "" -Q=@ -E=@echo -C=-s -else -Q= -E=@\# -C= -endif - -.SECONDARY: - -all: modperl/modperl_biglib.cpp modperl/ZNC.pm modperl/perlfunctions.cpp modperl/swigperlrun.h - -modperl/swigperlrun.h: - @mkdir -p modperl - $(Q)$(SWIG) -perl5 -c++ -shadow -external-runtime $@ - -modperl/modperl_biglib.cpp: modperl/modperl.i modperl/module.h modperl/CString.i - $(E) Generating ZNC API for Perl... - @mkdir -p modperl .depend - $(Q)$(SWIG) -perl5 -c++ -shadow -outdir modperl -I$(srcdir) -I$(srcdir)/../include -I../include -I$(srcdir)/modperl/include -MD -MF .depend/modperl.swig.dep -w362,315,401,402 -o $@ $< - -modperl/ZNC.pm: modperl/modperl_biglib.cpp - -modperl/perlfunctions.cpp: modperl/codegen.pl modperl/functions.in - @mkdir -p modperl - $(Q)$(PERL) $^ $@ - --include .depend/modperl.swig.dep diff --git a/modules/modperl/Makefile.inc b/modules/modperl/Makefile.inc deleted file mode 100644 index 2e9d92f6..00000000 --- a/modules/modperl/Makefile.inc +++ /dev/null @@ -1,78 +0,0 @@ -# vim: filetype=make - -ifeq "$(PERL_ON)" "yes" -# We execute this now so that we see the 'beauty' of these flags in make's output -PERL_CXX := $(shell $(PERL) -MExtUtils::Embed -e perl_inc) -PERL_LD := $(shell $(PERL) -MExtUtils::Embed -e ldopts) -# Perl API is ugly, casting string literals to char* and redeclaring functions :( -PERL_CXX += -Wno-write-strings -Wno-redundant-decls -Wno-missing-declarations -PERL_CXX += -Wno-type-limits -Wno-sign-compare -Wno-strict-overflow -Wno-unused-value -# perl 5.20 will fix this warning: https://rt.perl.org/Public/Bug/Display.html?id=120670 -PERL_CXX += -Wno-reserved-user-defined-literal -Wno-literal-suffix -# This is for SWIG -PERL_CXX += -DSWIG_TYPE_TABLE=znc -PERLCEXT_EXT := $(shell $(PERL) -MConfig -e'print $$Config::Config{dlext}') -modperlCXXFLAGS := $(PERL_CXX) -Wno-unused-function -modperlLDFLAGS := $(PERL_LD) -# Find additional headers for out-of-tree build -modperlCXXFLAGS += -I. - -ifeq "$(ISCYGWIN)" "1" -PERLDEPONMOD := modperl.so -else -PERLDEPONMOD := -endif - -PERLHOOK := modperl_install -CLEAN += modperl/ZNC.$(PERLCEXT_EXT) modperl/ZNC.o modperl/gen -ifneq "$(SWIG)" "" -# Only delete these files if we can regenerate them -CLEAN += modperl/ZNC.pm modperl/swigperlrun.h modperl/modperl_biglib.cpp modperl/perlfunctions.cpp -endif - -all: modperl_all - -else -FILES := $(shell echo $(FILES) | sed -e "s/modperl//") -endif - -.PHONY: modperl_install modperl_all - -install: $(PERLHOOK) - -modperl_all: modperl/ZNC.$(PERLCEXT_EXT) modperl/swigperlrun.h modperl/perlfunctions.cpp - -modperl/ZNC.$(PERLCEXT_EXT): modperl/ZNC.o Makefile modperl.so - $(E) Linking ZNC Perl bindings library... - $(Q)$(CXX) $(MODFLAGS) $(LDFLAGS) $(MODLINK) -o $@ $< $(PERL_LD) $(PERLDEPONMOD) $(LIBS) - -modperl/ZNC.o: modperl/modperl_biglib.cpp Makefile - @mkdir -p modperl - @mkdir -p .depend - $(E) Building ZNC Perl bindings library... - $(Q)$(CXX) $(MODFLAGS) -I$(srcdir) -MD -MF .depend/modperl.library.dep $(PERL_CXX) -Wno-unused-variable -Wno-shadow -o $@ $< -c - -ifneq "$(SWIG)" "" -include $(srcdir)/modperl/Makefile.gen -else -modperl/swigperlrun.h modperl/ZNC.pm modperl/perlfunctions.cpp: modperl/modperl_biglib.cpp -modperl/modperl_biglib.cpp: modperl/generated.tar.gz - @mkdir -p modperl - $(E) Unpacking ZNC Perl bindings... - $(Q)tar -xf $^ -C modperl -endif - -modperl.o: modperl/perlfunctions.cpp modperl/swigperlrun.h - -modperl_install: install_datadir modperl_all - for i in $(wildcard $(srcdir)/*.pm); do \ - $(INSTALL_DATA) $$i $(DESTDIR)$(MODDIR); \ - done - mkdir -p $(DESTDIR)$(MODDIR)/modperl - $(INSTALL_PROGRAM) modperl/ZNC.$(PERLCEXT_EXT) $(DESTDIR)$(MODDIR)/modperl - if test -e modperl/ZNC.pm ; then \ - $(INSTALL_DATA) modperl/ZNC.pm $(DESTDIR)$(MODDIR)/modperl || exit 1 ; \ - else \ - $(INSTALL_DATA) $(srcdir)/modperl/ZNC.pm $(DESTDIR)$(MODDIR)/modperl || exit 1 ; \ - fi - $(INSTALL_DATA) $(srcdir)/modperl/startup.pl $(DESTDIR)$(MODDIR)/modperl diff --git a/modules/modpython/Makefile.gen b/modules/modpython/Makefile.gen deleted file mode 100644 index 5c39b6cc..00000000 --- a/modules/modpython/Makefile.gen +++ /dev/null @@ -1,37 +0,0 @@ -all: - -VPATH := $(srcdir) - -ifneq "$(V)" "" -VERBOSE=1 -endif -ifeq "$(VERBOSE)" "" -Q=@ -E=@echo -C=-s -else -Q= -E=@\# -C= -endif - -.SECONDARY: - -all: modpython/modpython_biglib.cpp modpython/znc_core.py modpython/pyfunctions.cpp modpython/swigpyrun.h - -modpython/swigpyrun.h: - @mkdir -p modpython - $(Q)$(SWIG) -python -py3 -c++ -shadow -external-runtime $@ - -modpython/modpython_biglib.cpp: modpython/modpython.i modpython/module.h modpython/cstring.i - $(E) Generating ZNC API for python... - @mkdir -p modpython .depend - $(Q)$(SWIG) -python -py3 -c++ -shadow -outdir modpython -I$(srcdir) -I$(srcdir)/../include -I../include -MD -MF .depend/modpython.swig.dep -w362,315,401 -o $@ $< - -modpython/znc_core.py: modpython/modpython_biglib.cpp - -modpython/pyfunctions.cpp: modpython/codegen.pl modpython/functions.in - @mkdir -p modpython - $(Q)$(PERL) $^ $@ - --include .depend/modpython.swig.dep diff --git a/modules/modpython/Makefile.inc b/modules/modpython/Makefile.inc deleted file mode 100644 index 9ecb622b..00000000 --- a/modules/modpython/Makefile.inc +++ /dev/null @@ -1,88 +0,0 @@ -# vim: filetype=make - -ifeq "$(PYTHON_ON)" "yes" -PYTHONCOMMON := $(PY_CFLAGS) -PYTHONCOMMON += -DSWIG_TYPE_TABLE=znc -# Could someone fix all of these in swig / python, please? -PYTHONCOMMON += -Wno-missing-field-initializers -Wno-unused -Wno-shadow -PYTHONCOMMON += -Wno-missing-declarations -Wno-uninitialized -Wno-switch-enum -PYTHONCOMMON += -Wno-redundant-decls -modpythonCXXFLAGS := $(PYTHONCOMMON) -I. -modpythonLDFLAGS := $(PY_LDFLAGS) - -ifeq "${ISCYGWIN}" "1" -PYCEXT_EXT := dll -PYDEPONMOD := ./modpython.so -else -PYCEXT_EXT := so -PYDEPONMOD := -endif - -PYTHONHOOK := modpython_install -CLEAN += modpython/_znc_core.$(PYCEXT_EXT) -CLEAN += modpython/_znc_core.o modpython/compiler.o -ifneq "$(SWIG)" "" -# Only delete these files if we can regenerate them -CLEAN += modpython/modpython_biglib.cpp modpython/znc_core.py -CLEAN += modpython/swigpyrun.h modpython/pyfunctions.cpp -endif -ifneq "$(srcdir)" "." -# Copied from source for out-of-tree builds -CLEAN += modpython/znc.py -endif - -else -FILES := $(shell echo $(FILES) | sed -e "s/modpython//") -endif - -.PHONY: modpython_install modpython_all - -install: $(PYTHONHOOK) - -ifeq "$(PYTHON_ON)" "yes" -all: modpython_all -endif -modpython_all: modpython/_znc_core.$(PYCEXT_EXT) - -modpython/_znc_core.o: modpython/modpython_biglib.cpp Makefile - @mkdir -p modpython - @mkdir -p .depend - $(E) Building ZNC python bindings library... - $(Q)$(CXX) $(MODFLAGS) -I$(srcdir) -MD -MF .depend/modpython.library.dep $(PYTHONCOMMON) -o $@ $< -c - -modpython/_znc_core.$(PYCEXT_EXT): modpython/_znc_core.o Makefile modpython.so - $(E) Linking ZNC python bindings library... - $(Q)$(CXX) $(MODFLAGS) $(LDFLAGS) $(MODLINK) -o $@ $< $(PY_LDFLAGS) $(PYDEPONMOD) $(LIBS) - -ifneq "$(SWIG)" "" -include $(srcdir)/modpython/Makefile.gen -else -modpython/swigpyrun.h modpython/znc_core.py modpython/pyfunctions.cpp: modpython/modpython_biglib.cpp -modpython/modpython_biglib.cpp: modpython/generated.tar.gz - @mkdir -p modpython - $(E) Unpacking ZNC python bindings... - $(Q)tar -xf $^ -C modpython -endif - -modpython.o: modpython/pyfunctions.cpp modpython/swigpyrun.h - -modpython/compiler.o: modpython/compiler.cpp Makefile - @mkdir -p modpython - @mkdir -p .depend - $(E) Building optimizer for python files... - $(Q)$(CXX) $(PYTHONCOMMON) -o $@ $< -c -MD -MF .depend/modpython.compiler.dep -modpython/compiler: modpython/compiler.o Makefile - $(E) Linking optimizer for python files... - $(Q)$(CXX) -o $@ $< $(PY_LDFLAGS) - -modpython_install: install_datadir modpython_all - -for i in $(srcdir)/*.py; do \ - $(INSTALL_DATA) $$i $(DESTDIR)$(MODDIR); \ - done - mkdir -p $(DESTDIR)$(MODDIR)/modpython - $(INSTALL_PROGRAM) modpython/_znc_core.$(PYCEXT_EXT) $(DESTDIR)$(MODDIR)/modpython - if test -r modpython/znc_core.py;\ - then $(INSTALL_DATA) modpython/znc_core.py $(DESTDIR)$(MODDIR)/modpython;\ - else $(INSTALL_DATA) $(srcdir)/modpython/znc_core.py $(DESTDIR)$(MODDIR)/modpython;\ - fi - $(INSTALL_DATA) $(srcdir)/modpython/znc.py $(DESTDIR)$(MODDIR)/modpython diff --git a/modules/modtcl/Makefile.inc b/modules/modtcl/Makefile.inc deleted file mode 100644 index ad8067b0..00000000 --- a/modules/modtcl/Makefile.inc +++ /dev/null @@ -1,15 +0,0 @@ -ifeq "$(TCL_FLAGS)" "" -FILES := $(shell echo $(FILES) | sed -e "s:modtcl::") -else -TCLHOOK := modtcl_install -endif -modtclCXXFLAGS := $(TCL_FLAGS) -modtclLDFLAGS := $(TCL_FLAGS) - -.PHONY: modtcl_install - -install: $(TCLHOOK) - -modtcl_install: - mkdir -p $(DESTDIR)$(DATADIR)/modtcl/ - $(INSTALL_DATA) $(srcdir)/modtcl/modtcl.tcl $(srcdir)/modtcl/binds.tcl $(DESTDIR)$(DATADIR)/modtcl/ diff --git a/src/znc.cpp b/src/znc.cpp index 9ecc1c50..aa5ce2e4 100644 --- a/src/znc.cpp +++ b/src/znc.cpp @@ -134,15 +134,7 @@ CString CZNC::GetTag(bool bIncludeVersion, bool bHTML) { } CString CZNC::GetCompileOptionsString() { - // Build system doesn't affect ABI - return ZNC_COMPILE_OPTIONS_STRING + CString( - ", build: " -#ifdef BUILD_WITH_CMAKE - "cmake" -#else - "autoconf" -#endif - ); + return ZNC_COMPILE_OPTIONS_STRING; } CString CZNC::GetUptime() const { diff --git a/version.sh b/version.sh deleted file mode 100755 index 339bfe5a..00000000 --- a/version.sh +++ /dev/null @@ -1,59 +0,0 @@ -#!/bin/sh - -# When changing this file, remember also about nightlies (make-tarball.sh) - -# Get the path to the source directory -GIT_DIR=`dirname $0` - -# Our argument should be the path to git -GIT="$1" -if [ "x$GIT" = "x" ] -then - EXTRA="" -else - GIT_HERE="${GIT}" - GIT="${GIT} --git-dir=${GIT_DIR}/.git" - - # Figure out the information we need - LATEST_TAG=`${GIT} describe --abbrev=0 HEAD` - COMMITS_SINCE=`${GIT} log --pretty=oneline ${LATEST_TAG}..HEAD | wc -l` - # Explicitly make it a number: on openbsd wc -l returns " 42" instead of "42" - let COMMITS_SINCE=COMMITS_SINCE - SHORT_ID=`${GIT} rev-parse --short HEAD` - - if [ "x$COMMITS_SINCE" = "x0" ] - then - if [ "x$LATEST_TAG" = "x" ] - then - if [ "x$SHORT_ID" = "x" ] - then - EXTRA="" - else - EXTRA="-git-${SHORT_ID}" - fi - else - # If this commit is tagged, don't print anything - # (the assumption here is: this is a release) - EXTRA="" - fi - else - EXTRA="-git-${COMMITS_SINCE}-${SHORT_ID}" - fi - - if [ 1 = `cd ${GIT_DIR}; ${GIT_HERE} status --ignore-submodules=dirty --porcelain -- third_party/Csocket | wc -l` ] - then - # Makefile redirects all errors from this script into /dev/null, but this messages actually needs to be shown - # So put it to 3, and then Makefile redirects 3 to stderr - echo "Warning: Csocket submodule looks outdated. Run: git submodule update --init --recursive" 1>&3 - EXTRA="${EXTRA}-frankenznc" - fi -fi - -# Generate output file, if any -if [ "x$WRITE_OUTPUT" = "xyes" ] -then - echo '#include ' > src/version.cpp - echo "const char* ZNC_VERSION_EXTRA = VERSION_EXTRA \"$EXTRA\";" >> src/version.cpp -fi - -echo "$EXTRA" diff --git a/znc-buildmod.in b/znc-buildmod.in deleted file mode 100755 index f2a14fbc..00000000 --- a/znc-buildmod.in +++ /dev/null @@ -1,68 +0,0 @@ -#!/bin/sh - -ERROR="[ !! ]" -WARNING="[ ** ]" -OK="[ ok ]" - -# Check if we got everything we need - -check_binary() -{ - which $1 > /dev/null 2>&1 - if test $? = 1 ; then - echo "${ERROR} Could not find $1. $2" - exit 1 - fi -} - -if test "x$CXX" = "x" ; then - CXX="@CXX@" -fi -if test "x$CXX" = "x" ; then - CXX=g++ -fi - -check_binary ${CXX} "What happened to your compiler?" - -if test -z "$1"; then - echo "${WARNING} USAGE: $0 [file.cpp ... ]" - exit 1 -fi - -CXXFLAGS="@CPPFLAGS@ @MODFLAGS@ -I@prefix@/include $CXXFLAGS" -LIBS="@LIBS@ $LIBS" -MODLINK="@MODLINK@ $MODLINK" -VERSION="@PACKAGE_VERSION@" - -# Ugly cygwin stuff :( -if test -n "@LIBZNC@"; then - prefix="@prefix@" - exec_prefix="@exec_prefix@" - LDFLAGS="-L@libdir@ $LDFLAGS" - LIBS="-lznc $LIBS" -fi - -while test -n "$1" -do - FILE=$1 - shift - - MOD="${FILE%.cpp}" - MOD="${MOD%.cc}" - MOD="${MOD##*/}" - - if test ! -f "${FILE}"; then - echo "${ERROR} Building \"${MOD}\" for ZNC $VERSION... File not found" - exit 1 - else - printf "Building \"${MOD}.so\" for ZNC $VERSION... " - if ${CXX} ${CXXFLAGS} ${INCLUDES} ${LDFLAGS} ${MODLINK} -o "${MOD}.so" "${FILE}" ${LIBS} ; then - echo "${OK}" - else - echo "${ERROR} Error while building \"${MOD}.so\"" - exit 1 - fi - fi -done - -exit 0 diff --git a/znc-uninstalled.pc.in b/znc-uninstalled.pc.in deleted file mode 100644 index 1f2df6e8..00000000 --- a/znc-uninstalled.pc.in +++ /dev/null @@ -1,26 +0,0 @@ -# You can access these with e.g. pkg-config --variable=moddir znc -prefix=@prefix@ -exec_prefix=@exec_prefix@ -datarootdir=@datarootdir@ -bindir=@bindir@ -libdir=@libdir@ -datadir=@datadir@ -includedir=@includedir@ - -cxx=@CXX@ -CPPFLAGS=@CPPFLAGS@ -MODFLAGS=@MODFLAGS@ -version=@PACKAGE_VERSION@ -moddir=@MODDIR@ -moddatadir=@DATADIR@ -modlink=@MODLINK@ - -# This and the following two lines should be the only differences to znc.pc.in -srcdir=@abs_srcdir@ -INC_PATH=-I${srcdir}/ - -Name: ZNC -Description: An advanced IRC proxy -Version: ${version} -URL: https://znc.in -Cflags: ${CPPFLAGS} ${MODFLAGS} ${INC_PATH} diff --git a/znc.pc.in b/znc.pc.in deleted file mode 100644 index 508d0151..00000000 --- a/znc.pc.in +++ /dev/null @@ -1,24 +0,0 @@ -# You can access these with e.g. pkg-config --variable=moddir znc -prefix=@prefix@ -exec_prefix=@exec_prefix@ -datarootdir=@datarootdir@ -bindir=@bindir@ -libdir=@libdir@ -datadir=@datadir@ -includedir=@includedir@ - -cxx=@CXX@ -CPPFLAGS=@CPPFLAGS@ -MODFLAGS=@MODFLAGS@ -version=@PACKAGE_VERSION@ -moddir=@MODDIR@ -moddatadir=@DATADIR@ -modlink=@MODLINK@ - -INC_PATH=-I${includedir}/znc - -Name: ZNC -Description: An advanced IRC proxy -Version: ${version} -URL: https://znc.in -Cflags: ${CPPFLAGS} ${MODFLAGS} ${INC_PATH} From 6e7b98e9880670f45f11ce8870505d7ee2286701 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Sun, 3 May 2020 08:58:46 +0100 Subject: [PATCH 383/798] docker: update alpine to 3.11 --- Dockerfile | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/Dockerfile b/Dockerfile index 57902582..1f896b41 100644 --- a/Dockerfile +++ b/Dockerfile @@ -1,4 +1,4 @@ -FROM alpine:3.10 +FROM alpine:3.11 ARG VERSION_EXTRA="" From ab43f31e6cc47b89aed24794ac251f7a2ff90968 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Mon, 4 May 2020 00:27:26 +0000 Subject: [PATCH 384/798] Update translations from Crowdin for bg_BG de_DE es_ES fr_FR id_ID it_IT nl_NL pt_BR ru_RU --- modules/po/admindebug.de_DE.po | 6 +++--- modules/po/adminlog.de_DE.po | 6 +++--- modules/po/alias.de_DE.po | 6 +++--- modules/po/autoattach.de_DE.po | 6 +++--- modules/po/autocycle.de_DE.po | 6 +++--- modules/po/autoop.de_DE.po | 6 +++--- modules/po/autoreply.de_DE.po | 6 +++--- modules/po/autovoice.de_DE.po | 6 +++--- modules/po/awaystore.de_DE.po | 6 +++--- modules/po/block_motd.de_DE.po | 6 +++--- modules/po/blockuser.de_DE.po | 6 +++--- modules/po/bouncedcc.de_DE.po | 6 +++--- modules/po/buffextras.de_DE.po | 6 +++--- modules/po/cert.de_DE.po | 6 +++--- modules/po/certauth.de_DE.po | 6 +++--- modules/po/chansaver.de_DE.po | 6 +++--- modules/po/clearbufferonmsg.de_DE.po | 6 +++--- modules/po/clientnotify.de_DE.po | 6 +++--- modules/po/controlpanel.de_DE.po | 6 +++--- modules/po/crypt.de_DE.po | 6 +++--- modules/po/ctcpflood.de_DE.po | 6 +++--- modules/po/cyrusauth.de_DE.po | 6 +++--- modules/po/dcc.de_DE.po | 6 +++--- modules/po/disconkick.de_DE.po | 6 +++--- modules/po/fail2ban.de_DE.po | 6 +++--- modules/po/flooddetach.de_DE.po | 6 +++--- modules/po/identfile.de_DE.po | 6 +++--- modules/po/imapauth.de_DE.po | 6 +++--- modules/po/keepnick.de_DE.po | 6 +++--- modules/po/kickrejoin.de_DE.po | 6 +++--- modules/po/lastseen.de_DE.po | 6 +++--- modules/po/listsockets.de_DE.po | 6 +++--- modules/po/log.de_DE.po | 6 +++--- modules/po/missingmotd.de_DE.po | 6 +++--- modules/po/modperl.de_DE.po | 6 +++--- modules/po/modpython.de_DE.po | 6 +++--- modules/po/modules_online.de_DE.po | 6 +++--- modules/po/nickserv.de_DE.po | 6 +++--- modules/po/notes.de_DE.po | 6 +++--- modules/po/notify_connect.de_DE.po | 6 +++--- modules/po/perform.de_DE.po | 6 +++--- modules/po/perleval.de_DE.po | 6 +++--- modules/po/pyeval.de_DE.po | 6 +++--- modules/po/raw.de_DE.po | 6 +++--- modules/po/route_replies.de_DE.po | 6 +++--- modules/po/sample.de_DE.po | 6 +++--- modules/po/samplewebapi.de_DE.po | 6 +++--- modules/po/sasl.de_DE.po | 6 +++--- modules/po/savebuff.de_DE.po | 6 +++--- modules/po/send_raw.de_DE.po | 6 +++--- modules/po/shell.de_DE.po | 6 +++--- modules/po/simple_away.de_DE.po | 6 +++--- modules/po/stickychan.de_DE.po | 6 +++--- modules/po/stripcontrols.de_DE.po | 6 +++--- modules/po/watch.de_DE.po | 6 +++--- modules/po/webadmin.de_DE.po | 6 +++--- src/po/znc.bg_BG.po | 12 ++++++------ src/po/znc.de_DE.po | 18 +++++++++--------- src/po/znc.es_ES.po | 12 ++++++------ src/po/znc.fr_FR.po | 12 ++++++------ src/po/znc.id_ID.po | 12 ++++++------ src/po/znc.it_IT.po | 12 ++++++------ src/po/znc.nl_NL.po | 12 ++++++------ src/po/znc.pot | 12 ++++++------ src/po/znc.pt_BR.po | 12 ++++++------ src/po/znc.ru_RU.po | 12 ++++++------ 66 files changed, 231 insertions(+), 231 deletions(-) diff --git a/modules/po/admindebug.de_DE.po b/modules/po/admindebug.de_DE.po index cfeab62b..75005689 100644 --- a/modules/po/admindebug.de_DE.po +++ b/modules/po/admindebug.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/admindebug.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: admindebug.cpp:30 msgid "Enable Debug Mode" diff --git a/modules/po/adminlog.de_DE.po b/modules/po/adminlog.de_DE.po index 56e0bb1d..904440da 100644 --- a/modules/po/adminlog.de_DE.po +++ b/modules/po/adminlog.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/adminlog.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: adminlog.cpp:29 msgid "Show the logging target" diff --git a/modules/po/alias.de_DE.po b/modules/po/alias.de_DE.po index 9d0b59d4..5386b71b 100644 --- a/modules/po/alias.de_DE.po +++ b/modules/po/alias.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/alias.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: alias.cpp:141 msgid "missing required parameter: {1}" diff --git a/modules/po/autoattach.de_DE.po b/modules/po/autoattach.de_DE.po index 90849a82..29b83258 100644 --- a/modules/po/autoattach.de_DE.po +++ b/modules/po/autoattach.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/autoattach.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: autoattach.cpp:94 msgid "Added to list" diff --git a/modules/po/autocycle.de_DE.po b/modules/po/autocycle.de_DE.po index 3f60a7c5..77f76175 100644 --- a/modules/po/autocycle.de_DE.po +++ b/modules/po/autocycle.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/autocycle.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: autocycle.cpp:27 autocycle.cpp:30 msgid "[!]<#chan>" diff --git a/modules/po/autoop.de_DE.po b/modules/po/autoop.de_DE.po index fa3d9b4a..c5c0b831 100644 --- a/modules/po/autoop.de_DE.po +++ b/modules/po/autoop.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/autoop.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: autoop.cpp:154 msgid "List all users" diff --git a/modules/po/autoreply.de_DE.po b/modules/po/autoreply.de_DE.po index 7f18507f..e300dab8 100644 --- a/modules/po/autoreply.de_DE.po +++ b/modules/po/autoreply.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/autoreply.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: autoreply.cpp:25 msgid "" diff --git a/modules/po/autovoice.de_DE.po b/modules/po/autovoice.de_DE.po index 2e51d5d3..dd48deaf 100644 --- a/modules/po/autovoice.de_DE.po +++ b/modules/po/autovoice.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/autovoice.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: autovoice.cpp:120 msgid "List all users" diff --git a/modules/po/awaystore.de_DE.po b/modules/po/awaystore.de_DE.po index c1f192fb..687737e7 100644 --- a/modules/po/awaystore.de_DE.po +++ b/modules/po/awaystore.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/awaystore.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: awaystore.cpp:67 msgid "You have been marked as away" diff --git a/modules/po/block_motd.de_DE.po b/modules/po/block_motd.de_DE.po index e2e6928c..ced8bae9 100644 --- a/modules/po/block_motd.de_DE.po +++ b/modules/po/block_motd.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/block_motd.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: block_motd.cpp:26 msgid "[]" diff --git a/modules/po/blockuser.de_DE.po b/modules/po/blockuser.de_DE.po index e12d0797..d47cb4cf 100644 --- a/modules/po/blockuser.de_DE.po +++ b/modules/po/blockuser.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/blockuser.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: modules/po/../data/blockuser/tmpl/blockuser_WebadminUser.tmpl:9 msgid "Account is blocked" diff --git a/modules/po/bouncedcc.de_DE.po b/modules/po/bouncedcc.de_DE.po index d7aed1d8..e8830d8a 100644 --- a/modules/po/bouncedcc.de_DE.po +++ b/modules/po/bouncedcc.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/bouncedcc.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: bouncedcc.cpp:101 bouncedcc.cpp:119 bouncedcc.cpp:121 msgctxt "list" diff --git a/modules/po/buffextras.de_DE.po b/modules/po/buffextras.de_DE.po index 5ca39879..5e96573e 100644 --- a/modules/po/buffextras.de_DE.po +++ b/modules/po/buffextras.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/buffextras.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: buffextras.cpp:45 msgid "Server" diff --git a/modules/po/cert.de_DE.po b/modules/po/cert.de_DE.po index 5062ad1f..638d1e91 100644 --- a/modules/po/cert.de_DE.po +++ b/modules/po/cert.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/cert.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" # this text is inserted into `click here` in the other string #: modules/po/../data/cert/tmpl/index.tmpl:5 diff --git a/modules/po/certauth.de_DE.po b/modules/po/certauth.de_DE.po index 26348b98..080e258e 100644 --- a/modules/po/certauth.de_DE.po +++ b/modules/po/certauth.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/certauth.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: modules/po/../data/certauth/tmpl/index.tmpl:7 msgid "Add a key" diff --git a/modules/po/chansaver.de_DE.po b/modules/po/chansaver.de_DE.po index 5dee37de..63e63bab 100644 --- a/modules/po/chansaver.de_DE.po +++ b/modules/po/chansaver.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/chansaver.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: chansaver.cpp:91 msgid "Keeps config up-to-date when user joins/parts." diff --git a/modules/po/clearbufferonmsg.de_DE.po b/modules/po/clearbufferonmsg.de_DE.po index 20fce3b2..6556574d 100644 --- a/modules/po/clearbufferonmsg.de_DE.po +++ b/modules/po/clearbufferonmsg.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/clearbufferonmsg.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: clearbufferonmsg.cpp:160 msgid "Clears all channel and query buffers whenever the user does something" diff --git a/modules/po/clientnotify.de_DE.po b/modules/po/clientnotify.de_DE.po index d02dc204..0edb0712 100644 --- a/modules/po/clientnotify.de_DE.po +++ b/modules/po/clientnotify.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/clientnotify.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: clientnotify.cpp:47 msgid "" diff --git a/modules/po/controlpanel.de_DE.po b/modules/po/controlpanel.de_DE.po index 5967ce99..14ec75a0 100644 --- a/modules/po/controlpanel.de_DE.po +++ b/modules/po/controlpanel.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/controlpanel.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: controlpanel.cpp:51 controlpanel.cpp:64 msgctxt "helptable" diff --git a/modules/po/crypt.de_DE.po b/modules/po/crypt.de_DE.po index d9dbd2b0..265fc88b 100644 --- a/modules/po/crypt.de_DE.po +++ b/modules/po/crypt.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/crypt.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: crypt.cpp:198 msgid "<#chan|Nick>" diff --git a/modules/po/ctcpflood.de_DE.po b/modules/po/ctcpflood.de_DE.po index 2bbcc5d7..260d6e17 100644 --- a/modules/po/ctcpflood.de_DE.po +++ b/modules/po/ctcpflood.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/ctcpflood.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: ctcpflood.cpp:25 ctcpflood.cpp:27 msgid "" diff --git a/modules/po/cyrusauth.de_DE.po b/modules/po/cyrusauth.de_DE.po index cce79204..f0419bcf 100644 --- a/modules/po/cyrusauth.de_DE.po +++ b/modules/po/cyrusauth.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/cyrusauth.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: cyrusauth.cpp:42 msgid "Shows current settings" diff --git a/modules/po/dcc.de_DE.po b/modules/po/dcc.de_DE.po index 39f53c07..d9b9a72e 100644 --- a/modules/po/dcc.de_DE.po +++ b/modules/po/dcc.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/dcc.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: dcc.cpp:88 msgid " " diff --git a/modules/po/disconkick.de_DE.po b/modules/po/disconkick.de_DE.po index f66f1ab4..84fdf0f3 100644 --- a/modules/po/disconkick.de_DE.po +++ b/modules/po/disconkick.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/disconkick.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: disconkick.cpp:32 msgid "You have been disconnected from the IRC server" diff --git a/modules/po/fail2ban.de_DE.po b/modules/po/fail2ban.de_DE.po index 9aa1dba5..bfc6b9a0 100644 --- a/modules/po/fail2ban.de_DE.po +++ b/modules/po/fail2ban.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/fail2ban.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: fail2ban.cpp:25 msgid "[minutes]" diff --git a/modules/po/flooddetach.de_DE.po b/modules/po/flooddetach.de_DE.po index a2923fe2..398b15ff 100644 --- a/modules/po/flooddetach.de_DE.po +++ b/modules/po/flooddetach.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/flooddetach.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: flooddetach.cpp:30 msgid "Show current limits" diff --git a/modules/po/identfile.de_DE.po b/modules/po/identfile.de_DE.po index a98b3f3a..0992f5e2 100644 --- a/modules/po/identfile.de_DE.po +++ b/modules/po/identfile.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/identfile.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: identfile.cpp:30 msgid "Show file name" diff --git a/modules/po/imapauth.de_DE.po b/modules/po/imapauth.de_DE.po index b99b5015..5e90346f 100644 --- a/modules/po/imapauth.de_DE.po +++ b/modules/po/imapauth.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/imapauth.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: imapauth.cpp:168 msgid "[ server [+]port [ UserFormatString ] ]" diff --git a/modules/po/keepnick.de_DE.po b/modules/po/keepnick.de_DE.po index cef55b94..0bb16d90 100644 --- a/modules/po/keepnick.de_DE.po +++ b/modules/po/keepnick.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/keepnick.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: keepnick.cpp:39 msgid "Try to get your primary nick" diff --git a/modules/po/kickrejoin.de_DE.po b/modules/po/kickrejoin.de_DE.po index a335d7c5..f78737d8 100644 --- a/modules/po/kickrejoin.de_DE.po +++ b/modules/po/kickrejoin.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/kickrejoin.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: kickrejoin.cpp:56 msgid "" diff --git a/modules/po/lastseen.de_DE.po b/modules/po/lastseen.de_DE.po index a4c117d0..1fec2583 100644 --- a/modules/po/lastseen.de_DE.po +++ b/modules/po/lastseen.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/lastseen.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: modules/po/../data/lastseen/tmpl/index.tmpl:8 msgid "User" diff --git a/modules/po/listsockets.de_DE.po b/modules/po/listsockets.de_DE.po index 865499ba..9ac3913b 100644 --- a/modules/po/listsockets.de_DE.po +++ b/modules/po/listsockets.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/listsockets.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: modules/po/../data/listsockets/tmpl/index.tmpl:7 listsockets.cpp:213 #: listsockets.cpp:229 diff --git a/modules/po/log.de_DE.po b/modules/po/log.de_DE.po index ea54f91b..5bad9b8a 100644 --- a/modules/po/log.de_DE.po +++ b/modules/po/log.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/log.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: log.cpp:59 msgid "" diff --git a/modules/po/missingmotd.de_DE.po b/modules/po/missingmotd.de_DE.po index 64c410e7..18eef6dc 100644 --- a/modules/po/missingmotd.de_DE.po +++ b/modules/po/missingmotd.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/missingmotd.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: missingmotd.cpp:36 msgid "Sends 422 to clients when they login" diff --git a/modules/po/modperl.de_DE.po b/modules/po/modperl.de_DE.po index 627e5b14..9eebf3ac 100644 --- a/modules/po/modperl.de_DE.po +++ b/modules/po/modperl.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/modperl.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: modperl.cpp:382 msgid "Loads perl scripts as ZNC modules" diff --git a/modules/po/modpython.de_DE.po b/modules/po/modpython.de_DE.po index faf22341..7887bcf0 100644 --- a/modules/po/modpython.de_DE.po +++ b/modules/po/modpython.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/modpython.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: modpython.cpp:512 msgid "Loads python scripts as ZNC modules" diff --git a/modules/po/modules_online.de_DE.po b/modules/po/modules_online.de_DE.po index 61a988bb..66cdf610 100644 --- a/modules/po/modules_online.de_DE.po +++ b/modules/po/modules_online.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/modules_online.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: modules_online.cpp:117 msgid "Makes ZNC's *modules to be \"online\"." diff --git a/modules/po/nickserv.de_DE.po b/modules/po/nickserv.de_DE.po index b0c1f1d8..db1a2ebc 100644 --- a/modules/po/nickserv.de_DE.po +++ b/modules/po/nickserv.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/nickserv.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: nickserv.cpp:31 msgid "Password set" diff --git a/modules/po/notes.de_DE.po b/modules/po/notes.de_DE.po index f3677de5..a27158ca 100644 --- a/modules/po/notes.de_DE.po +++ b/modules/po/notes.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/notes.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: modules/po/../data/notes/tmpl/index.tmpl:7 msgid "Add A Note" diff --git a/modules/po/notify_connect.de_DE.po b/modules/po/notify_connect.de_DE.po index cc2540dc..ec21f46d 100644 --- a/modules/po/notify_connect.de_DE.po +++ b/modules/po/notify_connect.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/notify_connect.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: notify_connect.cpp:24 msgid "attached" diff --git a/modules/po/perform.de_DE.po b/modules/po/perform.de_DE.po index c99da3b9..99141deb 100644 --- a/modules/po/perform.de_DE.po +++ b/modules/po/perform.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/perform.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: modules/po/../data/perform/tmpl/index.tmpl:7 perform.cpp:143 msgid "Perform" diff --git a/modules/po/perleval.de_DE.po b/modules/po/perleval.de_DE.po index 74018aa8..a41da5dd 100644 --- a/modules/po/perleval.de_DE.po +++ b/modules/po/perleval.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/perleval.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: perleval.pm:23 msgid "Evaluates perl code" diff --git a/modules/po/pyeval.de_DE.po b/modules/po/pyeval.de_DE.po index 129d2b0e..29d8bea3 100644 --- a/modules/po/pyeval.de_DE.po +++ b/modules/po/pyeval.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/pyeval.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: pyeval.py:49 msgid "You must have admin privileges to load this module." diff --git a/modules/po/raw.de_DE.po b/modules/po/raw.de_DE.po index 305f5a52..5f60c607 100644 --- a/modules/po/raw.de_DE.po +++ b/modules/po/raw.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/raw.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: raw.cpp:43 msgid "View all of the raw traffic" diff --git a/modules/po/route_replies.de_DE.po b/modules/po/route_replies.de_DE.po index 63657f81..4164b3c1 100644 --- a/modules/po/route_replies.de_DE.po +++ b/modules/po/route_replies.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/route_replies.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: route_replies.cpp:215 msgid "[yes|no]" diff --git a/modules/po/sample.de_DE.po b/modules/po/sample.de_DE.po index b2bc692f..caeb5901 100644 --- a/modules/po/sample.de_DE.po +++ b/modules/po/sample.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/sample.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: sample.cpp:31 msgid "Sample job cancelled" diff --git a/modules/po/samplewebapi.de_DE.po b/modules/po/samplewebapi.de_DE.po index 4a2d9449..bb73409b 100644 --- a/modules/po/samplewebapi.de_DE.po +++ b/modules/po/samplewebapi.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/samplewebapi.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: samplewebapi.cpp:59 msgid "Sample Web API module." diff --git a/modules/po/sasl.de_DE.po b/modules/po/sasl.de_DE.po index 651846c6..ef7f71cd 100644 --- a/modules/po/sasl.de_DE.po +++ b/modules/po/sasl.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/sasl.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:301 msgid "SASL" diff --git a/modules/po/savebuff.de_DE.po b/modules/po/savebuff.de_DE.po index 7573e115..6c62713a 100644 --- a/modules/po/savebuff.de_DE.po +++ b/modules/po/savebuff.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/savebuff.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: savebuff.cpp:65 msgid "" diff --git a/modules/po/send_raw.de_DE.po b/modules/po/send_raw.de_DE.po index af215c7c..a7f9e258 100644 --- a/modules/po/send_raw.de_DE.po +++ b/modules/po/send_raw.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/send_raw.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: modules/po/../data/send_raw/tmpl/index.tmpl:9 msgid "Send a raw IRC line" diff --git a/modules/po/shell.de_DE.po b/modules/po/shell.de_DE.po index 5ab861c2..d01a0b07 100644 --- a/modules/po/shell.de_DE.po +++ b/modules/po/shell.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/shell.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: shell.cpp:37 msgid "Failed to execute: {1}" diff --git a/modules/po/simple_away.de_DE.po b/modules/po/simple_away.de_DE.po index 73f67b29..c435d26b 100644 --- a/modules/po/simple_away.de_DE.po +++ b/modules/po/simple_away.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/simple_away.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: simple_away.cpp:56 msgid "[]" diff --git a/modules/po/stickychan.de_DE.po b/modules/po/stickychan.de_DE.po index abb16677..a2cb8b95 100644 --- a/modules/po/stickychan.de_DE.po +++ b/modules/po/stickychan.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/stickychan.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: modules/po/../data/stickychan/tmpl/index.tmpl:9 msgid "Name" diff --git a/modules/po/stripcontrols.de_DE.po b/modules/po/stripcontrols.de_DE.po index 1276ae84..bebe2d40 100644 --- a/modules/po/stripcontrols.de_DE.po +++ b/modules/po/stripcontrols.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/stripcontrols.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: stripcontrols.cpp:63 msgid "" diff --git a/modules/po/watch.de_DE.po b/modules/po/watch.de_DE.po index 7dc742c2..1100ecb0 100644 --- a/modules/po/watch.de_DE.po +++ b/modules/po/watch.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/watch.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: watch.cpp:178 msgid " [Target] [Pattern]" diff --git a/modules/po/webadmin.de_DE.po b/modules/po/webadmin.de_DE.po index c533f79d..972fc40d 100644 --- a/modules/po/webadmin.de_DE.po +++ b/modules/po/webadmin.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/webadmin.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:12 msgid "Channel Info" diff --git a/src/po/znc.bg_BG.po b/src/po/znc.bg_BG.po index 9287862a..60c0d282 100644 --- a/src/po/znc.bg_BG.po +++ b/src/po/znc.bg_BG.po @@ -49,27 +49,27 @@ msgid "" "code>”). Once you have loaded some Web-enabled modules, the menu will expand." msgstr "" -#: znc.cpp:1562 +#: znc.cpp:1554 msgid "User already exists" msgstr "" -#: znc.cpp:1670 +#: znc.cpp:1662 msgid "IPv6 is not enabled" msgstr "" -#: znc.cpp:1678 +#: znc.cpp:1670 msgid "SSL is not enabled" msgstr "" -#: znc.cpp:1686 +#: znc.cpp:1678 msgid "Unable to locate pem file: {1}" msgstr "" -#: znc.cpp:1705 +#: znc.cpp:1697 msgid "Invalid port" msgstr "" -#: znc.cpp:1821 ClientCommand.cpp:1637 +#: znc.cpp:1813 ClientCommand.cpp:1637 msgid "Unable to bind: {1}" msgstr "" diff --git a/src/po/znc.de_DE.po b/src/po/znc.de_DE.po index 387716ad..0290a95a 100644 --- a/src/po/znc.de_DE.po +++ b/src/po/znc.de_DE.po @@ -1,14 +1,14 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/src/po/znc.pot\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: webskins/_default_/tmpl/InfoBar.tmpl:6 msgid "Logged in as: {1}" @@ -53,27 +53,27 @@ msgstr "" "code>\"). Sobald einige Web-fähige Module geladen wurden, wird das Menü " "größer." -#: znc.cpp:1562 +#: znc.cpp:1554 msgid "User already exists" msgstr "Benutzer existiert bereits" -#: znc.cpp:1670 +#: znc.cpp:1662 msgid "IPv6 is not enabled" msgstr "IPv6 ist nicht aktiviert" -#: znc.cpp:1678 +#: znc.cpp:1670 msgid "SSL is not enabled" msgstr "SSL ist nicht aktiviert" -#: znc.cpp:1686 +#: znc.cpp:1678 msgid "Unable to locate pem file: {1}" msgstr "Kann PEM-Datei nicht finden: {1}" -#: znc.cpp:1705 +#: znc.cpp:1697 msgid "Invalid port" msgstr "Ungültiger Port" -#: znc.cpp:1821 ClientCommand.cpp:1637 +#: znc.cpp:1813 ClientCommand.cpp:1637 msgid "Unable to bind: {1}" msgstr "Kann nicht horchen: {1}" diff --git a/src/po/znc.es_ES.po b/src/po/znc.es_ES.po index 45a6ab33..f5ff4208 100644 --- a/src/po/znc.es_ES.po +++ b/src/po/znc.es_ES.po @@ -52,27 +52,27 @@ msgstr "" "*status help\" y \"/msg *status loadmod <módulo>" "\"). Una vez lo hayas hecho, el menú se expandirá." -#: znc.cpp:1562 +#: znc.cpp:1554 msgid "User already exists" msgstr "El usuario ya existe" -#: znc.cpp:1670 +#: znc.cpp:1662 msgid "IPv6 is not enabled" msgstr "IPv6 no está disponible" -#: znc.cpp:1678 +#: znc.cpp:1670 msgid "SSL is not enabled" msgstr "SSL no está habilitado" -#: znc.cpp:1686 +#: znc.cpp:1678 msgid "Unable to locate pem file: {1}" msgstr "No se ha localizado el fichero pem: {1}" -#: znc.cpp:1705 +#: znc.cpp:1697 msgid "Invalid port" msgstr "Puerto no válido" -#: znc.cpp:1821 ClientCommand.cpp:1637 +#: znc.cpp:1813 ClientCommand.cpp:1637 msgid "Unable to bind: {1}" msgstr "Imposible enlazar: {1}" diff --git a/src/po/znc.fr_FR.po b/src/po/znc.fr_FR.po index e4cfcde8..6caf9533 100644 --- a/src/po/znc.fr_FR.po +++ b/src/po/znc.fr_FR.po @@ -53,27 +53,27 @@ msgstr "" "loadmod <module>
”). Les modules avec des capacités web " "apparaîtront ci-dessous." -#: znc.cpp:1562 +#: znc.cpp:1554 msgid "User already exists" msgstr "Cet utilisateur existe déjà" -#: znc.cpp:1670 +#: znc.cpp:1662 msgid "IPv6 is not enabled" msgstr "IPv6 n'est pas activé" -#: znc.cpp:1678 +#: znc.cpp:1670 msgid "SSL is not enabled" msgstr "SSL n'est pas activé" -#: znc.cpp:1686 +#: znc.cpp:1678 msgid "Unable to locate pem file: {1}" msgstr "Impossible de trouver le fichier pem : {1}" -#: znc.cpp:1705 +#: znc.cpp:1697 msgid "Invalid port" msgstr "Port invalide" -#: znc.cpp:1821 ClientCommand.cpp:1637 +#: znc.cpp:1813 ClientCommand.cpp:1637 msgid "Unable to bind: {1}" msgstr "Impossible d'utiliser le port : {1}" diff --git a/src/po/znc.id_ID.po b/src/po/znc.id_ID.po index 357de1bc..bf323863 100644 --- a/src/po/znc.id_ID.po +++ b/src/po/znc.id_ID.po @@ -52,27 +52,27 @@ msgstr "" "status help \" dan \"/msg * status loadmod <module>" "\"). Setelah anda memuat beberapa modul Web-enabled, menu ini akan diperluas." -#: znc.cpp:1562 +#: znc.cpp:1554 msgid "User already exists" msgstr "Pengguna sudah ada" -#: znc.cpp:1670 +#: znc.cpp:1662 msgid "IPv6 is not enabled" msgstr "IPv6 tidak diaktifkan" -#: znc.cpp:1678 +#: znc.cpp:1670 msgid "SSL is not enabled" msgstr "SSL tidak diaktifkan" -#: znc.cpp:1686 +#: znc.cpp:1678 msgid "Unable to locate pem file: {1}" msgstr "Tidak dapat menemukan berkas pem: {1}" -#: znc.cpp:1705 +#: znc.cpp:1697 msgid "Invalid port" msgstr "Port tidak valid" -#: znc.cpp:1821 ClientCommand.cpp:1637 +#: znc.cpp:1813 ClientCommand.cpp:1637 msgid "Unable to bind: {1}" msgstr "Tidak dapat mengikat: {1}" diff --git a/src/po/znc.it_IT.po b/src/po/znc.it_IT.po index b31b5114..8d20fa11 100644 --- a/src/po/znc.it_IT.po +++ b/src/po/znc.it_IT.po @@ -53,27 +53,27 @@ msgstr "" "del modulo>”). Dopo aver caricato alcuni moduli abilitati per al " "Web, il menù si espanderà." -#: znc.cpp:1562 +#: znc.cpp:1554 msgid "User already exists" msgstr "Utente già esistente" -#: znc.cpp:1670 +#: znc.cpp:1662 msgid "IPv6 is not enabled" msgstr "IPv6 non è abilitato" -#: znc.cpp:1678 +#: znc.cpp:1670 msgid "SSL is not enabled" msgstr "SSL non è abilitata" -#: znc.cpp:1686 +#: znc.cpp:1678 msgid "Unable to locate pem file: {1}" msgstr "Impossibile localizzare il file pem: {1}" -#: znc.cpp:1705 +#: znc.cpp:1697 msgid "Invalid port" msgstr "Porta non valida" -#: znc.cpp:1821 ClientCommand.cpp:1637 +#: znc.cpp:1813 ClientCommand.cpp:1637 msgid "Unable to bind: {1}" msgstr "Impossibile associare: {1}" diff --git a/src/po/znc.nl_NL.po b/src/po/znc.nl_NL.po index b3a878a8..541a40de 100644 --- a/src/po/znc.nl_NL.po +++ b/src/po/znc.nl_NL.po @@ -52,27 +52,27 @@ msgstr "" "msg *status help” en “/msg *status loadmod <module>”). Zodra je deze geladen hebt zal dit menu zich uitbreiden." -#: znc.cpp:1562 +#: znc.cpp:1554 msgid "User already exists" msgstr "Gebruiker bestaat al" -#: znc.cpp:1670 +#: znc.cpp:1662 msgid "IPv6 is not enabled" msgstr "IPv6 is niet ingeschakeld" -#: znc.cpp:1678 +#: znc.cpp:1670 msgid "SSL is not enabled" msgstr "SSL is niet ingeschakeld" -#: znc.cpp:1686 +#: znc.cpp:1678 msgid "Unable to locate pem file: {1}" msgstr "Kan PEM bestand niet vinden: {1}" -#: znc.cpp:1705 +#: znc.cpp:1697 msgid "Invalid port" msgstr "Ongeldige poort" -#: znc.cpp:1821 ClientCommand.cpp:1637 +#: znc.cpp:1813 ClientCommand.cpp:1637 msgid "Unable to bind: {1}" msgstr "Kan niet binden: {1}" diff --git a/src/po/znc.pot b/src/po/znc.pot index 5a2c5fa4..4619f753 100644 --- a/src/po/znc.pot +++ b/src/po/znc.pot @@ -42,27 +42,27 @@ msgid "" "code>”). Once you have loaded some Web-enabled modules, the menu will expand." msgstr "" -#: znc.cpp:1562 +#: znc.cpp:1554 msgid "User already exists" msgstr "" -#: znc.cpp:1670 +#: znc.cpp:1662 msgid "IPv6 is not enabled" msgstr "" -#: znc.cpp:1678 +#: znc.cpp:1670 msgid "SSL is not enabled" msgstr "" -#: znc.cpp:1686 +#: znc.cpp:1678 msgid "Unable to locate pem file: {1}" msgstr "" -#: znc.cpp:1705 +#: znc.cpp:1697 msgid "Invalid port" msgstr "" -#: znc.cpp:1821 ClientCommand.cpp:1637 +#: znc.cpp:1813 ClientCommand.cpp:1637 msgid "Unable to bind: {1}" msgstr "" diff --git a/src/po/znc.pt_BR.po b/src/po/znc.pt_BR.po index c7e2d71f..72522898 100644 --- a/src/po/znc.pt_BR.po +++ b/src/po/znc.pt_BR.po @@ -53,27 +53,27 @@ msgstr "" "module>”). Depois de carregar alguns módulos habilitados para a " "Web, o menu será expandido." -#: znc.cpp:1562 +#: znc.cpp:1554 msgid "User already exists" msgstr "O usuário já existe" -#: znc.cpp:1670 +#: znc.cpp:1662 msgid "IPv6 is not enabled" msgstr "O IPv6 não está habilitado" -#: znc.cpp:1678 +#: znc.cpp:1670 msgid "SSL is not enabled" msgstr "O SSL não está habilitado" -#: znc.cpp:1686 +#: znc.cpp:1678 msgid "Unable to locate pem file: {1}" msgstr "Falha ao localizar o arquivo PEM: {1}" -#: znc.cpp:1705 +#: znc.cpp:1697 msgid "Invalid port" msgstr "Porta inválida" -#: znc.cpp:1821 ClientCommand.cpp:1637 +#: znc.cpp:1813 ClientCommand.cpp:1637 msgid "Unable to bind: {1}" msgstr "Não foi possível vincular: {1}" diff --git a/src/po/znc.ru_RU.po b/src/po/znc.ru_RU.po index 33448cd0..0a4100cf 100644 --- a/src/po/znc.ru_RU.po +++ b/src/po/znc.ru_RU.po @@ -55,27 +55,27 @@ msgstr "" "модуль>»). Когда такие модули будут загружены, они будут доступны " "в меню сбоку." -#: znc.cpp:1562 +#: znc.cpp:1554 msgid "User already exists" msgstr "Такой пользователь уже есть" -#: znc.cpp:1670 +#: znc.cpp:1662 msgid "IPv6 is not enabled" msgstr "IPv6 не включён" -#: znc.cpp:1678 +#: znc.cpp:1670 msgid "SSL is not enabled" msgstr "SSL не включён" -#: znc.cpp:1686 +#: znc.cpp:1678 msgid "Unable to locate pem file: {1}" msgstr "Не могу найти файл pem: {1}" -#: znc.cpp:1705 +#: znc.cpp:1697 msgid "Invalid port" msgstr "Некорректный порт" -#: znc.cpp:1821 ClientCommand.cpp:1637 +#: znc.cpp:1813 ClientCommand.cpp:1637 msgid "Unable to bind: {1}" msgstr "Не получилось слушать: {1}" From 84d8375af1f7392779485ea2b7d45b27f6f2513a Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Mon, 4 May 2020 07:48:08 +0100 Subject: [PATCH 385/798] Rename configure.sh cmake wrapper to configure Since old configure is gone --- configure | 136 ++++++++++++++++++++++++++++++++++++++++++++++++++ configure.sh | 137 +-------------------------------------------------- 2 files changed, 137 insertions(+), 136 deletions(-) create mode 100755 configure mode change 100755 => 120000 configure.sh diff --git a/configure b/configure new file mode 100755 index 00000000..23ad70a2 --- /dev/null +++ b/configure @@ -0,0 +1,136 @@ +#!/bin/sh +# +# Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. +# + +# http://stackoverflow.com/questions/18993438/shebang-env-preferred-python-version +# http://stackoverflow.com/questions/12070516/conditional-shebang-line-for-different-versions-of-python +""":" +which python3 >/dev/null 2>&1 && exec python3 "$0" "$@" +which python >/dev/null 2>&1 && exec python "$0" "$@" +which python2 >/dev/null 2>&1 && exec python2 "$0" "$@" +echo "Error: configure wrapper requires python" +exec echo "Either install python, or use cmake directly" +":""" + +import argparse +import os +import subprocess +import sys +import re + +extra_args = [os.path.dirname(sys.argv[0])] +parser = argparse.ArgumentParser() + +def gnu_install_dir(name, cmake=None): + if cmake is None: + cmake = name.upper() + parser.add_argument('--' + name, action='append', metavar=cmake, + dest='cm_args', + type=lambda s: '-DCMAKE_INSTALL_{}={}'.format(cmake, s)) + +gnu_install_dir('prefix') +gnu_install_dir('bindir') +gnu_install_dir('sbindir') +gnu_install_dir('libexecdir') +gnu_install_dir('sysconfdir') +gnu_install_dir('sharedstatedir') +gnu_install_dir('localstatedir') +gnu_install_dir('libdir') +gnu_install_dir('includedir') +gnu_install_dir('oldincludedir') +gnu_install_dir('datarootdir') +gnu_install_dir('datadir') +gnu_install_dir('infodir') +gnu_install_dir('localedir') +gnu_install_dir('mandir') +gnu_install_dir('docdir') + + +group = parser.add_mutually_exclusive_group() +group.add_argument('--enable-debug', action='store_const', dest='build_type', + const='Debug', default='Release') +group.add_argument('--disable-debug', action='store_const', dest='build_type', + const='Release', default='Release') + +def tristate(name, cmake=None): + if cmake is None: + cmake = name.upper() + group = parser.add_mutually_exclusive_group() + group.add_argument('--enable-' + name, action='append_const', + dest='cm_args', const='-DWANT_{}=YES'.format(cmake)) + group.add_argument('--disable-' + name, action='append_const', + dest='cm_args', const='-DWANT_{}=NO'.format(cmake)) + +tristate('ipv6') +tristate('openssl') +tristate('zlib') +tristate('perl') +tristate('swig') +tristate('cyrus') +tristate('charset', 'ICU') +tristate('tcl') +tristate('i18n') + +class HandlePython(argparse.Action): + def __call__(self, parser, namespace, values, option_string=None): + extra_args.append('-DWANT_PYTHON=YES') + if values is not None: + extra_args.append('-DWANT_PYTHON_VERSION=' + values) + +group = parser.add_mutually_exclusive_group() +group.add_argument('--enable-python', action=HandlePython, nargs='?', + metavar='PYTHON_VERSION') +group.add_argument('--disable-python', action='append_const', dest='cm_args', + const='-DWANT_PYTHON=NO') + +parser.add_argument('--with-gtest', action='store', dest='gtest') +parser.add_argument('--with-gmock', action='store', dest='gmock') + +class HandleSystemd(argparse.Action): + def __call__(self, parser, namespace, values, option_string=None): + extra_args.append('-DWANT_SYSTEMD=YES') + if values is not None: + extra_args.append('-DWANT_SYSTEMD_DIR=' + values) + +parser.add_argument('--with-systemdsystemunitdir', action=HandleSystemd, + nargs='?', metavar='UNITDIR') + +def env_type(s): + name, value = s.split('=', 1) + return (name, value) + +parser.add_argument('env', nargs='*', type=env_type, metavar='ENV_VAR=VALUE') + +args = parser.parse_args() + +cm_args = args.cm_args or [] + +for env_key, env_value in args.env: + os.environ[env_key] = env_value +if args.gtest: + os.environ['GTEST_ROOT'] = args.gtest +if args.gmock: + os.environ['GMOCK_ROOT'] = args.gmock + +if os.environ.get('CXX') is not None: + extra_args.append('-DCMAKE_CXX_COMPILER=' + os.environ['CXX']) + +try: + os.remove('CMakeCache.txt') +except OSError: + pass +subprocess.check_call(['cmake', '-DCMAKE_BUILD_TYPE=' + args.build_type] + + cm_args + extra_args) diff --git a/configure.sh b/configure.sh deleted file mode 100755 index 23ad70a2..00000000 --- a/configure.sh +++ /dev/null @@ -1,136 +0,0 @@ -#!/bin/sh -# -# Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. -# -# Licensed under the Apache License, Version 2.0 (the "License"); -# you may not use this file except in compliance with the License. -# You may obtain a copy of the License at -# -# http://www.apache.org/licenses/LICENSE-2.0 -# -# Unless required by applicable law or agreed to in writing, software -# distributed under the License is distributed on an "AS IS" BASIS, -# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. -# See the License for the specific language governing permissions and -# limitations under the License. -# - -# http://stackoverflow.com/questions/18993438/shebang-env-preferred-python-version -# http://stackoverflow.com/questions/12070516/conditional-shebang-line-for-different-versions-of-python -""":" -which python3 >/dev/null 2>&1 && exec python3 "$0" "$@" -which python >/dev/null 2>&1 && exec python "$0" "$@" -which python2 >/dev/null 2>&1 && exec python2 "$0" "$@" -echo "Error: configure wrapper requires python" -exec echo "Either install python, or use cmake directly" -":""" - -import argparse -import os -import subprocess -import sys -import re - -extra_args = [os.path.dirname(sys.argv[0])] -parser = argparse.ArgumentParser() - -def gnu_install_dir(name, cmake=None): - if cmake is None: - cmake = name.upper() - parser.add_argument('--' + name, action='append', metavar=cmake, - dest='cm_args', - type=lambda s: '-DCMAKE_INSTALL_{}={}'.format(cmake, s)) - -gnu_install_dir('prefix') -gnu_install_dir('bindir') -gnu_install_dir('sbindir') -gnu_install_dir('libexecdir') -gnu_install_dir('sysconfdir') -gnu_install_dir('sharedstatedir') -gnu_install_dir('localstatedir') -gnu_install_dir('libdir') -gnu_install_dir('includedir') -gnu_install_dir('oldincludedir') -gnu_install_dir('datarootdir') -gnu_install_dir('datadir') -gnu_install_dir('infodir') -gnu_install_dir('localedir') -gnu_install_dir('mandir') -gnu_install_dir('docdir') - - -group = parser.add_mutually_exclusive_group() -group.add_argument('--enable-debug', action='store_const', dest='build_type', - const='Debug', default='Release') -group.add_argument('--disable-debug', action='store_const', dest='build_type', - const='Release', default='Release') - -def tristate(name, cmake=None): - if cmake is None: - cmake = name.upper() - group = parser.add_mutually_exclusive_group() - group.add_argument('--enable-' + name, action='append_const', - dest='cm_args', const='-DWANT_{}=YES'.format(cmake)) - group.add_argument('--disable-' + name, action='append_const', - dest='cm_args', const='-DWANT_{}=NO'.format(cmake)) - -tristate('ipv6') -tristate('openssl') -tristate('zlib') -tristate('perl') -tristate('swig') -tristate('cyrus') -tristate('charset', 'ICU') -tristate('tcl') -tristate('i18n') - -class HandlePython(argparse.Action): - def __call__(self, parser, namespace, values, option_string=None): - extra_args.append('-DWANT_PYTHON=YES') - if values is not None: - extra_args.append('-DWANT_PYTHON_VERSION=' + values) - -group = parser.add_mutually_exclusive_group() -group.add_argument('--enable-python', action=HandlePython, nargs='?', - metavar='PYTHON_VERSION') -group.add_argument('--disable-python', action='append_const', dest='cm_args', - const='-DWANT_PYTHON=NO') - -parser.add_argument('--with-gtest', action='store', dest='gtest') -parser.add_argument('--with-gmock', action='store', dest='gmock') - -class HandleSystemd(argparse.Action): - def __call__(self, parser, namespace, values, option_string=None): - extra_args.append('-DWANT_SYSTEMD=YES') - if values is not None: - extra_args.append('-DWANT_SYSTEMD_DIR=' + values) - -parser.add_argument('--with-systemdsystemunitdir', action=HandleSystemd, - nargs='?', metavar='UNITDIR') - -def env_type(s): - name, value = s.split('=', 1) - return (name, value) - -parser.add_argument('env', nargs='*', type=env_type, metavar='ENV_VAR=VALUE') - -args = parser.parse_args() - -cm_args = args.cm_args or [] - -for env_key, env_value in args.env: - os.environ[env_key] = env_value -if args.gtest: - os.environ['GTEST_ROOT'] = args.gtest -if args.gmock: - os.environ['GMOCK_ROOT'] = args.gmock - -if os.environ.get('CXX') is not None: - extra_args.append('-DCMAKE_CXX_COMPILER=' + os.environ['CXX']) - -try: - os.remove('CMakeCache.txt') -except OSError: - pass -subprocess.check_call(['cmake', '-DCMAKE_BUILD_TYPE=' + args.build_type] - + cm_args + extra_args) diff --git a/configure.sh b/configure.sh new file mode 120000 index 00000000..cabc7046 --- /dev/null +++ b/configure.sh @@ -0,0 +1 @@ +configure \ No newline at end of file From eae518cf12c640ccdbb532b04754c2817ee5355c Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Thu, 7 May 2020 00:27:16 +0000 Subject: [PATCH 386/798] Update translations from Crowdin for pt_BR --- modules/po/adminlog.pt_BR.po | 2 +- modules/po/alias.pt_BR.po | 6 +-- modules/po/autoattach.pt_BR.po | 10 ++-- modules/po/autocycle.pt_BR.po | 2 +- modules/po/autovoice.pt_BR.po | 14 ++--- modules/po/awaystore.pt_BR.po | 8 +-- modules/po/blockuser.pt_BR.po | 10 ++-- modules/po/buffextras.pt_BR.po | 14 ++--- modules/po/cert.pt_BR.po | 6 +-- modules/po/certauth.pt_BR.po | 2 +- modules/po/clientnotify.pt_BR.po | 6 +-- modules/po/controlpanel.pt_BR.po | 56 ++++++++++---------- modules/po/webadmin.pt_BR.po | 2 +- src/po/znc.pt_BR.po | 88 +++++++++++++++++--------------- 14 files changed, 115 insertions(+), 111 deletions(-) diff --git a/modules/po/adminlog.pt_BR.po b/modules/po/adminlog.pt_BR.po index 2b15a807..88498c6c 100644 --- a/modules/po/adminlog.pt_BR.po +++ b/modules/po/adminlog.pt_BR.po @@ -40,7 +40,7 @@ msgstr "" #: adminlog.cpp:168 msgid "Usage: Target [path]" -msgstr "" +msgstr "Sintaxe: Target [caminho]" #: adminlog.cpp:170 msgid "Unknown target" diff --git a/modules/po/alias.pt_BR.po b/modules/po/alias.pt_BR.po index 358c80ba..b8b8ba56 100644 --- a/modules/po/alias.pt_BR.po +++ b/modules/po/alias.pt_BR.po @@ -62,7 +62,7 @@ msgstr "" #: alias.cpp:338 alias.cpp:341 alias.cpp:352 alias.cpp:357 msgid "" -msgstr "" +msgstr "" #: alias.cpp:339 msgid "Creates a new, blank alias called name." @@ -74,7 +74,7 @@ msgstr "" #: alias.cpp:343 msgid " " -msgstr "" +msgstr " " #: alias.cpp:344 msgid "Adds a line to an existing alias." @@ -82,7 +82,7 @@ msgstr "" #: alias.cpp:346 msgid " " -msgstr "" +msgstr " " #: alias.cpp:347 msgid "Inserts a line into an existing alias." diff --git a/modules/po/autoattach.pt_BR.po b/modules/po/autoattach.pt_BR.po index 454e0fc1..d07319d1 100644 --- a/modules/po/autoattach.pt_BR.po +++ b/modules/po/autoattach.pt_BR.po @@ -16,11 +16,11 @@ msgstr "Adicionado à lista" #: autoattach.cpp:96 msgid "{1} is already added" -msgstr "" +msgstr "O canal {1} já foi adicionado" #: autoattach.cpp:100 msgid "Usage: Add [!]<#chan> " -msgstr "" +msgstr "Sintaxe: Add [!]<#canal> " #: autoattach.cpp:101 msgid "Wildcards are allowed" @@ -28,11 +28,11 @@ msgstr "" #: autoattach.cpp:113 msgid "Removed {1} from list" -msgstr "" +msgstr "O canal {1} foi removido da lista" #: autoattach.cpp:115 msgid "Usage: Del [!]<#chan> " -msgstr "" +msgstr "Sintaxe: Del [!]<#canal> " #: autoattach.cpp:121 autoattach.cpp:129 msgid "Neg" @@ -48,7 +48,7 @@ msgstr "Buscar" #: autoattach.cpp:124 autoattach.cpp:132 msgid "Host" -msgstr "" +msgstr "Host" #: autoattach.cpp:138 msgid "You have no entries." diff --git a/modules/po/autocycle.pt_BR.po b/modules/po/autocycle.pt_BR.po index 01ce7dea..dc053998 100644 --- a/modules/po/autocycle.pt_BR.po +++ b/modules/po/autocycle.pt_BR.po @@ -48,7 +48,7 @@ msgstr "" #: autocycle.cpp:80 msgid "Usage: Del [!]<#chan>" -msgstr "" +msgstr "Sintaxe: Del [!]<#canal>" #: autocycle.cpp:85 autocycle.cpp:90 autocycle.cpp:95 msgid "Channel" diff --git a/modules/po/autovoice.pt_BR.po b/modules/po/autovoice.pt_BR.po index e1846325..56341b9d 100644 --- a/modules/po/autovoice.pt_BR.po +++ b/modules/po/autovoice.pt_BR.po @@ -16,7 +16,7 @@ msgstr "Listar todos os usuários" #: autovoice.cpp:122 autovoice.cpp:125 msgid " [channel] ..." -msgstr "" +msgstr " [canal] ..." #: autovoice.cpp:123 msgid "Adds channels to a user" @@ -28,7 +28,7 @@ msgstr "Remove canais de um usuário" #: autovoice.cpp:128 msgid " [channels]" -msgstr "" +msgstr " [canais]" #: autovoice.cpp:129 msgid "Adds a user" @@ -44,7 +44,7 @@ msgstr "Remove um usuário" #: autovoice.cpp:215 msgid "Usage: AddUser [channels]" -msgstr "" +msgstr "Sintaxe: AddUser [canais]" #: autovoice.cpp:229 msgid "Usage: DelUser " @@ -60,7 +60,7 @@ msgstr "Usuário" #: autovoice.cpp:245 autovoice.cpp:251 msgid "Hostmask" -msgstr "" +msgstr "Máscara de host" #: autovoice.cpp:246 autovoice.cpp:252 msgid "Channels" @@ -68,7 +68,7 @@ msgstr "Canais" #: autovoice.cpp:263 msgid "Usage: AddChans [channel] ..." -msgstr "" +msgstr "Sintaxe: AddChans [canal] ..." #: autovoice.cpp:270 autovoice.cpp:292 autovoice.cpp:329 msgid "No such user" @@ -80,7 +80,7 @@ msgstr "" #: autovoice.cpp:285 msgid "Usage: DelChans [channel] ..." -msgstr "" +msgstr "Sintaxe: DelChans [canal] ..." #: autovoice.cpp:298 msgid "Channel(s) Removed from user {1}" @@ -96,7 +96,7 @@ msgstr "Este usuário já existe" #: autovoice.cpp:347 msgid "User {1} added with hostmask {2}" -msgstr "" +msgstr "O usuário {1} foi adicionado com a máscara de host {2}" #: autovoice.cpp:360 msgid "" diff --git a/modules/po/awaystore.pt_BR.po b/modules/po/awaystore.pt_BR.po index 1ae4e75e..71cdc40c 100644 --- a/modules/po/awaystore.pt_BR.po +++ b/modules/po/awaystore.pt_BR.po @@ -24,11 +24,11 @@ msgstr "{1} mensagens foram excluídas" #: awaystore.cpp:104 msgid "USAGE: delete " -msgstr "" +msgstr "Sintaxe: delete " #: awaystore.cpp:109 msgid "Illegal message # requested" -msgstr "" +msgstr "Número inválido de mensagem solicitado" #: awaystore.cpp:113 msgid "Message erased" @@ -48,7 +48,7 @@ msgstr "Senha atualizada para [{1}]" #: awaystore.cpp:147 msgid "Corrupt message! [{1}]" -msgstr "" +msgstr "Mensagem corrupta! [{1}]" #: awaystore.cpp:159 msgid "Corrupt time stamp! [{1}]" @@ -86,7 +86,7 @@ msgstr "" #: awaystore.cpp:386 awaystore.cpp:389 msgid "You have {1} messages!" -msgstr "" +msgstr "Você tem {1} nova{s} mensagem(ns)!" #: awaystore.cpp:456 msgid "Unable to find buffer" diff --git a/modules/po/blockuser.pt_BR.po b/modules/po/blockuser.pt_BR.po index dd2c8959..eba0b0b1 100644 --- a/modules/po/blockuser.pt_BR.po +++ b/modules/po/blockuser.pt_BR.po @@ -54,7 +54,7 @@ msgstr "Usuários bloqueados:" #: blockuser.cpp:100 msgid "Usage: Block " -msgstr "" +msgstr "Sintaxe: Block " #: blockuser.cpp:105 blockuser.cpp:147 msgid "You can't block yourself" @@ -70,11 +70,11 @@ msgstr "" #: blockuser.cpp:120 msgid "Usage: Unblock " -msgstr "" +msgstr "Sintaxe: Unblock " #: blockuser.cpp:125 blockuser.cpp:161 msgid "Unblocked {1}" -msgstr "" +msgstr "O usuário {1} foi desbloqueado" #: blockuser.cpp:127 msgid "This user is not blocked" @@ -82,11 +82,11 @@ msgstr "Este usuário não está bloqueado" #: blockuser.cpp:155 msgid "Couldn't block {1}" -msgstr "" +msgstr "Falha ao bloquear o usuário {1}" #: blockuser.cpp:164 msgid "User {1} is not blocked" -msgstr "" +msgstr "O usuário {1} não está bloqueado" #: blockuser.cpp:216 msgid "Enter one or more user names. Separate them by spaces." diff --git a/modules/po/buffextras.pt_BR.po b/modules/po/buffextras.pt_BR.po index 4149f380..bd14bfdb 100644 --- a/modules/po/buffextras.pt_BR.po +++ b/modules/po/buffextras.pt_BR.po @@ -12,7 +12,7 @@ msgstr "" #: buffextras.cpp:45 msgid "Server" -msgstr "" +msgstr "Servidor" #: buffextras.cpp:47 msgid "{1} set mode: {2} {3}" @@ -20,27 +20,27 @@ msgstr "" #: buffextras.cpp:55 msgid "{1} kicked {2} with reason: {3}" -msgstr "" +msgstr "{1} expulsou {2}: {3}" #: buffextras.cpp:64 msgid "{1} quit: {2}" -msgstr "" +msgstr "{1} saiu: {2}" #: buffextras.cpp:73 msgid "{1} joined" -msgstr "" +msgstr "{1} entrou" #: buffextras.cpp:81 msgid "{1} parted: {2}" -msgstr "" +msgstr "{1} saiu do canal: {2}" #: buffextras.cpp:90 msgid "{1} is now known as {2}" -msgstr "" +msgstr "{1} trocou de apelido: {2}" #: buffextras.cpp:100 msgid "{1} changed the topic to: {2}" -msgstr "" +msgstr "{1} alterou o tópico para: {2}" #: buffextras.cpp:115 msgid "Adds joins, parts etc. to the playback buffer" diff --git a/modules/po/cert.pt_BR.po b/modules/po/cert.pt_BR.po index 59f61c04..a855a708 100644 --- a/modules/po/cert.pt_BR.po +++ b/modules/po/cert.pt_BR.po @@ -28,15 +28,15 @@ msgstr "" #: modules/po/../data/cert/tmpl/index.tmpl:14 cert.cpp:72 msgid "Certificate" -msgstr "" +msgstr "Certificado" #: modules/po/../data/cert/tmpl/index.tmpl:18 msgid "PEM File:" -msgstr "" +msgstr "Arquivo PEM:" #: modules/po/../data/cert/tmpl/index.tmpl:22 msgid "Update" -msgstr "" +msgstr "Atualizar" #: cert.cpp:28 msgid "Pem file deleted" diff --git a/modules/po/certauth.pt_BR.po b/modules/po/certauth.pt_BR.po index 8912c1f2..7cd2a1c4 100644 --- a/modules/po/certauth.pt_BR.po +++ b/modules/po/certauth.pt_BR.po @@ -37,7 +37,7 @@ msgstr "" #: certauth.cpp:31 msgid "[pubkey]" -msgstr "" +msgstr "[chave pública]" #: certauth.cpp:32 msgid "Add a public key. If key is not provided will use the current key" diff --git a/modules/po/clientnotify.pt_BR.po b/modules/po/clientnotify.pt_BR.po index 21130711..8d5da606 100644 --- a/modules/po/clientnotify.pt_BR.po +++ b/modules/po/clientnotify.pt_BR.po @@ -44,7 +44,7 @@ msgstr[1] "" #: clientnotify.cpp:108 msgid "Usage: Method " -msgstr "" +msgstr "Sintaxe: Method " #: clientnotify.cpp:114 clientnotify.cpp:127 clientnotify.cpp:140 msgid "Saved." @@ -52,11 +52,11 @@ msgstr "" #: clientnotify.cpp:121 msgid "Usage: NewOnly " -msgstr "" +msgstr "Sintaxe: NewOnly " #: clientnotify.cpp:134 msgid "Usage: OnDisconnect " -msgstr "" +msgstr "Sintaxe: OnDisconnect " #: clientnotify.cpp:145 msgid "" diff --git a/modules/po/controlpanel.pt_BR.po b/modules/po/controlpanel.pt_BR.po index 19a4cc24..9523c76b 100644 --- a/modules/po/controlpanel.pt_BR.po +++ b/modules/po/controlpanel.pt_BR.po @@ -22,19 +22,19 @@ msgstr "Variáveis" #: controlpanel.cpp:78 msgid "String" -msgstr "" +msgstr "String" #: controlpanel.cpp:79 msgid "Boolean (true/false)" -msgstr "" +msgstr "Booleano (verdadeiro/falso)" #: controlpanel.cpp:80 msgid "Integer" -msgstr "" +msgstr "Inteiro" #: controlpanel.cpp:81 msgid "Number" -msgstr "" +msgstr "Número" #: controlpanel.cpp:126 msgid "The following variables are available when using the Set/Get commands:" @@ -76,7 +76,7 @@ msgstr "" #: controlpanel.cpp:215 msgid "Usage: Get [username]" -msgstr "" +msgstr "Sintaxe: Get [usuário]" #: controlpanel.cpp:305 controlpanel.cpp:508 controlpanel.cpp:583 #: controlpanel.cpp:659 controlpanel.cpp:794 controlpanel.cpp:879 @@ -85,17 +85,17 @@ msgstr "" #: controlpanel.cpp:314 msgid "Usage: Set " -msgstr "" +msgstr "Sintaxe: Set " #: controlpanel.cpp:336 controlpanel.cpp:624 msgid "This bind host is already set!" -msgstr "" +msgstr "Este host já está vinculado!" #: controlpanel.cpp:343 controlpanel.cpp:355 controlpanel.cpp:363 #: controlpanel.cpp:426 controlpanel.cpp:445 controlpanel.cpp:461 #: controlpanel.cpp:471 controlpanel.cpp:631 msgid "Access denied!" -msgstr "" +msgstr "Acesso negado!" #: controlpanel.cpp:377 controlpanel.cpp:386 controlpanel.cpp:843 msgid "Setting failed, limit for buffer size is {1}" @@ -119,7 +119,7 @@ msgstr "Idiomas suportados: {1}" #: controlpanel.cpp:520 msgid "Usage: GetNetwork [username] [network]" -msgstr "" +msgstr "Sintaxe: GetNetwork [usuário] [rede]" #: controlpanel.cpp:539 msgid "Error: A network must be specified to get another users settings." @@ -135,11 +135,11 @@ msgstr "" #: controlpanel.cpp:595 msgid "Usage: SetNetwork " -msgstr "" +msgstr "Sintaxe: SetNetwork " #: controlpanel.cpp:669 msgid "Usage: AddChan " -msgstr "" +msgstr "Sintaxe: AddChan " #: controlpanel.cpp:682 msgid "Error: User {1} already has a channel named {2}." @@ -156,7 +156,7 @@ msgstr "" #: controlpanel.cpp:703 msgid "Usage: DelChan " -msgstr "" +msgstr "Sintaxe: DelChan " #: controlpanel.cpp:718 msgid "Error: User {1} does not have any channel matching [{2}] in network {3}" @@ -170,7 +170,7 @@ msgstr[1] "" #: controlpanel.cpp:746 msgid "Usage: GetChan " -msgstr "" +msgstr "Sintaxe: GetChan " #: controlpanel.cpp:760 controlpanel.cpp:824 msgid "Error: No channels matching [{1}] found." @@ -178,17 +178,17 @@ msgstr "" #: controlpanel.cpp:809 msgid "Usage: SetChan " -msgstr "" +msgstr "Sintaxe: SetChan " #: controlpanel.cpp:890 controlpanel.cpp:900 msgctxt "listusers" msgid "Username" -msgstr "" +msgstr "Nome de usuário" #: controlpanel.cpp:891 controlpanel.cpp:901 msgctxt "listusers" msgid "Realname" -msgstr "" +msgstr "Nome real" #: controlpanel.cpp:892 controlpanel.cpp:904 controlpanel.cpp:906 msgctxt "listusers" @@ -208,12 +208,12 @@ msgstr "Apelido alternativo" #: controlpanel.cpp:895 controlpanel.cpp:909 msgctxt "listusers" msgid "Ident" -msgstr "" +msgstr "Ident" #: controlpanel.cpp:896 controlpanel.cpp:910 msgctxt "listusers" msgid "BindHost" -msgstr "" +msgstr "Host vinculado" #: controlpanel.cpp:904 controlpanel.cpp:1144 msgid "No" @@ -229,19 +229,19 @@ msgstr "" #: controlpanel.cpp:926 msgid "Usage: AddUser " -msgstr "" +msgstr "Sintaxe: AddUser " #: controlpanel.cpp:931 msgid "Error: User {1} already exists!" -msgstr "" +msgstr "Erro: o usuário {1} já existe!" #: controlpanel.cpp:943 controlpanel.cpp:1018 msgid "Error: User not added: {1}" -msgstr "" +msgstr "Erro: o usuário não foi adicionado: {1}" #: controlpanel.cpp:947 controlpanel.cpp:1022 msgid "User {1} added!" -msgstr "" +msgstr "O usuário {1} foi adicionado!" #: controlpanel.cpp:954 msgid "Error: You need to have admin rights to delete users!" @@ -249,7 +249,7 @@ msgstr "" #: controlpanel.cpp:960 msgid "Usage: DelUser " -msgstr "" +msgstr "Sintaxe: DelUser " #: controlpanel.cpp:972 msgid "Error: You can't delete yourself!" @@ -265,7 +265,7 @@ msgstr "" #: controlpanel.cpp:997 msgid "Usage: CloneUser " -msgstr "" +msgstr "Sintaxe: CloneUser " #: controlpanel.cpp:1012 msgid "Error: Cloning failed: {1}" @@ -273,7 +273,7 @@ msgstr "" #: controlpanel.cpp:1041 msgid "Usage: AddNetwork [user] network" -msgstr "" +msgstr "Sintaxe: AddNetwork [usuário] " #: controlpanel.cpp:1047 msgid "" @@ -295,7 +295,7 @@ msgstr "" #: controlpanel.cpp:1086 msgid "Usage: DelNetwork [user] network" -msgstr "" +msgstr "Sintaxe: DelNetwork [usuário] " #: controlpanel.cpp:1097 msgid "The currently active network can be deleted via {1}status" @@ -340,7 +340,7 @@ msgstr "" #: controlpanel.cpp:1160 msgid "Usage: AddServer [[+]port] [password]" -msgstr "" +msgstr "Sintaxe: AddServer [[+]porta] [senha]" #: controlpanel.cpp:1174 msgid "Added IRC Server {1} to network {2} for user {3}." @@ -352,7 +352,7 @@ msgstr "" #: controlpanel.cpp:1191 msgid "Usage: DelServer [[+]port] [password]" -msgstr "" +msgstr "Sintaxe: DelServer [[+]porta] [senha]" #: controlpanel.cpp:1206 msgid "Deleted IRC Server {1} from network {2} for user {3}." diff --git a/modules/po/webadmin.pt_BR.po b/modules/po/webadmin.pt_BR.po index 53f73b79..be463b0d 100644 --- a/modules/po/webadmin.pt_BR.po +++ b/modules/po/webadmin.pt_BR.po @@ -160,7 +160,7 @@ msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:58 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:99 msgid "BindHost:" -msgstr "" +msgstr "Host vinculado:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:65 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:112 diff --git a/src/po/znc.pt_BR.po b/src/po/znc.pt_BR.po index 72522898..8c431141 100644 --- a/src/po/znc.pt_BR.po +++ b/src/po/znc.pt_BR.po @@ -764,7 +764,7 @@ msgstr "SSL" #: ClientCommand.cpp:832 msgid "Usage: AddTrustedServerFingerprint " -msgstr "" +msgstr "Sintaxe: AddTrustedServerFingerprint " #: ClientCommand.cpp:836 ClientCommand.cpp:849 msgid "Done." @@ -772,11 +772,11 @@ msgstr "" #: ClientCommand.cpp:845 msgid "Usage: DelTrustedServerFingerprint " -msgstr "" +msgstr "Sintaxe: AddTrustedServerFingerprint " #: ClientCommand.cpp:858 msgid "No fingerprints added." -msgstr "" +msgstr "Nenhuma impressão digital adicionada." #: ClientCommand.cpp:874 ClientCommand.cpp:880 msgctxt "topicscmd" @@ -867,7 +867,7 @@ msgstr "Falha ao carregar o módulo global {1}: acesso negado." #: ClientCommand.cpp:1049 msgid "Unable to load network module {1}: Not connected with a network." -msgstr "" +msgstr "Falha ao carregar o módulo de rede {1}: sem conexão com uma rede." #: ClientCommand.cpp:1071 msgid "Unknown module type" @@ -887,35 +887,35 @@ msgstr "Falha ao carregar o módulo {1}: {2}" #: ClientCommand.cpp:1104 msgid "Unable to unload {1}: Access denied." -msgstr "" +msgstr "Falha ao descarregar {1}: acesso negado." #: ClientCommand.cpp:1110 msgid "Usage: UnloadMod [--type=global|user|network] " -msgstr "" +msgstr "Sintaxe: UnloadMod [--type=global|user|network] " #: ClientCommand.cpp:1119 msgid "Unable to determine type of {1}: {2}" -msgstr "" +msgstr "Falha ao determinar o tipo do módulo {1}: {2}" #: ClientCommand.cpp:1127 msgid "Unable to unload global module {1}: Access denied." -msgstr "" +msgstr "Falha ao descarregar o módulo global {1}: acesso negado." #: ClientCommand.cpp:1134 msgid "Unable to unload network module {1}: Not connected with a network." -msgstr "" +msgstr "Falha ao descarregar o módulo de rede {1}: sem conexão com uma rede." #: ClientCommand.cpp:1153 msgid "Unable to unload module {1}: Unknown module type" -msgstr "" +msgstr "Falha ao descarregar o módulo {1}: tipo de módulo desconhecido" #: ClientCommand.cpp:1166 msgid "Unable to reload modules. Access denied." -msgstr "" +msgstr "Falha ao recarregar módulos: acesso negado." #: ClientCommand.cpp:1187 msgid "Usage: ReloadMod [--type=global|user|network] [args]" -msgstr "" +msgstr "Sintaxe: ReloadMod [--type=global|user|network] [parâmetros]" #: ClientCommand.cpp:1196 msgid "Unable to reload {1}: {2}" @@ -923,15 +923,15 @@ msgstr "Falha ao recarregar {1}: {2}" #: ClientCommand.cpp:1204 msgid "Unable to reload global module {1}: Access denied." -msgstr "" +msgstr "Falha ao recarregar o módulo global {1}: acesso negado." #: ClientCommand.cpp:1211 msgid "Unable to reload network module {1}: Not connected with a network." -msgstr "" +msgstr "Falha ao recarregar o módulo de rede {1}: sem conexão com uma rede." #: ClientCommand.cpp:1233 msgid "Unable to reload module {1}: Unknown module type" -msgstr "" +msgstr "Falha ao recarregar o módulo {1}: tipo de módulo desconhecido" #: ClientCommand.cpp:1244 msgid "Usage: UpdateMod " @@ -939,7 +939,7 @@ msgstr "Uso: UpdateMod " #: ClientCommand.cpp:1248 msgid "Reloading {1} everywhere" -msgstr "" +msgstr "Recarregando {1}" #: ClientCommand.cpp:1250 msgid "Done" @@ -958,19 +958,19 @@ msgstr "" #: ClientCommand.cpp:1268 msgid "Usage: SetBindHost " -msgstr "Uso: SetBindHost " +msgstr "Sintaxe: SetBindHost " #: ClientCommand.cpp:1273 ClientCommand.cpp:1290 msgid "You already have this bind host!" -msgstr "" +msgstr "Você já está vinculado a este host!" #: ClientCommand.cpp:1278 msgid "Set bind host for network {1} to {2}" -msgstr "" +msgstr "Vincular o host {2} à rede {1}" #: ClientCommand.cpp:1285 msgid "Usage: SetUserBindHost " -msgstr "Uso: SetUserBindHost " +msgstr "Sintaxe: SetUserBindHost " #: ClientCommand.cpp:1295 msgid "Set default bind host to {1}" @@ -996,15 +996,15 @@ msgstr "" #: ClientCommand.cpp:1315 msgid "This user's default bind host is {1}" -msgstr "" +msgstr "O host padrão vinculado a este usuário é {1}" #: ClientCommand.cpp:1320 msgid "This network's bind host not set" -msgstr "" +msgstr "Esta rede não possui hosts vinculados" #: ClientCommand.cpp:1322 msgid "This network's default bind host is {1}" -msgstr "" +msgstr "O host padrão vinculado a esta rede é {1}" #: ClientCommand.cpp:1336 msgid "Usage: PlayBuffer <#chan|query>" @@ -1129,7 +1129,7 @@ msgstr "Porta" #: ClientCommand.cpp:1548 ClientCommand.cpp:1559 msgctxt "listports" msgid "BindHost" -msgstr "BindHost" +msgstr "Host vinculado" #: ClientCommand.cpp:1549 ClientCommand.cpp:1562 msgctxt "listports" @@ -1293,7 +1293,7 @@ msgstr "Adiciona uma rede ao seu usuário" #: ClientCommand.cpp:1718 msgctxt "helpcmd|DelNetwork|args" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1719 msgctxt "helpcmd|DelNetwork|desc" @@ -1308,7 +1308,7 @@ msgstr "Listar todas as redes" #: ClientCommand.cpp:1724 msgctxt "helpcmd|MoveNetwork|args" msgid " [new network]" -msgstr "" +msgstr " [rede nova]" #: ClientCommand.cpp:1726 msgctxt "helpcmd|MoveNetwork|desc" @@ -1318,7 +1318,7 @@ msgstr "Move uma rede de um usuário para outro" #: ClientCommand.cpp:1730 msgctxt "helpcmd|JumpNetwork|args" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1731 msgctxt "helpcmd|JumpNetwork|desc" @@ -1326,34 +1326,36 @@ msgid "" "Jump to another network (Alternatively, you can connect to ZNC several " "times, using `user/network` as username)" msgstr "" +"Troca para outra rede (você pode também conectar ao ZNC várias vezes " +"utilizando `usuário/rede` como nome de usuário)" #: ClientCommand.cpp:1736 msgctxt "helpcmd|AddServer|args" msgid " [[+]port] [pass]" -msgstr "" +msgstr " [[+]porta] [senha]" #: ClientCommand.cpp:1737 msgctxt "helpcmd|AddServer|desc" msgid "" "Add a server to the list of alternate/backup servers of current IRC network." -msgstr "" +msgstr "Adiciona um servidor à lista de servidores alternativos da rede atual." #: ClientCommand.cpp:1741 msgctxt "helpcmd|DelServer|args" msgid " [port] [pass]" -msgstr "" +msgstr " [porta] [senha]" #: ClientCommand.cpp:1742 msgctxt "helpcmd|DelServer|desc" msgid "" "Remove a server from the list of alternate/backup servers of current IRC " "network" -msgstr "" +msgstr "Remove um servidor da lista de servidores alternativos da rede atual." #: ClientCommand.cpp:1748 msgctxt "helpcmd|AddTrustedServerFingerprint|args" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1749 msgctxt "helpcmd|AddTrustedServerFingerprint|desc" @@ -1361,26 +1363,28 @@ msgid "" "Add a trusted server SSL certificate fingerprint (SHA-256) to current IRC " "network." msgstr "" +"Adiciona a impressão digital (SHA-256) do certificado SSL confiável de um " +"servidor à rede atual." #: ClientCommand.cpp:1754 msgctxt "helpcmd|DelTrustedServerFingerprint|args" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1755 msgctxt "helpcmd|DelTrustedServerFingerprint|desc" msgid "Delete a trusted server SSL certificate from current IRC network." -msgstr "" +msgstr "Exclui um certificado SSL confiável da rede atual." #: ClientCommand.cpp:1759 msgctxt "helpcmd|ListTrustedServerFingerprints|desc" msgid "List all trusted server SSL certificates of current IRC network." -msgstr "" +msgstr "Lista todos os certificados SSL confiáveis da rede atual." #: ClientCommand.cpp:1762 msgctxt "helpcmd|EnableChan|args" msgid "<#chans>" -msgstr "" +msgstr "<#canais>" #: ClientCommand.cpp:1763 msgctxt "helpcmd|EnableChan|desc" @@ -1390,12 +1394,12 @@ msgstr "Habilitar canais" #: ClientCommand.cpp:1764 msgctxt "helpcmd|DisableChan|args" msgid "<#chans>" -msgstr "" +msgstr "<#canais>" #: ClientCommand.cpp:1765 msgctxt "helpcmd|DisableChan|desc" msgid "Disable channels" -msgstr "" +msgstr "Desativar canais" #: ClientCommand.cpp:1766 msgctxt "helpcmd|Attach|args" @@ -1470,22 +1474,22 @@ msgstr "" #: ClientCommand.cpp:1795 msgctxt "helpcmd|SetBindHost|args" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1796 msgctxt "helpcmd|SetBindHost|desc" msgid "Set the bind host for this network" -msgstr "" +msgstr "Vincula o host especificado a esta rede" #: ClientCommand.cpp:1800 msgctxt "helpcmd|SetUserBindHost|args" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1801 msgctxt "helpcmd|SetUserBindHost|desc" msgid "Set the default bind host for this user" -msgstr "" +msgstr "Vincula o host especificado a este usuário" #: ClientCommand.cpp:1804 msgctxt "helpcmd|ClearBindHost|desc" From 686f498280faa33121b4be3f6bec09e60835a3d2 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Thu, 7 May 2020 00:27:20 +0000 Subject: [PATCH 387/798] Update translations from Crowdin for pt_BR --- modules/po/adminlog.pt_BR.po | 2 +- modules/po/alias.pt_BR.po | 6 +-- modules/po/autoattach.pt_BR.po | 10 ++-- modules/po/autocycle.pt_BR.po | 2 +- modules/po/autovoice.pt_BR.po | 14 ++--- modules/po/awaystore.pt_BR.po | 8 +-- modules/po/blockuser.pt_BR.po | 10 ++-- modules/po/buffextras.pt_BR.po | 14 ++--- modules/po/cert.pt_BR.po | 6 +-- modules/po/certauth.pt_BR.po | 2 +- modules/po/clientnotify.pt_BR.po | 6 +-- modules/po/controlpanel.pt_BR.po | 56 ++++++++++---------- modules/po/webadmin.pt_BR.po | 2 +- src/po/znc.pt_BR.po | 88 +++++++++++++++++--------------- 14 files changed, 115 insertions(+), 111 deletions(-) diff --git a/modules/po/adminlog.pt_BR.po b/modules/po/adminlog.pt_BR.po index a159b034..7f2a8744 100644 --- a/modules/po/adminlog.pt_BR.po +++ b/modules/po/adminlog.pt_BR.po @@ -40,7 +40,7 @@ msgstr "" #: adminlog.cpp:168 msgid "Usage: Target [path]" -msgstr "" +msgstr "Sintaxe: Target [caminho]" #: adminlog.cpp:170 msgid "Unknown target" diff --git a/modules/po/alias.pt_BR.po b/modules/po/alias.pt_BR.po index bda205fd..cbbcb75d 100644 --- a/modules/po/alias.pt_BR.po +++ b/modules/po/alias.pt_BR.po @@ -62,7 +62,7 @@ msgstr "" #: alias.cpp:338 alias.cpp:341 alias.cpp:352 alias.cpp:357 msgid "" -msgstr "" +msgstr "" #: alias.cpp:339 msgid "Creates a new, blank alias called name." @@ -74,7 +74,7 @@ msgstr "" #: alias.cpp:343 msgid " " -msgstr "" +msgstr " " #: alias.cpp:344 msgid "Adds a line to an existing alias." @@ -82,7 +82,7 @@ msgstr "" #: alias.cpp:346 msgid " " -msgstr "" +msgstr " " #: alias.cpp:347 msgid "Inserts a line into an existing alias." diff --git a/modules/po/autoattach.pt_BR.po b/modules/po/autoattach.pt_BR.po index 586105bc..5dee1aa3 100644 --- a/modules/po/autoattach.pt_BR.po +++ b/modules/po/autoattach.pt_BR.po @@ -16,11 +16,11 @@ msgstr "Adicionado à lista" #: autoattach.cpp:96 msgid "{1} is already added" -msgstr "" +msgstr "O canal {1} já foi adicionado" #: autoattach.cpp:100 msgid "Usage: Add [!]<#chan> " -msgstr "" +msgstr "Sintaxe: Add [!]<#canal> " #: autoattach.cpp:101 msgid "Wildcards are allowed" @@ -28,11 +28,11 @@ msgstr "" #: autoattach.cpp:113 msgid "Removed {1} from list" -msgstr "" +msgstr "O canal {1} foi removido da lista" #: autoattach.cpp:115 msgid "Usage: Del [!]<#chan> " -msgstr "" +msgstr "Sintaxe: Del [!]<#canal> " #: autoattach.cpp:121 autoattach.cpp:129 msgid "Neg" @@ -48,7 +48,7 @@ msgstr "Buscar" #: autoattach.cpp:124 autoattach.cpp:132 msgid "Host" -msgstr "" +msgstr "Host" #: autoattach.cpp:138 msgid "You have no entries." diff --git a/modules/po/autocycle.pt_BR.po b/modules/po/autocycle.pt_BR.po index a0c10d7c..c2b85a9d 100644 --- a/modules/po/autocycle.pt_BR.po +++ b/modules/po/autocycle.pt_BR.po @@ -48,7 +48,7 @@ msgstr "" #: autocycle.cpp:80 msgid "Usage: Del [!]<#chan>" -msgstr "" +msgstr "Sintaxe: Del [!]<#canal>" #: autocycle.cpp:85 autocycle.cpp:90 autocycle.cpp:95 msgid "Channel" diff --git a/modules/po/autovoice.pt_BR.po b/modules/po/autovoice.pt_BR.po index b274fb8a..52e50200 100644 --- a/modules/po/autovoice.pt_BR.po +++ b/modules/po/autovoice.pt_BR.po @@ -16,7 +16,7 @@ msgstr "Listar todos os usuários" #: autovoice.cpp:122 autovoice.cpp:125 msgid " [channel] ..." -msgstr "" +msgstr " [canal] ..." #: autovoice.cpp:123 msgid "Adds channels to a user" @@ -28,7 +28,7 @@ msgstr "Remove canais de um usuário" #: autovoice.cpp:128 msgid " [channels]" -msgstr "" +msgstr " [canais]" #: autovoice.cpp:129 msgid "Adds a user" @@ -44,7 +44,7 @@ msgstr "Remove um usuário" #: autovoice.cpp:215 msgid "Usage: AddUser [channels]" -msgstr "" +msgstr "Sintaxe: AddUser [canais]" #: autovoice.cpp:229 msgid "Usage: DelUser " @@ -60,7 +60,7 @@ msgstr "Usuário" #: autovoice.cpp:245 autovoice.cpp:251 msgid "Hostmask" -msgstr "" +msgstr "Máscara de host" #: autovoice.cpp:246 autovoice.cpp:252 msgid "Channels" @@ -68,7 +68,7 @@ msgstr "Canais" #: autovoice.cpp:263 msgid "Usage: AddChans [channel] ..." -msgstr "" +msgstr "Sintaxe: AddChans [canal] ..." #: autovoice.cpp:270 autovoice.cpp:292 autovoice.cpp:329 msgid "No such user" @@ -80,7 +80,7 @@ msgstr "" #: autovoice.cpp:285 msgid "Usage: DelChans [channel] ..." -msgstr "" +msgstr "Sintaxe: DelChans [canal] ..." #: autovoice.cpp:298 msgid "Channel(s) Removed from user {1}" @@ -96,7 +96,7 @@ msgstr "Este usuário já existe" #: autovoice.cpp:347 msgid "User {1} added with hostmask {2}" -msgstr "" +msgstr "O usuário {1} foi adicionado com a máscara de host {2}" #: autovoice.cpp:360 msgid "" diff --git a/modules/po/awaystore.pt_BR.po b/modules/po/awaystore.pt_BR.po index 9ec025c5..33184e9c 100644 --- a/modules/po/awaystore.pt_BR.po +++ b/modules/po/awaystore.pt_BR.po @@ -24,11 +24,11 @@ msgstr "{1} mensagens foram excluídas" #: awaystore.cpp:104 msgid "USAGE: delete " -msgstr "" +msgstr "Sintaxe: delete " #: awaystore.cpp:109 msgid "Illegal message # requested" -msgstr "" +msgstr "Número inválido de mensagem solicitado" #: awaystore.cpp:113 msgid "Message erased" @@ -48,7 +48,7 @@ msgstr "Senha atualizada para [{1}]" #: awaystore.cpp:147 msgid "Corrupt message! [{1}]" -msgstr "" +msgstr "Mensagem corrupta! [{1}]" #: awaystore.cpp:159 msgid "Corrupt time stamp! [{1}]" @@ -86,7 +86,7 @@ msgstr "" #: awaystore.cpp:386 awaystore.cpp:389 msgid "You have {1} messages!" -msgstr "" +msgstr "Você tem {1} nova{s} mensagem(ns)!" #: awaystore.cpp:456 msgid "Unable to find buffer" diff --git a/modules/po/blockuser.pt_BR.po b/modules/po/blockuser.pt_BR.po index 4d4a42fc..c1104dd7 100644 --- a/modules/po/blockuser.pt_BR.po +++ b/modules/po/blockuser.pt_BR.po @@ -54,7 +54,7 @@ msgstr "Usuários bloqueados:" #: blockuser.cpp:100 msgid "Usage: Block " -msgstr "" +msgstr "Sintaxe: Block " #: blockuser.cpp:105 blockuser.cpp:147 msgid "You can't block yourself" @@ -70,11 +70,11 @@ msgstr "" #: blockuser.cpp:120 msgid "Usage: Unblock " -msgstr "" +msgstr "Sintaxe: Unblock " #: blockuser.cpp:125 blockuser.cpp:161 msgid "Unblocked {1}" -msgstr "" +msgstr "O usuário {1} foi desbloqueado" #: blockuser.cpp:127 msgid "This user is not blocked" @@ -82,11 +82,11 @@ msgstr "Este usuário não está bloqueado" #: blockuser.cpp:155 msgid "Couldn't block {1}" -msgstr "" +msgstr "Falha ao bloquear o usuário {1}" #: blockuser.cpp:164 msgid "User {1} is not blocked" -msgstr "" +msgstr "O usuário {1} não está bloqueado" #: blockuser.cpp:216 msgid "Enter one or more user names. Separate them by spaces." diff --git a/modules/po/buffextras.pt_BR.po b/modules/po/buffextras.pt_BR.po index 184f6458..dc449318 100644 --- a/modules/po/buffextras.pt_BR.po +++ b/modules/po/buffextras.pt_BR.po @@ -12,7 +12,7 @@ msgstr "" #: buffextras.cpp:45 msgid "Server" -msgstr "" +msgstr "Servidor" #: buffextras.cpp:47 msgid "{1} set mode: {2} {3}" @@ -20,27 +20,27 @@ msgstr "" #: buffextras.cpp:55 msgid "{1} kicked {2} with reason: {3}" -msgstr "" +msgstr "{1} expulsou {2}: {3}" #: buffextras.cpp:64 msgid "{1} quit: {2}" -msgstr "" +msgstr "{1} saiu: {2}" #: buffextras.cpp:73 msgid "{1} joined" -msgstr "" +msgstr "{1} entrou" #: buffextras.cpp:81 msgid "{1} parted: {2}" -msgstr "" +msgstr "{1} saiu do canal: {2}" #: buffextras.cpp:90 msgid "{1} is now known as {2}" -msgstr "" +msgstr "{1} trocou de apelido: {2}" #: buffextras.cpp:100 msgid "{1} changed the topic to: {2}" -msgstr "" +msgstr "{1} alterou o tópico para: {2}" #: buffextras.cpp:115 msgid "Adds joins, parts etc. to the playback buffer" diff --git a/modules/po/cert.pt_BR.po b/modules/po/cert.pt_BR.po index c6396d23..132299f4 100644 --- a/modules/po/cert.pt_BR.po +++ b/modules/po/cert.pt_BR.po @@ -28,15 +28,15 @@ msgstr "" #: modules/po/../data/cert/tmpl/index.tmpl:14 cert.cpp:72 msgid "Certificate" -msgstr "" +msgstr "Certificado" #: modules/po/../data/cert/tmpl/index.tmpl:18 msgid "PEM File:" -msgstr "" +msgstr "Arquivo PEM:" #: modules/po/../data/cert/tmpl/index.tmpl:22 msgid "Update" -msgstr "" +msgstr "Atualizar" #: cert.cpp:28 msgid "Pem file deleted" diff --git a/modules/po/certauth.pt_BR.po b/modules/po/certauth.pt_BR.po index 0824d0be..a3399965 100644 --- a/modules/po/certauth.pt_BR.po +++ b/modules/po/certauth.pt_BR.po @@ -37,7 +37,7 @@ msgstr "" #: certauth.cpp:31 msgid "[pubkey]" -msgstr "" +msgstr "[chave pública]" #: certauth.cpp:32 msgid "Add a public key. If key is not provided will use the current key" diff --git a/modules/po/clientnotify.pt_BR.po b/modules/po/clientnotify.pt_BR.po index e17965d7..d689c9ea 100644 --- a/modules/po/clientnotify.pt_BR.po +++ b/modules/po/clientnotify.pt_BR.po @@ -44,7 +44,7 @@ msgstr[1] "" #: clientnotify.cpp:108 msgid "Usage: Method " -msgstr "" +msgstr "Sintaxe: Method " #: clientnotify.cpp:114 clientnotify.cpp:127 clientnotify.cpp:140 msgid "Saved." @@ -52,11 +52,11 @@ msgstr "" #: clientnotify.cpp:121 msgid "Usage: NewOnly " -msgstr "" +msgstr "Sintaxe: NewOnly " #: clientnotify.cpp:134 msgid "Usage: OnDisconnect " -msgstr "" +msgstr "Sintaxe: OnDisconnect " #: clientnotify.cpp:145 msgid "" diff --git a/modules/po/controlpanel.pt_BR.po b/modules/po/controlpanel.pt_BR.po index 1cc446b6..533c6670 100644 --- a/modules/po/controlpanel.pt_BR.po +++ b/modules/po/controlpanel.pt_BR.po @@ -22,19 +22,19 @@ msgstr "Variáveis" #: controlpanel.cpp:78 msgid "String" -msgstr "" +msgstr "String" #: controlpanel.cpp:79 msgid "Boolean (true/false)" -msgstr "" +msgstr "Booleano (verdadeiro/falso)" #: controlpanel.cpp:80 msgid "Integer" -msgstr "" +msgstr "Inteiro" #: controlpanel.cpp:81 msgid "Number" -msgstr "" +msgstr "Número" #: controlpanel.cpp:126 msgid "The following variables are available when using the Set/Get commands:" @@ -76,7 +76,7 @@ msgstr "" #: controlpanel.cpp:215 msgid "Usage: Get [username]" -msgstr "" +msgstr "Sintaxe: Get [usuário]" #: controlpanel.cpp:305 controlpanel.cpp:508 controlpanel.cpp:583 #: controlpanel.cpp:659 controlpanel.cpp:794 controlpanel.cpp:879 @@ -85,17 +85,17 @@ msgstr "" #: controlpanel.cpp:314 msgid "Usage: Set " -msgstr "" +msgstr "Sintaxe: Set " #: controlpanel.cpp:336 controlpanel.cpp:624 msgid "This bind host is already set!" -msgstr "" +msgstr "Este host já está vinculado!" #: controlpanel.cpp:343 controlpanel.cpp:355 controlpanel.cpp:363 #: controlpanel.cpp:426 controlpanel.cpp:445 controlpanel.cpp:461 #: controlpanel.cpp:471 controlpanel.cpp:631 msgid "Access denied!" -msgstr "" +msgstr "Acesso negado!" #: controlpanel.cpp:377 controlpanel.cpp:386 controlpanel.cpp:843 msgid "Setting failed, limit for buffer size is {1}" @@ -119,7 +119,7 @@ msgstr "Idiomas suportados: {1}" #: controlpanel.cpp:520 msgid "Usage: GetNetwork [username] [network]" -msgstr "" +msgstr "Sintaxe: GetNetwork [usuário] [rede]" #: controlpanel.cpp:539 msgid "Error: A network must be specified to get another users settings." @@ -135,11 +135,11 @@ msgstr "" #: controlpanel.cpp:595 msgid "Usage: SetNetwork " -msgstr "" +msgstr "Sintaxe: SetNetwork " #: controlpanel.cpp:669 msgid "Usage: AddChan " -msgstr "" +msgstr "Sintaxe: AddChan " #: controlpanel.cpp:682 msgid "Error: User {1} already has a channel named {2}." @@ -156,7 +156,7 @@ msgstr "" #: controlpanel.cpp:703 msgid "Usage: DelChan " -msgstr "" +msgstr "Sintaxe: DelChan " #: controlpanel.cpp:718 msgid "Error: User {1} does not have any channel matching [{2}] in network {3}" @@ -170,7 +170,7 @@ msgstr[1] "" #: controlpanel.cpp:746 msgid "Usage: GetChan " -msgstr "" +msgstr "Sintaxe: GetChan " #: controlpanel.cpp:760 controlpanel.cpp:824 msgid "Error: No channels matching [{1}] found." @@ -178,17 +178,17 @@ msgstr "" #: controlpanel.cpp:809 msgid "Usage: SetChan " -msgstr "" +msgstr "Sintaxe: SetChan " #: controlpanel.cpp:890 controlpanel.cpp:900 msgctxt "listusers" msgid "Username" -msgstr "" +msgstr "Nome de usuário" #: controlpanel.cpp:891 controlpanel.cpp:901 msgctxt "listusers" msgid "Realname" -msgstr "" +msgstr "Nome real" #: controlpanel.cpp:892 controlpanel.cpp:904 controlpanel.cpp:906 msgctxt "listusers" @@ -208,12 +208,12 @@ msgstr "Apelido alternativo" #: controlpanel.cpp:895 controlpanel.cpp:909 msgctxt "listusers" msgid "Ident" -msgstr "" +msgstr "Ident" #: controlpanel.cpp:896 controlpanel.cpp:910 msgctxt "listusers" msgid "BindHost" -msgstr "" +msgstr "Host vinculado" #: controlpanel.cpp:904 controlpanel.cpp:1144 msgid "No" @@ -229,19 +229,19 @@ msgstr "" #: controlpanel.cpp:926 msgid "Usage: AddUser " -msgstr "" +msgstr "Sintaxe: AddUser " #: controlpanel.cpp:931 msgid "Error: User {1} already exists!" -msgstr "" +msgstr "Erro: o usuário {1} já existe!" #: controlpanel.cpp:943 controlpanel.cpp:1018 msgid "Error: User not added: {1}" -msgstr "" +msgstr "Erro: o usuário não foi adicionado: {1}" #: controlpanel.cpp:947 controlpanel.cpp:1022 msgid "User {1} added!" -msgstr "" +msgstr "O usuário {1} foi adicionado!" #: controlpanel.cpp:954 msgid "Error: You need to have admin rights to delete users!" @@ -249,7 +249,7 @@ msgstr "" #: controlpanel.cpp:960 msgid "Usage: DelUser " -msgstr "" +msgstr "Sintaxe: DelUser " #: controlpanel.cpp:972 msgid "Error: You can't delete yourself!" @@ -265,7 +265,7 @@ msgstr "" #: controlpanel.cpp:997 msgid "Usage: CloneUser " -msgstr "" +msgstr "Sintaxe: CloneUser " #: controlpanel.cpp:1012 msgid "Error: Cloning failed: {1}" @@ -273,7 +273,7 @@ msgstr "" #: controlpanel.cpp:1041 msgid "Usage: AddNetwork [user] network" -msgstr "" +msgstr "Sintaxe: AddNetwork [usuário] " #: controlpanel.cpp:1047 msgid "" @@ -295,7 +295,7 @@ msgstr "" #: controlpanel.cpp:1086 msgid "Usage: DelNetwork [user] network" -msgstr "" +msgstr "Sintaxe: DelNetwork [usuário] " #: controlpanel.cpp:1097 msgid "The currently active network can be deleted via {1}status" @@ -340,7 +340,7 @@ msgstr "" #: controlpanel.cpp:1160 msgid "Usage: AddServer [[+]port] [password]" -msgstr "" +msgstr "Sintaxe: AddServer [[+]porta] [senha]" #: controlpanel.cpp:1174 msgid "Added IRC Server {1} to network {2} for user {3}." @@ -352,7 +352,7 @@ msgstr "" #: controlpanel.cpp:1191 msgid "Usage: DelServer [[+]port] [password]" -msgstr "" +msgstr "Sintaxe: DelServer [[+]porta] [senha]" #: controlpanel.cpp:1206 msgid "Deleted IRC Server {1} from network {2} for user {3}." diff --git a/modules/po/webadmin.pt_BR.po b/modules/po/webadmin.pt_BR.po index 5bcb7b49..c93decd2 100644 --- a/modules/po/webadmin.pt_BR.po +++ b/modules/po/webadmin.pt_BR.po @@ -160,7 +160,7 @@ msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:58 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:99 msgid "BindHost:" -msgstr "" +msgstr "Host vinculado:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:65 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:112 diff --git a/src/po/znc.pt_BR.po b/src/po/znc.pt_BR.po index a8ed99b8..2b80b056 100644 --- a/src/po/znc.pt_BR.po +++ b/src/po/znc.pt_BR.po @@ -764,7 +764,7 @@ msgstr "SSL" #: ClientCommand.cpp:832 msgid "Usage: AddTrustedServerFingerprint " -msgstr "" +msgstr "Sintaxe: AddTrustedServerFingerprint " #: ClientCommand.cpp:836 ClientCommand.cpp:849 msgid "Done." @@ -772,11 +772,11 @@ msgstr "" #: ClientCommand.cpp:845 msgid "Usage: DelTrustedServerFingerprint " -msgstr "" +msgstr "Sintaxe: AddTrustedServerFingerprint " #: ClientCommand.cpp:858 msgid "No fingerprints added." -msgstr "" +msgstr "Nenhuma impressão digital adicionada." #: ClientCommand.cpp:874 ClientCommand.cpp:880 msgctxt "topicscmd" @@ -867,7 +867,7 @@ msgstr "Falha ao carregar o módulo global {1}: acesso negado." #: ClientCommand.cpp:1049 msgid "Unable to load network module {1}: Not connected with a network." -msgstr "" +msgstr "Falha ao carregar o módulo de rede {1}: sem conexão com uma rede." #: ClientCommand.cpp:1071 msgid "Unknown module type" @@ -887,35 +887,35 @@ msgstr "Falha ao carregar o módulo {1}: {2}" #: ClientCommand.cpp:1104 msgid "Unable to unload {1}: Access denied." -msgstr "" +msgstr "Falha ao descarregar {1}: acesso negado." #: ClientCommand.cpp:1110 msgid "Usage: UnloadMod [--type=global|user|network] " -msgstr "" +msgstr "Sintaxe: UnloadMod [--type=global|user|network] " #: ClientCommand.cpp:1119 msgid "Unable to determine type of {1}: {2}" -msgstr "" +msgstr "Falha ao determinar o tipo do módulo {1}: {2}" #: ClientCommand.cpp:1127 msgid "Unable to unload global module {1}: Access denied." -msgstr "" +msgstr "Falha ao descarregar o módulo global {1}: acesso negado." #: ClientCommand.cpp:1134 msgid "Unable to unload network module {1}: Not connected with a network." -msgstr "" +msgstr "Falha ao descarregar o módulo de rede {1}: sem conexão com uma rede." #: ClientCommand.cpp:1153 msgid "Unable to unload module {1}: Unknown module type" -msgstr "" +msgstr "Falha ao descarregar o módulo {1}: tipo de módulo desconhecido" #: ClientCommand.cpp:1166 msgid "Unable to reload modules. Access denied." -msgstr "" +msgstr "Falha ao recarregar módulos: acesso negado." #: ClientCommand.cpp:1187 msgid "Usage: ReloadMod [--type=global|user|network] [args]" -msgstr "" +msgstr "Sintaxe: ReloadMod [--type=global|user|network] [parâmetros]" #: ClientCommand.cpp:1196 msgid "Unable to reload {1}: {2}" @@ -923,15 +923,15 @@ msgstr "Falha ao recarregar {1}: {2}" #: ClientCommand.cpp:1204 msgid "Unable to reload global module {1}: Access denied." -msgstr "" +msgstr "Falha ao recarregar o módulo global {1}: acesso negado." #: ClientCommand.cpp:1211 msgid "Unable to reload network module {1}: Not connected with a network." -msgstr "" +msgstr "Falha ao recarregar o módulo de rede {1}: sem conexão com uma rede." #: ClientCommand.cpp:1233 msgid "Unable to reload module {1}: Unknown module type" -msgstr "" +msgstr "Falha ao recarregar o módulo {1}: tipo de módulo desconhecido" #: ClientCommand.cpp:1244 msgid "Usage: UpdateMod " @@ -939,7 +939,7 @@ msgstr "Uso: UpdateMod " #: ClientCommand.cpp:1248 msgid "Reloading {1} everywhere" -msgstr "" +msgstr "Recarregando {1}" #: ClientCommand.cpp:1250 msgid "Done" @@ -958,19 +958,19 @@ msgstr "" #: ClientCommand.cpp:1268 msgid "Usage: SetBindHost " -msgstr "Uso: SetBindHost " +msgstr "Sintaxe: SetBindHost " #: ClientCommand.cpp:1273 ClientCommand.cpp:1290 msgid "You already have this bind host!" -msgstr "" +msgstr "Você já está vinculado a este host!" #: ClientCommand.cpp:1278 msgid "Set bind host for network {1} to {2}" -msgstr "" +msgstr "Vincular o host {2} à rede {1}" #: ClientCommand.cpp:1285 msgid "Usage: SetUserBindHost " -msgstr "Uso: SetUserBindHost " +msgstr "Sintaxe: SetUserBindHost " #: ClientCommand.cpp:1295 msgid "Set default bind host to {1}" @@ -996,15 +996,15 @@ msgstr "" #: ClientCommand.cpp:1315 msgid "This user's default bind host is {1}" -msgstr "" +msgstr "O host padrão vinculado a este usuário é {1}" #: ClientCommand.cpp:1320 msgid "This network's bind host not set" -msgstr "" +msgstr "Esta rede não possui hosts vinculados" #: ClientCommand.cpp:1322 msgid "This network's default bind host is {1}" -msgstr "" +msgstr "O host padrão vinculado a esta rede é {1}" #: ClientCommand.cpp:1336 msgid "Usage: PlayBuffer <#chan|query>" @@ -1129,7 +1129,7 @@ msgstr "Porta" #: ClientCommand.cpp:1548 ClientCommand.cpp:1559 msgctxt "listports" msgid "BindHost" -msgstr "BindHost" +msgstr "Host vinculado" #: ClientCommand.cpp:1549 ClientCommand.cpp:1562 msgctxt "listports" @@ -1293,7 +1293,7 @@ msgstr "Adiciona uma rede ao seu usuário" #: ClientCommand.cpp:1718 msgctxt "helpcmd|DelNetwork|args" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1719 msgctxt "helpcmd|DelNetwork|desc" @@ -1308,7 +1308,7 @@ msgstr "Listar todas as redes" #: ClientCommand.cpp:1724 msgctxt "helpcmd|MoveNetwork|args" msgid " [new network]" -msgstr "" +msgstr " [rede nova]" #: ClientCommand.cpp:1726 msgctxt "helpcmd|MoveNetwork|desc" @@ -1318,7 +1318,7 @@ msgstr "Move uma rede de um usuário para outro" #: ClientCommand.cpp:1730 msgctxt "helpcmd|JumpNetwork|args" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1731 msgctxt "helpcmd|JumpNetwork|desc" @@ -1326,34 +1326,36 @@ msgid "" "Jump to another network (Alternatively, you can connect to ZNC several " "times, using `user/network` as username)" msgstr "" +"Troca para outra rede (você pode também conectar ao ZNC várias vezes " +"utilizando `usuário/rede` como nome de usuário)" #: ClientCommand.cpp:1736 msgctxt "helpcmd|AddServer|args" msgid " [[+]port] [pass]" -msgstr "" +msgstr " [[+]porta] [senha]" #: ClientCommand.cpp:1737 msgctxt "helpcmd|AddServer|desc" msgid "" "Add a server to the list of alternate/backup servers of current IRC network." -msgstr "" +msgstr "Adiciona um servidor à lista de servidores alternativos da rede atual." #: ClientCommand.cpp:1741 msgctxt "helpcmd|DelServer|args" msgid " [port] [pass]" -msgstr "" +msgstr " [porta] [senha]" #: ClientCommand.cpp:1742 msgctxt "helpcmd|DelServer|desc" msgid "" "Remove a server from the list of alternate/backup servers of current IRC " "network" -msgstr "" +msgstr "Remove um servidor da lista de servidores alternativos da rede atual." #: ClientCommand.cpp:1748 msgctxt "helpcmd|AddTrustedServerFingerprint|args" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1749 msgctxt "helpcmd|AddTrustedServerFingerprint|desc" @@ -1361,26 +1363,28 @@ msgid "" "Add a trusted server SSL certificate fingerprint (SHA-256) to current IRC " "network." msgstr "" +"Adiciona a impressão digital (SHA-256) do certificado SSL confiável de um " +"servidor à rede atual." #: ClientCommand.cpp:1754 msgctxt "helpcmd|DelTrustedServerFingerprint|args" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1755 msgctxt "helpcmd|DelTrustedServerFingerprint|desc" msgid "Delete a trusted server SSL certificate from current IRC network." -msgstr "" +msgstr "Exclui um certificado SSL confiável da rede atual." #: ClientCommand.cpp:1759 msgctxt "helpcmd|ListTrustedServerFingerprints|desc" msgid "List all trusted server SSL certificates of current IRC network." -msgstr "" +msgstr "Lista todos os certificados SSL confiáveis da rede atual." #: ClientCommand.cpp:1762 msgctxt "helpcmd|EnableChan|args" msgid "<#chans>" -msgstr "" +msgstr "<#canais>" #: ClientCommand.cpp:1763 msgctxt "helpcmd|EnableChan|desc" @@ -1390,12 +1394,12 @@ msgstr "Habilitar canais" #: ClientCommand.cpp:1764 msgctxt "helpcmd|DisableChan|args" msgid "<#chans>" -msgstr "" +msgstr "<#canais>" #: ClientCommand.cpp:1765 msgctxt "helpcmd|DisableChan|desc" msgid "Disable channels" -msgstr "" +msgstr "Desativar canais" #: ClientCommand.cpp:1766 msgctxt "helpcmd|Attach|args" @@ -1470,22 +1474,22 @@ msgstr "" #: ClientCommand.cpp:1795 msgctxt "helpcmd|SetBindHost|args" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1796 msgctxt "helpcmd|SetBindHost|desc" msgid "Set the bind host for this network" -msgstr "" +msgstr "Vincula o host especificado a esta rede" #: ClientCommand.cpp:1800 msgctxt "helpcmd|SetUserBindHost|args" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1801 msgctxt "helpcmd|SetUserBindHost|desc" msgid "Set the default bind host for this user" -msgstr "" +msgstr "Vincula o host especificado a este usuário" #: ClientCommand.cpp:1804 msgctxt "helpcmd|ClearBindHost|desc" From 5fd7584e7c4efadc5e1e7153340c18810f91e2a2 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Fri, 8 May 2020 00:27:21 +0000 Subject: [PATCH 388/798] Update translations from Crowdin for pt_BR --- modules/po/autocycle.pt_BR.po | 2 +- modules/po/autoop.pt_BR.po | 14 ++++++++------ modules/po/autovoice.pt_BR.po | 2 +- modules/po/controlpanel.pt_BR.po | 16 ++++++++-------- modules/po/crypt.pt_BR.po | 4 ++-- modules/po/ctcpflood.pt_BR.po | 4 ++-- modules/po/cyrusauth.pt_BR.po | 2 +- modules/po/dcc.pt_BR.po | 4 ++-- modules/po/fail2ban.pt_BR.po | 8 ++++---- modules/po/log.pt_BR.po | 4 +++- modules/po/perform.pt_BR.po | 2 +- modules/po/stickychan.pt_BR.po | 4 ++-- src/po/znc.pt_BR.po | 32 +++++++++++++++++--------------- 13 files changed, 52 insertions(+), 46 deletions(-) diff --git a/modules/po/autocycle.pt_BR.po b/modules/po/autocycle.pt_BR.po index dc053998..e7743d8d 100644 --- a/modules/po/autocycle.pt_BR.po +++ b/modules/po/autocycle.pt_BR.po @@ -40,7 +40,7 @@ msgstr "" #: autocycle.cpp:70 msgid "Usage: Add [!]<#chan>" -msgstr "" +msgstr "Sintaxe: Add [!]<#canal>" #: autocycle.cpp:78 msgid "Removed {1} from list" diff --git a/modules/po/autoop.pt_BR.po b/modules/po/autoop.pt_BR.po index ede3f80c..4fa342f6 100644 --- a/modules/po/autoop.pt_BR.po +++ b/modules/po/autoop.pt_BR.po @@ -56,11 +56,13 @@ msgstr "Remove um usuário" #: autoop.cpp:275 msgid "Usage: AddUser [,...] [channels]" -msgstr "Uso: AddUser [,...] [channels]" +msgstr "" +"Sintaxe: AddUser [,...] " +" [canais]" #: autoop.cpp:291 msgid "Usage: DelUser " -msgstr "Uso: DelUser " +msgstr "Sintaxe: DelUser " #: autoop.cpp:300 msgid "There are no users defined" @@ -84,7 +86,7 @@ msgstr "Canais" #: autoop.cpp:337 msgid "Usage: AddChans [channel] ..." -msgstr "Uso: AddChans [channel] ..." +msgstr "Sintaxe: AddChans [canal] ..." #: autoop.cpp:344 autoop.cpp:365 autoop.cpp:387 autoop.cpp:408 autoop.cpp:472 msgid "No such user" @@ -96,7 +98,7 @@ msgstr "Canal(ais) adicionado(s) ao usuário {1}" #: autoop.cpp:358 msgid "Usage: DelChans [channel] ..." -msgstr "Uso: DelChans [channel] ..." +msgstr "Sintaxe: DelChans [canal] ..." #: autoop.cpp:371 msgid "Channel(s) Removed from user {1}" @@ -104,7 +106,7 @@ msgstr "Canal(ais) removido(s) do usuário {1}" #: autoop.cpp:380 msgid "Usage: AddMasks ,[mask] ..." -msgstr "Uso: AddMasks ,[mask] ..." +msgstr "Sintaxe: AddMasks ,[máscara] ..." #: autoop.cpp:392 msgid "Hostmasks(s) added to user {1}" @@ -112,7 +114,7 @@ msgstr "Máscara(s) de host adicionada(s) ao usuário {1}" #: autoop.cpp:401 msgid "Usage: DelMasks ,[mask] ..." -msgstr "Uso: DelMasks ,[mask] ..." +msgstr "Sintaxe: DelMasks ,[máscara] ..." #: autoop.cpp:413 msgid "Removed user {1} with key {2} and channels {3}" diff --git a/modules/po/autovoice.pt_BR.po b/modules/po/autovoice.pt_BR.po index 56341b9d..9778a40f 100644 --- a/modules/po/autovoice.pt_BR.po +++ b/modules/po/autovoice.pt_BR.po @@ -48,7 +48,7 @@ msgstr "Sintaxe: AddUser [canais]" #: autovoice.cpp:229 msgid "Usage: DelUser " -msgstr "Uso: DelUser " +msgstr "Sintaxe: DelUser " #: autovoice.cpp:238 msgid "There are no users defined" diff --git a/modules/po/controlpanel.pt_BR.po b/modules/po/controlpanel.pt_BR.po index 9523c76b..3fc29590 100644 --- a/modules/po/controlpanel.pt_BR.po +++ b/modules/po/controlpanel.pt_BR.po @@ -364,7 +364,7 @@ msgstr "" #: controlpanel.cpp:1220 msgid "Usage: Reconnect " -msgstr "" +msgstr "Sintaxe: Reconnect " #: controlpanel.cpp:1247 msgid "Queued network {1} of user {2} for a reconnect." @@ -372,7 +372,7 @@ msgstr "" #: controlpanel.cpp:1256 msgid "Usage: Disconnect " -msgstr "" +msgstr "Sintaxe: Disconnect " #: controlpanel.cpp:1271 msgid "Closed IRC connection for network {1} of user {2}." @@ -398,7 +398,7 @@ msgstr "" #: controlpanel.cpp:1315 msgid "Usage: AddCTCP [user] [request] [reply]" -msgstr "" +msgstr "Sintaxe: AddCTCP [usuário] [pedido] [resposta]" #: controlpanel.cpp:1317 msgid "" @@ -419,7 +419,7 @@ msgstr "" #: controlpanel.cpp:1350 msgid "Usage: DelCTCP [user] [request]" -msgstr "" +msgstr "Sintaxe: DelCTCP [usuário] [pedido]" #: controlpanel.cpp:1356 msgid "CTCP requests {1} to user {2} will now be sent to IRC clients" @@ -457,11 +457,11 @@ msgstr "" #: controlpanel.cpp:1405 msgid "Usage: LoadModule [args]" -msgstr "" +msgstr "Sintaxe: LoadModule [parâmetros]" #: controlpanel.cpp:1424 msgid "Usage: LoadNetModule [args]" -msgstr "" +msgstr "Sintaxe: LoadModule [parâmetros]" #: controlpanel.cpp:1449 msgid "Please use /znc unloadmod {1}" @@ -477,11 +477,11 @@ msgstr "" #: controlpanel.cpp:1467 msgid "Usage: UnloadModule " -msgstr "" +msgstr "Sintaxe: UnloadModule " #: controlpanel.cpp:1484 msgid "Usage: UnloadNetModule " -msgstr "" +msgstr "Sintaxe: UnloadNetModule " #: controlpanel.cpp:1501 controlpanel.cpp:1507 msgctxt "listmodules" diff --git a/modules/po/crypt.pt_BR.po b/modules/po/crypt.pt_BR.po index b9748466..3e7edc78 100644 --- a/modules/po/crypt.pt_BR.po +++ b/modules/po/crypt.pt_BR.po @@ -84,7 +84,7 @@ msgstr "" #: crypt.cpp:417 msgid "Usage: SetKey <#chan|Nick> " -msgstr "" +msgstr "Sintaxe: SetKey <#canal|apelido> " #: crypt.cpp:428 msgid "Sent my DH1080 public key to {1}, waiting for reply ..." @@ -96,7 +96,7 @@ msgstr "" #: crypt.cpp:433 msgid "Usage: KeyX " -msgstr "" +msgstr "Sintaxe: KeyX " #: crypt.cpp:440 msgid "Nick Prefix disabled." diff --git a/modules/po/ctcpflood.pt_BR.po b/modules/po/ctcpflood.pt_BR.po index 8a345530..1494175a 100644 --- a/modules/po/ctcpflood.pt_BR.po +++ b/modules/po/ctcpflood.pt_BR.po @@ -32,11 +32,11 @@ msgstr "" #: ctcpflood.cpp:98 msgid "Usage: Secs " -msgstr "" +msgstr "Sintaxe: Secs " #: ctcpflood.cpp:113 msgid "Usage: Lines " -msgstr "" +msgstr "Sintaxe: Lines " #: ctcpflood.cpp:125 msgid "1 CTCP message" diff --git a/modules/po/cyrusauth.pt_BR.po b/modules/po/cyrusauth.pt_BR.po index 40b57654..8af5ed8e 100644 --- a/modules/po/cyrusauth.pt_BR.po +++ b/modules/po/cyrusauth.pt_BR.po @@ -58,7 +58,7 @@ msgstr "" #: cyrusauth.cpp:199 msgid "Usage: CreateUsers yes, CreateUsers no, or CreateUsers clone " -msgstr "" +msgstr "Sintaxe: CreateUsers " #: cyrusauth.cpp:232 msgid "" diff --git a/modules/po/dcc.pt_BR.po b/modules/po/dcc.pt_BR.po index 914e2632..12dc9b28 100644 --- a/modules/po/dcc.pt_BR.po +++ b/modules/po/dcc.pt_BR.po @@ -49,7 +49,7 @@ msgstr "" #: dcc.cpp:179 msgid "Usage: Send " -msgstr "" +msgstr "Sintaxe: Send " #: dcc.cpp:186 dcc.cpp:206 msgid "Illegal path." @@ -57,7 +57,7 @@ msgstr "" #: dcc.cpp:199 msgid "Usage: Get " -msgstr "" +msgstr "Sintaxe: Get " #: dcc.cpp:215 dcc.cpp:232 dcc.cpp:234 msgctxt "list" diff --git a/modules/po/fail2ban.pt_BR.po b/modules/po/fail2ban.pt_BR.po index 3e3ebc16..dc70c7d0 100644 --- a/modules/po/fail2ban.pt_BR.po +++ b/modules/po/fail2ban.pt_BR.po @@ -55,7 +55,7 @@ msgstr "" #: fail2ban.cpp:86 msgid "Usage: Timeout [minutes]" -msgstr "" +msgstr "Sintaxe: Timeout [minutos]" #: fail2ban.cpp:91 fail2ban.cpp:94 msgid "Timeout: {1} min" @@ -63,7 +63,7 @@ msgstr "" #: fail2ban.cpp:109 msgid "Usage: Attempts [count]" -msgstr "" +msgstr "Sintaxe: Attempts [quantidade]" #: fail2ban.cpp:114 fail2ban.cpp:117 msgid "Attempts: {1}" @@ -71,7 +71,7 @@ msgstr "" #: fail2ban.cpp:130 msgid "Usage: Ban " -msgstr "" +msgstr "Sintaxe: Ban " #: fail2ban.cpp:140 msgid "Banned: {1}" @@ -79,7 +79,7 @@ msgstr "" #: fail2ban.cpp:153 msgid "Usage: Unban " -msgstr "" +msgstr "Sintaxe: Unban " #: fail2ban.cpp:163 msgid "Unbanned: {1}" diff --git a/modules/po/log.pt_BR.po b/modules/po/log.pt_BR.po index a7630cea..9cf28b18 100644 --- a/modules/po/log.pt_BR.po +++ b/modules/po/log.pt_BR.po @@ -40,7 +40,7 @@ msgstr "" #: log.cpp:143 msgid "Usage: SetRules " -msgstr "" +msgstr "Sintaxe: SetRules " #: log.cpp:144 msgid "Wildcards are allowed" @@ -70,6 +70,8 @@ msgstr "" msgid "" "Usage: Set true|false, where is one of: joins, quits, nickchanges" msgstr "" +"Sintaxe: Set true|false, onde é: joins, quits, " +"nickchanges" #: log.cpp:197 msgid "Will log joins" diff --git a/modules/po/perform.pt_BR.po b/modules/po/perform.pt_BR.po index fc7fdf42..81f4bb96 100644 --- a/modules/po/perform.pt_BR.po +++ b/modules/po/perform.pt_BR.po @@ -28,7 +28,7 @@ msgstr "" #: perform.cpp:24 msgid "Usage: add " -msgstr "" +msgstr "Sintaxe: add " #: perform.cpp:29 msgid "Added!" diff --git a/modules/po/stickychan.pt_BR.po b/modules/po/stickychan.pt_BR.po index e5f6e4ee..3847f431 100644 --- a/modules/po/stickychan.pt_BR.po +++ b/modules/po/stickychan.pt_BR.po @@ -48,7 +48,7 @@ msgstr "" #: stickychan.cpp:75 msgid "Usage: Stick <#channel> [key]" -msgstr "" +msgstr "Sintaxe: Stick <#canal> [senha]" #: stickychan.cpp:79 msgid "Stuck {1}" @@ -56,7 +56,7 @@ msgstr "" #: stickychan.cpp:85 msgid "Usage: Unstick <#channel>" -msgstr "" +msgstr "Sintaxe: Unstick <#canal>" #: stickychan.cpp:89 msgid "Unstuck {1}" diff --git a/src/po/znc.pt_BR.po b/src/po/znc.pt_BR.po index 8c431141..cf533982 100644 --- a/src/po/znc.pt_BR.po +++ b/src/po/znc.pt_BR.po @@ -259,7 +259,7 @@ msgstr "Olá. Como posso ajudá-lo(a)?" #: Client.cpp:1331 msgid "Usage: /attach <#chans>" -msgstr "Uso: /attach <#canais>" +msgstr "Sintaxe: /attach <#canais>" #: Client.cpp:1338 Client.cpp:1360 ClientCommand.cpp:129 ClientCommand.cpp:151 msgid "There was {1} channel matching [{2}]" @@ -275,7 +275,7 @@ msgstr[1] "{1} canais foram anexados" #: Client.cpp:1353 msgid "Usage: /detach <#chans>" -msgstr "Uso: /detach <#canais>" +msgstr "Sintaxe: /detach <#canais>" #: Client.cpp:1363 ClientCommand.cpp:154 msgid "Detached {1} channel" @@ -422,7 +422,7 @@ msgstr "Você precisa estar conectado a uma rede para usar este comando" #: ClientCommand.cpp:58 msgid "Usage: ListNicks <#chan>" -msgstr "Uso: ListNicks <#canal>" +msgstr "Sintaxe: ListNicks <#canal>" #: ClientCommand.cpp:65 msgid "You are not on [{1}]" @@ -450,11 +450,11 @@ msgstr "Host" #: ClientCommand.cpp:122 msgid "Usage: Attach <#chans>" -msgstr "Uso: Attach <#canais>" +msgstr "Sintaxe: Attach <#canais>" #: ClientCommand.cpp:144 msgid "Usage: Detach <#chans>" -msgstr "Uso: Detach <#canais>" +msgstr "Sintaxe: Detach <#canais>" #: ClientCommand.cpp:161 msgid "There is no MOTD set." @@ -478,7 +478,7 @@ msgstr "Erro ao tentar gravar as configurações." #: ClientCommand.cpp:455 msgid "Usage: ListChans" -msgstr "Uso: ListChans" +msgstr "Sintaxe: ListChans" #: ClientCommand.cpp:462 msgid "No such user [{1}]" @@ -567,7 +567,7 @@ msgstr "" #: ClientCommand.cpp:550 msgid "Usage: AddNetwork " -msgstr "Uso: AddNetwork " +msgstr "Sintaxe: AddNetwork " #: ClientCommand.cpp:554 msgid "Network name should be alphanumeric" @@ -587,7 +587,7 @@ msgstr "Não foi possível adicionar esta rede" #: ClientCommand.cpp:573 msgid "Usage: DelNetwork " -msgstr "Uso: DelNetwork " +msgstr "Sintaxe: DelNetwork " #: ClientCommand.cpp:582 msgid "Network deleted" @@ -648,7 +648,8 @@ msgstr "Acesso negado." #: ClientCommand.cpp:643 msgid "Usage: MoveNetwork [new network]" msgstr "" -"Uso: MoveNetwork [nova rede]" +"Sintaxe: MoveNetwork [nova " +"rede]" #: ClientCommand.cpp:653 msgid "Old user {1} not found." @@ -707,7 +708,7 @@ msgstr "Você não tem uma rede chamada {1}" #: ClientCommand.cpp:754 msgid "Usage: AddServer [[+]port] [pass]" -msgstr "Uso: AddServer [[+]porta] [pass]" +msgstr "Sintaxe: AddServer [[+]porta] [senha]" #: ClientCommand.cpp:759 msgid "Server added" @@ -723,7 +724,7 @@ msgstr "" #: ClientCommand.cpp:777 msgid "Usage: DelServer [port] [pass]" -msgstr "Uso: DelServer [port] [pass]" +msgstr "Sintaxe: DelServer [porta] [senha]" #: ClientCommand.cpp:782 ClientCommand.cpp:822 msgid "You don't have any servers added." @@ -855,7 +856,7 @@ msgstr "Falha ao carregar {1}: acesso negado." #: ClientCommand.cpp:1026 msgid "Usage: LoadMod [--type=global|user|network] [args]" -msgstr "Uso: LoadMod [--type=global|user|network] [parâmetros]" +msgstr "Sintaxe: LoadMod [--type=global|user|network] [parâmetros]" #: ClientCommand.cpp:1033 msgid "Unable to load {1}: {2}" @@ -935,7 +936,7 @@ msgstr "Falha ao recarregar o módulo {1}: tipo de módulo desconhecido" #: ClientCommand.cpp:1244 msgid "Usage: UpdateMod " -msgstr "Uso: UpdateMod " +msgstr "Sintaxe: UpdateMod " #: ClientCommand.cpp:1248 msgid "Reloading {1} everywhere" @@ -1200,7 +1201,8 @@ msgstr "não" msgid "" "Usage: AddPort <[+]port> [bindhost [uriprefix]]" msgstr "" -"Uso: AddPort <[+]porta> [bindhost [uriprefix]]" +"Sintaxe: AddPort <[+]porta> [host vinculado " +"[prefixo de URI]]" #: ClientCommand.cpp:1640 msgid "Port added" @@ -1212,7 +1214,7 @@ msgstr "Não foi possível adicionar esta porta" #: ClientCommand.cpp:1648 msgid "Usage: DelPort [bindhost]" -msgstr "Uso: DelPort [bindhost]" +msgstr "Sintaxe: DelPort [host vinculado]" #: ClientCommand.cpp:1657 msgid "Deleted Port" From d224630d635a57fa33ba6586b073fc1b0de2d612 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Fri, 8 May 2020 00:27:39 +0000 Subject: [PATCH 389/798] Update translations from Crowdin for pt_BR --- modules/po/autocycle.pt_BR.po | 2 +- modules/po/autoop.pt_BR.po | 14 ++++++++------ modules/po/autovoice.pt_BR.po | 2 +- modules/po/controlpanel.pt_BR.po | 16 ++++++++-------- modules/po/crypt.pt_BR.po | 4 ++-- modules/po/ctcpflood.pt_BR.po | 4 ++-- modules/po/cyrusauth.pt_BR.po | 2 +- modules/po/dcc.pt_BR.po | 4 ++-- modules/po/fail2ban.pt_BR.po | 8 ++++---- modules/po/log.pt_BR.po | 4 +++- modules/po/perform.pt_BR.po | 2 +- modules/po/stickychan.pt_BR.po | 4 ++-- src/po/znc.pt_BR.po | 32 +++++++++++++++++--------------- 13 files changed, 52 insertions(+), 46 deletions(-) diff --git a/modules/po/autocycle.pt_BR.po b/modules/po/autocycle.pt_BR.po index c2b85a9d..01c1c1ed 100644 --- a/modules/po/autocycle.pt_BR.po +++ b/modules/po/autocycle.pt_BR.po @@ -40,7 +40,7 @@ msgstr "" #: autocycle.cpp:70 msgid "Usage: Add [!]<#chan>" -msgstr "" +msgstr "Sintaxe: Add [!]<#canal>" #: autocycle.cpp:78 msgid "Removed {1} from list" diff --git a/modules/po/autoop.pt_BR.po b/modules/po/autoop.pt_BR.po index 21d4272c..bf581fa2 100644 --- a/modules/po/autoop.pt_BR.po +++ b/modules/po/autoop.pt_BR.po @@ -56,11 +56,13 @@ msgstr "Remove um usuário" #: autoop.cpp:275 msgid "Usage: AddUser [,...] [channels]" -msgstr "Uso: AddUser [,...] [channels]" +msgstr "" +"Sintaxe: AddUser [,...] " +" [canais]" #: autoop.cpp:291 msgid "Usage: DelUser " -msgstr "Uso: DelUser " +msgstr "Sintaxe: DelUser " #: autoop.cpp:300 msgid "There are no users defined" @@ -84,7 +86,7 @@ msgstr "Canais" #: autoop.cpp:337 msgid "Usage: AddChans [channel] ..." -msgstr "Uso: AddChans [channel] ..." +msgstr "Sintaxe: AddChans [canal] ..." #: autoop.cpp:344 autoop.cpp:365 autoop.cpp:387 autoop.cpp:408 autoop.cpp:472 msgid "No such user" @@ -96,7 +98,7 @@ msgstr "Canal(ais) adicionado(s) ao usuário {1}" #: autoop.cpp:358 msgid "Usage: DelChans [channel] ..." -msgstr "Uso: DelChans [channel] ..." +msgstr "Sintaxe: DelChans [canal] ..." #: autoop.cpp:371 msgid "Channel(s) Removed from user {1}" @@ -104,7 +106,7 @@ msgstr "Canal(ais) removido(s) do usuário {1}" #: autoop.cpp:380 msgid "Usage: AddMasks ,[mask] ..." -msgstr "Uso: AddMasks ,[mask] ..." +msgstr "Sintaxe: AddMasks ,[máscara] ..." #: autoop.cpp:392 msgid "Hostmasks(s) added to user {1}" @@ -112,7 +114,7 @@ msgstr "Máscara(s) de host adicionada(s) ao usuário {1}" #: autoop.cpp:401 msgid "Usage: DelMasks ,[mask] ..." -msgstr "Uso: DelMasks ,[mask] ..." +msgstr "Sintaxe: DelMasks ,[máscara] ..." #: autoop.cpp:413 msgid "Removed user {1} with key {2} and channels {3}" diff --git a/modules/po/autovoice.pt_BR.po b/modules/po/autovoice.pt_BR.po index 52e50200..979d4bf6 100644 --- a/modules/po/autovoice.pt_BR.po +++ b/modules/po/autovoice.pt_BR.po @@ -48,7 +48,7 @@ msgstr "Sintaxe: AddUser [canais]" #: autovoice.cpp:229 msgid "Usage: DelUser " -msgstr "Uso: DelUser " +msgstr "Sintaxe: DelUser " #: autovoice.cpp:238 msgid "There are no users defined" diff --git a/modules/po/controlpanel.pt_BR.po b/modules/po/controlpanel.pt_BR.po index 533c6670..62f139bb 100644 --- a/modules/po/controlpanel.pt_BR.po +++ b/modules/po/controlpanel.pt_BR.po @@ -364,7 +364,7 @@ msgstr "" #: controlpanel.cpp:1220 msgid "Usage: Reconnect " -msgstr "" +msgstr "Sintaxe: Reconnect " #: controlpanel.cpp:1247 msgid "Queued network {1} of user {2} for a reconnect." @@ -372,7 +372,7 @@ msgstr "" #: controlpanel.cpp:1256 msgid "Usage: Disconnect " -msgstr "" +msgstr "Sintaxe: Disconnect " #: controlpanel.cpp:1271 msgid "Closed IRC connection for network {1} of user {2}." @@ -398,7 +398,7 @@ msgstr "" #: controlpanel.cpp:1315 msgid "Usage: AddCTCP [user] [request] [reply]" -msgstr "" +msgstr "Sintaxe: AddCTCP [usuário] [pedido] [resposta]" #: controlpanel.cpp:1317 msgid "" @@ -419,7 +419,7 @@ msgstr "" #: controlpanel.cpp:1350 msgid "Usage: DelCTCP [user] [request]" -msgstr "" +msgstr "Sintaxe: DelCTCP [usuário] [pedido]" #: controlpanel.cpp:1356 msgid "CTCP requests {1} to user {2} will now be sent to IRC clients" @@ -457,11 +457,11 @@ msgstr "" #: controlpanel.cpp:1405 msgid "Usage: LoadModule [args]" -msgstr "" +msgstr "Sintaxe: LoadModule [parâmetros]" #: controlpanel.cpp:1424 msgid "Usage: LoadNetModule [args]" -msgstr "" +msgstr "Sintaxe: LoadModule [parâmetros]" #: controlpanel.cpp:1449 msgid "Please use /znc unloadmod {1}" @@ -477,11 +477,11 @@ msgstr "" #: controlpanel.cpp:1467 msgid "Usage: UnloadModule " -msgstr "" +msgstr "Sintaxe: UnloadModule " #: controlpanel.cpp:1484 msgid "Usage: UnloadNetModule " -msgstr "" +msgstr "Sintaxe: UnloadNetModule " #: controlpanel.cpp:1501 controlpanel.cpp:1507 msgctxt "listmodules" diff --git a/modules/po/crypt.pt_BR.po b/modules/po/crypt.pt_BR.po index 4e2fc0f5..ea9e716f 100644 --- a/modules/po/crypt.pt_BR.po +++ b/modules/po/crypt.pt_BR.po @@ -84,7 +84,7 @@ msgstr "" #: crypt.cpp:417 msgid "Usage: SetKey <#chan|Nick> " -msgstr "" +msgstr "Sintaxe: SetKey <#canal|apelido> " #: crypt.cpp:428 msgid "Sent my DH1080 public key to {1}, waiting for reply ..." @@ -96,7 +96,7 @@ msgstr "" #: crypt.cpp:433 msgid "Usage: KeyX " -msgstr "" +msgstr "Sintaxe: KeyX " #: crypt.cpp:440 msgid "Nick Prefix disabled." diff --git a/modules/po/ctcpflood.pt_BR.po b/modules/po/ctcpflood.pt_BR.po index bb200517..e92f9987 100644 --- a/modules/po/ctcpflood.pt_BR.po +++ b/modules/po/ctcpflood.pt_BR.po @@ -32,11 +32,11 @@ msgstr "" #: ctcpflood.cpp:98 msgid "Usage: Secs " -msgstr "" +msgstr "Sintaxe: Secs " #: ctcpflood.cpp:113 msgid "Usage: Lines " -msgstr "" +msgstr "Sintaxe: Lines " #: ctcpflood.cpp:125 msgid "1 CTCP message" diff --git a/modules/po/cyrusauth.pt_BR.po b/modules/po/cyrusauth.pt_BR.po index ad478d35..53806963 100644 --- a/modules/po/cyrusauth.pt_BR.po +++ b/modules/po/cyrusauth.pt_BR.po @@ -58,7 +58,7 @@ msgstr "" #: cyrusauth.cpp:199 msgid "Usage: CreateUsers yes, CreateUsers no, or CreateUsers clone " -msgstr "" +msgstr "Sintaxe: CreateUsers " #: cyrusauth.cpp:232 msgid "" diff --git a/modules/po/dcc.pt_BR.po b/modules/po/dcc.pt_BR.po index 842383d9..948bb3a6 100644 --- a/modules/po/dcc.pt_BR.po +++ b/modules/po/dcc.pt_BR.po @@ -49,7 +49,7 @@ msgstr "" #: dcc.cpp:179 msgid "Usage: Send " -msgstr "" +msgstr "Sintaxe: Send " #: dcc.cpp:186 dcc.cpp:206 msgid "Illegal path." @@ -57,7 +57,7 @@ msgstr "" #: dcc.cpp:199 msgid "Usage: Get " -msgstr "" +msgstr "Sintaxe: Get " #: dcc.cpp:215 dcc.cpp:232 dcc.cpp:234 msgctxt "list" diff --git a/modules/po/fail2ban.pt_BR.po b/modules/po/fail2ban.pt_BR.po index 66b7c089..1fc006b0 100644 --- a/modules/po/fail2ban.pt_BR.po +++ b/modules/po/fail2ban.pt_BR.po @@ -55,7 +55,7 @@ msgstr "" #: fail2ban.cpp:86 msgid "Usage: Timeout [minutes]" -msgstr "" +msgstr "Sintaxe: Timeout [minutos]" #: fail2ban.cpp:91 fail2ban.cpp:94 msgid "Timeout: {1} min" @@ -63,7 +63,7 @@ msgstr "" #: fail2ban.cpp:109 msgid "Usage: Attempts [count]" -msgstr "" +msgstr "Sintaxe: Attempts [quantidade]" #: fail2ban.cpp:114 fail2ban.cpp:117 msgid "Attempts: {1}" @@ -71,7 +71,7 @@ msgstr "" #: fail2ban.cpp:130 msgid "Usage: Ban " -msgstr "" +msgstr "Sintaxe: Ban " #: fail2ban.cpp:140 msgid "Banned: {1}" @@ -79,7 +79,7 @@ msgstr "" #: fail2ban.cpp:153 msgid "Usage: Unban " -msgstr "" +msgstr "Sintaxe: Unban " #: fail2ban.cpp:163 msgid "Unbanned: {1}" diff --git a/modules/po/log.pt_BR.po b/modules/po/log.pt_BR.po index ad60285c..6de3e70f 100644 --- a/modules/po/log.pt_BR.po +++ b/modules/po/log.pt_BR.po @@ -40,7 +40,7 @@ msgstr "" #: log.cpp:143 msgid "Usage: SetRules " -msgstr "" +msgstr "Sintaxe: SetRules " #: log.cpp:144 msgid "Wildcards are allowed" @@ -70,6 +70,8 @@ msgstr "" msgid "" "Usage: Set true|false, where is one of: joins, quits, nickchanges" msgstr "" +"Sintaxe: Set true|false, onde é: joins, quits, " +"nickchanges" #: log.cpp:197 msgid "Will log joins" diff --git a/modules/po/perform.pt_BR.po b/modules/po/perform.pt_BR.po index 701347e3..86d714ba 100644 --- a/modules/po/perform.pt_BR.po +++ b/modules/po/perform.pt_BR.po @@ -28,7 +28,7 @@ msgstr "" #: perform.cpp:24 msgid "Usage: add " -msgstr "" +msgstr "Sintaxe: add " #: perform.cpp:29 msgid "Added!" diff --git a/modules/po/stickychan.pt_BR.po b/modules/po/stickychan.pt_BR.po index 4d1fe6bd..60a06f7a 100644 --- a/modules/po/stickychan.pt_BR.po +++ b/modules/po/stickychan.pt_BR.po @@ -48,7 +48,7 @@ msgstr "" #: stickychan.cpp:75 msgid "Usage: Stick <#channel> [key]" -msgstr "" +msgstr "Sintaxe: Stick <#canal> [senha]" #: stickychan.cpp:79 msgid "Stuck {1}" @@ -56,7 +56,7 @@ msgstr "" #: stickychan.cpp:85 msgid "Usage: Unstick <#channel>" -msgstr "" +msgstr "Sintaxe: Unstick <#canal>" #: stickychan.cpp:89 msgid "Unstuck {1}" diff --git a/src/po/znc.pt_BR.po b/src/po/znc.pt_BR.po index 2b80b056..8616d773 100644 --- a/src/po/znc.pt_BR.po +++ b/src/po/znc.pt_BR.po @@ -259,7 +259,7 @@ msgstr "Olá. Como posso ajudá-lo(a)?" #: Client.cpp:1331 msgid "Usage: /attach <#chans>" -msgstr "Uso: /attach <#canais>" +msgstr "Sintaxe: /attach <#canais>" #: Client.cpp:1338 Client.cpp:1360 ClientCommand.cpp:129 ClientCommand.cpp:151 msgid "There was {1} channel matching [{2}]" @@ -275,7 +275,7 @@ msgstr[1] "{1} canais foram anexados" #: Client.cpp:1353 msgid "Usage: /detach <#chans>" -msgstr "Uso: /detach <#canais>" +msgstr "Sintaxe: /detach <#canais>" #: Client.cpp:1363 ClientCommand.cpp:154 msgid "Detached {1} channel" @@ -422,7 +422,7 @@ msgstr "Você precisa estar conectado a uma rede para usar este comando" #: ClientCommand.cpp:58 msgid "Usage: ListNicks <#chan>" -msgstr "Uso: ListNicks <#canal>" +msgstr "Sintaxe: ListNicks <#canal>" #: ClientCommand.cpp:65 msgid "You are not on [{1}]" @@ -450,11 +450,11 @@ msgstr "Host" #: ClientCommand.cpp:122 msgid "Usage: Attach <#chans>" -msgstr "Uso: Attach <#canais>" +msgstr "Sintaxe: Attach <#canais>" #: ClientCommand.cpp:144 msgid "Usage: Detach <#chans>" -msgstr "Uso: Detach <#canais>" +msgstr "Sintaxe: Detach <#canais>" #: ClientCommand.cpp:161 msgid "There is no MOTD set." @@ -478,7 +478,7 @@ msgstr "Erro ao tentar gravar as configurações." #: ClientCommand.cpp:455 msgid "Usage: ListChans" -msgstr "Uso: ListChans" +msgstr "Sintaxe: ListChans" #: ClientCommand.cpp:462 msgid "No such user [{1}]" @@ -567,7 +567,7 @@ msgstr "" #: ClientCommand.cpp:550 msgid "Usage: AddNetwork " -msgstr "Uso: AddNetwork " +msgstr "Sintaxe: AddNetwork " #: ClientCommand.cpp:554 msgid "Network name should be alphanumeric" @@ -587,7 +587,7 @@ msgstr "Não foi possível adicionar esta rede" #: ClientCommand.cpp:573 msgid "Usage: DelNetwork " -msgstr "Uso: DelNetwork " +msgstr "Sintaxe: DelNetwork " #: ClientCommand.cpp:582 msgid "Network deleted" @@ -648,7 +648,8 @@ msgstr "Acesso negado." #: ClientCommand.cpp:643 msgid "Usage: MoveNetwork [new network]" msgstr "" -"Uso: MoveNetwork [nova rede]" +"Sintaxe: MoveNetwork [nova " +"rede]" #: ClientCommand.cpp:653 msgid "Old user {1} not found." @@ -707,7 +708,7 @@ msgstr "Você não tem uma rede chamada {1}" #: ClientCommand.cpp:754 msgid "Usage: AddServer [[+]port] [pass]" -msgstr "Uso: AddServer [[+]porta] [pass]" +msgstr "Sintaxe: AddServer [[+]porta] [senha]" #: ClientCommand.cpp:759 msgid "Server added" @@ -723,7 +724,7 @@ msgstr "" #: ClientCommand.cpp:777 msgid "Usage: DelServer [port] [pass]" -msgstr "Uso: DelServer [port] [pass]" +msgstr "Sintaxe: DelServer [porta] [senha]" #: ClientCommand.cpp:782 ClientCommand.cpp:822 msgid "You don't have any servers added." @@ -855,7 +856,7 @@ msgstr "Falha ao carregar {1}: acesso negado." #: ClientCommand.cpp:1026 msgid "Usage: LoadMod [--type=global|user|network] [args]" -msgstr "Uso: LoadMod [--type=global|user|network] [parâmetros]" +msgstr "Sintaxe: LoadMod [--type=global|user|network] [parâmetros]" #: ClientCommand.cpp:1033 msgid "Unable to load {1}: {2}" @@ -935,7 +936,7 @@ msgstr "Falha ao recarregar o módulo {1}: tipo de módulo desconhecido" #: ClientCommand.cpp:1244 msgid "Usage: UpdateMod " -msgstr "Uso: UpdateMod " +msgstr "Sintaxe: UpdateMod " #: ClientCommand.cpp:1248 msgid "Reloading {1} everywhere" @@ -1200,7 +1201,8 @@ msgstr "não" msgid "" "Usage: AddPort <[+]port> [bindhost [uriprefix]]" msgstr "" -"Uso: AddPort <[+]porta> [bindhost [uriprefix]]" +"Sintaxe: AddPort <[+]porta> [host vinculado " +"[prefixo de URI]]" #: ClientCommand.cpp:1640 msgid "Port added" @@ -1212,7 +1214,7 @@ msgstr "Não foi possível adicionar esta porta" #: ClientCommand.cpp:1648 msgid "Usage: DelPort [bindhost]" -msgstr "Uso: DelPort [bindhost]" +msgstr "Sintaxe: DelPort [host vinculado]" #: ClientCommand.cpp:1657 msgid "Deleted Port" From b6d5a331a7148d794e5a80d322eea90ae1fcca90 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Sat, 9 May 2020 00:28:08 +0000 Subject: [PATCH 390/798] Update translations from Crowdin for de_DE --- modules/po/crypt.de_DE.po | 8 ++++---- modules/po/dcc.de_DE.po | 28 ++++++++++++++-------------- 2 files changed, 18 insertions(+), 18 deletions(-) diff --git a/modules/po/crypt.de_DE.po b/modules/po/crypt.de_DE.po index 265fc88b..31ecfc08 100644 --- a/modules/po/crypt.de_DE.po +++ b/modules/po/crypt.de_DE.po @@ -12,7 +12,7 @@ msgstr "" #: crypt.cpp:198 msgid "<#chan|Nick>" -msgstr "" +msgstr "<#Raum|Nickname>" #: crypt.cpp:199 msgid "Remove a key for nick or channel" @@ -36,7 +36,7 @@ msgstr "" #: crypt.cpp:207 msgid "Start a DH1080 key exchange with nick" -msgstr "" +msgstr "Starte DH1080 Schlüsselaustausch mit Nick" #: crypt.cpp:210 msgid "Get the nick prefix" @@ -134,8 +134,8 @@ msgstr "" #: crypt.cpp:486 msgid "You have no encryption keys set." -msgstr "" +msgstr "Du hast kein Verschlüsselungsschlüsselsatz." #: crypt.cpp:508 msgid "Encryption for channel/private messages" -msgstr "" +msgstr "Verschlüsselung für Räume/private Nachrichten" diff --git a/modules/po/dcc.de_DE.po b/modules/po/dcc.de_DE.po index d9b9a72e..8e6e83c4 100644 --- a/modules/po/dcc.de_DE.po +++ b/modules/po/dcc.de_DE.po @@ -12,15 +12,15 @@ msgstr "" #: dcc.cpp:88 msgid " " -msgstr "" +msgstr " " #: dcc.cpp:89 msgid "Send a file from ZNC to someone" -msgstr "" +msgstr "Sende Datei von ZNC zu jemandem" #: dcc.cpp:91 msgid "" -msgstr "" +msgstr "" #: dcc.cpp:92 msgid "Send a file from ZNC to your client" @@ -62,32 +62,32 @@ msgstr "" #: dcc.cpp:215 dcc.cpp:232 dcc.cpp:234 msgctxt "list" msgid "Type" -msgstr "" +msgstr "Typ" #: dcc.cpp:216 dcc.cpp:238 dcc.cpp:241 msgctxt "list" msgid "State" -msgstr "" +msgstr "Status" #: dcc.cpp:217 dcc.cpp:243 msgctxt "list" msgid "Speed" -msgstr "" +msgstr "Geschwindigkeit" #: dcc.cpp:218 dcc.cpp:227 msgctxt "list" msgid "Nick" -msgstr "" +msgstr "Nick" #: dcc.cpp:219 dcc.cpp:228 msgctxt "list" msgid "IP" -msgstr "" +msgstr "IP" #: dcc.cpp:220 dcc.cpp:229 msgctxt "list" msgid "File" -msgstr "" +msgstr "Datei" #: dcc.cpp:232 msgctxt "list-type" @@ -146,23 +146,23 @@ msgstr "" #: dcc.cpp:401 msgid "Receiving [{1}] from [{2}]: Timeout." -msgstr "" +msgstr "Empfangen von [{1}] von [{2}]: Zeitüberschreitung." #: dcc.cpp:411 msgid "Sending [{1}] to [{2}]: Socket error {3}: {4}" -msgstr "" +msgstr "Sende [{1}] zu [{2}]: Socket Fehler {3}: {4}" #: dcc.cpp:415 msgid "Receiving [{1}] from [{2}]: Socket error {3}: {4}" -msgstr "" +msgstr "Empfange [{1}] von [{2}]: Socket Fehler {3}: {4}" #: dcc.cpp:423 msgid "Sending [{1}] to [{2}]: Transfer started." -msgstr "" +msgstr "Sende [{1}] zu [{2}]: Übertragung gestartet." #: dcc.cpp:427 msgid "Receiving [{1}] from [{2}]: Transfer started." -msgstr "" +msgstr "Empfang [{1}] von [{2}]: Übertragung gestartet." #: dcc.cpp:446 msgid "Sending [{1}] to [{2}]: Too much data!" From 68d14c12fe9a8dfd35b51c2d87a94244b3ef087c Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Sun, 10 May 2020 00:26:30 +0000 Subject: [PATCH 391/798] Update translations from Crowdin for pt_BR --- modules/po/adminlog.pt_BR.po | 2 +- modules/po/awaystore.pt_BR.po | 2 +- modules/po/clientnotify.pt_BR.po | 6 +++--- src/po/znc.pt_BR.po | 4 ++-- 4 files changed, 7 insertions(+), 7 deletions(-) diff --git a/modules/po/adminlog.pt_BR.po b/modules/po/adminlog.pt_BR.po index 88498c6c..a70ddf14 100644 --- a/modules/po/adminlog.pt_BR.po +++ b/modules/po/adminlog.pt_BR.po @@ -40,7 +40,7 @@ msgstr "" #: adminlog.cpp:168 msgid "Usage: Target [path]" -msgstr "Sintaxe: Target [caminho]" +msgstr "Sintaxe: Target [caminho]" #: adminlog.cpp:170 msgid "Unknown target" diff --git a/modules/po/awaystore.pt_BR.po b/modules/po/awaystore.pt_BR.po index 71cdc40c..d5644ab1 100644 --- a/modules/po/awaystore.pt_BR.po +++ b/modules/po/awaystore.pt_BR.po @@ -24,7 +24,7 @@ msgstr "{1} mensagens foram excluídas" #: awaystore.cpp:104 msgid "USAGE: delete " -msgstr "Sintaxe: delete " +msgstr "Sintaxe: delete " #: awaystore.cpp:109 msgid "Illegal message # requested" diff --git a/modules/po/clientnotify.pt_BR.po b/modules/po/clientnotify.pt_BR.po index 8d5da606..e1a6e251 100644 --- a/modules/po/clientnotify.pt_BR.po +++ b/modules/po/clientnotify.pt_BR.po @@ -44,7 +44,7 @@ msgstr[1] "" #: clientnotify.cpp:108 msgid "Usage: Method " -msgstr "Sintaxe: Method " +msgstr "Sintaxe: Method " #: clientnotify.cpp:114 clientnotify.cpp:127 clientnotify.cpp:140 msgid "Saved." @@ -52,11 +52,11 @@ msgstr "" #: clientnotify.cpp:121 msgid "Usage: NewOnly " -msgstr "Sintaxe: NewOnly " +msgstr "Sintaxe: NewOnly " #: clientnotify.cpp:134 msgid "Usage: OnDisconnect " -msgstr "Sintaxe: OnDisconnect " +msgstr "Sintaxe: OnDisconnect " #: clientnotify.cpp:145 msgid "" diff --git a/src/po/znc.pt_BR.po b/src/po/znc.pt_BR.po index cf533982..d8dee335 100644 --- a/src/po/znc.pt_BR.po +++ b/src/po/znc.pt_BR.po @@ -765,7 +765,7 @@ msgstr "SSL" #: ClientCommand.cpp:832 msgid "Usage: AddTrustedServerFingerprint " -msgstr "Sintaxe: AddTrustedServerFingerprint " +msgstr "Sintaxe: AddTrustedServerFingerprint " #: ClientCommand.cpp:836 ClientCommand.cpp:849 msgid "Done." @@ -773,7 +773,7 @@ msgstr "" #: ClientCommand.cpp:845 msgid "Usage: DelTrustedServerFingerprint " -msgstr "Sintaxe: AddTrustedServerFingerprint " +msgstr "Sintaxe: AddTrustedServerFingerprint " #: ClientCommand.cpp:858 msgid "No fingerprints added." From c16c343da91c0cb8d4ff2dd94ecd07e5a3a640b4 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Mon, 11 May 2020 00:26:30 +0000 Subject: [PATCH 392/798] Update translations from Crowdin for pt_BR --- modules/po/adminlog.pt_BR.po | 2 +- modules/po/awaystore.pt_BR.po | 2 +- modules/po/clientnotify.pt_BR.po | 6 +++--- src/po/znc.pt_BR.po | 4 ++-- 4 files changed, 7 insertions(+), 7 deletions(-) diff --git a/modules/po/adminlog.pt_BR.po b/modules/po/adminlog.pt_BR.po index 7f2a8744..5f390aac 100644 --- a/modules/po/adminlog.pt_BR.po +++ b/modules/po/adminlog.pt_BR.po @@ -40,7 +40,7 @@ msgstr "" #: adminlog.cpp:168 msgid "Usage: Target [path]" -msgstr "Sintaxe: Target [caminho]" +msgstr "Sintaxe: Target [caminho]" #: adminlog.cpp:170 msgid "Unknown target" diff --git a/modules/po/awaystore.pt_BR.po b/modules/po/awaystore.pt_BR.po index 33184e9c..42bbc2d7 100644 --- a/modules/po/awaystore.pt_BR.po +++ b/modules/po/awaystore.pt_BR.po @@ -24,7 +24,7 @@ msgstr "{1} mensagens foram excluídas" #: awaystore.cpp:104 msgid "USAGE: delete " -msgstr "Sintaxe: delete " +msgstr "Sintaxe: delete " #: awaystore.cpp:109 msgid "Illegal message # requested" diff --git a/modules/po/clientnotify.pt_BR.po b/modules/po/clientnotify.pt_BR.po index d689c9ea..f4a3c23d 100644 --- a/modules/po/clientnotify.pt_BR.po +++ b/modules/po/clientnotify.pt_BR.po @@ -44,7 +44,7 @@ msgstr[1] "" #: clientnotify.cpp:108 msgid "Usage: Method " -msgstr "Sintaxe: Method " +msgstr "Sintaxe: Method " #: clientnotify.cpp:114 clientnotify.cpp:127 clientnotify.cpp:140 msgid "Saved." @@ -52,11 +52,11 @@ msgstr "" #: clientnotify.cpp:121 msgid "Usage: NewOnly " -msgstr "Sintaxe: NewOnly " +msgstr "Sintaxe: NewOnly " #: clientnotify.cpp:134 msgid "Usage: OnDisconnect " -msgstr "Sintaxe: OnDisconnect " +msgstr "Sintaxe: OnDisconnect " #: clientnotify.cpp:145 msgid "" diff --git a/src/po/znc.pt_BR.po b/src/po/znc.pt_BR.po index 8616d773..daa91275 100644 --- a/src/po/znc.pt_BR.po +++ b/src/po/znc.pt_BR.po @@ -765,7 +765,7 @@ msgstr "SSL" #: ClientCommand.cpp:832 msgid "Usage: AddTrustedServerFingerprint " -msgstr "Sintaxe: AddTrustedServerFingerprint " +msgstr "Sintaxe: AddTrustedServerFingerprint " #: ClientCommand.cpp:836 ClientCommand.cpp:849 msgid "Done." @@ -773,7 +773,7 @@ msgstr "" #: ClientCommand.cpp:845 msgid "Usage: DelTrustedServerFingerprint " -msgstr "Sintaxe: AddTrustedServerFingerprint " +msgstr "Sintaxe: AddTrustedServerFingerprint " #: ClientCommand.cpp:858 msgid "No fingerprints added." From 87ed28f7c441ba0c69b4fc7dad15c648b3920958 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Sun, 17 May 2020 14:24:42 +0100 Subject: [PATCH 393/798] Update comment --- .ci/Jenkinsfile.crowdin | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/.ci/Jenkinsfile.crowdin b/.ci/Jenkinsfile.crowdin index b01c1b68..4f55c378 100644 --- a/.ci/Jenkinsfile.crowdin +++ b/.ci/Jenkinsfile.crowdin @@ -2,7 +2,7 @@ // This script is run daily by https://jenkins.znc.in/ to: // * upload new English strings to https://crowdin.com/project/znc-bouncer // * download new translations -// * create a pull request with results to ZNC repo +// * commits results to ZNC repo import groovy.json.JsonSlurper; import groovy.json.JsonOutput; From 3bd7c8990602b16cd51170b750241d8c8827b310 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Sun, 17 May 2020 16:13:45 +0100 Subject: [PATCH 394/798] Looks like appveyor cygwin doesn't like such symlinks. Make it explicitly relative --- configure.sh | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/configure.sh b/configure.sh index cabc7046..1035c697 120000 --- a/configure.sh +++ b/configure.sh @@ -1 +1 @@ -configure \ No newline at end of file +./configure \ No newline at end of file From 9a909b86b6b567d9447deb291ac09bb84eec72b6 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Sat, 23 May 2020 13:32:10 +0100 Subject: [PATCH 395/798] Appveyor: avoid the symlink --- .appveyor.yml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/.appveyor.yml b/.appveyor.yml index 758718dc..164ab554 100644 --- a/.appveyor.yml +++ b/.appveyor.yml @@ -22,7 +22,7 @@ install: build_script: - git submodule update --init - mkdir build - - c:\cygwin-root\bin\sh -lc "cd $APPVEYOR_BUILD_FOLDER/build; ../configure.sh --enable-charset --enable-zlib --enable-openssl --enable-perl --enable-python --enable-cyrus < /dev/null; result=$?; cmake --system-information > config.log; appveyor PushArtifact config.log; exit $result" + - c:\cygwin-root\bin\sh -lc "cd $APPVEYOR_BUILD_FOLDER/build; ../configure --enable-charset --enable-zlib --enable-openssl --enable-perl --enable-python --enable-cyrus < /dev/null; result=$?; cmake --system-information > config.log; appveyor PushArtifact config.log; exit $result" - c:\cygwin-root\bin\sh -lc "cd $APPVEYOR_BUILD_FOLDER/build; make VERBOSE=1 -j2 < /dev/null" - c:\cygwin-root\bin\sh -lc "cd $APPVEYOR_BUILD_FOLDER/build; make install < /dev/null" - c:\cygwin-root\bin\sh -lc "znc --version" From b3b38956a7a5d909b6aa964ad432e418c93ce826 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Sat, 23 May 2020 11:19:31 +0100 Subject: [PATCH 396/798] Rewrite how modpython loads modules 'imp' was deprecated since python 3.3. This removes the undocumented feature of loading python C extension as ZNC module, but adds a test that python package can be loaded. Bump python requirements to 3.4 --- CMakeLists.txt | 13 ++- modules/modpython/znc.py | 125 ++++++++++++++++++--------- test/integration/tests/scripting.cpp | 36 ++++++++ 3 files changed, 128 insertions(+), 46 deletions(-) diff --git a/CMakeLists.txt b/CMakeLists.txt index c7c19158..3565a663 100644 --- a/CMakeLists.txt +++ b/CMakeLists.txt @@ -171,6 +171,7 @@ if(WANT_PERL) find_package(PerlLibs 5.10 REQUIRED) endif() if (WANT_PYTHON) + set (_MIN_PYTHON_VERSION 3.4) find_package(Perl 5.10 REQUIRED) # VERSION_GREATER_EQUAL is available only since 3.7 if (CMAKE_VERSION VERSION_LESS 3.12) @@ -196,8 +197,10 @@ if (WANT_PYTHON) message(FATAL_ERROR "Invalid value of WANT_PYTHON_VERSION") endif() endif() - if (Python3_FOUND AND Python3_VERSION VERSION_LESS 3.3) - message(STATUS "Python too old, need at least 3.3") + if (Python3_FOUND AND Python3_VERSION VERSION_LESS + ${_MIN_PYTHON_VERSION}) + message(STATUS + "Python too old, need at least ${_MIN_PYTHON_VERSION}") set(Python3_FOUND OFF) else() # Compatibility with pkg-config variables @@ -206,9 +209,11 @@ if (WANT_PYTHON) endif() if (NOT Python3_FOUND AND WANT_PYTHON_VERSION MATCHES "^python") # Since python 3.8, -embed is required for embedding. - pkg_check_modules(Python3 "${WANT_PYTHON_VERSION}-embed >= 3.3") + pkg_check_modules(Python3 + "${WANT_PYTHON_VERSION}-embed >= ${_MIN_PYTHON_VERSION}") if (NOT Python3_FOUND) - pkg_check_modules(Python3 "${WANT_PYTHON_VERSION} >= 3.3") + pkg_check_modules(Python3 + "${WANT_PYTHON_VERSION} >= ${_MIN_PYTHON_VERSION}") endif() endif() if (NOT Python3_FOUND) diff --git a/modules/modpython/znc.py b/modules/modpython/znc.py index 478c5a39..feb98fda 100644 --- a/modules/modpython/znc.py +++ b/modules/modpython/znc.py @@ -22,10 +22,13 @@ if os.environ.get('ZNC_MODPYTHON_COVERAGE'): _cov.start() from functools import wraps -import imp -import re -import traceback import collections.abc +import importlib.abc +import importlib.machinery +import importlib.util +import re +import sys +import traceback from znc_core import * @@ -687,48 +690,86 @@ make_inherit(Module, CPyModule, '_cmod') make_inherit(Timer, CPyTimer, '_ctimer') -def find_open(modname): - '''Returns (pymodule, datapath)''' - for d in CModules.GetModDirs(): - # d == (libdir, datadir) - try: - x = imp.find_module(modname, [d[0]]) - except ImportError: - # no such file in dir d - continue - # x == (, - # './modules/admin.so', ('.so', 'rb', 3)) - # x == (, './modules/pythontest.py', ('.py', 'U', 1)) - if x[0] is None and x[2][2] != imp.PKG_DIRECTORY: - # the same - continue - if x[2][0] == '.so': - try: - pymodule = imp.load_module(modname, *x) - except ImportError: - # found needed .so but can't load it... - # maybe it's normal (non-python) znc module? - # another option here could be to "continue" - # search of python module in other moddirs. - # but... we respect C++ modules ;) - return (None, None) - finally: - x[0].close() - else: - # this is not .so, so it can be only python module .py or .pyc - try: - pymodule = imp.load_module(modname, *x) - finally: - if x[0]: - x[0].close() - return (pymodule, d[1]+modname) - else: - # nothing found - return (None, None) +class ZNCModuleLoader(importlib.abc.SourceLoader): + def __init__(self, modname, pypath): + self.pypath = pypath + + def create_module(self, spec): + self._datadir = spec.loader_state[0] + self._package_dir = spec.loader_state[1] + return super().create_module(spec) + + def get_data(self, path): + with open(path, 'rb') as f: + return f.read() + + def get_filename(self, fullname): + return self.pypath + + +class ZNCModuleFinder(importlib.abc.MetaPathFinder): + @staticmethod + def find_spec(fullname, path, target=None): + if fullname == 'znc_modules': + spec = importlib.util.spec_from_loader(fullname, None, is_package=True) + return spec + parts = fullname.split('.') + if parts[0] != 'znc_modules': + return + def dirs(): + if len(parts) == 2: + # common case + yield from CModules.GetModDirs() + else: + # the module is a package and tries to load a submodule of it + for libdir in sys.modules['znc_modules.' + parts[1]].__loader__._package_dir: + yield libdir, None + for libdir, datadir in dirs(): + finder = importlib.machinery.FileFinder(libdir, + (ZNCModuleLoader, importlib.machinery.SOURCE_SUFFIXES)) + spec = finder.find_spec('.'.join(parts[1:])) + if spec: + spec.name = fullname + spec.loader_state = (datadir, spec.submodule_search_locations) + # It almost works with original submodule_search_locations, + # then python will find submodules of the package itself, + # without calling out to ZNCModuleFinder or ZNCModuleLoader. + # But updatemod will be flaky for those submodules because as + # of py3.8 importlib.invalidate_caches() goes only through + # sys.meta_path, but not sys.path_hooks. So we make them load + # through ZNCModuleFinder too, but still remember the original + # dir so that the whole module comes from a single entry in + # CModules.GetModDirs(). + spec.submodule_search_locations = [] + return spec + + +sys.meta_path.append(ZNCModuleFinder()) _py_modules = set() +def find_open(modname): + '''Returns (pymodule, datapath)''' + fullname = 'znc_modules.' + modname + for m in _py_modules: + if m.GetModName() == modname: + break + else: + # module is not loaded, clean up previous attempts to load it or even + # to list as available modules + # This is to to let updatemod work + to_remove = [] + for m in sys.modules: + if m == fullname or m.startswith(fullname + '.'): + to_remove.append(m) + for m in to_remove: + del sys.modules[m] + try: + module = importlib.import_module(fullname) + except ImportError: + return (None, None) + return (module, os.path.join(module.__loader__._datadir, modname)) + def load_module(modname, args, module_type, user, network, retmsg, modpython): '''Returns 0 if not found, 1 on loading error, 2 on success''' if re.search(r'[^a-zA-Z0-9_]', modname) is not None: diff --git a/test/integration/tests/scripting.cpp b/test/integration/tests/scripting.cpp index ddd50f13..e4dcfc8e 100644 --- a/test/integration/tests/scripting.cpp +++ b/test/integration/tests/scripting.cpp @@ -243,5 +243,41 @@ TEST_F(ZNCTest, ModperlNV) { client.ReadUntil(":a b"); } +TEST_F(ZNCTest, ModpythonPackage) { + if (QProcessEnvironment::systemEnvironment().value( + "DISABLED_ZNC_PERL_PYTHON_TEST") == "1") { + return; + } + auto znc = Run(); + znc->CanLeak(); + + QDir dir(m_dir.path()); + ASSERT_TRUE(dir.mkpath("modules")); + ASSERT_TRUE(dir.cd("modules")); + ASSERT_TRUE(dir.mkpath("packagetest")); + InstallModule("packagetest/__init__.py", R"( + import znc + from .data import value + + class packagetest(znc.Module): + def OnModCommand(self, cmd): + self.PutModule('value = ' + value) + )"); + InstallModule("packagetest/data.py", "value = 'a'"); + + auto ircd = ConnectIRCd(); + auto client = LoginClient(); + client.Write("znc loadmod modpython"); + client.Write("znc loadmod packagetest"); + client.Write("PRIVMSG *packagetest :foo"); + client.ReadUntil("value = a"); + InstallModule("packagetest/data.py", "value = 'b'"); + client.Write("PRIVMSG *packagetest :foo"); + client.ReadUntil("value = a"); + client.Write("znc updatemod packagetest"); + client.Write("PRIVMSG *packagetest :foo"); + client.ReadUntil("value = b"); +} + } // namespace } // namespace znc_inttest From e8ff16123582eb9d5c321f5c7e652335abfba368 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Sat, 23 May 2020 13:28:13 +0100 Subject: [PATCH 397/798] Fix PY_SSIZE_T_CLEAN python warning --- .travis.yml | 2 +- modules/modpython.cpp | 3 ++- 2 files changed, 3 insertions(+), 2 deletions(-) diff --git a/.travis.yml b/.travis.yml index c5809d07..65dea99f 100644 --- a/.travis.yml +++ b/.travis.yml @@ -135,7 +135,7 @@ script: - env LLVM_PROFILE_FILE="$PWD/unittest.profraw" make VERBOSE=1 unittest - sudo make install # TODO: use DEVEL_COVER_OPTIONS for https://metacpan.org/pod/Devel::Cover - - env LLVM_PROFILE_FILE="$PWD/inttest.profraw" ZNC_MODPERL_COVERAGE_OPTS="-db,$PWD/cover_db" make VERBOSE=1 inttest + - env LLVM_PROFILE_FILE="$PWD/inttest.profraw" ZNC_MODPERL_COVERAGE_OPTS="-db,$PWD/cover_db" PYTHONWARNINGS=error make VERBOSE=1 inttest - /usr/local/bin/znc --version after_success: - if [[ "$TRAVIS_OS_NAME" == "linux" ]]; then ~/perl5/bin/cover --no-gcov --report=clover; fi diff --git a/modules/modpython.cpp b/modules/modpython.cpp index dfe53b5b..7bc76fc5 100644 --- a/modules/modpython.cpp +++ b/modules/modpython.cpp @@ -14,6 +14,7 @@ * limitations under the License. */ +#define PY_SSIZE_T_CLEAN #include #include @@ -455,7 +456,7 @@ CBSOCK(ConnectionRefused); void CPySocket::ReadData(const char* data, size_t len) { PyObject* pyRes = PyObject_CallMethod(m_pyObj, const_cast("OnReadData"), - const_cast("y#"), data, (int)len); + const_cast("y#"), data, (Py_ssize_t)len); CHECKCLEARSOCK("OnReadData"); } From 9ea9d308453f38e36f51587bd674c328fc73d756 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Wed, 27 May 2020 09:54:19 +0100 Subject: [PATCH 398/798] Update README about new python --- README.md | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/README.md b/README.md index 03d64c7e..f63581b8 100644 --- a/README.md +++ b/README.md @@ -41,7 +41,7 @@ modperl: * SWIG if building from git modpython: -* python 3.3+ and its bundled libpython +* python 3.4+ and its bundled libpython * perl is a build dependency * macOS: Python from Homebrew is preferred over system version * SWIG if building from git From 123c7a9a9d73d306b1e85b72bf745a797f1353f2 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Fri, 29 May 2020 00:31:02 +0000 Subject: [PATCH 399/798] Update translations from Crowdin for bg_BG de_DE es_ES fr_FR id_ID it_IT nl_NL pt_BR ru_RU --- modules/po/modpython.bg_BG.po | 2 +- modules/po/modpython.de_DE.po | 2 +- modules/po/modpython.es_ES.po | 2 +- modules/po/modpython.fr_FR.po | 2 +- modules/po/modpython.id_ID.po | 2 +- modules/po/modpython.it_IT.po | 2 +- modules/po/modpython.nl_NL.po | 2 +- modules/po/modpython.pot | 2 +- modules/po/modpython.pt_BR.po | 2 +- modules/po/modpython.ru_RU.po | 2 +- 10 files changed, 10 insertions(+), 10 deletions(-) diff --git a/modules/po/modpython.bg_BG.po b/modules/po/modpython.bg_BG.po index 5f9b59de..edad845e 100644 --- a/modules/po/modpython.bg_BG.po +++ b/modules/po/modpython.bg_BG.po @@ -10,6 +10,6 @@ msgstr "" "Language-Team: Bulgarian\n" "Language: bg_BG\n" -#: modpython.cpp:512 +#: modpython.cpp:513 msgid "Loads python scripts as ZNC modules" msgstr "" diff --git a/modules/po/modpython.de_DE.po b/modules/po/modpython.de_DE.po index 7887bcf0..b1ac3f40 100644 --- a/modules/po/modpython.de_DE.po +++ b/modules/po/modpython.de_DE.po @@ -10,6 +10,6 @@ msgstr "" "Language-Team: German\n" "Language: de_DE\n" -#: modpython.cpp:512 +#: modpython.cpp:513 msgid "Loads python scripts as ZNC modules" msgstr "Lade Python-Skripte als ZNC-Module" diff --git a/modules/po/modpython.es_ES.po b/modules/po/modpython.es_ES.po index 1a60afbc..45a26578 100644 --- a/modules/po/modpython.es_ES.po +++ b/modules/po/modpython.es_ES.po @@ -10,6 +10,6 @@ msgstr "" "Language-Team: Spanish\n" "Language: es_ES\n" -#: modpython.cpp:512 +#: modpython.cpp:513 msgid "Loads python scripts as ZNC modules" msgstr "Carga scripts de python como módulos de ZNC" diff --git a/modules/po/modpython.fr_FR.po b/modules/po/modpython.fr_FR.po index 44a8ed5d..4babe0db 100644 --- a/modules/po/modpython.fr_FR.po +++ b/modules/po/modpython.fr_FR.po @@ -10,6 +10,6 @@ msgstr "" "Language-Team: French\n" "Language: fr_FR\n" -#: modpython.cpp:512 +#: modpython.cpp:513 msgid "Loads python scripts as ZNC modules" msgstr "" diff --git a/modules/po/modpython.id_ID.po b/modules/po/modpython.id_ID.po index b2c35afe..72b80886 100644 --- a/modules/po/modpython.id_ID.po +++ b/modules/po/modpython.id_ID.po @@ -10,6 +10,6 @@ msgstr "" "Language-Team: Indonesian\n" "Language: id_ID\n" -#: modpython.cpp:512 +#: modpython.cpp:513 msgid "Loads python scripts as ZNC modules" msgstr "" diff --git a/modules/po/modpython.it_IT.po b/modules/po/modpython.it_IT.po index afc5dbec..4c89dd01 100644 --- a/modules/po/modpython.it_IT.po +++ b/modules/po/modpython.it_IT.po @@ -10,6 +10,6 @@ msgstr "" "Language-Team: Italian\n" "Language: it_IT\n" -#: modpython.cpp:512 +#: modpython.cpp:513 msgid "Loads python scripts as ZNC modules" msgstr "Carica gli script di python come moduli ZNC" diff --git a/modules/po/modpython.nl_NL.po b/modules/po/modpython.nl_NL.po index dfa71b2b..6ca24dce 100644 --- a/modules/po/modpython.nl_NL.po +++ b/modules/po/modpython.nl_NL.po @@ -10,6 +10,6 @@ msgstr "" "Language-Team: Dutch\n" "Language: nl_NL\n" -#: modpython.cpp:512 +#: modpython.cpp:513 msgid "Loads python scripts as ZNC modules" msgstr "Laad python scripts als ZNC modulen" diff --git a/modules/po/modpython.pot b/modules/po/modpython.pot index 0566a13a..e4b21293 100644 --- a/modules/po/modpython.pot +++ b/modules/po/modpython.pot @@ -3,6 +3,6 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -#: modpython.cpp:512 +#: modpython.cpp:513 msgid "Loads python scripts as ZNC modules" msgstr "" diff --git a/modules/po/modpython.pt_BR.po b/modules/po/modpython.pt_BR.po index 88e3516d..53f594fe 100644 --- a/modules/po/modpython.pt_BR.po +++ b/modules/po/modpython.pt_BR.po @@ -10,6 +10,6 @@ msgstr "" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" -#: modpython.cpp:512 +#: modpython.cpp:513 msgid "Loads python scripts as ZNC modules" msgstr "" diff --git a/modules/po/modpython.ru_RU.po b/modules/po/modpython.ru_RU.po index 7ab181be..2d9318a2 100644 --- a/modules/po/modpython.ru_RU.po +++ b/modules/po/modpython.ru_RU.po @@ -12,6 +12,6 @@ msgstr "" "Language-Team: Russian\n" "Language: ru_RU\n" -#: modpython.cpp:512 +#: modpython.cpp:513 msgid "Loads python scripts as ZNC modules" msgstr "Загружает Python-скрипты как модули ZNC" From 2390ad111bde16a78c98ac44572090b33c3bd2d8 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Sun, 31 May 2020 11:32:04 +0100 Subject: [PATCH 400/798] Fix null pointer dereference in echo-message The bug was introduced while fixing #1705. If a client did not enable echo-message, and doesn't have a network, it crashes. Thanks to LunarBNC for reporting this --- src/Client.cpp | 2 +- test/integration/tests/core.cpp | 8 ++++++++ 2 files changed, 9 insertions(+), 1 deletion(-) diff --git a/src/Client.cpp b/src/Client.cpp index 6d8f4518..fb39b3fa 100644 --- a/src/Client.cpp +++ b/src/Client.cpp @@ -889,7 +889,7 @@ void CClient::EchoMessage(const CMessage& Message) { CMessage EchoedMessage = Message; for (CClient* pClient : GetClients()) { if (pClient->HasEchoMessage() || - (pClient != this && (m_pNetwork->IsChan(Message.GetParam(0)) || + (pClient != this && ((m_pNetwork && m_pNetwork->IsChan(Message.GetParam(0))) || pClient->HasSelfMessage()))) { EchoedMessage.SetNick(GetNickMask()); pClient->PutClient(EchoedMessage); diff --git a/test/integration/tests/core.cpp b/test/integration/tests/core.cpp index 863754fe..f50a32c7 100644 --- a/test/integration/tests/core.cpp +++ b/test/integration/tests/core.cpp @@ -297,6 +297,14 @@ TEST_F(ZNCTest, StatusEchoMessage) { client.Write("PRIVMSG *status :blah"); client.ReadUntil(":nick!user@irc.znc.in PRIVMSG *status :blah"); client.ReadUntil(":*status!znc@znc.in PRIVMSG nick :Unknown command"); + client.Write("znc delnetwork test"); + client.ReadUntil("Network deleted"); + auto client2 = LoginClient(); + client2.Write("PRIVMSG *status :blah2"); + client2.ReadUntil(":*status!znc@znc.in PRIVMSG nick :Unknown command"); + auto client3 = LoginClient(); + client3.Write("PRIVMSG *status :blah3"); + client3.ReadUntil(":*status!znc@znc.in PRIVMSG nick :Unknown command"); } } // namespace From 6cce5fe08d6eb73cca6a7b6beb29af2c60c1a729 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Sun, 31 May 2020 11:43:20 +0100 Subject: [PATCH 401/798] Check for m_pNetwork being not null in several more places I don't know whether these are crasheable, but now they will definitely be not. --- src/Client.cpp | 6 ++++++ 1 file changed, 6 insertions(+) diff --git a/src/Client.cpp b/src/Client.cpp index fb39b3fa..13048775 100644 --- a/src/Client.cpp +++ b/src/Client.cpp @@ -862,6 +862,9 @@ void CClient::ClearServerDependentCaps() { template void CClient::AddBuffer(const T& Message) { + if (!m_pNetwork) { + return; + } const CString sTarget = Message.GetTarget(); T Format; @@ -898,6 +901,9 @@ void CClient::EchoMessage(const CMessage& Message) { } set CClient::MatchChans(const CString& sPatterns) const { + if (!m_pNetwork) { + return {}; + } VCString vsPatterns; sPatterns.Replace_n(",", " ") .Split(" ", vsPatterns, false, "", "", true, true); From c1e36077001a29fa61ff06bed7cdd5ab62e25446 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Sun, 31 May 2020 11:55:21 +0100 Subject: [PATCH 402/798] ZNC 1.8.1-rc1 --- CMakeLists.txt | 8 ++++---- configure.ac | 4 ++-- include/znc/version.h | 4 ++-- 3 files changed, 8 insertions(+), 8 deletions(-) diff --git a/CMakeLists.txt b/CMakeLists.txt index a80eae58..b34f9442 100644 --- a/CMakeLists.txt +++ b/CMakeLists.txt @@ -15,10 +15,10 @@ # cmake_minimum_required(VERSION 3.1) -project(ZNC VERSION 1.8.0 LANGUAGES CXX) -set(ZNC_VERSION 1.8.x) -set(append_git_version true) -set(alpha_version "") # e.g. "-rc1" +project(ZNC VERSION 1.8.1 LANGUAGES CXX) +set(ZNC_VERSION 1.8.1) +set(append_git_version false) +set(alpha_version "-rc1") # e.g. "-rc1" set(VERSION_EXTRA "" CACHE STRING "Additional string appended to version, e.g. to mark distribution") diff --git a/configure.ac b/configure.ac index 2dd5b1d3..0bf49cac 100644 --- a/configure.ac +++ b/configure.ac @@ -7,8 +7,8 @@ AC_DEFUN([AC_PROG_CC], [m4_errprint(__file__:__line__[: Something is trying to u dnl Needed for AC_PATH_PROGS_FEATURE_CHECK which was added in 2.62 AC_PREREQ([2.62]) dnl Keep the version number in sync with version.h! -AC_INIT([znc], [1.8.x]) -LIBZNC_VERSION=1.8.x +AC_INIT([znc], [1.8.1-rc1]) +LIBZNC_VERSION=1.8.1 AC_CONFIG_MACRO_DIR([m4]) AC_CONFIG_SRCDIR([src/znc.cpp]) AC_LANG([C++]) diff --git a/include/znc/version.h b/include/znc/version.h index d40ea5f6..450f2776 100644 --- a/include/znc/version.h +++ b/include/znc/version.h @@ -20,9 +20,9 @@ limitations under the License. // The following defines are for #if comparison (preprocessor only likes ints) #define VERSION_MAJOR 1 #define VERSION_MINOR 8 -#define VERSION_PATCH -1 +#define VERSION_PATCH 1 // This one is for display purpose and to check ABI compatibility of modules -#define VERSION_STR "1.8.x" +#define VERSION_STR "1.8.1" #endif // Don't use this one From 92e0fa5a3edce116698353c13ba0bf866856ace0 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Sun, 31 May 2020 12:42:36 +0100 Subject: [PATCH 403/798] Travis: remove stale workaround for arm file permissions --- .travis.yml | 5 ----- 1 file changed, 5 deletions(-) diff --git a/.travis.yml b/.travis.yml index 43011bfd..2d06d4a0 100644 --- a/.travis.yml +++ b/.travis.yml @@ -126,11 +126,6 @@ install: - if [[ "$TRAVIS_OS_NAME" == "osx" && "$BUILD_WITH" == "cmake" ]]; then brew outdated cmake || brew upgrade cmake; fi - if [[ "$TRAVIS_OS_NAME" == "osx" ]]; then brew info --json=v1 --installed | jq .; fi - if [[ "$TRAVIS_OS_NAME" == "osx" ]]; then export PKG_CONFIG_PATH="$(brew --prefix qt5)/lib/pkgconfig:$PKG_CONFIG_PATH"; fi - - if [[ "$TRAVIS_OS_NAME" == "linux" ]]; then ls -la ~/.cache; fi - - if [[ "$TRAVIS_OS_NAME" == "linux" ]]; then ls -la ~/.cache/pip; fi - - if [[ "$TRAVIS_OS_NAME" == "linux" ]]; then ls -la ~/.cache/pip/wheels; fi - # bad permissions on ARM machine on travis - - if [[ "$TRAVIS_OS_NAME" == "linux" ]]; then mv ~/.cache/pip ~/.cache/pip_bad; fi - pip3 install --user coverage - export ZNC_MODPYTHON_COVERAGE=1 - "echo pkg-config path: [$PKG_CONFIG_PATH]" From d6131a57799a965070d066bf6ed63b6fde403a23 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Mon, 1 Jun 2020 00:27:15 +0000 Subject: [PATCH 404/798] Update translations from Crowdin for bg_BG de_DE es_ES fr_FR id_ID it_IT nl_NL pt_BR ru_RU --- src/po/znc.bg_BG.po | 20 ++++++++++---------- src/po/znc.de_DE.po | 20 ++++++++++---------- src/po/znc.es_ES.po | 20 ++++++++++---------- src/po/znc.fr_FR.po | 20 ++++++++++---------- src/po/znc.id_ID.po | 20 ++++++++++---------- src/po/znc.it_IT.po | 20 ++++++++++---------- src/po/znc.nl_NL.po | 20 ++++++++++---------- src/po/znc.pot | 20 ++++++++++---------- src/po/znc.pt_BR.po | 20 ++++++++++---------- src/po/znc.ru_RU.po | 20 ++++++++++---------- 10 files changed, 100 insertions(+), 100 deletions(-) diff --git a/src/po/znc.bg_BG.po b/src/po/znc.bg_BG.po index 60c0d282..21c1b0bc 100644 --- a/src/po/znc.bg_BG.po +++ b/src/po/znc.bg_BG.po @@ -217,47 +217,47 @@ msgid "" "You are being disconnected because another user just authenticated as you." msgstr "" -#: Client.cpp:1015 +#: Client.cpp:1021 msgid "Your CTCP to {1} got lost, you are not connected to IRC!" msgstr "" -#: Client.cpp:1141 +#: Client.cpp:1147 msgid "Your notice to {1} got lost, you are not connected to IRC!" msgstr "" -#: Client.cpp:1180 +#: Client.cpp:1186 msgid "Removing channel {1}" msgstr "" -#: Client.cpp:1258 +#: Client.cpp:1264 msgid "Your message to {1} got lost, you are not connected to IRC!" msgstr "" -#: Client.cpp:1311 Client.cpp:1317 +#: Client.cpp:1317 Client.cpp:1323 msgid "Hello. How may I help you?" msgstr "" -#: Client.cpp:1331 +#: Client.cpp:1337 msgid "Usage: /attach <#chans>" msgstr "" -#: Client.cpp:1338 Client.cpp:1360 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: Client.cpp:1344 Client.cpp:1366 ClientCommand.cpp:129 ClientCommand.cpp:151 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" msgstr[0] "" msgstr[1] "" -#: Client.cpp:1341 ClientCommand.cpp:132 +#: Client.cpp:1347 ClientCommand.cpp:132 msgid "Attached {1} channel" msgid_plural "Attached {1} channels" msgstr[0] "" msgstr[1] "" -#: Client.cpp:1353 +#: Client.cpp:1359 msgid "Usage: /detach <#chans>" msgstr "" -#: Client.cpp:1363 ClientCommand.cpp:154 +#: Client.cpp:1369 ClientCommand.cpp:154 msgid "Detached {1} channel" msgid_plural "Detached {1} channels" msgstr[0] "" diff --git a/src/po/znc.de_DE.po b/src/po/znc.de_DE.po index 0290a95a..beec4f07 100644 --- a/src/po/znc.de_DE.po +++ b/src/po/znc.de_DE.po @@ -242,50 +242,50 @@ msgstr "" "Deine Verbindung wird getrennt, da ein anderen Benutzer sich als dich " "angemeldet hat." -#: Client.cpp:1015 +#: Client.cpp:1021 msgid "Your CTCP to {1} got lost, you are not connected to IRC!" msgstr "Dein CTCP an {1} wurde verloren, du bist nicht mit dem IRC verbunden!" -#: Client.cpp:1141 +#: Client.cpp:1147 msgid "Your notice to {1} got lost, you are not connected to IRC!" msgstr "" "Deine Benachrichtigung an {1} wurde verloren, du bist nicht mit dem IRC " "verbunden!" -#: Client.cpp:1180 +#: Client.cpp:1186 msgid "Removing channel {1}" msgstr "Entferne Kanal {1}" -#: Client.cpp:1258 +#: Client.cpp:1264 msgid "Your message to {1} got lost, you are not connected to IRC!" msgstr "" "Deine Nachricht an {1} wurde verloren, du bist nicht mit dem IRC verbunden!" -#: Client.cpp:1311 Client.cpp:1317 +#: Client.cpp:1317 Client.cpp:1323 msgid "Hello. How may I help you?" msgstr "Hallo. Wie kann ich dir helfen?" -#: Client.cpp:1331 +#: Client.cpp:1337 msgid "Usage: /attach <#chans>" msgstr "Verwendung: /attach <#Kanal>" -#: Client.cpp:1338 Client.cpp:1360 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: Client.cpp:1344 Client.cpp:1366 ClientCommand.cpp:129 ClientCommand.cpp:151 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" msgstr[0] "Es gibt einen Kanal, der auf [{2}] passt" msgstr[1] "Es gibt {1} Kanäle, die auf [{2}] passen" -#: Client.cpp:1341 ClientCommand.cpp:132 +#: Client.cpp:1347 ClientCommand.cpp:132 msgid "Attached {1} channel" msgid_plural "Attached {1} channels" msgstr[0] "Zu {1} Kanal verbunden" msgstr[1] "Zu {1} Kanälen verbunden" -#: Client.cpp:1353 +#: Client.cpp:1359 msgid "Usage: /detach <#chans>" msgstr "Verwendung: /detach <#Kanäle>" -#: Client.cpp:1363 ClientCommand.cpp:154 +#: Client.cpp:1369 ClientCommand.cpp:154 msgid "Detached {1} channel" msgid_plural "Detached {1} channels" msgstr[0] "Von {1} Kanal getrennt" diff --git a/src/po/znc.es_ES.po b/src/po/znc.es_ES.po index f5ff4208..516da08d 100644 --- a/src/po/znc.es_ES.po +++ b/src/po/znc.es_ES.po @@ -233,47 +233,47 @@ msgid "" msgstr "" "Estás siendo desconectado porque otro usuario se ha autenticado por ti." -#: Client.cpp:1015 +#: Client.cpp:1021 msgid "Your CTCP to {1} got lost, you are not connected to IRC!" msgstr "Tu CTCP a {1} se ha perdido, ¡no estás conectado al IRC!" -#: Client.cpp:1141 +#: Client.cpp:1147 msgid "Your notice to {1} got lost, you are not connected to IRC!" msgstr "Tu notice a {1} se ha perdido, ¡no estás conectado al IRC!" -#: Client.cpp:1180 +#: Client.cpp:1186 msgid "Removing channel {1}" msgstr "Eliminando canal {1}" -#: Client.cpp:1258 +#: Client.cpp:1264 msgid "Your message to {1} got lost, you are not connected to IRC!" msgstr "Tu mensaje a {1} se ha perdido, ¡no estás conectado al IRC!" -#: Client.cpp:1311 Client.cpp:1317 +#: Client.cpp:1317 Client.cpp:1323 msgid "Hello. How may I help you?" msgstr "Hola. ¿En qué te puedo ayudar?" -#: Client.cpp:1331 +#: Client.cpp:1337 msgid "Usage: /attach <#chans>" msgstr "Uso: /attach <#canales>" -#: Client.cpp:1338 Client.cpp:1360 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: Client.cpp:1344 Client.cpp:1366 ClientCommand.cpp:129 ClientCommand.cpp:151 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" msgstr[0] "Hay {1} canal que coincide con [{2}]" msgstr[1] "Hay {1} canales que coinciden con [{2}]" -#: Client.cpp:1341 ClientCommand.cpp:132 +#: Client.cpp:1347 ClientCommand.cpp:132 msgid "Attached {1} channel" msgid_plural "Attached {1} channels" msgstr[0] "Vinculado a {1} canal" msgstr[1] "Unido a {1} canales" -#: Client.cpp:1353 +#: Client.cpp:1359 msgid "Usage: /detach <#chans>" msgstr "Uso: /detach <#canales>" -#: Client.cpp:1363 ClientCommand.cpp:154 +#: Client.cpp:1369 ClientCommand.cpp:154 msgid "Detached {1} channel" msgid_plural "Detached {1} channels" msgstr[0] "Desvinculado {1} canal" diff --git a/src/po/znc.fr_FR.po b/src/po/znc.fr_FR.po index 6caf9533..d726df1f 100644 --- a/src/po/znc.fr_FR.po +++ b/src/po/znc.fr_FR.po @@ -241,48 +241,48 @@ msgstr "" "Vous avez été déconnecté car un autre utilisateur s'est authentifié avec le " "même identifiant." -#: Client.cpp:1015 +#: Client.cpp:1021 msgid "Your CTCP to {1} got lost, you are not connected to IRC!" msgstr "" "Votre connexion CTCP vers {1} a été perdue, vous n'êtes plus connecté à IRC !" -#: Client.cpp:1141 +#: Client.cpp:1147 msgid "Your notice to {1} got lost, you are not connected to IRC!" msgstr "Votre notice vers {1} a été perdue, vous n'êtes plus connecté à IRC !" -#: Client.cpp:1180 +#: Client.cpp:1186 msgid "Removing channel {1}" msgstr "Suppression du salon {1}" -#: Client.cpp:1258 +#: Client.cpp:1264 msgid "Your message to {1} got lost, you are not connected to IRC!" msgstr "Votre message à {1} a été perdu, vous n'êtes pas connecté à IRC !" -#: Client.cpp:1311 Client.cpp:1317 +#: Client.cpp:1317 Client.cpp:1323 msgid "Hello. How may I help you?" msgstr "Bonjour. Comment puis-je vous aider ?" -#: Client.cpp:1331 +#: Client.cpp:1337 msgid "Usage: /attach <#chans>" msgstr "Utilisation : /attach <#salons>" -#: Client.cpp:1338 Client.cpp:1360 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: Client.cpp:1344 Client.cpp:1366 ClientCommand.cpp:129 ClientCommand.cpp:151 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" msgstr[0] "Il y avait {1} salon correspondant [{2}]" msgstr[1] "Il y avait {1} salons correspondant [{2}]" -#: Client.cpp:1341 ClientCommand.cpp:132 +#: Client.cpp:1347 ClientCommand.cpp:132 msgid "Attached {1} channel" msgid_plural "Attached {1} channels" msgstr[0] "A attaché {1} salon" msgstr[1] "A attaché {1} salons" -#: Client.cpp:1353 +#: Client.cpp:1359 msgid "Usage: /detach <#chans>" msgstr "Utilisation : /detach <#salons>" -#: Client.cpp:1363 ClientCommand.cpp:154 +#: Client.cpp:1369 ClientCommand.cpp:154 msgid "Detached {1} channel" msgid_plural "Detached {1} channels" msgstr[0] "A détaché {1} salon" diff --git a/src/po/znc.id_ID.po b/src/po/znc.id_ID.po index bf323863..5e58a149 100644 --- a/src/po/znc.id_ID.po +++ b/src/po/znc.id_ID.po @@ -233,45 +233,45 @@ msgid "" "You are being disconnected because another user just authenticated as you." msgstr "Anda terputus karena pengguna lain hanya diautentikasi sebagai anda." -#: Client.cpp:1015 +#: Client.cpp:1021 msgid "Your CTCP to {1} got lost, you are not connected to IRC!" msgstr "CTCP anda untuk {1} tersesat, anda tidak terhubung ke IRC!" -#: Client.cpp:1141 +#: Client.cpp:1147 msgid "Your notice to {1} got lost, you are not connected to IRC!" msgstr "Notice anda untuk {1} tersesat, anda tidak terhubung ke IRC!" -#: Client.cpp:1180 +#: Client.cpp:1186 msgid "Removing channel {1}" msgstr "Menghapus channel {1}" -#: Client.cpp:1258 +#: Client.cpp:1264 msgid "Your message to {1} got lost, you are not connected to IRC!" msgstr "Pesan anda untuk {1} tersesat, anda tidak terhubung ke IRC!" -#: Client.cpp:1311 Client.cpp:1317 +#: Client.cpp:1317 Client.cpp:1323 msgid "Hello. How may I help you?" msgstr "Halo. Bagaimana saya bisa membantu anda?" -#: Client.cpp:1331 +#: Client.cpp:1337 msgid "Usage: /attach <#chans>" msgstr "Gunakan: /attach <#chan>" -#: Client.cpp:1338 Client.cpp:1360 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: Client.cpp:1344 Client.cpp:1366 ClientCommand.cpp:129 ClientCommand.cpp:151 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" msgstr[0] "Ada {1} pencocokan saluran [{2}]" -#: Client.cpp:1341 ClientCommand.cpp:132 +#: Client.cpp:1347 ClientCommand.cpp:132 msgid "Attached {1} channel" msgid_plural "Attached {1} channels" msgstr[0] "" -#: Client.cpp:1353 +#: Client.cpp:1359 msgid "Usage: /detach <#chans>" msgstr "" -#: Client.cpp:1363 ClientCommand.cpp:154 +#: Client.cpp:1369 ClientCommand.cpp:154 msgid "Detached {1} channel" msgid_plural "Detached {1} channels" msgstr[0] "" diff --git a/src/po/znc.it_IT.po b/src/po/znc.it_IT.po index 8d20fa11..e4615763 100644 --- a/src/po/znc.it_IT.po +++ b/src/po/znc.it_IT.po @@ -238,47 +238,47 @@ msgstr "" "Stai per essere disconnesso perché un altro utente si è appena autenticato " "come te." -#: Client.cpp:1015 +#: Client.cpp:1021 msgid "Your CTCP to {1} got lost, you are not connected to IRC!" msgstr "Il tuo CTCP a {1} è andato perso, non sei connesso ad IRC!" -#: Client.cpp:1141 +#: Client.cpp:1147 msgid "Your notice to {1} got lost, you are not connected to IRC!" msgstr "Il tuo NOTICE a {1} è andato perso, non sei connesso ad IRC!" -#: Client.cpp:1180 +#: Client.cpp:1186 msgid "Removing channel {1}" msgstr "Rimozione del canle {1}" -#: Client.cpp:1258 +#: Client.cpp:1264 msgid "Your message to {1} got lost, you are not connected to IRC!" msgstr "Il tuo messaggio a {1} è andato perso, non sei connesso ad IRC!" -#: Client.cpp:1311 Client.cpp:1317 +#: Client.cpp:1317 Client.cpp:1323 msgid "Hello. How may I help you?" msgstr "Ciao! Come posso aiutarti? Puoi iniziare a scrivere help" -#: Client.cpp:1331 +#: Client.cpp:1337 msgid "Usage: /attach <#chans>" msgstr "Usa: /attach <#canali>" -#: Client.cpp:1338 Client.cpp:1360 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: Client.cpp:1344 Client.cpp:1366 ClientCommand.cpp:129 ClientCommand.cpp:151 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" msgstr[0] "Trovato {1} canale corrispondente a [{2}]" msgstr[1] "Trovati {1} canali corrispondenti a [{2}]" -#: Client.cpp:1341 ClientCommand.cpp:132 +#: Client.cpp:1347 ClientCommand.cpp:132 msgid "Attached {1} channel" msgid_plural "Attached {1} channels" msgstr[0] "Agganciato {1} canale (Attached)" msgstr[1] "Agganciati {1} canali (Attached)" -#: Client.cpp:1353 +#: Client.cpp:1359 msgid "Usage: /detach <#chans>" msgstr "Usa: /detach <#canali>" -#: Client.cpp:1363 ClientCommand.cpp:154 +#: Client.cpp:1369 ClientCommand.cpp:154 msgid "Detached {1} channel" msgid_plural "Detached {1} channels" msgstr[0] "Scollegato {1} canale (Detached)" diff --git a/src/po/znc.nl_NL.po b/src/po/znc.nl_NL.po index 541a40de..89ef3219 100644 --- a/src/po/znc.nl_NL.po +++ b/src/po/znc.nl_NL.po @@ -246,49 +246,49 @@ msgstr "" "Je verbinding wordt verbroken omdat een andere gebruiker zich net aangemeld " "heeft als jou." -#: Client.cpp:1015 +#: Client.cpp:1021 msgid "Your CTCP to {1} got lost, you are not connected to IRC!" msgstr "Je CTCP naar {1} is verloren geraakt, je bent niet verbonden met IRC!" -#: Client.cpp:1141 +#: Client.cpp:1147 msgid "Your notice to {1} got lost, you are not connected to IRC!" msgstr "" "Je notice naar {1} is verloren geraakt, je bent niet verbonden met IRC!" -#: Client.cpp:1180 +#: Client.cpp:1186 msgid "Removing channel {1}" msgstr "Kanaal verwijderen: {1}" -#: Client.cpp:1258 +#: Client.cpp:1264 msgid "Your message to {1} got lost, you are not connected to IRC!" msgstr "" "Je bericht naar {1} is verloren geraakt, je bent niet verbonden met IRC!" -#: Client.cpp:1311 Client.cpp:1317 +#: Client.cpp:1317 Client.cpp:1323 msgid "Hello. How may I help you?" msgstr "Hallo. Hoe kan ik je helpen?" -#: Client.cpp:1331 +#: Client.cpp:1337 msgid "Usage: /attach <#chans>" msgstr "Gebruik: /attach <#kanalen>" -#: Client.cpp:1338 Client.cpp:1360 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: Client.cpp:1344 Client.cpp:1366 ClientCommand.cpp:129 ClientCommand.cpp:151 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" msgstr[0] "Er was {1} kanaal overeenkomend met [{2}]" msgstr[1] "Er waren {1} kanalen overeenkomend met [{2}]" -#: Client.cpp:1341 ClientCommand.cpp:132 +#: Client.cpp:1347 ClientCommand.cpp:132 msgid "Attached {1} channel" msgid_plural "Attached {1} channels" msgstr[0] "Gekoppeld aan {1} kanaal" msgstr[1] "Gekoppeld aan {1} kanalen" -#: Client.cpp:1353 +#: Client.cpp:1359 msgid "Usage: /detach <#chans>" msgstr "Gebruik: /detach <#kanalen>" -#: Client.cpp:1363 ClientCommand.cpp:154 +#: Client.cpp:1369 ClientCommand.cpp:154 msgid "Detached {1} channel" msgid_plural "Detached {1} channels" msgstr[0] "Losgekoppeld van {1} kanaal" diff --git a/src/po/znc.pot b/src/po/znc.pot index 4619f753..bcf7eb25 100644 --- a/src/po/znc.pot +++ b/src/po/znc.pot @@ -210,47 +210,47 @@ msgid "" "You are being disconnected because another user just authenticated as you." msgstr "" -#: Client.cpp:1015 +#: Client.cpp:1021 msgid "Your CTCP to {1} got lost, you are not connected to IRC!" msgstr "" -#: Client.cpp:1141 +#: Client.cpp:1147 msgid "Your notice to {1} got lost, you are not connected to IRC!" msgstr "" -#: Client.cpp:1180 +#: Client.cpp:1186 msgid "Removing channel {1}" msgstr "" -#: Client.cpp:1258 +#: Client.cpp:1264 msgid "Your message to {1} got lost, you are not connected to IRC!" msgstr "" -#: Client.cpp:1311 Client.cpp:1317 +#: Client.cpp:1317 Client.cpp:1323 msgid "Hello. How may I help you?" msgstr "" -#: Client.cpp:1331 +#: Client.cpp:1337 msgid "Usage: /attach <#chans>" msgstr "" -#: Client.cpp:1338 Client.cpp:1360 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: Client.cpp:1344 Client.cpp:1366 ClientCommand.cpp:129 ClientCommand.cpp:151 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" msgstr[0] "" msgstr[1] "" -#: Client.cpp:1341 ClientCommand.cpp:132 +#: Client.cpp:1347 ClientCommand.cpp:132 msgid "Attached {1} channel" msgid_plural "Attached {1} channels" msgstr[0] "" msgstr[1] "" -#: Client.cpp:1353 +#: Client.cpp:1359 msgid "Usage: /detach <#chans>" msgstr "" -#: Client.cpp:1363 ClientCommand.cpp:154 +#: Client.cpp:1369 ClientCommand.cpp:154 msgid "Detached {1} channel" msgid_plural "Detached {1} channels" msgstr[0] "" diff --git a/src/po/znc.pt_BR.po b/src/po/znc.pt_BR.po index d8dee335..439aafb8 100644 --- a/src/po/znc.pt_BR.po +++ b/src/po/znc.pt_BR.po @@ -237,47 +237,47 @@ msgstr "" "Você está sendo desconectado porque outro usuário acabou de autenticar-se " "como você." -#: Client.cpp:1015 +#: Client.cpp:1021 msgid "Your CTCP to {1} got lost, you are not connected to IRC!" msgstr "O seu CTCP para {1} foi perdido, você não está conectado ao IRC!" -#: Client.cpp:1141 +#: Client.cpp:1147 msgid "Your notice to {1} got lost, you are not connected to IRC!" msgstr "O seu aviso para {1} foi perdido, você não está conectado ao IRC!" -#: Client.cpp:1180 +#: Client.cpp:1186 msgid "Removing channel {1}" msgstr "Removendo canal {1}" -#: Client.cpp:1258 +#: Client.cpp:1264 msgid "Your message to {1} got lost, you are not connected to IRC!" msgstr "Sua mensagem para {1} foi perdida, você não está conectado ao IRC!" -#: Client.cpp:1311 Client.cpp:1317 +#: Client.cpp:1317 Client.cpp:1323 msgid "Hello. How may I help you?" msgstr "Olá. Como posso ajudá-lo(a)?" -#: Client.cpp:1331 +#: Client.cpp:1337 msgid "Usage: /attach <#chans>" msgstr "Sintaxe: /attach <#canais>" -#: Client.cpp:1338 Client.cpp:1360 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: Client.cpp:1344 Client.cpp:1366 ClientCommand.cpp:129 ClientCommand.cpp:151 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" msgstr[0] "Foi encontrado {1} canal correspondente a [{2}]" msgstr[1] "Foi encontrado {1} canal correspondentes a [{2}]" -#: Client.cpp:1341 ClientCommand.cpp:132 +#: Client.cpp:1347 ClientCommand.cpp:132 msgid "Attached {1} channel" msgid_plural "Attached {1} channels" msgstr[0] "{1} canal foi anexado" msgstr[1] "{1} canais foram anexados" -#: Client.cpp:1353 +#: Client.cpp:1359 msgid "Usage: /detach <#chans>" msgstr "Sintaxe: /detach <#canais>" -#: Client.cpp:1363 ClientCommand.cpp:154 +#: Client.cpp:1369 ClientCommand.cpp:154 msgid "Detached {1} channel" msgid_plural "Detached {1} channels" msgstr[0] "{1} canal foi desanexado" diff --git a/src/po/znc.ru_RU.po b/src/po/znc.ru_RU.po index 0a4100cf..3de7b1dd 100644 --- a/src/po/znc.ru_RU.po +++ b/src/po/znc.ru_RU.po @@ -232,31 +232,31 @@ msgid "" "You are being disconnected because another user just authenticated as you." msgstr "Другой пользователь зашёл под вашим именем, отключаем." -#: Client.cpp:1015 +#: Client.cpp:1021 msgid "Your CTCP to {1} got lost, you are not connected to IRC!" msgstr "Вы не подключены к IRC, ваш CTCP-запрос к {1} утерян!" -#: Client.cpp:1141 +#: Client.cpp:1147 msgid "Your notice to {1} got lost, you are not connected to IRC!" msgstr "Вы не подключены к IRC, ваше сообщение к {1} утеряно!" -#: Client.cpp:1180 +#: Client.cpp:1186 msgid "Removing channel {1}" msgstr "Убираю канал {1}" -#: Client.cpp:1258 +#: Client.cpp:1264 msgid "Your message to {1} got lost, you are not connected to IRC!" msgstr "Вы не подключены к IRC, ваше сообщение к {1} утеряно!" -#: Client.cpp:1311 Client.cpp:1317 +#: Client.cpp:1317 Client.cpp:1323 msgid "Hello. How may I help you?" msgstr "Привет, чем могу быть вам полезен?" -#: Client.cpp:1331 +#: Client.cpp:1337 msgid "Usage: /attach <#chans>" msgstr "Использование: /attach <#каналы>" -#: Client.cpp:1338 Client.cpp:1360 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: Client.cpp:1344 Client.cpp:1366 ClientCommand.cpp:129 ClientCommand.cpp:151 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" msgstr[0] "{1} канал подходит под маску [{2}]" @@ -264,7 +264,7 @@ msgstr[1] "{1} канала подходят под маску [{2}]" msgstr[2] "{1} каналов подходят под маску [{2}]" msgstr[3] "{1} каналов подходят под маску [{2}]" -#: Client.cpp:1341 ClientCommand.cpp:132 +#: Client.cpp:1347 ClientCommand.cpp:132 msgid "Attached {1} channel" msgid_plural "Attached {1} channels" msgstr[0] "Прицепляю {1} канал" @@ -272,11 +272,11 @@ msgstr[1] "Прицепляю {1} канала" msgstr[2] "Прицепляю {1} каналов" msgstr[3] "Прицепляю {1} каналов" -#: Client.cpp:1353 +#: Client.cpp:1359 msgid "Usage: /detach <#chans>" msgstr "Использование: /detach <#каналы>" -#: Client.cpp:1363 ClientCommand.cpp:154 +#: Client.cpp:1369 ClientCommand.cpp:154 msgid "Detached {1} channel" msgid_plural "Detached {1} channels" msgstr[0] "Отцепляю {1} канал" From 13a2ebe642c0723878a80f10dc275c1156cdb46d Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Mon, 1 Jun 2020 00:27:37 +0000 Subject: [PATCH 405/798] Update translations from Crowdin for bg_BG de_DE es_ES fr_FR id_ID it_IT nl_NL pt_BR ru_RU --- src/po/znc.bg_BG.po | 20 ++++++++++---------- src/po/znc.de_DE.po | 20 ++++++++++---------- src/po/znc.es_ES.po | 20 ++++++++++---------- src/po/znc.fr_FR.po | 20 ++++++++++---------- src/po/znc.id_ID.po | 20 ++++++++++---------- src/po/znc.it_IT.po | 20 ++++++++++---------- src/po/znc.nl_NL.po | 20 ++++++++++---------- src/po/znc.pot | 20 ++++++++++---------- src/po/znc.pt_BR.po | 20 ++++++++++---------- src/po/znc.ru_RU.po | 20 ++++++++++---------- 10 files changed, 100 insertions(+), 100 deletions(-) diff --git a/src/po/znc.bg_BG.po b/src/po/znc.bg_BG.po index 8da21349..4694c2d9 100644 --- a/src/po/znc.bg_BG.po +++ b/src/po/znc.bg_BG.po @@ -217,47 +217,47 @@ msgid "" "You are being disconnected because another user just authenticated as you." msgstr "" -#: Client.cpp:1015 +#: Client.cpp:1021 msgid "Your CTCP to {1} got lost, you are not connected to IRC!" msgstr "" -#: Client.cpp:1141 +#: Client.cpp:1147 msgid "Your notice to {1} got lost, you are not connected to IRC!" msgstr "" -#: Client.cpp:1180 +#: Client.cpp:1186 msgid "Removing channel {1}" msgstr "" -#: Client.cpp:1258 +#: Client.cpp:1264 msgid "Your message to {1} got lost, you are not connected to IRC!" msgstr "" -#: Client.cpp:1311 Client.cpp:1317 +#: Client.cpp:1317 Client.cpp:1323 msgid "Hello. How may I help you?" msgstr "" -#: Client.cpp:1331 +#: Client.cpp:1337 msgid "Usage: /attach <#chans>" msgstr "" -#: Client.cpp:1338 Client.cpp:1360 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: Client.cpp:1344 Client.cpp:1366 ClientCommand.cpp:129 ClientCommand.cpp:151 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" msgstr[0] "" msgstr[1] "" -#: Client.cpp:1341 ClientCommand.cpp:132 +#: Client.cpp:1347 ClientCommand.cpp:132 msgid "Attached {1} channel" msgid_plural "Attached {1} channels" msgstr[0] "" msgstr[1] "" -#: Client.cpp:1353 +#: Client.cpp:1359 msgid "Usage: /detach <#chans>" msgstr "" -#: Client.cpp:1363 ClientCommand.cpp:154 +#: Client.cpp:1369 ClientCommand.cpp:154 msgid "Detached {1} channel" msgid_plural "Detached {1} channels" msgstr[0] "" diff --git a/src/po/znc.de_DE.po b/src/po/znc.de_DE.po index 387716ad..4fc1b49a 100644 --- a/src/po/znc.de_DE.po +++ b/src/po/znc.de_DE.po @@ -242,50 +242,50 @@ msgstr "" "Deine Verbindung wird getrennt, da ein anderen Benutzer sich als dich " "angemeldet hat." -#: Client.cpp:1015 +#: Client.cpp:1021 msgid "Your CTCP to {1} got lost, you are not connected to IRC!" msgstr "Dein CTCP an {1} wurde verloren, du bist nicht mit dem IRC verbunden!" -#: Client.cpp:1141 +#: Client.cpp:1147 msgid "Your notice to {1} got lost, you are not connected to IRC!" msgstr "" "Deine Benachrichtigung an {1} wurde verloren, du bist nicht mit dem IRC " "verbunden!" -#: Client.cpp:1180 +#: Client.cpp:1186 msgid "Removing channel {1}" msgstr "Entferne Kanal {1}" -#: Client.cpp:1258 +#: Client.cpp:1264 msgid "Your message to {1} got lost, you are not connected to IRC!" msgstr "" "Deine Nachricht an {1} wurde verloren, du bist nicht mit dem IRC verbunden!" -#: Client.cpp:1311 Client.cpp:1317 +#: Client.cpp:1317 Client.cpp:1323 msgid "Hello. How may I help you?" msgstr "Hallo. Wie kann ich dir helfen?" -#: Client.cpp:1331 +#: Client.cpp:1337 msgid "Usage: /attach <#chans>" msgstr "Verwendung: /attach <#Kanal>" -#: Client.cpp:1338 Client.cpp:1360 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: Client.cpp:1344 Client.cpp:1366 ClientCommand.cpp:129 ClientCommand.cpp:151 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" msgstr[0] "Es gibt einen Kanal, der auf [{2}] passt" msgstr[1] "Es gibt {1} Kanäle, die auf [{2}] passen" -#: Client.cpp:1341 ClientCommand.cpp:132 +#: Client.cpp:1347 ClientCommand.cpp:132 msgid "Attached {1} channel" msgid_plural "Attached {1} channels" msgstr[0] "Zu {1} Kanal verbunden" msgstr[1] "Zu {1} Kanälen verbunden" -#: Client.cpp:1353 +#: Client.cpp:1359 msgid "Usage: /detach <#chans>" msgstr "Verwendung: /detach <#Kanäle>" -#: Client.cpp:1363 ClientCommand.cpp:154 +#: Client.cpp:1369 ClientCommand.cpp:154 msgid "Detached {1} channel" msgid_plural "Detached {1} channels" msgstr[0] "Von {1} Kanal getrennt" diff --git a/src/po/znc.es_ES.po b/src/po/znc.es_ES.po index 8f0d240d..bee770e2 100644 --- a/src/po/znc.es_ES.po +++ b/src/po/znc.es_ES.po @@ -233,47 +233,47 @@ msgid "" msgstr "" "Estás siendo desconectado porque otro usuario se ha autenticado por ti." -#: Client.cpp:1015 +#: Client.cpp:1021 msgid "Your CTCP to {1} got lost, you are not connected to IRC!" msgstr "Tu CTCP a {1} se ha perdido, ¡no estás conectado al IRC!" -#: Client.cpp:1141 +#: Client.cpp:1147 msgid "Your notice to {1} got lost, you are not connected to IRC!" msgstr "Tu notice a {1} se ha perdido, ¡no estás conectado al IRC!" -#: Client.cpp:1180 +#: Client.cpp:1186 msgid "Removing channel {1}" msgstr "Eliminando canal {1}" -#: Client.cpp:1258 +#: Client.cpp:1264 msgid "Your message to {1} got lost, you are not connected to IRC!" msgstr "Tu mensaje a {1} se ha perdido, ¡no estás conectado al IRC!" -#: Client.cpp:1311 Client.cpp:1317 +#: Client.cpp:1317 Client.cpp:1323 msgid "Hello. How may I help you?" msgstr "Hola. ¿En qué te puedo ayudar?" -#: Client.cpp:1331 +#: Client.cpp:1337 msgid "Usage: /attach <#chans>" msgstr "Uso: /attach <#canales>" -#: Client.cpp:1338 Client.cpp:1360 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: Client.cpp:1344 Client.cpp:1366 ClientCommand.cpp:129 ClientCommand.cpp:151 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" msgstr[0] "Hay {1} canal que coincide con [{2}]" msgstr[1] "Hay {1} canales que coinciden con [{2}]" -#: Client.cpp:1341 ClientCommand.cpp:132 +#: Client.cpp:1347 ClientCommand.cpp:132 msgid "Attached {1} channel" msgid_plural "Attached {1} channels" msgstr[0] "Vinculado a {1} canal" msgstr[1] "Unido a {1} canales" -#: Client.cpp:1353 +#: Client.cpp:1359 msgid "Usage: /detach <#chans>" msgstr "Uso: /detach <#canales>" -#: Client.cpp:1363 ClientCommand.cpp:154 +#: Client.cpp:1369 ClientCommand.cpp:154 msgid "Detached {1} channel" msgid_plural "Detached {1} channels" msgstr[0] "Desvinculado {1} canal" diff --git a/src/po/znc.fr_FR.po b/src/po/znc.fr_FR.po index 85ffb1b3..71b8a464 100644 --- a/src/po/znc.fr_FR.po +++ b/src/po/znc.fr_FR.po @@ -241,48 +241,48 @@ msgstr "" "Vous avez été déconnecté car un autre utilisateur s'est authentifié avec le " "même identifiant." -#: Client.cpp:1015 +#: Client.cpp:1021 msgid "Your CTCP to {1} got lost, you are not connected to IRC!" msgstr "" "Votre connexion CTCP vers {1} a été perdue, vous n'êtes plus connecté à IRC !" -#: Client.cpp:1141 +#: Client.cpp:1147 msgid "Your notice to {1} got lost, you are not connected to IRC!" msgstr "Votre notice vers {1} a été perdue, vous n'êtes plus connecté à IRC !" -#: Client.cpp:1180 +#: Client.cpp:1186 msgid "Removing channel {1}" msgstr "Suppression du salon {1}" -#: Client.cpp:1258 +#: Client.cpp:1264 msgid "Your message to {1} got lost, you are not connected to IRC!" msgstr "Votre message à {1} a été perdu, vous n'êtes pas connecté à IRC !" -#: Client.cpp:1311 Client.cpp:1317 +#: Client.cpp:1317 Client.cpp:1323 msgid "Hello. How may I help you?" msgstr "Bonjour. Comment puis-je vous aider ?" -#: Client.cpp:1331 +#: Client.cpp:1337 msgid "Usage: /attach <#chans>" msgstr "Utilisation : /attach <#salons>" -#: Client.cpp:1338 Client.cpp:1360 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: Client.cpp:1344 Client.cpp:1366 ClientCommand.cpp:129 ClientCommand.cpp:151 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" msgstr[0] "Il y avait {1} salon correspondant [{2}]" msgstr[1] "Il y avait {1} salons correspondant [{2}]" -#: Client.cpp:1341 ClientCommand.cpp:132 +#: Client.cpp:1347 ClientCommand.cpp:132 msgid "Attached {1} channel" msgid_plural "Attached {1} channels" msgstr[0] "A attaché {1} salon" msgstr[1] "A attaché {1} salons" -#: Client.cpp:1353 +#: Client.cpp:1359 msgid "Usage: /detach <#chans>" msgstr "Utilisation : /detach <#salons>" -#: Client.cpp:1363 ClientCommand.cpp:154 +#: Client.cpp:1369 ClientCommand.cpp:154 msgid "Detached {1} channel" msgid_plural "Detached {1} channels" msgstr[0] "A détaché {1} salon" diff --git a/src/po/znc.id_ID.po b/src/po/znc.id_ID.po index 292a49cf..f6b9da97 100644 --- a/src/po/znc.id_ID.po +++ b/src/po/znc.id_ID.po @@ -233,45 +233,45 @@ msgid "" "You are being disconnected because another user just authenticated as you." msgstr "Anda terputus karena pengguna lain hanya diautentikasi sebagai anda." -#: Client.cpp:1015 +#: Client.cpp:1021 msgid "Your CTCP to {1} got lost, you are not connected to IRC!" msgstr "CTCP anda untuk {1} tersesat, anda tidak terhubung ke IRC!" -#: Client.cpp:1141 +#: Client.cpp:1147 msgid "Your notice to {1} got lost, you are not connected to IRC!" msgstr "Notice anda untuk {1} tersesat, anda tidak terhubung ke IRC!" -#: Client.cpp:1180 +#: Client.cpp:1186 msgid "Removing channel {1}" msgstr "Menghapus channel {1}" -#: Client.cpp:1258 +#: Client.cpp:1264 msgid "Your message to {1} got lost, you are not connected to IRC!" msgstr "Pesan anda untuk {1} tersesat, anda tidak terhubung ke IRC!" -#: Client.cpp:1311 Client.cpp:1317 +#: Client.cpp:1317 Client.cpp:1323 msgid "Hello. How may I help you?" msgstr "Halo. Bagaimana saya bisa membantu anda?" -#: Client.cpp:1331 +#: Client.cpp:1337 msgid "Usage: /attach <#chans>" msgstr "Gunakan: /attach <#chan>" -#: Client.cpp:1338 Client.cpp:1360 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: Client.cpp:1344 Client.cpp:1366 ClientCommand.cpp:129 ClientCommand.cpp:151 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" msgstr[0] "Ada {1} pencocokan saluran [{2}]" -#: Client.cpp:1341 ClientCommand.cpp:132 +#: Client.cpp:1347 ClientCommand.cpp:132 msgid "Attached {1} channel" msgid_plural "Attached {1} channels" msgstr[0] "" -#: Client.cpp:1353 +#: Client.cpp:1359 msgid "Usage: /detach <#chans>" msgstr "" -#: Client.cpp:1363 ClientCommand.cpp:154 +#: Client.cpp:1369 ClientCommand.cpp:154 msgid "Detached {1} channel" msgid_plural "Detached {1} channels" msgstr[0] "" diff --git a/src/po/znc.it_IT.po b/src/po/znc.it_IT.po index e4b72cd3..6a30f7a9 100644 --- a/src/po/znc.it_IT.po +++ b/src/po/znc.it_IT.po @@ -238,47 +238,47 @@ msgstr "" "Stai per essere disconnesso perché un altro utente si è appena autenticato " "come te." -#: Client.cpp:1015 +#: Client.cpp:1021 msgid "Your CTCP to {1} got lost, you are not connected to IRC!" msgstr "Il tuo CTCP a {1} è andato perso, non sei connesso ad IRC!" -#: Client.cpp:1141 +#: Client.cpp:1147 msgid "Your notice to {1} got lost, you are not connected to IRC!" msgstr "Il tuo NOTICE a {1} è andato perso, non sei connesso ad IRC!" -#: Client.cpp:1180 +#: Client.cpp:1186 msgid "Removing channel {1}" msgstr "Rimozione del canle {1}" -#: Client.cpp:1258 +#: Client.cpp:1264 msgid "Your message to {1} got lost, you are not connected to IRC!" msgstr "Il tuo messaggio a {1} è andato perso, non sei connesso ad IRC!" -#: Client.cpp:1311 Client.cpp:1317 +#: Client.cpp:1317 Client.cpp:1323 msgid "Hello. How may I help you?" msgstr "Ciao! Come posso aiutarti? Puoi iniziare a scrivere help" -#: Client.cpp:1331 +#: Client.cpp:1337 msgid "Usage: /attach <#chans>" msgstr "Usa: /attach <#canali>" -#: Client.cpp:1338 Client.cpp:1360 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: Client.cpp:1344 Client.cpp:1366 ClientCommand.cpp:129 ClientCommand.cpp:151 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" msgstr[0] "Trovato {1} canale corrispondente a [{2}]" msgstr[1] "Trovati {1} canali corrispondenti a [{2}]" -#: Client.cpp:1341 ClientCommand.cpp:132 +#: Client.cpp:1347 ClientCommand.cpp:132 msgid "Attached {1} channel" msgid_plural "Attached {1} channels" msgstr[0] "Agganciato {1} canale (Attached)" msgstr[1] "Agganciati {1} canali (Attached)" -#: Client.cpp:1353 +#: Client.cpp:1359 msgid "Usage: /detach <#chans>" msgstr "Usa: /detach <#canali>" -#: Client.cpp:1363 ClientCommand.cpp:154 +#: Client.cpp:1369 ClientCommand.cpp:154 msgid "Detached {1} channel" msgid_plural "Detached {1} channels" msgstr[0] "Scollegato {1} canale (Detached)" diff --git a/src/po/znc.nl_NL.po b/src/po/znc.nl_NL.po index 0ca04df1..eb1e5149 100644 --- a/src/po/znc.nl_NL.po +++ b/src/po/znc.nl_NL.po @@ -246,49 +246,49 @@ msgstr "" "Je verbinding wordt verbroken omdat een andere gebruiker zich net aangemeld " "heeft als jou." -#: Client.cpp:1015 +#: Client.cpp:1021 msgid "Your CTCP to {1} got lost, you are not connected to IRC!" msgstr "Je CTCP naar {1} is verloren geraakt, je bent niet verbonden met IRC!" -#: Client.cpp:1141 +#: Client.cpp:1147 msgid "Your notice to {1} got lost, you are not connected to IRC!" msgstr "" "Je notice naar {1} is verloren geraakt, je bent niet verbonden met IRC!" -#: Client.cpp:1180 +#: Client.cpp:1186 msgid "Removing channel {1}" msgstr "Kanaal verwijderen: {1}" -#: Client.cpp:1258 +#: Client.cpp:1264 msgid "Your message to {1} got lost, you are not connected to IRC!" msgstr "" "Je bericht naar {1} is verloren geraakt, je bent niet verbonden met IRC!" -#: Client.cpp:1311 Client.cpp:1317 +#: Client.cpp:1317 Client.cpp:1323 msgid "Hello. How may I help you?" msgstr "Hallo. Hoe kan ik je helpen?" -#: Client.cpp:1331 +#: Client.cpp:1337 msgid "Usage: /attach <#chans>" msgstr "Gebruik: /attach <#kanalen>" -#: Client.cpp:1338 Client.cpp:1360 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: Client.cpp:1344 Client.cpp:1366 ClientCommand.cpp:129 ClientCommand.cpp:151 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" msgstr[0] "Er was {1} kanaal overeenkomend met [{2}]" msgstr[1] "Er waren {1} kanalen overeenkomend met [{2}]" -#: Client.cpp:1341 ClientCommand.cpp:132 +#: Client.cpp:1347 ClientCommand.cpp:132 msgid "Attached {1} channel" msgid_plural "Attached {1} channels" msgstr[0] "Gekoppeld aan {1} kanaal" msgstr[1] "Gekoppeld aan {1} kanalen" -#: Client.cpp:1353 +#: Client.cpp:1359 msgid "Usage: /detach <#chans>" msgstr "Gebruik: /detach <#kanalen>" -#: Client.cpp:1363 ClientCommand.cpp:154 +#: Client.cpp:1369 ClientCommand.cpp:154 msgid "Detached {1} channel" msgid_plural "Detached {1} channels" msgstr[0] "Losgekoppeld van {1} kanaal" diff --git a/src/po/znc.pot b/src/po/znc.pot index 5a2c5fa4..2fd42a11 100644 --- a/src/po/znc.pot +++ b/src/po/znc.pot @@ -210,47 +210,47 @@ msgid "" "You are being disconnected because another user just authenticated as you." msgstr "" -#: Client.cpp:1015 +#: Client.cpp:1021 msgid "Your CTCP to {1} got lost, you are not connected to IRC!" msgstr "" -#: Client.cpp:1141 +#: Client.cpp:1147 msgid "Your notice to {1} got lost, you are not connected to IRC!" msgstr "" -#: Client.cpp:1180 +#: Client.cpp:1186 msgid "Removing channel {1}" msgstr "" -#: Client.cpp:1258 +#: Client.cpp:1264 msgid "Your message to {1} got lost, you are not connected to IRC!" msgstr "" -#: Client.cpp:1311 Client.cpp:1317 +#: Client.cpp:1317 Client.cpp:1323 msgid "Hello. How may I help you?" msgstr "" -#: Client.cpp:1331 +#: Client.cpp:1337 msgid "Usage: /attach <#chans>" msgstr "" -#: Client.cpp:1338 Client.cpp:1360 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: Client.cpp:1344 Client.cpp:1366 ClientCommand.cpp:129 ClientCommand.cpp:151 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" msgstr[0] "" msgstr[1] "" -#: Client.cpp:1341 ClientCommand.cpp:132 +#: Client.cpp:1347 ClientCommand.cpp:132 msgid "Attached {1} channel" msgid_plural "Attached {1} channels" msgstr[0] "" msgstr[1] "" -#: Client.cpp:1353 +#: Client.cpp:1359 msgid "Usage: /detach <#chans>" msgstr "" -#: Client.cpp:1363 ClientCommand.cpp:154 +#: Client.cpp:1369 ClientCommand.cpp:154 msgid "Detached {1} channel" msgid_plural "Detached {1} channels" msgstr[0] "" diff --git a/src/po/znc.pt_BR.po b/src/po/znc.pt_BR.po index daa91275..1091294f 100644 --- a/src/po/znc.pt_BR.po +++ b/src/po/znc.pt_BR.po @@ -237,47 +237,47 @@ msgstr "" "Você está sendo desconectado porque outro usuário acabou de autenticar-se " "como você." -#: Client.cpp:1015 +#: Client.cpp:1021 msgid "Your CTCP to {1} got lost, you are not connected to IRC!" msgstr "O seu CTCP para {1} foi perdido, você não está conectado ao IRC!" -#: Client.cpp:1141 +#: Client.cpp:1147 msgid "Your notice to {1} got lost, you are not connected to IRC!" msgstr "O seu aviso para {1} foi perdido, você não está conectado ao IRC!" -#: Client.cpp:1180 +#: Client.cpp:1186 msgid "Removing channel {1}" msgstr "Removendo canal {1}" -#: Client.cpp:1258 +#: Client.cpp:1264 msgid "Your message to {1} got lost, you are not connected to IRC!" msgstr "Sua mensagem para {1} foi perdida, você não está conectado ao IRC!" -#: Client.cpp:1311 Client.cpp:1317 +#: Client.cpp:1317 Client.cpp:1323 msgid "Hello. How may I help you?" msgstr "Olá. Como posso ajudá-lo(a)?" -#: Client.cpp:1331 +#: Client.cpp:1337 msgid "Usage: /attach <#chans>" msgstr "Sintaxe: /attach <#canais>" -#: Client.cpp:1338 Client.cpp:1360 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: Client.cpp:1344 Client.cpp:1366 ClientCommand.cpp:129 ClientCommand.cpp:151 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" msgstr[0] "Foi encontrado {1} canal correspondente a [{2}]" msgstr[1] "Foi encontrado {1} canal correspondentes a [{2}]" -#: Client.cpp:1341 ClientCommand.cpp:132 +#: Client.cpp:1347 ClientCommand.cpp:132 msgid "Attached {1} channel" msgid_plural "Attached {1} channels" msgstr[0] "{1} canal foi anexado" msgstr[1] "{1} canais foram anexados" -#: Client.cpp:1353 +#: Client.cpp:1359 msgid "Usage: /detach <#chans>" msgstr "Sintaxe: /detach <#canais>" -#: Client.cpp:1363 ClientCommand.cpp:154 +#: Client.cpp:1369 ClientCommand.cpp:154 msgid "Detached {1} channel" msgid_plural "Detached {1} channels" msgstr[0] "{1} canal foi desanexado" diff --git a/src/po/znc.ru_RU.po b/src/po/znc.ru_RU.po index d075bea5..eac29dc3 100644 --- a/src/po/znc.ru_RU.po +++ b/src/po/znc.ru_RU.po @@ -232,31 +232,31 @@ msgid "" "You are being disconnected because another user just authenticated as you." msgstr "Другой пользователь зашёл под вашим именем, отключаем." -#: Client.cpp:1015 +#: Client.cpp:1021 msgid "Your CTCP to {1} got lost, you are not connected to IRC!" msgstr "Вы не подключены к IRC, ваш CTCP-запрос к {1} утерян!" -#: Client.cpp:1141 +#: Client.cpp:1147 msgid "Your notice to {1} got lost, you are not connected to IRC!" msgstr "Вы не подключены к IRC, ваше сообщение к {1} утеряно!" -#: Client.cpp:1180 +#: Client.cpp:1186 msgid "Removing channel {1}" msgstr "Убираю канал {1}" -#: Client.cpp:1258 +#: Client.cpp:1264 msgid "Your message to {1} got lost, you are not connected to IRC!" msgstr "Вы не подключены к IRC, ваше сообщение к {1} утеряно!" -#: Client.cpp:1311 Client.cpp:1317 +#: Client.cpp:1317 Client.cpp:1323 msgid "Hello. How may I help you?" msgstr "Привет, чем могу быть вам полезен?" -#: Client.cpp:1331 +#: Client.cpp:1337 msgid "Usage: /attach <#chans>" msgstr "Использование: /attach <#каналы>" -#: Client.cpp:1338 Client.cpp:1360 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: Client.cpp:1344 Client.cpp:1366 ClientCommand.cpp:129 ClientCommand.cpp:151 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" msgstr[0] "{1} канал подходит под маску [{2}]" @@ -264,7 +264,7 @@ msgstr[1] "{1} канала подходят под маску [{2}]" msgstr[2] "{1} каналов подходят под маску [{2}]" msgstr[3] "{1} каналов подходят под маску [{2}]" -#: Client.cpp:1341 ClientCommand.cpp:132 +#: Client.cpp:1347 ClientCommand.cpp:132 msgid "Attached {1} channel" msgid_plural "Attached {1} channels" msgstr[0] "Прицепляю {1} канал" @@ -272,11 +272,11 @@ msgstr[1] "Прицепляю {1} канала" msgstr[2] "Прицепляю {1} каналов" msgstr[3] "Прицепляю {1} каналов" -#: Client.cpp:1353 +#: Client.cpp:1359 msgid "Usage: /detach <#chans>" msgstr "Использование: /detach <#каналы>" -#: Client.cpp:1363 ClientCommand.cpp:154 +#: Client.cpp:1369 ClientCommand.cpp:154 msgid "Detached {1} channel" msgid_plural "Detached {1} channels" msgstr[0] "Отцепляю {1} канал" From 72003c71fe364aa820621f6b5051945e63a77a11 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Sat, 6 Jun 2020 00:28:10 +0000 Subject: [PATCH 406/798] Update translations from Crowdin for nl_NL --- modules/po/admindebug.nl_NL.po | 1 + modules/po/nickserv.nl_NL.po | 2 +- modules/po/webadmin.nl_NL.po | 6 ++++-- src/po/znc.nl_NL.po | 4 ++-- 4 files changed, 8 insertions(+), 5 deletions(-) diff --git a/modules/po/admindebug.nl_NL.po b/modules/po/admindebug.nl_NL.po index 8e1a1950..ebbe6726 100644 --- a/modules/po/admindebug.nl_NL.po +++ b/modules/po/admindebug.nl_NL.po @@ -31,6 +31,7 @@ msgid "" "Failure. We need to be running with a TTY. (is ZNC running with --" "foreground?)" msgstr "" +"Mislukt. Moet uitgevoerd worden in een TTY. (Draait ZNC met --forgeround?)" #: admindebug.cpp:66 msgid "Already enabled." diff --git a/modules/po/nickserv.nl_NL.po b/modules/po/nickserv.nl_NL.po index d7c1df67..b02df4b8 100644 --- a/modules/po/nickserv.nl_NL.po +++ b/modules/po/nickserv.nl_NL.po @@ -16,7 +16,7 @@ msgstr "Wachtwoord ingesteld" #: nickserv.cpp:36 nickserv.cpp:46 msgid "Done" -msgstr "" +msgstr "Klaar" #: nickserv.cpp:41 msgid "NickServ name set" diff --git a/modules/po/webadmin.nl_NL.po b/modules/po/webadmin.nl_NL.po index 1863fd51..923d00ed 100644 --- a/modules/po/webadmin.nl_NL.po +++ b/modules/po/webadmin.nl_NL.po @@ -196,13 +196,15 @@ msgstr "Schakel certificaatvalidatie uit (komt vóór TrustPKI). NIET VEILIG!" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:83 msgid "Automatically detect trusted certificates (Trust the PKI):" -msgstr "" +msgstr "Detecteer vertrouwde certificaten automatisch (Vertrouw de PKI):" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:85 msgid "" "When disabled, manually whitelist all server fingerprints, even if the " "certificate is valid" msgstr "" +"Wanneer uitgeschakeld zullen vingerafdrukken altijd handmatig toegevoegd " +"moeten worden, ook al is het certificaat geldig" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:89 #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:96 @@ -1222,7 +1224,7 @@ msgstr "Sta LoadMod niet toe" #: webadmin.cpp:1551 msgid "Admin (dangerous! may gain shell access)" -msgstr "" +msgstr "Administrator (Gevaarlijk! Kan hierdoor shell toegang verkrijgen)" #: webadmin.cpp:1561 msgid "Deny SetBindHost" diff --git a/src/po/znc.nl_NL.po b/src/po/znc.nl_NL.po index eb1e5149..216aef3b 100644 --- a/src/po/znc.nl_NL.po +++ b/src/po/znc.nl_NL.po @@ -1566,7 +1566,7 @@ msgstr "Laat zien hoe lang ZNC al draait" #: ClientCommand.cpp:1827 msgctxt "helpcmd|LoadMod|args" msgid "[--type=global|user|network] [args]" -msgstr "" +msgstr "[--type=global|user|network] [args]" #: ClientCommand.cpp:1829 msgctxt "helpcmd|LoadMod|desc" @@ -1586,7 +1586,7 @@ msgstr "Stop een module" #: ClientCommand.cpp:1835 msgctxt "helpcmd|ReloadMod|args" msgid "[--type=global|user|network] [args]" -msgstr "" +msgstr "[--type=global|user|network] [args]" #: ClientCommand.cpp:1837 msgctxt "helpcmd|ReloadMod|desc" From 902c35e22e7ed18f2f28fa3531e7f0e380aeaa55 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Sat, 6 Jun 2020 00:28:12 +0000 Subject: [PATCH 407/798] Update translations from Crowdin for nl_NL --- modules/po/admindebug.nl_NL.po | 1 + modules/po/nickserv.nl_NL.po | 2 +- modules/po/webadmin.nl_NL.po | 6 ++++-- src/po/znc.nl_NL.po | 4 ++-- 4 files changed, 8 insertions(+), 5 deletions(-) diff --git a/modules/po/admindebug.nl_NL.po b/modules/po/admindebug.nl_NL.po index dad17bd7..7ae8f256 100644 --- a/modules/po/admindebug.nl_NL.po +++ b/modules/po/admindebug.nl_NL.po @@ -31,6 +31,7 @@ msgid "" "Failure. We need to be running with a TTY. (is ZNC running with --" "foreground?)" msgstr "" +"Mislukt. Moet uitgevoerd worden in een TTY. (Draait ZNC met --forgeround?)" #: admindebug.cpp:66 msgid "Already enabled." diff --git a/modules/po/nickserv.nl_NL.po b/modules/po/nickserv.nl_NL.po index 2c1fb099..0251c67b 100644 --- a/modules/po/nickserv.nl_NL.po +++ b/modules/po/nickserv.nl_NL.po @@ -16,7 +16,7 @@ msgstr "Wachtwoord ingesteld" #: nickserv.cpp:36 nickserv.cpp:46 msgid "Done" -msgstr "" +msgstr "Klaar" #: nickserv.cpp:41 msgid "NickServ name set" diff --git a/modules/po/webadmin.nl_NL.po b/modules/po/webadmin.nl_NL.po index 613ec193..75783bbc 100644 --- a/modules/po/webadmin.nl_NL.po +++ b/modules/po/webadmin.nl_NL.po @@ -196,13 +196,15 @@ msgstr "Schakel certificaatvalidatie uit (komt vóór TrustPKI). NIET VEILIG!" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:83 msgid "Automatically detect trusted certificates (Trust the PKI):" -msgstr "" +msgstr "Detecteer vertrouwde certificaten automatisch (Vertrouw de PKI):" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:85 msgid "" "When disabled, manually whitelist all server fingerprints, even if the " "certificate is valid" msgstr "" +"Wanneer uitgeschakeld zullen vingerafdrukken altijd handmatig toegevoegd " +"moeten worden, ook al is het certificaat geldig" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:89 #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:96 @@ -1222,7 +1224,7 @@ msgstr "Sta LoadMod niet toe" #: webadmin.cpp:1551 msgid "Admin (dangerous! may gain shell access)" -msgstr "" +msgstr "Administrator (Gevaarlijk! Kan hierdoor shell toegang verkrijgen)" #: webadmin.cpp:1561 msgid "Deny SetBindHost" diff --git a/src/po/znc.nl_NL.po b/src/po/znc.nl_NL.po index 89ef3219..86846b23 100644 --- a/src/po/znc.nl_NL.po +++ b/src/po/znc.nl_NL.po @@ -1566,7 +1566,7 @@ msgstr "Laat zien hoe lang ZNC al draait" #: ClientCommand.cpp:1827 msgctxt "helpcmd|LoadMod|args" msgid "[--type=global|user|network] [args]" -msgstr "" +msgstr "[--type=global|user|network] [args]" #: ClientCommand.cpp:1829 msgctxt "helpcmd|LoadMod|desc" @@ -1586,7 +1586,7 @@ msgstr "Stop een module" #: ClientCommand.cpp:1835 msgctxt "helpcmd|ReloadMod|args" msgid "[--type=global|user|network] [args]" -msgstr "" +msgstr "[--type=global|user|network] [args]" #: ClientCommand.cpp:1837 msgctxt "helpcmd|ReloadMod|desc" From 0a3909beaa15e0da499473d6d041e5b75c14e885 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Sun, 7 Jun 2020 06:57:26 +0100 Subject: [PATCH 408/798] 1.8.1 --- CMakeLists.txt | 2 +- ChangeLog.md | 8 ++++++++ configure.ac | 2 +- 3 files changed, 10 insertions(+), 2 deletions(-) diff --git a/CMakeLists.txt b/CMakeLists.txt index b34f9442..c6e722b1 100644 --- a/CMakeLists.txt +++ b/CMakeLists.txt @@ -18,7 +18,7 @@ cmake_minimum_required(VERSION 3.1) project(ZNC VERSION 1.8.1 LANGUAGES CXX) set(ZNC_VERSION 1.8.1) set(append_git_version false) -set(alpha_version "-rc1") # e.g. "-rc1" +set(alpha_version "") # e.g. "-rc1" set(VERSION_EXTRA "" CACHE STRING "Additional string appended to version, e.g. to mark distribution") diff --git a/ChangeLog.md b/ChangeLog.md index cdb057f1..997cccd3 100644 --- a/ChangeLog.md +++ b/ChangeLog.md @@ -1,3 +1,11 @@ +# ZNC 1.8.1 (2020-05-07) + +Fixed bug introduced in ZNC 1.8.0: + +Authenticated users can trigger an application crash (with a NULL pointer dereference) if echo-message is not enabled and there is no network. CVE-2020-13775 + + + # ZNC 1.8.0 (2020-05-01) ## New diff --git a/configure.ac b/configure.ac index 0bf49cac..71d7ea74 100644 --- a/configure.ac +++ b/configure.ac @@ -7,7 +7,7 @@ AC_DEFUN([AC_PROG_CC], [m4_errprint(__file__:__line__[: Something is trying to u dnl Needed for AC_PATH_PROGS_FEATURE_CHECK which was added in 2.62 AC_PREREQ([2.62]) dnl Keep the version number in sync with version.h! -AC_INIT([znc], [1.8.1-rc1]) +AC_INIT([znc], [1.8.1]) LIBZNC_VERSION=1.8.1 AC_CONFIG_MACRO_DIR([m4]) AC_CONFIG_SRCDIR([src/znc.cpp]) From 5a671d7e62271ed6f8c2f749b420f62d1b620f70 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Sun, 7 Jun 2020 07:01:11 +0100 Subject: [PATCH 409/798] Return version number to 1.8.x --- CMakeLists.txt | 4 ++-- configure.ac | 4 ++-- include/znc/version.h | 4 ++-- 3 files changed, 6 insertions(+), 6 deletions(-) diff --git a/CMakeLists.txt b/CMakeLists.txt index c6e722b1..7c8dd49a 100644 --- a/CMakeLists.txt +++ b/CMakeLists.txt @@ -16,8 +16,8 @@ cmake_minimum_required(VERSION 3.1) project(ZNC VERSION 1.8.1 LANGUAGES CXX) -set(ZNC_VERSION 1.8.1) -set(append_git_version false) +set(ZNC_VERSION 1.8.x) +set(append_git_version true) set(alpha_version "") # e.g. "-rc1" set(VERSION_EXTRA "" CACHE STRING "Additional string appended to version, e.g. to mark distribution") diff --git a/configure.ac b/configure.ac index 71d7ea74..2dd5b1d3 100644 --- a/configure.ac +++ b/configure.ac @@ -7,8 +7,8 @@ AC_DEFUN([AC_PROG_CC], [m4_errprint(__file__:__line__[: Something is trying to u dnl Needed for AC_PATH_PROGS_FEATURE_CHECK which was added in 2.62 AC_PREREQ([2.62]) dnl Keep the version number in sync with version.h! -AC_INIT([znc], [1.8.1]) -LIBZNC_VERSION=1.8.1 +AC_INIT([znc], [1.8.x]) +LIBZNC_VERSION=1.8.x AC_CONFIG_MACRO_DIR([m4]) AC_CONFIG_SRCDIR([src/znc.cpp]) AC_LANG([C++]) diff --git a/include/znc/version.h b/include/znc/version.h index 450f2776..d40ea5f6 100644 --- a/include/znc/version.h +++ b/include/znc/version.h @@ -20,9 +20,9 @@ limitations under the License. // The following defines are for #if comparison (preprocessor only likes ints) #define VERSION_MAJOR 1 #define VERSION_MINOR 8 -#define VERSION_PATCH 1 +#define VERSION_PATCH -1 // This one is for display purpose and to check ABI compatibility of modules -#define VERSION_STR "1.8.1" +#define VERSION_STR "1.8.x" #endif // Don't use this one From 0f413ea3eb79ec612e59f30b3829305e01379ef4 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Sun, 7 Jun 2020 14:41:05 +0100 Subject: [PATCH 410/798] CI: try to show who helped to translate ZNC --- .ci/Jenkinsfile.crowdin | 7 +++++++ .ci/crowdin-contributors.py | 25 +++++++++++++++++++++++++ 2 files changed, 32 insertions(+) create mode 100755 .ci/crowdin-contributors.py diff --git a/.ci/Jenkinsfile.crowdin b/.ci/Jenkinsfile.crowdin index 4f55c378..0f0530ee 100644 --- a/.ci/Jenkinsfile.crowdin +++ b/.ci/Jenkinsfile.crowdin @@ -50,6 +50,13 @@ timestamps { } sh 'LANG=C.UTF-8 find . -name "*.po" -exec msgfilter -i "{}" -o "{}.replacement" .ci/cleanup-po.pl ";"' sh 'find . -name "*.po" -exec mv "{}.replacement" "{}" ";"' + withCredentials([string(credentialsId: 'fe727e3e-a8e0-4019-817f-6583c3c51ef7', variable: 'CROWDIN_API2_KEY')]) { + def headers = [[maskValue: true, name: 'Authorization', value: "Bearer ${env.CROWDIN_API2_KEY}"], [maskValue: false, name: 'User-Agent', value: 'https://github.com/znc/znc/blob/master/.ci/Jenkinsfile.crowdin']] + def contributors = httpRequest consoleLogResponseBody: true, customHeaders: headers, url: "https://crowdin.com/api/v2/projects/289533/members?limit=500" + writeFile file: 'contributors.tmp', text: contributors.content + } + sh '.ci/crowdin-contributors.py < contributors.tmp' + sh 'rm contributors.tmp' } stage("Push ${upstream_branch}") { sh 'git config user.name "ZNC-Jenkins"' diff --git a/.ci/crowdin-contributors.py b/.ci/crowdin-contributors.py new file mode 100755 index 00000000..68971383 --- /dev/null +++ b/.ci/crowdin-contributors.py @@ -0,0 +1,25 @@ +#!/usr/bin/env python + +import json +import sys + +array = [] + +data = json.load(sys.stdin) +for user in data['data']: + user = user['data'] + if user['fullName']: + array.append('* {} ({})'.format(user['username'], user['fullName'])) + else: + array.append('* ' + user['username']) + +array.sort(key=lambda x: x.lower()) + +sys.stdout = open('TRANSLATORS.md', 'wt') + +print('These people helped translating ZNC to various languages:') +print() +for u in array: + print(u) +print() +print('Generated from https://crowdin.com/project/znc-bouncer') From ff064e3ab437dc3bc5218c983c95c7b3f0d7bb6f Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Sun, 7 Jun 2020 15:07:06 +0100 Subject: [PATCH 411/798] Fix the new CI script --- .ci/Jenkinsfile.crowdin | 2 +- .ci/crowdin-contributors.py | 2 +- 2 files changed, 2 insertions(+), 2 deletions(-) diff --git a/.ci/Jenkinsfile.crowdin b/.ci/Jenkinsfile.crowdin index 0f0530ee..15366665 100644 --- a/.ci/Jenkinsfile.crowdin +++ b/.ci/Jenkinsfile.crowdin @@ -55,7 +55,7 @@ timestamps { def contributors = httpRequest consoleLogResponseBody: true, customHeaders: headers, url: "https://crowdin.com/api/v2/projects/289533/members?limit=500" writeFile file: 'contributors.tmp', text: contributors.content } - sh '.ci/crowdin-contributors.py < contributors.tmp' + sh 'test -x .ci/crowdin-contributors.py && .ci/crowdin-contributors.py < contributors.tmp' sh 'rm contributors.tmp' } stage("Push ${upstream_branch}") { diff --git a/.ci/crowdin-contributors.py b/.ci/crowdin-contributors.py index 68971383..6cb0d1ce 100755 --- a/.ci/crowdin-contributors.py +++ b/.ci/crowdin-contributors.py @@ -1,4 +1,4 @@ -#!/usr/bin/env python +#!/usr/bin/env python3 import json import sys From b8eb0ca0bda7a3709214a69189c5bbb43527c9e2 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Sun, 7 Jun 2020 14:20:54 +0000 Subject: [PATCH 412/798] Update translations from Crowdin for --- TRANSLATORS.md | 30 ++++++++++++++++++++++++++++++ 1 file changed, 30 insertions(+) create mode 100644 TRANSLATORS.md diff --git a/TRANSLATORS.md b/TRANSLATORS.md new file mode 100644 index 00000000..047c0c2d --- /dev/null +++ b/TRANSLATORS.md @@ -0,0 +1,30 @@ +These people helped translating ZNC to various languages: + +* Altay +* casmo (Casper) +* CJSStryker +* DarthGandalf +* dgw +* Dreiundachzig +* eggoez (Baguz Ach) +* hypech +* Jay2k1 +* kloun (Victor Kukshiev) +* leon-th (Leon T.) +* LiteHell +* lorenzosu +* MikkelDK +* natinaum (natinaum) +* PauloHeaven (Paul) +* psychon +* rockytvbr (Alexandre Oliveira) +* simos (filippo.cortigiani) +* sukien +* SunOS +* Un1matr1x (Falk Seidel) +* Wollino +* Xaris_ (Xaris) +* xAtlas (Atlas) +* Zarthus (Jos Ahrens) + +Generated from https://crowdin.com/project/znc-bouncer From e6538c557052ea6479b01d5ef85aa20a32364747 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Sun, 7 Jun 2020 15:23:56 +0100 Subject: [PATCH 413/798] CI: add the crowdin-contributors.py to 1.8.x branch --- .ci/crowdin-contributors.py | 25 +++++++++++++++++++++++++ 1 file changed, 25 insertions(+) create mode 100755 .ci/crowdin-contributors.py diff --git a/.ci/crowdin-contributors.py b/.ci/crowdin-contributors.py new file mode 100755 index 00000000..6cb0d1ce --- /dev/null +++ b/.ci/crowdin-contributors.py @@ -0,0 +1,25 @@ +#!/usr/bin/env python3 + +import json +import sys + +array = [] + +data = json.load(sys.stdin) +for user in data['data']: + user = user['data'] + if user['fullName']: + array.append('* {} ({})'.format(user['username'], user['fullName'])) + else: + array.append('* ' + user['username']) + +array.sort(key=lambda x: x.lower()) + +sys.stdout = open('TRANSLATORS.md', 'wt') + +print('These people helped translating ZNC to various languages:') +print() +for u in array: + print(u) +print() +print('Generated from https://crowdin.com/project/znc-bouncer') From 2b8f0dd3a3fb0f441ec285c38b4764a68e4d2eaf Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Sun, 7 Jun 2020 15:25:09 +0100 Subject: [PATCH 414/798] CI: the file now exists --- .ci/Jenkinsfile.crowdin | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/.ci/Jenkinsfile.crowdin b/.ci/Jenkinsfile.crowdin index 15366665..0f0530ee 100644 --- a/.ci/Jenkinsfile.crowdin +++ b/.ci/Jenkinsfile.crowdin @@ -55,7 +55,7 @@ timestamps { def contributors = httpRequest consoleLogResponseBody: true, customHeaders: headers, url: "https://crowdin.com/api/v2/projects/289533/members?limit=500" writeFile file: 'contributors.tmp', text: contributors.content } - sh 'test -x .ci/crowdin-contributors.py && .ci/crowdin-contributors.py < contributors.tmp' + sh '.ci/crowdin-contributors.py < contributors.tmp' sh 'rm contributors.tmp' } stage("Push ${upstream_branch}") { From 4153c422b1f46c84e43e440c5ce5e9ae68114c77 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Sun, 7 Jun 2020 14:51:42 +0000 Subject: [PATCH 415/798] Update translations from Crowdin for --- TRANSLATORS.md | 30 ++++++++++++++++++++++++++++++ 1 file changed, 30 insertions(+) create mode 100644 TRANSLATORS.md diff --git a/TRANSLATORS.md b/TRANSLATORS.md new file mode 100644 index 00000000..047c0c2d --- /dev/null +++ b/TRANSLATORS.md @@ -0,0 +1,30 @@ +These people helped translating ZNC to various languages: + +* Altay +* casmo (Casper) +* CJSStryker +* DarthGandalf +* dgw +* Dreiundachzig +* eggoez (Baguz Ach) +* hypech +* Jay2k1 +* kloun (Victor Kukshiev) +* leon-th (Leon T.) +* LiteHell +* lorenzosu +* MikkelDK +* natinaum (natinaum) +* PauloHeaven (Paul) +* psychon +* rockytvbr (Alexandre Oliveira) +* simos (filippo.cortigiani) +* sukien +* SunOS +* Un1matr1x (Falk Seidel) +* Wollino +* Xaris_ (Xaris) +* xAtlas (Atlas) +* Zarthus (Jos Ahrens) + +Generated from https://crowdin.com/project/znc-bouncer From 493bd663298b940f20b203f4e85cdda10597a451 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Tue, 9 Jun 2020 00:29:12 +0000 Subject: [PATCH 416/798] Update translations from Crowdin for nl_NL --- modules/po/watch.nl_NL.po | 10 +++++----- 1 file changed, 5 insertions(+), 5 deletions(-) diff --git a/modules/po/watch.nl_NL.po b/modules/po/watch.nl_NL.po index 3d7a0451..0b780f65 100644 --- a/modules/po/watch.nl_NL.po +++ b/modules/po/watch.nl_NL.po @@ -12,7 +12,7 @@ msgstr "" #: watch.cpp:178 msgid " [Target] [Pattern]" -msgstr "" +msgstr " [Doel] [Patroon]" #: watch.cpp:178 msgid "Used to add an entry to watch for." @@ -28,7 +28,7 @@ msgstr "Stort een lijst met alle huidige gebruikers om later te gebruiken." #: watch.cpp:184 msgid "" -msgstr "" +msgstr "" #: watch.cpp:184 msgid "Deletes Id from the list of watched entries." @@ -40,7 +40,7 @@ msgstr "Verwijder alle gebruikers." #: watch.cpp:188 watch.cpp:190 msgid "" -msgstr "" +msgstr "" #: watch.cpp:188 msgid "Enable a disabled entry." @@ -52,7 +52,7 @@ msgstr "Schakel een ingeschakelde gebruiker uit (maar verwijder deze niet)." #: watch.cpp:192 watch.cpp:194 msgid " " -msgstr "" +msgstr " " #: watch.cpp:192 msgid "Enable or disable detached client only for an entry." @@ -64,7 +64,7 @@ msgstr "Schakel een losgekoppeld kanaal in of uit voor een gebruiker." #: watch.cpp:196 msgid " [#chan priv #foo* !#bar]" -msgstr "" +msgstr " [#kanaal priv #foo* !#bar]" #: watch.cpp:196 msgid "Set the source channels that you care about." From d9f8096d49bc020d3b12a67f4481658188b3b1bb Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Tue, 9 Jun 2020 00:29:13 +0000 Subject: [PATCH 417/798] Update translations from Crowdin for nl_NL --- modules/po/watch.nl_NL.po | 10 +++++----- 1 file changed, 5 insertions(+), 5 deletions(-) diff --git a/modules/po/watch.nl_NL.po b/modules/po/watch.nl_NL.po index 4aaa5a88..f72813a1 100644 --- a/modules/po/watch.nl_NL.po +++ b/modules/po/watch.nl_NL.po @@ -12,7 +12,7 @@ msgstr "" #: watch.cpp:178 msgid " [Target] [Pattern]" -msgstr "" +msgstr " [Doel] [Patroon]" #: watch.cpp:178 msgid "Used to add an entry to watch for." @@ -28,7 +28,7 @@ msgstr "Stort een lijst met alle huidige gebruikers om later te gebruiken." #: watch.cpp:184 msgid "" -msgstr "" +msgstr "" #: watch.cpp:184 msgid "Deletes Id from the list of watched entries." @@ -40,7 +40,7 @@ msgstr "Verwijder alle gebruikers." #: watch.cpp:188 watch.cpp:190 msgid "" -msgstr "" +msgstr "" #: watch.cpp:188 msgid "Enable a disabled entry." @@ -52,7 +52,7 @@ msgstr "Schakel een ingeschakelde gebruiker uit (maar verwijder deze niet)." #: watch.cpp:192 watch.cpp:194 msgid " " -msgstr "" +msgstr " " #: watch.cpp:192 msgid "Enable or disable detached client only for an entry." @@ -64,7 +64,7 @@ msgstr "Schakel een losgekoppeld kanaal in of uit voor een gebruiker." #: watch.cpp:196 msgid " [#chan priv #foo* !#bar]" -msgstr "" +msgstr " [#kanaal priv #foo* !#bar]" #: watch.cpp:196 msgid "Set the source channels that you care about." From a881d0e3384be72a49cf87ba8fa7830b4bdc0790 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Sat, 13 Jun 2020 00:27:55 +0000 Subject: [PATCH 418/798] Update translations from Crowdin for bg_BG de_DE es_ES fr_FR it_IT nl_NL pt_BR ru_RU --- TRANSLATORS.md | 1 + modules/po/admindebug.bg_BG.po | 2 ++ modules/po/admindebug.de_DE.po | 2 ++ modules/po/admindebug.es_ES.po | 2 ++ modules/po/admindebug.fr_FR.po | 2 ++ modules/po/admindebug.it_IT.po | 2 ++ modules/po/admindebug.nl_NL.po | 2 ++ modules/po/admindebug.pt_BR.po | 2 ++ modules/po/admindebug.ru_RU.po | 2 ++ modules/po/adminlog.bg_BG.po | 2 ++ modules/po/adminlog.de_DE.po | 2 ++ modules/po/adminlog.es_ES.po | 2 ++ modules/po/adminlog.fr_FR.po | 2 ++ modules/po/adminlog.it_IT.po | 2 ++ modules/po/adminlog.nl_NL.po | 2 ++ modules/po/adminlog.pt_BR.po | 4 ++- modules/po/adminlog.ru_RU.po | 2 ++ modules/po/alias.bg_BG.po | 2 ++ modules/po/alias.de_DE.po | 2 ++ modules/po/alias.es_ES.po | 2 ++ modules/po/alias.fr_FR.po | 2 ++ modules/po/alias.it_IT.po | 2 ++ modules/po/alias.nl_NL.po | 2 ++ modules/po/alias.pt_BR.po | 8 +++--- modules/po/alias.ru_RU.po | 2 ++ modules/po/autoattach.bg_BG.po | 2 ++ modules/po/autoattach.de_DE.po | 2 ++ modules/po/autoattach.es_ES.po | 2 ++ modules/po/autoattach.fr_FR.po | 2 ++ modules/po/autoattach.it_IT.po | 2 ++ modules/po/autoattach.nl_NL.po | 2 ++ modules/po/autoattach.pt_BR.po | 2 ++ modules/po/autoattach.ru_RU.po | 2 ++ modules/po/autocycle.bg_BG.po | 2 ++ modules/po/autocycle.de_DE.po | 2 ++ modules/po/autocycle.es_ES.po | 2 ++ modules/po/autocycle.fr_FR.po | 2 ++ modules/po/autocycle.it_IT.po | 2 ++ modules/po/autocycle.nl_NL.po | 2 ++ modules/po/autocycle.pt_BR.po | 2 ++ modules/po/autocycle.ru_RU.po | 2 ++ modules/po/autoop.bg_BG.po | 2 ++ modules/po/autoop.de_DE.po | 2 ++ modules/po/autoop.es_ES.po | 2 ++ modules/po/autoop.fr_FR.po | 2 ++ modules/po/autoop.it_IT.po | 2 ++ modules/po/autoop.nl_NL.po | 2 ++ modules/po/autoop.pt_BR.po | 2 ++ modules/po/autoop.ru_RU.po | 2 ++ modules/po/autoreply.bg_BG.po | 2 ++ modules/po/autoreply.de_DE.po | 2 ++ modules/po/autoreply.es_ES.po | 2 ++ modules/po/autoreply.fr_FR.po | 2 ++ modules/po/autoreply.it_IT.po | 2 ++ modules/po/autoreply.nl_NL.po | 2 ++ modules/po/autoreply.pt_BR.po | 6 ++++- modules/po/autoreply.ru_RU.po | 2 ++ modules/po/autovoice.bg_BG.po | 2 ++ modules/po/autovoice.de_DE.po | 2 ++ modules/po/autovoice.es_ES.po | 2 ++ modules/po/autovoice.fr_FR.po | 2 ++ modules/po/autovoice.it_IT.po | 2 ++ modules/po/autovoice.nl_NL.po | 2 ++ modules/po/autovoice.pt_BR.po | 4 ++- modules/po/autovoice.ru_RU.po | 2 ++ modules/po/awaystore.bg_BG.po | 2 ++ modules/po/awaystore.de_DE.po | 2 ++ modules/po/awaystore.es_ES.po | 2 ++ modules/po/awaystore.fr_FR.po | 2 ++ modules/po/awaystore.it_IT.po | 2 ++ modules/po/awaystore.nl_NL.po | 2 ++ modules/po/awaystore.pt_BR.po | 2 ++ modules/po/awaystore.ru_RU.po | 2 ++ modules/po/block_motd.bg_BG.po | 2 ++ modules/po/block_motd.de_DE.po | 2 ++ modules/po/block_motd.es_ES.po | 2 ++ modules/po/block_motd.fr_FR.po | 2 ++ modules/po/block_motd.it_IT.po | 2 ++ modules/po/block_motd.nl_NL.po | 2 ++ modules/po/block_motd.pt_BR.po | 2 ++ modules/po/block_motd.ru_RU.po | 2 ++ modules/po/blockuser.bg_BG.po | 2 ++ modules/po/blockuser.de_DE.po | 2 ++ modules/po/blockuser.es_ES.po | 2 ++ modules/po/blockuser.fr_FR.po | 2 ++ modules/po/blockuser.it_IT.po | 2 ++ modules/po/blockuser.nl_NL.po | 2 ++ modules/po/blockuser.pt_BR.po | 2 ++ modules/po/blockuser.ru_RU.po | 2 ++ modules/po/bouncedcc.bg_BG.po | 2 ++ modules/po/bouncedcc.de_DE.po | 2 ++ modules/po/bouncedcc.es_ES.po | 2 ++ modules/po/bouncedcc.fr_FR.po | 2 ++ modules/po/bouncedcc.it_IT.po | 2 ++ modules/po/bouncedcc.nl_NL.po | 2 ++ modules/po/bouncedcc.pt_BR.po | 2 ++ modules/po/bouncedcc.ru_RU.po | 2 ++ modules/po/buffextras.bg_BG.po | 2 ++ modules/po/buffextras.de_DE.po | 2 ++ modules/po/buffextras.es_ES.po | 2 ++ modules/po/buffextras.fr_FR.po | 2 ++ modules/po/buffextras.it_IT.po | 2 ++ modules/po/buffextras.nl_NL.po | 2 ++ modules/po/buffextras.pt_BR.po | 2 ++ modules/po/buffextras.ru_RU.po | 2 ++ modules/po/cert.bg_BG.po | 2 ++ modules/po/cert.de_DE.po | 2 ++ modules/po/cert.es_ES.po | 2 ++ modules/po/cert.fr_FR.po | 2 ++ modules/po/cert.it_IT.po | 2 ++ modules/po/cert.nl_NL.po | 2 ++ modules/po/cert.pt_BR.po | 2 ++ modules/po/cert.ru_RU.po | 2 ++ modules/po/certauth.bg_BG.po | 2 ++ modules/po/certauth.de_DE.po | 2 ++ modules/po/certauth.es_ES.po | 2 ++ modules/po/certauth.fr_FR.po | 2 ++ modules/po/certauth.it_IT.po | 2 ++ modules/po/certauth.nl_NL.po | 2 ++ modules/po/certauth.pt_BR.po | 2 ++ modules/po/certauth.ru_RU.po | 2 ++ modules/po/chansaver.bg_BG.po | 2 ++ modules/po/chansaver.de_DE.po | 2 ++ modules/po/chansaver.es_ES.po | 2 ++ modules/po/chansaver.fr_FR.po | 2 ++ modules/po/chansaver.it_IT.po | 2 ++ modules/po/chansaver.nl_NL.po | 2 ++ modules/po/chansaver.pt_BR.po | 2 ++ modules/po/chansaver.ru_RU.po | 2 ++ modules/po/clearbufferonmsg.bg_BG.po | 2 ++ modules/po/clearbufferonmsg.de_DE.po | 2 ++ modules/po/clearbufferonmsg.es_ES.po | 2 ++ modules/po/clearbufferonmsg.fr_FR.po | 2 ++ modules/po/clearbufferonmsg.it_IT.po | 2 ++ modules/po/clearbufferonmsg.nl_NL.po | 2 ++ modules/po/clearbufferonmsg.pt_BR.po | 2 ++ modules/po/clearbufferonmsg.ru_RU.po | 2 ++ modules/po/clientnotify.bg_BG.po | 2 ++ modules/po/clientnotify.de_DE.po | 2 ++ modules/po/clientnotify.es_ES.po | 2 ++ modules/po/clientnotify.fr_FR.po | 2 ++ modules/po/clientnotify.it_IT.po | 2 ++ modules/po/clientnotify.nl_NL.po | 2 ++ modules/po/clientnotify.pt_BR.po | 2 ++ modules/po/clientnotify.ru_RU.po | 2 ++ modules/po/controlpanel.bg_BG.po | 2 ++ modules/po/controlpanel.de_DE.po | 2 ++ modules/po/controlpanel.es_ES.po | 2 ++ modules/po/controlpanel.fr_FR.po | 2 ++ modules/po/controlpanel.it_IT.po | 2 ++ modules/po/controlpanel.nl_NL.po | 2 ++ modules/po/controlpanel.pt_BR.po | 2 ++ modules/po/controlpanel.ru_RU.po | 2 ++ modules/po/crypt.bg_BG.po | 2 ++ modules/po/crypt.de_DE.po | 2 ++ modules/po/crypt.es_ES.po | 2 ++ modules/po/crypt.fr_FR.po | 2 ++ modules/po/crypt.it_IT.po | 2 ++ modules/po/crypt.nl_NL.po | 2 ++ modules/po/crypt.pt_BR.po | 2 ++ modules/po/crypt.ru_RU.po | 2 ++ modules/po/ctcpflood.bg_BG.po | 2 ++ modules/po/ctcpflood.de_DE.po | 2 ++ modules/po/ctcpflood.es_ES.po | 2 ++ modules/po/ctcpflood.fr_FR.po | 2 ++ modules/po/ctcpflood.it_IT.po | 2 ++ modules/po/ctcpflood.nl_NL.po | 2 ++ modules/po/ctcpflood.pt_BR.po | 2 ++ modules/po/ctcpflood.ru_RU.po | 2 ++ modules/po/cyrusauth.bg_BG.po | 2 ++ modules/po/cyrusauth.de_DE.po | 2 ++ modules/po/cyrusauth.es_ES.po | 2 ++ modules/po/cyrusauth.fr_FR.po | 2 ++ modules/po/cyrusauth.it_IT.po | 2 ++ modules/po/cyrusauth.nl_NL.po | 2 ++ modules/po/cyrusauth.pt_BR.po | 2 ++ modules/po/cyrusauth.ru_RU.po | 2 ++ modules/po/dcc.bg_BG.po | 2 ++ modules/po/dcc.de_DE.po | 2 ++ modules/po/dcc.es_ES.po | 2 ++ modules/po/dcc.fr_FR.po | 2 ++ modules/po/dcc.it_IT.po | 2 ++ modules/po/dcc.nl_NL.po | 2 ++ modules/po/dcc.pt_BR.po | 2 ++ modules/po/dcc.ru_RU.po | 2 ++ modules/po/disconkick.bg_BG.po | 2 ++ modules/po/disconkick.de_DE.po | 2 ++ modules/po/disconkick.es_ES.po | 2 ++ modules/po/disconkick.fr_FR.po | 2 ++ modules/po/disconkick.it_IT.po | 2 ++ modules/po/disconkick.nl_NL.po | 2 ++ modules/po/disconkick.pt_BR.po | 2 ++ modules/po/disconkick.ru_RU.po | 2 ++ modules/po/fail2ban.bg_BG.po | 2 ++ modules/po/fail2ban.de_DE.po | 2 ++ modules/po/fail2ban.es_ES.po | 2 ++ modules/po/fail2ban.fr_FR.po | 2 ++ modules/po/fail2ban.it_IT.po | 2 ++ modules/po/fail2ban.nl_NL.po | 2 ++ modules/po/fail2ban.pt_BR.po | 2 ++ modules/po/fail2ban.ru_RU.po | 2 ++ modules/po/flooddetach.bg_BG.po | 2 ++ modules/po/flooddetach.de_DE.po | 2 ++ modules/po/flooddetach.es_ES.po | 2 ++ modules/po/flooddetach.fr_FR.po | 2 ++ modules/po/flooddetach.it_IT.po | 2 ++ modules/po/flooddetach.nl_NL.po | 2 ++ modules/po/flooddetach.pt_BR.po | 2 ++ modules/po/flooddetach.ru_RU.po | 2 ++ modules/po/identfile.bg_BG.po | 2 ++ modules/po/identfile.de_DE.po | 2 ++ modules/po/identfile.es_ES.po | 2 ++ modules/po/identfile.fr_FR.po | 2 ++ modules/po/identfile.it_IT.po | 2 ++ modules/po/identfile.nl_NL.po | 2 ++ modules/po/identfile.pt_BR.po | 2 ++ modules/po/identfile.ru_RU.po | 2 ++ modules/po/imapauth.bg_BG.po | 2 ++ modules/po/imapauth.de_DE.po | 2 ++ modules/po/imapauth.es_ES.po | 2 ++ modules/po/imapauth.fr_FR.po | 2 ++ modules/po/imapauth.it_IT.po | 2 ++ modules/po/imapauth.nl_NL.po | 2 ++ modules/po/imapauth.pt_BR.po | 2 ++ modules/po/imapauth.ru_RU.po | 2 ++ modules/po/keepnick.bg_BG.po | 2 ++ modules/po/keepnick.de_DE.po | 2 ++ modules/po/keepnick.es_ES.po | 2 ++ modules/po/keepnick.fr_FR.po | 2 ++ modules/po/keepnick.it_IT.po | 2 ++ modules/po/keepnick.nl_NL.po | 2 ++ modules/po/keepnick.pt_BR.po | 2 ++ modules/po/keepnick.ru_RU.po | 2 ++ modules/po/kickrejoin.bg_BG.po | 2 ++ modules/po/kickrejoin.de_DE.po | 2 ++ modules/po/kickrejoin.es_ES.po | 2 ++ modules/po/kickrejoin.fr_FR.po | 2 ++ modules/po/kickrejoin.it_IT.po | 2 ++ modules/po/kickrejoin.nl_NL.po | 2 ++ modules/po/kickrejoin.pt_BR.po | 2 ++ modules/po/kickrejoin.ru_RU.po | 2 ++ modules/po/lastseen.bg_BG.po | 2 ++ modules/po/lastseen.de_DE.po | 2 ++ modules/po/lastseen.es_ES.po | 2 ++ modules/po/lastseen.fr_FR.po | 2 ++ modules/po/lastseen.it_IT.po | 2 ++ modules/po/lastseen.nl_NL.po | 2 ++ modules/po/lastseen.pt_BR.po | 2 ++ modules/po/lastseen.ru_RU.po | 2 ++ modules/po/listsockets.bg_BG.po | 2 ++ modules/po/listsockets.de_DE.po | 2 ++ modules/po/listsockets.es_ES.po | 2 ++ modules/po/listsockets.fr_FR.po | 2 ++ modules/po/listsockets.it_IT.po | 2 ++ modules/po/listsockets.nl_NL.po | 2 ++ modules/po/listsockets.pt_BR.po | 2 ++ modules/po/listsockets.ru_RU.po | 2 ++ modules/po/log.bg_BG.po | 2 ++ modules/po/log.de_DE.po | 2 ++ modules/po/log.es_ES.po | 2 ++ modules/po/log.fr_FR.po | 2 ++ modules/po/log.it_IT.po | 2 ++ modules/po/log.nl_NL.po | 2 ++ modules/po/log.pt_BR.po | 2 ++ modules/po/log.ru_RU.po | 2 ++ modules/po/missingmotd.bg_BG.po | 2 ++ modules/po/missingmotd.de_DE.po | 2 ++ modules/po/missingmotd.es_ES.po | 2 ++ modules/po/missingmotd.fr_FR.po | 2 ++ modules/po/missingmotd.it_IT.po | 2 ++ modules/po/missingmotd.nl_NL.po | 2 ++ modules/po/missingmotd.pt_BR.po | 2 ++ modules/po/missingmotd.ru_RU.po | 2 ++ modules/po/modperl.bg_BG.po | 2 ++ modules/po/modperl.de_DE.po | 2 ++ modules/po/modperl.es_ES.po | 2 ++ modules/po/modperl.fr_FR.po | 2 ++ modules/po/modperl.it_IT.po | 2 ++ modules/po/modperl.nl_NL.po | 2 ++ modules/po/modperl.pt_BR.po | 2 ++ modules/po/modperl.ru_RU.po | 2 ++ modules/po/modpython.bg_BG.po | 2 ++ modules/po/modpython.de_DE.po | 2 ++ modules/po/modpython.es_ES.po | 2 ++ modules/po/modpython.fr_FR.po | 2 ++ modules/po/modpython.it_IT.po | 2 ++ modules/po/modpython.nl_NL.po | 2 ++ modules/po/modpython.pt_BR.po | 2 ++ modules/po/modpython.ru_RU.po | 2 ++ modules/po/modules_online.bg_BG.po | 2 ++ modules/po/modules_online.de_DE.po | 2 ++ modules/po/modules_online.es_ES.po | 2 ++ modules/po/modules_online.fr_FR.po | 2 ++ modules/po/modules_online.it_IT.po | 2 ++ modules/po/modules_online.nl_NL.po | 2 ++ modules/po/modules_online.pt_BR.po | 2 ++ modules/po/modules_online.ru_RU.po | 2 ++ modules/po/nickserv.bg_BG.po | 2 ++ modules/po/nickserv.de_DE.po | 2 ++ modules/po/nickserv.es_ES.po | 2 ++ modules/po/nickserv.fr_FR.po | 2 ++ modules/po/nickserv.it_IT.po | 2 ++ modules/po/nickserv.nl_NL.po | 2 ++ modules/po/nickserv.pt_BR.po | 2 ++ modules/po/nickserv.ru_RU.po | 2 ++ modules/po/notes.bg_BG.po | 2 ++ modules/po/notes.de_DE.po | 2 ++ modules/po/notes.es_ES.po | 2 ++ modules/po/notes.fr_FR.po | 2 ++ modules/po/notes.it_IT.po | 2 ++ modules/po/notes.nl_NL.po | 2 ++ modules/po/notes.pt_BR.po | 2 ++ modules/po/notes.ru_RU.po | 2 ++ modules/po/notify_connect.bg_BG.po | 2 ++ modules/po/notify_connect.de_DE.po | 2 ++ modules/po/notify_connect.es_ES.po | 2 ++ modules/po/notify_connect.fr_FR.po | 2 ++ modules/po/notify_connect.it_IT.po | 2 ++ modules/po/notify_connect.nl_NL.po | 2 ++ modules/po/notify_connect.pt_BR.po | 2 ++ modules/po/notify_connect.ru_RU.po | 2 ++ modules/po/perform.bg_BG.po | 2 ++ modules/po/perform.de_DE.po | 2 ++ modules/po/perform.es_ES.po | 2 ++ modules/po/perform.fr_FR.po | 2 ++ modules/po/perform.it_IT.po | 2 ++ modules/po/perform.nl_NL.po | 2 ++ modules/po/perform.pt_BR.po | 2 ++ modules/po/perform.ru_RU.po | 2 ++ modules/po/perleval.bg_BG.po | 2 ++ modules/po/perleval.de_DE.po | 2 ++ modules/po/perleval.es_ES.po | 2 ++ modules/po/perleval.fr_FR.po | 2 ++ modules/po/perleval.it_IT.po | 2 ++ modules/po/perleval.nl_NL.po | 2 ++ modules/po/perleval.pt_BR.po | 2 ++ modules/po/perleval.ru_RU.po | 2 ++ modules/po/pyeval.bg_BG.po | 2 ++ modules/po/pyeval.de_DE.po | 2 ++ modules/po/pyeval.es_ES.po | 2 ++ modules/po/pyeval.fr_FR.po | 2 ++ modules/po/pyeval.it_IT.po | 2 ++ modules/po/pyeval.nl_NL.po | 2 ++ modules/po/pyeval.pt_BR.po | 2 ++ modules/po/pyeval.ru_RU.po | 2 ++ modules/po/raw.bg_BG.po | 2 ++ modules/po/raw.de_DE.po | 2 ++ modules/po/raw.es_ES.po | 2 ++ modules/po/raw.fr_FR.po | 2 ++ modules/po/raw.it_IT.po | 2 ++ modules/po/raw.nl_NL.po | 2 ++ modules/po/raw.pt_BR.po | 2 ++ modules/po/raw.ru_RU.po | 2 ++ modules/po/route_replies.bg_BG.po | 2 ++ modules/po/route_replies.de_DE.po | 2 ++ modules/po/route_replies.es_ES.po | 2 ++ modules/po/route_replies.fr_FR.po | 2 ++ modules/po/route_replies.it_IT.po | 2 ++ modules/po/route_replies.nl_NL.po | 2 ++ modules/po/route_replies.pt_BR.po | 2 ++ modules/po/route_replies.ru_RU.po | 2 ++ modules/po/sample.bg_BG.po | 2 ++ modules/po/sample.de_DE.po | 2 ++ modules/po/sample.es_ES.po | 2 ++ modules/po/sample.fr_FR.po | 2 ++ modules/po/sample.it_IT.po | 2 ++ modules/po/sample.nl_NL.po | 2 ++ modules/po/sample.pt_BR.po | 2 ++ modules/po/sample.ru_RU.po | 2 ++ modules/po/samplewebapi.bg_BG.po | 2 ++ modules/po/samplewebapi.de_DE.po | 2 ++ modules/po/samplewebapi.es_ES.po | 2 ++ modules/po/samplewebapi.fr_FR.po | 2 ++ modules/po/samplewebapi.it_IT.po | 2 ++ modules/po/samplewebapi.nl_NL.po | 2 ++ modules/po/samplewebapi.pt_BR.po | 2 ++ modules/po/samplewebapi.ru_RU.po | 2 ++ modules/po/sasl.bg_BG.po | 2 ++ modules/po/sasl.de_DE.po | 2 ++ modules/po/sasl.es_ES.po | 2 ++ modules/po/sasl.fr_FR.po | 2 ++ modules/po/sasl.it_IT.po | 2 ++ modules/po/sasl.nl_NL.po | 2 ++ modules/po/sasl.pt_BR.po | 2 ++ modules/po/sasl.ru_RU.po | 2 ++ modules/po/savebuff.bg_BG.po | 2 ++ modules/po/savebuff.de_DE.po | 2 ++ modules/po/savebuff.es_ES.po | 2 ++ modules/po/savebuff.fr_FR.po | 2 ++ modules/po/savebuff.it_IT.po | 2 ++ modules/po/savebuff.nl_NL.po | 2 ++ modules/po/savebuff.pt_BR.po | 2 ++ modules/po/savebuff.ru_RU.po | 2 ++ modules/po/send_raw.bg_BG.po | 2 ++ modules/po/send_raw.de_DE.po | 2 ++ modules/po/send_raw.es_ES.po | 2 ++ modules/po/send_raw.fr_FR.po | 2 ++ modules/po/send_raw.it_IT.po | 2 ++ modules/po/send_raw.nl_NL.po | 2 ++ modules/po/send_raw.pt_BR.po | 2 ++ modules/po/send_raw.ru_RU.po | 2 ++ modules/po/shell.bg_BG.po | 2 ++ modules/po/shell.de_DE.po | 2 ++ modules/po/shell.es_ES.po | 2 ++ modules/po/shell.fr_FR.po | 2 ++ modules/po/shell.it_IT.po | 2 ++ modules/po/shell.nl_NL.po | 2 ++ modules/po/shell.pt_BR.po | 2 ++ modules/po/shell.ru_RU.po | 2 ++ modules/po/simple_away.bg_BG.po | 2 ++ modules/po/simple_away.de_DE.po | 2 ++ modules/po/simple_away.es_ES.po | 2 ++ modules/po/simple_away.fr_FR.po | 2 ++ modules/po/simple_away.it_IT.po | 2 ++ modules/po/simple_away.nl_NL.po | 2 ++ modules/po/simple_away.pt_BR.po | 2 ++ modules/po/simple_away.ru_RU.po | 2 ++ modules/po/stickychan.bg_BG.po | 2 ++ modules/po/stickychan.de_DE.po | 2 ++ modules/po/stickychan.es_ES.po | 2 ++ modules/po/stickychan.fr_FR.po | 2 ++ modules/po/stickychan.it_IT.po | 2 ++ modules/po/stickychan.nl_NL.po | 2 ++ modules/po/stickychan.pt_BR.po | 2 ++ modules/po/stickychan.ru_RU.po | 2 ++ modules/po/stripcontrols.bg_BG.po | 2 ++ modules/po/stripcontrols.de_DE.po | 2 ++ modules/po/stripcontrols.es_ES.po | 2 ++ modules/po/stripcontrols.fr_FR.po | 2 ++ modules/po/stripcontrols.it_IT.po | 2 ++ modules/po/stripcontrols.nl_NL.po | 2 ++ modules/po/stripcontrols.pt_BR.po | 2 ++ modules/po/stripcontrols.ru_RU.po | 2 ++ modules/po/watch.bg_BG.po | 2 ++ modules/po/watch.de_DE.po | 2 ++ modules/po/watch.es_ES.po | 2 ++ modules/po/watch.fr_FR.po | 2 ++ modules/po/watch.it_IT.po | 2 ++ modules/po/watch.nl_NL.po | 2 ++ modules/po/watch.pt_BR.po | 2 ++ modules/po/watch.ru_RU.po | 2 ++ modules/po/webadmin.bg_BG.po | 2 ++ modules/po/webadmin.de_DE.po | 2 ++ modules/po/webadmin.es_ES.po | 2 ++ modules/po/webadmin.fr_FR.po | 2 ++ modules/po/webadmin.it_IT.po | 2 ++ modules/po/webadmin.nl_NL.po | 2 ++ modules/po/webadmin.pt_BR.po | 2 ++ modules/po/webadmin.ru_RU.po | 2 ++ src/po/znc.bg_BG.po | 2 ++ src/po/znc.de_DE.po | 2 ++ src/po/znc.es_ES.po | 2 ++ src/po/znc.fr_FR.po | 2 ++ src/po/znc.it_IT.po | 2 ++ src/po/znc.nl_NL.po | 2 ++ src/po/znc.pt_BR.po | 40 +++++++++++++++++----------- src/po/znc.ru_RU.po | 2 ++ 457 files changed, 943 insertions(+), 22 deletions(-) diff --git a/TRANSLATORS.md b/TRANSLATORS.md index 047c0c2d..09347d3e 100644 --- a/TRANSLATORS.md +++ b/TRANSLATORS.md @@ -2,6 +2,7 @@ These people helped translating ZNC to various languages: * Altay * casmo (Casper) +* cirinho (Ciro Moniz) * CJSStryker * DarthGandalf * dgw diff --git a/modules/po/admindebug.bg_BG.po b/modules/po/admindebug.bg_BG.po index 029d4323..fca36ffc 100644 --- a/modules/po/admindebug.bg_BG.po +++ b/modules/po/admindebug.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/admindebug.pot\n" +"X-Crowdin-File-ID: 273\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/admindebug.de_DE.po b/modules/po/admindebug.de_DE.po index 75005689..58d1fe67 100644 --- a/modules/po/admindebug.de_DE.po +++ b/modules/po/admindebug.de_DE.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/admindebug.pot\n" +"X-Crowdin-File-ID: 273\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/admindebug.es_ES.po b/modules/po/admindebug.es_ES.po index f2a47a09..e9ec1bf9 100644 --- a/modules/po/admindebug.es_ES.po +++ b/modules/po/admindebug.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/admindebug.pot\n" +"X-Crowdin-File-ID: 273\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/admindebug.fr_FR.po b/modules/po/admindebug.fr_FR.po index e215f061..e2fc8efd 100644 --- a/modules/po/admindebug.fr_FR.po +++ b/modules/po/admindebug.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/admindebug.pot\n" +"X-Crowdin-File-ID: 273\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/admindebug.it_IT.po b/modules/po/admindebug.it_IT.po index eb2e134a..2629751b 100644 --- a/modules/po/admindebug.it_IT.po +++ b/modules/po/admindebug.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/admindebug.pot\n" +"X-Crowdin-File-ID: 273\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/admindebug.nl_NL.po b/modules/po/admindebug.nl_NL.po index 7ae8f256..554b1ff9 100644 --- a/modules/po/admindebug.nl_NL.po +++ b/modules/po/admindebug.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/admindebug.pot\n" +"X-Crowdin-File-ID: 273\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/admindebug.pt_BR.po b/modules/po/admindebug.pt_BR.po index b9acb37f..c6fbee1e 100644 --- a/modules/po/admindebug.pt_BR.po +++ b/modules/po/admindebug.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/admindebug.pot\n" +"X-Crowdin-File-ID: 273\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/admindebug.ru_RU.po b/modules/po/admindebug.ru_RU.po index 41401d93..3156f093 100644 --- a/modules/po/admindebug.ru_RU.po +++ b/modules/po/admindebug.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/admindebug.pot\n" +"X-Crowdin-File-ID: 273\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/adminlog.bg_BG.po b/modules/po/adminlog.bg_BG.po index dc1cc448..24ff5048 100644 --- a/modules/po/adminlog.bg_BG.po +++ b/modules/po/adminlog.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/adminlog.pot\n" +"X-Crowdin-File-ID: 149\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/adminlog.de_DE.po b/modules/po/adminlog.de_DE.po index 904440da..a393cddf 100644 --- a/modules/po/adminlog.de_DE.po +++ b/modules/po/adminlog.de_DE.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/adminlog.pot\n" +"X-Crowdin-File-ID: 149\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/adminlog.es_ES.po b/modules/po/adminlog.es_ES.po index 99e06037..7732ddd4 100644 --- a/modules/po/adminlog.es_ES.po +++ b/modules/po/adminlog.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/adminlog.pot\n" +"X-Crowdin-File-ID: 149\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/adminlog.fr_FR.po b/modules/po/adminlog.fr_FR.po index 49bf3406..f899ab36 100644 --- a/modules/po/adminlog.fr_FR.po +++ b/modules/po/adminlog.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/adminlog.pot\n" +"X-Crowdin-File-ID: 149\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/adminlog.it_IT.po b/modules/po/adminlog.it_IT.po index f4a99b91..aa2565ae 100644 --- a/modules/po/adminlog.it_IT.po +++ b/modules/po/adminlog.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/adminlog.pot\n" +"X-Crowdin-File-ID: 149\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/adminlog.nl_NL.po b/modules/po/adminlog.nl_NL.po index a5e44451..c52d7d1a 100644 --- a/modules/po/adminlog.nl_NL.po +++ b/modules/po/adminlog.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/adminlog.pot\n" +"X-Crowdin-File-ID: 149\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/adminlog.pt_BR.po b/modules/po/adminlog.pt_BR.po index a70ddf14..ba85e916 100644 --- a/modules/po/adminlog.pt_BR.po +++ b/modules/po/adminlog.pt_BR.po @@ -4,15 +4,17 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/adminlog.pot\n" +"X-Crowdin-File-ID: 149\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" #: adminlog.cpp:29 msgid "Show the logging target" -msgstr "" +msgstr "Mostra o local do log" #: adminlog.cpp:31 msgid " [path]" diff --git a/modules/po/adminlog.ru_RU.po b/modules/po/adminlog.ru_RU.po index 8a1e443b..6b301b78 100644 --- a/modules/po/adminlog.ru_RU.po +++ b/modules/po/adminlog.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/adminlog.pot\n" +"X-Crowdin-File-ID: 149\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/alias.bg_BG.po b/modules/po/alias.bg_BG.po index 11ea8404..54e644be 100644 --- a/modules/po/alias.bg_BG.po +++ b/modules/po/alias.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/alias.pot\n" +"X-Crowdin-File-ID: 150\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/alias.de_DE.po b/modules/po/alias.de_DE.po index 5386b71b..75bca5fb 100644 --- a/modules/po/alias.de_DE.po +++ b/modules/po/alias.de_DE.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/alias.pot\n" +"X-Crowdin-File-ID: 150\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/alias.es_ES.po b/modules/po/alias.es_ES.po index e2f96c36..3289e6e1 100644 --- a/modules/po/alias.es_ES.po +++ b/modules/po/alias.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/alias.pot\n" +"X-Crowdin-File-ID: 150\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/alias.fr_FR.po b/modules/po/alias.fr_FR.po index c9f85c49..e7046d06 100644 --- a/modules/po/alias.fr_FR.po +++ b/modules/po/alias.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/alias.pot\n" +"X-Crowdin-File-ID: 150\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/alias.it_IT.po b/modules/po/alias.it_IT.po index e54255d1..5c50f009 100644 --- a/modules/po/alias.it_IT.po +++ b/modules/po/alias.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/alias.pot\n" +"X-Crowdin-File-ID: 150\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/alias.nl_NL.po b/modules/po/alias.nl_NL.po index a3dd8e14..3bd207e1 100644 --- a/modules/po/alias.nl_NL.po +++ b/modules/po/alias.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/alias.pot\n" +"X-Crowdin-File-ID: 150\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/alias.pt_BR.po b/modules/po/alias.pt_BR.po index b8b8ba56..8b7c74b7 100644 --- a/modules/po/alias.pt_BR.po +++ b/modules/po/alias.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/alias.pot\n" +"X-Crowdin-File-ID: 150\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" @@ -50,7 +52,7 @@ msgstr "" #: alias.cpp:290 msgctxt "list|separator" msgid ", " -msgstr "" +msgstr ", " #: alias.cpp:324 msgid "Actions for alias {1}:" @@ -102,7 +104,7 @@ msgstr "" #: alias.cpp:355 msgid "Lists all aliases by name." -msgstr "" +msgstr "Lista todos os aliases por nome." #: alias.cpp:358 msgid "Reports the actions performed by an alias." @@ -114,7 +116,7 @@ msgstr "" #: alias.cpp:374 msgid "Clearing all of them!" -msgstr "" +msgstr "Limpando todos eles!" #: alias.cpp:409 msgid "Provides bouncer-side command alias support." diff --git a/modules/po/alias.ru_RU.po b/modules/po/alias.ru_RU.po index 2c31e075..69e694cb 100644 --- a/modules/po/alias.ru_RU.po +++ b/modules/po/alias.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/alias.pot\n" +"X-Crowdin-File-ID: 150\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/autoattach.bg_BG.po b/modules/po/autoattach.bg_BG.po index f4ac7257..d71c6563 100644 --- a/modules/po/autoattach.bg_BG.po +++ b/modules/po/autoattach.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/autoattach.pot\n" +"X-Crowdin-File-ID: 151\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/autoattach.de_DE.po b/modules/po/autoattach.de_DE.po index 29b83258..a7a83788 100644 --- a/modules/po/autoattach.de_DE.po +++ b/modules/po/autoattach.de_DE.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/autoattach.pot\n" +"X-Crowdin-File-ID: 151\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/autoattach.es_ES.po b/modules/po/autoattach.es_ES.po index cc65ea06..987e1cde 100644 --- a/modules/po/autoattach.es_ES.po +++ b/modules/po/autoattach.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/autoattach.pot\n" +"X-Crowdin-File-ID: 151\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/autoattach.fr_FR.po b/modules/po/autoattach.fr_FR.po index b88369a2..17c04de3 100644 --- a/modules/po/autoattach.fr_FR.po +++ b/modules/po/autoattach.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/autoattach.pot\n" +"X-Crowdin-File-ID: 151\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/autoattach.it_IT.po b/modules/po/autoattach.it_IT.po index 934b2f56..3febe8c4 100644 --- a/modules/po/autoattach.it_IT.po +++ b/modules/po/autoattach.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/autoattach.pot\n" +"X-Crowdin-File-ID: 151\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/autoattach.nl_NL.po b/modules/po/autoattach.nl_NL.po index ee15851f..c4de774a 100644 --- a/modules/po/autoattach.nl_NL.po +++ b/modules/po/autoattach.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/autoattach.pot\n" +"X-Crowdin-File-ID: 151\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/autoattach.pt_BR.po b/modules/po/autoattach.pt_BR.po index d07319d1..385ec4dc 100644 --- a/modules/po/autoattach.pt_BR.po +++ b/modules/po/autoattach.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/autoattach.pot\n" +"X-Crowdin-File-ID: 151\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/autoattach.ru_RU.po b/modules/po/autoattach.ru_RU.po index 5ad48035..b5378e4e 100644 --- a/modules/po/autoattach.ru_RU.po +++ b/modules/po/autoattach.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/autoattach.pot\n" +"X-Crowdin-File-ID: 151\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/autocycle.bg_BG.po b/modules/po/autocycle.bg_BG.po index d4231689..79165f6a 100644 --- a/modules/po/autocycle.bg_BG.po +++ b/modules/po/autocycle.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/autocycle.pot\n" +"X-Crowdin-File-ID: 207\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/autocycle.de_DE.po b/modules/po/autocycle.de_DE.po index 77f76175..c6adf02e 100644 --- a/modules/po/autocycle.de_DE.po +++ b/modules/po/autocycle.de_DE.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/autocycle.pot\n" +"X-Crowdin-File-ID: 207\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/autocycle.es_ES.po b/modules/po/autocycle.es_ES.po index 27ef7e22..bbdd2e7f 100644 --- a/modules/po/autocycle.es_ES.po +++ b/modules/po/autocycle.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/autocycle.pot\n" +"X-Crowdin-File-ID: 207\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/autocycle.fr_FR.po b/modules/po/autocycle.fr_FR.po index 4a837852..b9b9c89d 100644 --- a/modules/po/autocycle.fr_FR.po +++ b/modules/po/autocycle.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/autocycle.pot\n" +"X-Crowdin-File-ID: 207\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/autocycle.it_IT.po b/modules/po/autocycle.it_IT.po index 063e2967..2113064d 100644 --- a/modules/po/autocycle.it_IT.po +++ b/modules/po/autocycle.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/autocycle.pot\n" +"X-Crowdin-File-ID: 207\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/autocycle.nl_NL.po b/modules/po/autocycle.nl_NL.po index e381ed96..e8f84126 100644 --- a/modules/po/autocycle.nl_NL.po +++ b/modules/po/autocycle.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/autocycle.pot\n" +"X-Crowdin-File-ID: 207\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/autocycle.pt_BR.po b/modules/po/autocycle.pt_BR.po index e7743d8d..3b6cc5ff 100644 --- a/modules/po/autocycle.pt_BR.po +++ b/modules/po/autocycle.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/autocycle.pot\n" +"X-Crowdin-File-ID: 207\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/autocycle.ru_RU.po b/modules/po/autocycle.ru_RU.po index 3d6dbd8c..0fd7edb9 100644 --- a/modules/po/autocycle.ru_RU.po +++ b/modules/po/autocycle.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/autocycle.pot\n" +"X-Crowdin-File-ID: 207\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/autoop.bg_BG.po b/modules/po/autoop.bg_BG.po index 1ee723cc..08c2b64c 100644 --- a/modules/po/autoop.bg_BG.po +++ b/modules/po/autoop.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/autoop.pot\n" +"X-Crowdin-File-ID: 153\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/autoop.de_DE.po b/modules/po/autoop.de_DE.po index c5c0b831..6784d9e2 100644 --- a/modules/po/autoop.de_DE.po +++ b/modules/po/autoop.de_DE.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/autoop.pot\n" +"X-Crowdin-File-ID: 153\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/autoop.es_ES.po b/modules/po/autoop.es_ES.po index 0dcb0ccf..2f5645f8 100644 --- a/modules/po/autoop.es_ES.po +++ b/modules/po/autoop.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/autoop.pot\n" +"X-Crowdin-File-ID: 153\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/autoop.fr_FR.po b/modules/po/autoop.fr_FR.po index 2754f21d..314a8b92 100644 --- a/modules/po/autoop.fr_FR.po +++ b/modules/po/autoop.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/autoop.pot\n" +"X-Crowdin-File-ID: 153\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/autoop.it_IT.po b/modules/po/autoop.it_IT.po index ba81fbb6..77be1652 100644 --- a/modules/po/autoop.it_IT.po +++ b/modules/po/autoop.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/autoop.pot\n" +"X-Crowdin-File-ID: 153\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/autoop.nl_NL.po b/modules/po/autoop.nl_NL.po index b53a8034..293a2759 100644 --- a/modules/po/autoop.nl_NL.po +++ b/modules/po/autoop.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/autoop.pot\n" +"X-Crowdin-File-ID: 153\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/autoop.pt_BR.po b/modules/po/autoop.pt_BR.po index 4fa342f6..96b47ad7 100644 --- a/modules/po/autoop.pt_BR.po +++ b/modules/po/autoop.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/autoop.pot\n" +"X-Crowdin-File-ID: 153\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/autoop.ru_RU.po b/modules/po/autoop.ru_RU.po index 8e604c71..246e7314 100644 --- a/modules/po/autoop.ru_RU.po +++ b/modules/po/autoop.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/autoop.pot\n" +"X-Crowdin-File-ID: 153\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/autoreply.bg_BG.po b/modules/po/autoreply.bg_BG.po index acd6bcb3..c2ec21a7 100644 --- a/modules/po/autoreply.bg_BG.po +++ b/modules/po/autoreply.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/autoreply.pot\n" +"X-Crowdin-File-ID: 154\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/autoreply.de_DE.po b/modules/po/autoreply.de_DE.po index e300dab8..c76135ad 100644 --- a/modules/po/autoreply.de_DE.po +++ b/modules/po/autoreply.de_DE.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/autoreply.pot\n" +"X-Crowdin-File-ID: 154\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/autoreply.es_ES.po b/modules/po/autoreply.es_ES.po index d88d3665..36d2f98b 100644 --- a/modules/po/autoreply.es_ES.po +++ b/modules/po/autoreply.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/autoreply.pot\n" +"X-Crowdin-File-ID: 154\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/autoreply.fr_FR.po b/modules/po/autoreply.fr_FR.po index 5761d848..01176d4d 100644 --- a/modules/po/autoreply.fr_FR.po +++ b/modules/po/autoreply.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/autoreply.pot\n" +"X-Crowdin-File-ID: 154\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/autoreply.it_IT.po b/modules/po/autoreply.it_IT.po index a02d904a..21fc883b 100644 --- a/modules/po/autoreply.it_IT.po +++ b/modules/po/autoreply.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/autoreply.pot\n" +"X-Crowdin-File-ID: 154\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/autoreply.nl_NL.po b/modules/po/autoreply.nl_NL.po index 00294f41..44379340 100644 --- a/modules/po/autoreply.nl_NL.po +++ b/modules/po/autoreply.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/autoreply.pot\n" +"X-Crowdin-File-ID: 154\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/autoreply.pt_BR.po b/modules/po/autoreply.pt_BR.po index d7a6badc..fb705aff 100644 --- a/modules/po/autoreply.pt_BR.po +++ b/modules/po/autoreply.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/autoreply.pot\n" +"X-Crowdin-File-ID: 154\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" @@ -35,7 +37,9 @@ msgid "" "You might specify a reply text. It is used when automatically answering " "queries, if you are not connected to ZNC." msgstr "" +"Você pode especificar um texto de resposta. É usado para responder " +"automaticamente a conversas, se você estiver desconectado ao ZNC." #: autoreply.cpp:98 msgid "Reply to queries when you are away" -msgstr "" +msgstr "Responde as conversas quando você estiver ausente" diff --git a/modules/po/autoreply.ru_RU.po b/modules/po/autoreply.ru_RU.po index caecb346..a9324923 100644 --- a/modules/po/autoreply.ru_RU.po +++ b/modules/po/autoreply.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/autoreply.pot\n" +"X-Crowdin-File-ID: 154\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/autovoice.bg_BG.po b/modules/po/autovoice.bg_BG.po index a71b3b58..2dcf4b06 100644 --- a/modules/po/autovoice.bg_BG.po +++ b/modules/po/autovoice.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/autovoice.pot\n" +"X-Crowdin-File-ID: 155\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/autovoice.de_DE.po b/modules/po/autovoice.de_DE.po index dd48deaf..595d0d03 100644 --- a/modules/po/autovoice.de_DE.po +++ b/modules/po/autovoice.de_DE.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/autovoice.pot\n" +"X-Crowdin-File-ID: 155\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/autovoice.es_ES.po b/modules/po/autovoice.es_ES.po index 764c122b..db7dc863 100644 --- a/modules/po/autovoice.es_ES.po +++ b/modules/po/autovoice.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/autovoice.pot\n" +"X-Crowdin-File-ID: 155\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/autovoice.fr_FR.po b/modules/po/autovoice.fr_FR.po index 612fc0bb..a94dc131 100644 --- a/modules/po/autovoice.fr_FR.po +++ b/modules/po/autovoice.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/autovoice.pot\n" +"X-Crowdin-File-ID: 155\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/autovoice.it_IT.po b/modules/po/autovoice.it_IT.po index b359cdeb..e9b72f5e 100644 --- a/modules/po/autovoice.it_IT.po +++ b/modules/po/autovoice.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/autovoice.pot\n" +"X-Crowdin-File-ID: 155\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/autovoice.nl_NL.po b/modules/po/autovoice.nl_NL.po index 8e4ad649..0ae812b5 100644 --- a/modules/po/autovoice.nl_NL.po +++ b/modules/po/autovoice.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/autovoice.pot\n" +"X-Crowdin-File-ID: 155\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/autovoice.pt_BR.po b/modules/po/autovoice.pt_BR.po index 9778a40f..2fa784ba 100644 --- a/modules/po/autovoice.pt_BR.po +++ b/modules/po/autovoice.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/autovoice.pot\n" +"X-Crowdin-File-ID: 155\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" @@ -72,7 +74,7 @@ msgstr "Sintaxe: AddChans [canal] ..." #: autovoice.cpp:270 autovoice.cpp:292 autovoice.cpp:329 msgid "No such user" -msgstr "" +msgstr "O usuário não existe" #: autovoice.cpp:275 msgid "Channel(s) added to user {1}" diff --git a/modules/po/autovoice.ru_RU.po b/modules/po/autovoice.ru_RU.po index 43b3d97e..86d8a49d 100644 --- a/modules/po/autovoice.ru_RU.po +++ b/modules/po/autovoice.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/autovoice.pot\n" +"X-Crowdin-File-ID: 155\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/awaystore.bg_BG.po b/modules/po/awaystore.bg_BG.po index bd4b7ed4..50fde298 100644 --- a/modules/po/awaystore.bg_BG.po +++ b/modules/po/awaystore.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/awaystore.pot\n" +"X-Crowdin-File-ID: 156\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/awaystore.de_DE.po b/modules/po/awaystore.de_DE.po index 687737e7..a11f5cff 100644 --- a/modules/po/awaystore.de_DE.po +++ b/modules/po/awaystore.de_DE.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/awaystore.pot\n" +"X-Crowdin-File-ID: 156\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/awaystore.es_ES.po b/modules/po/awaystore.es_ES.po index 2a09a28b..14e7ef9b 100644 --- a/modules/po/awaystore.es_ES.po +++ b/modules/po/awaystore.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/awaystore.pot\n" +"X-Crowdin-File-ID: 156\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/awaystore.fr_FR.po b/modules/po/awaystore.fr_FR.po index 73217eb1..314c4916 100644 --- a/modules/po/awaystore.fr_FR.po +++ b/modules/po/awaystore.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/awaystore.pot\n" +"X-Crowdin-File-ID: 156\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/awaystore.it_IT.po b/modules/po/awaystore.it_IT.po index 23ff16a3..1d80b50b 100644 --- a/modules/po/awaystore.it_IT.po +++ b/modules/po/awaystore.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/awaystore.pot\n" +"X-Crowdin-File-ID: 156\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/awaystore.nl_NL.po b/modules/po/awaystore.nl_NL.po index 46988990..a7800722 100644 --- a/modules/po/awaystore.nl_NL.po +++ b/modules/po/awaystore.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/awaystore.pot\n" +"X-Crowdin-File-ID: 156\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/awaystore.pt_BR.po b/modules/po/awaystore.pt_BR.po index d5644ab1..b474a7f8 100644 --- a/modules/po/awaystore.pt_BR.po +++ b/modules/po/awaystore.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/awaystore.pot\n" +"X-Crowdin-File-ID: 156\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/awaystore.ru_RU.po b/modules/po/awaystore.ru_RU.po index 86568580..93e432ed 100644 --- a/modules/po/awaystore.ru_RU.po +++ b/modules/po/awaystore.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/awaystore.pot\n" +"X-Crowdin-File-ID: 156\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/block_motd.bg_BG.po b/modules/po/block_motd.bg_BG.po index b7e5e703..2ed99644 100644 --- a/modules/po/block_motd.bg_BG.po +++ b/modules/po/block_motd.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/block_motd.pot\n" +"X-Crowdin-File-ID: 157\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/block_motd.de_DE.po b/modules/po/block_motd.de_DE.po index ced8bae9..0a3c77ce 100644 --- a/modules/po/block_motd.de_DE.po +++ b/modules/po/block_motd.de_DE.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/block_motd.pot\n" +"X-Crowdin-File-ID: 157\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/block_motd.es_ES.po b/modules/po/block_motd.es_ES.po index d1958585..374d4bab 100644 --- a/modules/po/block_motd.es_ES.po +++ b/modules/po/block_motd.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/block_motd.pot\n" +"X-Crowdin-File-ID: 157\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/block_motd.fr_FR.po b/modules/po/block_motd.fr_FR.po index 3ae72642..c0098990 100644 --- a/modules/po/block_motd.fr_FR.po +++ b/modules/po/block_motd.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/block_motd.pot\n" +"X-Crowdin-File-ID: 157\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/block_motd.it_IT.po b/modules/po/block_motd.it_IT.po index 87ff5445..57dec5ba 100644 --- a/modules/po/block_motd.it_IT.po +++ b/modules/po/block_motd.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/block_motd.pot\n" +"X-Crowdin-File-ID: 157\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/block_motd.nl_NL.po b/modules/po/block_motd.nl_NL.po index 03b8a6f7..38b828df 100644 --- a/modules/po/block_motd.nl_NL.po +++ b/modules/po/block_motd.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/block_motd.pot\n" +"X-Crowdin-File-ID: 157\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/block_motd.pt_BR.po b/modules/po/block_motd.pt_BR.po index ddf7f2f9..33d76df8 100644 --- a/modules/po/block_motd.pt_BR.po +++ b/modules/po/block_motd.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/block_motd.pot\n" +"X-Crowdin-File-ID: 157\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/block_motd.ru_RU.po b/modules/po/block_motd.ru_RU.po index 033d5e10..93071e87 100644 --- a/modules/po/block_motd.ru_RU.po +++ b/modules/po/block_motd.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/block_motd.pot\n" +"X-Crowdin-File-ID: 157\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/blockuser.bg_BG.po b/modules/po/blockuser.bg_BG.po index 259a6043..c9342194 100644 --- a/modules/po/blockuser.bg_BG.po +++ b/modules/po/blockuser.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/blockuser.pot\n" +"X-Crowdin-File-ID: 158\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/blockuser.de_DE.po b/modules/po/blockuser.de_DE.po index d47cb4cf..fba73596 100644 --- a/modules/po/blockuser.de_DE.po +++ b/modules/po/blockuser.de_DE.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/blockuser.pot\n" +"X-Crowdin-File-ID: 158\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/blockuser.es_ES.po b/modules/po/blockuser.es_ES.po index a676c0b8..50bd0ed6 100644 --- a/modules/po/blockuser.es_ES.po +++ b/modules/po/blockuser.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/blockuser.pot\n" +"X-Crowdin-File-ID: 158\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/blockuser.fr_FR.po b/modules/po/blockuser.fr_FR.po index af06ccc6..c52cb906 100644 --- a/modules/po/blockuser.fr_FR.po +++ b/modules/po/blockuser.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/blockuser.pot\n" +"X-Crowdin-File-ID: 158\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/blockuser.it_IT.po b/modules/po/blockuser.it_IT.po index b26d3820..9072ac5d 100644 --- a/modules/po/blockuser.it_IT.po +++ b/modules/po/blockuser.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/blockuser.pot\n" +"X-Crowdin-File-ID: 158\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/blockuser.nl_NL.po b/modules/po/blockuser.nl_NL.po index 34522231..8c4c17c5 100644 --- a/modules/po/blockuser.nl_NL.po +++ b/modules/po/blockuser.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/blockuser.pot\n" +"X-Crowdin-File-ID: 158\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/blockuser.pt_BR.po b/modules/po/blockuser.pt_BR.po index eba0b0b1..12163fb3 100644 --- a/modules/po/blockuser.pt_BR.po +++ b/modules/po/blockuser.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/blockuser.pot\n" +"X-Crowdin-File-ID: 158\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/blockuser.ru_RU.po b/modules/po/blockuser.ru_RU.po index fb668475..c6ff156e 100644 --- a/modules/po/blockuser.ru_RU.po +++ b/modules/po/blockuser.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/blockuser.pot\n" +"X-Crowdin-File-ID: 158\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/bouncedcc.bg_BG.po b/modules/po/bouncedcc.bg_BG.po index 889e4868..bf17c467 100644 --- a/modules/po/bouncedcc.bg_BG.po +++ b/modules/po/bouncedcc.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/bouncedcc.pot\n" +"X-Crowdin-File-ID: 159\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/bouncedcc.de_DE.po b/modules/po/bouncedcc.de_DE.po index e8830d8a..b224a056 100644 --- a/modules/po/bouncedcc.de_DE.po +++ b/modules/po/bouncedcc.de_DE.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/bouncedcc.pot\n" +"X-Crowdin-File-ID: 159\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/bouncedcc.es_ES.po b/modules/po/bouncedcc.es_ES.po index b0915845..9f42aab6 100644 --- a/modules/po/bouncedcc.es_ES.po +++ b/modules/po/bouncedcc.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/bouncedcc.pot\n" +"X-Crowdin-File-ID: 159\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/bouncedcc.fr_FR.po b/modules/po/bouncedcc.fr_FR.po index e69d6e82..fa4c8913 100644 --- a/modules/po/bouncedcc.fr_FR.po +++ b/modules/po/bouncedcc.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/bouncedcc.pot\n" +"X-Crowdin-File-ID: 159\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/bouncedcc.it_IT.po b/modules/po/bouncedcc.it_IT.po index 5a899f38..d98a5f1f 100644 --- a/modules/po/bouncedcc.it_IT.po +++ b/modules/po/bouncedcc.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/bouncedcc.pot\n" +"X-Crowdin-File-ID: 159\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/bouncedcc.nl_NL.po b/modules/po/bouncedcc.nl_NL.po index fca30c9a..7469c72b 100644 --- a/modules/po/bouncedcc.nl_NL.po +++ b/modules/po/bouncedcc.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/bouncedcc.pot\n" +"X-Crowdin-File-ID: 159\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/bouncedcc.pt_BR.po b/modules/po/bouncedcc.pt_BR.po index 3db8d92c..1f949f83 100644 --- a/modules/po/bouncedcc.pt_BR.po +++ b/modules/po/bouncedcc.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/bouncedcc.pot\n" +"X-Crowdin-File-ID: 159\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/bouncedcc.ru_RU.po b/modules/po/bouncedcc.ru_RU.po index 84011ac8..cb492590 100644 --- a/modules/po/bouncedcc.ru_RU.po +++ b/modules/po/bouncedcc.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/bouncedcc.pot\n" +"X-Crowdin-File-ID: 159\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/buffextras.bg_BG.po b/modules/po/buffextras.bg_BG.po index 7aaf8c0f..9c8ee3d6 100644 --- a/modules/po/buffextras.bg_BG.po +++ b/modules/po/buffextras.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/buffextras.pot\n" +"X-Crowdin-File-ID: 160\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/buffextras.de_DE.po b/modules/po/buffextras.de_DE.po index 5e96573e..49d0bf82 100644 --- a/modules/po/buffextras.de_DE.po +++ b/modules/po/buffextras.de_DE.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/buffextras.pot\n" +"X-Crowdin-File-ID: 160\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/buffextras.es_ES.po b/modules/po/buffextras.es_ES.po index dffcc796..5adae4b1 100644 --- a/modules/po/buffextras.es_ES.po +++ b/modules/po/buffextras.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/buffextras.pot\n" +"X-Crowdin-File-ID: 160\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/buffextras.fr_FR.po b/modules/po/buffextras.fr_FR.po index 4fb4b7bc..c62da85d 100644 --- a/modules/po/buffextras.fr_FR.po +++ b/modules/po/buffextras.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/buffextras.pot\n" +"X-Crowdin-File-ID: 160\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/buffextras.it_IT.po b/modules/po/buffextras.it_IT.po index 7c400747..fb9d9654 100644 --- a/modules/po/buffextras.it_IT.po +++ b/modules/po/buffextras.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/buffextras.pot\n" +"X-Crowdin-File-ID: 160\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/buffextras.nl_NL.po b/modules/po/buffextras.nl_NL.po index ccb6f6e7..2d040754 100644 --- a/modules/po/buffextras.nl_NL.po +++ b/modules/po/buffextras.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/buffextras.pot\n" +"X-Crowdin-File-ID: 160\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/buffextras.pt_BR.po b/modules/po/buffextras.pt_BR.po index bd14bfdb..065a8514 100644 --- a/modules/po/buffextras.pt_BR.po +++ b/modules/po/buffextras.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/buffextras.pot\n" +"X-Crowdin-File-ID: 160\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/buffextras.ru_RU.po b/modules/po/buffextras.ru_RU.po index 6defdf31..32ba4509 100644 --- a/modules/po/buffextras.ru_RU.po +++ b/modules/po/buffextras.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/buffextras.pot\n" +"X-Crowdin-File-ID: 160\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/cert.bg_BG.po b/modules/po/cert.bg_BG.po index f9e58219..b6abbc09 100644 --- a/modules/po/cert.bg_BG.po +++ b/modules/po/cert.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/cert.pot\n" +"X-Crowdin-File-ID: 161\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/cert.de_DE.po b/modules/po/cert.de_DE.po index 638d1e91..9e64a076 100644 --- a/modules/po/cert.de_DE.po +++ b/modules/po/cert.de_DE.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/cert.pot\n" +"X-Crowdin-File-ID: 161\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/cert.es_ES.po b/modules/po/cert.es_ES.po index 4786d510..39c4f369 100644 --- a/modules/po/cert.es_ES.po +++ b/modules/po/cert.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/cert.pot\n" +"X-Crowdin-File-ID: 161\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/cert.fr_FR.po b/modules/po/cert.fr_FR.po index 6f71ef32..df0fc7bf 100644 --- a/modules/po/cert.fr_FR.po +++ b/modules/po/cert.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/cert.pot\n" +"X-Crowdin-File-ID: 161\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/cert.it_IT.po b/modules/po/cert.it_IT.po index 831bc452..c03d685e 100644 --- a/modules/po/cert.it_IT.po +++ b/modules/po/cert.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/cert.pot\n" +"X-Crowdin-File-ID: 161\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/cert.nl_NL.po b/modules/po/cert.nl_NL.po index 67b0b59b..b653dbca 100644 --- a/modules/po/cert.nl_NL.po +++ b/modules/po/cert.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/cert.pot\n" +"X-Crowdin-File-ID: 161\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/cert.pt_BR.po b/modules/po/cert.pt_BR.po index a855a708..0e933b43 100644 --- a/modules/po/cert.pt_BR.po +++ b/modules/po/cert.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/cert.pot\n" +"X-Crowdin-File-ID: 161\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/cert.ru_RU.po b/modules/po/cert.ru_RU.po index f96df913..a0e02e38 100644 --- a/modules/po/cert.ru_RU.po +++ b/modules/po/cert.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/cert.pot\n" +"X-Crowdin-File-ID: 161\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/certauth.bg_BG.po b/modules/po/certauth.bg_BG.po index d21338b7..16a23161 100644 --- a/modules/po/certauth.bg_BG.po +++ b/modules/po/certauth.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/certauth.pot\n" +"X-Crowdin-File-ID: 162\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/certauth.de_DE.po b/modules/po/certauth.de_DE.po index 080e258e..bdc5b4da 100644 --- a/modules/po/certauth.de_DE.po +++ b/modules/po/certauth.de_DE.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/certauth.pot\n" +"X-Crowdin-File-ID: 162\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/certauth.es_ES.po b/modules/po/certauth.es_ES.po index e04e33ee..14a857b9 100644 --- a/modules/po/certauth.es_ES.po +++ b/modules/po/certauth.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/certauth.pot\n" +"X-Crowdin-File-ID: 162\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/certauth.fr_FR.po b/modules/po/certauth.fr_FR.po index 1ef0ef57..26cafec5 100644 --- a/modules/po/certauth.fr_FR.po +++ b/modules/po/certauth.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/certauth.pot\n" +"X-Crowdin-File-ID: 162\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/certauth.it_IT.po b/modules/po/certauth.it_IT.po index 83ec962a..b124566c 100644 --- a/modules/po/certauth.it_IT.po +++ b/modules/po/certauth.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/certauth.pot\n" +"X-Crowdin-File-ID: 162\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/certauth.nl_NL.po b/modules/po/certauth.nl_NL.po index 173c55ad..cb24a7aa 100644 --- a/modules/po/certauth.nl_NL.po +++ b/modules/po/certauth.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/certauth.pot\n" +"X-Crowdin-File-ID: 162\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/certauth.pt_BR.po b/modules/po/certauth.pt_BR.po index 7cd2a1c4..44ba9e5f 100644 --- a/modules/po/certauth.pt_BR.po +++ b/modules/po/certauth.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/certauth.pot\n" +"X-Crowdin-File-ID: 162\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/certauth.ru_RU.po b/modules/po/certauth.ru_RU.po index aa45cce5..2282ed76 100644 --- a/modules/po/certauth.ru_RU.po +++ b/modules/po/certauth.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/certauth.pot\n" +"X-Crowdin-File-ID: 162\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/chansaver.bg_BG.po b/modules/po/chansaver.bg_BG.po index d0c6611d..fb9805b9 100644 --- a/modules/po/chansaver.bg_BG.po +++ b/modules/po/chansaver.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/chansaver.pot\n" +"X-Crowdin-File-ID: 163\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/chansaver.de_DE.po b/modules/po/chansaver.de_DE.po index 63e63bab..6fb2f989 100644 --- a/modules/po/chansaver.de_DE.po +++ b/modules/po/chansaver.de_DE.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/chansaver.pot\n" +"X-Crowdin-File-ID: 163\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/chansaver.es_ES.po b/modules/po/chansaver.es_ES.po index 511da57a..644ce037 100644 --- a/modules/po/chansaver.es_ES.po +++ b/modules/po/chansaver.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/chansaver.pot\n" +"X-Crowdin-File-ID: 163\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/chansaver.fr_FR.po b/modules/po/chansaver.fr_FR.po index 1faa18d8..a5e2b59a 100644 --- a/modules/po/chansaver.fr_FR.po +++ b/modules/po/chansaver.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/chansaver.pot\n" +"X-Crowdin-File-ID: 163\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/chansaver.it_IT.po b/modules/po/chansaver.it_IT.po index 295f0af1..47a66e57 100644 --- a/modules/po/chansaver.it_IT.po +++ b/modules/po/chansaver.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/chansaver.pot\n" +"X-Crowdin-File-ID: 163\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/chansaver.nl_NL.po b/modules/po/chansaver.nl_NL.po index f202ed77..de3e2907 100644 --- a/modules/po/chansaver.nl_NL.po +++ b/modules/po/chansaver.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/chansaver.pot\n" +"X-Crowdin-File-ID: 163\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/chansaver.pt_BR.po b/modules/po/chansaver.pt_BR.po index 874a3f40..5096b4a5 100644 --- a/modules/po/chansaver.pt_BR.po +++ b/modules/po/chansaver.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/chansaver.pot\n" +"X-Crowdin-File-ID: 163\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/chansaver.ru_RU.po b/modules/po/chansaver.ru_RU.po index f3dfc856..3d22d663 100644 --- a/modules/po/chansaver.ru_RU.po +++ b/modules/po/chansaver.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/chansaver.pot\n" +"X-Crowdin-File-ID: 163\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/clearbufferonmsg.bg_BG.po b/modules/po/clearbufferonmsg.bg_BG.po index 40f1c332..78a88749 100644 --- a/modules/po/clearbufferonmsg.bg_BG.po +++ b/modules/po/clearbufferonmsg.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/clearbufferonmsg.pot\n" +"X-Crowdin-File-ID: 164\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/clearbufferonmsg.de_DE.po b/modules/po/clearbufferonmsg.de_DE.po index 6556574d..88a712ab 100644 --- a/modules/po/clearbufferonmsg.de_DE.po +++ b/modules/po/clearbufferonmsg.de_DE.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/clearbufferonmsg.pot\n" +"X-Crowdin-File-ID: 164\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/clearbufferonmsg.es_ES.po b/modules/po/clearbufferonmsg.es_ES.po index 46e19ddb..a47e2143 100644 --- a/modules/po/clearbufferonmsg.es_ES.po +++ b/modules/po/clearbufferonmsg.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/clearbufferonmsg.pot\n" +"X-Crowdin-File-ID: 164\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/clearbufferonmsg.fr_FR.po b/modules/po/clearbufferonmsg.fr_FR.po index bfe47e51..f2373293 100644 --- a/modules/po/clearbufferonmsg.fr_FR.po +++ b/modules/po/clearbufferonmsg.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/clearbufferonmsg.pot\n" +"X-Crowdin-File-ID: 164\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/clearbufferonmsg.it_IT.po b/modules/po/clearbufferonmsg.it_IT.po index 5885e399..0feabb87 100644 --- a/modules/po/clearbufferonmsg.it_IT.po +++ b/modules/po/clearbufferonmsg.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/clearbufferonmsg.pot\n" +"X-Crowdin-File-ID: 164\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/clearbufferonmsg.nl_NL.po b/modules/po/clearbufferonmsg.nl_NL.po index 422f2147..427c8cc6 100644 --- a/modules/po/clearbufferonmsg.nl_NL.po +++ b/modules/po/clearbufferonmsg.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/clearbufferonmsg.pot\n" +"X-Crowdin-File-ID: 164\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/clearbufferonmsg.pt_BR.po b/modules/po/clearbufferonmsg.pt_BR.po index e1a02d60..f71a9962 100644 --- a/modules/po/clearbufferonmsg.pt_BR.po +++ b/modules/po/clearbufferonmsg.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/clearbufferonmsg.pot\n" +"X-Crowdin-File-ID: 164\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/clearbufferonmsg.ru_RU.po b/modules/po/clearbufferonmsg.ru_RU.po index e86407ec..1fa8d538 100644 --- a/modules/po/clearbufferonmsg.ru_RU.po +++ b/modules/po/clearbufferonmsg.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/clearbufferonmsg.pot\n" +"X-Crowdin-File-ID: 164\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/clientnotify.bg_BG.po b/modules/po/clientnotify.bg_BG.po index 64b2bcd5..a495a928 100644 --- a/modules/po/clientnotify.bg_BG.po +++ b/modules/po/clientnotify.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/clientnotify.pot\n" +"X-Crowdin-File-ID: 165\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/clientnotify.de_DE.po b/modules/po/clientnotify.de_DE.po index 0edb0712..74785b45 100644 --- a/modules/po/clientnotify.de_DE.po +++ b/modules/po/clientnotify.de_DE.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/clientnotify.pot\n" +"X-Crowdin-File-ID: 165\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/clientnotify.es_ES.po b/modules/po/clientnotify.es_ES.po index 84cbdfa8..86ed1b90 100644 --- a/modules/po/clientnotify.es_ES.po +++ b/modules/po/clientnotify.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/clientnotify.pot\n" +"X-Crowdin-File-ID: 165\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/clientnotify.fr_FR.po b/modules/po/clientnotify.fr_FR.po index c863411c..6b202d79 100644 --- a/modules/po/clientnotify.fr_FR.po +++ b/modules/po/clientnotify.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/clientnotify.pot\n" +"X-Crowdin-File-ID: 165\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/clientnotify.it_IT.po b/modules/po/clientnotify.it_IT.po index c71eb84e..0ba5bcf9 100644 --- a/modules/po/clientnotify.it_IT.po +++ b/modules/po/clientnotify.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/clientnotify.pot\n" +"X-Crowdin-File-ID: 165\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/clientnotify.nl_NL.po b/modules/po/clientnotify.nl_NL.po index f24ebfcc..a787beef 100644 --- a/modules/po/clientnotify.nl_NL.po +++ b/modules/po/clientnotify.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/clientnotify.pot\n" +"X-Crowdin-File-ID: 165\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/clientnotify.pt_BR.po b/modules/po/clientnotify.pt_BR.po index e1a6e251..3acb83b2 100644 --- a/modules/po/clientnotify.pt_BR.po +++ b/modules/po/clientnotify.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/clientnotify.pot\n" +"X-Crowdin-File-ID: 165\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/clientnotify.ru_RU.po b/modules/po/clientnotify.ru_RU.po index 020bc2ab..59b2474d 100644 --- a/modules/po/clientnotify.ru_RU.po +++ b/modules/po/clientnotify.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/clientnotify.pot\n" +"X-Crowdin-File-ID: 165\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/controlpanel.bg_BG.po b/modules/po/controlpanel.bg_BG.po index 7a95bd83..9275294b 100644 --- a/modules/po/controlpanel.bg_BG.po +++ b/modules/po/controlpanel.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/controlpanel.pot\n" +"X-Crowdin-File-ID: 166\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/controlpanel.de_DE.po b/modules/po/controlpanel.de_DE.po index 14ec75a0..adf3b919 100644 --- a/modules/po/controlpanel.de_DE.po +++ b/modules/po/controlpanel.de_DE.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/controlpanel.pot\n" +"X-Crowdin-File-ID: 166\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/controlpanel.es_ES.po b/modules/po/controlpanel.es_ES.po index 21dbf2c0..4e4e60c1 100644 --- a/modules/po/controlpanel.es_ES.po +++ b/modules/po/controlpanel.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/controlpanel.pot\n" +"X-Crowdin-File-ID: 166\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/controlpanel.fr_FR.po b/modules/po/controlpanel.fr_FR.po index a5a0f597..a9813d98 100644 --- a/modules/po/controlpanel.fr_FR.po +++ b/modules/po/controlpanel.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/controlpanel.pot\n" +"X-Crowdin-File-ID: 166\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/controlpanel.it_IT.po b/modules/po/controlpanel.it_IT.po index a9175f9e..0159df49 100644 --- a/modules/po/controlpanel.it_IT.po +++ b/modules/po/controlpanel.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/controlpanel.pot\n" +"X-Crowdin-File-ID: 166\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/controlpanel.nl_NL.po b/modules/po/controlpanel.nl_NL.po index 284b5e45..b0879332 100644 --- a/modules/po/controlpanel.nl_NL.po +++ b/modules/po/controlpanel.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/controlpanel.pot\n" +"X-Crowdin-File-ID: 166\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/controlpanel.pt_BR.po b/modules/po/controlpanel.pt_BR.po index 3fc29590..76b92534 100644 --- a/modules/po/controlpanel.pt_BR.po +++ b/modules/po/controlpanel.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/controlpanel.pot\n" +"X-Crowdin-File-ID: 166\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/controlpanel.ru_RU.po b/modules/po/controlpanel.ru_RU.po index 9e430926..b0994e7d 100644 --- a/modules/po/controlpanel.ru_RU.po +++ b/modules/po/controlpanel.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/controlpanel.pot\n" +"X-Crowdin-File-ID: 166\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/crypt.bg_BG.po b/modules/po/crypt.bg_BG.po index 87360671..009deeef 100644 --- a/modules/po/crypt.bg_BG.po +++ b/modules/po/crypt.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/crypt.pot\n" +"X-Crowdin-File-ID: 167\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/crypt.de_DE.po b/modules/po/crypt.de_DE.po index 31ecfc08..56380471 100644 --- a/modules/po/crypt.de_DE.po +++ b/modules/po/crypt.de_DE.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/crypt.pot\n" +"X-Crowdin-File-ID: 167\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/crypt.es_ES.po b/modules/po/crypt.es_ES.po index 0d3ffc0a..05919095 100644 --- a/modules/po/crypt.es_ES.po +++ b/modules/po/crypt.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/crypt.pot\n" +"X-Crowdin-File-ID: 167\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/crypt.fr_FR.po b/modules/po/crypt.fr_FR.po index a0958754..5597ee11 100644 --- a/modules/po/crypt.fr_FR.po +++ b/modules/po/crypt.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/crypt.pot\n" +"X-Crowdin-File-ID: 167\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/crypt.it_IT.po b/modules/po/crypt.it_IT.po index e74be2df..0bf43bc2 100644 --- a/modules/po/crypt.it_IT.po +++ b/modules/po/crypt.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/crypt.pot\n" +"X-Crowdin-File-ID: 167\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/crypt.nl_NL.po b/modules/po/crypt.nl_NL.po index 693f9d75..7e5fc1ea 100644 --- a/modules/po/crypt.nl_NL.po +++ b/modules/po/crypt.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/crypt.pot\n" +"X-Crowdin-File-ID: 167\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/crypt.pt_BR.po b/modules/po/crypt.pt_BR.po index 3e7edc78..558757f5 100644 --- a/modules/po/crypt.pt_BR.po +++ b/modules/po/crypt.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/crypt.pot\n" +"X-Crowdin-File-ID: 167\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/crypt.ru_RU.po b/modules/po/crypt.ru_RU.po index 66507be6..bebb506a 100644 --- a/modules/po/crypt.ru_RU.po +++ b/modules/po/crypt.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/crypt.pot\n" +"X-Crowdin-File-ID: 167\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/ctcpflood.bg_BG.po b/modules/po/ctcpflood.bg_BG.po index fa9f1975..143f0174 100644 --- a/modules/po/ctcpflood.bg_BG.po +++ b/modules/po/ctcpflood.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/ctcpflood.pot\n" +"X-Crowdin-File-ID: 168\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/ctcpflood.de_DE.po b/modules/po/ctcpflood.de_DE.po index 260d6e17..4842daba 100644 --- a/modules/po/ctcpflood.de_DE.po +++ b/modules/po/ctcpflood.de_DE.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/ctcpflood.pot\n" +"X-Crowdin-File-ID: 168\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/ctcpflood.es_ES.po b/modules/po/ctcpflood.es_ES.po index 42fde12f..e6d6257d 100644 --- a/modules/po/ctcpflood.es_ES.po +++ b/modules/po/ctcpflood.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/ctcpflood.pot\n" +"X-Crowdin-File-ID: 168\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/ctcpflood.fr_FR.po b/modules/po/ctcpflood.fr_FR.po index 5952c7a3..c394e84f 100644 --- a/modules/po/ctcpflood.fr_FR.po +++ b/modules/po/ctcpflood.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/ctcpflood.pot\n" +"X-Crowdin-File-ID: 168\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/ctcpflood.it_IT.po b/modules/po/ctcpflood.it_IT.po index ec2df66b..6be5694e 100644 --- a/modules/po/ctcpflood.it_IT.po +++ b/modules/po/ctcpflood.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/ctcpflood.pot\n" +"X-Crowdin-File-ID: 168\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/ctcpflood.nl_NL.po b/modules/po/ctcpflood.nl_NL.po index 589f4a9d..18a72ee2 100644 --- a/modules/po/ctcpflood.nl_NL.po +++ b/modules/po/ctcpflood.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/ctcpflood.pot\n" +"X-Crowdin-File-ID: 168\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/ctcpflood.pt_BR.po b/modules/po/ctcpflood.pt_BR.po index 1494175a..aab58d6a 100644 --- a/modules/po/ctcpflood.pt_BR.po +++ b/modules/po/ctcpflood.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/ctcpflood.pot\n" +"X-Crowdin-File-ID: 168\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/ctcpflood.ru_RU.po b/modules/po/ctcpflood.ru_RU.po index 33f6c553..7d614e07 100644 --- a/modules/po/ctcpflood.ru_RU.po +++ b/modules/po/ctcpflood.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/ctcpflood.pot\n" +"X-Crowdin-File-ID: 168\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/cyrusauth.bg_BG.po b/modules/po/cyrusauth.bg_BG.po index a62da873..98402b85 100644 --- a/modules/po/cyrusauth.bg_BG.po +++ b/modules/po/cyrusauth.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/cyrusauth.pot\n" +"X-Crowdin-File-ID: 169\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/cyrusauth.de_DE.po b/modules/po/cyrusauth.de_DE.po index f0419bcf..40ea11b0 100644 --- a/modules/po/cyrusauth.de_DE.po +++ b/modules/po/cyrusauth.de_DE.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/cyrusauth.pot\n" +"X-Crowdin-File-ID: 169\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/cyrusauth.es_ES.po b/modules/po/cyrusauth.es_ES.po index 2f6e2886..f345c476 100644 --- a/modules/po/cyrusauth.es_ES.po +++ b/modules/po/cyrusauth.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/cyrusauth.pot\n" +"X-Crowdin-File-ID: 169\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/cyrusauth.fr_FR.po b/modules/po/cyrusauth.fr_FR.po index 23dccbb1..490af7c4 100644 --- a/modules/po/cyrusauth.fr_FR.po +++ b/modules/po/cyrusauth.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/cyrusauth.pot\n" +"X-Crowdin-File-ID: 169\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/cyrusauth.it_IT.po b/modules/po/cyrusauth.it_IT.po index 375e1770..40973638 100644 --- a/modules/po/cyrusauth.it_IT.po +++ b/modules/po/cyrusauth.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/cyrusauth.pot\n" +"X-Crowdin-File-ID: 169\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/cyrusauth.nl_NL.po b/modules/po/cyrusauth.nl_NL.po index 8dbd7b0b..6cb6b6ac 100644 --- a/modules/po/cyrusauth.nl_NL.po +++ b/modules/po/cyrusauth.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/cyrusauth.pot\n" +"X-Crowdin-File-ID: 169\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/cyrusauth.pt_BR.po b/modules/po/cyrusauth.pt_BR.po index 8af5ed8e..3940022f 100644 --- a/modules/po/cyrusauth.pt_BR.po +++ b/modules/po/cyrusauth.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/cyrusauth.pot\n" +"X-Crowdin-File-ID: 169\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/cyrusauth.ru_RU.po b/modules/po/cyrusauth.ru_RU.po index fa7d902b..1eaffa73 100644 --- a/modules/po/cyrusauth.ru_RU.po +++ b/modules/po/cyrusauth.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/cyrusauth.pot\n" +"X-Crowdin-File-ID: 169\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/dcc.bg_BG.po b/modules/po/dcc.bg_BG.po index cc4434f1..498349f1 100644 --- a/modules/po/dcc.bg_BG.po +++ b/modules/po/dcc.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/dcc.pot\n" +"X-Crowdin-File-ID: 170\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/dcc.de_DE.po b/modules/po/dcc.de_DE.po index 8e6e83c4..f5dee3ad 100644 --- a/modules/po/dcc.de_DE.po +++ b/modules/po/dcc.de_DE.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/dcc.pot\n" +"X-Crowdin-File-ID: 170\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/dcc.es_ES.po b/modules/po/dcc.es_ES.po index 7b104703..3c8f4d6d 100644 --- a/modules/po/dcc.es_ES.po +++ b/modules/po/dcc.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/dcc.pot\n" +"X-Crowdin-File-ID: 170\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/dcc.fr_FR.po b/modules/po/dcc.fr_FR.po index c7a35ec6..225e82ca 100644 --- a/modules/po/dcc.fr_FR.po +++ b/modules/po/dcc.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/dcc.pot\n" +"X-Crowdin-File-ID: 170\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/dcc.it_IT.po b/modules/po/dcc.it_IT.po index 8b48a1e6..b49e4771 100644 --- a/modules/po/dcc.it_IT.po +++ b/modules/po/dcc.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/dcc.pot\n" +"X-Crowdin-File-ID: 170\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/dcc.nl_NL.po b/modules/po/dcc.nl_NL.po index b32a3f41..f85f87ab 100644 --- a/modules/po/dcc.nl_NL.po +++ b/modules/po/dcc.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/dcc.pot\n" +"X-Crowdin-File-ID: 170\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/dcc.pt_BR.po b/modules/po/dcc.pt_BR.po index 12dc9b28..797b8b8b 100644 --- a/modules/po/dcc.pt_BR.po +++ b/modules/po/dcc.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/dcc.pot\n" +"X-Crowdin-File-ID: 170\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/dcc.ru_RU.po b/modules/po/dcc.ru_RU.po index 38bd5b0a..8107facf 100644 --- a/modules/po/dcc.ru_RU.po +++ b/modules/po/dcc.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/dcc.pot\n" +"X-Crowdin-File-ID: 170\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/disconkick.bg_BG.po b/modules/po/disconkick.bg_BG.po index 3a5ce82f..f2ee90eb 100644 --- a/modules/po/disconkick.bg_BG.po +++ b/modules/po/disconkick.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/disconkick.pot\n" +"X-Crowdin-File-ID: 171\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/disconkick.de_DE.po b/modules/po/disconkick.de_DE.po index 84fdf0f3..11e0b44e 100644 --- a/modules/po/disconkick.de_DE.po +++ b/modules/po/disconkick.de_DE.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/disconkick.pot\n" +"X-Crowdin-File-ID: 171\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/disconkick.es_ES.po b/modules/po/disconkick.es_ES.po index 61e0fd15..04e87e09 100644 --- a/modules/po/disconkick.es_ES.po +++ b/modules/po/disconkick.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/disconkick.pot\n" +"X-Crowdin-File-ID: 171\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/disconkick.fr_FR.po b/modules/po/disconkick.fr_FR.po index 8300360a..9e9f645f 100644 --- a/modules/po/disconkick.fr_FR.po +++ b/modules/po/disconkick.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/disconkick.pot\n" +"X-Crowdin-File-ID: 171\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/disconkick.it_IT.po b/modules/po/disconkick.it_IT.po index d26c5798..e5cb1efc 100644 --- a/modules/po/disconkick.it_IT.po +++ b/modules/po/disconkick.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/disconkick.pot\n" +"X-Crowdin-File-ID: 171\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/disconkick.nl_NL.po b/modules/po/disconkick.nl_NL.po index 469928b0..87a9493e 100644 --- a/modules/po/disconkick.nl_NL.po +++ b/modules/po/disconkick.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/disconkick.pot\n" +"X-Crowdin-File-ID: 171\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/disconkick.pt_BR.po b/modules/po/disconkick.pt_BR.po index 497f50ab..22f6cea8 100644 --- a/modules/po/disconkick.pt_BR.po +++ b/modules/po/disconkick.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/disconkick.pot\n" +"X-Crowdin-File-ID: 171\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/disconkick.ru_RU.po b/modules/po/disconkick.ru_RU.po index 2b402036..6338b623 100644 --- a/modules/po/disconkick.ru_RU.po +++ b/modules/po/disconkick.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/disconkick.pot\n" +"X-Crowdin-File-ID: 171\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/fail2ban.bg_BG.po b/modules/po/fail2ban.bg_BG.po index a6441440..9ce3b3ce 100644 --- a/modules/po/fail2ban.bg_BG.po +++ b/modules/po/fail2ban.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/fail2ban.pot\n" +"X-Crowdin-File-ID: 172\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/fail2ban.de_DE.po b/modules/po/fail2ban.de_DE.po index bfc6b9a0..59f9c88e 100644 --- a/modules/po/fail2ban.de_DE.po +++ b/modules/po/fail2ban.de_DE.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/fail2ban.pot\n" +"X-Crowdin-File-ID: 172\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/fail2ban.es_ES.po b/modules/po/fail2ban.es_ES.po index a6372a75..143356b4 100644 --- a/modules/po/fail2ban.es_ES.po +++ b/modules/po/fail2ban.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/fail2ban.pot\n" +"X-Crowdin-File-ID: 172\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/fail2ban.fr_FR.po b/modules/po/fail2ban.fr_FR.po index 9c061bc8..331e709e 100644 --- a/modules/po/fail2ban.fr_FR.po +++ b/modules/po/fail2ban.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/fail2ban.pot\n" +"X-Crowdin-File-ID: 172\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/fail2ban.it_IT.po b/modules/po/fail2ban.it_IT.po index 2796611f..bfd95122 100644 --- a/modules/po/fail2ban.it_IT.po +++ b/modules/po/fail2ban.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/fail2ban.pot\n" +"X-Crowdin-File-ID: 172\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/fail2ban.nl_NL.po b/modules/po/fail2ban.nl_NL.po index 3ddb16f1..07b39775 100644 --- a/modules/po/fail2ban.nl_NL.po +++ b/modules/po/fail2ban.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/fail2ban.pot\n" +"X-Crowdin-File-ID: 172\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/fail2ban.pt_BR.po b/modules/po/fail2ban.pt_BR.po index dc70c7d0..9bb234f2 100644 --- a/modules/po/fail2ban.pt_BR.po +++ b/modules/po/fail2ban.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/fail2ban.pot\n" +"X-Crowdin-File-ID: 172\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/fail2ban.ru_RU.po b/modules/po/fail2ban.ru_RU.po index 450fe6e3..31a6011e 100644 --- a/modules/po/fail2ban.ru_RU.po +++ b/modules/po/fail2ban.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/fail2ban.pot\n" +"X-Crowdin-File-ID: 172\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/flooddetach.bg_BG.po b/modules/po/flooddetach.bg_BG.po index 1299a87b..517337a6 100644 --- a/modules/po/flooddetach.bg_BG.po +++ b/modules/po/flooddetach.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/flooddetach.pot\n" +"X-Crowdin-File-ID: 173\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/flooddetach.de_DE.po b/modules/po/flooddetach.de_DE.po index 398b15ff..0ea247a4 100644 --- a/modules/po/flooddetach.de_DE.po +++ b/modules/po/flooddetach.de_DE.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/flooddetach.pot\n" +"X-Crowdin-File-ID: 173\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/flooddetach.es_ES.po b/modules/po/flooddetach.es_ES.po index e3e25d84..59b098ee 100644 --- a/modules/po/flooddetach.es_ES.po +++ b/modules/po/flooddetach.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/flooddetach.pot\n" +"X-Crowdin-File-ID: 173\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/flooddetach.fr_FR.po b/modules/po/flooddetach.fr_FR.po index b44ac9b9..db36dd3d 100644 --- a/modules/po/flooddetach.fr_FR.po +++ b/modules/po/flooddetach.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/flooddetach.pot\n" +"X-Crowdin-File-ID: 173\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/flooddetach.it_IT.po b/modules/po/flooddetach.it_IT.po index 0d2a88ac..a04e3962 100644 --- a/modules/po/flooddetach.it_IT.po +++ b/modules/po/flooddetach.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/flooddetach.pot\n" +"X-Crowdin-File-ID: 173\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/flooddetach.nl_NL.po b/modules/po/flooddetach.nl_NL.po index 47089bd8..3c164d01 100644 --- a/modules/po/flooddetach.nl_NL.po +++ b/modules/po/flooddetach.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/flooddetach.pot\n" +"X-Crowdin-File-ID: 173\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/flooddetach.pt_BR.po b/modules/po/flooddetach.pt_BR.po index 85d8c162..19b92630 100644 --- a/modules/po/flooddetach.pt_BR.po +++ b/modules/po/flooddetach.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/flooddetach.pot\n" +"X-Crowdin-File-ID: 173\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/flooddetach.ru_RU.po b/modules/po/flooddetach.ru_RU.po index d2f22bf2..050341e3 100644 --- a/modules/po/flooddetach.ru_RU.po +++ b/modules/po/flooddetach.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/flooddetach.pot\n" +"X-Crowdin-File-ID: 173\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/identfile.bg_BG.po b/modules/po/identfile.bg_BG.po index b9ca6200..654ff51f 100644 --- a/modules/po/identfile.bg_BG.po +++ b/modules/po/identfile.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/identfile.pot\n" +"X-Crowdin-File-ID: 174\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/identfile.de_DE.po b/modules/po/identfile.de_DE.po index 0992f5e2..d18343af 100644 --- a/modules/po/identfile.de_DE.po +++ b/modules/po/identfile.de_DE.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/identfile.pot\n" +"X-Crowdin-File-ID: 174\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/identfile.es_ES.po b/modules/po/identfile.es_ES.po index 4056d819..2159b16a 100644 --- a/modules/po/identfile.es_ES.po +++ b/modules/po/identfile.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/identfile.pot\n" +"X-Crowdin-File-ID: 174\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/identfile.fr_FR.po b/modules/po/identfile.fr_FR.po index dd26ad43..4cb8744f 100644 --- a/modules/po/identfile.fr_FR.po +++ b/modules/po/identfile.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/identfile.pot\n" +"X-Crowdin-File-ID: 174\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/identfile.it_IT.po b/modules/po/identfile.it_IT.po index 313980ac..bcef8978 100644 --- a/modules/po/identfile.it_IT.po +++ b/modules/po/identfile.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/identfile.pot\n" +"X-Crowdin-File-ID: 174\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/identfile.nl_NL.po b/modules/po/identfile.nl_NL.po index 4e2e64b0..6b2a44f8 100644 --- a/modules/po/identfile.nl_NL.po +++ b/modules/po/identfile.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/identfile.pot\n" +"X-Crowdin-File-ID: 174\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/identfile.pt_BR.po b/modules/po/identfile.pt_BR.po index f2451214..4712a141 100644 --- a/modules/po/identfile.pt_BR.po +++ b/modules/po/identfile.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/identfile.pot\n" +"X-Crowdin-File-ID: 174\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/identfile.ru_RU.po b/modules/po/identfile.ru_RU.po index 4358d9e2..d8e8cb0f 100644 --- a/modules/po/identfile.ru_RU.po +++ b/modules/po/identfile.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/identfile.pot\n" +"X-Crowdin-File-ID: 174\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/imapauth.bg_BG.po b/modules/po/imapauth.bg_BG.po index fb176273..786c28c9 100644 --- a/modules/po/imapauth.bg_BG.po +++ b/modules/po/imapauth.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/imapauth.pot\n" +"X-Crowdin-File-ID: 175\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/imapauth.de_DE.po b/modules/po/imapauth.de_DE.po index 5e90346f..4b44e1e6 100644 --- a/modules/po/imapauth.de_DE.po +++ b/modules/po/imapauth.de_DE.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/imapauth.pot\n" +"X-Crowdin-File-ID: 175\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/imapauth.es_ES.po b/modules/po/imapauth.es_ES.po index ff540252..21a52d66 100644 --- a/modules/po/imapauth.es_ES.po +++ b/modules/po/imapauth.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/imapauth.pot\n" +"X-Crowdin-File-ID: 175\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/imapauth.fr_FR.po b/modules/po/imapauth.fr_FR.po index 04d35943..0fdc64ca 100644 --- a/modules/po/imapauth.fr_FR.po +++ b/modules/po/imapauth.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/imapauth.pot\n" +"X-Crowdin-File-ID: 175\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/imapauth.it_IT.po b/modules/po/imapauth.it_IT.po index 1e61746f..f3a9cb75 100644 --- a/modules/po/imapauth.it_IT.po +++ b/modules/po/imapauth.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/imapauth.pot\n" +"X-Crowdin-File-ID: 175\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/imapauth.nl_NL.po b/modules/po/imapauth.nl_NL.po index d23ad437..e9e16dd7 100644 --- a/modules/po/imapauth.nl_NL.po +++ b/modules/po/imapauth.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/imapauth.pot\n" +"X-Crowdin-File-ID: 175\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/imapauth.pt_BR.po b/modules/po/imapauth.pt_BR.po index b891bc67..e208f3e0 100644 --- a/modules/po/imapauth.pt_BR.po +++ b/modules/po/imapauth.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/imapauth.pot\n" +"X-Crowdin-File-ID: 175\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/imapauth.ru_RU.po b/modules/po/imapauth.ru_RU.po index 76d28a0f..3c81f444 100644 --- a/modules/po/imapauth.ru_RU.po +++ b/modules/po/imapauth.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/imapauth.pot\n" +"X-Crowdin-File-ID: 175\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/keepnick.bg_BG.po b/modules/po/keepnick.bg_BG.po index 414b09d4..46ec51af 100644 --- a/modules/po/keepnick.bg_BG.po +++ b/modules/po/keepnick.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/keepnick.pot\n" +"X-Crowdin-File-ID: 176\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/keepnick.de_DE.po b/modules/po/keepnick.de_DE.po index 0bb16d90..9112f6a3 100644 --- a/modules/po/keepnick.de_DE.po +++ b/modules/po/keepnick.de_DE.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/keepnick.pot\n" +"X-Crowdin-File-ID: 176\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/keepnick.es_ES.po b/modules/po/keepnick.es_ES.po index adf0341c..a50e58d5 100644 --- a/modules/po/keepnick.es_ES.po +++ b/modules/po/keepnick.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/keepnick.pot\n" +"X-Crowdin-File-ID: 176\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/keepnick.fr_FR.po b/modules/po/keepnick.fr_FR.po index 7c0669fb..7ec6f02e 100644 --- a/modules/po/keepnick.fr_FR.po +++ b/modules/po/keepnick.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/keepnick.pot\n" +"X-Crowdin-File-ID: 176\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/keepnick.it_IT.po b/modules/po/keepnick.it_IT.po index 50e2e263..0a37eae3 100644 --- a/modules/po/keepnick.it_IT.po +++ b/modules/po/keepnick.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/keepnick.pot\n" +"X-Crowdin-File-ID: 176\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/keepnick.nl_NL.po b/modules/po/keepnick.nl_NL.po index f0d84a2f..a36ab8ef 100644 --- a/modules/po/keepnick.nl_NL.po +++ b/modules/po/keepnick.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/keepnick.pot\n" +"X-Crowdin-File-ID: 176\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/keepnick.pt_BR.po b/modules/po/keepnick.pt_BR.po index 0891579a..65b9c19b 100644 --- a/modules/po/keepnick.pt_BR.po +++ b/modules/po/keepnick.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/keepnick.pot\n" +"X-Crowdin-File-ID: 176\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/keepnick.ru_RU.po b/modules/po/keepnick.ru_RU.po index 1641ffe1..0c67d892 100644 --- a/modules/po/keepnick.ru_RU.po +++ b/modules/po/keepnick.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/keepnick.pot\n" +"X-Crowdin-File-ID: 176\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/kickrejoin.bg_BG.po b/modules/po/kickrejoin.bg_BG.po index cfe4b844..09688601 100644 --- a/modules/po/kickrejoin.bg_BG.po +++ b/modules/po/kickrejoin.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/kickrejoin.pot\n" +"X-Crowdin-File-ID: 177\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/kickrejoin.de_DE.po b/modules/po/kickrejoin.de_DE.po index f78737d8..1a9b8aa5 100644 --- a/modules/po/kickrejoin.de_DE.po +++ b/modules/po/kickrejoin.de_DE.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/kickrejoin.pot\n" +"X-Crowdin-File-ID: 177\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/kickrejoin.es_ES.po b/modules/po/kickrejoin.es_ES.po index dd2454f7..4874e59e 100644 --- a/modules/po/kickrejoin.es_ES.po +++ b/modules/po/kickrejoin.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/kickrejoin.pot\n" +"X-Crowdin-File-ID: 177\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/kickrejoin.fr_FR.po b/modules/po/kickrejoin.fr_FR.po index de939529..a3540a94 100644 --- a/modules/po/kickrejoin.fr_FR.po +++ b/modules/po/kickrejoin.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/kickrejoin.pot\n" +"X-Crowdin-File-ID: 177\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/kickrejoin.it_IT.po b/modules/po/kickrejoin.it_IT.po index 6fa63c19..c86161f7 100644 --- a/modules/po/kickrejoin.it_IT.po +++ b/modules/po/kickrejoin.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/kickrejoin.pot\n" +"X-Crowdin-File-ID: 177\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/kickrejoin.nl_NL.po b/modules/po/kickrejoin.nl_NL.po index 83317c7e..951105a4 100644 --- a/modules/po/kickrejoin.nl_NL.po +++ b/modules/po/kickrejoin.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/kickrejoin.pot\n" +"X-Crowdin-File-ID: 177\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/kickrejoin.pt_BR.po b/modules/po/kickrejoin.pt_BR.po index a14b7aa7..849d3876 100644 --- a/modules/po/kickrejoin.pt_BR.po +++ b/modules/po/kickrejoin.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/kickrejoin.pot\n" +"X-Crowdin-File-ID: 177\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/kickrejoin.ru_RU.po b/modules/po/kickrejoin.ru_RU.po index de20f27c..07c39ead 100644 --- a/modules/po/kickrejoin.ru_RU.po +++ b/modules/po/kickrejoin.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/kickrejoin.pot\n" +"X-Crowdin-File-ID: 177\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/lastseen.bg_BG.po b/modules/po/lastseen.bg_BG.po index 7b1324c3..85d6f121 100644 --- a/modules/po/lastseen.bg_BG.po +++ b/modules/po/lastseen.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/lastseen.pot\n" +"X-Crowdin-File-ID: 178\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/lastseen.de_DE.po b/modules/po/lastseen.de_DE.po index 1fec2583..4dad8cba 100644 --- a/modules/po/lastseen.de_DE.po +++ b/modules/po/lastseen.de_DE.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/lastseen.pot\n" +"X-Crowdin-File-ID: 178\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/lastseen.es_ES.po b/modules/po/lastseen.es_ES.po index bea53e68..65897cc4 100644 --- a/modules/po/lastseen.es_ES.po +++ b/modules/po/lastseen.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/lastseen.pot\n" +"X-Crowdin-File-ID: 178\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/lastseen.fr_FR.po b/modules/po/lastseen.fr_FR.po index a31bb2d8..d4b89eb6 100644 --- a/modules/po/lastseen.fr_FR.po +++ b/modules/po/lastseen.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/lastseen.pot\n" +"X-Crowdin-File-ID: 178\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/lastseen.it_IT.po b/modules/po/lastseen.it_IT.po index 7649e960..8c3fece5 100644 --- a/modules/po/lastseen.it_IT.po +++ b/modules/po/lastseen.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/lastseen.pot\n" +"X-Crowdin-File-ID: 178\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/lastseen.nl_NL.po b/modules/po/lastseen.nl_NL.po index 90c691cd..d3d80254 100644 --- a/modules/po/lastseen.nl_NL.po +++ b/modules/po/lastseen.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/lastseen.pot\n" +"X-Crowdin-File-ID: 178\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/lastseen.pt_BR.po b/modules/po/lastseen.pt_BR.po index 61ff05e3..8cf27639 100644 --- a/modules/po/lastseen.pt_BR.po +++ b/modules/po/lastseen.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/lastseen.pot\n" +"X-Crowdin-File-ID: 178\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/lastseen.ru_RU.po b/modules/po/lastseen.ru_RU.po index 56e92695..a1d2fae4 100644 --- a/modules/po/lastseen.ru_RU.po +++ b/modules/po/lastseen.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/lastseen.pot\n" +"X-Crowdin-File-ID: 178\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/listsockets.bg_BG.po b/modules/po/listsockets.bg_BG.po index 192adc7b..b3846967 100644 --- a/modules/po/listsockets.bg_BG.po +++ b/modules/po/listsockets.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/listsockets.pot\n" +"X-Crowdin-File-ID: 179\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/listsockets.de_DE.po b/modules/po/listsockets.de_DE.po index 9ac3913b..7bf9236c 100644 --- a/modules/po/listsockets.de_DE.po +++ b/modules/po/listsockets.de_DE.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/listsockets.pot\n" +"X-Crowdin-File-ID: 179\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/listsockets.es_ES.po b/modules/po/listsockets.es_ES.po index c395125e..655842c9 100644 --- a/modules/po/listsockets.es_ES.po +++ b/modules/po/listsockets.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/listsockets.pot\n" +"X-Crowdin-File-ID: 179\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/listsockets.fr_FR.po b/modules/po/listsockets.fr_FR.po index 1b971abb..501ae9fa 100644 --- a/modules/po/listsockets.fr_FR.po +++ b/modules/po/listsockets.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/listsockets.pot\n" +"X-Crowdin-File-ID: 179\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/listsockets.it_IT.po b/modules/po/listsockets.it_IT.po index a6893464..12d60ede 100644 --- a/modules/po/listsockets.it_IT.po +++ b/modules/po/listsockets.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/listsockets.pot\n" +"X-Crowdin-File-ID: 179\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/listsockets.nl_NL.po b/modules/po/listsockets.nl_NL.po index 1e290292..babc1394 100644 --- a/modules/po/listsockets.nl_NL.po +++ b/modules/po/listsockets.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/listsockets.pot\n" +"X-Crowdin-File-ID: 179\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/listsockets.pt_BR.po b/modules/po/listsockets.pt_BR.po index 406a4f66..08f7f844 100644 --- a/modules/po/listsockets.pt_BR.po +++ b/modules/po/listsockets.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/listsockets.pot\n" +"X-Crowdin-File-ID: 179\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/listsockets.ru_RU.po b/modules/po/listsockets.ru_RU.po index b529c7f2..4cdbc1db 100644 --- a/modules/po/listsockets.ru_RU.po +++ b/modules/po/listsockets.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/listsockets.pot\n" +"X-Crowdin-File-ID: 179\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/log.bg_BG.po b/modules/po/log.bg_BG.po index cd30d1dc..84f02320 100644 --- a/modules/po/log.bg_BG.po +++ b/modules/po/log.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/log.pot\n" +"X-Crowdin-File-ID: 180\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/log.de_DE.po b/modules/po/log.de_DE.po index 5bad9b8a..485af5c5 100644 --- a/modules/po/log.de_DE.po +++ b/modules/po/log.de_DE.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/log.pot\n" +"X-Crowdin-File-ID: 180\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/log.es_ES.po b/modules/po/log.es_ES.po index 66b2f380..05afe9e5 100644 --- a/modules/po/log.es_ES.po +++ b/modules/po/log.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/log.pot\n" +"X-Crowdin-File-ID: 180\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/log.fr_FR.po b/modules/po/log.fr_FR.po index a3813aaf..9370a8b5 100644 --- a/modules/po/log.fr_FR.po +++ b/modules/po/log.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/log.pot\n" +"X-Crowdin-File-ID: 180\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/log.it_IT.po b/modules/po/log.it_IT.po index 518a2489..a638f457 100644 --- a/modules/po/log.it_IT.po +++ b/modules/po/log.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/log.pot\n" +"X-Crowdin-File-ID: 180\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/log.nl_NL.po b/modules/po/log.nl_NL.po index df86460b..e6242e8a 100644 --- a/modules/po/log.nl_NL.po +++ b/modules/po/log.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/log.pot\n" +"X-Crowdin-File-ID: 180\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/log.pt_BR.po b/modules/po/log.pt_BR.po index 9cf28b18..75462ebe 100644 --- a/modules/po/log.pt_BR.po +++ b/modules/po/log.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/log.pot\n" +"X-Crowdin-File-ID: 180\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/log.ru_RU.po b/modules/po/log.ru_RU.po index 07edb20c..c6f157eb 100644 --- a/modules/po/log.ru_RU.po +++ b/modules/po/log.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/log.pot\n" +"X-Crowdin-File-ID: 180\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/missingmotd.bg_BG.po b/modules/po/missingmotd.bg_BG.po index f4d75ca0..1500a219 100644 --- a/modules/po/missingmotd.bg_BG.po +++ b/modules/po/missingmotd.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/missingmotd.pot\n" +"X-Crowdin-File-ID: 181\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/missingmotd.de_DE.po b/modules/po/missingmotd.de_DE.po index 18eef6dc..e7e15a31 100644 --- a/modules/po/missingmotd.de_DE.po +++ b/modules/po/missingmotd.de_DE.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/missingmotd.pot\n" +"X-Crowdin-File-ID: 181\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/missingmotd.es_ES.po b/modules/po/missingmotd.es_ES.po index 4dc28707..f5235dd6 100644 --- a/modules/po/missingmotd.es_ES.po +++ b/modules/po/missingmotd.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/missingmotd.pot\n" +"X-Crowdin-File-ID: 181\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/missingmotd.fr_FR.po b/modules/po/missingmotd.fr_FR.po index 5c8318ed..8ab32de1 100644 --- a/modules/po/missingmotd.fr_FR.po +++ b/modules/po/missingmotd.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/missingmotd.pot\n" +"X-Crowdin-File-ID: 181\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/missingmotd.it_IT.po b/modules/po/missingmotd.it_IT.po index 4bd1b8f4..550bdb87 100644 --- a/modules/po/missingmotd.it_IT.po +++ b/modules/po/missingmotd.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/missingmotd.pot\n" +"X-Crowdin-File-ID: 181\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/missingmotd.nl_NL.po b/modules/po/missingmotd.nl_NL.po index 9c65c5f6..fdf6f610 100644 --- a/modules/po/missingmotd.nl_NL.po +++ b/modules/po/missingmotd.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/missingmotd.pot\n" +"X-Crowdin-File-ID: 181\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/missingmotd.pt_BR.po b/modules/po/missingmotd.pt_BR.po index b461859e..80311402 100644 --- a/modules/po/missingmotd.pt_BR.po +++ b/modules/po/missingmotd.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/missingmotd.pot\n" +"X-Crowdin-File-ID: 181\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/missingmotd.ru_RU.po b/modules/po/missingmotd.ru_RU.po index 06a03c25..9010af6f 100644 --- a/modules/po/missingmotd.ru_RU.po +++ b/modules/po/missingmotd.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/missingmotd.pot\n" +"X-Crowdin-File-ID: 181\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/modperl.bg_BG.po b/modules/po/modperl.bg_BG.po index a7bb319c..9f02207d 100644 --- a/modules/po/modperl.bg_BG.po +++ b/modules/po/modperl.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/modperl.pot\n" +"X-Crowdin-File-ID: 182\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/modperl.de_DE.po b/modules/po/modperl.de_DE.po index 9eebf3ac..e484a03e 100644 --- a/modules/po/modperl.de_DE.po +++ b/modules/po/modperl.de_DE.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/modperl.pot\n" +"X-Crowdin-File-ID: 182\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/modperl.es_ES.po b/modules/po/modperl.es_ES.po index f32b389f..d7ace707 100644 --- a/modules/po/modperl.es_ES.po +++ b/modules/po/modperl.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/modperl.pot\n" +"X-Crowdin-File-ID: 182\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/modperl.fr_FR.po b/modules/po/modperl.fr_FR.po index bdb08bd9..f6fbeac6 100644 --- a/modules/po/modperl.fr_FR.po +++ b/modules/po/modperl.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/modperl.pot\n" +"X-Crowdin-File-ID: 182\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/modperl.it_IT.po b/modules/po/modperl.it_IT.po index 18cb907d..a03ea2c5 100644 --- a/modules/po/modperl.it_IT.po +++ b/modules/po/modperl.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/modperl.pot\n" +"X-Crowdin-File-ID: 182\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/modperl.nl_NL.po b/modules/po/modperl.nl_NL.po index c6ca21dc..ed2d8953 100644 --- a/modules/po/modperl.nl_NL.po +++ b/modules/po/modperl.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/modperl.pot\n" +"X-Crowdin-File-ID: 182\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/modperl.pt_BR.po b/modules/po/modperl.pt_BR.po index db12038d..66308b5c 100644 --- a/modules/po/modperl.pt_BR.po +++ b/modules/po/modperl.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/modperl.pot\n" +"X-Crowdin-File-ID: 182\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/modperl.ru_RU.po b/modules/po/modperl.ru_RU.po index 800bf6f5..8ee33325 100644 --- a/modules/po/modperl.ru_RU.po +++ b/modules/po/modperl.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/modperl.pot\n" +"X-Crowdin-File-ID: 182\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/modpython.bg_BG.po b/modules/po/modpython.bg_BG.po index edad845e..a202e145 100644 --- a/modules/po/modpython.bg_BG.po +++ b/modules/po/modpython.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/modpython.pot\n" +"X-Crowdin-File-ID: 183\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/modpython.de_DE.po b/modules/po/modpython.de_DE.po index b1ac3f40..dfdf5ba3 100644 --- a/modules/po/modpython.de_DE.po +++ b/modules/po/modpython.de_DE.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/modpython.pot\n" +"X-Crowdin-File-ID: 183\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/modpython.es_ES.po b/modules/po/modpython.es_ES.po index 45a26578..1c6d865b 100644 --- a/modules/po/modpython.es_ES.po +++ b/modules/po/modpython.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/modpython.pot\n" +"X-Crowdin-File-ID: 183\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/modpython.fr_FR.po b/modules/po/modpython.fr_FR.po index 4babe0db..e7aeb582 100644 --- a/modules/po/modpython.fr_FR.po +++ b/modules/po/modpython.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/modpython.pot\n" +"X-Crowdin-File-ID: 183\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/modpython.it_IT.po b/modules/po/modpython.it_IT.po index 4c89dd01..ba31c217 100644 --- a/modules/po/modpython.it_IT.po +++ b/modules/po/modpython.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/modpython.pot\n" +"X-Crowdin-File-ID: 183\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/modpython.nl_NL.po b/modules/po/modpython.nl_NL.po index 6ca24dce..3fb019a6 100644 --- a/modules/po/modpython.nl_NL.po +++ b/modules/po/modpython.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/modpython.pot\n" +"X-Crowdin-File-ID: 183\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/modpython.pt_BR.po b/modules/po/modpython.pt_BR.po index 53f594fe..8adafb0c 100644 --- a/modules/po/modpython.pt_BR.po +++ b/modules/po/modpython.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/modpython.pot\n" +"X-Crowdin-File-ID: 183\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/modpython.ru_RU.po b/modules/po/modpython.ru_RU.po index 2d9318a2..f3a2d5c0 100644 --- a/modules/po/modpython.ru_RU.po +++ b/modules/po/modpython.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/modpython.pot\n" +"X-Crowdin-File-ID: 183\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/modules_online.bg_BG.po b/modules/po/modules_online.bg_BG.po index 7dc60c2e..a9249329 100644 --- a/modules/po/modules_online.bg_BG.po +++ b/modules/po/modules_online.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/modules_online.pot\n" +"X-Crowdin-File-ID: 184\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/modules_online.de_DE.po b/modules/po/modules_online.de_DE.po index 66cdf610..3d6ab2e4 100644 --- a/modules/po/modules_online.de_DE.po +++ b/modules/po/modules_online.de_DE.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/modules_online.pot\n" +"X-Crowdin-File-ID: 184\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/modules_online.es_ES.po b/modules/po/modules_online.es_ES.po index 5a48e0bf..b53a8e6a 100644 --- a/modules/po/modules_online.es_ES.po +++ b/modules/po/modules_online.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/modules_online.pot\n" +"X-Crowdin-File-ID: 184\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/modules_online.fr_FR.po b/modules/po/modules_online.fr_FR.po index 23e16feb..fa095e27 100644 --- a/modules/po/modules_online.fr_FR.po +++ b/modules/po/modules_online.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/modules_online.pot\n" +"X-Crowdin-File-ID: 184\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/modules_online.it_IT.po b/modules/po/modules_online.it_IT.po index 93483fad..484b8e5d 100644 --- a/modules/po/modules_online.it_IT.po +++ b/modules/po/modules_online.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/modules_online.pot\n" +"X-Crowdin-File-ID: 184\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/modules_online.nl_NL.po b/modules/po/modules_online.nl_NL.po index 60d33712..aac2a9dc 100644 --- a/modules/po/modules_online.nl_NL.po +++ b/modules/po/modules_online.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/modules_online.pot\n" +"X-Crowdin-File-ID: 184\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/modules_online.pt_BR.po b/modules/po/modules_online.pt_BR.po index ced1b8d9..eb4692aa 100644 --- a/modules/po/modules_online.pt_BR.po +++ b/modules/po/modules_online.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/modules_online.pot\n" +"X-Crowdin-File-ID: 184\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/modules_online.ru_RU.po b/modules/po/modules_online.ru_RU.po index 5204b3bb..82312d2a 100644 --- a/modules/po/modules_online.ru_RU.po +++ b/modules/po/modules_online.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/modules_online.pot\n" +"X-Crowdin-File-ID: 184\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/nickserv.bg_BG.po b/modules/po/nickserv.bg_BG.po index 3a3aa649..902f69d2 100644 --- a/modules/po/nickserv.bg_BG.po +++ b/modules/po/nickserv.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/nickserv.pot\n" +"X-Crowdin-File-ID: 185\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/nickserv.de_DE.po b/modules/po/nickserv.de_DE.po index db1a2ebc..08e521d6 100644 --- a/modules/po/nickserv.de_DE.po +++ b/modules/po/nickserv.de_DE.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/nickserv.pot\n" +"X-Crowdin-File-ID: 185\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/nickserv.es_ES.po b/modules/po/nickserv.es_ES.po index 81e032bd..c4a77fba 100644 --- a/modules/po/nickserv.es_ES.po +++ b/modules/po/nickserv.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/nickserv.pot\n" +"X-Crowdin-File-ID: 185\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/nickserv.fr_FR.po b/modules/po/nickserv.fr_FR.po index b50eed00..de74a88e 100644 --- a/modules/po/nickserv.fr_FR.po +++ b/modules/po/nickserv.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/nickserv.pot\n" +"X-Crowdin-File-ID: 185\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/nickserv.it_IT.po b/modules/po/nickserv.it_IT.po index eb7bd11f..31455733 100644 --- a/modules/po/nickserv.it_IT.po +++ b/modules/po/nickserv.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/nickserv.pot\n" +"X-Crowdin-File-ID: 185\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/nickserv.nl_NL.po b/modules/po/nickserv.nl_NL.po index 0251c67b..723eb017 100644 --- a/modules/po/nickserv.nl_NL.po +++ b/modules/po/nickserv.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/nickserv.pot\n" +"X-Crowdin-File-ID: 185\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/nickserv.pt_BR.po b/modules/po/nickserv.pt_BR.po index f17bff81..62104726 100644 --- a/modules/po/nickserv.pt_BR.po +++ b/modules/po/nickserv.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/nickserv.pot\n" +"X-Crowdin-File-ID: 185\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/nickserv.ru_RU.po b/modules/po/nickserv.ru_RU.po index fdb88782..a6bee5a1 100644 --- a/modules/po/nickserv.ru_RU.po +++ b/modules/po/nickserv.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/nickserv.pot\n" +"X-Crowdin-File-ID: 185\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/notes.bg_BG.po b/modules/po/notes.bg_BG.po index 1618a7e0..47856150 100644 --- a/modules/po/notes.bg_BG.po +++ b/modules/po/notes.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/notes.pot\n" +"X-Crowdin-File-ID: 186\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/notes.de_DE.po b/modules/po/notes.de_DE.po index a27158ca..65f23bdd 100644 --- a/modules/po/notes.de_DE.po +++ b/modules/po/notes.de_DE.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/notes.pot\n" +"X-Crowdin-File-ID: 186\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/notes.es_ES.po b/modules/po/notes.es_ES.po index c31a442b..25f96361 100644 --- a/modules/po/notes.es_ES.po +++ b/modules/po/notes.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/notes.pot\n" +"X-Crowdin-File-ID: 186\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/notes.fr_FR.po b/modules/po/notes.fr_FR.po index ae6389e6..d18759e8 100644 --- a/modules/po/notes.fr_FR.po +++ b/modules/po/notes.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/notes.pot\n" +"X-Crowdin-File-ID: 186\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/notes.it_IT.po b/modules/po/notes.it_IT.po index 6f636cc3..622574a1 100644 --- a/modules/po/notes.it_IT.po +++ b/modules/po/notes.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/notes.pot\n" +"X-Crowdin-File-ID: 186\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/notes.nl_NL.po b/modules/po/notes.nl_NL.po index 481a3706..8aa0abf4 100644 --- a/modules/po/notes.nl_NL.po +++ b/modules/po/notes.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/notes.pot\n" +"X-Crowdin-File-ID: 186\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/notes.pt_BR.po b/modules/po/notes.pt_BR.po index 2219a454..cc11357e 100644 --- a/modules/po/notes.pt_BR.po +++ b/modules/po/notes.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/notes.pot\n" +"X-Crowdin-File-ID: 186\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/notes.ru_RU.po b/modules/po/notes.ru_RU.po index 5db82006..c94c8cbf 100644 --- a/modules/po/notes.ru_RU.po +++ b/modules/po/notes.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/notes.pot\n" +"X-Crowdin-File-ID: 186\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/notify_connect.bg_BG.po b/modules/po/notify_connect.bg_BG.po index 254a313d..f590f639 100644 --- a/modules/po/notify_connect.bg_BG.po +++ b/modules/po/notify_connect.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/notify_connect.pot\n" +"X-Crowdin-File-ID: 187\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/notify_connect.de_DE.po b/modules/po/notify_connect.de_DE.po index ec21f46d..53e41f5b 100644 --- a/modules/po/notify_connect.de_DE.po +++ b/modules/po/notify_connect.de_DE.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/notify_connect.pot\n" +"X-Crowdin-File-ID: 187\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/notify_connect.es_ES.po b/modules/po/notify_connect.es_ES.po index ff91f72d..a83bce84 100644 --- a/modules/po/notify_connect.es_ES.po +++ b/modules/po/notify_connect.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/notify_connect.pot\n" +"X-Crowdin-File-ID: 187\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/notify_connect.fr_FR.po b/modules/po/notify_connect.fr_FR.po index 64274257..881d67da 100644 --- a/modules/po/notify_connect.fr_FR.po +++ b/modules/po/notify_connect.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/notify_connect.pot\n" +"X-Crowdin-File-ID: 187\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/notify_connect.it_IT.po b/modules/po/notify_connect.it_IT.po index 5c485872..3976096f 100644 --- a/modules/po/notify_connect.it_IT.po +++ b/modules/po/notify_connect.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/notify_connect.pot\n" +"X-Crowdin-File-ID: 187\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/notify_connect.nl_NL.po b/modules/po/notify_connect.nl_NL.po index d1deef1c..9e3b9a7c 100644 --- a/modules/po/notify_connect.nl_NL.po +++ b/modules/po/notify_connect.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/notify_connect.pot\n" +"X-Crowdin-File-ID: 187\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/notify_connect.pt_BR.po b/modules/po/notify_connect.pt_BR.po index 3194492b..4d62416a 100644 --- a/modules/po/notify_connect.pt_BR.po +++ b/modules/po/notify_connect.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/notify_connect.pot\n" +"X-Crowdin-File-ID: 187\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/notify_connect.ru_RU.po b/modules/po/notify_connect.ru_RU.po index e00329c6..f1c5b804 100644 --- a/modules/po/notify_connect.ru_RU.po +++ b/modules/po/notify_connect.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/notify_connect.pot\n" +"X-Crowdin-File-ID: 187\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/perform.bg_BG.po b/modules/po/perform.bg_BG.po index a1b1043e..55959c76 100644 --- a/modules/po/perform.bg_BG.po +++ b/modules/po/perform.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/perform.pot\n" +"X-Crowdin-File-ID: 189\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/perform.de_DE.po b/modules/po/perform.de_DE.po index 99141deb..e0c28fa6 100644 --- a/modules/po/perform.de_DE.po +++ b/modules/po/perform.de_DE.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/perform.pot\n" +"X-Crowdin-File-ID: 189\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/perform.es_ES.po b/modules/po/perform.es_ES.po index 89d353b0..f9f89e3a 100644 --- a/modules/po/perform.es_ES.po +++ b/modules/po/perform.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/perform.pot\n" +"X-Crowdin-File-ID: 189\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/perform.fr_FR.po b/modules/po/perform.fr_FR.po index c6318ab8..526399ba 100644 --- a/modules/po/perform.fr_FR.po +++ b/modules/po/perform.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/perform.pot\n" +"X-Crowdin-File-ID: 189\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/perform.it_IT.po b/modules/po/perform.it_IT.po index 409a75a9..c9bf6d9b 100644 --- a/modules/po/perform.it_IT.po +++ b/modules/po/perform.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/perform.pot\n" +"X-Crowdin-File-ID: 189\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/perform.nl_NL.po b/modules/po/perform.nl_NL.po index 640f7790..d8c08746 100644 --- a/modules/po/perform.nl_NL.po +++ b/modules/po/perform.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/perform.pot\n" +"X-Crowdin-File-ID: 189\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/perform.pt_BR.po b/modules/po/perform.pt_BR.po index 81f4bb96..246d9321 100644 --- a/modules/po/perform.pt_BR.po +++ b/modules/po/perform.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/perform.pot\n" +"X-Crowdin-File-ID: 189\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/perform.ru_RU.po b/modules/po/perform.ru_RU.po index 79744998..b4bab31c 100644 --- a/modules/po/perform.ru_RU.po +++ b/modules/po/perform.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/perform.pot\n" +"X-Crowdin-File-ID: 189\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/perleval.bg_BG.po b/modules/po/perleval.bg_BG.po index fe1a0727..e9c58232 100644 --- a/modules/po/perleval.bg_BG.po +++ b/modules/po/perleval.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/perleval.pot\n" +"X-Crowdin-File-ID: 190\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/perleval.de_DE.po b/modules/po/perleval.de_DE.po index a41da5dd..b1f4b9c6 100644 --- a/modules/po/perleval.de_DE.po +++ b/modules/po/perleval.de_DE.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/perleval.pot\n" +"X-Crowdin-File-ID: 190\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/perleval.es_ES.po b/modules/po/perleval.es_ES.po index 4c5130d9..9f65a730 100644 --- a/modules/po/perleval.es_ES.po +++ b/modules/po/perleval.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/perleval.pot\n" +"X-Crowdin-File-ID: 190\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/perleval.fr_FR.po b/modules/po/perleval.fr_FR.po index e4183d77..bc02e552 100644 --- a/modules/po/perleval.fr_FR.po +++ b/modules/po/perleval.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/perleval.pot\n" +"X-Crowdin-File-ID: 190\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/perleval.it_IT.po b/modules/po/perleval.it_IT.po index 6dc8fa32..9abef01d 100644 --- a/modules/po/perleval.it_IT.po +++ b/modules/po/perleval.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/perleval.pot\n" +"X-Crowdin-File-ID: 190\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/perleval.nl_NL.po b/modules/po/perleval.nl_NL.po index 74501d60..2497c70a 100644 --- a/modules/po/perleval.nl_NL.po +++ b/modules/po/perleval.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/perleval.pot\n" +"X-Crowdin-File-ID: 190\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/perleval.pt_BR.po b/modules/po/perleval.pt_BR.po index 7b9ebe6d..48023222 100644 --- a/modules/po/perleval.pt_BR.po +++ b/modules/po/perleval.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/perleval.pot\n" +"X-Crowdin-File-ID: 190\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/perleval.ru_RU.po b/modules/po/perleval.ru_RU.po index d4f1ec37..8355feed 100644 --- a/modules/po/perleval.ru_RU.po +++ b/modules/po/perleval.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/perleval.pot\n" +"X-Crowdin-File-ID: 190\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/pyeval.bg_BG.po b/modules/po/pyeval.bg_BG.po index dc83c6d9..848f374d 100644 --- a/modules/po/pyeval.bg_BG.po +++ b/modules/po/pyeval.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/pyeval.pot\n" +"X-Crowdin-File-ID: 191\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/pyeval.de_DE.po b/modules/po/pyeval.de_DE.po index 29d8bea3..ad845436 100644 --- a/modules/po/pyeval.de_DE.po +++ b/modules/po/pyeval.de_DE.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/pyeval.pot\n" +"X-Crowdin-File-ID: 191\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/pyeval.es_ES.po b/modules/po/pyeval.es_ES.po index 521581f9..12a76213 100644 --- a/modules/po/pyeval.es_ES.po +++ b/modules/po/pyeval.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/pyeval.pot\n" +"X-Crowdin-File-ID: 191\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/pyeval.fr_FR.po b/modules/po/pyeval.fr_FR.po index 265618ad..7b9776db 100644 --- a/modules/po/pyeval.fr_FR.po +++ b/modules/po/pyeval.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/pyeval.pot\n" +"X-Crowdin-File-ID: 191\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/pyeval.it_IT.po b/modules/po/pyeval.it_IT.po index 090e4fa9..3dc13005 100644 --- a/modules/po/pyeval.it_IT.po +++ b/modules/po/pyeval.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/pyeval.pot\n" +"X-Crowdin-File-ID: 191\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/pyeval.nl_NL.po b/modules/po/pyeval.nl_NL.po index ba4d5c1a..543e9d0e 100644 --- a/modules/po/pyeval.nl_NL.po +++ b/modules/po/pyeval.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/pyeval.pot\n" +"X-Crowdin-File-ID: 191\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/pyeval.pt_BR.po b/modules/po/pyeval.pt_BR.po index db3c7fee..ef36873d 100644 --- a/modules/po/pyeval.pt_BR.po +++ b/modules/po/pyeval.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/pyeval.pot\n" +"X-Crowdin-File-ID: 191\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/pyeval.ru_RU.po b/modules/po/pyeval.ru_RU.po index 802ce6c3..13f55025 100644 --- a/modules/po/pyeval.ru_RU.po +++ b/modules/po/pyeval.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/pyeval.pot\n" +"X-Crowdin-File-ID: 191\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/raw.bg_BG.po b/modules/po/raw.bg_BG.po index e395c6d8..759f6bd7 100644 --- a/modules/po/raw.bg_BG.po +++ b/modules/po/raw.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/raw.pot\n" +"X-Crowdin-File-ID: 193\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/raw.de_DE.po b/modules/po/raw.de_DE.po index 5f60c607..ac5ac583 100644 --- a/modules/po/raw.de_DE.po +++ b/modules/po/raw.de_DE.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/raw.pot\n" +"X-Crowdin-File-ID: 193\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/raw.es_ES.po b/modules/po/raw.es_ES.po index 57ecaa8a..24badec3 100644 --- a/modules/po/raw.es_ES.po +++ b/modules/po/raw.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/raw.pot\n" +"X-Crowdin-File-ID: 193\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/raw.fr_FR.po b/modules/po/raw.fr_FR.po index 13108bdc..58643842 100644 --- a/modules/po/raw.fr_FR.po +++ b/modules/po/raw.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/raw.pot\n" +"X-Crowdin-File-ID: 193\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/raw.it_IT.po b/modules/po/raw.it_IT.po index 6bbd8ebe..46844540 100644 --- a/modules/po/raw.it_IT.po +++ b/modules/po/raw.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/raw.pot\n" +"X-Crowdin-File-ID: 193\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/raw.nl_NL.po b/modules/po/raw.nl_NL.po index 9cb952bb..8d33c0ad 100644 --- a/modules/po/raw.nl_NL.po +++ b/modules/po/raw.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/raw.pot\n" +"X-Crowdin-File-ID: 193\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/raw.pt_BR.po b/modules/po/raw.pt_BR.po index 52e64660..4275586e 100644 --- a/modules/po/raw.pt_BR.po +++ b/modules/po/raw.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/raw.pot\n" +"X-Crowdin-File-ID: 193\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/raw.ru_RU.po b/modules/po/raw.ru_RU.po index 2eb8e049..da8b7d27 100644 --- a/modules/po/raw.ru_RU.po +++ b/modules/po/raw.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/raw.pot\n" +"X-Crowdin-File-ID: 193\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/route_replies.bg_BG.po b/modules/po/route_replies.bg_BG.po index 2f0cff8e..bb407e7f 100644 --- a/modules/po/route_replies.bg_BG.po +++ b/modules/po/route_replies.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/route_replies.pot\n" +"X-Crowdin-File-ID: 194\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/route_replies.de_DE.po b/modules/po/route_replies.de_DE.po index 4164b3c1..2091bff7 100644 --- a/modules/po/route_replies.de_DE.po +++ b/modules/po/route_replies.de_DE.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/route_replies.pot\n" +"X-Crowdin-File-ID: 194\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/route_replies.es_ES.po b/modules/po/route_replies.es_ES.po index d3a12b6a..3b933391 100644 --- a/modules/po/route_replies.es_ES.po +++ b/modules/po/route_replies.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/route_replies.pot\n" +"X-Crowdin-File-ID: 194\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/route_replies.fr_FR.po b/modules/po/route_replies.fr_FR.po index e3fd9022..c6058712 100644 --- a/modules/po/route_replies.fr_FR.po +++ b/modules/po/route_replies.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/route_replies.pot\n" +"X-Crowdin-File-ID: 194\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/route_replies.it_IT.po b/modules/po/route_replies.it_IT.po index 5ec05b42..ebb85112 100644 --- a/modules/po/route_replies.it_IT.po +++ b/modules/po/route_replies.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/route_replies.pot\n" +"X-Crowdin-File-ID: 194\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/route_replies.nl_NL.po b/modules/po/route_replies.nl_NL.po index 29dda38e..83070b1c 100644 --- a/modules/po/route_replies.nl_NL.po +++ b/modules/po/route_replies.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/route_replies.pot\n" +"X-Crowdin-File-ID: 194\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/route_replies.pt_BR.po b/modules/po/route_replies.pt_BR.po index a46e1bbd..63e50f22 100644 --- a/modules/po/route_replies.pt_BR.po +++ b/modules/po/route_replies.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/route_replies.pot\n" +"X-Crowdin-File-ID: 194\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/route_replies.ru_RU.po b/modules/po/route_replies.ru_RU.po index 220b5e73..dbfcc444 100644 --- a/modules/po/route_replies.ru_RU.po +++ b/modules/po/route_replies.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/route_replies.pot\n" +"X-Crowdin-File-ID: 194\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/sample.bg_BG.po b/modules/po/sample.bg_BG.po index 469d1bde..e4c7c047 100644 --- a/modules/po/sample.bg_BG.po +++ b/modules/po/sample.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/sample.pot\n" +"X-Crowdin-File-ID: 195\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/sample.de_DE.po b/modules/po/sample.de_DE.po index caeb5901..d61decb2 100644 --- a/modules/po/sample.de_DE.po +++ b/modules/po/sample.de_DE.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/sample.pot\n" +"X-Crowdin-File-ID: 195\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/sample.es_ES.po b/modules/po/sample.es_ES.po index 3a88cea7..1c0c4fbd 100644 --- a/modules/po/sample.es_ES.po +++ b/modules/po/sample.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/sample.pot\n" +"X-Crowdin-File-ID: 195\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/sample.fr_FR.po b/modules/po/sample.fr_FR.po index fb316738..a93358b0 100644 --- a/modules/po/sample.fr_FR.po +++ b/modules/po/sample.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/sample.pot\n" +"X-Crowdin-File-ID: 195\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/sample.it_IT.po b/modules/po/sample.it_IT.po index 2bade65c..3c50c8ba 100644 --- a/modules/po/sample.it_IT.po +++ b/modules/po/sample.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/sample.pot\n" +"X-Crowdin-File-ID: 195\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/sample.nl_NL.po b/modules/po/sample.nl_NL.po index 1925a40c..f6f0384e 100644 --- a/modules/po/sample.nl_NL.po +++ b/modules/po/sample.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/sample.pot\n" +"X-Crowdin-File-ID: 195\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/sample.pt_BR.po b/modules/po/sample.pt_BR.po index b0ff0f11..011d0094 100644 --- a/modules/po/sample.pt_BR.po +++ b/modules/po/sample.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/sample.pot\n" +"X-Crowdin-File-ID: 195\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/sample.ru_RU.po b/modules/po/sample.ru_RU.po index 4c170d24..b2fc8e3d 100644 --- a/modules/po/sample.ru_RU.po +++ b/modules/po/sample.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/sample.pot\n" +"X-Crowdin-File-ID: 195\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/samplewebapi.bg_BG.po b/modules/po/samplewebapi.bg_BG.po index d4ba9be5..361b138d 100644 --- a/modules/po/samplewebapi.bg_BG.po +++ b/modules/po/samplewebapi.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/samplewebapi.pot\n" +"X-Crowdin-File-ID: 196\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/samplewebapi.de_DE.po b/modules/po/samplewebapi.de_DE.po index bb73409b..a300143a 100644 --- a/modules/po/samplewebapi.de_DE.po +++ b/modules/po/samplewebapi.de_DE.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/samplewebapi.pot\n" +"X-Crowdin-File-ID: 196\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/samplewebapi.es_ES.po b/modules/po/samplewebapi.es_ES.po index f21988cb..b1f8ab7e 100644 --- a/modules/po/samplewebapi.es_ES.po +++ b/modules/po/samplewebapi.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/samplewebapi.pot\n" +"X-Crowdin-File-ID: 196\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/samplewebapi.fr_FR.po b/modules/po/samplewebapi.fr_FR.po index c9530a5d..147abe93 100644 --- a/modules/po/samplewebapi.fr_FR.po +++ b/modules/po/samplewebapi.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/samplewebapi.pot\n" +"X-Crowdin-File-ID: 196\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/samplewebapi.it_IT.po b/modules/po/samplewebapi.it_IT.po index 1bd7848a..163b4858 100644 --- a/modules/po/samplewebapi.it_IT.po +++ b/modules/po/samplewebapi.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/samplewebapi.pot\n" +"X-Crowdin-File-ID: 196\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/samplewebapi.nl_NL.po b/modules/po/samplewebapi.nl_NL.po index 28e60de9..0103896d 100644 --- a/modules/po/samplewebapi.nl_NL.po +++ b/modules/po/samplewebapi.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/samplewebapi.pot\n" +"X-Crowdin-File-ID: 196\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/samplewebapi.pt_BR.po b/modules/po/samplewebapi.pt_BR.po index b5c8a7b9..b6f0d482 100644 --- a/modules/po/samplewebapi.pt_BR.po +++ b/modules/po/samplewebapi.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/samplewebapi.pot\n" +"X-Crowdin-File-ID: 196\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/samplewebapi.ru_RU.po b/modules/po/samplewebapi.ru_RU.po index a555df8d..04467ac9 100644 --- a/modules/po/samplewebapi.ru_RU.po +++ b/modules/po/samplewebapi.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/samplewebapi.pot\n" +"X-Crowdin-File-ID: 196\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/sasl.bg_BG.po b/modules/po/sasl.bg_BG.po index d591ba98..d898b9a2 100644 --- a/modules/po/sasl.bg_BG.po +++ b/modules/po/sasl.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/sasl.pot\n" +"X-Crowdin-File-ID: 197\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/sasl.de_DE.po b/modules/po/sasl.de_DE.po index ef7f71cd..f0fcd76f 100644 --- a/modules/po/sasl.de_DE.po +++ b/modules/po/sasl.de_DE.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/sasl.pot\n" +"X-Crowdin-File-ID: 197\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/sasl.es_ES.po b/modules/po/sasl.es_ES.po index 544a0f6c..ac778e0d 100644 --- a/modules/po/sasl.es_ES.po +++ b/modules/po/sasl.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/sasl.pot\n" +"X-Crowdin-File-ID: 197\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/sasl.fr_FR.po b/modules/po/sasl.fr_FR.po index 1c2ec841..14db9a8e 100644 --- a/modules/po/sasl.fr_FR.po +++ b/modules/po/sasl.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/sasl.pot\n" +"X-Crowdin-File-ID: 197\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/sasl.it_IT.po b/modules/po/sasl.it_IT.po index bd0c8d27..b6aba7be 100644 --- a/modules/po/sasl.it_IT.po +++ b/modules/po/sasl.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/sasl.pot\n" +"X-Crowdin-File-ID: 197\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/sasl.nl_NL.po b/modules/po/sasl.nl_NL.po index 6d308890..714d1753 100644 --- a/modules/po/sasl.nl_NL.po +++ b/modules/po/sasl.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/sasl.pot\n" +"X-Crowdin-File-ID: 197\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/sasl.pt_BR.po b/modules/po/sasl.pt_BR.po index 87dfacc2..9197a66b 100644 --- a/modules/po/sasl.pt_BR.po +++ b/modules/po/sasl.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/sasl.pot\n" +"X-Crowdin-File-ID: 197\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/sasl.ru_RU.po b/modules/po/sasl.ru_RU.po index 55085702..b8e9d533 100644 --- a/modules/po/sasl.ru_RU.po +++ b/modules/po/sasl.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/sasl.pot\n" +"X-Crowdin-File-ID: 197\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/savebuff.bg_BG.po b/modules/po/savebuff.bg_BG.po index 2586ac9b..33bed609 100644 --- a/modules/po/savebuff.bg_BG.po +++ b/modules/po/savebuff.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/savebuff.pot\n" +"X-Crowdin-File-ID: 198\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/savebuff.de_DE.po b/modules/po/savebuff.de_DE.po index 6c62713a..61b045aa 100644 --- a/modules/po/savebuff.de_DE.po +++ b/modules/po/savebuff.de_DE.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/savebuff.pot\n" +"X-Crowdin-File-ID: 198\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/savebuff.es_ES.po b/modules/po/savebuff.es_ES.po index 41583fca..90a2b5d3 100644 --- a/modules/po/savebuff.es_ES.po +++ b/modules/po/savebuff.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/savebuff.pot\n" +"X-Crowdin-File-ID: 198\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/savebuff.fr_FR.po b/modules/po/savebuff.fr_FR.po index b4608650..8e51acbc 100644 --- a/modules/po/savebuff.fr_FR.po +++ b/modules/po/savebuff.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/savebuff.pot\n" +"X-Crowdin-File-ID: 198\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/savebuff.it_IT.po b/modules/po/savebuff.it_IT.po index f320adfc..0bb0641d 100644 --- a/modules/po/savebuff.it_IT.po +++ b/modules/po/savebuff.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/savebuff.pot\n" +"X-Crowdin-File-ID: 198\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/savebuff.nl_NL.po b/modules/po/savebuff.nl_NL.po index 704ad69c..759b2e9e 100644 --- a/modules/po/savebuff.nl_NL.po +++ b/modules/po/savebuff.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/savebuff.pot\n" +"X-Crowdin-File-ID: 198\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/savebuff.pt_BR.po b/modules/po/savebuff.pt_BR.po index 18839c23..dc756ffc 100644 --- a/modules/po/savebuff.pt_BR.po +++ b/modules/po/savebuff.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/savebuff.pot\n" +"X-Crowdin-File-ID: 198\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/savebuff.ru_RU.po b/modules/po/savebuff.ru_RU.po index 6fcb7b82..4236d64c 100644 --- a/modules/po/savebuff.ru_RU.po +++ b/modules/po/savebuff.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/savebuff.pot\n" +"X-Crowdin-File-ID: 198\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/send_raw.bg_BG.po b/modules/po/send_raw.bg_BG.po index f87f21e2..c99b5a13 100644 --- a/modules/po/send_raw.bg_BG.po +++ b/modules/po/send_raw.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/send_raw.pot\n" +"X-Crowdin-File-ID: 199\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/send_raw.de_DE.po b/modules/po/send_raw.de_DE.po index a7f9e258..aa6c917e 100644 --- a/modules/po/send_raw.de_DE.po +++ b/modules/po/send_raw.de_DE.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/send_raw.pot\n" +"X-Crowdin-File-ID: 199\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/send_raw.es_ES.po b/modules/po/send_raw.es_ES.po index caca3f4e..e771ee77 100644 --- a/modules/po/send_raw.es_ES.po +++ b/modules/po/send_raw.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/send_raw.pot\n" +"X-Crowdin-File-ID: 199\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/send_raw.fr_FR.po b/modules/po/send_raw.fr_FR.po index 1eff4542..f8ec5887 100644 --- a/modules/po/send_raw.fr_FR.po +++ b/modules/po/send_raw.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/send_raw.pot\n" +"X-Crowdin-File-ID: 199\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/send_raw.it_IT.po b/modules/po/send_raw.it_IT.po index e019af2a..b2c3a7e4 100644 --- a/modules/po/send_raw.it_IT.po +++ b/modules/po/send_raw.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/send_raw.pot\n" +"X-Crowdin-File-ID: 199\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/send_raw.nl_NL.po b/modules/po/send_raw.nl_NL.po index 5f30ba78..f7d435cc 100644 --- a/modules/po/send_raw.nl_NL.po +++ b/modules/po/send_raw.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/send_raw.pot\n" +"X-Crowdin-File-ID: 199\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/send_raw.pt_BR.po b/modules/po/send_raw.pt_BR.po index e8361408..778b9e78 100644 --- a/modules/po/send_raw.pt_BR.po +++ b/modules/po/send_raw.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/send_raw.pot\n" +"X-Crowdin-File-ID: 199\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/send_raw.ru_RU.po b/modules/po/send_raw.ru_RU.po index 56b1c005..62b4b66f 100644 --- a/modules/po/send_raw.ru_RU.po +++ b/modules/po/send_raw.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/send_raw.pot\n" +"X-Crowdin-File-ID: 199\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/shell.bg_BG.po b/modules/po/shell.bg_BG.po index 75595426..76c66891 100644 --- a/modules/po/shell.bg_BG.po +++ b/modules/po/shell.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/shell.pot\n" +"X-Crowdin-File-ID: 200\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/shell.de_DE.po b/modules/po/shell.de_DE.po index d01a0b07..65a929e4 100644 --- a/modules/po/shell.de_DE.po +++ b/modules/po/shell.de_DE.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/shell.pot\n" +"X-Crowdin-File-ID: 200\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/shell.es_ES.po b/modules/po/shell.es_ES.po index b97b1d7f..8e344a10 100644 --- a/modules/po/shell.es_ES.po +++ b/modules/po/shell.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/shell.pot\n" +"X-Crowdin-File-ID: 200\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/shell.fr_FR.po b/modules/po/shell.fr_FR.po index b2b7cec4..c946f9e0 100644 --- a/modules/po/shell.fr_FR.po +++ b/modules/po/shell.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/shell.pot\n" +"X-Crowdin-File-ID: 200\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/shell.it_IT.po b/modules/po/shell.it_IT.po index 5c9f9797..b825cb51 100644 --- a/modules/po/shell.it_IT.po +++ b/modules/po/shell.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/shell.pot\n" +"X-Crowdin-File-ID: 200\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/shell.nl_NL.po b/modules/po/shell.nl_NL.po index 4106afb9..acbce2e0 100644 --- a/modules/po/shell.nl_NL.po +++ b/modules/po/shell.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/shell.pot\n" +"X-Crowdin-File-ID: 200\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/shell.pt_BR.po b/modules/po/shell.pt_BR.po index 84661706..f320da16 100644 --- a/modules/po/shell.pt_BR.po +++ b/modules/po/shell.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/shell.pot\n" +"X-Crowdin-File-ID: 200\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/shell.ru_RU.po b/modules/po/shell.ru_RU.po index 57700b51..17101efb 100644 --- a/modules/po/shell.ru_RU.po +++ b/modules/po/shell.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/shell.pot\n" +"X-Crowdin-File-ID: 200\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/simple_away.bg_BG.po b/modules/po/simple_away.bg_BG.po index aecf476d..f7c00101 100644 --- a/modules/po/simple_away.bg_BG.po +++ b/modules/po/simple_away.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/simple_away.pot\n" +"X-Crowdin-File-ID: 201\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/simple_away.de_DE.po b/modules/po/simple_away.de_DE.po index c435d26b..7223c746 100644 --- a/modules/po/simple_away.de_DE.po +++ b/modules/po/simple_away.de_DE.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/simple_away.pot\n" +"X-Crowdin-File-ID: 201\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/simple_away.es_ES.po b/modules/po/simple_away.es_ES.po index 5b6900cf..70f491d4 100644 --- a/modules/po/simple_away.es_ES.po +++ b/modules/po/simple_away.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/simple_away.pot\n" +"X-Crowdin-File-ID: 201\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/simple_away.fr_FR.po b/modules/po/simple_away.fr_FR.po index a3af28bf..2785a515 100644 --- a/modules/po/simple_away.fr_FR.po +++ b/modules/po/simple_away.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/simple_away.pot\n" +"X-Crowdin-File-ID: 201\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/simple_away.it_IT.po b/modules/po/simple_away.it_IT.po index 6ad1a57a..4b21a224 100644 --- a/modules/po/simple_away.it_IT.po +++ b/modules/po/simple_away.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/simple_away.pot\n" +"X-Crowdin-File-ID: 201\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/simple_away.nl_NL.po b/modules/po/simple_away.nl_NL.po index df9b8180..cf568bc8 100644 --- a/modules/po/simple_away.nl_NL.po +++ b/modules/po/simple_away.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/simple_away.pot\n" +"X-Crowdin-File-ID: 201\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/simple_away.pt_BR.po b/modules/po/simple_away.pt_BR.po index e67601ac..da28dabb 100644 --- a/modules/po/simple_away.pt_BR.po +++ b/modules/po/simple_away.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/simple_away.pot\n" +"X-Crowdin-File-ID: 201\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/simple_away.ru_RU.po b/modules/po/simple_away.ru_RU.po index 18f3a7df..896cbda7 100644 --- a/modules/po/simple_away.ru_RU.po +++ b/modules/po/simple_away.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/simple_away.pot\n" +"X-Crowdin-File-ID: 201\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/stickychan.bg_BG.po b/modules/po/stickychan.bg_BG.po index bc5264f2..375ef818 100644 --- a/modules/po/stickychan.bg_BG.po +++ b/modules/po/stickychan.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/stickychan.pot\n" +"X-Crowdin-File-ID: 202\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/stickychan.de_DE.po b/modules/po/stickychan.de_DE.po index a2cb8b95..8efcb099 100644 --- a/modules/po/stickychan.de_DE.po +++ b/modules/po/stickychan.de_DE.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/stickychan.pot\n" +"X-Crowdin-File-ID: 202\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/stickychan.es_ES.po b/modules/po/stickychan.es_ES.po index e1e84292..29c5a608 100644 --- a/modules/po/stickychan.es_ES.po +++ b/modules/po/stickychan.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/stickychan.pot\n" +"X-Crowdin-File-ID: 202\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/stickychan.fr_FR.po b/modules/po/stickychan.fr_FR.po index 055ce588..8d4b7975 100644 --- a/modules/po/stickychan.fr_FR.po +++ b/modules/po/stickychan.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/stickychan.pot\n" +"X-Crowdin-File-ID: 202\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/stickychan.it_IT.po b/modules/po/stickychan.it_IT.po index 9b66501e..ea47bf9f 100644 --- a/modules/po/stickychan.it_IT.po +++ b/modules/po/stickychan.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/stickychan.pot\n" +"X-Crowdin-File-ID: 202\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/stickychan.nl_NL.po b/modules/po/stickychan.nl_NL.po index 868f511d..664aaa7d 100644 --- a/modules/po/stickychan.nl_NL.po +++ b/modules/po/stickychan.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/stickychan.pot\n" +"X-Crowdin-File-ID: 202\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/stickychan.pt_BR.po b/modules/po/stickychan.pt_BR.po index 3847f431..f443e8ab 100644 --- a/modules/po/stickychan.pt_BR.po +++ b/modules/po/stickychan.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/stickychan.pot\n" +"X-Crowdin-File-ID: 202\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/stickychan.ru_RU.po b/modules/po/stickychan.ru_RU.po index 5f989deb..b387623e 100644 --- a/modules/po/stickychan.ru_RU.po +++ b/modules/po/stickychan.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/stickychan.pot\n" +"X-Crowdin-File-ID: 202\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/stripcontrols.bg_BG.po b/modules/po/stripcontrols.bg_BG.po index 68761174..d711a6e5 100644 --- a/modules/po/stripcontrols.bg_BG.po +++ b/modules/po/stripcontrols.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/stripcontrols.pot\n" +"X-Crowdin-File-ID: 203\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/stripcontrols.de_DE.po b/modules/po/stripcontrols.de_DE.po index bebe2d40..5f82c446 100644 --- a/modules/po/stripcontrols.de_DE.po +++ b/modules/po/stripcontrols.de_DE.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/stripcontrols.pot\n" +"X-Crowdin-File-ID: 203\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/stripcontrols.es_ES.po b/modules/po/stripcontrols.es_ES.po index a29277d0..a934a5ee 100644 --- a/modules/po/stripcontrols.es_ES.po +++ b/modules/po/stripcontrols.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/stripcontrols.pot\n" +"X-Crowdin-File-ID: 203\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/stripcontrols.fr_FR.po b/modules/po/stripcontrols.fr_FR.po index c96c6f14..1b5ba780 100644 --- a/modules/po/stripcontrols.fr_FR.po +++ b/modules/po/stripcontrols.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/stripcontrols.pot\n" +"X-Crowdin-File-ID: 203\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/stripcontrols.it_IT.po b/modules/po/stripcontrols.it_IT.po index 0c669af9..50c10aa2 100644 --- a/modules/po/stripcontrols.it_IT.po +++ b/modules/po/stripcontrols.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/stripcontrols.pot\n" +"X-Crowdin-File-ID: 203\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/stripcontrols.nl_NL.po b/modules/po/stripcontrols.nl_NL.po index 5b6a3167..54d3d17c 100644 --- a/modules/po/stripcontrols.nl_NL.po +++ b/modules/po/stripcontrols.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/stripcontrols.pot\n" +"X-Crowdin-File-ID: 203\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/stripcontrols.pt_BR.po b/modules/po/stripcontrols.pt_BR.po index 83905011..cb8a91c1 100644 --- a/modules/po/stripcontrols.pt_BR.po +++ b/modules/po/stripcontrols.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/stripcontrols.pot\n" +"X-Crowdin-File-ID: 203\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/stripcontrols.ru_RU.po b/modules/po/stripcontrols.ru_RU.po index a07f5bed..70020166 100644 --- a/modules/po/stripcontrols.ru_RU.po +++ b/modules/po/stripcontrols.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/stripcontrols.pot\n" +"X-Crowdin-File-ID: 203\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/watch.bg_BG.po b/modules/po/watch.bg_BG.po index d11b0935..e6f9a61f 100644 --- a/modules/po/watch.bg_BG.po +++ b/modules/po/watch.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/watch.pot\n" +"X-Crowdin-File-ID: 204\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/watch.de_DE.po b/modules/po/watch.de_DE.po index 1100ecb0..c9da0162 100644 --- a/modules/po/watch.de_DE.po +++ b/modules/po/watch.de_DE.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/watch.pot\n" +"X-Crowdin-File-ID: 204\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/watch.es_ES.po b/modules/po/watch.es_ES.po index 6628e184..73effead 100644 --- a/modules/po/watch.es_ES.po +++ b/modules/po/watch.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/watch.pot\n" +"X-Crowdin-File-ID: 204\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/watch.fr_FR.po b/modules/po/watch.fr_FR.po index 41ccc13d..ce7af1b9 100644 --- a/modules/po/watch.fr_FR.po +++ b/modules/po/watch.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/watch.pot\n" +"X-Crowdin-File-ID: 204\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/watch.it_IT.po b/modules/po/watch.it_IT.po index ae1a0417..3d3e4cf6 100644 --- a/modules/po/watch.it_IT.po +++ b/modules/po/watch.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/watch.pot\n" +"X-Crowdin-File-ID: 204\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/watch.nl_NL.po b/modules/po/watch.nl_NL.po index 0b780f65..872c2086 100644 --- a/modules/po/watch.nl_NL.po +++ b/modules/po/watch.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/watch.pot\n" +"X-Crowdin-File-ID: 204\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/watch.pt_BR.po b/modules/po/watch.pt_BR.po index 340e8397..b39abe50 100644 --- a/modules/po/watch.pt_BR.po +++ b/modules/po/watch.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/watch.pot\n" +"X-Crowdin-File-ID: 204\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/watch.ru_RU.po b/modules/po/watch.ru_RU.po index d94e2600..1f8a4777 100644 --- a/modules/po/watch.ru_RU.po +++ b/modules/po/watch.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/watch.pot\n" +"X-Crowdin-File-ID: 204\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/webadmin.bg_BG.po b/modules/po/webadmin.bg_BG.po index 8d94f112..34003085 100644 --- a/modules/po/webadmin.bg_BG.po +++ b/modules/po/webadmin.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/modules/po/webadmin.pot\n" +"X-Crowdin-File-ID: 205\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/webadmin.de_DE.po b/modules/po/webadmin.de_DE.po index 972fc40d..1946cd5b 100644 --- a/modules/po/webadmin.de_DE.po +++ b/modules/po/webadmin.de_DE.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/modules/po/webadmin.pot\n" +"X-Crowdin-File-ID: 205\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/modules/po/webadmin.es_ES.po b/modules/po/webadmin.es_ES.po index 4ce3083a..6b048b25 100644 --- a/modules/po/webadmin.es_ES.po +++ b/modules/po/webadmin.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/modules/po/webadmin.pot\n" +"X-Crowdin-File-ID: 205\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/webadmin.fr_FR.po b/modules/po/webadmin.fr_FR.po index 20311be6..506c0b66 100644 --- a/modules/po/webadmin.fr_FR.po +++ b/modules/po/webadmin.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/modules/po/webadmin.pot\n" +"X-Crowdin-File-ID: 205\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/webadmin.it_IT.po b/modules/po/webadmin.it_IT.po index e6ccdd5d..552ec006 100644 --- a/modules/po/webadmin.it_IT.po +++ b/modules/po/webadmin.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/modules/po/webadmin.pot\n" +"X-Crowdin-File-ID: 205\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/webadmin.nl_NL.po b/modules/po/webadmin.nl_NL.po index 75783bbc..60b1cd68 100644 --- a/modules/po/webadmin.nl_NL.po +++ b/modules/po/webadmin.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/modules/po/webadmin.pot\n" +"X-Crowdin-File-ID: 205\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/webadmin.pt_BR.po b/modules/po/webadmin.pt_BR.po index be463b0d..30420399 100644 --- a/modules/po/webadmin.pt_BR.po +++ b/modules/po/webadmin.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/modules/po/webadmin.pot\n" +"X-Crowdin-File-ID: 205\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/webadmin.ru_RU.po b/modules/po/webadmin.ru_RU.po index c8a3ccde..38416529 100644 --- a/modules/po/webadmin.ru_RU.po +++ b/modules/po/webadmin.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/modules/po/webadmin.pot\n" +"X-Crowdin-File-ID: 205\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/src/po/znc.bg_BG.po b/src/po/znc.bg_BG.po index 21c1b0bc..8d95a11a 100644 --- a/src/po/znc.bg_BG.po +++ b/src/po/znc.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /master/src/po/znc.pot\n" +"X-Crowdin-File-ID: 146\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/src/po/znc.de_DE.po b/src/po/znc.de_DE.po index beec4f07..c4df6fba 100644 --- a/src/po/znc.de_DE.po +++ b/src/po/znc.de_DE.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" "X-Crowdin-File: /master/src/po/znc.pot\n" +"X-Crowdin-File-ID: 146\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: German\n" "Language: de_DE\n" diff --git a/src/po/znc.es_ES.po b/src/po/znc.es_ES.po index 516da08d..de68195f 100644 --- a/src/po/znc.es_ES.po +++ b/src/po/znc.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /master/src/po/znc.pot\n" +"X-Crowdin-File-ID: 146\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/src/po/znc.fr_FR.po b/src/po/znc.fr_FR.po index d726df1f..73fae054 100644 --- a/src/po/znc.fr_FR.po +++ b/src/po/znc.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /master/src/po/znc.pot\n" +"X-Crowdin-File-ID: 146\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/src/po/znc.it_IT.po b/src/po/znc.it_IT.po index e4615763..fbbca59a 100644 --- a/src/po/znc.it_IT.po +++ b/src/po/znc.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /master/src/po/znc.pot\n" +"X-Crowdin-File-ID: 146\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/src/po/znc.nl_NL.po b/src/po/znc.nl_NL.po index 86846b23..4125b603 100644 --- a/src/po/znc.nl_NL.po +++ b/src/po/znc.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /master/src/po/znc.pot\n" +"X-Crowdin-File-ID: 146\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/src/po/znc.pt_BR.po b/src/po/znc.pt_BR.po index 439aafb8..84cbffce 100644 --- a/src/po/znc.pt_BR.po +++ b/src/po/znc.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /master/src/po/znc.pot\n" +"X-Crowdin-File-ID: 146\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" @@ -736,7 +738,7 @@ msgstr "Servidor removido" #: ClientCommand.cpp:789 msgid "No such server" -msgstr "" +msgstr "Servidor não existe" #: ClientCommand.cpp:802 ClientCommand.cpp:809 msgctxt "listservers" @@ -769,7 +771,7 @@ msgstr "Sintaxe: AddTrustedServerFingerprint " #: ClientCommand.cpp:836 ClientCommand.cpp:849 msgid "Done." -msgstr "" +msgstr "Feito." #: ClientCommand.cpp:845 msgid "Usage: DelTrustedServerFingerprint " @@ -944,18 +946,22 @@ msgstr "Recarregando {1}" #: ClientCommand.cpp:1250 msgid "Done" -msgstr "" +msgstr "Feito" #: ClientCommand.cpp:1253 msgid "" "Done, but there were errors, module {1} could not be reloaded everywhere." msgstr "" +"Concluído, porém com erros, o módulo {1} não pode ser recarregado em lugar " +"nenhum." #: ClientCommand.cpp:1261 msgid "" "You must be connected with a network to use this command. Try " "SetUserBindHost instead" msgstr "" +"Você precisa estar conectado a uma rede para usar este comando. Tente " +"SetUserBindHost" #: ClientCommand.cpp:1268 msgid "Usage: SetBindHost " @@ -975,25 +981,27 @@ msgstr "Sintaxe: SetUserBindHost " #: ClientCommand.cpp:1295 msgid "Set default bind host to {1}" -msgstr "" +msgstr "Define o host padrão como {1}" #: ClientCommand.cpp:1301 msgid "" "You must be connected with a network to use this command. Try " "ClearUserBindHost instead" msgstr "" +"Você precisa estar conectado a uma rede para usar este comando. Tente " +"SetUserBindHost" #: ClientCommand.cpp:1306 msgid "Bind host cleared for this network." -msgstr "" +msgstr "Host removido para esta rede." #: ClientCommand.cpp:1310 msgid "Default bind host cleared for your user." -msgstr "" +msgstr "Host padrão removido para seu usuário." #: ClientCommand.cpp:1313 msgid "This user's default bind host not set" -msgstr "" +msgstr "O host padrão deste usuário não está definido" #: ClientCommand.cpp:1315 msgid "This user's default bind host is {1}" @@ -1371,7 +1379,7 @@ msgstr "" #: ClientCommand.cpp:1754 msgctxt "helpcmd|DelTrustedServerFingerprint|args" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1755 msgctxt "helpcmd|DelTrustedServerFingerprint|desc" @@ -1411,7 +1419,7 @@ msgstr "<#canais>" #: ClientCommand.cpp:1767 msgctxt "helpcmd|Attach|desc" msgid "Attach to channels" -msgstr "" +msgstr "Anexar aos canais" #: ClientCommand.cpp:1768 msgctxt "helpcmd|Detach|args" @@ -1421,12 +1429,12 @@ msgstr "<#canais>" #: ClientCommand.cpp:1769 msgctxt "helpcmd|Detach|desc" msgid "Detach from channels" -msgstr "" +msgstr "Desconectar dos canais" #: ClientCommand.cpp:1772 msgctxt "helpcmd|Topics|desc" msgid "Show topics in all your channels" -msgstr "" +msgstr "Mostra tópicos em todos os seus canais" #: ClientCommand.cpp:1775 msgctxt "helpcmd|PlayBuffer|args" @@ -1471,7 +1479,7 @@ msgstr "" #: ClientCommand.cpp:1791 msgctxt "helpcmd|SetBuffer|desc" msgid "Set the buffer count" -msgstr "" +msgstr "Define a contagem do buffer" #: ClientCommand.cpp:1795 msgctxt "helpcmd|SetBindHost|args" @@ -1496,17 +1504,17 @@ msgstr "Vincula o host especificado a este usuário" #: ClientCommand.cpp:1804 msgctxt "helpcmd|ClearBindHost|desc" msgid "Clear the bind host for this network" -msgstr "" +msgstr "Limpa o host para esta rede" #: ClientCommand.cpp:1807 msgctxt "helpcmd|ClearUserBindHost|desc" msgid "Clear the default bind host for this user" -msgstr "" +msgstr "Limpa o host padrão para este usuário" #: ClientCommand.cpp:1813 msgctxt "helpcmd|ShowBindHost|desc" msgid "Show currently selected bind host" -msgstr "" +msgstr "Mostra host atualmente selecionado" #: ClientCommand.cpp:1815 msgctxt "helpcmd|Jump|args" @@ -1516,7 +1524,7 @@ msgstr "[servidor]" #: ClientCommand.cpp:1816 msgctxt "helpcmd|Jump|desc" msgid "Jump to the next or the specified server" -msgstr "" +msgstr "Pule para o próximo servidor ou para o servidor especificado" #: ClientCommand.cpp:1817 msgctxt "helpcmd|Disconnect|args" diff --git a/src/po/znc.ru_RU.po b/src/po/znc.ru_RU.po index 3de7b1dd..f2f250b7 100644 --- a/src/po/znc.ru_RU.po +++ b/src/po/znc.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /master/src/po/znc.pot\n" +"X-Crowdin-File-ID: 146\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" From 339530d16449ea9581857173ce0faefc5a039a80 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Sat, 13 Jun 2020 00:27:56 +0000 Subject: [PATCH 419/798] Update translations from Crowdin for bg_BG es_ES fr_FR id_ID it_IT nl_NL pt_BR ru_RU --- TRANSLATORS.md | 1 + modules/po/admindebug.bg_BG.po | 2 ++ modules/po/admindebug.es_ES.po | 2 ++ modules/po/admindebug.fr_FR.po | 2 ++ modules/po/admindebug.id_ID.po | 2 ++ modules/po/admindebug.it_IT.po | 2 ++ modules/po/admindebug.nl_NL.po | 2 ++ modules/po/admindebug.pt_BR.po | 2 ++ modules/po/admindebug.ru_RU.po | 2 ++ modules/po/adminlog.bg_BG.po | 2 ++ modules/po/adminlog.es_ES.po | 2 ++ modules/po/adminlog.fr_FR.po | 2 ++ modules/po/adminlog.id_ID.po | 2 ++ modules/po/adminlog.it_IT.po | 2 ++ modules/po/adminlog.nl_NL.po | 2 ++ modules/po/adminlog.pt_BR.po | 4 ++- modules/po/adminlog.ru_RU.po | 2 ++ modules/po/alias.bg_BG.po | 2 ++ modules/po/alias.es_ES.po | 2 ++ modules/po/alias.fr_FR.po | 2 ++ modules/po/alias.id_ID.po | 2 ++ modules/po/alias.it_IT.po | 2 ++ modules/po/alias.nl_NL.po | 2 ++ modules/po/alias.pt_BR.po | 8 +++--- modules/po/alias.ru_RU.po | 2 ++ modules/po/autoattach.bg_BG.po | 2 ++ modules/po/autoattach.es_ES.po | 2 ++ modules/po/autoattach.fr_FR.po | 2 ++ modules/po/autoattach.id_ID.po | 2 ++ modules/po/autoattach.it_IT.po | 2 ++ modules/po/autoattach.nl_NL.po | 2 ++ modules/po/autoattach.pt_BR.po | 2 ++ modules/po/autoattach.ru_RU.po | 2 ++ modules/po/autocycle.bg_BG.po | 2 ++ modules/po/autocycle.es_ES.po | 2 ++ modules/po/autocycle.fr_FR.po | 2 ++ modules/po/autocycle.id_ID.po | 2 ++ modules/po/autocycle.it_IT.po | 2 ++ modules/po/autocycle.nl_NL.po | 2 ++ modules/po/autocycle.pt_BR.po | 2 ++ modules/po/autocycle.ru_RU.po | 2 ++ modules/po/autoop.bg_BG.po | 2 ++ modules/po/autoop.es_ES.po | 2 ++ modules/po/autoop.fr_FR.po | 2 ++ modules/po/autoop.id_ID.po | 2 ++ modules/po/autoop.it_IT.po | 2 ++ modules/po/autoop.nl_NL.po | 2 ++ modules/po/autoop.pt_BR.po | 2 ++ modules/po/autoop.ru_RU.po | 2 ++ modules/po/autoreply.bg_BG.po | 2 ++ modules/po/autoreply.es_ES.po | 2 ++ modules/po/autoreply.fr_FR.po | 2 ++ modules/po/autoreply.id_ID.po | 2 ++ modules/po/autoreply.it_IT.po | 2 ++ modules/po/autoreply.nl_NL.po | 2 ++ modules/po/autoreply.pt_BR.po | 6 ++++- modules/po/autoreply.ru_RU.po | 2 ++ modules/po/autovoice.bg_BG.po | 2 ++ modules/po/autovoice.es_ES.po | 2 ++ modules/po/autovoice.fr_FR.po | 2 ++ modules/po/autovoice.id_ID.po | 2 ++ modules/po/autovoice.it_IT.po | 2 ++ modules/po/autovoice.nl_NL.po | 2 ++ modules/po/autovoice.pt_BR.po | 4 ++- modules/po/autovoice.ru_RU.po | 2 ++ modules/po/awaystore.bg_BG.po | 2 ++ modules/po/awaystore.es_ES.po | 2 ++ modules/po/awaystore.fr_FR.po | 2 ++ modules/po/awaystore.id_ID.po | 2 ++ modules/po/awaystore.it_IT.po | 2 ++ modules/po/awaystore.nl_NL.po | 2 ++ modules/po/awaystore.pt_BR.po | 2 ++ modules/po/awaystore.ru_RU.po | 2 ++ modules/po/block_motd.bg_BG.po | 2 ++ modules/po/block_motd.es_ES.po | 2 ++ modules/po/block_motd.fr_FR.po | 2 ++ modules/po/block_motd.id_ID.po | 2 ++ modules/po/block_motd.it_IT.po | 2 ++ modules/po/block_motd.nl_NL.po | 2 ++ modules/po/block_motd.pt_BR.po | 2 ++ modules/po/block_motd.ru_RU.po | 2 ++ modules/po/blockuser.bg_BG.po | 2 ++ modules/po/blockuser.es_ES.po | 2 ++ modules/po/blockuser.fr_FR.po | 2 ++ modules/po/blockuser.id_ID.po | 2 ++ modules/po/blockuser.it_IT.po | 2 ++ modules/po/blockuser.nl_NL.po | 2 ++ modules/po/blockuser.pt_BR.po | 2 ++ modules/po/blockuser.ru_RU.po | 2 ++ modules/po/bouncedcc.bg_BG.po | 2 ++ modules/po/bouncedcc.es_ES.po | 2 ++ modules/po/bouncedcc.fr_FR.po | 2 ++ modules/po/bouncedcc.id_ID.po | 2 ++ modules/po/bouncedcc.it_IT.po | 2 ++ modules/po/bouncedcc.nl_NL.po | 2 ++ modules/po/bouncedcc.pt_BR.po | 2 ++ modules/po/bouncedcc.ru_RU.po | 2 ++ modules/po/buffextras.bg_BG.po | 2 ++ modules/po/buffextras.es_ES.po | 2 ++ modules/po/buffextras.fr_FR.po | 2 ++ modules/po/buffextras.id_ID.po | 2 ++ modules/po/buffextras.it_IT.po | 2 ++ modules/po/buffextras.nl_NL.po | 2 ++ modules/po/buffextras.pt_BR.po | 2 ++ modules/po/buffextras.ru_RU.po | 2 ++ modules/po/cert.bg_BG.po | 2 ++ modules/po/cert.es_ES.po | 2 ++ modules/po/cert.fr_FR.po | 2 ++ modules/po/cert.id_ID.po | 2 ++ modules/po/cert.it_IT.po | 2 ++ modules/po/cert.nl_NL.po | 2 ++ modules/po/cert.pt_BR.po | 2 ++ modules/po/cert.ru_RU.po | 2 ++ modules/po/certauth.bg_BG.po | 2 ++ modules/po/certauth.es_ES.po | 2 ++ modules/po/certauth.fr_FR.po | 2 ++ modules/po/certauth.id_ID.po | 2 ++ modules/po/certauth.it_IT.po | 2 ++ modules/po/certauth.nl_NL.po | 2 ++ modules/po/certauth.pt_BR.po | 2 ++ modules/po/certauth.ru_RU.po | 2 ++ modules/po/chansaver.bg_BG.po | 2 ++ modules/po/chansaver.es_ES.po | 2 ++ modules/po/chansaver.fr_FR.po | 2 ++ modules/po/chansaver.id_ID.po | 2 ++ modules/po/chansaver.it_IT.po | 2 ++ modules/po/chansaver.nl_NL.po | 2 ++ modules/po/chansaver.pt_BR.po | 2 ++ modules/po/chansaver.ru_RU.po | 2 ++ modules/po/clearbufferonmsg.bg_BG.po | 2 ++ modules/po/clearbufferonmsg.es_ES.po | 2 ++ modules/po/clearbufferonmsg.fr_FR.po | 2 ++ modules/po/clearbufferonmsg.id_ID.po | 2 ++ modules/po/clearbufferonmsg.it_IT.po | 2 ++ modules/po/clearbufferonmsg.nl_NL.po | 2 ++ modules/po/clearbufferonmsg.pt_BR.po | 2 ++ modules/po/clearbufferonmsg.ru_RU.po | 2 ++ modules/po/clientnotify.bg_BG.po | 2 ++ modules/po/clientnotify.es_ES.po | 2 ++ modules/po/clientnotify.fr_FR.po | 2 ++ modules/po/clientnotify.id_ID.po | 2 ++ modules/po/clientnotify.it_IT.po | 2 ++ modules/po/clientnotify.nl_NL.po | 2 ++ modules/po/clientnotify.pt_BR.po | 2 ++ modules/po/clientnotify.ru_RU.po | 2 ++ modules/po/controlpanel.bg_BG.po | 2 ++ modules/po/controlpanel.es_ES.po | 2 ++ modules/po/controlpanel.fr_FR.po | 2 ++ modules/po/controlpanel.id_ID.po | 2 ++ modules/po/controlpanel.it_IT.po | 2 ++ modules/po/controlpanel.nl_NL.po | 2 ++ modules/po/controlpanel.pt_BR.po | 2 ++ modules/po/controlpanel.ru_RU.po | 2 ++ modules/po/crypt.bg_BG.po | 2 ++ modules/po/crypt.es_ES.po | 2 ++ modules/po/crypt.fr_FR.po | 2 ++ modules/po/crypt.id_ID.po | 2 ++ modules/po/crypt.it_IT.po | 2 ++ modules/po/crypt.nl_NL.po | 2 ++ modules/po/crypt.pt_BR.po | 2 ++ modules/po/crypt.ru_RU.po | 2 ++ modules/po/ctcpflood.bg_BG.po | 2 ++ modules/po/ctcpflood.es_ES.po | 2 ++ modules/po/ctcpflood.fr_FR.po | 2 ++ modules/po/ctcpflood.id_ID.po | 2 ++ modules/po/ctcpflood.it_IT.po | 2 ++ modules/po/ctcpflood.nl_NL.po | 2 ++ modules/po/ctcpflood.pt_BR.po | 2 ++ modules/po/ctcpflood.ru_RU.po | 2 ++ modules/po/cyrusauth.bg_BG.po | 2 ++ modules/po/cyrusauth.es_ES.po | 2 ++ modules/po/cyrusauth.fr_FR.po | 2 ++ modules/po/cyrusauth.id_ID.po | 2 ++ modules/po/cyrusauth.it_IT.po | 2 ++ modules/po/cyrusauth.nl_NL.po | 2 ++ modules/po/cyrusauth.pt_BR.po | 2 ++ modules/po/cyrusauth.ru_RU.po | 2 ++ modules/po/dcc.bg_BG.po | 2 ++ modules/po/dcc.es_ES.po | 2 ++ modules/po/dcc.fr_FR.po | 2 ++ modules/po/dcc.id_ID.po | 2 ++ modules/po/dcc.it_IT.po | 2 ++ modules/po/dcc.nl_NL.po | 2 ++ modules/po/dcc.pt_BR.po | 2 ++ modules/po/dcc.ru_RU.po | 2 ++ modules/po/disconkick.bg_BG.po | 2 ++ modules/po/disconkick.es_ES.po | 2 ++ modules/po/disconkick.fr_FR.po | 2 ++ modules/po/disconkick.id_ID.po | 2 ++ modules/po/disconkick.it_IT.po | 2 ++ modules/po/disconkick.nl_NL.po | 2 ++ modules/po/disconkick.pt_BR.po | 2 ++ modules/po/disconkick.ru_RU.po | 2 ++ modules/po/fail2ban.bg_BG.po | 2 ++ modules/po/fail2ban.es_ES.po | 2 ++ modules/po/fail2ban.fr_FR.po | 2 ++ modules/po/fail2ban.id_ID.po | 2 ++ modules/po/fail2ban.it_IT.po | 2 ++ modules/po/fail2ban.nl_NL.po | 2 ++ modules/po/fail2ban.pt_BR.po | 2 ++ modules/po/fail2ban.ru_RU.po | 2 ++ modules/po/flooddetach.bg_BG.po | 2 ++ modules/po/flooddetach.es_ES.po | 2 ++ modules/po/flooddetach.fr_FR.po | 2 ++ modules/po/flooddetach.id_ID.po | 2 ++ modules/po/flooddetach.it_IT.po | 2 ++ modules/po/flooddetach.nl_NL.po | 2 ++ modules/po/flooddetach.pt_BR.po | 2 ++ modules/po/flooddetach.ru_RU.po | 2 ++ modules/po/identfile.bg_BG.po | 2 ++ modules/po/identfile.es_ES.po | 2 ++ modules/po/identfile.fr_FR.po | 2 ++ modules/po/identfile.id_ID.po | 2 ++ modules/po/identfile.it_IT.po | 2 ++ modules/po/identfile.nl_NL.po | 2 ++ modules/po/identfile.pt_BR.po | 2 ++ modules/po/identfile.ru_RU.po | 2 ++ modules/po/imapauth.bg_BG.po | 2 ++ modules/po/imapauth.es_ES.po | 2 ++ modules/po/imapauth.fr_FR.po | 2 ++ modules/po/imapauth.id_ID.po | 2 ++ modules/po/imapauth.it_IT.po | 2 ++ modules/po/imapauth.nl_NL.po | 2 ++ modules/po/imapauth.pt_BR.po | 2 ++ modules/po/imapauth.ru_RU.po | 2 ++ modules/po/keepnick.bg_BG.po | 2 ++ modules/po/keepnick.es_ES.po | 2 ++ modules/po/keepnick.fr_FR.po | 2 ++ modules/po/keepnick.id_ID.po | 2 ++ modules/po/keepnick.it_IT.po | 2 ++ modules/po/keepnick.nl_NL.po | 2 ++ modules/po/keepnick.pt_BR.po | 2 ++ modules/po/keepnick.ru_RU.po | 2 ++ modules/po/kickrejoin.bg_BG.po | 2 ++ modules/po/kickrejoin.es_ES.po | 2 ++ modules/po/kickrejoin.fr_FR.po | 2 ++ modules/po/kickrejoin.id_ID.po | 2 ++ modules/po/kickrejoin.it_IT.po | 2 ++ modules/po/kickrejoin.nl_NL.po | 2 ++ modules/po/kickrejoin.pt_BR.po | 2 ++ modules/po/kickrejoin.ru_RU.po | 2 ++ modules/po/lastseen.bg_BG.po | 2 ++ modules/po/lastseen.es_ES.po | 2 ++ modules/po/lastseen.fr_FR.po | 2 ++ modules/po/lastseen.id_ID.po | 2 ++ modules/po/lastseen.it_IT.po | 2 ++ modules/po/lastseen.nl_NL.po | 2 ++ modules/po/lastseen.pt_BR.po | 2 ++ modules/po/lastseen.ru_RU.po | 2 ++ modules/po/listsockets.bg_BG.po | 2 ++ modules/po/listsockets.es_ES.po | 2 ++ modules/po/listsockets.fr_FR.po | 2 ++ modules/po/listsockets.id_ID.po | 2 ++ modules/po/listsockets.it_IT.po | 2 ++ modules/po/listsockets.nl_NL.po | 2 ++ modules/po/listsockets.pt_BR.po | 2 ++ modules/po/listsockets.ru_RU.po | 2 ++ modules/po/log.bg_BG.po | 2 ++ modules/po/log.es_ES.po | 2 ++ modules/po/log.fr_FR.po | 2 ++ modules/po/log.id_ID.po | 2 ++ modules/po/log.it_IT.po | 2 ++ modules/po/log.nl_NL.po | 2 ++ modules/po/log.pt_BR.po | 2 ++ modules/po/log.ru_RU.po | 2 ++ modules/po/missingmotd.bg_BG.po | 2 ++ modules/po/missingmotd.es_ES.po | 2 ++ modules/po/missingmotd.fr_FR.po | 2 ++ modules/po/missingmotd.id_ID.po | 2 ++ modules/po/missingmotd.it_IT.po | 2 ++ modules/po/missingmotd.nl_NL.po | 2 ++ modules/po/missingmotd.pt_BR.po | 2 ++ modules/po/missingmotd.ru_RU.po | 2 ++ modules/po/modperl.bg_BG.po | 2 ++ modules/po/modperl.es_ES.po | 2 ++ modules/po/modperl.fr_FR.po | 2 ++ modules/po/modperl.id_ID.po | 2 ++ modules/po/modperl.it_IT.po | 2 ++ modules/po/modperl.nl_NL.po | 2 ++ modules/po/modperl.pt_BR.po | 2 ++ modules/po/modperl.ru_RU.po | 2 ++ modules/po/modpython.bg_BG.po | 2 ++ modules/po/modpython.es_ES.po | 2 ++ modules/po/modpython.fr_FR.po | 2 ++ modules/po/modpython.id_ID.po | 2 ++ modules/po/modpython.it_IT.po | 2 ++ modules/po/modpython.nl_NL.po | 2 ++ modules/po/modpython.pt_BR.po | 2 ++ modules/po/modpython.ru_RU.po | 2 ++ modules/po/modules_online.bg_BG.po | 2 ++ modules/po/modules_online.es_ES.po | 2 ++ modules/po/modules_online.fr_FR.po | 2 ++ modules/po/modules_online.id_ID.po | 2 ++ modules/po/modules_online.it_IT.po | 2 ++ modules/po/modules_online.nl_NL.po | 2 ++ modules/po/modules_online.pt_BR.po | 2 ++ modules/po/modules_online.ru_RU.po | 2 ++ modules/po/nickserv.bg_BG.po | 2 ++ modules/po/nickserv.es_ES.po | 2 ++ modules/po/nickserv.fr_FR.po | 2 ++ modules/po/nickserv.id_ID.po | 2 ++ modules/po/nickserv.it_IT.po | 2 ++ modules/po/nickserv.nl_NL.po | 2 ++ modules/po/nickserv.pt_BR.po | 2 ++ modules/po/nickserv.ru_RU.po | 2 ++ modules/po/notes.bg_BG.po | 2 ++ modules/po/notes.es_ES.po | 2 ++ modules/po/notes.fr_FR.po | 2 ++ modules/po/notes.id_ID.po | 2 ++ modules/po/notes.it_IT.po | 2 ++ modules/po/notes.nl_NL.po | 2 ++ modules/po/notes.pt_BR.po | 2 ++ modules/po/notes.ru_RU.po | 2 ++ modules/po/notify_connect.bg_BG.po | 2 ++ modules/po/notify_connect.es_ES.po | 2 ++ modules/po/notify_connect.fr_FR.po | 2 ++ modules/po/notify_connect.id_ID.po | 2 ++ modules/po/notify_connect.it_IT.po | 2 ++ modules/po/notify_connect.nl_NL.po | 2 ++ modules/po/notify_connect.pt_BR.po | 2 ++ modules/po/notify_connect.ru_RU.po | 2 ++ modules/po/perform.bg_BG.po | 2 ++ modules/po/perform.es_ES.po | 2 ++ modules/po/perform.fr_FR.po | 2 ++ modules/po/perform.id_ID.po | 2 ++ modules/po/perform.it_IT.po | 2 ++ modules/po/perform.nl_NL.po | 2 ++ modules/po/perform.pt_BR.po | 2 ++ modules/po/perform.ru_RU.po | 2 ++ modules/po/perleval.bg_BG.po | 2 ++ modules/po/perleval.es_ES.po | 2 ++ modules/po/perleval.fr_FR.po | 2 ++ modules/po/perleval.id_ID.po | 2 ++ modules/po/perleval.it_IT.po | 2 ++ modules/po/perleval.nl_NL.po | 2 ++ modules/po/perleval.pt_BR.po | 2 ++ modules/po/perleval.ru_RU.po | 2 ++ modules/po/pyeval.bg_BG.po | 2 ++ modules/po/pyeval.es_ES.po | 2 ++ modules/po/pyeval.fr_FR.po | 2 ++ modules/po/pyeval.id_ID.po | 2 ++ modules/po/pyeval.it_IT.po | 2 ++ modules/po/pyeval.nl_NL.po | 2 ++ modules/po/pyeval.pt_BR.po | 2 ++ modules/po/pyeval.ru_RU.po | 2 ++ modules/po/raw.bg_BG.po | 2 ++ modules/po/raw.es_ES.po | 2 ++ modules/po/raw.fr_FR.po | 2 ++ modules/po/raw.id_ID.po | 2 ++ modules/po/raw.it_IT.po | 2 ++ modules/po/raw.nl_NL.po | 2 ++ modules/po/raw.pt_BR.po | 2 ++ modules/po/raw.ru_RU.po | 2 ++ modules/po/route_replies.bg_BG.po | 2 ++ modules/po/route_replies.es_ES.po | 2 ++ modules/po/route_replies.fr_FR.po | 2 ++ modules/po/route_replies.id_ID.po | 2 ++ modules/po/route_replies.it_IT.po | 2 ++ modules/po/route_replies.nl_NL.po | 2 ++ modules/po/route_replies.pt_BR.po | 2 ++ modules/po/route_replies.ru_RU.po | 2 ++ modules/po/sample.bg_BG.po | 2 ++ modules/po/sample.es_ES.po | 2 ++ modules/po/sample.fr_FR.po | 2 ++ modules/po/sample.id_ID.po | 2 ++ modules/po/sample.it_IT.po | 2 ++ modules/po/sample.nl_NL.po | 2 ++ modules/po/sample.pt_BR.po | 2 ++ modules/po/sample.ru_RU.po | 2 ++ modules/po/samplewebapi.bg_BG.po | 2 ++ modules/po/samplewebapi.es_ES.po | 2 ++ modules/po/samplewebapi.fr_FR.po | 2 ++ modules/po/samplewebapi.id_ID.po | 2 ++ modules/po/samplewebapi.it_IT.po | 2 ++ modules/po/samplewebapi.nl_NL.po | 2 ++ modules/po/samplewebapi.pt_BR.po | 2 ++ modules/po/samplewebapi.ru_RU.po | 2 ++ modules/po/sasl.bg_BG.po | 2 ++ modules/po/sasl.es_ES.po | 2 ++ modules/po/sasl.fr_FR.po | 2 ++ modules/po/sasl.id_ID.po | 2 ++ modules/po/sasl.it_IT.po | 2 ++ modules/po/sasl.nl_NL.po | 2 ++ modules/po/sasl.pt_BR.po | 2 ++ modules/po/sasl.ru_RU.po | 2 ++ modules/po/savebuff.bg_BG.po | 2 ++ modules/po/savebuff.es_ES.po | 2 ++ modules/po/savebuff.fr_FR.po | 2 ++ modules/po/savebuff.id_ID.po | 2 ++ modules/po/savebuff.it_IT.po | 2 ++ modules/po/savebuff.nl_NL.po | 2 ++ modules/po/savebuff.pt_BR.po | 2 ++ modules/po/savebuff.ru_RU.po | 2 ++ modules/po/send_raw.bg_BG.po | 2 ++ modules/po/send_raw.es_ES.po | 2 ++ modules/po/send_raw.fr_FR.po | 2 ++ modules/po/send_raw.id_ID.po | 2 ++ modules/po/send_raw.it_IT.po | 2 ++ modules/po/send_raw.nl_NL.po | 2 ++ modules/po/send_raw.pt_BR.po | 2 ++ modules/po/send_raw.ru_RU.po | 2 ++ modules/po/shell.bg_BG.po | 2 ++ modules/po/shell.es_ES.po | 2 ++ modules/po/shell.fr_FR.po | 2 ++ modules/po/shell.id_ID.po | 2 ++ modules/po/shell.it_IT.po | 2 ++ modules/po/shell.nl_NL.po | 2 ++ modules/po/shell.pt_BR.po | 2 ++ modules/po/shell.ru_RU.po | 2 ++ modules/po/simple_away.bg_BG.po | 2 ++ modules/po/simple_away.es_ES.po | 2 ++ modules/po/simple_away.fr_FR.po | 2 ++ modules/po/simple_away.id_ID.po | 2 ++ modules/po/simple_away.it_IT.po | 2 ++ modules/po/simple_away.nl_NL.po | 2 ++ modules/po/simple_away.pt_BR.po | 2 ++ modules/po/simple_away.ru_RU.po | 2 ++ modules/po/stickychan.bg_BG.po | 2 ++ modules/po/stickychan.es_ES.po | 2 ++ modules/po/stickychan.fr_FR.po | 2 ++ modules/po/stickychan.id_ID.po | 2 ++ modules/po/stickychan.it_IT.po | 2 ++ modules/po/stickychan.nl_NL.po | 2 ++ modules/po/stickychan.pt_BR.po | 2 ++ modules/po/stickychan.ru_RU.po | 2 ++ modules/po/stripcontrols.bg_BG.po | 2 ++ modules/po/stripcontrols.es_ES.po | 2 ++ modules/po/stripcontrols.fr_FR.po | 2 ++ modules/po/stripcontrols.id_ID.po | 2 ++ modules/po/stripcontrols.it_IT.po | 2 ++ modules/po/stripcontrols.nl_NL.po | 2 ++ modules/po/stripcontrols.pt_BR.po | 2 ++ modules/po/stripcontrols.ru_RU.po | 2 ++ modules/po/watch.bg_BG.po | 2 ++ modules/po/watch.es_ES.po | 2 ++ modules/po/watch.fr_FR.po | 2 ++ modules/po/watch.id_ID.po | 2 ++ modules/po/watch.it_IT.po | 2 ++ modules/po/watch.nl_NL.po | 2 ++ modules/po/watch.pt_BR.po | 2 ++ modules/po/watch.ru_RU.po | 2 ++ modules/po/webadmin.bg_BG.po | 2 ++ modules/po/webadmin.es_ES.po | 2 ++ modules/po/webadmin.fr_FR.po | 2 ++ modules/po/webadmin.id_ID.po | 2 ++ modules/po/webadmin.it_IT.po | 2 ++ modules/po/webadmin.nl_NL.po | 2 ++ modules/po/webadmin.pt_BR.po | 2 ++ modules/po/webadmin.ru_RU.po | 2 ++ src/po/znc.bg_BG.po | 2 ++ src/po/znc.es_ES.po | 2 ++ src/po/znc.fr_FR.po | 2 ++ src/po/znc.id_ID.po | 2 ++ src/po/znc.it_IT.po | 2 ++ src/po/znc.nl_NL.po | 2 ++ src/po/znc.pt_BR.po | 40 +++++++++++++++++----------- src/po/znc.ru_RU.po | 2 ++ 457 files changed, 943 insertions(+), 22 deletions(-) diff --git a/TRANSLATORS.md b/TRANSLATORS.md index 047c0c2d..09347d3e 100644 --- a/TRANSLATORS.md +++ b/TRANSLATORS.md @@ -2,6 +2,7 @@ These people helped translating ZNC to various languages: * Altay * casmo (Casper) +* cirinho (Ciro Moniz) * CJSStryker * DarthGandalf * dgw diff --git a/modules/po/admindebug.bg_BG.po b/modules/po/admindebug.bg_BG.po index d2d88a53..a127aff3 100644 --- a/modules/po/admindebug.bg_BG.po +++ b/modules/po/admindebug.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.8.x/modules/po/admindebug.pot\n" +"X-Crowdin-File-ID: 290\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/admindebug.es_ES.po b/modules/po/admindebug.es_ES.po index b6da09ad..155f3435 100644 --- a/modules/po/admindebug.es_ES.po +++ b/modules/po/admindebug.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.8.x/modules/po/admindebug.pot\n" +"X-Crowdin-File-ID: 290\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/admindebug.fr_FR.po b/modules/po/admindebug.fr_FR.po index 1071d58c..c89f5102 100644 --- a/modules/po/admindebug.fr_FR.po +++ b/modules/po/admindebug.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.8.x/modules/po/admindebug.pot\n" +"X-Crowdin-File-ID: 290\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/admindebug.id_ID.po b/modules/po/admindebug.id_ID.po index 191649c4..b957f4ff 100644 --- a/modules/po/admindebug.id_ID.po +++ b/modules/po/admindebug.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.8.x/modules/po/admindebug.pot\n" +"X-Crowdin-File-ID: 290\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/admindebug.it_IT.po b/modules/po/admindebug.it_IT.po index d6fed307..1f496c5a 100644 --- a/modules/po/admindebug.it_IT.po +++ b/modules/po/admindebug.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.8.x/modules/po/admindebug.pot\n" +"X-Crowdin-File-ID: 290\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/admindebug.nl_NL.po b/modules/po/admindebug.nl_NL.po index ebbe6726..75838a97 100644 --- a/modules/po/admindebug.nl_NL.po +++ b/modules/po/admindebug.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.8.x/modules/po/admindebug.pot\n" +"X-Crowdin-File-ID: 290\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/admindebug.pt_BR.po b/modules/po/admindebug.pt_BR.po index 2468297b..d9b4ea26 100644 --- a/modules/po/admindebug.pt_BR.po +++ b/modules/po/admindebug.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.8.x/modules/po/admindebug.pot\n" +"X-Crowdin-File-ID: 290\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/admindebug.ru_RU.po b/modules/po/admindebug.ru_RU.po index a968b169..232013d0 100644 --- a/modules/po/admindebug.ru_RU.po +++ b/modules/po/admindebug.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.8.x/modules/po/admindebug.pot\n" +"X-Crowdin-File-ID: 290\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/adminlog.bg_BG.po b/modules/po/adminlog.bg_BG.po index 5ab0260d..53ae7f25 100644 --- a/modules/po/adminlog.bg_BG.po +++ b/modules/po/adminlog.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.8.x/modules/po/adminlog.pot\n" +"X-Crowdin-File-ID: 294\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/adminlog.es_ES.po b/modules/po/adminlog.es_ES.po index e7949500..839d572a 100644 --- a/modules/po/adminlog.es_ES.po +++ b/modules/po/adminlog.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.8.x/modules/po/adminlog.pot\n" +"X-Crowdin-File-ID: 294\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/adminlog.fr_FR.po b/modules/po/adminlog.fr_FR.po index e4e4950a..3dad8f5c 100644 --- a/modules/po/adminlog.fr_FR.po +++ b/modules/po/adminlog.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.8.x/modules/po/adminlog.pot\n" +"X-Crowdin-File-ID: 294\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/adminlog.id_ID.po b/modules/po/adminlog.id_ID.po index 5b34b10b..4dc278e0 100644 --- a/modules/po/adminlog.id_ID.po +++ b/modules/po/adminlog.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.8.x/modules/po/adminlog.pot\n" +"X-Crowdin-File-ID: 294\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/adminlog.it_IT.po b/modules/po/adminlog.it_IT.po index 9e716dd7..b6edc576 100644 --- a/modules/po/adminlog.it_IT.po +++ b/modules/po/adminlog.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.8.x/modules/po/adminlog.pot\n" +"X-Crowdin-File-ID: 294\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/adminlog.nl_NL.po b/modules/po/adminlog.nl_NL.po index e9ebcfe4..a47c380d 100644 --- a/modules/po/adminlog.nl_NL.po +++ b/modules/po/adminlog.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.8.x/modules/po/adminlog.pot\n" +"X-Crowdin-File-ID: 294\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/adminlog.pt_BR.po b/modules/po/adminlog.pt_BR.po index 5f390aac..a33ed7e3 100644 --- a/modules/po/adminlog.pt_BR.po +++ b/modules/po/adminlog.pt_BR.po @@ -4,15 +4,17 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.8.x/modules/po/adminlog.pot\n" +"X-Crowdin-File-ID: 294\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" #: adminlog.cpp:29 msgid "Show the logging target" -msgstr "" +msgstr "Mostra o local do log" #: adminlog.cpp:31 msgid " [path]" diff --git a/modules/po/adminlog.ru_RU.po b/modules/po/adminlog.ru_RU.po index 9148b8d7..69a9a954 100644 --- a/modules/po/adminlog.ru_RU.po +++ b/modules/po/adminlog.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.8.x/modules/po/adminlog.pot\n" +"X-Crowdin-File-ID: 294\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/alias.bg_BG.po b/modules/po/alias.bg_BG.po index a4e82111..129e84e7 100644 --- a/modules/po/alias.bg_BG.po +++ b/modules/po/alias.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.8.x/modules/po/alias.pot\n" +"X-Crowdin-File-ID: 292\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/alias.es_ES.po b/modules/po/alias.es_ES.po index 82215c0a..0242697b 100644 --- a/modules/po/alias.es_ES.po +++ b/modules/po/alias.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.8.x/modules/po/alias.pot\n" +"X-Crowdin-File-ID: 292\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/alias.fr_FR.po b/modules/po/alias.fr_FR.po index cb2643ca..aecbe335 100644 --- a/modules/po/alias.fr_FR.po +++ b/modules/po/alias.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.8.x/modules/po/alias.pot\n" +"X-Crowdin-File-ID: 292\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/alias.id_ID.po b/modules/po/alias.id_ID.po index 074be381..a18d65f6 100644 --- a/modules/po/alias.id_ID.po +++ b/modules/po/alias.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.8.x/modules/po/alias.pot\n" +"X-Crowdin-File-ID: 292\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/alias.it_IT.po b/modules/po/alias.it_IT.po index e1031453..86d7f056 100644 --- a/modules/po/alias.it_IT.po +++ b/modules/po/alias.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.8.x/modules/po/alias.pot\n" +"X-Crowdin-File-ID: 292\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/alias.nl_NL.po b/modules/po/alias.nl_NL.po index ac8edad9..5a300161 100644 --- a/modules/po/alias.nl_NL.po +++ b/modules/po/alias.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.8.x/modules/po/alias.pot\n" +"X-Crowdin-File-ID: 292\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/alias.pt_BR.po b/modules/po/alias.pt_BR.po index cbbcb75d..a569355e 100644 --- a/modules/po/alias.pt_BR.po +++ b/modules/po/alias.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.8.x/modules/po/alias.pot\n" +"X-Crowdin-File-ID: 292\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" @@ -50,7 +52,7 @@ msgstr "" #: alias.cpp:290 msgctxt "list|separator" msgid ", " -msgstr "" +msgstr ", " #: alias.cpp:324 msgid "Actions for alias {1}:" @@ -102,7 +104,7 @@ msgstr "" #: alias.cpp:355 msgid "Lists all aliases by name." -msgstr "" +msgstr "Lista todos os aliases por nome." #: alias.cpp:358 msgid "Reports the actions performed by an alias." @@ -114,7 +116,7 @@ msgstr "" #: alias.cpp:374 msgid "Clearing all of them!" -msgstr "" +msgstr "Limpando todos eles!" #: alias.cpp:409 msgid "Provides bouncer-side command alias support." diff --git a/modules/po/alias.ru_RU.po b/modules/po/alias.ru_RU.po index 38604c27..820358ad 100644 --- a/modules/po/alias.ru_RU.po +++ b/modules/po/alias.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.8.x/modules/po/alias.pot\n" +"X-Crowdin-File-ID: 292\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/autoattach.bg_BG.po b/modules/po/autoattach.bg_BG.po index 48cbd8ef..dac3f119 100644 --- a/modules/po/autoattach.bg_BG.po +++ b/modules/po/autoattach.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.8.x/modules/po/autoattach.pot\n" +"X-Crowdin-File-ID: 298\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/autoattach.es_ES.po b/modules/po/autoattach.es_ES.po index 454c4872..5916a765 100644 --- a/modules/po/autoattach.es_ES.po +++ b/modules/po/autoattach.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.8.x/modules/po/autoattach.pot\n" +"X-Crowdin-File-ID: 298\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/autoattach.fr_FR.po b/modules/po/autoattach.fr_FR.po index 919f2e43..6b9f4532 100644 --- a/modules/po/autoattach.fr_FR.po +++ b/modules/po/autoattach.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.8.x/modules/po/autoattach.pot\n" +"X-Crowdin-File-ID: 298\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/autoattach.id_ID.po b/modules/po/autoattach.id_ID.po index 9dc049cf..19d68496 100644 --- a/modules/po/autoattach.id_ID.po +++ b/modules/po/autoattach.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.8.x/modules/po/autoattach.pot\n" +"X-Crowdin-File-ID: 298\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/autoattach.it_IT.po b/modules/po/autoattach.it_IT.po index 2b11a17a..16aac83c 100644 --- a/modules/po/autoattach.it_IT.po +++ b/modules/po/autoattach.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.8.x/modules/po/autoattach.pot\n" +"X-Crowdin-File-ID: 298\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/autoattach.nl_NL.po b/modules/po/autoattach.nl_NL.po index 9ea4f61f..d8eb629d 100644 --- a/modules/po/autoattach.nl_NL.po +++ b/modules/po/autoattach.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.8.x/modules/po/autoattach.pot\n" +"X-Crowdin-File-ID: 298\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/autoattach.pt_BR.po b/modules/po/autoattach.pt_BR.po index 5dee1aa3..43c73cfb 100644 --- a/modules/po/autoattach.pt_BR.po +++ b/modules/po/autoattach.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.8.x/modules/po/autoattach.pot\n" +"X-Crowdin-File-ID: 298\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/autoattach.ru_RU.po b/modules/po/autoattach.ru_RU.po index e1f181bf..5d6fb6d8 100644 --- a/modules/po/autoattach.ru_RU.po +++ b/modules/po/autoattach.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.8.x/modules/po/autoattach.pot\n" +"X-Crowdin-File-ID: 298\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/autocycle.bg_BG.po b/modules/po/autocycle.bg_BG.po index b90cdb44..c0ac6f43 100644 --- a/modules/po/autocycle.bg_BG.po +++ b/modules/po/autocycle.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.8.x/modules/po/autocycle.pot\n" +"X-Crowdin-File-ID: 300\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/autocycle.es_ES.po b/modules/po/autocycle.es_ES.po index 37552312..bb1699d0 100644 --- a/modules/po/autocycle.es_ES.po +++ b/modules/po/autocycle.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.8.x/modules/po/autocycle.pot\n" +"X-Crowdin-File-ID: 300\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/autocycle.fr_FR.po b/modules/po/autocycle.fr_FR.po index 83027301..b1a28a25 100644 --- a/modules/po/autocycle.fr_FR.po +++ b/modules/po/autocycle.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.8.x/modules/po/autocycle.pot\n" +"X-Crowdin-File-ID: 300\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/autocycle.id_ID.po b/modules/po/autocycle.id_ID.po index b7800e0a..31473945 100644 --- a/modules/po/autocycle.id_ID.po +++ b/modules/po/autocycle.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.8.x/modules/po/autocycle.pot\n" +"X-Crowdin-File-ID: 300\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/autocycle.it_IT.po b/modules/po/autocycle.it_IT.po index 5f1a287e..37e5accb 100644 --- a/modules/po/autocycle.it_IT.po +++ b/modules/po/autocycle.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.8.x/modules/po/autocycle.pot\n" +"X-Crowdin-File-ID: 300\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/autocycle.nl_NL.po b/modules/po/autocycle.nl_NL.po index c2cf1e7b..7d21e167 100644 --- a/modules/po/autocycle.nl_NL.po +++ b/modules/po/autocycle.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.8.x/modules/po/autocycle.pot\n" +"X-Crowdin-File-ID: 300\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/autocycle.pt_BR.po b/modules/po/autocycle.pt_BR.po index 01c1c1ed..8cfe1b2c 100644 --- a/modules/po/autocycle.pt_BR.po +++ b/modules/po/autocycle.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.8.x/modules/po/autocycle.pot\n" +"X-Crowdin-File-ID: 300\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/autocycle.ru_RU.po b/modules/po/autocycle.ru_RU.po index 41d06fd3..8c3d2d85 100644 --- a/modules/po/autocycle.ru_RU.po +++ b/modules/po/autocycle.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.8.x/modules/po/autocycle.pot\n" +"X-Crowdin-File-ID: 300\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/autoop.bg_BG.po b/modules/po/autoop.bg_BG.po index e7a2f9c3..bf9c2a91 100644 --- a/modules/po/autoop.bg_BG.po +++ b/modules/po/autoop.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.8.x/modules/po/autoop.pot\n" +"X-Crowdin-File-ID: 296\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/autoop.es_ES.po b/modules/po/autoop.es_ES.po index ecac88aa..3027dd35 100644 --- a/modules/po/autoop.es_ES.po +++ b/modules/po/autoop.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.8.x/modules/po/autoop.pot\n" +"X-Crowdin-File-ID: 296\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/autoop.fr_FR.po b/modules/po/autoop.fr_FR.po index dd323ca3..293b2202 100644 --- a/modules/po/autoop.fr_FR.po +++ b/modules/po/autoop.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.8.x/modules/po/autoop.pot\n" +"X-Crowdin-File-ID: 296\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/autoop.id_ID.po b/modules/po/autoop.id_ID.po index 4ad08a2f..14c2e79a 100644 --- a/modules/po/autoop.id_ID.po +++ b/modules/po/autoop.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.8.x/modules/po/autoop.pot\n" +"X-Crowdin-File-ID: 296\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/autoop.it_IT.po b/modules/po/autoop.it_IT.po index fd6f3490..2de05256 100644 --- a/modules/po/autoop.it_IT.po +++ b/modules/po/autoop.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.8.x/modules/po/autoop.pot\n" +"X-Crowdin-File-ID: 296\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/autoop.nl_NL.po b/modules/po/autoop.nl_NL.po index cce52ea5..748b7167 100644 --- a/modules/po/autoop.nl_NL.po +++ b/modules/po/autoop.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.8.x/modules/po/autoop.pot\n" +"X-Crowdin-File-ID: 296\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/autoop.pt_BR.po b/modules/po/autoop.pt_BR.po index bf581fa2..1dbaa8ef 100644 --- a/modules/po/autoop.pt_BR.po +++ b/modules/po/autoop.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.8.x/modules/po/autoop.pot\n" +"X-Crowdin-File-ID: 296\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/autoop.ru_RU.po b/modules/po/autoop.ru_RU.po index 82fcfeb1..046eac02 100644 --- a/modules/po/autoop.ru_RU.po +++ b/modules/po/autoop.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.8.x/modules/po/autoop.pot\n" +"X-Crowdin-File-ID: 296\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/autoreply.bg_BG.po b/modules/po/autoreply.bg_BG.po index e7703a8a..049b591d 100644 --- a/modules/po/autoreply.bg_BG.po +++ b/modules/po/autoreply.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.8.x/modules/po/autoreply.pot\n" +"X-Crowdin-File-ID: 302\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/autoreply.es_ES.po b/modules/po/autoreply.es_ES.po index 3099fc22..8bab5413 100644 --- a/modules/po/autoreply.es_ES.po +++ b/modules/po/autoreply.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.8.x/modules/po/autoreply.pot\n" +"X-Crowdin-File-ID: 302\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/autoreply.fr_FR.po b/modules/po/autoreply.fr_FR.po index e12a49f2..30980447 100644 --- a/modules/po/autoreply.fr_FR.po +++ b/modules/po/autoreply.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.8.x/modules/po/autoreply.pot\n" +"X-Crowdin-File-ID: 302\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/autoreply.id_ID.po b/modules/po/autoreply.id_ID.po index cb82afd3..8d2f985a 100644 --- a/modules/po/autoreply.id_ID.po +++ b/modules/po/autoreply.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.8.x/modules/po/autoreply.pot\n" +"X-Crowdin-File-ID: 302\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/autoreply.it_IT.po b/modules/po/autoreply.it_IT.po index 9c9a639c..4701df39 100644 --- a/modules/po/autoreply.it_IT.po +++ b/modules/po/autoreply.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.8.x/modules/po/autoreply.pot\n" +"X-Crowdin-File-ID: 302\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/autoreply.nl_NL.po b/modules/po/autoreply.nl_NL.po index 055eb4ff..66322242 100644 --- a/modules/po/autoreply.nl_NL.po +++ b/modules/po/autoreply.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.8.x/modules/po/autoreply.pot\n" +"X-Crowdin-File-ID: 302\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/autoreply.pt_BR.po b/modules/po/autoreply.pt_BR.po index 90776d9c..278edba4 100644 --- a/modules/po/autoreply.pt_BR.po +++ b/modules/po/autoreply.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.8.x/modules/po/autoreply.pot\n" +"X-Crowdin-File-ID: 302\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" @@ -35,7 +37,9 @@ msgid "" "You might specify a reply text. It is used when automatically answering " "queries, if you are not connected to ZNC." msgstr "" +"Você pode especificar um texto de resposta. É usado para responder " +"automaticamente a conversas, se você estiver desconectado ao ZNC." #: autoreply.cpp:98 msgid "Reply to queries when you are away" -msgstr "" +msgstr "Responde as conversas quando você estiver ausente" diff --git a/modules/po/autoreply.ru_RU.po b/modules/po/autoreply.ru_RU.po index 8fb023dd..cc266ebb 100644 --- a/modules/po/autoreply.ru_RU.po +++ b/modules/po/autoreply.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.8.x/modules/po/autoreply.pot\n" +"X-Crowdin-File-ID: 302\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/autovoice.bg_BG.po b/modules/po/autovoice.bg_BG.po index 655f814a..774e535c 100644 --- a/modules/po/autovoice.bg_BG.po +++ b/modules/po/autovoice.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.8.x/modules/po/autovoice.pot\n" +"X-Crowdin-File-ID: 304\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/autovoice.es_ES.po b/modules/po/autovoice.es_ES.po index b06fc508..11d3d9ce 100644 --- a/modules/po/autovoice.es_ES.po +++ b/modules/po/autovoice.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.8.x/modules/po/autovoice.pot\n" +"X-Crowdin-File-ID: 304\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/autovoice.fr_FR.po b/modules/po/autovoice.fr_FR.po index a44dffb9..b01b42cf 100644 --- a/modules/po/autovoice.fr_FR.po +++ b/modules/po/autovoice.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.8.x/modules/po/autovoice.pot\n" +"X-Crowdin-File-ID: 304\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/autovoice.id_ID.po b/modules/po/autovoice.id_ID.po index 2ddb1535..ad5e4da2 100644 --- a/modules/po/autovoice.id_ID.po +++ b/modules/po/autovoice.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.8.x/modules/po/autovoice.pot\n" +"X-Crowdin-File-ID: 304\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/autovoice.it_IT.po b/modules/po/autovoice.it_IT.po index fa5646b8..4ee4e055 100644 --- a/modules/po/autovoice.it_IT.po +++ b/modules/po/autovoice.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.8.x/modules/po/autovoice.pot\n" +"X-Crowdin-File-ID: 304\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/autovoice.nl_NL.po b/modules/po/autovoice.nl_NL.po index 756fa403..5b88c8e3 100644 --- a/modules/po/autovoice.nl_NL.po +++ b/modules/po/autovoice.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.8.x/modules/po/autovoice.pot\n" +"X-Crowdin-File-ID: 304\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/autovoice.pt_BR.po b/modules/po/autovoice.pt_BR.po index 979d4bf6..70dc78c1 100644 --- a/modules/po/autovoice.pt_BR.po +++ b/modules/po/autovoice.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.8.x/modules/po/autovoice.pot\n" +"X-Crowdin-File-ID: 304\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" @@ -72,7 +74,7 @@ msgstr "Sintaxe: AddChans [canal] ..." #: autovoice.cpp:270 autovoice.cpp:292 autovoice.cpp:329 msgid "No such user" -msgstr "" +msgstr "O usuário não existe" #: autovoice.cpp:275 msgid "Channel(s) added to user {1}" diff --git a/modules/po/autovoice.ru_RU.po b/modules/po/autovoice.ru_RU.po index f0acf91d..1b66e3df 100644 --- a/modules/po/autovoice.ru_RU.po +++ b/modules/po/autovoice.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.8.x/modules/po/autovoice.pot\n" +"X-Crowdin-File-ID: 304\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/awaystore.bg_BG.po b/modules/po/awaystore.bg_BG.po index f1466832..0a2e3255 100644 --- a/modules/po/awaystore.bg_BG.po +++ b/modules/po/awaystore.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.8.x/modules/po/awaystore.pot\n" +"X-Crowdin-File-ID: 306\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/awaystore.es_ES.po b/modules/po/awaystore.es_ES.po index 522df2a4..f444fb1d 100644 --- a/modules/po/awaystore.es_ES.po +++ b/modules/po/awaystore.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.8.x/modules/po/awaystore.pot\n" +"X-Crowdin-File-ID: 306\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/awaystore.fr_FR.po b/modules/po/awaystore.fr_FR.po index e941e3cb..9d96548b 100644 --- a/modules/po/awaystore.fr_FR.po +++ b/modules/po/awaystore.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.8.x/modules/po/awaystore.pot\n" +"X-Crowdin-File-ID: 306\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/awaystore.id_ID.po b/modules/po/awaystore.id_ID.po index e351e9c5..df1342c2 100644 --- a/modules/po/awaystore.id_ID.po +++ b/modules/po/awaystore.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.8.x/modules/po/awaystore.pot\n" +"X-Crowdin-File-ID: 306\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/awaystore.it_IT.po b/modules/po/awaystore.it_IT.po index d35e606b..09b9755f 100644 --- a/modules/po/awaystore.it_IT.po +++ b/modules/po/awaystore.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.8.x/modules/po/awaystore.pot\n" +"X-Crowdin-File-ID: 306\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/awaystore.nl_NL.po b/modules/po/awaystore.nl_NL.po index 7f27ed45..cad5fa94 100644 --- a/modules/po/awaystore.nl_NL.po +++ b/modules/po/awaystore.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.8.x/modules/po/awaystore.pot\n" +"X-Crowdin-File-ID: 306\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/awaystore.pt_BR.po b/modules/po/awaystore.pt_BR.po index 42bbc2d7..336d459a 100644 --- a/modules/po/awaystore.pt_BR.po +++ b/modules/po/awaystore.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.8.x/modules/po/awaystore.pot\n" +"X-Crowdin-File-ID: 306\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/awaystore.ru_RU.po b/modules/po/awaystore.ru_RU.po index d059e777..3405c60c 100644 --- a/modules/po/awaystore.ru_RU.po +++ b/modules/po/awaystore.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.8.x/modules/po/awaystore.pot\n" +"X-Crowdin-File-ID: 306\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/block_motd.bg_BG.po b/modules/po/block_motd.bg_BG.po index 5009987a..9f843590 100644 --- a/modules/po/block_motd.bg_BG.po +++ b/modules/po/block_motd.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.8.x/modules/po/block_motd.pot\n" +"X-Crowdin-File-ID: 310\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/block_motd.es_ES.po b/modules/po/block_motd.es_ES.po index 96589200..dc46dc88 100644 --- a/modules/po/block_motd.es_ES.po +++ b/modules/po/block_motd.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.8.x/modules/po/block_motd.pot\n" +"X-Crowdin-File-ID: 310\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/block_motd.fr_FR.po b/modules/po/block_motd.fr_FR.po index 0efd345d..4f10c8ee 100644 --- a/modules/po/block_motd.fr_FR.po +++ b/modules/po/block_motd.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.8.x/modules/po/block_motd.pot\n" +"X-Crowdin-File-ID: 310\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/block_motd.id_ID.po b/modules/po/block_motd.id_ID.po index 1ba5719e..927f1494 100644 --- a/modules/po/block_motd.id_ID.po +++ b/modules/po/block_motd.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.8.x/modules/po/block_motd.pot\n" +"X-Crowdin-File-ID: 310\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/block_motd.it_IT.po b/modules/po/block_motd.it_IT.po index b7b83875..c04715fe 100644 --- a/modules/po/block_motd.it_IT.po +++ b/modules/po/block_motd.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.8.x/modules/po/block_motd.pot\n" +"X-Crowdin-File-ID: 310\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/block_motd.nl_NL.po b/modules/po/block_motd.nl_NL.po index 58751e08..2e8b24d0 100644 --- a/modules/po/block_motd.nl_NL.po +++ b/modules/po/block_motd.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.8.x/modules/po/block_motd.pot\n" +"X-Crowdin-File-ID: 310\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/block_motd.pt_BR.po b/modules/po/block_motd.pt_BR.po index db2c33e2..d01673c0 100644 --- a/modules/po/block_motd.pt_BR.po +++ b/modules/po/block_motd.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.8.x/modules/po/block_motd.pot\n" +"X-Crowdin-File-ID: 310\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/block_motd.ru_RU.po b/modules/po/block_motd.ru_RU.po index 6937d9e4..d5aa319f 100644 --- a/modules/po/block_motd.ru_RU.po +++ b/modules/po/block_motd.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.8.x/modules/po/block_motd.pot\n" +"X-Crowdin-File-ID: 310\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/blockuser.bg_BG.po b/modules/po/blockuser.bg_BG.po index eaededb8..710911ac 100644 --- a/modules/po/blockuser.bg_BG.po +++ b/modules/po/blockuser.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.8.x/modules/po/blockuser.pot\n" +"X-Crowdin-File-ID: 312\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/blockuser.es_ES.po b/modules/po/blockuser.es_ES.po index fa341422..dbf2f38b 100644 --- a/modules/po/blockuser.es_ES.po +++ b/modules/po/blockuser.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.8.x/modules/po/blockuser.pot\n" +"X-Crowdin-File-ID: 312\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/blockuser.fr_FR.po b/modules/po/blockuser.fr_FR.po index b88cb575..922663ee 100644 --- a/modules/po/blockuser.fr_FR.po +++ b/modules/po/blockuser.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.8.x/modules/po/blockuser.pot\n" +"X-Crowdin-File-ID: 312\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/blockuser.id_ID.po b/modules/po/blockuser.id_ID.po index 56714109..7735612f 100644 --- a/modules/po/blockuser.id_ID.po +++ b/modules/po/blockuser.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.8.x/modules/po/blockuser.pot\n" +"X-Crowdin-File-ID: 312\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/blockuser.it_IT.po b/modules/po/blockuser.it_IT.po index 67a88017..fb95f7e0 100644 --- a/modules/po/blockuser.it_IT.po +++ b/modules/po/blockuser.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.8.x/modules/po/blockuser.pot\n" +"X-Crowdin-File-ID: 312\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/blockuser.nl_NL.po b/modules/po/blockuser.nl_NL.po index a5e0b8ab..38279acb 100644 --- a/modules/po/blockuser.nl_NL.po +++ b/modules/po/blockuser.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.8.x/modules/po/blockuser.pot\n" +"X-Crowdin-File-ID: 312\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/blockuser.pt_BR.po b/modules/po/blockuser.pt_BR.po index c1104dd7..7974c1ad 100644 --- a/modules/po/blockuser.pt_BR.po +++ b/modules/po/blockuser.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.8.x/modules/po/blockuser.pot\n" +"X-Crowdin-File-ID: 312\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/blockuser.ru_RU.po b/modules/po/blockuser.ru_RU.po index bd9b8d18..eb9dc7f5 100644 --- a/modules/po/blockuser.ru_RU.po +++ b/modules/po/blockuser.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.8.x/modules/po/blockuser.pot\n" +"X-Crowdin-File-ID: 312\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/bouncedcc.bg_BG.po b/modules/po/bouncedcc.bg_BG.po index c3f8e0b2..de8cbece 100644 --- a/modules/po/bouncedcc.bg_BG.po +++ b/modules/po/bouncedcc.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.8.x/modules/po/bouncedcc.pot\n" +"X-Crowdin-File-ID: 316\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/bouncedcc.es_ES.po b/modules/po/bouncedcc.es_ES.po index 87e263e0..4291d237 100644 --- a/modules/po/bouncedcc.es_ES.po +++ b/modules/po/bouncedcc.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.8.x/modules/po/bouncedcc.pot\n" +"X-Crowdin-File-ID: 316\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/bouncedcc.fr_FR.po b/modules/po/bouncedcc.fr_FR.po index 27fe1eae..314496d2 100644 --- a/modules/po/bouncedcc.fr_FR.po +++ b/modules/po/bouncedcc.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.8.x/modules/po/bouncedcc.pot\n" +"X-Crowdin-File-ID: 316\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/bouncedcc.id_ID.po b/modules/po/bouncedcc.id_ID.po index 68c8332a..8d3188ce 100644 --- a/modules/po/bouncedcc.id_ID.po +++ b/modules/po/bouncedcc.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.8.x/modules/po/bouncedcc.pot\n" +"X-Crowdin-File-ID: 316\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/bouncedcc.it_IT.po b/modules/po/bouncedcc.it_IT.po index 6bc93628..0369631b 100644 --- a/modules/po/bouncedcc.it_IT.po +++ b/modules/po/bouncedcc.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.8.x/modules/po/bouncedcc.pot\n" +"X-Crowdin-File-ID: 316\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/bouncedcc.nl_NL.po b/modules/po/bouncedcc.nl_NL.po index 3e8fae22..b178ba72 100644 --- a/modules/po/bouncedcc.nl_NL.po +++ b/modules/po/bouncedcc.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.8.x/modules/po/bouncedcc.pot\n" +"X-Crowdin-File-ID: 316\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/bouncedcc.pt_BR.po b/modules/po/bouncedcc.pt_BR.po index 3d8bd31a..e4da41b6 100644 --- a/modules/po/bouncedcc.pt_BR.po +++ b/modules/po/bouncedcc.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.8.x/modules/po/bouncedcc.pot\n" +"X-Crowdin-File-ID: 316\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/bouncedcc.ru_RU.po b/modules/po/bouncedcc.ru_RU.po index cf4c9183..e03783a7 100644 --- a/modules/po/bouncedcc.ru_RU.po +++ b/modules/po/bouncedcc.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.8.x/modules/po/bouncedcc.pot\n" +"X-Crowdin-File-ID: 316\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/buffextras.bg_BG.po b/modules/po/buffextras.bg_BG.po index 838f1da2..db74fe17 100644 --- a/modules/po/buffextras.bg_BG.po +++ b/modules/po/buffextras.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.8.x/modules/po/buffextras.pot\n" +"X-Crowdin-File-ID: 318\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/buffextras.es_ES.po b/modules/po/buffextras.es_ES.po index 723341be..0a25e0a1 100644 --- a/modules/po/buffextras.es_ES.po +++ b/modules/po/buffextras.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.8.x/modules/po/buffextras.pot\n" +"X-Crowdin-File-ID: 318\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/buffextras.fr_FR.po b/modules/po/buffextras.fr_FR.po index 0abd9225..5dc096af 100644 --- a/modules/po/buffextras.fr_FR.po +++ b/modules/po/buffextras.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.8.x/modules/po/buffextras.pot\n" +"X-Crowdin-File-ID: 318\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/buffextras.id_ID.po b/modules/po/buffextras.id_ID.po index d7f9f5cc..5ee44511 100644 --- a/modules/po/buffextras.id_ID.po +++ b/modules/po/buffextras.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.8.x/modules/po/buffextras.pot\n" +"X-Crowdin-File-ID: 318\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/buffextras.it_IT.po b/modules/po/buffextras.it_IT.po index 78620817..efb14c60 100644 --- a/modules/po/buffextras.it_IT.po +++ b/modules/po/buffextras.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.8.x/modules/po/buffextras.pot\n" +"X-Crowdin-File-ID: 318\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/buffextras.nl_NL.po b/modules/po/buffextras.nl_NL.po index c37e77ef..68a5df0a 100644 --- a/modules/po/buffextras.nl_NL.po +++ b/modules/po/buffextras.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.8.x/modules/po/buffextras.pot\n" +"X-Crowdin-File-ID: 318\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/buffextras.pt_BR.po b/modules/po/buffextras.pt_BR.po index dc449318..acdfa67d 100644 --- a/modules/po/buffextras.pt_BR.po +++ b/modules/po/buffextras.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.8.x/modules/po/buffextras.pot\n" +"X-Crowdin-File-ID: 318\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/buffextras.ru_RU.po b/modules/po/buffextras.ru_RU.po index bb9ed1aa..0c6ba214 100644 --- a/modules/po/buffextras.ru_RU.po +++ b/modules/po/buffextras.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.8.x/modules/po/buffextras.pot\n" +"X-Crowdin-File-ID: 318\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/cert.bg_BG.po b/modules/po/cert.bg_BG.po index 677648ff..6d5663e7 100644 --- a/modules/po/cert.bg_BG.po +++ b/modules/po/cert.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.8.x/modules/po/cert.pot\n" +"X-Crowdin-File-ID: 322\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/cert.es_ES.po b/modules/po/cert.es_ES.po index 02e38b70..2fee9acd 100644 --- a/modules/po/cert.es_ES.po +++ b/modules/po/cert.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.8.x/modules/po/cert.pot\n" +"X-Crowdin-File-ID: 322\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/cert.fr_FR.po b/modules/po/cert.fr_FR.po index d08d42b2..0537ff83 100644 --- a/modules/po/cert.fr_FR.po +++ b/modules/po/cert.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.8.x/modules/po/cert.pot\n" +"X-Crowdin-File-ID: 322\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/cert.id_ID.po b/modules/po/cert.id_ID.po index 64557de2..8cbc5b2c 100644 --- a/modules/po/cert.id_ID.po +++ b/modules/po/cert.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.8.x/modules/po/cert.pot\n" +"X-Crowdin-File-ID: 322\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/cert.it_IT.po b/modules/po/cert.it_IT.po index 25bf0f27..a5efe934 100644 --- a/modules/po/cert.it_IT.po +++ b/modules/po/cert.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.8.x/modules/po/cert.pot\n" +"X-Crowdin-File-ID: 322\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/cert.nl_NL.po b/modules/po/cert.nl_NL.po index 519a5fda..9486690e 100644 --- a/modules/po/cert.nl_NL.po +++ b/modules/po/cert.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.8.x/modules/po/cert.pot\n" +"X-Crowdin-File-ID: 322\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/cert.pt_BR.po b/modules/po/cert.pt_BR.po index 132299f4..c3de5758 100644 --- a/modules/po/cert.pt_BR.po +++ b/modules/po/cert.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.8.x/modules/po/cert.pot\n" +"X-Crowdin-File-ID: 322\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/cert.ru_RU.po b/modules/po/cert.ru_RU.po index 1ecffc9f..b3d30145 100644 --- a/modules/po/cert.ru_RU.po +++ b/modules/po/cert.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.8.x/modules/po/cert.pot\n" +"X-Crowdin-File-ID: 322\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/certauth.bg_BG.po b/modules/po/certauth.bg_BG.po index 846d531f..17c5255b 100644 --- a/modules/po/certauth.bg_BG.po +++ b/modules/po/certauth.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.8.x/modules/po/certauth.pot\n" +"X-Crowdin-File-ID: 324\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/certauth.es_ES.po b/modules/po/certauth.es_ES.po index f1430e81..0554d7cd 100644 --- a/modules/po/certauth.es_ES.po +++ b/modules/po/certauth.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.8.x/modules/po/certauth.pot\n" +"X-Crowdin-File-ID: 324\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/certauth.fr_FR.po b/modules/po/certauth.fr_FR.po index f4e254cf..c205bef8 100644 --- a/modules/po/certauth.fr_FR.po +++ b/modules/po/certauth.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.8.x/modules/po/certauth.pot\n" +"X-Crowdin-File-ID: 324\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/certauth.id_ID.po b/modules/po/certauth.id_ID.po index 0bc84ada..5bbf9c75 100644 --- a/modules/po/certauth.id_ID.po +++ b/modules/po/certauth.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.8.x/modules/po/certauth.pot\n" +"X-Crowdin-File-ID: 324\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/certauth.it_IT.po b/modules/po/certauth.it_IT.po index f6803253..ca61bc79 100644 --- a/modules/po/certauth.it_IT.po +++ b/modules/po/certauth.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.8.x/modules/po/certauth.pot\n" +"X-Crowdin-File-ID: 324\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/certauth.nl_NL.po b/modules/po/certauth.nl_NL.po index e2f6ef14..64b63f34 100644 --- a/modules/po/certauth.nl_NL.po +++ b/modules/po/certauth.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.8.x/modules/po/certauth.pot\n" +"X-Crowdin-File-ID: 324\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/certauth.pt_BR.po b/modules/po/certauth.pt_BR.po index a3399965..1239311c 100644 --- a/modules/po/certauth.pt_BR.po +++ b/modules/po/certauth.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.8.x/modules/po/certauth.pot\n" +"X-Crowdin-File-ID: 324\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/certauth.ru_RU.po b/modules/po/certauth.ru_RU.po index 59490080..b88eb656 100644 --- a/modules/po/certauth.ru_RU.po +++ b/modules/po/certauth.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.8.x/modules/po/certauth.pot\n" +"X-Crowdin-File-ID: 324\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/chansaver.bg_BG.po b/modules/po/chansaver.bg_BG.po index a69250a9..bb4cf83c 100644 --- a/modules/po/chansaver.bg_BG.po +++ b/modules/po/chansaver.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.8.x/modules/po/chansaver.pot\n" +"X-Crowdin-File-ID: 326\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/chansaver.es_ES.po b/modules/po/chansaver.es_ES.po index 06aaff47..c700d3fe 100644 --- a/modules/po/chansaver.es_ES.po +++ b/modules/po/chansaver.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.8.x/modules/po/chansaver.pot\n" +"X-Crowdin-File-ID: 326\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/chansaver.fr_FR.po b/modules/po/chansaver.fr_FR.po index fcbdb960..98abc78b 100644 --- a/modules/po/chansaver.fr_FR.po +++ b/modules/po/chansaver.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.8.x/modules/po/chansaver.pot\n" +"X-Crowdin-File-ID: 326\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/chansaver.id_ID.po b/modules/po/chansaver.id_ID.po index ed26450d..8a9f6c31 100644 --- a/modules/po/chansaver.id_ID.po +++ b/modules/po/chansaver.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.8.x/modules/po/chansaver.pot\n" +"X-Crowdin-File-ID: 326\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/chansaver.it_IT.po b/modules/po/chansaver.it_IT.po index 2b1771a0..48543e8a 100644 --- a/modules/po/chansaver.it_IT.po +++ b/modules/po/chansaver.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.8.x/modules/po/chansaver.pot\n" +"X-Crowdin-File-ID: 326\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/chansaver.nl_NL.po b/modules/po/chansaver.nl_NL.po index 8b76eea6..f9e69583 100644 --- a/modules/po/chansaver.nl_NL.po +++ b/modules/po/chansaver.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.8.x/modules/po/chansaver.pot\n" +"X-Crowdin-File-ID: 326\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/chansaver.pt_BR.po b/modules/po/chansaver.pt_BR.po index 98f747b8..80c112bf 100644 --- a/modules/po/chansaver.pt_BR.po +++ b/modules/po/chansaver.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.8.x/modules/po/chansaver.pot\n" +"X-Crowdin-File-ID: 326\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/chansaver.ru_RU.po b/modules/po/chansaver.ru_RU.po index f03f91f0..8f576a3c 100644 --- a/modules/po/chansaver.ru_RU.po +++ b/modules/po/chansaver.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.8.x/modules/po/chansaver.pot\n" +"X-Crowdin-File-ID: 326\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/clearbufferonmsg.bg_BG.po b/modules/po/clearbufferonmsg.bg_BG.po index c1855522..a693fd8f 100644 --- a/modules/po/clearbufferonmsg.bg_BG.po +++ b/modules/po/clearbufferonmsg.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.8.x/modules/po/clearbufferonmsg.pot\n" +"X-Crowdin-File-ID: 330\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/clearbufferonmsg.es_ES.po b/modules/po/clearbufferonmsg.es_ES.po index ea418d61..8f3352f0 100644 --- a/modules/po/clearbufferonmsg.es_ES.po +++ b/modules/po/clearbufferonmsg.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.8.x/modules/po/clearbufferonmsg.pot\n" +"X-Crowdin-File-ID: 330\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/clearbufferonmsg.fr_FR.po b/modules/po/clearbufferonmsg.fr_FR.po index 65a3159d..0a916d7b 100644 --- a/modules/po/clearbufferonmsg.fr_FR.po +++ b/modules/po/clearbufferonmsg.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.8.x/modules/po/clearbufferonmsg.pot\n" +"X-Crowdin-File-ID: 330\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/clearbufferonmsg.id_ID.po b/modules/po/clearbufferonmsg.id_ID.po index 7b4b0073..a7dab9d6 100644 --- a/modules/po/clearbufferonmsg.id_ID.po +++ b/modules/po/clearbufferonmsg.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.8.x/modules/po/clearbufferonmsg.pot\n" +"X-Crowdin-File-ID: 330\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/clearbufferonmsg.it_IT.po b/modules/po/clearbufferonmsg.it_IT.po index f1eece89..faf65864 100644 --- a/modules/po/clearbufferonmsg.it_IT.po +++ b/modules/po/clearbufferonmsg.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.8.x/modules/po/clearbufferonmsg.pot\n" +"X-Crowdin-File-ID: 330\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/clearbufferonmsg.nl_NL.po b/modules/po/clearbufferonmsg.nl_NL.po index 2c7eaf01..8a835ac4 100644 --- a/modules/po/clearbufferonmsg.nl_NL.po +++ b/modules/po/clearbufferonmsg.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.8.x/modules/po/clearbufferonmsg.pot\n" +"X-Crowdin-File-ID: 330\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/clearbufferonmsg.pt_BR.po b/modules/po/clearbufferonmsg.pt_BR.po index 9241ef66..3f87db11 100644 --- a/modules/po/clearbufferonmsg.pt_BR.po +++ b/modules/po/clearbufferonmsg.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.8.x/modules/po/clearbufferonmsg.pot\n" +"X-Crowdin-File-ID: 330\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/clearbufferonmsg.ru_RU.po b/modules/po/clearbufferonmsg.ru_RU.po index 9a80ef2c..a60a9c4b 100644 --- a/modules/po/clearbufferonmsg.ru_RU.po +++ b/modules/po/clearbufferonmsg.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.8.x/modules/po/clearbufferonmsg.pot\n" +"X-Crowdin-File-ID: 330\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/clientnotify.bg_BG.po b/modules/po/clientnotify.bg_BG.po index f5be65f8..eca4893f 100644 --- a/modules/po/clientnotify.bg_BG.po +++ b/modules/po/clientnotify.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.8.x/modules/po/clientnotify.pot\n" +"X-Crowdin-File-ID: 328\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/clientnotify.es_ES.po b/modules/po/clientnotify.es_ES.po index ec454dfd..d74bd2ca 100644 --- a/modules/po/clientnotify.es_ES.po +++ b/modules/po/clientnotify.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.8.x/modules/po/clientnotify.pot\n" +"X-Crowdin-File-ID: 328\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/clientnotify.fr_FR.po b/modules/po/clientnotify.fr_FR.po index 078a6d88..6d62d866 100644 --- a/modules/po/clientnotify.fr_FR.po +++ b/modules/po/clientnotify.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.8.x/modules/po/clientnotify.pot\n" +"X-Crowdin-File-ID: 328\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/clientnotify.id_ID.po b/modules/po/clientnotify.id_ID.po index 429ac743..d3e9cd90 100644 --- a/modules/po/clientnotify.id_ID.po +++ b/modules/po/clientnotify.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.8.x/modules/po/clientnotify.pot\n" +"X-Crowdin-File-ID: 328\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/clientnotify.it_IT.po b/modules/po/clientnotify.it_IT.po index 672a99cc..c474bfbf 100644 --- a/modules/po/clientnotify.it_IT.po +++ b/modules/po/clientnotify.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.8.x/modules/po/clientnotify.pot\n" +"X-Crowdin-File-ID: 328\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/clientnotify.nl_NL.po b/modules/po/clientnotify.nl_NL.po index bbf53809..7ff095c9 100644 --- a/modules/po/clientnotify.nl_NL.po +++ b/modules/po/clientnotify.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.8.x/modules/po/clientnotify.pot\n" +"X-Crowdin-File-ID: 328\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/clientnotify.pt_BR.po b/modules/po/clientnotify.pt_BR.po index f4a3c23d..a135ad94 100644 --- a/modules/po/clientnotify.pt_BR.po +++ b/modules/po/clientnotify.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.8.x/modules/po/clientnotify.pot\n" +"X-Crowdin-File-ID: 328\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/clientnotify.ru_RU.po b/modules/po/clientnotify.ru_RU.po index 1486e5a0..8364f554 100644 --- a/modules/po/clientnotify.ru_RU.po +++ b/modules/po/clientnotify.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.8.x/modules/po/clientnotify.pot\n" +"X-Crowdin-File-ID: 328\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/controlpanel.bg_BG.po b/modules/po/controlpanel.bg_BG.po index 471184fc..a9fdc42d 100644 --- a/modules/po/controlpanel.bg_BG.po +++ b/modules/po/controlpanel.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.8.x/modules/po/controlpanel.pot\n" +"X-Crowdin-File-ID: 332\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/controlpanel.es_ES.po b/modules/po/controlpanel.es_ES.po index 91493908..5af9c950 100644 --- a/modules/po/controlpanel.es_ES.po +++ b/modules/po/controlpanel.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.8.x/modules/po/controlpanel.pot\n" +"X-Crowdin-File-ID: 332\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/controlpanel.fr_FR.po b/modules/po/controlpanel.fr_FR.po index 38eef2ac..e9d17e03 100644 --- a/modules/po/controlpanel.fr_FR.po +++ b/modules/po/controlpanel.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.8.x/modules/po/controlpanel.pot\n" +"X-Crowdin-File-ID: 332\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/controlpanel.id_ID.po b/modules/po/controlpanel.id_ID.po index 9fb07eb1..b6eed055 100644 --- a/modules/po/controlpanel.id_ID.po +++ b/modules/po/controlpanel.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.8.x/modules/po/controlpanel.pot\n" +"X-Crowdin-File-ID: 332\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/controlpanel.it_IT.po b/modules/po/controlpanel.it_IT.po index 6178d016..d6ef8c2a 100644 --- a/modules/po/controlpanel.it_IT.po +++ b/modules/po/controlpanel.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.8.x/modules/po/controlpanel.pot\n" +"X-Crowdin-File-ID: 332\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/controlpanel.nl_NL.po b/modules/po/controlpanel.nl_NL.po index 13293d87..f1b64325 100644 --- a/modules/po/controlpanel.nl_NL.po +++ b/modules/po/controlpanel.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.8.x/modules/po/controlpanel.pot\n" +"X-Crowdin-File-ID: 332\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/controlpanel.pt_BR.po b/modules/po/controlpanel.pt_BR.po index 62f139bb..e1f35d0c 100644 --- a/modules/po/controlpanel.pt_BR.po +++ b/modules/po/controlpanel.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.8.x/modules/po/controlpanel.pot\n" +"X-Crowdin-File-ID: 332\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/controlpanel.ru_RU.po b/modules/po/controlpanel.ru_RU.po index a06a4258..e941ce9d 100644 --- a/modules/po/controlpanel.ru_RU.po +++ b/modules/po/controlpanel.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.8.x/modules/po/controlpanel.pot\n" +"X-Crowdin-File-ID: 332\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/crypt.bg_BG.po b/modules/po/crypt.bg_BG.po index dd2a9fc2..9c142315 100644 --- a/modules/po/crypt.bg_BG.po +++ b/modules/po/crypt.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.8.x/modules/po/crypt.pot\n" +"X-Crowdin-File-ID: 334\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/crypt.es_ES.po b/modules/po/crypt.es_ES.po index 72c8089f..a1a4a659 100644 --- a/modules/po/crypt.es_ES.po +++ b/modules/po/crypt.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.8.x/modules/po/crypt.pot\n" +"X-Crowdin-File-ID: 334\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/crypt.fr_FR.po b/modules/po/crypt.fr_FR.po index 7d2305fd..2830fdbf 100644 --- a/modules/po/crypt.fr_FR.po +++ b/modules/po/crypt.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.8.x/modules/po/crypt.pot\n" +"X-Crowdin-File-ID: 334\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/crypt.id_ID.po b/modules/po/crypt.id_ID.po index 705164c5..eecb7f77 100644 --- a/modules/po/crypt.id_ID.po +++ b/modules/po/crypt.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.8.x/modules/po/crypt.pot\n" +"X-Crowdin-File-ID: 334\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/crypt.it_IT.po b/modules/po/crypt.it_IT.po index 16c5d3ef..6a6588e0 100644 --- a/modules/po/crypt.it_IT.po +++ b/modules/po/crypt.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.8.x/modules/po/crypt.pot\n" +"X-Crowdin-File-ID: 334\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/crypt.nl_NL.po b/modules/po/crypt.nl_NL.po index a345d337..a017ca6b 100644 --- a/modules/po/crypt.nl_NL.po +++ b/modules/po/crypt.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.8.x/modules/po/crypt.pot\n" +"X-Crowdin-File-ID: 334\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/crypt.pt_BR.po b/modules/po/crypt.pt_BR.po index ea9e716f..5ad8d33d 100644 --- a/modules/po/crypt.pt_BR.po +++ b/modules/po/crypt.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.8.x/modules/po/crypt.pot\n" +"X-Crowdin-File-ID: 334\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/crypt.ru_RU.po b/modules/po/crypt.ru_RU.po index 47bdef62..63d2c7ec 100644 --- a/modules/po/crypt.ru_RU.po +++ b/modules/po/crypt.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.8.x/modules/po/crypt.pot\n" +"X-Crowdin-File-ID: 334\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/ctcpflood.bg_BG.po b/modules/po/ctcpflood.bg_BG.po index ed861569..f783171a 100644 --- a/modules/po/ctcpflood.bg_BG.po +++ b/modules/po/ctcpflood.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.8.x/modules/po/ctcpflood.pot\n" +"X-Crowdin-File-ID: 336\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/ctcpflood.es_ES.po b/modules/po/ctcpflood.es_ES.po index bbc04d9f..36e8d2a2 100644 --- a/modules/po/ctcpflood.es_ES.po +++ b/modules/po/ctcpflood.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.8.x/modules/po/ctcpflood.pot\n" +"X-Crowdin-File-ID: 336\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/ctcpflood.fr_FR.po b/modules/po/ctcpflood.fr_FR.po index 0051e169..973fe06c 100644 --- a/modules/po/ctcpflood.fr_FR.po +++ b/modules/po/ctcpflood.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.8.x/modules/po/ctcpflood.pot\n" +"X-Crowdin-File-ID: 336\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/ctcpflood.id_ID.po b/modules/po/ctcpflood.id_ID.po index 3386530c..15c38e1d 100644 --- a/modules/po/ctcpflood.id_ID.po +++ b/modules/po/ctcpflood.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.8.x/modules/po/ctcpflood.pot\n" +"X-Crowdin-File-ID: 336\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/ctcpflood.it_IT.po b/modules/po/ctcpflood.it_IT.po index edf166cc..51dc30a6 100644 --- a/modules/po/ctcpflood.it_IT.po +++ b/modules/po/ctcpflood.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.8.x/modules/po/ctcpflood.pot\n" +"X-Crowdin-File-ID: 336\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/ctcpflood.nl_NL.po b/modules/po/ctcpflood.nl_NL.po index 75a9b0f7..39a724b7 100644 --- a/modules/po/ctcpflood.nl_NL.po +++ b/modules/po/ctcpflood.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.8.x/modules/po/ctcpflood.pot\n" +"X-Crowdin-File-ID: 336\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/ctcpflood.pt_BR.po b/modules/po/ctcpflood.pt_BR.po index e92f9987..024c4526 100644 --- a/modules/po/ctcpflood.pt_BR.po +++ b/modules/po/ctcpflood.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.8.x/modules/po/ctcpflood.pot\n" +"X-Crowdin-File-ID: 336\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/ctcpflood.ru_RU.po b/modules/po/ctcpflood.ru_RU.po index e8f4d9ea..834dd4ba 100644 --- a/modules/po/ctcpflood.ru_RU.po +++ b/modules/po/ctcpflood.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.8.x/modules/po/ctcpflood.pot\n" +"X-Crowdin-File-ID: 336\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/cyrusauth.bg_BG.po b/modules/po/cyrusauth.bg_BG.po index 103c0c3c..7e5fca01 100644 --- a/modules/po/cyrusauth.bg_BG.po +++ b/modules/po/cyrusauth.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.8.x/modules/po/cyrusauth.pot\n" +"X-Crowdin-File-ID: 338\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/cyrusauth.es_ES.po b/modules/po/cyrusauth.es_ES.po index bb73acca..5a7c39ac 100644 --- a/modules/po/cyrusauth.es_ES.po +++ b/modules/po/cyrusauth.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.8.x/modules/po/cyrusauth.pot\n" +"X-Crowdin-File-ID: 338\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/cyrusauth.fr_FR.po b/modules/po/cyrusauth.fr_FR.po index b28186e2..ef6da16c 100644 --- a/modules/po/cyrusauth.fr_FR.po +++ b/modules/po/cyrusauth.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.8.x/modules/po/cyrusauth.pot\n" +"X-Crowdin-File-ID: 338\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/cyrusauth.id_ID.po b/modules/po/cyrusauth.id_ID.po index 1e0fcf67..962495e4 100644 --- a/modules/po/cyrusauth.id_ID.po +++ b/modules/po/cyrusauth.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.8.x/modules/po/cyrusauth.pot\n" +"X-Crowdin-File-ID: 338\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/cyrusauth.it_IT.po b/modules/po/cyrusauth.it_IT.po index 6d0400b3..8802284f 100644 --- a/modules/po/cyrusauth.it_IT.po +++ b/modules/po/cyrusauth.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.8.x/modules/po/cyrusauth.pot\n" +"X-Crowdin-File-ID: 338\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/cyrusauth.nl_NL.po b/modules/po/cyrusauth.nl_NL.po index 2df36888..d25abe83 100644 --- a/modules/po/cyrusauth.nl_NL.po +++ b/modules/po/cyrusauth.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.8.x/modules/po/cyrusauth.pot\n" +"X-Crowdin-File-ID: 338\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/cyrusauth.pt_BR.po b/modules/po/cyrusauth.pt_BR.po index 53806963..f5e64725 100644 --- a/modules/po/cyrusauth.pt_BR.po +++ b/modules/po/cyrusauth.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.8.x/modules/po/cyrusauth.pot\n" +"X-Crowdin-File-ID: 338\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/cyrusauth.ru_RU.po b/modules/po/cyrusauth.ru_RU.po index 0f42970d..bb7315c0 100644 --- a/modules/po/cyrusauth.ru_RU.po +++ b/modules/po/cyrusauth.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.8.x/modules/po/cyrusauth.pot\n" +"X-Crowdin-File-ID: 338\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/dcc.bg_BG.po b/modules/po/dcc.bg_BG.po index 4d1c7ff1..9d6297bc 100644 --- a/modules/po/dcc.bg_BG.po +++ b/modules/po/dcc.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.8.x/modules/po/dcc.pot\n" +"X-Crowdin-File-ID: 308\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/dcc.es_ES.po b/modules/po/dcc.es_ES.po index a5ccd156..d6e4c68d 100644 --- a/modules/po/dcc.es_ES.po +++ b/modules/po/dcc.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.8.x/modules/po/dcc.pot\n" +"X-Crowdin-File-ID: 308\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/dcc.fr_FR.po b/modules/po/dcc.fr_FR.po index 3f2675c1..7ccf348a 100644 --- a/modules/po/dcc.fr_FR.po +++ b/modules/po/dcc.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.8.x/modules/po/dcc.pot\n" +"X-Crowdin-File-ID: 308\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/dcc.id_ID.po b/modules/po/dcc.id_ID.po index a2931ec4..f0c7b7f1 100644 --- a/modules/po/dcc.id_ID.po +++ b/modules/po/dcc.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.8.x/modules/po/dcc.pot\n" +"X-Crowdin-File-ID: 308\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/dcc.it_IT.po b/modules/po/dcc.it_IT.po index 516db767..5c623b43 100644 --- a/modules/po/dcc.it_IT.po +++ b/modules/po/dcc.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.8.x/modules/po/dcc.pot\n" +"X-Crowdin-File-ID: 308\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/dcc.nl_NL.po b/modules/po/dcc.nl_NL.po index 08882350..68f4339b 100644 --- a/modules/po/dcc.nl_NL.po +++ b/modules/po/dcc.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.8.x/modules/po/dcc.pot\n" +"X-Crowdin-File-ID: 308\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/dcc.pt_BR.po b/modules/po/dcc.pt_BR.po index 948bb3a6..8bf6975b 100644 --- a/modules/po/dcc.pt_BR.po +++ b/modules/po/dcc.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.8.x/modules/po/dcc.pot\n" +"X-Crowdin-File-ID: 308\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/dcc.ru_RU.po b/modules/po/dcc.ru_RU.po index beeaa953..5b134dfc 100644 --- a/modules/po/dcc.ru_RU.po +++ b/modules/po/dcc.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.8.x/modules/po/dcc.pot\n" +"X-Crowdin-File-ID: 308\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/disconkick.bg_BG.po b/modules/po/disconkick.bg_BG.po index f1c8d61d..8bb6875e 100644 --- a/modules/po/disconkick.bg_BG.po +++ b/modules/po/disconkick.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.8.x/modules/po/disconkick.pot\n" +"X-Crowdin-File-ID: 342\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/disconkick.es_ES.po b/modules/po/disconkick.es_ES.po index 2149e2c0..740c3fb8 100644 --- a/modules/po/disconkick.es_ES.po +++ b/modules/po/disconkick.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.8.x/modules/po/disconkick.pot\n" +"X-Crowdin-File-ID: 342\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/disconkick.fr_FR.po b/modules/po/disconkick.fr_FR.po index bdf27bc5..993ca4c5 100644 --- a/modules/po/disconkick.fr_FR.po +++ b/modules/po/disconkick.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.8.x/modules/po/disconkick.pot\n" +"X-Crowdin-File-ID: 342\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/disconkick.id_ID.po b/modules/po/disconkick.id_ID.po index 5c9d562c..4b4ee5fa 100644 --- a/modules/po/disconkick.id_ID.po +++ b/modules/po/disconkick.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.8.x/modules/po/disconkick.pot\n" +"X-Crowdin-File-ID: 342\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/disconkick.it_IT.po b/modules/po/disconkick.it_IT.po index a80c2fb6..503dc983 100644 --- a/modules/po/disconkick.it_IT.po +++ b/modules/po/disconkick.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.8.x/modules/po/disconkick.pot\n" +"X-Crowdin-File-ID: 342\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/disconkick.nl_NL.po b/modules/po/disconkick.nl_NL.po index fc8819cb..521ee1e3 100644 --- a/modules/po/disconkick.nl_NL.po +++ b/modules/po/disconkick.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.8.x/modules/po/disconkick.pot\n" +"X-Crowdin-File-ID: 342\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/disconkick.pt_BR.po b/modules/po/disconkick.pt_BR.po index 358472d4..0c373d29 100644 --- a/modules/po/disconkick.pt_BR.po +++ b/modules/po/disconkick.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.8.x/modules/po/disconkick.pot\n" +"X-Crowdin-File-ID: 342\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/disconkick.ru_RU.po b/modules/po/disconkick.ru_RU.po index 03370b73..2b94e585 100644 --- a/modules/po/disconkick.ru_RU.po +++ b/modules/po/disconkick.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.8.x/modules/po/disconkick.pot\n" +"X-Crowdin-File-ID: 342\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/fail2ban.bg_BG.po b/modules/po/fail2ban.bg_BG.po index 438f8efa..b8d4b608 100644 --- a/modules/po/fail2ban.bg_BG.po +++ b/modules/po/fail2ban.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.8.x/modules/po/fail2ban.pot\n" +"X-Crowdin-File-ID: 344\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/fail2ban.es_ES.po b/modules/po/fail2ban.es_ES.po index 7d768bfa..fed7c58a 100644 --- a/modules/po/fail2ban.es_ES.po +++ b/modules/po/fail2ban.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.8.x/modules/po/fail2ban.pot\n" +"X-Crowdin-File-ID: 344\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/fail2ban.fr_FR.po b/modules/po/fail2ban.fr_FR.po index 2ce40503..664a5b6e 100644 --- a/modules/po/fail2ban.fr_FR.po +++ b/modules/po/fail2ban.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.8.x/modules/po/fail2ban.pot\n" +"X-Crowdin-File-ID: 344\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/fail2ban.id_ID.po b/modules/po/fail2ban.id_ID.po index 3ec86036..b388e0f9 100644 --- a/modules/po/fail2ban.id_ID.po +++ b/modules/po/fail2ban.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.8.x/modules/po/fail2ban.pot\n" +"X-Crowdin-File-ID: 344\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/fail2ban.it_IT.po b/modules/po/fail2ban.it_IT.po index c552358c..75bec101 100644 --- a/modules/po/fail2ban.it_IT.po +++ b/modules/po/fail2ban.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.8.x/modules/po/fail2ban.pot\n" +"X-Crowdin-File-ID: 344\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/fail2ban.nl_NL.po b/modules/po/fail2ban.nl_NL.po index 27293450..759a4cde 100644 --- a/modules/po/fail2ban.nl_NL.po +++ b/modules/po/fail2ban.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.8.x/modules/po/fail2ban.pot\n" +"X-Crowdin-File-ID: 344\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/fail2ban.pt_BR.po b/modules/po/fail2ban.pt_BR.po index 1fc006b0..55a79e4b 100644 --- a/modules/po/fail2ban.pt_BR.po +++ b/modules/po/fail2ban.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.8.x/modules/po/fail2ban.pot\n" +"X-Crowdin-File-ID: 344\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/fail2ban.ru_RU.po b/modules/po/fail2ban.ru_RU.po index a451d061..76153d2b 100644 --- a/modules/po/fail2ban.ru_RU.po +++ b/modules/po/fail2ban.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.8.x/modules/po/fail2ban.pot\n" +"X-Crowdin-File-ID: 344\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/flooddetach.bg_BG.po b/modules/po/flooddetach.bg_BG.po index 62a42229..52eb97cb 100644 --- a/modules/po/flooddetach.bg_BG.po +++ b/modules/po/flooddetach.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.8.x/modules/po/flooddetach.pot\n" +"X-Crowdin-File-ID: 346\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/flooddetach.es_ES.po b/modules/po/flooddetach.es_ES.po index ace71293..ad898144 100644 --- a/modules/po/flooddetach.es_ES.po +++ b/modules/po/flooddetach.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.8.x/modules/po/flooddetach.pot\n" +"X-Crowdin-File-ID: 346\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/flooddetach.fr_FR.po b/modules/po/flooddetach.fr_FR.po index 638f3f4d..137c8c74 100644 --- a/modules/po/flooddetach.fr_FR.po +++ b/modules/po/flooddetach.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.8.x/modules/po/flooddetach.pot\n" +"X-Crowdin-File-ID: 346\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/flooddetach.id_ID.po b/modules/po/flooddetach.id_ID.po index eefa1b4a..08e11d14 100644 --- a/modules/po/flooddetach.id_ID.po +++ b/modules/po/flooddetach.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.8.x/modules/po/flooddetach.pot\n" +"X-Crowdin-File-ID: 346\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/flooddetach.it_IT.po b/modules/po/flooddetach.it_IT.po index a317ad0d..4181a9c7 100644 --- a/modules/po/flooddetach.it_IT.po +++ b/modules/po/flooddetach.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.8.x/modules/po/flooddetach.pot\n" +"X-Crowdin-File-ID: 346\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/flooddetach.nl_NL.po b/modules/po/flooddetach.nl_NL.po index 8b139243..d919bd75 100644 --- a/modules/po/flooddetach.nl_NL.po +++ b/modules/po/flooddetach.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.8.x/modules/po/flooddetach.pot\n" +"X-Crowdin-File-ID: 346\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/flooddetach.pt_BR.po b/modules/po/flooddetach.pt_BR.po index d51a1e29..37be6bd2 100644 --- a/modules/po/flooddetach.pt_BR.po +++ b/modules/po/flooddetach.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.8.x/modules/po/flooddetach.pot\n" +"X-Crowdin-File-ID: 346\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/flooddetach.ru_RU.po b/modules/po/flooddetach.ru_RU.po index c89b28c5..f3942d8e 100644 --- a/modules/po/flooddetach.ru_RU.po +++ b/modules/po/flooddetach.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.8.x/modules/po/flooddetach.pot\n" +"X-Crowdin-File-ID: 346\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/identfile.bg_BG.po b/modules/po/identfile.bg_BG.po index 64bd3294..8d45c56d 100644 --- a/modules/po/identfile.bg_BG.po +++ b/modules/po/identfile.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.8.x/modules/po/identfile.pot\n" +"X-Crowdin-File-ID: 348\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/identfile.es_ES.po b/modules/po/identfile.es_ES.po index 9a981f93..f41fdfd2 100644 --- a/modules/po/identfile.es_ES.po +++ b/modules/po/identfile.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.8.x/modules/po/identfile.pot\n" +"X-Crowdin-File-ID: 348\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/identfile.fr_FR.po b/modules/po/identfile.fr_FR.po index 21767a2f..3fcabaa3 100644 --- a/modules/po/identfile.fr_FR.po +++ b/modules/po/identfile.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.8.x/modules/po/identfile.pot\n" +"X-Crowdin-File-ID: 348\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/identfile.id_ID.po b/modules/po/identfile.id_ID.po index e7fd4b99..ac6ec127 100644 --- a/modules/po/identfile.id_ID.po +++ b/modules/po/identfile.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.8.x/modules/po/identfile.pot\n" +"X-Crowdin-File-ID: 348\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/identfile.it_IT.po b/modules/po/identfile.it_IT.po index 636c9c21..92e9954f 100644 --- a/modules/po/identfile.it_IT.po +++ b/modules/po/identfile.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.8.x/modules/po/identfile.pot\n" +"X-Crowdin-File-ID: 348\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/identfile.nl_NL.po b/modules/po/identfile.nl_NL.po index eea8662c..7d25eddd 100644 --- a/modules/po/identfile.nl_NL.po +++ b/modules/po/identfile.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.8.x/modules/po/identfile.pot\n" +"X-Crowdin-File-ID: 348\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/identfile.pt_BR.po b/modules/po/identfile.pt_BR.po index 190cc652..855706bf 100644 --- a/modules/po/identfile.pt_BR.po +++ b/modules/po/identfile.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.8.x/modules/po/identfile.pot\n" +"X-Crowdin-File-ID: 348\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/identfile.ru_RU.po b/modules/po/identfile.ru_RU.po index 020160db..8955ffe4 100644 --- a/modules/po/identfile.ru_RU.po +++ b/modules/po/identfile.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.8.x/modules/po/identfile.pot\n" +"X-Crowdin-File-ID: 348\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/imapauth.bg_BG.po b/modules/po/imapauth.bg_BG.po index 0d373b8d..1ba4b171 100644 --- a/modules/po/imapauth.bg_BG.po +++ b/modules/po/imapauth.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.8.x/modules/po/imapauth.pot\n" +"X-Crowdin-File-ID: 352\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/imapauth.es_ES.po b/modules/po/imapauth.es_ES.po index e86d6ff8..30d0c873 100644 --- a/modules/po/imapauth.es_ES.po +++ b/modules/po/imapauth.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.8.x/modules/po/imapauth.pot\n" +"X-Crowdin-File-ID: 352\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/imapauth.fr_FR.po b/modules/po/imapauth.fr_FR.po index d8743d52..93a8b9d1 100644 --- a/modules/po/imapauth.fr_FR.po +++ b/modules/po/imapauth.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.8.x/modules/po/imapauth.pot\n" +"X-Crowdin-File-ID: 352\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/imapauth.id_ID.po b/modules/po/imapauth.id_ID.po index 7518c093..f55c1316 100644 --- a/modules/po/imapauth.id_ID.po +++ b/modules/po/imapauth.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.8.x/modules/po/imapauth.pot\n" +"X-Crowdin-File-ID: 352\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/imapauth.it_IT.po b/modules/po/imapauth.it_IT.po index 83847014..afa42902 100644 --- a/modules/po/imapauth.it_IT.po +++ b/modules/po/imapauth.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.8.x/modules/po/imapauth.pot\n" +"X-Crowdin-File-ID: 352\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/imapauth.nl_NL.po b/modules/po/imapauth.nl_NL.po index 5ef5ca30..a0d3a48b 100644 --- a/modules/po/imapauth.nl_NL.po +++ b/modules/po/imapauth.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.8.x/modules/po/imapauth.pot\n" +"X-Crowdin-File-ID: 352\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/imapauth.pt_BR.po b/modules/po/imapauth.pt_BR.po index 7895c9aa..40bc0faf 100644 --- a/modules/po/imapauth.pt_BR.po +++ b/modules/po/imapauth.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.8.x/modules/po/imapauth.pot\n" +"X-Crowdin-File-ID: 352\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/imapauth.ru_RU.po b/modules/po/imapauth.ru_RU.po index 555773d6..2dbc78b8 100644 --- a/modules/po/imapauth.ru_RU.po +++ b/modules/po/imapauth.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.8.x/modules/po/imapauth.pot\n" +"X-Crowdin-File-ID: 352\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/keepnick.bg_BG.po b/modules/po/keepnick.bg_BG.po index 2f313352..1afbe0bd 100644 --- a/modules/po/keepnick.bg_BG.po +++ b/modules/po/keepnick.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.8.x/modules/po/keepnick.pot\n" +"X-Crowdin-File-ID: 354\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/keepnick.es_ES.po b/modules/po/keepnick.es_ES.po index 7e33f1aa..5e7d8c57 100644 --- a/modules/po/keepnick.es_ES.po +++ b/modules/po/keepnick.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.8.x/modules/po/keepnick.pot\n" +"X-Crowdin-File-ID: 354\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/keepnick.fr_FR.po b/modules/po/keepnick.fr_FR.po index 0ad4dcdb..edd411b9 100644 --- a/modules/po/keepnick.fr_FR.po +++ b/modules/po/keepnick.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.8.x/modules/po/keepnick.pot\n" +"X-Crowdin-File-ID: 354\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/keepnick.id_ID.po b/modules/po/keepnick.id_ID.po index 2b7305b9..6bb2fc84 100644 --- a/modules/po/keepnick.id_ID.po +++ b/modules/po/keepnick.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.8.x/modules/po/keepnick.pot\n" +"X-Crowdin-File-ID: 354\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/keepnick.it_IT.po b/modules/po/keepnick.it_IT.po index 147916d1..9d6d3042 100644 --- a/modules/po/keepnick.it_IT.po +++ b/modules/po/keepnick.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.8.x/modules/po/keepnick.pot\n" +"X-Crowdin-File-ID: 354\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/keepnick.nl_NL.po b/modules/po/keepnick.nl_NL.po index 0420621b..d81b0820 100644 --- a/modules/po/keepnick.nl_NL.po +++ b/modules/po/keepnick.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.8.x/modules/po/keepnick.pot\n" +"X-Crowdin-File-ID: 354\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/keepnick.pt_BR.po b/modules/po/keepnick.pt_BR.po index 9e815981..192cbb4f 100644 --- a/modules/po/keepnick.pt_BR.po +++ b/modules/po/keepnick.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.8.x/modules/po/keepnick.pot\n" +"X-Crowdin-File-ID: 354\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/keepnick.ru_RU.po b/modules/po/keepnick.ru_RU.po index 7e5e9333..48ba98f9 100644 --- a/modules/po/keepnick.ru_RU.po +++ b/modules/po/keepnick.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.8.x/modules/po/keepnick.pot\n" +"X-Crowdin-File-ID: 354\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/kickrejoin.bg_BG.po b/modules/po/kickrejoin.bg_BG.po index 090e913e..64af16c0 100644 --- a/modules/po/kickrejoin.bg_BG.po +++ b/modules/po/kickrejoin.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.8.x/modules/po/kickrejoin.pot\n" +"X-Crowdin-File-ID: 356\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/kickrejoin.es_ES.po b/modules/po/kickrejoin.es_ES.po index bb806d71..4abcd9fb 100644 --- a/modules/po/kickrejoin.es_ES.po +++ b/modules/po/kickrejoin.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.8.x/modules/po/kickrejoin.pot\n" +"X-Crowdin-File-ID: 356\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/kickrejoin.fr_FR.po b/modules/po/kickrejoin.fr_FR.po index 601b5bee..305c6ae9 100644 --- a/modules/po/kickrejoin.fr_FR.po +++ b/modules/po/kickrejoin.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.8.x/modules/po/kickrejoin.pot\n" +"X-Crowdin-File-ID: 356\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/kickrejoin.id_ID.po b/modules/po/kickrejoin.id_ID.po index d3b4ed8b..44aeda3e 100644 --- a/modules/po/kickrejoin.id_ID.po +++ b/modules/po/kickrejoin.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.8.x/modules/po/kickrejoin.pot\n" +"X-Crowdin-File-ID: 356\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/kickrejoin.it_IT.po b/modules/po/kickrejoin.it_IT.po index 31da8643..778f3d81 100644 --- a/modules/po/kickrejoin.it_IT.po +++ b/modules/po/kickrejoin.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.8.x/modules/po/kickrejoin.pot\n" +"X-Crowdin-File-ID: 356\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/kickrejoin.nl_NL.po b/modules/po/kickrejoin.nl_NL.po index ae73404c..ba0f493d 100644 --- a/modules/po/kickrejoin.nl_NL.po +++ b/modules/po/kickrejoin.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.8.x/modules/po/kickrejoin.pot\n" +"X-Crowdin-File-ID: 356\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/kickrejoin.pt_BR.po b/modules/po/kickrejoin.pt_BR.po index f10e7b43..8fe3aeed 100644 --- a/modules/po/kickrejoin.pt_BR.po +++ b/modules/po/kickrejoin.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.8.x/modules/po/kickrejoin.pot\n" +"X-Crowdin-File-ID: 356\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/kickrejoin.ru_RU.po b/modules/po/kickrejoin.ru_RU.po index 7b6b8c44..6c0a8bc9 100644 --- a/modules/po/kickrejoin.ru_RU.po +++ b/modules/po/kickrejoin.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.8.x/modules/po/kickrejoin.pot\n" +"X-Crowdin-File-ID: 356\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/lastseen.bg_BG.po b/modules/po/lastseen.bg_BG.po index 7b51565f..7fc15a10 100644 --- a/modules/po/lastseen.bg_BG.po +++ b/modules/po/lastseen.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.8.x/modules/po/lastseen.pot\n" +"X-Crowdin-File-ID: 358\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/lastseen.es_ES.po b/modules/po/lastseen.es_ES.po index 6e833dcd..62d2556c 100644 --- a/modules/po/lastseen.es_ES.po +++ b/modules/po/lastseen.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.8.x/modules/po/lastseen.pot\n" +"X-Crowdin-File-ID: 358\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/lastseen.fr_FR.po b/modules/po/lastseen.fr_FR.po index f8e88170..a3d984c8 100644 --- a/modules/po/lastseen.fr_FR.po +++ b/modules/po/lastseen.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.8.x/modules/po/lastseen.pot\n" +"X-Crowdin-File-ID: 358\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/lastseen.id_ID.po b/modules/po/lastseen.id_ID.po index 515b38a7..85f61a8b 100644 --- a/modules/po/lastseen.id_ID.po +++ b/modules/po/lastseen.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.8.x/modules/po/lastseen.pot\n" +"X-Crowdin-File-ID: 358\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/lastseen.it_IT.po b/modules/po/lastseen.it_IT.po index 5a4a8f4d..7469cac7 100644 --- a/modules/po/lastseen.it_IT.po +++ b/modules/po/lastseen.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.8.x/modules/po/lastseen.pot\n" +"X-Crowdin-File-ID: 358\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/lastseen.nl_NL.po b/modules/po/lastseen.nl_NL.po index 607785ea..509ecb6d 100644 --- a/modules/po/lastseen.nl_NL.po +++ b/modules/po/lastseen.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.8.x/modules/po/lastseen.pot\n" +"X-Crowdin-File-ID: 358\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/lastseen.pt_BR.po b/modules/po/lastseen.pt_BR.po index 6ab233fb..bdb24907 100644 --- a/modules/po/lastseen.pt_BR.po +++ b/modules/po/lastseen.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.8.x/modules/po/lastseen.pot\n" +"X-Crowdin-File-ID: 358\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/lastseen.ru_RU.po b/modules/po/lastseen.ru_RU.po index a9e37b56..b482391c 100644 --- a/modules/po/lastseen.ru_RU.po +++ b/modules/po/lastseen.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.8.x/modules/po/lastseen.pot\n" +"X-Crowdin-File-ID: 358\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/listsockets.bg_BG.po b/modules/po/listsockets.bg_BG.po index 270232cf..706ec7ff 100644 --- a/modules/po/listsockets.bg_BG.po +++ b/modules/po/listsockets.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.8.x/modules/po/listsockets.pot\n" +"X-Crowdin-File-ID: 360\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/listsockets.es_ES.po b/modules/po/listsockets.es_ES.po index 74b0405a..54cff5e4 100644 --- a/modules/po/listsockets.es_ES.po +++ b/modules/po/listsockets.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.8.x/modules/po/listsockets.pot\n" +"X-Crowdin-File-ID: 360\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/listsockets.fr_FR.po b/modules/po/listsockets.fr_FR.po index 9ab3cbd2..946b4bd9 100644 --- a/modules/po/listsockets.fr_FR.po +++ b/modules/po/listsockets.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.8.x/modules/po/listsockets.pot\n" +"X-Crowdin-File-ID: 360\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/listsockets.id_ID.po b/modules/po/listsockets.id_ID.po index c25c3f35..fd1a919b 100644 --- a/modules/po/listsockets.id_ID.po +++ b/modules/po/listsockets.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.8.x/modules/po/listsockets.pot\n" +"X-Crowdin-File-ID: 360\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/listsockets.it_IT.po b/modules/po/listsockets.it_IT.po index c51c2b5b..3a33b9aa 100644 --- a/modules/po/listsockets.it_IT.po +++ b/modules/po/listsockets.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.8.x/modules/po/listsockets.pot\n" +"X-Crowdin-File-ID: 360\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/listsockets.nl_NL.po b/modules/po/listsockets.nl_NL.po index ada03ead..7d6dd034 100644 --- a/modules/po/listsockets.nl_NL.po +++ b/modules/po/listsockets.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.8.x/modules/po/listsockets.pot\n" +"X-Crowdin-File-ID: 360\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/listsockets.pt_BR.po b/modules/po/listsockets.pt_BR.po index c6258458..a56f143b 100644 --- a/modules/po/listsockets.pt_BR.po +++ b/modules/po/listsockets.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.8.x/modules/po/listsockets.pot\n" +"X-Crowdin-File-ID: 360\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/listsockets.ru_RU.po b/modules/po/listsockets.ru_RU.po index fcf1719c..30eaae6a 100644 --- a/modules/po/listsockets.ru_RU.po +++ b/modules/po/listsockets.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.8.x/modules/po/listsockets.pot\n" +"X-Crowdin-File-ID: 360\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/log.bg_BG.po b/modules/po/log.bg_BG.po index 811158ea..5c326533 100644 --- a/modules/po/log.bg_BG.po +++ b/modules/po/log.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.8.x/modules/po/log.pot\n" +"X-Crowdin-File-ID: 314\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/log.es_ES.po b/modules/po/log.es_ES.po index c48a4317..531411d4 100644 --- a/modules/po/log.es_ES.po +++ b/modules/po/log.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.8.x/modules/po/log.pot\n" +"X-Crowdin-File-ID: 314\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/log.fr_FR.po b/modules/po/log.fr_FR.po index 3b5f92bd..2d921819 100644 --- a/modules/po/log.fr_FR.po +++ b/modules/po/log.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.8.x/modules/po/log.pot\n" +"X-Crowdin-File-ID: 314\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/log.id_ID.po b/modules/po/log.id_ID.po index 61e618d0..38690f1c 100644 --- a/modules/po/log.id_ID.po +++ b/modules/po/log.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.8.x/modules/po/log.pot\n" +"X-Crowdin-File-ID: 314\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/log.it_IT.po b/modules/po/log.it_IT.po index 22bbae09..77873065 100644 --- a/modules/po/log.it_IT.po +++ b/modules/po/log.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.8.x/modules/po/log.pot\n" +"X-Crowdin-File-ID: 314\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/log.nl_NL.po b/modules/po/log.nl_NL.po index b58faf25..2f9afe1c 100644 --- a/modules/po/log.nl_NL.po +++ b/modules/po/log.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.8.x/modules/po/log.pot\n" +"X-Crowdin-File-ID: 314\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/log.pt_BR.po b/modules/po/log.pt_BR.po index 6de3e70f..394d0806 100644 --- a/modules/po/log.pt_BR.po +++ b/modules/po/log.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.8.x/modules/po/log.pot\n" +"X-Crowdin-File-ID: 314\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/log.ru_RU.po b/modules/po/log.ru_RU.po index cb8cc960..abc571e0 100644 --- a/modules/po/log.ru_RU.po +++ b/modules/po/log.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.8.x/modules/po/log.pot\n" +"X-Crowdin-File-ID: 314\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/missingmotd.bg_BG.po b/modules/po/missingmotd.bg_BG.po index fdf069d2..b86d7197 100644 --- a/modules/po/missingmotd.bg_BG.po +++ b/modules/po/missingmotd.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.8.x/modules/po/missingmotd.pot\n" +"X-Crowdin-File-ID: 362\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/missingmotd.es_ES.po b/modules/po/missingmotd.es_ES.po index c76ca203..a1f143bb 100644 --- a/modules/po/missingmotd.es_ES.po +++ b/modules/po/missingmotd.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.8.x/modules/po/missingmotd.pot\n" +"X-Crowdin-File-ID: 362\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/missingmotd.fr_FR.po b/modules/po/missingmotd.fr_FR.po index 86468526..65f3ef1d 100644 --- a/modules/po/missingmotd.fr_FR.po +++ b/modules/po/missingmotd.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.8.x/modules/po/missingmotd.pot\n" +"X-Crowdin-File-ID: 362\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/missingmotd.id_ID.po b/modules/po/missingmotd.id_ID.po index 8c81f705..220e615e 100644 --- a/modules/po/missingmotd.id_ID.po +++ b/modules/po/missingmotd.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.8.x/modules/po/missingmotd.pot\n" +"X-Crowdin-File-ID: 362\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/missingmotd.it_IT.po b/modules/po/missingmotd.it_IT.po index 0c837dc0..777fd846 100644 --- a/modules/po/missingmotd.it_IT.po +++ b/modules/po/missingmotd.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.8.x/modules/po/missingmotd.pot\n" +"X-Crowdin-File-ID: 362\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/missingmotd.nl_NL.po b/modules/po/missingmotd.nl_NL.po index 79fe23b4..ae58fea4 100644 --- a/modules/po/missingmotd.nl_NL.po +++ b/modules/po/missingmotd.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.8.x/modules/po/missingmotd.pot\n" +"X-Crowdin-File-ID: 362\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/missingmotd.pt_BR.po b/modules/po/missingmotd.pt_BR.po index c6b73a81..384a6759 100644 --- a/modules/po/missingmotd.pt_BR.po +++ b/modules/po/missingmotd.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.8.x/modules/po/missingmotd.pot\n" +"X-Crowdin-File-ID: 362\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/missingmotd.ru_RU.po b/modules/po/missingmotd.ru_RU.po index 19c234e4..382c43ab 100644 --- a/modules/po/missingmotd.ru_RU.po +++ b/modules/po/missingmotd.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.8.x/modules/po/missingmotd.pot\n" +"X-Crowdin-File-ID: 362\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/modperl.bg_BG.po b/modules/po/modperl.bg_BG.po index f3861d4b..609206f9 100644 --- a/modules/po/modperl.bg_BG.po +++ b/modules/po/modperl.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.8.x/modules/po/modperl.pot\n" +"X-Crowdin-File-ID: 340\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/modperl.es_ES.po b/modules/po/modperl.es_ES.po index dd4f79da..d3f8f080 100644 --- a/modules/po/modperl.es_ES.po +++ b/modules/po/modperl.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.8.x/modules/po/modperl.pot\n" +"X-Crowdin-File-ID: 340\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/modperl.fr_FR.po b/modules/po/modperl.fr_FR.po index e28b0d61..f0c81568 100644 --- a/modules/po/modperl.fr_FR.po +++ b/modules/po/modperl.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.8.x/modules/po/modperl.pot\n" +"X-Crowdin-File-ID: 340\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/modperl.id_ID.po b/modules/po/modperl.id_ID.po index 066cfb42..92e8ebb1 100644 --- a/modules/po/modperl.id_ID.po +++ b/modules/po/modperl.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.8.x/modules/po/modperl.pot\n" +"X-Crowdin-File-ID: 340\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/modperl.it_IT.po b/modules/po/modperl.it_IT.po index 30529bd7..c02b4759 100644 --- a/modules/po/modperl.it_IT.po +++ b/modules/po/modperl.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.8.x/modules/po/modperl.pot\n" +"X-Crowdin-File-ID: 340\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/modperl.nl_NL.po b/modules/po/modperl.nl_NL.po index c0b790d0..a6ee78bd 100644 --- a/modules/po/modperl.nl_NL.po +++ b/modules/po/modperl.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.8.x/modules/po/modperl.pot\n" +"X-Crowdin-File-ID: 340\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/modperl.pt_BR.po b/modules/po/modperl.pt_BR.po index 6d850d7b..ac33443b 100644 --- a/modules/po/modperl.pt_BR.po +++ b/modules/po/modperl.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.8.x/modules/po/modperl.pot\n" +"X-Crowdin-File-ID: 340\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/modperl.ru_RU.po b/modules/po/modperl.ru_RU.po index 207a5167..29b1e008 100644 --- a/modules/po/modperl.ru_RU.po +++ b/modules/po/modperl.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.8.x/modules/po/modperl.pot\n" +"X-Crowdin-File-ID: 340\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/modpython.bg_BG.po b/modules/po/modpython.bg_BG.po index 367f50a3..c5e71a76 100644 --- a/modules/po/modpython.bg_BG.po +++ b/modules/po/modpython.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.8.x/modules/po/modpython.pot\n" +"X-Crowdin-File-ID: 364\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/modpython.es_ES.po b/modules/po/modpython.es_ES.po index 5fe6fc29..ae71e289 100644 --- a/modules/po/modpython.es_ES.po +++ b/modules/po/modpython.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.8.x/modules/po/modpython.pot\n" +"X-Crowdin-File-ID: 364\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/modpython.fr_FR.po b/modules/po/modpython.fr_FR.po index 339323bd..c46c26ab 100644 --- a/modules/po/modpython.fr_FR.po +++ b/modules/po/modpython.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.8.x/modules/po/modpython.pot\n" +"X-Crowdin-File-ID: 364\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/modpython.id_ID.po b/modules/po/modpython.id_ID.po index 978d68e2..f174e790 100644 --- a/modules/po/modpython.id_ID.po +++ b/modules/po/modpython.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.8.x/modules/po/modpython.pot\n" +"X-Crowdin-File-ID: 364\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/modpython.it_IT.po b/modules/po/modpython.it_IT.po index 41429fcf..113190cf 100644 --- a/modules/po/modpython.it_IT.po +++ b/modules/po/modpython.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.8.x/modules/po/modpython.pot\n" +"X-Crowdin-File-ID: 364\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/modpython.nl_NL.po b/modules/po/modpython.nl_NL.po index 5df8a76f..236de00c 100644 --- a/modules/po/modpython.nl_NL.po +++ b/modules/po/modpython.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.8.x/modules/po/modpython.pot\n" +"X-Crowdin-File-ID: 364\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/modpython.pt_BR.po b/modules/po/modpython.pt_BR.po index 07c86185..9c5f0523 100644 --- a/modules/po/modpython.pt_BR.po +++ b/modules/po/modpython.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.8.x/modules/po/modpython.pot\n" +"X-Crowdin-File-ID: 364\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/modpython.ru_RU.po b/modules/po/modpython.ru_RU.po index 815e2dbb..8129820c 100644 --- a/modules/po/modpython.ru_RU.po +++ b/modules/po/modpython.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.8.x/modules/po/modpython.pot\n" +"X-Crowdin-File-ID: 364\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/modules_online.bg_BG.po b/modules/po/modules_online.bg_BG.po index 75a8ee69..7af5a381 100644 --- a/modules/po/modules_online.bg_BG.po +++ b/modules/po/modules_online.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.8.x/modules/po/modules_online.pot\n" +"X-Crowdin-File-ID: 366\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/modules_online.es_ES.po b/modules/po/modules_online.es_ES.po index 6b1da0fc..ee372827 100644 --- a/modules/po/modules_online.es_ES.po +++ b/modules/po/modules_online.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.8.x/modules/po/modules_online.pot\n" +"X-Crowdin-File-ID: 366\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/modules_online.fr_FR.po b/modules/po/modules_online.fr_FR.po index 4c50e869..9bdb9bde 100644 --- a/modules/po/modules_online.fr_FR.po +++ b/modules/po/modules_online.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.8.x/modules/po/modules_online.pot\n" +"X-Crowdin-File-ID: 366\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/modules_online.id_ID.po b/modules/po/modules_online.id_ID.po index 8975b440..56b8bbd9 100644 --- a/modules/po/modules_online.id_ID.po +++ b/modules/po/modules_online.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.8.x/modules/po/modules_online.pot\n" +"X-Crowdin-File-ID: 366\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/modules_online.it_IT.po b/modules/po/modules_online.it_IT.po index eaa3f4f2..6acb61bb 100644 --- a/modules/po/modules_online.it_IT.po +++ b/modules/po/modules_online.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.8.x/modules/po/modules_online.pot\n" +"X-Crowdin-File-ID: 366\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/modules_online.nl_NL.po b/modules/po/modules_online.nl_NL.po index adcbd3aa..0e74fd4f 100644 --- a/modules/po/modules_online.nl_NL.po +++ b/modules/po/modules_online.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.8.x/modules/po/modules_online.pot\n" +"X-Crowdin-File-ID: 366\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/modules_online.pt_BR.po b/modules/po/modules_online.pt_BR.po index 0f64fa04..7d3d4155 100644 --- a/modules/po/modules_online.pt_BR.po +++ b/modules/po/modules_online.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.8.x/modules/po/modules_online.pot\n" +"X-Crowdin-File-ID: 366\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/modules_online.ru_RU.po b/modules/po/modules_online.ru_RU.po index c8527184..73e93711 100644 --- a/modules/po/modules_online.ru_RU.po +++ b/modules/po/modules_online.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.8.x/modules/po/modules_online.pot\n" +"X-Crowdin-File-ID: 366\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/nickserv.bg_BG.po b/modules/po/nickserv.bg_BG.po index 6d3f9793..1ca4400c 100644 --- a/modules/po/nickserv.bg_BG.po +++ b/modules/po/nickserv.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.8.x/modules/po/nickserv.pot\n" +"X-Crowdin-File-ID: 368\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/nickserv.es_ES.po b/modules/po/nickserv.es_ES.po index 0ed19216..c673af78 100644 --- a/modules/po/nickserv.es_ES.po +++ b/modules/po/nickserv.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.8.x/modules/po/nickserv.pot\n" +"X-Crowdin-File-ID: 368\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/nickserv.fr_FR.po b/modules/po/nickserv.fr_FR.po index fd4570f1..bf071813 100644 --- a/modules/po/nickserv.fr_FR.po +++ b/modules/po/nickserv.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.8.x/modules/po/nickserv.pot\n" +"X-Crowdin-File-ID: 368\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/nickserv.id_ID.po b/modules/po/nickserv.id_ID.po index eb76c380..8d04e779 100644 --- a/modules/po/nickserv.id_ID.po +++ b/modules/po/nickserv.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.8.x/modules/po/nickserv.pot\n" +"X-Crowdin-File-ID: 368\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/nickserv.it_IT.po b/modules/po/nickserv.it_IT.po index d18bd950..165707a4 100644 --- a/modules/po/nickserv.it_IT.po +++ b/modules/po/nickserv.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.8.x/modules/po/nickserv.pot\n" +"X-Crowdin-File-ID: 368\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/nickserv.nl_NL.po b/modules/po/nickserv.nl_NL.po index b02df4b8..b72f847a 100644 --- a/modules/po/nickserv.nl_NL.po +++ b/modules/po/nickserv.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.8.x/modules/po/nickserv.pot\n" +"X-Crowdin-File-ID: 368\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/nickserv.pt_BR.po b/modules/po/nickserv.pt_BR.po index ad2c5825..0da18a84 100644 --- a/modules/po/nickserv.pt_BR.po +++ b/modules/po/nickserv.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.8.x/modules/po/nickserv.pot\n" +"X-Crowdin-File-ID: 368\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/nickserv.ru_RU.po b/modules/po/nickserv.ru_RU.po index fb7bd0e6..246582b8 100644 --- a/modules/po/nickserv.ru_RU.po +++ b/modules/po/nickserv.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.8.x/modules/po/nickserv.pot\n" +"X-Crowdin-File-ID: 368\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/notes.bg_BG.po b/modules/po/notes.bg_BG.po index 1e5e5d93..e8440e81 100644 --- a/modules/po/notes.bg_BG.po +++ b/modules/po/notes.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.8.x/modules/po/notes.pot\n" +"X-Crowdin-File-ID: 350\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/notes.es_ES.po b/modules/po/notes.es_ES.po index 2606deaa..0d6b4519 100644 --- a/modules/po/notes.es_ES.po +++ b/modules/po/notes.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.8.x/modules/po/notes.pot\n" +"X-Crowdin-File-ID: 350\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/notes.fr_FR.po b/modules/po/notes.fr_FR.po index 5fb2a34f..134c742f 100644 --- a/modules/po/notes.fr_FR.po +++ b/modules/po/notes.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.8.x/modules/po/notes.pot\n" +"X-Crowdin-File-ID: 350\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/notes.id_ID.po b/modules/po/notes.id_ID.po index db238c89..0dac7b3a 100644 --- a/modules/po/notes.id_ID.po +++ b/modules/po/notes.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.8.x/modules/po/notes.pot\n" +"X-Crowdin-File-ID: 350\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/notes.it_IT.po b/modules/po/notes.it_IT.po index 07dc7333..32179ae3 100644 --- a/modules/po/notes.it_IT.po +++ b/modules/po/notes.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.8.x/modules/po/notes.pot\n" +"X-Crowdin-File-ID: 350\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/notes.nl_NL.po b/modules/po/notes.nl_NL.po index eaa90723..6e0bb98f 100644 --- a/modules/po/notes.nl_NL.po +++ b/modules/po/notes.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.8.x/modules/po/notes.pot\n" +"X-Crowdin-File-ID: 350\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/notes.pt_BR.po b/modules/po/notes.pt_BR.po index 0b3b2858..75cd1bb3 100644 --- a/modules/po/notes.pt_BR.po +++ b/modules/po/notes.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.8.x/modules/po/notes.pot\n" +"X-Crowdin-File-ID: 350\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/notes.ru_RU.po b/modules/po/notes.ru_RU.po index b5859c76..d51ff36a 100644 --- a/modules/po/notes.ru_RU.po +++ b/modules/po/notes.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.8.x/modules/po/notes.pot\n" +"X-Crowdin-File-ID: 350\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/notify_connect.bg_BG.po b/modules/po/notify_connect.bg_BG.po index 83639b6d..b9ffeafd 100644 --- a/modules/po/notify_connect.bg_BG.po +++ b/modules/po/notify_connect.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.8.x/modules/po/notify_connect.pot\n" +"X-Crowdin-File-ID: 370\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/notify_connect.es_ES.po b/modules/po/notify_connect.es_ES.po index 244f5f31..ef26cb8f 100644 --- a/modules/po/notify_connect.es_ES.po +++ b/modules/po/notify_connect.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.8.x/modules/po/notify_connect.pot\n" +"X-Crowdin-File-ID: 370\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/notify_connect.fr_FR.po b/modules/po/notify_connect.fr_FR.po index 624748b1..8ce3a0fe 100644 --- a/modules/po/notify_connect.fr_FR.po +++ b/modules/po/notify_connect.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.8.x/modules/po/notify_connect.pot\n" +"X-Crowdin-File-ID: 370\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/notify_connect.id_ID.po b/modules/po/notify_connect.id_ID.po index b8b94655..9ccaabca 100644 --- a/modules/po/notify_connect.id_ID.po +++ b/modules/po/notify_connect.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.8.x/modules/po/notify_connect.pot\n" +"X-Crowdin-File-ID: 370\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/notify_connect.it_IT.po b/modules/po/notify_connect.it_IT.po index 1a85ea41..bdc56753 100644 --- a/modules/po/notify_connect.it_IT.po +++ b/modules/po/notify_connect.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.8.x/modules/po/notify_connect.pot\n" +"X-Crowdin-File-ID: 370\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/notify_connect.nl_NL.po b/modules/po/notify_connect.nl_NL.po index 28372652..d341d8a4 100644 --- a/modules/po/notify_connect.nl_NL.po +++ b/modules/po/notify_connect.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.8.x/modules/po/notify_connect.pot\n" +"X-Crowdin-File-ID: 370\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/notify_connect.pt_BR.po b/modules/po/notify_connect.pt_BR.po index d77561ad..1b010398 100644 --- a/modules/po/notify_connect.pt_BR.po +++ b/modules/po/notify_connect.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.8.x/modules/po/notify_connect.pot\n" +"X-Crowdin-File-ID: 370\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/notify_connect.ru_RU.po b/modules/po/notify_connect.ru_RU.po index 449405ee..dce52863 100644 --- a/modules/po/notify_connect.ru_RU.po +++ b/modules/po/notify_connect.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.8.x/modules/po/notify_connect.pot\n" +"X-Crowdin-File-ID: 370\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/perform.bg_BG.po b/modules/po/perform.bg_BG.po index 12030970..07739478 100644 --- a/modules/po/perform.bg_BG.po +++ b/modules/po/perform.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.8.x/modules/po/perform.pot\n" +"X-Crowdin-File-ID: 372\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/perform.es_ES.po b/modules/po/perform.es_ES.po index c5b1638e..d9baea94 100644 --- a/modules/po/perform.es_ES.po +++ b/modules/po/perform.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.8.x/modules/po/perform.pot\n" +"X-Crowdin-File-ID: 372\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/perform.fr_FR.po b/modules/po/perform.fr_FR.po index 964f908f..616bf528 100644 --- a/modules/po/perform.fr_FR.po +++ b/modules/po/perform.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.8.x/modules/po/perform.pot\n" +"X-Crowdin-File-ID: 372\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/perform.id_ID.po b/modules/po/perform.id_ID.po index 6c7d13ee..83b7c630 100644 --- a/modules/po/perform.id_ID.po +++ b/modules/po/perform.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.8.x/modules/po/perform.pot\n" +"X-Crowdin-File-ID: 372\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/perform.it_IT.po b/modules/po/perform.it_IT.po index ab83c3cd..4ba93d46 100644 --- a/modules/po/perform.it_IT.po +++ b/modules/po/perform.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.8.x/modules/po/perform.pot\n" +"X-Crowdin-File-ID: 372\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/perform.nl_NL.po b/modules/po/perform.nl_NL.po index df816f13..00c14edb 100644 --- a/modules/po/perform.nl_NL.po +++ b/modules/po/perform.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.8.x/modules/po/perform.pot\n" +"X-Crowdin-File-ID: 372\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/perform.pt_BR.po b/modules/po/perform.pt_BR.po index 86d714ba..c27c898a 100644 --- a/modules/po/perform.pt_BR.po +++ b/modules/po/perform.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.8.x/modules/po/perform.pot\n" +"X-Crowdin-File-ID: 372\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/perform.ru_RU.po b/modules/po/perform.ru_RU.po index 09aa4af3..e1c39d9d 100644 --- a/modules/po/perform.ru_RU.po +++ b/modules/po/perform.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.8.x/modules/po/perform.pot\n" +"X-Crowdin-File-ID: 372\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/perleval.bg_BG.po b/modules/po/perleval.bg_BG.po index b5ee98c2..38ff14ca 100644 --- a/modules/po/perleval.bg_BG.po +++ b/modules/po/perleval.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.8.x/modules/po/perleval.pot\n" +"X-Crowdin-File-ID: 374\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/perleval.es_ES.po b/modules/po/perleval.es_ES.po index 27cc8493..2c243c5c 100644 --- a/modules/po/perleval.es_ES.po +++ b/modules/po/perleval.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.8.x/modules/po/perleval.pot\n" +"X-Crowdin-File-ID: 374\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/perleval.fr_FR.po b/modules/po/perleval.fr_FR.po index c007fd01..2c1b3e26 100644 --- a/modules/po/perleval.fr_FR.po +++ b/modules/po/perleval.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.8.x/modules/po/perleval.pot\n" +"X-Crowdin-File-ID: 374\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/perleval.id_ID.po b/modules/po/perleval.id_ID.po index 185afa29..94e72fb0 100644 --- a/modules/po/perleval.id_ID.po +++ b/modules/po/perleval.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.8.x/modules/po/perleval.pot\n" +"X-Crowdin-File-ID: 374\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/perleval.it_IT.po b/modules/po/perleval.it_IT.po index f72cd601..3221c72e 100644 --- a/modules/po/perleval.it_IT.po +++ b/modules/po/perleval.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.8.x/modules/po/perleval.pot\n" +"X-Crowdin-File-ID: 374\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/perleval.nl_NL.po b/modules/po/perleval.nl_NL.po index cbf8e3e8..d435b38f 100644 --- a/modules/po/perleval.nl_NL.po +++ b/modules/po/perleval.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.8.x/modules/po/perleval.pot\n" +"X-Crowdin-File-ID: 374\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/perleval.pt_BR.po b/modules/po/perleval.pt_BR.po index fae850b1..69f23031 100644 --- a/modules/po/perleval.pt_BR.po +++ b/modules/po/perleval.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.8.x/modules/po/perleval.pot\n" +"X-Crowdin-File-ID: 374\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/perleval.ru_RU.po b/modules/po/perleval.ru_RU.po index 98921c5f..a8f0753f 100644 --- a/modules/po/perleval.ru_RU.po +++ b/modules/po/perleval.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.8.x/modules/po/perleval.pot\n" +"X-Crowdin-File-ID: 374\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/pyeval.bg_BG.po b/modules/po/pyeval.bg_BG.po index 03ab18df..733c541f 100644 --- a/modules/po/pyeval.bg_BG.po +++ b/modules/po/pyeval.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.8.x/modules/po/pyeval.pot\n" +"X-Crowdin-File-ID: 376\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/pyeval.es_ES.po b/modules/po/pyeval.es_ES.po index 0fa7b13e..18f9be71 100644 --- a/modules/po/pyeval.es_ES.po +++ b/modules/po/pyeval.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.8.x/modules/po/pyeval.pot\n" +"X-Crowdin-File-ID: 376\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/pyeval.fr_FR.po b/modules/po/pyeval.fr_FR.po index 2dce7193..2daa117e 100644 --- a/modules/po/pyeval.fr_FR.po +++ b/modules/po/pyeval.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.8.x/modules/po/pyeval.pot\n" +"X-Crowdin-File-ID: 376\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/pyeval.id_ID.po b/modules/po/pyeval.id_ID.po index c7f67311..64002a89 100644 --- a/modules/po/pyeval.id_ID.po +++ b/modules/po/pyeval.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.8.x/modules/po/pyeval.pot\n" +"X-Crowdin-File-ID: 376\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/pyeval.it_IT.po b/modules/po/pyeval.it_IT.po index 673f4703..b877617f 100644 --- a/modules/po/pyeval.it_IT.po +++ b/modules/po/pyeval.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.8.x/modules/po/pyeval.pot\n" +"X-Crowdin-File-ID: 376\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/pyeval.nl_NL.po b/modules/po/pyeval.nl_NL.po index 6e4e3337..000b655f 100644 --- a/modules/po/pyeval.nl_NL.po +++ b/modules/po/pyeval.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.8.x/modules/po/pyeval.pot\n" +"X-Crowdin-File-ID: 376\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/pyeval.pt_BR.po b/modules/po/pyeval.pt_BR.po index b427afcb..c73ac52a 100644 --- a/modules/po/pyeval.pt_BR.po +++ b/modules/po/pyeval.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.8.x/modules/po/pyeval.pot\n" +"X-Crowdin-File-ID: 376\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/pyeval.ru_RU.po b/modules/po/pyeval.ru_RU.po index 94ea3518..904b74b5 100644 --- a/modules/po/pyeval.ru_RU.po +++ b/modules/po/pyeval.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.8.x/modules/po/pyeval.pot\n" +"X-Crowdin-File-ID: 376\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/raw.bg_BG.po b/modules/po/raw.bg_BG.po index 7629bc3c..f7e7cf77 100644 --- a/modules/po/raw.bg_BG.po +++ b/modules/po/raw.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.8.x/modules/po/raw.pot\n" +"X-Crowdin-File-ID: 320\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/raw.es_ES.po b/modules/po/raw.es_ES.po index 396f2d8b..c67eaf8c 100644 --- a/modules/po/raw.es_ES.po +++ b/modules/po/raw.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.8.x/modules/po/raw.pot\n" +"X-Crowdin-File-ID: 320\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/raw.fr_FR.po b/modules/po/raw.fr_FR.po index c88bf619..d111f909 100644 --- a/modules/po/raw.fr_FR.po +++ b/modules/po/raw.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.8.x/modules/po/raw.pot\n" +"X-Crowdin-File-ID: 320\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/raw.id_ID.po b/modules/po/raw.id_ID.po index cbdeb38d..fafbb2c2 100644 --- a/modules/po/raw.id_ID.po +++ b/modules/po/raw.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.8.x/modules/po/raw.pot\n" +"X-Crowdin-File-ID: 320\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/raw.it_IT.po b/modules/po/raw.it_IT.po index 61105932..4ce5f880 100644 --- a/modules/po/raw.it_IT.po +++ b/modules/po/raw.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.8.x/modules/po/raw.pot\n" +"X-Crowdin-File-ID: 320\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/raw.nl_NL.po b/modules/po/raw.nl_NL.po index 770ca7b3..53900e79 100644 --- a/modules/po/raw.nl_NL.po +++ b/modules/po/raw.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.8.x/modules/po/raw.pot\n" +"X-Crowdin-File-ID: 320\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/raw.pt_BR.po b/modules/po/raw.pt_BR.po index d30424d6..9d165ad7 100644 --- a/modules/po/raw.pt_BR.po +++ b/modules/po/raw.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.8.x/modules/po/raw.pot\n" +"X-Crowdin-File-ID: 320\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/raw.ru_RU.po b/modules/po/raw.ru_RU.po index 957b10e5..2de435eb 100644 --- a/modules/po/raw.ru_RU.po +++ b/modules/po/raw.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.8.x/modules/po/raw.pot\n" +"X-Crowdin-File-ID: 320\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/route_replies.bg_BG.po b/modules/po/route_replies.bg_BG.po index aee1c5e6..51d72b19 100644 --- a/modules/po/route_replies.bg_BG.po +++ b/modules/po/route_replies.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.8.x/modules/po/route_replies.pot\n" +"X-Crowdin-File-ID: 378\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/route_replies.es_ES.po b/modules/po/route_replies.es_ES.po index 9bb7e488..65ae4b59 100644 --- a/modules/po/route_replies.es_ES.po +++ b/modules/po/route_replies.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.8.x/modules/po/route_replies.pot\n" +"X-Crowdin-File-ID: 378\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/route_replies.fr_FR.po b/modules/po/route_replies.fr_FR.po index f04fa53f..e02c16b9 100644 --- a/modules/po/route_replies.fr_FR.po +++ b/modules/po/route_replies.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.8.x/modules/po/route_replies.pot\n" +"X-Crowdin-File-ID: 378\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/route_replies.id_ID.po b/modules/po/route_replies.id_ID.po index a99fb6d0..269c6e05 100644 --- a/modules/po/route_replies.id_ID.po +++ b/modules/po/route_replies.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.8.x/modules/po/route_replies.pot\n" +"X-Crowdin-File-ID: 378\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/route_replies.it_IT.po b/modules/po/route_replies.it_IT.po index 10c7b3c6..c278f84e 100644 --- a/modules/po/route_replies.it_IT.po +++ b/modules/po/route_replies.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.8.x/modules/po/route_replies.pot\n" +"X-Crowdin-File-ID: 378\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/route_replies.nl_NL.po b/modules/po/route_replies.nl_NL.po index 4c3805ad..fd27358b 100644 --- a/modules/po/route_replies.nl_NL.po +++ b/modules/po/route_replies.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.8.x/modules/po/route_replies.pot\n" +"X-Crowdin-File-ID: 378\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/route_replies.pt_BR.po b/modules/po/route_replies.pt_BR.po index d17e3c15..205fa1cf 100644 --- a/modules/po/route_replies.pt_BR.po +++ b/modules/po/route_replies.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.8.x/modules/po/route_replies.pot\n" +"X-Crowdin-File-ID: 378\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/route_replies.ru_RU.po b/modules/po/route_replies.ru_RU.po index b505ae66..79e201e8 100644 --- a/modules/po/route_replies.ru_RU.po +++ b/modules/po/route_replies.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.8.x/modules/po/route_replies.pot\n" +"X-Crowdin-File-ID: 378\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/sample.bg_BG.po b/modules/po/sample.bg_BG.po index f8f41100..46ce0799 100644 --- a/modules/po/sample.bg_BG.po +++ b/modules/po/sample.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.8.x/modules/po/sample.pot\n" +"X-Crowdin-File-ID: 380\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/sample.es_ES.po b/modules/po/sample.es_ES.po index 32256a92..14fe213b 100644 --- a/modules/po/sample.es_ES.po +++ b/modules/po/sample.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.8.x/modules/po/sample.pot\n" +"X-Crowdin-File-ID: 380\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/sample.fr_FR.po b/modules/po/sample.fr_FR.po index 28750a49..878fa0a8 100644 --- a/modules/po/sample.fr_FR.po +++ b/modules/po/sample.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.8.x/modules/po/sample.pot\n" +"X-Crowdin-File-ID: 380\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/sample.id_ID.po b/modules/po/sample.id_ID.po index 4e6fccc3..96458e62 100644 --- a/modules/po/sample.id_ID.po +++ b/modules/po/sample.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.8.x/modules/po/sample.pot\n" +"X-Crowdin-File-ID: 380\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/sample.it_IT.po b/modules/po/sample.it_IT.po index f2b0ff66..5b3fb54c 100644 --- a/modules/po/sample.it_IT.po +++ b/modules/po/sample.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.8.x/modules/po/sample.pot\n" +"X-Crowdin-File-ID: 380\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/sample.nl_NL.po b/modules/po/sample.nl_NL.po index 75ec144b..bf5bb157 100644 --- a/modules/po/sample.nl_NL.po +++ b/modules/po/sample.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.8.x/modules/po/sample.pot\n" +"X-Crowdin-File-ID: 380\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/sample.pt_BR.po b/modules/po/sample.pt_BR.po index a1da0cce..ac7747f5 100644 --- a/modules/po/sample.pt_BR.po +++ b/modules/po/sample.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.8.x/modules/po/sample.pot\n" +"X-Crowdin-File-ID: 380\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/sample.ru_RU.po b/modules/po/sample.ru_RU.po index fa0fa551..fe31442c 100644 --- a/modules/po/sample.ru_RU.po +++ b/modules/po/sample.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.8.x/modules/po/sample.pot\n" +"X-Crowdin-File-ID: 380\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/samplewebapi.bg_BG.po b/modules/po/samplewebapi.bg_BG.po index 4f4888e2..b616199b 100644 --- a/modules/po/samplewebapi.bg_BG.po +++ b/modules/po/samplewebapi.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.8.x/modules/po/samplewebapi.pot\n" +"X-Crowdin-File-ID: 382\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/samplewebapi.es_ES.po b/modules/po/samplewebapi.es_ES.po index 4e459ac0..9b14ed66 100644 --- a/modules/po/samplewebapi.es_ES.po +++ b/modules/po/samplewebapi.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.8.x/modules/po/samplewebapi.pot\n" +"X-Crowdin-File-ID: 382\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/samplewebapi.fr_FR.po b/modules/po/samplewebapi.fr_FR.po index 71002746..98d01e8c 100644 --- a/modules/po/samplewebapi.fr_FR.po +++ b/modules/po/samplewebapi.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.8.x/modules/po/samplewebapi.pot\n" +"X-Crowdin-File-ID: 382\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/samplewebapi.id_ID.po b/modules/po/samplewebapi.id_ID.po index 6b0e330f..c8005891 100644 --- a/modules/po/samplewebapi.id_ID.po +++ b/modules/po/samplewebapi.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.8.x/modules/po/samplewebapi.pot\n" +"X-Crowdin-File-ID: 382\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/samplewebapi.it_IT.po b/modules/po/samplewebapi.it_IT.po index c2928039..82423a5f 100644 --- a/modules/po/samplewebapi.it_IT.po +++ b/modules/po/samplewebapi.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.8.x/modules/po/samplewebapi.pot\n" +"X-Crowdin-File-ID: 382\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/samplewebapi.nl_NL.po b/modules/po/samplewebapi.nl_NL.po index d5814343..3c597506 100644 --- a/modules/po/samplewebapi.nl_NL.po +++ b/modules/po/samplewebapi.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.8.x/modules/po/samplewebapi.pot\n" +"X-Crowdin-File-ID: 382\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/samplewebapi.pt_BR.po b/modules/po/samplewebapi.pt_BR.po index 8f880dd4..4347d4e0 100644 --- a/modules/po/samplewebapi.pt_BR.po +++ b/modules/po/samplewebapi.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.8.x/modules/po/samplewebapi.pot\n" +"X-Crowdin-File-ID: 382\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/samplewebapi.ru_RU.po b/modules/po/samplewebapi.ru_RU.po index 74de4fa9..608cd7a1 100644 --- a/modules/po/samplewebapi.ru_RU.po +++ b/modules/po/samplewebapi.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.8.x/modules/po/samplewebapi.pot\n" +"X-Crowdin-File-ID: 382\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/sasl.bg_BG.po b/modules/po/sasl.bg_BG.po index 9230b2e2..2a30db98 100644 --- a/modules/po/sasl.bg_BG.po +++ b/modules/po/sasl.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.8.x/modules/po/sasl.pot\n" +"X-Crowdin-File-ID: 384\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/sasl.es_ES.po b/modules/po/sasl.es_ES.po index a8285744..ddc6ea57 100644 --- a/modules/po/sasl.es_ES.po +++ b/modules/po/sasl.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.8.x/modules/po/sasl.pot\n" +"X-Crowdin-File-ID: 384\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/sasl.fr_FR.po b/modules/po/sasl.fr_FR.po index 07a761ef..dd686cdd 100644 --- a/modules/po/sasl.fr_FR.po +++ b/modules/po/sasl.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.8.x/modules/po/sasl.pot\n" +"X-Crowdin-File-ID: 384\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/sasl.id_ID.po b/modules/po/sasl.id_ID.po index 93708686..bb162cbb 100644 --- a/modules/po/sasl.id_ID.po +++ b/modules/po/sasl.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.8.x/modules/po/sasl.pot\n" +"X-Crowdin-File-ID: 384\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/sasl.it_IT.po b/modules/po/sasl.it_IT.po index 74cc3c16..1c124428 100644 --- a/modules/po/sasl.it_IT.po +++ b/modules/po/sasl.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.8.x/modules/po/sasl.pot\n" +"X-Crowdin-File-ID: 384\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/sasl.nl_NL.po b/modules/po/sasl.nl_NL.po index 4400b941..fd54dc8a 100644 --- a/modules/po/sasl.nl_NL.po +++ b/modules/po/sasl.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.8.x/modules/po/sasl.pot\n" +"X-Crowdin-File-ID: 384\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/sasl.pt_BR.po b/modules/po/sasl.pt_BR.po index 417218b8..1e6f544b 100644 --- a/modules/po/sasl.pt_BR.po +++ b/modules/po/sasl.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.8.x/modules/po/sasl.pot\n" +"X-Crowdin-File-ID: 384\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/sasl.ru_RU.po b/modules/po/sasl.ru_RU.po index 6a539ace..32aad404 100644 --- a/modules/po/sasl.ru_RU.po +++ b/modules/po/sasl.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.8.x/modules/po/sasl.pot\n" +"X-Crowdin-File-ID: 384\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/savebuff.bg_BG.po b/modules/po/savebuff.bg_BG.po index d878f351..61bfacbc 100644 --- a/modules/po/savebuff.bg_BG.po +++ b/modules/po/savebuff.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.8.x/modules/po/savebuff.pot\n" +"X-Crowdin-File-ID: 386\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/savebuff.es_ES.po b/modules/po/savebuff.es_ES.po index 9d6ae3d0..7fcf79d0 100644 --- a/modules/po/savebuff.es_ES.po +++ b/modules/po/savebuff.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.8.x/modules/po/savebuff.pot\n" +"X-Crowdin-File-ID: 386\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/savebuff.fr_FR.po b/modules/po/savebuff.fr_FR.po index de8b3d6a..b1c3c987 100644 --- a/modules/po/savebuff.fr_FR.po +++ b/modules/po/savebuff.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.8.x/modules/po/savebuff.pot\n" +"X-Crowdin-File-ID: 386\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/savebuff.id_ID.po b/modules/po/savebuff.id_ID.po index 03252c1c..f6bfdc86 100644 --- a/modules/po/savebuff.id_ID.po +++ b/modules/po/savebuff.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.8.x/modules/po/savebuff.pot\n" +"X-Crowdin-File-ID: 386\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/savebuff.it_IT.po b/modules/po/savebuff.it_IT.po index d494cc48..85a6cccf 100644 --- a/modules/po/savebuff.it_IT.po +++ b/modules/po/savebuff.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.8.x/modules/po/savebuff.pot\n" +"X-Crowdin-File-ID: 386\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/savebuff.nl_NL.po b/modules/po/savebuff.nl_NL.po index 6b6e859b..685e3589 100644 --- a/modules/po/savebuff.nl_NL.po +++ b/modules/po/savebuff.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.8.x/modules/po/savebuff.pot\n" +"X-Crowdin-File-ID: 386\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/savebuff.pt_BR.po b/modules/po/savebuff.pt_BR.po index b4b9d892..a0ce9442 100644 --- a/modules/po/savebuff.pt_BR.po +++ b/modules/po/savebuff.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.8.x/modules/po/savebuff.pot\n" +"X-Crowdin-File-ID: 386\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/savebuff.ru_RU.po b/modules/po/savebuff.ru_RU.po index 951fc9a6..8a9409e5 100644 --- a/modules/po/savebuff.ru_RU.po +++ b/modules/po/savebuff.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.8.x/modules/po/savebuff.pot\n" +"X-Crowdin-File-ID: 386\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/send_raw.bg_BG.po b/modules/po/send_raw.bg_BG.po index fac58278..632f1283 100644 --- a/modules/po/send_raw.bg_BG.po +++ b/modules/po/send_raw.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.8.x/modules/po/send_raw.pot\n" +"X-Crowdin-File-ID: 388\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/send_raw.es_ES.po b/modules/po/send_raw.es_ES.po index 7b3757c3..1cc52be4 100644 --- a/modules/po/send_raw.es_ES.po +++ b/modules/po/send_raw.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.8.x/modules/po/send_raw.pot\n" +"X-Crowdin-File-ID: 388\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/send_raw.fr_FR.po b/modules/po/send_raw.fr_FR.po index 22270cbf..57f8392a 100644 --- a/modules/po/send_raw.fr_FR.po +++ b/modules/po/send_raw.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.8.x/modules/po/send_raw.pot\n" +"X-Crowdin-File-ID: 388\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/send_raw.id_ID.po b/modules/po/send_raw.id_ID.po index c34651df..4e59a526 100644 --- a/modules/po/send_raw.id_ID.po +++ b/modules/po/send_raw.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.8.x/modules/po/send_raw.pot\n" +"X-Crowdin-File-ID: 388\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/send_raw.it_IT.po b/modules/po/send_raw.it_IT.po index 6628574b..b6b904d3 100644 --- a/modules/po/send_raw.it_IT.po +++ b/modules/po/send_raw.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.8.x/modules/po/send_raw.pot\n" +"X-Crowdin-File-ID: 388\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/send_raw.nl_NL.po b/modules/po/send_raw.nl_NL.po index 761f855c..7e40f794 100644 --- a/modules/po/send_raw.nl_NL.po +++ b/modules/po/send_raw.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.8.x/modules/po/send_raw.pot\n" +"X-Crowdin-File-ID: 388\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/send_raw.pt_BR.po b/modules/po/send_raw.pt_BR.po index 446daa7f..1dbc09a0 100644 --- a/modules/po/send_raw.pt_BR.po +++ b/modules/po/send_raw.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.8.x/modules/po/send_raw.pot\n" +"X-Crowdin-File-ID: 388\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/send_raw.ru_RU.po b/modules/po/send_raw.ru_RU.po index cbf2c8c1..09351409 100644 --- a/modules/po/send_raw.ru_RU.po +++ b/modules/po/send_raw.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.8.x/modules/po/send_raw.pot\n" +"X-Crowdin-File-ID: 388\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/shell.bg_BG.po b/modules/po/shell.bg_BG.po index 7c79c839..ddc61934 100644 --- a/modules/po/shell.bg_BG.po +++ b/modules/po/shell.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.8.x/modules/po/shell.pot\n" +"X-Crowdin-File-ID: 390\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/shell.es_ES.po b/modules/po/shell.es_ES.po index fa3cc748..0eab4a87 100644 --- a/modules/po/shell.es_ES.po +++ b/modules/po/shell.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.8.x/modules/po/shell.pot\n" +"X-Crowdin-File-ID: 390\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/shell.fr_FR.po b/modules/po/shell.fr_FR.po index 91ff3085..3c921470 100644 --- a/modules/po/shell.fr_FR.po +++ b/modules/po/shell.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.8.x/modules/po/shell.pot\n" +"X-Crowdin-File-ID: 390\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/shell.id_ID.po b/modules/po/shell.id_ID.po index f7e49731..87c1807a 100644 --- a/modules/po/shell.id_ID.po +++ b/modules/po/shell.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.8.x/modules/po/shell.pot\n" +"X-Crowdin-File-ID: 390\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/shell.it_IT.po b/modules/po/shell.it_IT.po index 1f6532bb..143b1ae7 100644 --- a/modules/po/shell.it_IT.po +++ b/modules/po/shell.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.8.x/modules/po/shell.pot\n" +"X-Crowdin-File-ID: 390\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/shell.nl_NL.po b/modules/po/shell.nl_NL.po index 10263de3..27d11bc6 100644 --- a/modules/po/shell.nl_NL.po +++ b/modules/po/shell.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.8.x/modules/po/shell.pot\n" +"X-Crowdin-File-ID: 390\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/shell.pt_BR.po b/modules/po/shell.pt_BR.po index a5fa6934..c73accef 100644 --- a/modules/po/shell.pt_BR.po +++ b/modules/po/shell.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.8.x/modules/po/shell.pot\n" +"X-Crowdin-File-ID: 390\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/shell.ru_RU.po b/modules/po/shell.ru_RU.po index 5a790854..40d3cb92 100644 --- a/modules/po/shell.ru_RU.po +++ b/modules/po/shell.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.8.x/modules/po/shell.pot\n" +"X-Crowdin-File-ID: 390\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/simple_away.bg_BG.po b/modules/po/simple_away.bg_BG.po index 72d41654..cb019662 100644 --- a/modules/po/simple_away.bg_BG.po +++ b/modules/po/simple_away.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.8.x/modules/po/simple_away.pot\n" +"X-Crowdin-File-ID: 392\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/simple_away.es_ES.po b/modules/po/simple_away.es_ES.po index 93dc222e..334db9ec 100644 --- a/modules/po/simple_away.es_ES.po +++ b/modules/po/simple_away.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.8.x/modules/po/simple_away.pot\n" +"X-Crowdin-File-ID: 392\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/simple_away.fr_FR.po b/modules/po/simple_away.fr_FR.po index 99c33d5c..d87d61df 100644 --- a/modules/po/simple_away.fr_FR.po +++ b/modules/po/simple_away.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.8.x/modules/po/simple_away.pot\n" +"X-Crowdin-File-ID: 392\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/simple_away.id_ID.po b/modules/po/simple_away.id_ID.po index 96b41e02..3e4dbde8 100644 --- a/modules/po/simple_away.id_ID.po +++ b/modules/po/simple_away.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.8.x/modules/po/simple_away.pot\n" +"X-Crowdin-File-ID: 392\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/simple_away.it_IT.po b/modules/po/simple_away.it_IT.po index eac8ef17..870f646d 100644 --- a/modules/po/simple_away.it_IT.po +++ b/modules/po/simple_away.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.8.x/modules/po/simple_away.pot\n" +"X-Crowdin-File-ID: 392\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/simple_away.nl_NL.po b/modules/po/simple_away.nl_NL.po index e276f659..21099075 100644 --- a/modules/po/simple_away.nl_NL.po +++ b/modules/po/simple_away.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.8.x/modules/po/simple_away.pot\n" +"X-Crowdin-File-ID: 392\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/simple_away.pt_BR.po b/modules/po/simple_away.pt_BR.po index 216acc2d..525c332f 100644 --- a/modules/po/simple_away.pt_BR.po +++ b/modules/po/simple_away.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.8.x/modules/po/simple_away.pot\n" +"X-Crowdin-File-ID: 392\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/simple_away.ru_RU.po b/modules/po/simple_away.ru_RU.po index e82a72f3..432432d4 100644 --- a/modules/po/simple_away.ru_RU.po +++ b/modules/po/simple_away.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.8.x/modules/po/simple_away.pot\n" +"X-Crowdin-File-ID: 392\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/stickychan.bg_BG.po b/modules/po/stickychan.bg_BG.po index ffdde654..bdcbbacc 100644 --- a/modules/po/stickychan.bg_BG.po +++ b/modules/po/stickychan.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.8.x/modules/po/stickychan.pot\n" +"X-Crowdin-File-ID: 394\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/stickychan.es_ES.po b/modules/po/stickychan.es_ES.po index 61d1c4c2..91a65ece 100644 --- a/modules/po/stickychan.es_ES.po +++ b/modules/po/stickychan.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.8.x/modules/po/stickychan.pot\n" +"X-Crowdin-File-ID: 394\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/stickychan.fr_FR.po b/modules/po/stickychan.fr_FR.po index bdfa9051..b0105679 100644 --- a/modules/po/stickychan.fr_FR.po +++ b/modules/po/stickychan.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.8.x/modules/po/stickychan.pot\n" +"X-Crowdin-File-ID: 394\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/stickychan.id_ID.po b/modules/po/stickychan.id_ID.po index b8b3381a..5042bca0 100644 --- a/modules/po/stickychan.id_ID.po +++ b/modules/po/stickychan.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.8.x/modules/po/stickychan.pot\n" +"X-Crowdin-File-ID: 394\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/stickychan.it_IT.po b/modules/po/stickychan.it_IT.po index 1a0ecd78..9ed8814f 100644 --- a/modules/po/stickychan.it_IT.po +++ b/modules/po/stickychan.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.8.x/modules/po/stickychan.pot\n" +"X-Crowdin-File-ID: 394\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/stickychan.nl_NL.po b/modules/po/stickychan.nl_NL.po index c5a2067c..6ff2f539 100644 --- a/modules/po/stickychan.nl_NL.po +++ b/modules/po/stickychan.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.8.x/modules/po/stickychan.pot\n" +"X-Crowdin-File-ID: 394\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/stickychan.pt_BR.po b/modules/po/stickychan.pt_BR.po index 60a06f7a..42f99221 100644 --- a/modules/po/stickychan.pt_BR.po +++ b/modules/po/stickychan.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.8.x/modules/po/stickychan.pot\n" +"X-Crowdin-File-ID: 394\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/stickychan.ru_RU.po b/modules/po/stickychan.ru_RU.po index 65723957..27f984b9 100644 --- a/modules/po/stickychan.ru_RU.po +++ b/modules/po/stickychan.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.8.x/modules/po/stickychan.pot\n" +"X-Crowdin-File-ID: 394\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/stripcontrols.bg_BG.po b/modules/po/stripcontrols.bg_BG.po index 797fc00f..7a0faf31 100644 --- a/modules/po/stripcontrols.bg_BG.po +++ b/modules/po/stripcontrols.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.8.x/modules/po/stripcontrols.pot\n" +"X-Crowdin-File-ID: 398\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/stripcontrols.es_ES.po b/modules/po/stripcontrols.es_ES.po index 0b46d057..15d345b2 100644 --- a/modules/po/stripcontrols.es_ES.po +++ b/modules/po/stripcontrols.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.8.x/modules/po/stripcontrols.pot\n" +"X-Crowdin-File-ID: 398\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/stripcontrols.fr_FR.po b/modules/po/stripcontrols.fr_FR.po index 562ed641..d84662ee 100644 --- a/modules/po/stripcontrols.fr_FR.po +++ b/modules/po/stripcontrols.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.8.x/modules/po/stripcontrols.pot\n" +"X-Crowdin-File-ID: 398\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/stripcontrols.id_ID.po b/modules/po/stripcontrols.id_ID.po index adf94f71..7835da50 100644 --- a/modules/po/stripcontrols.id_ID.po +++ b/modules/po/stripcontrols.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.8.x/modules/po/stripcontrols.pot\n" +"X-Crowdin-File-ID: 398\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/stripcontrols.it_IT.po b/modules/po/stripcontrols.it_IT.po index 68a786cf..dd45e6af 100644 --- a/modules/po/stripcontrols.it_IT.po +++ b/modules/po/stripcontrols.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.8.x/modules/po/stripcontrols.pot\n" +"X-Crowdin-File-ID: 398\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/stripcontrols.nl_NL.po b/modules/po/stripcontrols.nl_NL.po index c0ed32e1..80b4743c 100644 --- a/modules/po/stripcontrols.nl_NL.po +++ b/modules/po/stripcontrols.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.8.x/modules/po/stripcontrols.pot\n" +"X-Crowdin-File-ID: 398\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/stripcontrols.pt_BR.po b/modules/po/stripcontrols.pt_BR.po index 66a69b7f..1117a92d 100644 --- a/modules/po/stripcontrols.pt_BR.po +++ b/modules/po/stripcontrols.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.8.x/modules/po/stripcontrols.pot\n" +"X-Crowdin-File-ID: 398\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/stripcontrols.ru_RU.po b/modules/po/stripcontrols.ru_RU.po index ee3e6be9..3ae21f62 100644 --- a/modules/po/stripcontrols.ru_RU.po +++ b/modules/po/stripcontrols.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.8.x/modules/po/stripcontrols.pot\n" +"X-Crowdin-File-ID: 398\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/watch.bg_BG.po b/modules/po/watch.bg_BG.po index 8671637a..eeb14ebb 100644 --- a/modules/po/watch.bg_BG.po +++ b/modules/po/watch.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.8.x/modules/po/watch.pot\n" +"X-Crowdin-File-ID: 396\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/watch.es_ES.po b/modules/po/watch.es_ES.po index 38e6d0c8..5126ab04 100644 --- a/modules/po/watch.es_ES.po +++ b/modules/po/watch.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.8.x/modules/po/watch.pot\n" +"X-Crowdin-File-ID: 396\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/watch.fr_FR.po b/modules/po/watch.fr_FR.po index ab2911a7..bca6ffa1 100644 --- a/modules/po/watch.fr_FR.po +++ b/modules/po/watch.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.8.x/modules/po/watch.pot\n" +"X-Crowdin-File-ID: 396\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/watch.id_ID.po b/modules/po/watch.id_ID.po index 0907b97b..d974a1c0 100644 --- a/modules/po/watch.id_ID.po +++ b/modules/po/watch.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.8.x/modules/po/watch.pot\n" +"X-Crowdin-File-ID: 396\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/watch.it_IT.po b/modules/po/watch.it_IT.po index 9af43f41..29659d8d 100644 --- a/modules/po/watch.it_IT.po +++ b/modules/po/watch.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.8.x/modules/po/watch.pot\n" +"X-Crowdin-File-ID: 396\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/watch.nl_NL.po b/modules/po/watch.nl_NL.po index f72813a1..9ea115d2 100644 --- a/modules/po/watch.nl_NL.po +++ b/modules/po/watch.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.8.x/modules/po/watch.pot\n" +"X-Crowdin-File-ID: 396\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/watch.pt_BR.po b/modules/po/watch.pt_BR.po index 441c0f4e..8e6956b9 100644 --- a/modules/po/watch.pt_BR.po +++ b/modules/po/watch.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.8.x/modules/po/watch.pot\n" +"X-Crowdin-File-ID: 396\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/watch.ru_RU.po b/modules/po/watch.ru_RU.po index 09804a3a..42ed6739 100644 --- a/modules/po/watch.ru_RU.po +++ b/modules/po/watch.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.8.x/modules/po/watch.pot\n" +"X-Crowdin-File-ID: 396\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/webadmin.bg_BG.po b/modules/po/webadmin.bg_BG.po index 0bae8126..d0d43f15 100644 --- a/modules/po/webadmin.bg_BG.po +++ b/modules/po/webadmin.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.8.x/modules/po/webadmin.pot\n" +"X-Crowdin-File-ID: 400\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/webadmin.es_ES.po b/modules/po/webadmin.es_ES.po index d93673a7..262af124 100644 --- a/modules/po/webadmin.es_ES.po +++ b/modules/po/webadmin.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.8.x/modules/po/webadmin.pot\n" +"X-Crowdin-File-ID: 400\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/webadmin.fr_FR.po b/modules/po/webadmin.fr_FR.po index 57238c20..0d94fbc4 100644 --- a/modules/po/webadmin.fr_FR.po +++ b/modules/po/webadmin.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.8.x/modules/po/webadmin.pot\n" +"X-Crowdin-File-ID: 400\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/webadmin.id_ID.po b/modules/po/webadmin.id_ID.po index c4c3007b..cbf6735a 100644 --- a/modules/po/webadmin.id_ID.po +++ b/modules/po/webadmin.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.8.x/modules/po/webadmin.pot\n" +"X-Crowdin-File-ID: 400\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/webadmin.it_IT.po b/modules/po/webadmin.it_IT.po index 2b626978..53e4fe47 100644 --- a/modules/po/webadmin.it_IT.po +++ b/modules/po/webadmin.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.8.x/modules/po/webadmin.pot\n" +"X-Crowdin-File-ID: 400\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/webadmin.nl_NL.po b/modules/po/webadmin.nl_NL.po index 923d00ed..37a67860 100644 --- a/modules/po/webadmin.nl_NL.po +++ b/modules/po/webadmin.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.8.x/modules/po/webadmin.pot\n" +"X-Crowdin-File-ID: 400\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/webadmin.pt_BR.po b/modules/po/webadmin.pt_BR.po index c93decd2..46e325ed 100644 --- a/modules/po/webadmin.pt_BR.po +++ b/modules/po/webadmin.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.8.x/modules/po/webadmin.pot\n" +"X-Crowdin-File-ID: 400\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/webadmin.ru_RU.po b/modules/po/webadmin.ru_RU.po index 1abd0b84..223a2386 100644 --- a/modules/po/webadmin.ru_RU.po +++ b/modules/po/webadmin.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.8.x/modules/po/webadmin.pot\n" +"X-Crowdin-File-ID: 400\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/src/po/znc.bg_BG.po b/src/po/znc.bg_BG.po index 4694c2d9..e1379baa 100644 --- a/src/po/znc.bg_BG.po +++ b/src/po/znc.bg_BG.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" "X-Crowdin-File: /1.8.x/src/po/znc.pot\n" +"X-Crowdin-File-ID: 284\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/src/po/znc.es_ES.po b/src/po/znc.es_ES.po index bee770e2..9952f387 100644 --- a/src/po/znc.es_ES.po +++ b/src/po/znc.es_ES.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" "X-Crowdin-File: /1.8.x/src/po/znc.pot\n" +"X-Crowdin-File-ID: 284\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/src/po/znc.fr_FR.po b/src/po/znc.fr_FR.po index 71b8a464..0186b2a6 100644 --- a/src/po/znc.fr_FR.po +++ b/src/po/znc.fr_FR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" "X-Crowdin-File: /1.8.x/src/po/znc.pot\n" +"X-Crowdin-File-ID: 284\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/src/po/znc.id_ID.po b/src/po/znc.id_ID.po index f6b9da97..614f07eb 100644 --- a/src/po/znc.id_ID.po +++ b/src/po/znc.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /1.8.x/src/po/znc.pot\n" +"X-Crowdin-File-ID: 284\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/src/po/znc.it_IT.po b/src/po/znc.it_IT.po index 6a30f7a9..137da330 100644 --- a/src/po/znc.it_IT.po +++ b/src/po/znc.it_IT.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" "X-Crowdin-File: /1.8.x/src/po/znc.pot\n" +"X-Crowdin-File-ID: 284\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/src/po/znc.nl_NL.po b/src/po/znc.nl_NL.po index 216aef3b..b39c6caf 100644 --- a/src/po/znc.nl_NL.po +++ b/src/po/znc.nl_NL.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" "X-Crowdin-File: /1.8.x/src/po/znc.pot\n" +"X-Crowdin-File-ID: 284\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/src/po/znc.pt_BR.po b/src/po/znc.pt_BR.po index 1091294f..ae6a65ca 100644 --- a/src/po/znc.pt_BR.po +++ b/src/po/znc.pt_BR.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" "X-Crowdin-File: /1.8.x/src/po/znc.pot\n" +"X-Crowdin-File-ID: 284\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" @@ -736,7 +738,7 @@ msgstr "Servidor removido" #: ClientCommand.cpp:789 msgid "No such server" -msgstr "" +msgstr "Servidor não existe" #: ClientCommand.cpp:802 ClientCommand.cpp:809 msgctxt "listservers" @@ -769,7 +771,7 @@ msgstr "Sintaxe: AddTrustedServerFingerprint " #: ClientCommand.cpp:836 ClientCommand.cpp:849 msgid "Done." -msgstr "" +msgstr "Feito." #: ClientCommand.cpp:845 msgid "Usage: DelTrustedServerFingerprint " @@ -944,18 +946,22 @@ msgstr "Recarregando {1}" #: ClientCommand.cpp:1250 msgid "Done" -msgstr "" +msgstr "Feito" #: ClientCommand.cpp:1253 msgid "" "Done, but there were errors, module {1} could not be reloaded everywhere." msgstr "" +"Concluído, porém com erros, o módulo {1} não pode ser recarregado em lugar " +"nenhum." #: ClientCommand.cpp:1261 msgid "" "You must be connected with a network to use this command. Try " "SetUserBindHost instead" msgstr "" +"Você precisa estar conectado a uma rede para usar este comando. Tente " +"SetUserBindHost" #: ClientCommand.cpp:1268 msgid "Usage: SetBindHost " @@ -975,25 +981,27 @@ msgstr "Sintaxe: SetUserBindHost " #: ClientCommand.cpp:1295 msgid "Set default bind host to {1}" -msgstr "" +msgstr "Define o host padrão como {1}" #: ClientCommand.cpp:1301 msgid "" "You must be connected with a network to use this command. Try " "ClearUserBindHost instead" msgstr "" +"Você precisa estar conectado a uma rede para usar este comando. Tente " +"SetUserBindHost" #: ClientCommand.cpp:1306 msgid "Bind host cleared for this network." -msgstr "" +msgstr "Host removido para esta rede." #: ClientCommand.cpp:1310 msgid "Default bind host cleared for your user." -msgstr "" +msgstr "Host padrão removido para seu usuário." #: ClientCommand.cpp:1313 msgid "This user's default bind host not set" -msgstr "" +msgstr "O host padrão deste usuário não está definido" #: ClientCommand.cpp:1315 msgid "This user's default bind host is {1}" @@ -1371,7 +1379,7 @@ msgstr "" #: ClientCommand.cpp:1754 msgctxt "helpcmd|DelTrustedServerFingerprint|args" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1755 msgctxt "helpcmd|DelTrustedServerFingerprint|desc" @@ -1411,7 +1419,7 @@ msgstr "<#canais>" #: ClientCommand.cpp:1767 msgctxt "helpcmd|Attach|desc" msgid "Attach to channels" -msgstr "" +msgstr "Anexar aos canais" #: ClientCommand.cpp:1768 msgctxt "helpcmd|Detach|args" @@ -1421,12 +1429,12 @@ msgstr "<#canais>" #: ClientCommand.cpp:1769 msgctxt "helpcmd|Detach|desc" msgid "Detach from channels" -msgstr "" +msgstr "Desconectar dos canais" #: ClientCommand.cpp:1772 msgctxt "helpcmd|Topics|desc" msgid "Show topics in all your channels" -msgstr "" +msgstr "Mostra tópicos em todos os seus canais" #: ClientCommand.cpp:1775 msgctxt "helpcmd|PlayBuffer|args" @@ -1471,7 +1479,7 @@ msgstr "" #: ClientCommand.cpp:1791 msgctxt "helpcmd|SetBuffer|desc" msgid "Set the buffer count" -msgstr "" +msgstr "Define a contagem do buffer" #: ClientCommand.cpp:1795 msgctxt "helpcmd|SetBindHost|args" @@ -1496,17 +1504,17 @@ msgstr "Vincula o host especificado a este usuário" #: ClientCommand.cpp:1804 msgctxt "helpcmd|ClearBindHost|desc" msgid "Clear the bind host for this network" -msgstr "" +msgstr "Limpa o host para esta rede" #: ClientCommand.cpp:1807 msgctxt "helpcmd|ClearUserBindHost|desc" msgid "Clear the default bind host for this user" -msgstr "" +msgstr "Limpa o host padrão para este usuário" #: ClientCommand.cpp:1813 msgctxt "helpcmd|ShowBindHost|desc" msgid "Show currently selected bind host" -msgstr "" +msgstr "Mostra host atualmente selecionado" #: ClientCommand.cpp:1815 msgctxt "helpcmd|Jump|args" @@ -1516,7 +1524,7 @@ msgstr "[servidor]" #: ClientCommand.cpp:1816 msgctxt "helpcmd|Jump|desc" msgid "Jump to the next or the specified server" -msgstr "" +msgstr "Pule para o próximo servidor ou para o servidor especificado" #: ClientCommand.cpp:1817 msgctxt "helpcmd|Disconnect|args" diff --git a/src/po/znc.ru_RU.po b/src/po/znc.ru_RU.po index eac29dc3..971df773 100644 --- a/src/po/znc.ru_RU.po +++ b/src/po/znc.ru_RU.po @@ -6,8 +6,10 @@ msgstr "" "&& n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 " "&& n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" "X-Crowdin-File: /1.8.x/src/po/znc.pot\n" +"X-Crowdin-File-ID: 284\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" From fbc9eb83b14103bdff2d66cfd583e70d0b573156 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Sun, 14 Jun 2020 00:29:45 +0000 Subject: [PATCH 420/798] Update translations from Crowdin for id_ID pl_PL --- TRANSLATORS.md | 1 + modules/po/admindebug.id_ID.po | 2 + modules/po/admindebug.pl_PL.po | 61 + modules/po/adminlog.id_ID.po | 2 + modules/po/adminlog.pl_PL.po | 71 ++ modules/po/alias.id_ID.po | 2 + modules/po/alias.pl_PL.po | 125 ++ modules/po/autoattach.id_ID.po | 2 + modules/po/autoattach.pl_PL.po | 87 ++ modules/po/autocycle.id_ID.po | 2 + modules/po/autocycle.pl_PL.po | 71 ++ modules/po/autoop.id_ID.po | 2 + modules/po/autoop.pl_PL.po | 170 +++ modules/po/autoreply.id_ID.po | 2 + modules/po/autoreply.pl_PL.po | 45 + modules/po/autovoice.id_ID.po | 2 + modules/po/autovoice.pl_PL.po | 113 ++ modules/po/awaystore.id_ID.po | 2 + modules/po/awaystore.pl_PL.po | 112 ++ modules/po/block_motd.id_ID.po | 2 + modules/po/block_motd.pl_PL.po | 37 + modules/po/blockuser.id_ID.po | 2 + modules/po/blockuser.pl_PL.po | 99 ++ modules/po/bouncedcc.id_ID.po | 2 + modules/po/bouncedcc.pl_PL.po | 133 ++ modules/po/buffextras.id_ID.po | 2 + modules/po/buffextras.pl_PL.po | 51 + modules/po/cert.id_ID.po | 2 + modules/po/cert.pl_PL.po | 77 ++ modules/po/certauth.id_ID.po | 2 + modules/po/certauth.pl_PL.po | 110 ++ modules/po/chansaver.id_ID.po | 2 + modules/po/chansaver.pl_PL.po | 19 + modules/po/clearbufferonmsg.id_ID.po | 2 + modules/po/clearbufferonmsg.pl_PL.po | 19 + modules/po/clientnotify.id_ID.po | 2 + modules/po/clientnotify.pl_PL.po | 77 ++ modules/po/controlpanel.id_ID.po | 2 + modules/po/controlpanel.pl_PL.po | 730 +++++++++++ modules/po/crypt.id_ID.po | 2 + modules/po/crypt.pl_PL.po | 145 +++ modules/po/ctcpflood.id_ID.po | 2 + modules/po/ctcpflood.pl_PL.po | 75 ++ modules/po/cyrusauth.id_ID.po | 2 + modules/po/cyrusauth.pl_PL.po | 75 ++ modules/po/dcc.id_ID.po | 2 + modules/po/dcc.pl_PL.po | 229 ++++ modules/po/disconkick.id_ID.po | 2 + modules/po/disconkick.pl_PL.po | 25 + modules/po/fail2ban.id_ID.po | 2 + modules/po/fail2ban.pl_PL.po | 119 ++ modules/po/flooddetach.id_ID.po | 2 + modules/po/flooddetach.pl_PL.po | 97 ++ modules/po/identfile.id_ID.po | 2 + modules/po/identfile.pl_PL.po | 85 ++ modules/po/imapauth.id_ID.po | 2 + modules/po/imapauth.pl_PL.po | 23 + modules/po/keepnick.id_ID.po | 2 + modules/po/keepnick.pl_PL.po | 55 + modules/po/kickrejoin.id_ID.po | 2 + modules/po/kickrejoin.pl_PL.po | 67 + modules/po/lastseen.id_ID.po | 2 + modules/po/lastseen.pl_PL.po | 69 + modules/po/listsockets.id_ID.po | 2 + modules/po/listsockets.pl_PL.po | 115 ++ modules/po/log.id_ID.po | 2 + modules/po/log.pl_PL.po | 152 +++ modules/po/missingmotd.id_ID.po | 2 + modules/po/missingmotd.pl_PL.po | 19 + modules/po/modperl.id_ID.po | 2 + modules/po/modperl.pl_PL.po | 19 + modules/po/modpython.id_ID.po | 2 + modules/po/modpython.pl_PL.po | 19 + modules/po/modules_online.id_ID.po | 2 + modules/po/modules_online.pl_PL.po | 19 + modules/po/nickserv.id_ID.po | 2 + modules/po/nickserv.pl_PL.po | 81 ++ modules/po/notes.id_ID.po | 2 + modules/po/notes.pl_PL.po | 121 ++ modules/po/notify_connect.id_ID.po | 2 + modules/po/notify_connect.pl_PL.po | 31 + modules/po/perform.id_ID.po | 2 + modules/po/perform.pl_PL.po | 110 ++ modules/po/perleval.id_ID.po | 2 + modules/po/perleval.pl_PL.po | 33 + modules/po/pyeval.id_ID.po | 2 + modules/po/pyeval.pl_PL.po | 23 + modules/po/raw.id_ID.po | 2 + modules/po/raw.pl_PL.po | 19 + modules/po/route_replies.id_ID.po | 2 + modules/po/route_replies.pl_PL.po | 61 + modules/po/sample.id_ID.po | 2 + modules/po/sample.pl_PL.po | 123 ++ modules/po/samplewebapi.id_ID.po | 2 + modules/po/samplewebapi.pl_PL.po | 19 + modules/po/sasl.id_ID.po | 2 + modules/po/sasl.pl_PL.po | 176 +++ modules/po/savebuff.id_ID.po | 2 + modules/po/savebuff.pl_PL.po | 64 + modules/po/send_raw.id_ID.po | 2 + modules/po/send_raw.pl_PL.po | 111 ++ modules/po/shell.id_ID.po | 2 + modules/po/shell.pl_PL.po | 31 + modules/po/simple_away.id_ID.po | 2 + modules/po/simple_away.pl_PL.po | 98 ++ modules/po/stickychan.id_ID.po | 2 + modules/po/stickychan.pl_PL.po | 104 ++ modules/po/stripcontrols.id_ID.po | 2 + modules/po/stripcontrols.pl_PL.po | 20 + modules/po/watch.id_ID.po | 2 + modules/po/watch.pl_PL.po | 195 +++ modules/po/webadmin.id_ID.po | 2 + modules/po/webadmin.pl_PL.po | 1211 ++++++++++++++++++ src/po/znc.id_ID.po | 2 + src/po/znc.pl_PL.po | 1745 ++++++++++++++++++++++++++ 115 files changed, 8105 insertions(+) create mode 100644 modules/po/admindebug.pl_PL.po create mode 100644 modules/po/adminlog.pl_PL.po create mode 100644 modules/po/alias.pl_PL.po create mode 100644 modules/po/autoattach.pl_PL.po create mode 100644 modules/po/autocycle.pl_PL.po create mode 100644 modules/po/autoop.pl_PL.po create mode 100644 modules/po/autoreply.pl_PL.po create mode 100644 modules/po/autovoice.pl_PL.po create mode 100644 modules/po/awaystore.pl_PL.po create mode 100644 modules/po/block_motd.pl_PL.po create mode 100644 modules/po/blockuser.pl_PL.po create mode 100644 modules/po/bouncedcc.pl_PL.po create mode 100644 modules/po/buffextras.pl_PL.po create mode 100644 modules/po/cert.pl_PL.po create mode 100644 modules/po/certauth.pl_PL.po create mode 100644 modules/po/chansaver.pl_PL.po create mode 100644 modules/po/clearbufferonmsg.pl_PL.po create mode 100644 modules/po/clientnotify.pl_PL.po create mode 100644 modules/po/controlpanel.pl_PL.po create mode 100644 modules/po/crypt.pl_PL.po create mode 100644 modules/po/ctcpflood.pl_PL.po create mode 100644 modules/po/cyrusauth.pl_PL.po create mode 100644 modules/po/dcc.pl_PL.po create mode 100644 modules/po/disconkick.pl_PL.po create mode 100644 modules/po/fail2ban.pl_PL.po create mode 100644 modules/po/flooddetach.pl_PL.po create mode 100644 modules/po/identfile.pl_PL.po create mode 100644 modules/po/imapauth.pl_PL.po create mode 100644 modules/po/keepnick.pl_PL.po create mode 100644 modules/po/kickrejoin.pl_PL.po create mode 100644 modules/po/lastseen.pl_PL.po create mode 100644 modules/po/listsockets.pl_PL.po create mode 100644 modules/po/log.pl_PL.po create mode 100644 modules/po/missingmotd.pl_PL.po create mode 100644 modules/po/modperl.pl_PL.po create mode 100644 modules/po/modpython.pl_PL.po create mode 100644 modules/po/modules_online.pl_PL.po create mode 100644 modules/po/nickserv.pl_PL.po create mode 100644 modules/po/notes.pl_PL.po create mode 100644 modules/po/notify_connect.pl_PL.po create mode 100644 modules/po/perform.pl_PL.po create mode 100644 modules/po/perleval.pl_PL.po create mode 100644 modules/po/pyeval.pl_PL.po create mode 100644 modules/po/raw.pl_PL.po create mode 100644 modules/po/route_replies.pl_PL.po create mode 100644 modules/po/sample.pl_PL.po create mode 100644 modules/po/samplewebapi.pl_PL.po create mode 100644 modules/po/sasl.pl_PL.po create mode 100644 modules/po/savebuff.pl_PL.po create mode 100644 modules/po/send_raw.pl_PL.po create mode 100644 modules/po/shell.pl_PL.po create mode 100644 modules/po/simple_away.pl_PL.po create mode 100644 modules/po/stickychan.pl_PL.po create mode 100644 modules/po/stripcontrols.pl_PL.po create mode 100644 modules/po/watch.pl_PL.po create mode 100644 modules/po/webadmin.pl_PL.po create mode 100644 src/po/znc.pl_PL.po diff --git a/TRANSLATORS.md b/TRANSLATORS.md index 09347d3e..14261cd3 100644 --- a/TRANSLATORS.md +++ b/TRANSLATORS.md @@ -22,6 +22,7 @@ These people helped translating ZNC to various languages: * simos (filippo.cortigiani) * sukien * SunOS +* tojestzart (tojestzart) * Un1matr1x (Falk Seidel) * Wollino * Xaris_ (Xaris) diff --git a/modules/po/admindebug.id_ID.po b/modules/po/admindebug.id_ID.po index 93a798c7..dda9bdd7 100644 --- a/modules/po/admindebug.id_ID.po +++ b/modules/po/admindebug.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/admindebug.pot\n" +"X-Crowdin-File-ID: 273\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/admindebug.pl_PL.po b/modules/po/admindebug.pl_PL.po new file mode 100644 index 00000000..6fa0dae2 --- /dev/null +++ b/modules/po/admindebug.pl_PL.po @@ -0,0 +1,61 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /master/modules/po/admindebug.pot\n" +"X-Crowdin-File-ID: 273\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: admindebug.cpp:30 +msgid "Enable Debug Mode" +msgstr "Włączono tryb debugowania" + +#: admindebug.cpp:32 +msgid "Disable Debug Mode" +msgstr "Wyłącz tryb debugowania" + +#: admindebug.cpp:34 +msgid "Show the Debug Mode status" +msgstr "Pokaż stan trybu debugowania" + +#: admindebug.cpp:40 admindebug.cpp:49 +msgid "Access denied!" +msgstr "Odmowa dostępu!" + +#: admindebug.cpp:58 +msgid "" +"Failure. We need to be running with a TTY. (is ZNC running with --" +"foreground?)" +msgstr "" + +#: admindebug.cpp:66 +msgid "Already enabled." +msgstr "Już jest włączone." + +#: admindebug.cpp:68 +msgid "Already disabled." +msgstr "Już jest wyłączone." + +#: admindebug.cpp:92 +msgid "Debugging mode is on." +msgstr "Tryb debugowania jest WŁączony." + +#: admindebug.cpp:94 +msgid "Debugging mode is off." +msgstr "Tryb debugowania jest WYłączony." + +#: admindebug.cpp:96 +msgid "Logging to: stdout." +msgstr "Zapisywanie do: stdout." + +#: admindebug.cpp:105 +msgid "Enable Debug mode dynamically." +msgstr "Włącz tryb debugowania dynamicznie." diff --git a/modules/po/adminlog.id_ID.po b/modules/po/adminlog.id_ID.po index d0bc8c1d..f45e1e64 100644 --- a/modules/po/adminlog.id_ID.po +++ b/modules/po/adminlog.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/adminlog.pot\n" +"X-Crowdin-File-ID: 149\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/adminlog.pl_PL.po b/modules/po/adminlog.pl_PL.po new file mode 100644 index 00000000..50021085 --- /dev/null +++ b/modules/po/adminlog.pl_PL.po @@ -0,0 +1,71 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /master/modules/po/adminlog.pot\n" +"X-Crowdin-File-ID: 149\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: adminlog.cpp:29 +msgid "Show the logging target" +msgstr "Pokaż miejsce zapisywania dziennika" + +#: adminlog.cpp:31 +msgid " [path]" +msgstr " [path]" + +#: adminlog.cpp:32 +msgid "Set the logging target" +msgstr "Ustaw miejsce docelowe dziennika" + +#: adminlog.cpp:142 +msgid "Access denied" +msgstr "Odmowa dostępu" + +#: adminlog.cpp:156 +msgid "Now logging to file" +msgstr "Dziennik będzie odtąd zapisywany do pliku" + +#: adminlog.cpp:160 +msgid "Now only logging to syslog" +msgstr "Dziennik będzie odtąd zapisywany tylko w syslog" + +#: adminlog.cpp:164 +msgid "Now logging to syslog and file" +msgstr "Dziennik będzie teraz zapisywany do pliku i syslog" + +#: adminlog.cpp:168 +msgid "Usage: Target [path]" +msgstr "Użycie: Target [path]" + +#: adminlog.cpp:170 +msgid "Unknown target" +msgstr "Nieznany cel" + +#: adminlog.cpp:192 +msgid "Logging is enabled for file" +msgstr "Dziennik jest ustawiony do zapisu do pliku" + +#: adminlog.cpp:195 +msgid "Logging is enabled for syslog" +msgstr "Dziennik jest ustawiony do zapisu w syslog" + +#: adminlog.cpp:198 +msgid "Logging is enabled for both, file and syslog" +msgstr "Dziennik jest ustawiony do zapisu do obu: do pliku i syslog" + +#: adminlog.cpp:204 +msgid "Log file will be written to {1}" +msgstr "Plik dziennika zostanie zapisany do {1}" + +#: adminlog.cpp:222 +msgid "Log ZNC events to file and/or syslog." +msgstr "Dziennikuj zdarzenia ZNC do pliku i/lub syslog." diff --git a/modules/po/alias.id_ID.po b/modules/po/alias.id_ID.po index da32ebcf..0dbcc95a 100644 --- a/modules/po/alias.id_ID.po +++ b/modules/po/alias.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/alias.pot\n" +"X-Crowdin-File-ID: 150\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/alias.pl_PL.po b/modules/po/alias.pl_PL.po new file mode 100644 index 00000000..0e325c47 --- /dev/null +++ b/modules/po/alias.pl_PL.po @@ -0,0 +1,125 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /master/modules/po/alias.pot\n" +"X-Crowdin-File-ID: 150\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: alias.cpp:141 +msgid "missing required parameter: {1}" +msgstr "" + +#: alias.cpp:201 +msgid "Created alias: {1}" +msgstr "" + +#: alias.cpp:203 +msgid "Alias already exists." +msgstr "" + +#: alias.cpp:210 +msgid "Deleted alias: {1}" +msgstr "" + +#: alias.cpp:213 alias.cpp:224 alias.cpp:246 alias.cpp:265 alias.cpp:276 +#: alias.cpp:333 +msgid "Alias does not exist." +msgstr "" + +#: alias.cpp:222 alias.cpp:244 alias.cpp:263 alias.cpp:274 +msgid "Modified alias." +msgstr "" + +#: alias.cpp:236 alias.cpp:256 +msgid "Invalid index." +msgstr "" + +#: alias.cpp:282 alias.cpp:298 +msgid "There are no aliases." +msgstr "" + +#: alias.cpp:289 +msgid "The following aliases exist: {1}" +msgstr "" + +#: alias.cpp:290 +msgctxt "list|separator" +msgid ", " +msgstr "" + +#: alias.cpp:324 +msgid "Actions for alias {1}:" +msgstr "" + +#: alias.cpp:331 +msgid "End of actions for alias {1}." +msgstr "" + +#: alias.cpp:338 alias.cpp:341 alias.cpp:352 alias.cpp:357 +msgid "" +msgstr "" + +#: alias.cpp:339 +msgid "Creates a new, blank alias called name." +msgstr "" + +#: alias.cpp:341 +msgid "Deletes an existing alias." +msgstr "" + +#: alias.cpp:343 +msgid " " +msgstr "" + +#: alias.cpp:344 +msgid "Adds a line to an existing alias." +msgstr "" + +#: alias.cpp:346 +msgid " " +msgstr "" + +#: alias.cpp:347 +msgid "Inserts a line into an existing alias." +msgstr "" + +#: alias.cpp:349 +msgid " " +msgstr "" + +#: alias.cpp:350 +msgid "Removes a line from an existing alias." +msgstr "" + +#: alias.cpp:353 +msgid "Removes all lines from an existing alias." +msgstr "" + +#: alias.cpp:355 +msgid "Lists all aliases by name." +msgstr "" + +#: alias.cpp:358 +msgid "Reports the actions performed by an alias." +msgstr "" + +#: alias.cpp:362 +msgid "Generate a list of commands to copy your alias config." +msgstr "" + +#: alias.cpp:374 +msgid "Clearing all of them!" +msgstr "" + +#: alias.cpp:409 +msgid "Provides bouncer-side command alias support." +msgstr "" diff --git a/modules/po/autoattach.id_ID.po b/modules/po/autoattach.id_ID.po index 1a3e906e..a452dc40 100644 --- a/modules/po/autoattach.id_ID.po +++ b/modules/po/autoattach.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/autoattach.pot\n" +"X-Crowdin-File-ID: 151\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/autoattach.pl_PL.po b/modules/po/autoattach.pl_PL.po new file mode 100644 index 00000000..5b14bec1 --- /dev/null +++ b/modules/po/autoattach.pl_PL.po @@ -0,0 +1,87 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /master/modules/po/autoattach.pot\n" +"X-Crowdin-File-ID: 151\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: autoattach.cpp:94 +msgid "Added to list" +msgstr "" + +#: autoattach.cpp:96 +msgid "{1} is already added" +msgstr "" + +#: autoattach.cpp:100 +msgid "Usage: Add [!]<#chan> " +msgstr "" + +#: autoattach.cpp:101 +msgid "Wildcards are allowed" +msgstr "" + +#: autoattach.cpp:113 +msgid "Removed {1} from list" +msgstr "" + +#: autoattach.cpp:115 +msgid "Usage: Del [!]<#chan> " +msgstr "" + +#: autoattach.cpp:121 autoattach.cpp:129 +msgid "Neg" +msgstr "" + +#: autoattach.cpp:122 autoattach.cpp:130 +msgid "Chan" +msgstr "" + +#: autoattach.cpp:123 autoattach.cpp:131 +msgid "Search" +msgstr "" + +#: autoattach.cpp:124 autoattach.cpp:132 +msgid "Host" +msgstr "" + +#: autoattach.cpp:138 +msgid "You have no entries." +msgstr "" + +#: autoattach.cpp:146 autoattach.cpp:149 +msgid "[!]<#chan> " +msgstr "" + +#: autoattach.cpp:147 +msgid "Add an entry, use !#chan to negate and * for wildcards" +msgstr "" + +#: autoattach.cpp:150 +msgid "Remove an entry, needs to be an exact match" +msgstr "" + +#: autoattach.cpp:152 +msgid "List all entries" +msgstr "" + +#: autoattach.cpp:171 +msgid "Unable to add [{1}]" +msgstr "" + +#: autoattach.cpp:283 +msgid "List of channel masks and channel masks with ! before them." +msgstr "" + +#: autoattach.cpp:286 +msgid "Reattaches you to channels on activity." +msgstr "" diff --git a/modules/po/autocycle.id_ID.po b/modules/po/autocycle.id_ID.po index 7350a33b..2fbab50e 100644 --- a/modules/po/autocycle.id_ID.po +++ b/modules/po/autocycle.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/autocycle.pot\n" +"X-Crowdin-File-ID: 207\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/autocycle.pl_PL.po b/modules/po/autocycle.pl_PL.po new file mode 100644 index 00000000..614b9a83 --- /dev/null +++ b/modules/po/autocycle.pl_PL.po @@ -0,0 +1,71 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /master/modules/po/autocycle.pot\n" +"X-Crowdin-File-ID: 207\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: autocycle.cpp:27 autocycle.cpp:30 +msgid "[!]<#chan>" +msgstr "" + +#: autocycle.cpp:28 +msgid "Add an entry, use !#chan to negate and * for wildcards" +msgstr "" + +#: autocycle.cpp:31 +msgid "Remove an entry, needs to be an exact match" +msgstr "" + +#: autocycle.cpp:33 +msgid "List all entries" +msgstr "" + +#: autocycle.cpp:46 +msgid "Unable to add {1}" +msgstr "" + +#: autocycle.cpp:66 +msgid "{1} is already added" +msgstr "" + +#: autocycle.cpp:68 +msgid "Added {1} to list" +msgstr "" + +#: autocycle.cpp:70 +msgid "Usage: Add [!]<#chan>" +msgstr "" + +#: autocycle.cpp:78 +msgid "Removed {1} from list" +msgstr "" + +#: autocycle.cpp:80 +msgid "Usage: Del [!]<#chan>" +msgstr "" + +#: autocycle.cpp:85 autocycle.cpp:90 autocycle.cpp:95 +msgid "Channel" +msgstr "" + +#: autocycle.cpp:101 +msgid "You have no entries." +msgstr "" + +#: autocycle.cpp:230 +msgid "List of channel masks and channel masks with ! before them." +msgstr "" + +#: autocycle.cpp:235 +msgid "Rejoins channels to gain Op if you're the only user left" +msgstr "" diff --git a/modules/po/autoop.id_ID.po b/modules/po/autoop.id_ID.po index 9e004ac4..e901a884 100644 --- a/modules/po/autoop.id_ID.po +++ b/modules/po/autoop.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/autoop.pot\n" +"X-Crowdin-File-ID: 153\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/autoop.pl_PL.po b/modules/po/autoop.pl_PL.po new file mode 100644 index 00000000..1579cbc0 --- /dev/null +++ b/modules/po/autoop.pl_PL.po @@ -0,0 +1,170 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /master/modules/po/autoop.pot\n" +"X-Crowdin-File-ID: 153\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: autoop.cpp:154 +msgid "List all users" +msgstr "" + +#: autoop.cpp:156 autoop.cpp:159 +msgid " [channel] ..." +msgstr "" + +#: autoop.cpp:157 +msgid "Adds channels to a user" +msgstr "" + +#: autoop.cpp:160 +msgid "Removes channels from a user" +msgstr "" + +#: autoop.cpp:162 autoop.cpp:165 +msgid " ,[mask] ..." +msgstr "" + +#: autoop.cpp:163 +msgid "Adds masks to a user" +msgstr "" + +#: autoop.cpp:166 +msgid "Removes masks from a user" +msgstr "" + +#: autoop.cpp:169 +msgid " [,...] [channels]" +msgstr "" + +#: autoop.cpp:170 +msgid "Adds a user" +msgstr "" + +#: autoop.cpp:172 +msgid "" +msgstr "" + +#: autoop.cpp:172 +msgid "Removes a user" +msgstr "" + +#: autoop.cpp:275 +msgid "Usage: AddUser [,...] [channels]" +msgstr "" + +#: autoop.cpp:291 +msgid "Usage: DelUser " +msgstr "" + +#: autoop.cpp:300 +msgid "There are no users defined" +msgstr "" + +#: autoop.cpp:306 autoop.cpp:317 autoop.cpp:321 autoop.cpp:323 +msgid "User" +msgstr "" + +#: autoop.cpp:307 autoop.cpp:325 +msgid "Hostmasks" +msgstr "" + +#: autoop.cpp:308 autoop.cpp:318 +msgid "Key" +msgstr "" + +#: autoop.cpp:309 autoop.cpp:319 +msgid "Channels" +msgstr "" + +#: autoop.cpp:337 +msgid "Usage: AddChans [channel] ..." +msgstr "" + +#: autoop.cpp:344 autoop.cpp:365 autoop.cpp:387 autoop.cpp:408 autoop.cpp:472 +msgid "No such user" +msgstr "" + +#: autoop.cpp:349 +msgid "Channel(s) added to user {1}" +msgstr "" + +#: autoop.cpp:358 +msgid "Usage: DelChans [channel] ..." +msgstr "" + +#: autoop.cpp:371 +msgid "Channel(s) Removed from user {1}" +msgstr "" + +#: autoop.cpp:380 +msgid "Usage: AddMasks ,[mask] ..." +msgstr "" + +#: autoop.cpp:392 +msgid "Hostmasks(s) added to user {1}" +msgstr "" + +#: autoop.cpp:401 +msgid "Usage: DelMasks ,[mask] ..." +msgstr "" + +#: autoop.cpp:413 +msgid "Removed user {1} with key {2} and channels {3}" +msgstr "" + +#: autoop.cpp:419 +msgid "Hostmasks(s) Removed from user {1}" +msgstr "" + +#: autoop.cpp:478 +msgid "User {1} removed" +msgstr "" + +#: autoop.cpp:484 +msgid "That user already exists" +msgstr "" + +#: autoop.cpp:490 +msgid "User {1} added with hostmask(s) {2}" +msgstr "" + +#: autoop.cpp:532 +msgid "" +"[{1}] sent us a challenge but they are not opped in any defined channels." +msgstr "" + +#: autoop.cpp:536 +msgid "[{1}] sent us a challenge but they do not match a defined user." +msgstr "" + +#: autoop.cpp:544 +msgid "WARNING! [{1}] sent an invalid challenge." +msgstr "" + +#: autoop.cpp:560 +msgid "[{1}] sent an unchallenged response. This could be due to lag." +msgstr "" + +#: autoop.cpp:577 +msgid "" +"WARNING! [{1}] sent a bad response. Please verify that you have their " +"correct password." +msgstr "" + +#: autoop.cpp:586 +msgid "WARNING! [{1}] sent a response but did not match any defined users." +msgstr "" + +#: autoop.cpp:644 +msgid "Auto op the good people" +msgstr "" diff --git a/modules/po/autoreply.id_ID.po b/modules/po/autoreply.id_ID.po index 95a9bcd4..399a9ff8 100644 --- a/modules/po/autoreply.id_ID.po +++ b/modules/po/autoreply.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/autoreply.pot\n" +"X-Crowdin-File-ID: 154\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/autoreply.pl_PL.po b/modules/po/autoreply.pl_PL.po new file mode 100644 index 00000000..73e29e0b --- /dev/null +++ b/modules/po/autoreply.pl_PL.po @@ -0,0 +1,45 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /master/modules/po/autoreply.pot\n" +"X-Crowdin-File-ID: 154\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: autoreply.cpp:25 +msgid "" +msgstr "" + +#: autoreply.cpp:25 +msgid "Sets a new reply" +msgstr "" + +#: autoreply.cpp:27 +msgid "Displays the current query reply" +msgstr "" + +#: autoreply.cpp:75 +msgid "Current reply is: {1} ({2})" +msgstr "" + +#: autoreply.cpp:81 +msgid "New reply set to: {1} ({2})" +msgstr "" + +#: autoreply.cpp:94 +msgid "" +"You might specify a reply text. It is used when automatically answering " +"queries, if you are not connected to ZNC." +msgstr "" + +#: autoreply.cpp:98 +msgid "Reply to queries when you are away" +msgstr "" diff --git a/modules/po/autovoice.id_ID.po b/modules/po/autovoice.id_ID.po index 7ae8d461..3bb5e6b9 100644 --- a/modules/po/autovoice.id_ID.po +++ b/modules/po/autovoice.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/autovoice.pot\n" +"X-Crowdin-File-ID: 155\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/autovoice.pl_PL.po b/modules/po/autovoice.pl_PL.po new file mode 100644 index 00000000..e4945db7 --- /dev/null +++ b/modules/po/autovoice.pl_PL.po @@ -0,0 +1,113 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /master/modules/po/autovoice.pot\n" +"X-Crowdin-File-ID: 155\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: autovoice.cpp:120 +msgid "List all users" +msgstr "" + +#: autovoice.cpp:122 autovoice.cpp:125 +msgid " [channel] ..." +msgstr "" + +#: autovoice.cpp:123 +msgid "Adds channels to a user" +msgstr "" + +#: autovoice.cpp:126 +msgid "Removes channels from a user" +msgstr "" + +#: autovoice.cpp:128 +msgid " [channels]" +msgstr "" + +#: autovoice.cpp:129 +msgid "Adds a user" +msgstr "" + +#: autovoice.cpp:131 +msgid "" +msgstr "" + +#: autovoice.cpp:131 +msgid "Removes a user" +msgstr "" + +#: autovoice.cpp:215 +msgid "Usage: AddUser [channels]" +msgstr "" + +#: autovoice.cpp:229 +msgid "Usage: DelUser " +msgstr "" + +#: autovoice.cpp:238 +msgid "There are no users defined" +msgstr "" + +#: autovoice.cpp:244 autovoice.cpp:250 +msgid "User" +msgstr "" + +#: autovoice.cpp:245 autovoice.cpp:251 +msgid "Hostmask" +msgstr "" + +#: autovoice.cpp:246 autovoice.cpp:252 +msgid "Channels" +msgstr "" + +#: autovoice.cpp:263 +msgid "Usage: AddChans [channel] ..." +msgstr "" + +#: autovoice.cpp:270 autovoice.cpp:292 autovoice.cpp:329 +msgid "No such user" +msgstr "" + +#: autovoice.cpp:275 +msgid "Channel(s) added to user {1}" +msgstr "" + +#: autovoice.cpp:285 +msgid "Usage: DelChans [channel] ..." +msgstr "" + +#: autovoice.cpp:298 +msgid "Channel(s) Removed from user {1}" +msgstr "" + +#: autovoice.cpp:335 +msgid "User {1} removed" +msgstr "" + +#: autovoice.cpp:341 +msgid "That user already exists" +msgstr "" + +#: autovoice.cpp:347 +msgid "User {1} added with hostmask {2}" +msgstr "" + +#: autovoice.cpp:360 +msgid "" +"Each argument is either a channel you want autovoice for (which can include " +"wildcards) or, if it starts with !, it is an exception for autovoice." +msgstr "" + +#: autovoice.cpp:365 +msgid "Auto voice the good people" +msgstr "" diff --git a/modules/po/awaystore.id_ID.po b/modules/po/awaystore.id_ID.po index 3a8a6929..fe046126 100644 --- a/modules/po/awaystore.id_ID.po +++ b/modules/po/awaystore.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/awaystore.pot\n" +"X-Crowdin-File-ID: 156\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/awaystore.pl_PL.po b/modules/po/awaystore.pl_PL.po new file mode 100644 index 00000000..610e3fc9 --- /dev/null +++ b/modules/po/awaystore.pl_PL.po @@ -0,0 +1,112 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /master/modules/po/awaystore.pot\n" +"X-Crowdin-File-ID: 156\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: awaystore.cpp:67 +msgid "You have been marked as away" +msgstr "" + +#: awaystore.cpp:78 awaystore.cpp:385 awaystore.cpp:388 +msgid "Welcome back!" +msgstr "" + +#: awaystore.cpp:100 +msgid "Deleted {1} messages" +msgstr "" + +#: awaystore.cpp:104 +msgid "USAGE: delete " +msgstr "" + +#: awaystore.cpp:109 +msgid "Illegal message # requested" +msgstr "" + +#: awaystore.cpp:113 +msgid "Message erased" +msgstr "" + +#: awaystore.cpp:122 +msgid "Messages saved to disk" +msgstr "" + +#: awaystore.cpp:124 +msgid "There are no messages to save" +msgstr "" + +#: awaystore.cpp:135 +msgid "Password updated to [{1}]" +msgstr "" + +#: awaystore.cpp:147 +msgid "Corrupt message! [{1}]" +msgstr "" + +#: awaystore.cpp:159 +msgid "Corrupt time stamp! [{1}]" +msgstr "" + +#: awaystore.cpp:178 +msgid "#--- End of messages" +msgstr "" + +#: awaystore.cpp:183 +msgid "Timer set to 300 seconds" +msgstr "" + +#: awaystore.cpp:188 awaystore.cpp:197 +msgid "Timer disabled" +msgstr "" + +#: awaystore.cpp:199 +msgid "Timer set to {1} seconds" +msgstr "" + +#: awaystore.cpp:203 +msgid "Current timer setting: {1} seconds" +msgstr "" + +#: awaystore.cpp:278 +msgid "This module needs as an argument a keyphrase used for encryption" +msgstr "" + +#: awaystore.cpp:285 +msgid "" +"Failed to decrypt your saved messages - Did you give the right encryption " +"key as an argument to this module?" +msgstr "" + +#: awaystore.cpp:386 awaystore.cpp:389 +msgid "You have {1} messages!" +msgstr "" + +#: awaystore.cpp:456 +msgid "Unable to find buffer" +msgstr "" + +#: awaystore.cpp:469 +msgid "Unable to decode encrypted messages" +msgstr "" + +#: awaystore.cpp:516 +msgid "" +"[ -notimer | -timer N ] [-chans] passw0rd . N is number of seconds, 600 by " +"default." +msgstr "" + +#: awaystore.cpp:521 +msgid "" +"Adds auto-away with logging, useful when you use ZNC from different locations" +msgstr "" diff --git a/modules/po/block_motd.id_ID.po b/modules/po/block_motd.id_ID.po index 3b1b22d7..b21f4019 100644 --- a/modules/po/block_motd.id_ID.po +++ b/modules/po/block_motd.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/block_motd.pot\n" +"X-Crowdin-File-ID: 157\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/block_motd.pl_PL.po b/modules/po/block_motd.pl_PL.po new file mode 100644 index 00000000..ee6d2e1c --- /dev/null +++ b/modules/po/block_motd.pl_PL.po @@ -0,0 +1,37 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /master/modules/po/block_motd.pot\n" +"X-Crowdin-File-ID: 157\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: block_motd.cpp:26 +msgid "[]" +msgstr "" + +#: block_motd.cpp:27 +msgid "" +"Override the block with this command. Can optionally specify which server to " +"query." +msgstr "" + +#: block_motd.cpp:36 +msgid "You are not connected to an IRC Server." +msgstr "" + +#: block_motd.cpp:58 +msgid "MOTD blocked by ZNC" +msgstr "" + +#: block_motd.cpp:104 +msgid "Block the MOTD from IRC so it's not sent to your client(s)." +msgstr "" diff --git a/modules/po/blockuser.id_ID.po b/modules/po/blockuser.id_ID.po index 8409b1ae..c95ed576 100644 --- a/modules/po/blockuser.id_ID.po +++ b/modules/po/blockuser.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/blockuser.pot\n" +"X-Crowdin-File-ID: 158\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/blockuser.pl_PL.po b/modules/po/blockuser.pl_PL.po new file mode 100644 index 00000000..730af5fb --- /dev/null +++ b/modules/po/blockuser.pl_PL.po @@ -0,0 +1,99 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /master/modules/po/blockuser.pot\n" +"X-Crowdin-File-ID: 158\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: modules/po/../data/blockuser/tmpl/blockuser_WebadminUser.tmpl:9 +msgid "Account is blocked" +msgstr "" + +#: blockuser.cpp:23 +msgid "Your account has been disabled. Contact your administrator." +msgstr "" + +#: blockuser.cpp:29 +msgid "List blocked users" +msgstr "" + +#: blockuser.cpp:31 blockuser.cpp:33 +msgid "" +msgstr "" + +#: blockuser.cpp:31 +msgid "Block a user" +msgstr "" + +#: blockuser.cpp:33 +msgid "Unblock a user" +msgstr "" + +#: blockuser.cpp:55 +msgid "Could not block {1}" +msgstr "" + +#: blockuser.cpp:76 +msgid "Access denied" +msgstr "" + +#: blockuser.cpp:85 +msgid "No users are blocked" +msgstr "" + +#: blockuser.cpp:88 +msgid "Blocked users:" +msgstr "" + +#: blockuser.cpp:100 +msgid "Usage: Block " +msgstr "" + +#: blockuser.cpp:105 blockuser.cpp:147 +msgid "You can't block yourself" +msgstr "" + +#: blockuser.cpp:110 blockuser.cpp:152 +msgid "Blocked {1}" +msgstr "" + +#: blockuser.cpp:112 +msgid "Could not block {1} (misspelled?)" +msgstr "" + +#: blockuser.cpp:120 +msgid "Usage: Unblock " +msgstr "" + +#: blockuser.cpp:125 blockuser.cpp:161 +msgid "Unblocked {1}" +msgstr "" + +#: blockuser.cpp:127 +msgid "This user is not blocked" +msgstr "" + +#: blockuser.cpp:155 +msgid "Couldn't block {1}" +msgstr "" + +#: blockuser.cpp:164 +msgid "User {1} is not blocked" +msgstr "" + +#: blockuser.cpp:216 +msgid "Enter one or more user names. Separate them by spaces." +msgstr "" + +#: blockuser.cpp:219 +msgid "Block certain users from logging in." +msgstr "" diff --git a/modules/po/bouncedcc.id_ID.po b/modules/po/bouncedcc.id_ID.po index 93a3582d..154af713 100644 --- a/modules/po/bouncedcc.id_ID.po +++ b/modules/po/bouncedcc.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/bouncedcc.pot\n" +"X-Crowdin-File-ID: 159\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/bouncedcc.pl_PL.po b/modules/po/bouncedcc.pl_PL.po new file mode 100644 index 00000000..3b974b28 --- /dev/null +++ b/modules/po/bouncedcc.pl_PL.po @@ -0,0 +1,133 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /master/modules/po/bouncedcc.pot\n" +"X-Crowdin-File-ID: 159\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: bouncedcc.cpp:101 bouncedcc.cpp:119 bouncedcc.cpp:121 +msgctxt "list" +msgid "Type" +msgstr "" + +#: bouncedcc.cpp:102 bouncedcc.cpp:132 +msgctxt "list" +msgid "State" +msgstr "" + +#: bouncedcc.cpp:103 +msgctxt "list" +msgid "Speed" +msgstr "" + +#: bouncedcc.cpp:104 bouncedcc.cpp:115 +msgctxt "list" +msgid "Nick" +msgstr "" + +#: bouncedcc.cpp:105 bouncedcc.cpp:116 +msgctxt "list" +msgid "IP" +msgstr "" + +#: bouncedcc.cpp:106 bouncedcc.cpp:122 +msgctxt "list" +msgid "File" +msgstr "" + +#: bouncedcc.cpp:119 +msgctxt "list" +msgid "Chat" +msgstr "" + +#: bouncedcc.cpp:121 +msgctxt "list" +msgid "Xfer" +msgstr "" + +#: bouncedcc.cpp:125 +msgid "Waiting" +msgstr "" + +#: bouncedcc.cpp:127 +msgid "Halfway" +msgstr "" + +#: bouncedcc.cpp:129 +msgid "Connected" +msgstr "" + +#: bouncedcc.cpp:137 +msgid "You have no active DCCs." +msgstr "" + +#: bouncedcc.cpp:148 +msgid "Use client IP: {1}" +msgstr "" + +#: bouncedcc.cpp:153 +msgid "List all active DCCs" +msgstr "" + +#: bouncedcc.cpp:156 +msgid "Change the option to use IP of client" +msgstr "" + +#: bouncedcc.cpp:383 bouncedcc.cpp:412 bouncedcc.cpp:436 bouncedcc.cpp:451 +msgctxt "type" +msgid "Chat" +msgstr "" + +#: bouncedcc.cpp:383 bouncedcc.cpp:412 bouncedcc.cpp:436 bouncedcc.cpp:451 +msgctxt "type" +msgid "Xfer" +msgstr "" + +#: bouncedcc.cpp:385 +msgid "DCC {1} Bounce ({2}): Too long line received" +msgstr "" + +#: bouncedcc.cpp:418 +msgid "DCC {1} Bounce ({2}): Timeout while connecting to {3} {4}" +msgstr "" + +#: bouncedcc.cpp:422 +msgid "DCC {1} Bounce ({2}): Timeout while connecting." +msgstr "" + +#: bouncedcc.cpp:427 +msgid "" +"DCC {1} Bounce ({2}): Timeout while waiting for incoming connection on {3} " +"{4}" +msgstr "" + +#: bouncedcc.cpp:440 +msgid "DCC {1} Bounce ({2}): Connection refused while connecting to {3} {4}" +msgstr "" + +#: bouncedcc.cpp:444 +msgid "DCC {1} Bounce ({2}): Connection refused while connecting." +msgstr "" + +#: bouncedcc.cpp:457 bouncedcc.cpp:465 +msgid "DCC {1} Bounce ({2}): Socket error on {3} {4}: {5}" +msgstr "" + +#: bouncedcc.cpp:460 +msgid "DCC {1} Bounce ({2}): Socket error: {3}" +msgstr "" + +#: bouncedcc.cpp:547 +msgid "" +"Bounces DCC transfers through ZNC instead of sending them directly to the " +"user. " +msgstr "" diff --git a/modules/po/buffextras.id_ID.po b/modules/po/buffextras.id_ID.po index 9cffb743..01ee6ebb 100644 --- a/modules/po/buffextras.id_ID.po +++ b/modules/po/buffextras.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/buffextras.pot\n" +"X-Crowdin-File-ID: 160\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/buffextras.pl_PL.po b/modules/po/buffextras.pl_PL.po new file mode 100644 index 00000000..03b32289 --- /dev/null +++ b/modules/po/buffextras.pl_PL.po @@ -0,0 +1,51 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /master/modules/po/buffextras.pot\n" +"X-Crowdin-File-ID: 160\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: buffextras.cpp:45 +msgid "Server" +msgstr "" + +#: buffextras.cpp:47 +msgid "{1} set mode: {2} {3}" +msgstr "" + +#: buffextras.cpp:55 +msgid "{1} kicked {2} with reason: {3}" +msgstr "" + +#: buffextras.cpp:64 +msgid "{1} quit: {2}" +msgstr "" + +#: buffextras.cpp:73 +msgid "{1} joined" +msgstr "" + +#: buffextras.cpp:81 +msgid "{1} parted: {2}" +msgstr "" + +#: buffextras.cpp:90 +msgid "{1} is now known as {2}" +msgstr "" + +#: buffextras.cpp:100 +msgid "{1} changed the topic to: {2}" +msgstr "" + +#: buffextras.cpp:115 +msgid "Adds joins, parts etc. to the playback buffer" +msgstr "" diff --git a/modules/po/cert.id_ID.po b/modules/po/cert.id_ID.po index 2fd71c07..b7df124e 100644 --- a/modules/po/cert.id_ID.po +++ b/modules/po/cert.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/cert.pot\n" +"X-Crowdin-File-ID: 161\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/cert.pl_PL.po b/modules/po/cert.pl_PL.po new file mode 100644 index 00000000..8f5395e2 --- /dev/null +++ b/modules/po/cert.pl_PL.po @@ -0,0 +1,77 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /master/modules/po/cert.pot\n" +"X-Crowdin-File-ID: 161\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +# this text is inserted into `click here` in the other string +#: modules/po/../data/cert/tmpl/index.tmpl:5 +msgid "here" +msgstr "" + +# {1} is `here`, translateable in the other string +#: modules/po/../data/cert/tmpl/index.tmpl:6 +msgid "" +"You already have a certificate set, use the form below to overwrite the " +"current certificate. Alternatively click {1} to delete your certificate." +msgstr "" + +#: modules/po/../data/cert/tmpl/index.tmpl:8 +msgid "You do not have a certificate yet." +msgstr "" + +#: modules/po/../data/cert/tmpl/index.tmpl:14 cert.cpp:72 +msgid "Certificate" +msgstr "" + +#: modules/po/../data/cert/tmpl/index.tmpl:18 +msgid "PEM File:" +msgstr "" + +#: modules/po/../data/cert/tmpl/index.tmpl:22 +msgid "Update" +msgstr "" + +#: cert.cpp:28 +msgid "Pem file deleted" +msgstr "" + +#: cert.cpp:31 +msgid "The pem file doesn't exist or there was a error deleting the pem file." +msgstr "" + +#: cert.cpp:38 +msgid "You have a certificate in {1}" +msgstr "" + +#: cert.cpp:41 +msgid "" +"You do not have a certificate. Please use the web interface to add a " +"certificate" +msgstr "" + +#: cert.cpp:44 +msgid "Alternatively you can either place one at {1}" +msgstr "" + +#: cert.cpp:52 +msgid "Delete the current certificate" +msgstr "" + +#: cert.cpp:54 +msgid "Show the current certificate" +msgstr "" + +#: cert.cpp:105 +msgid "Use a ssl certificate to connect to a server" +msgstr "" diff --git a/modules/po/certauth.id_ID.po b/modules/po/certauth.id_ID.po index a61df9db..c4c2be0d 100644 --- a/modules/po/certauth.id_ID.po +++ b/modules/po/certauth.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/certauth.pot\n" +"X-Crowdin-File-ID: 162\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/certauth.pl_PL.po b/modules/po/certauth.pl_PL.po new file mode 100644 index 00000000..f738715b --- /dev/null +++ b/modules/po/certauth.pl_PL.po @@ -0,0 +1,110 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /master/modules/po/certauth.pot\n" +"X-Crowdin-File-ID: 162\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: modules/po/../data/certauth/tmpl/index.tmpl:7 +msgid "Add a key" +msgstr "" + +#: modules/po/../data/certauth/tmpl/index.tmpl:11 +msgid "Key:" +msgstr "" + +#: modules/po/../data/certauth/tmpl/index.tmpl:15 +msgid "Add Key" +msgstr "" + +#: modules/po/../data/certauth/tmpl/index.tmpl:23 +msgid "You have no keys." +msgstr "" + +#: modules/po/../data/certauth/tmpl/index.tmpl:30 +msgctxt "web" +msgid "Key" +msgstr "" + +#: modules/po/../data/certauth/tmpl/index.tmpl:36 +msgid "del" +msgstr "" + +#: certauth.cpp:31 +msgid "[pubkey]" +msgstr "" + +#: certauth.cpp:32 +msgid "Add a public key. If key is not provided will use the current key" +msgstr "" + +#: certauth.cpp:35 +msgid "id" +msgstr "" + +#: certauth.cpp:35 +msgid "Delete a key by its number in List" +msgstr "" + +#: certauth.cpp:37 +msgid "List your public keys" +msgstr "" + +#: certauth.cpp:39 +msgid "Print your current key" +msgstr "" + +#: certauth.cpp:142 +msgid "You are not connected with any valid public key" +msgstr "" + +#: certauth.cpp:144 +msgid "Your current public key is: {1}" +msgstr "" + +#: certauth.cpp:157 +msgid "You did not supply a public key or connect with one." +msgstr "" + +#: certauth.cpp:160 +msgid "Key '{1}' added." +msgstr "" + +#: certauth.cpp:162 +msgid "The key '{1}' is already added." +msgstr "" + +#: certauth.cpp:170 certauth.cpp:183 +msgctxt "list" +msgid "Id" +msgstr "" + +#: certauth.cpp:171 certauth.cpp:184 +msgctxt "list" +msgid "Key" +msgstr "" + +#: certauth.cpp:176 certauth.cpp:190 certauth.cpp:199 +msgid "No keys set for your user" +msgstr "" + +#: certauth.cpp:204 +msgid "Invalid #, check \"list\"" +msgstr "" + +#: certauth.cpp:216 +msgid "Removed" +msgstr "" + +#: certauth.cpp:291 +msgid "Allows users to authenticate via SSL client certificates." +msgstr "" diff --git a/modules/po/chansaver.id_ID.po b/modules/po/chansaver.id_ID.po index cc3db948..a6fb3442 100644 --- a/modules/po/chansaver.id_ID.po +++ b/modules/po/chansaver.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/chansaver.pot\n" +"X-Crowdin-File-ID: 163\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/chansaver.pl_PL.po b/modules/po/chansaver.pl_PL.po new file mode 100644 index 00000000..9328d5cc --- /dev/null +++ b/modules/po/chansaver.pl_PL.po @@ -0,0 +1,19 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /master/modules/po/chansaver.pot\n" +"X-Crowdin-File-ID: 163\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: chansaver.cpp:91 +msgid "Keeps config up-to-date when user joins/parts." +msgstr "" diff --git a/modules/po/clearbufferonmsg.id_ID.po b/modules/po/clearbufferonmsg.id_ID.po index 0e6deee8..7eba1c60 100644 --- a/modules/po/clearbufferonmsg.id_ID.po +++ b/modules/po/clearbufferonmsg.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/clearbufferonmsg.pot\n" +"X-Crowdin-File-ID: 164\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/clearbufferonmsg.pl_PL.po b/modules/po/clearbufferonmsg.pl_PL.po new file mode 100644 index 00000000..9fa22533 --- /dev/null +++ b/modules/po/clearbufferonmsg.pl_PL.po @@ -0,0 +1,19 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /master/modules/po/clearbufferonmsg.pot\n" +"X-Crowdin-File-ID: 164\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: clearbufferonmsg.cpp:160 +msgid "Clears all channel and query buffers whenever the user does something" +msgstr "" diff --git a/modules/po/clientnotify.id_ID.po b/modules/po/clientnotify.id_ID.po index 135a46da..e8bd757d 100644 --- a/modules/po/clientnotify.id_ID.po +++ b/modules/po/clientnotify.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/clientnotify.pot\n" +"X-Crowdin-File-ID: 165\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/clientnotify.pl_PL.po b/modules/po/clientnotify.pl_PL.po new file mode 100644 index 00000000..ffd0f93d --- /dev/null +++ b/modules/po/clientnotify.pl_PL.po @@ -0,0 +1,77 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /master/modules/po/clientnotify.pot\n" +"X-Crowdin-File-ID: 165\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: clientnotify.cpp:47 +msgid "" +msgstr "" + +#: clientnotify.cpp:48 +msgid "Sets the notify method" +msgstr "" + +#: clientnotify.cpp:50 clientnotify.cpp:54 +msgid "" +msgstr "" + +#: clientnotify.cpp:51 +msgid "Turns notifications for unseen IP addresses on or off" +msgstr "" + +#: clientnotify.cpp:55 +msgid "Turns notifications for clients disconnecting on or off" +msgstr "" + +#: clientnotify.cpp:57 +msgid "Shows the current settings" +msgstr "" + +#: clientnotify.cpp:81 clientnotify.cpp:95 +msgid "" +msgid_plural "" +"Another client authenticated as your user. Use the 'ListClients' command to " +"see all {1} clients." +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" + +#: clientnotify.cpp:108 +msgid "Usage: Method " +msgstr "" + +#: clientnotify.cpp:114 clientnotify.cpp:127 clientnotify.cpp:140 +msgid "Saved." +msgstr "" + +#: clientnotify.cpp:121 +msgid "Usage: NewOnly " +msgstr "" + +#: clientnotify.cpp:134 +msgid "Usage: OnDisconnect " +msgstr "" + +#: clientnotify.cpp:145 +msgid "" +"Current settings: Method: {1}, for unseen IP addresses only: {2}, notify on " +"disconnecting clients: {3}" +msgstr "" + +#: clientnotify.cpp:157 +msgid "" +"Notifies you when another IRC client logs into or out of your account. " +"Configurable." +msgstr "" diff --git a/modules/po/controlpanel.id_ID.po b/modules/po/controlpanel.id_ID.po index 3d0b9b8c..4d97edbb 100644 --- a/modules/po/controlpanel.id_ID.po +++ b/modules/po/controlpanel.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/controlpanel.pot\n" +"X-Crowdin-File-ID: 166\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/controlpanel.pl_PL.po b/modules/po/controlpanel.pl_PL.po new file mode 100644 index 00000000..9d4ed8ce --- /dev/null +++ b/modules/po/controlpanel.pl_PL.po @@ -0,0 +1,730 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /master/modules/po/controlpanel.pot\n" +"X-Crowdin-File-ID: 166\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: controlpanel.cpp:51 controlpanel.cpp:64 +msgctxt "helptable" +msgid "Type" +msgstr "Typ" + +#: controlpanel.cpp:52 controlpanel.cpp:66 +msgctxt "helptable" +msgid "Variables" +msgstr "Zmienne" + +#: controlpanel.cpp:78 +msgid "String" +msgstr "Łańcuch znaków" + +#: controlpanel.cpp:79 +msgid "Boolean (true/false)" +msgstr "Typ logiczny (prawda/fałsz)" + +#: controlpanel.cpp:80 +msgid "Integer" +msgstr "Liczba całkowita" + +#: controlpanel.cpp:81 +msgid "Number" +msgstr "Numer" + +#: controlpanel.cpp:126 +msgid "The following variables are available when using the Set/Get commands:" +msgstr "" + +#: controlpanel.cpp:150 +msgid "" +"The following variables are available when using the SetNetwork/GetNetwork " +"commands:" +msgstr "" + +#: controlpanel.cpp:164 +msgid "" +"The following variables are available when using the SetChan/GetChan " +"commands:" +msgstr "" + +#: controlpanel.cpp:171 +msgid "" +"You can use $user as the user name and $network as the network name for " +"modifying your own user and network." +msgstr "" + +#: controlpanel.cpp:180 controlpanel.cpp:967 controlpanel.cpp:1004 +msgid "Error: User [{1}] does not exist!" +msgstr "Błąd: Użytkownik [{1}] nie istnieje!" + +#: controlpanel.cpp:185 +msgid "Error: You need to have admin rights to modify other users!" +msgstr "" +"Błąd: Musisz mieć uprawnienia administratora, aby modyfikować innych " +"użytkowników!" + +#: controlpanel.cpp:195 +msgid "Error: You cannot use $network to modify other users!" +msgstr "" + +#: controlpanel.cpp:203 +msgid "Error: User {1} does not have a network named [{2}]." +msgstr "" + +#: controlpanel.cpp:215 +msgid "Usage: Get [username]" +msgstr "Użycie: Get [username]" + +#: controlpanel.cpp:305 controlpanel.cpp:508 controlpanel.cpp:583 +#: controlpanel.cpp:659 controlpanel.cpp:794 controlpanel.cpp:879 +msgid "Error: Unknown variable" +msgstr "Błąd: Nieznana zmienna" + +#: controlpanel.cpp:314 +msgid "Usage: Set " +msgstr "Użycie: Set " + +#: controlpanel.cpp:336 controlpanel.cpp:624 +msgid "This bind host is already set!" +msgstr "Host przypięcia już jest ustawiony!" + +#: controlpanel.cpp:343 controlpanel.cpp:355 controlpanel.cpp:363 +#: controlpanel.cpp:426 controlpanel.cpp:445 controlpanel.cpp:461 +#: controlpanel.cpp:471 controlpanel.cpp:631 +msgid "Access denied!" +msgstr "Odmowa dostępu!" + +#: controlpanel.cpp:377 controlpanel.cpp:386 controlpanel.cpp:843 +msgid "Setting failed, limit for buffer size is {1}" +msgstr "" + +#: controlpanel.cpp:406 +msgid "Password has been changed!" +msgstr "" + +#: controlpanel.cpp:414 +msgid "Timeout can't be less than 30 seconds!" +msgstr "" + +#: controlpanel.cpp:478 +msgid "That would be a bad idea!" +msgstr "To byłby zły pomysł!" + +#: controlpanel.cpp:496 +msgid "Supported languages: {1}" +msgstr "Wspierane języki: {1}" + +#: controlpanel.cpp:520 +msgid "Usage: GetNetwork [username] [network]" +msgstr "Użycie: GetNetwork [username] [network]" + +#: controlpanel.cpp:539 +msgid "Error: A network must be specified to get another users settings." +msgstr "" + +#: controlpanel.cpp:545 +msgid "You are not currently attached to a network." +msgstr "" + +#: controlpanel.cpp:551 +msgid "Error: Invalid network." +msgstr "Błąd: Niepoprawna sieć." + +#: controlpanel.cpp:595 +msgid "Usage: SetNetwork " +msgstr "Użycie: SetNetwork " + +#: controlpanel.cpp:669 +msgid "Usage: AddChan " +msgstr "Użycie: AddChan " + +#: controlpanel.cpp:682 +msgid "Error: User {1} already has a channel named {2}." +msgstr "Błąd: użytkownik {1} ma już kanał o nazwie {2}." + +#: controlpanel.cpp:689 +msgid "Channel {1} for user {2} added to network {3}." +msgstr "Kanał {1} dla użytkownika {2} został dodany do sieci {3}." + +#: controlpanel.cpp:693 +msgid "" +"Could not add channel {1} for user {2} to network {3}, does it already exist?" +msgstr "" +"Nie można dodać kanału {1} dla użytkownika {2} do sieci {3}, może już " +"istnieje?" + +#: controlpanel.cpp:703 +msgid "Usage: DelChan " +msgstr "Użycie: DelChan " + +#: controlpanel.cpp:718 +msgid "Error: User {1} does not have any channel matching [{2}] in network {3}" +msgstr "" + +#: controlpanel.cpp:731 +msgid "Channel {1} is deleted from network {2} of user {3}" +msgid_plural "Channels {1} are deleted from network {2} of user {3}" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" + +#: controlpanel.cpp:746 +msgid "Usage: GetChan " +msgstr "Użycie: GetChan " + +#: controlpanel.cpp:760 controlpanel.cpp:824 +msgid "Error: No channels matching [{1}] found." +msgstr "" + +#: controlpanel.cpp:809 +msgid "Usage: SetChan " +msgstr "Użycie: SetChan " + +#: controlpanel.cpp:890 controlpanel.cpp:900 +msgctxt "listusers" +msgid "Username" +msgstr "Nazwa użytkownika" + +#: controlpanel.cpp:891 controlpanel.cpp:901 +msgctxt "listusers" +msgid "Realname" +msgstr "Prawdziwe imię" + +#: controlpanel.cpp:892 controlpanel.cpp:904 controlpanel.cpp:906 +msgctxt "listusers" +msgid "IsAdmin" +msgstr "" + +#: controlpanel.cpp:893 controlpanel.cpp:907 +msgctxt "listusers" +msgid "Nick" +msgstr "Pseudonim" + +#: controlpanel.cpp:894 controlpanel.cpp:908 +msgctxt "listusers" +msgid "AltNick" +msgstr "AlternatywnyPseudonim" + +#: controlpanel.cpp:895 controlpanel.cpp:909 +msgctxt "listusers" +msgid "Ident" +msgstr "Ident" + +#: controlpanel.cpp:896 controlpanel.cpp:910 +msgctxt "listusers" +msgid "BindHost" +msgstr "HostPrzypięcia" + +#: controlpanel.cpp:904 controlpanel.cpp:1144 +msgid "No" +msgstr "Nie" + +#: controlpanel.cpp:906 controlpanel.cpp:1136 +msgid "Yes" +msgstr "Tak" + +#: controlpanel.cpp:920 controlpanel.cpp:989 +msgid "Error: You need to have admin rights to add new users!" +msgstr "" +"Błąd: musisz mieć uprawnienia administratora, aby dodawać nowych " +"użytkowników!" + +#: controlpanel.cpp:926 +msgid "Usage: AddUser " +msgstr "Użycie: AddUser " + +#: controlpanel.cpp:931 +msgid "Error: User {1} already exists!" +msgstr "" + +#: controlpanel.cpp:943 controlpanel.cpp:1018 +msgid "Error: User not added: {1}" +msgstr "" + +#: controlpanel.cpp:947 controlpanel.cpp:1022 +msgid "User {1} added!" +msgstr "" + +#: controlpanel.cpp:954 +msgid "Error: You need to have admin rights to delete users!" +msgstr "" + +#: controlpanel.cpp:960 +msgid "Usage: DelUser " +msgstr "" + +#: controlpanel.cpp:972 +msgid "Error: You can't delete yourself!" +msgstr "" + +#: controlpanel.cpp:978 +msgid "Error: Internal error!" +msgstr "" + +#: controlpanel.cpp:982 +msgid "User {1} deleted!" +msgstr "" + +#: controlpanel.cpp:997 +msgid "Usage: CloneUser " +msgstr "" + +#: controlpanel.cpp:1012 +msgid "Error: Cloning failed: {1}" +msgstr "" + +#: controlpanel.cpp:1041 +msgid "Usage: AddNetwork [user] network" +msgstr "" + +#: controlpanel.cpp:1047 +msgid "" +"Network number limit reached. Ask an admin to increase the limit for you, or " +"delete unneeded networks using /znc DelNetwork " +msgstr "" + +#: controlpanel.cpp:1055 +msgid "Error: User {1} already has a network with the name {2}" +msgstr "" + +#: controlpanel.cpp:1062 +msgid "Network {1} added to user {2}." +msgstr "" + +#: controlpanel.cpp:1066 +msgid "Error: Network [{1}] could not be added for user {2}: {3}" +msgstr "" + +#: controlpanel.cpp:1086 +msgid "Usage: DelNetwork [user] network" +msgstr "" + +#: controlpanel.cpp:1097 +msgid "The currently active network can be deleted via {1}status" +msgstr "" + +#: controlpanel.cpp:1103 +msgid "Network {1} deleted for user {2}." +msgstr "" + +#: controlpanel.cpp:1107 +msgid "Error: Network {1} could not be deleted for user {2}." +msgstr "" + +#: controlpanel.cpp:1126 controlpanel.cpp:1134 +msgctxt "listnetworks" +msgid "Network" +msgstr "" + +#: controlpanel.cpp:1127 controlpanel.cpp:1136 controlpanel.cpp:1144 +msgctxt "listnetworks" +msgid "OnIRC" +msgstr "" + +#: controlpanel.cpp:1128 controlpanel.cpp:1137 +msgctxt "listnetworks" +msgid "IRC Server" +msgstr "" + +#: controlpanel.cpp:1129 controlpanel.cpp:1139 +msgctxt "listnetworks" +msgid "IRC User" +msgstr "" + +#: controlpanel.cpp:1130 controlpanel.cpp:1141 +msgctxt "listnetworks" +msgid "Channels" +msgstr "" + +#: controlpanel.cpp:1149 +msgid "No networks" +msgstr "" + +#: controlpanel.cpp:1160 +msgid "Usage: AddServer [[+]port] [password]" +msgstr "" + +#: controlpanel.cpp:1174 +msgid "Added IRC Server {1} to network {2} for user {3}." +msgstr "" + +#: controlpanel.cpp:1178 +msgid "Error: Could not add IRC server {1} to network {2} for user {3}." +msgstr "" + +#: controlpanel.cpp:1191 +msgid "Usage: DelServer [[+]port] [password]" +msgstr "" + +#: controlpanel.cpp:1206 +msgid "Deleted IRC Server {1} from network {2} for user {3}." +msgstr "" + +#: controlpanel.cpp:1210 +msgid "Error: Could not delete IRC server {1} from network {2} for user {3}." +msgstr "" + +#: controlpanel.cpp:1220 +msgid "Usage: Reconnect " +msgstr "" + +#: controlpanel.cpp:1247 +msgid "Queued network {1} of user {2} for a reconnect." +msgstr "" + +#: controlpanel.cpp:1256 +msgid "Usage: Disconnect " +msgstr "" + +#: controlpanel.cpp:1271 +msgid "Closed IRC connection for network {1} of user {2}." +msgstr "" + +#: controlpanel.cpp:1286 controlpanel.cpp:1291 +msgctxt "listctcp" +msgid "Request" +msgstr "" + +#: controlpanel.cpp:1287 controlpanel.cpp:1292 +msgctxt "listctcp" +msgid "Reply" +msgstr "" + +#: controlpanel.cpp:1296 +msgid "No CTCP replies for user {1} are configured" +msgstr "" + +#: controlpanel.cpp:1299 +msgid "CTCP replies for user {1}:" +msgstr "" + +#: controlpanel.cpp:1315 +msgid "Usage: AddCTCP [user] [request] [reply]" +msgstr "" + +#: controlpanel.cpp:1317 +msgid "" +"This will cause ZNC to reply to the CTCP instead of forwarding it to clients." +msgstr "" + +#: controlpanel.cpp:1320 +msgid "An empty reply will cause the CTCP request to be blocked." +msgstr "" + +#: controlpanel.cpp:1329 +msgid "CTCP requests {1} to user {2} will now be blocked." +msgstr "" + +#: controlpanel.cpp:1333 +msgid "CTCP requests {1} to user {2} will now get reply: {3}" +msgstr "" + +#: controlpanel.cpp:1350 +msgid "Usage: DelCTCP [user] [request]" +msgstr "" + +#: controlpanel.cpp:1356 +msgid "CTCP requests {1} to user {2} will now be sent to IRC clients" +msgstr "" + +#: controlpanel.cpp:1360 +msgid "" +"CTCP requests {1} to user {2} will be sent to IRC clients (nothing has " +"changed)" +msgstr "" + +#: controlpanel.cpp:1370 controlpanel.cpp:1444 +msgid "Loading modules has been disabled." +msgstr "" + +#: controlpanel.cpp:1379 +msgid "Error: Unable to load module {1}: {2}" +msgstr "" + +#: controlpanel.cpp:1382 +msgid "Loaded module {1}" +msgstr "" + +#: controlpanel.cpp:1387 +msgid "Error: Unable to reload module {1}: {2}" +msgstr "" + +#: controlpanel.cpp:1390 +msgid "Reloaded module {1}" +msgstr "" + +#: controlpanel.cpp:1394 +msgid "Error: Unable to load module {1} because it is already loaded" +msgstr "" + +#: controlpanel.cpp:1405 +msgid "Usage: LoadModule [args]" +msgstr "" + +#: controlpanel.cpp:1424 +msgid "Usage: LoadNetModule [args]" +msgstr "" + +#: controlpanel.cpp:1449 +msgid "Please use /znc unloadmod {1}" +msgstr "" + +#: controlpanel.cpp:1455 +msgid "Error: Unable to unload module {1}: {2}" +msgstr "" + +#: controlpanel.cpp:1458 +msgid "Unloaded module {1}" +msgstr "Wyładowano moduł {1}" + +#: controlpanel.cpp:1467 +msgid "Usage: UnloadModule " +msgstr "Użycie: UnloadModule " + +#: controlpanel.cpp:1484 +msgid "Usage: UnloadNetModule " +msgstr "Użycie: UnloadNetModule " + +#: controlpanel.cpp:1501 controlpanel.cpp:1507 +msgctxt "listmodules" +msgid "Name" +msgstr "Nazwa" + +#: controlpanel.cpp:1502 controlpanel.cpp:1508 +msgctxt "listmodules" +msgid "Arguments" +msgstr "Argumenty" + +#: controlpanel.cpp:1527 +msgid "User {1} has no modules loaded." +msgstr "Użytkownik {1} nie ma załadowanych modułów." + +#: controlpanel.cpp:1531 +msgid "Modules loaded for user {1}:" +msgstr "Załadowane moduły użytkownika {1}:" + +#: controlpanel.cpp:1551 +msgid "Network {1} of user {2} has no modules loaded." +msgstr "" + +#: controlpanel.cpp:1556 +msgid "Modules loaded for network {1} of user {2}:" +msgstr "Moduły załadowane dla sieci {1} użytkownika {2}:" + +#: controlpanel.cpp:1563 +msgid "[command] [variable]" +msgstr "[command] [variable]" + +#: controlpanel.cpp:1564 +msgid "Prints help for matching commands and variables" +msgstr "" + +#: controlpanel.cpp:1567 +msgid " [username]" +msgstr " [username]" + +#: controlpanel.cpp:1568 +msgid "Prints the variable's value for the given or current user" +msgstr "" + +#: controlpanel.cpp:1570 +msgid " " +msgstr " " + +#: controlpanel.cpp:1571 +msgid "Sets the variable's value for the given user" +msgstr "" + +#: controlpanel.cpp:1573 +msgid " [username] [network]" +msgstr " [username] [network]" + +#: controlpanel.cpp:1574 +msgid "Prints the variable's value for the given network" +msgstr "" + +#: controlpanel.cpp:1576 +msgid " " +msgstr " " + +#: controlpanel.cpp:1577 +msgid "Sets the variable's value for the given network" +msgstr "" + +#: controlpanel.cpp:1579 +msgid " [username] " +msgstr " [username] " + +#: controlpanel.cpp:1580 +msgid "Prints the variable's value for the given channel" +msgstr "" + +#: controlpanel.cpp:1583 +msgid " " +msgstr " " + +#: controlpanel.cpp:1584 +msgid "Sets the variable's value for the given channel" +msgstr "" + +#: controlpanel.cpp:1586 controlpanel.cpp:1589 +msgid " " +msgstr " " + +#: controlpanel.cpp:1587 +msgid "Adds a new channel" +msgstr "Dodaje nowy kanał" + +#: controlpanel.cpp:1590 +msgid "Deletes a channel" +msgstr "Usuwa kanał" + +#: controlpanel.cpp:1592 +msgid "Lists users" +msgstr "Lista użytkowników" + +#: controlpanel.cpp:1594 +msgid " " +msgstr " " + +#: controlpanel.cpp:1595 +msgid "Adds a new user" +msgstr "" + +#: controlpanel.cpp:1597 controlpanel.cpp:1620 controlpanel.cpp:1634 +msgid "" +msgstr "" + +#: controlpanel.cpp:1597 +msgid "Deletes a user" +msgstr "" + +#: controlpanel.cpp:1599 +msgid " " +msgstr "" + +#: controlpanel.cpp:1600 +msgid "Clones a user" +msgstr "" + +#: controlpanel.cpp:1602 controlpanel.cpp:1605 +msgid " " +msgstr "" + +#: controlpanel.cpp:1603 +msgid "Adds a new IRC server for the given or current user" +msgstr "" + +#: controlpanel.cpp:1606 +msgid "Deletes an IRC server from the given or current user" +msgstr "" + +#: controlpanel.cpp:1608 controlpanel.cpp:1611 controlpanel.cpp:1631 +msgid " " +msgstr "" + +#: controlpanel.cpp:1609 +msgid "Cycles the user's IRC server connection" +msgstr "" + +#: controlpanel.cpp:1612 +msgid "Disconnects the user from their IRC server" +msgstr "" + +#: controlpanel.cpp:1614 +msgid " [args]" +msgstr "" + +#: controlpanel.cpp:1615 +msgid "Loads a Module for a user" +msgstr "" + +#: controlpanel.cpp:1617 +msgid " " +msgstr "" + +#: controlpanel.cpp:1618 +msgid "Removes a Module of a user" +msgstr "" + +#: controlpanel.cpp:1621 +msgid "Get the list of modules for a user" +msgstr "" + +#: controlpanel.cpp:1624 +msgid " [args]" +msgstr "" + +#: controlpanel.cpp:1625 +msgid "Loads a Module for a network" +msgstr "" + +#: controlpanel.cpp:1628 +msgid " " +msgstr "" + +#: controlpanel.cpp:1629 +msgid "Removes a Module of a network" +msgstr "" + +#: controlpanel.cpp:1632 +msgid "Get the list of modules for a network" +msgstr "Uzyskaj listę modułów dla użytkownika" + +#: controlpanel.cpp:1635 +msgid "List the configured CTCP replies" +msgstr "Lista skonfigurowanych odpowiedzi CTCP" + +#: controlpanel.cpp:1637 +msgid " [reply]" +msgstr " [reply]" + +#: controlpanel.cpp:1638 +msgid "Configure a new CTCP reply" +msgstr "Skonfiguruj nową odpowiedź CTCP" + +#: controlpanel.cpp:1640 +msgid " " +msgstr " " + +#: controlpanel.cpp:1641 +msgid "Remove a CTCP reply" +msgstr "Usuń odpowiedź CTCP" + +#: controlpanel.cpp:1645 controlpanel.cpp:1648 +msgid "[username] " +msgstr "[username] " + +#: controlpanel.cpp:1646 +msgid "Add a network for a user" +msgstr "Dodaj sieć użytkownikowi" + +#: controlpanel.cpp:1649 +msgid "Delete a network for a user" +msgstr "Usuń sieć użytkownikowi" + +#: controlpanel.cpp:1651 +msgid "[username]" +msgstr "[username]" + +#: controlpanel.cpp:1652 +msgid "List all networks for a user" +msgstr "Lista wszystkich sieci użytkownika" + +#: controlpanel.cpp:1665 +msgid "" +"Dynamic configuration through IRC. Allows editing only yourself if you're " +"not ZNC admin." +msgstr "" +"Dynamiczna konfiguracja poprzez IRC. Pozwala edytować tylko siebie, jeśli " +"nie jesteś administratorem ZNC." diff --git a/modules/po/crypt.id_ID.po b/modules/po/crypt.id_ID.po index 423e141e..a32dac1b 100644 --- a/modules/po/crypt.id_ID.po +++ b/modules/po/crypt.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/crypt.pot\n" +"X-Crowdin-File-ID: 167\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/crypt.pl_PL.po b/modules/po/crypt.pl_PL.po new file mode 100644 index 00000000..38fa093e --- /dev/null +++ b/modules/po/crypt.pl_PL.po @@ -0,0 +1,145 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /master/modules/po/crypt.pot\n" +"X-Crowdin-File-ID: 167\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: crypt.cpp:198 +msgid "<#chan|Nick>" +msgstr "" + +#: crypt.cpp:199 +msgid "Remove a key for nick or channel" +msgstr "" + +#: crypt.cpp:201 +msgid "<#chan|Nick> " +msgstr "" + +#: crypt.cpp:202 +msgid "Set a key for nick or channel" +msgstr "" + +#: crypt.cpp:204 +msgid "List all keys" +msgstr "" + +#: crypt.cpp:206 +msgid "" +msgstr "" + +#: crypt.cpp:207 +msgid "Start a DH1080 key exchange with nick" +msgstr "" + +#: crypt.cpp:210 +msgid "Get the nick prefix" +msgstr "" + +#: crypt.cpp:213 +msgid "[Prefix]" +msgstr "" + +#: crypt.cpp:214 +msgid "Set the nick prefix, with no argument it's disabled." +msgstr "" + +#: crypt.cpp:270 +msgid "Received DH1080 public key from {1}, sending mine..." +msgstr "" + +#: crypt.cpp:275 crypt.cpp:296 +msgid "Key for {1} successfully set." +msgstr "" + +#: crypt.cpp:278 crypt.cpp:299 +msgid "Error in {1} with {2}: {3}" +msgstr "" + +#: crypt.cpp:280 crypt.cpp:301 +msgid "no secret key computed" +msgstr "" + +#: crypt.cpp:395 +msgid "Target [{1}] deleted" +msgstr "" + +#: crypt.cpp:397 +msgid "Target [{1}] not found" +msgstr "" + +#: crypt.cpp:400 +msgid "Usage DelKey <#chan|Nick>" +msgstr "" + +#: crypt.cpp:415 +msgid "Set encryption key for [{1}] to [{2}]" +msgstr "" + +#: crypt.cpp:417 +msgid "Usage: SetKey <#chan|Nick> " +msgstr "" + +#: crypt.cpp:428 +msgid "Sent my DH1080 public key to {1}, waiting for reply ..." +msgstr "" + +#: crypt.cpp:430 +msgid "Error generating our keys, nothing sent." +msgstr "" + +#: crypt.cpp:433 +msgid "Usage: KeyX " +msgstr "" + +#: crypt.cpp:440 +msgid "Nick Prefix disabled." +msgstr "" + +#: crypt.cpp:442 +msgid "Nick Prefix: {1}" +msgstr "" + +#: crypt.cpp:451 +msgid "You cannot use :, even followed by other symbols, as Nick Prefix." +msgstr "" + +#: crypt.cpp:460 +msgid "Overlap with Status Prefix ({1}), this Nick Prefix will not be used!" +msgstr "" + +#: crypt.cpp:465 +msgid "Disabling Nick Prefix." +msgstr "" + +#: crypt.cpp:467 +msgid "Setting Nick Prefix to {1}" +msgstr "" + +#: crypt.cpp:474 crypt.cpp:481 +msgctxt "listkeys" +msgid "Target" +msgstr "" + +#: crypt.cpp:475 crypt.cpp:482 +msgctxt "listkeys" +msgid "Key" +msgstr "" + +#: crypt.cpp:486 +msgid "You have no encryption keys set." +msgstr "" + +#: crypt.cpp:508 +msgid "Encryption for channel/private messages" +msgstr "" diff --git a/modules/po/ctcpflood.id_ID.po b/modules/po/ctcpflood.id_ID.po index 0aa5cdda..40a9cdd0 100644 --- a/modules/po/ctcpflood.id_ID.po +++ b/modules/po/ctcpflood.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/ctcpflood.pot\n" +"X-Crowdin-File-ID: 168\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/ctcpflood.pl_PL.po b/modules/po/ctcpflood.pl_PL.po new file mode 100644 index 00000000..187ac315 --- /dev/null +++ b/modules/po/ctcpflood.pl_PL.po @@ -0,0 +1,75 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /master/modules/po/ctcpflood.pot\n" +"X-Crowdin-File-ID: 168\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: ctcpflood.cpp:25 ctcpflood.cpp:27 +msgid "" +msgstr "" + +#: ctcpflood.cpp:25 +msgid "Set seconds limit" +msgstr "" + +#: ctcpflood.cpp:27 +msgid "Set lines limit" +msgstr "" + +#: ctcpflood.cpp:29 +msgid "Show the current limits" +msgstr "" + +#: ctcpflood.cpp:76 +msgid "Limit reached by {1}, blocking all CTCP" +msgstr "" + +#: ctcpflood.cpp:98 +msgid "Usage: Secs " +msgstr "" + +#: ctcpflood.cpp:113 +msgid "Usage: Lines " +msgstr "" + +#: ctcpflood.cpp:125 +msgid "1 CTCP message" +msgid_plural "{1} CTCP messages" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" + +#: ctcpflood.cpp:127 +msgid "every second" +msgid_plural "every {1} seconds" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" + +#: ctcpflood.cpp:129 +msgid "Current limit is {1} {2}" +msgstr "" + +#: ctcpflood.cpp:145 +msgid "" +"This user module takes none to two arguments. The first argument is the " +"number of lines after which the flood-protection is triggered. The second " +"argument is the time (sec) to in which the number of lines is reached. The " +"default setting is 4 CTCPs in 2 seconds" +msgstr "" + +#: ctcpflood.cpp:151 +msgid "Don't forward CTCP floods to clients" +msgstr "" diff --git a/modules/po/cyrusauth.id_ID.po b/modules/po/cyrusauth.id_ID.po index c446066a..e6820030 100644 --- a/modules/po/cyrusauth.id_ID.po +++ b/modules/po/cyrusauth.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/cyrusauth.pot\n" +"X-Crowdin-File-ID: 169\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/cyrusauth.pl_PL.po b/modules/po/cyrusauth.pl_PL.po new file mode 100644 index 00000000..508deb36 --- /dev/null +++ b/modules/po/cyrusauth.pl_PL.po @@ -0,0 +1,75 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /master/modules/po/cyrusauth.pot\n" +"X-Crowdin-File-ID: 169\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: cyrusauth.cpp:42 +msgid "Shows current settings" +msgstr "" + +#: cyrusauth.cpp:44 +msgid "yes|clone |no" +msgstr "" + +#: cyrusauth.cpp:45 +msgid "" +"Create ZNC users upon first successful login, optionally from a template" +msgstr "" + +#: cyrusauth.cpp:56 +msgid "Access denied" +msgstr "" + +#: cyrusauth.cpp:70 +msgid "Ignoring invalid SASL pwcheck method: {1}" +msgstr "" + +#: cyrusauth.cpp:71 +msgid "Ignored invalid SASL pwcheck method" +msgstr "" + +#: cyrusauth.cpp:79 +msgid "Need a pwcheck method as argument (saslauthd, auxprop)" +msgstr "" + +#: cyrusauth.cpp:84 +msgid "SASL Could Not Be Initialized - Halting Startup" +msgstr "" + +#: cyrusauth.cpp:171 cyrusauth.cpp:186 +msgid "We will not create users on their first login" +msgstr "" + +#: cyrusauth.cpp:174 cyrusauth.cpp:195 +msgid "" +"We will create users on their first login, using user [{1}] as a template" +msgstr "" + +#: cyrusauth.cpp:177 cyrusauth.cpp:190 +msgid "We will create users on their first login" +msgstr "" + +#: cyrusauth.cpp:199 +msgid "Usage: CreateUsers yes, CreateUsers no, or CreateUsers clone " +msgstr "" + +#: cyrusauth.cpp:232 +msgid "" +"This global module takes up to two arguments - the methods of authentication " +"- auxprop and saslauthd" +msgstr "" + +#: cyrusauth.cpp:238 +msgid "Allow users to authenticate via SASL password verification method" +msgstr "" diff --git a/modules/po/dcc.id_ID.po b/modules/po/dcc.id_ID.po index 8190a343..f1af517b 100644 --- a/modules/po/dcc.id_ID.po +++ b/modules/po/dcc.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/dcc.pot\n" +"X-Crowdin-File-ID: 170\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/dcc.pl_PL.po b/modules/po/dcc.pl_PL.po new file mode 100644 index 00000000..46a40278 --- /dev/null +++ b/modules/po/dcc.pl_PL.po @@ -0,0 +1,229 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /master/modules/po/dcc.pot\n" +"X-Crowdin-File-ID: 170\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: dcc.cpp:88 +msgid " " +msgstr "" + +#: dcc.cpp:89 +msgid "Send a file from ZNC to someone" +msgstr "" + +#: dcc.cpp:91 +msgid "" +msgstr "" + +#: dcc.cpp:92 +msgid "Send a file from ZNC to your client" +msgstr "" + +#: dcc.cpp:94 +msgid "List current transfers" +msgstr "" + +#: dcc.cpp:103 +msgid "You must be admin to use the DCC module" +msgstr "" + +#: dcc.cpp:140 +msgid "Attempting to send [{1}] to [{2}]." +msgstr "" + +#: dcc.cpp:149 dcc.cpp:554 +msgid "Receiving [{1}] from [{2}]: File already exists." +msgstr "" + +#: dcc.cpp:167 +msgid "" +"Attempting to connect to [{1} {2}] in order to download [{3}] from [{4}]." +msgstr "" + +#: dcc.cpp:179 +msgid "Usage: Send " +msgstr "" + +#: dcc.cpp:186 dcc.cpp:206 +msgid "Illegal path." +msgstr "" + +#: dcc.cpp:199 +msgid "Usage: Get " +msgstr "" + +#: dcc.cpp:215 dcc.cpp:232 dcc.cpp:234 +msgctxt "list" +msgid "Type" +msgstr "" + +#: dcc.cpp:216 dcc.cpp:238 dcc.cpp:241 +msgctxt "list" +msgid "State" +msgstr "" + +#: dcc.cpp:217 dcc.cpp:243 +msgctxt "list" +msgid "Speed" +msgstr "" + +#: dcc.cpp:218 dcc.cpp:227 +msgctxt "list" +msgid "Nick" +msgstr "" + +#: dcc.cpp:219 dcc.cpp:228 +msgctxt "list" +msgid "IP" +msgstr "" + +#: dcc.cpp:220 dcc.cpp:229 +msgctxt "list" +msgid "File" +msgstr "" + +#: dcc.cpp:232 +msgctxt "list-type" +msgid "Sending" +msgstr "" + +#: dcc.cpp:234 +msgctxt "list-type" +msgid "Getting" +msgstr "" + +#: dcc.cpp:239 +msgctxt "list-state" +msgid "Waiting" +msgstr "" + +#: dcc.cpp:244 +msgid "{1} KiB/s" +msgstr "" + +#: dcc.cpp:250 +msgid "You have no active DCC transfers." +msgstr "" + +#: dcc.cpp:267 +msgid "Attempting to resume send from position {1} of file [{2}] for [{3}]" +msgstr "" + +#: dcc.cpp:277 +msgid "Couldn't resume file [{1}] for [{2}]: not sending anything." +msgstr "" + +#: dcc.cpp:286 +msgid "Bad DCC file: {1}" +msgstr "" + +#: dcc.cpp:341 +msgid "Sending [{1}] to [{2}]: File not open!" +msgstr "" + +#: dcc.cpp:345 +msgid "Receiving [{1}] from [{2}]: File not open!" +msgstr "" + +#: dcc.cpp:385 +msgid "Sending [{1}] to [{2}]: Connection refused." +msgstr "" + +#: dcc.cpp:389 +msgid "Receiving [{1}] from [{2}]: Connection refused." +msgstr "" + +#: dcc.cpp:397 +msgid "Sending [{1}] to [{2}]: Timeout." +msgstr "" + +#: dcc.cpp:401 +msgid "Receiving [{1}] from [{2}]: Timeout." +msgstr "" + +#: dcc.cpp:411 +msgid "Sending [{1}] to [{2}]: Socket error {3}: {4}" +msgstr "" + +#: dcc.cpp:415 +msgid "Receiving [{1}] from [{2}]: Socket error {3}: {4}" +msgstr "" + +#: dcc.cpp:423 +msgid "Sending [{1}] to [{2}]: Transfer started." +msgstr "" + +#: dcc.cpp:427 +msgid "Receiving [{1}] from [{2}]: Transfer started." +msgstr "" + +#: dcc.cpp:446 +msgid "Sending [{1}] to [{2}]: Too much data!" +msgstr "" + +#: dcc.cpp:450 +msgid "Receiving [{1}] from [{2}]: Too much data!" +msgstr "" + +#: dcc.cpp:456 +msgid "Sending [{1}] to [{2}] completed at {3} KiB/s" +msgstr "" + +#: dcc.cpp:461 +msgid "Receiving [{1}] from [{2}] completed at {3} KiB/s" +msgstr "" + +#: dcc.cpp:474 +msgid "Sending [{1}] to [{2}]: File closed prematurely." +msgstr "" + +#: dcc.cpp:478 +msgid "Receiving [{1}] from [{2}]: File closed prematurely." +msgstr "" + +#: dcc.cpp:501 +msgid "Sending [{1}] to [{2}]: Error reading from file." +msgstr "" + +#: dcc.cpp:505 +msgid "Receiving [{1}] from [{2}]: Error reading from file." +msgstr "" + +#: dcc.cpp:537 +msgid "Sending [{1}] to [{2}]: Unable to open file." +msgstr "" + +#: dcc.cpp:541 +msgid "Receiving [{1}] from [{2}]: Unable to open file." +msgstr "" + +#: dcc.cpp:563 +msgid "Receiving [{1}] from [{2}]: Could not open file." +msgstr "" + +#: dcc.cpp:572 +msgid "Sending [{1}] to [{2}]: Not a file." +msgstr "" + +#: dcc.cpp:581 +msgid "Sending [{1}] to [{2}]: Could not open file." +msgstr "" + +#: dcc.cpp:593 +msgid "Sending [{1}] to [{2}]: File too large (>4 GiB)." +msgstr "" + +#: dcc.cpp:623 +msgid "This module allows you to transfer files to and from ZNC" +msgstr "" diff --git a/modules/po/disconkick.id_ID.po b/modules/po/disconkick.id_ID.po index dc3834e6..8d72561a 100644 --- a/modules/po/disconkick.id_ID.po +++ b/modules/po/disconkick.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/disconkick.pot\n" +"X-Crowdin-File-ID: 171\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/disconkick.pl_PL.po b/modules/po/disconkick.pl_PL.po new file mode 100644 index 00000000..0258fce2 --- /dev/null +++ b/modules/po/disconkick.pl_PL.po @@ -0,0 +1,25 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /master/modules/po/disconkick.pot\n" +"X-Crowdin-File-ID: 171\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: disconkick.cpp:32 +msgid "You have been disconnected from the IRC server" +msgstr "" + +#: disconkick.cpp:45 +msgid "" +"Kicks the client from all channels when the connection to the IRC server is " +"lost" +msgstr "" diff --git a/modules/po/fail2ban.id_ID.po b/modules/po/fail2ban.id_ID.po index 98831a2d..3ab23216 100644 --- a/modules/po/fail2ban.id_ID.po +++ b/modules/po/fail2ban.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/fail2ban.pot\n" +"X-Crowdin-File-ID: 172\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/fail2ban.pl_PL.po b/modules/po/fail2ban.pl_PL.po new file mode 100644 index 00000000..abd5fecc --- /dev/null +++ b/modules/po/fail2ban.pl_PL.po @@ -0,0 +1,119 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /master/modules/po/fail2ban.pot\n" +"X-Crowdin-File-ID: 172\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: fail2ban.cpp:25 +msgid "[minutes]" +msgstr "" + +#: fail2ban.cpp:26 +msgid "The number of minutes IPs are blocked after a failed login." +msgstr "" + +#: fail2ban.cpp:28 +msgid "[count]" +msgstr "" + +#: fail2ban.cpp:29 +msgid "The number of allowed failed login attempts." +msgstr "" + +#: fail2ban.cpp:31 fail2ban.cpp:33 +msgid "" +msgstr "" + +#: fail2ban.cpp:31 +msgid "Ban the specified hosts." +msgstr "" + +#: fail2ban.cpp:33 +msgid "Unban the specified hosts." +msgstr "" + +#: fail2ban.cpp:35 +msgid "List banned hosts." +msgstr "" + +#: fail2ban.cpp:55 +msgid "" +"Invalid argument, must be the number of minutes IPs are blocked after a " +"failed login and can be followed by number of allowed failed login attempts" +msgstr "" + +#: fail2ban.cpp:77 fail2ban.cpp:100 fail2ban.cpp:123 fail2ban.cpp:146 +#: fail2ban.cpp:172 +msgid "Access denied" +msgstr "" + +#: fail2ban.cpp:86 +msgid "Usage: Timeout [minutes]" +msgstr "" + +#: fail2ban.cpp:91 fail2ban.cpp:94 +msgid "Timeout: {1} min" +msgstr "" + +#: fail2ban.cpp:109 +msgid "Usage: Attempts [count]" +msgstr "" + +#: fail2ban.cpp:114 fail2ban.cpp:117 +msgid "Attempts: {1}" +msgstr "" + +#: fail2ban.cpp:130 +msgid "Usage: Ban " +msgstr "" + +#: fail2ban.cpp:140 +msgid "Banned: {1}" +msgstr "" + +#: fail2ban.cpp:153 +msgid "Usage: Unban " +msgstr "" + +#: fail2ban.cpp:163 +msgid "Unbanned: {1}" +msgstr "" + +#: fail2ban.cpp:165 +msgid "Ignored: {1}" +msgstr "" + +#: fail2ban.cpp:177 fail2ban.cpp:183 +msgctxt "list" +msgid "Host" +msgstr "" + +#: fail2ban.cpp:178 fail2ban.cpp:184 +msgctxt "list" +msgid "Attempts" +msgstr "" + +#: fail2ban.cpp:188 +msgctxt "list" +msgid "No bans" +msgstr "" + +#: fail2ban.cpp:245 +msgid "" +"You might enter the time in minutes for the IP banning and the number of " +"failed logins before any action is taken." +msgstr "" + +#: fail2ban.cpp:250 +msgid "Block IPs for some time after a failed login." +msgstr "" diff --git a/modules/po/flooddetach.id_ID.po b/modules/po/flooddetach.id_ID.po index f4b97d5f..bfdb04de 100644 --- a/modules/po/flooddetach.id_ID.po +++ b/modules/po/flooddetach.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/flooddetach.pot\n" +"X-Crowdin-File-ID: 173\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/flooddetach.pl_PL.po b/modules/po/flooddetach.pl_PL.po new file mode 100644 index 00000000..7db44c82 --- /dev/null +++ b/modules/po/flooddetach.pl_PL.po @@ -0,0 +1,97 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /master/modules/po/flooddetach.pot\n" +"X-Crowdin-File-ID: 173\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: flooddetach.cpp:30 +msgid "Show current limits" +msgstr "" + +#: flooddetach.cpp:32 flooddetach.cpp:35 +msgid "[]" +msgstr "" + +#: flooddetach.cpp:33 +msgid "Show or set number of seconds in the time interval" +msgstr "" + +#: flooddetach.cpp:36 +msgid "Show or set number of lines in the time interval" +msgstr "" + +#: flooddetach.cpp:39 +msgid "Show or set whether to notify you about detaching and attaching back" +msgstr "" + +#: flooddetach.cpp:93 +msgid "Flood in {1} is over, reattaching..." +msgstr "" + +#: flooddetach.cpp:150 +msgid "Channel {1} was flooded, you've been detached" +msgstr "" + +#: flooddetach.cpp:187 +msgid "1 line" +msgid_plural "{1} lines" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" + +#: flooddetach.cpp:188 +msgid "every second" +msgid_plural "every {1} seconds" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" + +#: flooddetach.cpp:190 +msgid "Current limit is {1} {2}" +msgstr "" + +#: flooddetach.cpp:197 +msgid "Seconds limit is {1}" +msgstr "" + +#: flooddetach.cpp:202 +msgid "Set seconds limit to {1}" +msgstr "" + +#: flooddetach.cpp:211 +msgid "Lines limit is {1}" +msgstr "" + +#: flooddetach.cpp:216 +msgid "Set lines limit to {1}" +msgstr "" + +#: flooddetach.cpp:229 +msgid "Module messages are disabled" +msgstr "" + +#: flooddetach.cpp:231 +msgid "Module messages are enabled" +msgstr "" + +#: flooddetach.cpp:247 +msgid "" +"This user module takes up to two arguments. Arguments are numbers of " +"messages and seconds." +msgstr "" + +#: flooddetach.cpp:251 +msgid "Detach channels when flooded" +msgstr "" diff --git a/modules/po/identfile.id_ID.po b/modules/po/identfile.id_ID.po index 6c1edef0..31f09ade 100644 --- a/modules/po/identfile.id_ID.po +++ b/modules/po/identfile.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/identfile.pot\n" +"X-Crowdin-File-ID: 174\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/identfile.pl_PL.po b/modules/po/identfile.pl_PL.po new file mode 100644 index 00000000..3f44e2a9 --- /dev/null +++ b/modules/po/identfile.pl_PL.po @@ -0,0 +1,85 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /master/modules/po/identfile.pot\n" +"X-Crowdin-File-ID: 174\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: identfile.cpp:30 +msgid "Show file name" +msgstr "" + +#: identfile.cpp:32 +msgid "" +msgstr "" + +#: identfile.cpp:32 +msgid "Set file name" +msgstr "" + +#: identfile.cpp:34 +msgid "Show file format" +msgstr "" + +#: identfile.cpp:36 +msgid "" +msgstr "" + +#: identfile.cpp:36 +msgid "Set file format" +msgstr "" + +#: identfile.cpp:38 +msgid "Show current state" +msgstr "" + +#: identfile.cpp:48 +msgid "File is set to: {1}" +msgstr "" + +#: identfile.cpp:53 +msgid "File has been set to: {1}" +msgstr "" + +#: identfile.cpp:58 +msgid "Format has been set to: {1}" +msgstr "" + +#: identfile.cpp:59 identfile.cpp:65 +msgid "Format would be expanded to: {1}" +msgstr "" + +#: identfile.cpp:64 +msgid "Format is set to: {1}" +msgstr "" + +#: identfile.cpp:78 +msgid "identfile is free" +msgstr "" + +#: identfile.cpp:86 +msgid "Access denied" +msgstr "" + +#: identfile.cpp:181 +msgid "" +"Aborting connection, another user or network is currently connecting and " +"using the ident spoof file" +msgstr "" + +#: identfile.cpp:189 +msgid "[{1}] could not be written, retrying..." +msgstr "" + +#: identfile.cpp:223 +msgid "Write the ident of a user to a file when they are trying to connect." +msgstr "" diff --git a/modules/po/imapauth.id_ID.po b/modules/po/imapauth.id_ID.po index 7bce0dd6..8ecd94d2 100644 --- a/modules/po/imapauth.id_ID.po +++ b/modules/po/imapauth.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/imapauth.pot\n" +"X-Crowdin-File-ID: 175\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/imapauth.pl_PL.po b/modules/po/imapauth.pl_PL.po new file mode 100644 index 00000000..2e1837f1 --- /dev/null +++ b/modules/po/imapauth.pl_PL.po @@ -0,0 +1,23 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /master/modules/po/imapauth.pot\n" +"X-Crowdin-File-ID: 175\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: imapauth.cpp:168 +msgid "[ server [+]port [ UserFormatString ] ]" +msgstr "" + +#: imapauth.cpp:171 +msgid "Allow users to authenticate via IMAP." +msgstr "" diff --git a/modules/po/keepnick.id_ID.po b/modules/po/keepnick.id_ID.po index 5999dc8e..c0ae6d60 100644 --- a/modules/po/keepnick.id_ID.po +++ b/modules/po/keepnick.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/keepnick.pot\n" +"X-Crowdin-File-ID: 176\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/keepnick.pl_PL.po b/modules/po/keepnick.pl_PL.po new file mode 100644 index 00000000..fe90fab1 --- /dev/null +++ b/modules/po/keepnick.pl_PL.po @@ -0,0 +1,55 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /master/modules/po/keepnick.pot\n" +"X-Crowdin-File-ID: 176\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: keepnick.cpp:39 +msgid "Try to get your primary nick" +msgstr "" + +#: keepnick.cpp:42 keepnick.cpp:196 +msgid "No longer trying to get your primary nick" +msgstr "" + +#: keepnick.cpp:44 +msgid "Show the current state" +msgstr "" + +#: keepnick.cpp:158 +msgid "ZNC is already trying to get this nickname" +msgstr "" + +#: keepnick.cpp:173 +msgid "Unable to obtain nick {1}: {2}, {3}" +msgstr "" + +#: keepnick.cpp:181 +msgid "Unable to obtain nick {1}" +msgstr "" + +#: keepnick.cpp:191 +msgid "Trying to get your primary nick" +msgstr "" + +#: keepnick.cpp:201 +msgid "Currently trying to get your primary nick" +msgstr "" + +#: keepnick.cpp:203 +msgid "Currently disabled, try 'enable'" +msgstr "" + +#: keepnick.cpp:224 +msgid "Keeps trying for your primary nick" +msgstr "" diff --git a/modules/po/kickrejoin.id_ID.po b/modules/po/kickrejoin.id_ID.po index c348a959..40d07ebb 100644 --- a/modules/po/kickrejoin.id_ID.po +++ b/modules/po/kickrejoin.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/kickrejoin.pot\n" +"X-Crowdin-File-ID: 177\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/kickrejoin.pl_PL.po b/modules/po/kickrejoin.pl_PL.po new file mode 100644 index 00000000..401b9a9f --- /dev/null +++ b/modules/po/kickrejoin.pl_PL.po @@ -0,0 +1,67 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /master/modules/po/kickrejoin.pot\n" +"X-Crowdin-File-ID: 177\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: kickrejoin.cpp:56 +msgid "" +msgstr "" + +#: kickrejoin.cpp:56 +msgid "Set the rejoin delay" +msgstr "" + +#: kickrejoin.cpp:58 +msgid "Show the rejoin delay" +msgstr "" + +#: kickrejoin.cpp:77 +msgid "Illegal argument, must be a positive number or 0" +msgstr "" + +#: kickrejoin.cpp:90 +msgid "Negative delays don't make any sense!" +msgstr "" + +#: kickrejoin.cpp:98 +msgid "Rejoin delay set to 1 second" +msgid_plural "Rejoin delay set to {1} seconds" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" + +#: kickrejoin.cpp:101 +msgid "Rejoin delay disabled" +msgstr "" + +#: kickrejoin.cpp:106 +msgid "Rejoin delay is set to 1 second" +msgid_plural "Rejoin delay is set to {1} seconds" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" + +#: kickrejoin.cpp:109 +msgid "Rejoin delay is disabled" +msgstr "" + +#: kickrejoin.cpp:131 +msgid "You might enter the number of seconds to wait before rejoining." +msgstr "" + +#: kickrejoin.cpp:134 +msgid "Autorejoins on kick" +msgstr "" diff --git a/modules/po/lastseen.id_ID.po b/modules/po/lastseen.id_ID.po index 06177a93..5a5c1e9e 100644 --- a/modules/po/lastseen.id_ID.po +++ b/modules/po/lastseen.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/lastseen.pot\n" +"X-Crowdin-File-ID: 178\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/lastseen.pl_PL.po b/modules/po/lastseen.pl_PL.po new file mode 100644 index 00000000..26f83657 --- /dev/null +++ b/modules/po/lastseen.pl_PL.po @@ -0,0 +1,69 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /master/modules/po/lastseen.pot\n" +"X-Crowdin-File-ID: 178\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: modules/po/../data/lastseen/tmpl/index.tmpl:8 +msgid "User" +msgstr "" + +#: modules/po/../data/lastseen/tmpl/index.tmpl:9 lastseen.cpp:99 +msgid "Last Seen" +msgstr "" + +#: modules/po/../data/lastseen/tmpl/index.tmpl:10 +msgid "Info" +msgstr "" + +#: modules/po/../data/lastseen/tmpl/index.tmpl:11 +msgid "Action" +msgstr "" + +#: modules/po/../data/lastseen/tmpl/index.tmpl:21 +msgid "Edit" +msgstr "" + +#: modules/po/../data/lastseen/tmpl/index.tmpl:22 +msgid "Delete" +msgstr "" + +#: modules/po/../data/lastseen/tmpl/lastseen_WebadminUser.tmpl:6 +msgid "Last login time:" +msgstr "" + +#: lastseen.cpp:53 +msgid "Access denied" +msgstr "" + +#: lastseen.cpp:61 lastseen.cpp:67 +msgctxt "show" +msgid "User" +msgstr "" + +#: lastseen.cpp:62 lastseen.cpp:68 +msgctxt "show" +msgid "Last Seen" +msgstr "" + +#: lastseen.cpp:69 lastseen.cpp:125 +msgid "never" +msgstr "" + +#: lastseen.cpp:79 +msgid "Shows list of users and when they last logged in" +msgstr "" + +#: lastseen.cpp:154 +msgid "Collects data about when a user last logged in." +msgstr "" diff --git a/modules/po/listsockets.id_ID.po b/modules/po/listsockets.id_ID.po index ebaee12e..993f9b3d 100644 --- a/modules/po/listsockets.id_ID.po +++ b/modules/po/listsockets.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/listsockets.pot\n" +"X-Crowdin-File-ID: 179\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/listsockets.pl_PL.po b/modules/po/listsockets.pl_PL.po new file mode 100644 index 00000000..691d1d2e --- /dev/null +++ b/modules/po/listsockets.pl_PL.po @@ -0,0 +1,115 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /master/modules/po/listsockets.pot\n" +"X-Crowdin-File-ID: 179\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:7 listsockets.cpp:213 +#: listsockets.cpp:229 +msgid "Name" +msgstr "" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:8 listsockets.cpp:214 +#: listsockets.cpp:230 +msgid "Created" +msgstr "" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:9 listsockets.cpp:215 +#: listsockets.cpp:231 +msgid "State" +msgstr "" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:10 listsockets.cpp:217 +#: listsockets.cpp:234 +msgid "SSL" +msgstr "" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:11 listsockets.cpp:219 +#: listsockets.cpp:239 +msgid "Local" +msgstr "" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:12 listsockets.cpp:220 +#: listsockets.cpp:241 +msgid "Remote" +msgstr "" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:13 +msgid "Data In" +msgstr "" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:14 +msgid "Data Out" +msgstr "" + +#: listsockets.cpp:62 +msgid "[-n]" +msgstr "" + +#: listsockets.cpp:62 +msgid "Shows the list of active sockets. Pass -n to show IP addresses" +msgstr "" + +#: listsockets.cpp:70 +msgid "You must be admin to use this module" +msgstr "" + +#: listsockets.cpp:95 +msgid "List sockets" +msgstr "" + +#: listsockets.cpp:115 listsockets.cpp:235 +msgctxt "ssl" +msgid "Yes" +msgstr "" + +#: listsockets.cpp:115 listsockets.cpp:236 +msgctxt "ssl" +msgid "No" +msgstr "" + +#: listsockets.cpp:141 +msgid "Listener" +msgstr "" + +#: listsockets.cpp:143 +msgid "Inbound" +msgstr "" + +#: listsockets.cpp:146 +msgid "Outbound" +msgstr "" + +#: listsockets.cpp:148 +msgid "Connecting" +msgstr "" + +#: listsockets.cpp:151 +msgid "UNKNOWN" +msgstr "" + +#: listsockets.cpp:206 +msgid "You have no open sockets." +msgstr "" + +#: listsockets.cpp:221 listsockets.cpp:243 +msgid "In" +msgstr "" + +#: listsockets.cpp:222 listsockets.cpp:245 +msgid "Out" +msgstr "" + +#: listsockets.cpp:261 +msgid "Lists active sockets" +msgstr "" diff --git a/modules/po/log.id_ID.po b/modules/po/log.id_ID.po index eea1e1e3..c1b54da3 100644 --- a/modules/po/log.id_ID.po +++ b/modules/po/log.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/log.pot\n" +"X-Crowdin-File-ID: 180\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/log.pl_PL.po b/modules/po/log.pl_PL.po new file mode 100644 index 00000000..f8d2e9bd --- /dev/null +++ b/modules/po/log.pl_PL.po @@ -0,0 +1,152 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /master/modules/po/log.pot\n" +"X-Crowdin-File-ID: 180\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: log.cpp:59 +msgid "" +msgstr "" + +#: log.cpp:60 +msgid "Set logging rules, use !#chan or !query to negate and * " +msgstr "" + +#: log.cpp:62 +msgid "Clear all logging rules" +msgstr "" + +#: log.cpp:64 +msgid "List all logging rules" +msgstr "" + +#: log.cpp:67 +msgid " true|false" +msgstr "" + +#: log.cpp:68 +msgid "Set one of the following options: joins, quits, nickchanges" +msgstr "" + +#: log.cpp:71 +msgid "Show current settings set by Set command" +msgstr "" + +#: log.cpp:143 +msgid "Usage: SetRules " +msgstr "" + +#: log.cpp:144 +msgid "Wildcards are allowed" +msgstr "" + +#: log.cpp:156 log.cpp:179 +msgid "No logging rules. Everything is logged." +msgstr "" + +#: log.cpp:161 +msgid "1 rule removed: {2}" +msgid_plural "{1} rules removed: {2}" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" + +#: log.cpp:168 log.cpp:174 +msgctxt "listrules" +msgid "Rule" +msgstr "" + +#: log.cpp:169 log.cpp:175 +msgctxt "listrules" +msgid "Logging enabled" +msgstr "" + +#: log.cpp:190 +msgid "" +"Usage: Set true|false, where is one of: joins, quits, nickchanges" +msgstr "" + +#: log.cpp:197 +msgid "Will log joins" +msgstr "" + +#: log.cpp:197 +msgid "Will not log joins" +msgstr "" + +#: log.cpp:198 +msgid "Will log quits" +msgstr "" + +#: log.cpp:198 +msgid "Will not log quits" +msgstr "" + +#: log.cpp:200 +msgid "Will log nick changes" +msgstr "" + +#: log.cpp:200 +msgid "Will not log nick changes" +msgstr "" + +#: log.cpp:204 +msgid "Unknown variable. Known variables: joins, quits, nickchanges" +msgstr "" + +#: log.cpp:212 +msgid "Logging joins" +msgstr "" + +#: log.cpp:212 +msgid "Not logging joins" +msgstr "" + +#: log.cpp:213 +msgid "Logging quits" +msgstr "" + +#: log.cpp:213 +msgid "Not logging quits" +msgstr "" + +#: log.cpp:214 +msgid "Logging nick changes" +msgstr "" + +#: log.cpp:215 +msgid "Not logging nick changes" +msgstr "" + +#: log.cpp:352 +msgid "" +"Invalid args [{1}]. Only one log path allowed. Check that there are no " +"spaces in the path." +msgstr "" + +#: log.cpp:402 +msgid "Invalid log path [{1}]" +msgstr "" + +#: log.cpp:405 +msgid "Logging to [{1}]. Using timestamp format '{2}'" +msgstr "" + +#: log.cpp:560 +msgid "[-sanitize] Optional path where to store logs." +msgstr "" + +#: log.cpp:564 +msgid "Writes IRC logs." +msgstr "" diff --git a/modules/po/missingmotd.id_ID.po b/modules/po/missingmotd.id_ID.po index 70846637..cd3bb1fe 100644 --- a/modules/po/missingmotd.id_ID.po +++ b/modules/po/missingmotd.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/missingmotd.pot\n" +"X-Crowdin-File-ID: 181\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/missingmotd.pl_PL.po b/modules/po/missingmotd.pl_PL.po new file mode 100644 index 00000000..dcaf567c --- /dev/null +++ b/modules/po/missingmotd.pl_PL.po @@ -0,0 +1,19 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /master/modules/po/missingmotd.pot\n" +"X-Crowdin-File-ID: 181\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: missingmotd.cpp:36 +msgid "Sends 422 to clients when they login" +msgstr "" diff --git a/modules/po/modperl.id_ID.po b/modules/po/modperl.id_ID.po index fb0b826b..28ef7532 100644 --- a/modules/po/modperl.id_ID.po +++ b/modules/po/modperl.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/modperl.pot\n" +"X-Crowdin-File-ID: 182\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/modperl.pl_PL.po b/modules/po/modperl.pl_PL.po new file mode 100644 index 00000000..42c6196d --- /dev/null +++ b/modules/po/modperl.pl_PL.po @@ -0,0 +1,19 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /master/modules/po/modperl.pot\n" +"X-Crowdin-File-ID: 182\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: modperl.cpp:382 +msgid "Loads perl scripts as ZNC modules" +msgstr "" diff --git a/modules/po/modpython.id_ID.po b/modules/po/modpython.id_ID.po index 72b80886..67ce0ab3 100644 --- a/modules/po/modpython.id_ID.po +++ b/modules/po/modpython.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/modpython.pot\n" +"X-Crowdin-File-ID: 183\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/modpython.pl_PL.po b/modules/po/modpython.pl_PL.po new file mode 100644 index 00000000..13b315c4 --- /dev/null +++ b/modules/po/modpython.pl_PL.po @@ -0,0 +1,19 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /master/modules/po/modpython.pot\n" +"X-Crowdin-File-ID: 183\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: modpython.cpp:513 +msgid "Loads python scripts as ZNC modules" +msgstr "" diff --git a/modules/po/modules_online.id_ID.po b/modules/po/modules_online.id_ID.po index f0a36284..64457a02 100644 --- a/modules/po/modules_online.id_ID.po +++ b/modules/po/modules_online.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/modules_online.pot\n" +"X-Crowdin-File-ID: 184\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/modules_online.pl_PL.po b/modules/po/modules_online.pl_PL.po new file mode 100644 index 00000000..69ec9c93 --- /dev/null +++ b/modules/po/modules_online.pl_PL.po @@ -0,0 +1,19 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /master/modules/po/modules_online.pot\n" +"X-Crowdin-File-ID: 184\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: modules_online.cpp:117 +msgid "Makes ZNC's *modules to be \"online\"." +msgstr "" diff --git a/modules/po/nickserv.id_ID.po b/modules/po/nickserv.id_ID.po index 98315874..3cee07a4 100644 --- a/modules/po/nickserv.id_ID.po +++ b/modules/po/nickserv.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/nickserv.pot\n" +"X-Crowdin-File-ID: 185\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/nickserv.pl_PL.po b/modules/po/nickserv.pl_PL.po new file mode 100644 index 00000000..c864dbc1 --- /dev/null +++ b/modules/po/nickserv.pl_PL.po @@ -0,0 +1,81 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /master/modules/po/nickserv.pot\n" +"X-Crowdin-File-ID: 185\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: nickserv.cpp:31 +msgid "Password set" +msgstr "" + +#: nickserv.cpp:36 nickserv.cpp:46 +msgid "Done" +msgstr "" + +#: nickserv.cpp:41 +msgid "NickServ name set" +msgstr "" + +#: nickserv.cpp:60 +msgid "No such editable command. See ViewCommands for list." +msgstr "" + +#: nickserv.cpp:63 +msgid "Ok" +msgstr "" + +#: nickserv.cpp:68 +msgid "password" +msgstr "" + +#: nickserv.cpp:68 +msgid "Set your nickserv password" +msgstr "" + +#: nickserv.cpp:70 +msgid "Clear your nickserv password" +msgstr "" + +#: nickserv.cpp:72 +msgid "nickname" +msgstr "" + +#: nickserv.cpp:73 +msgid "" +"Set NickServ name (Useful on networks like EpiKnet, where NickServ is named " +"Themis" +msgstr "" + +#: nickserv.cpp:77 +msgid "Reset NickServ name to default (NickServ)" +msgstr "" + +#: nickserv.cpp:81 +msgid "Show patterns for lines, which are being sent to NickServ" +msgstr "" + +#: nickserv.cpp:83 +msgid "cmd new-pattern" +msgstr "" + +#: nickserv.cpp:84 +msgid "Set pattern for commands" +msgstr "" + +#: nickserv.cpp:146 +msgid "Please enter your nickserv password." +msgstr "" + +#: nickserv.cpp:150 +msgid "Auths you with NickServ (prefer SASL module instead)" +msgstr "" diff --git a/modules/po/notes.id_ID.po b/modules/po/notes.id_ID.po index bafc4d3c..98850154 100644 --- a/modules/po/notes.id_ID.po +++ b/modules/po/notes.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/notes.pot\n" +"X-Crowdin-File-ID: 186\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/notes.pl_PL.po b/modules/po/notes.pl_PL.po new file mode 100644 index 00000000..1f32107b --- /dev/null +++ b/modules/po/notes.pl_PL.po @@ -0,0 +1,121 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /master/modules/po/notes.pot\n" +"X-Crowdin-File-ID: 186\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: modules/po/../data/notes/tmpl/index.tmpl:7 +msgid "Add A Note" +msgstr "" + +#: modules/po/../data/notes/tmpl/index.tmpl:11 +msgid "Key:" +msgstr "" + +#: modules/po/../data/notes/tmpl/index.tmpl:15 +msgid "Note:" +msgstr "" + +#: modules/po/../data/notes/tmpl/index.tmpl:19 +msgid "Add Note" +msgstr "" + +#: modules/po/../data/notes/tmpl/index.tmpl:27 +msgid "You have no notes to display." +msgstr "" + +#: modules/po/../data/notes/tmpl/index.tmpl:34 notes.cpp:164 notes.cpp:170 +msgid "Key" +msgstr "" + +#: modules/po/../data/notes/tmpl/index.tmpl:35 notes.cpp:165 notes.cpp:171 +msgid "Note" +msgstr "" + +#: modules/po/../data/notes/tmpl/index.tmpl:41 +msgid "[del]" +msgstr "" + +#: notes.cpp:32 +msgid "That note already exists. Use MOD to overwrite." +msgstr "" + +#: notes.cpp:35 notes.cpp:137 +msgid "Added note {1}" +msgstr "" + +#: notes.cpp:37 notes.cpp:48 notes.cpp:142 +msgid "Unable to add note {1}" +msgstr "" + +#: notes.cpp:46 notes.cpp:139 +msgid "Set note for {1}" +msgstr "" + +#: notes.cpp:56 +msgid "This note doesn't exist." +msgstr "" + +#: notes.cpp:66 notes.cpp:116 +msgid "Deleted note {1}" +msgstr "" + +#: notes.cpp:68 notes.cpp:118 +msgid "Unable to delete note {1}" +msgstr "" + +#: notes.cpp:75 +msgid "List notes" +msgstr "" + +#: notes.cpp:77 notes.cpp:81 +msgid " " +msgstr "" + +#: notes.cpp:77 +msgid "Add a note" +msgstr "" + +#: notes.cpp:79 notes.cpp:83 +msgid "" +msgstr "" + +#: notes.cpp:79 +msgid "Delete a note" +msgstr "" + +#: notes.cpp:81 +msgid "Modify a note" +msgstr "" + +#: notes.cpp:94 +msgid "Notes" +msgstr "" + +#: notes.cpp:133 +msgid "That note already exists. Use /#+ to overwrite." +msgstr "" + +#: notes.cpp:186 notes.cpp:188 +msgid "You have no entries." +msgstr "" + +#: notes.cpp:224 +msgid "" +"This user module takes up to one arguments. It can be -disableNotesOnLogin " +"not to show notes upon client login" +msgstr "" + +#: notes.cpp:228 +msgid "Keep and replay notes" +msgstr "" diff --git a/modules/po/notify_connect.id_ID.po b/modules/po/notify_connect.id_ID.po index 4d7751ef..2f970b02 100644 --- a/modules/po/notify_connect.id_ID.po +++ b/modules/po/notify_connect.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/notify_connect.pot\n" +"X-Crowdin-File-ID: 187\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/notify_connect.pl_PL.po b/modules/po/notify_connect.pl_PL.po new file mode 100644 index 00000000..9155d40a --- /dev/null +++ b/modules/po/notify_connect.pl_PL.po @@ -0,0 +1,31 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /master/modules/po/notify_connect.pot\n" +"X-Crowdin-File-ID: 187\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: notify_connect.cpp:24 +msgid "attached" +msgstr "" + +#: notify_connect.cpp:26 +msgid "detached" +msgstr "" + +#: notify_connect.cpp:41 +msgid "{1} {2} from {3}" +msgstr "" + +#: notify_connect.cpp:52 +msgid "Notifies all admin users when a client connects or disconnects." +msgstr "" diff --git a/modules/po/perform.id_ID.po b/modules/po/perform.id_ID.po index 37991360..87f32225 100644 --- a/modules/po/perform.id_ID.po +++ b/modules/po/perform.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/perform.pot\n" +"X-Crowdin-File-ID: 189\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/perform.pl_PL.po b/modules/po/perform.pl_PL.po new file mode 100644 index 00000000..86fb98b4 --- /dev/null +++ b/modules/po/perform.pl_PL.po @@ -0,0 +1,110 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /master/modules/po/perform.pot\n" +"X-Crowdin-File-ID: 189\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: modules/po/../data/perform/tmpl/index.tmpl:7 perform.cpp:143 +msgid "Perform" +msgstr "" + +#: modules/po/../data/perform/tmpl/index.tmpl:11 +msgid "Perform commands:" +msgstr "" + +#: modules/po/../data/perform/tmpl/index.tmpl:15 +msgid "Commands sent to the IRC server on connect, one per line." +msgstr "" + +#: modules/po/../data/perform/tmpl/index.tmpl:18 +msgid "Save" +msgstr "" + +#: perform.cpp:24 +msgid "Usage: add " +msgstr "" + +#: perform.cpp:29 +msgid "Added!" +msgstr "" + +#: perform.cpp:37 perform.cpp:82 +msgid "Illegal # Requested" +msgstr "" + +#: perform.cpp:41 +msgid "Command Erased." +msgstr "" + +#: perform.cpp:50 perform.cpp:56 +msgctxt "list" +msgid "Id" +msgstr "" + +#: perform.cpp:51 perform.cpp:57 +msgctxt "list" +msgid "Perform" +msgstr "" + +#: perform.cpp:52 perform.cpp:62 +msgctxt "list" +msgid "Expanded" +msgstr "" + +#: perform.cpp:67 +msgid "No commands in your perform list." +msgstr "" + +#: perform.cpp:73 +msgid "perform commands sent" +msgstr "" + +#: perform.cpp:86 +msgid "Commands Swapped." +msgstr "" + +#: perform.cpp:95 +msgid "" +msgstr "" + +#: perform.cpp:96 +msgid "Adds perform command to be sent to the server on connect" +msgstr "" + +#: perform.cpp:98 +msgid "" +msgstr "" + +#: perform.cpp:98 +msgid "Delete a perform command" +msgstr "" + +#: perform.cpp:100 +msgid "List the perform commands" +msgstr "" + +#: perform.cpp:103 +msgid "Send the perform commands to the server now" +msgstr "" + +#: perform.cpp:105 +msgid " " +msgstr "" + +#: perform.cpp:106 +msgid "Swap two perform commands" +msgstr "" + +#: perform.cpp:192 +msgid "Keeps a list of commands to be executed when ZNC connects to IRC." +msgstr "" diff --git a/modules/po/perleval.id_ID.po b/modules/po/perleval.id_ID.po index dd49585e..358a8a9a 100644 --- a/modules/po/perleval.id_ID.po +++ b/modules/po/perleval.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/perleval.pot\n" +"X-Crowdin-File-ID: 190\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/perleval.pl_PL.po b/modules/po/perleval.pl_PL.po new file mode 100644 index 00000000..4cfff577 --- /dev/null +++ b/modules/po/perleval.pl_PL.po @@ -0,0 +1,33 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /master/modules/po/perleval.pot\n" +"X-Crowdin-File-ID: 190\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: perleval.pm:23 +msgid "Evaluates perl code" +msgstr "" + +#: perleval.pm:33 +msgid "Only admin can load this module" +msgstr "" + +#: perleval.pm:44 +#, perl-format +msgid "Error: %s" +msgstr "" + +#: perleval.pm:46 +#, perl-format +msgid "Result: %s" +msgstr "" diff --git a/modules/po/pyeval.id_ID.po b/modules/po/pyeval.id_ID.po index dd915f7c..6ff56b0b 100644 --- a/modules/po/pyeval.id_ID.po +++ b/modules/po/pyeval.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/pyeval.pot\n" +"X-Crowdin-File-ID: 191\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/pyeval.pl_PL.po b/modules/po/pyeval.pl_PL.po new file mode 100644 index 00000000..f3961f05 --- /dev/null +++ b/modules/po/pyeval.pl_PL.po @@ -0,0 +1,23 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /master/modules/po/pyeval.pot\n" +"X-Crowdin-File-ID: 191\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: pyeval.py:49 +msgid "You must have admin privileges to load this module." +msgstr "" + +#: pyeval.py:82 +msgid "Evaluates python code" +msgstr "" diff --git a/modules/po/raw.id_ID.po b/modules/po/raw.id_ID.po index 72103dda..9ac7ab78 100644 --- a/modules/po/raw.id_ID.po +++ b/modules/po/raw.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/raw.pot\n" +"X-Crowdin-File-ID: 193\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/raw.pl_PL.po b/modules/po/raw.pl_PL.po new file mode 100644 index 00000000..f63b7c9c --- /dev/null +++ b/modules/po/raw.pl_PL.po @@ -0,0 +1,19 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /master/modules/po/raw.pot\n" +"X-Crowdin-File-ID: 193\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: raw.cpp:43 +msgid "View all of the raw traffic" +msgstr "" diff --git a/modules/po/route_replies.id_ID.po b/modules/po/route_replies.id_ID.po index 2a2fdc75..e34033fa 100644 --- a/modules/po/route_replies.id_ID.po +++ b/modules/po/route_replies.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/route_replies.pot\n" +"X-Crowdin-File-ID: 194\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/route_replies.pl_PL.po b/modules/po/route_replies.pl_PL.po new file mode 100644 index 00000000..57c76f5c --- /dev/null +++ b/modules/po/route_replies.pl_PL.po @@ -0,0 +1,61 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /master/modules/po/route_replies.pot\n" +"X-Crowdin-File-ID: 194\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: route_replies.cpp:215 +msgid "[yes|no]" +msgstr "" + +#: route_replies.cpp:216 +msgid "Decides whether to show the timeout messages or not" +msgstr "" + +#: route_replies.cpp:356 +msgid "This module hit a timeout which is probably a connectivity issue." +msgstr "" + +#: route_replies.cpp:359 +msgid "" +"However, if you can provide steps to reproduce this issue, please do report " +"a bug." +msgstr "" + +#: route_replies.cpp:362 +msgid "To disable this message, do \"/msg {1} silent yes\"" +msgstr "" + +#: route_replies.cpp:364 +msgid "Last request: {1}" +msgstr "" + +#: route_replies.cpp:365 +msgid "Expected replies:" +msgstr "" + +#: route_replies.cpp:369 +msgid "{1} (last)" +msgstr "" + +#: route_replies.cpp:441 +msgid "Timeout messages are disabled." +msgstr "" + +#: route_replies.cpp:442 +msgid "Timeout messages are enabled." +msgstr "" + +#: route_replies.cpp:463 +msgid "Send replies (e.g. to /who) to the right client only" +msgstr "" diff --git a/modules/po/sample.id_ID.po b/modules/po/sample.id_ID.po index 4562c28f..17032ef6 100644 --- a/modules/po/sample.id_ID.po +++ b/modules/po/sample.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/sample.pot\n" +"X-Crowdin-File-ID: 195\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/sample.pl_PL.po b/modules/po/sample.pl_PL.po new file mode 100644 index 00000000..67006132 --- /dev/null +++ b/modules/po/sample.pl_PL.po @@ -0,0 +1,123 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /master/modules/po/sample.pot\n" +"X-Crowdin-File-ID: 195\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: sample.cpp:31 +msgid "Sample job cancelled" +msgstr "" + +#: sample.cpp:33 +msgid "Sample job destroyed" +msgstr "" + +#: sample.cpp:50 +msgid "Sample job done" +msgstr "" + +#: sample.cpp:65 +msgid "TEST!!!!" +msgstr "" + +#: sample.cpp:74 +msgid "I'm being loaded with the arguments: {1}" +msgstr "" + +#: sample.cpp:85 +msgid "I'm being unloaded!" +msgstr "" + +#: sample.cpp:94 +msgid "You got connected BoyOh." +msgstr "" + +#: sample.cpp:98 +msgid "You got disconnected BoyOh." +msgstr "" + +#: sample.cpp:116 +msgid "{1} {2} set mode on {3} {4}{5} {6}" +msgstr "" + +#: sample.cpp:123 +msgid "{1} {2} opped {3} on {4}" +msgstr "" + +#: sample.cpp:129 +msgid "{1} {2} deopped {3} on {4}" +msgstr "" + +#: sample.cpp:135 +msgid "{1} {2} voiced {3} on {4}" +msgstr "" + +#: sample.cpp:141 +msgid "{1} {2} devoiced {3} on {4}" +msgstr "" + +#: sample.cpp:147 +msgid "* {1} sets mode: {2} {3} on {4}" +msgstr "" + +#: sample.cpp:163 +msgid "{1} kicked {2} from {3} with the msg {4}" +msgstr "" + +#: sample.cpp:169 +msgid "* {1} ({2}@{3}) quits ({4}) from channel: {6}" +msgid_plural "* {1} ({2}@{3}) quits ({4}) from {5} channels: {6}" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" + +#: sample.cpp:177 +msgid "Attempting to join {1}" +msgstr "" + +#: sample.cpp:182 +msgid "* {1} ({2}@{3}) joins {4}" +msgstr "" + +#: sample.cpp:189 +msgid "* {1} ({2}@{3}) parts {4}" +msgstr "" + +#: sample.cpp:196 +msgid "{1} invited us to {2}, ignoring invites to {2}" +msgstr "" + +#: sample.cpp:201 +msgid "{1} invited us to {2}" +msgstr "" + +#: sample.cpp:207 +msgid "{1} is now known as {2}" +msgstr "" + +#: sample.cpp:269 sample.cpp:276 +msgid "{1} changes topic on {2} to {3}" +msgstr "" + +#: sample.cpp:317 +msgid "Hi, I'm your friendly sample module." +msgstr "" + +#: sample.cpp:330 +msgid "Description of module arguments goes here." +msgstr "" + +#: sample.cpp:333 +msgid "To be used as a sample for writing modules" +msgstr "" diff --git a/modules/po/samplewebapi.id_ID.po b/modules/po/samplewebapi.id_ID.po index aebebe9c..449e0f48 100644 --- a/modules/po/samplewebapi.id_ID.po +++ b/modules/po/samplewebapi.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/samplewebapi.pot\n" +"X-Crowdin-File-ID: 196\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/samplewebapi.pl_PL.po b/modules/po/samplewebapi.pl_PL.po new file mode 100644 index 00000000..731afa87 --- /dev/null +++ b/modules/po/samplewebapi.pl_PL.po @@ -0,0 +1,19 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /master/modules/po/samplewebapi.pot\n" +"X-Crowdin-File-ID: 196\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: samplewebapi.cpp:59 +msgid "Sample Web API module." +msgstr "" diff --git a/modules/po/sasl.id_ID.po b/modules/po/sasl.id_ID.po index 9cfcaf64..cf7fffdc 100644 --- a/modules/po/sasl.id_ID.po +++ b/modules/po/sasl.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/sasl.pot\n" +"X-Crowdin-File-ID: 197\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/sasl.pl_PL.po b/modules/po/sasl.pl_PL.po new file mode 100644 index 00000000..9606c50a --- /dev/null +++ b/modules/po/sasl.pl_PL.po @@ -0,0 +1,176 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /master/modules/po/sasl.pot\n" +"X-Crowdin-File-ID: 197\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:301 +msgid "SASL" +msgstr "SASL" + +#: modules/po/../data/sasl/tmpl/index.tmpl:11 +msgid "Username:" +msgstr "Nazwa użytkownika:" + +#: modules/po/../data/sasl/tmpl/index.tmpl:13 +msgid "Please enter a username." +msgstr "Proszę wpisać nazwę użytkownika." + +#: modules/po/../data/sasl/tmpl/index.tmpl:16 +msgid "Password:" +msgstr "Hasło:" + +#: modules/po/../data/sasl/tmpl/index.tmpl:18 +msgid "Please enter a password." +msgstr "Proszę wpisać hasło." + +#: modules/po/../data/sasl/tmpl/index.tmpl:22 +msgid "Options" +msgstr "Opcje" + +#: modules/po/../data/sasl/tmpl/index.tmpl:25 +msgid "Connect only if SASL authentication succeeds." +msgstr "Połącz tylko, jeśli uwierzytelnianie SASL powiedzie się." + +#: modules/po/../data/sasl/tmpl/index.tmpl:27 +msgid "Require authentication" +msgstr "Wymaga uwierzytelnienia" + +#: modules/po/../data/sasl/tmpl/index.tmpl:35 +msgid "Mechanisms" +msgstr "Mechanizm" + +#: modules/po/../data/sasl/tmpl/index.tmpl:42 +msgid "Name" +msgstr "Nazwa" + +#: modules/po/../data/sasl/tmpl/index.tmpl:43 sasl.cpp:89 sasl.cpp:95 +msgid "Description" +msgstr "Opis" + +#: modules/po/../data/sasl/tmpl/index.tmpl:57 +msgid "Selected mechanisms and their order:" +msgstr "Wybrane mechanizmy i ich kolejność:" + +#: modules/po/../data/sasl/tmpl/index.tmpl:74 +msgid "Save" +msgstr "Zapisz" + +#: sasl.cpp:54 +msgid "TLS certificate, for use with the *cert module" +msgstr "" + +#: sasl.cpp:56 +msgid "" +"Plain text negotiation, this should work always if the network supports SASL" +msgstr "" + +#: sasl.cpp:62 +msgid "search" +msgstr "" + +#: sasl.cpp:62 +msgid "Generate this output" +msgstr "Tworzy ten wynik" + +#: sasl.cpp:64 +msgid "[ []]" +msgstr "[ []]" + +#: sasl.cpp:65 +msgid "" +"Set username and password for the mechanisms that need them. Password is " +"optional. Without parameters, returns information about current settings." +msgstr "" + +#: sasl.cpp:69 +msgid "[mechanism[ ...]]" +msgstr "" + +#: sasl.cpp:70 +msgid "Set the mechanisms to be attempted (in order)" +msgstr "" + +#: sasl.cpp:72 +msgid "[yes|no]" +msgstr "[tak|nie]" + +#: sasl.cpp:73 +msgid "Don't connect unless SASL authentication succeeds" +msgstr "Nie łącz, dopóki uwierzytelnianie SASL nie powiedzie się" + +#: sasl.cpp:88 sasl.cpp:94 +msgid "Mechanism" +msgstr "Mechanizm" + +#: sasl.cpp:99 +msgid "The following mechanisms are available:" +msgstr "Następujące mechanizmy są dostępne:" + +#: sasl.cpp:109 +msgid "Username is currently not set" +msgstr "" + +#: sasl.cpp:111 +msgid "Username is currently set to '{1}'" +msgstr "" + +#: sasl.cpp:114 +msgid "Password was not supplied" +msgstr "" + +#: sasl.cpp:116 +msgid "Password was supplied" +msgstr "" + +#: sasl.cpp:124 +msgid "Username has been set to [{1}]" +msgstr "Nazwa użytkownika została ustawiona na [{1}]" + +#: sasl.cpp:125 +msgid "Password has been set to [{1}]" +msgstr "Hasło zostało ustawione na [{1}]" + +#: sasl.cpp:145 +msgid "Current mechanisms set: {1}" +msgstr "" + +#: sasl.cpp:154 +msgid "We require SASL negotiation to connect" +msgstr "" + +#: sasl.cpp:156 +msgid "We will connect even if SASL fails" +msgstr "" + +#: sasl.cpp:193 +msgid "Disabling network, we require authentication." +msgstr "" + +#: sasl.cpp:194 +msgid "Use 'RequireAuth no' to disable." +msgstr "" + +#: sasl.cpp:256 +msgid "{1} mechanism succeeded." +msgstr "" + +#: sasl.cpp:268 +msgid "{1} mechanism failed." +msgstr "" + +#: sasl.cpp:346 +msgid "" +"Adds support for sasl authentication capability to authenticate to an IRC " +"server" +msgstr "" diff --git a/modules/po/savebuff.id_ID.po b/modules/po/savebuff.id_ID.po index 445e2faf..d3e8b522 100644 --- a/modules/po/savebuff.id_ID.po +++ b/modules/po/savebuff.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/savebuff.pot\n" +"X-Crowdin-File-ID: 198\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/savebuff.pl_PL.po b/modules/po/savebuff.pl_PL.po new file mode 100644 index 00000000..d86b7265 --- /dev/null +++ b/modules/po/savebuff.pl_PL.po @@ -0,0 +1,64 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /master/modules/po/savebuff.pot\n" +"X-Crowdin-File-ID: 198\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: savebuff.cpp:65 +msgid "" +msgstr "" + +#: savebuff.cpp:65 +msgid "Sets the password" +msgstr "Ustawia hasło" + +#: savebuff.cpp:67 +msgid "" +msgstr "" + +#: savebuff.cpp:67 +msgid "Replays the buffer" +msgstr "Odtwarza bufor" + +#: savebuff.cpp:69 +msgid "Saves all buffers" +msgstr "Zapisuje wszystkie bufory" + +#: savebuff.cpp:221 +msgid "" +"Password is unset usually meaning the decryption failed. You can setpass to " +"the appropriate pass and things should start working, or setpass to a new " +"pass and save to reinstantiate" +msgstr "" + +#: savebuff.cpp:232 +msgid "Password set to [{1}]" +msgstr "Ustawiono hasło na [{1}]" + +#: savebuff.cpp:262 +msgid "Replayed {1}" +msgstr "Odtworzono {1}" + +#: savebuff.cpp:341 +msgid "Unable to decode Encrypted file {1}" +msgstr "Nie udało się rozszyfrować zaszyfrowanego pliku {1}" + +#: savebuff.cpp:358 +msgid "" +"This user module takes up to one arguments. Either --ask-pass or the " +"password itself (which may contain spaces) or nothing" +msgstr "" + +#: savebuff.cpp:363 +msgid "Stores channel and query buffers to disk, encrypted" +msgstr "Przechowuje bufory kanałów i rozmów na dysku, zaszyfrowane" diff --git a/modules/po/send_raw.id_ID.po b/modules/po/send_raw.id_ID.po index 97f2e56e..aa609e5a 100644 --- a/modules/po/send_raw.id_ID.po +++ b/modules/po/send_raw.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/send_raw.pot\n" +"X-Crowdin-File-ID: 199\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/send_raw.pl_PL.po b/modules/po/send_raw.pl_PL.po new file mode 100644 index 00000000..ebca335f --- /dev/null +++ b/modules/po/send_raw.pl_PL.po @@ -0,0 +1,111 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /master/modules/po/send_raw.pot\n" +"X-Crowdin-File-ID: 199\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:9 +msgid "Send a raw IRC line" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:14 +msgid "User:" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:15 +msgid "To change user, click to Network selector" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:19 +msgid "User/Network:" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:32 +msgid "Send to:" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:34 +msgid "Client" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:35 +msgid "Server" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:40 +msgid "Line:" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:45 +msgid "Send" +msgstr "" + +#: send_raw.cpp:32 +msgid "Sent [{1}] to {2}/{3}" +msgstr "" + +#: send_raw.cpp:36 send_raw.cpp:56 +msgid "Network {1} not found for user {2}" +msgstr "" + +#: send_raw.cpp:40 send_raw.cpp:60 +msgid "User {1} not found" +msgstr "" + +#: send_raw.cpp:52 +msgid "Sent [{1}] to IRC server of {2}/{3}" +msgstr "" + +#: send_raw.cpp:75 +msgid "You must have admin privileges to load this module" +msgstr "" + +#: send_raw.cpp:82 +msgid "Send Raw" +msgstr "" + +#: send_raw.cpp:92 +msgid "User not found" +msgstr "" + +#: send_raw.cpp:99 +msgid "Network not found" +msgstr "" + +#: send_raw.cpp:116 +msgid "Line sent" +msgstr "" + +#: send_raw.cpp:140 send_raw.cpp:143 +msgid "[user] [network] [data to send]" +msgstr "" + +#: send_raw.cpp:141 +msgid "The data will be sent to the user's IRC client(s)" +msgstr "" + +#: send_raw.cpp:144 +msgid "The data will be sent to the IRC server the user is connected to" +msgstr "" + +#: send_raw.cpp:147 +msgid "[data to send]" +msgstr "" + +#: send_raw.cpp:148 +msgid "The data will be sent to your current client" +msgstr "" + +#: send_raw.cpp:159 +msgid "Lets you send some raw IRC lines as/to someone else" +msgstr "" diff --git a/modules/po/shell.id_ID.po b/modules/po/shell.id_ID.po index 10305ea6..93518d04 100644 --- a/modules/po/shell.id_ID.po +++ b/modules/po/shell.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/shell.pot\n" +"X-Crowdin-File-ID: 200\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/shell.pl_PL.po b/modules/po/shell.pl_PL.po new file mode 100644 index 00000000..dd63d3c4 --- /dev/null +++ b/modules/po/shell.pl_PL.po @@ -0,0 +1,31 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /master/modules/po/shell.pot\n" +"X-Crowdin-File-ID: 200\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: shell.cpp:37 +msgid "Failed to execute: {1}" +msgstr "" + +#: shell.cpp:75 +msgid "You must be admin to use the shell module" +msgstr "" + +#: shell.cpp:169 +msgid "Gives shell access" +msgstr "" + +#: shell.cpp:172 +msgid "Gives shell access. Only ZNC admins can use it." +msgstr "" diff --git a/modules/po/simple_away.id_ID.po b/modules/po/simple_away.id_ID.po index 437f572c..3aee727d 100644 --- a/modules/po/simple_away.id_ID.po +++ b/modules/po/simple_away.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/simple_away.pot\n" +"X-Crowdin-File-ID: 201\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/simple_away.pl_PL.po b/modules/po/simple_away.pl_PL.po new file mode 100644 index 00000000..71dce0e5 --- /dev/null +++ b/modules/po/simple_away.pl_PL.po @@ -0,0 +1,98 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /master/modules/po/simple_away.pot\n" +"X-Crowdin-File-ID: 201\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: simple_away.cpp:56 +msgid "[]" +msgstr "" + +#: simple_away.cpp:57 +#, c-format +msgid "" +"Prints or sets the away reason (%awaytime% is replaced with the time you " +"were set away, supports substitutions using ExpandString)" +msgstr "" + +#: simple_away.cpp:63 +msgid "Prints the current time to wait before setting you away" +msgstr "" + +#: simple_away.cpp:65 +msgid "" +msgstr "" + +#: simple_away.cpp:66 +msgid "Sets the time to wait before setting you away" +msgstr "" + +#: simple_away.cpp:69 +msgid "Disables the wait time before setting you away" +msgstr "" + +#: simple_away.cpp:73 +msgid "Get or set the minimum number of clients before going away" +msgstr "" + +#: simple_away.cpp:136 +msgid "Away reason set" +msgstr "" + +#: simple_away.cpp:138 +msgid "Away reason: {1}" +msgstr "" + +#: simple_away.cpp:139 +msgid "Current away reason would be: {1}" +msgstr "" + +#: simple_away.cpp:144 +msgid "Current timer setting: 1 second" +msgid_plural "Current timer setting: {1} seconds" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" + +#: simple_away.cpp:153 simple_away.cpp:161 +msgid "Timer disabled" +msgstr "" + +#: simple_away.cpp:155 +msgid "Timer set to 1 second" +msgid_plural "Timer set to: {1} seconds" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" + +#: simple_away.cpp:166 +msgid "Current MinClients setting: {1}" +msgstr "" + +#: simple_away.cpp:169 +msgid "MinClients set to {1}" +msgstr "" + +#: simple_away.cpp:248 +msgid "" +"You might enter up to 3 arguments, like -notimer awaymessage or -timer 5 " +"awaymessage." +msgstr "" + +#: simple_away.cpp:253 +msgid "" +"This module will automatically set you away on IRC while you are " +"disconnected from the bouncer." +msgstr "" diff --git a/modules/po/stickychan.id_ID.po b/modules/po/stickychan.id_ID.po index 6e11ea39..689bd71e 100644 --- a/modules/po/stickychan.id_ID.po +++ b/modules/po/stickychan.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/stickychan.pot\n" +"X-Crowdin-File-ID: 202\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/stickychan.pl_PL.po b/modules/po/stickychan.pl_PL.po new file mode 100644 index 00000000..a03b766d --- /dev/null +++ b/modules/po/stickychan.pl_PL.po @@ -0,0 +1,104 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /master/modules/po/stickychan.pot\n" +"X-Crowdin-File-ID: 202\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: modules/po/../data/stickychan/tmpl/index.tmpl:9 +msgid "Name" +msgstr "" + +#: modules/po/../data/stickychan/tmpl/index.tmpl:10 +msgid "Sticky" +msgstr "" + +#: modules/po/../data/stickychan/tmpl/index.tmpl:25 +msgid "Save" +msgstr "" + +#: modules/po/../data/stickychan/tmpl/stickychan_WebadminChan.tmpl:8 +msgid "Channel is sticky" +msgstr "" + +#: stickychan.cpp:28 +msgid "<#channel> [key]" +msgstr "" + +#: stickychan.cpp:28 +msgid "Sticks a channel" +msgstr "" + +#: stickychan.cpp:30 +msgid "<#channel>" +msgstr "" + +#: stickychan.cpp:30 +msgid "Unsticks a channel" +msgstr "" + +#: stickychan.cpp:32 +msgid "Lists sticky channels" +msgstr "" + +#: stickychan.cpp:75 +msgid "Usage: Stick <#channel> [key]" +msgstr "" + +#: stickychan.cpp:79 +msgid "Stuck {1}" +msgstr "" + +#: stickychan.cpp:85 +msgid "Usage: Unstick <#channel>" +msgstr "" + +#: stickychan.cpp:89 +msgid "Unstuck {1}" +msgstr "" + +#: stickychan.cpp:101 +msgid " -- End of List" +msgstr "" + +#: stickychan.cpp:115 +msgid "Could not join {1} (# prefix missing?)" +msgstr "" + +#: stickychan.cpp:128 +msgid "Sticky Channels" +msgstr "" + +#: stickychan.cpp:160 +msgid "Changes have been saved!" +msgstr "" + +#: stickychan.cpp:185 +msgid "Channel became sticky!" +msgstr "" + +#: stickychan.cpp:189 +msgid "Channel stopped being sticky!" +msgstr "" + +#: stickychan.cpp:209 +msgid "" +"Channel {1} cannot be joined, it is an illegal channel name. Unsticking." +msgstr "" + +#: stickychan.cpp:246 +msgid "List of channels, separated by comma." +msgstr "" + +#: stickychan.cpp:251 +msgid "configless sticky chans, keeps you there very stickily even" +msgstr "" diff --git a/modules/po/stripcontrols.id_ID.po b/modules/po/stripcontrols.id_ID.po index 5f8e4dbd..8904b06c 100644 --- a/modules/po/stripcontrols.id_ID.po +++ b/modules/po/stripcontrols.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/stripcontrols.pot\n" +"X-Crowdin-File-ID: 203\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/stripcontrols.pl_PL.po b/modules/po/stripcontrols.pl_PL.po new file mode 100644 index 00000000..81001f83 --- /dev/null +++ b/modules/po/stripcontrols.pl_PL.po @@ -0,0 +1,20 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /master/modules/po/stripcontrols.pot\n" +"X-Crowdin-File-ID: 203\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: stripcontrols.cpp:63 +msgid "" +"Strips control codes (Colors, Bold, ..) from channel and private messages." +msgstr "" diff --git a/modules/po/watch.id_ID.po b/modules/po/watch.id_ID.po index 046f6aa0..95e188dd 100644 --- a/modules/po/watch.id_ID.po +++ b/modules/po/watch.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/watch.pot\n" +"X-Crowdin-File-ID: 204\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/watch.pl_PL.po b/modules/po/watch.pl_PL.po new file mode 100644 index 00000000..18cb8014 --- /dev/null +++ b/modules/po/watch.pl_PL.po @@ -0,0 +1,195 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /master/modules/po/watch.pot\n" +"X-Crowdin-File-ID: 204\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: watch.cpp:178 +msgid " [Target] [Pattern]" +msgstr "" + +#: watch.cpp:178 +msgid "Used to add an entry to watch for." +msgstr "" + +#: watch.cpp:180 +msgid "List all entries being watched." +msgstr "" + +#: watch.cpp:182 +msgid "Dump a list of all current entries to be used later." +msgstr "" + +#: watch.cpp:184 +msgid "" +msgstr "" + +#: watch.cpp:184 +msgid "Deletes Id from the list of watched entries." +msgstr "" + +#: watch.cpp:186 +msgid "Delete all entries." +msgstr "" + +#: watch.cpp:188 watch.cpp:190 +msgid "" +msgstr "" + +#: watch.cpp:188 +msgid "Enable a disabled entry." +msgstr "" + +#: watch.cpp:190 +msgid "Disable (but don't delete) an entry." +msgstr "" + +#: watch.cpp:192 watch.cpp:194 +msgid " " +msgstr "" + +#: watch.cpp:192 +msgid "Enable or disable detached client only for an entry." +msgstr "" + +#: watch.cpp:194 +msgid "Enable or disable detached channel only for an entry." +msgstr "" + +#: watch.cpp:196 +msgid " [#chan priv #foo* !#bar]" +msgstr "" + +#: watch.cpp:196 +msgid "Set the source channels that you care about." +msgstr "" + +#: watch.cpp:237 +msgid "WARNING: malformed entry found while loading" +msgstr "" + +#: watch.cpp:382 +msgid "Disabled all entries." +msgstr "" + +#: watch.cpp:383 +msgid "Enabled all entries." +msgstr "" + +#: watch.cpp:390 watch.cpp:432 watch.cpp:474 watch.cpp:577 watch.cpp:619 +msgid "Invalid Id" +msgstr "" + +#: watch.cpp:399 +msgid "Id {1} disabled" +msgstr "" + +#: watch.cpp:401 +msgid "Id {1} enabled" +msgstr "" + +#: watch.cpp:423 +msgid "Set DetachedClientOnly for all entries to Yes" +msgstr "" + +#: watch.cpp:425 +msgid "Set DetachedClientOnly for all entries to No" +msgstr "" + +#: watch.cpp:441 watch.cpp:483 +msgid "Id {1} set to Yes" +msgstr "" + +#: watch.cpp:443 watch.cpp:485 +msgid "Id {1} set to No" +msgstr "" + +#: watch.cpp:465 +msgid "Set DetachedChannelOnly for all entries to Yes" +msgstr "" + +#: watch.cpp:467 +msgid "Set DetachedChannelOnly for all entries to No" +msgstr "" + +#: watch.cpp:491 watch.cpp:507 +msgid "Id" +msgstr "" + +#: watch.cpp:492 watch.cpp:508 +msgid "HostMask" +msgstr "" + +#: watch.cpp:493 watch.cpp:509 +msgid "Target" +msgstr "" + +#: watch.cpp:494 watch.cpp:510 +msgid "Pattern" +msgstr "" + +#: watch.cpp:495 watch.cpp:511 +msgid "Sources" +msgstr "" + +#: watch.cpp:496 watch.cpp:512 watch.cpp:513 +msgid "Off" +msgstr "" + +#: watch.cpp:497 watch.cpp:515 +msgid "DetachedClientOnly" +msgstr "" + +#: watch.cpp:498 watch.cpp:518 +msgid "DetachedChannelOnly" +msgstr "" + +#: watch.cpp:516 watch.cpp:519 +msgid "Yes" +msgstr "" + +#: watch.cpp:516 watch.cpp:519 +msgid "No" +msgstr "" + +#: watch.cpp:525 watch.cpp:531 +msgid "You have no entries." +msgstr "" + +#: watch.cpp:585 +msgid "Sources set for Id {1}." +msgstr "" + +#: watch.cpp:609 +msgid "All entries cleared." +msgstr "" + +#: watch.cpp:627 +msgid "Id {1} removed." +msgstr "" + +#: watch.cpp:646 +msgid "Entry for {1} already exists." +msgstr "" + +#: watch.cpp:654 +msgid "Adding entry: {1} watching for [{2}] -> {3}" +msgstr "" + +#: watch.cpp:660 +msgid "Watch: Not enough arguments. Try Help" +msgstr "" + +#: watch.cpp:702 +msgid "Copy activity from a specific user into a separate window" +msgstr "" diff --git a/modules/po/webadmin.id_ID.po b/modules/po/webadmin.id_ID.po index 3e997a9e..3ca4da6e 100644 --- a/modules/po/webadmin.id_ID.po +++ b/modules/po/webadmin.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/modules/po/webadmin.pot\n" +"X-Crowdin-File-ID: 205\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/webadmin.pl_PL.po b/modules/po/webadmin.pl_PL.po new file mode 100644 index 00000000..b5f80a5e --- /dev/null +++ b/modules/po/webadmin.pl_PL.po @@ -0,0 +1,1211 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /master/modules/po/webadmin.pot\n" +"X-Crowdin-File-ID: 205\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:12 +msgid "Channel Info" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:17 +msgid "Channel Name:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:19 +msgid "The channel name." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:24 +msgid "Key:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:26 +msgid "The password of the channel, if there is one." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:30 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:241 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:260 +msgid "Buffer Size:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:32 +msgid "The buffer count." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:36 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:235 +msgid "Default Modes:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:38 +msgid "The default modes of the channel." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:46 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:270 +msgid "Flags" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:51 +msgid "Save to config" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:67 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:282 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:410 +msgid "Module {1}" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:75 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:290 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:419 +msgid "Save and return" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:76 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:291 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:420 +msgid "Save and continue" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:78 +msgid "Add Channel and return" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:79 +msgid "Add Channel and continue" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:8 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:11 +msgid "<password>" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:11 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:12 +msgid "<network>" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:14 +msgid "" +"To connect to this network from your IRC client, you can set the server " +"password field as {1} or username field as {2}" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:24 +msgid "Network Info" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:25 +msgid "" +"Nick, AltNick, Ident, RealName, BindHost can be left empty to use the value " +"from the user." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:29 +msgid "Network Name:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:31 +msgid "The name of the IRC network." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:35 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:69 +msgid "Nickname:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:37 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:71 +msgid "Your nickname on IRC." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:40 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:74 +msgid "Alt. Nickname:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:42 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:76 +msgid "Your secondary nickname, if the first is not available on IRC." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:46 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:80 +msgid "Ident:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:48 +msgid "Your ident." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:51 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:91 +msgid "Realname:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:53 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:93 +msgid "Your real name." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:58 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:99 +msgid "BindHost:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:65 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:112 +msgid "Quit Message:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:67 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:114 +msgid "You may define a Message shown, when you quit IRC." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:71 +msgid "Active:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:73 +msgid "Connect to IRC & automatically re-connect" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:77 +msgid "Trust all certs:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:79 +msgid "" +"Disable certificate validation (takes precedence over TrustPKI). INSECURE!" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:83 +msgid "Automatically detect trusted certificates (Trust the PKI):" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:85 +msgid "" +"When disabled, manually whitelist all server fingerprints, even if the " +"certificate is valid" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:89 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:96 +msgid "Servers of this IRC network:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:93 +msgid "One server per line, “host [[+]port] [password]”, + means SSL" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:101 +msgid "Hostname" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:102 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:13 +msgid "Port" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:103 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:15 +msgid "SSL" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:104 +msgid "Password" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:116 +msgid "SHA-256 fingerprints of trusted SSL certificates of this IRC network:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:120 +msgid "" +"When these certificates are encountered, checks for hostname, expiration " +"date, CA are skipped" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:124 +msgid "Flood protection:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:127 +msgid "" +"You might enable the flood protection. This prevents “excess flood” errors, " +"which occur, when your IRC bot is command flooded or spammed. After changing " +"this, reconnect ZNC to server." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:130 +msgctxt "Flood Protection" +msgid "Enabled" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:134 +msgid "Flood protection rate:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:137 +msgid "" +"The number of seconds per line. After changing this, reconnect ZNC to server." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:140 +msgid "{1} seconds per line" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:144 +msgid "Flood protection burst:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:147 +msgid "" +"Defines the number of lines, which can be sent immediately. After changing " +"this, reconnect ZNC to server." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:150 +msgid "{1} lines can be sent immediately" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:154 +msgid "Channel join delay:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:157 +msgid "" +"Defines the delay in seconds, until channels are joined after getting " +"connected." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:160 +msgid "{1} seconds" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:165 +msgid "Character encoding used between ZNC and IRC server." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:166 +msgid "Server encoding:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:176 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:231 +msgid "Channels" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:178 +msgid "" +"You will be able to add + modify channels here after you created the network." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:185 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:129 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:354 +#: modules/po/../data/webadmin/tmpl/listusers.tmpl:15 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:72 +msgid "Add" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:187 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:430 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:237 +msgid "Save" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:188 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:228 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:131 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:174 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:176 +msgid "Name" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:189 +msgid "CurModes" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:190 +msgid "DefModes" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:191 +msgid "BufferSize" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:192 +msgid "Options" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:194 +msgid "← Add a channel (opens in same page)" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:204 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:146 +#: modules/po/../data/webadmin/tmpl/listusers.tmpl:27 +msgid "Edit" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:204 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:146 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:53 +msgid "Del" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:222 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:168 +msgid "Modules" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:229 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:175 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:177 +msgid "Arguments" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:230 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:176 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:178 +msgid "Description" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:231 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:177 +msgid "Loaded globally" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:232 +msgid "Loaded by user" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:293 +msgid "Add Network and return" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:294 +msgid "Add Network and continue" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:15 +msgid "Authentication" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:19 +msgid "Username:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:29 +msgid "Please enter a username." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:34 +msgid "Password:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:36 +msgid "Please enter a password." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:39 +msgid "Confirm password:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:41 +msgid "Please re-type the above password." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:44 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:151 +msgid "Auth Only Via Module:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:46 +msgid "" +"Allow user authentication by external modules only, disabling built-in " +"password authentication." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:50 +msgid "Allowed IPs:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:54 +msgid "" +"Leave empty to allow connections from all IPs.
Otherwise, one entry per " +"line, wildcards * and ? are available." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:62 +msgid "IRC Information" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:64 +msgid "" +"Nick, AltNick, Ident, RealName and QuitMsg can be left empty to use default " +"values." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:82 +msgid "The Ident is sent to server as username." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:85 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:102 +msgid "Status Prefix:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:87 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:104 +msgid "The prefix for the status and module queries." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:105 +msgid "DCCBindHost:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:122 +#: modules/po/../data/webadmin/tmpl/listusers.tmpl:17 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:39 +msgid "Networks" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:132 +#: modules/po/../data/webadmin/tmpl/listusers.tmpl:18 +msgid "Clients" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:133 +msgid "Current Server" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:134 +msgid "Nick" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:136 +msgid "← Add a network (opens in same page)" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:160 +msgid "" +"You will be able to add + modify networks here after you have cloned the " +"user." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:162 +msgid "" +"You will be able to add + modify networks here after you have created the " +"user." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:178 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:179 +msgid "Loaded by networks" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:237 +msgid "" +"These are the default modes ZNC will set when you join an empty channel." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:238 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:244 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:263 +msgid "Empty = use standard value" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:243 +msgid "" +"This is the amount of lines that the playback buffer will store for channels " +"before dropping off the oldest line. The buffers are stored in the memory by " +"default." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:251 +msgid "Queries" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:255 +msgid "Max Buffers:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:257 +msgid "Maximum number of query buffers. 0 is unlimited." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:262 +msgid "" +"This is the amount of lines that the playback buffer will store for queries " +"before dropping off the oldest line. The buffers are stored in the memory by " +"default." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:285 +msgid "ZNC Behavior" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:286 +msgid "" +"Any of the following text boxes can be left empty to use their default value." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:290 +msgid "Timestamp Format:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:292 +msgid "" +"The format for the timestamps used in buffers, for example [%H:%M:%S]. This " +"setting is ignored in new IRC clients, which use server-time. If your client " +"supports server-time, change timestamp format in client settings instead." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:295 +msgid "Timezone:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:298 +msgid "E.g. Europe/Berlin, or GMT-6" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:306 +msgid "Character encoding used between IRC client and ZNC." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:307 +msgid "Client encoding:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:312 +msgid "Join Tries:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:314 +msgid "" +"This defines how many times ZNC tries to join a channel, if the first join " +"failed, e.g. due to channel mode +i/+k or if you are banned." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:317 +msgid "Join speed:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:319 +msgid "" +"How many channels are joined in one JOIN command. 0 is unlimited (default). " +"Set to small positive value if you get disconnected with “Max SendQ Exceeded”" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:322 +msgid "Timeout before reconnect:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:324 +msgid "" +"How much time ZNC waits (in seconds) until it receives something from " +"network or declares the connection timeout. This happens after attempts to " +"ping the peer." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:327 +msgid "Max IRC Networks Number:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:329 +msgid "Maximum number of IRC networks allowed for this user." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:332 +msgid "Substitutions" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:334 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:342 +msgid "CTCP Replies:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:338 +msgid "One reply per line. Example: TIME Buy a watch!" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:339 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:355 +msgid "{1} are available" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:341 +msgid "Empty value means this CTCP request will be ignored" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:347 +msgid "Request" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:348 +msgid "Response" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:373 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:90 +msgid "Skin:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:377 +msgid "- Global -" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:379 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:94 +msgid "Default" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:383 +msgid "No other skins found" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:389 +msgid "Language:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:422 +msgid "Clone and return" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:423 +msgid "Clone and continue" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:425 +msgid "Create and return" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:426 +msgid "Create and continue" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:432 +#: modules/po/../data/webadmin/tmpl/listusers.tmpl:28 +msgid "Clone" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:434 +msgid "Create" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/del_network.tmpl:5 +msgid "Confirm Network Deletion" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/del_network.tmpl:9 +msgid "Are you sure you want to delete network “{2}” of user “{1}”?" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/del_network.tmpl:14 +#: modules/po/../data/webadmin/tmpl/del_user.tmpl:14 +msgid "Yes" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/del_network.tmpl:17 +#: modules/po/../data/webadmin/tmpl/del_user.tmpl:17 +msgid "No" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/del_user.tmpl:5 +msgid "Confirm User Deletion" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/del_user.tmpl:9 +msgid "Are you sure you want to delete user “{1}”?" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:6 +msgid "ZNC is compiled without encodings support. {1} is required for it." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:11 +msgid "Legacy mode is disabled by modpython." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:18 +msgid "Don't ensure any encoding at all (legacy mode, not recommended)" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:22 +msgid "Try to parse as UTF-8 and as {1}, send as UTF-8 (recommended)" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:26 +msgid "Try to parse as UTF-8 and as {1}, send as {1}" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:30 +msgid "Parse and send as {1} only" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:36 +msgid "E.g. UTF-8, or ISO-8859-15" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/index.tmpl:5 +msgid "Welcome to the ZNC webadmin module." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/index.tmpl:6 +msgid "" +"All changes you make will be in effect immediately after you submitted them." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/listusers.tmpl:16 +msgid "Username" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/listusers.tmpl:29 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:21 +msgid "Delete" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:6 +msgid "Listen Port(s)" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:14 +msgid "BindHost" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:16 +msgid "IPv4" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:17 +msgid "IPv6" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:18 +msgid "IRC" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:19 +msgid "HTTP" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:20 +msgid "URIPrefix" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:56 +msgid "" +"To delete port which you use to access webadmin itself, either connect to " +"webadmin via another port, or do it in IRC (/znc DelPort)" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:56 +msgid "Current" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:86 +msgid "Settings" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:105 +msgid "Default for new users only." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:110 +msgid "Maximum Buffer Size:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:112 +msgid "Sets the global Max Buffer Size a user can have." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:117 +msgid "Connect Delay:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:119 +msgid "" +"The time between connection attempts to IRC servers, in seconds. This " +"affects the connection between ZNC and the IRC server; not the connection " +"between your IRC client and ZNC." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:124 +msgid "Server Throttle:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:126 +msgid "" +"The minimal time between two connect attempts to the same hostname, in " +"seconds. Some servers refuse your connection if you reconnect too fast." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:131 +msgid "Anonymous Connection Limit per IP:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:133 +msgid "Limits the number of unidentified connections per IP." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:138 +msgid "Protect Web Sessions:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:140 +msgid "Disallow IP changing during each web session" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:145 +msgid "Hide ZNC Version:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:147 +msgid "Hide version number from non-ZNC users" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:153 +msgid "Allow user authentication by external modules only" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:158 +msgid "MOTD:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:162 +msgid "“Message of the Day”, sent to all ZNC users on connect." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:170 +msgid "Global Modules" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:180 +msgid "Loaded by users" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:7 +msgid "Information" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:13 +msgid "Uptime" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:18 +msgid "Total Users" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:22 +msgid "Total Networks" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:26 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:43 +msgid "Attached Networks" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:30 +msgid "Total Client Connections" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:34 +msgid "Total IRC Connections" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:47 +msgid "Client Connections" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:51 +msgid "IRC Connections" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:63 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:72 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:89 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:117 +msgid "Total" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:70 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:115 +msgctxt "Traffic" +msgid "In" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:71 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:116 +msgctxt "Traffic" +msgid "Out" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:77 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:104 +msgid "Users" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:106 +msgid "Traffic" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:113 +msgid "User" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:114 +msgid "Network" +msgstr "" + +#: webadmin.cpp:91 webadmin.cpp:1872 +msgid "Global Settings" +msgstr "" + +#: webadmin.cpp:93 +msgid "Your Settings" +msgstr "" + +#: webadmin.cpp:94 webadmin.cpp:1684 +msgid "Traffic Info" +msgstr "" + +#: webadmin.cpp:97 webadmin.cpp:1663 +msgid "Manage Users" +msgstr "" + +#: webadmin.cpp:188 +msgid "Invalid Submission [Username is required]" +msgstr "" + +#: webadmin.cpp:201 +msgid "Invalid Submission [Passwords do not match]" +msgstr "" + +#: webadmin.cpp:323 +msgid "Timeout can't be less than 30 seconds!" +msgstr "" + +#: webadmin.cpp:407 webadmin.cpp:435 webadmin.cpp:1182 webadmin.cpp:2057 +msgid "Unable to load module [{1}]: {2}" +msgstr "" + +#: webadmin.cpp:412 webadmin.cpp:440 +msgid "Unable to load module [{1}] with arguments [{2}]" +msgstr "" + +#: webadmin.cpp:521 webadmin.cpp:625 webadmin.cpp:650 webadmin.cpp:672 +#: webadmin.cpp:706 webadmin.cpp:1249 +msgid "No such user" +msgstr "" + +#: webadmin.cpp:534 webadmin.cpp:566 webadmin.cpp:595 webadmin.cpp:611 +msgid "No such user or network" +msgstr "" + +#: webadmin.cpp:576 +msgid "No such channel" +msgstr "" + +#: webadmin.cpp:642 +msgid "Please don't delete yourself, suicide is not the answer!" +msgstr "" + +#: webadmin.cpp:715 webadmin.cpp:972 webadmin.cpp:1314 +msgid "Edit User [{1}]" +msgstr "" + +#: webadmin.cpp:719 webadmin.cpp:906 +msgid "Edit Network [{1}]" +msgstr "" + +#: webadmin.cpp:729 +msgid "Edit Channel [{1}] of Network [{2}] of User [{3}]" +msgstr "" + +#: webadmin.cpp:736 +msgid "Edit Channel [{1}]" +msgstr "" + +#: webadmin.cpp:744 +msgid "Add Channel to Network [{1}] of User [{2}]" +msgstr "" + +#: webadmin.cpp:749 +msgid "Add Channel" +msgstr "" + +#: webadmin.cpp:756 webadmin.cpp:1510 +msgid "Auto Clear Chan Buffer" +msgstr "" + +#: webadmin.cpp:758 +msgid "Automatically Clear Channel Buffer After Playback" +msgstr "" + +#: webadmin.cpp:766 +msgid "Detached" +msgstr "" + +#: webadmin.cpp:773 +msgid "Enabled" +msgstr "" + +#: webadmin.cpp:797 +msgid "Channel name is a required argument" +msgstr "" + +#: webadmin.cpp:806 +msgid "Channel [{1}] already exists" +msgstr "" + +#: webadmin.cpp:813 +msgid "Could not add channel [{1}]" +msgstr "" + +#: webadmin.cpp:861 +msgid "Channel was added/modified, but config file was not written" +msgstr "" + +#: webadmin.cpp:888 +msgid "" +"Network number limit reached. Ask an admin to increase the limit for you, or " +"delete unneeded networks from Your Settings." +msgstr "" + +#: webadmin.cpp:903 +msgid "Edit Network [{1}] of User [{2}]" +msgstr "" + +#: webadmin.cpp:910 +msgid "Add Network for User [{1}]" +msgstr "" + +#: webadmin.cpp:911 +msgid "Add Network" +msgstr "" + +#: webadmin.cpp:1073 +msgid "Network name is a required argument" +msgstr "" + +#: webadmin.cpp:1189 webadmin.cpp:2064 +msgid "Unable to reload module [{1}]: {2}" +msgstr "" + +#: webadmin.cpp:1226 +msgid "Network was added/modified, but config file was not written" +msgstr "" + +#: webadmin.cpp:1255 +msgid "That network doesn't exist for this user" +msgstr "" + +#: webadmin.cpp:1272 +msgid "Network was deleted, but config file was not written" +msgstr "" + +#: webadmin.cpp:1286 +msgid "That channel doesn't exist for this network" +msgstr "" + +#: webadmin.cpp:1295 +msgid "Channel was deleted, but config file was not written" +msgstr "" + +#: webadmin.cpp:1323 +msgid "Clone User [{1}]" +msgstr "" + +#: webadmin.cpp:1512 +msgid "" +"Automatically Clear Channel Buffer After Playback (the default value for new " +"channels)" +msgstr "" + +#: webadmin.cpp:1522 +msgid "Multi Clients" +msgstr "" + +#: webadmin.cpp:1529 +msgid "Append Timestamps" +msgstr "" + +#: webadmin.cpp:1536 +msgid "Prepend Timestamps" +msgstr "" + +#: webadmin.cpp:1544 +msgid "Deny LoadMod" +msgstr "" + +#: webadmin.cpp:1551 +msgid "Admin (dangerous! may gain shell access)" +msgstr "" + +#: webadmin.cpp:1561 +msgid "Deny SetBindHost" +msgstr "" + +#: webadmin.cpp:1569 +msgid "Auto Clear Query Buffer" +msgstr "" + +#: webadmin.cpp:1571 +msgid "Automatically Clear Query Buffer After Playback" +msgstr "" + +#: webadmin.cpp:1595 +msgid "Invalid Submission: User {1} already exists" +msgstr "" + +#: webadmin.cpp:1617 webadmin.cpp:1628 +msgid "Invalid submission: {1}" +msgstr "" + +#: webadmin.cpp:1623 +msgid "User was added, but config file was not written" +msgstr "" + +#: webadmin.cpp:1634 +msgid "User was edited, but config file was not written" +msgstr "" + +#: webadmin.cpp:1792 +msgid "Choose either IPv4 or IPv6 or both." +msgstr "" + +#: webadmin.cpp:1809 +msgid "Choose either IRC or HTTP or both." +msgstr "" + +#: webadmin.cpp:1822 webadmin.cpp:1858 +msgid "Port was changed, but config file was not written" +msgstr "" + +#: webadmin.cpp:1848 +msgid "Invalid request." +msgstr "" + +#: webadmin.cpp:1862 +msgid "The specified listener was not found." +msgstr "" + +#: webadmin.cpp:2093 +msgid "Settings were changed, but config file was not written" +msgstr "" diff --git a/src/po/znc.id_ID.po b/src/po/znc.id_ID.po index 5e58a149..65e03754 100644 --- a/src/po/znc.id_ID.po +++ b/src/po/znc.id_ID.po @@ -4,8 +4,10 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" "X-Crowdin-File: /master/src/po/znc.pot\n" +"X-Crowdin-File-ID: 146\n" "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/src/po/znc.pl_PL.po b/src/po/znc.pl_PL.po new file mode 100644 index 00000000..bcd91b52 --- /dev/null +++ b/src/po/znc.pl_PL.po @@ -0,0 +1,1745 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /master/src/po/znc.pot\n" +"X-Crowdin-File-ID: 146\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: webskins/_default_/tmpl/InfoBar.tmpl:6 +msgid "Logged in as: {1}" +msgstr "Zalogowano jako: {1}" + +#: webskins/_default_/tmpl/InfoBar.tmpl:8 +msgid "Not logged in" +msgstr "Nie zalogowano" + +#: webskins/_default_/tmpl/LoginBar.tmpl:3 +msgid "Logout" +msgstr "Wyloguj się" + +#: webskins/_default_/tmpl/Menu.tmpl:4 +msgid "Home" +msgstr "Strona główna" + +#: webskins/_default_/tmpl/Menu.tmpl:7 +msgid "Global Modules" +msgstr "Moduły ogólne" + +#: webskins/_default_/tmpl/Menu.tmpl:20 +msgid "User Modules" +msgstr "Moduły użytkownika" + +#: webskins/_default_/tmpl/Menu.tmpl:35 +msgid "Network Modules ({1})" +msgstr "Moduły sieci ({1})" + +#: webskins/_default_/tmpl/index.tmpl:6 +msgid "Welcome to ZNC's web interface!" +msgstr "WItaj w interfejsie WWW ZNC!" + +#: webskins/_default_/tmpl/index.tmpl:11 +msgid "" +"No Web-enabled modules have been loaded. Load modules from IRC (“/msg " +"*status help” and “/msg *status loadmod <module>”). Once you have loaded some Web-enabled modules, the menu will expand." +msgstr "" + +#: znc.cpp:1554 +msgid "User already exists" +msgstr "Użytkownik już istnieje" + +#: znc.cpp:1662 +msgid "IPv6 is not enabled" +msgstr "IPv6 nie jest włączone" + +#: znc.cpp:1670 +msgid "SSL is not enabled" +msgstr "SSL nie jest włączone" + +#: znc.cpp:1678 +msgid "Unable to locate pem file: {1}" +msgstr "Nie udało się odnaleźć pliku pem: {1}" + +#: znc.cpp:1697 +msgid "Invalid port" +msgstr "Nieprawidłowy port" + +#: znc.cpp:1813 ClientCommand.cpp:1637 +msgid "Unable to bind: {1}" +msgstr "Nie udało się przypiąć: {1}" + +#: IRCNetwork.cpp:235 +msgid "Jumping servers because this server is no longer in the list" +msgstr "" + +#: IRCNetwork.cpp:669 User.cpp:678 +msgid "Welcome to ZNC" +msgstr "Witamy w ZNC" + +#: IRCNetwork.cpp:757 +msgid "You are currently disconnected from IRC. Use 'connect' to reconnect." +msgstr "" +"Jesteś aktualnie rozłączony/a z IRC. Użyj 'connect' aby połączyć się " +"ponownie." + +#: IRCNetwork.cpp:787 +msgid "This network is being deleted or moved to another user." +msgstr "" + +#: IRCNetwork.cpp:1016 +msgid "The channel {1} could not be joined, disabling it." +msgstr "Nie można dołączyć do kanału {1} , wyłączanie go." + +#: IRCNetwork.cpp:1145 +msgid "Your current server was removed, jumping..." +msgstr "" + +#: IRCNetwork.cpp:1308 +msgid "Cannot connect to {1}, because ZNC is not compiled with SSL support." +msgstr "" + +#: IRCNetwork.cpp:1329 +msgid "Some module aborted the connection attempt" +msgstr "" + +#: IRCSock.cpp:490 +msgid "Error from server: {1}" +msgstr "Błąd z serwera: {1}" + +#: IRCSock.cpp:692 +msgid "ZNC seems to be connected to itself, disconnecting..." +msgstr "Wygląda na to że ZNC jest połączony sam do siebie, rozłączanie..." + +#: IRCSock.cpp:739 +msgid "Server {1} redirects us to {2}:{3} with reason: {4}" +msgstr "Serwer {1} przekierowuje nas do {2}:{3} z powodu: {4}" + +#: IRCSock.cpp:743 +msgid "Perhaps you want to add it as a new server." +msgstr "" + +#: IRCSock.cpp:973 +msgid "Channel {1} is linked to another channel and was thus disabled." +msgstr "" + +#: IRCSock.cpp:985 +msgid "Switched to SSL (STARTTLS)" +msgstr "Przełączono na SSL (STARTTLS)" + +#: IRCSock.cpp:1038 +msgid "You quit: {1}" +msgstr "" + +#: IRCSock.cpp:1244 +msgid "Disconnected from IRC. Reconnecting..." +msgstr "Rozłączono z IRC. Łączenie się ponownie..." + +#: IRCSock.cpp:1275 +msgid "Cannot connect to IRC ({1}). Retrying..." +msgstr "Nie można połączyć się z IRC ({1}). Próbowanie ponownie..." + +#: IRCSock.cpp:1278 +msgid "Disconnected from IRC ({1}). Reconnecting..." +msgstr "Rołączono z IRC ({1}). Łączenie się ponownie..." + +#: IRCSock.cpp:1314 +msgid "If you trust this certificate, do /znc AddTrustedServerFingerprint {1}" +msgstr "" +"Jeżeli ufasz temu certyfikatowi, wykonaj /znc AddTrustedServerFingerprint {1}" + +#: IRCSock.cpp:1323 +msgid "IRC connection timed out. Reconnecting..." +msgstr "" + +#: IRCSock.cpp:1335 +msgid "Connection Refused. Reconnecting..." +msgstr "Połączenie odrzucone. Łączenie się ponownie..." + +#: IRCSock.cpp:1343 +msgid "Received a too long line from the IRC server!" +msgstr "" + +#: IRCSock.cpp:1447 +msgid "No free nick available" +msgstr "" + +#: IRCSock.cpp:1455 +msgid "No free nick found" +msgstr "" + +#: Client.cpp:74 +msgid "No such module {1}" +msgstr "Nie ma takiego modułu {1}" + +#: Client.cpp:359 +msgid "A client from {1} attempted to login as you, but was rejected: {2}" +msgstr "" + +#: Client.cpp:394 +msgid "Network {1} doesn't exist." +msgstr "Sieć {1} nie istnieje." + +#: Client.cpp:408 +msgid "" +"You have several networks configured, but no network was specified for the " +"connection." +msgstr "" + +#: Client.cpp:411 +msgid "" +"Selecting network {1}. To see list of all configured networks, use /znc " +"ListNetworks" +msgstr "" + +#: Client.cpp:414 +msgid "" +"If you want to choose another network, use /znc JumpNetwork , or " +"connect to ZNC with username {1}/ (instead of just {1})" +msgstr "" + +#: Client.cpp:420 +msgid "" +"You have no networks configured. Use /znc AddNetwork to add one." +msgstr "" + +#: Client.cpp:431 +msgid "Closing link: Timeout" +msgstr "" + +#: Client.cpp:453 +msgid "Closing link: Too long raw line" +msgstr "" + +#: Client.cpp:460 +msgid "" +"You are being disconnected because another user just authenticated as you." +msgstr "" + +#: Client.cpp:1021 +msgid "Your CTCP to {1} got lost, you are not connected to IRC!" +msgstr "" + +#: Client.cpp:1147 +msgid "Your notice to {1} got lost, you are not connected to IRC!" +msgstr "" + +#: Client.cpp:1186 +msgid "Removing channel {1}" +msgstr "Usuwanie kanału {1}" + +#: Client.cpp:1264 +msgid "Your message to {1} got lost, you are not connected to IRC!" +msgstr "Twoja wiadomość do {1} została zgubiona, nie jesteś połączony z IRC!" + +#: Client.cpp:1317 Client.cpp:1323 +msgid "Hello. How may I help you?" +msgstr "Witaj. Jak mogę ci pomóc?" + +#: Client.cpp:1337 +msgid "Usage: /attach <#chans>" +msgstr "Użycie: /attach <#kanały>" + +#: Client.cpp:1344 Client.cpp:1366 ClientCommand.cpp:129 ClientCommand.cpp:151 +msgid "There was {1} channel matching [{2}]" +msgid_plural "There were {1} channels matching [{2}]" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" + +#: Client.cpp:1347 ClientCommand.cpp:132 +msgid "Attached {1} channel" +msgid_plural "Attached {1} channels" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" + +#: Client.cpp:1359 +msgid "Usage: /detach <#chans>" +msgstr "" + +#: Client.cpp:1369 ClientCommand.cpp:154 +msgid "Detached {1} channel" +msgid_plural "Detached {1} channels" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" + +#: Chan.cpp:678 +msgid "Buffer Playback..." +msgstr "" + +#: Chan.cpp:716 +msgid "Playback Complete." +msgstr "" + +#: Modules.cpp:528 +msgctxt "modhelpcmd" +msgid "" +msgstr "" + +#: Modules.cpp:529 +msgctxt "modhelpcmd" +msgid "Generate this output" +msgstr "Tworzy ten wynik" + +#: Modules.cpp:573 ClientCommand.cpp:1904 +msgid "No matches for '{1}'" +msgstr "Brak dopasowań dla '{1}'" + +#: Modules.cpp:691 +msgid "This module doesn't implement any commands." +msgstr "" + +#: Modules.cpp:693 +msgid "Unknown command!" +msgstr "Nieznane polecenie!" + +#: Modules.cpp:1633 +msgid "" +"Module names can only contain letters, numbers and underscores, [{1}] is " +"invalid" +msgstr "" + +#: Modules.cpp:1652 +msgid "Module {1} already loaded." +msgstr "Moduł {1} już jest załadowany." + +#: Modules.cpp:1666 +msgid "Unable to find module {1}" +msgstr "Nie udało się odnaleźć modułu {1}" + +#: Modules.cpp:1678 +msgid "Module {1} does not support module type {2}." +msgstr "" + +#: Modules.cpp:1685 +msgid "Module {1} requires a user." +msgstr "Moduł {1} wymaga użytkownika." + +#: Modules.cpp:1691 +msgid "Module {1} requires a network." +msgstr "Moduł {1} wymaga sieci." + +#: Modules.cpp:1707 +msgid "Caught an exception" +msgstr "" + +#: Modules.cpp:1713 +msgid "Module {1} aborted: {2}" +msgstr "Moduł {1} przerwany: {2}" + +#: Modules.cpp:1715 +msgid "Module {1} aborted." +msgstr "Przerwano moduł {1}." + +#: Modules.cpp:1739 Modules.cpp:1781 +msgid "Module [{1}] not loaded." +msgstr "" + +#: Modules.cpp:1763 +msgid "Module {1} unloaded." +msgstr "" + +#: Modules.cpp:1768 +msgid "Unable to unload module {1}." +msgstr "" + +#: Modules.cpp:1797 +msgid "Reloaded module {1}." +msgstr "" + +#: Modules.cpp:1816 +msgid "Unable to find module {1}." +msgstr "" + +#: Modules.cpp:1963 +msgid "Unknown error" +msgstr "" + +#: Modules.cpp:1964 +msgid "Unable to open module {1}: {2}" +msgstr "" + +#: Modules.cpp:1973 +msgid "Could not find ZNCModuleEntry in module {1}" +msgstr "" + +#: Modules.cpp:1981 +msgid "" +"Version mismatch for module {1}: core is {2}, module is built for {3}. " +"Recompile this module." +msgstr "" + +#: Modules.cpp:1992 +msgid "" +"Module {1} is built incompatibly: core is '{2}', module is '{3}'. Recompile " +"this module." +msgstr "" + +#: Modules.cpp:2023 Modules.cpp:2029 +msgctxt "modhelpcmd" +msgid "Command" +msgstr "" + +#: Modules.cpp:2024 Modules.cpp:2031 +msgctxt "modhelpcmd" +msgid "Description" +msgstr "" + +#: ClientCommand.cpp:51 ClientCommand.cpp:115 ClientCommand.cpp:137 +#: ClientCommand.cpp:749 ClientCommand.cpp:768 ClientCommand.cpp:794 +#: ClientCommand.cpp:827 ClientCommand.cpp:840 ClientCommand.cpp:853 +#: ClientCommand.cpp:868 ClientCommand.cpp:1329 ClientCommand.cpp:1377 +#: ClientCommand.cpp:1409 ClientCommand.cpp:1420 ClientCommand.cpp:1429 +#: ClientCommand.cpp:1441 +msgid "You must be connected with a network to use this command" +msgstr "" + +#: ClientCommand.cpp:58 +msgid "Usage: ListNicks <#chan>" +msgstr "" + +#: ClientCommand.cpp:65 +msgid "You are not on [{1}]" +msgstr "" + +#: ClientCommand.cpp:70 +msgid "You are not on [{1}] (trying)" +msgstr "" + +#: ClientCommand.cpp:79 +msgid "No nicks on [{1}]" +msgstr "" + +#: ClientCommand.cpp:91 ClientCommand.cpp:106 +msgid "Nick" +msgstr "" + +#: ClientCommand.cpp:92 ClientCommand.cpp:107 +msgid "Ident" +msgstr "" + +#: ClientCommand.cpp:93 ClientCommand.cpp:108 +msgid "Host" +msgstr "" + +#: ClientCommand.cpp:122 +msgid "Usage: Attach <#chans>" +msgstr "" + +#: ClientCommand.cpp:144 +msgid "Usage: Detach <#chans>" +msgstr "" + +#: ClientCommand.cpp:161 +msgid "There is no MOTD set." +msgstr "" + +#: ClientCommand.cpp:167 +msgid "Rehashing succeeded!" +msgstr "" + +#: ClientCommand.cpp:169 +msgid "Rehashing failed: {1}" +msgstr "" + +#: ClientCommand.cpp:173 +msgid "Wrote config to {1}" +msgstr "" + +#: ClientCommand.cpp:175 +msgid "Error while trying to write config." +msgstr "" + +#: ClientCommand.cpp:455 +msgid "Usage: ListChans" +msgstr "" + +#: ClientCommand.cpp:462 +msgid "No such user [{1}]" +msgstr "" + +#: ClientCommand.cpp:468 +msgid "User [{1}] doesn't have network [{2}]" +msgstr "" + +#: ClientCommand.cpp:479 +msgid "There are no channels defined." +msgstr "" + +#: ClientCommand.cpp:484 ClientCommand.cpp:500 +msgctxt "listchans" +msgid "Name" +msgstr "" + +#: ClientCommand.cpp:485 ClientCommand.cpp:503 +msgctxt "listchans" +msgid "Status" +msgstr "" + +#: ClientCommand.cpp:486 ClientCommand.cpp:510 +msgctxt "listchans" +msgid "In config" +msgstr "" + +#: ClientCommand.cpp:487 ClientCommand.cpp:512 +msgctxt "listchans" +msgid "Buffer" +msgstr "" + +#: ClientCommand.cpp:488 ClientCommand.cpp:516 +msgctxt "listchans" +msgid "Clear" +msgstr "" + +#: ClientCommand.cpp:489 ClientCommand.cpp:521 +msgctxt "listchans" +msgid "Modes" +msgstr "" + +#: ClientCommand.cpp:490 ClientCommand.cpp:522 +msgctxt "listchans" +msgid "Users" +msgstr "" + +#: ClientCommand.cpp:505 +msgctxt "listchans" +msgid "Detached" +msgstr "" + +#: ClientCommand.cpp:506 +msgctxt "listchans" +msgid "Joined" +msgstr "" + +#: ClientCommand.cpp:507 +msgctxt "listchans" +msgid "Disabled" +msgstr "" + +#: ClientCommand.cpp:508 +msgctxt "listchans" +msgid "Trying" +msgstr "" + +#: ClientCommand.cpp:511 ClientCommand.cpp:519 +msgctxt "listchans" +msgid "yes" +msgstr "" + +#: ClientCommand.cpp:536 +msgid "Total: {1}, Joined: {2}, Detached: {3}, Disabled: {4}" +msgstr "" + +#: ClientCommand.cpp:541 +msgid "" +"Network number limit reached. Ask an admin to increase the limit for you, or " +"delete unneeded networks using /znc DelNetwork " +msgstr "" + +#: ClientCommand.cpp:550 +msgid "Usage: AddNetwork " +msgstr "" + +#: ClientCommand.cpp:554 +msgid "Network name should be alphanumeric" +msgstr "" + +#: ClientCommand.cpp:561 +msgid "" +"Network added. Use /znc JumpNetwork {1}, or connect to ZNC with username {2} " +"(instead of just {3}) to connect to it." +msgstr "" + +#: ClientCommand.cpp:566 +msgid "Unable to add that network" +msgstr "" + +#: ClientCommand.cpp:573 +msgid "Usage: DelNetwork " +msgstr "Użycie: DelNetwork " + +#: ClientCommand.cpp:582 +msgid "Network deleted" +msgstr "Usunięto sieć" + +#: ClientCommand.cpp:585 +msgid "Failed to delete network, perhaps this network doesn't exist" +msgstr "" + +#: ClientCommand.cpp:595 +msgid "User {1} not found" +msgstr "Użytkownik {1} nie odnaleziony" + +#: ClientCommand.cpp:603 ClientCommand.cpp:611 +msgctxt "listnetworks" +msgid "Network" +msgstr "" + +#: ClientCommand.cpp:604 ClientCommand.cpp:613 ClientCommand.cpp:622 +msgctxt "listnetworks" +msgid "On IRC" +msgstr "" + +#: ClientCommand.cpp:605 ClientCommand.cpp:615 +msgctxt "listnetworks" +msgid "IRC Server" +msgstr "" + +#: ClientCommand.cpp:606 ClientCommand.cpp:617 +msgctxt "listnetworks" +msgid "IRC User" +msgstr "" + +#: ClientCommand.cpp:607 ClientCommand.cpp:619 +msgctxt "listnetworks" +msgid "Channels" +msgstr "" + +#: ClientCommand.cpp:614 +msgctxt "listnetworks" +msgid "Yes" +msgstr "Tak" + +#: ClientCommand.cpp:623 +msgctxt "listnetworks" +msgid "No" +msgstr "Nie" + +#: ClientCommand.cpp:628 +msgctxt "listnetworks" +msgid "No networks" +msgstr "" + +#: ClientCommand.cpp:632 ClientCommand.cpp:936 +msgid "Access denied." +msgstr "Odmowa dostępu." + +#: ClientCommand.cpp:643 +msgid "Usage: MoveNetwork [new network]" +msgstr "" + +#: ClientCommand.cpp:653 +msgid "Old user {1} not found." +msgstr "" + +#: ClientCommand.cpp:659 +msgid "Old network {1} not found." +msgstr "" + +#: ClientCommand.cpp:665 +msgid "New user {1} not found." +msgstr "" + +#: ClientCommand.cpp:670 +msgid "User {1} already has network {2}." +msgstr "" + +#: ClientCommand.cpp:676 +msgid "Invalid network name [{1}]" +msgstr "" + +#: ClientCommand.cpp:692 +msgid "Some files seem to be in {1}. You might want to move them to {2}" +msgstr "" + +#: ClientCommand.cpp:706 +msgid "Error adding network: {1}" +msgstr "" + +#: ClientCommand.cpp:718 +msgid "Success." +msgstr "" + +#: ClientCommand.cpp:721 +msgid "Copied the network to new user, but failed to delete old network" +msgstr "" + +#: ClientCommand.cpp:728 +msgid "No network supplied." +msgstr "" + +#: ClientCommand.cpp:733 +msgid "You are already connected with this network." +msgstr "" + +#: ClientCommand.cpp:739 +msgid "Switched to {1}" +msgstr "" + +#: ClientCommand.cpp:742 +msgid "You don't have a network named {1}" +msgstr "" + +#: ClientCommand.cpp:754 +msgid "Usage: AddServer [[+]port] [pass]" +msgstr "" + +#: ClientCommand.cpp:759 +msgid "Server added" +msgstr "Dodano serwer" + +#: ClientCommand.cpp:762 +msgid "" +"Unable to add that server. Perhaps the server is already added or openssl is " +"disabled?" +msgstr "" + +#: ClientCommand.cpp:777 +msgid "Usage: DelServer [port] [pass]" +msgstr "" + +#: ClientCommand.cpp:782 ClientCommand.cpp:822 +msgid "You don't have any servers added." +msgstr "" + +#: ClientCommand.cpp:787 +msgid "Server removed" +msgstr "Usunięto serwer" + +#: ClientCommand.cpp:789 +msgid "No such server" +msgstr "Nie ma takiego serwera" + +#: ClientCommand.cpp:802 ClientCommand.cpp:809 +msgctxt "listservers" +msgid "Host" +msgstr "Host" + +#: ClientCommand.cpp:803 ClientCommand.cpp:811 +msgctxt "listservers" +msgid "Port" +msgstr "Port" + +#: ClientCommand.cpp:804 ClientCommand.cpp:814 +msgctxt "listservers" +msgid "SSL" +msgstr "SSL" + +#: ClientCommand.cpp:805 ClientCommand.cpp:816 +msgctxt "listservers" +msgid "Password" +msgstr "Hasło" + +#: ClientCommand.cpp:815 +msgctxt "listservers|cell" +msgid "SSL" +msgstr "SSL" + +#: ClientCommand.cpp:832 +msgid "Usage: AddTrustedServerFingerprint " +msgstr "Użycie: AddTrustedServerFingerprint " + +#: ClientCommand.cpp:836 ClientCommand.cpp:849 +msgid "Done." +msgstr "Zrobione." + +#: ClientCommand.cpp:845 +msgid "Usage: DelTrustedServerFingerprint " +msgstr "Użycie: DelTrustedServerFingerprint " + +#: ClientCommand.cpp:858 +msgid "No fingerprints added." +msgstr "Nie dodano odcisków palców." + +#: ClientCommand.cpp:874 ClientCommand.cpp:880 +msgctxt "topicscmd" +msgid "Channel" +msgstr "Kanał" + +#: ClientCommand.cpp:875 ClientCommand.cpp:881 +msgctxt "topicscmd" +msgid "Set By" +msgstr "" + +#: ClientCommand.cpp:876 ClientCommand.cpp:882 +msgctxt "topicscmd" +msgid "Topic" +msgstr "" + +#: ClientCommand.cpp:889 ClientCommand.cpp:894 +msgctxt "listmods" +msgid "Name" +msgstr "" + +#: ClientCommand.cpp:890 ClientCommand.cpp:895 +msgctxt "listmods" +msgid "Arguments" +msgstr "" + +#: ClientCommand.cpp:904 +msgid "No global modules loaded." +msgstr "" + +#: ClientCommand.cpp:906 ClientCommand.cpp:970 +msgid "Global modules:" +msgstr "" + +#: ClientCommand.cpp:915 +msgid "Your user has no modules loaded." +msgstr "" + +#: ClientCommand.cpp:917 ClientCommand.cpp:982 +msgid "User modules:" +msgstr "" + +#: ClientCommand.cpp:925 +msgid "This network has no modules loaded." +msgstr "" + +#: ClientCommand.cpp:927 ClientCommand.cpp:994 +msgid "Network modules:" +msgstr "" + +#: ClientCommand.cpp:942 ClientCommand.cpp:949 +msgctxt "listavailmods" +msgid "Name" +msgstr "" + +#: ClientCommand.cpp:943 ClientCommand.cpp:954 +msgctxt "listavailmods" +msgid "Description" +msgstr "" + +#: ClientCommand.cpp:968 +msgid "No global modules available." +msgstr "" + +#: ClientCommand.cpp:980 +msgid "No user modules available." +msgstr "" + +#: ClientCommand.cpp:992 +msgid "No network modules available." +msgstr "" + +#: ClientCommand.cpp:1020 +msgid "Unable to load {1}: Access denied." +msgstr "" + +#: ClientCommand.cpp:1026 +msgid "Usage: LoadMod [--type=global|user|network] [args]" +msgstr "" + +#: ClientCommand.cpp:1033 +msgid "Unable to load {1}: {2}" +msgstr "" + +#: ClientCommand.cpp:1043 +msgid "Unable to load global module {1}: Access denied." +msgstr "" + +#: ClientCommand.cpp:1049 +msgid "Unable to load network module {1}: Not connected with a network." +msgstr "Nie udało się załadować modułu sieci {1}: Nie połączono z siecią." + +#: ClientCommand.cpp:1071 +msgid "Unknown module type" +msgstr "" + +#: ClientCommand.cpp:1076 +msgid "Loaded module {1}" +msgstr "Załadowano moduł {1}" + +#: ClientCommand.cpp:1078 +msgid "Loaded module {1}: {2}" +msgstr "Załadowano moduł {1}: {2}" + +#: ClientCommand.cpp:1081 +msgid "Unable to load module {1}: {2}" +msgstr "Nie udało się załadować modułu {1}: {2}" + +#: ClientCommand.cpp:1104 +msgid "Unable to unload {1}: Access denied." +msgstr "Nie udało się wyładować {1}: Odmowa dostępu." + +#: ClientCommand.cpp:1110 +msgid "Usage: UnloadMod [--type=global|user|network] " +msgstr "Użycie: UnloadMod [--type=global|user|network] " + +#: ClientCommand.cpp:1119 +msgid "Unable to determine type of {1}: {2}" +msgstr "" + +#: ClientCommand.cpp:1127 +msgid "Unable to unload global module {1}: Access denied." +msgstr "" + +#: ClientCommand.cpp:1134 +msgid "Unable to unload network module {1}: Not connected with a network." +msgstr "" + +#: ClientCommand.cpp:1153 +msgid "Unable to unload module {1}: Unknown module type" +msgstr "" + +#: ClientCommand.cpp:1166 +msgid "Unable to reload modules. Access denied." +msgstr "" + +#: ClientCommand.cpp:1187 +msgid "Usage: ReloadMod [--type=global|user|network] [args]" +msgstr "" + +#: ClientCommand.cpp:1196 +msgid "Unable to reload {1}: {2}" +msgstr "Nie udało się przeładować {1}: {2}" + +#: ClientCommand.cpp:1204 +msgid "Unable to reload global module {1}: Access denied." +msgstr "Nie udało się przeładować modułu ogólnego {1}: Odmowa dostępu." + +#: ClientCommand.cpp:1211 +msgid "Unable to reload network module {1}: Not connected with a network." +msgstr "" + +#: ClientCommand.cpp:1233 +msgid "Unable to reload module {1}: Unknown module type" +msgstr "" + +#: ClientCommand.cpp:1244 +msgid "Usage: UpdateMod " +msgstr "" + +#: ClientCommand.cpp:1248 +msgid "Reloading {1} everywhere" +msgstr "" + +#: ClientCommand.cpp:1250 +msgid "Done" +msgstr "Zrobione" + +#: ClientCommand.cpp:1253 +msgid "" +"Done, but there were errors, module {1} could not be reloaded everywhere." +msgstr "" + +#: ClientCommand.cpp:1261 +msgid "" +"You must be connected with a network to use this command. Try " +"SetUserBindHost instead" +msgstr "" + +#: ClientCommand.cpp:1268 +msgid "Usage: SetBindHost " +msgstr "" + +#: ClientCommand.cpp:1273 ClientCommand.cpp:1290 +msgid "You already have this bind host!" +msgstr "" + +#: ClientCommand.cpp:1278 +msgid "Set bind host for network {1} to {2}" +msgstr "" + +#: ClientCommand.cpp:1285 +msgid "Usage: SetUserBindHost " +msgstr "" + +#: ClientCommand.cpp:1295 +msgid "Set default bind host to {1}" +msgstr "" + +#: ClientCommand.cpp:1301 +msgid "" +"You must be connected with a network to use this command. Try " +"ClearUserBindHost instead" +msgstr "" + +#: ClientCommand.cpp:1306 +msgid "Bind host cleared for this network." +msgstr "" + +#: ClientCommand.cpp:1310 +msgid "Default bind host cleared for your user." +msgstr "" + +#: ClientCommand.cpp:1313 +msgid "This user's default bind host not set" +msgstr "" + +#: ClientCommand.cpp:1315 +msgid "This user's default bind host is {1}" +msgstr "" + +#: ClientCommand.cpp:1320 +msgid "This network's bind host not set" +msgstr "" + +#: ClientCommand.cpp:1322 +msgid "This network's default bind host is {1}" +msgstr "" + +#: ClientCommand.cpp:1336 +msgid "Usage: PlayBuffer <#chan|query>" +msgstr "" + +#: ClientCommand.cpp:1344 +msgid "You are not on {1}" +msgstr "" + +#: ClientCommand.cpp:1349 +msgid "You are not on {1} (trying to join)" +msgstr "" + +#: ClientCommand.cpp:1354 +msgid "The buffer for channel {1} is empty" +msgstr "" + +#: ClientCommand.cpp:1363 +msgid "No active query with {1}" +msgstr "" + +#: ClientCommand.cpp:1368 +msgid "The buffer for {1} is empty" +msgstr "" + +#: ClientCommand.cpp:1384 +msgid "Usage: ClearBuffer <#chan|query>" +msgstr "" + +#: ClientCommand.cpp:1403 +msgid "{1} buffer matching {2} has been cleared" +msgid_plural "{1} buffers matching {2} have been cleared" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" + +#: ClientCommand.cpp:1416 +msgid "All channel buffers have been cleared" +msgstr "" + +#: ClientCommand.cpp:1425 +msgid "All query buffers have been cleared" +msgstr "" + +#: ClientCommand.cpp:1437 +msgid "All buffers have been cleared" +msgstr "" + +#: ClientCommand.cpp:1448 +msgid "Usage: SetBuffer <#chan|query> [linecount]" +msgstr "" + +#: ClientCommand.cpp:1469 +msgid "Setting buffer size failed for {1} buffer" +msgid_plural "Setting buffer size failed for {1} buffers" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" + +#: ClientCommand.cpp:1472 +msgid "Maximum buffer size is {1} line" +msgid_plural "Maximum buffer size is {1} lines" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" + +#: ClientCommand.cpp:1477 +msgid "Size of every buffer was set to {1} line" +msgid_plural "Size of every buffer was set to {1} lines" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" + +#: ClientCommand.cpp:1487 ClientCommand.cpp:1494 ClientCommand.cpp:1505 +#: ClientCommand.cpp:1514 ClientCommand.cpp:1522 +msgctxt "trafficcmd" +msgid "Username" +msgstr "" + +#: ClientCommand.cpp:1488 ClientCommand.cpp:1495 ClientCommand.cpp:1507 +#: ClientCommand.cpp:1516 ClientCommand.cpp:1524 +msgctxt "trafficcmd" +msgid "In" +msgstr "" + +#: ClientCommand.cpp:1489 ClientCommand.cpp:1497 ClientCommand.cpp:1508 +#: ClientCommand.cpp:1517 ClientCommand.cpp:1525 +msgctxt "trafficcmd" +msgid "Out" +msgstr "" + +#: ClientCommand.cpp:1490 ClientCommand.cpp:1500 ClientCommand.cpp:1510 +#: ClientCommand.cpp:1518 ClientCommand.cpp:1527 +msgctxt "trafficcmd" +msgid "Total" +msgstr "" + +#: ClientCommand.cpp:1506 +msgctxt "trafficcmd" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1515 +msgctxt "trafficcmd" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1523 +msgctxt "trafficcmd" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1532 +msgid "Running for {1}" +msgstr "" + +#: ClientCommand.cpp:1538 +msgid "Unknown command, try 'Help'" +msgstr "" + +#: ClientCommand.cpp:1547 ClientCommand.cpp:1558 +msgctxt "listports" +msgid "Port" +msgstr "" + +#: ClientCommand.cpp:1548 ClientCommand.cpp:1559 +msgctxt "listports" +msgid "BindHost" +msgstr "" + +#: ClientCommand.cpp:1549 ClientCommand.cpp:1562 +msgctxt "listports" +msgid "SSL" +msgstr "" + +#: ClientCommand.cpp:1550 ClientCommand.cpp:1567 +msgctxt "listports" +msgid "Protocol" +msgstr "" + +#: ClientCommand.cpp:1551 ClientCommand.cpp:1574 +msgctxt "listports" +msgid "IRC" +msgstr "" + +#: ClientCommand.cpp:1552 ClientCommand.cpp:1579 +msgctxt "listports" +msgid "Web" +msgstr "" + +#: ClientCommand.cpp:1563 +msgctxt "listports|ssl" +msgid "yes" +msgstr "" + +#: ClientCommand.cpp:1564 +msgctxt "listports|ssl" +msgid "no" +msgstr "" + +#: ClientCommand.cpp:1568 +msgctxt "listports" +msgid "IPv4 and IPv6" +msgstr "" + +#: ClientCommand.cpp:1570 +msgctxt "listports" +msgid "IPv4" +msgstr "" + +#: ClientCommand.cpp:1571 +msgctxt "listports" +msgid "IPv6" +msgstr "" + +#: ClientCommand.cpp:1577 +msgctxt "listports|irc" +msgid "yes" +msgstr "" + +#: ClientCommand.cpp:1578 +msgctxt "listports|irc" +msgid "no" +msgstr "" + +#: ClientCommand.cpp:1582 +msgctxt "listports|irc" +msgid "yes, on {1}" +msgstr "" + +#: ClientCommand.cpp:1584 +msgctxt "listports|web" +msgid "no" +msgstr "" + +#: ClientCommand.cpp:1624 +msgid "" +"Usage: AddPort <[+]port> [bindhost [uriprefix]]" +msgstr "" + +#: ClientCommand.cpp:1640 +msgid "Port added" +msgstr "" + +#: ClientCommand.cpp:1642 +msgid "Couldn't add port" +msgstr "" + +#: ClientCommand.cpp:1648 +msgid "Usage: DelPort [bindhost]" +msgstr "" + +#: ClientCommand.cpp:1657 +msgid "Deleted Port" +msgstr "" + +#: ClientCommand.cpp:1659 +msgid "Unable to find a matching port" +msgstr "" + +#: ClientCommand.cpp:1667 ClientCommand.cpp:1682 +msgctxt "helpcmd" +msgid "Command" +msgstr "" + +#: ClientCommand.cpp:1668 ClientCommand.cpp:1684 +msgctxt "helpcmd" +msgid "Description" +msgstr "" + +#: ClientCommand.cpp:1673 +msgid "" +"In the following list all occurrences of <#chan> support wildcards (* and ?) " +"except ListNicks" +msgstr "" + +#: ClientCommand.cpp:1690 +msgctxt "helpcmd|Version|desc" +msgid "Print which version of ZNC this is" +msgstr "" + +#: ClientCommand.cpp:1693 +msgctxt "helpcmd|ListMods|desc" +msgid "List all loaded modules" +msgstr "" + +#: ClientCommand.cpp:1696 +msgctxt "helpcmd|ListAvailMods|desc" +msgid "List all available modules" +msgstr "" + +#: ClientCommand.cpp:1700 ClientCommand.cpp:1886 +msgctxt "helpcmd|ListChans|desc" +msgid "List all channels" +msgstr "" + +#: ClientCommand.cpp:1703 +msgctxt "helpcmd|ListNicks|args" +msgid "<#chan>" +msgstr "" + +#: ClientCommand.cpp:1704 +msgctxt "helpcmd|ListNicks|desc" +msgid "List all nicks on a channel" +msgstr "" + +#: ClientCommand.cpp:1707 +msgctxt "helpcmd|ListClients|desc" +msgid "List all clients connected to your ZNC user" +msgstr "" + +#: ClientCommand.cpp:1711 +msgctxt "helpcmd|ListServers|desc" +msgid "List all servers of current IRC network" +msgstr "" + +#: ClientCommand.cpp:1715 +msgctxt "helpcmd|AddNetwork|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1716 +msgctxt "helpcmd|AddNetwork|desc" +msgid "Add a network to your user" +msgstr "" + +#: ClientCommand.cpp:1718 +msgctxt "helpcmd|DelNetwork|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1719 +msgctxt "helpcmd|DelNetwork|desc" +msgid "Delete a network from your user" +msgstr "" + +#: ClientCommand.cpp:1721 +msgctxt "helpcmd|ListNetworks|desc" +msgid "List all networks" +msgstr "" + +#: ClientCommand.cpp:1724 +msgctxt "helpcmd|MoveNetwork|args" +msgid " [new network]" +msgstr "" + +#: ClientCommand.cpp:1726 +msgctxt "helpcmd|MoveNetwork|desc" +msgid "Move an IRC network from one user to another" +msgstr "" + +#: ClientCommand.cpp:1730 +msgctxt "helpcmd|JumpNetwork|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1731 +msgctxt "helpcmd|JumpNetwork|desc" +msgid "" +"Jump to another network (Alternatively, you can connect to ZNC several " +"times, using `user/network` as username)" +msgstr "" + +#: ClientCommand.cpp:1736 +msgctxt "helpcmd|AddServer|args" +msgid " [[+]port] [pass]" +msgstr "" + +#: ClientCommand.cpp:1737 +msgctxt "helpcmd|AddServer|desc" +msgid "" +"Add a server to the list of alternate/backup servers of current IRC network." +msgstr "" + +#: ClientCommand.cpp:1741 +msgctxt "helpcmd|DelServer|args" +msgid " [port] [pass]" +msgstr "" + +#: ClientCommand.cpp:1742 +msgctxt "helpcmd|DelServer|desc" +msgid "" +"Remove a server from the list of alternate/backup servers of current IRC " +"network" +msgstr "" + +#: ClientCommand.cpp:1748 +msgctxt "helpcmd|AddTrustedServerFingerprint|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1749 +msgctxt "helpcmd|AddTrustedServerFingerprint|desc" +msgid "" +"Add a trusted server SSL certificate fingerprint (SHA-256) to current IRC " +"network." +msgstr "" + +#: ClientCommand.cpp:1754 +msgctxt "helpcmd|DelTrustedServerFingerprint|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1755 +msgctxt "helpcmd|DelTrustedServerFingerprint|desc" +msgid "Delete a trusted server SSL certificate from current IRC network." +msgstr "" + +#: ClientCommand.cpp:1759 +msgctxt "helpcmd|ListTrustedServerFingerprints|desc" +msgid "List all trusted server SSL certificates of current IRC network." +msgstr "" + +#: ClientCommand.cpp:1762 +msgctxt "helpcmd|EnableChan|args" +msgid "<#chans>" +msgstr "" + +#: ClientCommand.cpp:1763 +msgctxt "helpcmd|EnableChan|desc" +msgid "Enable channels" +msgstr "" + +#: ClientCommand.cpp:1764 +msgctxt "helpcmd|DisableChan|args" +msgid "<#chans>" +msgstr "" + +#: ClientCommand.cpp:1765 +msgctxt "helpcmd|DisableChan|desc" +msgid "Disable channels" +msgstr "" + +#: ClientCommand.cpp:1766 +msgctxt "helpcmd|Attach|args" +msgid "<#chans>" +msgstr "" + +#: ClientCommand.cpp:1767 +msgctxt "helpcmd|Attach|desc" +msgid "Attach to channels" +msgstr "" + +#: ClientCommand.cpp:1768 +msgctxt "helpcmd|Detach|args" +msgid "<#chans>" +msgstr "" + +#: ClientCommand.cpp:1769 +msgctxt "helpcmd|Detach|desc" +msgid "Detach from channels" +msgstr "" + +#: ClientCommand.cpp:1772 +msgctxt "helpcmd|Topics|desc" +msgid "Show topics in all your channels" +msgstr "" + +#: ClientCommand.cpp:1775 +msgctxt "helpcmd|PlayBuffer|args" +msgid "<#chan|query>" +msgstr "" + +#: ClientCommand.cpp:1776 +msgctxt "helpcmd|PlayBuffer|desc" +msgid "Play back the specified buffer" +msgstr "" + +#: ClientCommand.cpp:1778 +msgctxt "helpcmd|ClearBuffer|args" +msgid "<#chan|query>" +msgstr "" + +#: ClientCommand.cpp:1779 +msgctxt "helpcmd|ClearBuffer|desc" +msgid "Clear the specified buffer" +msgstr "" + +#: ClientCommand.cpp:1781 +msgctxt "helpcmd|ClearAllBuffers|desc" +msgid "Clear all channel and query buffers" +msgstr "" + +#: ClientCommand.cpp:1784 +msgctxt "helpcmd|ClearAllChannelBuffers|desc" +msgid "Clear the channel buffers" +msgstr "" + +#: ClientCommand.cpp:1788 +msgctxt "helpcmd|ClearAllQueryBuffers|desc" +msgid "Clear the query buffers" +msgstr "" + +#: ClientCommand.cpp:1790 +msgctxt "helpcmd|SetBuffer|args" +msgid "<#chan|query> [linecount]" +msgstr "" + +#: ClientCommand.cpp:1791 +msgctxt "helpcmd|SetBuffer|desc" +msgid "Set the buffer count" +msgstr "" + +#: ClientCommand.cpp:1795 +msgctxt "helpcmd|SetBindHost|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1796 +msgctxt "helpcmd|SetBindHost|desc" +msgid "Set the bind host for this network" +msgstr "" + +#: ClientCommand.cpp:1800 +msgctxt "helpcmd|SetUserBindHost|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1801 +msgctxt "helpcmd|SetUserBindHost|desc" +msgid "Set the default bind host for this user" +msgstr "" + +#: ClientCommand.cpp:1804 +msgctxt "helpcmd|ClearBindHost|desc" +msgid "Clear the bind host for this network" +msgstr "" + +#: ClientCommand.cpp:1807 +msgctxt "helpcmd|ClearUserBindHost|desc" +msgid "Clear the default bind host for this user" +msgstr "" + +#: ClientCommand.cpp:1813 +msgctxt "helpcmd|ShowBindHost|desc" +msgid "Show currently selected bind host" +msgstr "" + +#: ClientCommand.cpp:1815 +msgctxt "helpcmd|Jump|args" +msgid "[server]" +msgstr "" + +#: ClientCommand.cpp:1816 +msgctxt "helpcmd|Jump|desc" +msgid "Jump to the next or the specified server" +msgstr "" + +#: ClientCommand.cpp:1817 +msgctxt "helpcmd|Disconnect|args" +msgid "[message]" +msgstr "" + +#: ClientCommand.cpp:1818 +msgctxt "helpcmd|Disconnect|desc" +msgid "Disconnect from IRC" +msgstr "" + +#: ClientCommand.cpp:1820 +msgctxt "helpcmd|Connect|desc" +msgid "Reconnect to IRC" +msgstr "" + +#: ClientCommand.cpp:1823 +msgctxt "helpcmd|Uptime|desc" +msgid "Show for how long ZNC has been running" +msgstr "" + +#: ClientCommand.cpp:1827 +msgctxt "helpcmd|LoadMod|args" +msgid "[--type=global|user|network] [args]" +msgstr "[--type=global|user|network] [args]" + +#: ClientCommand.cpp:1829 +msgctxt "helpcmd|LoadMod|desc" +msgid "Load a module" +msgstr "" + +#: ClientCommand.cpp:1831 +msgctxt "helpcmd|UnloadMod|args" +msgid "[--type=global|user|network] " +msgstr "" + +#: ClientCommand.cpp:1833 +msgctxt "helpcmd|UnloadMod|desc" +msgid "Unload a module" +msgstr "" + +#: ClientCommand.cpp:1835 +msgctxt "helpcmd|ReloadMod|args" +msgid "[--type=global|user|network] [args]" +msgstr "[--type=global|user|network] [args]" + +#: ClientCommand.cpp:1837 +msgctxt "helpcmd|ReloadMod|desc" +msgid "Reload a module" +msgstr "" + +#: ClientCommand.cpp:1840 +msgctxt "helpcmd|UpdateMod|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1841 +msgctxt "helpcmd|UpdateMod|desc" +msgid "Reload a module everywhere" +msgstr "" + +#: ClientCommand.cpp:1847 +msgctxt "helpcmd|ShowMOTD|desc" +msgid "Show ZNC's message of the day" +msgstr "" + +#: ClientCommand.cpp:1851 +msgctxt "helpcmd|SetMOTD|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1852 +msgctxt "helpcmd|SetMOTD|desc" +msgid "Set ZNC's message of the day" +msgstr "" + +#: ClientCommand.cpp:1854 +msgctxt "helpcmd|AddMOTD|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1855 +msgctxt "helpcmd|AddMOTD|desc" +msgid "Append to ZNC's MOTD" +msgstr "" + +#: ClientCommand.cpp:1857 +msgctxt "helpcmd|ClearMOTD|desc" +msgid "Clear ZNC's MOTD" +msgstr "" + +#: ClientCommand.cpp:1860 +msgctxt "helpcmd|ListPorts|desc" +msgid "Show all active listeners" +msgstr "" + +#: ClientCommand.cpp:1862 +msgctxt "helpcmd|AddPort|args" +msgid "<[+]port> [bindhost [uriprefix]]" +msgstr "" + +#: ClientCommand.cpp:1865 +msgctxt "helpcmd|AddPort|desc" +msgid "Add another port for ZNC to listen on" +msgstr "" + +#: ClientCommand.cpp:1869 +msgctxt "helpcmd|DelPort|args" +msgid " [bindhost]" +msgstr "" + +#: ClientCommand.cpp:1870 +msgctxt "helpcmd|DelPort|desc" +msgid "Remove a port from ZNC" +msgstr "" + +#: ClientCommand.cpp:1873 +msgctxt "helpcmd|Rehash|desc" +msgid "Reload global settings, modules, and listeners from znc.conf" +msgstr "" + +#: ClientCommand.cpp:1876 +msgctxt "helpcmd|SaveConfig|desc" +msgid "Save the current settings to disk" +msgstr "" + +#: ClientCommand.cpp:1879 +msgctxt "helpcmd|ListUsers|desc" +msgid "List all ZNC users and their connection status" +msgstr "" + +#: ClientCommand.cpp:1882 +msgctxt "helpcmd|ListAllUserNetworks|desc" +msgid "List all ZNC users and their networks" +msgstr "" + +#: ClientCommand.cpp:1885 +msgctxt "helpcmd|ListChans|args" +msgid "[user ]" +msgstr "" + +#: ClientCommand.cpp:1888 +msgctxt "helpcmd|ListClients|args" +msgid "[user]" +msgstr "" + +#: ClientCommand.cpp:1889 +msgctxt "helpcmd|ListClients|desc" +msgid "List all connected clients" +msgstr "" + +#: ClientCommand.cpp:1891 +msgctxt "helpcmd|Traffic|desc" +msgid "Show basic traffic stats for all ZNC users" +msgstr "" + +#: ClientCommand.cpp:1893 +msgctxt "helpcmd|Broadcast|args" +msgid "[message]" +msgstr "" + +#: ClientCommand.cpp:1894 +msgctxt "helpcmd|Broadcast|desc" +msgid "Broadcast a message to all ZNC users" +msgstr "" + +#: ClientCommand.cpp:1897 +msgctxt "helpcmd|Shutdown|args" +msgid "[message]" +msgstr "" + +#: ClientCommand.cpp:1898 +msgctxt "helpcmd|Shutdown|desc" +msgid "Shut down ZNC completely" +msgstr "" + +#: ClientCommand.cpp:1899 +msgctxt "helpcmd|Restart|args" +msgid "[message]" +msgstr "" + +#: ClientCommand.cpp:1900 +msgctxt "helpcmd|Restart|desc" +msgid "Restart ZNC" +msgstr "" + +#: Socket.cpp:342 +msgid "Can't resolve server hostname" +msgstr "" + +#: Socket.cpp:349 +msgid "" +"Can't resolve bind hostname. Try /znc ClearBindHost and /znc " +"ClearUserBindHost" +msgstr "" + +#: Socket.cpp:354 +msgid "Server address is IPv4-only, but bindhost is IPv6-only" +msgstr "" + +#: Socket.cpp:363 +msgid "Server address is IPv6-only, but bindhost is IPv4-only" +msgstr "" + +#: Socket.cpp:521 +msgid "Some socket reached its max buffer limit and was closed!" +msgstr "" + +#: SSLVerifyHost.cpp:481 +msgid "hostname doesn't match" +msgstr "" + +#: SSLVerifyHost.cpp:485 +msgid "malformed hostname in certificate" +msgstr "" + +#: SSLVerifyHost.cpp:489 +msgid "hostname verification error" +msgstr "" + +#: User.cpp:507 +msgid "" +"Invalid network name. It should be alphanumeric. Not to be confused with " +"server name" +msgstr "" + +#: User.cpp:511 +msgid "Network {1} already exists" +msgstr "" + +#: User.cpp:777 +msgid "" +"You are being disconnected because your IP is no longer allowed to connect " +"to this user" +msgstr "" + +#: User.cpp:912 +msgid "Password is empty" +msgstr "" + +#: User.cpp:917 +msgid "Username is empty" +msgstr "" + +#: User.cpp:922 +msgid "Username is invalid" +msgstr "" + +#: User.cpp:1199 +msgid "Unable to find modinfo {1}: {2}" +msgstr "" From 4918fb329b6678d2cf6aa8663b619aea2f9f0b9b Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Sun, 14 Jun 2020 00:29:47 +0000 Subject: [PATCH 421/798] Update translations from Crowdin for pl_PL --- TRANSLATORS.md | 1 + modules/po/admindebug.pl_PL.po | 61 + modules/po/adminlog.pl_PL.po | 71 ++ modules/po/alias.pl_PL.po | 125 ++ modules/po/autoattach.pl_PL.po | 87 ++ modules/po/autocycle.pl_PL.po | 71 ++ modules/po/autoop.pl_PL.po | 170 +++ modules/po/autoreply.pl_PL.po | 45 + modules/po/autovoice.pl_PL.po | 113 ++ modules/po/awaystore.pl_PL.po | 112 ++ modules/po/block_motd.pl_PL.po | 37 + modules/po/blockuser.pl_PL.po | 99 ++ modules/po/bouncedcc.pl_PL.po | 133 ++ modules/po/buffextras.pl_PL.po | 51 + modules/po/cert.pl_PL.po | 77 ++ modules/po/certauth.pl_PL.po | 110 ++ modules/po/chansaver.pl_PL.po | 19 + modules/po/clearbufferonmsg.pl_PL.po | 19 + modules/po/clientnotify.pl_PL.po | 77 ++ modules/po/controlpanel.pl_PL.po | 730 +++++++++++ modules/po/crypt.pl_PL.po | 145 +++ modules/po/ctcpflood.pl_PL.po | 75 ++ modules/po/cyrusauth.pl_PL.po | 75 ++ modules/po/dcc.pl_PL.po | 229 ++++ modules/po/disconkick.pl_PL.po | 25 + modules/po/fail2ban.pl_PL.po | 119 ++ modules/po/flooddetach.pl_PL.po | 97 ++ modules/po/identfile.pl_PL.po | 85 ++ modules/po/imapauth.pl_PL.po | 23 + modules/po/keepnick.pl_PL.po | 55 + modules/po/kickrejoin.pl_PL.po | 67 + modules/po/lastseen.pl_PL.po | 69 + modules/po/listsockets.pl_PL.po | 115 ++ modules/po/log.pl_PL.po | 152 +++ modules/po/missingmotd.pl_PL.po | 19 + modules/po/modperl.pl_PL.po | 19 + modules/po/modpython.pl_PL.po | 19 + modules/po/modules_online.pl_PL.po | 19 + modules/po/nickserv.pl_PL.po | 81 ++ modules/po/notes.pl_PL.po | 121 ++ modules/po/notify_connect.pl_PL.po | 31 + modules/po/perform.pl_PL.po | 110 ++ modules/po/perleval.pl_PL.po | 33 + modules/po/pyeval.pl_PL.po | 23 + modules/po/raw.pl_PL.po | 19 + modules/po/route_replies.pl_PL.po | 61 + modules/po/sample.pl_PL.po | 123 ++ modules/po/samplewebapi.pl_PL.po | 19 + modules/po/sasl.pl_PL.po | 176 +++ modules/po/savebuff.pl_PL.po | 64 + modules/po/send_raw.pl_PL.po | 111 ++ modules/po/shell.pl_PL.po | 31 + modules/po/simple_away.pl_PL.po | 98 ++ modules/po/stickychan.pl_PL.po | 104 ++ modules/po/stripcontrols.pl_PL.po | 20 + modules/po/watch.pl_PL.po | 195 +++ modules/po/webadmin.pl_PL.po | 1211 ++++++++++++++++++ src/po/znc.pl_PL.po | 1745 ++++++++++++++++++++++++++ 58 files changed, 7991 insertions(+) create mode 100644 modules/po/admindebug.pl_PL.po create mode 100644 modules/po/adminlog.pl_PL.po create mode 100644 modules/po/alias.pl_PL.po create mode 100644 modules/po/autoattach.pl_PL.po create mode 100644 modules/po/autocycle.pl_PL.po create mode 100644 modules/po/autoop.pl_PL.po create mode 100644 modules/po/autoreply.pl_PL.po create mode 100644 modules/po/autovoice.pl_PL.po create mode 100644 modules/po/awaystore.pl_PL.po create mode 100644 modules/po/block_motd.pl_PL.po create mode 100644 modules/po/blockuser.pl_PL.po create mode 100644 modules/po/bouncedcc.pl_PL.po create mode 100644 modules/po/buffextras.pl_PL.po create mode 100644 modules/po/cert.pl_PL.po create mode 100644 modules/po/certauth.pl_PL.po create mode 100644 modules/po/chansaver.pl_PL.po create mode 100644 modules/po/clearbufferonmsg.pl_PL.po create mode 100644 modules/po/clientnotify.pl_PL.po create mode 100644 modules/po/controlpanel.pl_PL.po create mode 100644 modules/po/crypt.pl_PL.po create mode 100644 modules/po/ctcpflood.pl_PL.po create mode 100644 modules/po/cyrusauth.pl_PL.po create mode 100644 modules/po/dcc.pl_PL.po create mode 100644 modules/po/disconkick.pl_PL.po create mode 100644 modules/po/fail2ban.pl_PL.po create mode 100644 modules/po/flooddetach.pl_PL.po create mode 100644 modules/po/identfile.pl_PL.po create mode 100644 modules/po/imapauth.pl_PL.po create mode 100644 modules/po/keepnick.pl_PL.po create mode 100644 modules/po/kickrejoin.pl_PL.po create mode 100644 modules/po/lastseen.pl_PL.po create mode 100644 modules/po/listsockets.pl_PL.po create mode 100644 modules/po/log.pl_PL.po create mode 100644 modules/po/missingmotd.pl_PL.po create mode 100644 modules/po/modperl.pl_PL.po create mode 100644 modules/po/modpython.pl_PL.po create mode 100644 modules/po/modules_online.pl_PL.po create mode 100644 modules/po/nickserv.pl_PL.po create mode 100644 modules/po/notes.pl_PL.po create mode 100644 modules/po/notify_connect.pl_PL.po create mode 100644 modules/po/perform.pl_PL.po create mode 100644 modules/po/perleval.pl_PL.po create mode 100644 modules/po/pyeval.pl_PL.po create mode 100644 modules/po/raw.pl_PL.po create mode 100644 modules/po/route_replies.pl_PL.po create mode 100644 modules/po/sample.pl_PL.po create mode 100644 modules/po/samplewebapi.pl_PL.po create mode 100644 modules/po/sasl.pl_PL.po create mode 100644 modules/po/savebuff.pl_PL.po create mode 100644 modules/po/send_raw.pl_PL.po create mode 100644 modules/po/shell.pl_PL.po create mode 100644 modules/po/simple_away.pl_PL.po create mode 100644 modules/po/stickychan.pl_PL.po create mode 100644 modules/po/stripcontrols.pl_PL.po create mode 100644 modules/po/watch.pl_PL.po create mode 100644 modules/po/webadmin.pl_PL.po create mode 100644 src/po/znc.pl_PL.po diff --git a/TRANSLATORS.md b/TRANSLATORS.md index 09347d3e..14261cd3 100644 --- a/TRANSLATORS.md +++ b/TRANSLATORS.md @@ -22,6 +22,7 @@ These people helped translating ZNC to various languages: * simos (filippo.cortigiani) * sukien * SunOS +* tojestzart (tojestzart) * Un1matr1x (Falk Seidel) * Wollino * Xaris_ (Xaris) diff --git a/modules/po/admindebug.pl_PL.po b/modules/po/admindebug.pl_PL.po new file mode 100644 index 00000000..70727e9c --- /dev/null +++ b/modules/po/admindebug.pl_PL.po @@ -0,0 +1,61 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /1.8.x/modules/po/admindebug.pot\n" +"X-Crowdin-File-ID: 290\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: admindebug.cpp:30 +msgid "Enable Debug Mode" +msgstr "Włączono tryb debugowania" + +#: admindebug.cpp:32 +msgid "Disable Debug Mode" +msgstr "Wyłącz tryb debugowania" + +#: admindebug.cpp:34 +msgid "Show the Debug Mode status" +msgstr "Pokaż stan trybu debugowania" + +#: admindebug.cpp:40 admindebug.cpp:49 +msgid "Access denied!" +msgstr "Odmowa dostępu!" + +#: admindebug.cpp:58 +msgid "" +"Failure. We need to be running with a TTY. (is ZNC running with --" +"foreground?)" +msgstr "" + +#: admindebug.cpp:66 +msgid "Already enabled." +msgstr "Już jest włączone." + +#: admindebug.cpp:68 +msgid "Already disabled." +msgstr "Już jest wyłączone." + +#: admindebug.cpp:92 +msgid "Debugging mode is on." +msgstr "Tryb debugowania jest WŁączony." + +#: admindebug.cpp:94 +msgid "Debugging mode is off." +msgstr "Tryb debugowania jest WYłączony." + +#: admindebug.cpp:96 +msgid "Logging to: stdout." +msgstr "Zapisywanie do: stdout." + +#: admindebug.cpp:105 +msgid "Enable Debug mode dynamically." +msgstr "Włącz tryb debugowania dynamicznie." diff --git a/modules/po/adminlog.pl_PL.po b/modules/po/adminlog.pl_PL.po new file mode 100644 index 00000000..02222f60 --- /dev/null +++ b/modules/po/adminlog.pl_PL.po @@ -0,0 +1,71 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /1.8.x/modules/po/adminlog.pot\n" +"X-Crowdin-File-ID: 294\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: adminlog.cpp:29 +msgid "Show the logging target" +msgstr "Pokaż miejsce zapisywania dziennika" + +#: adminlog.cpp:31 +msgid " [path]" +msgstr " [path]" + +#: adminlog.cpp:32 +msgid "Set the logging target" +msgstr "Ustaw miejsce docelowe dziennika" + +#: adminlog.cpp:142 +msgid "Access denied" +msgstr "Odmowa dostępu" + +#: adminlog.cpp:156 +msgid "Now logging to file" +msgstr "Dziennik będzie odtąd zapisywany do pliku" + +#: adminlog.cpp:160 +msgid "Now only logging to syslog" +msgstr "Dziennik będzie odtąd zapisywany tylko w syslog" + +#: adminlog.cpp:164 +msgid "Now logging to syslog and file" +msgstr "Dziennik będzie teraz zapisywany do pliku i syslog" + +#: adminlog.cpp:168 +msgid "Usage: Target [path]" +msgstr "Użycie: Target [path]" + +#: adminlog.cpp:170 +msgid "Unknown target" +msgstr "Nieznany cel" + +#: adminlog.cpp:192 +msgid "Logging is enabled for file" +msgstr "Dziennik jest ustawiony do zapisu do pliku" + +#: adminlog.cpp:195 +msgid "Logging is enabled for syslog" +msgstr "Dziennik jest ustawiony do zapisu w syslog" + +#: adminlog.cpp:198 +msgid "Logging is enabled for both, file and syslog" +msgstr "Dziennik jest ustawiony do zapisu do obu: do pliku i syslog" + +#: adminlog.cpp:204 +msgid "Log file will be written to {1}" +msgstr "Plik dziennika zostanie zapisany do {1}" + +#: adminlog.cpp:222 +msgid "Log ZNC events to file and/or syslog." +msgstr "Dziennikuj zdarzenia ZNC do pliku i/lub syslog." diff --git a/modules/po/alias.pl_PL.po b/modules/po/alias.pl_PL.po new file mode 100644 index 00000000..f552a73d --- /dev/null +++ b/modules/po/alias.pl_PL.po @@ -0,0 +1,125 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /1.8.x/modules/po/alias.pot\n" +"X-Crowdin-File-ID: 292\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: alias.cpp:141 +msgid "missing required parameter: {1}" +msgstr "" + +#: alias.cpp:201 +msgid "Created alias: {1}" +msgstr "" + +#: alias.cpp:203 +msgid "Alias already exists." +msgstr "" + +#: alias.cpp:210 +msgid "Deleted alias: {1}" +msgstr "" + +#: alias.cpp:213 alias.cpp:224 alias.cpp:246 alias.cpp:265 alias.cpp:276 +#: alias.cpp:333 +msgid "Alias does not exist." +msgstr "" + +#: alias.cpp:222 alias.cpp:244 alias.cpp:263 alias.cpp:274 +msgid "Modified alias." +msgstr "" + +#: alias.cpp:236 alias.cpp:256 +msgid "Invalid index." +msgstr "" + +#: alias.cpp:282 alias.cpp:298 +msgid "There are no aliases." +msgstr "" + +#: alias.cpp:289 +msgid "The following aliases exist: {1}" +msgstr "" + +#: alias.cpp:290 +msgctxt "list|separator" +msgid ", " +msgstr "" + +#: alias.cpp:324 +msgid "Actions for alias {1}:" +msgstr "" + +#: alias.cpp:331 +msgid "End of actions for alias {1}." +msgstr "" + +#: alias.cpp:338 alias.cpp:341 alias.cpp:352 alias.cpp:357 +msgid "" +msgstr "" + +#: alias.cpp:339 +msgid "Creates a new, blank alias called name." +msgstr "" + +#: alias.cpp:341 +msgid "Deletes an existing alias." +msgstr "" + +#: alias.cpp:343 +msgid " " +msgstr "" + +#: alias.cpp:344 +msgid "Adds a line to an existing alias." +msgstr "" + +#: alias.cpp:346 +msgid " " +msgstr "" + +#: alias.cpp:347 +msgid "Inserts a line into an existing alias." +msgstr "" + +#: alias.cpp:349 +msgid " " +msgstr "" + +#: alias.cpp:350 +msgid "Removes a line from an existing alias." +msgstr "" + +#: alias.cpp:353 +msgid "Removes all lines from an existing alias." +msgstr "" + +#: alias.cpp:355 +msgid "Lists all aliases by name." +msgstr "" + +#: alias.cpp:358 +msgid "Reports the actions performed by an alias." +msgstr "" + +#: alias.cpp:362 +msgid "Generate a list of commands to copy your alias config." +msgstr "" + +#: alias.cpp:374 +msgid "Clearing all of them!" +msgstr "" + +#: alias.cpp:409 +msgid "Provides bouncer-side command alias support." +msgstr "" diff --git a/modules/po/autoattach.pl_PL.po b/modules/po/autoattach.pl_PL.po new file mode 100644 index 00000000..430ab9c0 --- /dev/null +++ b/modules/po/autoattach.pl_PL.po @@ -0,0 +1,87 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /1.8.x/modules/po/autoattach.pot\n" +"X-Crowdin-File-ID: 298\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: autoattach.cpp:94 +msgid "Added to list" +msgstr "" + +#: autoattach.cpp:96 +msgid "{1} is already added" +msgstr "" + +#: autoattach.cpp:100 +msgid "Usage: Add [!]<#chan> " +msgstr "" + +#: autoattach.cpp:101 +msgid "Wildcards are allowed" +msgstr "" + +#: autoattach.cpp:113 +msgid "Removed {1} from list" +msgstr "" + +#: autoattach.cpp:115 +msgid "Usage: Del [!]<#chan> " +msgstr "" + +#: autoattach.cpp:121 autoattach.cpp:129 +msgid "Neg" +msgstr "" + +#: autoattach.cpp:122 autoattach.cpp:130 +msgid "Chan" +msgstr "" + +#: autoattach.cpp:123 autoattach.cpp:131 +msgid "Search" +msgstr "" + +#: autoattach.cpp:124 autoattach.cpp:132 +msgid "Host" +msgstr "" + +#: autoattach.cpp:138 +msgid "You have no entries." +msgstr "" + +#: autoattach.cpp:146 autoattach.cpp:149 +msgid "[!]<#chan> " +msgstr "" + +#: autoattach.cpp:147 +msgid "Add an entry, use !#chan to negate and * for wildcards" +msgstr "" + +#: autoattach.cpp:150 +msgid "Remove an entry, needs to be an exact match" +msgstr "" + +#: autoattach.cpp:152 +msgid "List all entries" +msgstr "" + +#: autoattach.cpp:171 +msgid "Unable to add [{1}]" +msgstr "" + +#: autoattach.cpp:283 +msgid "List of channel masks and channel masks with ! before them." +msgstr "" + +#: autoattach.cpp:286 +msgid "Reattaches you to channels on activity." +msgstr "" diff --git a/modules/po/autocycle.pl_PL.po b/modules/po/autocycle.pl_PL.po new file mode 100644 index 00000000..769f1ec2 --- /dev/null +++ b/modules/po/autocycle.pl_PL.po @@ -0,0 +1,71 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /1.8.x/modules/po/autocycle.pot\n" +"X-Crowdin-File-ID: 300\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: autocycle.cpp:27 autocycle.cpp:30 +msgid "[!]<#chan>" +msgstr "" + +#: autocycle.cpp:28 +msgid "Add an entry, use !#chan to negate and * for wildcards" +msgstr "" + +#: autocycle.cpp:31 +msgid "Remove an entry, needs to be an exact match" +msgstr "" + +#: autocycle.cpp:33 +msgid "List all entries" +msgstr "" + +#: autocycle.cpp:46 +msgid "Unable to add {1}" +msgstr "" + +#: autocycle.cpp:66 +msgid "{1} is already added" +msgstr "" + +#: autocycle.cpp:68 +msgid "Added {1} to list" +msgstr "" + +#: autocycle.cpp:70 +msgid "Usage: Add [!]<#chan>" +msgstr "" + +#: autocycle.cpp:78 +msgid "Removed {1} from list" +msgstr "" + +#: autocycle.cpp:80 +msgid "Usage: Del [!]<#chan>" +msgstr "" + +#: autocycle.cpp:85 autocycle.cpp:90 autocycle.cpp:95 +msgid "Channel" +msgstr "" + +#: autocycle.cpp:101 +msgid "You have no entries." +msgstr "" + +#: autocycle.cpp:230 +msgid "List of channel masks and channel masks with ! before them." +msgstr "" + +#: autocycle.cpp:235 +msgid "Rejoins channels to gain Op if you're the only user left" +msgstr "" diff --git a/modules/po/autoop.pl_PL.po b/modules/po/autoop.pl_PL.po new file mode 100644 index 00000000..220b77e8 --- /dev/null +++ b/modules/po/autoop.pl_PL.po @@ -0,0 +1,170 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /1.8.x/modules/po/autoop.pot\n" +"X-Crowdin-File-ID: 296\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: autoop.cpp:154 +msgid "List all users" +msgstr "" + +#: autoop.cpp:156 autoop.cpp:159 +msgid " [channel] ..." +msgstr "" + +#: autoop.cpp:157 +msgid "Adds channels to a user" +msgstr "" + +#: autoop.cpp:160 +msgid "Removes channels from a user" +msgstr "" + +#: autoop.cpp:162 autoop.cpp:165 +msgid " ,[mask] ..." +msgstr "" + +#: autoop.cpp:163 +msgid "Adds masks to a user" +msgstr "" + +#: autoop.cpp:166 +msgid "Removes masks from a user" +msgstr "" + +#: autoop.cpp:169 +msgid " [,...] [channels]" +msgstr "" + +#: autoop.cpp:170 +msgid "Adds a user" +msgstr "" + +#: autoop.cpp:172 +msgid "" +msgstr "" + +#: autoop.cpp:172 +msgid "Removes a user" +msgstr "" + +#: autoop.cpp:275 +msgid "Usage: AddUser [,...] [channels]" +msgstr "" + +#: autoop.cpp:291 +msgid "Usage: DelUser " +msgstr "" + +#: autoop.cpp:300 +msgid "There are no users defined" +msgstr "" + +#: autoop.cpp:306 autoop.cpp:317 autoop.cpp:321 autoop.cpp:323 +msgid "User" +msgstr "" + +#: autoop.cpp:307 autoop.cpp:325 +msgid "Hostmasks" +msgstr "" + +#: autoop.cpp:308 autoop.cpp:318 +msgid "Key" +msgstr "" + +#: autoop.cpp:309 autoop.cpp:319 +msgid "Channels" +msgstr "" + +#: autoop.cpp:337 +msgid "Usage: AddChans [channel] ..." +msgstr "" + +#: autoop.cpp:344 autoop.cpp:365 autoop.cpp:387 autoop.cpp:408 autoop.cpp:472 +msgid "No such user" +msgstr "" + +#: autoop.cpp:349 +msgid "Channel(s) added to user {1}" +msgstr "" + +#: autoop.cpp:358 +msgid "Usage: DelChans [channel] ..." +msgstr "" + +#: autoop.cpp:371 +msgid "Channel(s) Removed from user {1}" +msgstr "" + +#: autoop.cpp:380 +msgid "Usage: AddMasks ,[mask] ..." +msgstr "" + +#: autoop.cpp:392 +msgid "Hostmasks(s) added to user {1}" +msgstr "" + +#: autoop.cpp:401 +msgid "Usage: DelMasks ,[mask] ..." +msgstr "" + +#: autoop.cpp:413 +msgid "Removed user {1} with key {2} and channels {3}" +msgstr "" + +#: autoop.cpp:419 +msgid "Hostmasks(s) Removed from user {1}" +msgstr "" + +#: autoop.cpp:478 +msgid "User {1} removed" +msgstr "" + +#: autoop.cpp:484 +msgid "That user already exists" +msgstr "" + +#: autoop.cpp:490 +msgid "User {1} added with hostmask(s) {2}" +msgstr "" + +#: autoop.cpp:532 +msgid "" +"[{1}] sent us a challenge but they are not opped in any defined channels." +msgstr "" + +#: autoop.cpp:536 +msgid "[{1}] sent us a challenge but they do not match a defined user." +msgstr "" + +#: autoop.cpp:544 +msgid "WARNING! [{1}] sent an invalid challenge." +msgstr "" + +#: autoop.cpp:560 +msgid "[{1}] sent an unchallenged response. This could be due to lag." +msgstr "" + +#: autoop.cpp:577 +msgid "" +"WARNING! [{1}] sent a bad response. Please verify that you have their " +"correct password." +msgstr "" + +#: autoop.cpp:586 +msgid "WARNING! [{1}] sent a response but did not match any defined users." +msgstr "" + +#: autoop.cpp:644 +msgid "Auto op the good people" +msgstr "" diff --git a/modules/po/autoreply.pl_PL.po b/modules/po/autoreply.pl_PL.po new file mode 100644 index 00000000..8f3e3be3 --- /dev/null +++ b/modules/po/autoreply.pl_PL.po @@ -0,0 +1,45 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /1.8.x/modules/po/autoreply.pot\n" +"X-Crowdin-File-ID: 302\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: autoreply.cpp:25 +msgid "" +msgstr "" + +#: autoreply.cpp:25 +msgid "Sets a new reply" +msgstr "" + +#: autoreply.cpp:27 +msgid "Displays the current query reply" +msgstr "" + +#: autoreply.cpp:75 +msgid "Current reply is: {1} ({2})" +msgstr "" + +#: autoreply.cpp:81 +msgid "New reply set to: {1} ({2})" +msgstr "" + +#: autoreply.cpp:94 +msgid "" +"You might specify a reply text. It is used when automatically answering " +"queries, if you are not connected to ZNC." +msgstr "" + +#: autoreply.cpp:98 +msgid "Reply to queries when you are away" +msgstr "" diff --git a/modules/po/autovoice.pl_PL.po b/modules/po/autovoice.pl_PL.po new file mode 100644 index 00000000..a7bd4f5f --- /dev/null +++ b/modules/po/autovoice.pl_PL.po @@ -0,0 +1,113 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /1.8.x/modules/po/autovoice.pot\n" +"X-Crowdin-File-ID: 304\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: autovoice.cpp:120 +msgid "List all users" +msgstr "" + +#: autovoice.cpp:122 autovoice.cpp:125 +msgid " [channel] ..." +msgstr "" + +#: autovoice.cpp:123 +msgid "Adds channels to a user" +msgstr "" + +#: autovoice.cpp:126 +msgid "Removes channels from a user" +msgstr "" + +#: autovoice.cpp:128 +msgid " [channels]" +msgstr "" + +#: autovoice.cpp:129 +msgid "Adds a user" +msgstr "" + +#: autovoice.cpp:131 +msgid "" +msgstr "" + +#: autovoice.cpp:131 +msgid "Removes a user" +msgstr "" + +#: autovoice.cpp:215 +msgid "Usage: AddUser [channels]" +msgstr "" + +#: autovoice.cpp:229 +msgid "Usage: DelUser " +msgstr "" + +#: autovoice.cpp:238 +msgid "There are no users defined" +msgstr "" + +#: autovoice.cpp:244 autovoice.cpp:250 +msgid "User" +msgstr "" + +#: autovoice.cpp:245 autovoice.cpp:251 +msgid "Hostmask" +msgstr "" + +#: autovoice.cpp:246 autovoice.cpp:252 +msgid "Channels" +msgstr "" + +#: autovoice.cpp:263 +msgid "Usage: AddChans [channel] ..." +msgstr "" + +#: autovoice.cpp:270 autovoice.cpp:292 autovoice.cpp:329 +msgid "No such user" +msgstr "" + +#: autovoice.cpp:275 +msgid "Channel(s) added to user {1}" +msgstr "" + +#: autovoice.cpp:285 +msgid "Usage: DelChans [channel] ..." +msgstr "" + +#: autovoice.cpp:298 +msgid "Channel(s) Removed from user {1}" +msgstr "" + +#: autovoice.cpp:335 +msgid "User {1} removed" +msgstr "" + +#: autovoice.cpp:341 +msgid "That user already exists" +msgstr "" + +#: autovoice.cpp:347 +msgid "User {1} added with hostmask {2}" +msgstr "" + +#: autovoice.cpp:360 +msgid "" +"Each argument is either a channel you want autovoice for (which can include " +"wildcards) or, if it starts with !, it is an exception for autovoice." +msgstr "" + +#: autovoice.cpp:365 +msgid "Auto voice the good people" +msgstr "" diff --git a/modules/po/awaystore.pl_PL.po b/modules/po/awaystore.pl_PL.po new file mode 100644 index 00000000..d91f3710 --- /dev/null +++ b/modules/po/awaystore.pl_PL.po @@ -0,0 +1,112 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /1.8.x/modules/po/awaystore.pot\n" +"X-Crowdin-File-ID: 306\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: awaystore.cpp:67 +msgid "You have been marked as away" +msgstr "" + +#: awaystore.cpp:78 awaystore.cpp:385 awaystore.cpp:388 +msgid "Welcome back!" +msgstr "" + +#: awaystore.cpp:100 +msgid "Deleted {1} messages" +msgstr "" + +#: awaystore.cpp:104 +msgid "USAGE: delete " +msgstr "" + +#: awaystore.cpp:109 +msgid "Illegal message # requested" +msgstr "" + +#: awaystore.cpp:113 +msgid "Message erased" +msgstr "" + +#: awaystore.cpp:122 +msgid "Messages saved to disk" +msgstr "" + +#: awaystore.cpp:124 +msgid "There are no messages to save" +msgstr "" + +#: awaystore.cpp:135 +msgid "Password updated to [{1}]" +msgstr "" + +#: awaystore.cpp:147 +msgid "Corrupt message! [{1}]" +msgstr "" + +#: awaystore.cpp:159 +msgid "Corrupt time stamp! [{1}]" +msgstr "" + +#: awaystore.cpp:178 +msgid "#--- End of messages" +msgstr "" + +#: awaystore.cpp:183 +msgid "Timer set to 300 seconds" +msgstr "" + +#: awaystore.cpp:188 awaystore.cpp:197 +msgid "Timer disabled" +msgstr "" + +#: awaystore.cpp:199 +msgid "Timer set to {1} seconds" +msgstr "" + +#: awaystore.cpp:203 +msgid "Current timer setting: {1} seconds" +msgstr "" + +#: awaystore.cpp:278 +msgid "This module needs as an argument a keyphrase used for encryption" +msgstr "" + +#: awaystore.cpp:285 +msgid "" +"Failed to decrypt your saved messages - Did you give the right encryption " +"key as an argument to this module?" +msgstr "" + +#: awaystore.cpp:386 awaystore.cpp:389 +msgid "You have {1} messages!" +msgstr "" + +#: awaystore.cpp:456 +msgid "Unable to find buffer" +msgstr "" + +#: awaystore.cpp:469 +msgid "Unable to decode encrypted messages" +msgstr "" + +#: awaystore.cpp:516 +msgid "" +"[ -notimer | -timer N ] [-chans] passw0rd . N is number of seconds, 600 by " +"default." +msgstr "" + +#: awaystore.cpp:521 +msgid "" +"Adds auto-away with logging, useful when you use ZNC from different locations" +msgstr "" diff --git a/modules/po/block_motd.pl_PL.po b/modules/po/block_motd.pl_PL.po new file mode 100644 index 00000000..2ead9dc7 --- /dev/null +++ b/modules/po/block_motd.pl_PL.po @@ -0,0 +1,37 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /1.8.x/modules/po/block_motd.pot\n" +"X-Crowdin-File-ID: 310\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: block_motd.cpp:26 +msgid "[]" +msgstr "" + +#: block_motd.cpp:27 +msgid "" +"Override the block with this command. Can optionally specify which server to " +"query." +msgstr "" + +#: block_motd.cpp:36 +msgid "You are not connected to an IRC Server." +msgstr "" + +#: block_motd.cpp:58 +msgid "MOTD blocked by ZNC" +msgstr "" + +#: block_motd.cpp:104 +msgid "Block the MOTD from IRC so it's not sent to your client(s)." +msgstr "" diff --git a/modules/po/blockuser.pl_PL.po b/modules/po/blockuser.pl_PL.po new file mode 100644 index 00000000..f85755a5 --- /dev/null +++ b/modules/po/blockuser.pl_PL.po @@ -0,0 +1,99 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /1.8.x/modules/po/blockuser.pot\n" +"X-Crowdin-File-ID: 312\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: modules/po/../data/blockuser/tmpl/blockuser_WebadminUser.tmpl:9 +msgid "Account is blocked" +msgstr "" + +#: blockuser.cpp:23 +msgid "Your account has been disabled. Contact your administrator." +msgstr "" + +#: blockuser.cpp:29 +msgid "List blocked users" +msgstr "" + +#: blockuser.cpp:31 blockuser.cpp:33 +msgid "" +msgstr "" + +#: blockuser.cpp:31 +msgid "Block a user" +msgstr "" + +#: blockuser.cpp:33 +msgid "Unblock a user" +msgstr "" + +#: blockuser.cpp:55 +msgid "Could not block {1}" +msgstr "" + +#: blockuser.cpp:76 +msgid "Access denied" +msgstr "" + +#: blockuser.cpp:85 +msgid "No users are blocked" +msgstr "" + +#: blockuser.cpp:88 +msgid "Blocked users:" +msgstr "" + +#: blockuser.cpp:100 +msgid "Usage: Block " +msgstr "" + +#: blockuser.cpp:105 blockuser.cpp:147 +msgid "You can't block yourself" +msgstr "" + +#: blockuser.cpp:110 blockuser.cpp:152 +msgid "Blocked {1}" +msgstr "" + +#: blockuser.cpp:112 +msgid "Could not block {1} (misspelled?)" +msgstr "" + +#: blockuser.cpp:120 +msgid "Usage: Unblock " +msgstr "" + +#: blockuser.cpp:125 blockuser.cpp:161 +msgid "Unblocked {1}" +msgstr "" + +#: blockuser.cpp:127 +msgid "This user is not blocked" +msgstr "" + +#: blockuser.cpp:155 +msgid "Couldn't block {1}" +msgstr "" + +#: blockuser.cpp:164 +msgid "User {1} is not blocked" +msgstr "" + +#: blockuser.cpp:216 +msgid "Enter one or more user names. Separate them by spaces." +msgstr "" + +#: blockuser.cpp:219 +msgid "Block certain users from logging in." +msgstr "" diff --git a/modules/po/bouncedcc.pl_PL.po b/modules/po/bouncedcc.pl_PL.po new file mode 100644 index 00000000..c8bd496f --- /dev/null +++ b/modules/po/bouncedcc.pl_PL.po @@ -0,0 +1,133 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /1.8.x/modules/po/bouncedcc.pot\n" +"X-Crowdin-File-ID: 316\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: bouncedcc.cpp:101 bouncedcc.cpp:119 bouncedcc.cpp:121 +msgctxt "list" +msgid "Type" +msgstr "" + +#: bouncedcc.cpp:102 bouncedcc.cpp:132 +msgctxt "list" +msgid "State" +msgstr "" + +#: bouncedcc.cpp:103 +msgctxt "list" +msgid "Speed" +msgstr "" + +#: bouncedcc.cpp:104 bouncedcc.cpp:115 +msgctxt "list" +msgid "Nick" +msgstr "" + +#: bouncedcc.cpp:105 bouncedcc.cpp:116 +msgctxt "list" +msgid "IP" +msgstr "" + +#: bouncedcc.cpp:106 bouncedcc.cpp:122 +msgctxt "list" +msgid "File" +msgstr "" + +#: bouncedcc.cpp:119 +msgctxt "list" +msgid "Chat" +msgstr "" + +#: bouncedcc.cpp:121 +msgctxt "list" +msgid "Xfer" +msgstr "" + +#: bouncedcc.cpp:125 +msgid "Waiting" +msgstr "" + +#: bouncedcc.cpp:127 +msgid "Halfway" +msgstr "" + +#: bouncedcc.cpp:129 +msgid "Connected" +msgstr "" + +#: bouncedcc.cpp:137 +msgid "You have no active DCCs." +msgstr "" + +#: bouncedcc.cpp:148 +msgid "Use client IP: {1}" +msgstr "" + +#: bouncedcc.cpp:153 +msgid "List all active DCCs" +msgstr "" + +#: bouncedcc.cpp:156 +msgid "Change the option to use IP of client" +msgstr "" + +#: bouncedcc.cpp:383 bouncedcc.cpp:412 bouncedcc.cpp:436 bouncedcc.cpp:451 +msgctxt "type" +msgid "Chat" +msgstr "" + +#: bouncedcc.cpp:383 bouncedcc.cpp:412 bouncedcc.cpp:436 bouncedcc.cpp:451 +msgctxt "type" +msgid "Xfer" +msgstr "" + +#: bouncedcc.cpp:385 +msgid "DCC {1} Bounce ({2}): Too long line received" +msgstr "" + +#: bouncedcc.cpp:418 +msgid "DCC {1} Bounce ({2}): Timeout while connecting to {3} {4}" +msgstr "" + +#: bouncedcc.cpp:422 +msgid "DCC {1} Bounce ({2}): Timeout while connecting." +msgstr "" + +#: bouncedcc.cpp:427 +msgid "" +"DCC {1} Bounce ({2}): Timeout while waiting for incoming connection on {3} " +"{4}" +msgstr "" + +#: bouncedcc.cpp:440 +msgid "DCC {1} Bounce ({2}): Connection refused while connecting to {3} {4}" +msgstr "" + +#: bouncedcc.cpp:444 +msgid "DCC {1} Bounce ({2}): Connection refused while connecting." +msgstr "" + +#: bouncedcc.cpp:457 bouncedcc.cpp:465 +msgid "DCC {1} Bounce ({2}): Socket error on {3} {4}: {5}" +msgstr "" + +#: bouncedcc.cpp:460 +msgid "DCC {1} Bounce ({2}): Socket error: {3}" +msgstr "" + +#: bouncedcc.cpp:547 +msgid "" +"Bounces DCC transfers through ZNC instead of sending them directly to the " +"user. " +msgstr "" diff --git a/modules/po/buffextras.pl_PL.po b/modules/po/buffextras.pl_PL.po new file mode 100644 index 00000000..0ee80cf1 --- /dev/null +++ b/modules/po/buffextras.pl_PL.po @@ -0,0 +1,51 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /1.8.x/modules/po/buffextras.pot\n" +"X-Crowdin-File-ID: 318\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: buffextras.cpp:45 +msgid "Server" +msgstr "" + +#: buffextras.cpp:47 +msgid "{1} set mode: {2} {3}" +msgstr "" + +#: buffextras.cpp:55 +msgid "{1} kicked {2} with reason: {3}" +msgstr "" + +#: buffextras.cpp:64 +msgid "{1} quit: {2}" +msgstr "" + +#: buffextras.cpp:73 +msgid "{1} joined" +msgstr "" + +#: buffextras.cpp:81 +msgid "{1} parted: {2}" +msgstr "" + +#: buffextras.cpp:90 +msgid "{1} is now known as {2}" +msgstr "" + +#: buffextras.cpp:100 +msgid "{1} changed the topic to: {2}" +msgstr "" + +#: buffextras.cpp:115 +msgid "Adds joins, parts etc. to the playback buffer" +msgstr "" diff --git a/modules/po/cert.pl_PL.po b/modules/po/cert.pl_PL.po new file mode 100644 index 00000000..d40f9f84 --- /dev/null +++ b/modules/po/cert.pl_PL.po @@ -0,0 +1,77 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /1.8.x/modules/po/cert.pot\n" +"X-Crowdin-File-ID: 322\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +# this text is inserted into `click here` in the other string +#: modules/po/../data/cert/tmpl/index.tmpl:5 +msgid "here" +msgstr "" + +# {1} is `here`, translateable in the other string +#: modules/po/../data/cert/tmpl/index.tmpl:6 +msgid "" +"You already have a certificate set, use the form below to overwrite the " +"current certificate. Alternatively click {1} to delete your certificate." +msgstr "" + +#: modules/po/../data/cert/tmpl/index.tmpl:8 +msgid "You do not have a certificate yet." +msgstr "" + +#: modules/po/../data/cert/tmpl/index.tmpl:14 cert.cpp:72 +msgid "Certificate" +msgstr "" + +#: modules/po/../data/cert/tmpl/index.tmpl:18 +msgid "PEM File:" +msgstr "" + +#: modules/po/../data/cert/tmpl/index.tmpl:22 +msgid "Update" +msgstr "" + +#: cert.cpp:28 +msgid "Pem file deleted" +msgstr "" + +#: cert.cpp:31 +msgid "The pem file doesn't exist or there was a error deleting the pem file." +msgstr "" + +#: cert.cpp:38 +msgid "You have a certificate in {1}" +msgstr "" + +#: cert.cpp:41 +msgid "" +"You do not have a certificate. Please use the web interface to add a " +"certificate" +msgstr "" + +#: cert.cpp:44 +msgid "Alternatively you can either place one at {1}" +msgstr "" + +#: cert.cpp:52 +msgid "Delete the current certificate" +msgstr "" + +#: cert.cpp:54 +msgid "Show the current certificate" +msgstr "" + +#: cert.cpp:105 +msgid "Use a ssl certificate to connect to a server" +msgstr "" diff --git a/modules/po/certauth.pl_PL.po b/modules/po/certauth.pl_PL.po new file mode 100644 index 00000000..a98c3183 --- /dev/null +++ b/modules/po/certauth.pl_PL.po @@ -0,0 +1,110 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /1.8.x/modules/po/certauth.pot\n" +"X-Crowdin-File-ID: 324\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: modules/po/../data/certauth/tmpl/index.tmpl:7 +msgid "Add a key" +msgstr "" + +#: modules/po/../data/certauth/tmpl/index.tmpl:11 +msgid "Key:" +msgstr "" + +#: modules/po/../data/certauth/tmpl/index.tmpl:15 +msgid "Add Key" +msgstr "" + +#: modules/po/../data/certauth/tmpl/index.tmpl:23 +msgid "You have no keys." +msgstr "" + +#: modules/po/../data/certauth/tmpl/index.tmpl:30 +msgctxt "web" +msgid "Key" +msgstr "" + +#: modules/po/../data/certauth/tmpl/index.tmpl:36 +msgid "del" +msgstr "" + +#: certauth.cpp:31 +msgid "[pubkey]" +msgstr "" + +#: certauth.cpp:32 +msgid "Add a public key. If key is not provided will use the current key" +msgstr "" + +#: certauth.cpp:35 +msgid "id" +msgstr "" + +#: certauth.cpp:35 +msgid "Delete a key by its number in List" +msgstr "" + +#: certauth.cpp:37 +msgid "List your public keys" +msgstr "" + +#: certauth.cpp:39 +msgid "Print your current key" +msgstr "" + +#: certauth.cpp:142 +msgid "You are not connected with any valid public key" +msgstr "" + +#: certauth.cpp:144 +msgid "Your current public key is: {1}" +msgstr "" + +#: certauth.cpp:157 +msgid "You did not supply a public key or connect with one." +msgstr "" + +#: certauth.cpp:160 +msgid "Key '{1}' added." +msgstr "" + +#: certauth.cpp:162 +msgid "The key '{1}' is already added." +msgstr "" + +#: certauth.cpp:170 certauth.cpp:183 +msgctxt "list" +msgid "Id" +msgstr "" + +#: certauth.cpp:171 certauth.cpp:184 +msgctxt "list" +msgid "Key" +msgstr "" + +#: certauth.cpp:176 certauth.cpp:190 certauth.cpp:199 +msgid "No keys set for your user" +msgstr "" + +#: certauth.cpp:204 +msgid "Invalid #, check \"list\"" +msgstr "" + +#: certauth.cpp:216 +msgid "Removed" +msgstr "" + +#: certauth.cpp:291 +msgid "Allows users to authenticate via SSL client certificates." +msgstr "" diff --git a/modules/po/chansaver.pl_PL.po b/modules/po/chansaver.pl_PL.po new file mode 100644 index 00000000..038ea5fe --- /dev/null +++ b/modules/po/chansaver.pl_PL.po @@ -0,0 +1,19 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /1.8.x/modules/po/chansaver.pot\n" +"X-Crowdin-File-ID: 326\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: chansaver.cpp:91 +msgid "Keeps config up-to-date when user joins/parts." +msgstr "" diff --git a/modules/po/clearbufferonmsg.pl_PL.po b/modules/po/clearbufferonmsg.pl_PL.po new file mode 100644 index 00000000..89592f39 --- /dev/null +++ b/modules/po/clearbufferonmsg.pl_PL.po @@ -0,0 +1,19 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /1.8.x/modules/po/clearbufferonmsg.pot\n" +"X-Crowdin-File-ID: 330\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: clearbufferonmsg.cpp:160 +msgid "Clears all channel and query buffers whenever the user does something" +msgstr "" diff --git a/modules/po/clientnotify.pl_PL.po b/modules/po/clientnotify.pl_PL.po new file mode 100644 index 00000000..11b70512 --- /dev/null +++ b/modules/po/clientnotify.pl_PL.po @@ -0,0 +1,77 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /1.8.x/modules/po/clientnotify.pot\n" +"X-Crowdin-File-ID: 328\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: clientnotify.cpp:47 +msgid "" +msgstr "" + +#: clientnotify.cpp:48 +msgid "Sets the notify method" +msgstr "" + +#: clientnotify.cpp:50 clientnotify.cpp:54 +msgid "" +msgstr "" + +#: clientnotify.cpp:51 +msgid "Turns notifications for unseen IP addresses on or off" +msgstr "" + +#: clientnotify.cpp:55 +msgid "Turns notifications for clients disconnecting on or off" +msgstr "" + +#: clientnotify.cpp:57 +msgid "Shows the current settings" +msgstr "" + +#: clientnotify.cpp:81 clientnotify.cpp:95 +msgid "" +msgid_plural "" +"Another client authenticated as your user. Use the 'ListClients' command to " +"see all {1} clients." +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" + +#: clientnotify.cpp:108 +msgid "Usage: Method " +msgstr "" + +#: clientnotify.cpp:114 clientnotify.cpp:127 clientnotify.cpp:140 +msgid "Saved." +msgstr "" + +#: clientnotify.cpp:121 +msgid "Usage: NewOnly " +msgstr "" + +#: clientnotify.cpp:134 +msgid "Usage: OnDisconnect " +msgstr "" + +#: clientnotify.cpp:145 +msgid "" +"Current settings: Method: {1}, for unseen IP addresses only: {2}, notify on " +"disconnecting clients: {3}" +msgstr "" + +#: clientnotify.cpp:157 +msgid "" +"Notifies you when another IRC client logs into or out of your account. " +"Configurable." +msgstr "" diff --git a/modules/po/controlpanel.pl_PL.po b/modules/po/controlpanel.pl_PL.po new file mode 100644 index 00000000..3dc169ae --- /dev/null +++ b/modules/po/controlpanel.pl_PL.po @@ -0,0 +1,730 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /1.8.x/modules/po/controlpanel.pot\n" +"X-Crowdin-File-ID: 332\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: controlpanel.cpp:51 controlpanel.cpp:64 +msgctxt "helptable" +msgid "Type" +msgstr "Typ" + +#: controlpanel.cpp:52 controlpanel.cpp:66 +msgctxt "helptable" +msgid "Variables" +msgstr "Zmienne" + +#: controlpanel.cpp:78 +msgid "String" +msgstr "Łańcuch znaków" + +#: controlpanel.cpp:79 +msgid "Boolean (true/false)" +msgstr "Typ logiczny (prawda/fałsz)" + +#: controlpanel.cpp:80 +msgid "Integer" +msgstr "Liczba całkowita" + +#: controlpanel.cpp:81 +msgid "Number" +msgstr "Numer" + +#: controlpanel.cpp:126 +msgid "The following variables are available when using the Set/Get commands:" +msgstr "" + +#: controlpanel.cpp:150 +msgid "" +"The following variables are available when using the SetNetwork/GetNetwork " +"commands:" +msgstr "" + +#: controlpanel.cpp:164 +msgid "" +"The following variables are available when using the SetChan/GetChan " +"commands:" +msgstr "" + +#: controlpanel.cpp:171 +msgid "" +"You can use $user as the user name and $network as the network name for " +"modifying your own user and network." +msgstr "" + +#: controlpanel.cpp:180 controlpanel.cpp:967 controlpanel.cpp:1004 +msgid "Error: User [{1}] does not exist!" +msgstr "Błąd: Użytkownik [{1}] nie istnieje!" + +#: controlpanel.cpp:185 +msgid "Error: You need to have admin rights to modify other users!" +msgstr "" +"Błąd: Musisz mieć uprawnienia administratora, aby modyfikować innych " +"użytkowników!" + +#: controlpanel.cpp:195 +msgid "Error: You cannot use $network to modify other users!" +msgstr "" + +#: controlpanel.cpp:203 +msgid "Error: User {1} does not have a network named [{2}]." +msgstr "" + +#: controlpanel.cpp:215 +msgid "Usage: Get [username]" +msgstr "Użycie: Get [username]" + +#: controlpanel.cpp:305 controlpanel.cpp:508 controlpanel.cpp:583 +#: controlpanel.cpp:659 controlpanel.cpp:794 controlpanel.cpp:879 +msgid "Error: Unknown variable" +msgstr "Błąd: Nieznana zmienna" + +#: controlpanel.cpp:314 +msgid "Usage: Set " +msgstr "Użycie: Set " + +#: controlpanel.cpp:336 controlpanel.cpp:624 +msgid "This bind host is already set!" +msgstr "Host przypięcia już jest ustawiony!" + +#: controlpanel.cpp:343 controlpanel.cpp:355 controlpanel.cpp:363 +#: controlpanel.cpp:426 controlpanel.cpp:445 controlpanel.cpp:461 +#: controlpanel.cpp:471 controlpanel.cpp:631 +msgid "Access denied!" +msgstr "Odmowa dostępu!" + +#: controlpanel.cpp:377 controlpanel.cpp:386 controlpanel.cpp:843 +msgid "Setting failed, limit for buffer size is {1}" +msgstr "" + +#: controlpanel.cpp:406 +msgid "Password has been changed!" +msgstr "" + +#: controlpanel.cpp:414 +msgid "Timeout can't be less than 30 seconds!" +msgstr "" + +#: controlpanel.cpp:478 +msgid "That would be a bad idea!" +msgstr "To byłby zły pomysł!" + +#: controlpanel.cpp:496 +msgid "Supported languages: {1}" +msgstr "Wspierane języki: {1}" + +#: controlpanel.cpp:520 +msgid "Usage: GetNetwork [username] [network]" +msgstr "Użycie: GetNetwork [username] [network]" + +#: controlpanel.cpp:539 +msgid "Error: A network must be specified to get another users settings." +msgstr "" + +#: controlpanel.cpp:545 +msgid "You are not currently attached to a network." +msgstr "" + +#: controlpanel.cpp:551 +msgid "Error: Invalid network." +msgstr "Błąd: Niepoprawna sieć." + +#: controlpanel.cpp:595 +msgid "Usage: SetNetwork " +msgstr "Użycie: SetNetwork " + +#: controlpanel.cpp:669 +msgid "Usage: AddChan " +msgstr "Użycie: AddChan " + +#: controlpanel.cpp:682 +msgid "Error: User {1} already has a channel named {2}." +msgstr "Błąd: użytkownik {1} ma już kanał o nazwie {2}." + +#: controlpanel.cpp:689 +msgid "Channel {1} for user {2} added to network {3}." +msgstr "Kanał {1} dla użytkownika {2} został dodany do sieci {3}." + +#: controlpanel.cpp:693 +msgid "" +"Could not add channel {1} for user {2} to network {3}, does it already exist?" +msgstr "" +"Nie można dodać kanału {1} dla użytkownika {2} do sieci {3}, może już " +"istnieje?" + +#: controlpanel.cpp:703 +msgid "Usage: DelChan " +msgstr "Użycie: DelChan " + +#: controlpanel.cpp:718 +msgid "Error: User {1} does not have any channel matching [{2}] in network {3}" +msgstr "" + +#: controlpanel.cpp:731 +msgid "Channel {1} is deleted from network {2} of user {3}" +msgid_plural "Channels {1} are deleted from network {2} of user {3}" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" + +#: controlpanel.cpp:746 +msgid "Usage: GetChan " +msgstr "Użycie: GetChan " + +#: controlpanel.cpp:760 controlpanel.cpp:824 +msgid "Error: No channels matching [{1}] found." +msgstr "" + +#: controlpanel.cpp:809 +msgid "Usage: SetChan " +msgstr "Użycie: SetChan " + +#: controlpanel.cpp:890 controlpanel.cpp:900 +msgctxt "listusers" +msgid "Username" +msgstr "Nazwa użytkownika" + +#: controlpanel.cpp:891 controlpanel.cpp:901 +msgctxt "listusers" +msgid "Realname" +msgstr "Prawdziwe imię" + +#: controlpanel.cpp:892 controlpanel.cpp:904 controlpanel.cpp:906 +msgctxt "listusers" +msgid "IsAdmin" +msgstr "" + +#: controlpanel.cpp:893 controlpanel.cpp:907 +msgctxt "listusers" +msgid "Nick" +msgstr "Pseudonim" + +#: controlpanel.cpp:894 controlpanel.cpp:908 +msgctxt "listusers" +msgid "AltNick" +msgstr "AlternatywnyPseudonim" + +#: controlpanel.cpp:895 controlpanel.cpp:909 +msgctxt "listusers" +msgid "Ident" +msgstr "Ident" + +#: controlpanel.cpp:896 controlpanel.cpp:910 +msgctxt "listusers" +msgid "BindHost" +msgstr "HostPrzypięcia" + +#: controlpanel.cpp:904 controlpanel.cpp:1144 +msgid "No" +msgstr "Nie" + +#: controlpanel.cpp:906 controlpanel.cpp:1136 +msgid "Yes" +msgstr "Tak" + +#: controlpanel.cpp:920 controlpanel.cpp:989 +msgid "Error: You need to have admin rights to add new users!" +msgstr "" +"Błąd: musisz mieć uprawnienia administratora, aby dodawać nowych " +"użytkowników!" + +#: controlpanel.cpp:926 +msgid "Usage: AddUser " +msgstr "Użycie: AddUser " + +#: controlpanel.cpp:931 +msgid "Error: User {1} already exists!" +msgstr "" + +#: controlpanel.cpp:943 controlpanel.cpp:1018 +msgid "Error: User not added: {1}" +msgstr "" + +#: controlpanel.cpp:947 controlpanel.cpp:1022 +msgid "User {1} added!" +msgstr "" + +#: controlpanel.cpp:954 +msgid "Error: You need to have admin rights to delete users!" +msgstr "" + +#: controlpanel.cpp:960 +msgid "Usage: DelUser " +msgstr "" + +#: controlpanel.cpp:972 +msgid "Error: You can't delete yourself!" +msgstr "" + +#: controlpanel.cpp:978 +msgid "Error: Internal error!" +msgstr "" + +#: controlpanel.cpp:982 +msgid "User {1} deleted!" +msgstr "" + +#: controlpanel.cpp:997 +msgid "Usage: CloneUser " +msgstr "" + +#: controlpanel.cpp:1012 +msgid "Error: Cloning failed: {1}" +msgstr "" + +#: controlpanel.cpp:1041 +msgid "Usage: AddNetwork [user] network" +msgstr "" + +#: controlpanel.cpp:1047 +msgid "" +"Network number limit reached. Ask an admin to increase the limit for you, or " +"delete unneeded networks using /znc DelNetwork " +msgstr "" + +#: controlpanel.cpp:1055 +msgid "Error: User {1} already has a network with the name {2}" +msgstr "" + +#: controlpanel.cpp:1062 +msgid "Network {1} added to user {2}." +msgstr "" + +#: controlpanel.cpp:1066 +msgid "Error: Network [{1}] could not be added for user {2}: {3}" +msgstr "" + +#: controlpanel.cpp:1086 +msgid "Usage: DelNetwork [user] network" +msgstr "" + +#: controlpanel.cpp:1097 +msgid "The currently active network can be deleted via {1}status" +msgstr "" + +#: controlpanel.cpp:1103 +msgid "Network {1} deleted for user {2}." +msgstr "" + +#: controlpanel.cpp:1107 +msgid "Error: Network {1} could not be deleted for user {2}." +msgstr "" + +#: controlpanel.cpp:1126 controlpanel.cpp:1134 +msgctxt "listnetworks" +msgid "Network" +msgstr "" + +#: controlpanel.cpp:1127 controlpanel.cpp:1136 controlpanel.cpp:1144 +msgctxt "listnetworks" +msgid "OnIRC" +msgstr "" + +#: controlpanel.cpp:1128 controlpanel.cpp:1137 +msgctxt "listnetworks" +msgid "IRC Server" +msgstr "" + +#: controlpanel.cpp:1129 controlpanel.cpp:1139 +msgctxt "listnetworks" +msgid "IRC User" +msgstr "" + +#: controlpanel.cpp:1130 controlpanel.cpp:1141 +msgctxt "listnetworks" +msgid "Channels" +msgstr "" + +#: controlpanel.cpp:1149 +msgid "No networks" +msgstr "" + +#: controlpanel.cpp:1160 +msgid "Usage: AddServer [[+]port] [password]" +msgstr "" + +#: controlpanel.cpp:1174 +msgid "Added IRC Server {1} to network {2} for user {3}." +msgstr "" + +#: controlpanel.cpp:1178 +msgid "Error: Could not add IRC server {1} to network {2} for user {3}." +msgstr "" + +#: controlpanel.cpp:1191 +msgid "Usage: DelServer [[+]port] [password]" +msgstr "" + +#: controlpanel.cpp:1206 +msgid "Deleted IRC Server {1} from network {2} for user {3}." +msgstr "" + +#: controlpanel.cpp:1210 +msgid "Error: Could not delete IRC server {1} from network {2} for user {3}." +msgstr "" + +#: controlpanel.cpp:1220 +msgid "Usage: Reconnect " +msgstr "" + +#: controlpanel.cpp:1247 +msgid "Queued network {1} of user {2} for a reconnect." +msgstr "" + +#: controlpanel.cpp:1256 +msgid "Usage: Disconnect " +msgstr "" + +#: controlpanel.cpp:1271 +msgid "Closed IRC connection for network {1} of user {2}." +msgstr "" + +#: controlpanel.cpp:1286 controlpanel.cpp:1291 +msgctxt "listctcp" +msgid "Request" +msgstr "" + +#: controlpanel.cpp:1287 controlpanel.cpp:1292 +msgctxt "listctcp" +msgid "Reply" +msgstr "" + +#: controlpanel.cpp:1296 +msgid "No CTCP replies for user {1} are configured" +msgstr "" + +#: controlpanel.cpp:1299 +msgid "CTCP replies for user {1}:" +msgstr "" + +#: controlpanel.cpp:1315 +msgid "Usage: AddCTCP [user] [request] [reply]" +msgstr "" + +#: controlpanel.cpp:1317 +msgid "" +"This will cause ZNC to reply to the CTCP instead of forwarding it to clients." +msgstr "" + +#: controlpanel.cpp:1320 +msgid "An empty reply will cause the CTCP request to be blocked." +msgstr "" + +#: controlpanel.cpp:1329 +msgid "CTCP requests {1} to user {2} will now be blocked." +msgstr "" + +#: controlpanel.cpp:1333 +msgid "CTCP requests {1} to user {2} will now get reply: {3}" +msgstr "" + +#: controlpanel.cpp:1350 +msgid "Usage: DelCTCP [user] [request]" +msgstr "" + +#: controlpanel.cpp:1356 +msgid "CTCP requests {1} to user {2} will now be sent to IRC clients" +msgstr "" + +#: controlpanel.cpp:1360 +msgid "" +"CTCP requests {1} to user {2} will be sent to IRC clients (nothing has " +"changed)" +msgstr "" + +#: controlpanel.cpp:1370 controlpanel.cpp:1444 +msgid "Loading modules has been disabled." +msgstr "" + +#: controlpanel.cpp:1379 +msgid "Error: Unable to load module {1}: {2}" +msgstr "" + +#: controlpanel.cpp:1382 +msgid "Loaded module {1}" +msgstr "" + +#: controlpanel.cpp:1387 +msgid "Error: Unable to reload module {1}: {2}" +msgstr "" + +#: controlpanel.cpp:1390 +msgid "Reloaded module {1}" +msgstr "" + +#: controlpanel.cpp:1394 +msgid "Error: Unable to load module {1} because it is already loaded" +msgstr "" + +#: controlpanel.cpp:1405 +msgid "Usage: LoadModule [args]" +msgstr "" + +#: controlpanel.cpp:1424 +msgid "Usage: LoadNetModule [args]" +msgstr "" + +#: controlpanel.cpp:1449 +msgid "Please use /znc unloadmod {1}" +msgstr "" + +#: controlpanel.cpp:1455 +msgid "Error: Unable to unload module {1}: {2}" +msgstr "" + +#: controlpanel.cpp:1458 +msgid "Unloaded module {1}" +msgstr "Wyładowano moduł {1}" + +#: controlpanel.cpp:1467 +msgid "Usage: UnloadModule " +msgstr "Użycie: UnloadModule " + +#: controlpanel.cpp:1484 +msgid "Usage: UnloadNetModule " +msgstr "Użycie: UnloadNetModule " + +#: controlpanel.cpp:1501 controlpanel.cpp:1507 +msgctxt "listmodules" +msgid "Name" +msgstr "Nazwa" + +#: controlpanel.cpp:1502 controlpanel.cpp:1508 +msgctxt "listmodules" +msgid "Arguments" +msgstr "Argumenty" + +#: controlpanel.cpp:1527 +msgid "User {1} has no modules loaded." +msgstr "Użytkownik {1} nie ma załadowanych modułów." + +#: controlpanel.cpp:1531 +msgid "Modules loaded for user {1}:" +msgstr "Załadowane moduły użytkownika {1}:" + +#: controlpanel.cpp:1551 +msgid "Network {1} of user {2} has no modules loaded." +msgstr "" + +#: controlpanel.cpp:1556 +msgid "Modules loaded for network {1} of user {2}:" +msgstr "Moduły załadowane dla sieci {1} użytkownika {2}:" + +#: controlpanel.cpp:1563 +msgid "[command] [variable]" +msgstr "[command] [variable]" + +#: controlpanel.cpp:1564 +msgid "Prints help for matching commands and variables" +msgstr "" + +#: controlpanel.cpp:1567 +msgid " [username]" +msgstr " [username]" + +#: controlpanel.cpp:1568 +msgid "Prints the variable's value for the given or current user" +msgstr "" + +#: controlpanel.cpp:1570 +msgid " " +msgstr " " + +#: controlpanel.cpp:1571 +msgid "Sets the variable's value for the given user" +msgstr "" + +#: controlpanel.cpp:1573 +msgid " [username] [network]" +msgstr " [username] [network]" + +#: controlpanel.cpp:1574 +msgid "Prints the variable's value for the given network" +msgstr "" + +#: controlpanel.cpp:1576 +msgid " " +msgstr " " + +#: controlpanel.cpp:1577 +msgid "Sets the variable's value for the given network" +msgstr "" + +#: controlpanel.cpp:1579 +msgid " [username] " +msgstr " [username] " + +#: controlpanel.cpp:1580 +msgid "Prints the variable's value for the given channel" +msgstr "" + +#: controlpanel.cpp:1583 +msgid " " +msgstr " " + +#: controlpanel.cpp:1584 +msgid "Sets the variable's value for the given channel" +msgstr "" + +#: controlpanel.cpp:1586 controlpanel.cpp:1589 +msgid " " +msgstr " " + +#: controlpanel.cpp:1587 +msgid "Adds a new channel" +msgstr "Dodaje nowy kanał" + +#: controlpanel.cpp:1590 +msgid "Deletes a channel" +msgstr "Usuwa kanał" + +#: controlpanel.cpp:1592 +msgid "Lists users" +msgstr "Lista użytkowników" + +#: controlpanel.cpp:1594 +msgid " " +msgstr " " + +#: controlpanel.cpp:1595 +msgid "Adds a new user" +msgstr "" + +#: controlpanel.cpp:1597 controlpanel.cpp:1620 controlpanel.cpp:1634 +msgid "" +msgstr "" + +#: controlpanel.cpp:1597 +msgid "Deletes a user" +msgstr "" + +#: controlpanel.cpp:1599 +msgid " " +msgstr "" + +#: controlpanel.cpp:1600 +msgid "Clones a user" +msgstr "" + +#: controlpanel.cpp:1602 controlpanel.cpp:1605 +msgid " " +msgstr "" + +#: controlpanel.cpp:1603 +msgid "Adds a new IRC server for the given or current user" +msgstr "" + +#: controlpanel.cpp:1606 +msgid "Deletes an IRC server from the given or current user" +msgstr "" + +#: controlpanel.cpp:1608 controlpanel.cpp:1611 controlpanel.cpp:1631 +msgid " " +msgstr "" + +#: controlpanel.cpp:1609 +msgid "Cycles the user's IRC server connection" +msgstr "" + +#: controlpanel.cpp:1612 +msgid "Disconnects the user from their IRC server" +msgstr "" + +#: controlpanel.cpp:1614 +msgid " [args]" +msgstr "" + +#: controlpanel.cpp:1615 +msgid "Loads a Module for a user" +msgstr "" + +#: controlpanel.cpp:1617 +msgid " " +msgstr "" + +#: controlpanel.cpp:1618 +msgid "Removes a Module of a user" +msgstr "" + +#: controlpanel.cpp:1621 +msgid "Get the list of modules for a user" +msgstr "" + +#: controlpanel.cpp:1624 +msgid " [args]" +msgstr "" + +#: controlpanel.cpp:1625 +msgid "Loads a Module for a network" +msgstr "" + +#: controlpanel.cpp:1628 +msgid " " +msgstr "" + +#: controlpanel.cpp:1629 +msgid "Removes a Module of a network" +msgstr "" + +#: controlpanel.cpp:1632 +msgid "Get the list of modules for a network" +msgstr "Uzyskaj listę modułów dla użytkownika" + +#: controlpanel.cpp:1635 +msgid "List the configured CTCP replies" +msgstr "Lista skonfigurowanych odpowiedzi CTCP" + +#: controlpanel.cpp:1637 +msgid " [reply]" +msgstr " [reply]" + +#: controlpanel.cpp:1638 +msgid "Configure a new CTCP reply" +msgstr "Skonfiguruj nową odpowiedź CTCP" + +#: controlpanel.cpp:1640 +msgid " " +msgstr " " + +#: controlpanel.cpp:1641 +msgid "Remove a CTCP reply" +msgstr "Usuń odpowiedź CTCP" + +#: controlpanel.cpp:1645 controlpanel.cpp:1648 +msgid "[username] " +msgstr "[username] " + +#: controlpanel.cpp:1646 +msgid "Add a network for a user" +msgstr "Dodaj sieć użytkownikowi" + +#: controlpanel.cpp:1649 +msgid "Delete a network for a user" +msgstr "Usuń sieć użytkownikowi" + +#: controlpanel.cpp:1651 +msgid "[username]" +msgstr "[username]" + +#: controlpanel.cpp:1652 +msgid "List all networks for a user" +msgstr "Lista wszystkich sieci użytkownika" + +#: controlpanel.cpp:1665 +msgid "" +"Dynamic configuration through IRC. Allows editing only yourself if you're " +"not ZNC admin." +msgstr "" +"Dynamiczna konfiguracja poprzez IRC. Pozwala edytować tylko siebie, jeśli " +"nie jesteś administratorem ZNC." diff --git a/modules/po/crypt.pl_PL.po b/modules/po/crypt.pl_PL.po new file mode 100644 index 00000000..6b9e97cf --- /dev/null +++ b/modules/po/crypt.pl_PL.po @@ -0,0 +1,145 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /1.8.x/modules/po/crypt.pot\n" +"X-Crowdin-File-ID: 334\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: crypt.cpp:198 +msgid "<#chan|Nick>" +msgstr "" + +#: crypt.cpp:199 +msgid "Remove a key for nick or channel" +msgstr "" + +#: crypt.cpp:201 +msgid "<#chan|Nick> " +msgstr "" + +#: crypt.cpp:202 +msgid "Set a key for nick or channel" +msgstr "" + +#: crypt.cpp:204 +msgid "List all keys" +msgstr "" + +#: crypt.cpp:206 +msgid "" +msgstr "" + +#: crypt.cpp:207 +msgid "Start a DH1080 key exchange with nick" +msgstr "" + +#: crypt.cpp:210 +msgid "Get the nick prefix" +msgstr "" + +#: crypt.cpp:213 +msgid "[Prefix]" +msgstr "" + +#: crypt.cpp:214 +msgid "Set the nick prefix, with no argument it's disabled." +msgstr "" + +#: crypt.cpp:270 +msgid "Received DH1080 public key from {1}, sending mine..." +msgstr "" + +#: crypt.cpp:275 crypt.cpp:296 +msgid "Key for {1} successfully set." +msgstr "" + +#: crypt.cpp:278 crypt.cpp:299 +msgid "Error in {1} with {2}: {3}" +msgstr "" + +#: crypt.cpp:280 crypt.cpp:301 +msgid "no secret key computed" +msgstr "" + +#: crypt.cpp:395 +msgid "Target [{1}] deleted" +msgstr "" + +#: crypt.cpp:397 +msgid "Target [{1}] not found" +msgstr "" + +#: crypt.cpp:400 +msgid "Usage DelKey <#chan|Nick>" +msgstr "" + +#: crypt.cpp:415 +msgid "Set encryption key for [{1}] to [{2}]" +msgstr "" + +#: crypt.cpp:417 +msgid "Usage: SetKey <#chan|Nick> " +msgstr "" + +#: crypt.cpp:428 +msgid "Sent my DH1080 public key to {1}, waiting for reply ..." +msgstr "" + +#: crypt.cpp:430 +msgid "Error generating our keys, nothing sent." +msgstr "" + +#: crypt.cpp:433 +msgid "Usage: KeyX " +msgstr "" + +#: crypt.cpp:440 +msgid "Nick Prefix disabled." +msgstr "" + +#: crypt.cpp:442 +msgid "Nick Prefix: {1}" +msgstr "" + +#: crypt.cpp:451 +msgid "You cannot use :, even followed by other symbols, as Nick Prefix." +msgstr "" + +#: crypt.cpp:460 +msgid "Overlap with Status Prefix ({1}), this Nick Prefix will not be used!" +msgstr "" + +#: crypt.cpp:465 +msgid "Disabling Nick Prefix." +msgstr "" + +#: crypt.cpp:467 +msgid "Setting Nick Prefix to {1}" +msgstr "" + +#: crypt.cpp:474 crypt.cpp:481 +msgctxt "listkeys" +msgid "Target" +msgstr "" + +#: crypt.cpp:475 crypt.cpp:482 +msgctxt "listkeys" +msgid "Key" +msgstr "" + +#: crypt.cpp:486 +msgid "You have no encryption keys set." +msgstr "" + +#: crypt.cpp:508 +msgid "Encryption for channel/private messages" +msgstr "" diff --git a/modules/po/ctcpflood.pl_PL.po b/modules/po/ctcpflood.pl_PL.po new file mode 100644 index 00000000..ef8ca302 --- /dev/null +++ b/modules/po/ctcpflood.pl_PL.po @@ -0,0 +1,75 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /1.8.x/modules/po/ctcpflood.pot\n" +"X-Crowdin-File-ID: 336\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: ctcpflood.cpp:25 ctcpflood.cpp:27 +msgid "" +msgstr "" + +#: ctcpflood.cpp:25 +msgid "Set seconds limit" +msgstr "" + +#: ctcpflood.cpp:27 +msgid "Set lines limit" +msgstr "" + +#: ctcpflood.cpp:29 +msgid "Show the current limits" +msgstr "" + +#: ctcpflood.cpp:76 +msgid "Limit reached by {1}, blocking all CTCP" +msgstr "" + +#: ctcpflood.cpp:98 +msgid "Usage: Secs " +msgstr "" + +#: ctcpflood.cpp:113 +msgid "Usage: Lines " +msgstr "" + +#: ctcpflood.cpp:125 +msgid "1 CTCP message" +msgid_plural "{1} CTCP messages" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" + +#: ctcpflood.cpp:127 +msgid "every second" +msgid_plural "every {1} seconds" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" + +#: ctcpflood.cpp:129 +msgid "Current limit is {1} {2}" +msgstr "" + +#: ctcpflood.cpp:145 +msgid "" +"This user module takes none to two arguments. The first argument is the " +"number of lines after which the flood-protection is triggered. The second " +"argument is the time (sec) to in which the number of lines is reached. The " +"default setting is 4 CTCPs in 2 seconds" +msgstr "" + +#: ctcpflood.cpp:151 +msgid "Don't forward CTCP floods to clients" +msgstr "" diff --git a/modules/po/cyrusauth.pl_PL.po b/modules/po/cyrusauth.pl_PL.po new file mode 100644 index 00000000..de1a4bea --- /dev/null +++ b/modules/po/cyrusauth.pl_PL.po @@ -0,0 +1,75 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /1.8.x/modules/po/cyrusauth.pot\n" +"X-Crowdin-File-ID: 338\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: cyrusauth.cpp:42 +msgid "Shows current settings" +msgstr "" + +#: cyrusauth.cpp:44 +msgid "yes|clone |no" +msgstr "" + +#: cyrusauth.cpp:45 +msgid "" +"Create ZNC users upon first successful login, optionally from a template" +msgstr "" + +#: cyrusauth.cpp:56 +msgid "Access denied" +msgstr "" + +#: cyrusauth.cpp:70 +msgid "Ignoring invalid SASL pwcheck method: {1}" +msgstr "" + +#: cyrusauth.cpp:71 +msgid "Ignored invalid SASL pwcheck method" +msgstr "" + +#: cyrusauth.cpp:79 +msgid "Need a pwcheck method as argument (saslauthd, auxprop)" +msgstr "" + +#: cyrusauth.cpp:84 +msgid "SASL Could Not Be Initialized - Halting Startup" +msgstr "" + +#: cyrusauth.cpp:171 cyrusauth.cpp:186 +msgid "We will not create users on their first login" +msgstr "" + +#: cyrusauth.cpp:174 cyrusauth.cpp:195 +msgid "" +"We will create users on their first login, using user [{1}] as a template" +msgstr "" + +#: cyrusauth.cpp:177 cyrusauth.cpp:190 +msgid "We will create users on their first login" +msgstr "" + +#: cyrusauth.cpp:199 +msgid "Usage: CreateUsers yes, CreateUsers no, or CreateUsers clone " +msgstr "" + +#: cyrusauth.cpp:232 +msgid "" +"This global module takes up to two arguments - the methods of authentication " +"- auxprop and saslauthd" +msgstr "" + +#: cyrusauth.cpp:238 +msgid "Allow users to authenticate via SASL password verification method" +msgstr "" diff --git a/modules/po/dcc.pl_PL.po b/modules/po/dcc.pl_PL.po new file mode 100644 index 00000000..d2e40190 --- /dev/null +++ b/modules/po/dcc.pl_PL.po @@ -0,0 +1,229 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /1.8.x/modules/po/dcc.pot\n" +"X-Crowdin-File-ID: 308\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: dcc.cpp:88 +msgid " " +msgstr "" + +#: dcc.cpp:89 +msgid "Send a file from ZNC to someone" +msgstr "" + +#: dcc.cpp:91 +msgid "" +msgstr "" + +#: dcc.cpp:92 +msgid "Send a file from ZNC to your client" +msgstr "" + +#: dcc.cpp:94 +msgid "List current transfers" +msgstr "" + +#: dcc.cpp:103 +msgid "You must be admin to use the DCC module" +msgstr "" + +#: dcc.cpp:140 +msgid "Attempting to send [{1}] to [{2}]." +msgstr "" + +#: dcc.cpp:149 dcc.cpp:554 +msgid "Receiving [{1}] from [{2}]: File already exists." +msgstr "" + +#: dcc.cpp:167 +msgid "" +"Attempting to connect to [{1} {2}] in order to download [{3}] from [{4}]." +msgstr "" + +#: dcc.cpp:179 +msgid "Usage: Send " +msgstr "" + +#: dcc.cpp:186 dcc.cpp:206 +msgid "Illegal path." +msgstr "" + +#: dcc.cpp:199 +msgid "Usage: Get " +msgstr "" + +#: dcc.cpp:215 dcc.cpp:232 dcc.cpp:234 +msgctxt "list" +msgid "Type" +msgstr "" + +#: dcc.cpp:216 dcc.cpp:238 dcc.cpp:241 +msgctxt "list" +msgid "State" +msgstr "" + +#: dcc.cpp:217 dcc.cpp:243 +msgctxt "list" +msgid "Speed" +msgstr "" + +#: dcc.cpp:218 dcc.cpp:227 +msgctxt "list" +msgid "Nick" +msgstr "" + +#: dcc.cpp:219 dcc.cpp:228 +msgctxt "list" +msgid "IP" +msgstr "" + +#: dcc.cpp:220 dcc.cpp:229 +msgctxt "list" +msgid "File" +msgstr "" + +#: dcc.cpp:232 +msgctxt "list-type" +msgid "Sending" +msgstr "" + +#: dcc.cpp:234 +msgctxt "list-type" +msgid "Getting" +msgstr "" + +#: dcc.cpp:239 +msgctxt "list-state" +msgid "Waiting" +msgstr "" + +#: dcc.cpp:244 +msgid "{1} KiB/s" +msgstr "" + +#: dcc.cpp:250 +msgid "You have no active DCC transfers." +msgstr "" + +#: dcc.cpp:267 +msgid "Attempting to resume send from position {1} of file [{2}] for [{3}]" +msgstr "" + +#: dcc.cpp:277 +msgid "Couldn't resume file [{1}] for [{2}]: not sending anything." +msgstr "" + +#: dcc.cpp:286 +msgid "Bad DCC file: {1}" +msgstr "" + +#: dcc.cpp:341 +msgid "Sending [{1}] to [{2}]: File not open!" +msgstr "" + +#: dcc.cpp:345 +msgid "Receiving [{1}] from [{2}]: File not open!" +msgstr "" + +#: dcc.cpp:385 +msgid "Sending [{1}] to [{2}]: Connection refused." +msgstr "" + +#: dcc.cpp:389 +msgid "Receiving [{1}] from [{2}]: Connection refused." +msgstr "" + +#: dcc.cpp:397 +msgid "Sending [{1}] to [{2}]: Timeout." +msgstr "" + +#: dcc.cpp:401 +msgid "Receiving [{1}] from [{2}]: Timeout." +msgstr "" + +#: dcc.cpp:411 +msgid "Sending [{1}] to [{2}]: Socket error {3}: {4}" +msgstr "" + +#: dcc.cpp:415 +msgid "Receiving [{1}] from [{2}]: Socket error {3}: {4}" +msgstr "" + +#: dcc.cpp:423 +msgid "Sending [{1}] to [{2}]: Transfer started." +msgstr "" + +#: dcc.cpp:427 +msgid "Receiving [{1}] from [{2}]: Transfer started." +msgstr "" + +#: dcc.cpp:446 +msgid "Sending [{1}] to [{2}]: Too much data!" +msgstr "" + +#: dcc.cpp:450 +msgid "Receiving [{1}] from [{2}]: Too much data!" +msgstr "" + +#: dcc.cpp:456 +msgid "Sending [{1}] to [{2}] completed at {3} KiB/s" +msgstr "" + +#: dcc.cpp:461 +msgid "Receiving [{1}] from [{2}] completed at {3} KiB/s" +msgstr "" + +#: dcc.cpp:474 +msgid "Sending [{1}] to [{2}]: File closed prematurely." +msgstr "" + +#: dcc.cpp:478 +msgid "Receiving [{1}] from [{2}]: File closed prematurely." +msgstr "" + +#: dcc.cpp:501 +msgid "Sending [{1}] to [{2}]: Error reading from file." +msgstr "" + +#: dcc.cpp:505 +msgid "Receiving [{1}] from [{2}]: Error reading from file." +msgstr "" + +#: dcc.cpp:537 +msgid "Sending [{1}] to [{2}]: Unable to open file." +msgstr "" + +#: dcc.cpp:541 +msgid "Receiving [{1}] from [{2}]: Unable to open file." +msgstr "" + +#: dcc.cpp:563 +msgid "Receiving [{1}] from [{2}]: Could not open file." +msgstr "" + +#: dcc.cpp:572 +msgid "Sending [{1}] to [{2}]: Not a file." +msgstr "" + +#: dcc.cpp:581 +msgid "Sending [{1}] to [{2}]: Could not open file." +msgstr "" + +#: dcc.cpp:593 +msgid "Sending [{1}] to [{2}]: File too large (>4 GiB)." +msgstr "" + +#: dcc.cpp:623 +msgid "This module allows you to transfer files to and from ZNC" +msgstr "" diff --git a/modules/po/disconkick.pl_PL.po b/modules/po/disconkick.pl_PL.po new file mode 100644 index 00000000..23056a73 --- /dev/null +++ b/modules/po/disconkick.pl_PL.po @@ -0,0 +1,25 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /1.8.x/modules/po/disconkick.pot\n" +"X-Crowdin-File-ID: 342\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: disconkick.cpp:32 +msgid "You have been disconnected from the IRC server" +msgstr "" + +#: disconkick.cpp:45 +msgid "" +"Kicks the client from all channels when the connection to the IRC server is " +"lost" +msgstr "" diff --git a/modules/po/fail2ban.pl_PL.po b/modules/po/fail2ban.pl_PL.po new file mode 100644 index 00000000..cff0aebd --- /dev/null +++ b/modules/po/fail2ban.pl_PL.po @@ -0,0 +1,119 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /1.8.x/modules/po/fail2ban.pot\n" +"X-Crowdin-File-ID: 344\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: fail2ban.cpp:25 +msgid "[minutes]" +msgstr "" + +#: fail2ban.cpp:26 +msgid "The number of minutes IPs are blocked after a failed login." +msgstr "" + +#: fail2ban.cpp:28 +msgid "[count]" +msgstr "" + +#: fail2ban.cpp:29 +msgid "The number of allowed failed login attempts." +msgstr "" + +#: fail2ban.cpp:31 fail2ban.cpp:33 +msgid "" +msgstr "" + +#: fail2ban.cpp:31 +msgid "Ban the specified hosts." +msgstr "" + +#: fail2ban.cpp:33 +msgid "Unban the specified hosts." +msgstr "" + +#: fail2ban.cpp:35 +msgid "List banned hosts." +msgstr "" + +#: fail2ban.cpp:55 +msgid "" +"Invalid argument, must be the number of minutes IPs are blocked after a " +"failed login and can be followed by number of allowed failed login attempts" +msgstr "" + +#: fail2ban.cpp:77 fail2ban.cpp:100 fail2ban.cpp:123 fail2ban.cpp:146 +#: fail2ban.cpp:172 +msgid "Access denied" +msgstr "" + +#: fail2ban.cpp:86 +msgid "Usage: Timeout [minutes]" +msgstr "" + +#: fail2ban.cpp:91 fail2ban.cpp:94 +msgid "Timeout: {1} min" +msgstr "" + +#: fail2ban.cpp:109 +msgid "Usage: Attempts [count]" +msgstr "" + +#: fail2ban.cpp:114 fail2ban.cpp:117 +msgid "Attempts: {1}" +msgstr "" + +#: fail2ban.cpp:130 +msgid "Usage: Ban " +msgstr "" + +#: fail2ban.cpp:140 +msgid "Banned: {1}" +msgstr "" + +#: fail2ban.cpp:153 +msgid "Usage: Unban " +msgstr "" + +#: fail2ban.cpp:163 +msgid "Unbanned: {1}" +msgstr "" + +#: fail2ban.cpp:165 +msgid "Ignored: {1}" +msgstr "" + +#: fail2ban.cpp:177 fail2ban.cpp:183 +msgctxt "list" +msgid "Host" +msgstr "" + +#: fail2ban.cpp:178 fail2ban.cpp:184 +msgctxt "list" +msgid "Attempts" +msgstr "" + +#: fail2ban.cpp:188 +msgctxt "list" +msgid "No bans" +msgstr "" + +#: fail2ban.cpp:245 +msgid "" +"You might enter the time in minutes for the IP banning and the number of " +"failed logins before any action is taken." +msgstr "" + +#: fail2ban.cpp:250 +msgid "Block IPs for some time after a failed login." +msgstr "" diff --git a/modules/po/flooddetach.pl_PL.po b/modules/po/flooddetach.pl_PL.po new file mode 100644 index 00000000..8c2706ee --- /dev/null +++ b/modules/po/flooddetach.pl_PL.po @@ -0,0 +1,97 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /1.8.x/modules/po/flooddetach.pot\n" +"X-Crowdin-File-ID: 346\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: flooddetach.cpp:30 +msgid "Show current limits" +msgstr "" + +#: flooddetach.cpp:32 flooddetach.cpp:35 +msgid "[]" +msgstr "" + +#: flooddetach.cpp:33 +msgid "Show or set number of seconds in the time interval" +msgstr "" + +#: flooddetach.cpp:36 +msgid "Show or set number of lines in the time interval" +msgstr "" + +#: flooddetach.cpp:39 +msgid "Show or set whether to notify you about detaching and attaching back" +msgstr "" + +#: flooddetach.cpp:93 +msgid "Flood in {1} is over, reattaching..." +msgstr "" + +#: flooddetach.cpp:150 +msgid "Channel {1} was flooded, you've been detached" +msgstr "" + +#: flooddetach.cpp:187 +msgid "1 line" +msgid_plural "{1} lines" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" + +#: flooddetach.cpp:188 +msgid "every second" +msgid_plural "every {1} seconds" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" + +#: flooddetach.cpp:190 +msgid "Current limit is {1} {2}" +msgstr "" + +#: flooddetach.cpp:197 +msgid "Seconds limit is {1}" +msgstr "" + +#: flooddetach.cpp:202 +msgid "Set seconds limit to {1}" +msgstr "" + +#: flooddetach.cpp:211 +msgid "Lines limit is {1}" +msgstr "" + +#: flooddetach.cpp:216 +msgid "Set lines limit to {1}" +msgstr "" + +#: flooddetach.cpp:229 +msgid "Module messages are disabled" +msgstr "" + +#: flooddetach.cpp:231 +msgid "Module messages are enabled" +msgstr "" + +#: flooddetach.cpp:247 +msgid "" +"This user module takes up to two arguments. Arguments are numbers of " +"messages and seconds." +msgstr "" + +#: flooddetach.cpp:251 +msgid "Detach channels when flooded" +msgstr "" diff --git a/modules/po/identfile.pl_PL.po b/modules/po/identfile.pl_PL.po new file mode 100644 index 00000000..fc481d40 --- /dev/null +++ b/modules/po/identfile.pl_PL.po @@ -0,0 +1,85 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /1.8.x/modules/po/identfile.pot\n" +"X-Crowdin-File-ID: 348\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: identfile.cpp:30 +msgid "Show file name" +msgstr "" + +#: identfile.cpp:32 +msgid "" +msgstr "" + +#: identfile.cpp:32 +msgid "Set file name" +msgstr "" + +#: identfile.cpp:34 +msgid "Show file format" +msgstr "" + +#: identfile.cpp:36 +msgid "" +msgstr "" + +#: identfile.cpp:36 +msgid "Set file format" +msgstr "" + +#: identfile.cpp:38 +msgid "Show current state" +msgstr "" + +#: identfile.cpp:48 +msgid "File is set to: {1}" +msgstr "" + +#: identfile.cpp:53 +msgid "File has been set to: {1}" +msgstr "" + +#: identfile.cpp:58 +msgid "Format has been set to: {1}" +msgstr "" + +#: identfile.cpp:59 identfile.cpp:65 +msgid "Format would be expanded to: {1}" +msgstr "" + +#: identfile.cpp:64 +msgid "Format is set to: {1}" +msgstr "" + +#: identfile.cpp:78 +msgid "identfile is free" +msgstr "" + +#: identfile.cpp:86 +msgid "Access denied" +msgstr "" + +#: identfile.cpp:181 +msgid "" +"Aborting connection, another user or network is currently connecting and " +"using the ident spoof file" +msgstr "" + +#: identfile.cpp:189 +msgid "[{1}] could not be written, retrying..." +msgstr "" + +#: identfile.cpp:223 +msgid "Write the ident of a user to a file when they are trying to connect." +msgstr "" diff --git a/modules/po/imapauth.pl_PL.po b/modules/po/imapauth.pl_PL.po new file mode 100644 index 00000000..a5c997a8 --- /dev/null +++ b/modules/po/imapauth.pl_PL.po @@ -0,0 +1,23 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /1.8.x/modules/po/imapauth.pot\n" +"X-Crowdin-File-ID: 352\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: imapauth.cpp:168 +msgid "[ server [+]port [ UserFormatString ] ]" +msgstr "" + +#: imapauth.cpp:171 +msgid "Allow users to authenticate via IMAP." +msgstr "" diff --git a/modules/po/keepnick.pl_PL.po b/modules/po/keepnick.pl_PL.po new file mode 100644 index 00000000..e150afe3 --- /dev/null +++ b/modules/po/keepnick.pl_PL.po @@ -0,0 +1,55 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /1.8.x/modules/po/keepnick.pot\n" +"X-Crowdin-File-ID: 354\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: keepnick.cpp:39 +msgid "Try to get your primary nick" +msgstr "" + +#: keepnick.cpp:42 keepnick.cpp:196 +msgid "No longer trying to get your primary nick" +msgstr "" + +#: keepnick.cpp:44 +msgid "Show the current state" +msgstr "" + +#: keepnick.cpp:158 +msgid "ZNC is already trying to get this nickname" +msgstr "" + +#: keepnick.cpp:173 +msgid "Unable to obtain nick {1}: {2}, {3}" +msgstr "" + +#: keepnick.cpp:181 +msgid "Unable to obtain nick {1}" +msgstr "" + +#: keepnick.cpp:191 +msgid "Trying to get your primary nick" +msgstr "" + +#: keepnick.cpp:201 +msgid "Currently trying to get your primary nick" +msgstr "" + +#: keepnick.cpp:203 +msgid "Currently disabled, try 'enable'" +msgstr "" + +#: keepnick.cpp:224 +msgid "Keeps trying for your primary nick" +msgstr "" diff --git a/modules/po/kickrejoin.pl_PL.po b/modules/po/kickrejoin.pl_PL.po new file mode 100644 index 00000000..115018ce --- /dev/null +++ b/modules/po/kickrejoin.pl_PL.po @@ -0,0 +1,67 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /1.8.x/modules/po/kickrejoin.pot\n" +"X-Crowdin-File-ID: 356\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: kickrejoin.cpp:56 +msgid "" +msgstr "" + +#: kickrejoin.cpp:56 +msgid "Set the rejoin delay" +msgstr "" + +#: kickrejoin.cpp:58 +msgid "Show the rejoin delay" +msgstr "" + +#: kickrejoin.cpp:77 +msgid "Illegal argument, must be a positive number or 0" +msgstr "" + +#: kickrejoin.cpp:90 +msgid "Negative delays don't make any sense!" +msgstr "" + +#: kickrejoin.cpp:98 +msgid "Rejoin delay set to 1 second" +msgid_plural "Rejoin delay set to {1} seconds" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" + +#: kickrejoin.cpp:101 +msgid "Rejoin delay disabled" +msgstr "" + +#: kickrejoin.cpp:106 +msgid "Rejoin delay is set to 1 second" +msgid_plural "Rejoin delay is set to {1} seconds" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" + +#: kickrejoin.cpp:109 +msgid "Rejoin delay is disabled" +msgstr "" + +#: kickrejoin.cpp:131 +msgid "You might enter the number of seconds to wait before rejoining." +msgstr "" + +#: kickrejoin.cpp:134 +msgid "Autorejoins on kick" +msgstr "" diff --git a/modules/po/lastseen.pl_PL.po b/modules/po/lastseen.pl_PL.po new file mode 100644 index 00000000..8c549e80 --- /dev/null +++ b/modules/po/lastseen.pl_PL.po @@ -0,0 +1,69 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /1.8.x/modules/po/lastseen.pot\n" +"X-Crowdin-File-ID: 358\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: modules/po/../data/lastseen/tmpl/index.tmpl:8 +msgid "User" +msgstr "" + +#: modules/po/../data/lastseen/tmpl/index.tmpl:9 lastseen.cpp:99 +msgid "Last Seen" +msgstr "" + +#: modules/po/../data/lastseen/tmpl/index.tmpl:10 +msgid "Info" +msgstr "" + +#: modules/po/../data/lastseen/tmpl/index.tmpl:11 +msgid "Action" +msgstr "" + +#: modules/po/../data/lastseen/tmpl/index.tmpl:21 +msgid "Edit" +msgstr "" + +#: modules/po/../data/lastseen/tmpl/index.tmpl:22 +msgid "Delete" +msgstr "" + +#: modules/po/../data/lastseen/tmpl/lastseen_WebadminUser.tmpl:6 +msgid "Last login time:" +msgstr "" + +#: lastseen.cpp:53 +msgid "Access denied" +msgstr "" + +#: lastseen.cpp:61 lastseen.cpp:67 +msgctxt "show" +msgid "User" +msgstr "" + +#: lastseen.cpp:62 lastseen.cpp:68 +msgctxt "show" +msgid "Last Seen" +msgstr "" + +#: lastseen.cpp:69 lastseen.cpp:125 +msgid "never" +msgstr "" + +#: lastseen.cpp:79 +msgid "Shows list of users and when they last logged in" +msgstr "" + +#: lastseen.cpp:154 +msgid "Collects data about when a user last logged in." +msgstr "" diff --git a/modules/po/listsockets.pl_PL.po b/modules/po/listsockets.pl_PL.po new file mode 100644 index 00000000..bffbe1aa --- /dev/null +++ b/modules/po/listsockets.pl_PL.po @@ -0,0 +1,115 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /1.8.x/modules/po/listsockets.pot\n" +"X-Crowdin-File-ID: 360\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:7 listsockets.cpp:213 +#: listsockets.cpp:229 +msgid "Name" +msgstr "" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:8 listsockets.cpp:214 +#: listsockets.cpp:230 +msgid "Created" +msgstr "" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:9 listsockets.cpp:215 +#: listsockets.cpp:231 +msgid "State" +msgstr "" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:10 listsockets.cpp:217 +#: listsockets.cpp:234 +msgid "SSL" +msgstr "" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:11 listsockets.cpp:219 +#: listsockets.cpp:239 +msgid "Local" +msgstr "" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:12 listsockets.cpp:220 +#: listsockets.cpp:241 +msgid "Remote" +msgstr "" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:13 +msgid "Data In" +msgstr "" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:14 +msgid "Data Out" +msgstr "" + +#: listsockets.cpp:62 +msgid "[-n]" +msgstr "" + +#: listsockets.cpp:62 +msgid "Shows the list of active sockets. Pass -n to show IP addresses" +msgstr "" + +#: listsockets.cpp:70 +msgid "You must be admin to use this module" +msgstr "" + +#: listsockets.cpp:95 +msgid "List sockets" +msgstr "" + +#: listsockets.cpp:115 listsockets.cpp:235 +msgctxt "ssl" +msgid "Yes" +msgstr "" + +#: listsockets.cpp:115 listsockets.cpp:236 +msgctxt "ssl" +msgid "No" +msgstr "" + +#: listsockets.cpp:141 +msgid "Listener" +msgstr "" + +#: listsockets.cpp:143 +msgid "Inbound" +msgstr "" + +#: listsockets.cpp:146 +msgid "Outbound" +msgstr "" + +#: listsockets.cpp:148 +msgid "Connecting" +msgstr "" + +#: listsockets.cpp:151 +msgid "UNKNOWN" +msgstr "" + +#: listsockets.cpp:206 +msgid "You have no open sockets." +msgstr "" + +#: listsockets.cpp:221 listsockets.cpp:243 +msgid "In" +msgstr "" + +#: listsockets.cpp:222 listsockets.cpp:245 +msgid "Out" +msgstr "" + +#: listsockets.cpp:261 +msgid "Lists active sockets" +msgstr "" diff --git a/modules/po/log.pl_PL.po b/modules/po/log.pl_PL.po new file mode 100644 index 00000000..1049cf39 --- /dev/null +++ b/modules/po/log.pl_PL.po @@ -0,0 +1,152 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /1.8.x/modules/po/log.pot\n" +"X-Crowdin-File-ID: 314\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: log.cpp:59 +msgid "" +msgstr "" + +#: log.cpp:60 +msgid "Set logging rules, use !#chan or !query to negate and * " +msgstr "" + +#: log.cpp:62 +msgid "Clear all logging rules" +msgstr "" + +#: log.cpp:64 +msgid "List all logging rules" +msgstr "" + +#: log.cpp:67 +msgid " true|false" +msgstr "" + +#: log.cpp:68 +msgid "Set one of the following options: joins, quits, nickchanges" +msgstr "" + +#: log.cpp:71 +msgid "Show current settings set by Set command" +msgstr "" + +#: log.cpp:143 +msgid "Usage: SetRules " +msgstr "" + +#: log.cpp:144 +msgid "Wildcards are allowed" +msgstr "" + +#: log.cpp:156 log.cpp:179 +msgid "No logging rules. Everything is logged." +msgstr "" + +#: log.cpp:161 +msgid "1 rule removed: {2}" +msgid_plural "{1} rules removed: {2}" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" + +#: log.cpp:168 log.cpp:174 +msgctxt "listrules" +msgid "Rule" +msgstr "" + +#: log.cpp:169 log.cpp:175 +msgctxt "listrules" +msgid "Logging enabled" +msgstr "" + +#: log.cpp:190 +msgid "" +"Usage: Set true|false, where is one of: joins, quits, nickchanges" +msgstr "" + +#: log.cpp:197 +msgid "Will log joins" +msgstr "" + +#: log.cpp:197 +msgid "Will not log joins" +msgstr "" + +#: log.cpp:198 +msgid "Will log quits" +msgstr "" + +#: log.cpp:198 +msgid "Will not log quits" +msgstr "" + +#: log.cpp:200 +msgid "Will log nick changes" +msgstr "" + +#: log.cpp:200 +msgid "Will not log nick changes" +msgstr "" + +#: log.cpp:204 +msgid "Unknown variable. Known variables: joins, quits, nickchanges" +msgstr "" + +#: log.cpp:212 +msgid "Logging joins" +msgstr "" + +#: log.cpp:212 +msgid "Not logging joins" +msgstr "" + +#: log.cpp:213 +msgid "Logging quits" +msgstr "" + +#: log.cpp:213 +msgid "Not logging quits" +msgstr "" + +#: log.cpp:214 +msgid "Logging nick changes" +msgstr "" + +#: log.cpp:215 +msgid "Not logging nick changes" +msgstr "" + +#: log.cpp:352 +msgid "" +"Invalid args [{1}]. Only one log path allowed. Check that there are no " +"spaces in the path." +msgstr "" + +#: log.cpp:402 +msgid "Invalid log path [{1}]" +msgstr "" + +#: log.cpp:405 +msgid "Logging to [{1}]. Using timestamp format '{2}'" +msgstr "" + +#: log.cpp:560 +msgid "[-sanitize] Optional path where to store logs." +msgstr "" + +#: log.cpp:564 +msgid "Writes IRC logs." +msgstr "" diff --git a/modules/po/missingmotd.pl_PL.po b/modules/po/missingmotd.pl_PL.po new file mode 100644 index 00000000..4a3f33f2 --- /dev/null +++ b/modules/po/missingmotd.pl_PL.po @@ -0,0 +1,19 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /1.8.x/modules/po/missingmotd.pot\n" +"X-Crowdin-File-ID: 362\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: missingmotd.cpp:36 +msgid "Sends 422 to clients when they login" +msgstr "" diff --git a/modules/po/modperl.pl_PL.po b/modules/po/modperl.pl_PL.po new file mode 100644 index 00000000..fcfb4460 --- /dev/null +++ b/modules/po/modperl.pl_PL.po @@ -0,0 +1,19 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /1.8.x/modules/po/modperl.pot\n" +"X-Crowdin-File-ID: 340\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: modperl.cpp:382 +msgid "Loads perl scripts as ZNC modules" +msgstr "" diff --git a/modules/po/modpython.pl_PL.po b/modules/po/modpython.pl_PL.po new file mode 100644 index 00000000..186875eb --- /dev/null +++ b/modules/po/modpython.pl_PL.po @@ -0,0 +1,19 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /1.8.x/modules/po/modpython.pot\n" +"X-Crowdin-File-ID: 364\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: modpython.cpp:512 +msgid "Loads python scripts as ZNC modules" +msgstr "" diff --git a/modules/po/modules_online.pl_PL.po b/modules/po/modules_online.pl_PL.po new file mode 100644 index 00000000..7268a2c4 --- /dev/null +++ b/modules/po/modules_online.pl_PL.po @@ -0,0 +1,19 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /1.8.x/modules/po/modules_online.pot\n" +"X-Crowdin-File-ID: 366\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: modules_online.cpp:117 +msgid "Makes ZNC's *modules to be \"online\"." +msgstr "" diff --git a/modules/po/nickserv.pl_PL.po b/modules/po/nickserv.pl_PL.po new file mode 100644 index 00000000..fb42b696 --- /dev/null +++ b/modules/po/nickserv.pl_PL.po @@ -0,0 +1,81 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /1.8.x/modules/po/nickserv.pot\n" +"X-Crowdin-File-ID: 368\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: nickserv.cpp:31 +msgid "Password set" +msgstr "" + +#: nickserv.cpp:36 nickserv.cpp:46 +msgid "Done" +msgstr "" + +#: nickserv.cpp:41 +msgid "NickServ name set" +msgstr "" + +#: nickserv.cpp:60 +msgid "No such editable command. See ViewCommands for list." +msgstr "" + +#: nickserv.cpp:63 +msgid "Ok" +msgstr "" + +#: nickserv.cpp:68 +msgid "password" +msgstr "" + +#: nickserv.cpp:68 +msgid "Set your nickserv password" +msgstr "" + +#: nickserv.cpp:70 +msgid "Clear your nickserv password" +msgstr "" + +#: nickserv.cpp:72 +msgid "nickname" +msgstr "" + +#: nickserv.cpp:73 +msgid "" +"Set NickServ name (Useful on networks like EpiKnet, where NickServ is named " +"Themis" +msgstr "" + +#: nickserv.cpp:77 +msgid "Reset NickServ name to default (NickServ)" +msgstr "" + +#: nickserv.cpp:81 +msgid "Show patterns for lines, which are being sent to NickServ" +msgstr "" + +#: nickserv.cpp:83 +msgid "cmd new-pattern" +msgstr "" + +#: nickserv.cpp:84 +msgid "Set pattern for commands" +msgstr "" + +#: nickserv.cpp:146 +msgid "Please enter your nickserv password." +msgstr "" + +#: nickserv.cpp:150 +msgid "Auths you with NickServ (prefer SASL module instead)" +msgstr "" diff --git a/modules/po/notes.pl_PL.po b/modules/po/notes.pl_PL.po new file mode 100644 index 00000000..7349fd40 --- /dev/null +++ b/modules/po/notes.pl_PL.po @@ -0,0 +1,121 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /1.8.x/modules/po/notes.pot\n" +"X-Crowdin-File-ID: 350\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: modules/po/../data/notes/tmpl/index.tmpl:7 +msgid "Add A Note" +msgstr "" + +#: modules/po/../data/notes/tmpl/index.tmpl:11 +msgid "Key:" +msgstr "" + +#: modules/po/../data/notes/tmpl/index.tmpl:15 +msgid "Note:" +msgstr "" + +#: modules/po/../data/notes/tmpl/index.tmpl:19 +msgid "Add Note" +msgstr "" + +#: modules/po/../data/notes/tmpl/index.tmpl:27 +msgid "You have no notes to display." +msgstr "" + +#: modules/po/../data/notes/tmpl/index.tmpl:34 notes.cpp:164 notes.cpp:170 +msgid "Key" +msgstr "" + +#: modules/po/../data/notes/tmpl/index.tmpl:35 notes.cpp:165 notes.cpp:171 +msgid "Note" +msgstr "" + +#: modules/po/../data/notes/tmpl/index.tmpl:41 +msgid "[del]" +msgstr "" + +#: notes.cpp:32 +msgid "That note already exists. Use MOD to overwrite." +msgstr "" + +#: notes.cpp:35 notes.cpp:137 +msgid "Added note {1}" +msgstr "" + +#: notes.cpp:37 notes.cpp:48 notes.cpp:142 +msgid "Unable to add note {1}" +msgstr "" + +#: notes.cpp:46 notes.cpp:139 +msgid "Set note for {1}" +msgstr "" + +#: notes.cpp:56 +msgid "This note doesn't exist." +msgstr "" + +#: notes.cpp:66 notes.cpp:116 +msgid "Deleted note {1}" +msgstr "" + +#: notes.cpp:68 notes.cpp:118 +msgid "Unable to delete note {1}" +msgstr "" + +#: notes.cpp:75 +msgid "List notes" +msgstr "" + +#: notes.cpp:77 notes.cpp:81 +msgid " " +msgstr "" + +#: notes.cpp:77 +msgid "Add a note" +msgstr "" + +#: notes.cpp:79 notes.cpp:83 +msgid "" +msgstr "" + +#: notes.cpp:79 +msgid "Delete a note" +msgstr "" + +#: notes.cpp:81 +msgid "Modify a note" +msgstr "" + +#: notes.cpp:94 +msgid "Notes" +msgstr "" + +#: notes.cpp:133 +msgid "That note already exists. Use /#+ to overwrite." +msgstr "" + +#: notes.cpp:186 notes.cpp:188 +msgid "You have no entries." +msgstr "" + +#: notes.cpp:224 +msgid "" +"This user module takes up to one arguments. It can be -disableNotesOnLogin " +"not to show notes upon client login" +msgstr "" + +#: notes.cpp:228 +msgid "Keep and replay notes" +msgstr "" diff --git a/modules/po/notify_connect.pl_PL.po b/modules/po/notify_connect.pl_PL.po new file mode 100644 index 00000000..f3b83697 --- /dev/null +++ b/modules/po/notify_connect.pl_PL.po @@ -0,0 +1,31 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /1.8.x/modules/po/notify_connect.pot\n" +"X-Crowdin-File-ID: 370\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: notify_connect.cpp:24 +msgid "attached" +msgstr "" + +#: notify_connect.cpp:26 +msgid "detached" +msgstr "" + +#: notify_connect.cpp:41 +msgid "{1} {2} from {3}" +msgstr "" + +#: notify_connect.cpp:52 +msgid "Notifies all admin users when a client connects or disconnects." +msgstr "" diff --git a/modules/po/perform.pl_PL.po b/modules/po/perform.pl_PL.po new file mode 100644 index 00000000..46348b56 --- /dev/null +++ b/modules/po/perform.pl_PL.po @@ -0,0 +1,110 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /1.8.x/modules/po/perform.pot\n" +"X-Crowdin-File-ID: 372\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: modules/po/../data/perform/tmpl/index.tmpl:7 perform.cpp:143 +msgid "Perform" +msgstr "" + +#: modules/po/../data/perform/tmpl/index.tmpl:11 +msgid "Perform commands:" +msgstr "" + +#: modules/po/../data/perform/tmpl/index.tmpl:15 +msgid "Commands sent to the IRC server on connect, one per line." +msgstr "" + +#: modules/po/../data/perform/tmpl/index.tmpl:18 +msgid "Save" +msgstr "" + +#: perform.cpp:24 +msgid "Usage: add " +msgstr "" + +#: perform.cpp:29 +msgid "Added!" +msgstr "" + +#: perform.cpp:37 perform.cpp:82 +msgid "Illegal # Requested" +msgstr "" + +#: perform.cpp:41 +msgid "Command Erased." +msgstr "" + +#: perform.cpp:50 perform.cpp:56 +msgctxt "list" +msgid "Id" +msgstr "" + +#: perform.cpp:51 perform.cpp:57 +msgctxt "list" +msgid "Perform" +msgstr "" + +#: perform.cpp:52 perform.cpp:62 +msgctxt "list" +msgid "Expanded" +msgstr "" + +#: perform.cpp:67 +msgid "No commands in your perform list." +msgstr "" + +#: perform.cpp:73 +msgid "perform commands sent" +msgstr "" + +#: perform.cpp:86 +msgid "Commands Swapped." +msgstr "" + +#: perform.cpp:95 +msgid "" +msgstr "" + +#: perform.cpp:96 +msgid "Adds perform command to be sent to the server on connect" +msgstr "" + +#: perform.cpp:98 +msgid "" +msgstr "" + +#: perform.cpp:98 +msgid "Delete a perform command" +msgstr "" + +#: perform.cpp:100 +msgid "List the perform commands" +msgstr "" + +#: perform.cpp:103 +msgid "Send the perform commands to the server now" +msgstr "" + +#: perform.cpp:105 +msgid " " +msgstr "" + +#: perform.cpp:106 +msgid "Swap two perform commands" +msgstr "" + +#: perform.cpp:192 +msgid "Keeps a list of commands to be executed when ZNC connects to IRC." +msgstr "" diff --git a/modules/po/perleval.pl_PL.po b/modules/po/perleval.pl_PL.po new file mode 100644 index 00000000..2601ed3a --- /dev/null +++ b/modules/po/perleval.pl_PL.po @@ -0,0 +1,33 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /1.8.x/modules/po/perleval.pot\n" +"X-Crowdin-File-ID: 374\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: perleval.pm:23 +msgid "Evaluates perl code" +msgstr "" + +#: perleval.pm:33 +msgid "Only admin can load this module" +msgstr "" + +#: perleval.pm:44 +#, perl-format +msgid "Error: %s" +msgstr "" + +#: perleval.pm:46 +#, perl-format +msgid "Result: %s" +msgstr "" diff --git a/modules/po/pyeval.pl_PL.po b/modules/po/pyeval.pl_PL.po new file mode 100644 index 00000000..7babdb95 --- /dev/null +++ b/modules/po/pyeval.pl_PL.po @@ -0,0 +1,23 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /1.8.x/modules/po/pyeval.pot\n" +"X-Crowdin-File-ID: 376\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: pyeval.py:49 +msgid "You must have admin privileges to load this module." +msgstr "" + +#: pyeval.py:82 +msgid "Evaluates python code" +msgstr "" diff --git a/modules/po/raw.pl_PL.po b/modules/po/raw.pl_PL.po new file mode 100644 index 00000000..8dc651dd --- /dev/null +++ b/modules/po/raw.pl_PL.po @@ -0,0 +1,19 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /1.8.x/modules/po/raw.pot\n" +"X-Crowdin-File-ID: 320\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: raw.cpp:43 +msgid "View all of the raw traffic" +msgstr "" diff --git a/modules/po/route_replies.pl_PL.po b/modules/po/route_replies.pl_PL.po new file mode 100644 index 00000000..7a6d47ac --- /dev/null +++ b/modules/po/route_replies.pl_PL.po @@ -0,0 +1,61 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /1.8.x/modules/po/route_replies.pot\n" +"X-Crowdin-File-ID: 378\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: route_replies.cpp:215 +msgid "[yes|no]" +msgstr "" + +#: route_replies.cpp:216 +msgid "Decides whether to show the timeout messages or not" +msgstr "" + +#: route_replies.cpp:356 +msgid "This module hit a timeout which is probably a connectivity issue." +msgstr "" + +#: route_replies.cpp:359 +msgid "" +"However, if you can provide steps to reproduce this issue, please do report " +"a bug." +msgstr "" + +#: route_replies.cpp:362 +msgid "To disable this message, do \"/msg {1} silent yes\"" +msgstr "" + +#: route_replies.cpp:364 +msgid "Last request: {1}" +msgstr "" + +#: route_replies.cpp:365 +msgid "Expected replies:" +msgstr "" + +#: route_replies.cpp:369 +msgid "{1} (last)" +msgstr "" + +#: route_replies.cpp:441 +msgid "Timeout messages are disabled." +msgstr "" + +#: route_replies.cpp:442 +msgid "Timeout messages are enabled." +msgstr "" + +#: route_replies.cpp:463 +msgid "Send replies (e.g. to /who) to the right client only" +msgstr "" diff --git a/modules/po/sample.pl_PL.po b/modules/po/sample.pl_PL.po new file mode 100644 index 00000000..35b852c2 --- /dev/null +++ b/modules/po/sample.pl_PL.po @@ -0,0 +1,123 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /1.8.x/modules/po/sample.pot\n" +"X-Crowdin-File-ID: 380\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: sample.cpp:31 +msgid "Sample job cancelled" +msgstr "" + +#: sample.cpp:33 +msgid "Sample job destroyed" +msgstr "" + +#: sample.cpp:50 +msgid "Sample job done" +msgstr "" + +#: sample.cpp:65 +msgid "TEST!!!!" +msgstr "" + +#: sample.cpp:74 +msgid "I'm being loaded with the arguments: {1}" +msgstr "" + +#: sample.cpp:85 +msgid "I'm being unloaded!" +msgstr "" + +#: sample.cpp:94 +msgid "You got connected BoyOh." +msgstr "" + +#: sample.cpp:98 +msgid "You got disconnected BoyOh." +msgstr "" + +#: sample.cpp:116 +msgid "{1} {2} set mode on {3} {4}{5} {6}" +msgstr "" + +#: sample.cpp:123 +msgid "{1} {2} opped {3} on {4}" +msgstr "" + +#: sample.cpp:129 +msgid "{1} {2} deopped {3} on {4}" +msgstr "" + +#: sample.cpp:135 +msgid "{1} {2} voiced {3} on {4}" +msgstr "" + +#: sample.cpp:141 +msgid "{1} {2} devoiced {3} on {4}" +msgstr "" + +#: sample.cpp:147 +msgid "* {1} sets mode: {2} {3} on {4}" +msgstr "" + +#: sample.cpp:163 +msgid "{1} kicked {2} from {3} with the msg {4}" +msgstr "" + +#: sample.cpp:169 +msgid "* {1} ({2}@{3}) quits ({4}) from channel: {6}" +msgid_plural "* {1} ({2}@{3}) quits ({4}) from {5} channels: {6}" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" + +#: sample.cpp:177 +msgid "Attempting to join {1}" +msgstr "" + +#: sample.cpp:182 +msgid "* {1} ({2}@{3}) joins {4}" +msgstr "" + +#: sample.cpp:189 +msgid "* {1} ({2}@{3}) parts {4}" +msgstr "" + +#: sample.cpp:196 +msgid "{1} invited us to {2}, ignoring invites to {2}" +msgstr "" + +#: sample.cpp:201 +msgid "{1} invited us to {2}" +msgstr "" + +#: sample.cpp:207 +msgid "{1} is now known as {2}" +msgstr "" + +#: sample.cpp:269 sample.cpp:276 +msgid "{1} changes topic on {2} to {3}" +msgstr "" + +#: sample.cpp:317 +msgid "Hi, I'm your friendly sample module." +msgstr "" + +#: sample.cpp:330 +msgid "Description of module arguments goes here." +msgstr "" + +#: sample.cpp:333 +msgid "To be used as a sample for writing modules" +msgstr "" diff --git a/modules/po/samplewebapi.pl_PL.po b/modules/po/samplewebapi.pl_PL.po new file mode 100644 index 00000000..14519b6c --- /dev/null +++ b/modules/po/samplewebapi.pl_PL.po @@ -0,0 +1,19 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /1.8.x/modules/po/samplewebapi.pot\n" +"X-Crowdin-File-ID: 382\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: samplewebapi.cpp:59 +msgid "Sample Web API module." +msgstr "" diff --git a/modules/po/sasl.pl_PL.po b/modules/po/sasl.pl_PL.po new file mode 100644 index 00000000..a1ae675c --- /dev/null +++ b/modules/po/sasl.pl_PL.po @@ -0,0 +1,176 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /1.8.x/modules/po/sasl.pot\n" +"X-Crowdin-File-ID: 384\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:301 +msgid "SASL" +msgstr "SASL" + +#: modules/po/../data/sasl/tmpl/index.tmpl:11 +msgid "Username:" +msgstr "Nazwa użytkownika:" + +#: modules/po/../data/sasl/tmpl/index.tmpl:13 +msgid "Please enter a username." +msgstr "Proszę wpisać nazwę użytkownika." + +#: modules/po/../data/sasl/tmpl/index.tmpl:16 +msgid "Password:" +msgstr "Hasło:" + +#: modules/po/../data/sasl/tmpl/index.tmpl:18 +msgid "Please enter a password." +msgstr "Proszę wpisać hasło." + +#: modules/po/../data/sasl/tmpl/index.tmpl:22 +msgid "Options" +msgstr "Opcje" + +#: modules/po/../data/sasl/tmpl/index.tmpl:25 +msgid "Connect only if SASL authentication succeeds." +msgstr "Połącz tylko, jeśli uwierzytelnianie SASL powiedzie się." + +#: modules/po/../data/sasl/tmpl/index.tmpl:27 +msgid "Require authentication" +msgstr "Wymaga uwierzytelnienia" + +#: modules/po/../data/sasl/tmpl/index.tmpl:35 +msgid "Mechanisms" +msgstr "Mechanizm" + +#: modules/po/../data/sasl/tmpl/index.tmpl:42 +msgid "Name" +msgstr "Nazwa" + +#: modules/po/../data/sasl/tmpl/index.tmpl:43 sasl.cpp:89 sasl.cpp:95 +msgid "Description" +msgstr "Opis" + +#: modules/po/../data/sasl/tmpl/index.tmpl:57 +msgid "Selected mechanisms and their order:" +msgstr "Wybrane mechanizmy i ich kolejność:" + +#: modules/po/../data/sasl/tmpl/index.tmpl:74 +msgid "Save" +msgstr "Zapisz" + +#: sasl.cpp:54 +msgid "TLS certificate, for use with the *cert module" +msgstr "" + +#: sasl.cpp:56 +msgid "" +"Plain text negotiation, this should work always if the network supports SASL" +msgstr "" + +#: sasl.cpp:62 +msgid "search" +msgstr "" + +#: sasl.cpp:62 +msgid "Generate this output" +msgstr "Tworzy ten wynik" + +#: sasl.cpp:64 +msgid "[ []]" +msgstr "[ []]" + +#: sasl.cpp:65 +msgid "" +"Set username and password for the mechanisms that need them. Password is " +"optional. Without parameters, returns information about current settings." +msgstr "" + +#: sasl.cpp:69 +msgid "[mechanism[ ...]]" +msgstr "" + +#: sasl.cpp:70 +msgid "Set the mechanisms to be attempted (in order)" +msgstr "" + +#: sasl.cpp:72 +msgid "[yes|no]" +msgstr "[tak|nie]" + +#: sasl.cpp:73 +msgid "Don't connect unless SASL authentication succeeds" +msgstr "Nie łącz, dopóki uwierzytelnianie SASL nie powiedzie się" + +#: sasl.cpp:88 sasl.cpp:94 +msgid "Mechanism" +msgstr "Mechanizm" + +#: sasl.cpp:99 +msgid "The following mechanisms are available:" +msgstr "Następujące mechanizmy są dostępne:" + +#: sasl.cpp:109 +msgid "Username is currently not set" +msgstr "" + +#: sasl.cpp:111 +msgid "Username is currently set to '{1}'" +msgstr "" + +#: sasl.cpp:114 +msgid "Password was not supplied" +msgstr "" + +#: sasl.cpp:116 +msgid "Password was supplied" +msgstr "" + +#: sasl.cpp:124 +msgid "Username has been set to [{1}]" +msgstr "Nazwa użytkownika została ustawiona na [{1}]" + +#: sasl.cpp:125 +msgid "Password has been set to [{1}]" +msgstr "Hasło zostało ustawione na [{1}]" + +#: sasl.cpp:145 +msgid "Current mechanisms set: {1}" +msgstr "" + +#: sasl.cpp:154 +msgid "We require SASL negotiation to connect" +msgstr "" + +#: sasl.cpp:156 +msgid "We will connect even if SASL fails" +msgstr "" + +#: sasl.cpp:193 +msgid "Disabling network, we require authentication." +msgstr "" + +#: sasl.cpp:194 +msgid "Use 'RequireAuth no' to disable." +msgstr "" + +#: sasl.cpp:256 +msgid "{1} mechanism succeeded." +msgstr "" + +#: sasl.cpp:268 +msgid "{1} mechanism failed." +msgstr "" + +#: sasl.cpp:346 +msgid "" +"Adds support for sasl authentication capability to authenticate to an IRC " +"server" +msgstr "" diff --git a/modules/po/savebuff.pl_PL.po b/modules/po/savebuff.pl_PL.po new file mode 100644 index 00000000..7777fdcb --- /dev/null +++ b/modules/po/savebuff.pl_PL.po @@ -0,0 +1,64 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /1.8.x/modules/po/savebuff.pot\n" +"X-Crowdin-File-ID: 386\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: savebuff.cpp:65 +msgid "" +msgstr "" + +#: savebuff.cpp:65 +msgid "Sets the password" +msgstr "Ustawia hasło" + +#: savebuff.cpp:67 +msgid "" +msgstr "" + +#: savebuff.cpp:67 +msgid "Replays the buffer" +msgstr "Odtwarza bufor" + +#: savebuff.cpp:69 +msgid "Saves all buffers" +msgstr "Zapisuje wszystkie bufory" + +#: savebuff.cpp:221 +msgid "" +"Password is unset usually meaning the decryption failed. You can setpass to " +"the appropriate pass and things should start working, or setpass to a new " +"pass and save to reinstantiate" +msgstr "" + +#: savebuff.cpp:232 +msgid "Password set to [{1}]" +msgstr "Ustawiono hasło na [{1}]" + +#: savebuff.cpp:262 +msgid "Replayed {1}" +msgstr "Odtworzono {1}" + +#: savebuff.cpp:341 +msgid "Unable to decode Encrypted file {1}" +msgstr "Nie udało się rozszyfrować zaszyfrowanego pliku {1}" + +#: savebuff.cpp:358 +msgid "" +"This user module takes up to one arguments. Either --ask-pass or the " +"password itself (which may contain spaces) or nothing" +msgstr "" + +#: savebuff.cpp:363 +msgid "Stores channel and query buffers to disk, encrypted" +msgstr "Przechowuje bufory kanałów i rozmów na dysku, zaszyfrowane" diff --git a/modules/po/send_raw.pl_PL.po b/modules/po/send_raw.pl_PL.po new file mode 100644 index 00000000..0d604025 --- /dev/null +++ b/modules/po/send_raw.pl_PL.po @@ -0,0 +1,111 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /1.8.x/modules/po/send_raw.pot\n" +"X-Crowdin-File-ID: 388\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:9 +msgid "Send a raw IRC line" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:14 +msgid "User:" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:15 +msgid "To change user, click to Network selector" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:19 +msgid "User/Network:" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:32 +msgid "Send to:" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:34 +msgid "Client" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:35 +msgid "Server" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:40 +msgid "Line:" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:45 +msgid "Send" +msgstr "" + +#: send_raw.cpp:32 +msgid "Sent [{1}] to {2}/{3}" +msgstr "" + +#: send_raw.cpp:36 send_raw.cpp:56 +msgid "Network {1} not found for user {2}" +msgstr "" + +#: send_raw.cpp:40 send_raw.cpp:60 +msgid "User {1} not found" +msgstr "" + +#: send_raw.cpp:52 +msgid "Sent [{1}] to IRC server of {2}/{3}" +msgstr "" + +#: send_raw.cpp:75 +msgid "You must have admin privileges to load this module" +msgstr "" + +#: send_raw.cpp:82 +msgid "Send Raw" +msgstr "" + +#: send_raw.cpp:92 +msgid "User not found" +msgstr "" + +#: send_raw.cpp:99 +msgid "Network not found" +msgstr "" + +#: send_raw.cpp:116 +msgid "Line sent" +msgstr "" + +#: send_raw.cpp:140 send_raw.cpp:143 +msgid "[user] [network] [data to send]" +msgstr "" + +#: send_raw.cpp:141 +msgid "The data will be sent to the user's IRC client(s)" +msgstr "" + +#: send_raw.cpp:144 +msgid "The data will be sent to the IRC server the user is connected to" +msgstr "" + +#: send_raw.cpp:147 +msgid "[data to send]" +msgstr "" + +#: send_raw.cpp:148 +msgid "The data will be sent to your current client" +msgstr "" + +#: send_raw.cpp:159 +msgid "Lets you send some raw IRC lines as/to someone else" +msgstr "" diff --git a/modules/po/shell.pl_PL.po b/modules/po/shell.pl_PL.po new file mode 100644 index 00000000..a0eac1ec --- /dev/null +++ b/modules/po/shell.pl_PL.po @@ -0,0 +1,31 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /1.8.x/modules/po/shell.pot\n" +"X-Crowdin-File-ID: 390\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: shell.cpp:37 +msgid "Failed to execute: {1}" +msgstr "" + +#: shell.cpp:75 +msgid "You must be admin to use the shell module" +msgstr "" + +#: shell.cpp:169 +msgid "Gives shell access" +msgstr "" + +#: shell.cpp:172 +msgid "Gives shell access. Only ZNC admins can use it." +msgstr "" diff --git a/modules/po/simple_away.pl_PL.po b/modules/po/simple_away.pl_PL.po new file mode 100644 index 00000000..ef65712c --- /dev/null +++ b/modules/po/simple_away.pl_PL.po @@ -0,0 +1,98 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /1.8.x/modules/po/simple_away.pot\n" +"X-Crowdin-File-ID: 392\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: simple_away.cpp:56 +msgid "[]" +msgstr "" + +#: simple_away.cpp:57 +#, c-format +msgid "" +"Prints or sets the away reason (%awaytime% is replaced with the time you " +"were set away, supports substitutions using ExpandString)" +msgstr "" + +#: simple_away.cpp:63 +msgid "Prints the current time to wait before setting you away" +msgstr "" + +#: simple_away.cpp:65 +msgid "" +msgstr "" + +#: simple_away.cpp:66 +msgid "Sets the time to wait before setting you away" +msgstr "" + +#: simple_away.cpp:69 +msgid "Disables the wait time before setting you away" +msgstr "" + +#: simple_away.cpp:73 +msgid "Get or set the minimum number of clients before going away" +msgstr "" + +#: simple_away.cpp:136 +msgid "Away reason set" +msgstr "" + +#: simple_away.cpp:138 +msgid "Away reason: {1}" +msgstr "" + +#: simple_away.cpp:139 +msgid "Current away reason would be: {1}" +msgstr "" + +#: simple_away.cpp:144 +msgid "Current timer setting: 1 second" +msgid_plural "Current timer setting: {1} seconds" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" + +#: simple_away.cpp:153 simple_away.cpp:161 +msgid "Timer disabled" +msgstr "" + +#: simple_away.cpp:155 +msgid "Timer set to 1 second" +msgid_plural "Timer set to: {1} seconds" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" + +#: simple_away.cpp:166 +msgid "Current MinClients setting: {1}" +msgstr "" + +#: simple_away.cpp:169 +msgid "MinClients set to {1}" +msgstr "" + +#: simple_away.cpp:248 +msgid "" +"You might enter up to 3 arguments, like -notimer awaymessage or -timer 5 " +"awaymessage." +msgstr "" + +#: simple_away.cpp:253 +msgid "" +"This module will automatically set you away on IRC while you are " +"disconnected from the bouncer." +msgstr "" diff --git a/modules/po/stickychan.pl_PL.po b/modules/po/stickychan.pl_PL.po new file mode 100644 index 00000000..27566585 --- /dev/null +++ b/modules/po/stickychan.pl_PL.po @@ -0,0 +1,104 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /1.8.x/modules/po/stickychan.pot\n" +"X-Crowdin-File-ID: 394\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: modules/po/../data/stickychan/tmpl/index.tmpl:9 +msgid "Name" +msgstr "" + +#: modules/po/../data/stickychan/tmpl/index.tmpl:10 +msgid "Sticky" +msgstr "" + +#: modules/po/../data/stickychan/tmpl/index.tmpl:25 +msgid "Save" +msgstr "" + +#: modules/po/../data/stickychan/tmpl/stickychan_WebadminChan.tmpl:8 +msgid "Channel is sticky" +msgstr "" + +#: stickychan.cpp:28 +msgid "<#channel> [key]" +msgstr "" + +#: stickychan.cpp:28 +msgid "Sticks a channel" +msgstr "" + +#: stickychan.cpp:30 +msgid "<#channel>" +msgstr "" + +#: stickychan.cpp:30 +msgid "Unsticks a channel" +msgstr "" + +#: stickychan.cpp:32 +msgid "Lists sticky channels" +msgstr "" + +#: stickychan.cpp:75 +msgid "Usage: Stick <#channel> [key]" +msgstr "" + +#: stickychan.cpp:79 +msgid "Stuck {1}" +msgstr "" + +#: stickychan.cpp:85 +msgid "Usage: Unstick <#channel>" +msgstr "" + +#: stickychan.cpp:89 +msgid "Unstuck {1}" +msgstr "" + +#: stickychan.cpp:101 +msgid " -- End of List" +msgstr "" + +#: stickychan.cpp:115 +msgid "Could not join {1} (# prefix missing?)" +msgstr "" + +#: stickychan.cpp:128 +msgid "Sticky Channels" +msgstr "" + +#: stickychan.cpp:160 +msgid "Changes have been saved!" +msgstr "" + +#: stickychan.cpp:185 +msgid "Channel became sticky!" +msgstr "" + +#: stickychan.cpp:189 +msgid "Channel stopped being sticky!" +msgstr "" + +#: stickychan.cpp:209 +msgid "" +"Channel {1} cannot be joined, it is an illegal channel name. Unsticking." +msgstr "" + +#: stickychan.cpp:246 +msgid "List of channels, separated by comma." +msgstr "" + +#: stickychan.cpp:251 +msgid "configless sticky chans, keeps you there very stickily even" +msgstr "" diff --git a/modules/po/stripcontrols.pl_PL.po b/modules/po/stripcontrols.pl_PL.po new file mode 100644 index 00000000..e3dea064 --- /dev/null +++ b/modules/po/stripcontrols.pl_PL.po @@ -0,0 +1,20 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /1.8.x/modules/po/stripcontrols.pot\n" +"X-Crowdin-File-ID: 398\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: stripcontrols.cpp:63 +msgid "" +"Strips control codes (Colors, Bold, ..) from channel and private messages." +msgstr "" diff --git a/modules/po/watch.pl_PL.po b/modules/po/watch.pl_PL.po new file mode 100644 index 00000000..f34b611b --- /dev/null +++ b/modules/po/watch.pl_PL.po @@ -0,0 +1,195 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /1.8.x/modules/po/watch.pot\n" +"X-Crowdin-File-ID: 396\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: watch.cpp:178 +msgid " [Target] [Pattern]" +msgstr "" + +#: watch.cpp:178 +msgid "Used to add an entry to watch for." +msgstr "" + +#: watch.cpp:180 +msgid "List all entries being watched." +msgstr "" + +#: watch.cpp:182 +msgid "Dump a list of all current entries to be used later." +msgstr "" + +#: watch.cpp:184 +msgid "" +msgstr "" + +#: watch.cpp:184 +msgid "Deletes Id from the list of watched entries." +msgstr "" + +#: watch.cpp:186 +msgid "Delete all entries." +msgstr "" + +#: watch.cpp:188 watch.cpp:190 +msgid "" +msgstr "" + +#: watch.cpp:188 +msgid "Enable a disabled entry." +msgstr "" + +#: watch.cpp:190 +msgid "Disable (but don't delete) an entry." +msgstr "" + +#: watch.cpp:192 watch.cpp:194 +msgid " " +msgstr "" + +#: watch.cpp:192 +msgid "Enable or disable detached client only for an entry." +msgstr "" + +#: watch.cpp:194 +msgid "Enable or disable detached channel only for an entry." +msgstr "" + +#: watch.cpp:196 +msgid " [#chan priv #foo* !#bar]" +msgstr "" + +#: watch.cpp:196 +msgid "Set the source channels that you care about." +msgstr "" + +#: watch.cpp:237 +msgid "WARNING: malformed entry found while loading" +msgstr "" + +#: watch.cpp:382 +msgid "Disabled all entries." +msgstr "" + +#: watch.cpp:383 +msgid "Enabled all entries." +msgstr "" + +#: watch.cpp:390 watch.cpp:432 watch.cpp:474 watch.cpp:577 watch.cpp:619 +msgid "Invalid Id" +msgstr "" + +#: watch.cpp:399 +msgid "Id {1} disabled" +msgstr "" + +#: watch.cpp:401 +msgid "Id {1} enabled" +msgstr "" + +#: watch.cpp:423 +msgid "Set DetachedClientOnly for all entries to Yes" +msgstr "" + +#: watch.cpp:425 +msgid "Set DetachedClientOnly for all entries to No" +msgstr "" + +#: watch.cpp:441 watch.cpp:483 +msgid "Id {1} set to Yes" +msgstr "" + +#: watch.cpp:443 watch.cpp:485 +msgid "Id {1} set to No" +msgstr "" + +#: watch.cpp:465 +msgid "Set DetachedChannelOnly for all entries to Yes" +msgstr "" + +#: watch.cpp:467 +msgid "Set DetachedChannelOnly for all entries to No" +msgstr "" + +#: watch.cpp:491 watch.cpp:507 +msgid "Id" +msgstr "" + +#: watch.cpp:492 watch.cpp:508 +msgid "HostMask" +msgstr "" + +#: watch.cpp:493 watch.cpp:509 +msgid "Target" +msgstr "" + +#: watch.cpp:494 watch.cpp:510 +msgid "Pattern" +msgstr "" + +#: watch.cpp:495 watch.cpp:511 +msgid "Sources" +msgstr "" + +#: watch.cpp:496 watch.cpp:512 watch.cpp:513 +msgid "Off" +msgstr "" + +#: watch.cpp:497 watch.cpp:515 +msgid "DetachedClientOnly" +msgstr "" + +#: watch.cpp:498 watch.cpp:518 +msgid "DetachedChannelOnly" +msgstr "" + +#: watch.cpp:516 watch.cpp:519 +msgid "Yes" +msgstr "" + +#: watch.cpp:516 watch.cpp:519 +msgid "No" +msgstr "" + +#: watch.cpp:525 watch.cpp:531 +msgid "You have no entries." +msgstr "" + +#: watch.cpp:585 +msgid "Sources set for Id {1}." +msgstr "" + +#: watch.cpp:609 +msgid "All entries cleared." +msgstr "" + +#: watch.cpp:627 +msgid "Id {1} removed." +msgstr "" + +#: watch.cpp:646 +msgid "Entry for {1} already exists." +msgstr "" + +#: watch.cpp:654 +msgid "Adding entry: {1} watching for [{2}] -> {3}" +msgstr "" + +#: watch.cpp:660 +msgid "Watch: Not enough arguments. Try Help" +msgstr "" + +#: watch.cpp:702 +msgid "Copy activity from a specific user into a separate window" +msgstr "" diff --git a/modules/po/webadmin.pl_PL.po b/modules/po/webadmin.pl_PL.po new file mode 100644 index 00000000..3acaab1c --- /dev/null +++ b/modules/po/webadmin.pl_PL.po @@ -0,0 +1,1211 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /1.8.x/modules/po/webadmin.pot\n" +"X-Crowdin-File-ID: 400\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:12 +msgid "Channel Info" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:17 +msgid "Channel Name:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:19 +msgid "The channel name." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:24 +msgid "Key:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:26 +msgid "The password of the channel, if there is one." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:30 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:241 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:260 +msgid "Buffer Size:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:32 +msgid "The buffer count." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:36 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:235 +msgid "Default Modes:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:38 +msgid "The default modes of the channel." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:46 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:270 +msgid "Flags" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:51 +msgid "Save to config" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:67 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:282 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:410 +msgid "Module {1}" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:75 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:290 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:419 +msgid "Save and return" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:76 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:291 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:420 +msgid "Save and continue" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:78 +msgid "Add Channel and return" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:79 +msgid "Add Channel and continue" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:8 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:11 +msgid "<password>" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:11 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:12 +msgid "<network>" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:14 +msgid "" +"To connect to this network from your IRC client, you can set the server " +"password field as {1} or username field as {2}" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:24 +msgid "Network Info" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:25 +msgid "" +"Nick, AltNick, Ident, RealName, BindHost can be left empty to use the value " +"from the user." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:29 +msgid "Network Name:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:31 +msgid "The name of the IRC network." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:35 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:69 +msgid "Nickname:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:37 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:71 +msgid "Your nickname on IRC." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:40 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:74 +msgid "Alt. Nickname:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:42 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:76 +msgid "Your secondary nickname, if the first is not available on IRC." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:46 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:80 +msgid "Ident:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:48 +msgid "Your ident." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:51 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:91 +msgid "Realname:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:53 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:93 +msgid "Your real name." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:58 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:99 +msgid "BindHost:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:65 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:112 +msgid "Quit Message:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:67 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:114 +msgid "You may define a Message shown, when you quit IRC." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:71 +msgid "Active:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:73 +msgid "Connect to IRC & automatically re-connect" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:77 +msgid "Trust all certs:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:79 +msgid "" +"Disable certificate validation (takes precedence over TrustPKI). INSECURE!" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:83 +msgid "Automatically detect trusted certificates (Trust the PKI):" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:85 +msgid "" +"When disabled, manually whitelist all server fingerprints, even if the " +"certificate is valid" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:89 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:96 +msgid "Servers of this IRC network:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:93 +msgid "One server per line, “host [[+]port] [password]”, + means SSL" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:101 +msgid "Hostname" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:102 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:13 +msgid "Port" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:103 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:15 +msgid "SSL" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:104 +msgid "Password" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:116 +msgid "SHA-256 fingerprints of trusted SSL certificates of this IRC network:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:120 +msgid "" +"When these certificates are encountered, checks for hostname, expiration " +"date, CA are skipped" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:124 +msgid "Flood protection:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:127 +msgid "" +"You might enable the flood protection. This prevents “excess flood” errors, " +"which occur, when your IRC bot is command flooded or spammed. After changing " +"this, reconnect ZNC to server." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:130 +msgctxt "Flood Protection" +msgid "Enabled" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:134 +msgid "Flood protection rate:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:137 +msgid "" +"The number of seconds per line. After changing this, reconnect ZNC to server." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:140 +msgid "{1} seconds per line" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:144 +msgid "Flood protection burst:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:147 +msgid "" +"Defines the number of lines, which can be sent immediately. After changing " +"this, reconnect ZNC to server." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:150 +msgid "{1} lines can be sent immediately" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:154 +msgid "Channel join delay:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:157 +msgid "" +"Defines the delay in seconds, until channels are joined after getting " +"connected." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:160 +msgid "{1} seconds" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:165 +msgid "Character encoding used between ZNC and IRC server." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:166 +msgid "Server encoding:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:176 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:231 +msgid "Channels" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:178 +msgid "" +"You will be able to add + modify channels here after you created the network." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:185 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:129 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:354 +#: modules/po/../data/webadmin/tmpl/listusers.tmpl:15 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:72 +msgid "Add" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:187 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:430 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:237 +msgid "Save" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:188 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:228 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:131 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:174 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:176 +msgid "Name" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:189 +msgid "CurModes" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:190 +msgid "DefModes" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:191 +msgid "BufferSize" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:192 +msgid "Options" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:194 +msgid "← Add a channel (opens in same page)" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:204 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:146 +#: modules/po/../data/webadmin/tmpl/listusers.tmpl:27 +msgid "Edit" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:204 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:146 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:53 +msgid "Del" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:222 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:168 +msgid "Modules" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:229 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:175 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:177 +msgid "Arguments" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:230 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:176 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:178 +msgid "Description" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:231 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:177 +msgid "Loaded globally" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:232 +msgid "Loaded by user" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:293 +msgid "Add Network and return" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:294 +msgid "Add Network and continue" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:15 +msgid "Authentication" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:19 +msgid "Username:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:29 +msgid "Please enter a username." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:34 +msgid "Password:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:36 +msgid "Please enter a password." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:39 +msgid "Confirm password:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:41 +msgid "Please re-type the above password." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:44 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:151 +msgid "Auth Only Via Module:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:46 +msgid "" +"Allow user authentication by external modules only, disabling built-in " +"password authentication." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:50 +msgid "Allowed IPs:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:54 +msgid "" +"Leave empty to allow connections from all IPs.
Otherwise, one entry per " +"line, wildcards * and ? are available." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:62 +msgid "IRC Information" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:64 +msgid "" +"Nick, AltNick, Ident, RealName and QuitMsg can be left empty to use default " +"values." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:82 +msgid "The Ident is sent to server as username." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:85 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:102 +msgid "Status Prefix:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:87 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:104 +msgid "The prefix for the status and module queries." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:105 +msgid "DCCBindHost:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:122 +#: modules/po/../data/webadmin/tmpl/listusers.tmpl:17 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:39 +msgid "Networks" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:132 +#: modules/po/../data/webadmin/tmpl/listusers.tmpl:18 +msgid "Clients" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:133 +msgid "Current Server" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:134 +msgid "Nick" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:136 +msgid "← Add a network (opens in same page)" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:160 +msgid "" +"You will be able to add + modify networks here after you have cloned the " +"user." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:162 +msgid "" +"You will be able to add + modify networks here after you have created the " +"user." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:178 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:179 +msgid "Loaded by networks" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:237 +msgid "" +"These are the default modes ZNC will set when you join an empty channel." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:238 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:244 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:263 +msgid "Empty = use standard value" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:243 +msgid "" +"This is the amount of lines that the playback buffer will store for channels " +"before dropping off the oldest line. The buffers are stored in the memory by " +"default." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:251 +msgid "Queries" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:255 +msgid "Max Buffers:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:257 +msgid "Maximum number of query buffers. 0 is unlimited." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:262 +msgid "" +"This is the amount of lines that the playback buffer will store for queries " +"before dropping off the oldest line. The buffers are stored in the memory by " +"default." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:285 +msgid "ZNC Behavior" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:286 +msgid "" +"Any of the following text boxes can be left empty to use their default value." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:290 +msgid "Timestamp Format:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:292 +msgid "" +"The format for the timestamps used in buffers, for example [%H:%M:%S]. This " +"setting is ignored in new IRC clients, which use server-time. If your client " +"supports server-time, change timestamp format in client settings instead." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:295 +msgid "Timezone:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:298 +msgid "E.g. Europe/Berlin, or GMT-6" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:306 +msgid "Character encoding used between IRC client and ZNC." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:307 +msgid "Client encoding:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:312 +msgid "Join Tries:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:314 +msgid "" +"This defines how many times ZNC tries to join a channel, if the first join " +"failed, e.g. due to channel mode +i/+k or if you are banned." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:317 +msgid "Join speed:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:319 +msgid "" +"How many channels are joined in one JOIN command. 0 is unlimited (default). " +"Set to small positive value if you get disconnected with “Max SendQ Exceeded”" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:322 +msgid "Timeout before reconnect:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:324 +msgid "" +"How much time ZNC waits (in seconds) until it receives something from " +"network or declares the connection timeout. This happens after attempts to " +"ping the peer." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:327 +msgid "Max IRC Networks Number:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:329 +msgid "Maximum number of IRC networks allowed for this user." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:332 +msgid "Substitutions" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:334 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:342 +msgid "CTCP Replies:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:338 +msgid "One reply per line. Example: TIME Buy a watch!" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:339 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:355 +msgid "{1} are available" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:341 +msgid "Empty value means this CTCP request will be ignored" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:347 +msgid "Request" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:348 +msgid "Response" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:373 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:90 +msgid "Skin:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:377 +msgid "- Global -" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:379 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:94 +msgid "Default" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:383 +msgid "No other skins found" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:389 +msgid "Language:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:422 +msgid "Clone and return" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:423 +msgid "Clone and continue" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:425 +msgid "Create and return" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:426 +msgid "Create and continue" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:432 +#: modules/po/../data/webadmin/tmpl/listusers.tmpl:28 +msgid "Clone" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:434 +msgid "Create" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/del_network.tmpl:5 +msgid "Confirm Network Deletion" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/del_network.tmpl:9 +msgid "Are you sure you want to delete network “{2}” of user “{1}”?" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/del_network.tmpl:14 +#: modules/po/../data/webadmin/tmpl/del_user.tmpl:14 +msgid "Yes" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/del_network.tmpl:17 +#: modules/po/../data/webadmin/tmpl/del_user.tmpl:17 +msgid "No" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/del_user.tmpl:5 +msgid "Confirm User Deletion" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/del_user.tmpl:9 +msgid "Are you sure you want to delete user “{1}”?" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:6 +msgid "ZNC is compiled without encodings support. {1} is required for it." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:11 +msgid "Legacy mode is disabled by modpython." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:18 +msgid "Don't ensure any encoding at all (legacy mode, not recommended)" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:22 +msgid "Try to parse as UTF-8 and as {1}, send as UTF-8 (recommended)" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:26 +msgid "Try to parse as UTF-8 and as {1}, send as {1}" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:30 +msgid "Parse and send as {1} only" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:36 +msgid "E.g. UTF-8, or ISO-8859-15" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/index.tmpl:5 +msgid "Welcome to the ZNC webadmin module." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/index.tmpl:6 +msgid "" +"All changes you make will be in effect immediately after you submitted them." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/listusers.tmpl:16 +msgid "Username" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/listusers.tmpl:29 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:21 +msgid "Delete" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:6 +msgid "Listen Port(s)" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:14 +msgid "BindHost" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:16 +msgid "IPv4" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:17 +msgid "IPv6" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:18 +msgid "IRC" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:19 +msgid "HTTP" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:20 +msgid "URIPrefix" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:56 +msgid "" +"To delete port which you use to access webadmin itself, either connect to " +"webadmin via another port, or do it in IRC (/znc DelPort)" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:56 +msgid "Current" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:86 +msgid "Settings" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:105 +msgid "Default for new users only." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:110 +msgid "Maximum Buffer Size:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:112 +msgid "Sets the global Max Buffer Size a user can have." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:117 +msgid "Connect Delay:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:119 +msgid "" +"The time between connection attempts to IRC servers, in seconds. This " +"affects the connection between ZNC and the IRC server; not the connection " +"between your IRC client and ZNC." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:124 +msgid "Server Throttle:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:126 +msgid "" +"The minimal time between two connect attempts to the same hostname, in " +"seconds. Some servers refuse your connection if you reconnect too fast." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:131 +msgid "Anonymous Connection Limit per IP:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:133 +msgid "Limits the number of unidentified connections per IP." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:138 +msgid "Protect Web Sessions:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:140 +msgid "Disallow IP changing during each web session" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:145 +msgid "Hide ZNC Version:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:147 +msgid "Hide version number from non-ZNC users" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:153 +msgid "Allow user authentication by external modules only" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:158 +msgid "MOTD:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:162 +msgid "“Message of the Day”, sent to all ZNC users on connect." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:170 +msgid "Global Modules" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:180 +msgid "Loaded by users" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:7 +msgid "Information" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:13 +msgid "Uptime" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:18 +msgid "Total Users" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:22 +msgid "Total Networks" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:26 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:43 +msgid "Attached Networks" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:30 +msgid "Total Client Connections" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:34 +msgid "Total IRC Connections" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:47 +msgid "Client Connections" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:51 +msgid "IRC Connections" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:63 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:72 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:89 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:117 +msgid "Total" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:70 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:115 +msgctxt "Traffic" +msgid "In" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:71 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:116 +msgctxt "Traffic" +msgid "Out" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:77 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:104 +msgid "Users" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:106 +msgid "Traffic" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:113 +msgid "User" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:114 +msgid "Network" +msgstr "" + +#: webadmin.cpp:91 webadmin.cpp:1872 +msgid "Global Settings" +msgstr "" + +#: webadmin.cpp:93 +msgid "Your Settings" +msgstr "" + +#: webadmin.cpp:94 webadmin.cpp:1684 +msgid "Traffic Info" +msgstr "" + +#: webadmin.cpp:97 webadmin.cpp:1663 +msgid "Manage Users" +msgstr "" + +#: webadmin.cpp:188 +msgid "Invalid Submission [Username is required]" +msgstr "" + +#: webadmin.cpp:201 +msgid "Invalid Submission [Passwords do not match]" +msgstr "" + +#: webadmin.cpp:323 +msgid "Timeout can't be less than 30 seconds!" +msgstr "" + +#: webadmin.cpp:407 webadmin.cpp:435 webadmin.cpp:1182 webadmin.cpp:2057 +msgid "Unable to load module [{1}]: {2}" +msgstr "" + +#: webadmin.cpp:412 webadmin.cpp:440 +msgid "Unable to load module [{1}] with arguments [{2}]" +msgstr "" + +#: webadmin.cpp:521 webadmin.cpp:625 webadmin.cpp:650 webadmin.cpp:672 +#: webadmin.cpp:706 webadmin.cpp:1249 +msgid "No such user" +msgstr "" + +#: webadmin.cpp:534 webadmin.cpp:566 webadmin.cpp:595 webadmin.cpp:611 +msgid "No such user or network" +msgstr "" + +#: webadmin.cpp:576 +msgid "No such channel" +msgstr "" + +#: webadmin.cpp:642 +msgid "Please don't delete yourself, suicide is not the answer!" +msgstr "" + +#: webadmin.cpp:715 webadmin.cpp:972 webadmin.cpp:1314 +msgid "Edit User [{1}]" +msgstr "" + +#: webadmin.cpp:719 webadmin.cpp:906 +msgid "Edit Network [{1}]" +msgstr "" + +#: webadmin.cpp:729 +msgid "Edit Channel [{1}] of Network [{2}] of User [{3}]" +msgstr "" + +#: webadmin.cpp:736 +msgid "Edit Channel [{1}]" +msgstr "" + +#: webadmin.cpp:744 +msgid "Add Channel to Network [{1}] of User [{2}]" +msgstr "" + +#: webadmin.cpp:749 +msgid "Add Channel" +msgstr "" + +#: webadmin.cpp:756 webadmin.cpp:1510 +msgid "Auto Clear Chan Buffer" +msgstr "" + +#: webadmin.cpp:758 +msgid "Automatically Clear Channel Buffer After Playback" +msgstr "" + +#: webadmin.cpp:766 +msgid "Detached" +msgstr "" + +#: webadmin.cpp:773 +msgid "Enabled" +msgstr "" + +#: webadmin.cpp:797 +msgid "Channel name is a required argument" +msgstr "" + +#: webadmin.cpp:806 +msgid "Channel [{1}] already exists" +msgstr "" + +#: webadmin.cpp:813 +msgid "Could not add channel [{1}]" +msgstr "" + +#: webadmin.cpp:861 +msgid "Channel was added/modified, but config file was not written" +msgstr "" + +#: webadmin.cpp:888 +msgid "" +"Network number limit reached. Ask an admin to increase the limit for you, or " +"delete unneeded networks from Your Settings." +msgstr "" + +#: webadmin.cpp:903 +msgid "Edit Network [{1}] of User [{2}]" +msgstr "" + +#: webadmin.cpp:910 +msgid "Add Network for User [{1}]" +msgstr "" + +#: webadmin.cpp:911 +msgid "Add Network" +msgstr "" + +#: webadmin.cpp:1073 +msgid "Network name is a required argument" +msgstr "" + +#: webadmin.cpp:1189 webadmin.cpp:2064 +msgid "Unable to reload module [{1}]: {2}" +msgstr "" + +#: webadmin.cpp:1226 +msgid "Network was added/modified, but config file was not written" +msgstr "" + +#: webadmin.cpp:1255 +msgid "That network doesn't exist for this user" +msgstr "" + +#: webadmin.cpp:1272 +msgid "Network was deleted, but config file was not written" +msgstr "" + +#: webadmin.cpp:1286 +msgid "That channel doesn't exist for this network" +msgstr "" + +#: webadmin.cpp:1295 +msgid "Channel was deleted, but config file was not written" +msgstr "" + +#: webadmin.cpp:1323 +msgid "Clone User [{1}]" +msgstr "" + +#: webadmin.cpp:1512 +msgid "" +"Automatically Clear Channel Buffer After Playback (the default value for new " +"channels)" +msgstr "" + +#: webadmin.cpp:1522 +msgid "Multi Clients" +msgstr "" + +#: webadmin.cpp:1529 +msgid "Append Timestamps" +msgstr "" + +#: webadmin.cpp:1536 +msgid "Prepend Timestamps" +msgstr "" + +#: webadmin.cpp:1544 +msgid "Deny LoadMod" +msgstr "" + +#: webadmin.cpp:1551 +msgid "Admin (dangerous! may gain shell access)" +msgstr "" + +#: webadmin.cpp:1561 +msgid "Deny SetBindHost" +msgstr "" + +#: webadmin.cpp:1569 +msgid "Auto Clear Query Buffer" +msgstr "" + +#: webadmin.cpp:1571 +msgid "Automatically Clear Query Buffer After Playback" +msgstr "" + +#: webadmin.cpp:1595 +msgid "Invalid Submission: User {1} already exists" +msgstr "" + +#: webadmin.cpp:1617 webadmin.cpp:1628 +msgid "Invalid submission: {1}" +msgstr "" + +#: webadmin.cpp:1623 +msgid "User was added, but config file was not written" +msgstr "" + +#: webadmin.cpp:1634 +msgid "User was edited, but config file was not written" +msgstr "" + +#: webadmin.cpp:1792 +msgid "Choose either IPv4 or IPv6 or both." +msgstr "" + +#: webadmin.cpp:1809 +msgid "Choose either IRC or HTTP or both." +msgstr "" + +#: webadmin.cpp:1822 webadmin.cpp:1858 +msgid "Port was changed, but config file was not written" +msgstr "" + +#: webadmin.cpp:1848 +msgid "Invalid request." +msgstr "" + +#: webadmin.cpp:1862 +msgid "The specified listener was not found." +msgstr "" + +#: webadmin.cpp:2093 +msgid "Settings were changed, but config file was not written" +msgstr "" diff --git a/src/po/znc.pl_PL.po b/src/po/znc.pl_PL.po new file mode 100644 index 00000000..904efcb2 --- /dev/null +++ b/src/po/znc.pl_PL.po @@ -0,0 +1,1745 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n" +"%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n" +"%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: pl\n" +"X-Crowdin-File: /1.8.x/src/po/znc.pot\n" +"X-Crowdin-File-ID: 284\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Polish\n" +"Language: pl_PL\n" + +#: webskins/_default_/tmpl/InfoBar.tmpl:6 +msgid "Logged in as: {1}" +msgstr "Zalogowano jako: {1}" + +#: webskins/_default_/tmpl/InfoBar.tmpl:8 +msgid "Not logged in" +msgstr "Nie zalogowano" + +#: webskins/_default_/tmpl/LoginBar.tmpl:3 +msgid "Logout" +msgstr "Wyloguj się" + +#: webskins/_default_/tmpl/Menu.tmpl:4 +msgid "Home" +msgstr "Strona główna" + +#: webskins/_default_/tmpl/Menu.tmpl:7 +msgid "Global Modules" +msgstr "Moduły ogólne" + +#: webskins/_default_/tmpl/Menu.tmpl:20 +msgid "User Modules" +msgstr "Moduły użytkownika" + +#: webskins/_default_/tmpl/Menu.tmpl:35 +msgid "Network Modules ({1})" +msgstr "Moduły sieci ({1})" + +#: webskins/_default_/tmpl/index.tmpl:6 +msgid "Welcome to ZNC's web interface!" +msgstr "WItaj w interfejsie WWW ZNC!" + +#: webskins/_default_/tmpl/index.tmpl:11 +msgid "" +"No Web-enabled modules have been loaded. Load modules from IRC (“/msg " +"*status help” and “/msg *status loadmod <module>”). Once you have loaded some Web-enabled modules, the menu will expand." +msgstr "" + +#: znc.cpp:1562 +msgid "User already exists" +msgstr "Użytkownik już istnieje" + +#: znc.cpp:1670 +msgid "IPv6 is not enabled" +msgstr "IPv6 nie jest włączone" + +#: znc.cpp:1678 +msgid "SSL is not enabled" +msgstr "SSL nie jest włączone" + +#: znc.cpp:1686 +msgid "Unable to locate pem file: {1}" +msgstr "Nie udało się odnaleźć pliku pem: {1}" + +#: znc.cpp:1705 +msgid "Invalid port" +msgstr "Nieprawidłowy port" + +#: znc.cpp:1821 ClientCommand.cpp:1637 +msgid "Unable to bind: {1}" +msgstr "Nie udało się przypiąć: {1}" + +#: IRCNetwork.cpp:235 +msgid "Jumping servers because this server is no longer in the list" +msgstr "" + +#: IRCNetwork.cpp:669 User.cpp:678 +msgid "Welcome to ZNC" +msgstr "Witamy w ZNC" + +#: IRCNetwork.cpp:757 +msgid "You are currently disconnected from IRC. Use 'connect' to reconnect." +msgstr "" +"Jesteś aktualnie rozłączony/a z IRC. Użyj 'connect' aby połączyć się " +"ponownie." + +#: IRCNetwork.cpp:787 +msgid "This network is being deleted or moved to another user." +msgstr "" + +#: IRCNetwork.cpp:1016 +msgid "The channel {1} could not be joined, disabling it." +msgstr "Nie można dołączyć do kanału {1} , wyłączanie go." + +#: IRCNetwork.cpp:1145 +msgid "Your current server was removed, jumping..." +msgstr "" + +#: IRCNetwork.cpp:1308 +msgid "Cannot connect to {1}, because ZNC is not compiled with SSL support." +msgstr "" + +#: IRCNetwork.cpp:1329 +msgid "Some module aborted the connection attempt" +msgstr "" + +#: IRCSock.cpp:490 +msgid "Error from server: {1}" +msgstr "Błąd z serwera: {1}" + +#: IRCSock.cpp:692 +msgid "ZNC seems to be connected to itself, disconnecting..." +msgstr "Wygląda na to że ZNC jest połączony sam do siebie, rozłączanie..." + +#: IRCSock.cpp:739 +msgid "Server {1} redirects us to {2}:{3} with reason: {4}" +msgstr "Serwer {1} przekierowuje nas do {2}:{3} z powodu: {4}" + +#: IRCSock.cpp:743 +msgid "Perhaps you want to add it as a new server." +msgstr "" + +#: IRCSock.cpp:973 +msgid "Channel {1} is linked to another channel and was thus disabled." +msgstr "" + +#: IRCSock.cpp:985 +msgid "Switched to SSL (STARTTLS)" +msgstr "Przełączono na SSL (STARTTLS)" + +#: IRCSock.cpp:1038 +msgid "You quit: {1}" +msgstr "" + +#: IRCSock.cpp:1244 +msgid "Disconnected from IRC. Reconnecting..." +msgstr "Rozłączono z IRC. Łączenie się ponownie..." + +#: IRCSock.cpp:1275 +msgid "Cannot connect to IRC ({1}). Retrying..." +msgstr "Nie można połączyć się z IRC ({1}). Próbowanie ponownie..." + +#: IRCSock.cpp:1278 +msgid "Disconnected from IRC ({1}). Reconnecting..." +msgstr "Rołączono z IRC ({1}). Łączenie się ponownie..." + +#: IRCSock.cpp:1314 +msgid "If you trust this certificate, do /znc AddTrustedServerFingerprint {1}" +msgstr "" +"Jeżeli ufasz temu certyfikatowi, wykonaj /znc AddTrustedServerFingerprint {1}" + +#: IRCSock.cpp:1323 +msgid "IRC connection timed out. Reconnecting..." +msgstr "" + +#: IRCSock.cpp:1335 +msgid "Connection Refused. Reconnecting..." +msgstr "Połączenie odrzucone. Łączenie się ponownie..." + +#: IRCSock.cpp:1343 +msgid "Received a too long line from the IRC server!" +msgstr "" + +#: IRCSock.cpp:1447 +msgid "No free nick available" +msgstr "" + +#: IRCSock.cpp:1455 +msgid "No free nick found" +msgstr "" + +#: Client.cpp:74 +msgid "No such module {1}" +msgstr "Nie ma takiego modułu {1}" + +#: Client.cpp:359 +msgid "A client from {1} attempted to login as you, but was rejected: {2}" +msgstr "" + +#: Client.cpp:394 +msgid "Network {1} doesn't exist." +msgstr "Sieć {1} nie istnieje." + +#: Client.cpp:408 +msgid "" +"You have several networks configured, but no network was specified for the " +"connection." +msgstr "" + +#: Client.cpp:411 +msgid "" +"Selecting network {1}. To see list of all configured networks, use /znc " +"ListNetworks" +msgstr "" + +#: Client.cpp:414 +msgid "" +"If you want to choose another network, use /znc JumpNetwork , or " +"connect to ZNC with username {1}/ (instead of just {1})" +msgstr "" + +#: Client.cpp:420 +msgid "" +"You have no networks configured. Use /znc AddNetwork to add one." +msgstr "" + +#: Client.cpp:431 +msgid "Closing link: Timeout" +msgstr "" + +#: Client.cpp:453 +msgid "Closing link: Too long raw line" +msgstr "" + +#: Client.cpp:460 +msgid "" +"You are being disconnected because another user just authenticated as you." +msgstr "" + +#: Client.cpp:1021 +msgid "Your CTCP to {1} got lost, you are not connected to IRC!" +msgstr "" + +#: Client.cpp:1147 +msgid "Your notice to {1} got lost, you are not connected to IRC!" +msgstr "" + +#: Client.cpp:1186 +msgid "Removing channel {1}" +msgstr "Usuwanie kanału {1}" + +#: Client.cpp:1264 +msgid "Your message to {1} got lost, you are not connected to IRC!" +msgstr "Twoja wiadomość do {1} została zgubiona, nie jesteś połączony z IRC!" + +#: Client.cpp:1317 Client.cpp:1323 +msgid "Hello. How may I help you?" +msgstr "Witaj. Jak mogę ci pomóc?" + +#: Client.cpp:1337 +msgid "Usage: /attach <#chans>" +msgstr "Użycie: /attach <#kanały>" + +#: Client.cpp:1344 Client.cpp:1366 ClientCommand.cpp:129 ClientCommand.cpp:151 +msgid "There was {1} channel matching [{2}]" +msgid_plural "There were {1} channels matching [{2}]" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" + +#: Client.cpp:1347 ClientCommand.cpp:132 +msgid "Attached {1} channel" +msgid_plural "Attached {1} channels" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" + +#: Client.cpp:1359 +msgid "Usage: /detach <#chans>" +msgstr "" + +#: Client.cpp:1369 ClientCommand.cpp:154 +msgid "Detached {1} channel" +msgid_plural "Detached {1} channels" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" + +#: Chan.cpp:678 +msgid "Buffer Playback..." +msgstr "" + +#: Chan.cpp:716 +msgid "Playback Complete." +msgstr "" + +#: Modules.cpp:528 +msgctxt "modhelpcmd" +msgid "" +msgstr "" + +#: Modules.cpp:529 +msgctxt "modhelpcmd" +msgid "Generate this output" +msgstr "Tworzy ten wynik" + +#: Modules.cpp:573 ClientCommand.cpp:1904 +msgid "No matches for '{1}'" +msgstr "Brak dopasowań dla '{1}'" + +#: Modules.cpp:691 +msgid "This module doesn't implement any commands." +msgstr "" + +#: Modules.cpp:693 +msgid "Unknown command!" +msgstr "Nieznane polecenie!" + +#: Modules.cpp:1633 +msgid "" +"Module names can only contain letters, numbers and underscores, [{1}] is " +"invalid" +msgstr "" + +#: Modules.cpp:1652 +msgid "Module {1} already loaded." +msgstr "Moduł {1} już jest załadowany." + +#: Modules.cpp:1666 +msgid "Unable to find module {1}" +msgstr "Nie udało się odnaleźć modułu {1}" + +#: Modules.cpp:1678 +msgid "Module {1} does not support module type {2}." +msgstr "" + +#: Modules.cpp:1685 +msgid "Module {1} requires a user." +msgstr "Moduł {1} wymaga użytkownika." + +#: Modules.cpp:1691 +msgid "Module {1} requires a network." +msgstr "Moduł {1} wymaga sieci." + +#: Modules.cpp:1707 +msgid "Caught an exception" +msgstr "" + +#: Modules.cpp:1713 +msgid "Module {1} aborted: {2}" +msgstr "Moduł {1} przerwany: {2}" + +#: Modules.cpp:1715 +msgid "Module {1} aborted." +msgstr "Przerwano moduł {1}." + +#: Modules.cpp:1739 Modules.cpp:1781 +msgid "Module [{1}] not loaded." +msgstr "" + +#: Modules.cpp:1763 +msgid "Module {1} unloaded." +msgstr "" + +#: Modules.cpp:1768 +msgid "Unable to unload module {1}." +msgstr "" + +#: Modules.cpp:1797 +msgid "Reloaded module {1}." +msgstr "" + +#: Modules.cpp:1816 +msgid "Unable to find module {1}." +msgstr "" + +#: Modules.cpp:1963 +msgid "Unknown error" +msgstr "" + +#: Modules.cpp:1964 +msgid "Unable to open module {1}: {2}" +msgstr "" + +#: Modules.cpp:1973 +msgid "Could not find ZNCModuleEntry in module {1}" +msgstr "" + +#: Modules.cpp:1981 +msgid "" +"Version mismatch for module {1}: core is {2}, module is built for {3}. " +"Recompile this module." +msgstr "" + +#: Modules.cpp:1992 +msgid "" +"Module {1} is built incompatibly: core is '{2}', module is '{3}'. Recompile " +"this module." +msgstr "" + +#: Modules.cpp:2023 Modules.cpp:2029 +msgctxt "modhelpcmd" +msgid "Command" +msgstr "" + +#: Modules.cpp:2024 Modules.cpp:2031 +msgctxt "modhelpcmd" +msgid "Description" +msgstr "" + +#: ClientCommand.cpp:51 ClientCommand.cpp:115 ClientCommand.cpp:137 +#: ClientCommand.cpp:749 ClientCommand.cpp:768 ClientCommand.cpp:794 +#: ClientCommand.cpp:827 ClientCommand.cpp:840 ClientCommand.cpp:853 +#: ClientCommand.cpp:868 ClientCommand.cpp:1329 ClientCommand.cpp:1377 +#: ClientCommand.cpp:1409 ClientCommand.cpp:1420 ClientCommand.cpp:1429 +#: ClientCommand.cpp:1441 +msgid "You must be connected with a network to use this command" +msgstr "" + +#: ClientCommand.cpp:58 +msgid "Usage: ListNicks <#chan>" +msgstr "" + +#: ClientCommand.cpp:65 +msgid "You are not on [{1}]" +msgstr "" + +#: ClientCommand.cpp:70 +msgid "You are not on [{1}] (trying)" +msgstr "" + +#: ClientCommand.cpp:79 +msgid "No nicks on [{1}]" +msgstr "" + +#: ClientCommand.cpp:91 ClientCommand.cpp:106 +msgid "Nick" +msgstr "" + +#: ClientCommand.cpp:92 ClientCommand.cpp:107 +msgid "Ident" +msgstr "" + +#: ClientCommand.cpp:93 ClientCommand.cpp:108 +msgid "Host" +msgstr "" + +#: ClientCommand.cpp:122 +msgid "Usage: Attach <#chans>" +msgstr "" + +#: ClientCommand.cpp:144 +msgid "Usage: Detach <#chans>" +msgstr "" + +#: ClientCommand.cpp:161 +msgid "There is no MOTD set." +msgstr "" + +#: ClientCommand.cpp:167 +msgid "Rehashing succeeded!" +msgstr "" + +#: ClientCommand.cpp:169 +msgid "Rehashing failed: {1}" +msgstr "" + +#: ClientCommand.cpp:173 +msgid "Wrote config to {1}" +msgstr "" + +#: ClientCommand.cpp:175 +msgid "Error while trying to write config." +msgstr "" + +#: ClientCommand.cpp:455 +msgid "Usage: ListChans" +msgstr "" + +#: ClientCommand.cpp:462 +msgid "No such user [{1}]" +msgstr "" + +#: ClientCommand.cpp:468 +msgid "User [{1}] doesn't have network [{2}]" +msgstr "" + +#: ClientCommand.cpp:479 +msgid "There are no channels defined." +msgstr "" + +#: ClientCommand.cpp:484 ClientCommand.cpp:500 +msgctxt "listchans" +msgid "Name" +msgstr "" + +#: ClientCommand.cpp:485 ClientCommand.cpp:503 +msgctxt "listchans" +msgid "Status" +msgstr "" + +#: ClientCommand.cpp:486 ClientCommand.cpp:510 +msgctxt "listchans" +msgid "In config" +msgstr "" + +#: ClientCommand.cpp:487 ClientCommand.cpp:512 +msgctxt "listchans" +msgid "Buffer" +msgstr "" + +#: ClientCommand.cpp:488 ClientCommand.cpp:516 +msgctxt "listchans" +msgid "Clear" +msgstr "" + +#: ClientCommand.cpp:489 ClientCommand.cpp:521 +msgctxt "listchans" +msgid "Modes" +msgstr "" + +#: ClientCommand.cpp:490 ClientCommand.cpp:522 +msgctxt "listchans" +msgid "Users" +msgstr "" + +#: ClientCommand.cpp:505 +msgctxt "listchans" +msgid "Detached" +msgstr "" + +#: ClientCommand.cpp:506 +msgctxt "listchans" +msgid "Joined" +msgstr "" + +#: ClientCommand.cpp:507 +msgctxt "listchans" +msgid "Disabled" +msgstr "" + +#: ClientCommand.cpp:508 +msgctxt "listchans" +msgid "Trying" +msgstr "" + +#: ClientCommand.cpp:511 ClientCommand.cpp:519 +msgctxt "listchans" +msgid "yes" +msgstr "" + +#: ClientCommand.cpp:536 +msgid "Total: {1}, Joined: {2}, Detached: {3}, Disabled: {4}" +msgstr "" + +#: ClientCommand.cpp:541 +msgid "" +"Network number limit reached. Ask an admin to increase the limit for you, or " +"delete unneeded networks using /znc DelNetwork " +msgstr "" + +#: ClientCommand.cpp:550 +msgid "Usage: AddNetwork " +msgstr "" + +#: ClientCommand.cpp:554 +msgid "Network name should be alphanumeric" +msgstr "" + +#: ClientCommand.cpp:561 +msgid "" +"Network added. Use /znc JumpNetwork {1}, or connect to ZNC with username {2} " +"(instead of just {3}) to connect to it." +msgstr "" + +#: ClientCommand.cpp:566 +msgid "Unable to add that network" +msgstr "" + +#: ClientCommand.cpp:573 +msgid "Usage: DelNetwork " +msgstr "Użycie: DelNetwork " + +#: ClientCommand.cpp:582 +msgid "Network deleted" +msgstr "Usunięto sieć" + +#: ClientCommand.cpp:585 +msgid "Failed to delete network, perhaps this network doesn't exist" +msgstr "" + +#: ClientCommand.cpp:595 +msgid "User {1} not found" +msgstr "Użytkownik {1} nie odnaleziony" + +#: ClientCommand.cpp:603 ClientCommand.cpp:611 +msgctxt "listnetworks" +msgid "Network" +msgstr "" + +#: ClientCommand.cpp:604 ClientCommand.cpp:613 ClientCommand.cpp:622 +msgctxt "listnetworks" +msgid "On IRC" +msgstr "" + +#: ClientCommand.cpp:605 ClientCommand.cpp:615 +msgctxt "listnetworks" +msgid "IRC Server" +msgstr "" + +#: ClientCommand.cpp:606 ClientCommand.cpp:617 +msgctxt "listnetworks" +msgid "IRC User" +msgstr "" + +#: ClientCommand.cpp:607 ClientCommand.cpp:619 +msgctxt "listnetworks" +msgid "Channels" +msgstr "" + +#: ClientCommand.cpp:614 +msgctxt "listnetworks" +msgid "Yes" +msgstr "Tak" + +#: ClientCommand.cpp:623 +msgctxt "listnetworks" +msgid "No" +msgstr "Nie" + +#: ClientCommand.cpp:628 +msgctxt "listnetworks" +msgid "No networks" +msgstr "" + +#: ClientCommand.cpp:632 ClientCommand.cpp:936 +msgid "Access denied." +msgstr "Odmowa dostępu." + +#: ClientCommand.cpp:643 +msgid "Usage: MoveNetwork [new network]" +msgstr "" + +#: ClientCommand.cpp:653 +msgid "Old user {1} not found." +msgstr "" + +#: ClientCommand.cpp:659 +msgid "Old network {1} not found." +msgstr "" + +#: ClientCommand.cpp:665 +msgid "New user {1} not found." +msgstr "" + +#: ClientCommand.cpp:670 +msgid "User {1} already has network {2}." +msgstr "" + +#: ClientCommand.cpp:676 +msgid "Invalid network name [{1}]" +msgstr "" + +#: ClientCommand.cpp:692 +msgid "Some files seem to be in {1}. You might want to move them to {2}" +msgstr "" + +#: ClientCommand.cpp:706 +msgid "Error adding network: {1}" +msgstr "" + +#: ClientCommand.cpp:718 +msgid "Success." +msgstr "" + +#: ClientCommand.cpp:721 +msgid "Copied the network to new user, but failed to delete old network" +msgstr "" + +#: ClientCommand.cpp:728 +msgid "No network supplied." +msgstr "" + +#: ClientCommand.cpp:733 +msgid "You are already connected with this network." +msgstr "" + +#: ClientCommand.cpp:739 +msgid "Switched to {1}" +msgstr "" + +#: ClientCommand.cpp:742 +msgid "You don't have a network named {1}" +msgstr "" + +#: ClientCommand.cpp:754 +msgid "Usage: AddServer [[+]port] [pass]" +msgstr "" + +#: ClientCommand.cpp:759 +msgid "Server added" +msgstr "Dodano serwer" + +#: ClientCommand.cpp:762 +msgid "" +"Unable to add that server. Perhaps the server is already added or openssl is " +"disabled?" +msgstr "" + +#: ClientCommand.cpp:777 +msgid "Usage: DelServer [port] [pass]" +msgstr "" + +#: ClientCommand.cpp:782 ClientCommand.cpp:822 +msgid "You don't have any servers added." +msgstr "" + +#: ClientCommand.cpp:787 +msgid "Server removed" +msgstr "Usunięto serwer" + +#: ClientCommand.cpp:789 +msgid "No such server" +msgstr "Nie ma takiego serwera" + +#: ClientCommand.cpp:802 ClientCommand.cpp:809 +msgctxt "listservers" +msgid "Host" +msgstr "Host" + +#: ClientCommand.cpp:803 ClientCommand.cpp:811 +msgctxt "listservers" +msgid "Port" +msgstr "Port" + +#: ClientCommand.cpp:804 ClientCommand.cpp:814 +msgctxt "listservers" +msgid "SSL" +msgstr "SSL" + +#: ClientCommand.cpp:805 ClientCommand.cpp:816 +msgctxt "listservers" +msgid "Password" +msgstr "Hasło" + +#: ClientCommand.cpp:815 +msgctxt "listservers|cell" +msgid "SSL" +msgstr "SSL" + +#: ClientCommand.cpp:832 +msgid "Usage: AddTrustedServerFingerprint " +msgstr "Użycie: AddTrustedServerFingerprint " + +#: ClientCommand.cpp:836 ClientCommand.cpp:849 +msgid "Done." +msgstr "Zrobione." + +#: ClientCommand.cpp:845 +msgid "Usage: DelTrustedServerFingerprint " +msgstr "Użycie: DelTrustedServerFingerprint " + +#: ClientCommand.cpp:858 +msgid "No fingerprints added." +msgstr "Nie dodano odcisków palców." + +#: ClientCommand.cpp:874 ClientCommand.cpp:880 +msgctxt "topicscmd" +msgid "Channel" +msgstr "Kanał" + +#: ClientCommand.cpp:875 ClientCommand.cpp:881 +msgctxt "topicscmd" +msgid "Set By" +msgstr "" + +#: ClientCommand.cpp:876 ClientCommand.cpp:882 +msgctxt "topicscmd" +msgid "Topic" +msgstr "" + +#: ClientCommand.cpp:889 ClientCommand.cpp:894 +msgctxt "listmods" +msgid "Name" +msgstr "" + +#: ClientCommand.cpp:890 ClientCommand.cpp:895 +msgctxt "listmods" +msgid "Arguments" +msgstr "" + +#: ClientCommand.cpp:904 +msgid "No global modules loaded." +msgstr "" + +#: ClientCommand.cpp:906 ClientCommand.cpp:970 +msgid "Global modules:" +msgstr "" + +#: ClientCommand.cpp:915 +msgid "Your user has no modules loaded." +msgstr "" + +#: ClientCommand.cpp:917 ClientCommand.cpp:982 +msgid "User modules:" +msgstr "" + +#: ClientCommand.cpp:925 +msgid "This network has no modules loaded." +msgstr "" + +#: ClientCommand.cpp:927 ClientCommand.cpp:994 +msgid "Network modules:" +msgstr "" + +#: ClientCommand.cpp:942 ClientCommand.cpp:949 +msgctxt "listavailmods" +msgid "Name" +msgstr "" + +#: ClientCommand.cpp:943 ClientCommand.cpp:954 +msgctxt "listavailmods" +msgid "Description" +msgstr "" + +#: ClientCommand.cpp:968 +msgid "No global modules available." +msgstr "" + +#: ClientCommand.cpp:980 +msgid "No user modules available." +msgstr "" + +#: ClientCommand.cpp:992 +msgid "No network modules available." +msgstr "" + +#: ClientCommand.cpp:1020 +msgid "Unable to load {1}: Access denied." +msgstr "" + +#: ClientCommand.cpp:1026 +msgid "Usage: LoadMod [--type=global|user|network] [args]" +msgstr "" + +#: ClientCommand.cpp:1033 +msgid "Unable to load {1}: {2}" +msgstr "" + +#: ClientCommand.cpp:1043 +msgid "Unable to load global module {1}: Access denied." +msgstr "" + +#: ClientCommand.cpp:1049 +msgid "Unable to load network module {1}: Not connected with a network." +msgstr "Nie udało się załadować modułu sieci {1}: Nie połączono z siecią." + +#: ClientCommand.cpp:1071 +msgid "Unknown module type" +msgstr "" + +#: ClientCommand.cpp:1076 +msgid "Loaded module {1}" +msgstr "Załadowano moduł {1}" + +#: ClientCommand.cpp:1078 +msgid "Loaded module {1}: {2}" +msgstr "Załadowano moduł {1}: {2}" + +#: ClientCommand.cpp:1081 +msgid "Unable to load module {1}: {2}" +msgstr "Nie udało się załadować modułu {1}: {2}" + +#: ClientCommand.cpp:1104 +msgid "Unable to unload {1}: Access denied." +msgstr "Nie udało się wyładować {1}: Odmowa dostępu." + +#: ClientCommand.cpp:1110 +msgid "Usage: UnloadMod [--type=global|user|network] " +msgstr "Użycie: UnloadMod [--type=global|user|network] " + +#: ClientCommand.cpp:1119 +msgid "Unable to determine type of {1}: {2}" +msgstr "" + +#: ClientCommand.cpp:1127 +msgid "Unable to unload global module {1}: Access denied." +msgstr "" + +#: ClientCommand.cpp:1134 +msgid "Unable to unload network module {1}: Not connected with a network." +msgstr "" + +#: ClientCommand.cpp:1153 +msgid "Unable to unload module {1}: Unknown module type" +msgstr "" + +#: ClientCommand.cpp:1166 +msgid "Unable to reload modules. Access denied." +msgstr "" + +#: ClientCommand.cpp:1187 +msgid "Usage: ReloadMod [--type=global|user|network] [args]" +msgstr "" + +#: ClientCommand.cpp:1196 +msgid "Unable to reload {1}: {2}" +msgstr "Nie udało się przeładować {1}: {2}" + +#: ClientCommand.cpp:1204 +msgid "Unable to reload global module {1}: Access denied." +msgstr "Nie udało się przeładować modułu ogólnego {1}: Odmowa dostępu." + +#: ClientCommand.cpp:1211 +msgid "Unable to reload network module {1}: Not connected with a network." +msgstr "" + +#: ClientCommand.cpp:1233 +msgid "Unable to reload module {1}: Unknown module type" +msgstr "" + +#: ClientCommand.cpp:1244 +msgid "Usage: UpdateMod " +msgstr "" + +#: ClientCommand.cpp:1248 +msgid "Reloading {1} everywhere" +msgstr "" + +#: ClientCommand.cpp:1250 +msgid "Done" +msgstr "Zrobione" + +#: ClientCommand.cpp:1253 +msgid "" +"Done, but there were errors, module {1} could not be reloaded everywhere." +msgstr "" + +#: ClientCommand.cpp:1261 +msgid "" +"You must be connected with a network to use this command. Try " +"SetUserBindHost instead" +msgstr "" + +#: ClientCommand.cpp:1268 +msgid "Usage: SetBindHost " +msgstr "" + +#: ClientCommand.cpp:1273 ClientCommand.cpp:1290 +msgid "You already have this bind host!" +msgstr "" + +#: ClientCommand.cpp:1278 +msgid "Set bind host for network {1} to {2}" +msgstr "" + +#: ClientCommand.cpp:1285 +msgid "Usage: SetUserBindHost " +msgstr "" + +#: ClientCommand.cpp:1295 +msgid "Set default bind host to {1}" +msgstr "" + +#: ClientCommand.cpp:1301 +msgid "" +"You must be connected with a network to use this command. Try " +"ClearUserBindHost instead" +msgstr "" + +#: ClientCommand.cpp:1306 +msgid "Bind host cleared for this network." +msgstr "" + +#: ClientCommand.cpp:1310 +msgid "Default bind host cleared for your user." +msgstr "" + +#: ClientCommand.cpp:1313 +msgid "This user's default bind host not set" +msgstr "" + +#: ClientCommand.cpp:1315 +msgid "This user's default bind host is {1}" +msgstr "" + +#: ClientCommand.cpp:1320 +msgid "This network's bind host not set" +msgstr "" + +#: ClientCommand.cpp:1322 +msgid "This network's default bind host is {1}" +msgstr "" + +#: ClientCommand.cpp:1336 +msgid "Usage: PlayBuffer <#chan|query>" +msgstr "" + +#: ClientCommand.cpp:1344 +msgid "You are not on {1}" +msgstr "" + +#: ClientCommand.cpp:1349 +msgid "You are not on {1} (trying to join)" +msgstr "" + +#: ClientCommand.cpp:1354 +msgid "The buffer for channel {1} is empty" +msgstr "" + +#: ClientCommand.cpp:1363 +msgid "No active query with {1}" +msgstr "" + +#: ClientCommand.cpp:1368 +msgid "The buffer for {1} is empty" +msgstr "" + +#: ClientCommand.cpp:1384 +msgid "Usage: ClearBuffer <#chan|query>" +msgstr "" + +#: ClientCommand.cpp:1403 +msgid "{1} buffer matching {2} has been cleared" +msgid_plural "{1} buffers matching {2} have been cleared" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" + +#: ClientCommand.cpp:1416 +msgid "All channel buffers have been cleared" +msgstr "" + +#: ClientCommand.cpp:1425 +msgid "All query buffers have been cleared" +msgstr "" + +#: ClientCommand.cpp:1437 +msgid "All buffers have been cleared" +msgstr "" + +#: ClientCommand.cpp:1448 +msgid "Usage: SetBuffer <#chan|query> [linecount]" +msgstr "" + +#: ClientCommand.cpp:1469 +msgid "Setting buffer size failed for {1} buffer" +msgid_plural "Setting buffer size failed for {1} buffers" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" + +#: ClientCommand.cpp:1472 +msgid "Maximum buffer size is {1} line" +msgid_plural "Maximum buffer size is {1} lines" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" + +#: ClientCommand.cpp:1477 +msgid "Size of every buffer was set to {1} line" +msgid_plural "Size of every buffer was set to {1} lines" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" + +#: ClientCommand.cpp:1487 ClientCommand.cpp:1494 ClientCommand.cpp:1505 +#: ClientCommand.cpp:1514 ClientCommand.cpp:1522 +msgctxt "trafficcmd" +msgid "Username" +msgstr "" + +#: ClientCommand.cpp:1488 ClientCommand.cpp:1495 ClientCommand.cpp:1507 +#: ClientCommand.cpp:1516 ClientCommand.cpp:1524 +msgctxt "trafficcmd" +msgid "In" +msgstr "" + +#: ClientCommand.cpp:1489 ClientCommand.cpp:1497 ClientCommand.cpp:1508 +#: ClientCommand.cpp:1517 ClientCommand.cpp:1525 +msgctxt "trafficcmd" +msgid "Out" +msgstr "" + +#: ClientCommand.cpp:1490 ClientCommand.cpp:1500 ClientCommand.cpp:1510 +#: ClientCommand.cpp:1518 ClientCommand.cpp:1527 +msgctxt "trafficcmd" +msgid "Total" +msgstr "" + +#: ClientCommand.cpp:1506 +msgctxt "trafficcmd" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1515 +msgctxt "trafficcmd" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1523 +msgctxt "trafficcmd" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1532 +msgid "Running for {1}" +msgstr "" + +#: ClientCommand.cpp:1538 +msgid "Unknown command, try 'Help'" +msgstr "" + +#: ClientCommand.cpp:1547 ClientCommand.cpp:1558 +msgctxt "listports" +msgid "Port" +msgstr "" + +#: ClientCommand.cpp:1548 ClientCommand.cpp:1559 +msgctxt "listports" +msgid "BindHost" +msgstr "" + +#: ClientCommand.cpp:1549 ClientCommand.cpp:1562 +msgctxt "listports" +msgid "SSL" +msgstr "" + +#: ClientCommand.cpp:1550 ClientCommand.cpp:1567 +msgctxt "listports" +msgid "Protocol" +msgstr "" + +#: ClientCommand.cpp:1551 ClientCommand.cpp:1574 +msgctxt "listports" +msgid "IRC" +msgstr "" + +#: ClientCommand.cpp:1552 ClientCommand.cpp:1579 +msgctxt "listports" +msgid "Web" +msgstr "" + +#: ClientCommand.cpp:1563 +msgctxt "listports|ssl" +msgid "yes" +msgstr "" + +#: ClientCommand.cpp:1564 +msgctxt "listports|ssl" +msgid "no" +msgstr "" + +#: ClientCommand.cpp:1568 +msgctxt "listports" +msgid "IPv4 and IPv6" +msgstr "" + +#: ClientCommand.cpp:1570 +msgctxt "listports" +msgid "IPv4" +msgstr "" + +#: ClientCommand.cpp:1571 +msgctxt "listports" +msgid "IPv6" +msgstr "" + +#: ClientCommand.cpp:1577 +msgctxt "listports|irc" +msgid "yes" +msgstr "" + +#: ClientCommand.cpp:1578 +msgctxt "listports|irc" +msgid "no" +msgstr "" + +#: ClientCommand.cpp:1582 +msgctxt "listports|irc" +msgid "yes, on {1}" +msgstr "" + +#: ClientCommand.cpp:1584 +msgctxt "listports|web" +msgid "no" +msgstr "" + +#: ClientCommand.cpp:1624 +msgid "" +"Usage: AddPort <[+]port> [bindhost [uriprefix]]" +msgstr "" + +#: ClientCommand.cpp:1640 +msgid "Port added" +msgstr "" + +#: ClientCommand.cpp:1642 +msgid "Couldn't add port" +msgstr "" + +#: ClientCommand.cpp:1648 +msgid "Usage: DelPort [bindhost]" +msgstr "" + +#: ClientCommand.cpp:1657 +msgid "Deleted Port" +msgstr "" + +#: ClientCommand.cpp:1659 +msgid "Unable to find a matching port" +msgstr "" + +#: ClientCommand.cpp:1667 ClientCommand.cpp:1682 +msgctxt "helpcmd" +msgid "Command" +msgstr "" + +#: ClientCommand.cpp:1668 ClientCommand.cpp:1684 +msgctxt "helpcmd" +msgid "Description" +msgstr "" + +#: ClientCommand.cpp:1673 +msgid "" +"In the following list all occurrences of <#chan> support wildcards (* and ?) " +"except ListNicks" +msgstr "" + +#: ClientCommand.cpp:1690 +msgctxt "helpcmd|Version|desc" +msgid "Print which version of ZNC this is" +msgstr "" + +#: ClientCommand.cpp:1693 +msgctxt "helpcmd|ListMods|desc" +msgid "List all loaded modules" +msgstr "" + +#: ClientCommand.cpp:1696 +msgctxt "helpcmd|ListAvailMods|desc" +msgid "List all available modules" +msgstr "" + +#: ClientCommand.cpp:1700 ClientCommand.cpp:1886 +msgctxt "helpcmd|ListChans|desc" +msgid "List all channels" +msgstr "" + +#: ClientCommand.cpp:1703 +msgctxt "helpcmd|ListNicks|args" +msgid "<#chan>" +msgstr "" + +#: ClientCommand.cpp:1704 +msgctxt "helpcmd|ListNicks|desc" +msgid "List all nicks on a channel" +msgstr "" + +#: ClientCommand.cpp:1707 +msgctxt "helpcmd|ListClients|desc" +msgid "List all clients connected to your ZNC user" +msgstr "" + +#: ClientCommand.cpp:1711 +msgctxt "helpcmd|ListServers|desc" +msgid "List all servers of current IRC network" +msgstr "" + +#: ClientCommand.cpp:1715 +msgctxt "helpcmd|AddNetwork|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1716 +msgctxt "helpcmd|AddNetwork|desc" +msgid "Add a network to your user" +msgstr "" + +#: ClientCommand.cpp:1718 +msgctxt "helpcmd|DelNetwork|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1719 +msgctxt "helpcmd|DelNetwork|desc" +msgid "Delete a network from your user" +msgstr "" + +#: ClientCommand.cpp:1721 +msgctxt "helpcmd|ListNetworks|desc" +msgid "List all networks" +msgstr "" + +#: ClientCommand.cpp:1724 +msgctxt "helpcmd|MoveNetwork|args" +msgid " [new network]" +msgstr "" + +#: ClientCommand.cpp:1726 +msgctxt "helpcmd|MoveNetwork|desc" +msgid "Move an IRC network from one user to another" +msgstr "" + +#: ClientCommand.cpp:1730 +msgctxt "helpcmd|JumpNetwork|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1731 +msgctxt "helpcmd|JumpNetwork|desc" +msgid "" +"Jump to another network (Alternatively, you can connect to ZNC several " +"times, using `user/network` as username)" +msgstr "" + +#: ClientCommand.cpp:1736 +msgctxt "helpcmd|AddServer|args" +msgid " [[+]port] [pass]" +msgstr "" + +#: ClientCommand.cpp:1737 +msgctxt "helpcmd|AddServer|desc" +msgid "" +"Add a server to the list of alternate/backup servers of current IRC network." +msgstr "" + +#: ClientCommand.cpp:1741 +msgctxt "helpcmd|DelServer|args" +msgid " [port] [pass]" +msgstr "" + +#: ClientCommand.cpp:1742 +msgctxt "helpcmd|DelServer|desc" +msgid "" +"Remove a server from the list of alternate/backup servers of current IRC " +"network" +msgstr "" + +#: ClientCommand.cpp:1748 +msgctxt "helpcmd|AddTrustedServerFingerprint|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1749 +msgctxt "helpcmd|AddTrustedServerFingerprint|desc" +msgid "" +"Add a trusted server SSL certificate fingerprint (SHA-256) to current IRC " +"network." +msgstr "" + +#: ClientCommand.cpp:1754 +msgctxt "helpcmd|DelTrustedServerFingerprint|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1755 +msgctxt "helpcmd|DelTrustedServerFingerprint|desc" +msgid "Delete a trusted server SSL certificate from current IRC network." +msgstr "" + +#: ClientCommand.cpp:1759 +msgctxt "helpcmd|ListTrustedServerFingerprints|desc" +msgid "List all trusted server SSL certificates of current IRC network." +msgstr "" + +#: ClientCommand.cpp:1762 +msgctxt "helpcmd|EnableChan|args" +msgid "<#chans>" +msgstr "" + +#: ClientCommand.cpp:1763 +msgctxt "helpcmd|EnableChan|desc" +msgid "Enable channels" +msgstr "" + +#: ClientCommand.cpp:1764 +msgctxt "helpcmd|DisableChan|args" +msgid "<#chans>" +msgstr "" + +#: ClientCommand.cpp:1765 +msgctxt "helpcmd|DisableChan|desc" +msgid "Disable channels" +msgstr "" + +#: ClientCommand.cpp:1766 +msgctxt "helpcmd|Attach|args" +msgid "<#chans>" +msgstr "" + +#: ClientCommand.cpp:1767 +msgctxt "helpcmd|Attach|desc" +msgid "Attach to channels" +msgstr "" + +#: ClientCommand.cpp:1768 +msgctxt "helpcmd|Detach|args" +msgid "<#chans>" +msgstr "" + +#: ClientCommand.cpp:1769 +msgctxt "helpcmd|Detach|desc" +msgid "Detach from channels" +msgstr "" + +#: ClientCommand.cpp:1772 +msgctxt "helpcmd|Topics|desc" +msgid "Show topics in all your channels" +msgstr "" + +#: ClientCommand.cpp:1775 +msgctxt "helpcmd|PlayBuffer|args" +msgid "<#chan|query>" +msgstr "" + +#: ClientCommand.cpp:1776 +msgctxt "helpcmd|PlayBuffer|desc" +msgid "Play back the specified buffer" +msgstr "" + +#: ClientCommand.cpp:1778 +msgctxt "helpcmd|ClearBuffer|args" +msgid "<#chan|query>" +msgstr "" + +#: ClientCommand.cpp:1779 +msgctxt "helpcmd|ClearBuffer|desc" +msgid "Clear the specified buffer" +msgstr "" + +#: ClientCommand.cpp:1781 +msgctxt "helpcmd|ClearAllBuffers|desc" +msgid "Clear all channel and query buffers" +msgstr "" + +#: ClientCommand.cpp:1784 +msgctxt "helpcmd|ClearAllChannelBuffers|desc" +msgid "Clear the channel buffers" +msgstr "" + +#: ClientCommand.cpp:1788 +msgctxt "helpcmd|ClearAllQueryBuffers|desc" +msgid "Clear the query buffers" +msgstr "" + +#: ClientCommand.cpp:1790 +msgctxt "helpcmd|SetBuffer|args" +msgid "<#chan|query> [linecount]" +msgstr "" + +#: ClientCommand.cpp:1791 +msgctxt "helpcmd|SetBuffer|desc" +msgid "Set the buffer count" +msgstr "" + +#: ClientCommand.cpp:1795 +msgctxt "helpcmd|SetBindHost|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1796 +msgctxt "helpcmd|SetBindHost|desc" +msgid "Set the bind host for this network" +msgstr "" + +#: ClientCommand.cpp:1800 +msgctxt "helpcmd|SetUserBindHost|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1801 +msgctxt "helpcmd|SetUserBindHost|desc" +msgid "Set the default bind host for this user" +msgstr "" + +#: ClientCommand.cpp:1804 +msgctxt "helpcmd|ClearBindHost|desc" +msgid "Clear the bind host for this network" +msgstr "" + +#: ClientCommand.cpp:1807 +msgctxt "helpcmd|ClearUserBindHost|desc" +msgid "Clear the default bind host for this user" +msgstr "" + +#: ClientCommand.cpp:1813 +msgctxt "helpcmd|ShowBindHost|desc" +msgid "Show currently selected bind host" +msgstr "" + +#: ClientCommand.cpp:1815 +msgctxt "helpcmd|Jump|args" +msgid "[server]" +msgstr "" + +#: ClientCommand.cpp:1816 +msgctxt "helpcmd|Jump|desc" +msgid "Jump to the next or the specified server" +msgstr "" + +#: ClientCommand.cpp:1817 +msgctxt "helpcmd|Disconnect|args" +msgid "[message]" +msgstr "" + +#: ClientCommand.cpp:1818 +msgctxt "helpcmd|Disconnect|desc" +msgid "Disconnect from IRC" +msgstr "" + +#: ClientCommand.cpp:1820 +msgctxt "helpcmd|Connect|desc" +msgid "Reconnect to IRC" +msgstr "" + +#: ClientCommand.cpp:1823 +msgctxt "helpcmd|Uptime|desc" +msgid "Show for how long ZNC has been running" +msgstr "" + +#: ClientCommand.cpp:1827 +msgctxt "helpcmd|LoadMod|args" +msgid "[--type=global|user|network] [args]" +msgstr "[--type=global|user|network] [args]" + +#: ClientCommand.cpp:1829 +msgctxt "helpcmd|LoadMod|desc" +msgid "Load a module" +msgstr "" + +#: ClientCommand.cpp:1831 +msgctxt "helpcmd|UnloadMod|args" +msgid "[--type=global|user|network] " +msgstr "" + +#: ClientCommand.cpp:1833 +msgctxt "helpcmd|UnloadMod|desc" +msgid "Unload a module" +msgstr "" + +#: ClientCommand.cpp:1835 +msgctxt "helpcmd|ReloadMod|args" +msgid "[--type=global|user|network] [args]" +msgstr "[--type=global|user|network] [args]" + +#: ClientCommand.cpp:1837 +msgctxt "helpcmd|ReloadMod|desc" +msgid "Reload a module" +msgstr "" + +#: ClientCommand.cpp:1840 +msgctxt "helpcmd|UpdateMod|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1841 +msgctxt "helpcmd|UpdateMod|desc" +msgid "Reload a module everywhere" +msgstr "" + +#: ClientCommand.cpp:1847 +msgctxt "helpcmd|ShowMOTD|desc" +msgid "Show ZNC's message of the day" +msgstr "" + +#: ClientCommand.cpp:1851 +msgctxt "helpcmd|SetMOTD|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1852 +msgctxt "helpcmd|SetMOTD|desc" +msgid "Set ZNC's message of the day" +msgstr "" + +#: ClientCommand.cpp:1854 +msgctxt "helpcmd|AddMOTD|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1855 +msgctxt "helpcmd|AddMOTD|desc" +msgid "Append to ZNC's MOTD" +msgstr "" + +#: ClientCommand.cpp:1857 +msgctxt "helpcmd|ClearMOTD|desc" +msgid "Clear ZNC's MOTD" +msgstr "" + +#: ClientCommand.cpp:1860 +msgctxt "helpcmd|ListPorts|desc" +msgid "Show all active listeners" +msgstr "" + +#: ClientCommand.cpp:1862 +msgctxt "helpcmd|AddPort|args" +msgid "<[+]port> [bindhost [uriprefix]]" +msgstr "" + +#: ClientCommand.cpp:1865 +msgctxt "helpcmd|AddPort|desc" +msgid "Add another port for ZNC to listen on" +msgstr "" + +#: ClientCommand.cpp:1869 +msgctxt "helpcmd|DelPort|args" +msgid " [bindhost]" +msgstr "" + +#: ClientCommand.cpp:1870 +msgctxt "helpcmd|DelPort|desc" +msgid "Remove a port from ZNC" +msgstr "" + +#: ClientCommand.cpp:1873 +msgctxt "helpcmd|Rehash|desc" +msgid "Reload global settings, modules, and listeners from znc.conf" +msgstr "" + +#: ClientCommand.cpp:1876 +msgctxt "helpcmd|SaveConfig|desc" +msgid "Save the current settings to disk" +msgstr "" + +#: ClientCommand.cpp:1879 +msgctxt "helpcmd|ListUsers|desc" +msgid "List all ZNC users and their connection status" +msgstr "" + +#: ClientCommand.cpp:1882 +msgctxt "helpcmd|ListAllUserNetworks|desc" +msgid "List all ZNC users and their networks" +msgstr "" + +#: ClientCommand.cpp:1885 +msgctxt "helpcmd|ListChans|args" +msgid "[user ]" +msgstr "" + +#: ClientCommand.cpp:1888 +msgctxt "helpcmd|ListClients|args" +msgid "[user]" +msgstr "" + +#: ClientCommand.cpp:1889 +msgctxt "helpcmd|ListClients|desc" +msgid "List all connected clients" +msgstr "" + +#: ClientCommand.cpp:1891 +msgctxt "helpcmd|Traffic|desc" +msgid "Show basic traffic stats for all ZNC users" +msgstr "" + +#: ClientCommand.cpp:1893 +msgctxt "helpcmd|Broadcast|args" +msgid "[message]" +msgstr "" + +#: ClientCommand.cpp:1894 +msgctxt "helpcmd|Broadcast|desc" +msgid "Broadcast a message to all ZNC users" +msgstr "" + +#: ClientCommand.cpp:1897 +msgctxt "helpcmd|Shutdown|args" +msgid "[message]" +msgstr "" + +#: ClientCommand.cpp:1898 +msgctxt "helpcmd|Shutdown|desc" +msgid "Shut down ZNC completely" +msgstr "" + +#: ClientCommand.cpp:1899 +msgctxt "helpcmd|Restart|args" +msgid "[message]" +msgstr "" + +#: ClientCommand.cpp:1900 +msgctxt "helpcmd|Restart|desc" +msgid "Restart ZNC" +msgstr "" + +#: Socket.cpp:342 +msgid "Can't resolve server hostname" +msgstr "" + +#: Socket.cpp:349 +msgid "" +"Can't resolve bind hostname. Try /znc ClearBindHost and /znc " +"ClearUserBindHost" +msgstr "" + +#: Socket.cpp:354 +msgid "Server address is IPv4-only, but bindhost is IPv6-only" +msgstr "" + +#: Socket.cpp:363 +msgid "Server address is IPv6-only, but bindhost is IPv4-only" +msgstr "" + +#: Socket.cpp:521 +msgid "Some socket reached its max buffer limit and was closed!" +msgstr "" + +#: SSLVerifyHost.cpp:481 +msgid "hostname doesn't match" +msgstr "" + +#: SSLVerifyHost.cpp:485 +msgid "malformed hostname in certificate" +msgstr "" + +#: SSLVerifyHost.cpp:489 +msgid "hostname verification error" +msgstr "" + +#: User.cpp:507 +msgid "" +"Invalid network name. It should be alphanumeric. Not to be confused with " +"server name" +msgstr "" + +#: User.cpp:511 +msgid "Network {1} already exists" +msgstr "" + +#: User.cpp:777 +msgid "" +"You are being disconnected because your IP is no longer allowed to connect " +"to this user" +msgstr "" + +#: User.cpp:912 +msgid "Password is empty" +msgstr "" + +#: User.cpp:917 +msgid "Username is empty" +msgstr "" + +#: User.cpp:922 +msgid "Username is invalid" +msgstr "" + +#: User.cpp:1199 +msgid "Unable to find modinfo {1}: {2}" +msgstr "" From 2a56d2f33c43f3eb5d28d9d8f231d0831c8e1d08 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Mon, 15 Jun 2020 00:29:06 +0000 Subject: [PATCH 422/798] Update translations from Crowdin for pl_PL --- TRANSLATORS.md | 1 + modules/po/adminlog.pl_PL.po | 4 ++-- modules/po/autoattach.pl_PL.po | 4 ++-- modules/po/controlpanel.pl_PL.po | 4 ++-- src/po/znc.pl_PL.po | 6 +++--- 5 files changed, 10 insertions(+), 9 deletions(-) diff --git a/TRANSLATORS.md b/TRANSLATORS.md index 14261cd3..db151470 100644 --- a/TRANSLATORS.md +++ b/TRANSLATORS.md @@ -24,6 +24,7 @@ These people helped translating ZNC to various languages: * SunOS * tojestzart (tojestzart) * Un1matr1x (Falk Seidel) +* Vimart * Wollino * Xaris_ (Xaris) * xAtlas (Atlas) diff --git a/modules/po/adminlog.pl_PL.po b/modules/po/adminlog.pl_PL.po index 50021085..6c381dea 100644 --- a/modules/po/adminlog.pl_PL.po +++ b/modules/po/adminlog.pl_PL.po @@ -16,7 +16,7 @@ msgstr "" #: adminlog.cpp:29 msgid "Show the logging target" -msgstr "Pokaż miejsce zapisywania dziennika" +msgstr "Pokaż miejsce docelowe zapisywania dziennika" #: adminlog.cpp:31 msgid " [path]" @@ -64,7 +64,7 @@ msgstr "Dziennik jest ustawiony do zapisu do obu: do pliku i syslog" #: adminlog.cpp:204 msgid "Log file will be written to {1}" -msgstr "Plik dziennika zostanie zapisany do {1}" +msgstr "Plik dziennika zostanie zapisany w {1}" #: adminlog.cpp:222 msgid "Log ZNC events to file and/or syslog." diff --git a/modules/po/autoattach.pl_PL.po b/modules/po/autoattach.pl_PL.po index 5b14bec1..951aae14 100644 --- a/modules/po/autoattach.pl_PL.po +++ b/modules/po/autoattach.pl_PL.po @@ -16,11 +16,11 @@ msgstr "" #: autoattach.cpp:94 msgid "Added to list" -msgstr "" +msgstr "Dodano do listy" #: autoattach.cpp:96 msgid "{1} is already added" -msgstr "" +msgstr "{1} już jest dodany" #: autoattach.cpp:100 msgid "Usage: Add [!]<#chan> " diff --git a/modules/po/controlpanel.pl_PL.po b/modules/po/controlpanel.pl_PL.po index 9d4ed8ce..b3e72f5c 100644 --- a/modules/po/controlpanel.pl_PL.po +++ b/modules/po/controlpanel.pl_PL.po @@ -703,7 +703,7 @@ msgstr "Usuń odpowiedź CTCP" #: controlpanel.cpp:1645 controlpanel.cpp:1648 msgid "[username] " -msgstr "[username] " +msgstr "[nazwa_użytkownika] " #: controlpanel.cpp:1646 msgid "Add a network for a user" @@ -715,7 +715,7 @@ msgstr "Usuń sieć użytkownikowi" #: controlpanel.cpp:1651 msgid "[username]" -msgstr "[username]" +msgstr "[nazwa_użytkownika]" #: controlpanel.cpp:1652 msgid "List all networks for a user" diff --git a/src/po/znc.pl_PL.po b/src/po/znc.pl_PL.po index bcd91b52..7df1f528 100644 --- a/src/po/znc.pl_PL.po +++ b/src/po/znc.pl_PL.po @@ -740,7 +740,7 @@ msgstr "SSL" #: ClientCommand.cpp:832 msgid "Usage: AddTrustedServerFingerprint " -msgstr "Użycie: AddTrustedServerFingerprint " +msgstr "Użycie: AddTrustedServerFingerprint " #: ClientCommand.cpp:836 ClientCommand.cpp:849 msgid "Done." @@ -1516,7 +1516,7 @@ msgstr "" #: ClientCommand.cpp:1827 msgctxt "helpcmd|LoadMod|args" msgid "[--type=global|user|network] [args]" -msgstr "[--type=global|user|network] [args]" +msgstr "[--type=global|user|network] [args]" #: ClientCommand.cpp:1829 msgctxt "helpcmd|LoadMod|desc" @@ -1536,7 +1536,7 @@ msgstr "" #: ClientCommand.cpp:1835 msgctxt "helpcmd|ReloadMod|args" msgid "[--type=global|user|network] [args]" -msgstr "[--type=global|user|network] [args]" +msgstr "[--type=global|user|network] [args]" #: ClientCommand.cpp:1837 msgctxt "helpcmd|ReloadMod|desc" From fd9d78b649c17634fa6f6c944e23d9df94323a02 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Mon, 15 Jun 2020 00:29:10 +0000 Subject: [PATCH 423/798] Update translations from Crowdin for pl_PL --- TRANSLATORS.md | 1 + modules/po/adminlog.pl_PL.po | 4 ++-- modules/po/autoattach.pl_PL.po | 4 ++-- modules/po/controlpanel.pl_PL.po | 4 ++-- src/po/znc.pl_PL.po | 6 +++--- 5 files changed, 10 insertions(+), 9 deletions(-) diff --git a/TRANSLATORS.md b/TRANSLATORS.md index 14261cd3..db151470 100644 --- a/TRANSLATORS.md +++ b/TRANSLATORS.md @@ -24,6 +24,7 @@ These people helped translating ZNC to various languages: * SunOS * tojestzart (tojestzart) * Un1matr1x (Falk Seidel) +* Vimart * Wollino * Xaris_ (Xaris) * xAtlas (Atlas) diff --git a/modules/po/adminlog.pl_PL.po b/modules/po/adminlog.pl_PL.po index 02222f60..7abc9fd4 100644 --- a/modules/po/adminlog.pl_PL.po +++ b/modules/po/adminlog.pl_PL.po @@ -16,7 +16,7 @@ msgstr "" #: adminlog.cpp:29 msgid "Show the logging target" -msgstr "Pokaż miejsce zapisywania dziennika" +msgstr "Pokaż miejsce docelowe zapisywania dziennika" #: adminlog.cpp:31 msgid " [path]" @@ -64,7 +64,7 @@ msgstr "Dziennik jest ustawiony do zapisu do obu: do pliku i syslog" #: adminlog.cpp:204 msgid "Log file will be written to {1}" -msgstr "Plik dziennika zostanie zapisany do {1}" +msgstr "Plik dziennika zostanie zapisany w {1}" #: adminlog.cpp:222 msgid "Log ZNC events to file and/or syslog." diff --git a/modules/po/autoattach.pl_PL.po b/modules/po/autoattach.pl_PL.po index 430ab9c0..711042c9 100644 --- a/modules/po/autoattach.pl_PL.po +++ b/modules/po/autoattach.pl_PL.po @@ -16,11 +16,11 @@ msgstr "" #: autoattach.cpp:94 msgid "Added to list" -msgstr "" +msgstr "Dodano do listy" #: autoattach.cpp:96 msgid "{1} is already added" -msgstr "" +msgstr "{1} już jest dodany" #: autoattach.cpp:100 msgid "Usage: Add [!]<#chan> " diff --git a/modules/po/controlpanel.pl_PL.po b/modules/po/controlpanel.pl_PL.po index 3dc169ae..d3ecee90 100644 --- a/modules/po/controlpanel.pl_PL.po +++ b/modules/po/controlpanel.pl_PL.po @@ -703,7 +703,7 @@ msgstr "Usuń odpowiedź CTCP" #: controlpanel.cpp:1645 controlpanel.cpp:1648 msgid "[username] " -msgstr "[username] " +msgstr "[nazwa_użytkownika] " #: controlpanel.cpp:1646 msgid "Add a network for a user" @@ -715,7 +715,7 @@ msgstr "Usuń sieć użytkownikowi" #: controlpanel.cpp:1651 msgid "[username]" -msgstr "[username]" +msgstr "[nazwa_użytkownika]" #: controlpanel.cpp:1652 msgid "List all networks for a user" diff --git a/src/po/znc.pl_PL.po b/src/po/znc.pl_PL.po index 904efcb2..b742f14a 100644 --- a/src/po/znc.pl_PL.po +++ b/src/po/znc.pl_PL.po @@ -740,7 +740,7 @@ msgstr "SSL" #: ClientCommand.cpp:832 msgid "Usage: AddTrustedServerFingerprint " -msgstr "Użycie: AddTrustedServerFingerprint " +msgstr "Użycie: AddTrustedServerFingerprint " #: ClientCommand.cpp:836 ClientCommand.cpp:849 msgid "Done." @@ -1516,7 +1516,7 @@ msgstr "" #: ClientCommand.cpp:1827 msgctxt "helpcmd|LoadMod|args" msgid "[--type=global|user|network] [args]" -msgstr "[--type=global|user|network] [args]" +msgstr "[--type=global|user|network] [args]" #: ClientCommand.cpp:1829 msgctxt "helpcmd|LoadMod|desc" @@ -1536,7 +1536,7 @@ msgstr "" #: ClientCommand.cpp:1835 msgctxt "helpcmd|ReloadMod|args" msgid "[--type=global|user|network] [args]" -msgstr "[--type=global|user|network] [args]" +msgstr "[--type=global|user|network] [args]" #: ClientCommand.cpp:1837 msgctxt "helpcmd|ReloadMod|desc" From 3d1ec986bb6043d06896da7185e41b498478b34f Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Tue, 16 Jun 2020 00:29:22 +0000 Subject: [PATCH 424/798] Update translations from Crowdin for pl_PL --- modules/po/adminlog.pl_PL.po | 4 +- modules/po/awaystore.pl_PL.po | 44 ++-- modules/po/controlpanel.pl_PL.po | 195 +++++++++-------- modules/po/watch.pl_PL.po | 80 +++---- modules/po/webadmin.pl_PL.po | 361 +++++++++++++++++-------------- src/po/znc.pl_PL.po | 4 +- 6 files changed, 371 insertions(+), 317 deletions(-) diff --git a/modules/po/adminlog.pl_PL.po b/modules/po/adminlog.pl_PL.po index 7abc9fd4..dcc4324b 100644 --- a/modules/po/adminlog.pl_PL.po +++ b/modules/po/adminlog.pl_PL.po @@ -20,7 +20,7 @@ msgstr "Pokaż miejsce docelowe zapisywania dziennika" #: adminlog.cpp:31 msgid " [path]" -msgstr " [path]" +msgstr " [ścieżka]" #: adminlog.cpp:32 msgid "Set the logging target" @@ -44,7 +44,7 @@ msgstr "Dziennik będzie teraz zapisywany do pliku i syslog" #: adminlog.cpp:168 msgid "Usage: Target [path]" -msgstr "Użycie: Target [path]" +msgstr "Użycie: Target [ścieżka]" #: adminlog.cpp:170 msgid "Unknown target" diff --git a/modules/po/awaystore.pl_PL.po b/modules/po/awaystore.pl_PL.po index d91f3710..48b2447d 100644 --- a/modules/po/awaystore.pl_PL.po +++ b/modules/po/awaystore.pl_PL.po @@ -16,95 +16,99 @@ msgstr "" #: awaystore.cpp:67 msgid "You have been marked as away" -msgstr "" +msgstr "Zostałeś oznaczony jako nieobecny" #: awaystore.cpp:78 awaystore.cpp:385 awaystore.cpp:388 msgid "Welcome back!" -msgstr "" +msgstr "Witamy ponownie!" #: awaystore.cpp:100 msgid "Deleted {1} messages" -msgstr "" +msgstr "Usunięto {1} wiadomości" #: awaystore.cpp:104 msgid "USAGE: delete " -msgstr "" +msgstr "UŻYCIE: delete " #: awaystore.cpp:109 msgid "Illegal message # requested" -msgstr "" +msgstr "Zażądano niedozwolonej wiadomości #" #: awaystore.cpp:113 msgid "Message erased" -msgstr "" +msgstr "Wiadomość została usunięta" #: awaystore.cpp:122 msgid "Messages saved to disk" -msgstr "" +msgstr "Wiadomości zapisane na dysku" #: awaystore.cpp:124 msgid "There are no messages to save" -msgstr "" +msgstr "Brak wiadomości do zapisania" #: awaystore.cpp:135 msgid "Password updated to [{1}]" -msgstr "" +msgstr "Hasło zaktualizowano do [{1}]" #: awaystore.cpp:147 msgid "Corrupt message! [{1}]" -msgstr "" +msgstr "Uszkodzona wiadomość! [{1}]" #: awaystore.cpp:159 msgid "Corrupt time stamp! [{1}]" -msgstr "" +msgstr "Uszkodzony znacznik czasu! [{1}]" #: awaystore.cpp:178 msgid "#--- End of messages" -msgstr "" +msgstr "#--- Koniec wiadomości" #: awaystore.cpp:183 msgid "Timer set to 300 seconds" -msgstr "" +msgstr "Odliczarka ustawiona na 300 sekund" #: awaystore.cpp:188 awaystore.cpp:197 msgid "Timer disabled" -msgstr "" +msgstr "Odliczarka wyłączona" #: awaystore.cpp:199 msgid "Timer set to {1} seconds" -msgstr "" +msgstr "Odliczarka ustawiona na {1} sekund" #: awaystore.cpp:203 msgid "Current timer setting: {1} seconds" -msgstr "" +msgstr "Bieżące ustawienie odliczarki: {1} sekund" #: awaystore.cpp:278 msgid "This module needs as an argument a keyphrase used for encryption" -msgstr "" +msgstr "Ten moduł potrzebuje hasła jako argumentu do szyfrowania" #: awaystore.cpp:285 msgid "" "Failed to decrypt your saved messages - Did you give the right encryption " "key as an argument to this module?" msgstr "" +"Nie udało się odszyfrować zapisanych wiadomości - Czy podałeś odpowiedni " +"klucz szyfrowania jako argument dla tego modułu?" #: awaystore.cpp:386 awaystore.cpp:389 msgid "You have {1} messages!" -msgstr "" +msgstr "Masz {1} wiadomość/(ści)!" #: awaystore.cpp:456 msgid "Unable to find buffer" -msgstr "" +msgstr "Nie można znaleźć bufora" #: awaystore.cpp:469 msgid "Unable to decode encrypted messages" -msgstr "" +msgstr "Nie można odszyfrować zaszyfrowanych wiadomości" #: awaystore.cpp:516 msgid "" "[ -notimer | -timer N ] [-chans] passw0rd . N is number of seconds, 600 by " "default." msgstr "" +"[ -notimer | -timer N ] [-kanały] h@sł0 . N jest liczbą sekund, 600 " +"domyślnie." #: awaystore.cpp:521 msgid "" diff --git a/modules/po/controlpanel.pl_PL.po b/modules/po/controlpanel.pl_PL.po index d3ecee90..f237c5d8 100644 --- a/modules/po/controlpanel.pl_PL.po +++ b/modules/po/controlpanel.pl_PL.po @@ -42,25 +42,31 @@ msgstr "Numer" #: controlpanel.cpp:126 msgid "The following variables are available when using the Set/Get commands:" -msgstr "" +msgstr "Podczas korzystania z poleceń Set/Get dostępne są następujące zmienne:" #: controlpanel.cpp:150 msgid "" "The following variables are available when using the SetNetwork/GetNetwork " "commands:" msgstr "" +"Podczas korzystania z poleceń SetNetwork/GetNetwork dostępne są następujące " +"zmienne:" #: controlpanel.cpp:164 msgid "" "The following variables are available when using the SetChan/GetChan " "commands:" msgstr "" +"Podczas korzystania z poleceń SetChan/GetChan dostępne są następujące " +"zmienne:" #: controlpanel.cpp:171 msgid "" "You can use $user as the user name and $network as the network name for " "modifying your own user and network." msgstr "" +"Możesz użyć $user jako użytkownik i $network jako nazwy sieci podczas edycji " +"własnego użytkownika i sieci." #: controlpanel.cpp:180 controlpanel.cpp:967 controlpanel.cpp:1004 msgid "Error: User [{1}] does not exist!" @@ -74,15 +80,15 @@ msgstr "" #: controlpanel.cpp:195 msgid "Error: You cannot use $network to modify other users!" -msgstr "" +msgstr "Błąd: Nie możesz użyć $network do modyfikacji innych użytkowników!" #: controlpanel.cpp:203 msgid "Error: User {1} does not have a network named [{2}]." -msgstr "" +msgstr "Błąd: Użytkownik {1} nie ma sieci o nazwie [{2}]." #: controlpanel.cpp:215 msgid "Usage: Get [username]" -msgstr "Użycie: Get [username]" +msgstr "Użycie: Get [nazwa_użytkownika]" #: controlpanel.cpp:305 controlpanel.cpp:508 controlpanel.cpp:583 #: controlpanel.cpp:659 controlpanel.cpp:794 controlpanel.cpp:879 @@ -105,15 +111,15 @@ msgstr "Odmowa dostępu!" #: controlpanel.cpp:377 controlpanel.cpp:386 controlpanel.cpp:843 msgid "Setting failed, limit for buffer size is {1}" -msgstr "" +msgstr "Ustawienie nie powiodło się, limit rozmiaru bufora wynosi {1}" #: controlpanel.cpp:406 msgid "Password has been changed!" -msgstr "" +msgstr "Hasło zostało zmienione!" #: controlpanel.cpp:414 msgid "Timeout can't be less than 30 seconds!" -msgstr "" +msgstr "Limit czasu nie może być krótszy niż 30 sekund!" #: controlpanel.cpp:478 msgid "That would be a bad idea!" @@ -125,15 +131,16 @@ msgstr "Wspierane języki: {1}" #: controlpanel.cpp:520 msgid "Usage: GetNetwork [username] [network]" -msgstr "Użycie: GetNetwork [username] [network]" +msgstr "Użycie: GetNetwork [nazwa_użytkownika] [sieć]" #: controlpanel.cpp:539 msgid "Error: A network must be specified to get another users settings." msgstr "" +"Błąd: należy określić sieć, aby uzyskać ustawienia innych użytkowników." #: controlpanel.cpp:545 msgid "You are not currently attached to a network." -msgstr "" +msgstr "Nie jesteś obecnie podłączony do sieci." #: controlpanel.cpp:551 msgid "Error: Invalid network." @@ -169,6 +176,7 @@ msgstr "Użycie: DelChan " #: controlpanel.cpp:718 msgid "Error: User {1} does not have any channel matching [{2}] in network {3}" msgstr "" +"Błąd: użytkownik {1} nie ma żadnego kanału pasującego do [{2}] w sieci {3}" #: controlpanel.cpp:731 msgid "Channel {1} is deleted from network {2} of user {3}" @@ -184,7 +192,7 @@ msgstr "Użycie: GetChan " #: controlpanel.cpp:760 controlpanel.cpp:824 msgid "Error: No channels matching [{1}] found." -msgstr "" +msgstr "Błąd: Nie znaleziono kanałów pasujących do [{1}]." #: controlpanel.cpp:809 msgid "Usage: SetChan " @@ -203,7 +211,7 @@ msgstr "Prawdziwe imię" #: controlpanel.cpp:892 controlpanel.cpp:904 controlpanel.cpp:906 msgctxt "listusers" msgid "IsAdmin" -msgstr "" +msgstr "JestAdministratorem" #: controlpanel.cpp:893 controlpanel.cpp:907 msgctxt "listusers" @@ -245,193 +253,199 @@ msgstr "Użycie: AddUser " #: controlpanel.cpp:931 msgid "Error: User {1} already exists!" -msgstr "" +msgstr "Błąd: Użytkownik {1} już istnieje!" #: controlpanel.cpp:943 controlpanel.cpp:1018 msgid "Error: User not added: {1}" -msgstr "" +msgstr "Błąd: Użytkownik nie został dodany: {1}" #: controlpanel.cpp:947 controlpanel.cpp:1022 msgid "User {1} added!" -msgstr "" +msgstr "Użytkownik {1} dodany!" #: controlpanel.cpp:954 msgid "Error: You need to have admin rights to delete users!" -msgstr "" +msgstr "Błąd: Musisz mieć uprawnienia administratora, aby usunąć użytkowników!" #: controlpanel.cpp:960 msgid "Usage: DelUser " -msgstr "" +msgstr "Użycie: DelUser " #: controlpanel.cpp:972 msgid "Error: You can't delete yourself!" -msgstr "" +msgstr "Błąd: Nie możesz usunąć sam siebie!" #: controlpanel.cpp:978 msgid "Error: Internal error!" -msgstr "" +msgstr "Błąd: Wewnętrzny błąd!" #: controlpanel.cpp:982 msgid "User {1} deleted!" -msgstr "" +msgstr "Użytkownik {1} skasowany!" #: controlpanel.cpp:997 msgid "Usage: CloneUser " -msgstr "" +msgstr "Użycie: CloneUser " #: controlpanel.cpp:1012 msgid "Error: Cloning failed: {1}" -msgstr "" +msgstr "Błąd: Klonowanie nie powiodło się: {1}" #: controlpanel.cpp:1041 msgid "Usage: AddNetwork [user] network" -msgstr "" +msgstr "Użycie: AddNetwork [użytkownik] sieć" #: controlpanel.cpp:1047 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks using /znc DelNetwork " msgstr "" +"Osiągnięto maksymalną liczbę sieci. Poproś administratora o zwiększenie " +"limitu dla Ciebie lub usuń niepotrzebne sieci za pomocą /znc DelNetwork " +"" #: controlpanel.cpp:1055 msgid "Error: User {1} already has a network with the name {2}" -msgstr "" +msgstr "Błąd: użytkownik {1} ma już sieć o nazwie {2}" #: controlpanel.cpp:1062 msgid "Network {1} added to user {2}." -msgstr "" +msgstr "Sieć {1} dodana do użytkownika {2}." #: controlpanel.cpp:1066 msgid "Error: Network [{1}] could not be added for user {2}: {3}" -msgstr "" +msgstr "Błąd: Nie można dodać sieci [{1}] dla użytkownika {2}: {3}" #: controlpanel.cpp:1086 msgid "Usage: DelNetwork [user] network" -msgstr "" +msgstr "Użycie: DelNetwork [użytkownik] sieć" #: controlpanel.cpp:1097 msgid "The currently active network can be deleted via {1}status" -msgstr "" +msgstr "Aktualnie aktywną sieć można usunąć za pomocą {1}status" #: controlpanel.cpp:1103 msgid "Network {1} deleted for user {2}." -msgstr "" +msgstr "Sieć {1} usunięta dla użytkownika {2}." #: controlpanel.cpp:1107 msgid "Error: Network {1} could not be deleted for user {2}." -msgstr "" +msgstr "Błąd: Sieć {1} nie może zostać usunięta dla użytkownika {2}." #: controlpanel.cpp:1126 controlpanel.cpp:1134 msgctxt "listnetworks" msgid "Network" -msgstr "" +msgstr "Sieć" #: controlpanel.cpp:1127 controlpanel.cpp:1136 controlpanel.cpp:1144 msgctxt "listnetworks" msgid "OnIRC" -msgstr "" +msgstr "Na IRCu?" #: controlpanel.cpp:1128 controlpanel.cpp:1137 msgctxt "listnetworks" msgid "IRC Server" -msgstr "" +msgstr "Serwer IRC" #: controlpanel.cpp:1129 controlpanel.cpp:1139 msgctxt "listnetworks" msgid "IRC User" -msgstr "" +msgstr "Użytkownik IRC" #: controlpanel.cpp:1130 controlpanel.cpp:1141 msgctxt "listnetworks" msgid "Channels" -msgstr "" +msgstr "Kanałów" #: controlpanel.cpp:1149 msgid "No networks" -msgstr "" +msgstr "Brak sieci" #: controlpanel.cpp:1160 msgid "Usage: AddServer [[+]port] [password]" -msgstr "" +msgstr "Usage: AddServer [[+]port] [hasło]" #: controlpanel.cpp:1174 msgid "Added IRC Server {1} to network {2} for user {3}." -msgstr "" +msgstr "Dodano serwer IRC {1} do sieci {2} dla użytkownika {3}." #: controlpanel.cpp:1178 msgid "Error: Could not add IRC server {1} to network {2} for user {3}." msgstr "" +"Błąd: Nie można dodać serwera IRC {1} do sieci {2} dla użytkownika {3}." #: controlpanel.cpp:1191 msgid "Usage: DelServer [[+]port] [password]" msgstr "" +"Użycie: DelServer [[+]port] [hasło]" #: controlpanel.cpp:1206 msgid "Deleted IRC Server {1} from network {2} for user {3}." -msgstr "" +msgstr "Usunięto serwer IRC {1} z sieci {2} dla użytkownika {3}." #: controlpanel.cpp:1210 msgid "Error: Could not delete IRC server {1} from network {2} for user {3}." msgstr "" +"Błąd: Nie można usunąć serwera IRC {1} z sieci {2} dla użytkownika {3}." #: controlpanel.cpp:1220 msgid "Usage: Reconnect " -msgstr "" +msgstr "Użycie: Reconnect " #: controlpanel.cpp:1247 msgid "Queued network {1} of user {2} for a reconnect." -msgstr "" +msgstr "Kolejkowana sieć {1} użytkownika {2} w celu ponownego połączenia." #: controlpanel.cpp:1256 msgid "Usage: Disconnect " -msgstr "" +msgstr "Użycie: Disconnect " #: controlpanel.cpp:1271 msgid "Closed IRC connection for network {1} of user {2}." -msgstr "" +msgstr "Zamknięte połączenie IRC dla sieci {1} użytkownika {2}." #: controlpanel.cpp:1286 controlpanel.cpp:1291 msgctxt "listctcp" msgid "Request" -msgstr "" +msgstr "Zapytanie" #: controlpanel.cpp:1287 controlpanel.cpp:1292 msgctxt "listctcp" msgid "Reply" -msgstr "" +msgstr "Odpowiedz" #: controlpanel.cpp:1296 msgid "No CTCP replies for user {1} are configured" -msgstr "" +msgstr "Żadne odpowiedzi CTCP dla użytkownika {1} nie są skonfigurowane" #: controlpanel.cpp:1299 msgid "CTCP replies for user {1}:" -msgstr "" +msgstr "Odpowiedzi CTCP dla użytkownika {1}:" #: controlpanel.cpp:1315 msgid "Usage: AddCTCP [user] [request] [reply]" -msgstr "" +msgstr "Użycie: AddCTCP [użytkownik] [zapytanie] [odpowiedź]" #: controlpanel.cpp:1317 msgid "" "This will cause ZNC to reply to the CTCP instead of forwarding it to clients." -msgstr "" +msgstr "Spowoduje to, że ZNC odpowie na CTCP zamiast przekazywać je klientom." #: controlpanel.cpp:1320 msgid "An empty reply will cause the CTCP request to be blocked." -msgstr "" +msgstr "Pusta odpowiedź spowoduje zablokowanie zapytań CTCP." #: controlpanel.cpp:1329 msgid "CTCP requests {1} to user {2} will now be blocked." -msgstr "" +msgstr "Zapytanie CTCP {1} dla użytkownika {2} zostanie teraz zablokowane." #: controlpanel.cpp:1333 msgid "CTCP requests {1} to user {2} will now get reply: {3}" -msgstr "" +msgstr "Zapytanie CTCP {1} dla użytkownika {2} otrzyma teraz odpowiedź: {3}" #: controlpanel.cpp:1350 msgid "Usage: DelCTCP [user] [request]" -msgstr "" +msgstr "Użycie: DelCTCP [użytkownik] [zapytanie]" #: controlpanel.cpp:1356 msgid "CTCP requests {1} to user {2} will now be sent to IRC clients" @@ -445,43 +459,44 @@ msgstr "" #: controlpanel.cpp:1370 controlpanel.cpp:1444 msgid "Loading modules has been disabled." -msgstr "" +msgstr "Ładowanie modułów zostało wyłączone." #: controlpanel.cpp:1379 msgid "Error: Unable to load module {1}: {2}" -msgstr "" +msgstr "Błąd: Nie udało się załadować modułu {1}: {2}" #: controlpanel.cpp:1382 msgid "Loaded module {1}" -msgstr "" +msgstr "Załadowano moduł {1}" #: controlpanel.cpp:1387 msgid "Error: Unable to reload module {1}: {2}" -msgstr "" +msgstr "Błąd: Nie udało się przeładować modułu {1}: {2}" #: controlpanel.cpp:1390 msgid "Reloaded module {1}" -msgstr "" +msgstr "Przeładowano moduł {1}" #: controlpanel.cpp:1394 msgid "Error: Unable to load module {1} because it is already loaded" -msgstr "" +msgstr "Błąd: Nie udało się załadować modułu {1}, ponieważ jest już załadowany" #: controlpanel.cpp:1405 msgid "Usage: LoadModule [args]" -msgstr "" +msgstr "Użycie: LoadModule [argumenty]" #: controlpanel.cpp:1424 msgid "Usage: LoadNetModule [args]" msgstr "" +"Użycie: LoadNetModule [argumenty]" #: controlpanel.cpp:1449 msgid "Please use /znc unloadmod {1}" -msgstr "" +msgstr "Użyj /znc unloadmod {1}" #: controlpanel.cpp:1455 msgid "Error: Unable to unload module {1}: {2}" -msgstr "" +msgstr "Błąd: Nie udało się wyładować modułu {1}: {2}" #: controlpanel.cpp:1458 msgid "Unloaded module {1}" @@ -515,7 +530,7 @@ msgstr "Załadowane moduły użytkownika {1}:" #: controlpanel.cpp:1551 msgid "Network {1} of user {2} has no modules loaded." -msgstr "" +msgstr "Sieć {1} użytkownika {2} nie ma załadowanych modułów." #: controlpanel.cpp:1556 msgid "Modules loaded for network {1} of user {2}:" @@ -523,7 +538,7 @@ msgstr "Moduły załadowane dla sieci {1} użytkownika {2}:" #: controlpanel.cpp:1563 msgid "[command] [variable]" -msgstr "[command] [variable]" +msgstr "[polecenie] [zmienna]" #: controlpanel.cpp:1564 msgid "Prints help for matching commands and variables" @@ -531,11 +546,11 @@ msgstr "" #: controlpanel.cpp:1567 msgid " [username]" -msgstr " [username]" +msgstr " [nazwa_użytkownika]" #: controlpanel.cpp:1568 msgid "Prints the variable's value for the given or current user" -msgstr "" +msgstr "Wypisuje wartość zmiennej dla danego lub bieżącego użytkownika" #: controlpanel.cpp:1570 msgid " " @@ -543,15 +558,15 @@ msgstr " " #: controlpanel.cpp:1571 msgid "Sets the variable's value for the given user" -msgstr "" +msgstr "Ustawia wartość zmiennej dla danego użytkownika" #: controlpanel.cpp:1573 msgid " [username] [network]" -msgstr " [username] [network]" +msgstr " [nazwa_użytkownika] [sieć]" #: controlpanel.cpp:1574 msgid "Prints the variable's value for the given network" -msgstr "" +msgstr "Wypisuje wartość zmiennej dla danej sieci" #: controlpanel.cpp:1576 msgid " " @@ -559,15 +574,15 @@ msgstr " " #: controlpanel.cpp:1577 msgid "Sets the variable's value for the given network" -msgstr "" +msgstr "Ustawia wartość zmiennej dla danej sieci" #: controlpanel.cpp:1579 msgid " [username] " -msgstr " [username] " +msgstr " [nazwa_użytkownika] " #: controlpanel.cpp:1580 msgid "Prints the variable's value for the given channel" -msgstr "" +msgstr "Wypisuje wartość zmiennej dla danego kanału" #: controlpanel.cpp:1583 msgid " " @@ -575,7 +590,7 @@ msgstr " " #: controlpanel.cpp:1584 msgid "Sets the variable's value for the given channel" -msgstr "" +msgstr "Ustawia wartość zmiennej dla danego kanału" #: controlpanel.cpp:1586 controlpanel.cpp:1589 msgid " " @@ -599,39 +614,39 @@ msgstr " " #: controlpanel.cpp:1595 msgid "Adds a new user" -msgstr "" +msgstr "Dodaje nowego użytkownika" #: controlpanel.cpp:1597 controlpanel.cpp:1620 controlpanel.cpp:1634 msgid "" -msgstr "" +msgstr "" #: controlpanel.cpp:1597 msgid "Deletes a user" -msgstr "" +msgstr "Usuwa użytkownika" #: controlpanel.cpp:1599 msgid " " -msgstr "" +msgstr " " #: controlpanel.cpp:1600 msgid "Clones a user" -msgstr "" +msgstr "Klonuje użytkownika" #: controlpanel.cpp:1602 controlpanel.cpp:1605 msgid " " -msgstr "" +msgstr " " #: controlpanel.cpp:1603 msgid "Adds a new IRC server for the given or current user" -msgstr "" +msgstr "Dodaje nowy serwer IRC dla danego lub bieżącego użytkownika" #: controlpanel.cpp:1606 msgid "Deletes an IRC server from the given or current user" -msgstr "" +msgstr "Usuwa serwer IRC od danego lub bieżącego użytkownika" #: controlpanel.cpp:1608 controlpanel.cpp:1611 controlpanel.cpp:1631 msgid " " -msgstr "" +msgstr " " #: controlpanel.cpp:1609 msgid "Cycles the user's IRC server connection" @@ -639,31 +654,31 @@ msgstr "" #: controlpanel.cpp:1612 msgid "Disconnects the user from their IRC server" -msgstr "" +msgstr "Odłącza użytkownika od jego serwera IRC" #: controlpanel.cpp:1614 msgid " [args]" -msgstr "" +msgstr " [argumenty]" #: controlpanel.cpp:1615 msgid "Loads a Module for a user" -msgstr "" +msgstr "Ładuje moduł dla użytkownika" #: controlpanel.cpp:1617 msgid " " -msgstr "" +msgstr " " #: controlpanel.cpp:1618 msgid "Removes a Module of a user" -msgstr "" +msgstr "Usuwa moduł użytkownika" #: controlpanel.cpp:1621 msgid "Get the list of modules for a user" -msgstr "" +msgstr "Uzyskaj listę modułów dla użytkownika" #: controlpanel.cpp:1624 msgid " [args]" -msgstr "" +msgstr " [argumenty]" #: controlpanel.cpp:1625 msgid "Loads a Module for a network" @@ -675,7 +690,7 @@ msgstr "" #: controlpanel.cpp:1629 msgid "Removes a Module of a network" -msgstr "" +msgstr "Usuwa moduł z sieci" #: controlpanel.cpp:1632 msgid "Get the list of modules for a network" @@ -687,7 +702,7 @@ msgstr "Lista skonfigurowanych odpowiedzi CTCP" #: controlpanel.cpp:1637 msgid " [reply]" -msgstr " [reply]" +msgstr " [odpowiedź]" #: controlpanel.cpp:1638 msgid "Configure a new CTCP reply" diff --git a/modules/po/watch.pl_PL.po b/modules/po/watch.pl_PL.po index f34b611b..ee6c3fdf 100644 --- a/modules/po/watch.pl_PL.po +++ b/modules/po/watch.pl_PL.po @@ -16,47 +16,47 @@ msgstr "" #: watch.cpp:178 msgid " [Target] [Pattern]" -msgstr "" +msgstr " [Cel] [Wzorzec]" #: watch.cpp:178 msgid "Used to add an entry to watch for." -msgstr "" +msgstr "Służy do dodawania wpisu, na który będzie się oczekiwać." #: watch.cpp:180 msgid "List all entries being watched." -msgstr "" +msgstr "Lista wszystkich oczekiwanych wpisów." #: watch.cpp:182 msgid "Dump a list of all current entries to be used later." -msgstr "" +msgstr "Zrzuć listę wszystkich bieżących wpisów do późniejszego wykorzystania." #: watch.cpp:184 msgid "" -msgstr "" +msgstr "" #: watch.cpp:184 msgid "Deletes Id from the list of watched entries." -msgstr "" +msgstr "Usuwa identyfikator z listy oczekiwanych wpisów." #: watch.cpp:186 msgid "Delete all entries." -msgstr "" +msgstr "Usuń wszystkie wpisy." #: watch.cpp:188 watch.cpp:190 msgid "" -msgstr "" +msgstr "" #: watch.cpp:188 msgid "Enable a disabled entry." -msgstr "" +msgstr "Włącz wyłączony wpis." #: watch.cpp:190 msgid "Disable (but don't delete) an entry." -msgstr "" +msgstr "Wyłącz (ale nie usuwaj) wpis." #: watch.cpp:192 watch.cpp:194 msgid " " -msgstr "" +msgstr " " #: watch.cpp:192 msgid "Enable or disable detached client only for an entry." @@ -68,83 +68,83 @@ msgstr "" #: watch.cpp:196 msgid " [#chan priv #foo* !#bar]" -msgstr "" +msgstr " [#kanał priv #foo* !#bar]" #: watch.cpp:196 msgid "Set the source channels that you care about." -msgstr "" +msgstr "Ustaw kanały źródłowe, na których Ci zależy." #: watch.cpp:237 msgid "WARNING: malformed entry found while loading" -msgstr "" +msgstr "UWAGA: wykryto nieprawidłowy wpis podczas ładowania" #: watch.cpp:382 msgid "Disabled all entries." -msgstr "" +msgstr "Wyłączono wszystkie wpisy." #: watch.cpp:383 msgid "Enabled all entries." -msgstr "" +msgstr "Włączono wszystkie wpisy." #: watch.cpp:390 watch.cpp:432 watch.cpp:474 watch.cpp:577 watch.cpp:619 msgid "Invalid Id" -msgstr "" +msgstr "Nieprawidłowy nr Id" #: watch.cpp:399 msgid "Id {1} disabled" -msgstr "" +msgstr "Identyfikator {1} wyłączony" #: watch.cpp:401 msgid "Id {1} enabled" -msgstr "" +msgstr "Identyfikator {1} włączony" #: watch.cpp:423 msgid "Set DetachedClientOnly for all entries to Yes" -msgstr "" +msgstr "Ustaw DetachedClientOnly dla wszystkich wpisów na Tak" #: watch.cpp:425 msgid "Set DetachedClientOnly for all entries to No" -msgstr "" +msgstr "Ustaw DetachedClientOnly dla wszystkich wpisów na Nie" #: watch.cpp:441 watch.cpp:483 msgid "Id {1} set to Yes" -msgstr "" +msgstr "Identyfikator {1} ustawiony na Tak" #: watch.cpp:443 watch.cpp:485 msgid "Id {1} set to No" -msgstr "" +msgstr "Identyfikator {1} ustawiony na Nie" #: watch.cpp:465 msgid "Set DetachedChannelOnly for all entries to Yes" -msgstr "" +msgstr "Ustaw DetachedChannelOnly dla wszystkich wpisów na Tak" #: watch.cpp:467 msgid "Set DetachedChannelOnly for all entries to No" -msgstr "" +msgstr "Ustaw DetachedChannelOnly dla wszystkich wpisów na Nie" #: watch.cpp:491 watch.cpp:507 msgid "Id" -msgstr "" +msgstr "Id" #: watch.cpp:492 watch.cpp:508 msgid "HostMask" -msgstr "" +msgstr "MaskaHosta" #: watch.cpp:493 watch.cpp:509 msgid "Target" -msgstr "" +msgstr "Cel" #: watch.cpp:494 watch.cpp:510 msgid "Pattern" -msgstr "" +msgstr "Wzorzec" #: watch.cpp:495 watch.cpp:511 msgid "Sources" -msgstr "" +msgstr "Źródła" #: watch.cpp:496 watch.cpp:512 watch.cpp:513 msgid "Off" -msgstr "" +msgstr "Wyłączony" #: watch.cpp:497 watch.cpp:515 msgid "DetachedClientOnly" @@ -156,31 +156,31 @@ msgstr "" #: watch.cpp:516 watch.cpp:519 msgid "Yes" -msgstr "" +msgstr "Tak" #: watch.cpp:516 watch.cpp:519 msgid "No" -msgstr "" +msgstr "Nie" #: watch.cpp:525 watch.cpp:531 msgid "You have no entries." -msgstr "" +msgstr "Nie masz wpisów." #: watch.cpp:585 msgid "Sources set for Id {1}." -msgstr "" +msgstr "Źródła ustawione dla Id {1}." #: watch.cpp:609 msgid "All entries cleared." -msgstr "" +msgstr "Wszystkie wpisy zostały usunięte." #: watch.cpp:627 msgid "Id {1} removed." -msgstr "" +msgstr "Id {1} został usunięty." #: watch.cpp:646 msgid "Entry for {1} already exists." -msgstr "" +msgstr "Wpis dla {1} już istnieje." #: watch.cpp:654 msgid "Adding entry: {1} watching for [{2}] -> {3}" @@ -188,8 +188,8 @@ msgstr "" #: watch.cpp:660 msgid "Watch: Not enough arguments. Try Help" -msgstr "" +msgstr "Watch: Za mało argumentów. Spróbuj pomocy" #: watch.cpp:702 msgid "Copy activity from a specific user into a separate window" -msgstr "" +msgstr "Skopiuj aktywność określonego użytkownika do osobnego okna" diff --git a/modules/po/webadmin.pl_PL.po b/modules/po/webadmin.pl_PL.po index 3acaab1c..2e4aee0d 100644 --- a/modules/po/webadmin.pl_PL.po +++ b/modules/po/webadmin.pl_PL.po @@ -16,186 +16,193 @@ msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:12 msgid "Channel Info" -msgstr "" +msgstr "Informacje o kanale" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:17 msgid "Channel Name:" -msgstr "" +msgstr "Nazwa kanału:" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:19 msgid "The channel name." -msgstr "" +msgstr "Podaj nazwę kanału." #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:24 msgid "Key:" -msgstr "" +msgstr "Klucz:" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:26 msgid "The password of the channel, if there is one." -msgstr "" +msgstr "Hasło kanału, jeśli takie istnieje." #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:30 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:241 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:260 msgid "Buffer Size:" -msgstr "" +msgstr "Rozmiar bufora:" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:32 msgid "The buffer count." -msgstr "" +msgstr "Liczba bufora." #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:36 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:235 msgid "Default Modes:" -msgstr "" +msgstr "Tryby domyślne:" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:38 msgid "The default modes of the channel." -msgstr "" +msgstr "Domyślne tryby kanału." #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:46 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:270 msgid "Flags" -msgstr "" +msgstr "Flagi" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:51 msgid "Save to config" -msgstr "" +msgstr "Zapisz do konfiguracji" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:67 #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:282 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:410 msgid "Module {1}" -msgstr "" +msgstr "Moduł {1}" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:75 #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:290 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:419 msgid "Save and return" -msgstr "" +msgstr "Zapisz i wróć" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:76 #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:291 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:420 msgid "Save and continue" -msgstr "" +msgstr "Zapisz i kontynuuj" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:78 msgid "Add Channel and return" -msgstr "" +msgstr "Dodaj kanał i wróć" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:79 msgid "Add Channel and continue" -msgstr "" +msgstr "Dodaj kanał i kontynuuj" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:8 #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:11 msgid "<password>" -msgstr "" +msgstr "<hasło>" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:11 #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:12 msgid "<network>" -msgstr "" +msgstr "<sieć>" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:14 msgid "" "To connect to this network from your IRC client, you can set the server " "password field as {1} or username field as {2}" msgstr "" +"Aby połączyć się z tą siecią za pomocą klienta IRC, możesz ustawić pole " +"hasła serwera jako {1} lub pole nazwy użytkownika jako {2}" +"" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:24 msgid "Network Info" -msgstr "" +msgstr "Informacje o sieci" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:25 msgid "" "Nick, AltNick, Ident, RealName, BindHost can be left empty to use the value " "from the user." msgstr "" +"Pseudonim, PseudonimAlternatywny, Ident, PrawdziweImię, HostPrzypięcia mogą " +"pozostać puste, aby użyć wartości użytkownika." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:29 msgid "Network Name:" -msgstr "" +msgstr "Nazwa sieci:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:31 msgid "The name of the IRC network." -msgstr "" +msgstr "Nazwa sieci IRC." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:35 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:69 msgid "Nickname:" -msgstr "" +msgstr "Pseudonim:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:37 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:71 msgid "Your nickname on IRC." -msgstr "" +msgstr "Twój pseudonim na IRC." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:40 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:74 msgid "Alt. Nickname:" -msgstr "" +msgstr "Alternatywny pseudonim:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:42 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:76 msgid "Your secondary nickname, if the first is not available on IRC." -msgstr "" +msgstr "Twój dodatkowy pseudonim, jeśli pierwszy nie jest dostępny na IRC." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:46 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:80 msgid "Ident:" -msgstr "" +msgstr "Ident:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:48 msgid "Your ident." -msgstr "" +msgstr "Twój ident." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:51 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:91 msgid "Realname:" -msgstr "" +msgstr "Prawdziwe imię:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:53 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:93 msgid "Your real name." -msgstr "" +msgstr "Twoje prawdziwe imię." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:58 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:99 msgid "BindHost:" -msgstr "" +msgstr "Host przypięcia:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:65 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:112 msgid "Quit Message:" -msgstr "" +msgstr "Wiadomość zakończenia:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:67 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:114 msgid "You may define a Message shown, when you quit IRC." -msgstr "" +msgstr "Możesz zdefiniować wyświetlaną wiadomość po wyjściu z IRC." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:71 msgid "Active:" -msgstr "" +msgstr "Aktywne:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:73 msgid "Connect to IRC & automatically re-connect" -msgstr "" +msgstr "Połącz się z IRC & automatycznie połącz ponownie" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:77 msgid "Trust all certs:" -msgstr "" +msgstr "Zaufaj wszystkim certyfikatom:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:79 msgid "" "Disable certificate validation (takes precedence over TrustPKI). INSECURE!" msgstr "" +"Wyłącz sprawdzanie poprawności certyfikatu (ma pierwszeństwo przed " +"ZaufajPKI). NIEBEZPIECZNE!" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:83 msgid "Automatically detect trusted certificates (Trust the PKI):" -msgstr "" +msgstr "Automatycznie wykryj zaufane certyfikaty (Zaufaj PKI):" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:85 msgid "" @@ -206,43 +213,45 @@ msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:89 #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:96 msgid "Servers of this IRC network:" -msgstr "" +msgstr "Serwery tej sieci IRC:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:93 msgid "One server per line, “host [[+]port] [password]”, + means SSL" -msgstr "" +msgstr "Jeden serwer w wierszu, “host [[+]port] [hasło]”, + oznacza SSL" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:101 msgid "Hostname" -msgstr "" +msgstr "Nazwa hosta" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:102 #: modules/po/../data/webadmin/tmpl/settings.tmpl:13 msgid "Port" -msgstr "" +msgstr "Port" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:103 #: modules/po/../data/webadmin/tmpl/settings.tmpl:15 msgid "SSL" -msgstr "" +msgstr "SSL" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:104 msgid "Password" -msgstr "" +msgstr "Hasło" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:116 msgid "SHA-256 fingerprints of trusted SSL certificates of this IRC network:" -msgstr "" +msgstr "Odciski palców SHA-256 zaufanych certyfikatów SSL tej sieci IRC:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:120 msgid "" "When these certificates are encountered, checks for hostname, expiration " "date, CA are skipped" msgstr "" +"Po napotkaniu tych certyfikatów pomijane jest sprawdzanie nazwy hosta, daty " +"ważności i urzędu certyfikacji" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:124 msgid "Flood protection:" -msgstr "" +msgstr "Ochrona przed zalaniem:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:127 msgid "" @@ -254,7 +263,7 @@ msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:130 msgctxt "Flood Protection" msgid "Enabled" -msgstr "" +msgstr "Włączone" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:134 msgid "Flood protection rate:" @@ -295,20 +304,20 @@ msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:160 msgid "{1} seconds" -msgstr "" +msgstr "{1} sekund" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:165 msgid "Character encoding used between ZNC and IRC server." -msgstr "" +msgstr "Kodowanie znaków używane między ZNC a serwerem IRC." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:166 msgid "Server encoding:" -msgstr "" +msgstr "Kodowanie serwera:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:176 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:231 msgid "Channels" -msgstr "" +msgstr "Kanały" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:178 msgid "" @@ -321,13 +330,13 @@ msgstr "" #: modules/po/../data/webadmin/tmpl/listusers.tmpl:15 #: modules/po/../data/webadmin/tmpl/settings.tmpl:72 msgid "Add" -msgstr "" +msgstr "Dodaj" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:187 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:430 #: modules/po/../data/webadmin/tmpl/settings.tmpl:237 msgid "Save" -msgstr "" +msgstr "Zapisz" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:188 #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:228 @@ -335,106 +344,106 @@ msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:174 #: modules/po/../data/webadmin/tmpl/settings.tmpl:176 msgid "Name" -msgstr "" +msgstr "Nazwa" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:189 msgid "CurModes" -msgstr "" +msgstr "AktualneTryby" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:190 msgid "DefModes" -msgstr "" +msgstr "DomyślneTryby" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:191 msgid "BufferSize" -msgstr "" +msgstr "RozmiarBufora" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:192 msgid "Options" -msgstr "" +msgstr "Opcje" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:194 msgid "← Add a channel (opens in same page)" -msgstr "" +msgstr "← Dodaj kanał (otwiera się na tej samej stronie)" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:204 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:146 #: modules/po/../data/webadmin/tmpl/listusers.tmpl:27 msgid "Edit" -msgstr "" +msgstr "Edytuj" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:204 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:146 #: modules/po/../data/webadmin/tmpl/settings.tmpl:53 msgid "Del" -msgstr "" +msgstr "Usuń" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:222 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:168 msgid "Modules" -msgstr "" +msgstr "Moduły" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:229 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:175 #: modules/po/../data/webadmin/tmpl/settings.tmpl:177 msgid "Arguments" -msgstr "" +msgstr "Argumenty" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:230 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:176 #: modules/po/../data/webadmin/tmpl/settings.tmpl:178 msgid "Description" -msgstr "" +msgstr "Opis" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:231 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:177 msgid "Loaded globally" -msgstr "" +msgstr "Załadowany globalnie" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:232 msgid "Loaded by user" -msgstr "" +msgstr "Załadowany przez użytkownika" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:293 msgid "Add Network and return" -msgstr "" +msgstr "Dodaj sieć i wróć" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:294 msgid "Add Network and continue" -msgstr "" +msgstr "Dodaj sieć i kontynuuj" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:15 msgid "Authentication" -msgstr "" +msgstr "Uwierzytelnianie" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:19 msgid "Username:" -msgstr "" +msgstr "Nazwa użytkownika:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:29 msgid "Please enter a username." -msgstr "" +msgstr "Proszę wpisać nazwę użytkownika." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:34 msgid "Password:" -msgstr "" +msgstr "Hasło:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:36 msgid "Please enter a password." -msgstr "" +msgstr "Proszę wpisać hasło." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:39 msgid "Confirm password:" -msgstr "" +msgstr "Potwierdź hasło:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:41 msgid "Please re-type the above password." -msgstr "" +msgstr "Proszę powtórzyć powyższe hasło." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:44 #: modules/po/../data/webadmin/tmpl/settings.tmpl:151 msgid "Auth Only Via Module:" -msgstr "" +msgstr "Uwierzytelnij tylko poprzez moduł:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:46 msgid "" @@ -444,7 +453,7 @@ msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:50 msgid "Allowed IPs:" -msgstr "" +msgstr "Dozwolone adresy IP:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:54 msgid "" @@ -484,52 +493,54 @@ msgstr "" #: modules/po/../data/webadmin/tmpl/listusers.tmpl:17 #: modules/po/../data/webadmin/tmpl/traffic.tmpl:39 msgid "Networks" -msgstr "" +msgstr "Sieci" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:132 #: modules/po/../data/webadmin/tmpl/listusers.tmpl:18 msgid "Clients" -msgstr "" +msgstr "Klienci" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:133 msgid "Current Server" -msgstr "" +msgstr "Bieżący serwer" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:134 msgid "Nick" -msgstr "" +msgstr "Pseudonim" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:136 msgid "← Add a network (opens in same page)" -msgstr "" +msgstr "← Dodaj sieć (otwiera się na tej samej stronie)" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:160 msgid "" "You will be able to add + modify networks here after you have cloned the " "user." msgstr "" +"Będziesz mógł tutaj dodawać + modyfikować sieci po sklonowaniu użytkownika." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:162 msgid "" "You will be able to add + modify networks here after you have created the " "user." msgstr "" +"Będziesz mógł tutaj dodawać + modyfikować sieci po utworzeniu użytkownika." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:178 #: modules/po/../data/webadmin/tmpl/settings.tmpl:179 msgid "Loaded by networks" -msgstr "" +msgstr "Załadowane przez sieci" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:237 msgid "" "These are the default modes ZNC will set when you join an empty channel." -msgstr "" +msgstr "Są to domyślne tryby, które ZNC ustawi po wejściu do pustego kanału." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:238 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:244 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:263 msgid "Empty = use standard value" -msgstr "" +msgstr "Puste = użyj wartości standardowej" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:243 msgid "" @@ -537,18 +548,21 @@ msgid "" "before dropping off the oldest line. The buffers are stored in the memory by " "default." msgstr "" +"Jest to ilość linii, których bufor odtwarzania będzie przechowywać dla " +"kanałów przed porzuceniem najstarszej linii. Bufory te są domyślnie " +"przechowywane w pamięci operacyjnej." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:251 msgid "Queries" -msgstr "" +msgstr "Rozmowy" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:255 msgid "Max Buffers:" -msgstr "" +msgstr "Maksymalnie buforów:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:257 msgid "Maximum number of query buffers. 0 is unlimited." -msgstr "" +msgstr "Maksymalna liczba buforów rozmów. 0 jest nieograniczona." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:262 msgid "" @@ -556,19 +570,24 @@ msgid "" "before dropping off the oldest line. The buffers are stored in the memory by " "default." msgstr "" +"Jest to ilość linii, których bufor odtwarzania będzie przechowywać dla " +"rozmów przed porzuceniem najstarszej linii. Bufory te są domyślnie " +"przechowywane w pamięci operacyjnej." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:285 msgid "ZNC Behavior" -msgstr "" +msgstr "Zachowanie ZNC" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:286 msgid "" "Any of the following text boxes can be left empty to use their default value." msgstr "" +"Każde z poniższych pól tekstowych można pozostawić puste, aby użyć ich " +"wartości domyślnej." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:290 msgid "Timestamp Format:" -msgstr "" +msgstr "Format znacznika czasu:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:292 msgid "" @@ -576,46 +595,56 @@ msgid "" "setting is ignored in new IRC clients, which use server-time. If your client " "supports server-time, change timestamp format in client settings instead." msgstr "" +"Format znaczników czasu używanych w buforach, na przykład [%H:%M:%S]. To " +"ustawienie jest ignorowane w nowych klientach IRC, które używają czasu " +"serwera. Jeśli Twój klient obsługuje czas serwera, zmień format znacznika " +"czasu w ustawieniach klienta." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:295 msgid "Timezone:" -msgstr "" +msgstr "Strefa czasowa:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:298 msgid "E.g. Europe/Berlin, or GMT-6" -msgstr "" +msgstr "Np. Europa/Warszawa, lub GMT-6" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:306 msgid "Character encoding used between IRC client and ZNC." -msgstr "" +msgstr "Kodowanie znaków używane między klientem IRC a ZNC." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:307 msgid "Client encoding:" -msgstr "" +msgstr "Kodowanie klienta:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:312 msgid "Join Tries:" -msgstr "" +msgstr "Prób dołączenia:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:314 msgid "" "This defines how many times ZNC tries to join a channel, if the first join " "failed, e.g. due to channel mode +i/+k or if you are banned." msgstr "" +"Określa, ile razy ZNC próbuje dołączyć do kanału, jeśli pierwsze dołączenie " +"nie powiodło się, np. z powodu trybu kanału +i/+k lub jeśli jesteś " +"zablokowany." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:317 msgid "Join speed:" -msgstr "" +msgstr "Szybkość dołączania:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:319 msgid "" "How many channels are joined in one JOIN command. 0 is unlimited (default). " "Set to small positive value if you get disconnected with “Max SendQ Exceeded”" msgstr "" +"Do ilu kanałów dołączasz w jednym poleceniu JOIN. 0 jest nieograniczone " +"(domyślnie). Ustaw na małą wartość dodatnią, jeśli rozłączy Ciebie " +"wiadomością “Max SendQ Exceeded”" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:322 msgid "Timeout before reconnect:" -msgstr "" +msgstr "Czas oczekiwania przed ponownym połączeniem:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:324 msgid "" @@ -626,84 +655,84 @@ msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:327 msgid "Max IRC Networks Number:" -msgstr "" +msgstr "Maksymalna liczba sieci IRC:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:329 msgid "Maximum number of IRC networks allowed for this user." -msgstr "" +msgstr "Maksymalna liczba sieci IRC dozwolona dla tego użytkownika." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:332 msgid "Substitutions" -msgstr "" +msgstr "Podstawienia" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:334 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:342 msgid "CTCP Replies:" -msgstr "" +msgstr "Odpowiedzi CTCP:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:338 msgid "One reply per line. Example: TIME Buy a watch!" -msgstr "" +msgstr "Jedna odpowiedź na linię. Przykład:TIME Kup zegarek!" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:339 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:355 msgid "{1} are available" -msgstr "" +msgstr "{1} są dostępne" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:341 msgid "Empty value means this CTCP request will be ignored" -msgstr "" +msgstr "Pusta wartość oznacza, że to zapytanie CTCP zostanie zignorowane" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:347 msgid "Request" -msgstr "" +msgstr "Zapytanie" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:348 msgid "Response" -msgstr "" +msgstr "Odpowiedź" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:373 #: modules/po/../data/webadmin/tmpl/settings.tmpl:90 msgid "Skin:" -msgstr "" +msgstr "Skórka:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:377 msgid "- Global -" -msgstr "" +msgstr "- Globalna -" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:379 #: modules/po/../data/webadmin/tmpl/settings.tmpl:94 msgid "Default" -msgstr "" +msgstr "Domyślna" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:383 msgid "No other skins found" -msgstr "" +msgstr "Nie znaleziono innych skórek" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:389 msgid "Language:" -msgstr "" +msgstr "Język:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:422 msgid "Clone and return" -msgstr "" +msgstr "Sklonuj i wróć" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:423 msgid "Clone and continue" -msgstr "" +msgstr "Sklonuj i kontynuuj" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:425 msgid "Create and return" -msgstr "" +msgstr "Utwórz i wróć" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:426 msgid "Create and continue" -msgstr "" +msgstr "Utwórz i kontynuuj" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:432 #: modules/po/../data/webadmin/tmpl/listusers.tmpl:28 msgid "Clone" -msgstr "" +msgstr "Sklonuj" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:434 msgid "Create" @@ -711,7 +740,7 @@ msgstr "" #: modules/po/../data/webadmin/tmpl/del_network.tmpl:5 msgid "Confirm Network Deletion" -msgstr "" +msgstr "Potwierdź usunięcie sieci" #: modules/po/../data/webadmin/tmpl/del_network.tmpl:9 msgid "Are you sure you want to delete network “{2}” of user “{1}”?" @@ -886,7 +915,7 @@ msgstr "" #: modules/po/../data/webadmin/tmpl/settings.tmpl:158 msgid "MOTD:" -msgstr "" +msgstr "Wiadomość dnia:" #: modules/po/../data/webadmin/tmpl/settings.tmpl:162 msgid "“Message of the Day”, sent to all ZNC users on connect." @@ -906,28 +935,28 @@ msgstr "" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:13 msgid "Uptime" -msgstr "" +msgstr "Czas działania" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:18 msgid "Total Users" -msgstr "" +msgstr "Wszystkich użytkowników" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:22 msgid "Total Networks" -msgstr "" +msgstr "Wszystkich sieci" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:26 #: modules/po/../data/webadmin/tmpl/traffic.tmpl:43 msgid "Attached Networks" -msgstr "" +msgstr "Połączone sieci" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:30 msgid "Total Client Connections" -msgstr "" +msgstr "Łączna liczba połączeń klientów" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:34 msgid "Total IRC Connections" -msgstr "" +msgstr "Łączna liczba połączeń IRC" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:47 msgid "Client Connections" @@ -942,52 +971,52 @@ msgstr "" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:89 #: modules/po/../data/webadmin/tmpl/traffic.tmpl:117 msgid "Total" -msgstr "" +msgstr "Suma" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:70 #: modules/po/../data/webadmin/tmpl/traffic.tmpl:115 msgctxt "Traffic" msgid "In" -msgstr "" +msgstr "Przychodzący" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:71 #: modules/po/../data/webadmin/tmpl/traffic.tmpl:116 msgctxt "Traffic" msgid "Out" -msgstr "" +msgstr "Wychodzący" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:77 #: modules/po/../data/webadmin/tmpl/traffic.tmpl:104 msgid "Users" -msgstr "" +msgstr "Użytkownicy" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:106 msgid "Traffic" -msgstr "" +msgstr "Ruch sieciowy" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:113 msgid "User" -msgstr "" +msgstr "Użytkownik" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:114 msgid "Network" -msgstr "" +msgstr "Sieć" #: webadmin.cpp:91 webadmin.cpp:1872 msgid "Global Settings" -msgstr "" +msgstr "Ustawienia globalne" #: webadmin.cpp:93 msgid "Your Settings" -msgstr "" +msgstr "Twoje ustawienia" #: webadmin.cpp:94 webadmin.cpp:1684 msgid "Traffic Info" -msgstr "" +msgstr "Informacje o ruchu sieciowym" #: webadmin.cpp:97 webadmin.cpp:1663 msgid "Manage Users" -msgstr "" +msgstr "Zarządzanie użytkownikami" #: webadmin.cpp:188 msgid "Invalid Submission [Username is required]" @@ -999,138 +1028,144 @@ msgstr "" #: webadmin.cpp:323 msgid "Timeout can't be less than 30 seconds!" -msgstr "" +msgstr "Limit czasu nie może być krótszy niż 30 sekund!" #: webadmin.cpp:407 webadmin.cpp:435 webadmin.cpp:1182 webadmin.cpp:2057 msgid "Unable to load module [{1}]: {2}" -msgstr "" +msgstr "Nie udało się załadować modułu [{1}]: {2}" #: webadmin.cpp:412 webadmin.cpp:440 msgid "Unable to load module [{1}] with arguments [{2}]" -msgstr "" +msgstr "Nie udało się załadować modułu [{1}] z argumentami [{2}]" #: webadmin.cpp:521 webadmin.cpp:625 webadmin.cpp:650 webadmin.cpp:672 #: webadmin.cpp:706 webadmin.cpp:1249 msgid "No such user" -msgstr "" +msgstr "Nie ma takiego użytkownika" #: webadmin.cpp:534 webadmin.cpp:566 webadmin.cpp:595 webadmin.cpp:611 msgid "No such user or network" -msgstr "" +msgstr "Nie ma takiego użytkownika lub sieci" #: webadmin.cpp:576 msgid "No such channel" -msgstr "" +msgstr "Nie ma takiego kanału" #: webadmin.cpp:642 msgid "Please don't delete yourself, suicide is not the answer!" -msgstr "" +msgstr "Nie usuwaj siebie, samobójstwo nie jest odpowiedzią!" #: webadmin.cpp:715 webadmin.cpp:972 webadmin.cpp:1314 msgid "Edit User [{1}]" -msgstr "" +msgstr "Edytuj użytkownika [{1}]" #: webadmin.cpp:719 webadmin.cpp:906 msgid "Edit Network [{1}]" -msgstr "" +msgstr "Edytuj sieć [{1}]" #: webadmin.cpp:729 msgid "Edit Channel [{1}] of Network [{2}] of User [{3}]" -msgstr "" +msgstr "Edytuj kanał [{1}] z sieci [{2}] użytkownika [{3}]" #: webadmin.cpp:736 msgid "Edit Channel [{1}]" -msgstr "" +msgstr "Edytuj kanał [{1}]" #: webadmin.cpp:744 msgid "Add Channel to Network [{1}] of User [{2}]" -msgstr "" +msgstr "Dodaj kanał do sieci [{1}] użytkownika [{2}]" #: webadmin.cpp:749 msgid "Add Channel" -msgstr "" +msgstr "Dodaj kanał" #: webadmin.cpp:756 webadmin.cpp:1510 msgid "Auto Clear Chan Buffer" -msgstr "" +msgstr "Automatycznie czyść bufor kanału" #: webadmin.cpp:758 msgid "Automatically Clear Channel Buffer After Playback" -msgstr "" +msgstr "Automatycznie czyść bufor kanału po odtworzeniu" #: webadmin.cpp:766 msgid "Detached" -msgstr "" +msgstr "Odczepiono" #: webadmin.cpp:773 msgid "Enabled" -msgstr "" +msgstr "Włączone" #: webadmin.cpp:797 msgid "Channel name is a required argument" -msgstr "" +msgstr "Nazwa kanału jest wymaganym argumentem" #: webadmin.cpp:806 msgid "Channel [{1}] already exists" -msgstr "" +msgstr "Kanał [{1}] już istnieje" #: webadmin.cpp:813 msgid "Could not add channel [{1}]" -msgstr "" +msgstr "Nie można dodać kanału [{1}]" #: webadmin.cpp:861 msgid "Channel was added/modified, but config file was not written" msgstr "" +"Kanał został dodany/zmodyfikowany, ale plik konfiguracyjny nie został " +"zapisany" #: webadmin.cpp:888 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks from Your Settings." msgstr "" +"Osiągnięto maksymalną liczbę sieci. Poproś administratora o zwiększenie " +"limitu dla Ciebie lub usuń niepotrzebne sieci z Twoich ustawień." #: webadmin.cpp:903 msgid "Edit Network [{1}] of User [{2}]" -msgstr "" +msgstr "Edytuj sieć [{1}] użytkownika [{2}]" #: webadmin.cpp:910 msgid "Add Network for User [{1}]" -msgstr "" +msgstr "Dodaj sieć dla użytkownika [{1}]" #: webadmin.cpp:911 msgid "Add Network" -msgstr "" +msgstr "Dodaj sieć" #: webadmin.cpp:1073 msgid "Network name is a required argument" -msgstr "" +msgstr "Nazwa sieci jest wymaganym argumentem" #: webadmin.cpp:1189 webadmin.cpp:2064 msgid "Unable to reload module [{1}]: {2}" -msgstr "" +msgstr "Nie udało się przeładować modułu [{1}]: {2}" #: webadmin.cpp:1226 msgid "Network was added/modified, but config file was not written" msgstr "" +"Sieć została dodana/zmodyfikowana, ale plik konfiguracyjny nie został " +"zapisany" #: webadmin.cpp:1255 msgid "That network doesn't exist for this user" -msgstr "" +msgstr "Ta sieć nie istnieje dla tego użytkownika" #: webadmin.cpp:1272 msgid "Network was deleted, but config file was not written" -msgstr "" +msgstr "Sieć została usunięta, ale plik konfiguracyjny nie został zapisany" #: webadmin.cpp:1286 msgid "That channel doesn't exist for this network" -msgstr "" +msgstr "Ten kanał nie istnieje dla tej sieci" #: webadmin.cpp:1295 msgid "Channel was deleted, but config file was not written" -msgstr "" +msgstr "Kanał został usunięty, ale plik konfiguracyjny nie został zapisany" #: webadmin.cpp:1323 msgid "Clone User [{1}]" -msgstr "" +msgstr "Sklonuj użytkownika [{1}]" #: webadmin.cpp:1512 msgid "" diff --git a/src/po/znc.pl_PL.po b/src/po/znc.pl_PL.po index b742f14a..e1c4d105 100644 --- a/src/po/znc.pl_PL.po +++ b/src/po/znc.pl_PL.po @@ -1516,7 +1516,7 @@ msgstr "" #: ClientCommand.cpp:1827 msgctxt "helpcmd|LoadMod|args" msgid "[--type=global|user|network] [args]" -msgstr "[--type=global|user|network] [args]" +msgstr "[--type=global|user|network] [argumenty]" #: ClientCommand.cpp:1829 msgctxt "helpcmd|LoadMod|desc" @@ -1536,7 +1536,7 @@ msgstr "" #: ClientCommand.cpp:1835 msgctxt "helpcmd|ReloadMod|args" msgid "[--type=global|user|network] [args]" -msgstr "[--type=global|user|network] [args]" +msgstr "[--type=global|user|network] [argumenty]" #: ClientCommand.cpp:1837 msgctxt "helpcmd|ReloadMod|desc" From f5d0e1dbb3a167e84f34a9a1bedf741572d5d1fd Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Tue, 16 Jun 2020 00:29:23 +0000 Subject: [PATCH 425/798] Update translations from Crowdin for pl_PL --- modules/po/adminlog.pl_PL.po | 4 +- modules/po/awaystore.pl_PL.po | 44 ++-- modules/po/controlpanel.pl_PL.po | 199 +++++++++-------- modules/po/watch.pl_PL.po | 80 +++---- modules/po/webadmin.pl_PL.po | 361 +++++++++++++++++-------------- src/po/znc.pl_PL.po | 4 +- 6 files changed, 373 insertions(+), 319 deletions(-) diff --git a/modules/po/adminlog.pl_PL.po b/modules/po/adminlog.pl_PL.po index 6c381dea..130edc30 100644 --- a/modules/po/adminlog.pl_PL.po +++ b/modules/po/adminlog.pl_PL.po @@ -20,7 +20,7 @@ msgstr "Pokaż miejsce docelowe zapisywania dziennika" #: adminlog.cpp:31 msgid " [path]" -msgstr " [path]" +msgstr " [ścieżka]" #: adminlog.cpp:32 msgid "Set the logging target" @@ -44,7 +44,7 @@ msgstr "Dziennik będzie teraz zapisywany do pliku i syslog" #: adminlog.cpp:168 msgid "Usage: Target [path]" -msgstr "Użycie: Target [path]" +msgstr "Użycie: Target [ścieżka]" #: adminlog.cpp:170 msgid "Unknown target" diff --git a/modules/po/awaystore.pl_PL.po b/modules/po/awaystore.pl_PL.po index 610e3fc9..5bd357a0 100644 --- a/modules/po/awaystore.pl_PL.po +++ b/modules/po/awaystore.pl_PL.po @@ -16,95 +16,99 @@ msgstr "" #: awaystore.cpp:67 msgid "You have been marked as away" -msgstr "" +msgstr "Zostałeś oznaczony jako nieobecny" #: awaystore.cpp:78 awaystore.cpp:385 awaystore.cpp:388 msgid "Welcome back!" -msgstr "" +msgstr "Witamy ponownie!" #: awaystore.cpp:100 msgid "Deleted {1} messages" -msgstr "" +msgstr "Usunięto {1} wiadomości" #: awaystore.cpp:104 msgid "USAGE: delete " -msgstr "" +msgstr "UŻYCIE: delete " #: awaystore.cpp:109 msgid "Illegal message # requested" -msgstr "" +msgstr "Zażądano niedozwolonej wiadomości #" #: awaystore.cpp:113 msgid "Message erased" -msgstr "" +msgstr "Wiadomość została usunięta" #: awaystore.cpp:122 msgid "Messages saved to disk" -msgstr "" +msgstr "Wiadomości zapisane na dysku" #: awaystore.cpp:124 msgid "There are no messages to save" -msgstr "" +msgstr "Brak wiadomości do zapisania" #: awaystore.cpp:135 msgid "Password updated to [{1}]" -msgstr "" +msgstr "Hasło zaktualizowano do [{1}]" #: awaystore.cpp:147 msgid "Corrupt message! [{1}]" -msgstr "" +msgstr "Uszkodzona wiadomość! [{1}]" #: awaystore.cpp:159 msgid "Corrupt time stamp! [{1}]" -msgstr "" +msgstr "Uszkodzony znacznik czasu! [{1}]" #: awaystore.cpp:178 msgid "#--- End of messages" -msgstr "" +msgstr "#--- Koniec wiadomości" #: awaystore.cpp:183 msgid "Timer set to 300 seconds" -msgstr "" +msgstr "Odliczarka ustawiona na 300 sekund" #: awaystore.cpp:188 awaystore.cpp:197 msgid "Timer disabled" -msgstr "" +msgstr "Odliczarka wyłączona" #: awaystore.cpp:199 msgid "Timer set to {1} seconds" -msgstr "" +msgstr "Odliczarka ustawiona na {1} sekund" #: awaystore.cpp:203 msgid "Current timer setting: {1} seconds" -msgstr "" +msgstr "Bieżące ustawienie odliczarki: {1} sekund" #: awaystore.cpp:278 msgid "This module needs as an argument a keyphrase used for encryption" -msgstr "" +msgstr "Ten moduł potrzebuje hasła jako argumentu do szyfrowania" #: awaystore.cpp:285 msgid "" "Failed to decrypt your saved messages - Did you give the right encryption " "key as an argument to this module?" msgstr "" +"Nie udało się odszyfrować zapisanych wiadomości - Czy podałeś odpowiedni " +"klucz szyfrowania jako argument dla tego modułu?" #: awaystore.cpp:386 awaystore.cpp:389 msgid "You have {1} messages!" -msgstr "" +msgstr "Masz {1} wiadomość/(ści)!" #: awaystore.cpp:456 msgid "Unable to find buffer" -msgstr "" +msgstr "Nie można znaleźć bufora" #: awaystore.cpp:469 msgid "Unable to decode encrypted messages" -msgstr "" +msgstr "Nie można odszyfrować zaszyfrowanych wiadomości" #: awaystore.cpp:516 msgid "" "[ -notimer | -timer N ] [-chans] passw0rd . N is number of seconds, 600 by " "default." msgstr "" +"[ -notimer | -timer N ] [-kanały] h@sł0 . N jest liczbą sekund, 600 " +"domyślnie." #: awaystore.cpp:521 msgid "" diff --git a/modules/po/controlpanel.pl_PL.po b/modules/po/controlpanel.pl_PL.po index b3e72f5c..e186dd40 100644 --- a/modules/po/controlpanel.pl_PL.po +++ b/modules/po/controlpanel.pl_PL.po @@ -42,25 +42,31 @@ msgstr "Numer" #: controlpanel.cpp:126 msgid "The following variables are available when using the Set/Get commands:" -msgstr "" +msgstr "Podczas korzystania z poleceń Set/Get dostępne są następujące zmienne:" #: controlpanel.cpp:150 msgid "" "The following variables are available when using the SetNetwork/GetNetwork " "commands:" msgstr "" +"Podczas korzystania z poleceń SetNetwork/GetNetwork dostępne są następujące " +"zmienne:" #: controlpanel.cpp:164 msgid "" "The following variables are available when using the SetChan/GetChan " "commands:" msgstr "" +"Podczas korzystania z poleceń SetChan/GetChan dostępne są następujące " +"zmienne:" #: controlpanel.cpp:171 msgid "" "You can use $user as the user name and $network as the network name for " "modifying your own user and network." msgstr "" +"Możesz użyć $user jako użytkownik i $network jako nazwy sieci podczas edycji " +"własnego użytkownika i sieci." #: controlpanel.cpp:180 controlpanel.cpp:967 controlpanel.cpp:1004 msgid "Error: User [{1}] does not exist!" @@ -74,15 +80,15 @@ msgstr "" #: controlpanel.cpp:195 msgid "Error: You cannot use $network to modify other users!" -msgstr "" +msgstr "Błąd: Nie możesz użyć $network do modyfikacji innych użytkowników!" #: controlpanel.cpp:203 msgid "Error: User {1} does not have a network named [{2}]." -msgstr "" +msgstr "Błąd: Użytkownik {1} nie ma sieci o nazwie [{2}]." #: controlpanel.cpp:215 msgid "Usage: Get [username]" -msgstr "Użycie: Get [username]" +msgstr "Użycie: Get [nazwa_użytkownika]" #: controlpanel.cpp:305 controlpanel.cpp:508 controlpanel.cpp:583 #: controlpanel.cpp:659 controlpanel.cpp:794 controlpanel.cpp:879 @@ -105,15 +111,15 @@ msgstr "Odmowa dostępu!" #: controlpanel.cpp:377 controlpanel.cpp:386 controlpanel.cpp:843 msgid "Setting failed, limit for buffer size is {1}" -msgstr "" +msgstr "Ustawienie nie powiodło się, limit rozmiaru bufora wynosi {1}" #: controlpanel.cpp:406 msgid "Password has been changed!" -msgstr "" +msgstr "Hasło zostało zmienione!" #: controlpanel.cpp:414 msgid "Timeout can't be less than 30 seconds!" -msgstr "" +msgstr "Limit czasu nie może być krótszy niż 30 sekund!" #: controlpanel.cpp:478 msgid "That would be a bad idea!" @@ -125,15 +131,16 @@ msgstr "Wspierane języki: {1}" #: controlpanel.cpp:520 msgid "Usage: GetNetwork [username] [network]" -msgstr "Użycie: GetNetwork [username] [network]" +msgstr "Użycie: GetNetwork [nazwa_użytkownika] [sieć]" #: controlpanel.cpp:539 msgid "Error: A network must be specified to get another users settings." msgstr "" +"Błąd: należy określić sieć, aby uzyskać ustawienia innych użytkowników." #: controlpanel.cpp:545 msgid "You are not currently attached to a network." -msgstr "" +msgstr "Nie jesteś obecnie podłączony do sieci." #: controlpanel.cpp:551 msgid "Error: Invalid network." @@ -169,14 +176,15 @@ msgstr "Użycie: DelChan " #: controlpanel.cpp:718 msgid "Error: User {1} does not have any channel matching [{2}] in network {3}" msgstr "" +"Błąd: użytkownik {1} nie ma żadnego kanału pasującego do [{2}] w sieci {3}" #: controlpanel.cpp:731 msgid "Channel {1} is deleted from network {2} of user {3}" msgid_plural "Channels {1} are deleted from network {2} of user {3}" -msgstr[0] "" +msgstr[0] "Kanał {1} został usunięty z sieci {2} użytkownika {3}" msgstr[1] "" msgstr[2] "" -msgstr[3] "" +msgstr[3] "Kanały {1} są usuwane z sieci {2} użytkownika {3}" #: controlpanel.cpp:746 msgid "Usage: GetChan " @@ -184,7 +192,7 @@ msgstr "Użycie: GetChan " #: controlpanel.cpp:760 controlpanel.cpp:824 msgid "Error: No channels matching [{1}] found." -msgstr "" +msgstr "Błąd: Nie znaleziono kanałów pasujących do [{1}]." #: controlpanel.cpp:809 msgid "Usage: SetChan " @@ -203,7 +211,7 @@ msgstr "Prawdziwe imię" #: controlpanel.cpp:892 controlpanel.cpp:904 controlpanel.cpp:906 msgctxt "listusers" msgid "IsAdmin" -msgstr "" +msgstr "JestAdministratorem" #: controlpanel.cpp:893 controlpanel.cpp:907 msgctxt "listusers" @@ -245,193 +253,199 @@ msgstr "Użycie: AddUser " #: controlpanel.cpp:931 msgid "Error: User {1} already exists!" -msgstr "" +msgstr "Błąd: Użytkownik {1} już istnieje!" #: controlpanel.cpp:943 controlpanel.cpp:1018 msgid "Error: User not added: {1}" -msgstr "" +msgstr "Błąd: Użytkownik nie został dodany: {1}" #: controlpanel.cpp:947 controlpanel.cpp:1022 msgid "User {1} added!" -msgstr "" +msgstr "Użytkownik {1} dodany!" #: controlpanel.cpp:954 msgid "Error: You need to have admin rights to delete users!" -msgstr "" +msgstr "Błąd: Musisz mieć uprawnienia administratora, aby usunąć użytkowników!" #: controlpanel.cpp:960 msgid "Usage: DelUser " -msgstr "" +msgstr "Użycie: DelUser " #: controlpanel.cpp:972 msgid "Error: You can't delete yourself!" -msgstr "" +msgstr "Błąd: Nie możesz usunąć sam siebie!" #: controlpanel.cpp:978 msgid "Error: Internal error!" -msgstr "" +msgstr "Błąd: Wewnętrzny błąd!" #: controlpanel.cpp:982 msgid "User {1} deleted!" -msgstr "" +msgstr "Użytkownik {1} skasowany!" #: controlpanel.cpp:997 msgid "Usage: CloneUser " -msgstr "" +msgstr "Użycie: CloneUser " #: controlpanel.cpp:1012 msgid "Error: Cloning failed: {1}" -msgstr "" +msgstr "Błąd: Klonowanie nie powiodło się: {1}" #: controlpanel.cpp:1041 msgid "Usage: AddNetwork [user] network" -msgstr "" +msgstr "Użycie: AddNetwork [użytkownik] sieć" #: controlpanel.cpp:1047 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks using /znc DelNetwork " msgstr "" +"Osiągnięto maksymalną liczbę sieci. Poproś administratora o zwiększenie " +"limitu dla Ciebie lub usuń niepotrzebne sieci za pomocą /znc DelNetwork " +"" #: controlpanel.cpp:1055 msgid "Error: User {1} already has a network with the name {2}" -msgstr "" +msgstr "Błąd: użytkownik {1} ma już sieć o nazwie {2}" #: controlpanel.cpp:1062 msgid "Network {1} added to user {2}." -msgstr "" +msgstr "Sieć {1} dodana do użytkownika {2}." #: controlpanel.cpp:1066 msgid "Error: Network [{1}] could not be added for user {2}: {3}" -msgstr "" +msgstr "Błąd: Nie można dodać sieci [{1}] dla użytkownika {2}: {3}" #: controlpanel.cpp:1086 msgid "Usage: DelNetwork [user] network" -msgstr "" +msgstr "Użycie: DelNetwork [użytkownik] sieć" #: controlpanel.cpp:1097 msgid "The currently active network can be deleted via {1}status" -msgstr "" +msgstr "Aktualnie aktywną sieć można usunąć za pomocą {1}status" #: controlpanel.cpp:1103 msgid "Network {1} deleted for user {2}." -msgstr "" +msgstr "Sieć {1} usunięta dla użytkownika {2}." #: controlpanel.cpp:1107 msgid "Error: Network {1} could not be deleted for user {2}." -msgstr "" +msgstr "Błąd: Sieć {1} nie może zostać usunięta dla użytkownika {2}." #: controlpanel.cpp:1126 controlpanel.cpp:1134 msgctxt "listnetworks" msgid "Network" -msgstr "" +msgstr "Sieć" #: controlpanel.cpp:1127 controlpanel.cpp:1136 controlpanel.cpp:1144 msgctxt "listnetworks" msgid "OnIRC" -msgstr "" +msgstr "Na IRCu?" #: controlpanel.cpp:1128 controlpanel.cpp:1137 msgctxt "listnetworks" msgid "IRC Server" -msgstr "" +msgstr "Serwer IRC" #: controlpanel.cpp:1129 controlpanel.cpp:1139 msgctxt "listnetworks" msgid "IRC User" -msgstr "" +msgstr "Użytkownik IRC" #: controlpanel.cpp:1130 controlpanel.cpp:1141 msgctxt "listnetworks" msgid "Channels" -msgstr "" +msgstr "Kanałów" #: controlpanel.cpp:1149 msgid "No networks" -msgstr "" +msgstr "Brak sieci" #: controlpanel.cpp:1160 msgid "Usage: AddServer [[+]port] [password]" -msgstr "" +msgstr "Usage: AddServer [[+]port] [hasło]" #: controlpanel.cpp:1174 msgid "Added IRC Server {1} to network {2} for user {3}." -msgstr "" +msgstr "Dodano serwer IRC {1} do sieci {2} dla użytkownika {3}." #: controlpanel.cpp:1178 msgid "Error: Could not add IRC server {1} to network {2} for user {3}." msgstr "" +"Błąd: Nie można dodać serwera IRC {1} do sieci {2} dla użytkownika {3}." #: controlpanel.cpp:1191 msgid "Usage: DelServer [[+]port] [password]" msgstr "" +"Użycie: DelServer [[+]port] [hasło]" #: controlpanel.cpp:1206 msgid "Deleted IRC Server {1} from network {2} for user {3}." -msgstr "" +msgstr "Usunięto serwer IRC {1} z sieci {2} dla użytkownika {3}." #: controlpanel.cpp:1210 msgid "Error: Could not delete IRC server {1} from network {2} for user {3}." msgstr "" +"Błąd: Nie można usunąć serwera IRC {1} z sieci {2} dla użytkownika {3}." #: controlpanel.cpp:1220 msgid "Usage: Reconnect " -msgstr "" +msgstr "Użycie: Reconnect " #: controlpanel.cpp:1247 msgid "Queued network {1} of user {2} for a reconnect." -msgstr "" +msgstr "Kolejkowana sieć {1} użytkownika {2} w celu ponownego połączenia." #: controlpanel.cpp:1256 msgid "Usage: Disconnect " -msgstr "" +msgstr "Użycie: Disconnect " #: controlpanel.cpp:1271 msgid "Closed IRC connection for network {1} of user {2}." -msgstr "" +msgstr "Zamknięte połączenie IRC dla sieci {1} użytkownika {2}." #: controlpanel.cpp:1286 controlpanel.cpp:1291 msgctxt "listctcp" msgid "Request" -msgstr "" +msgstr "Zapytanie" #: controlpanel.cpp:1287 controlpanel.cpp:1292 msgctxt "listctcp" msgid "Reply" -msgstr "" +msgstr "Odpowiedz" #: controlpanel.cpp:1296 msgid "No CTCP replies for user {1} are configured" -msgstr "" +msgstr "Żadne odpowiedzi CTCP dla użytkownika {1} nie są skonfigurowane" #: controlpanel.cpp:1299 msgid "CTCP replies for user {1}:" -msgstr "" +msgstr "Odpowiedzi CTCP dla użytkownika {1}:" #: controlpanel.cpp:1315 msgid "Usage: AddCTCP [user] [request] [reply]" -msgstr "" +msgstr "Użycie: AddCTCP [użytkownik] [zapytanie] [odpowiedź]" #: controlpanel.cpp:1317 msgid "" "This will cause ZNC to reply to the CTCP instead of forwarding it to clients." -msgstr "" +msgstr "Spowoduje to, że ZNC odpowie na CTCP zamiast przekazywać je klientom." #: controlpanel.cpp:1320 msgid "An empty reply will cause the CTCP request to be blocked." -msgstr "" +msgstr "Pusta odpowiedź spowoduje zablokowanie zapytań CTCP." #: controlpanel.cpp:1329 msgid "CTCP requests {1} to user {2} will now be blocked." -msgstr "" +msgstr "Zapytanie CTCP {1} dla użytkownika {2} zostanie teraz zablokowane." #: controlpanel.cpp:1333 msgid "CTCP requests {1} to user {2} will now get reply: {3}" -msgstr "" +msgstr "Zapytanie CTCP {1} dla użytkownika {2} otrzyma teraz odpowiedź: {3}" #: controlpanel.cpp:1350 msgid "Usage: DelCTCP [user] [request]" -msgstr "" +msgstr "Użycie: DelCTCP [użytkownik] [zapytanie]" #: controlpanel.cpp:1356 msgid "CTCP requests {1} to user {2} will now be sent to IRC clients" @@ -445,43 +459,44 @@ msgstr "" #: controlpanel.cpp:1370 controlpanel.cpp:1444 msgid "Loading modules has been disabled." -msgstr "" +msgstr "Ładowanie modułów zostało wyłączone." #: controlpanel.cpp:1379 msgid "Error: Unable to load module {1}: {2}" -msgstr "" +msgstr "Błąd: Nie udało się załadować modułu {1}: {2}" #: controlpanel.cpp:1382 msgid "Loaded module {1}" -msgstr "" +msgstr "Załadowano moduł {1}" #: controlpanel.cpp:1387 msgid "Error: Unable to reload module {1}: {2}" -msgstr "" +msgstr "Błąd: Nie udało się przeładować modułu {1}: {2}" #: controlpanel.cpp:1390 msgid "Reloaded module {1}" -msgstr "" +msgstr "Przeładowano moduł {1}" #: controlpanel.cpp:1394 msgid "Error: Unable to load module {1} because it is already loaded" -msgstr "" +msgstr "Błąd: Nie udało się załadować modułu {1}, ponieważ jest już załadowany" #: controlpanel.cpp:1405 msgid "Usage: LoadModule [args]" -msgstr "" +msgstr "Użycie: LoadModule [argumenty]" #: controlpanel.cpp:1424 msgid "Usage: LoadNetModule [args]" msgstr "" +"Użycie: LoadNetModule [argumenty]" #: controlpanel.cpp:1449 msgid "Please use /znc unloadmod {1}" -msgstr "" +msgstr "Użyj /znc unloadmod {1}" #: controlpanel.cpp:1455 msgid "Error: Unable to unload module {1}: {2}" -msgstr "" +msgstr "Błąd: Nie udało się wyładować modułu {1}: {2}" #: controlpanel.cpp:1458 msgid "Unloaded module {1}" @@ -515,7 +530,7 @@ msgstr "Załadowane moduły użytkownika {1}:" #: controlpanel.cpp:1551 msgid "Network {1} of user {2} has no modules loaded." -msgstr "" +msgstr "Sieć {1} użytkownika {2} nie ma załadowanych modułów." #: controlpanel.cpp:1556 msgid "Modules loaded for network {1} of user {2}:" @@ -523,7 +538,7 @@ msgstr "Moduły załadowane dla sieci {1} użytkownika {2}:" #: controlpanel.cpp:1563 msgid "[command] [variable]" -msgstr "[command] [variable]" +msgstr "[polecenie] [zmienna]" #: controlpanel.cpp:1564 msgid "Prints help for matching commands and variables" @@ -531,11 +546,11 @@ msgstr "" #: controlpanel.cpp:1567 msgid " [username]" -msgstr " [username]" +msgstr " [nazwa_użytkownika]" #: controlpanel.cpp:1568 msgid "Prints the variable's value for the given or current user" -msgstr "" +msgstr "Wypisuje wartość zmiennej dla danego lub bieżącego użytkownika" #: controlpanel.cpp:1570 msgid " " @@ -543,15 +558,15 @@ msgstr " " #: controlpanel.cpp:1571 msgid "Sets the variable's value for the given user" -msgstr "" +msgstr "Ustawia wartość zmiennej dla danego użytkownika" #: controlpanel.cpp:1573 msgid " [username] [network]" -msgstr " [username] [network]" +msgstr " [nazwa_użytkownika] [sieć]" #: controlpanel.cpp:1574 msgid "Prints the variable's value for the given network" -msgstr "" +msgstr "Wypisuje wartość zmiennej dla danej sieci" #: controlpanel.cpp:1576 msgid " " @@ -559,15 +574,15 @@ msgstr " " #: controlpanel.cpp:1577 msgid "Sets the variable's value for the given network" -msgstr "" +msgstr "Ustawia wartość zmiennej dla danej sieci" #: controlpanel.cpp:1579 msgid " [username] " -msgstr " [username] " +msgstr " [nazwa_użytkownika] " #: controlpanel.cpp:1580 msgid "Prints the variable's value for the given channel" -msgstr "" +msgstr "Wypisuje wartość zmiennej dla danego kanału" #: controlpanel.cpp:1583 msgid " " @@ -575,7 +590,7 @@ msgstr " " #: controlpanel.cpp:1584 msgid "Sets the variable's value for the given channel" -msgstr "" +msgstr "Ustawia wartość zmiennej dla danego kanału" #: controlpanel.cpp:1586 controlpanel.cpp:1589 msgid " " @@ -599,39 +614,39 @@ msgstr " " #: controlpanel.cpp:1595 msgid "Adds a new user" -msgstr "" +msgstr "Dodaje nowego użytkownika" #: controlpanel.cpp:1597 controlpanel.cpp:1620 controlpanel.cpp:1634 msgid "" -msgstr "" +msgstr "" #: controlpanel.cpp:1597 msgid "Deletes a user" -msgstr "" +msgstr "Usuwa użytkownika" #: controlpanel.cpp:1599 msgid " " -msgstr "" +msgstr " " #: controlpanel.cpp:1600 msgid "Clones a user" -msgstr "" +msgstr "Klonuje użytkownika" #: controlpanel.cpp:1602 controlpanel.cpp:1605 msgid " " -msgstr "" +msgstr " " #: controlpanel.cpp:1603 msgid "Adds a new IRC server for the given or current user" -msgstr "" +msgstr "Dodaje nowy serwer IRC dla danego lub bieżącego użytkownika" #: controlpanel.cpp:1606 msgid "Deletes an IRC server from the given or current user" -msgstr "" +msgstr "Usuwa serwer IRC od danego lub bieżącego użytkownika" #: controlpanel.cpp:1608 controlpanel.cpp:1611 controlpanel.cpp:1631 msgid " " -msgstr "" +msgstr " " #: controlpanel.cpp:1609 msgid "Cycles the user's IRC server connection" @@ -639,31 +654,31 @@ msgstr "" #: controlpanel.cpp:1612 msgid "Disconnects the user from their IRC server" -msgstr "" +msgstr "Odłącza użytkownika od jego serwera IRC" #: controlpanel.cpp:1614 msgid " [args]" -msgstr "" +msgstr " [argumenty]" #: controlpanel.cpp:1615 msgid "Loads a Module for a user" -msgstr "" +msgstr "Ładuje moduł dla użytkownika" #: controlpanel.cpp:1617 msgid " " -msgstr "" +msgstr " " #: controlpanel.cpp:1618 msgid "Removes a Module of a user" -msgstr "" +msgstr "Usuwa moduł użytkownika" #: controlpanel.cpp:1621 msgid "Get the list of modules for a user" -msgstr "" +msgstr "Uzyskaj listę modułów dla użytkownika" #: controlpanel.cpp:1624 msgid " [args]" -msgstr "" +msgstr " [argumenty]" #: controlpanel.cpp:1625 msgid "Loads a Module for a network" @@ -675,7 +690,7 @@ msgstr "" #: controlpanel.cpp:1629 msgid "Removes a Module of a network" -msgstr "" +msgstr "Usuwa moduł z sieci" #: controlpanel.cpp:1632 msgid "Get the list of modules for a network" @@ -687,7 +702,7 @@ msgstr "Lista skonfigurowanych odpowiedzi CTCP" #: controlpanel.cpp:1637 msgid " [reply]" -msgstr " [reply]" +msgstr " [odpowiedź]" #: controlpanel.cpp:1638 msgid "Configure a new CTCP reply" diff --git a/modules/po/watch.pl_PL.po b/modules/po/watch.pl_PL.po index 18cb8014..7bd3ba79 100644 --- a/modules/po/watch.pl_PL.po +++ b/modules/po/watch.pl_PL.po @@ -16,47 +16,47 @@ msgstr "" #: watch.cpp:178 msgid " [Target] [Pattern]" -msgstr "" +msgstr " [Cel] [Wzorzec]" #: watch.cpp:178 msgid "Used to add an entry to watch for." -msgstr "" +msgstr "Służy do dodawania wpisu, na który będzie się oczekiwać." #: watch.cpp:180 msgid "List all entries being watched." -msgstr "" +msgstr "Lista wszystkich oczekiwanych wpisów." #: watch.cpp:182 msgid "Dump a list of all current entries to be used later." -msgstr "" +msgstr "Zrzuć listę wszystkich bieżących wpisów do późniejszego wykorzystania." #: watch.cpp:184 msgid "" -msgstr "" +msgstr "" #: watch.cpp:184 msgid "Deletes Id from the list of watched entries." -msgstr "" +msgstr "Usuwa identyfikator z listy oczekiwanych wpisów." #: watch.cpp:186 msgid "Delete all entries." -msgstr "" +msgstr "Usuń wszystkie wpisy." #: watch.cpp:188 watch.cpp:190 msgid "" -msgstr "" +msgstr "" #: watch.cpp:188 msgid "Enable a disabled entry." -msgstr "" +msgstr "Włącz wyłączony wpis." #: watch.cpp:190 msgid "Disable (but don't delete) an entry." -msgstr "" +msgstr "Wyłącz (ale nie usuwaj) wpis." #: watch.cpp:192 watch.cpp:194 msgid " " -msgstr "" +msgstr " " #: watch.cpp:192 msgid "Enable or disable detached client only for an entry." @@ -68,83 +68,83 @@ msgstr "" #: watch.cpp:196 msgid " [#chan priv #foo* !#bar]" -msgstr "" +msgstr " [#kanał priv #foo* !#bar]" #: watch.cpp:196 msgid "Set the source channels that you care about." -msgstr "" +msgstr "Ustaw kanały źródłowe, na których Ci zależy." #: watch.cpp:237 msgid "WARNING: malformed entry found while loading" -msgstr "" +msgstr "UWAGA: wykryto nieprawidłowy wpis podczas ładowania" #: watch.cpp:382 msgid "Disabled all entries." -msgstr "" +msgstr "Wyłączono wszystkie wpisy." #: watch.cpp:383 msgid "Enabled all entries." -msgstr "" +msgstr "Włączono wszystkie wpisy." #: watch.cpp:390 watch.cpp:432 watch.cpp:474 watch.cpp:577 watch.cpp:619 msgid "Invalid Id" -msgstr "" +msgstr "Nieprawidłowy nr Id" #: watch.cpp:399 msgid "Id {1} disabled" -msgstr "" +msgstr "Identyfikator {1} wyłączony" #: watch.cpp:401 msgid "Id {1} enabled" -msgstr "" +msgstr "Identyfikator {1} włączony" #: watch.cpp:423 msgid "Set DetachedClientOnly for all entries to Yes" -msgstr "" +msgstr "Ustaw DetachedClientOnly dla wszystkich wpisów na Tak" #: watch.cpp:425 msgid "Set DetachedClientOnly for all entries to No" -msgstr "" +msgstr "Ustaw DetachedClientOnly dla wszystkich wpisów na Nie" #: watch.cpp:441 watch.cpp:483 msgid "Id {1} set to Yes" -msgstr "" +msgstr "Identyfikator {1} ustawiony na Tak" #: watch.cpp:443 watch.cpp:485 msgid "Id {1} set to No" -msgstr "" +msgstr "Identyfikator {1} ustawiony na Nie" #: watch.cpp:465 msgid "Set DetachedChannelOnly for all entries to Yes" -msgstr "" +msgstr "Ustaw DetachedChannelOnly dla wszystkich wpisów na Tak" #: watch.cpp:467 msgid "Set DetachedChannelOnly for all entries to No" -msgstr "" +msgstr "Ustaw DetachedChannelOnly dla wszystkich wpisów na Nie" #: watch.cpp:491 watch.cpp:507 msgid "Id" -msgstr "" +msgstr "Id" #: watch.cpp:492 watch.cpp:508 msgid "HostMask" -msgstr "" +msgstr "MaskaHosta" #: watch.cpp:493 watch.cpp:509 msgid "Target" -msgstr "" +msgstr "Cel" #: watch.cpp:494 watch.cpp:510 msgid "Pattern" -msgstr "" +msgstr "Wzorzec" #: watch.cpp:495 watch.cpp:511 msgid "Sources" -msgstr "" +msgstr "Źródła" #: watch.cpp:496 watch.cpp:512 watch.cpp:513 msgid "Off" -msgstr "" +msgstr "Wyłączony" #: watch.cpp:497 watch.cpp:515 msgid "DetachedClientOnly" @@ -156,31 +156,31 @@ msgstr "" #: watch.cpp:516 watch.cpp:519 msgid "Yes" -msgstr "" +msgstr "Tak" #: watch.cpp:516 watch.cpp:519 msgid "No" -msgstr "" +msgstr "Nie" #: watch.cpp:525 watch.cpp:531 msgid "You have no entries." -msgstr "" +msgstr "Nie masz wpisów." #: watch.cpp:585 msgid "Sources set for Id {1}." -msgstr "" +msgstr "Źródła ustawione dla Id {1}." #: watch.cpp:609 msgid "All entries cleared." -msgstr "" +msgstr "Wszystkie wpisy zostały usunięte." #: watch.cpp:627 msgid "Id {1} removed." -msgstr "" +msgstr "Id {1} został usunięty." #: watch.cpp:646 msgid "Entry for {1} already exists." -msgstr "" +msgstr "Wpis dla {1} już istnieje." #: watch.cpp:654 msgid "Adding entry: {1} watching for [{2}] -> {3}" @@ -188,8 +188,8 @@ msgstr "" #: watch.cpp:660 msgid "Watch: Not enough arguments. Try Help" -msgstr "" +msgstr "Watch: Za mało argumentów. Spróbuj pomocy" #: watch.cpp:702 msgid "Copy activity from a specific user into a separate window" -msgstr "" +msgstr "Skopiuj aktywność określonego użytkownika do osobnego okna" diff --git a/modules/po/webadmin.pl_PL.po b/modules/po/webadmin.pl_PL.po index b5f80a5e..900c8c8e 100644 --- a/modules/po/webadmin.pl_PL.po +++ b/modules/po/webadmin.pl_PL.po @@ -16,186 +16,193 @@ msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:12 msgid "Channel Info" -msgstr "" +msgstr "Informacje o kanale" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:17 msgid "Channel Name:" -msgstr "" +msgstr "Nazwa kanału:" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:19 msgid "The channel name." -msgstr "" +msgstr "Podaj nazwę kanału." #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:24 msgid "Key:" -msgstr "" +msgstr "Klucz:" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:26 msgid "The password of the channel, if there is one." -msgstr "" +msgstr "Hasło kanału, jeśli takie istnieje." #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:30 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:241 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:260 msgid "Buffer Size:" -msgstr "" +msgstr "Rozmiar bufora:" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:32 msgid "The buffer count." -msgstr "" +msgstr "Liczba bufora." #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:36 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:235 msgid "Default Modes:" -msgstr "" +msgstr "Tryby domyślne:" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:38 msgid "The default modes of the channel." -msgstr "" +msgstr "Domyślne tryby kanału." #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:46 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:270 msgid "Flags" -msgstr "" +msgstr "Flagi" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:51 msgid "Save to config" -msgstr "" +msgstr "Zapisz do konfiguracji" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:67 #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:282 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:410 msgid "Module {1}" -msgstr "" +msgstr "Moduł {1}" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:75 #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:290 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:419 msgid "Save and return" -msgstr "" +msgstr "Zapisz i wróć" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:76 #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:291 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:420 msgid "Save and continue" -msgstr "" +msgstr "Zapisz i kontynuuj" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:78 msgid "Add Channel and return" -msgstr "" +msgstr "Dodaj kanał i wróć" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:79 msgid "Add Channel and continue" -msgstr "" +msgstr "Dodaj kanał i kontynuuj" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:8 #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:11 msgid "<password>" -msgstr "" +msgstr "<hasło>" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:11 #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:12 msgid "<network>" -msgstr "" +msgstr "<sieć>" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:14 msgid "" "To connect to this network from your IRC client, you can set the server " "password field as {1} or username field as {2}" msgstr "" +"Aby połączyć się z tą siecią za pomocą klienta IRC, możesz ustawić pole " +"hasła serwera jako {1} lub pole nazwy użytkownika jako {2}" +"" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:24 msgid "Network Info" -msgstr "" +msgstr "Informacje o sieci" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:25 msgid "" "Nick, AltNick, Ident, RealName, BindHost can be left empty to use the value " "from the user." msgstr "" +"Pseudonim, PseudonimAlternatywny, Ident, PrawdziweImię, HostPrzypięcia mogą " +"pozostać puste, aby użyć wartości użytkownika." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:29 msgid "Network Name:" -msgstr "" +msgstr "Nazwa sieci:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:31 msgid "The name of the IRC network." -msgstr "" +msgstr "Nazwa sieci IRC." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:35 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:69 msgid "Nickname:" -msgstr "" +msgstr "Pseudonim:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:37 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:71 msgid "Your nickname on IRC." -msgstr "" +msgstr "Twój pseudonim na IRC." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:40 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:74 msgid "Alt. Nickname:" -msgstr "" +msgstr "Alternatywny pseudonim:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:42 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:76 msgid "Your secondary nickname, if the first is not available on IRC." -msgstr "" +msgstr "Twój dodatkowy pseudonim, jeśli pierwszy nie jest dostępny na IRC." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:46 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:80 msgid "Ident:" -msgstr "" +msgstr "Ident:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:48 msgid "Your ident." -msgstr "" +msgstr "Twój ident." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:51 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:91 msgid "Realname:" -msgstr "" +msgstr "Prawdziwe imię:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:53 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:93 msgid "Your real name." -msgstr "" +msgstr "Twoje prawdziwe imię." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:58 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:99 msgid "BindHost:" -msgstr "" +msgstr "Host przypięcia:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:65 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:112 msgid "Quit Message:" -msgstr "" +msgstr "Wiadomość zakończenia:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:67 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:114 msgid "You may define a Message shown, when you quit IRC." -msgstr "" +msgstr "Możesz zdefiniować wyświetlaną wiadomość po wyjściu z IRC." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:71 msgid "Active:" -msgstr "" +msgstr "Aktywne:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:73 msgid "Connect to IRC & automatically re-connect" -msgstr "" +msgstr "Połącz się z IRC & automatycznie połącz ponownie" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:77 msgid "Trust all certs:" -msgstr "" +msgstr "Zaufaj wszystkim certyfikatom:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:79 msgid "" "Disable certificate validation (takes precedence over TrustPKI). INSECURE!" msgstr "" +"Wyłącz sprawdzanie poprawności certyfikatu (ma pierwszeństwo przed " +"ZaufajPKI). NIEBEZPIECZNE!" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:83 msgid "Automatically detect trusted certificates (Trust the PKI):" -msgstr "" +msgstr "Automatycznie wykryj zaufane certyfikaty (Zaufaj PKI):" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:85 msgid "" @@ -206,43 +213,45 @@ msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:89 #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:96 msgid "Servers of this IRC network:" -msgstr "" +msgstr "Serwery tej sieci IRC:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:93 msgid "One server per line, “host [[+]port] [password]”, + means SSL" -msgstr "" +msgstr "Jeden serwer w wierszu, “host [[+]port] [hasło]”, + oznacza SSL" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:101 msgid "Hostname" -msgstr "" +msgstr "Nazwa hosta" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:102 #: modules/po/../data/webadmin/tmpl/settings.tmpl:13 msgid "Port" -msgstr "" +msgstr "Port" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:103 #: modules/po/../data/webadmin/tmpl/settings.tmpl:15 msgid "SSL" -msgstr "" +msgstr "SSL" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:104 msgid "Password" -msgstr "" +msgstr "Hasło" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:116 msgid "SHA-256 fingerprints of trusted SSL certificates of this IRC network:" -msgstr "" +msgstr "Odciski palców SHA-256 zaufanych certyfikatów SSL tej sieci IRC:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:120 msgid "" "When these certificates are encountered, checks for hostname, expiration " "date, CA are skipped" msgstr "" +"Po napotkaniu tych certyfikatów pomijane jest sprawdzanie nazwy hosta, daty " +"ważności i urzędu certyfikacji" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:124 msgid "Flood protection:" -msgstr "" +msgstr "Ochrona przed zalaniem:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:127 msgid "" @@ -254,7 +263,7 @@ msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:130 msgctxt "Flood Protection" msgid "Enabled" -msgstr "" +msgstr "Włączone" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:134 msgid "Flood protection rate:" @@ -295,20 +304,20 @@ msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:160 msgid "{1} seconds" -msgstr "" +msgstr "{1} sekund" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:165 msgid "Character encoding used between ZNC and IRC server." -msgstr "" +msgstr "Kodowanie znaków używane między ZNC a serwerem IRC." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:166 msgid "Server encoding:" -msgstr "" +msgstr "Kodowanie serwera:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:176 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:231 msgid "Channels" -msgstr "" +msgstr "Kanały" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:178 msgid "" @@ -321,13 +330,13 @@ msgstr "" #: modules/po/../data/webadmin/tmpl/listusers.tmpl:15 #: modules/po/../data/webadmin/tmpl/settings.tmpl:72 msgid "Add" -msgstr "" +msgstr "Dodaj" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:187 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:430 #: modules/po/../data/webadmin/tmpl/settings.tmpl:237 msgid "Save" -msgstr "" +msgstr "Zapisz" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:188 #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:228 @@ -335,106 +344,106 @@ msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:174 #: modules/po/../data/webadmin/tmpl/settings.tmpl:176 msgid "Name" -msgstr "" +msgstr "Nazwa" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:189 msgid "CurModes" -msgstr "" +msgstr "AktualneTryby" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:190 msgid "DefModes" -msgstr "" +msgstr "DomyślneTryby" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:191 msgid "BufferSize" -msgstr "" +msgstr "RozmiarBufora" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:192 msgid "Options" -msgstr "" +msgstr "Opcje" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:194 msgid "← Add a channel (opens in same page)" -msgstr "" +msgstr "← Dodaj kanał (otwiera się na tej samej stronie)" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:204 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:146 #: modules/po/../data/webadmin/tmpl/listusers.tmpl:27 msgid "Edit" -msgstr "" +msgstr "Edytuj" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:204 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:146 #: modules/po/../data/webadmin/tmpl/settings.tmpl:53 msgid "Del" -msgstr "" +msgstr "Usuń" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:222 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:168 msgid "Modules" -msgstr "" +msgstr "Moduły" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:229 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:175 #: modules/po/../data/webadmin/tmpl/settings.tmpl:177 msgid "Arguments" -msgstr "" +msgstr "Argumenty" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:230 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:176 #: modules/po/../data/webadmin/tmpl/settings.tmpl:178 msgid "Description" -msgstr "" +msgstr "Opis" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:231 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:177 msgid "Loaded globally" -msgstr "" +msgstr "Załadowany globalnie" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:232 msgid "Loaded by user" -msgstr "" +msgstr "Załadowany przez użytkownika" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:293 msgid "Add Network and return" -msgstr "" +msgstr "Dodaj sieć i wróć" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:294 msgid "Add Network and continue" -msgstr "" +msgstr "Dodaj sieć i kontynuuj" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:15 msgid "Authentication" -msgstr "" +msgstr "Uwierzytelnianie" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:19 msgid "Username:" -msgstr "" +msgstr "Nazwa użytkownika:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:29 msgid "Please enter a username." -msgstr "" +msgstr "Proszę wpisać nazwę użytkownika." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:34 msgid "Password:" -msgstr "" +msgstr "Hasło:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:36 msgid "Please enter a password." -msgstr "" +msgstr "Proszę wpisać hasło." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:39 msgid "Confirm password:" -msgstr "" +msgstr "Potwierdź hasło:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:41 msgid "Please re-type the above password." -msgstr "" +msgstr "Proszę powtórzyć powyższe hasło." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:44 #: modules/po/../data/webadmin/tmpl/settings.tmpl:151 msgid "Auth Only Via Module:" -msgstr "" +msgstr "Uwierzytelnij tylko poprzez moduł:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:46 msgid "" @@ -444,7 +453,7 @@ msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:50 msgid "Allowed IPs:" -msgstr "" +msgstr "Dozwolone adresy IP:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:54 msgid "" @@ -484,52 +493,54 @@ msgstr "" #: modules/po/../data/webadmin/tmpl/listusers.tmpl:17 #: modules/po/../data/webadmin/tmpl/traffic.tmpl:39 msgid "Networks" -msgstr "" +msgstr "Sieci" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:132 #: modules/po/../data/webadmin/tmpl/listusers.tmpl:18 msgid "Clients" -msgstr "" +msgstr "Klienci" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:133 msgid "Current Server" -msgstr "" +msgstr "Bieżący serwer" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:134 msgid "Nick" -msgstr "" +msgstr "Pseudonim" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:136 msgid "← Add a network (opens in same page)" -msgstr "" +msgstr "← Dodaj sieć (otwiera się na tej samej stronie)" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:160 msgid "" "You will be able to add + modify networks here after you have cloned the " "user." msgstr "" +"Będziesz mógł tutaj dodawać + modyfikować sieci po sklonowaniu użytkownika." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:162 msgid "" "You will be able to add + modify networks here after you have created the " "user." msgstr "" +"Będziesz mógł tutaj dodawać + modyfikować sieci po utworzeniu użytkownika." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:178 #: modules/po/../data/webadmin/tmpl/settings.tmpl:179 msgid "Loaded by networks" -msgstr "" +msgstr "Załadowane przez sieci" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:237 msgid "" "These are the default modes ZNC will set when you join an empty channel." -msgstr "" +msgstr "Są to domyślne tryby, które ZNC ustawi po wejściu do pustego kanału." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:238 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:244 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:263 msgid "Empty = use standard value" -msgstr "" +msgstr "Puste = użyj wartości standardowej" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:243 msgid "" @@ -537,18 +548,21 @@ msgid "" "before dropping off the oldest line. The buffers are stored in the memory by " "default." msgstr "" +"Jest to ilość linii, których bufor odtwarzania będzie przechowywać dla " +"kanałów przed porzuceniem najstarszej linii. Bufory te są domyślnie " +"przechowywane w pamięci operacyjnej." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:251 msgid "Queries" -msgstr "" +msgstr "Rozmowy" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:255 msgid "Max Buffers:" -msgstr "" +msgstr "Maksymalnie buforów:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:257 msgid "Maximum number of query buffers. 0 is unlimited." -msgstr "" +msgstr "Maksymalna liczba buforów rozmów. 0 jest nieograniczona." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:262 msgid "" @@ -556,19 +570,24 @@ msgid "" "before dropping off the oldest line. The buffers are stored in the memory by " "default." msgstr "" +"Jest to ilość linii, których bufor odtwarzania będzie przechowywać dla " +"rozmów przed porzuceniem najstarszej linii. Bufory te są domyślnie " +"przechowywane w pamięci operacyjnej." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:285 msgid "ZNC Behavior" -msgstr "" +msgstr "Zachowanie ZNC" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:286 msgid "" "Any of the following text boxes can be left empty to use their default value." msgstr "" +"Każde z poniższych pól tekstowych można pozostawić puste, aby użyć ich " +"wartości domyślnej." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:290 msgid "Timestamp Format:" -msgstr "" +msgstr "Format znacznika czasu:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:292 msgid "" @@ -576,46 +595,56 @@ msgid "" "setting is ignored in new IRC clients, which use server-time. If your client " "supports server-time, change timestamp format in client settings instead." msgstr "" +"Format znaczników czasu używanych w buforach, na przykład [%H:%M:%S]. To " +"ustawienie jest ignorowane w nowych klientach IRC, które używają czasu " +"serwera. Jeśli Twój klient obsługuje czas serwera, zmień format znacznika " +"czasu w ustawieniach klienta." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:295 msgid "Timezone:" -msgstr "" +msgstr "Strefa czasowa:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:298 msgid "E.g. Europe/Berlin, or GMT-6" -msgstr "" +msgstr "Np. Europa/Warszawa, lub GMT-6" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:306 msgid "Character encoding used between IRC client and ZNC." -msgstr "" +msgstr "Kodowanie znaków używane między klientem IRC a ZNC." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:307 msgid "Client encoding:" -msgstr "" +msgstr "Kodowanie klienta:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:312 msgid "Join Tries:" -msgstr "" +msgstr "Prób dołączenia:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:314 msgid "" "This defines how many times ZNC tries to join a channel, if the first join " "failed, e.g. due to channel mode +i/+k or if you are banned." msgstr "" +"Określa, ile razy ZNC próbuje dołączyć do kanału, jeśli pierwsze dołączenie " +"nie powiodło się, np. z powodu trybu kanału +i/+k lub jeśli jesteś " +"zablokowany." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:317 msgid "Join speed:" -msgstr "" +msgstr "Szybkość dołączania:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:319 msgid "" "How many channels are joined in one JOIN command. 0 is unlimited (default). " "Set to small positive value if you get disconnected with “Max SendQ Exceeded”" msgstr "" +"Do ilu kanałów dołączasz w jednym poleceniu JOIN. 0 jest nieograniczone " +"(domyślnie). Ustaw na małą wartość dodatnią, jeśli rozłączy Ciebie " +"wiadomością “Max SendQ Exceeded”" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:322 msgid "Timeout before reconnect:" -msgstr "" +msgstr "Czas oczekiwania przed ponownym połączeniem:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:324 msgid "" @@ -626,84 +655,84 @@ msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:327 msgid "Max IRC Networks Number:" -msgstr "" +msgstr "Maksymalna liczba sieci IRC:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:329 msgid "Maximum number of IRC networks allowed for this user." -msgstr "" +msgstr "Maksymalna liczba sieci IRC dozwolona dla tego użytkownika." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:332 msgid "Substitutions" -msgstr "" +msgstr "Podstawienia" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:334 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:342 msgid "CTCP Replies:" -msgstr "" +msgstr "Odpowiedzi CTCP:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:338 msgid "One reply per line. Example: TIME Buy a watch!" -msgstr "" +msgstr "Jedna odpowiedź na linię. Przykład:TIME Kup zegarek!" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:339 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:355 msgid "{1} are available" -msgstr "" +msgstr "{1} są dostępne" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:341 msgid "Empty value means this CTCP request will be ignored" -msgstr "" +msgstr "Pusta wartość oznacza, że to zapytanie CTCP zostanie zignorowane" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:347 msgid "Request" -msgstr "" +msgstr "Zapytanie" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:348 msgid "Response" -msgstr "" +msgstr "Odpowiedź" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:373 #: modules/po/../data/webadmin/tmpl/settings.tmpl:90 msgid "Skin:" -msgstr "" +msgstr "Skórka:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:377 msgid "- Global -" -msgstr "" +msgstr "- Globalna -" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:379 #: modules/po/../data/webadmin/tmpl/settings.tmpl:94 msgid "Default" -msgstr "" +msgstr "Domyślna" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:383 msgid "No other skins found" -msgstr "" +msgstr "Nie znaleziono innych skórek" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:389 msgid "Language:" -msgstr "" +msgstr "Język:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:422 msgid "Clone and return" -msgstr "" +msgstr "Sklonuj i wróć" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:423 msgid "Clone and continue" -msgstr "" +msgstr "Sklonuj i kontynuuj" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:425 msgid "Create and return" -msgstr "" +msgstr "Utwórz i wróć" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:426 msgid "Create and continue" -msgstr "" +msgstr "Utwórz i kontynuuj" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:432 #: modules/po/../data/webadmin/tmpl/listusers.tmpl:28 msgid "Clone" -msgstr "" +msgstr "Sklonuj" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:434 msgid "Create" @@ -711,7 +740,7 @@ msgstr "" #: modules/po/../data/webadmin/tmpl/del_network.tmpl:5 msgid "Confirm Network Deletion" -msgstr "" +msgstr "Potwierdź usunięcie sieci" #: modules/po/../data/webadmin/tmpl/del_network.tmpl:9 msgid "Are you sure you want to delete network “{2}” of user “{1}”?" @@ -886,7 +915,7 @@ msgstr "" #: modules/po/../data/webadmin/tmpl/settings.tmpl:158 msgid "MOTD:" -msgstr "" +msgstr "Wiadomość dnia:" #: modules/po/../data/webadmin/tmpl/settings.tmpl:162 msgid "“Message of the Day”, sent to all ZNC users on connect." @@ -906,28 +935,28 @@ msgstr "" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:13 msgid "Uptime" -msgstr "" +msgstr "Czas działania" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:18 msgid "Total Users" -msgstr "" +msgstr "Wszystkich użytkowników" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:22 msgid "Total Networks" -msgstr "" +msgstr "Wszystkich sieci" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:26 #: modules/po/../data/webadmin/tmpl/traffic.tmpl:43 msgid "Attached Networks" -msgstr "" +msgstr "Połączone sieci" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:30 msgid "Total Client Connections" -msgstr "" +msgstr "Łączna liczba połączeń klientów" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:34 msgid "Total IRC Connections" -msgstr "" +msgstr "Łączna liczba połączeń IRC" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:47 msgid "Client Connections" @@ -942,52 +971,52 @@ msgstr "" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:89 #: modules/po/../data/webadmin/tmpl/traffic.tmpl:117 msgid "Total" -msgstr "" +msgstr "Suma" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:70 #: modules/po/../data/webadmin/tmpl/traffic.tmpl:115 msgctxt "Traffic" msgid "In" -msgstr "" +msgstr "Przychodzący" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:71 #: modules/po/../data/webadmin/tmpl/traffic.tmpl:116 msgctxt "Traffic" msgid "Out" -msgstr "" +msgstr "Wychodzący" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:77 #: modules/po/../data/webadmin/tmpl/traffic.tmpl:104 msgid "Users" -msgstr "" +msgstr "Użytkownicy" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:106 msgid "Traffic" -msgstr "" +msgstr "Ruch sieciowy" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:113 msgid "User" -msgstr "" +msgstr "Użytkownik" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:114 msgid "Network" -msgstr "" +msgstr "Sieć" #: webadmin.cpp:91 webadmin.cpp:1872 msgid "Global Settings" -msgstr "" +msgstr "Ustawienia globalne" #: webadmin.cpp:93 msgid "Your Settings" -msgstr "" +msgstr "Twoje ustawienia" #: webadmin.cpp:94 webadmin.cpp:1684 msgid "Traffic Info" -msgstr "" +msgstr "Informacje o ruchu sieciowym" #: webadmin.cpp:97 webadmin.cpp:1663 msgid "Manage Users" -msgstr "" +msgstr "Zarządzanie użytkownikami" #: webadmin.cpp:188 msgid "Invalid Submission [Username is required]" @@ -999,138 +1028,144 @@ msgstr "" #: webadmin.cpp:323 msgid "Timeout can't be less than 30 seconds!" -msgstr "" +msgstr "Limit czasu nie może być krótszy niż 30 sekund!" #: webadmin.cpp:407 webadmin.cpp:435 webadmin.cpp:1182 webadmin.cpp:2057 msgid "Unable to load module [{1}]: {2}" -msgstr "" +msgstr "Nie udało się załadować modułu [{1}]: {2}" #: webadmin.cpp:412 webadmin.cpp:440 msgid "Unable to load module [{1}] with arguments [{2}]" -msgstr "" +msgstr "Nie udało się załadować modułu [{1}] z argumentami [{2}]" #: webadmin.cpp:521 webadmin.cpp:625 webadmin.cpp:650 webadmin.cpp:672 #: webadmin.cpp:706 webadmin.cpp:1249 msgid "No such user" -msgstr "" +msgstr "Nie ma takiego użytkownika" #: webadmin.cpp:534 webadmin.cpp:566 webadmin.cpp:595 webadmin.cpp:611 msgid "No such user or network" -msgstr "" +msgstr "Nie ma takiego użytkownika lub sieci" #: webadmin.cpp:576 msgid "No such channel" -msgstr "" +msgstr "Nie ma takiego kanału" #: webadmin.cpp:642 msgid "Please don't delete yourself, suicide is not the answer!" -msgstr "" +msgstr "Nie usuwaj siebie, samobójstwo nie jest odpowiedzią!" #: webadmin.cpp:715 webadmin.cpp:972 webadmin.cpp:1314 msgid "Edit User [{1}]" -msgstr "" +msgstr "Edytuj użytkownika [{1}]" #: webadmin.cpp:719 webadmin.cpp:906 msgid "Edit Network [{1}]" -msgstr "" +msgstr "Edytuj sieć [{1}]" #: webadmin.cpp:729 msgid "Edit Channel [{1}] of Network [{2}] of User [{3}]" -msgstr "" +msgstr "Edytuj kanał [{1}] z sieci [{2}] użytkownika [{3}]" #: webadmin.cpp:736 msgid "Edit Channel [{1}]" -msgstr "" +msgstr "Edytuj kanał [{1}]" #: webadmin.cpp:744 msgid "Add Channel to Network [{1}] of User [{2}]" -msgstr "" +msgstr "Dodaj kanał do sieci [{1}] użytkownika [{2}]" #: webadmin.cpp:749 msgid "Add Channel" -msgstr "" +msgstr "Dodaj kanał" #: webadmin.cpp:756 webadmin.cpp:1510 msgid "Auto Clear Chan Buffer" -msgstr "" +msgstr "Automatycznie czyść bufor kanału" #: webadmin.cpp:758 msgid "Automatically Clear Channel Buffer After Playback" -msgstr "" +msgstr "Automatycznie czyść bufor kanału po odtworzeniu" #: webadmin.cpp:766 msgid "Detached" -msgstr "" +msgstr "Odczepiono" #: webadmin.cpp:773 msgid "Enabled" -msgstr "" +msgstr "Włączone" #: webadmin.cpp:797 msgid "Channel name is a required argument" -msgstr "" +msgstr "Nazwa kanału jest wymaganym argumentem" #: webadmin.cpp:806 msgid "Channel [{1}] already exists" -msgstr "" +msgstr "Kanał [{1}] już istnieje" #: webadmin.cpp:813 msgid "Could not add channel [{1}]" -msgstr "" +msgstr "Nie można dodać kanału [{1}]" #: webadmin.cpp:861 msgid "Channel was added/modified, but config file was not written" msgstr "" +"Kanał został dodany/zmodyfikowany, ale plik konfiguracyjny nie został " +"zapisany" #: webadmin.cpp:888 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks from Your Settings." msgstr "" +"Osiągnięto maksymalną liczbę sieci. Poproś administratora o zwiększenie " +"limitu dla Ciebie lub usuń niepotrzebne sieci z Twoich ustawień." #: webadmin.cpp:903 msgid "Edit Network [{1}] of User [{2}]" -msgstr "" +msgstr "Edytuj sieć [{1}] użytkownika [{2}]" #: webadmin.cpp:910 msgid "Add Network for User [{1}]" -msgstr "" +msgstr "Dodaj sieć dla użytkownika [{1}]" #: webadmin.cpp:911 msgid "Add Network" -msgstr "" +msgstr "Dodaj sieć" #: webadmin.cpp:1073 msgid "Network name is a required argument" -msgstr "" +msgstr "Nazwa sieci jest wymaganym argumentem" #: webadmin.cpp:1189 webadmin.cpp:2064 msgid "Unable to reload module [{1}]: {2}" -msgstr "" +msgstr "Nie udało się przeładować modułu [{1}]: {2}" #: webadmin.cpp:1226 msgid "Network was added/modified, but config file was not written" msgstr "" +"Sieć została dodana/zmodyfikowana, ale plik konfiguracyjny nie został " +"zapisany" #: webadmin.cpp:1255 msgid "That network doesn't exist for this user" -msgstr "" +msgstr "Ta sieć nie istnieje dla tego użytkownika" #: webadmin.cpp:1272 msgid "Network was deleted, but config file was not written" -msgstr "" +msgstr "Sieć została usunięta, ale plik konfiguracyjny nie został zapisany" #: webadmin.cpp:1286 msgid "That channel doesn't exist for this network" -msgstr "" +msgstr "Ten kanał nie istnieje dla tej sieci" #: webadmin.cpp:1295 msgid "Channel was deleted, but config file was not written" -msgstr "" +msgstr "Kanał został usunięty, ale plik konfiguracyjny nie został zapisany" #: webadmin.cpp:1323 msgid "Clone User [{1}]" -msgstr "" +msgstr "Sklonuj użytkownika [{1}]" #: webadmin.cpp:1512 msgid "" diff --git a/src/po/znc.pl_PL.po b/src/po/znc.pl_PL.po index 7df1f528..35f5aeed 100644 --- a/src/po/znc.pl_PL.po +++ b/src/po/znc.pl_PL.po @@ -1516,7 +1516,7 @@ msgstr "" #: ClientCommand.cpp:1827 msgctxt "helpcmd|LoadMod|args" msgid "[--type=global|user|network] [args]" -msgstr "[--type=global|user|network] [args]" +msgstr "[--type=global|user|network] [argumenty]" #: ClientCommand.cpp:1829 msgctxt "helpcmd|LoadMod|desc" @@ -1536,7 +1536,7 @@ msgstr "" #: ClientCommand.cpp:1835 msgctxt "helpcmd|ReloadMod|args" msgid "[--type=global|user|network] [args]" -msgstr "[--type=global|user|network] [args]" +msgstr "[--type=global|user|network] [argumenty]" #: ClientCommand.cpp:1837 msgctxt "helpcmd|ReloadMod|desc" From 17ec6095d6cc48a3d5b76bc458744eed0880ac33 Mon Sep 17 00:00:00 2001 From: Gaspard Beernaert Date: Wed, 17 Jun 2020 00:45:35 +0200 Subject: [PATCH 426/798] Web: remove legacy xhtml syntax (#1723) --- modules/data/webadmin/tmpl/add_edit_network.tmpl | 4 ++-- modules/data/webadmin/tmpl/add_edit_user.tmpl | 4 ++-- modules/data/webadmin/tmpl/settings.tmpl | 4 ++-- webskins/_default_/pub/_default_.css | 4 ++++ webskins/_default_/tmpl/BaseHeader.tmpl | 2 +- webskins/_default_/tmpl/DocType.tmpl | 1 - 6 files changed, 11 insertions(+), 8 deletions(-) diff --git a/modules/data/webadmin/tmpl/add_edit_network.tmpl b/modules/data/webadmin/tmpl/add_edit_network.tmpl index ae66a35d..93312b57 100644 --- a/modules/data/webadmin/tmpl/add_edit_network.tmpl +++ b/modules/data/webadmin/tmpl/add_edit_network.tmpl @@ -249,7 +249,7 @@ - + @@ -258,7 +258,7 @@ disabled="disabled"/> - + diff --git a/modules/data/webadmin/tmpl/add_edit_user.tmpl b/modules/data/webadmin/tmpl/add_edit_user.tmpl index 3178ca75..5e695795 100644 --- a/modules/data/webadmin/tmpl/add_edit_user.tmpl +++ b/modules/data/webadmin/tmpl/add_edit_user.tmpl @@ -195,7 +195,7 @@ - + @@ -204,7 +204,7 @@ disabled="disabled"/> - + diff --git a/modules/data/webadmin/tmpl/settings.tmpl b/modules/data/webadmin/tmpl/settings.tmpl index df292d05..5412ad18 100644 --- a/modules/data/webadmin/tmpl/settings.tmpl +++ b/modules/data/webadmin/tmpl/settings.tmpl @@ -197,7 +197,7 @@ title="" /> - + @@ -211,7 +211,7 @@ - + diff --git a/webskins/_default_/pub/_default_.css b/webskins/_default_/pub/_default_.css index d7c9f6d1..e1cae329 100644 --- a/webskins/_default_/pub/_default_.css +++ b/webskins/_default_/pub/_default_.css @@ -363,6 +363,10 @@ td.mod_name, white-space: nowrap; } +td.center { + text-align: center; +} + .lotsofcheckboxes .checkboxandlabel { display: block; float: left; diff --git a/webskins/_default_/tmpl/BaseHeader.tmpl b/webskins/_default_/tmpl/BaseHeader.tmpl index 10c47e1f..7d7b69b0 100644 --- a/webskins/_default_/tmpl/BaseHeader.tmpl +++ b/webskins/_default_/tmpl/BaseHeader.tmpl @@ -6,7 +6,7 @@ - + ZNC - <? VAR Title DEFAULT="Web Frontend" ?> diff --git a/webskins/_default_/tmpl/DocType.tmpl b/webskins/_default_/tmpl/DocType.tmpl index 9bc09d12..0e76edd6 100644 --- a/webskins/_default_/tmpl/DocType.tmpl +++ b/webskins/_default_/tmpl/DocType.tmpl @@ -1,2 +1 @@ -xml version="1.0" encoding="UTF-8"?> From c34d9c2ce8ac7f759d6c1ee529ae9b1441c5c50d Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Wed, 17 Jun 2020 00:28:48 +0000 Subject: [PATCH 427/798] Update translations from Crowdin for pl_PL --- modules/po/autoattach.pl_PL.po | 32 ++++++------ modules/po/autocycle.pl_PL.po | 28 ++++++----- modules/po/autoop.pl_PL.po | 75 ++++++++++++++++------------ modules/po/autoreply.pl_PL.po | 14 +++--- modules/po/autovoice.pl_PL.po | 46 ++++++++--------- modules/po/awaystore.pl_PL.po | 2 + modules/po/block_motd.pl_PL.po | 8 +-- modules/po/blockuser.pl_PL.po | 41 +++++++-------- modules/po/buffextras.pl_PL.po | 18 +++---- modules/po/cert.pl_PL.po | 27 +++++----- modules/po/certauth.pl_PL.po | 43 ++++++++-------- modules/po/chansaver.pl_PL.po | 1 + modules/po/clearbufferonmsg.pl_PL.po | 2 +- modules/po/clientnotify.pl_PL.po | 6 +-- modules/po/webadmin.pl_PL.po | 2 +- src/po/znc.pl_PL.po | 16 +++--- 16 files changed, 193 insertions(+), 168 deletions(-) diff --git a/modules/po/autoattach.pl_PL.po b/modules/po/autoattach.pl_PL.po index 951aae14..8bf1e0f8 100644 --- a/modules/po/autoattach.pl_PL.po +++ b/modules/po/autoattach.pl_PL.po @@ -24,64 +24,64 @@ msgstr "{1} już jest dodany" #: autoattach.cpp:100 msgid "Usage: Add [!]<#chan> " -msgstr "" +msgstr "Użycie: Add [!]<#kanał> " #: autoattach.cpp:101 msgid "Wildcards are allowed" -msgstr "" +msgstr "Wieloznaczniki są dozwolone" #: autoattach.cpp:113 msgid "Removed {1} from list" -msgstr "" +msgstr "Usunięto {1} z listy" #: autoattach.cpp:115 msgid "Usage: Del [!]<#chan> " -msgstr "" +msgstr "Użycie: Del [!]<#kanał> " #: autoattach.cpp:121 autoattach.cpp:129 msgid "Neg" -msgstr "" +msgstr "Negacja" #: autoattach.cpp:122 autoattach.cpp:130 msgid "Chan" -msgstr "" +msgstr "Kanał" #: autoattach.cpp:123 autoattach.cpp:131 msgid "Search" -msgstr "" +msgstr "Szukaj" #: autoattach.cpp:124 autoattach.cpp:132 msgid "Host" -msgstr "" +msgstr "Host" #: autoattach.cpp:138 msgid "You have no entries." -msgstr "" +msgstr "Nie masz wpisów." #: autoattach.cpp:146 autoattach.cpp:149 msgid "[!]<#chan> " -msgstr "" +msgstr "[!]<#chan> " #: autoattach.cpp:147 msgid "Add an entry, use !#chan to negate and * for wildcards" -msgstr "" +msgstr "Dodaj wpis, użyj !#kanał aby zanegować i * dla wieloznaczników" #: autoattach.cpp:150 msgid "Remove an entry, needs to be an exact match" -msgstr "" +msgstr "Usuń wpis, musi być dokładnie dopasowany" #: autoattach.cpp:152 msgid "List all entries" -msgstr "" +msgstr "Lista wszystkich wpisów" #: autoattach.cpp:171 msgid "Unable to add [{1}]" -msgstr "" +msgstr "Nie można dodać [{1}]" #: autoattach.cpp:283 msgid "List of channel masks and channel masks with ! before them." -msgstr "" +msgstr "Lista masek kanałów i masek kanałów z ! (negującym) przed nimi." #: autoattach.cpp:286 msgid "Reattaches you to channels on activity." -msgstr "" +msgstr "Przypina do kanałów przy aktywności." diff --git a/modules/po/autocycle.pl_PL.po b/modules/po/autocycle.pl_PL.po index 614b9a83..66c680c8 100644 --- a/modules/po/autocycle.pl_PL.po +++ b/modules/po/autocycle.pl_PL.po @@ -16,56 +16,58 @@ msgstr "" #: autocycle.cpp:27 autocycle.cpp:30 msgid "[!]<#chan>" -msgstr "" +msgstr "[!]<#kanał>" #: autocycle.cpp:28 msgid "Add an entry, use !#chan to negate and * for wildcards" -msgstr "" +msgstr "Dodaj wpis, użyj !#kanał aby zanegować i * dla wieloznaczników" #: autocycle.cpp:31 msgid "Remove an entry, needs to be an exact match" -msgstr "" +msgstr "Usuń wpis, musi być dokładnie dopasowany" #: autocycle.cpp:33 msgid "List all entries" -msgstr "" +msgstr "Lista wszystkich wpisów" #: autocycle.cpp:46 msgid "Unable to add {1}" -msgstr "" +msgstr "Nie można dodać {1}" #: autocycle.cpp:66 msgid "{1} is already added" -msgstr "" +msgstr "{1} już jest dodany" #: autocycle.cpp:68 msgid "Added {1} to list" -msgstr "" +msgstr "Dodano {1} do listy" #: autocycle.cpp:70 msgid "Usage: Add [!]<#chan>" -msgstr "" +msgstr "Użycie: Add [!]<#kanał>" #: autocycle.cpp:78 msgid "Removed {1} from list" -msgstr "" +msgstr "Usunięto {1} z listy" #: autocycle.cpp:80 msgid "Usage: Del [!]<#chan>" -msgstr "" +msgstr "Użycie: Del [!]<#kanał>" #: autocycle.cpp:85 autocycle.cpp:90 autocycle.cpp:95 msgid "Channel" -msgstr "" +msgstr "Kanał" #: autocycle.cpp:101 msgid "You have no entries." -msgstr "" +msgstr "Nie masz wpisów." #: autocycle.cpp:230 msgid "List of channel masks and channel masks with ! before them." -msgstr "" +msgstr "Lista masek kanałów i masek kanałów z ! (negującym) przed nimi." #: autocycle.cpp:235 msgid "Rejoins channels to gain Op if you're the only user left" msgstr "" +"Dołącza ponownie do kanałów, aby uzyskać operatora jeżeli jesteś jedynym " +"użytkownikiem" diff --git a/modules/po/autoop.pl_PL.po b/modules/po/autoop.pl_PL.po index 1579cbc0..8f9dbccd 100644 --- a/modules/po/autoop.pl_PL.po +++ b/modules/po/autoop.pl_PL.po @@ -16,155 +16,166 @@ msgstr "" #: autoop.cpp:154 msgid "List all users" -msgstr "" +msgstr "Lista wszystkich użytkowników" #: autoop.cpp:156 autoop.cpp:159 msgid " [channel] ..." -msgstr "" +msgstr " [kanał] ..." #: autoop.cpp:157 msgid "Adds channels to a user" -msgstr "" +msgstr "Dodaje kanały do użytkownika" #: autoop.cpp:160 msgid "Removes channels from a user" -msgstr "" +msgstr "Usuwa kanały z użytkownika" #: autoop.cpp:162 autoop.cpp:165 msgid " ,[mask] ..." -msgstr "" +msgstr " ,[maska] ..." #: autoop.cpp:163 msgid "Adds masks to a user" -msgstr "" +msgstr "Dodaje maski do użytkownika" #: autoop.cpp:166 msgid "Removes masks from a user" -msgstr "" +msgstr "Usuwa maski użytkownika" #: autoop.cpp:169 msgid " [,...] [channels]" -msgstr "" +msgstr " [,...] [kanały]" #: autoop.cpp:170 msgid "Adds a user" -msgstr "" +msgstr "Dodaje użytkownika" #: autoop.cpp:172 msgid "" -msgstr "" +msgstr "" #: autoop.cpp:172 msgid "Removes a user" -msgstr "" +msgstr "Usuwa użytkownika" #: autoop.cpp:275 msgid "Usage: AddUser [,...] [channels]" msgstr "" +"Użycie: AddUser [,...] " +"[kanały]" #: autoop.cpp:291 msgid "Usage: DelUser " -msgstr "" +msgstr "Użycie: DelUser " #: autoop.cpp:300 msgid "There are no users defined" -msgstr "" +msgstr "Brak zdefiniowanych użytkowników" #: autoop.cpp:306 autoop.cpp:317 autoop.cpp:321 autoop.cpp:323 msgid "User" -msgstr "" +msgstr "Użytkownik" #: autoop.cpp:307 autoop.cpp:325 msgid "Hostmasks" -msgstr "" +msgstr "Maski hosta" #: autoop.cpp:308 autoop.cpp:318 msgid "Key" -msgstr "" +msgstr "Klucz" #: autoop.cpp:309 autoop.cpp:319 msgid "Channels" -msgstr "" +msgstr "Kanały" #: autoop.cpp:337 msgid "Usage: AddChans [channel] ..." -msgstr "" +msgstr "Użycie: AddChans [kanał] ..." #: autoop.cpp:344 autoop.cpp:365 autoop.cpp:387 autoop.cpp:408 autoop.cpp:472 msgid "No such user" -msgstr "" +msgstr "Nie ma takiego użytkownika" #: autoop.cpp:349 msgid "Channel(s) added to user {1}" -msgstr "" +msgstr "Kanał(y) został(y) dodane/y do użytkownika {1}" #: autoop.cpp:358 msgid "Usage: DelChans [channel] ..." -msgstr "" +msgstr "Użycie: DelChans [kanał] ..." #: autoop.cpp:371 msgid "Channel(s) Removed from user {1}" -msgstr "" +msgstr "Kanał(y) został(y) usunięte/y od użytkownika {1}" #: autoop.cpp:380 msgid "Usage: AddMasks ,[mask] ..." -msgstr "" +msgstr "Użycie: AddMasks ,[maska] ..." #: autoop.cpp:392 msgid "Hostmasks(s) added to user {1}" -msgstr "" +msgstr "Dodano maskę/i hosta do użytkownika {1}" #: autoop.cpp:401 msgid "Usage: DelMasks ,[mask] ..." -msgstr "" +msgstr "Użycie: DelMasks ,[maska] ..." #: autoop.cpp:413 msgid "Removed user {1} with key {2} and channels {3}" -msgstr "" +msgstr "Usunięto użytkownika {1} z kluczem {2} i kanałami {3}" #: autoop.cpp:419 msgid "Hostmasks(s) Removed from user {1}" -msgstr "" +msgstr "Usunięto maski hosta użytkownikowi {1}" #: autoop.cpp:478 msgid "User {1} removed" -msgstr "" +msgstr "Użytkownik {1} usunięty" #: autoop.cpp:484 msgid "That user already exists" -msgstr "" +msgstr "Ten użytkownik już istnieje" #: autoop.cpp:490 msgid "User {1} added with hostmask(s) {2}" -msgstr "" +msgstr "Użytkownik {1} został dodany z maską/maskami {2}" #: autoop.cpp:532 msgid "" "[{1}] sent us a challenge but they are not opped in any defined channels." msgstr "" +"[{1}] wysłał nam wyzwanie, ale nie są operatorami w żadnych zdefiniowanych " +"kanałach." #: autoop.cpp:536 msgid "[{1}] sent us a challenge but they do not match a defined user." msgstr "" +"[{1}] wysłał nam wyzwanie, ale nie pasuje do zdefiniowanego użytkownika." #: autoop.cpp:544 msgid "WARNING! [{1}] sent an invalid challenge." -msgstr "" +msgstr "OSTRZEŻENIE! [{1}] wysłał nieprawidłowe wyzwanie." #: autoop.cpp:560 msgid "[{1}] sent an unchallenged response. This could be due to lag." msgstr "" +"[{1}] wysłał nieprawidłową odpowiedź na wyzwanie. Może to być spowodowane " +"opóźnieniem." #: autoop.cpp:577 msgid "" "WARNING! [{1}] sent a bad response. Please verify that you have their " "correct password." msgstr "" +"OSTRZEŻENIE! [{1}] wysłał złą odpowiedź. Zweryfikuj, czy masz ich poprawne " +"hasło." #: autoop.cpp:586 msgid "WARNING! [{1}] sent a response but did not match any defined users." msgstr "" +"OSTRZEŻENIE! [{1}] wysłał odpowiedź, ale nie pasował do żadnego " +"zdefiniowanego użytkownika." #: autoop.cpp:644 msgid "Auto op the good people" -msgstr "" +msgstr "Automatyczne przydzielanie operatora dobrym ludziom" diff --git a/modules/po/autoreply.pl_PL.po b/modules/po/autoreply.pl_PL.po index 73e29e0b..e7e18c5c 100644 --- a/modules/po/autoreply.pl_PL.po +++ b/modules/po/autoreply.pl_PL.po @@ -16,30 +16,32 @@ msgstr "" #: autoreply.cpp:25 msgid "" -msgstr "" +msgstr "" #: autoreply.cpp:25 msgid "Sets a new reply" -msgstr "" +msgstr "Ustawia nową odpowiedź" #: autoreply.cpp:27 msgid "Displays the current query reply" -msgstr "" +msgstr "Wyświetla bieżącą odpowiedź rozmowy" #: autoreply.cpp:75 msgid "Current reply is: {1} ({2})" -msgstr "" +msgstr "Bieżąca odpowiedź to: {1} ({2})" #: autoreply.cpp:81 msgid "New reply set to: {1} ({2})" -msgstr "" +msgstr "Nowa odpowiedź ustawiona na:{1} ({2})" #: autoreply.cpp:94 msgid "" "You might specify a reply text. It is used when automatically answering " "queries, if you are not connected to ZNC." msgstr "" +"Możesz określić tekst odpowiedzi. Jest używany do automatycznego " +"odpowiadania rozmówcom, jeśli nie jesteś połączony z ZNC." #: autoreply.cpp:98 msgid "Reply to queries when you are away" -msgstr "" +msgstr "Odpowiadaj na przychodzące rozmowy, gdy Cię nie ma" diff --git a/modules/po/autovoice.pl_PL.po b/modules/po/autovoice.pl_PL.po index e4945db7..ba1a8b88 100644 --- a/modules/po/autovoice.pl_PL.po +++ b/modules/po/autovoice.pl_PL.po @@ -16,91 +16,91 @@ msgstr "" #: autovoice.cpp:120 msgid "List all users" -msgstr "" +msgstr "Lista wszystkich użytkowników" #: autovoice.cpp:122 autovoice.cpp:125 msgid " [channel] ..." -msgstr "" +msgstr " [kanał] ..." #: autovoice.cpp:123 msgid "Adds channels to a user" -msgstr "" +msgstr "Dodaje kanały do użytkownika" #: autovoice.cpp:126 msgid "Removes channels from a user" -msgstr "" +msgstr "Usuwa kanały użytkownika" #: autovoice.cpp:128 msgid " [channels]" -msgstr "" +msgstr " [kanały]" #: autovoice.cpp:129 msgid "Adds a user" -msgstr "" +msgstr "Dodaje użytkownika" #: autovoice.cpp:131 msgid "" -msgstr "" +msgstr "" #: autovoice.cpp:131 msgid "Removes a user" -msgstr "" +msgstr "Usuwa użytkownika" #: autovoice.cpp:215 msgid "Usage: AddUser [channels]" -msgstr "" +msgstr "Użycie: AddUser [kanały]" #: autovoice.cpp:229 msgid "Usage: DelUser " -msgstr "" +msgstr "Użycie: DelUser " #: autovoice.cpp:238 msgid "There are no users defined" -msgstr "" +msgstr "Brak zdefiniowanych użytkowników" #: autovoice.cpp:244 autovoice.cpp:250 msgid "User" -msgstr "" +msgstr "Użytkownik" #: autovoice.cpp:245 autovoice.cpp:251 msgid "Hostmask" -msgstr "" +msgstr "Maska hosta" #: autovoice.cpp:246 autovoice.cpp:252 msgid "Channels" -msgstr "" +msgstr "Kanały" #: autovoice.cpp:263 msgid "Usage: AddChans [channel] ..." -msgstr "" +msgstr "Użycie: AddChans [kanał] ..." #: autovoice.cpp:270 autovoice.cpp:292 autovoice.cpp:329 msgid "No such user" -msgstr "" +msgstr "Nie ma takiego użytkownika" #: autovoice.cpp:275 msgid "Channel(s) added to user {1}" -msgstr "" +msgstr "Kanał(y) został(y) dodane/y do użytkownika {1}" #: autovoice.cpp:285 msgid "Usage: DelChans [channel] ..." -msgstr "" +msgstr "Użycie: DelChans [kanał] ..." #: autovoice.cpp:298 msgid "Channel(s) Removed from user {1}" -msgstr "" +msgstr "Kanał(y) został(y) usunięte/y od użytkownika {1}" #: autovoice.cpp:335 msgid "User {1} removed" -msgstr "" +msgstr "Użytkownik {1} usunięty" #: autovoice.cpp:341 msgid "That user already exists" -msgstr "" +msgstr "Ten użytkownik już istnieje" #: autovoice.cpp:347 msgid "User {1} added with hostmask {2}" -msgstr "" +msgstr "Użytkownik {1} został dodany z maską {2}" #: autovoice.cpp:360 msgid "" @@ -110,4 +110,4 @@ msgstr "" #: autovoice.cpp:365 msgid "Auto voice the good people" -msgstr "" +msgstr "Automatycznie przydziel operatora dobrym ludziom" diff --git a/modules/po/awaystore.pl_PL.po b/modules/po/awaystore.pl_PL.po index 5bd357a0..f954069c 100644 --- a/modules/po/awaystore.pl_PL.po +++ b/modules/po/awaystore.pl_PL.po @@ -114,3 +114,5 @@ msgstr "" msgid "" "Adds auto-away with logging, useful when you use ZNC from different locations" msgstr "" +"Dodaje automatyczną nieobecność z dziennikowaniem, przydatne, gdy używasz " +"ZNC z różnych lokalizacji" diff --git a/modules/po/block_motd.pl_PL.po b/modules/po/block_motd.pl_PL.po index ee6d2e1c..f7600db8 100644 --- a/modules/po/block_motd.pl_PL.po +++ b/modules/po/block_motd.pl_PL.po @@ -16,7 +16,7 @@ msgstr "" #: block_motd.cpp:26 msgid "[]" -msgstr "" +msgstr "[]" #: block_motd.cpp:27 msgid "" @@ -26,12 +26,12 @@ msgstr "" #: block_motd.cpp:36 msgid "You are not connected to an IRC Server." -msgstr "" +msgstr "Nie jesteś połączony z serwerem IRC." #: block_motd.cpp:58 msgid "MOTD blocked by ZNC" -msgstr "" +msgstr "MOTD zablokowane przez ZNC" #: block_motd.cpp:104 msgid "Block the MOTD from IRC so it's not sent to your client(s)." -msgstr "" +msgstr "Blokuje MOTD z IRC, więc nie jest wysyłane do Twojego/ich klienta/tów." diff --git a/modules/po/blockuser.pl_PL.po b/modules/po/blockuser.pl_PL.po index 730af5fb..b0fc0a3c 100644 --- a/modules/po/blockuser.pl_PL.po +++ b/modules/po/blockuser.pl_PL.po @@ -16,84 +16,85 @@ msgstr "" #: modules/po/../data/blockuser/tmpl/blockuser_WebadminUser.tmpl:9 msgid "Account is blocked" -msgstr "" +msgstr "Konto jest zablokowane" #: blockuser.cpp:23 msgid "Your account has been disabled. Contact your administrator." msgstr "" +"Twoje konto zostało wyłączone. Skontaktuj się ze swoim administratorem." #: blockuser.cpp:29 msgid "List blocked users" -msgstr "" +msgstr "Lista zablokowanych użytkowników" #: blockuser.cpp:31 blockuser.cpp:33 msgid "" -msgstr "" +msgstr "" #: blockuser.cpp:31 msgid "Block a user" -msgstr "" +msgstr "Zablokowuje użytkownika" #: blockuser.cpp:33 msgid "Unblock a user" -msgstr "" +msgstr "Odblokowuje użytkownika" #: blockuser.cpp:55 msgid "Could not block {1}" -msgstr "" +msgstr "Nie można zablokować {1}" #: blockuser.cpp:76 msgid "Access denied" -msgstr "" +msgstr "Odmowa dostępu" #: blockuser.cpp:85 msgid "No users are blocked" -msgstr "" +msgstr "Żaden użytkownik nie jest zablokowany" #: blockuser.cpp:88 msgid "Blocked users:" -msgstr "" +msgstr "Zablokowani użytkownicy:" #: blockuser.cpp:100 msgid "Usage: Block " -msgstr "" +msgstr "Użycie: Block " #: blockuser.cpp:105 blockuser.cpp:147 msgid "You can't block yourself" -msgstr "" +msgstr "Nie możesz zablokować samego siebie" #: blockuser.cpp:110 blockuser.cpp:152 msgid "Blocked {1}" -msgstr "" +msgstr "Zablokowano {1}" #: blockuser.cpp:112 msgid "Could not block {1} (misspelled?)" -msgstr "" +msgstr "Nie można zablokować {1} (błędnie napisano?)" #: blockuser.cpp:120 msgid "Usage: Unblock " -msgstr "" +msgstr "Użycie: Unblock " #: blockuser.cpp:125 blockuser.cpp:161 msgid "Unblocked {1}" -msgstr "" +msgstr "Odblokowano {1}" #: blockuser.cpp:127 msgid "This user is not blocked" -msgstr "" +msgstr "Ten użytkownik nie jest zablokowany" #: blockuser.cpp:155 msgid "Couldn't block {1}" -msgstr "" +msgstr "Nie można zablokować {1}" #: blockuser.cpp:164 msgid "User {1} is not blocked" -msgstr "" +msgstr "Użytkownik {1} nie jest zablokowany" #: blockuser.cpp:216 msgid "Enter one or more user names. Separate them by spaces." -msgstr "" +msgstr "Wprowadź jedną lub więcej nazw użytkowników. Rozdziel je spacjami." #: blockuser.cpp:219 msgid "Block certain users from logging in." -msgstr "" +msgstr "Zablokuj niektórym użytkownikom możliwość logowania." diff --git a/modules/po/buffextras.pl_PL.po b/modules/po/buffextras.pl_PL.po index 03b32289..3dc029b9 100644 --- a/modules/po/buffextras.pl_PL.po +++ b/modules/po/buffextras.pl_PL.po @@ -16,36 +16,36 @@ msgstr "" #: buffextras.cpp:45 msgid "Server" -msgstr "" +msgstr "Serwer" #: buffextras.cpp:47 msgid "{1} set mode: {2} {3}" -msgstr "" +msgstr "{1} ustawił(a) tryb: {2} {3}" #: buffextras.cpp:55 msgid "{1} kicked {2} with reason: {3}" -msgstr "" +msgstr "{1} wyrzucony {2} z powodu: {3}" #: buffextras.cpp:64 msgid "{1} quit: {2}" -msgstr "" +msgstr "{1} opuścił(a) protokół IRC: {2}" #: buffextras.cpp:73 msgid "{1} joined" -msgstr "" +msgstr "{1} dołączył(a)" #: buffextras.cpp:81 msgid "{1} parted: {2}" -msgstr "" +msgstr "{1} wyszedł/ła z kanału: {2}" #: buffextras.cpp:90 msgid "{1} is now known as {2}" -msgstr "" +msgstr "{1} jest znany teraz jako {2}" #: buffextras.cpp:100 msgid "{1} changed the topic to: {2}" -msgstr "" +msgstr "{1} zmienił(a) temat na: {2}" #: buffextras.cpp:115 msgid "Adds joins, parts etc. to the playback buffer" -msgstr "" +msgstr "Dodaje dołączenia, wyjścia itd. do buforu odtwarzania" diff --git a/modules/po/cert.pl_PL.po b/modules/po/cert.pl_PL.po index 8f5395e2..7505d5d1 100644 --- a/modules/po/cert.pl_PL.po +++ b/modules/po/cert.pl_PL.po @@ -17,7 +17,7 @@ msgstr "" # this text is inserted into `click here` in the other string #: modules/po/../data/cert/tmpl/index.tmpl:5 msgid "here" -msgstr "" +msgstr "tutaj" # {1} is `here`, translateable in the other string #: modules/po/../data/cert/tmpl/index.tmpl:6 @@ -25,53 +25,56 @@ msgid "" "You already have a certificate set, use the form below to overwrite the " "current certificate. Alternatively click {1} to delete your certificate." msgstr "" +"Masz już ustawiony certyfikat, użyj poniższego formularza, aby zastąpić " +"bieżący certyfikat. Możesz też kliknąć {1}, aby usunąć certyfikat." #: modules/po/../data/cert/tmpl/index.tmpl:8 msgid "You do not have a certificate yet." -msgstr "" +msgstr "Nie masz jeszcze certyfikatu." #: modules/po/../data/cert/tmpl/index.tmpl:14 cert.cpp:72 msgid "Certificate" -msgstr "" +msgstr "Certyfikat" #: modules/po/../data/cert/tmpl/index.tmpl:18 msgid "PEM File:" -msgstr "" +msgstr "Plik PEM:" #: modules/po/../data/cert/tmpl/index.tmpl:22 msgid "Update" -msgstr "" +msgstr "Aktualizuj" #: cert.cpp:28 msgid "Pem file deleted" -msgstr "" +msgstr "Usunięto plik PEM" #: cert.cpp:31 msgid "The pem file doesn't exist or there was a error deleting the pem file." -msgstr "" +msgstr "Plik PEM nie istnieje lub wystąpił błąd podczas usuwania pliku PEM." #: cert.cpp:38 msgid "You have a certificate in {1}" -msgstr "" +msgstr "Masz certyfikat w {1}" #: cert.cpp:41 msgid "" "You do not have a certificate. Please use the web interface to add a " "certificate" msgstr "" +"Nie masz certyfikatu. Użyj interfejsu internetowego, aby dodać certyfikat" #: cert.cpp:44 msgid "Alternatively you can either place one at {1}" -msgstr "" +msgstr "Alternatywnie możesz również umieścić go w {1}" #: cert.cpp:52 msgid "Delete the current certificate" -msgstr "" +msgstr "Usuń bieżący certyfikat" #: cert.cpp:54 msgid "Show the current certificate" -msgstr "" +msgstr "Pokaż bieżący certyfikat" #: cert.cpp:105 msgid "Use a ssl certificate to connect to a server" -msgstr "" +msgstr "Użyj certyfikatu SSL, aby połączyć się z serwerem" diff --git a/modules/po/certauth.pl_PL.po b/modules/po/certauth.pl_PL.po index f738715b..01fdc2d0 100644 --- a/modules/po/certauth.pl_PL.po +++ b/modules/po/certauth.pl_PL.po @@ -16,60 +16,62 @@ msgstr "" #: modules/po/../data/certauth/tmpl/index.tmpl:7 msgid "Add a key" -msgstr "" +msgstr "Dodaj klucz" #: modules/po/../data/certauth/tmpl/index.tmpl:11 msgid "Key:" -msgstr "" +msgstr "Klucz:" #: modules/po/../data/certauth/tmpl/index.tmpl:15 msgid "Add Key" -msgstr "" +msgstr "Dodaj klucz" #: modules/po/../data/certauth/tmpl/index.tmpl:23 msgid "You have no keys." -msgstr "" +msgstr "Nie masz kluczy." #: modules/po/../data/certauth/tmpl/index.tmpl:30 msgctxt "web" msgid "Key" -msgstr "" +msgstr "Klucz" #: modules/po/../data/certauth/tmpl/index.tmpl:36 msgid "del" -msgstr "" +msgstr "Usuń" #: certauth.cpp:31 msgid "[pubkey]" -msgstr "" +msgstr "[klucz_publiczny]" #: certauth.cpp:32 msgid "Add a public key. If key is not provided will use the current key" msgstr "" +"Dodaj klucz publiczny. Jeśli klucz nie zostanie podany, zostanie użyty " +"bieżący klucz" #: certauth.cpp:35 msgid "id" -msgstr "" +msgstr "id" #: certauth.cpp:35 msgid "Delete a key by its number in List" -msgstr "" +msgstr "Usuń klucz po numerze na liście" #: certauth.cpp:37 msgid "List your public keys" -msgstr "" +msgstr "Lista Twoich kluczy publicznych" #: certauth.cpp:39 msgid "Print your current key" -msgstr "" +msgstr "Wypisuje Twój bieżący klucz" #: certauth.cpp:142 msgid "You are not connected with any valid public key" -msgstr "" +msgstr "Nie masz połączenia z żadnym ważnym kluczem publicznym" #: certauth.cpp:144 msgid "Your current public key is: {1}" -msgstr "" +msgstr "Twój bieżący klucz publiczny to: {1}" #: certauth.cpp:157 msgid "You did not supply a public key or connect with one." @@ -77,34 +79,35 @@ msgstr "" #: certauth.cpp:160 msgid "Key '{1}' added." -msgstr "" +msgstr "Klucz '{1}' dodany." #: certauth.cpp:162 msgid "The key '{1}' is already added." -msgstr "" +msgstr "Klucz '{1}' został już dodany." #: certauth.cpp:170 certauth.cpp:183 msgctxt "list" msgid "Id" -msgstr "" +msgstr "Id" #: certauth.cpp:171 certauth.cpp:184 msgctxt "list" msgid "Key" -msgstr "" +msgstr "Klucz" #: certauth.cpp:176 certauth.cpp:190 certauth.cpp:199 msgid "No keys set for your user" -msgstr "" +msgstr "Nie ustawiono kluczy dla Twojego użytkownika" #: certauth.cpp:204 msgid "Invalid #, check \"list\"" -msgstr "" +msgstr "Nieprawidłowy #, sprawdź \"list\"" #: certauth.cpp:216 msgid "Removed" -msgstr "" +msgstr "Usunięto" #: certauth.cpp:291 msgid "Allows users to authenticate via SSL client certificates." msgstr "" +"Umożliwia użytkownikom uwierzytelnianie za pomocą certyfikatów klienta SSL." diff --git a/modules/po/chansaver.pl_PL.po b/modules/po/chansaver.pl_PL.po index 9328d5cc..2f5b0d4a 100644 --- a/modules/po/chansaver.pl_PL.po +++ b/modules/po/chansaver.pl_PL.po @@ -17,3 +17,4 @@ msgstr "" #: chansaver.cpp:91 msgid "Keeps config up-to-date when user joins/parts." msgstr "" +"Utrzymuje konfigurację aktualną gdy użytkownik dołącza/wychodzi z kanału." diff --git a/modules/po/clearbufferonmsg.pl_PL.po b/modules/po/clearbufferonmsg.pl_PL.po index 9fa22533..7eb3f672 100644 --- a/modules/po/clearbufferonmsg.pl_PL.po +++ b/modules/po/clearbufferonmsg.pl_PL.po @@ -16,4 +16,4 @@ msgstr "" #: clearbufferonmsg.cpp:160 msgid "Clears all channel and query buffers whenever the user does something" -msgstr "" +msgstr "Czyści wszystkie bufory kanałów i rozmów, ilekroć użytkownik coś robi" diff --git a/modules/po/clientnotify.pl_PL.po b/modules/po/clientnotify.pl_PL.po index ffd0f93d..55abcaaa 100644 --- a/modules/po/clientnotify.pl_PL.po +++ b/modules/po/clientnotify.pl_PL.po @@ -16,7 +16,7 @@ msgstr "" #: clientnotify.cpp:47 msgid "" -msgstr "" +msgstr "" #: clientnotify.cpp:48 msgid "Sets the notify method" @@ -24,7 +24,7 @@ msgstr "" #: clientnotify.cpp:50 clientnotify.cpp:54 msgid "" -msgstr "" +msgstr "" #: clientnotify.cpp:51 msgid "Turns notifications for unseen IP addresses on or off" @@ -54,7 +54,7 @@ msgstr "" #: clientnotify.cpp:114 clientnotify.cpp:127 clientnotify.cpp:140 msgid "Saved." -msgstr "" +msgstr "Zapisano." #: clientnotify.cpp:121 msgid "Usage: NewOnly " diff --git a/modules/po/webadmin.pl_PL.po b/modules/po/webadmin.pl_PL.po index 900c8c8e..72bbadc3 100644 --- a/modules/po/webadmin.pl_PL.po +++ b/modules/po/webadmin.pl_PL.po @@ -1089,7 +1089,7 @@ msgstr "Automatycznie czyść bufor kanału po odtworzeniu" #: webadmin.cpp:766 msgid "Detached" -msgstr "Odczepiono" +msgstr "Odpięto" #: webadmin.cpp:773 msgid "Enabled" diff --git a/src/po/znc.pl_PL.po b/src/po/znc.pl_PL.po index 35f5aeed..b14fc1f4 100644 --- a/src/po/znc.pl_PL.po +++ b/src/po/znc.pl_PL.po @@ -266,15 +266,15 @@ msgstr[3] "" #: Client.cpp:1359 msgid "Usage: /detach <#chans>" -msgstr "" +msgstr "Użycie: /detach <#kanały>" #: Client.cpp:1369 ClientCommand.cpp:154 msgid "Detached {1} channel" msgid_plural "Detached {1} channels" -msgstr[0] "" +msgstr[0] "Odpięto kanał {1}" msgstr[1] "" msgstr[2] "" -msgstr[3] "" +msgstr[3] "Odpięto {1} kanały" #: Chan.cpp:678 msgid "Buffer Playback..." @@ -441,7 +441,7 @@ msgstr "" #: ClientCommand.cpp:144 msgid "Usage: Detach <#chans>" -msgstr "" +msgstr "Użycie: Detach <#kanały>" #: ClientCommand.cpp:161 msgid "There is no MOTD set." @@ -517,7 +517,7 @@ msgstr "" #: ClientCommand.cpp:505 msgctxt "listchans" msgid "Detached" -msgstr "" +msgstr "Odpięto" #: ClientCommand.cpp:506 msgctxt "listchans" @@ -541,7 +541,7 @@ msgstr "" #: ClientCommand.cpp:536 msgid "Total: {1}, Joined: {2}, Detached: {3}, Disabled: {4}" -msgstr "" +msgstr "Sumarycznie: {1}, Dołączonych: {2}, Odpiętych: {3}, Wyłączonych: {4}" #: ClientCommand.cpp:541 msgid "" @@ -1391,12 +1391,12 @@ msgstr "" #: ClientCommand.cpp:1768 msgctxt "helpcmd|Detach|args" msgid "<#chans>" -msgstr "" +msgstr "<#kanały>" #: ClientCommand.cpp:1769 msgctxt "helpcmd|Detach|desc" msgid "Detach from channels" -msgstr "" +msgstr "Odepnij od kanałów" #: ClientCommand.cpp:1772 msgctxt "helpcmd|Topics|desc" From a183cf6b248d1f1c8c8cffadd502bdf33985adf8 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Wed, 17 Jun 2020 00:28:49 +0000 Subject: [PATCH 428/798] Update translations from Crowdin for pl_PL --- modules/po/autoattach.pl_PL.po | 32 ++++++------ modules/po/autocycle.pl_PL.po | 28 ++++++----- modules/po/autoop.pl_PL.po | 75 ++++++++++++++++------------ modules/po/autoreply.pl_PL.po | 14 +++--- modules/po/autovoice.pl_PL.po | 46 ++++++++--------- modules/po/awaystore.pl_PL.po | 2 + modules/po/block_motd.pl_PL.po | 8 +-- modules/po/blockuser.pl_PL.po | 41 +++++++-------- modules/po/buffextras.pl_PL.po | 18 +++---- modules/po/cert.pl_PL.po | 27 +++++----- modules/po/certauth.pl_PL.po | 43 ++++++++-------- modules/po/chansaver.pl_PL.po | 1 + modules/po/clearbufferonmsg.pl_PL.po | 2 +- modules/po/clientnotify.pl_PL.po | 6 +-- modules/po/webadmin.pl_PL.po | 2 +- src/po/znc.pl_PL.po | 12 ++--- 16 files changed, 191 insertions(+), 166 deletions(-) diff --git a/modules/po/autoattach.pl_PL.po b/modules/po/autoattach.pl_PL.po index 711042c9..d471d22a 100644 --- a/modules/po/autoattach.pl_PL.po +++ b/modules/po/autoattach.pl_PL.po @@ -24,64 +24,64 @@ msgstr "{1} już jest dodany" #: autoattach.cpp:100 msgid "Usage: Add [!]<#chan> " -msgstr "" +msgstr "Użycie: Add [!]<#kanał> " #: autoattach.cpp:101 msgid "Wildcards are allowed" -msgstr "" +msgstr "Wieloznaczniki są dozwolone" #: autoattach.cpp:113 msgid "Removed {1} from list" -msgstr "" +msgstr "Usunięto {1} z listy" #: autoattach.cpp:115 msgid "Usage: Del [!]<#chan> " -msgstr "" +msgstr "Użycie: Del [!]<#kanał> " #: autoattach.cpp:121 autoattach.cpp:129 msgid "Neg" -msgstr "" +msgstr "Negacja" #: autoattach.cpp:122 autoattach.cpp:130 msgid "Chan" -msgstr "" +msgstr "Kanał" #: autoattach.cpp:123 autoattach.cpp:131 msgid "Search" -msgstr "" +msgstr "Szukaj" #: autoattach.cpp:124 autoattach.cpp:132 msgid "Host" -msgstr "" +msgstr "Host" #: autoattach.cpp:138 msgid "You have no entries." -msgstr "" +msgstr "Nie masz wpisów." #: autoattach.cpp:146 autoattach.cpp:149 msgid "[!]<#chan> " -msgstr "" +msgstr "[!]<#chan> " #: autoattach.cpp:147 msgid "Add an entry, use !#chan to negate and * for wildcards" -msgstr "" +msgstr "Dodaj wpis, użyj !#kanał aby zanegować i * dla wieloznaczników" #: autoattach.cpp:150 msgid "Remove an entry, needs to be an exact match" -msgstr "" +msgstr "Usuń wpis, musi być dokładnie dopasowany" #: autoattach.cpp:152 msgid "List all entries" -msgstr "" +msgstr "Lista wszystkich wpisów" #: autoattach.cpp:171 msgid "Unable to add [{1}]" -msgstr "" +msgstr "Nie można dodać [{1}]" #: autoattach.cpp:283 msgid "List of channel masks and channel masks with ! before them." -msgstr "" +msgstr "Lista masek kanałów i masek kanałów z ! (negującym) przed nimi." #: autoattach.cpp:286 msgid "Reattaches you to channels on activity." -msgstr "" +msgstr "Przypina do kanałów przy aktywności." diff --git a/modules/po/autocycle.pl_PL.po b/modules/po/autocycle.pl_PL.po index 769f1ec2..043103fa 100644 --- a/modules/po/autocycle.pl_PL.po +++ b/modules/po/autocycle.pl_PL.po @@ -16,56 +16,58 @@ msgstr "" #: autocycle.cpp:27 autocycle.cpp:30 msgid "[!]<#chan>" -msgstr "" +msgstr "[!]<#kanał>" #: autocycle.cpp:28 msgid "Add an entry, use !#chan to negate and * for wildcards" -msgstr "" +msgstr "Dodaj wpis, użyj !#kanał aby zanegować i * dla wieloznaczników" #: autocycle.cpp:31 msgid "Remove an entry, needs to be an exact match" -msgstr "" +msgstr "Usuń wpis, musi być dokładnie dopasowany" #: autocycle.cpp:33 msgid "List all entries" -msgstr "" +msgstr "Lista wszystkich wpisów" #: autocycle.cpp:46 msgid "Unable to add {1}" -msgstr "" +msgstr "Nie można dodać {1}" #: autocycle.cpp:66 msgid "{1} is already added" -msgstr "" +msgstr "{1} już jest dodany" #: autocycle.cpp:68 msgid "Added {1} to list" -msgstr "" +msgstr "Dodano {1} do listy" #: autocycle.cpp:70 msgid "Usage: Add [!]<#chan>" -msgstr "" +msgstr "Użycie: Add [!]<#kanał>" #: autocycle.cpp:78 msgid "Removed {1} from list" -msgstr "" +msgstr "Usunięto {1} z listy" #: autocycle.cpp:80 msgid "Usage: Del [!]<#chan>" -msgstr "" +msgstr "Użycie: Del [!]<#kanał>" #: autocycle.cpp:85 autocycle.cpp:90 autocycle.cpp:95 msgid "Channel" -msgstr "" +msgstr "Kanał" #: autocycle.cpp:101 msgid "You have no entries." -msgstr "" +msgstr "Nie masz wpisów." #: autocycle.cpp:230 msgid "List of channel masks and channel masks with ! before them." -msgstr "" +msgstr "Lista masek kanałów i masek kanałów z ! (negującym) przed nimi." #: autocycle.cpp:235 msgid "Rejoins channels to gain Op if you're the only user left" msgstr "" +"Dołącza ponownie do kanałów, aby uzyskać operatora jeżeli jesteś jedynym " +"użytkownikiem" diff --git a/modules/po/autoop.pl_PL.po b/modules/po/autoop.pl_PL.po index 220b77e8..84af3625 100644 --- a/modules/po/autoop.pl_PL.po +++ b/modules/po/autoop.pl_PL.po @@ -16,155 +16,166 @@ msgstr "" #: autoop.cpp:154 msgid "List all users" -msgstr "" +msgstr "Lista wszystkich użytkowników" #: autoop.cpp:156 autoop.cpp:159 msgid " [channel] ..." -msgstr "" +msgstr " [kanał] ..." #: autoop.cpp:157 msgid "Adds channels to a user" -msgstr "" +msgstr "Dodaje kanały do użytkownika" #: autoop.cpp:160 msgid "Removes channels from a user" -msgstr "" +msgstr "Usuwa kanały z użytkownika" #: autoop.cpp:162 autoop.cpp:165 msgid " ,[mask] ..." -msgstr "" +msgstr " ,[maska] ..." #: autoop.cpp:163 msgid "Adds masks to a user" -msgstr "" +msgstr "Dodaje maski do użytkownika" #: autoop.cpp:166 msgid "Removes masks from a user" -msgstr "" +msgstr "Usuwa maski użytkownika" #: autoop.cpp:169 msgid " [,...] [channels]" -msgstr "" +msgstr " [,...] [kanały]" #: autoop.cpp:170 msgid "Adds a user" -msgstr "" +msgstr "Dodaje użytkownika" #: autoop.cpp:172 msgid "" -msgstr "" +msgstr "" #: autoop.cpp:172 msgid "Removes a user" -msgstr "" +msgstr "Usuwa użytkownika" #: autoop.cpp:275 msgid "Usage: AddUser [,...] [channels]" msgstr "" +"Użycie: AddUser [,...] " +"[kanały]" #: autoop.cpp:291 msgid "Usage: DelUser " -msgstr "" +msgstr "Użycie: DelUser " #: autoop.cpp:300 msgid "There are no users defined" -msgstr "" +msgstr "Brak zdefiniowanych użytkowników" #: autoop.cpp:306 autoop.cpp:317 autoop.cpp:321 autoop.cpp:323 msgid "User" -msgstr "" +msgstr "Użytkownik" #: autoop.cpp:307 autoop.cpp:325 msgid "Hostmasks" -msgstr "" +msgstr "Maski hosta" #: autoop.cpp:308 autoop.cpp:318 msgid "Key" -msgstr "" +msgstr "Klucz" #: autoop.cpp:309 autoop.cpp:319 msgid "Channels" -msgstr "" +msgstr "Kanały" #: autoop.cpp:337 msgid "Usage: AddChans [channel] ..." -msgstr "" +msgstr "Użycie: AddChans [kanał] ..." #: autoop.cpp:344 autoop.cpp:365 autoop.cpp:387 autoop.cpp:408 autoop.cpp:472 msgid "No such user" -msgstr "" +msgstr "Nie ma takiego użytkownika" #: autoop.cpp:349 msgid "Channel(s) added to user {1}" -msgstr "" +msgstr "Kanał(y) został(y) dodane/y do użytkownika {1}" #: autoop.cpp:358 msgid "Usage: DelChans [channel] ..." -msgstr "" +msgstr "Użycie: DelChans [kanał] ..." #: autoop.cpp:371 msgid "Channel(s) Removed from user {1}" -msgstr "" +msgstr "Kanał(y) został(y) usunięte/y od użytkownika {1}" #: autoop.cpp:380 msgid "Usage: AddMasks ,[mask] ..." -msgstr "" +msgstr "Użycie: AddMasks ,[maska] ..." #: autoop.cpp:392 msgid "Hostmasks(s) added to user {1}" -msgstr "" +msgstr "Dodano maskę/i hosta do użytkownika {1}" #: autoop.cpp:401 msgid "Usage: DelMasks ,[mask] ..." -msgstr "" +msgstr "Użycie: DelMasks ,[maska] ..." #: autoop.cpp:413 msgid "Removed user {1} with key {2} and channels {3}" -msgstr "" +msgstr "Usunięto użytkownika {1} z kluczem {2} i kanałami {3}" #: autoop.cpp:419 msgid "Hostmasks(s) Removed from user {1}" -msgstr "" +msgstr "Usunięto maski hosta użytkownikowi {1}" #: autoop.cpp:478 msgid "User {1} removed" -msgstr "" +msgstr "Użytkownik {1} usunięty" #: autoop.cpp:484 msgid "That user already exists" -msgstr "" +msgstr "Ten użytkownik już istnieje" #: autoop.cpp:490 msgid "User {1} added with hostmask(s) {2}" -msgstr "" +msgstr "Użytkownik {1} został dodany z maską/maskami {2}" #: autoop.cpp:532 msgid "" "[{1}] sent us a challenge but they are not opped in any defined channels." msgstr "" +"[{1}] wysłał nam wyzwanie, ale nie są operatorami w żadnych zdefiniowanych " +"kanałach." #: autoop.cpp:536 msgid "[{1}] sent us a challenge but they do not match a defined user." msgstr "" +"[{1}] wysłał nam wyzwanie, ale nie pasuje do zdefiniowanego użytkownika." #: autoop.cpp:544 msgid "WARNING! [{1}] sent an invalid challenge." -msgstr "" +msgstr "OSTRZEŻENIE! [{1}] wysłał nieprawidłowe wyzwanie." #: autoop.cpp:560 msgid "[{1}] sent an unchallenged response. This could be due to lag." msgstr "" +"[{1}] wysłał nieprawidłową odpowiedź na wyzwanie. Może to być spowodowane " +"opóźnieniem." #: autoop.cpp:577 msgid "" "WARNING! [{1}] sent a bad response. Please verify that you have their " "correct password." msgstr "" +"OSTRZEŻENIE! [{1}] wysłał złą odpowiedź. Zweryfikuj, czy masz ich poprawne " +"hasło." #: autoop.cpp:586 msgid "WARNING! [{1}] sent a response but did not match any defined users." msgstr "" +"OSTRZEŻENIE! [{1}] wysłał odpowiedź, ale nie pasował do żadnego " +"zdefiniowanego użytkownika." #: autoop.cpp:644 msgid "Auto op the good people" -msgstr "" +msgstr "Automatyczne przydzielanie operatora dobrym ludziom" diff --git a/modules/po/autoreply.pl_PL.po b/modules/po/autoreply.pl_PL.po index 8f3e3be3..9182ba1a 100644 --- a/modules/po/autoreply.pl_PL.po +++ b/modules/po/autoreply.pl_PL.po @@ -16,30 +16,32 @@ msgstr "" #: autoreply.cpp:25 msgid "" -msgstr "" +msgstr "" #: autoreply.cpp:25 msgid "Sets a new reply" -msgstr "" +msgstr "Ustawia nową odpowiedź" #: autoreply.cpp:27 msgid "Displays the current query reply" -msgstr "" +msgstr "Wyświetla bieżącą odpowiedź rozmowy" #: autoreply.cpp:75 msgid "Current reply is: {1} ({2})" -msgstr "" +msgstr "Bieżąca odpowiedź to: {1} ({2})" #: autoreply.cpp:81 msgid "New reply set to: {1} ({2})" -msgstr "" +msgstr "Nowa odpowiedź ustawiona na:{1} ({2})" #: autoreply.cpp:94 msgid "" "You might specify a reply text. It is used when automatically answering " "queries, if you are not connected to ZNC." msgstr "" +"Możesz określić tekst odpowiedzi. Jest używany do automatycznego " +"odpowiadania rozmówcom, jeśli nie jesteś połączony z ZNC." #: autoreply.cpp:98 msgid "Reply to queries when you are away" -msgstr "" +msgstr "Odpowiadaj na przychodzące rozmowy, gdy Cię nie ma" diff --git a/modules/po/autovoice.pl_PL.po b/modules/po/autovoice.pl_PL.po index a7bd4f5f..080e7ba3 100644 --- a/modules/po/autovoice.pl_PL.po +++ b/modules/po/autovoice.pl_PL.po @@ -16,91 +16,91 @@ msgstr "" #: autovoice.cpp:120 msgid "List all users" -msgstr "" +msgstr "Lista wszystkich użytkowników" #: autovoice.cpp:122 autovoice.cpp:125 msgid " [channel] ..." -msgstr "" +msgstr " [kanał] ..." #: autovoice.cpp:123 msgid "Adds channels to a user" -msgstr "" +msgstr "Dodaje kanały do użytkownika" #: autovoice.cpp:126 msgid "Removes channels from a user" -msgstr "" +msgstr "Usuwa kanały użytkownika" #: autovoice.cpp:128 msgid " [channels]" -msgstr "" +msgstr " [kanały]" #: autovoice.cpp:129 msgid "Adds a user" -msgstr "" +msgstr "Dodaje użytkownika" #: autovoice.cpp:131 msgid "" -msgstr "" +msgstr "" #: autovoice.cpp:131 msgid "Removes a user" -msgstr "" +msgstr "Usuwa użytkownika" #: autovoice.cpp:215 msgid "Usage: AddUser [channels]" -msgstr "" +msgstr "Użycie: AddUser [kanały]" #: autovoice.cpp:229 msgid "Usage: DelUser " -msgstr "" +msgstr "Użycie: DelUser " #: autovoice.cpp:238 msgid "There are no users defined" -msgstr "" +msgstr "Brak zdefiniowanych użytkowników" #: autovoice.cpp:244 autovoice.cpp:250 msgid "User" -msgstr "" +msgstr "Użytkownik" #: autovoice.cpp:245 autovoice.cpp:251 msgid "Hostmask" -msgstr "" +msgstr "Maska hosta" #: autovoice.cpp:246 autovoice.cpp:252 msgid "Channels" -msgstr "" +msgstr "Kanały" #: autovoice.cpp:263 msgid "Usage: AddChans [channel] ..." -msgstr "" +msgstr "Użycie: AddChans [kanał] ..." #: autovoice.cpp:270 autovoice.cpp:292 autovoice.cpp:329 msgid "No such user" -msgstr "" +msgstr "Nie ma takiego użytkownika" #: autovoice.cpp:275 msgid "Channel(s) added to user {1}" -msgstr "" +msgstr "Kanał(y) został(y) dodane/y do użytkownika {1}" #: autovoice.cpp:285 msgid "Usage: DelChans [channel] ..." -msgstr "" +msgstr "Użycie: DelChans [kanał] ..." #: autovoice.cpp:298 msgid "Channel(s) Removed from user {1}" -msgstr "" +msgstr "Kanał(y) został(y) usunięte/y od użytkownika {1}" #: autovoice.cpp:335 msgid "User {1} removed" -msgstr "" +msgstr "Użytkownik {1} usunięty" #: autovoice.cpp:341 msgid "That user already exists" -msgstr "" +msgstr "Ten użytkownik już istnieje" #: autovoice.cpp:347 msgid "User {1} added with hostmask {2}" -msgstr "" +msgstr "Użytkownik {1} został dodany z maską {2}" #: autovoice.cpp:360 msgid "" @@ -110,4 +110,4 @@ msgstr "" #: autovoice.cpp:365 msgid "Auto voice the good people" -msgstr "" +msgstr "Automatycznie przydziel operatora dobrym ludziom" diff --git a/modules/po/awaystore.pl_PL.po b/modules/po/awaystore.pl_PL.po index 48b2447d..6c5a79f2 100644 --- a/modules/po/awaystore.pl_PL.po +++ b/modules/po/awaystore.pl_PL.po @@ -114,3 +114,5 @@ msgstr "" msgid "" "Adds auto-away with logging, useful when you use ZNC from different locations" msgstr "" +"Dodaje automatyczną nieobecność z dziennikowaniem, przydatne, gdy używasz " +"ZNC z różnych lokalizacji" diff --git a/modules/po/block_motd.pl_PL.po b/modules/po/block_motd.pl_PL.po index 2ead9dc7..54e5017f 100644 --- a/modules/po/block_motd.pl_PL.po +++ b/modules/po/block_motd.pl_PL.po @@ -16,7 +16,7 @@ msgstr "" #: block_motd.cpp:26 msgid "[]" -msgstr "" +msgstr "[]" #: block_motd.cpp:27 msgid "" @@ -26,12 +26,12 @@ msgstr "" #: block_motd.cpp:36 msgid "You are not connected to an IRC Server." -msgstr "" +msgstr "Nie jesteś połączony z serwerem IRC." #: block_motd.cpp:58 msgid "MOTD blocked by ZNC" -msgstr "" +msgstr "MOTD zablokowane przez ZNC" #: block_motd.cpp:104 msgid "Block the MOTD from IRC so it's not sent to your client(s)." -msgstr "" +msgstr "Blokuje MOTD z IRC, więc nie jest wysyłane do Twojego/ich klienta/tów." diff --git a/modules/po/blockuser.pl_PL.po b/modules/po/blockuser.pl_PL.po index f85755a5..212c0230 100644 --- a/modules/po/blockuser.pl_PL.po +++ b/modules/po/blockuser.pl_PL.po @@ -16,84 +16,85 @@ msgstr "" #: modules/po/../data/blockuser/tmpl/blockuser_WebadminUser.tmpl:9 msgid "Account is blocked" -msgstr "" +msgstr "Konto jest zablokowane" #: blockuser.cpp:23 msgid "Your account has been disabled. Contact your administrator." msgstr "" +"Twoje konto zostało wyłączone. Skontaktuj się ze swoim administratorem." #: blockuser.cpp:29 msgid "List blocked users" -msgstr "" +msgstr "Lista zablokowanych użytkowników" #: blockuser.cpp:31 blockuser.cpp:33 msgid "" -msgstr "" +msgstr "" #: blockuser.cpp:31 msgid "Block a user" -msgstr "" +msgstr "Zablokowuje użytkownika" #: blockuser.cpp:33 msgid "Unblock a user" -msgstr "" +msgstr "Odblokowuje użytkownika" #: blockuser.cpp:55 msgid "Could not block {1}" -msgstr "" +msgstr "Nie można zablokować {1}" #: blockuser.cpp:76 msgid "Access denied" -msgstr "" +msgstr "Odmowa dostępu" #: blockuser.cpp:85 msgid "No users are blocked" -msgstr "" +msgstr "Żaden użytkownik nie jest zablokowany" #: blockuser.cpp:88 msgid "Blocked users:" -msgstr "" +msgstr "Zablokowani użytkownicy:" #: blockuser.cpp:100 msgid "Usage: Block " -msgstr "" +msgstr "Użycie: Block " #: blockuser.cpp:105 blockuser.cpp:147 msgid "You can't block yourself" -msgstr "" +msgstr "Nie możesz zablokować samego siebie" #: blockuser.cpp:110 blockuser.cpp:152 msgid "Blocked {1}" -msgstr "" +msgstr "Zablokowano {1}" #: blockuser.cpp:112 msgid "Could not block {1} (misspelled?)" -msgstr "" +msgstr "Nie można zablokować {1} (błędnie napisano?)" #: blockuser.cpp:120 msgid "Usage: Unblock " -msgstr "" +msgstr "Użycie: Unblock " #: blockuser.cpp:125 blockuser.cpp:161 msgid "Unblocked {1}" -msgstr "" +msgstr "Odblokowano {1}" #: blockuser.cpp:127 msgid "This user is not blocked" -msgstr "" +msgstr "Ten użytkownik nie jest zablokowany" #: blockuser.cpp:155 msgid "Couldn't block {1}" -msgstr "" +msgstr "Nie można zablokować {1}" #: blockuser.cpp:164 msgid "User {1} is not blocked" -msgstr "" +msgstr "Użytkownik {1} nie jest zablokowany" #: blockuser.cpp:216 msgid "Enter one or more user names. Separate them by spaces." -msgstr "" +msgstr "Wprowadź jedną lub więcej nazw użytkowników. Rozdziel je spacjami." #: blockuser.cpp:219 msgid "Block certain users from logging in." -msgstr "" +msgstr "Zablokuj niektórym użytkownikom możliwość logowania." diff --git a/modules/po/buffextras.pl_PL.po b/modules/po/buffextras.pl_PL.po index 0ee80cf1..8f6dad13 100644 --- a/modules/po/buffextras.pl_PL.po +++ b/modules/po/buffextras.pl_PL.po @@ -16,36 +16,36 @@ msgstr "" #: buffextras.cpp:45 msgid "Server" -msgstr "" +msgstr "Serwer" #: buffextras.cpp:47 msgid "{1} set mode: {2} {3}" -msgstr "" +msgstr "{1} ustawił(a) tryb: {2} {3}" #: buffextras.cpp:55 msgid "{1} kicked {2} with reason: {3}" -msgstr "" +msgstr "{1} wyrzucony {2} z powodu: {3}" #: buffextras.cpp:64 msgid "{1} quit: {2}" -msgstr "" +msgstr "{1} opuścił(a) protokół IRC: {2}" #: buffextras.cpp:73 msgid "{1} joined" -msgstr "" +msgstr "{1} dołączył(a)" #: buffextras.cpp:81 msgid "{1} parted: {2}" -msgstr "" +msgstr "{1} wyszedł/ła z kanału: {2}" #: buffextras.cpp:90 msgid "{1} is now known as {2}" -msgstr "" +msgstr "{1} jest znany teraz jako {2}" #: buffextras.cpp:100 msgid "{1} changed the topic to: {2}" -msgstr "" +msgstr "{1} zmienił(a) temat na: {2}" #: buffextras.cpp:115 msgid "Adds joins, parts etc. to the playback buffer" -msgstr "" +msgstr "Dodaje dołączenia, wyjścia itd. do buforu odtwarzania" diff --git a/modules/po/cert.pl_PL.po b/modules/po/cert.pl_PL.po index d40f9f84..8ae0d6c8 100644 --- a/modules/po/cert.pl_PL.po +++ b/modules/po/cert.pl_PL.po @@ -17,7 +17,7 @@ msgstr "" # this text is inserted into `click here` in the other string #: modules/po/../data/cert/tmpl/index.tmpl:5 msgid "here" -msgstr "" +msgstr "tutaj" # {1} is `here`, translateable in the other string #: modules/po/../data/cert/tmpl/index.tmpl:6 @@ -25,53 +25,56 @@ msgid "" "You already have a certificate set, use the form below to overwrite the " "current certificate. Alternatively click {1} to delete your certificate." msgstr "" +"Masz już ustawiony certyfikat, użyj poniższego formularza, aby zastąpić " +"bieżący certyfikat. Możesz też kliknąć {1}, aby usunąć certyfikat." #: modules/po/../data/cert/tmpl/index.tmpl:8 msgid "You do not have a certificate yet." -msgstr "" +msgstr "Nie masz jeszcze certyfikatu." #: modules/po/../data/cert/tmpl/index.tmpl:14 cert.cpp:72 msgid "Certificate" -msgstr "" +msgstr "Certyfikat" #: modules/po/../data/cert/tmpl/index.tmpl:18 msgid "PEM File:" -msgstr "" +msgstr "Plik PEM:" #: modules/po/../data/cert/tmpl/index.tmpl:22 msgid "Update" -msgstr "" +msgstr "Aktualizuj" #: cert.cpp:28 msgid "Pem file deleted" -msgstr "" +msgstr "Usunięto plik PEM" #: cert.cpp:31 msgid "The pem file doesn't exist or there was a error deleting the pem file." -msgstr "" +msgstr "Plik PEM nie istnieje lub wystąpił błąd podczas usuwania pliku PEM." #: cert.cpp:38 msgid "You have a certificate in {1}" -msgstr "" +msgstr "Masz certyfikat w {1}" #: cert.cpp:41 msgid "" "You do not have a certificate. Please use the web interface to add a " "certificate" msgstr "" +"Nie masz certyfikatu. Użyj interfejsu internetowego, aby dodać certyfikat" #: cert.cpp:44 msgid "Alternatively you can either place one at {1}" -msgstr "" +msgstr "Alternatywnie możesz również umieścić go w {1}" #: cert.cpp:52 msgid "Delete the current certificate" -msgstr "" +msgstr "Usuń bieżący certyfikat" #: cert.cpp:54 msgid "Show the current certificate" -msgstr "" +msgstr "Pokaż bieżący certyfikat" #: cert.cpp:105 msgid "Use a ssl certificate to connect to a server" -msgstr "" +msgstr "Użyj certyfikatu SSL, aby połączyć się z serwerem" diff --git a/modules/po/certauth.pl_PL.po b/modules/po/certauth.pl_PL.po index a98c3183..744393b3 100644 --- a/modules/po/certauth.pl_PL.po +++ b/modules/po/certauth.pl_PL.po @@ -16,60 +16,62 @@ msgstr "" #: modules/po/../data/certauth/tmpl/index.tmpl:7 msgid "Add a key" -msgstr "" +msgstr "Dodaj klucz" #: modules/po/../data/certauth/tmpl/index.tmpl:11 msgid "Key:" -msgstr "" +msgstr "Klucz:" #: modules/po/../data/certauth/tmpl/index.tmpl:15 msgid "Add Key" -msgstr "" +msgstr "Dodaj klucz" #: modules/po/../data/certauth/tmpl/index.tmpl:23 msgid "You have no keys." -msgstr "" +msgstr "Nie masz kluczy." #: modules/po/../data/certauth/tmpl/index.tmpl:30 msgctxt "web" msgid "Key" -msgstr "" +msgstr "Klucz" #: modules/po/../data/certauth/tmpl/index.tmpl:36 msgid "del" -msgstr "" +msgstr "Usuń" #: certauth.cpp:31 msgid "[pubkey]" -msgstr "" +msgstr "[klucz_publiczny]" #: certauth.cpp:32 msgid "Add a public key. If key is not provided will use the current key" msgstr "" +"Dodaj klucz publiczny. Jeśli klucz nie zostanie podany, zostanie użyty " +"bieżący klucz" #: certauth.cpp:35 msgid "id" -msgstr "" +msgstr "id" #: certauth.cpp:35 msgid "Delete a key by its number in List" -msgstr "" +msgstr "Usuń klucz po numerze na liście" #: certauth.cpp:37 msgid "List your public keys" -msgstr "" +msgstr "Lista Twoich kluczy publicznych" #: certauth.cpp:39 msgid "Print your current key" -msgstr "" +msgstr "Wypisuje Twój bieżący klucz" #: certauth.cpp:142 msgid "You are not connected with any valid public key" -msgstr "" +msgstr "Nie masz połączenia z żadnym ważnym kluczem publicznym" #: certauth.cpp:144 msgid "Your current public key is: {1}" -msgstr "" +msgstr "Twój bieżący klucz publiczny to: {1}" #: certauth.cpp:157 msgid "You did not supply a public key or connect with one." @@ -77,34 +79,35 @@ msgstr "" #: certauth.cpp:160 msgid "Key '{1}' added." -msgstr "" +msgstr "Klucz '{1}' dodany." #: certauth.cpp:162 msgid "The key '{1}' is already added." -msgstr "" +msgstr "Klucz '{1}' został już dodany." #: certauth.cpp:170 certauth.cpp:183 msgctxt "list" msgid "Id" -msgstr "" +msgstr "Id" #: certauth.cpp:171 certauth.cpp:184 msgctxt "list" msgid "Key" -msgstr "" +msgstr "Klucz" #: certauth.cpp:176 certauth.cpp:190 certauth.cpp:199 msgid "No keys set for your user" -msgstr "" +msgstr "Nie ustawiono kluczy dla Twojego użytkownika" #: certauth.cpp:204 msgid "Invalid #, check \"list\"" -msgstr "" +msgstr "Nieprawidłowy #, sprawdź \"list\"" #: certauth.cpp:216 msgid "Removed" -msgstr "" +msgstr "Usunięto" #: certauth.cpp:291 msgid "Allows users to authenticate via SSL client certificates." msgstr "" +"Umożliwia użytkownikom uwierzytelnianie za pomocą certyfikatów klienta SSL." diff --git a/modules/po/chansaver.pl_PL.po b/modules/po/chansaver.pl_PL.po index 038ea5fe..c36f7754 100644 --- a/modules/po/chansaver.pl_PL.po +++ b/modules/po/chansaver.pl_PL.po @@ -17,3 +17,4 @@ msgstr "" #: chansaver.cpp:91 msgid "Keeps config up-to-date when user joins/parts." msgstr "" +"Utrzymuje konfigurację aktualną gdy użytkownik dołącza/wychodzi z kanału." diff --git a/modules/po/clearbufferonmsg.pl_PL.po b/modules/po/clearbufferonmsg.pl_PL.po index 89592f39..339b71e2 100644 --- a/modules/po/clearbufferonmsg.pl_PL.po +++ b/modules/po/clearbufferonmsg.pl_PL.po @@ -16,4 +16,4 @@ msgstr "" #: clearbufferonmsg.cpp:160 msgid "Clears all channel and query buffers whenever the user does something" -msgstr "" +msgstr "Czyści wszystkie bufory kanałów i rozmów, ilekroć użytkownik coś robi" diff --git a/modules/po/clientnotify.pl_PL.po b/modules/po/clientnotify.pl_PL.po index 11b70512..0bedb018 100644 --- a/modules/po/clientnotify.pl_PL.po +++ b/modules/po/clientnotify.pl_PL.po @@ -16,7 +16,7 @@ msgstr "" #: clientnotify.cpp:47 msgid "" -msgstr "" +msgstr "" #: clientnotify.cpp:48 msgid "Sets the notify method" @@ -24,7 +24,7 @@ msgstr "" #: clientnotify.cpp:50 clientnotify.cpp:54 msgid "" -msgstr "" +msgstr "" #: clientnotify.cpp:51 msgid "Turns notifications for unseen IP addresses on or off" @@ -54,7 +54,7 @@ msgstr "" #: clientnotify.cpp:114 clientnotify.cpp:127 clientnotify.cpp:140 msgid "Saved." -msgstr "" +msgstr "Zapisano." #: clientnotify.cpp:121 msgid "Usage: NewOnly " diff --git a/modules/po/webadmin.pl_PL.po b/modules/po/webadmin.pl_PL.po index 2e4aee0d..bbbcc1b6 100644 --- a/modules/po/webadmin.pl_PL.po +++ b/modules/po/webadmin.pl_PL.po @@ -1089,7 +1089,7 @@ msgstr "Automatycznie czyść bufor kanału po odtworzeniu" #: webadmin.cpp:766 msgid "Detached" -msgstr "Odczepiono" +msgstr "Odpięto" #: webadmin.cpp:773 msgid "Enabled" diff --git a/src/po/znc.pl_PL.po b/src/po/znc.pl_PL.po index e1c4d105..e8b84e14 100644 --- a/src/po/znc.pl_PL.po +++ b/src/po/znc.pl_PL.po @@ -266,7 +266,7 @@ msgstr[3] "" #: Client.cpp:1359 msgid "Usage: /detach <#chans>" -msgstr "" +msgstr "Użycie: /detach <#kanały>" #: Client.cpp:1369 ClientCommand.cpp:154 msgid "Detached {1} channel" @@ -441,7 +441,7 @@ msgstr "" #: ClientCommand.cpp:144 msgid "Usage: Detach <#chans>" -msgstr "" +msgstr "Użycie: Detach <#kanały>" #: ClientCommand.cpp:161 msgid "There is no MOTD set." @@ -517,7 +517,7 @@ msgstr "" #: ClientCommand.cpp:505 msgctxt "listchans" msgid "Detached" -msgstr "" +msgstr "Odpięto" #: ClientCommand.cpp:506 msgctxt "listchans" @@ -541,7 +541,7 @@ msgstr "" #: ClientCommand.cpp:536 msgid "Total: {1}, Joined: {2}, Detached: {3}, Disabled: {4}" -msgstr "" +msgstr "Sumarycznie: {1}, Dołączonych: {2}, Odpiętych: {3}, Wyłączonych: {4}" #: ClientCommand.cpp:541 msgid "" @@ -1391,12 +1391,12 @@ msgstr "" #: ClientCommand.cpp:1768 msgctxt "helpcmd|Detach|args" msgid "<#chans>" -msgstr "" +msgstr "<#kanały>" #: ClientCommand.cpp:1769 msgctxt "helpcmd|Detach|desc" msgid "Detach from channels" -msgstr "" +msgstr "Odepnij od kanałów" #: ClientCommand.cpp:1772 msgctxt "helpcmd|Topics|desc" From 6719a819f0be7a90aabfff63424f2f60feff7c39 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Thu, 18 Jun 2020 00:29:36 +0000 Subject: [PATCH 429/798] Update translations from Crowdin for pl_PL --- modules/po/cert.pl_PL.po | 3 +- src/po/znc.pl_PL.po | 352 +++++++++++++++++++++------------------ 2 files changed, 192 insertions(+), 163 deletions(-) diff --git a/modules/po/cert.pl_PL.po b/modules/po/cert.pl_PL.po index 8ae0d6c8..b4525eb3 100644 --- a/modules/po/cert.pl_PL.po +++ b/modules/po/cert.pl_PL.po @@ -60,8 +60,7 @@ msgstr "Masz certyfikat w {1}" msgid "" "You do not have a certificate. Please use the web interface to add a " "certificate" -msgstr "" -"Nie masz certyfikatu. Użyj interfejsu internetowego, aby dodać certyfikat" +msgstr "Nie masz certyfikatu. Użyj interfejsu WWW, aby dodać certyfikat" #: cert.cpp:44 msgid "Alternatively you can either place one at {1}" diff --git a/src/po/znc.pl_PL.po b/src/po/znc.pl_PL.po index e8b84e14..34aa86c5 100644 --- a/src/po/znc.pl_PL.po +++ b/src/po/znc.pl_PL.po @@ -52,6 +52,9 @@ msgid "" "*status help” and “/msg *status loadmod <module>”). Once you have loaded some Web-enabled modules, the menu will expand." msgstr "" +"Nie załadowano żadnych modułów WWW. Załaduj moduły z IRCa (“/msg " +"*status help” i “/msg *status loadmod <moduł>”). " +"Po załadowaniu niektórych modułów WWW menu się rozwinie." #: znc.cpp:1562 msgid "User already exists" @@ -80,6 +83,7 @@ msgstr "Nie udało się przypiąć: {1}" #: IRCNetwork.cpp:235 msgid "Jumping servers because this server is no longer in the list" msgstr "" +"Przeskakiwanie na inne serwery, ponieważ tego serwera nie ma już na liście" #: IRCNetwork.cpp:669 User.cpp:678 msgid "Welcome to ZNC" @@ -93,7 +97,7 @@ msgstr "" #: IRCNetwork.cpp:787 msgid "This network is being deleted or moved to another user." -msgstr "" +msgstr "Ta sieć jest usuwana lub przenoszona do innego użytkownika." #: IRCNetwork.cpp:1016 msgid "The channel {1} could not be joined, disabling it." @@ -101,15 +105,17 @@ msgstr "Nie można dołączyć do kanału {1} , wyłączanie go." #: IRCNetwork.cpp:1145 msgid "Your current server was removed, jumping..." -msgstr "" +msgstr "Twój obecny serwer został usunięty, przeskakiwanie..." #: IRCNetwork.cpp:1308 msgid "Cannot connect to {1}, because ZNC is not compiled with SSL support." msgstr "" +"Nie można połączyć się z {1}, ponieważ ZNC nie jest skompilowany z obsługą " +"SSL." #: IRCNetwork.cpp:1329 msgid "Some module aborted the connection attempt" -msgstr "" +msgstr "Jakiś moduł przerwał próbę połączenia" #: IRCSock.cpp:490 msgid "Error from server: {1}" @@ -125,7 +131,7 @@ msgstr "Serwer {1} przekierowuje nas do {2}:{3} z powodu: {4}" #: IRCSock.cpp:743 msgid "Perhaps you want to add it as a new server." -msgstr "" +msgstr "Być może chcesz dodać go jako nowy serwer." #: IRCSock.cpp:973 msgid "Channel {1} is linked to another channel and was thus disabled." @@ -137,7 +143,7 @@ msgstr "Przełączono na SSL (STARTTLS)" #: IRCSock.cpp:1038 msgid "You quit: {1}" -msgstr "" +msgstr "Opuszczono sieć: {1}" #: IRCSock.cpp:1244 msgid "Disconnected from IRC. Reconnecting..." @@ -158,7 +164,7 @@ msgstr "" #: IRCSock.cpp:1323 msgid "IRC connection timed out. Reconnecting..." -msgstr "" +msgstr "Przekroczono limit czasu połączenia IRC. Łączenie się ponownie..." #: IRCSock.cpp:1335 msgid "Connection Refused. Reconnecting..." @@ -166,15 +172,15 @@ msgstr "Połączenie odrzucone. Łączenie się ponownie..." #: IRCSock.cpp:1343 msgid "Received a too long line from the IRC server!" -msgstr "" +msgstr "Otrzymano zbyt długą linię z serwera IRC!" #: IRCSock.cpp:1447 msgid "No free nick available" -msgstr "" +msgstr "Brak dostępnego wolnego pseudonimu" #: IRCSock.cpp:1455 msgid "No free nick found" -msgstr "" +msgstr "Nie znaleziono wolnego pseudonimu" #: Client.cpp:74 msgid "No such module {1}" @@ -182,7 +188,7 @@ msgstr "Nie ma takiego modułu {1}" #: Client.cpp:359 msgid "A client from {1} attempted to login as you, but was rejected: {2}" -msgstr "" +msgstr "Klient z {1} próbował się zalogować jako Ty, ale został odrzucony: {2}" #: Client.cpp:394 msgid "Network {1} doesn't exist." @@ -193,18 +199,25 @@ msgid "" "You have several networks configured, but no network was specified for the " "connection." msgstr "" +"Masz skonfigurowanych kilka sieci, ale nie określiłeś z którą chcesz się " +"połączyć." #: Client.cpp:411 msgid "" "Selecting network {1}. To see list of all configured networks, use /znc " "ListNetworks" msgstr "" +"Wybieranie sieci {1}. Aby zobaczyć listę wszystkich skonfigurowanych sieci, " +"użyj /znc ListNetworks" #: Client.cpp:414 msgid "" "If you want to choose another network, use /znc JumpNetwork , or " "connect to ZNC with username {1}/ (instead of just {1})" msgstr "" +"Jeżeli chcesz wybrać inną sieć, użyj /znc JumpNetwork , lub połącz się " +"z ZNC za pomocą zmodyfikowanej nazwy użytkownika {1}/ (zamiast tylko " +"{1})" #: Client.cpp:420 msgid "" @@ -226,7 +239,7 @@ msgstr "" #: Client.cpp:1021 msgid "Your CTCP to {1} got lost, you are not connected to IRC!" -msgstr "" +msgstr "Twoje CTCP do {1} zostało zgubione, nie jesteś połączony z IRC!" #: Client.cpp:1147 msgid "Your notice to {1} got lost, you are not connected to IRC!" @@ -366,7 +379,7 @@ msgstr "" #: Modules.cpp:1963 msgid "Unknown error" -msgstr "" +msgstr "Nieznany błąd" #: Modules.cpp:1964 msgid "Unable to open module {1}: {2}" @@ -425,19 +438,19 @@ msgstr "" #: ClientCommand.cpp:91 ClientCommand.cpp:106 msgid "Nick" -msgstr "" +msgstr "Pseudonim" #: ClientCommand.cpp:92 ClientCommand.cpp:107 msgid "Ident" -msgstr "" +msgstr "Ident" #: ClientCommand.cpp:93 ClientCommand.cpp:108 msgid "Host" -msgstr "" +msgstr "Host" #: ClientCommand.cpp:122 msgid "Usage: Attach <#chans>" -msgstr "" +msgstr "Użycie: Attach <#kanały>" #: ClientCommand.cpp:144 msgid "Usage: Detach <#chans>" @@ -445,7 +458,7 @@ msgstr "Użycie: Detach <#kanały>" #: ClientCommand.cpp:161 msgid "There is no MOTD set." -msgstr "" +msgstr "Nie ma ustawionego MOTD." #: ClientCommand.cpp:167 msgid "Rehashing succeeded!" @@ -457,37 +470,37 @@ msgstr "" #: ClientCommand.cpp:173 msgid "Wrote config to {1}" -msgstr "" +msgstr "Zapisano konfigurację do {1}" #: ClientCommand.cpp:175 msgid "Error while trying to write config." -msgstr "" +msgstr "Błąd podczas próby zapisu konfiguracji." #: ClientCommand.cpp:455 msgid "Usage: ListChans" -msgstr "" +msgstr "Użycie: ListChans" #: ClientCommand.cpp:462 msgid "No such user [{1}]" -msgstr "" +msgstr "Nie ma takiego użytkownika [{1}]" #: ClientCommand.cpp:468 msgid "User [{1}] doesn't have network [{2}]" -msgstr "" +msgstr "Użytkownik [{1}] nie ma sieci [{2}]" #: ClientCommand.cpp:479 msgid "There are no channels defined." -msgstr "" +msgstr "Nie ma zdefiniowanych kanałów." #: ClientCommand.cpp:484 ClientCommand.cpp:500 msgctxt "listchans" msgid "Name" -msgstr "" +msgstr "Nazwa" #: ClientCommand.cpp:485 ClientCommand.cpp:503 msgctxt "listchans" msgid "Status" -msgstr "" +msgstr "Status" #: ClientCommand.cpp:486 ClientCommand.cpp:510 msgctxt "listchans" @@ -507,12 +520,12 @@ msgstr "" #: ClientCommand.cpp:489 ClientCommand.cpp:521 msgctxt "listchans" msgid "Modes" -msgstr "" +msgstr "Tryby" #: ClientCommand.cpp:490 ClientCommand.cpp:522 msgctxt "listchans" msgid "Users" -msgstr "" +msgstr "Użytkownicy" #: ClientCommand.cpp:505 msgctxt "listchans" @@ -522,22 +535,22 @@ msgstr "Odpięto" #: ClientCommand.cpp:506 msgctxt "listchans" msgid "Joined" -msgstr "" +msgstr "Dołączono" #: ClientCommand.cpp:507 msgctxt "listchans" msgid "Disabled" -msgstr "" +msgstr "Wyłączono" #: ClientCommand.cpp:508 msgctxt "listchans" msgid "Trying" -msgstr "" +msgstr "Próbowanie" #: ClientCommand.cpp:511 ClientCommand.cpp:519 msgctxt "listchans" msgid "yes" -msgstr "" +msgstr "tak" #: ClientCommand.cpp:536 msgid "Total: {1}, Joined: {2}, Detached: {3}, Disabled: {4}" @@ -551,7 +564,7 @@ msgstr "" #: ClientCommand.cpp:550 msgid "Usage: AddNetwork " -msgstr "" +msgstr "Użycie: AddNetwork " #: ClientCommand.cpp:554 msgid "Network name should be alphanumeric" @@ -562,10 +575,13 @@ msgid "" "Network added. Use /znc JumpNetwork {1}, or connect to ZNC with username {2} " "(instead of just {3}) to connect to it." msgstr "" +"Dodano sieć. Użyj /znc JumpNetwork {1} lub połącz się z ZNC za pomocą " +"zmodyfikowanej nazwy użytkownika {2} (zamiast tylko {3}), aby się połączyć z " +"tą siecią." #: ClientCommand.cpp:566 msgid "Unable to add that network" -msgstr "" +msgstr "Nie można dodać tej sieci" #: ClientCommand.cpp:573 msgid "Usage: DelNetwork " @@ -577,7 +593,7 @@ msgstr "Usunięto sieć" #: ClientCommand.cpp:585 msgid "Failed to delete network, perhaps this network doesn't exist" -msgstr "" +msgstr "Nie udało się usunąć sieci, być może ta sieć nie istnieje" #: ClientCommand.cpp:595 msgid "User {1} not found" @@ -586,27 +602,27 @@ msgstr "Użytkownik {1} nie odnaleziony" #: ClientCommand.cpp:603 ClientCommand.cpp:611 msgctxt "listnetworks" msgid "Network" -msgstr "" +msgstr "Sieć" #: ClientCommand.cpp:604 ClientCommand.cpp:613 ClientCommand.cpp:622 msgctxt "listnetworks" msgid "On IRC" -msgstr "" +msgstr "Na IRC" #: ClientCommand.cpp:605 ClientCommand.cpp:615 msgctxt "listnetworks" msgid "IRC Server" -msgstr "" +msgstr "Serwer IRC" #: ClientCommand.cpp:606 ClientCommand.cpp:617 msgctxt "listnetworks" msgid "IRC User" -msgstr "" +msgstr "Użytkownik IRC" #: ClientCommand.cpp:607 ClientCommand.cpp:619 msgctxt "listnetworks" msgid "Channels" -msgstr "" +msgstr "Kanały" #: ClientCommand.cpp:614 msgctxt "listnetworks" @@ -621,7 +637,7 @@ msgstr "Nie" #: ClientCommand.cpp:628 msgctxt "listnetworks" msgid "No networks" -msgstr "" +msgstr "Brak sieci" #: ClientCommand.cpp:632 ClientCommand.cpp:936 msgid "Access denied." @@ -630,26 +646,28 @@ msgstr "Odmowa dostępu." #: ClientCommand.cpp:643 msgid "Usage: MoveNetwork [new network]" msgstr "" +"Użycie: MoveNetwork " +"[nowa_sieć]" #: ClientCommand.cpp:653 msgid "Old user {1} not found." -msgstr "" +msgstr "Nie znaleziono starego użytkownika {1}." #: ClientCommand.cpp:659 msgid "Old network {1} not found." -msgstr "" +msgstr "Nie znaleziono starej sieci {1}." #: ClientCommand.cpp:665 msgid "New user {1} not found." -msgstr "" +msgstr "Nie znaleziono nowego użytkownika {1}." #: ClientCommand.cpp:670 msgid "User {1} already has network {2}." -msgstr "" +msgstr "Użytkownik {1} ma już sieć {2}." #: ClientCommand.cpp:676 msgid "Invalid network name [{1}]" -msgstr "" +msgstr "Nieprawidłowa nazwa sieci [{1}]" #: ClientCommand.cpp:692 msgid "Some files seem to be in {1}. You might want to move them to {2}" @@ -657,23 +675,24 @@ msgstr "" #: ClientCommand.cpp:706 msgid "Error adding network: {1}" -msgstr "" +msgstr "Błąd podczas dodawania sieci: {1}" #: ClientCommand.cpp:718 msgid "Success." -msgstr "" +msgstr "Powodzenie." #: ClientCommand.cpp:721 msgid "Copied the network to new user, but failed to delete old network" msgstr "" +"Skopiowano sieć do nowego użytkownika, ale nie udało się usunąć starej sieci" #: ClientCommand.cpp:728 msgid "No network supplied." -msgstr "" +msgstr "Nie podano sieci." #: ClientCommand.cpp:733 msgid "You are already connected with this network." -msgstr "" +msgstr "Jesteś już połączony z tą siecią." #: ClientCommand.cpp:739 msgid "Switched to {1}" @@ -696,14 +715,16 @@ msgid "" "Unable to add that server. Perhaps the server is already added or openssl is " "disabled?" msgstr "" +"Nie można dodać tego serwera. Może serwer został już dodany lub OpenSSL jest " +"wyłączony?" #: ClientCommand.cpp:777 msgid "Usage: DelServer [port] [pass]" -msgstr "" +msgstr "Użycie: DelServer [port] [hasło]" #: ClientCommand.cpp:782 ClientCommand.cpp:822 msgid "You don't have any servers added." -msgstr "" +msgstr "Nie dodano żadnych serwerów." #: ClientCommand.cpp:787 msgid "Server removed" @@ -748,7 +769,7 @@ msgstr "Zrobione." #: ClientCommand.cpp:845 msgid "Usage: DelTrustedServerFingerprint " -msgstr "Użycie: DelTrustedServerFingerprint " +msgstr "Użycie: DelTrustedServerFingerprint " #: ClientCommand.cpp:858 msgid "No fingerprints added." @@ -762,84 +783,84 @@ msgstr "Kanał" #: ClientCommand.cpp:875 ClientCommand.cpp:881 msgctxt "topicscmd" msgid "Set By" -msgstr "" +msgstr "Ustawiony przez" #: ClientCommand.cpp:876 ClientCommand.cpp:882 msgctxt "topicscmd" msgid "Topic" -msgstr "" +msgstr "Temat" #: ClientCommand.cpp:889 ClientCommand.cpp:894 msgctxt "listmods" msgid "Name" -msgstr "" +msgstr "Nazwa" #: ClientCommand.cpp:890 ClientCommand.cpp:895 msgctxt "listmods" msgid "Arguments" -msgstr "" +msgstr "Argumenty" #: ClientCommand.cpp:904 msgid "No global modules loaded." -msgstr "" +msgstr "Nie załadowano żadnych modułów globalnych." #: ClientCommand.cpp:906 ClientCommand.cpp:970 msgid "Global modules:" -msgstr "" +msgstr "Moduły globalne:" #: ClientCommand.cpp:915 msgid "Your user has no modules loaded." -msgstr "" +msgstr "Twój użytkownik nie ma załadowanych modułów." #: ClientCommand.cpp:917 ClientCommand.cpp:982 msgid "User modules:" -msgstr "" +msgstr "Moduły użytkownika:" #: ClientCommand.cpp:925 msgid "This network has no modules loaded." -msgstr "" +msgstr "Ta sieć nie ma załadowanych modułów." #: ClientCommand.cpp:927 ClientCommand.cpp:994 msgid "Network modules:" -msgstr "" +msgstr "Moduły sieci:" #: ClientCommand.cpp:942 ClientCommand.cpp:949 msgctxt "listavailmods" msgid "Name" -msgstr "" +msgstr "Nazwa" #: ClientCommand.cpp:943 ClientCommand.cpp:954 msgctxt "listavailmods" msgid "Description" -msgstr "" +msgstr "Opis" #: ClientCommand.cpp:968 msgid "No global modules available." -msgstr "" +msgstr "Brak dostępnych modułów globalnych." #: ClientCommand.cpp:980 msgid "No user modules available." -msgstr "" +msgstr "Brak dostępnych modułów użytkownika." #: ClientCommand.cpp:992 msgid "No network modules available." -msgstr "" +msgstr "Brak dostępnych modułów sieci." #: ClientCommand.cpp:1020 msgid "Unable to load {1}: Access denied." -msgstr "" +msgstr "Nie można załadować {1}: Odmowa dostępu." #: ClientCommand.cpp:1026 msgid "Usage: LoadMod [--type=global|user|network] [args]" -msgstr "" +msgstr "Użycie: LoadMod [--type=global|user|network] [argumenty]" #: ClientCommand.cpp:1033 msgid "Unable to load {1}: {2}" -msgstr "" +msgstr "Nie można załadować {1}: {2}" #: ClientCommand.cpp:1043 msgid "Unable to load global module {1}: Access denied." -msgstr "" +msgstr "Nie można załadować modułu globalnego {1}: Odmowa dostępu." #: ClientCommand.cpp:1049 msgid "Unable to load network module {1}: Not connected with a network." @@ -847,7 +868,7 @@ msgstr "Nie udało się załadować modułu sieci {1}: Nie połączono z siecią #: ClientCommand.cpp:1071 msgid "Unknown module type" -msgstr "" +msgstr "Nieznany typ modułu" #: ClientCommand.cpp:1076 msgid "Loaded module {1}" @@ -871,27 +892,27 @@ msgstr "Użycie: UnloadMod [--type=global|user|network] " #: ClientCommand.cpp:1119 msgid "Unable to determine type of {1}: {2}" -msgstr "" +msgstr "Nie można określić typu {1}: {2}" #: ClientCommand.cpp:1127 msgid "Unable to unload global module {1}: Access denied." -msgstr "" +msgstr "Nie można wyładować globalnego modułu {1}: Odmowa dostępu." #: ClientCommand.cpp:1134 msgid "Unable to unload network module {1}: Not connected with a network." -msgstr "" +msgstr "Nie udało się wyładować modułu sieciowego {1}: Nie połączono z siecią." #: ClientCommand.cpp:1153 msgid "Unable to unload module {1}: Unknown module type" -msgstr "" +msgstr "Nie udało się wyładować modułu {1}: nieznany typ modułu" #: ClientCommand.cpp:1166 msgid "Unable to reload modules. Access denied." -msgstr "" +msgstr "Nie udało się przeładować modułów. Brak dostępu." #: ClientCommand.cpp:1187 msgid "Usage: ReloadMod [--type=global|user|network] [args]" -msgstr "" +msgstr "Użycie: ReloadMod [--type=global|user|network] [argumenty]" #: ClientCommand.cpp:1196 msgid "Unable to reload {1}: {2}" @@ -904,18 +925,19 @@ msgstr "Nie udało się przeładować modułu ogólnego {1}: Odmowa dostępu." #: ClientCommand.cpp:1211 msgid "Unable to reload network module {1}: Not connected with a network." msgstr "" +"Nie udało się przeładować modułu sieciowego {1}: Nie połączono z siecią." #: ClientCommand.cpp:1233 msgid "Unable to reload module {1}: Unknown module type" -msgstr "" +msgstr "Nie udało się przeładować modułu {1}: Nieznany typ modułu" #: ClientCommand.cpp:1244 msgid "Usage: UpdateMod " -msgstr "" +msgstr "Użycie: UpdateMod " #: ClientCommand.cpp:1248 msgid "Reloading {1} everywhere" -msgstr "" +msgstr "Przeładowywanie {1} wszędzie" #: ClientCommand.cpp:1250 msgid "Done" @@ -925,74 +947,80 @@ msgstr "Zrobione" msgid "" "Done, but there were errors, module {1} could not be reloaded everywhere." msgstr "" +"Gotowe, ale wystąpiły błędy, modułu {1} nie można wszędzie załadować " +"ponownie." #: ClientCommand.cpp:1261 msgid "" "You must be connected with a network to use this command. Try " "SetUserBindHost instead" msgstr "" +"Aby korzystać z tego polecenia, musisz być połączony z siecią. Zamiast tego " +"wypróbuj SetUserBindHost" #: ClientCommand.cpp:1268 msgid "Usage: SetBindHost " -msgstr "" +msgstr "Użycie: SetBindHost " #: ClientCommand.cpp:1273 ClientCommand.cpp:1290 msgid "You already have this bind host!" -msgstr "" +msgstr "Już masz ten host przypięcia!" #: ClientCommand.cpp:1278 msgid "Set bind host for network {1} to {2}" -msgstr "" +msgstr "Ustaw host przypięcia dla sieci {1} na {2}" #: ClientCommand.cpp:1285 msgid "Usage: SetUserBindHost " -msgstr "" +msgstr "Użycie: SetUserBindHost " #: ClientCommand.cpp:1295 msgid "Set default bind host to {1}" -msgstr "" +msgstr "Ustaw domyślny host przypięcia na {1}" #: ClientCommand.cpp:1301 msgid "" "You must be connected with a network to use this command. Try " "ClearUserBindHost instead" msgstr "" +"Aby korzystać z tego polecenia, musisz być połączony z siecią. Zamiast tego " +"wypróbuj ClearUserBindHost" #: ClientCommand.cpp:1306 msgid "Bind host cleared for this network." -msgstr "" +msgstr "Wyczyszczono host przypięcia dla tej sieci." #: ClientCommand.cpp:1310 msgid "Default bind host cleared for your user." -msgstr "" +msgstr "Wyczyszczono domyślny host przypięcia dla Twojego użytkownika." #: ClientCommand.cpp:1313 msgid "This user's default bind host not set" -msgstr "" +msgstr "Domyślny host przypięcia tego użytkownika nie jest ustawiony" #: ClientCommand.cpp:1315 msgid "This user's default bind host is {1}" -msgstr "" +msgstr "Domyślny host przypięcia tego użytkownika to {1}" #: ClientCommand.cpp:1320 msgid "This network's bind host not set" -msgstr "" +msgstr "Host przypięcia tej sieci nie został ustawiony" #: ClientCommand.cpp:1322 msgid "This network's default bind host is {1}" -msgstr "" +msgstr "Domyślny host przypięcia tej sieci to {1}" #: ClientCommand.cpp:1336 msgid "Usage: PlayBuffer <#chan|query>" -msgstr "" +msgstr "Użycie: PlayBuffer <#kanał|rozmowa>" #: ClientCommand.cpp:1344 msgid "You are not on {1}" -msgstr "" +msgstr "Nie jesteś na {1}" #: ClientCommand.cpp:1349 msgid "You are not on {1} (trying to join)" -msgstr "" +msgstr "Nie jesteś na {1} (próbujesz dołączyć)" #: ClientCommand.cpp:1354 msgid "The buffer for channel {1} is empty" @@ -1024,11 +1052,11 @@ msgstr "" #: ClientCommand.cpp:1425 msgid "All query buffers have been cleared" -msgstr "" +msgstr "Wszystkie bufory rozmów zostały wyczyszczone" #: ClientCommand.cpp:1437 msgid "All buffers have been cleared" -msgstr "" +msgstr "Wszystkie bufory zostały wyczyszczone" #: ClientCommand.cpp:1448 msgid "Usage: SetBuffer <#chan|query> [linecount]" @@ -1062,123 +1090,123 @@ msgstr[3] "" #: ClientCommand.cpp:1514 ClientCommand.cpp:1522 msgctxt "trafficcmd" msgid "Username" -msgstr "" +msgstr "Nazwa użytkownika" #: ClientCommand.cpp:1488 ClientCommand.cpp:1495 ClientCommand.cpp:1507 #: ClientCommand.cpp:1516 ClientCommand.cpp:1524 msgctxt "trafficcmd" msgid "In" -msgstr "" +msgstr "Przychodzący" #: ClientCommand.cpp:1489 ClientCommand.cpp:1497 ClientCommand.cpp:1508 #: ClientCommand.cpp:1517 ClientCommand.cpp:1525 msgctxt "trafficcmd" msgid "Out" -msgstr "" +msgstr "Wychodzący" #: ClientCommand.cpp:1490 ClientCommand.cpp:1500 ClientCommand.cpp:1510 #: ClientCommand.cpp:1518 ClientCommand.cpp:1527 msgctxt "trafficcmd" msgid "Total" -msgstr "" +msgstr "Suma" #: ClientCommand.cpp:1506 msgctxt "trafficcmd" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1515 msgctxt "trafficcmd" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1523 msgctxt "trafficcmd" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1532 msgid "Running for {1}" -msgstr "" +msgstr "Uruchomiono od {1}" #: ClientCommand.cpp:1538 msgid "Unknown command, try 'Help'" -msgstr "" +msgstr "Nieznane polecenie, spróbuj 'Help'" #: ClientCommand.cpp:1547 ClientCommand.cpp:1558 msgctxt "listports" msgid "Port" -msgstr "" +msgstr "Port" #: ClientCommand.cpp:1548 ClientCommand.cpp:1559 msgctxt "listports" msgid "BindHost" -msgstr "" +msgstr "HostPrzypięcia" #: ClientCommand.cpp:1549 ClientCommand.cpp:1562 msgctxt "listports" msgid "SSL" -msgstr "" +msgstr "SSL" #: ClientCommand.cpp:1550 ClientCommand.cpp:1567 msgctxt "listports" msgid "Protocol" -msgstr "" +msgstr "Protokół" #: ClientCommand.cpp:1551 ClientCommand.cpp:1574 msgctxt "listports" msgid "IRC" -msgstr "" +msgstr "IRC" #: ClientCommand.cpp:1552 ClientCommand.cpp:1579 msgctxt "listports" msgid "Web" -msgstr "" +msgstr "WWW?" #: ClientCommand.cpp:1563 msgctxt "listports|ssl" msgid "yes" -msgstr "" +msgstr "tak" #: ClientCommand.cpp:1564 msgctxt "listports|ssl" msgid "no" -msgstr "" +msgstr "nie" #: ClientCommand.cpp:1568 msgctxt "listports" msgid "IPv4 and IPv6" -msgstr "" +msgstr "IPv4 i IPv6" #: ClientCommand.cpp:1570 msgctxt "listports" msgid "IPv4" -msgstr "" +msgstr "IPv4" #: ClientCommand.cpp:1571 msgctxt "listports" msgid "IPv6" -msgstr "" +msgstr "IPv6" #: ClientCommand.cpp:1577 msgctxt "listports|irc" msgid "yes" -msgstr "" +msgstr "tak" #: ClientCommand.cpp:1578 msgctxt "listports|irc" msgid "no" -msgstr "" +msgstr "nie" #: ClientCommand.cpp:1582 msgctxt "listports|irc" msgid "yes, on {1}" -msgstr "" +msgstr "tak, na {1}" #: ClientCommand.cpp:1584 msgctxt "listports|web" msgid "no" -msgstr "" +msgstr "nie" #: ClientCommand.cpp:1624 msgid "" @@ -1187,11 +1215,11 @@ msgstr "" #: ClientCommand.cpp:1640 msgid "Port added" -msgstr "" +msgstr "Port dodany" #: ClientCommand.cpp:1642 msgid "Couldn't add port" -msgstr "" +msgstr "Nie można dodać portu" #: ClientCommand.cpp:1648 msgid "Usage: DelPort [bindhost]" @@ -1199,7 +1227,7 @@ msgstr "" #: ClientCommand.cpp:1657 msgid "Deleted Port" -msgstr "" +msgstr "Usunięto port" #: ClientCommand.cpp:1659 msgid "Unable to find a matching port" @@ -1208,12 +1236,12 @@ msgstr "" #: ClientCommand.cpp:1667 ClientCommand.cpp:1682 msgctxt "helpcmd" msgid "Command" -msgstr "" +msgstr "Polecenie" #: ClientCommand.cpp:1668 ClientCommand.cpp:1684 msgctxt "helpcmd" msgid "Description" -msgstr "" +msgstr "Opis" #: ClientCommand.cpp:1673 msgid "" @@ -1229,77 +1257,77 @@ msgstr "" #: ClientCommand.cpp:1693 msgctxt "helpcmd|ListMods|desc" msgid "List all loaded modules" -msgstr "" +msgstr "Lista wszystkich załadowanych modułów" #: ClientCommand.cpp:1696 msgctxt "helpcmd|ListAvailMods|desc" msgid "List all available modules" -msgstr "" +msgstr "Lista wszystkich dostępnych modułów" #: ClientCommand.cpp:1700 ClientCommand.cpp:1886 msgctxt "helpcmd|ListChans|desc" msgid "List all channels" -msgstr "" +msgstr "Lista wszystkich kanałów" #: ClientCommand.cpp:1703 msgctxt "helpcmd|ListNicks|args" msgid "<#chan>" -msgstr "" +msgstr "<#kanał>" #: ClientCommand.cpp:1704 msgctxt "helpcmd|ListNicks|desc" msgid "List all nicks on a channel" -msgstr "" +msgstr "Lista wszystkich pseudonimów na kanale" #: ClientCommand.cpp:1707 msgctxt "helpcmd|ListClients|desc" msgid "List all clients connected to your ZNC user" -msgstr "" +msgstr "Lista wszystkich klientów połączonych z Twoim użytkownikiem ZNC" #: ClientCommand.cpp:1711 msgctxt "helpcmd|ListServers|desc" msgid "List all servers of current IRC network" -msgstr "" +msgstr "Lista wszystkich serwerów bieżącej sieci IRC" #: ClientCommand.cpp:1715 msgctxt "helpcmd|AddNetwork|args" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1716 msgctxt "helpcmd|AddNetwork|desc" msgid "Add a network to your user" -msgstr "" +msgstr "Dodaj sieć użytkownikowi" #: ClientCommand.cpp:1718 msgctxt "helpcmd|DelNetwork|args" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1719 msgctxt "helpcmd|DelNetwork|desc" msgid "Delete a network from your user" -msgstr "" +msgstr "Usuń sieć użytkownikowi" #: ClientCommand.cpp:1721 msgctxt "helpcmd|ListNetworks|desc" msgid "List all networks" -msgstr "" +msgstr "Lista wszystkich sieci" #: ClientCommand.cpp:1724 msgctxt "helpcmd|MoveNetwork|args" msgid " [new network]" -msgstr "" +msgstr " [nowa sieć]" #: ClientCommand.cpp:1726 msgctxt "helpcmd|MoveNetwork|desc" msgid "Move an IRC network from one user to another" -msgstr "" +msgstr "Przenieś sieć IRC od jednego użytkownika do innego użytkownika" #: ClientCommand.cpp:1730 msgctxt "helpcmd|JumpNetwork|args" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1731 msgctxt "helpcmd|JumpNetwork|desc" @@ -1307,11 +1335,13 @@ msgid "" "Jump to another network (Alternatively, you can connect to ZNC several " "times, using `user/network` as username)" msgstr "" +"Przeskocz do innej sieci (Alternatywnie możesz połączyć się z ZNC kilka " +"razy, używając `user/network` jako nazwy użytkownika)" #: ClientCommand.cpp:1736 msgctxt "helpcmd|AddServer|args" msgid " [[+]port] [pass]" -msgstr "" +msgstr " [[+]port] [hasło]" #: ClientCommand.cpp:1737 msgctxt "helpcmd|AddServer|desc" @@ -1322,7 +1352,7 @@ msgstr "" #: ClientCommand.cpp:1741 msgctxt "helpcmd|DelServer|args" msgid " [port] [pass]" -msgstr "" +msgstr " [port] [hasło]" #: ClientCommand.cpp:1742 msgctxt "helpcmd|DelServer|desc" @@ -1334,7 +1364,7 @@ msgstr "" #: ClientCommand.cpp:1748 msgctxt "helpcmd|AddTrustedServerFingerprint|args" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1749 msgctxt "helpcmd|AddTrustedServerFingerprint|desc" @@ -1346,7 +1376,7 @@ msgstr "" #: ClientCommand.cpp:1754 msgctxt "helpcmd|DelTrustedServerFingerprint|args" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1755 msgctxt "helpcmd|DelTrustedServerFingerprint|desc" @@ -1496,22 +1526,22 @@ msgstr "" #: ClientCommand.cpp:1817 msgctxt "helpcmd|Disconnect|args" msgid "[message]" -msgstr "" +msgstr "[wiadomość]" #: ClientCommand.cpp:1818 msgctxt "helpcmd|Disconnect|desc" msgid "Disconnect from IRC" -msgstr "" +msgstr "Rozłączenie z IRC" #: ClientCommand.cpp:1820 msgctxt "helpcmd|Connect|desc" msgid "Reconnect to IRC" -msgstr "" +msgstr "Ponowne połączenie z IRC" #: ClientCommand.cpp:1823 msgctxt "helpcmd|Uptime|desc" msgid "Show for how long ZNC has been running" -msgstr "" +msgstr "Pokaż, jak długo działa ZNC" #: ClientCommand.cpp:1827 msgctxt "helpcmd|LoadMod|args" @@ -1521,17 +1551,17 @@ msgstr "[--type=global|user|network] [argumenty]" #: ClientCommand.cpp:1829 msgctxt "helpcmd|LoadMod|desc" msgid "Load a module" -msgstr "" +msgstr "Załaduj moduł" #: ClientCommand.cpp:1831 msgctxt "helpcmd|UnloadMod|args" msgid "[--type=global|user|network] " -msgstr "" +msgstr "[--type=global|user|network] " #: ClientCommand.cpp:1833 msgctxt "helpcmd|UnloadMod|desc" msgid "Unload a module" -msgstr "" +msgstr "Wyładuj moduł" #: ClientCommand.cpp:1835 msgctxt "helpcmd|ReloadMod|args" @@ -1541,17 +1571,17 @@ msgstr "[--type=global|user|network] [argumenty]" #: ClientCommand.cpp:1837 msgctxt "helpcmd|ReloadMod|desc" msgid "Reload a module" -msgstr "" +msgstr "Przeładuj moduł" #: ClientCommand.cpp:1840 msgctxt "helpcmd|UpdateMod|args" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1841 msgctxt "helpcmd|UpdateMod|desc" msgid "Reload a module everywhere" -msgstr "" +msgstr "Przeładuj moduł wszędzie" #: ClientCommand.cpp:1847 msgctxt "helpcmd|ShowMOTD|desc" @@ -1561,7 +1591,7 @@ msgstr "" #: ClientCommand.cpp:1851 msgctxt "helpcmd|SetMOTD|args" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1852 msgctxt "helpcmd|SetMOTD|desc" @@ -1571,7 +1601,7 @@ msgstr "" #: ClientCommand.cpp:1854 msgctxt "helpcmd|AddMOTD|args" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1855 msgctxt "helpcmd|AddMOTD|desc" @@ -1676,7 +1706,7 @@ msgstr "" #: ClientCommand.cpp:1900 msgctxt "helpcmd|Restart|desc" msgid "Restart ZNC" -msgstr "" +msgstr "Uruchom ponownie ZNC" #: Socket.cpp:342 msgid "Can't resolve server hostname" @@ -1730,15 +1760,15 @@ msgstr "" #: User.cpp:912 msgid "Password is empty" -msgstr "" +msgstr "Nie podano hasła" #: User.cpp:917 msgid "Username is empty" -msgstr "" +msgstr "Nazwa użytkownika jest pusta" #: User.cpp:922 msgid "Username is invalid" -msgstr "" +msgstr "Nazwa użytkownika jest niepoprawna" #: User.cpp:1199 msgid "Unable to find modinfo {1}: {2}" From f60a310bb301fbe7bfa26f7e4b12be3acb9e3fbf Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Thu, 18 Jun 2020 00:29:38 +0000 Subject: [PATCH 430/798] Update translations from Crowdin for pl_PL --- modules/po/cert.pl_PL.po | 3 +- src/po/znc.pl_PL.po | 352 +++++++++++++++++++++------------------ 2 files changed, 192 insertions(+), 163 deletions(-) diff --git a/modules/po/cert.pl_PL.po b/modules/po/cert.pl_PL.po index 7505d5d1..329ecafa 100644 --- a/modules/po/cert.pl_PL.po +++ b/modules/po/cert.pl_PL.po @@ -60,8 +60,7 @@ msgstr "Masz certyfikat w {1}" msgid "" "You do not have a certificate. Please use the web interface to add a " "certificate" -msgstr "" -"Nie masz certyfikatu. Użyj interfejsu internetowego, aby dodać certyfikat" +msgstr "Nie masz certyfikatu. Użyj interfejsu WWW, aby dodać certyfikat" #: cert.cpp:44 msgid "Alternatively you can either place one at {1}" diff --git a/src/po/znc.pl_PL.po b/src/po/znc.pl_PL.po index b14fc1f4..2270f977 100644 --- a/src/po/znc.pl_PL.po +++ b/src/po/znc.pl_PL.po @@ -52,6 +52,9 @@ msgid "" "*status help” and “/msg *status loadmod <module>”). Once you have loaded some Web-enabled modules, the menu will expand." msgstr "" +"Nie załadowano żadnych modułów WWW. Załaduj moduły z IRCa (“/msg " +"*status help” i “/msg *status loadmod <moduł>”). " +"Po załadowaniu niektórych modułów WWW menu się rozwinie." #: znc.cpp:1554 msgid "User already exists" @@ -80,6 +83,7 @@ msgstr "Nie udało się przypiąć: {1}" #: IRCNetwork.cpp:235 msgid "Jumping servers because this server is no longer in the list" msgstr "" +"Przeskakiwanie na inne serwery, ponieważ tego serwera nie ma już na liście" #: IRCNetwork.cpp:669 User.cpp:678 msgid "Welcome to ZNC" @@ -93,7 +97,7 @@ msgstr "" #: IRCNetwork.cpp:787 msgid "This network is being deleted or moved to another user." -msgstr "" +msgstr "Ta sieć jest usuwana lub przenoszona do innego użytkownika." #: IRCNetwork.cpp:1016 msgid "The channel {1} could not be joined, disabling it." @@ -101,15 +105,17 @@ msgstr "Nie można dołączyć do kanału {1} , wyłączanie go." #: IRCNetwork.cpp:1145 msgid "Your current server was removed, jumping..." -msgstr "" +msgstr "Twój obecny serwer został usunięty, przeskakiwanie..." #: IRCNetwork.cpp:1308 msgid "Cannot connect to {1}, because ZNC is not compiled with SSL support." msgstr "" +"Nie można połączyć się z {1}, ponieważ ZNC nie jest skompilowany z obsługą " +"SSL." #: IRCNetwork.cpp:1329 msgid "Some module aborted the connection attempt" -msgstr "" +msgstr "Jakiś moduł przerwał próbę połączenia" #: IRCSock.cpp:490 msgid "Error from server: {1}" @@ -125,7 +131,7 @@ msgstr "Serwer {1} przekierowuje nas do {2}:{3} z powodu: {4}" #: IRCSock.cpp:743 msgid "Perhaps you want to add it as a new server." -msgstr "" +msgstr "Być może chcesz dodać go jako nowy serwer." #: IRCSock.cpp:973 msgid "Channel {1} is linked to another channel and was thus disabled." @@ -137,7 +143,7 @@ msgstr "Przełączono na SSL (STARTTLS)" #: IRCSock.cpp:1038 msgid "You quit: {1}" -msgstr "" +msgstr "Opuszczono sieć: {1}" #: IRCSock.cpp:1244 msgid "Disconnected from IRC. Reconnecting..." @@ -158,7 +164,7 @@ msgstr "" #: IRCSock.cpp:1323 msgid "IRC connection timed out. Reconnecting..." -msgstr "" +msgstr "Przekroczono limit czasu połączenia IRC. Łączenie się ponownie..." #: IRCSock.cpp:1335 msgid "Connection Refused. Reconnecting..." @@ -166,15 +172,15 @@ msgstr "Połączenie odrzucone. Łączenie się ponownie..." #: IRCSock.cpp:1343 msgid "Received a too long line from the IRC server!" -msgstr "" +msgstr "Otrzymano zbyt długą linię z serwera IRC!" #: IRCSock.cpp:1447 msgid "No free nick available" -msgstr "" +msgstr "Brak dostępnego wolnego pseudonimu" #: IRCSock.cpp:1455 msgid "No free nick found" -msgstr "" +msgstr "Nie znaleziono wolnego pseudonimu" #: Client.cpp:74 msgid "No such module {1}" @@ -182,7 +188,7 @@ msgstr "Nie ma takiego modułu {1}" #: Client.cpp:359 msgid "A client from {1} attempted to login as you, but was rejected: {2}" -msgstr "" +msgstr "Klient z {1} próbował się zalogować jako Ty, ale został odrzucony: {2}" #: Client.cpp:394 msgid "Network {1} doesn't exist." @@ -193,18 +199,25 @@ msgid "" "You have several networks configured, but no network was specified for the " "connection." msgstr "" +"Masz skonfigurowanych kilka sieci, ale nie określiłeś z którą chcesz się " +"połączyć." #: Client.cpp:411 msgid "" "Selecting network {1}. To see list of all configured networks, use /znc " "ListNetworks" msgstr "" +"Wybieranie sieci {1}. Aby zobaczyć listę wszystkich skonfigurowanych sieci, " +"użyj /znc ListNetworks" #: Client.cpp:414 msgid "" "If you want to choose another network, use /znc JumpNetwork , or " "connect to ZNC with username {1}/ (instead of just {1})" msgstr "" +"Jeżeli chcesz wybrać inną sieć, użyj /znc JumpNetwork , lub połącz się " +"z ZNC za pomocą zmodyfikowanej nazwy użytkownika {1}/ (zamiast tylko " +"{1})" #: Client.cpp:420 msgid "" @@ -226,7 +239,7 @@ msgstr "" #: Client.cpp:1021 msgid "Your CTCP to {1} got lost, you are not connected to IRC!" -msgstr "" +msgstr "Twoje CTCP do {1} zostało zgubione, nie jesteś połączony z IRC!" #: Client.cpp:1147 msgid "Your notice to {1} got lost, you are not connected to IRC!" @@ -366,7 +379,7 @@ msgstr "" #: Modules.cpp:1963 msgid "Unknown error" -msgstr "" +msgstr "Nieznany błąd" #: Modules.cpp:1964 msgid "Unable to open module {1}: {2}" @@ -425,19 +438,19 @@ msgstr "" #: ClientCommand.cpp:91 ClientCommand.cpp:106 msgid "Nick" -msgstr "" +msgstr "Pseudonim" #: ClientCommand.cpp:92 ClientCommand.cpp:107 msgid "Ident" -msgstr "" +msgstr "Ident" #: ClientCommand.cpp:93 ClientCommand.cpp:108 msgid "Host" -msgstr "" +msgstr "Host" #: ClientCommand.cpp:122 msgid "Usage: Attach <#chans>" -msgstr "" +msgstr "Użycie: Attach <#kanały>" #: ClientCommand.cpp:144 msgid "Usage: Detach <#chans>" @@ -445,7 +458,7 @@ msgstr "Użycie: Detach <#kanały>" #: ClientCommand.cpp:161 msgid "There is no MOTD set." -msgstr "" +msgstr "Nie ma ustawionego MOTD." #: ClientCommand.cpp:167 msgid "Rehashing succeeded!" @@ -457,37 +470,37 @@ msgstr "" #: ClientCommand.cpp:173 msgid "Wrote config to {1}" -msgstr "" +msgstr "Zapisano konfigurację do {1}" #: ClientCommand.cpp:175 msgid "Error while trying to write config." -msgstr "" +msgstr "Błąd podczas próby zapisu konfiguracji." #: ClientCommand.cpp:455 msgid "Usage: ListChans" -msgstr "" +msgstr "Użycie: ListChans" #: ClientCommand.cpp:462 msgid "No such user [{1}]" -msgstr "" +msgstr "Nie ma takiego użytkownika [{1}]" #: ClientCommand.cpp:468 msgid "User [{1}] doesn't have network [{2}]" -msgstr "" +msgstr "Użytkownik [{1}] nie ma sieci [{2}]" #: ClientCommand.cpp:479 msgid "There are no channels defined." -msgstr "" +msgstr "Nie ma zdefiniowanych kanałów." #: ClientCommand.cpp:484 ClientCommand.cpp:500 msgctxt "listchans" msgid "Name" -msgstr "" +msgstr "Nazwa" #: ClientCommand.cpp:485 ClientCommand.cpp:503 msgctxt "listchans" msgid "Status" -msgstr "" +msgstr "Status" #: ClientCommand.cpp:486 ClientCommand.cpp:510 msgctxt "listchans" @@ -507,12 +520,12 @@ msgstr "" #: ClientCommand.cpp:489 ClientCommand.cpp:521 msgctxt "listchans" msgid "Modes" -msgstr "" +msgstr "Tryby" #: ClientCommand.cpp:490 ClientCommand.cpp:522 msgctxt "listchans" msgid "Users" -msgstr "" +msgstr "Użytkownicy" #: ClientCommand.cpp:505 msgctxt "listchans" @@ -522,22 +535,22 @@ msgstr "Odpięto" #: ClientCommand.cpp:506 msgctxt "listchans" msgid "Joined" -msgstr "" +msgstr "Dołączono" #: ClientCommand.cpp:507 msgctxt "listchans" msgid "Disabled" -msgstr "" +msgstr "Wyłączono" #: ClientCommand.cpp:508 msgctxt "listchans" msgid "Trying" -msgstr "" +msgstr "Próbowanie" #: ClientCommand.cpp:511 ClientCommand.cpp:519 msgctxt "listchans" msgid "yes" -msgstr "" +msgstr "tak" #: ClientCommand.cpp:536 msgid "Total: {1}, Joined: {2}, Detached: {3}, Disabled: {4}" @@ -551,7 +564,7 @@ msgstr "" #: ClientCommand.cpp:550 msgid "Usage: AddNetwork " -msgstr "" +msgstr "Użycie: AddNetwork " #: ClientCommand.cpp:554 msgid "Network name should be alphanumeric" @@ -562,10 +575,13 @@ msgid "" "Network added. Use /znc JumpNetwork {1}, or connect to ZNC with username {2} " "(instead of just {3}) to connect to it." msgstr "" +"Dodano sieć. Użyj /znc JumpNetwork {1} lub połącz się z ZNC za pomocą " +"zmodyfikowanej nazwy użytkownika {2} (zamiast tylko {3}), aby się połączyć z " +"tą siecią." #: ClientCommand.cpp:566 msgid "Unable to add that network" -msgstr "" +msgstr "Nie można dodać tej sieci" #: ClientCommand.cpp:573 msgid "Usage: DelNetwork " @@ -577,7 +593,7 @@ msgstr "Usunięto sieć" #: ClientCommand.cpp:585 msgid "Failed to delete network, perhaps this network doesn't exist" -msgstr "" +msgstr "Nie udało się usunąć sieci, być może ta sieć nie istnieje" #: ClientCommand.cpp:595 msgid "User {1} not found" @@ -586,27 +602,27 @@ msgstr "Użytkownik {1} nie odnaleziony" #: ClientCommand.cpp:603 ClientCommand.cpp:611 msgctxt "listnetworks" msgid "Network" -msgstr "" +msgstr "Sieć" #: ClientCommand.cpp:604 ClientCommand.cpp:613 ClientCommand.cpp:622 msgctxt "listnetworks" msgid "On IRC" -msgstr "" +msgstr "Na IRC" #: ClientCommand.cpp:605 ClientCommand.cpp:615 msgctxt "listnetworks" msgid "IRC Server" -msgstr "" +msgstr "Serwer IRC" #: ClientCommand.cpp:606 ClientCommand.cpp:617 msgctxt "listnetworks" msgid "IRC User" -msgstr "" +msgstr "Użytkownik IRC" #: ClientCommand.cpp:607 ClientCommand.cpp:619 msgctxt "listnetworks" msgid "Channels" -msgstr "" +msgstr "Kanały" #: ClientCommand.cpp:614 msgctxt "listnetworks" @@ -621,7 +637,7 @@ msgstr "Nie" #: ClientCommand.cpp:628 msgctxt "listnetworks" msgid "No networks" -msgstr "" +msgstr "Brak sieci" #: ClientCommand.cpp:632 ClientCommand.cpp:936 msgid "Access denied." @@ -630,26 +646,28 @@ msgstr "Odmowa dostępu." #: ClientCommand.cpp:643 msgid "Usage: MoveNetwork [new network]" msgstr "" +"Użycie: MoveNetwork " +"[nowa_sieć]" #: ClientCommand.cpp:653 msgid "Old user {1} not found." -msgstr "" +msgstr "Nie znaleziono starego użytkownika {1}." #: ClientCommand.cpp:659 msgid "Old network {1} not found." -msgstr "" +msgstr "Nie znaleziono starej sieci {1}." #: ClientCommand.cpp:665 msgid "New user {1} not found." -msgstr "" +msgstr "Nie znaleziono nowego użytkownika {1}." #: ClientCommand.cpp:670 msgid "User {1} already has network {2}." -msgstr "" +msgstr "Użytkownik {1} ma już sieć {2}." #: ClientCommand.cpp:676 msgid "Invalid network name [{1}]" -msgstr "" +msgstr "Nieprawidłowa nazwa sieci [{1}]" #: ClientCommand.cpp:692 msgid "Some files seem to be in {1}. You might want to move them to {2}" @@ -657,23 +675,24 @@ msgstr "" #: ClientCommand.cpp:706 msgid "Error adding network: {1}" -msgstr "" +msgstr "Błąd podczas dodawania sieci: {1}" #: ClientCommand.cpp:718 msgid "Success." -msgstr "" +msgstr "Powodzenie." #: ClientCommand.cpp:721 msgid "Copied the network to new user, but failed to delete old network" msgstr "" +"Skopiowano sieć do nowego użytkownika, ale nie udało się usunąć starej sieci" #: ClientCommand.cpp:728 msgid "No network supplied." -msgstr "" +msgstr "Nie podano sieci." #: ClientCommand.cpp:733 msgid "You are already connected with this network." -msgstr "" +msgstr "Jesteś już połączony z tą siecią." #: ClientCommand.cpp:739 msgid "Switched to {1}" @@ -696,14 +715,16 @@ msgid "" "Unable to add that server. Perhaps the server is already added or openssl is " "disabled?" msgstr "" +"Nie można dodać tego serwera. Może serwer został już dodany lub OpenSSL jest " +"wyłączony?" #: ClientCommand.cpp:777 msgid "Usage: DelServer [port] [pass]" -msgstr "" +msgstr "Użycie: DelServer [port] [hasło]" #: ClientCommand.cpp:782 ClientCommand.cpp:822 msgid "You don't have any servers added." -msgstr "" +msgstr "Nie dodano żadnych serwerów." #: ClientCommand.cpp:787 msgid "Server removed" @@ -748,7 +769,7 @@ msgstr "Zrobione." #: ClientCommand.cpp:845 msgid "Usage: DelTrustedServerFingerprint " -msgstr "Użycie: DelTrustedServerFingerprint " +msgstr "Użycie: DelTrustedServerFingerprint " #: ClientCommand.cpp:858 msgid "No fingerprints added." @@ -762,84 +783,84 @@ msgstr "Kanał" #: ClientCommand.cpp:875 ClientCommand.cpp:881 msgctxt "topicscmd" msgid "Set By" -msgstr "" +msgstr "Ustawiony przez" #: ClientCommand.cpp:876 ClientCommand.cpp:882 msgctxt "topicscmd" msgid "Topic" -msgstr "" +msgstr "Temat" #: ClientCommand.cpp:889 ClientCommand.cpp:894 msgctxt "listmods" msgid "Name" -msgstr "" +msgstr "Nazwa" #: ClientCommand.cpp:890 ClientCommand.cpp:895 msgctxt "listmods" msgid "Arguments" -msgstr "" +msgstr "Argumenty" #: ClientCommand.cpp:904 msgid "No global modules loaded." -msgstr "" +msgstr "Nie załadowano żadnych modułów globalnych." #: ClientCommand.cpp:906 ClientCommand.cpp:970 msgid "Global modules:" -msgstr "" +msgstr "Moduły globalne:" #: ClientCommand.cpp:915 msgid "Your user has no modules loaded." -msgstr "" +msgstr "Twój użytkownik nie ma załadowanych modułów." #: ClientCommand.cpp:917 ClientCommand.cpp:982 msgid "User modules:" -msgstr "" +msgstr "Moduły użytkownika:" #: ClientCommand.cpp:925 msgid "This network has no modules loaded." -msgstr "" +msgstr "Ta sieć nie ma załadowanych modułów." #: ClientCommand.cpp:927 ClientCommand.cpp:994 msgid "Network modules:" -msgstr "" +msgstr "Moduły sieci:" #: ClientCommand.cpp:942 ClientCommand.cpp:949 msgctxt "listavailmods" msgid "Name" -msgstr "" +msgstr "Nazwa" #: ClientCommand.cpp:943 ClientCommand.cpp:954 msgctxt "listavailmods" msgid "Description" -msgstr "" +msgstr "Opis" #: ClientCommand.cpp:968 msgid "No global modules available." -msgstr "" +msgstr "Brak dostępnych modułów globalnych." #: ClientCommand.cpp:980 msgid "No user modules available." -msgstr "" +msgstr "Brak dostępnych modułów użytkownika." #: ClientCommand.cpp:992 msgid "No network modules available." -msgstr "" +msgstr "Brak dostępnych modułów sieci." #: ClientCommand.cpp:1020 msgid "Unable to load {1}: Access denied." -msgstr "" +msgstr "Nie można załadować {1}: Odmowa dostępu." #: ClientCommand.cpp:1026 msgid "Usage: LoadMod [--type=global|user|network] [args]" -msgstr "" +msgstr "Użycie: LoadMod [--type=global|user|network] [argumenty]" #: ClientCommand.cpp:1033 msgid "Unable to load {1}: {2}" -msgstr "" +msgstr "Nie można załadować {1}: {2}" #: ClientCommand.cpp:1043 msgid "Unable to load global module {1}: Access denied." -msgstr "" +msgstr "Nie można załadować modułu globalnego {1}: Odmowa dostępu." #: ClientCommand.cpp:1049 msgid "Unable to load network module {1}: Not connected with a network." @@ -847,7 +868,7 @@ msgstr "Nie udało się załadować modułu sieci {1}: Nie połączono z siecią #: ClientCommand.cpp:1071 msgid "Unknown module type" -msgstr "" +msgstr "Nieznany typ modułu" #: ClientCommand.cpp:1076 msgid "Loaded module {1}" @@ -871,27 +892,27 @@ msgstr "Użycie: UnloadMod [--type=global|user|network] " #: ClientCommand.cpp:1119 msgid "Unable to determine type of {1}: {2}" -msgstr "" +msgstr "Nie można określić typu {1}: {2}" #: ClientCommand.cpp:1127 msgid "Unable to unload global module {1}: Access denied." -msgstr "" +msgstr "Nie można wyładować globalnego modułu {1}: Odmowa dostępu." #: ClientCommand.cpp:1134 msgid "Unable to unload network module {1}: Not connected with a network." -msgstr "" +msgstr "Nie udało się wyładować modułu sieciowego {1}: Nie połączono z siecią." #: ClientCommand.cpp:1153 msgid "Unable to unload module {1}: Unknown module type" -msgstr "" +msgstr "Nie udało się wyładować modułu {1}: nieznany typ modułu" #: ClientCommand.cpp:1166 msgid "Unable to reload modules. Access denied." -msgstr "" +msgstr "Nie udało się przeładować modułów. Brak dostępu." #: ClientCommand.cpp:1187 msgid "Usage: ReloadMod [--type=global|user|network] [args]" -msgstr "" +msgstr "Użycie: ReloadMod [--type=global|user|network] [argumenty]" #: ClientCommand.cpp:1196 msgid "Unable to reload {1}: {2}" @@ -904,18 +925,19 @@ msgstr "Nie udało się przeładować modułu ogólnego {1}: Odmowa dostępu." #: ClientCommand.cpp:1211 msgid "Unable to reload network module {1}: Not connected with a network." msgstr "" +"Nie udało się przeładować modułu sieciowego {1}: Nie połączono z siecią." #: ClientCommand.cpp:1233 msgid "Unable to reload module {1}: Unknown module type" -msgstr "" +msgstr "Nie udało się przeładować modułu {1}: Nieznany typ modułu" #: ClientCommand.cpp:1244 msgid "Usage: UpdateMod " -msgstr "" +msgstr "Użycie: UpdateMod " #: ClientCommand.cpp:1248 msgid "Reloading {1} everywhere" -msgstr "" +msgstr "Przeładowywanie {1} wszędzie" #: ClientCommand.cpp:1250 msgid "Done" @@ -925,74 +947,80 @@ msgstr "Zrobione" msgid "" "Done, but there were errors, module {1} could not be reloaded everywhere." msgstr "" +"Gotowe, ale wystąpiły błędy, modułu {1} nie można wszędzie załadować " +"ponownie." #: ClientCommand.cpp:1261 msgid "" "You must be connected with a network to use this command. Try " "SetUserBindHost instead" msgstr "" +"Aby korzystać z tego polecenia, musisz być połączony z siecią. Zamiast tego " +"wypróbuj SetUserBindHost" #: ClientCommand.cpp:1268 msgid "Usage: SetBindHost " -msgstr "" +msgstr "Użycie: SetBindHost " #: ClientCommand.cpp:1273 ClientCommand.cpp:1290 msgid "You already have this bind host!" -msgstr "" +msgstr "Już masz ten host przypięcia!" #: ClientCommand.cpp:1278 msgid "Set bind host for network {1} to {2}" -msgstr "" +msgstr "Ustaw host przypięcia dla sieci {1} na {2}" #: ClientCommand.cpp:1285 msgid "Usage: SetUserBindHost " -msgstr "" +msgstr "Użycie: SetUserBindHost " #: ClientCommand.cpp:1295 msgid "Set default bind host to {1}" -msgstr "" +msgstr "Ustaw domyślny host przypięcia na {1}" #: ClientCommand.cpp:1301 msgid "" "You must be connected with a network to use this command. Try " "ClearUserBindHost instead" msgstr "" +"Aby korzystać z tego polecenia, musisz być połączony z siecią. Zamiast tego " +"wypróbuj ClearUserBindHost" #: ClientCommand.cpp:1306 msgid "Bind host cleared for this network." -msgstr "" +msgstr "Wyczyszczono host przypięcia dla tej sieci." #: ClientCommand.cpp:1310 msgid "Default bind host cleared for your user." -msgstr "" +msgstr "Wyczyszczono domyślny host przypięcia dla Twojego użytkownika." #: ClientCommand.cpp:1313 msgid "This user's default bind host not set" -msgstr "" +msgstr "Domyślny host przypięcia tego użytkownika nie jest ustawiony" #: ClientCommand.cpp:1315 msgid "This user's default bind host is {1}" -msgstr "" +msgstr "Domyślny host przypięcia tego użytkownika to {1}" #: ClientCommand.cpp:1320 msgid "This network's bind host not set" -msgstr "" +msgstr "Host przypięcia tej sieci nie został ustawiony" #: ClientCommand.cpp:1322 msgid "This network's default bind host is {1}" -msgstr "" +msgstr "Domyślny host przypięcia tej sieci to {1}" #: ClientCommand.cpp:1336 msgid "Usage: PlayBuffer <#chan|query>" -msgstr "" +msgstr "Użycie: PlayBuffer <#kanał|rozmowa>" #: ClientCommand.cpp:1344 msgid "You are not on {1}" -msgstr "" +msgstr "Nie jesteś na {1}" #: ClientCommand.cpp:1349 msgid "You are not on {1} (trying to join)" -msgstr "" +msgstr "Nie jesteś na {1} (próbujesz dołączyć)" #: ClientCommand.cpp:1354 msgid "The buffer for channel {1} is empty" @@ -1024,11 +1052,11 @@ msgstr "" #: ClientCommand.cpp:1425 msgid "All query buffers have been cleared" -msgstr "" +msgstr "Wszystkie bufory rozmów zostały wyczyszczone" #: ClientCommand.cpp:1437 msgid "All buffers have been cleared" -msgstr "" +msgstr "Wszystkie bufory zostały wyczyszczone" #: ClientCommand.cpp:1448 msgid "Usage: SetBuffer <#chan|query> [linecount]" @@ -1062,123 +1090,123 @@ msgstr[3] "" #: ClientCommand.cpp:1514 ClientCommand.cpp:1522 msgctxt "trafficcmd" msgid "Username" -msgstr "" +msgstr "Nazwa użytkownika" #: ClientCommand.cpp:1488 ClientCommand.cpp:1495 ClientCommand.cpp:1507 #: ClientCommand.cpp:1516 ClientCommand.cpp:1524 msgctxt "trafficcmd" msgid "In" -msgstr "" +msgstr "Przychodzący" #: ClientCommand.cpp:1489 ClientCommand.cpp:1497 ClientCommand.cpp:1508 #: ClientCommand.cpp:1517 ClientCommand.cpp:1525 msgctxt "trafficcmd" msgid "Out" -msgstr "" +msgstr "Wychodzący" #: ClientCommand.cpp:1490 ClientCommand.cpp:1500 ClientCommand.cpp:1510 #: ClientCommand.cpp:1518 ClientCommand.cpp:1527 msgctxt "trafficcmd" msgid "Total" -msgstr "" +msgstr "Suma" #: ClientCommand.cpp:1506 msgctxt "trafficcmd" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1515 msgctxt "trafficcmd" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1523 msgctxt "trafficcmd" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1532 msgid "Running for {1}" -msgstr "" +msgstr "Uruchomiono od {1}" #: ClientCommand.cpp:1538 msgid "Unknown command, try 'Help'" -msgstr "" +msgstr "Nieznane polecenie, spróbuj 'Help'" #: ClientCommand.cpp:1547 ClientCommand.cpp:1558 msgctxt "listports" msgid "Port" -msgstr "" +msgstr "Port" #: ClientCommand.cpp:1548 ClientCommand.cpp:1559 msgctxt "listports" msgid "BindHost" -msgstr "" +msgstr "HostPrzypięcia" #: ClientCommand.cpp:1549 ClientCommand.cpp:1562 msgctxt "listports" msgid "SSL" -msgstr "" +msgstr "SSL" #: ClientCommand.cpp:1550 ClientCommand.cpp:1567 msgctxt "listports" msgid "Protocol" -msgstr "" +msgstr "Protokół" #: ClientCommand.cpp:1551 ClientCommand.cpp:1574 msgctxt "listports" msgid "IRC" -msgstr "" +msgstr "IRC" #: ClientCommand.cpp:1552 ClientCommand.cpp:1579 msgctxt "listports" msgid "Web" -msgstr "" +msgstr "WWW?" #: ClientCommand.cpp:1563 msgctxt "listports|ssl" msgid "yes" -msgstr "" +msgstr "tak" #: ClientCommand.cpp:1564 msgctxt "listports|ssl" msgid "no" -msgstr "" +msgstr "nie" #: ClientCommand.cpp:1568 msgctxt "listports" msgid "IPv4 and IPv6" -msgstr "" +msgstr "IPv4 i IPv6" #: ClientCommand.cpp:1570 msgctxt "listports" msgid "IPv4" -msgstr "" +msgstr "IPv4" #: ClientCommand.cpp:1571 msgctxt "listports" msgid "IPv6" -msgstr "" +msgstr "IPv6" #: ClientCommand.cpp:1577 msgctxt "listports|irc" msgid "yes" -msgstr "" +msgstr "tak" #: ClientCommand.cpp:1578 msgctxt "listports|irc" msgid "no" -msgstr "" +msgstr "nie" #: ClientCommand.cpp:1582 msgctxt "listports|irc" msgid "yes, on {1}" -msgstr "" +msgstr "tak, na {1}" #: ClientCommand.cpp:1584 msgctxt "listports|web" msgid "no" -msgstr "" +msgstr "nie" #: ClientCommand.cpp:1624 msgid "" @@ -1187,11 +1215,11 @@ msgstr "" #: ClientCommand.cpp:1640 msgid "Port added" -msgstr "" +msgstr "Port dodany" #: ClientCommand.cpp:1642 msgid "Couldn't add port" -msgstr "" +msgstr "Nie można dodać portu" #: ClientCommand.cpp:1648 msgid "Usage: DelPort [bindhost]" @@ -1199,7 +1227,7 @@ msgstr "" #: ClientCommand.cpp:1657 msgid "Deleted Port" -msgstr "" +msgstr "Usunięto port" #: ClientCommand.cpp:1659 msgid "Unable to find a matching port" @@ -1208,12 +1236,12 @@ msgstr "" #: ClientCommand.cpp:1667 ClientCommand.cpp:1682 msgctxt "helpcmd" msgid "Command" -msgstr "" +msgstr "Polecenie" #: ClientCommand.cpp:1668 ClientCommand.cpp:1684 msgctxt "helpcmd" msgid "Description" -msgstr "" +msgstr "Opis" #: ClientCommand.cpp:1673 msgid "" @@ -1229,77 +1257,77 @@ msgstr "" #: ClientCommand.cpp:1693 msgctxt "helpcmd|ListMods|desc" msgid "List all loaded modules" -msgstr "" +msgstr "Lista wszystkich załadowanych modułów" #: ClientCommand.cpp:1696 msgctxt "helpcmd|ListAvailMods|desc" msgid "List all available modules" -msgstr "" +msgstr "Lista wszystkich dostępnych modułów" #: ClientCommand.cpp:1700 ClientCommand.cpp:1886 msgctxt "helpcmd|ListChans|desc" msgid "List all channels" -msgstr "" +msgstr "Lista wszystkich kanałów" #: ClientCommand.cpp:1703 msgctxt "helpcmd|ListNicks|args" msgid "<#chan>" -msgstr "" +msgstr "<#kanał>" #: ClientCommand.cpp:1704 msgctxt "helpcmd|ListNicks|desc" msgid "List all nicks on a channel" -msgstr "" +msgstr "Lista wszystkich pseudonimów na kanale" #: ClientCommand.cpp:1707 msgctxt "helpcmd|ListClients|desc" msgid "List all clients connected to your ZNC user" -msgstr "" +msgstr "Lista wszystkich klientów połączonych z Twoim użytkownikiem ZNC" #: ClientCommand.cpp:1711 msgctxt "helpcmd|ListServers|desc" msgid "List all servers of current IRC network" -msgstr "" +msgstr "Lista wszystkich serwerów bieżącej sieci IRC" #: ClientCommand.cpp:1715 msgctxt "helpcmd|AddNetwork|args" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1716 msgctxt "helpcmd|AddNetwork|desc" msgid "Add a network to your user" -msgstr "" +msgstr "Dodaj sieć użytkownikowi" #: ClientCommand.cpp:1718 msgctxt "helpcmd|DelNetwork|args" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1719 msgctxt "helpcmd|DelNetwork|desc" msgid "Delete a network from your user" -msgstr "" +msgstr "Usuń sieć użytkownikowi" #: ClientCommand.cpp:1721 msgctxt "helpcmd|ListNetworks|desc" msgid "List all networks" -msgstr "" +msgstr "Lista wszystkich sieci" #: ClientCommand.cpp:1724 msgctxt "helpcmd|MoveNetwork|args" msgid " [new network]" -msgstr "" +msgstr " [nowa sieć]" #: ClientCommand.cpp:1726 msgctxt "helpcmd|MoveNetwork|desc" msgid "Move an IRC network from one user to another" -msgstr "" +msgstr "Przenieś sieć IRC od jednego użytkownika do innego użytkownika" #: ClientCommand.cpp:1730 msgctxt "helpcmd|JumpNetwork|args" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1731 msgctxt "helpcmd|JumpNetwork|desc" @@ -1307,11 +1335,13 @@ msgid "" "Jump to another network (Alternatively, you can connect to ZNC several " "times, using `user/network` as username)" msgstr "" +"Przeskocz do innej sieci (Alternatywnie możesz połączyć się z ZNC kilka " +"razy, używając `user/network` jako nazwy użytkownika)" #: ClientCommand.cpp:1736 msgctxt "helpcmd|AddServer|args" msgid " [[+]port] [pass]" -msgstr "" +msgstr " [[+]port] [hasło]" #: ClientCommand.cpp:1737 msgctxt "helpcmd|AddServer|desc" @@ -1322,7 +1352,7 @@ msgstr "" #: ClientCommand.cpp:1741 msgctxt "helpcmd|DelServer|args" msgid " [port] [pass]" -msgstr "" +msgstr " [port] [hasło]" #: ClientCommand.cpp:1742 msgctxt "helpcmd|DelServer|desc" @@ -1334,7 +1364,7 @@ msgstr "" #: ClientCommand.cpp:1748 msgctxt "helpcmd|AddTrustedServerFingerprint|args" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1749 msgctxt "helpcmd|AddTrustedServerFingerprint|desc" @@ -1346,7 +1376,7 @@ msgstr "" #: ClientCommand.cpp:1754 msgctxt "helpcmd|DelTrustedServerFingerprint|args" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1755 msgctxt "helpcmd|DelTrustedServerFingerprint|desc" @@ -1496,22 +1526,22 @@ msgstr "" #: ClientCommand.cpp:1817 msgctxt "helpcmd|Disconnect|args" msgid "[message]" -msgstr "" +msgstr "[wiadomość]" #: ClientCommand.cpp:1818 msgctxt "helpcmd|Disconnect|desc" msgid "Disconnect from IRC" -msgstr "" +msgstr "Rozłączenie z IRC" #: ClientCommand.cpp:1820 msgctxt "helpcmd|Connect|desc" msgid "Reconnect to IRC" -msgstr "" +msgstr "Ponowne połączenie z IRC" #: ClientCommand.cpp:1823 msgctxt "helpcmd|Uptime|desc" msgid "Show for how long ZNC has been running" -msgstr "" +msgstr "Pokaż, jak długo działa ZNC" #: ClientCommand.cpp:1827 msgctxt "helpcmd|LoadMod|args" @@ -1521,17 +1551,17 @@ msgstr "[--type=global|user|network] [argumenty]" #: ClientCommand.cpp:1829 msgctxt "helpcmd|LoadMod|desc" msgid "Load a module" -msgstr "" +msgstr "Załaduj moduł" #: ClientCommand.cpp:1831 msgctxt "helpcmd|UnloadMod|args" msgid "[--type=global|user|network] " -msgstr "" +msgstr "[--type=global|user|network] " #: ClientCommand.cpp:1833 msgctxt "helpcmd|UnloadMod|desc" msgid "Unload a module" -msgstr "" +msgstr "Wyładuj moduł" #: ClientCommand.cpp:1835 msgctxt "helpcmd|ReloadMod|args" @@ -1541,17 +1571,17 @@ msgstr "[--type=global|user|network] [argumenty]" #: ClientCommand.cpp:1837 msgctxt "helpcmd|ReloadMod|desc" msgid "Reload a module" -msgstr "" +msgstr "Przeładuj moduł" #: ClientCommand.cpp:1840 msgctxt "helpcmd|UpdateMod|args" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1841 msgctxt "helpcmd|UpdateMod|desc" msgid "Reload a module everywhere" -msgstr "" +msgstr "Przeładuj moduł wszędzie" #: ClientCommand.cpp:1847 msgctxt "helpcmd|ShowMOTD|desc" @@ -1561,7 +1591,7 @@ msgstr "" #: ClientCommand.cpp:1851 msgctxt "helpcmd|SetMOTD|args" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1852 msgctxt "helpcmd|SetMOTD|desc" @@ -1571,7 +1601,7 @@ msgstr "" #: ClientCommand.cpp:1854 msgctxt "helpcmd|AddMOTD|args" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1855 msgctxt "helpcmd|AddMOTD|desc" @@ -1676,7 +1706,7 @@ msgstr "" #: ClientCommand.cpp:1900 msgctxt "helpcmd|Restart|desc" msgid "Restart ZNC" -msgstr "" +msgstr "Uruchom ponownie ZNC" #: Socket.cpp:342 msgid "Can't resolve server hostname" @@ -1730,15 +1760,15 @@ msgstr "" #: User.cpp:912 msgid "Password is empty" -msgstr "" +msgstr "Nie podano hasła" #: User.cpp:917 msgid "Username is empty" -msgstr "" +msgstr "Nazwa użytkownika jest pusta" #: User.cpp:922 msgid "Username is invalid" -msgstr "" +msgstr "Nazwa użytkownika jest niepoprawna" #: User.cpp:1199 msgid "Unable to find modinfo {1}: {2}" From 74e973b1c222b17f9e564484407ee2d8029c239a Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Fri, 19 Jun 2020 00:28:56 +0000 Subject: [PATCH 431/798] Update translations from Crowdin for pl_PL --- modules/po/admindebug.pl_PL.po | 2 ++ modules/po/controlpanel.pl_PL.po | 8 ++++---- modules/po/savebuff.pl_PL.po | 2 +- modules/po/webadmin.pl_PL.po | 6 +++--- src/po/znc.pl_PL.po | 4 ++-- 5 files changed, 12 insertions(+), 10 deletions(-) diff --git a/modules/po/admindebug.pl_PL.po b/modules/po/admindebug.pl_PL.po index 70727e9c..7bc9f464 100644 --- a/modules/po/admindebug.pl_PL.po +++ b/modules/po/admindebug.pl_PL.po @@ -35,6 +35,8 @@ msgid "" "Failure. We need to be running with a TTY. (is ZNC running with --" "foreground?)" msgstr "" +"Porażka. Musimy być uruchomieni na dalekopisie (TTY). (czy ZNC jest " +"uruchomione z -foreground?)" #: admindebug.cpp:66 msgid "Already enabled." diff --git a/modules/po/controlpanel.pl_PL.po b/modules/po/controlpanel.pl_PL.po index f237c5d8..8ea36d52 100644 --- a/modules/po/controlpanel.pl_PL.po +++ b/modules/po/controlpanel.pl_PL.po @@ -463,7 +463,7 @@ msgstr "Ładowanie modułów zostało wyłączone." #: controlpanel.cpp:1379 msgid "Error: Unable to load module {1}: {2}" -msgstr "Błąd: Nie udało się załadować modułu {1}: {2}" +msgstr "Błąd: Nie można załadować modułu {1}: {2}" #: controlpanel.cpp:1382 msgid "Loaded module {1}" @@ -471,7 +471,7 @@ msgstr "Załadowano moduł {1}" #: controlpanel.cpp:1387 msgid "Error: Unable to reload module {1}: {2}" -msgstr "Błąd: Nie udało się przeładować modułu {1}: {2}" +msgstr "Błąd: Nie można przeładować modułu {1}: {2}" #: controlpanel.cpp:1390 msgid "Reloaded module {1}" @@ -479,7 +479,7 @@ msgstr "Przeładowano moduł {1}" #: controlpanel.cpp:1394 msgid "Error: Unable to load module {1} because it is already loaded" -msgstr "Błąd: Nie udało się załadować modułu {1}, ponieważ jest już załadowany" +msgstr "Błąd: Nie można załadować modułu {1}, ponieważ jest już załadowany" #: controlpanel.cpp:1405 msgid "Usage: LoadModule [args]" @@ -496,7 +496,7 @@ msgstr "Użyj /znc unloadmod {1}" #: controlpanel.cpp:1455 msgid "Error: Unable to unload module {1}: {2}" -msgstr "Błąd: Nie udało się wyładować modułu {1}: {2}" +msgstr "Błąd: Nie można wyładować modułu {1}: {2}" #: controlpanel.cpp:1458 msgid "Unloaded module {1}" diff --git a/modules/po/savebuff.pl_PL.po b/modules/po/savebuff.pl_PL.po index 7777fdcb..912217c9 100644 --- a/modules/po/savebuff.pl_PL.po +++ b/modules/po/savebuff.pl_PL.po @@ -51,7 +51,7 @@ msgstr "Odtworzono {1}" #: savebuff.cpp:341 msgid "Unable to decode Encrypted file {1}" -msgstr "Nie udało się rozszyfrować zaszyfrowanego pliku {1}" +msgstr "Nie można rozszyfrować zaszyfrowanego pliku {1}" #: savebuff.cpp:358 msgid "" diff --git a/modules/po/webadmin.pl_PL.po b/modules/po/webadmin.pl_PL.po index bbbcc1b6..d6b85c43 100644 --- a/modules/po/webadmin.pl_PL.po +++ b/modules/po/webadmin.pl_PL.po @@ -1032,11 +1032,11 @@ msgstr "Limit czasu nie może być krótszy niż 30 sekund!" #: webadmin.cpp:407 webadmin.cpp:435 webadmin.cpp:1182 webadmin.cpp:2057 msgid "Unable to load module [{1}]: {2}" -msgstr "Nie udało się załadować modułu [{1}]: {2}" +msgstr "Nie można załadować modułu [{1}]: {2}" #: webadmin.cpp:412 webadmin.cpp:440 msgid "Unable to load module [{1}] with arguments [{2}]" -msgstr "Nie udało się załadować modułu [{1}] z argumentami [{2}]" +msgstr "Nie można załadować modułu [{1}] z argumentami [{2}]" #: webadmin.cpp:521 webadmin.cpp:625 webadmin.cpp:650 webadmin.cpp:672 #: webadmin.cpp:706 webadmin.cpp:1249 @@ -1139,7 +1139,7 @@ msgstr "Nazwa sieci jest wymaganym argumentem" #: webadmin.cpp:1189 webadmin.cpp:2064 msgid "Unable to reload module [{1}]: {2}" -msgstr "Nie udało się przeładować modułu [{1}]: {2}" +msgstr "Nie można przeładować modułu [{1}]: {2}" #: webadmin.cpp:1226 msgid "Network was added/modified, but config file was not written" diff --git a/src/po/znc.pl_PL.po b/src/po/znc.pl_PL.po index 34aa86c5..6aa606f5 100644 --- a/src/po/znc.pl_PL.po +++ b/src/po/znc.pl_PL.po @@ -404,12 +404,12 @@ msgstr "" #: Modules.cpp:2023 Modules.cpp:2029 msgctxt "modhelpcmd" msgid "Command" -msgstr "" +msgstr "Polecenie" #: Modules.cpp:2024 Modules.cpp:2031 msgctxt "modhelpcmd" msgid "Description" -msgstr "" +msgstr "Opis" #: ClientCommand.cpp:51 ClientCommand.cpp:115 ClientCommand.cpp:137 #: ClientCommand.cpp:749 ClientCommand.cpp:768 ClientCommand.cpp:794 From fc85757e8ed025965177c2cb028d299c5dc911bf Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Fri, 19 Jun 2020 00:28:58 +0000 Subject: [PATCH 432/798] Update translations from Crowdin for pl_PL --- modules/po/admindebug.pl_PL.po | 2 ++ modules/po/controlpanel.pl_PL.po | 8 ++++---- modules/po/savebuff.pl_PL.po | 2 +- modules/po/webadmin.pl_PL.po | 6 +++--- src/po/znc.pl_PL.po | 4 ++-- 5 files changed, 12 insertions(+), 10 deletions(-) diff --git a/modules/po/admindebug.pl_PL.po b/modules/po/admindebug.pl_PL.po index 6fa0dae2..345e8894 100644 --- a/modules/po/admindebug.pl_PL.po +++ b/modules/po/admindebug.pl_PL.po @@ -35,6 +35,8 @@ msgid "" "Failure. We need to be running with a TTY. (is ZNC running with --" "foreground?)" msgstr "" +"Porażka. Musimy być uruchomieni na dalekopisie (TTY). (czy ZNC jest " +"uruchomione z -foreground?)" #: admindebug.cpp:66 msgid "Already enabled." diff --git a/modules/po/controlpanel.pl_PL.po b/modules/po/controlpanel.pl_PL.po index e186dd40..4806ff4d 100644 --- a/modules/po/controlpanel.pl_PL.po +++ b/modules/po/controlpanel.pl_PL.po @@ -463,7 +463,7 @@ msgstr "Ładowanie modułów zostało wyłączone." #: controlpanel.cpp:1379 msgid "Error: Unable to load module {1}: {2}" -msgstr "Błąd: Nie udało się załadować modułu {1}: {2}" +msgstr "Błąd: Nie można załadować modułu {1}: {2}" #: controlpanel.cpp:1382 msgid "Loaded module {1}" @@ -471,7 +471,7 @@ msgstr "Załadowano moduł {1}" #: controlpanel.cpp:1387 msgid "Error: Unable to reload module {1}: {2}" -msgstr "Błąd: Nie udało się przeładować modułu {1}: {2}" +msgstr "Błąd: Nie można przeładować modułu {1}: {2}" #: controlpanel.cpp:1390 msgid "Reloaded module {1}" @@ -479,7 +479,7 @@ msgstr "Przeładowano moduł {1}" #: controlpanel.cpp:1394 msgid "Error: Unable to load module {1} because it is already loaded" -msgstr "Błąd: Nie udało się załadować modułu {1}, ponieważ jest już załadowany" +msgstr "Błąd: Nie można załadować modułu {1}, ponieważ jest już załadowany" #: controlpanel.cpp:1405 msgid "Usage: LoadModule [args]" @@ -496,7 +496,7 @@ msgstr "Użyj /znc unloadmod {1}" #: controlpanel.cpp:1455 msgid "Error: Unable to unload module {1}: {2}" -msgstr "Błąd: Nie udało się wyładować modułu {1}: {2}" +msgstr "Błąd: Nie można wyładować modułu {1}: {2}" #: controlpanel.cpp:1458 msgid "Unloaded module {1}" diff --git a/modules/po/savebuff.pl_PL.po b/modules/po/savebuff.pl_PL.po index d86b7265..157ecd2f 100644 --- a/modules/po/savebuff.pl_PL.po +++ b/modules/po/savebuff.pl_PL.po @@ -51,7 +51,7 @@ msgstr "Odtworzono {1}" #: savebuff.cpp:341 msgid "Unable to decode Encrypted file {1}" -msgstr "Nie udało się rozszyfrować zaszyfrowanego pliku {1}" +msgstr "Nie można rozszyfrować zaszyfrowanego pliku {1}" #: savebuff.cpp:358 msgid "" diff --git a/modules/po/webadmin.pl_PL.po b/modules/po/webadmin.pl_PL.po index 72bbadc3..e658d179 100644 --- a/modules/po/webadmin.pl_PL.po +++ b/modules/po/webadmin.pl_PL.po @@ -1032,11 +1032,11 @@ msgstr "Limit czasu nie może być krótszy niż 30 sekund!" #: webadmin.cpp:407 webadmin.cpp:435 webadmin.cpp:1182 webadmin.cpp:2057 msgid "Unable to load module [{1}]: {2}" -msgstr "Nie udało się załadować modułu [{1}]: {2}" +msgstr "Nie można załadować modułu [{1}]: {2}" #: webadmin.cpp:412 webadmin.cpp:440 msgid "Unable to load module [{1}] with arguments [{2}]" -msgstr "Nie udało się załadować modułu [{1}] z argumentami [{2}]" +msgstr "Nie można załadować modułu [{1}] z argumentami [{2}]" #: webadmin.cpp:521 webadmin.cpp:625 webadmin.cpp:650 webadmin.cpp:672 #: webadmin.cpp:706 webadmin.cpp:1249 @@ -1139,7 +1139,7 @@ msgstr "Nazwa sieci jest wymaganym argumentem" #: webadmin.cpp:1189 webadmin.cpp:2064 msgid "Unable to reload module [{1}]: {2}" -msgstr "Nie udało się przeładować modułu [{1}]: {2}" +msgstr "Nie można przeładować modułu [{1}]: {2}" #: webadmin.cpp:1226 msgid "Network was added/modified, but config file was not written" diff --git a/src/po/znc.pl_PL.po b/src/po/znc.pl_PL.po index 2270f977..23a874db 100644 --- a/src/po/znc.pl_PL.po +++ b/src/po/znc.pl_PL.po @@ -404,12 +404,12 @@ msgstr "" #: Modules.cpp:2023 Modules.cpp:2029 msgctxt "modhelpcmd" msgid "Command" -msgstr "" +msgstr "Polecenie" #: Modules.cpp:2024 Modules.cpp:2031 msgctxt "modhelpcmd" msgid "Description" -msgstr "" +msgstr "Opis" #: ClientCommand.cpp:51 ClientCommand.cpp:115 ClientCommand.cpp:137 #: ClientCommand.cpp:749 ClientCommand.cpp:768 ClientCommand.cpp:794 From 6527a8a53dbb8e6a62ec22ff5ef851468219bc30 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Sun, 21 Jun 2020 00:28:36 +0000 Subject: [PATCH 433/798] Update translations from Crowdin for pl_PL --- modules/po/admindebug.pl_PL.po | 2 +- src/po/znc.pl_PL.po | 21 ++++++++++++--------- 2 files changed, 13 insertions(+), 10 deletions(-) diff --git a/modules/po/admindebug.pl_PL.po b/modules/po/admindebug.pl_PL.po index 7bc9f464..5f1cd4eb 100644 --- a/modules/po/admindebug.pl_PL.po +++ b/modules/po/admindebug.pl_PL.po @@ -36,7 +36,7 @@ msgid "" "foreground?)" msgstr "" "Porażka. Musimy być uruchomieni na dalekopisie (TTY). (czy ZNC jest " -"uruchomione z -foreground?)" +"uruchomione z --foreground?)" #: admindebug.cpp:66 msgid "Already enabled." diff --git a/src/po/znc.pl_PL.po b/src/po/znc.pl_PL.po index 6aa606f5..0c725ff1 100644 --- a/src/po/znc.pl_PL.po +++ b/src/po/znc.pl_PL.po @@ -291,16 +291,16 @@ msgstr[3] "" #: Chan.cpp:678 msgid "Buffer Playback..." -msgstr "" +msgstr "Odtwarzanie bufora..." #: Chan.cpp:716 msgid "Playback Complete." -msgstr "" +msgstr "Odtwarzanie zakończone." #: Modules.cpp:528 msgctxt "modhelpcmd" msgid "" -msgstr "" +msgstr "" #: Modules.cpp:529 msgctxt "modhelpcmd" @@ -313,7 +313,7 @@ msgstr "Brak dopasowań dla '{1}'" #: Modules.cpp:691 msgid "This module doesn't implement any commands." -msgstr "" +msgstr "Ten moduł nie implementuje żadnych poleceń." #: Modules.cpp:693 msgid "Unknown command!" @@ -324,6 +324,8 @@ msgid "" "Module names can only contain letters, numbers and underscores, [{1}] is " "invalid" msgstr "" +"Nazwy modułów mogą zawierać tylko litery, cyfry i znaki podkreślenia, [{1}] " +"jest nieprawidłowa" #: Modules.cpp:1652 msgid "Module {1} already loaded." @@ -359,19 +361,19 @@ msgstr "Przerwano moduł {1}." #: Modules.cpp:1739 Modules.cpp:1781 msgid "Module [{1}] not loaded." -msgstr "" +msgstr "Moduł [{1}] nie został załadowany." #: Modules.cpp:1763 msgid "Module {1} unloaded." -msgstr "" +msgstr "Moduł {1} został wyładowany." #: Modules.cpp:1768 msgid "Unable to unload module {1}." -msgstr "" +msgstr "Nie można wyładować modułu {1}." #: Modules.cpp:1797 msgid "Reloaded module {1}." -msgstr "" +msgstr "Przeładowano moduł {1}." #: Modules.cpp:1816 msgid "Unable to find module {1}." @@ -1387,11 +1389,12 @@ msgstr "" msgctxt "helpcmd|ListTrustedServerFingerprints|desc" msgid "List all trusted server SSL certificates of current IRC network." msgstr "" +"Lista wszystkie certyfikaty SSL zaufanego serwera dla bieżącej sieci IRC." #: ClientCommand.cpp:1762 msgctxt "helpcmd|EnableChan|args" msgid "<#chans>" -msgstr "" +msgstr "<#kanały>" #: ClientCommand.cpp:1763 msgctxt "helpcmd|EnableChan|desc" From 80c79c6db017d5703c4107d1dafef52311728a9b Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Sun, 21 Jun 2020 00:28:37 +0000 Subject: [PATCH 434/798] Update translations from Crowdin for pl_PL --- modules/po/admindebug.pl_PL.po | 2 +- src/po/znc.pl_PL.po | 21 ++++++++++++--------- 2 files changed, 13 insertions(+), 10 deletions(-) diff --git a/modules/po/admindebug.pl_PL.po b/modules/po/admindebug.pl_PL.po index 345e8894..893361a4 100644 --- a/modules/po/admindebug.pl_PL.po +++ b/modules/po/admindebug.pl_PL.po @@ -36,7 +36,7 @@ msgid "" "foreground?)" msgstr "" "Porażka. Musimy być uruchomieni na dalekopisie (TTY). (czy ZNC jest " -"uruchomione z -foreground?)" +"uruchomione z --foreground?)" #: admindebug.cpp:66 msgid "Already enabled." diff --git a/src/po/znc.pl_PL.po b/src/po/znc.pl_PL.po index 23a874db..915d3d26 100644 --- a/src/po/znc.pl_PL.po +++ b/src/po/znc.pl_PL.po @@ -291,16 +291,16 @@ msgstr[3] "Odpięto {1} kanały" #: Chan.cpp:678 msgid "Buffer Playback..." -msgstr "" +msgstr "Odtwarzanie bufora..." #: Chan.cpp:716 msgid "Playback Complete." -msgstr "" +msgstr "Odtwarzanie zakończone." #: Modules.cpp:528 msgctxt "modhelpcmd" msgid "" -msgstr "" +msgstr "" #: Modules.cpp:529 msgctxt "modhelpcmd" @@ -313,7 +313,7 @@ msgstr "Brak dopasowań dla '{1}'" #: Modules.cpp:691 msgid "This module doesn't implement any commands." -msgstr "" +msgstr "Ten moduł nie implementuje żadnych poleceń." #: Modules.cpp:693 msgid "Unknown command!" @@ -324,6 +324,8 @@ msgid "" "Module names can only contain letters, numbers and underscores, [{1}] is " "invalid" msgstr "" +"Nazwy modułów mogą zawierać tylko litery, cyfry i znaki podkreślenia, [{1}] " +"jest nieprawidłowa" #: Modules.cpp:1652 msgid "Module {1} already loaded." @@ -359,19 +361,19 @@ msgstr "Przerwano moduł {1}." #: Modules.cpp:1739 Modules.cpp:1781 msgid "Module [{1}] not loaded." -msgstr "" +msgstr "Moduł [{1}] nie został załadowany." #: Modules.cpp:1763 msgid "Module {1} unloaded." -msgstr "" +msgstr "Moduł {1} został wyładowany." #: Modules.cpp:1768 msgid "Unable to unload module {1}." -msgstr "" +msgstr "Nie można wyładować modułu {1}." #: Modules.cpp:1797 msgid "Reloaded module {1}." -msgstr "" +msgstr "Przeładowano moduł {1}." #: Modules.cpp:1816 msgid "Unable to find module {1}." @@ -1387,11 +1389,12 @@ msgstr "" msgctxt "helpcmd|ListTrustedServerFingerprints|desc" msgid "List all trusted server SSL certificates of current IRC network." msgstr "" +"Lista wszystkie certyfikaty SSL zaufanego serwera dla bieżącej sieci IRC." #: ClientCommand.cpp:1762 msgctxt "helpcmd|EnableChan|args" msgid "<#chans>" -msgstr "" +msgstr "<#kanały>" #: ClientCommand.cpp:1763 msgctxt "helpcmd|EnableChan|desc" From c16dc3c7393280ba51e26ab77e1c0ec24bef6fbc Mon Sep 17 00:00:00 2001 From: tojestzart <37272009+tojestzart@users.noreply.github.com> Date: Sun, 21 Jun 2020 22:42:56 +0100 Subject: [PATCH 435/798] Create pl-PL Close #1729 --- translations/pl-PL | 1 + 1 file changed, 1 insertion(+) create mode 100644 translations/pl-PL diff --git a/translations/pl-PL b/translations/pl-PL new file mode 100644 index 00000000..1955368a --- /dev/null +++ b/translations/pl-PL @@ -0,0 +1 @@ +SelfName Polski From fd24fa67767c26aa60b82f6c5bf8aaf434c73f18 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Tue, 23 Jun 2020 08:16:01 +0100 Subject: [PATCH 436/798] Remove merge conflicts from .po files --- modules/po/admindebug.bg_BG.po | 5 ---- modules/po/admindebug.es_ES.po | 5 ---- modules/po/admindebug.fr_FR.po | 5 ---- modules/po/admindebug.id_ID.po | 5 ---- modules/po/admindebug.it_IT.po | 5 ---- modules/po/admindebug.nl_NL.po | 5 ---- modules/po/admindebug.pl_PL.po | 5 ---- modules/po/admindebug.pt_BR.po | 5 ---- modules/po/admindebug.ru_RU.po | 5 ---- modules/po/adminlog.bg_BG.po | 5 ---- modules/po/adminlog.es_ES.po | 5 ---- modules/po/adminlog.fr_FR.po | 5 ---- modules/po/adminlog.id_ID.po | 5 ---- modules/po/adminlog.it_IT.po | 5 ---- modules/po/adminlog.nl_NL.po | 5 ---- modules/po/adminlog.pl_PL.po | 5 ---- modules/po/adminlog.pt_BR.po | 5 ---- modules/po/adminlog.ru_RU.po | 5 ---- modules/po/alias.bg_BG.po | 5 ---- modules/po/alias.es_ES.po | 5 ---- modules/po/alias.fr_FR.po | 5 ---- modules/po/alias.id_ID.po | 5 ---- modules/po/alias.it_IT.po | 5 ---- modules/po/alias.nl_NL.po | 5 ---- modules/po/alias.pl_PL.po | 5 ---- modules/po/alias.pt_BR.po | 5 ---- modules/po/alias.ru_RU.po | 5 ---- modules/po/autoattach.bg_BG.po | 5 ---- modules/po/autoattach.es_ES.po | 5 ---- modules/po/autoattach.fr_FR.po | 5 ---- modules/po/autoattach.id_ID.po | 5 ---- modules/po/autoattach.it_IT.po | 5 ---- modules/po/autoattach.nl_NL.po | 5 ---- modules/po/autoattach.pl_PL.po | 5 ---- modules/po/autoattach.pt_BR.po | 5 ---- modules/po/autoattach.ru_RU.po | 5 ---- modules/po/autocycle.bg_BG.po | 5 ---- modules/po/autocycle.es_ES.po | 5 ---- modules/po/autocycle.fr_FR.po | 5 ---- modules/po/autocycle.id_ID.po | 5 ---- modules/po/autocycle.it_IT.po | 5 ---- modules/po/autocycle.nl_NL.po | 5 ---- modules/po/autocycle.pl_PL.po | 5 ---- modules/po/autocycle.pt_BR.po | 5 ---- modules/po/autocycle.ru_RU.po | 5 ---- modules/po/autoop.bg_BG.po | 5 ---- modules/po/autoop.es_ES.po | 5 ---- modules/po/autoop.fr_FR.po | 5 ---- modules/po/autoop.id_ID.po | 5 ---- modules/po/autoop.it_IT.po | 5 ---- modules/po/autoop.nl_NL.po | 5 ---- modules/po/autoop.pl_PL.po | 5 ---- modules/po/autoop.pt_BR.po | 5 ---- modules/po/autoop.ru_RU.po | 5 ---- modules/po/autoreply.bg_BG.po | 5 ---- modules/po/autoreply.es_ES.po | 5 ---- modules/po/autoreply.fr_FR.po | 5 ---- modules/po/autoreply.id_ID.po | 5 ---- modules/po/autoreply.it_IT.po | 5 ---- modules/po/autoreply.nl_NL.po | 5 ---- modules/po/autoreply.pl_PL.po | 5 ---- modules/po/autoreply.pt_BR.po | 5 ---- modules/po/autoreply.ru_RU.po | 5 ---- modules/po/autovoice.bg_BG.po | 5 ---- modules/po/autovoice.es_ES.po | 5 ---- modules/po/autovoice.fr_FR.po | 5 ---- modules/po/autovoice.id_ID.po | 5 ---- modules/po/autovoice.it_IT.po | 5 ---- modules/po/autovoice.nl_NL.po | 5 ---- modules/po/autovoice.pl_PL.po | 5 ---- modules/po/autovoice.pt_BR.po | 5 ---- modules/po/autovoice.ru_RU.po | 5 ---- modules/po/awaystore.bg_BG.po | 5 ---- modules/po/awaystore.es_ES.po | 5 ---- modules/po/awaystore.fr_FR.po | 5 ---- modules/po/awaystore.id_ID.po | 5 ---- modules/po/awaystore.it_IT.po | 5 ---- modules/po/awaystore.nl_NL.po | 5 ---- modules/po/awaystore.pl_PL.po | 5 ---- modules/po/awaystore.pt_BR.po | 5 ---- modules/po/awaystore.ru_RU.po | 5 ---- modules/po/block_motd.bg_BG.po | 5 ---- modules/po/block_motd.es_ES.po | 5 ---- modules/po/block_motd.fr_FR.po | 5 ---- modules/po/block_motd.id_ID.po | 5 ---- modules/po/block_motd.it_IT.po | 5 ---- modules/po/block_motd.nl_NL.po | 5 ---- modules/po/block_motd.pl_PL.po | 5 ---- modules/po/block_motd.pt_BR.po | 5 ---- modules/po/block_motd.ru_RU.po | 5 ---- modules/po/blockuser.bg_BG.po | 5 ---- modules/po/blockuser.es_ES.po | 5 ---- modules/po/blockuser.fr_FR.po | 5 ---- modules/po/blockuser.id_ID.po | 5 ---- modules/po/blockuser.it_IT.po | 5 ---- modules/po/blockuser.nl_NL.po | 5 ---- modules/po/blockuser.pl_PL.po | 5 ---- modules/po/blockuser.pt_BR.po | 5 ---- modules/po/blockuser.ru_RU.po | 5 ---- modules/po/bouncedcc.bg_BG.po | 5 ---- modules/po/bouncedcc.es_ES.po | 5 ---- modules/po/bouncedcc.fr_FR.po | 5 ---- modules/po/bouncedcc.id_ID.po | 5 ---- modules/po/bouncedcc.it_IT.po | 5 ---- modules/po/bouncedcc.nl_NL.po | 5 ---- modules/po/bouncedcc.pl_PL.po | 5 ---- modules/po/bouncedcc.pt_BR.po | 5 ---- modules/po/bouncedcc.ru_RU.po | 5 ---- modules/po/buffextras.bg_BG.po | 5 ---- modules/po/buffextras.es_ES.po | 5 ---- modules/po/buffextras.fr_FR.po | 5 ---- modules/po/buffextras.id_ID.po | 5 ---- modules/po/buffextras.it_IT.po | 5 ---- modules/po/buffextras.nl_NL.po | 5 ---- modules/po/buffextras.pl_PL.po | 5 ---- modules/po/buffextras.pt_BR.po | 5 ---- modules/po/buffextras.ru_RU.po | 5 ---- modules/po/cert.bg_BG.po | 5 ---- modules/po/cert.es_ES.po | 5 ---- modules/po/cert.fr_FR.po | 5 ---- modules/po/cert.id_ID.po | 5 ---- modules/po/cert.it_IT.po | 5 ---- modules/po/cert.nl_NL.po | 5 ---- modules/po/cert.pl_PL.po | 5 ---- modules/po/cert.pt_BR.po | 5 ---- modules/po/cert.ru_RU.po | 5 ---- modules/po/certauth.bg_BG.po | 5 ---- modules/po/certauth.es_ES.po | 5 ---- modules/po/certauth.fr_FR.po | 5 ---- modules/po/certauth.id_ID.po | 5 ---- modules/po/certauth.it_IT.po | 5 ---- modules/po/certauth.nl_NL.po | 5 ---- modules/po/certauth.pl_PL.po | 5 ---- modules/po/certauth.pt_BR.po | 5 ---- modules/po/certauth.ru_RU.po | 5 ---- modules/po/chansaver.bg_BG.po | 5 ---- modules/po/chansaver.es_ES.po | 5 ---- modules/po/chansaver.fr_FR.po | 5 ---- modules/po/chansaver.id_ID.po | 5 ---- modules/po/chansaver.it_IT.po | 5 ---- modules/po/chansaver.nl_NL.po | 5 ---- modules/po/chansaver.pl_PL.po | 5 ---- modules/po/chansaver.pt_BR.po | 5 ---- modules/po/chansaver.ru_RU.po | 5 ---- modules/po/clearbufferonmsg.bg_BG.po | 5 ---- modules/po/clearbufferonmsg.es_ES.po | 5 ---- modules/po/clearbufferonmsg.fr_FR.po | 5 ---- modules/po/clearbufferonmsg.id_ID.po | 5 ---- modules/po/clearbufferonmsg.it_IT.po | 5 ---- modules/po/clearbufferonmsg.nl_NL.po | 5 ---- modules/po/clearbufferonmsg.pl_PL.po | 5 ---- modules/po/clearbufferonmsg.pt_BR.po | 5 ---- modules/po/clearbufferonmsg.ru_RU.po | 5 ---- modules/po/clientnotify.bg_BG.po | 5 ---- modules/po/clientnotify.es_ES.po | 5 ---- modules/po/clientnotify.fr_FR.po | 5 ---- modules/po/clientnotify.id_ID.po | 5 ---- modules/po/clientnotify.it_IT.po | 5 ---- modules/po/clientnotify.nl_NL.po | 5 ---- modules/po/clientnotify.pl_PL.po | 5 ---- modules/po/clientnotify.pt_BR.po | 5 ---- modules/po/clientnotify.ru_RU.po | 5 ---- modules/po/controlpanel.bg_BG.po | 5 ---- modules/po/controlpanel.es_ES.po | 5 ---- modules/po/controlpanel.fr_FR.po | 5 ---- modules/po/controlpanel.id_ID.po | 5 ---- modules/po/controlpanel.it_IT.po | 5 ---- modules/po/controlpanel.nl_NL.po | 5 ---- modules/po/controlpanel.pl_PL.po | 12 ---------- modules/po/controlpanel.pt_BR.po | 5 ---- modules/po/controlpanel.ru_RU.po | 5 ---- modules/po/crypt.bg_BG.po | 5 ---- modules/po/crypt.es_ES.po | 5 ---- modules/po/crypt.fr_FR.po | 5 ---- modules/po/crypt.id_ID.po | 5 ---- modules/po/crypt.it_IT.po | 5 ---- modules/po/crypt.nl_NL.po | 5 ---- modules/po/crypt.pl_PL.po | 5 ---- modules/po/crypt.pt_BR.po | 5 ---- modules/po/crypt.ru_RU.po | 5 ---- modules/po/ctcpflood.bg_BG.po | 5 ---- modules/po/ctcpflood.es_ES.po | 5 ---- modules/po/ctcpflood.fr_FR.po | 5 ---- modules/po/ctcpflood.id_ID.po | 5 ---- modules/po/ctcpflood.it_IT.po | 5 ---- modules/po/ctcpflood.nl_NL.po | 5 ---- modules/po/ctcpflood.pl_PL.po | 5 ---- modules/po/ctcpflood.pt_BR.po | 5 ---- modules/po/ctcpflood.ru_RU.po | 5 ---- modules/po/cyrusauth.bg_BG.po | 5 ---- modules/po/cyrusauth.es_ES.po | 5 ---- modules/po/cyrusauth.fr_FR.po | 5 ---- modules/po/cyrusauth.id_ID.po | 5 ---- modules/po/cyrusauth.it_IT.po | 5 ---- modules/po/cyrusauth.nl_NL.po | 5 ---- modules/po/cyrusauth.pl_PL.po | 5 ---- modules/po/cyrusauth.pt_BR.po | 5 ---- modules/po/cyrusauth.ru_RU.po | 5 ---- modules/po/dcc.bg_BG.po | 5 ---- modules/po/dcc.es_ES.po | 5 ---- modules/po/dcc.fr_FR.po | 5 ---- modules/po/dcc.id_ID.po | 5 ---- modules/po/dcc.it_IT.po | 5 ---- modules/po/dcc.nl_NL.po | 5 ---- modules/po/dcc.pl_PL.po | 5 ---- modules/po/dcc.pt_BR.po | 5 ---- modules/po/dcc.ru_RU.po | 5 ---- modules/po/disconkick.bg_BG.po | 5 ---- modules/po/disconkick.es_ES.po | 5 ---- modules/po/disconkick.fr_FR.po | 5 ---- modules/po/disconkick.id_ID.po | 5 ---- modules/po/disconkick.it_IT.po | 5 ---- modules/po/disconkick.nl_NL.po | 5 ---- modules/po/disconkick.pl_PL.po | 5 ---- modules/po/disconkick.pt_BR.po | 5 ---- modules/po/disconkick.ru_RU.po | 5 ---- modules/po/fail2ban.bg_BG.po | 5 ---- modules/po/fail2ban.es_ES.po | 5 ---- modules/po/fail2ban.fr_FR.po | 5 ---- modules/po/fail2ban.id_ID.po | 5 ---- modules/po/fail2ban.it_IT.po | 5 ---- modules/po/fail2ban.nl_NL.po | 5 ---- modules/po/fail2ban.pl_PL.po | 5 ---- modules/po/fail2ban.pt_BR.po | 5 ---- modules/po/fail2ban.ru_RU.po | 5 ---- modules/po/flooddetach.bg_BG.po | 5 ---- modules/po/flooddetach.es_ES.po | 5 ---- modules/po/flooddetach.fr_FR.po | 5 ---- modules/po/flooddetach.id_ID.po | 5 ---- modules/po/flooddetach.it_IT.po | 5 ---- modules/po/flooddetach.nl_NL.po | 5 ---- modules/po/flooddetach.pl_PL.po | 5 ---- modules/po/flooddetach.pt_BR.po | 5 ---- modules/po/flooddetach.ru_RU.po | 5 ---- modules/po/identfile.bg_BG.po | 5 ---- modules/po/identfile.es_ES.po | 5 ---- modules/po/identfile.fr_FR.po | 5 ---- modules/po/identfile.id_ID.po | 5 ---- modules/po/identfile.it_IT.po | 5 ---- modules/po/identfile.nl_NL.po | 5 ---- modules/po/identfile.pl_PL.po | 5 ---- modules/po/identfile.pt_BR.po | 5 ---- modules/po/identfile.ru_RU.po | 5 ---- modules/po/imapauth.bg_BG.po | 5 ---- modules/po/imapauth.es_ES.po | 5 ---- modules/po/imapauth.fr_FR.po | 5 ---- modules/po/imapauth.id_ID.po | 5 ---- modules/po/imapauth.it_IT.po | 5 ---- modules/po/imapauth.nl_NL.po | 5 ---- modules/po/imapauth.pl_PL.po | 5 ---- modules/po/imapauth.pt_BR.po | 5 ---- modules/po/imapauth.ru_RU.po | 5 ---- modules/po/keepnick.bg_BG.po | 5 ---- modules/po/keepnick.es_ES.po | 5 ---- modules/po/keepnick.fr_FR.po | 5 ---- modules/po/keepnick.id_ID.po | 5 ---- modules/po/keepnick.it_IT.po | 5 ---- modules/po/keepnick.nl_NL.po | 5 ---- modules/po/keepnick.pl_PL.po | 5 ---- modules/po/keepnick.pt_BR.po | 5 ---- modules/po/keepnick.ru_RU.po | 5 ---- modules/po/kickrejoin.bg_BG.po | 5 ---- modules/po/kickrejoin.es_ES.po | 5 ---- modules/po/kickrejoin.fr_FR.po | 5 ---- modules/po/kickrejoin.id_ID.po | 5 ---- modules/po/kickrejoin.it_IT.po | 5 ---- modules/po/kickrejoin.nl_NL.po | 5 ---- modules/po/kickrejoin.pl_PL.po | 5 ---- modules/po/kickrejoin.pt_BR.po | 5 ---- modules/po/kickrejoin.ru_RU.po | 5 ---- modules/po/lastseen.bg_BG.po | 5 ---- modules/po/lastseen.es_ES.po | 5 ---- modules/po/lastseen.fr_FR.po | 5 ---- modules/po/lastseen.id_ID.po | 5 ---- modules/po/lastseen.it_IT.po | 5 ---- modules/po/lastseen.nl_NL.po | 5 ---- modules/po/lastseen.pl_PL.po | 5 ---- modules/po/lastseen.pt_BR.po | 5 ---- modules/po/lastseen.ru_RU.po | 5 ---- modules/po/listsockets.bg_BG.po | 5 ---- modules/po/listsockets.es_ES.po | 5 ---- modules/po/listsockets.fr_FR.po | 5 ---- modules/po/listsockets.id_ID.po | 5 ---- modules/po/listsockets.it_IT.po | 5 ---- modules/po/listsockets.nl_NL.po | 5 ---- modules/po/listsockets.pl_PL.po | 5 ---- modules/po/listsockets.pt_BR.po | 5 ---- modules/po/listsockets.ru_RU.po | 5 ---- modules/po/log.bg_BG.po | 5 ---- modules/po/log.es_ES.po | 5 ---- modules/po/log.fr_FR.po | 5 ---- modules/po/log.id_ID.po | 5 ---- modules/po/log.it_IT.po | 5 ---- modules/po/log.nl_NL.po | 5 ---- modules/po/log.pl_PL.po | 5 ---- modules/po/log.pt_BR.po | 5 ---- modules/po/log.ru_RU.po | 5 ---- modules/po/missingmotd.bg_BG.po | 5 ---- modules/po/missingmotd.es_ES.po | 5 ---- modules/po/missingmotd.fr_FR.po | 5 ---- modules/po/missingmotd.id_ID.po | 5 ---- modules/po/missingmotd.it_IT.po | 5 ---- modules/po/missingmotd.nl_NL.po | 5 ---- modules/po/missingmotd.pl_PL.po | 5 ---- modules/po/missingmotd.pt_BR.po | 5 ---- modules/po/missingmotd.ru_RU.po | 5 ---- modules/po/modperl.bg_BG.po | 5 ---- modules/po/modperl.es_ES.po | 5 ---- modules/po/modperl.fr_FR.po | 5 ---- modules/po/modperl.id_ID.po | 5 ---- modules/po/modperl.it_IT.po | 5 ---- modules/po/modperl.nl_NL.po | 5 ---- modules/po/modperl.pl_PL.po | 5 ---- modules/po/modperl.pt_BR.po | 5 ---- modules/po/modperl.ru_RU.po | 5 ---- modules/po/modpython.bg_BG.po | 5 ---- modules/po/modpython.es_ES.po | 5 ---- modules/po/modpython.fr_FR.po | 5 ---- modules/po/modpython.id_ID.po | 5 ---- modules/po/modpython.it_IT.po | 5 ---- modules/po/modpython.nl_NL.po | 5 ---- modules/po/modpython.pl_PL.po | 9 ------- modules/po/modpython.pt_BR.po | 5 ---- modules/po/modpython.ru_RU.po | 5 ---- modules/po/modules_online.bg_BG.po | 5 ---- modules/po/modules_online.es_ES.po | 5 ---- modules/po/modules_online.fr_FR.po | 5 ---- modules/po/modules_online.id_ID.po | 5 ---- modules/po/modules_online.it_IT.po | 5 ---- modules/po/modules_online.nl_NL.po | 5 ---- modules/po/modules_online.pl_PL.po | 5 ---- modules/po/modules_online.pt_BR.po | 5 ---- modules/po/modules_online.ru_RU.po | 5 ---- modules/po/nickserv.bg_BG.po | 5 ---- modules/po/nickserv.es_ES.po | 5 ---- modules/po/nickserv.fr_FR.po | 5 ---- modules/po/nickserv.id_ID.po | 5 ---- modules/po/nickserv.it_IT.po | 5 ---- modules/po/nickserv.nl_NL.po | 5 ---- modules/po/nickserv.pl_PL.po | 5 ---- modules/po/nickserv.pt_BR.po | 5 ---- modules/po/nickserv.ru_RU.po | 5 ---- modules/po/notes.bg_BG.po | 5 ---- modules/po/notes.es_ES.po | 5 ---- modules/po/notes.fr_FR.po | 5 ---- modules/po/notes.id_ID.po | 5 ---- modules/po/notes.it_IT.po | 5 ---- modules/po/notes.nl_NL.po | 5 ---- modules/po/notes.pl_PL.po | 5 ---- modules/po/notes.pt_BR.po | 5 ---- modules/po/notes.ru_RU.po | 5 ---- modules/po/notify_connect.bg_BG.po | 5 ---- modules/po/notify_connect.es_ES.po | 5 ---- modules/po/notify_connect.fr_FR.po | 5 ---- modules/po/notify_connect.id_ID.po | 5 ---- modules/po/notify_connect.it_IT.po | 5 ---- modules/po/notify_connect.nl_NL.po | 5 ---- modules/po/notify_connect.pl_PL.po | 5 ---- modules/po/notify_connect.pt_BR.po | 5 ---- modules/po/notify_connect.ru_RU.po | 5 ---- modules/po/perform.bg_BG.po | 5 ---- modules/po/perform.es_ES.po | 5 ---- modules/po/perform.fr_FR.po | 5 ---- modules/po/perform.id_ID.po | 5 ---- modules/po/perform.it_IT.po | 5 ---- modules/po/perform.nl_NL.po | 5 ---- modules/po/perform.pl_PL.po | 5 ---- modules/po/perform.pt_BR.po | 5 ---- modules/po/perform.ru_RU.po | 5 ---- modules/po/perleval.bg_BG.po | 5 ---- modules/po/perleval.es_ES.po | 5 ---- modules/po/perleval.fr_FR.po | 5 ---- modules/po/perleval.id_ID.po | 5 ---- modules/po/perleval.it_IT.po | 5 ---- modules/po/perleval.nl_NL.po | 5 ---- modules/po/perleval.pl_PL.po | 5 ---- modules/po/perleval.pt_BR.po | 5 ---- modules/po/perleval.ru_RU.po | 5 ---- modules/po/pyeval.bg_BG.po | 5 ---- modules/po/pyeval.es_ES.po | 5 ---- modules/po/pyeval.fr_FR.po | 5 ---- modules/po/pyeval.id_ID.po | 5 ---- modules/po/pyeval.it_IT.po | 5 ---- modules/po/pyeval.nl_NL.po | 5 ---- modules/po/pyeval.pl_PL.po | 5 ---- modules/po/pyeval.pt_BR.po | 5 ---- modules/po/pyeval.ru_RU.po | 5 ---- modules/po/raw.bg_BG.po | 5 ---- modules/po/raw.es_ES.po | 5 ---- modules/po/raw.fr_FR.po | 5 ---- modules/po/raw.id_ID.po | 5 ---- modules/po/raw.it_IT.po | 5 ---- modules/po/raw.nl_NL.po | 5 ---- modules/po/raw.pl_PL.po | 5 ---- modules/po/raw.pt_BR.po | 5 ---- modules/po/raw.ru_RU.po | 5 ---- modules/po/route_replies.bg_BG.po | 5 ---- modules/po/route_replies.es_ES.po | 5 ---- modules/po/route_replies.fr_FR.po | 5 ---- modules/po/route_replies.id_ID.po | 5 ---- modules/po/route_replies.it_IT.po | 5 ---- modules/po/route_replies.nl_NL.po | 5 ---- modules/po/route_replies.pl_PL.po | 5 ---- modules/po/route_replies.pt_BR.po | 5 ---- modules/po/route_replies.ru_RU.po | 5 ---- modules/po/sample.bg_BG.po | 5 ---- modules/po/sample.es_ES.po | 5 ---- modules/po/sample.fr_FR.po | 5 ---- modules/po/sample.id_ID.po | 5 ---- modules/po/sample.it_IT.po | 5 ---- modules/po/sample.nl_NL.po | 5 ---- modules/po/sample.pl_PL.po | 5 ---- modules/po/sample.pt_BR.po | 5 ---- modules/po/sample.ru_RU.po | 5 ---- modules/po/samplewebapi.bg_BG.po | 5 ---- modules/po/samplewebapi.es_ES.po | 5 ---- modules/po/samplewebapi.fr_FR.po | 5 ---- modules/po/samplewebapi.id_ID.po | 5 ---- modules/po/samplewebapi.it_IT.po | 5 ---- modules/po/samplewebapi.nl_NL.po | 5 ---- modules/po/samplewebapi.pl_PL.po | 5 ---- modules/po/samplewebapi.pt_BR.po | 5 ---- modules/po/samplewebapi.ru_RU.po | 5 ---- modules/po/sasl.bg_BG.po | 5 ---- modules/po/sasl.es_ES.po | 5 ---- modules/po/sasl.fr_FR.po | 5 ---- modules/po/sasl.id_ID.po | 5 ---- modules/po/sasl.it_IT.po | 5 ---- modules/po/sasl.nl_NL.po | 5 ---- modules/po/sasl.pl_PL.po | 5 ---- modules/po/sasl.pt_BR.po | 5 ---- modules/po/sasl.ru_RU.po | 5 ---- modules/po/savebuff.bg_BG.po | 5 ---- modules/po/savebuff.es_ES.po | 5 ---- modules/po/savebuff.fr_FR.po | 5 ---- modules/po/savebuff.id_ID.po | 5 ---- modules/po/savebuff.it_IT.po | 5 ---- modules/po/savebuff.nl_NL.po | 5 ---- modules/po/savebuff.pl_PL.po | 5 ---- modules/po/savebuff.pt_BR.po | 5 ---- modules/po/savebuff.ru_RU.po | 5 ---- modules/po/send_raw.bg_BG.po | 5 ---- modules/po/send_raw.es_ES.po | 5 ---- modules/po/send_raw.fr_FR.po | 5 ---- modules/po/send_raw.id_ID.po | 5 ---- modules/po/send_raw.it_IT.po | 5 ---- modules/po/send_raw.nl_NL.po | 5 ---- modules/po/send_raw.pl_PL.po | 5 ---- modules/po/send_raw.pt_BR.po | 5 ---- modules/po/send_raw.ru_RU.po | 5 ---- modules/po/shell.bg_BG.po | 5 ---- modules/po/shell.es_ES.po | 5 ---- modules/po/shell.fr_FR.po | 5 ---- modules/po/shell.id_ID.po | 5 ---- modules/po/shell.it_IT.po | 5 ---- modules/po/shell.nl_NL.po | 5 ---- modules/po/shell.pl_PL.po | 5 ---- modules/po/shell.pt_BR.po | 5 ---- modules/po/shell.ru_RU.po | 5 ---- modules/po/simple_away.bg_BG.po | 5 ---- modules/po/simple_away.es_ES.po | 5 ---- modules/po/simple_away.fr_FR.po | 5 ---- modules/po/simple_away.id_ID.po | 5 ---- modules/po/simple_away.it_IT.po | 5 ---- modules/po/simple_away.nl_NL.po | 5 ---- modules/po/simple_away.pl_PL.po | 5 ---- modules/po/simple_away.pt_BR.po | 5 ---- modules/po/simple_away.ru_RU.po | 5 ---- modules/po/stickychan.bg_BG.po | 5 ---- modules/po/stickychan.es_ES.po | 5 ---- modules/po/stickychan.fr_FR.po | 5 ---- modules/po/stickychan.id_ID.po | 5 ---- modules/po/stickychan.it_IT.po | 5 ---- modules/po/stickychan.nl_NL.po | 5 ---- modules/po/stickychan.pl_PL.po | 5 ---- modules/po/stickychan.pt_BR.po | 5 ---- modules/po/stickychan.ru_RU.po | 5 ---- modules/po/stripcontrols.bg_BG.po | 5 ---- modules/po/stripcontrols.es_ES.po | 5 ---- modules/po/stripcontrols.fr_FR.po | 5 ---- modules/po/stripcontrols.id_ID.po | 5 ---- modules/po/stripcontrols.it_IT.po | 5 ---- modules/po/stripcontrols.nl_NL.po | 5 ---- modules/po/stripcontrols.pl_PL.po | 5 ---- modules/po/stripcontrols.pt_BR.po | 5 ---- modules/po/stripcontrols.ru_RU.po | 5 ---- modules/po/watch.bg_BG.po | 5 ---- modules/po/watch.es_ES.po | 5 ---- modules/po/watch.fr_FR.po | 5 ---- modules/po/watch.id_ID.po | 5 ---- modules/po/watch.it_IT.po | 5 ---- modules/po/watch.nl_NL.po | 5 ---- modules/po/watch.pl_PL.po | 5 ---- modules/po/watch.pt_BR.po | 5 ---- modules/po/watch.ru_RU.po | 5 ---- modules/po/webadmin.bg_BG.po | 5 ---- modules/po/webadmin.es_ES.po | 5 ---- modules/po/webadmin.fr_FR.po | 5 ---- modules/po/webadmin.id_ID.po | 5 ---- modules/po/webadmin.it_IT.po | 5 ---- modules/po/webadmin.nl_NL.po | 5 ---- modules/po/webadmin.pl_PL.po | 5 ---- modules/po/webadmin.pt_BR.po | 5 ---- modules/po/webadmin.ru_RU.po | 5 ---- src/po/znc.bg_BG.po | 5 ---- src/po/znc.es_ES.po | 5 ---- src/po/znc.fr_FR.po | 5 ---- src/po/znc.id_ID.po | 5 ---- src/po/znc.it_IT.po | 5 ---- src/po/znc.nl_NL.po | 5 ---- src/po/znc.pl_PL.po | 36 ---------------------------- src/po/znc.pt_BR.po | 5 ---- src/po/znc.ru_RU.po | 5 ---- 513 files changed, 2607 deletions(-) diff --git a/modules/po/admindebug.bg_BG.po b/modules/po/admindebug.bg_BG.po index 5b98b270..fca36ffc 100644 --- a/modules/po/admindebug.bg_BG.po +++ b/modules/po/admindebug.bg_BG.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/admindebug.pot\n" "X-Crowdin-File-ID: 273\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/admindebug.pot\n" -"X-Crowdin-File-ID: 290\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/admindebug.es_ES.po b/modules/po/admindebug.es_ES.po index 9e5959a1..e9ec1bf9 100644 --- a/modules/po/admindebug.es_ES.po +++ b/modules/po/admindebug.es_ES.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/admindebug.pot\n" "X-Crowdin-File-ID: 273\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/admindebug.pot\n" -"X-Crowdin-File-ID: 290\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/admindebug.fr_FR.po b/modules/po/admindebug.fr_FR.po index 4be5f8fe..e2fc8efd 100644 --- a/modules/po/admindebug.fr_FR.po +++ b/modules/po/admindebug.fr_FR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/admindebug.pot\n" "X-Crowdin-File-ID: 273\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/admindebug.pot\n" -"X-Crowdin-File-ID: 290\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/admindebug.id_ID.po b/modules/po/admindebug.id_ID.po index 8819da1a..dda9bdd7 100644 --- a/modules/po/admindebug.id_ID.po +++ b/modules/po/admindebug.id_ID.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/admindebug.pot\n" "X-Crowdin-File-ID: 273\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/admindebug.pot\n" -"X-Crowdin-File-ID: 290\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/admindebug.it_IT.po b/modules/po/admindebug.it_IT.po index ecbc76a5..2629751b 100644 --- a/modules/po/admindebug.it_IT.po +++ b/modules/po/admindebug.it_IT.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/admindebug.pot\n" "X-Crowdin-File-ID: 273\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/admindebug.pot\n" -"X-Crowdin-File-ID: 290\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/admindebug.nl_NL.po b/modules/po/admindebug.nl_NL.po index 39505115..554b1ff9 100644 --- a/modules/po/admindebug.nl_NL.po +++ b/modules/po/admindebug.nl_NL.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/admindebug.pot\n" "X-Crowdin-File-ID: 273\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/admindebug.pot\n" -"X-Crowdin-File-ID: 290\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/admindebug.pl_PL.po b/modules/po/admindebug.pl_PL.po index afbc43cc..893361a4 100644 --- a/modules/po/admindebug.pl_PL.po +++ b/modules/po/admindebug.pl_PL.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/admindebug.pot\n" "X-Crowdin-File-ID: 273\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/admindebug.pot\n" -"X-Crowdin-File-ID: 290\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Polish\n" "Language: pl_PL\n" diff --git a/modules/po/admindebug.pt_BR.po b/modules/po/admindebug.pt_BR.po index c97df2e1..c6fbee1e 100644 --- a/modules/po/admindebug.pt_BR.po +++ b/modules/po/admindebug.pt_BR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/admindebug.pot\n" "X-Crowdin-File-ID: 273\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/admindebug.pot\n" -"X-Crowdin-File-ID: 290\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/admindebug.ru_RU.po b/modules/po/admindebug.ru_RU.po index 8842acad..3156f093 100644 --- a/modules/po/admindebug.ru_RU.po +++ b/modules/po/admindebug.ru_RU.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/admindebug.pot\n" "X-Crowdin-File-ID: 273\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/admindebug.pot\n" -"X-Crowdin-File-ID: 290\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/adminlog.bg_BG.po b/modules/po/adminlog.bg_BG.po index aa55937f..24ff5048 100644 --- a/modules/po/adminlog.bg_BG.po +++ b/modules/po/adminlog.bg_BG.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/adminlog.pot\n" "X-Crowdin-File-ID: 149\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/adminlog.pot\n" -"X-Crowdin-File-ID: 294\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/adminlog.es_ES.po b/modules/po/adminlog.es_ES.po index 9e46d4e1..7732ddd4 100644 --- a/modules/po/adminlog.es_ES.po +++ b/modules/po/adminlog.es_ES.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/adminlog.pot\n" "X-Crowdin-File-ID: 149\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/adminlog.pot\n" -"X-Crowdin-File-ID: 294\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/adminlog.fr_FR.po b/modules/po/adminlog.fr_FR.po index 855a94aa..f899ab36 100644 --- a/modules/po/adminlog.fr_FR.po +++ b/modules/po/adminlog.fr_FR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/adminlog.pot\n" "X-Crowdin-File-ID: 149\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/adminlog.pot\n" -"X-Crowdin-File-ID: 294\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/adminlog.id_ID.po b/modules/po/adminlog.id_ID.po index de0c77aa..f45e1e64 100644 --- a/modules/po/adminlog.id_ID.po +++ b/modules/po/adminlog.id_ID.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/adminlog.pot\n" "X-Crowdin-File-ID: 149\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/adminlog.pot\n" -"X-Crowdin-File-ID: 294\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/adminlog.it_IT.po b/modules/po/adminlog.it_IT.po index 1ee3c391..aa2565ae 100644 --- a/modules/po/adminlog.it_IT.po +++ b/modules/po/adminlog.it_IT.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/adminlog.pot\n" "X-Crowdin-File-ID: 149\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/adminlog.pot\n" -"X-Crowdin-File-ID: 294\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/adminlog.nl_NL.po b/modules/po/adminlog.nl_NL.po index 2cef6f7c..c52d7d1a 100644 --- a/modules/po/adminlog.nl_NL.po +++ b/modules/po/adminlog.nl_NL.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/adminlog.pot\n" "X-Crowdin-File-ID: 149\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/adminlog.pot\n" -"X-Crowdin-File-ID: 294\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/adminlog.pl_PL.po b/modules/po/adminlog.pl_PL.po index ff48120a..130edc30 100644 --- a/modules/po/adminlog.pl_PL.po +++ b/modules/po/adminlog.pl_PL.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/adminlog.pot\n" "X-Crowdin-File-ID: 149\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/adminlog.pot\n" -"X-Crowdin-File-ID: 294\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Polish\n" "Language: pl_PL\n" diff --git a/modules/po/adminlog.pt_BR.po b/modules/po/adminlog.pt_BR.po index 917d8b23..ba85e916 100644 --- a/modules/po/adminlog.pt_BR.po +++ b/modules/po/adminlog.pt_BR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/adminlog.pot\n" "X-Crowdin-File-ID: 149\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/adminlog.pot\n" -"X-Crowdin-File-ID: 294\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/adminlog.ru_RU.po b/modules/po/adminlog.ru_RU.po index a7e01a81..6b301b78 100644 --- a/modules/po/adminlog.ru_RU.po +++ b/modules/po/adminlog.ru_RU.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/adminlog.pot\n" "X-Crowdin-File-ID: 149\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/adminlog.pot\n" -"X-Crowdin-File-ID: 294\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/alias.bg_BG.po b/modules/po/alias.bg_BG.po index 8a3c5c4a..54e644be 100644 --- a/modules/po/alias.bg_BG.po +++ b/modules/po/alias.bg_BG.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/alias.pot\n" "X-Crowdin-File-ID: 150\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/alias.pot\n" -"X-Crowdin-File-ID: 292\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/alias.es_ES.po b/modules/po/alias.es_ES.po index 715322bf..3289e6e1 100644 --- a/modules/po/alias.es_ES.po +++ b/modules/po/alias.es_ES.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/alias.pot\n" "X-Crowdin-File-ID: 150\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/alias.pot\n" -"X-Crowdin-File-ID: 292\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/alias.fr_FR.po b/modules/po/alias.fr_FR.po index 88b252d1..e7046d06 100644 --- a/modules/po/alias.fr_FR.po +++ b/modules/po/alias.fr_FR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/alias.pot\n" "X-Crowdin-File-ID: 150\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/alias.pot\n" -"X-Crowdin-File-ID: 292\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/alias.id_ID.po b/modules/po/alias.id_ID.po index 43c919d0..0dbcc95a 100644 --- a/modules/po/alias.id_ID.po +++ b/modules/po/alias.id_ID.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/alias.pot\n" "X-Crowdin-File-ID: 150\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/alias.pot\n" -"X-Crowdin-File-ID: 292\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/alias.it_IT.po b/modules/po/alias.it_IT.po index 1936def3..5c50f009 100644 --- a/modules/po/alias.it_IT.po +++ b/modules/po/alias.it_IT.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/alias.pot\n" "X-Crowdin-File-ID: 150\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/alias.pot\n" -"X-Crowdin-File-ID: 292\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/alias.nl_NL.po b/modules/po/alias.nl_NL.po index 1d1359d3..3bd207e1 100644 --- a/modules/po/alias.nl_NL.po +++ b/modules/po/alias.nl_NL.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/alias.pot\n" "X-Crowdin-File-ID: 150\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/alias.pot\n" -"X-Crowdin-File-ID: 292\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/alias.pl_PL.po b/modules/po/alias.pl_PL.po index d7e2f5d1..0e325c47 100644 --- a/modules/po/alias.pl_PL.po +++ b/modules/po/alias.pl_PL.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/alias.pot\n" "X-Crowdin-File-ID: 150\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/alias.pot\n" -"X-Crowdin-File-ID: 292\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Polish\n" "Language: pl_PL\n" diff --git a/modules/po/alias.pt_BR.po b/modules/po/alias.pt_BR.po index 30e2a1d0..8b7c74b7 100644 --- a/modules/po/alias.pt_BR.po +++ b/modules/po/alias.pt_BR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/alias.pot\n" "X-Crowdin-File-ID: 150\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/alias.pot\n" -"X-Crowdin-File-ID: 292\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/alias.ru_RU.po b/modules/po/alias.ru_RU.po index 34ebef54..69e694cb 100644 --- a/modules/po/alias.ru_RU.po +++ b/modules/po/alias.ru_RU.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/alias.pot\n" "X-Crowdin-File-ID: 150\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/alias.pot\n" -"X-Crowdin-File-ID: 292\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/autoattach.bg_BG.po b/modules/po/autoattach.bg_BG.po index 762f715a..d71c6563 100644 --- a/modules/po/autoattach.bg_BG.po +++ b/modules/po/autoattach.bg_BG.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/autoattach.pot\n" "X-Crowdin-File-ID: 151\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/autoattach.pot\n" -"X-Crowdin-File-ID: 298\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/autoattach.es_ES.po b/modules/po/autoattach.es_ES.po index 0f6df882..987e1cde 100644 --- a/modules/po/autoattach.es_ES.po +++ b/modules/po/autoattach.es_ES.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/autoattach.pot\n" "X-Crowdin-File-ID: 151\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/autoattach.pot\n" -"X-Crowdin-File-ID: 298\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/autoattach.fr_FR.po b/modules/po/autoattach.fr_FR.po index e0c58b95..17c04de3 100644 --- a/modules/po/autoattach.fr_FR.po +++ b/modules/po/autoattach.fr_FR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/autoattach.pot\n" "X-Crowdin-File-ID: 151\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/autoattach.pot\n" -"X-Crowdin-File-ID: 298\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/autoattach.id_ID.po b/modules/po/autoattach.id_ID.po index 3b74158d..a452dc40 100644 --- a/modules/po/autoattach.id_ID.po +++ b/modules/po/autoattach.id_ID.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/autoattach.pot\n" "X-Crowdin-File-ID: 151\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/autoattach.pot\n" -"X-Crowdin-File-ID: 298\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/autoattach.it_IT.po b/modules/po/autoattach.it_IT.po index d577ab47..3febe8c4 100644 --- a/modules/po/autoattach.it_IT.po +++ b/modules/po/autoattach.it_IT.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/autoattach.pot\n" "X-Crowdin-File-ID: 151\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/autoattach.pot\n" -"X-Crowdin-File-ID: 298\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/autoattach.nl_NL.po b/modules/po/autoattach.nl_NL.po index ff2e7605..c4de774a 100644 --- a/modules/po/autoattach.nl_NL.po +++ b/modules/po/autoattach.nl_NL.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/autoattach.pot\n" "X-Crowdin-File-ID: 151\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/autoattach.pot\n" -"X-Crowdin-File-ID: 298\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/autoattach.pl_PL.po b/modules/po/autoattach.pl_PL.po index 0ce4d64c..8bf1e0f8 100644 --- a/modules/po/autoattach.pl_PL.po +++ b/modules/po/autoattach.pl_PL.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/autoattach.pot\n" "X-Crowdin-File-ID: 151\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/autoattach.pot\n" -"X-Crowdin-File-ID: 298\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Polish\n" "Language: pl_PL\n" diff --git a/modules/po/autoattach.pt_BR.po b/modules/po/autoattach.pt_BR.po index b8283bde..385ec4dc 100644 --- a/modules/po/autoattach.pt_BR.po +++ b/modules/po/autoattach.pt_BR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/autoattach.pot\n" "X-Crowdin-File-ID: 151\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/autoattach.pot\n" -"X-Crowdin-File-ID: 298\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/autoattach.ru_RU.po b/modules/po/autoattach.ru_RU.po index 9d99534e..b5378e4e 100644 --- a/modules/po/autoattach.ru_RU.po +++ b/modules/po/autoattach.ru_RU.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/autoattach.pot\n" "X-Crowdin-File-ID: 151\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/autoattach.pot\n" -"X-Crowdin-File-ID: 298\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/autocycle.bg_BG.po b/modules/po/autocycle.bg_BG.po index 4bd14111..79165f6a 100644 --- a/modules/po/autocycle.bg_BG.po +++ b/modules/po/autocycle.bg_BG.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/autocycle.pot\n" "X-Crowdin-File-ID: 207\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/autocycle.pot\n" -"X-Crowdin-File-ID: 300\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/autocycle.es_ES.po b/modules/po/autocycle.es_ES.po index 999b3e29..bbdd2e7f 100644 --- a/modules/po/autocycle.es_ES.po +++ b/modules/po/autocycle.es_ES.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/autocycle.pot\n" "X-Crowdin-File-ID: 207\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/autocycle.pot\n" -"X-Crowdin-File-ID: 300\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/autocycle.fr_FR.po b/modules/po/autocycle.fr_FR.po index 3d25eaf8..b9b9c89d 100644 --- a/modules/po/autocycle.fr_FR.po +++ b/modules/po/autocycle.fr_FR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/autocycle.pot\n" "X-Crowdin-File-ID: 207\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/autocycle.pot\n" -"X-Crowdin-File-ID: 300\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/autocycle.id_ID.po b/modules/po/autocycle.id_ID.po index cab8dbfe..2fbab50e 100644 --- a/modules/po/autocycle.id_ID.po +++ b/modules/po/autocycle.id_ID.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/autocycle.pot\n" "X-Crowdin-File-ID: 207\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/autocycle.pot\n" -"X-Crowdin-File-ID: 300\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/autocycle.it_IT.po b/modules/po/autocycle.it_IT.po index 881181ff..2113064d 100644 --- a/modules/po/autocycle.it_IT.po +++ b/modules/po/autocycle.it_IT.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/autocycle.pot\n" "X-Crowdin-File-ID: 207\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/autocycle.pot\n" -"X-Crowdin-File-ID: 300\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/autocycle.nl_NL.po b/modules/po/autocycle.nl_NL.po index 51c5964d..e8f84126 100644 --- a/modules/po/autocycle.nl_NL.po +++ b/modules/po/autocycle.nl_NL.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/autocycle.pot\n" "X-Crowdin-File-ID: 207\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/autocycle.pot\n" -"X-Crowdin-File-ID: 300\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/autocycle.pl_PL.po b/modules/po/autocycle.pl_PL.po index 7f9c12f2..66c680c8 100644 --- a/modules/po/autocycle.pl_PL.po +++ b/modules/po/autocycle.pl_PL.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/autocycle.pot\n" "X-Crowdin-File-ID: 207\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/autocycle.pot\n" -"X-Crowdin-File-ID: 300\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Polish\n" "Language: pl_PL\n" diff --git a/modules/po/autocycle.pt_BR.po b/modules/po/autocycle.pt_BR.po index 6b53c6e2..3b6cc5ff 100644 --- a/modules/po/autocycle.pt_BR.po +++ b/modules/po/autocycle.pt_BR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/autocycle.pot\n" "X-Crowdin-File-ID: 207\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/autocycle.pot\n" -"X-Crowdin-File-ID: 300\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/autocycle.ru_RU.po b/modules/po/autocycle.ru_RU.po index 60866f8d..0fd7edb9 100644 --- a/modules/po/autocycle.ru_RU.po +++ b/modules/po/autocycle.ru_RU.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/autocycle.pot\n" "X-Crowdin-File-ID: 207\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/autocycle.pot\n" -"X-Crowdin-File-ID: 300\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/autoop.bg_BG.po b/modules/po/autoop.bg_BG.po index c122b0f1..08c2b64c 100644 --- a/modules/po/autoop.bg_BG.po +++ b/modules/po/autoop.bg_BG.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/autoop.pot\n" "X-Crowdin-File-ID: 153\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/autoop.pot\n" -"X-Crowdin-File-ID: 296\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/autoop.es_ES.po b/modules/po/autoop.es_ES.po index e5444d69..2f5645f8 100644 --- a/modules/po/autoop.es_ES.po +++ b/modules/po/autoop.es_ES.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/autoop.pot\n" "X-Crowdin-File-ID: 153\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/autoop.pot\n" -"X-Crowdin-File-ID: 296\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/autoop.fr_FR.po b/modules/po/autoop.fr_FR.po index e4fb1fbb..314a8b92 100644 --- a/modules/po/autoop.fr_FR.po +++ b/modules/po/autoop.fr_FR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/autoop.pot\n" "X-Crowdin-File-ID: 153\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/autoop.pot\n" -"X-Crowdin-File-ID: 296\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/autoop.id_ID.po b/modules/po/autoop.id_ID.po index 25ea4424..e901a884 100644 --- a/modules/po/autoop.id_ID.po +++ b/modules/po/autoop.id_ID.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/autoop.pot\n" "X-Crowdin-File-ID: 153\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/autoop.pot\n" -"X-Crowdin-File-ID: 296\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/autoop.it_IT.po b/modules/po/autoop.it_IT.po index 839a3439..77be1652 100644 --- a/modules/po/autoop.it_IT.po +++ b/modules/po/autoop.it_IT.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/autoop.pot\n" "X-Crowdin-File-ID: 153\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/autoop.pot\n" -"X-Crowdin-File-ID: 296\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/autoop.nl_NL.po b/modules/po/autoop.nl_NL.po index b0d5988a..293a2759 100644 --- a/modules/po/autoop.nl_NL.po +++ b/modules/po/autoop.nl_NL.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/autoop.pot\n" "X-Crowdin-File-ID: 153\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/autoop.pot\n" -"X-Crowdin-File-ID: 296\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/autoop.pl_PL.po b/modules/po/autoop.pl_PL.po index ac06162b..8f9dbccd 100644 --- a/modules/po/autoop.pl_PL.po +++ b/modules/po/autoop.pl_PL.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/autoop.pot\n" "X-Crowdin-File-ID: 153\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/autoop.pot\n" -"X-Crowdin-File-ID: 296\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Polish\n" "Language: pl_PL\n" diff --git a/modules/po/autoop.pt_BR.po b/modules/po/autoop.pt_BR.po index 415a3e45..96b47ad7 100644 --- a/modules/po/autoop.pt_BR.po +++ b/modules/po/autoop.pt_BR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/autoop.pot\n" "X-Crowdin-File-ID: 153\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/autoop.pot\n" -"X-Crowdin-File-ID: 296\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/autoop.ru_RU.po b/modules/po/autoop.ru_RU.po index 9fa43c63..246e7314 100644 --- a/modules/po/autoop.ru_RU.po +++ b/modules/po/autoop.ru_RU.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/autoop.pot\n" "X-Crowdin-File-ID: 153\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/autoop.pot\n" -"X-Crowdin-File-ID: 296\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/autoreply.bg_BG.po b/modules/po/autoreply.bg_BG.po index 76206ea8..c2ec21a7 100644 --- a/modules/po/autoreply.bg_BG.po +++ b/modules/po/autoreply.bg_BG.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/autoreply.pot\n" "X-Crowdin-File-ID: 154\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/autoreply.pot\n" -"X-Crowdin-File-ID: 302\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/autoreply.es_ES.po b/modules/po/autoreply.es_ES.po index a1bcb1f5..36d2f98b 100644 --- a/modules/po/autoreply.es_ES.po +++ b/modules/po/autoreply.es_ES.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/autoreply.pot\n" "X-Crowdin-File-ID: 154\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/autoreply.pot\n" -"X-Crowdin-File-ID: 302\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/autoreply.fr_FR.po b/modules/po/autoreply.fr_FR.po index 9a453c8d..01176d4d 100644 --- a/modules/po/autoreply.fr_FR.po +++ b/modules/po/autoreply.fr_FR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/autoreply.pot\n" "X-Crowdin-File-ID: 154\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/autoreply.pot\n" -"X-Crowdin-File-ID: 302\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/autoreply.id_ID.po b/modules/po/autoreply.id_ID.po index 6623a9c9..399a9ff8 100644 --- a/modules/po/autoreply.id_ID.po +++ b/modules/po/autoreply.id_ID.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/autoreply.pot\n" "X-Crowdin-File-ID: 154\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/autoreply.pot\n" -"X-Crowdin-File-ID: 302\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/autoreply.it_IT.po b/modules/po/autoreply.it_IT.po index 28328765..21fc883b 100644 --- a/modules/po/autoreply.it_IT.po +++ b/modules/po/autoreply.it_IT.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/autoreply.pot\n" "X-Crowdin-File-ID: 154\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/autoreply.pot\n" -"X-Crowdin-File-ID: 302\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/autoreply.nl_NL.po b/modules/po/autoreply.nl_NL.po index 0895a802..44379340 100644 --- a/modules/po/autoreply.nl_NL.po +++ b/modules/po/autoreply.nl_NL.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/autoreply.pot\n" "X-Crowdin-File-ID: 154\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/autoreply.pot\n" -"X-Crowdin-File-ID: 302\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/autoreply.pl_PL.po b/modules/po/autoreply.pl_PL.po index 7da4a968..e7e18c5c 100644 --- a/modules/po/autoreply.pl_PL.po +++ b/modules/po/autoreply.pl_PL.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/autoreply.pot\n" "X-Crowdin-File-ID: 154\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/autoreply.pot\n" -"X-Crowdin-File-ID: 302\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Polish\n" "Language: pl_PL\n" diff --git a/modules/po/autoreply.pt_BR.po b/modules/po/autoreply.pt_BR.po index 34faf52a..fb705aff 100644 --- a/modules/po/autoreply.pt_BR.po +++ b/modules/po/autoreply.pt_BR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/autoreply.pot\n" "X-Crowdin-File-ID: 154\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/autoreply.pot\n" -"X-Crowdin-File-ID: 302\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/autoreply.ru_RU.po b/modules/po/autoreply.ru_RU.po index ba484b38..a9324923 100644 --- a/modules/po/autoreply.ru_RU.po +++ b/modules/po/autoreply.ru_RU.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/autoreply.pot\n" "X-Crowdin-File-ID: 154\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/autoreply.pot\n" -"X-Crowdin-File-ID: 302\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/autovoice.bg_BG.po b/modules/po/autovoice.bg_BG.po index 210a856c..2dcf4b06 100644 --- a/modules/po/autovoice.bg_BG.po +++ b/modules/po/autovoice.bg_BG.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/autovoice.pot\n" "X-Crowdin-File-ID: 155\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/autovoice.pot\n" -"X-Crowdin-File-ID: 304\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/autovoice.es_ES.po b/modules/po/autovoice.es_ES.po index 66117b62..db7dc863 100644 --- a/modules/po/autovoice.es_ES.po +++ b/modules/po/autovoice.es_ES.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/autovoice.pot\n" "X-Crowdin-File-ID: 155\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/autovoice.pot\n" -"X-Crowdin-File-ID: 304\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/autovoice.fr_FR.po b/modules/po/autovoice.fr_FR.po index f7a81765..a94dc131 100644 --- a/modules/po/autovoice.fr_FR.po +++ b/modules/po/autovoice.fr_FR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/autovoice.pot\n" "X-Crowdin-File-ID: 155\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/autovoice.pot\n" -"X-Crowdin-File-ID: 304\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/autovoice.id_ID.po b/modules/po/autovoice.id_ID.po index 75abf15c..3bb5e6b9 100644 --- a/modules/po/autovoice.id_ID.po +++ b/modules/po/autovoice.id_ID.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/autovoice.pot\n" "X-Crowdin-File-ID: 155\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/autovoice.pot\n" -"X-Crowdin-File-ID: 304\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/autovoice.it_IT.po b/modules/po/autovoice.it_IT.po index 97a618b7..e9b72f5e 100644 --- a/modules/po/autovoice.it_IT.po +++ b/modules/po/autovoice.it_IT.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/autovoice.pot\n" "X-Crowdin-File-ID: 155\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/autovoice.pot\n" -"X-Crowdin-File-ID: 304\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/autovoice.nl_NL.po b/modules/po/autovoice.nl_NL.po index 7b8232b9..0ae812b5 100644 --- a/modules/po/autovoice.nl_NL.po +++ b/modules/po/autovoice.nl_NL.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/autovoice.pot\n" "X-Crowdin-File-ID: 155\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/autovoice.pot\n" -"X-Crowdin-File-ID: 304\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/autovoice.pl_PL.po b/modules/po/autovoice.pl_PL.po index 79f1cee9..ba1a8b88 100644 --- a/modules/po/autovoice.pl_PL.po +++ b/modules/po/autovoice.pl_PL.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/autovoice.pot\n" "X-Crowdin-File-ID: 155\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/autovoice.pot\n" -"X-Crowdin-File-ID: 304\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Polish\n" "Language: pl_PL\n" diff --git a/modules/po/autovoice.pt_BR.po b/modules/po/autovoice.pt_BR.po index f5ed48d8..2fa784ba 100644 --- a/modules/po/autovoice.pt_BR.po +++ b/modules/po/autovoice.pt_BR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/autovoice.pot\n" "X-Crowdin-File-ID: 155\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/autovoice.pot\n" -"X-Crowdin-File-ID: 304\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/autovoice.ru_RU.po b/modules/po/autovoice.ru_RU.po index 0d7853b8..86d8a49d 100644 --- a/modules/po/autovoice.ru_RU.po +++ b/modules/po/autovoice.ru_RU.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/autovoice.pot\n" "X-Crowdin-File-ID: 155\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/autovoice.pot\n" -"X-Crowdin-File-ID: 304\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/awaystore.bg_BG.po b/modules/po/awaystore.bg_BG.po index 97d10712..50fde298 100644 --- a/modules/po/awaystore.bg_BG.po +++ b/modules/po/awaystore.bg_BG.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/awaystore.pot\n" "X-Crowdin-File-ID: 156\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/awaystore.pot\n" -"X-Crowdin-File-ID: 306\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/awaystore.es_ES.po b/modules/po/awaystore.es_ES.po index 5f75d294..14e7ef9b 100644 --- a/modules/po/awaystore.es_ES.po +++ b/modules/po/awaystore.es_ES.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/awaystore.pot\n" "X-Crowdin-File-ID: 156\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/awaystore.pot\n" -"X-Crowdin-File-ID: 306\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/awaystore.fr_FR.po b/modules/po/awaystore.fr_FR.po index 985eeb9e..314c4916 100644 --- a/modules/po/awaystore.fr_FR.po +++ b/modules/po/awaystore.fr_FR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/awaystore.pot\n" "X-Crowdin-File-ID: 156\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/awaystore.pot\n" -"X-Crowdin-File-ID: 306\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/awaystore.id_ID.po b/modules/po/awaystore.id_ID.po index 826d3b02..fe046126 100644 --- a/modules/po/awaystore.id_ID.po +++ b/modules/po/awaystore.id_ID.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/awaystore.pot\n" "X-Crowdin-File-ID: 156\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/awaystore.pot\n" -"X-Crowdin-File-ID: 306\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/awaystore.it_IT.po b/modules/po/awaystore.it_IT.po index 2f0ea8ae..1d80b50b 100644 --- a/modules/po/awaystore.it_IT.po +++ b/modules/po/awaystore.it_IT.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/awaystore.pot\n" "X-Crowdin-File-ID: 156\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/awaystore.pot\n" -"X-Crowdin-File-ID: 306\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/awaystore.nl_NL.po b/modules/po/awaystore.nl_NL.po index 34cec660..a7800722 100644 --- a/modules/po/awaystore.nl_NL.po +++ b/modules/po/awaystore.nl_NL.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/awaystore.pot\n" "X-Crowdin-File-ID: 156\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/awaystore.pot\n" -"X-Crowdin-File-ID: 306\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/awaystore.pl_PL.po b/modules/po/awaystore.pl_PL.po index b78ecee1..f954069c 100644 --- a/modules/po/awaystore.pl_PL.po +++ b/modules/po/awaystore.pl_PL.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/awaystore.pot\n" "X-Crowdin-File-ID: 156\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/awaystore.pot\n" -"X-Crowdin-File-ID: 306\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Polish\n" "Language: pl_PL\n" diff --git a/modules/po/awaystore.pt_BR.po b/modules/po/awaystore.pt_BR.po index e7b435f6..b474a7f8 100644 --- a/modules/po/awaystore.pt_BR.po +++ b/modules/po/awaystore.pt_BR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/awaystore.pot\n" "X-Crowdin-File-ID: 156\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/awaystore.pot\n" -"X-Crowdin-File-ID: 306\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/awaystore.ru_RU.po b/modules/po/awaystore.ru_RU.po index 9b21de7b..93e432ed 100644 --- a/modules/po/awaystore.ru_RU.po +++ b/modules/po/awaystore.ru_RU.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/awaystore.pot\n" "X-Crowdin-File-ID: 156\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/awaystore.pot\n" -"X-Crowdin-File-ID: 306\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/block_motd.bg_BG.po b/modules/po/block_motd.bg_BG.po index 26cad423..2ed99644 100644 --- a/modules/po/block_motd.bg_BG.po +++ b/modules/po/block_motd.bg_BG.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/block_motd.pot\n" "X-Crowdin-File-ID: 157\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/block_motd.pot\n" -"X-Crowdin-File-ID: 310\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/block_motd.es_ES.po b/modules/po/block_motd.es_ES.po index 787ab3e5..374d4bab 100644 --- a/modules/po/block_motd.es_ES.po +++ b/modules/po/block_motd.es_ES.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/block_motd.pot\n" "X-Crowdin-File-ID: 157\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/block_motd.pot\n" -"X-Crowdin-File-ID: 310\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/block_motd.fr_FR.po b/modules/po/block_motd.fr_FR.po index 93461469..c0098990 100644 --- a/modules/po/block_motd.fr_FR.po +++ b/modules/po/block_motd.fr_FR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/block_motd.pot\n" "X-Crowdin-File-ID: 157\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/block_motd.pot\n" -"X-Crowdin-File-ID: 310\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/block_motd.id_ID.po b/modules/po/block_motd.id_ID.po index bd57020f..b21f4019 100644 --- a/modules/po/block_motd.id_ID.po +++ b/modules/po/block_motd.id_ID.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/block_motd.pot\n" "X-Crowdin-File-ID: 157\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/block_motd.pot\n" -"X-Crowdin-File-ID: 310\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/block_motd.it_IT.po b/modules/po/block_motd.it_IT.po index 59946441..57dec5ba 100644 --- a/modules/po/block_motd.it_IT.po +++ b/modules/po/block_motd.it_IT.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/block_motd.pot\n" "X-Crowdin-File-ID: 157\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/block_motd.pot\n" -"X-Crowdin-File-ID: 310\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/block_motd.nl_NL.po b/modules/po/block_motd.nl_NL.po index 36b40985..38b828df 100644 --- a/modules/po/block_motd.nl_NL.po +++ b/modules/po/block_motd.nl_NL.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/block_motd.pot\n" "X-Crowdin-File-ID: 157\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/block_motd.pot\n" -"X-Crowdin-File-ID: 310\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/block_motd.pl_PL.po b/modules/po/block_motd.pl_PL.po index 22e65ebd..f7600db8 100644 --- a/modules/po/block_motd.pl_PL.po +++ b/modules/po/block_motd.pl_PL.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/block_motd.pot\n" "X-Crowdin-File-ID: 157\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/block_motd.pot\n" -"X-Crowdin-File-ID: 310\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Polish\n" "Language: pl_PL\n" diff --git a/modules/po/block_motd.pt_BR.po b/modules/po/block_motd.pt_BR.po index 2ab71658..33d76df8 100644 --- a/modules/po/block_motd.pt_BR.po +++ b/modules/po/block_motd.pt_BR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/block_motd.pot\n" "X-Crowdin-File-ID: 157\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/block_motd.pot\n" -"X-Crowdin-File-ID: 310\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/block_motd.ru_RU.po b/modules/po/block_motd.ru_RU.po index 34090299..93071e87 100644 --- a/modules/po/block_motd.ru_RU.po +++ b/modules/po/block_motd.ru_RU.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/block_motd.pot\n" "X-Crowdin-File-ID: 157\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/block_motd.pot\n" -"X-Crowdin-File-ID: 310\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/blockuser.bg_BG.po b/modules/po/blockuser.bg_BG.po index 4e776ce1..c9342194 100644 --- a/modules/po/blockuser.bg_BG.po +++ b/modules/po/blockuser.bg_BG.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/blockuser.pot\n" "X-Crowdin-File-ID: 158\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/blockuser.pot\n" -"X-Crowdin-File-ID: 312\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/blockuser.es_ES.po b/modules/po/blockuser.es_ES.po index 31fe262f..50bd0ed6 100644 --- a/modules/po/blockuser.es_ES.po +++ b/modules/po/blockuser.es_ES.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/blockuser.pot\n" "X-Crowdin-File-ID: 158\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/blockuser.pot\n" -"X-Crowdin-File-ID: 312\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/blockuser.fr_FR.po b/modules/po/blockuser.fr_FR.po index 8698faa8..c52cb906 100644 --- a/modules/po/blockuser.fr_FR.po +++ b/modules/po/blockuser.fr_FR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/blockuser.pot\n" "X-Crowdin-File-ID: 158\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/blockuser.pot\n" -"X-Crowdin-File-ID: 312\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/blockuser.id_ID.po b/modules/po/blockuser.id_ID.po index 3248e37a..c95ed576 100644 --- a/modules/po/blockuser.id_ID.po +++ b/modules/po/blockuser.id_ID.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/blockuser.pot\n" "X-Crowdin-File-ID: 158\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/blockuser.pot\n" -"X-Crowdin-File-ID: 312\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/blockuser.it_IT.po b/modules/po/blockuser.it_IT.po index 75a35860..9072ac5d 100644 --- a/modules/po/blockuser.it_IT.po +++ b/modules/po/blockuser.it_IT.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/blockuser.pot\n" "X-Crowdin-File-ID: 158\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/blockuser.pot\n" -"X-Crowdin-File-ID: 312\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/blockuser.nl_NL.po b/modules/po/blockuser.nl_NL.po index c636f061..8c4c17c5 100644 --- a/modules/po/blockuser.nl_NL.po +++ b/modules/po/blockuser.nl_NL.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/blockuser.pot\n" "X-Crowdin-File-ID: 158\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/blockuser.pot\n" -"X-Crowdin-File-ID: 312\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/blockuser.pl_PL.po b/modules/po/blockuser.pl_PL.po index ddf461e8..b0fc0a3c 100644 --- a/modules/po/blockuser.pl_PL.po +++ b/modules/po/blockuser.pl_PL.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/blockuser.pot\n" "X-Crowdin-File-ID: 158\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/blockuser.pot\n" -"X-Crowdin-File-ID: 312\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Polish\n" "Language: pl_PL\n" diff --git a/modules/po/blockuser.pt_BR.po b/modules/po/blockuser.pt_BR.po index 14f69b26..12163fb3 100644 --- a/modules/po/blockuser.pt_BR.po +++ b/modules/po/blockuser.pt_BR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/blockuser.pot\n" "X-Crowdin-File-ID: 158\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/blockuser.pot\n" -"X-Crowdin-File-ID: 312\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/blockuser.ru_RU.po b/modules/po/blockuser.ru_RU.po index 9218f03d..c6ff156e 100644 --- a/modules/po/blockuser.ru_RU.po +++ b/modules/po/blockuser.ru_RU.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/blockuser.pot\n" "X-Crowdin-File-ID: 158\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/blockuser.pot\n" -"X-Crowdin-File-ID: 312\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/bouncedcc.bg_BG.po b/modules/po/bouncedcc.bg_BG.po index eae32087..bf17c467 100644 --- a/modules/po/bouncedcc.bg_BG.po +++ b/modules/po/bouncedcc.bg_BG.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/bouncedcc.pot\n" "X-Crowdin-File-ID: 159\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/bouncedcc.pot\n" -"X-Crowdin-File-ID: 316\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/bouncedcc.es_ES.po b/modules/po/bouncedcc.es_ES.po index 9e302198..9f42aab6 100644 --- a/modules/po/bouncedcc.es_ES.po +++ b/modules/po/bouncedcc.es_ES.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/bouncedcc.pot\n" "X-Crowdin-File-ID: 159\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/bouncedcc.pot\n" -"X-Crowdin-File-ID: 316\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/bouncedcc.fr_FR.po b/modules/po/bouncedcc.fr_FR.po index fd157993..fa4c8913 100644 --- a/modules/po/bouncedcc.fr_FR.po +++ b/modules/po/bouncedcc.fr_FR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/bouncedcc.pot\n" "X-Crowdin-File-ID: 159\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/bouncedcc.pot\n" -"X-Crowdin-File-ID: 316\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/bouncedcc.id_ID.po b/modules/po/bouncedcc.id_ID.po index 1560da31..154af713 100644 --- a/modules/po/bouncedcc.id_ID.po +++ b/modules/po/bouncedcc.id_ID.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/bouncedcc.pot\n" "X-Crowdin-File-ID: 159\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/bouncedcc.pot\n" -"X-Crowdin-File-ID: 316\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/bouncedcc.it_IT.po b/modules/po/bouncedcc.it_IT.po index 49e0a98e..d98a5f1f 100644 --- a/modules/po/bouncedcc.it_IT.po +++ b/modules/po/bouncedcc.it_IT.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/bouncedcc.pot\n" "X-Crowdin-File-ID: 159\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/bouncedcc.pot\n" -"X-Crowdin-File-ID: 316\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/bouncedcc.nl_NL.po b/modules/po/bouncedcc.nl_NL.po index ef7e7aa8..7469c72b 100644 --- a/modules/po/bouncedcc.nl_NL.po +++ b/modules/po/bouncedcc.nl_NL.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/bouncedcc.pot\n" "X-Crowdin-File-ID: 159\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/bouncedcc.pot\n" -"X-Crowdin-File-ID: 316\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/bouncedcc.pl_PL.po b/modules/po/bouncedcc.pl_PL.po index c838f202..3b974b28 100644 --- a/modules/po/bouncedcc.pl_PL.po +++ b/modules/po/bouncedcc.pl_PL.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/bouncedcc.pot\n" "X-Crowdin-File-ID: 159\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/bouncedcc.pot\n" -"X-Crowdin-File-ID: 316\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Polish\n" "Language: pl_PL\n" diff --git a/modules/po/bouncedcc.pt_BR.po b/modules/po/bouncedcc.pt_BR.po index 062eaaea..1f949f83 100644 --- a/modules/po/bouncedcc.pt_BR.po +++ b/modules/po/bouncedcc.pt_BR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/bouncedcc.pot\n" "X-Crowdin-File-ID: 159\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/bouncedcc.pot\n" -"X-Crowdin-File-ID: 316\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/bouncedcc.ru_RU.po b/modules/po/bouncedcc.ru_RU.po index 62189a55..cb492590 100644 --- a/modules/po/bouncedcc.ru_RU.po +++ b/modules/po/bouncedcc.ru_RU.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/bouncedcc.pot\n" "X-Crowdin-File-ID: 159\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/bouncedcc.pot\n" -"X-Crowdin-File-ID: 316\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/buffextras.bg_BG.po b/modules/po/buffextras.bg_BG.po index 854913ac..9c8ee3d6 100644 --- a/modules/po/buffextras.bg_BG.po +++ b/modules/po/buffextras.bg_BG.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/buffextras.pot\n" "X-Crowdin-File-ID: 160\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/buffextras.pot\n" -"X-Crowdin-File-ID: 318\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/buffextras.es_ES.po b/modules/po/buffextras.es_ES.po index 4ff319f8..5adae4b1 100644 --- a/modules/po/buffextras.es_ES.po +++ b/modules/po/buffextras.es_ES.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/buffextras.pot\n" "X-Crowdin-File-ID: 160\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/buffextras.pot\n" -"X-Crowdin-File-ID: 318\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/buffextras.fr_FR.po b/modules/po/buffextras.fr_FR.po index 608ae2b9..c62da85d 100644 --- a/modules/po/buffextras.fr_FR.po +++ b/modules/po/buffextras.fr_FR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/buffextras.pot\n" "X-Crowdin-File-ID: 160\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/buffextras.pot\n" -"X-Crowdin-File-ID: 318\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/buffextras.id_ID.po b/modules/po/buffextras.id_ID.po index e7bac7e0..01ee6ebb 100644 --- a/modules/po/buffextras.id_ID.po +++ b/modules/po/buffextras.id_ID.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/buffextras.pot\n" "X-Crowdin-File-ID: 160\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/buffextras.pot\n" -"X-Crowdin-File-ID: 318\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/buffextras.it_IT.po b/modules/po/buffextras.it_IT.po index 8f7479a5..fb9d9654 100644 --- a/modules/po/buffextras.it_IT.po +++ b/modules/po/buffextras.it_IT.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/buffextras.pot\n" "X-Crowdin-File-ID: 160\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/buffextras.pot\n" -"X-Crowdin-File-ID: 318\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/buffextras.nl_NL.po b/modules/po/buffextras.nl_NL.po index 2a46ad0e..2d040754 100644 --- a/modules/po/buffextras.nl_NL.po +++ b/modules/po/buffextras.nl_NL.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/buffextras.pot\n" "X-Crowdin-File-ID: 160\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/buffextras.pot\n" -"X-Crowdin-File-ID: 318\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/buffextras.pl_PL.po b/modules/po/buffextras.pl_PL.po index 5208d4c3..3dc029b9 100644 --- a/modules/po/buffextras.pl_PL.po +++ b/modules/po/buffextras.pl_PL.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/buffextras.pot\n" "X-Crowdin-File-ID: 160\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/buffextras.pot\n" -"X-Crowdin-File-ID: 318\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Polish\n" "Language: pl_PL\n" diff --git a/modules/po/buffextras.pt_BR.po b/modules/po/buffextras.pt_BR.po index cfccc990..065a8514 100644 --- a/modules/po/buffextras.pt_BR.po +++ b/modules/po/buffextras.pt_BR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/buffextras.pot\n" "X-Crowdin-File-ID: 160\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/buffextras.pot\n" -"X-Crowdin-File-ID: 318\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/buffextras.ru_RU.po b/modules/po/buffextras.ru_RU.po index ea00632a..32ba4509 100644 --- a/modules/po/buffextras.ru_RU.po +++ b/modules/po/buffextras.ru_RU.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/buffextras.pot\n" "X-Crowdin-File-ID: 160\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/buffextras.pot\n" -"X-Crowdin-File-ID: 318\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/cert.bg_BG.po b/modules/po/cert.bg_BG.po index 53d02c94..b6abbc09 100644 --- a/modules/po/cert.bg_BG.po +++ b/modules/po/cert.bg_BG.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/cert.pot\n" "X-Crowdin-File-ID: 161\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/cert.pot\n" -"X-Crowdin-File-ID: 322\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/cert.es_ES.po b/modules/po/cert.es_ES.po index 68e71c14..39c4f369 100644 --- a/modules/po/cert.es_ES.po +++ b/modules/po/cert.es_ES.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/cert.pot\n" "X-Crowdin-File-ID: 161\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/cert.pot\n" -"X-Crowdin-File-ID: 322\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/cert.fr_FR.po b/modules/po/cert.fr_FR.po index eedbc0ba..df0fc7bf 100644 --- a/modules/po/cert.fr_FR.po +++ b/modules/po/cert.fr_FR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/cert.pot\n" "X-Crowdin-File-ID: 161\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/cert.pot\n" -"X-Crowdin-File-ID: 322\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/cert.id_ID.po b/modules/po/cert.id_ID.po index 9848b2dc..b7df124e 100644 --- a/modules/po/cert.id_ID.po +++ b/modules/po/cert.id_ID.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/cert.pot\n" "X-Crowdin-File-ID: 161\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/cert.pot\n" -"X-Crowdin-File-ID: 322\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/cert.it_IT.po b/modules/po/cert.it_IT.po index c16bc53f..c03d685e 100644 --- a/modules/po/cert.it_IT.po +++ b/modules/po/cert.it_IT.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/cert.pot\n" "X-Crowdin-File-ID: 161\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/cert.pot\n" -"X-Crowdin-File-ID: 322\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/cert.nl_NL.po b/modules/po/cert.nl_NL.po index 9a31788a..b653dbca 100644 --- a/modules/po/cert.nl_NL.po +++ b/modules/po/cert.nl_NL.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/cert.pot\n" "X-Crowdin-File-ID: 161\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/cert.pot\n" -"X-Crowdin-File-ID: 322\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/cert.pl_PL.po b/modules/po/cert.pl_PL.po index 83a235eb..329ecafa 100644 --- a/modules/po/cert.pl_PL.po +++ b/modules/po/cert.pl_PL.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/cert.pot\n" "X-Crowdin-File-ID: 161\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/cert.pot\n" -"X-Crowdin-File-ID: 322\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Polish\n" "Language: pl_PL\n" diff --git a/modules/po/cert.pt_BR.po b/modules/po/cert.pt_BR.po index 9f8fd065..0e933b43 100644 --- a/modules/po/cert.pt_BR.po +++ b/modules/po/cert.pt_BR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/cert.pot\n" "X-Crowdin-File-ID: 161\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/cert.pot\n" -"X-Crowdin-File-ID: 322\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/cert.ru_RU.po b/modules/po/cert.ru_RU.po index ee3a5953..a0e02e38 100644 --- a/modules/po/cert.ru_RU.po +++ b/modules/po/cert.ru_RU.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/cert.pot\n" "X-Crowdin-File-ID: 161\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/cert.pot\n" -"X-Crowdin-File-ID: 322\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/certauth.bg_BG.po b/modules/po/certauth.bg_BG.po index 73510efd..16a23161 100644 --- a/modules/po/certauth.bg_BG.po +++ b/modules/po/certauth.bg_BG.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/certauth.pot\n" "X-Crowdin-File-ID: 162\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/certauth.pot\n" -"X-Crowdin-File-ID: 324\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/certauth.es_ES.po b/modules/po/certauth.es_ES.po index cc489d3f..14a857b9 100644 --- a/modules/po/certauth.es_ES.po +++ b/modules/po/certauth.es_ES.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/certauth.pot\n" "X-Crowdin-File-ID: 162\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/certauth.pot\n" -"X-Crowdin-File-ID: 324\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/certauth.fr_FR.po b/modules/po/certauth.fr_FR.po index 9cccace2..26cafec5 100644 --- a/modules/po/certauth.fr_FR.po +++ b/modules/po/certauth.fr_FR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/certauth.pot\n" "X-Crowdin-File-ID: 162\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/certauth.pot\n" -"X-Crowdin-File-ID: 324\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/certauth.id_ID.po b/modules/po/certauth.id_ID.po index 1f70ba40..c4c2be0d 100644 --- a/modules/po/certauth.id_ID.po +++ b/modules/po/certauth.id_ID.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/certauth.pot\n" "X-Crowdin-File-ID: 162\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/certauth.pot\n" -"X-Crowdin-File-ID: 324\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/certauth.it_IT.po b/modules/po/certauth.it_IT.po index 2106caf8..b124566c 100644 --- a/modules/po/certauth.it_IT.po +++ b/modules/po/certauth.it_IT.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/certauth.pot\n" "X-Crowdin-File-ID: 162\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/certauth.pot\n" -"X-Crowdin-File-ID: 324\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/certauth.nl_NL.po b/modules/po/certauth.nl_NL.po index 4b60ec2e..cb24a7aa 100644 --- a/modules/po/certauth.nl_NL.po +++ b/modules/po/certauth.nl_NL.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/certauth.pot\n" "X-Crowdin-File-ID: 162\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/certauth.pot\n" -"X-Crowdin-File-ID: 324\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/certauth.pl_PL.po b/modules/po/certauth.pl_PL.po index a4073ded..01fdc2d0 100644 --- a/modules/po/certauth.pl_PL.po +++ b/modules/po/certauth.pl_PL.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/certauth.pot\n" "X-Crowdin-File-ID: 162\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/certauth.pot\n" -"X-Crowdin-File-ID: 324\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Polish\n" "Language: pl_PL\n" diff --git a/modules/po/certauth.pt_BR.po b/modules/po/certauth.pt_BR.po index 5d66d5e4..44ba9e5f 100644 --- a/modules/po/certauth.pt_BR.po +++ b/modules/po/certauth.pt_BR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/certauth.pot\n" "X-Crowdin-File-ID: 162\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/certauth.pot\n" -"X-Crowdin-File-ID: 324\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/certauth.ru_RU.po b/modules/po/certauth.ru_RU.po index eb3851e2..2282ed76 100644 --- a/modules/po/certauth.ru_RU.po +++ b/modules/po/certauth.ru_RU.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/certauth.pot\n" "X-Crowdin-File-ID: 162\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/certauth.pot\n" -"X-Crowdin-File-ID: 324\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/chansaver.bg_BG.po b/modules/po/chansaver.bg_BG.po index 52bb0e44..fb9805b9 100644 --- a/modules/po/chansaver.bg_BG.po +++ b/modules/po/chansaver.bg_BG.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/chansaver.pot\n" "X-Crowdin-File-ID: 163\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/chansaver.pot\n" -"X-Crowdin-File-ID: 326\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/chansaver.es_ES.po b/modules/po/chansaver.es_ES.po index b28e25cb..644ce037 100644 --- a/modules/po/chansaver.es_ES.po +++ b/modules/po/chansaver.es_ES.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/chansaver.pot\n" "X-Crowdin-File-ID: 163\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/chansaver.pot\n" -"X-Crowdin-File-ID: 326\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/chansaver.fr_FR.po b/modules/po/chansaver.fr_FR.po index 1b65df7c..a5e2b59a 100644 --- a/modules/po/chansaver.fr_FR.po +++ b/modules/po/chansaver.fr_FR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/chansaver.pot\n" "X-Crowdin-File-ID: 163\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/chansaver.pot\n" -"X-Crowdin-File-ID: 326\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/chansaver.id_ID.po b/modules/po/chansaver.id_ID.po index 2902c5cd..a6fb3442 100644 --- a/modules/po/chansaver.id_ID.po +++ b/modules/po/chansaver.id_ID.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/chansaver.pot\n" "X-Crowdin-File-ID: 163\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/chansaver.pot\n" -"X-Crowdin-File-ID: 326\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/chansaver.it_IT.po b/modules/po/chansaver.it_IT.po index 0c073048..47a66e57 100644 --- a/modules/po/chansaver.it_IT.po +++ b/modules/po/chansaver.it_IT.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/chansaver.pot\n" "X-Crowdin-File-ID: 163\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/chansaver.pot\n" -"X-Crowdin-File-ID: 326\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/chansaver.nl_NL.po b/modules/po/chansaver.nl_NL.po index 22ac59c3..de3e2907 100644 --- a/modules/po/chansaver.nl_NL.po +++ b/modules/po/chansaver.nl_NL.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/chansaver.pot\n" "X-Crowdin-File-ID: 163\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/chansaver.pot\n" -"X-Crowdin-File-ID: 326\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/chansaver.pl_PL.po b/modules/po/chansaver.pl_PL.po index 2c4f16d9..2f5b0d4a 100644 --- a/modules/po/chansaver.pl_PL.po +++ b/modules/po/chansaver.pl_PL.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/chansaver.pot\n" "X-Crowdin-File-ID: 163\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/chansaver.pot\n" -"X-Crowdin-File-ID: 326\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Polish\n" "Language: pl_PL\n" diff --git a/modules/po/chansaver.pt_BR.po b/modules/po/chansaver.pt_BR.po index ac1593d0..5096b4a5 100644 --- a/modules/po/chansaver.pt_BR.po +++ b/modules/po/chansaver.pt_BR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/chansaver.pot\n" "X-Crowdin-File-ID: 163\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/chansaver.pot\n" -"X-Crowdin-File-ID: 326\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/chansaver.ru_RU.po b/modules/po/chansaver.ru_RU.po index 36f8431a..3d22d663 100644 --- a/modules/po/chansaver.ru_RU.po +++ b/modules/po/chansaver.ru_RU.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/chansaver.pot\n" "X-Crowdin-File-ID: 163\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/chansaver.pot\n" -"X-Crowdin-File-ID: 326\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/clearbufferonmsg.bg_BG.po b/modules/po/clearbufferonmsg.bg_BG.po index c125ad55..78a88749 100644 --- a/modules/po/clearbufferonmsg.bg_BG.po +++ b/modules/po/clearbufferonmsg.bg_BG.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/clearbufferonmsg.pot\n" "X-Crowdin-File-ID: 164\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/clearbufferonmsg.pot\n" -"X-Crowdin-File-ID: 330\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/clearbufferonmsg.es_ES.po b/modules/po/clearbufferonmsg.es_ES.po index 80378d24..a47e2143 100644 --- a/modules/po/clearbufferonmsg.es_ES.po +++ b/modules/po/clearbufferonmsg.es_ES.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/clearbufferonmsg.pot\n" "X-Crowdin-File-ID: 164\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/clearbufferonmsg.pot\n" -"X-Crowdin-File-ID: 330\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/clearbufferonmsg.fr_FR.po b/modules/po/clearbufferonmsg.fr_FR.po index 675dc338..f2373293 100644 --- a/modules/po/clearbufferonmsg.fr_FR.po +++ b/modules/po/clearbufferonmsg.fr_FR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/clearbufferonmsg.pot\n" "X-Crowdin-File-ID: 164\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/clearbufferonmsg.pot\n" -"X-Crowdin-File-ID: 330\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/clearbufferonmsg.id_ID.po b/modules/po/clearbufferonmsg.id_ID.po index bf43c00a..7eba1c60 100644 --- a/modules/po/clearbufferonmsg.id_ID.po +++ b/modules/po/clearbufferonmsg.id_ID.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/clearbufferonmsg.pot\n" "X-Crowdin-File-ID: 164\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/clearbufferonmsg.pot\n" -"X-Crowdin-File-ID: 330\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/clearbufferonmsg.it_IT.po b/modules/po/clearbufferonmsg.it_IT.po index def2d655..0feabb87 100644 --- a/modules/po/clearbufferonmsg.it_IT.po +++ b/modules/po/clearbufferonmsg.it_IT.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/clearbufferonmsg.pot\n" "X-Crowdin-File-ID: 164\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/clearbufferonmsg.pot\n" -"X-Crowdin-File-ID: 330\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/clearbufferonmsg.nl_NL.po b/modules/po/clearbufferonmsg.nl_NL.po index 25fc22ea..427c8cc6 100644 --- a/modules/po/clearbufferonmsg.nl_NL.po +++ b/modules/po/clearbufferonmsg.nl_NL.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/clearbufferonmsg.pot\n" "X-Crowdin-File-ID: 164\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/clearbufferonmsg.pot\n" -"X-Crowdin-File-ID: 330\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/clearbufferonmsg.pl_PL.po b/modules/po/clearbufferonmsg.pl_PL.po index b685d1e6..7eb3f672 100644 --- a/modules/po/clearbufferonmsg.pl_PL.po +++ b/modules/po/clearbufferonmsg.pl_PL.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/clearbufferonmsg.pot\n" "X-Crowdin-File-ID: 164\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/clearbufferonmsg.pot\n" -"X-Crowdin-File-ID: 330\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Polish\n" "Language: pl_PL\n" diff --git a/modules/po/clearbufferonmsg.pt_BR.po b/modules/po/clearbufferonmsg.pt_BR.po index 2f50f7f0..f71a9962 100644 --- a/modules/po/clearbufferonmsg.pt_BR.po +++ b/modules/po/clearbufferonmsg.pt_BR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/clearbufferonmsg.pot\n" "X-Crowdin-File-ID: 164\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/clearbufferonmsg.pot\n" -"X-Crowdin-File-ID: 330\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/clearbufferonmsg.ru_RU.po b/modules/po/clearbufferonmsg.ru_RU.po index d02f86b2..1fa8d538 100644 --- a/modules/po/clearbufferonmsg.ru_RU.po +++ b/modules/po/clearbufferonmsg.ru_RU.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/clearbufferonmsg.pot\n" "X-Crowdin-File-ID: 164\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/clearbufferonmsg.pot\n" -"X-Crowdin-File-ID: 330\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/clientnotify.bg_BG.po b/modules/po/clientnotify.bg_BG.po index ab613097..a495a928 100644 --- a/modules/po/clientnotify.bg_BG.po +++ b/modules/po/clientnotify.bg_BG.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/clientnotify.pot\n" "X-Crowdin-File-ID: 165\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/clientnotify.pot\n" -"X-Crowdin-File-ID: 328\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/clientnotify.es_ES.po b/modules/po/clientnotify.es_ES.po index a777685f..86ed1b90 100644 --- a/modules/po/clientnotify.es_ES.po +++ b/modules/po/clientnotify.es_ES.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/clientnotify.pot\n" "X-Crowdin-File-ID: 165\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/clientnotify.pot\n" -"X-Crowdin-File-ID: 328\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/clientnotify.fr_FR.po b/modules/po/clientnotify.fr_FR.po index 90e855f6..6b202d79 100644 --- a/modules/po/clientnotify.fr_FR.po +++ b/modules/po/clientnotify.fr_FR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/clientnotify.pot\n" "X-Crowdin-File-ID: 165\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/clientnotify.pot\n" -"X-Crowdin-File-ID: 328\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/clientnotify.id_ID.po b/modules/po/clientnotify.id_ID.po index ffbaa6bd..e8bd757d 100644 --- a/modules/po/clientnotify.id_ID.po +++ b/modules/po/clientnotify.id_ID.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/clientnotify.pot\n" "X-Crowdin-File-ID: 165\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/clientnotify.pot\n" -"X-Crowdin-File-ID: 328\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/clientnotify.it_IT.po b/modules/po/clientnotify.it_IT.po index f128d530..0ba5bcf9 100644 --- a/modules/po/clientnotify.it_IT.po +++ b/modules/po/clientnotify.it_IT.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/clientnotify.pot\n" "X-Crowdin-File-ID: 165\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/clientnotify.pot\n" -"X-Crowdin-File-ID: 328\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/clientnotify.nl_NL.po b/modules/po/clientnotify.nl_NL.po index 08556a92..a787beef 100644 --- a/modules/po/clientnotify.nl_NL.po +++ b/modules/po/clientnotify.nl_NL.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/clientnotify.pot\n" "X-Crowdin-File-ID: 165\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/clientnotify.pot\n" -"X-Crowdin-File-ID: 328\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/clientnotify.pl_PL.po b/modules/po/clientnotify.pl_PL.po index 1fd41034..55abcaaa 100644 --- a/modules/po/clientnotify.pl_PL.po +++ b/modules/po/clientnotify.pl_PL.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/clientnotify.pot\n" "X-Crowdin-File-ID: 165\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/clientnotify.pot\n" -"X-Crowdin-File-ID: 328\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Polish\n" "Language: pl_PL\n" diff --git a/modules/po/clientnotify.pt_BR.po b/modules/po/clientnotify.pt_BR.po index 4fa925f3..3acb83b2 100644 --- a/modules/po/clientnotify.pt_BR.po +++ b/modules/po/clientnotify.pt_BR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/clientnotify.pot\n" "X-Crowdin-File-ID: 165\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/clientnotify.pot\n" -"X-Crowdin-File-ID: 328\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/clientnotify.ru_RU.po b/modules/po/clientnotify.ru_RU.po index 95783061..59b2474d 100644 --- a/modules/po/clientnotify.ru_RU.po +++ b/modules/po/clientnotify.ru_RU.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/clientnotify.pot\n" "X-Crowdin-File-ID: 165\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/clientnotify.pot\n" -"X-Crowdin-File-ID: 328\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/controlpanel.bg_BG.po b/modules/po/controlpanel.bg_BG.po index 2dcf7991..9275294b 100644 --- a/modules/po/controlpanel.bg_BG.po +++ b/modules/po/controlpanel.bg_BG.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/controlpanel.pot\n" "X-Crowdin-File-ID: 166\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/controlpanel.pot\n" -"X-Crowdin-File-ID: 332\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/controlpanel.es_ES.po b/modules/po/controlpanel.es_ES.po index 978b3a3d..4e4e60c1 100644 --- a/modules/po/controlpanel.es_ES.po +++ b/modules/po/controlpanel.es_ES.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/controlpanel.pot\n" "X-Crowdin-File-ID: 166\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/controlpanel.pot\n" -"X-Crowdin-File-ID: 332\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/controlpanel.fr_FR.po b/modules/po/controlpanel.fr_FR.po index ee8a4c9b..a9813d98 100644 --- a/modules/po/controlpanel.fr_FR.po +++ b/modules/po/controlpanel.fr_FR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/controlpanel.pot\n" "X-Crowdin-File-ID: 166\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/controlpanel.pot\n" -"X-Crowdin-File-ID: 332\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/controlpanel.id_ID.po b/modules/po/controlpanel.id_ID.po index 4ba2d44d..4d97edbb 100644 --- a/modules/po/controlpanel.id_ID.po +++ b/modules/po/controlpanel.id_ID.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/controlpanel.pot\n" "X-Crowdin-File-ID: 166\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/controlpanel.pot\n" -"X-Crowdin-File-ID: 332\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/controlpanel.it_IT.po b/modules/po/controlpanel.it_IT.po index b072df58..0159df49 100644 --- a/modules/po/controlpanel.it_IT.po +++ b/modules/po/controlpanel.it_IT.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/controlpanel.pot\n" "X-Crowdin-File-ID: 166\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/controlpanel.pot\n" -"X-Crowdin-File-ID: 332\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/controlpanel.nl_NL.po b/modules/po/controlpanel.nl_NL.po index 9a968a9b..b0879332 100644 --- a/modules/po/controlpanel.nl_NL.po +++ b/modules/po/controlpanel.nl_NL.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/controlpanel.pot\n" "X-Crowdin-File-ID: 166\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/controlpanel.pot\n" -"X-Crowdin-File-ID: 332\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/controlpanel.pl_PL.po b/modules/po/controlpanel.pl_PL.po index 15d0c2ff..4806ff4d 100644 --- a/modules/po/controlpanel.pl_PL.po +++ b/modules/po/controlpanel.pl_PL.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/controlpanel.pot\n" "X-Crowdin-File-ID: 166\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/controlpanel.pot\n" -"X-Crowdin-File-ID: 332\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Polish\n" "Language: pl_PL\n" @@ -186,17 +181,10 @@ msgstr "" #: controlpanel.cpp:731 msgid "Channel {1} is deleted from network {2} of user {3}" msgid_plural "Channels {1} are deleted from network {2} of user {3}" -<<<<<<< HEAD msgstr[0] "Kanał {1} został usunięty z sieci {2} użytkownika {3}" msgstr[1] "" msgstr[2] "" msgstr[3] "Kanały {1} są usuwane z sieci {2} użytkownika {3}" -======= -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" -msgstr[3] "" ->>>>>>> 1.8.x #: controlpanel.cpp:746 msgid "Usage: GetChan " diff --git a/modules/po/controlpanel.pt_BR.po b/modules/po/controlpanel.pt_BR.po index 98e57cde..76b92534 100644 --- a/modules/po/controlpanel.pt_BR.po +++ b/modules/po/controlpanel.pt_BR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/controlpanel.pot\n" "X-Crowdin-File-ID: 166\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/controlpanel.pot\n" -"X-Crowdin-File-ID: 332\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/controlpanel.ru_RU.po b/modules/po/controlpanel.ru_RU.po index b7f58513..b0994e7d 100644 --- a/modules/po/controlpanel.ru_RU.po +++ b/modules/po/controlpanel.ru_RU.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/controlpanel.pot\n" "X-Crowdin-File-ID: 166\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/controlpanel.pot\n" -"X-Crowdin-File-ID: 332\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/crypt.bg_BG.po b/modules/po/crypt.bg_BG.po index a19236c6..009deeef 100644 --- a/modules/po/crypt.bg_BG.po +++ b/modules/po/crypt.bg_BG.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/crypt.pot\n" "X-Crowdin-File-ID: 167\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/crypt.pot\n" -"X-Crowdin-File-ID: 334\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/crypt.es_ES.po b/modules/po/crypt.es_ES.po index 724f49fd..05919095 100644 --- a/modules/po/crypt.es_ES.po +++ b/modules/po/crypt.es_ES.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/crypt.pot\n" "X-Crowdin-File-ID: 167\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/crypt.pot\n" -"X-Crowdin-File-ID: 334\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/crypt.fr_FR.po b/modules/po/crypt.fr_FR.po index 2315fba3..5597ee11 100644 --- a/modules/po/crypt.fr_FR.po +++ b/modules/po/crypt.fr_FR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/crypt.pot\n" "X-Crowdin-File-ID: 167\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/crypt.pot\n" -"X-Crowdin-File-ID: 334\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/crypt.id_ID.po b/modules/po/crypt.id_ID.po index 3c828b76..a32dac1b 100644 --- a/modules/po/crypt.id_ID.po +++ b/modules/po/crypt.id_ID.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/crypt.pot\n" "X-Crowdin-File-ID: 167\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/crypt.pot\n" -"X-Crowdin-File-ID: 334\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/crypt.it_IT.po b/modules/po/crypt.it_IT.po index a941483e..0bf43bc2 100644 --- a/modules/po/crypt.it_IT.po +++ b/modules/po/crypt.it_IT.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/crypt.pot\n" "X-Crowdin-File-ID: 167\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/crypt.pot\n" -"X-Crowdin-File-ID: 334\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/crypt.nl_NL.po b/modules/po/crypt.nl_NL.po index 588549d4..7e5fc1ea 100644 --- a/modules/po/crypt.nl_NL.po +++ b/modules/po/crypt.nl_NL.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/crypt.pot\n" "X-Crowdin-File-ID: 167\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/crypt.pot\n" -"X-Crowdin-File-ID: 334\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/crypt.pl_PL.po b/modules/po/crypt.pl_PL.po index bb92b485..38fa093e 100644 --- a/modules/po/crypt.pl_PL.po +++ b/modules/po/crypt.pl_PL.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/crypt.pot\n" "X-Crowdin-File-ID: 167\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/crypt.pot\n" -"X-Crowdin-File-ID: 334\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Polish\n" "Language: pl_PL\n" diff --git a/modules/po/crypt.pt_BR.po b/modules/po/crypt.pt_BR.po index 3ae8b29a..558757f5 100644 --- a/modules/po/crypt.pt_BR.po +++ b/modules/po/crypt.pt_BR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/crypt.pot\n" "X-Crowdin-File-ID: 167\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/crypt.pot\n" -"X-Crowdin-File-ID: 334\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/crypt.ru_RU.po b/modules/po/crypt.ru_RU.po index f016893c..bebb506a 100644 --- a/modules/po/crypt.ru_RU.po +++ b/modules/po/crypt.ru_RU.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/crypt.pot\n" "X-Crowdin-File-ID: 167\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/crypt.pot\n" -"X-Crowdin-File-ID: 334\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/ctcpflood.bg_BG.po b/modules/po/ctcpflood.bg_BG.po index 65e53336..143f0174 100644 --- a/modules/po/ctcpflood.bg_BG.po +++ b/modules/po/ctcpflood.bg_BG.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/ctcpflood.pot\n" "X-Crowdin-File-ID: 168\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/ctcpflood.pot\n" -"X-Crowdin-File-ID: 336\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/ctcpflood.es_ES.po b/modules/po/ctcpflood.es_ES.po index d9709180..e6d6257d 100644 --- a/modules/po/ctcpflood.es_ES.po +++ b/modules/po/ctcpflood.es_ES.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/ctcpflood.pot\n" "X-Crowdin-File-ID: 168\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/ctcpflood.pot\n" -"X-Crowdin-File-ID: 336\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/ctcpflood.fr_FR.po b/modules/po/ctcpflood.fr_FR.po index cbd4add4..c394e84f 100644 --- a/modules/po/ctcpflood.fr_FR.po +++ b/modules/po/ctcpflood.fr_FR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/ctcpflood.pot\n" "X-Crowdin-File-ID: 168\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/ctcpflood.pot\n" -"X-Crowdin-File-ID: 336\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/ctcpflood.id_ID.po b/modules/po/ctcpflood.id_ID.po index 1b1cb320..40a9cdd0 100644 --- a/modules/po/ctcpflood.id_ID.po +++ b/modules/po/ctcpflood.id_ID.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/ctcpflood.pot\n" "X-Crowdin-File-ID: 168\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/ctcpflood.pot\n" -"X-Crowdin-File-ID: 336\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/ctcpflood.it_IT.po b/modules/po/ctcpflood.it_IT.po index 4b5a43db..6be5694e 100644 --- a/modules/po/ctcpflood.it_IT.po +++ b/modules/po/ctcpflood.it_IT.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/ctcpflood.pot\n" "X-Crowdin-File-ID: 168\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/ctcpflood.pot\n" -"X-Crowdin-File-ID: 336\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/ctcpflood.nl_NL.po b/modules/po/ctcpflood.nl_NL.po index 695990fc..18a72ee2 100644 --- a/modules/po/ctcpflood.nl_NL.po +++ b/modules/po/ctcpflood.nl_NL.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/ctcpflood.pot\n" "X-Crowdin-File-ID: 168\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/ctcpflood.pot\n" -"X-Crowdin-File-ID: 336\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/ctcpflood.pl_PL.po b/modules/po/ctcpflood.pl_PL.po index a2e9277d..187ac315 100644 --- a/modules/po/ctcpflood.pl_PL.po +++ b/modules/po/ctcpflood.pl_PL.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/ctcpflood.pot\n" "X-Crowdin-File-ID: 168\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/ctcpflood.pot\n" -"X-Crowdin-File-ID: 336\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Polish\n" "Language: pl_PL\n" diff --git a/modules/po/ctcpflood.pt_BR.po b/modules/po/ctcpflood.pt_BR.po index 7ce54b38..aab58d6a 100644 --- a/modules/po/ctcpflood.pt_BR.po +++ b/modules/po/ctcpflood.pt_BR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/ctcpflood.pot\n" "X-Crowdin-File-ID: 168\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/ctcpflood.pot\n" -"X-Crowdin-File-ID: 336\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/ctcpflood.ru_RU.po b/modules/po/ctcpflood.ru_RU.po index 5b99a436..7d614e07 100644 --- a/modules/po/ctcpflood.ru_RU.po +++ b/modules/po/ctcpflood.ru_RU.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/ctcpflood.pot\n" "X-Crowdin-File-ID: 168\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/ctcpflood.pot\n" -"X-Crowdin-File-ID: 336\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/cyrusauth.bg_BG.po b/modules/po/cyrusauth.bg_BG.po index 6df3599a..98402b85 100644 --- a/modules/po/cyrusauth.bg_BG.po +++ b/modules/po/cyrusauth.bg_BG.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/cyrusauth.pot\n" "X-Crowdin-File-ID: 169\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/cyrusauth.pot\n" -"X-Crowdin-File-ID: 338\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/cyrusauth.es_ES.po b/modules/po/cyrusauth.es_ES.po index a7a2d057..f345c476 100644 --- a/modules/po/cyrusauth.es_ES.po +++ b/modules/po/cyrusauth.es_ES.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/cyrusauth.pot\n" "X-Crowdin-File-ID: 169\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/cyrusauth.pot\n" -"X-Crowdin-File-ID: 338\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/cyrusauth.fr_FR.po b/modules/po/cyrusauth.fr_FR.po index db259bbd..490af7c4 100644 --- a/modules/po/cyrusauth.fr_FR.po +++ b/modules/po/cyrusauth.fr_FR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/cyrusauth.pot\n" "X-Crowdin-File-ID: 169\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/cyrusauth.pot\n" -"X-Crowdin-File-ID: 338\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/cyrusauth.id_ID.po b/modules/po/cyrusauth.id_ID.po index 495c3210..e6820030 100644 --- a/modules/po/cyrusauth.id_ID.po +++ b/modules/po/cyrusauth.id_ID.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/cyrusauth.pot\n" "X-Crowdin-File-ID: 169\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/cyrusauth.pot\n" -"X-Crowdin-File-ID: 338\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/cyrusauth.it_IT.po b/modules/po/cyrusauth.it_IT.po index 3a773f6f..40973638 100644 --- a/modules/po/cyrusauth.it_IT.po +++ b/modules/po/cyrusauth.it_IT.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/cyrusauth.pot\n" "X-Crowdin-File-ID: 169\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/cyrusauth.pot\n" -"X-Crowdin-File-ID: 338\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/cyrusauth.nl_NL.po b/modules/po/cyrusauth.nl_NL.po index df2d4e89..6cb6b6ac 100644 --- a/modules/po/cyrusauth.nl_NL.po +++ b/modules/po/cyrusauth.nl_NL.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/cyrusauth.pot\n" "X-Crowdin-File-ID: 169\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/cyrusauth.pot\n" -"X-Crowdin-File-ID: 338\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/cyrusauth.pl_PL.po b/modules/po/cyrusauth.pl_PL.po index 879cd007..508deb36 100644 --- a/modules/po/cyrusauth.pl_PL.po +++ b/modules/po/cyrusauth.pl_PL.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/cyrusauth.pot\n" "X-Crowdin-File-ID: 169\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/cyrusauth.pot\n" -"X-Crowdin-File-ID: 338\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Polish\n" "Language: pl_PL\n" diff --git a/modules/po/cyrusauth.pt_BR.po b/modules/po/cyrusauth.pt_BR.po index 151e47f3..3940022f 100644 --- a/modules/po/cyrusauth.pt_BR.po +++ b/modules/po/cyrusauth.pt_BR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/cyrusauth.pot\n" "X-Crowdin-File-ID: 169\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/cyrusauth.pot\n" -"X-Crowdin-File-ID: 338\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/cyrusauth.ru_RU.po b/modules/po/cyrusauth.ru_RU.po index 018a20a3..1eaffa73 100644 --- a/modules/po/cyrusauth.ru_RU.po +++ b/modules/po/cyrusauth.ru_RU.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/cyrusauth.pot\n" "X-Crowdin-File-ID: 169\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/cyrusauth.pot\n" -"X-Crowdin-File-ID: 338\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/dcc.bg_BG.po b/modules/po/dcc.bg_BG.po index 3f04252d..498349f1 100644 --- a/modules/po/dcc.bg_BG.po +++ b/modules/po/dcc.bg_BG.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/dcc.pot\n" "X-Crowdin-File-ID: 170\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/dcc.pot\n" -"X-Crowdin-File-ID: 308\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/dcc.es_ES.po b/modules/po/dcc.es_ES.po index aa163b41..3c8f4d6d 100644 --- a/modules/po/dcc.es_ES.po +++ b/modules/po/dcc.es_ES.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/dcc.pot\n" "X-Crowdin-File-ID: 170\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/dcc.pot\n" -"X-Crowdin-File-ID: 308\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/dcc.fr_FR.po b/modules/po/dcc.fr_FR.po index d0ade9eb..225e82ca 100644 --- a/modules/po/dcc.fr_FR.po +++ b/modules/po/dcc.fr_FR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/dcc.pot\n" "X-Crowdin-File-ID: 170\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/dcc.pot\n" -"X-Crowdin-File-ID: 308\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/dcc.id_ID.po b/modules/po/dcc.id_ID.po index 2f1b7fb3..f1af517b 100644 --- a/modules/po/dcc.id_ID.po +++ b/modules/po/dcc.id_ID.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/dcc.pot\n" "X-Crowdin-File-ID: 170\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/dcc.pot\n" -"X-Crowdin-File-ID: 308\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/dcc.it_IT.po b/modules/po/dcc.it_IT.po index ec926f33..b49e4771 100644 --- a/modules/po/dcc.it_IT.po +++ b/modules/po/dcc.it_IT.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/dcc.pot\n" "X-Crowdin-File-ID: 170\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/dcc.pot\n" -"X-Crowdin-File-ID: 308\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/dcc.nl_NL.po b/modules/po/dcc.nl_NL.po index 05c87019..f85f87ab 100644 --- a/modules/po/dcc.nl_NL.po +++ b/modules/po/dcc.nl_NL.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/dcc.pot\n" "X-Crowdin-File-ID: 170\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/dcc.pot\n" -"X-Crowdin-File-ID: 308\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/dcc.pl_PL.po b/modules/po/dcc.pl_PL.po index 73d9a24b..46a40278 100644 --- a/modules/po/dcc.pl_PL.po +++ b/modules/po/dcc.pl_PL.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/dcc.pot\n" "X-Crowdin-File-ID: 170\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/dcc.pot\n" -"X-Crowdin-File-ID: 308\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Polish\n" "Language: pl_PL\n" diff --git a/modules/po/dcc.pt_BR.po b/modules/po/dcc.pt_BR.po index 40d7cfd0..797b8b8b 100644 --- a/modules/po/dcc.pt_BR.po +++ b/modules/po/dcc.pt_BR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/dcc.pot\n" "X-Crowdin-File-ID: 170\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/dcc.pot\n" -"X-Crowdin-File-ID: 308\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/dcc.ru_RU.po b/modules/po/dcc.ru_RU.po index 1a8cf34f..8107facf 100644 --- a/modules/po/dcc.ru_RU.po +++ b/modules/po/dcc.ru_RU.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/dcc.pot\n" "X-Crowdin-File-ID: 170\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/dcc.pot\n" -"X-Crowdin-File-ID: 308\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/disconkick.bg_BG.po b/modules/po/disconkick.bg_BG.po index 7daef00f..f2ee90eb 100644 --- a/modules/po/disconkick.bg_BG.po +++ b/modules/po/disconkick.bg_BG.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/disconkick.pot\n" "X-Crowdin-File-ID: 171\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/disconkick.pot\n" -"X-Crowdin-File-ID: 342\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/disconkick.es_ES.po b/modules/po/disconkick.es_ES.po index bf04f9db..04e87e09 100644 --- a/modules/po/disconkick.es_ES.po +++ b/modules/po/disconkick.es_ES.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/disconkick.pot\n" "X-Crowdin-File-ID: 171\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/disconkick.pot\n" -"X-Crowdin-File-ID: 342\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/disconkick.fr_FR.po b/modules/po/disconkick.fr_FR.po index febc0097..9e9f645f 100644 --- a/modules/po/disconkick.fr_FR.po +++ b/modules/po/disconkick.fr_FR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/disconkick.pot\n" "X-Crowdin-File-ID: 171\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/disconkick.pot\n" -"X-Crowdin-File-ID: 342\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/disconkick.id_ID.po b/modules/po/disconkick.id_ID.po index 0c4a6e78..8d72561a 100644 --- a/modules/po/disconkick.id_ID.po +++ b/modules/po/disconkick.id_ID.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/disconkick.pot\n" "X-Crowdin-File-ID: 171\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/disconkick.pot\n" -"X-Crowdin-File-ID: 342\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/disconkick.it_IT.po b/modules/po/disconkick.it_IT.po index 7d7687c5..e5cb1efc 100644 --- a/modules/po/disconkick.it_IT.po +++ b/modules/po/disconkick.it_IT.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/disconkick.pot\n" "X-Crowdin-File-ID: 171\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/disconkick.pot\n" -"X-Crowdin-File-ID: 342\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/disconkick.nl_NL.po b/modules/po/disconkick.nl_NL.po index 7c0d0620..87a9493e 100644 --- a/modules/po/disconkick.nl_NL.po +++ b/modules/po/disconkick.nl_NL.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/disconkick.pot\n" "X-Crowdin-File-ID: 171\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/disconkick.pot\n" -"X-Crowdin-File-ID: 342\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/disconkick.pl_PL.po b/modules/po/disconkick.pl_PL.po index eeff3005..0258fce2 100644 --- a/modules/po/disconkick.pl_PL.po +++ b/modules/po/disconkick.pl_PL.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/disconkick.pot\n" "X-Crowdin-File-ID: 171\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/disconkick.pot\n" -"X-Crowdin-File-ID: 342\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Polish\n" "Language: pl_PL\n" diff --git a/modules/po/disconkick.pt_BR.po b/modules/po/disconkick.pt_BR.po index 0e9f595e..22f6cea8 100644 --- a/modules/po/disconkick.pt_BR.po +++ b/modules/po/disconkick.pt_BR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/disconkick.pot\n" "X-Crowdin-File-ID: 171\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/disconkick.pot\n" -"X-Crowdin-File-ID: 342\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/disconkick.ru_RU.po b/modules/po/disconkick.ru_RU.po index 28272ac0..6338b623 100644 --- a/modules/po/disconkick.ru_RU.po +++ b/modules/po/disconkick.ru_RU.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/disconkick.pot\n" "X-Crowdin-File-ID: 171\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/disconkick.pot\n" -"X-Crowdin-File-ID: 342\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/fail2ban.bg_BG.po b/modules/po/fail2ban.bg_BG.po index 487f2610..9ce3b3ce 100644 --- a/modules/po/fail2ban.bg_BG.po +++ b/modules/po/fail2ban.bg_BG.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/fail2ban.pot\n" "X-Crowdin-File-ID: 172\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/fail2ban.pot\n" -"X-Crowdin-File-ID: 344\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/fail2ban.es_ES.po b/modules/po/fail2ban.es_ES.po index 732b48c5..143356b4 100644 --- a/modules/po/fail2ban.es_ES.po +++ b/modules/po/fail2ban.es_ES.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/fail2ban.pot\n" "X-Crowdin-File-ID: 172\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/fail2ban.pot\n" -"X-Crowdin-File-ID: 344\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/fail2ban.fr_FR.po b/modules/po/fail2ban.fr_FR.po index d1a50761..331e709e 100644 --- a/modules/po/fail2ban.fr_FR.po +++ b/modules/po/fail2ban.fr_FR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/fail2ban.pot\n" "X-Crowdin-File-ID: 172\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/fail2ban.pot\n" -"X-Crowdin-File-ID: 344\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/fail2ban.id_ID.po b/modules/po/fail2ban.id_ID.po index 50f8b0a5..3ab23216 100644 --- a/modules/po/fail2ban.id_ID.po +++ b/modules/po/fail2ban.id_ID.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/fail2ban.pot\n" "X-Crowdin-File-ID: 172\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/fail2ban.pot\n" -"X-Crowdin-File-ID: 344\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/fail2ban.it_IT.po b/modules/po/fail2ban.it_IT.po index c75fe65d..bfd95122 100644 --- a/modules/po/fail2ban.it_IT.po +++ b/modules/po/fail2ban.it_IT.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/fail2ban.pot\n" "X-Crowdin-File-ID: 172\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/fail2ban.pot\n" -"X-Crowdin-File-ID: 344\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/fail2ban.nl_NL.po b/modules/po/fail2ban.nl_NL.po index 200d4b73..07b39775 100644 --- a/modules/po/fail2ban.nl_NL.po +++ b/modules/po/fail2ban.nl_NL.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/fail2ban.pot\n" "X-Crowdin-File-ID: 172\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/fail2ban.pot\n" -"X-Crowdin-File-ID: 344\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/fail2ban.pl_PL.po b/modules/po/fail2ban.pl_PL.po index 12508d51..abd5fecc 100644 --- a/modules/po/fail2ban.pl_PL.po +++ b/modules/po/fail2ban.pl_PL.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/fail2ban.pot\n" "X-Crowdin-File-ID: 172\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/fail2ban.pot\n" -"X-Crowdin-File-ID: 344\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Polish\n" "Language: pl_PL\n" diff --git a/modules/po/fail2ban.pt_BR.po b/modules/po/fail2ban.pt_BR.po index c9da9261..9bb234f2 100644 --- a/modules/po/fail2ban.pt_BR.po +++ b/modules/po/fail2ban.pt_BR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/fail2ban.pot\n" "X-Crowdin-File-ID: 172\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/fail2ban.pot\n" -"X-Crowdin-File-ID: 344\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/fail2ban.ru_RU.po b/modules/po/fail2ban.ru_RU.po index fc98975e..31a6011e 100644 --- a/modules/po/fail2ban.ru_RU.po +++ b/modules/po/fail2ban.ru_RU.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/fail2ban.pot\n" "X-Crowdin-File-ID: 172\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/fail2ban.pot\n" -"X-Crowdin-File-ID: 344\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/flooddetach.bg_BG.po b/modules/po/flooddetach.bg_BG.po index 9e4ffef6..517337a6 100644 --- a/modules/po/flooddetach.bg_BG.po +++ b/modules/po/flooddetach.bg_BG.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/flooddetach.pot\n" "X-Crowdin-File-ID: 173\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/flooddetach.pot\n" -"X-Crowdin-File-ID: 346\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/flooddetach.es_ES.po b/modules/po/flooddetach.es_ES.po index 56a30d74..59b098ee 100644 --- a/modules/po/flooddetach.es_ES.po +++ b/modules/po/flooddetach.es_ES.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/flooddetach.pot\n" "X-Crowdin-File-ID: 173\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/flooddetach.pot\n" -"X-Crowdin-File-ID: 346\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/flooddetach.fr_FR.po b/modules/po/flooddetach.fr_FR.po index 25ed6178..db36dd3d 100644 --- a/modules/po/flooddetach.fr_FR.po +++ b/modules/po/flooddetach.fr_FR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/flooddetach.pot\n" "X-Crowdin-File-ID: 173\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/flooddetach.pot\n" -"X-Crowdin-File-ID: 346\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/flooddetach.id_ID.po b/modules/po/flooddetach.id_ID.po index 72fb70fc..bfdb04de 100644 --- a/modules/po/flooddetach.id_ID.po +++ b/modules/po/flooddetach.id_ID.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/flooddetach.pot\n" "X-Crowdin-File-ID: 173\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/flooddetach.pot\n" -"X-Crowdin-File-ID: 346\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/flooddetach.it_IT.po b/modules/po/flooddetach.it_IT.po index c9b2715a..a04e3962 100644 --- a/modules/po/flooddetach.it_IT.po +++ b/modules/po/flooddetach.it_IT.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/flooddetach.pot\n" "X-Crowdin-File-ID: 173\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/flooddetach.pot\n" -"X-Crowdin-File-ID: 346\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/flooddetach.nl_NL.po b/modules/po/flooddetach.nl_NL.po index 5ba12cb7..3c164d01 100644 --- a/modules/po/flooddetach.nl_NL.po +++ b/modules/po/flooddetach.nl_NL.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/flooddetach.pot\n" "X-Crowdin-File-ID: 173\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/flooddetach.pot\n" -"X-Crowdin-File-ID: 346\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/flooddetach.pl_PL.po b/modules/po/flooddetach.pl_PL.po index d69c022e..7db44c82 100644 --- a/modules/po/flooddetach.pl_PL.po +++ b/modules/po/flooddetach.pl_PL.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/flooddetach.pot\n" "X-Crowdin-File-ID: 173\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/flooddetach.pot\n" -"X-Crowdin-File-ID: 346\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Polish\n" "Language: pl_PL\n" diff --git a/modules/po/flooddetach.pt_BR.po b/modules/po/flooddetach.pt_BR.po index 6008f32d..19b92630 100644 --- a/modules/po/flooddetach.pt_BR.po +++ b/modules/po/flooddetach.pt_BR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/flooddetach.pot\n" "X-Crowdin-File-ID: 173\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/flooddetach.pot\n" -"X-Crowdin-File-ID: 346\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/flooddetach.ru_RU.po b/modules/po/flooddetach.ru_RU.po index cadcd540..050341e3 100644 --- a/modules/po/flooddetach.ru_RU.po +++ b/modules/po/flooddetach.ru_RU.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/flooddetach.pot\n" "X-Crowdin-File-ID: 173\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/flooddetach.pot\n" -"X-Crowdin-File-ID: 346\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/identfile.bg_BG.po b/modules/po/identfile.bg_BG.po index 6abb6208..654ff51f 100644 --- a/modules/po/identfile.bg_BG.po +++ b/modules/po/identfile.bg_BG.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/identfile.pot\n" "X-Crowdin-File-ID: 174\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/identfile.pot\n" -"X-Crowdin-File-ID: 348\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/identfile.es_ES.po b/modules/po/identfile.es_ES.po index 1fcff81f..2159b16a 100644 --- a/modules/po/identfile.es_ES.po +++ b/modules/po/identfile.es_ES.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/identfile.pot\n" "X-Crowdin-File-ID: 174\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/identfile.pot\n" -"X-Crowdin-File-ID: 348\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/identfile.fr_FR.po b/modules/po/identfile.fr_FR.po index 8538006d..4cb8744f 100644 --- a/modules/po/identfile.fr_FR.po +++ b/modules/po/identfile.fr_FR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/identfile.pot\n" "X-Crowdin-File-ID: 174\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/identfile.pot\n" -"X-Crowdin-File-ID: 348\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/identfile.id_ID.po b/modules/po/identfile.id_ID.po index d043f845..31f09ade 100644 --- a/modules/po/identfile.id_ID.po +++ b/modules/po/identfile.id_ID.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/identfile.pot\n" "X-Crowdin-File-ID: 174\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/identfile.pot\n" -"X-Crowdin-File-ID: 348\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/identfile.it_IT.po b/modules/po/identfile.it_IT.po index 97530dd2..bcef8978 100644 --- a/modules/po/identfile.it_IT.po +++ b/modules/po/identfile.it_IT.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/identfile.pot\n" "X-Crowdin-File-ID: 174\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/identfile.pot\n" -"X-Crowdin-File-ID: 348\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/identfile.nl_NL.po b/modules/po/identfile.nl_NL.po index 6f4b93a5..6b2a44f8 100644 --- a/modules/po/identfile.nl_NL.po +++ b/modules/po/identfile.nl_NL.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/identfile.pot\n" "X-Crowdin-File-ID: 174\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/identfile.pot\n" -"X-Crowdin-File-ID: 348\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/identfile.pl_PL.po b/modules/po/identfile.pl_PL.po index b4b4eca2..3f44e2a9 100644 --- a/modules/po/identfile.pl_PL.po +++ b/modules/po/identfile.pl_PL.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/identfile.pot\n" "X-Crowdin-File-ID: 174\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/identfile.pot\n" -"X-Crowdin-File-ID: 348\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Polish\n" "Language: pl_PL\n" diff --git a/modules/po/identfile.pt_BR.po b/modules/po/identfile.pt_BR.po index bd84212a..4712a141 100644 --- a/modules/po/identfile.pt_BR.po +++ b/modules/po/identfile.pt_BR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/identfile.pot\n" "X-Crowdin-File-ID: 174\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/identfile.pot\n" -"X-Crowdin-File-ID: 348\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/identfile.ru_RU.po b/modules/po/identfile.ru_RU.po index c86df976..d8e8cb0f 100644 --- a/modules/po/identfile.ru_RU.po +++ b/modules/po/identfile.ru_RU.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/identfile.pot\n" "X-Crowdin-File-ID: 174\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/identfile.pot\n" -"X-Crowdin-File-ID: 348\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/imapauth.bg_BG.po b/modules/po/imapauth.bg_BG.po index 4790d1b0..786c28c9 100644 --- a/modules/po/imapauth.bg_BG.po +++ b/modules/po/imapauth.bg_BG.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/imapauth.pot\n" "X-Crowdin-File-ID: 175\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/imapauth.pot\n" -"X-Crowdin-File-ID: 352\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/imapauth.es_ES.po b/modules/po/imapauth.es_ES.po index 32be9314..21a52d66 100644 --- a/modules/po/imapauth.es_ES.po +++ b/modules/po/imapauth.es_ES.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/imapauth.pot\n" "X-Crowdin-File-ID: 175\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/imapauth.pot\n" -"X-Crowdin-File-ID: 352\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/imapauth.fr_FR.po b/modules/po/imapauth.fr_FR.po index 724e1668..0fdc64ca 100644 --- a/modules/po/imapauth.fr_FR.po +++ b/modules/po/imapauth.fr_FR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/imapauth.pot\n" "X-Crowdin-File-ID: 175\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/imapauth.pot\n" -"X-Crowdin-File-ID: 352\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/imapauth.id_ID.po b/modules/po/imapauth.id_ID.po index 6bb20243..8ecd94d2 100644 --- a/modules/po/imapauth.id_ID.po +++ b/modules/po/imapauth.id_ID.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/imapauth.pot\n" "X-Crowdin-File-ID: 175\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/imapauth.pot\n" -"X-Crowdin-File-ID: 352\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/imapauth.it_IT.po b/modules/po/imapauth.it_IT.po index a583e4e1..f3a9cb75 100644 --- a/modules/po/imapauth.it_IT.po +++ b/modules/po/imapauth.it_IT.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/imapauth.pot\n" "X-Crowdin-File-ID: 175\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/imapauth.pot\n" -"X-Crowdin-File-ID: 352\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/imapauth.nl_NL.po b/modules/po/imapauth.nl_NL.po index 50972e0b..e9e16dd7 100644 --- a/modules/po/imapauth.nl_NL.po +++ b/modules/po/imapauth.nl_NL.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/imapauth.pot\n" "X-Crowdin-File-ID: 175\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/imapauth.pot\n" -"X-Crowdin-File-ID: 352\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/imapauth.pl_PL.po b/modules/po/imapauth.pl_PL.po index bd8b8f3b..2e1837f1 100644 --- a/modules/po/imapauth.pl_PL.po +++ b/modules/po/imapauth.pl_PL.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/imapauth.pot\n" "X-Crowdin-File-ID: 175\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/imapauth.pot\n" -"X-Crowdin-File-ID: 352\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Polish\n" "Language: pl_PL\n" diff --git a/modules/po/imapauth.pt_BR.po b/modules/po/imapauth.pt_BR.po index a5f26d28..e208f3e0 100644 --- a/modules/po/imapauth.pt_BR.po +++ b/modules/po/imapauth.pt_BR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/imapauth.pot\n" "X-Crowdin-File-ID: 175\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/imapauth.pot\n" -"X-Crowdin-File-ID: 352\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/imapauth.ru_RU.po b/modules/po/imapauth.ru_RU.po index 7b207722..3c81f444 100644 --- a/modules/po/imapauth.ru_RU.po +++ b/modules/po/imapauth.ru_RU.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/imapauth.pot\n" "X-Crowdin-File-ID: 175\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/imapauth.pot\n" -"X-Crowdin-File-ID: 352\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/keepnick.bg_BG.po b/modules/po/keepnick.bg_BG.po index 16e336d0..46ec51af 100644 --- a/modules/po/keepnick.bg_BG.po +++ b/modules/po/keepnick.bg_BG.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/keepnick.pot\n" "X-Crowdin-File-ID: 176\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/keepnick.pot\n" -"X-Crowdin-File-ID: 354\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/keepnick.es_ES.po b/modules/po/keepnick.es_ES.po index 22b39401..a50e58d5 100644 --- a/modules/po/keepnick.es_ES.po +++ b/modules/po/keepnick.es_ES.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/keepnick.pot\n" "X-Crowdin-File-ID: 176\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/keepnick.pot\n" -"X-Crowdin-File-ID: 354\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/keepnick.fr_FR.po b/modules/po/keepnick.fr_FR.po index 7fe6707d..7ec6f02e 100644 --- a/modules/po/keepnick.fr_FR.po +++ b/modules/po/keepnick.fr_FR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/keepnick.pot\n" "X-Crowdin-File-ID: 176\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/keepnick.pot\n" -"X-Crowdin-File-ID: 354\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/keepnick.id_ID.po b/modules/po/keepnick.id_ID.po index 50366019..c0ae6d60 100644 --- a/modules/po/keepnick.id_ID.po +++ b/modules/po/keepnick.id_ID.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/keepnick.pot\n" "X-Crowdin-File-ID: 176\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/keepnick.pot\n" -"X-Crowdin-File-ID: 354\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/keepnick.it_IT.po b/modules/po/keepnick.it_IT.po index 49b2d949..0a37eae3 100644 --- a/modules/po/keepnick.it_IT.po +++ b/modules/po/keepnick.it_IT.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/keepnick.pot\n" "X-Crowdin-File-ID: 176\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/keepnick.pot\n" -"X-Crowdin-File-ID: 354\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/keepnick.nl_NL.po b/modules/po/keepnick.nl_NL.po index bf0ebace..a36ab8ef 100644 --- a/modules/po/keepnick.nl_NL.po +++ b/modules/po/keepnick.nl_NL.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/keepnick.pot\n" "X-Crowdin-File-ID: 176\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/keepnick.pot\n" -"X-Crowdin-File-ID: 354\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/keepnick.pl_PL.po b/modules/po/keepnick.pl_PL.po index 086e037a..fe90fab1 100644 --- a/modules/po/keepnick.pl_PL.po +++ b/modules/po/keepnick.pl_PL.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/keepnick.pot\n" "X-Crowdin-File-ID: 176\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/keepnick.pot\n" -"X-Crowdin-File-ID: 354\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Polish\n" "Language: pl_PL\n" diff --git a/modules/po/keepnick.pt_BR.po b/modules/po/keepnick.pt_BR.po index bff957ac..65b9c19b 100644 --- a/modules/po/keepnick.pt_BR.po +++ b/modules/po/keepnick.pt_BR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/keepnick.pot\n" "X-Crowdin-File-ID: 176\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/keepnick.pot\n" -"X-Crowdin-File-ID: 354\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/keepnick.ru_RU.po b/modules/po/keepnick.ru_RU.po index 82e1f308..0c67d892 100644 --- a/modules/po/keepnick.ru_RU.po +++ b/modules/po/keepnick.ru_RU.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/keepnick.pot\n" "X-Crowdin-File-ID: 176\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/keepnick.pot\n" -"X-Crowdin-File-ID: 354\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/kickrejoin.bg_BG.po b/modules/po/kickrejoin.bg_BG.po index e067c2f9..09688601 100644 --- a/modules/po/kickrejoin.bg_BG.po +++ b/modules/po/kickrejoin.bg_BG.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/kickrejoin.pot\n" "X-Crowdin-File-ID: 177\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/kickrejoin.pot\n" -"X-Crowdin-File-ID: 356\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/kickrejoin.es_ES.po b/modules/po/kickrejoin.es_ES.po index b7464f8e..4874e59e 100644 --- a/modules/po/kickrejoin.es_ES.po +++ b/modules/po/kickrejoin.es_ES.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/kickrejoin.pot\n" "X-Crowdin-File-ID: 177\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/kickrejoin.pot\n" -"X-Crowdin-File-ID: 356\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/kickrejoin.fr_FR.po b/modules/po/kickrejoin.fr_FR.po index 11085402..a3540a94 100644 --- a/modules/po/kickrejoin.fr_FR.po +++ b/modules/po/kickrejoin.fr_FR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/kickrejoin.pot\n" "X-Crowdin-File-ID: 177\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/kickrejoin.pot\n" -"X-Crowdin-File-ID: 356\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/kickrejoin.id_ID.po b/modules/po/kickrejoin.id_ID.po index c51dc91e..40d07ebb 100644 --- a/modules/po/kickrejoin.id_ID.po +++ b/modules/po/kickrejoin.id_ID.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/kickrejoin.pot\n" "X-Crowdin-File-ID: 177\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/kickrejoin.pot\n" -"X-Crowdin-File-ID: 356\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/kickrejoin.it_IT.po b/modules/po/kickrejoin.it_IT.po index 0b224089..c86161f7 100644 --- a/modules/po/kickrejoin.it_IT.po +++ b/modules/po/kickrejoin.it_IT.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/kickrejoin.pot\n" "X-Crowdin-File-ID: 177\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/kickrejoin.pot\n" -"X-Crowdin-File-ID: 356\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/kickrejoin.nl_NL.po b/modules/po/kickrejoin.nl_NL.po index f7cecc2f..951105a4 100644 --- a/modules/po/kickrejoin.nl_NL.po +++ b/modules/po/kickrejoin.nl_NL.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/kickrejoin.pot\n" "X-Crowdin-File-ID: 177\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/kickrejoin.pot\n" -"X-Crowdin-File-ID: 356\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/kickrejoin.pl_PL.po b/modules/po/kickrejoin.pl_PL.po index 57a043d6..401b9a9f 100644 --- a/modules/po/kickrejoin.pl_PL.po +++ b/modules/po/kickrejoin.pl_PL.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/kickrejoin.pot\n" "X-Crowdin-File-ID: 177\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/kickrejoin.pot\n" -"X-Crowdin-File-ID: 356\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Polish\n" "Language: pl_PL\n" diff --git a/modules/po/kickrejoin.pt_BR.po b/modules/po/kickrejoin.pt_BR.po index a25eb3c0..849d3876 100644 --- a/modules/po/kickrejoin.pt_BR.po +++ b/modules/po/kickrejoin.pt_BR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/kickrejoin.pot\n" "X-Crowdin-File-ID: 177\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/kickrejoin.pot\n" -"X-Crowdin-File-ID: 356\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/kickrejoin.ru_RU.po b/modules/po/kickrejoin.ru_RU.po index 5e0904b4..07c39ead 100644 --- a/modules/po/kickrejoin.ru_RU.po +++ b/modules/po/kickrejoin.ru_RU.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/kickrejoin.pot\n" "X-Crowdin-File-ID: 177\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/kickrejoin.pot\n" -"X-Crowdin-File-ID: 356\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/lastseen.bg_BG.po b/modules/po/lastseen.bg_BG.po index c9d66efd..85d6f121 100644 --- a/modules/po/lastseen.bg_BG.po +++ b/modules/po/lastseen.bg_BG.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/lastseen.pot\n" "X-Crowdin-File-ID: 178\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/lastseen.pot\n" -"X-Crowdin-File-ID: 358\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/lastseen.es_ES.po b/modules/po/lastseen.es_ES.po index 81523bb5..65897cc4 100644 --- a/modules/po/lastseen.es_ES.po +++ b/modules/po/lastseen.es_ES.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/lastseen.pot\n" "X-Crowdin-File-ID: 178\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/lastseen.pot\n" -"X-Crowdin-File-ID: 358\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/lastseen.fr_FR.po b/modules/po/lastseen.fr_FR.po index 9b3fba11..d4b89eb6 100644 --- a/modules/po/lastseen.fr_FR.po +++ b/modules/po/lastseen.fr_FR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/lastseen.pot\n" "X-Crowdin-File-ID: 178\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/lastseen.pot\n" -"X-Crowdin-File-ID: 358\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/lastseen.id_ID.po b/modules/po/lastseen.id_ID.po index f5037d71..5a5c1e9e 100644 --- a/modules/po/lastseen.id_ID.po +++ b/modules/po/lastseen.id_ID.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/lastseen.pot\n" "X-Crowdin-File-ID: 178\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/lastseen.pot\n" -"X-Crowdin-File-ID: 358\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/lastseen.it_IT.po b/modules/po/lastseen.it_IT.po index f0df1a91..8c3fece5 100644 --- a/modules/po/lastseen.it_IT.po +++ b/modules/po/lastseen.it_IT.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/lastseen.pot\n" "X-Crowdin-File-ID: 178\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/lastseen.pot\n" -"X-Crowdin-File-ID: 358\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/lastseen.nl_NL.po b/modules/po/lastseen.nl_NL.po index fa94c1eb..d3d80254 100644 --- a/modules/po/lastseen.nl_NL.po +++ b/modules/po/lastseen.nl_NL.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/lastseen.pot\n" "X-Crowdin-File-ID: 178\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/lastseen.pot\n" -"X-Crowdin-File-ID: 358\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/lastseen.pl_PL.po b/modules/po/lastseen.pl_PL.po index 7e77eea5..26f83657 100644 --- a/modules/po/lastseen.pl_PL.po +++ b/modules/po/lastseen.pl_PL.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/lastseen.pot\n" "X-Crowdin-File-ID: 178\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/lastseen.pot\n" -"X-Crowdin-File-ID: 358\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Polish\n" "Language: pl_PL\n" diff --git a/modules/po/lastseen.pt_BR.po b/modules/po/lastseen.pt_BR.po index b0457948..8cf27639 100644 --- a/modules/po/lastseen.pt_BR.po +++ b/modules/po/lastseen.pt_BR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/lastseen.pot\n" "X-Crowdin-File-ID: 178\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/lastseen.pot\n" -"X-Crowdin-File-ID: 358\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/lastseen.ru_RU.po b/modules/po/lastseen.ru_RU.po index b06a863d..a1d2fae4 100644 --- a/modules/po/lastseen.ru_RU.po +++ b/modules/po/lastseen.ru_RU.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/lastseen.pot\n" "X-Crowdin-File-ID: 178\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/lastseen.pot\n" -"X-Crowdin-File-ID: 358\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/listsockets.bg_BG.po b/modules/po/listsockets.bg_BG.po index 55acd3ca..b3846967 100644 --- a/modules/po/listsockets.bg_BG.po +++ b/modules/po/listsockets.bg_BG.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/listsockets.pot\n" "X-Crowdin-File-ID: 179\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/listsockets.pot\n" -"X-Crowdin-File-ID: 360\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/listsockets.es_ES.po b/modules/po/listsockets.es_ES.po index ee06f50f..655842c9 100644 --- a/modules/po/listsockets.es_ES.po +++ b/modules/po/listsockets.es_ES.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/listsockets.pot\n" "X-Crowdin-File-ID: 179\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/listsockets.pot\n" -"X-Crowdin-File-ID: 360\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/listsockets.fr_FR.po b/modules/po/listsockets.fr_FR.po index 9ef7a9c2..501ae9fa 100644 --- a/modules/po/listsockets.fr_FR.po +++ b/modules/po/listsockets.fr_FR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/listsockets.pot\n" "X-Crowdin-File-ID: 179\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/listsockets.pot\n" -"X-Crowdin-File-ID: 360\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/listsockets.id_ID.po b/modules/po/listsockets.id_ID.po index eec24499..993f9b3d 100644 --- a/modules/po/listsockets.id_ID.po +++ b/modules/po/listsockets.id_ID.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/listsockets.pot\n" "X-Crowdin-File-ID: 179\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/listsockets.pot\n" -"X-Crowdin-File-ID: 360\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/listsockets.it_IT.po b/modules/po/listsockets.it_IT.po index cb027523..12d60ede 100644 --- a/modules/po/listsockets.it_IT.po +++ b/modules/po/listsockets.it_IT.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/listsockets.pot\n" "X-Crowdin-File-ID: 179\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/listsockets.pot\n" -"X-Crowdin-File-ID: 360\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/listsockets.nl_NL.po b/modules/po/listsockets.nl_NL.po index 2763e1e8..babc1394 100644 --- a/modules/po/listsockets.nl_NL.po +++ b/modules/po/listsockets.nl_NL.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/listsockets.pot\n" "X-Crowdin-File-ID: 179\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/listsockets.pot\n" -"X-Crowdin-File-ID: 360\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/listsockets.pl_PL.po b/modules/po/listsockets.pl_PL.po index a9a63406..691d1d2e 100644 --- a/modules/po/listsockets.pl_PL.po +++ b/modules/po/listsockets.pl_PL.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/listsockets.pot\n" "X-Crowdin-File-ID: 179\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/listsockets.pot\n" -"X-Crowdin-File-ID: 360\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Polish\n" "Language: pl_PL\n" diff --git a/modules/po/listsockets.pt_BR.po b/modules/po/listsockets.pt_BR.po index 6d272bf3..08f7f844 100644 --- a/modules/po/listsockets.pt_BR.po +++ b/modules/po/listsockets.pt_BR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/listsockets.pot\n" "X-Crowdin-File-ID: 179\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/listsockets.pot\n" -"X-Crowdin-File-ID: 360\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/listsockets.ru_RU.po b/modules/po/listsockets.ru_RU.po index 81a71f4e..4cdbc1db 100644 --- a/modules/po/listsockets.ru_RU.po +++ b/modules/po/listsockets.ru_RU.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/listsockets.pot\n" "X-Crowdin-File-ID: 179\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/listsockets.pot\n" -"X-Crowdin-File-ID: 360\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/log.bg_BG.po b/modules/po/log.bg_BG.po index 827d26f4..84f02320 100644 --- a/modules/po/log.bg_BG.po +++ b/modules/po/log.bg_BG.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/log.pot\n" "X-Crowdin-File-ID: 180\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/log.pot\n" -"X-Crowdin-File-ID: 314\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/log.es_ES.po b/modules/po/log.es_ES.po index 280165bc..05afe9e5 100644 --- a/modules/po/log.es_ES.po +++ b/modules/po/log.es_ES.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/log.pot\n" "X-Crowdin-File-ID: 180\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/log.pot\n" -"X-Crowdin-File-ID: 314\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/log.fr_FR.po b/modules/po/log.fr_FR.po index b4f5ddcb..9370a8b5 100644 --- a/modules/po/log.fr_FR.po +++ b/modules/po/log.fr_FR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/log.pot\n" "X-Crowdin-File-ID: 180\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/log.pot\n" -"X-Crowdin-File-ID: 314\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/log.id_ID.po b/modules/po/log.id_ID.po index 750c636d..c1b54da3 100644 --- a/modules/po/log.id_ID.po +++ b/modules/po/log.id_ID.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/log.pot\n" "X-Crowdin-File-ID: 180\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/log.pot\n" -"X-Crowdin-File-ID: 314\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/log.it_IT.po b/modules/po/log.it_IT.po index cbb64235..a638f457 100644 --- a/modules/po/log.it_IT.po +++ b/modules/po/log.it_IT.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/log.pot\n" "X-Crowdin-File-ID: 180\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/log.pot\n" -"X-Crowdin-File-ID: 314\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/log.nl_NL.po b/modules/po/log.nl_NL.po index a133156b..e6242e8a 100644 --- a/modules/po/log.nl_NL.po +++ b/modules/po/log.nl_NL.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/log.pot\n" "X-Crowdin-File-ID: 180\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/log.pot\n" -"X-Crowdin-File-ID: 314\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/log.pl_PL.po b/modules/po/log.pl_PL.po index 66c73b2c..f8d2e9bd 100644 --- a/modules/po/log.pl_PL.po +++ b/modules/po/log.pl_PL.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/log.pot\n" "X-Crowdin-File-ID: 180\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/log.pot\n" -"X-Crowdin-File-ID: 314\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Polish\n" "Language: pl_PL\n" diff --git a/modules/po/log.pt_BR.po b/modules/po/log.pt_BR.po index 32a5b9f1..75462ebe 100644 --- a/modules/po/log.pt_BR.po +++ b/modules/po/log.pt_BR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/log.pot\n" "X-Crowdin-File-ID: 180\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/log.pot\n" -"X-Crowdin-File-ID: 314\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/log.ru_RU.po b/modules/po/log.ru_RU.po index e88a57ee..c6f157eb 100644 --- a/modules/po/log.ru_RU.po +++ b/modules/po/log.ru_RU.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/log.pot\n" "X-Crowdin-File-ID: 180\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/log.pot\n" -"X-Crowdin-File-ID: 314\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/missingmotd.bg_BG.po b/modules/po/missingmotd.bg_BG.po index cce76422..1500a219 100644 --- a/modules/po/missingmotd.bg_BG.po +++ b/modules/po/missingmotd.bg_BG.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/missingmotd.pot\n" "X-Crowdin-File-ID: 181\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/missingmotd.pot\n" -"X-Crowdin-File-ID: 362\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/missingmotd.es_ES.po b/modules/po/missingmotd.es_ES.po index e84a0aeb..f5235dd6 100644 --- a/modules/po/missingmotd.es_ES.po +++ b/modules/po/missingmotd.es_ES.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/missingmotd.pot\n" "X-Crowdin-File-ID: 181\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/missingmotd.pot\n" -"X-Crowdin-File-ID: 362\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/missingmotd.fr_FR.po b/modules/po/missingmotd.fr_FR.po index 36ffb75b..8ab32de1 100644 --- a/modules/po/missingmotd.fr_FR.po +++ b/modules/po/missingmotd.fr_FR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/missingmotd.pot\n" "X-Crowdin-File-ID: 181\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/missingmotd.pot\n" -"X-Crowdin-File-ID: 362\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/missingmotd.id_ID.po b/modules/po/missingmotd.id_ID.po index 2f44583b..cd3bb1fe 100644 --- a/modules/po/missingmotd.id_ID.po +++ b/modules/po/missingmotd.id_ID.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/missingmotd.pot\n" "X-Crowdin-File-ID: 181\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/missingmotd.pot\n" -"X-Crowdin-File-ID: 362\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/missingmotd.it_IT.po b/modules/po/missingmotd.it_IT.po index c5ee24b4..550bdb87 100644 --- a/modules/po/missingmotd.it_IT.po +++ b/modules/po/missingmotd.it_IT.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/missingmotd.pot\n" "X-Crowdin-File-ID: 181\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/missingmotd.pot\n" -"X-Crowdin-File-ID: 362\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/missingmotd.nl_NL.po b/modules/po/missingmotd.nl_NL.po index 32bf866d..fdf6f610 100644 --- a/modules/po/missingmotd.nl_NL.po +++ b/modules/po/missingmotd.nl_NL.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/missingmotd.pot\n" "X-Crowdin-File-ID: 181\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/missingmotd.pot\n" -"X-Crowdin-File-ID: 362\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/missingmotd.pl_PL.po b/modules/po/missingmotd.pl_PL.po index 680defc8..dcaf567c 100644 --- a/modules/po/missingmotd.pl_PL.po +++ b/modules/po/missingmotd.pl_PL.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/missingmotd.pot\n" "X-Crowdin-File-ID: 181\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/missingmotd.pot\n" -"X-Crowdin-File-ID: 362\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Polish\n" "Language: pl_PL\n" diff --git a/modules/po/missingmotd.pt_BR.po b/modules/po/missingmotd.pt_BR.po index a0ab1b47..80311402 100644 --- a/modules/po/missingmotd.pt_BR.po +++ b/modules/po/missingmotd.pt_BR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/missingmotd.pot\n" "X-Crowdin-File-ID: 181\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/missingmotd.pot\n" -"X-Crowdin-File-ID: 362\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/missingmotd.ru_RU.po b/modules/po/missingmotd.ru_RU.po index 6b3df83a..9010af6f 100644 --- a/modules/po/missingmotd.ru_RU.po +++ b/modules/po/missingmotd.ru_RU.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/missingmotd.pot\n" "X-Crowdin-File-ID: 181\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/missingmotd.pot\n" -"X-Crowdin-File-ID: 362\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/modperl.bg_BG.po b/modules/po/modperl.bg_BG.po index 3fd897a7..9f02207d 100644 --- a/modules/po/modperl.bg_BG.po +++ b/modules/po/modperl.bg_BG.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/modperl.pot\n" "X-Crowdin-File-ID: 182\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/modperl.pot\n" -"X-Crowdin-File-ID: 340\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/modperl.es_ES.po b/modules/po/modperl.es_ES.po index e25c1ec7..d7ace707 100644 --- a/modules/po/modperl.es_ES.po +++ b/modules/po/modperl.es_ES.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/modperl.pot\n" "X-Crowdin-File-ID: 182\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/modperl.pot\n" -"X-Crowdin-File-ID: 340\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/modperl.fr_FR.po b/modules/po/modperl.fr_FR.po index 01950da3..f6fbeac6 100644 --- a/modules/po/modperl.fr_FR.po +++ b/modules/po/modperl.fr_FR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/modperl.pot\n" "X-Crowdin-File-ID: 182\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/modperl.pot\n" -"X-Crowdin-File-ID: 340\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/modperl.id_ID.po b/modules/po/modperl.id_ID.po index 10890d7c..28ef7532 100644 --- a/modules/po/modperl.id_ID.po +++ b/modules/po/modperl.id_ID.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/modperl.pot\n" "X-Crowdin-File-ID: 182\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/modperl.pot\n" -"X-Crowdin-File-ID: 340\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/modperl.it_IT.po b/modules/po/modperl.it_IT.po index 788935c4..a03ea2c5 100644 --- a/modules/po/modperl.it_IT.po +++ b/modules/po/modperl.it_IT.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/modperl.pot\n" "X-Crowdin-File-ID: 182\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/modperl.pot\n" -"X-Crowdin-File-ID: 340\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/modperl.nl_NL.po b/modules/po/modperl.nl_NL.po index 20522a8e..ed2d8953 100644 --- a/modules/po/modperl.nl_NL.po +++ b/modules/po/modperl.nl_NL.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/modperl.pot\n" "X-Crowdin-File-ID: 182\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/modperl.pot\n" -"X-Crowdin-File-ID: 340\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/modperl.pl_PL.po b/modules/po/modperl.pl_PL.po index 7c1de97e..42c6196d 100644 --- a/modules/po/modperl.pl_PL.po +++ b/modules/po/modperl.pl_PL.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/modperl.pot\n" "X-Crowdin-File-ID: 182\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/modperl.pot\n" -"X-Crowdin-File-ID: 340\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Polish\n" "Language: pl_PL\n" diff --git a/modules/po/modperl.pt_BR.po b/modules/po/modperl.pt_BR.po index 328bce3c..66308b5c 100644 --- a/modules/po/modperl.pt_BR.po +++ b/modules/po/modperl.pt_BR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/modperl.pot\n" "X-Crowdin-File-ID: 182\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/modperl.pot\n" -"X-Crowdin-File-ID: 340\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/modperl.ru_RU.po b/modules/po/modperl.ru_RU.po index b5d5d7af..8ee33325 100644 --- a/modules/po/modperl.ru_RU.po +++ b/modules/po/modperl.ru_RU.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/modperl.pot\n" "X-Crowdin-File-ID: 182\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/modperl.pot\n" -"X-Crowdin-File-ID: 340\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/modpython.bg_BG.po b/modules/po/modpython.bg_BG.po index 02f44573..a202e145 100644 --- a/modules/po/modpython.bg_BG.po +++ b/modules/po/modpython.bg_BG.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/modpython.pot\n" "X-Crowdin-File-ID: 183\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/modpython.pot\n" -"X-Crowdin-File-ID: 364\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/modpython.es_ES.po b/modules/po/modpython.es_ES.po index 2417ffa6..1c6d865b 100644 --- a/modules/po/modpython.es_ES.po +++ b/modules/po/modpython.es_ES.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/modpython.pot\n" "X-Crowdin-File-ID: 183\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/modpython.pot\n" -"X-Crowdin-File-ID: 364\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/modpython.fr_FR.po b/modules/po/modpython.fr_FR.po index d0f5c57d..e7aeb582 100644 --- a/modules/po/modpython.fr_FR.po +++ b/modules/po/modpython.fr_FR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/modpython.pot\n" "X-Crowdin-File-ID: 183\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/modpython.pot\n" -"X-Crowdin-File-ID: 364\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/modpython.id_ID.po b/modules/po/modpython.id_ID.po index 6af341ad..67ce0ab3 100644 --- a/modules/po/modpython.id_ID.po +++ b/modules/po/modpython.id_ID.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/modpython.pot\n" "X-Crowdin-File-ID: 183\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/modpython.pot\n" -"X-Crowdin-File-ID: 364\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/modpython.it_IT.po b/modules/po/modpython.it_IT.po index ca3f40d0..ba31c217 100644 --- a/modules/po/modpython.it_IT.po +++ b/modules/po/modpython.it_IT.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/modpython.pot\n" "X-Crowdin-File-ID: 183\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/modpython.pot\n" -"X-Crowdin-File-ID: 364\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/modpython.nl_NL.po b/modules/po/modpython.nl_NL.po index 615bb086..3fb019a6 100644 --- a/modules/po/modpython.nl_NL.po +++ b/modules/po/modpython.nl_NL.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/modpython.pot\n" "X-Crowdin-File-ID: 183\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/modpython.pot\n" -"X-Crowdin-File-ID: 364\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/modpython.pl_PL.po b/modules/po/modpython.pl_PL.po index bdbdf7d7..13b315c4 100644 --- a/modules/po/modpython.pl_PL.po +++ b/modules/po/modpython.pl_PL.po @@ -8,21 +8,12 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/modpython.pot\n" "X-Crowdin-File-ID: 183\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/modpython.pot\n" -"X-Crowdin-File-ID: 364\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Polish\n" "Language: pl_PL\n" -<<<<<<< HEAD #: modpython.cpp:513 -======= -#: modpython.cpp:512 ->>>>>>> 1.8.x msgid "Loads python scripts as ZNC modules" msgstr "" diff --git a/modules/po/modpython.pt_BR.po b/modules/po/modpython.pt_BR.po index d1fe0311..8adafb0c 100644 --- a/modules/po/modpython.pt_BR.po +++ b/modules/po/modpython.pt_BR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/modpython.pot\n" "X-Crowdin-File-ID: 183\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/modpython.pot\n" -"X-Crowdin-File-ID: 364\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/modpython.ru_RU.po b/modules/po/modpython.ru_RU.po index fc97e570..f3a2d5c0 100644 --- a/modules/po/modpython.ru_RU.po +++ b/modules/po/modpython.ru_RU.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/modpython.pot\n" "X-Crowdin-File-ID: 183\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/modpython.pot\n" -"X-Crowdin-File-ID: 364\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/modules_online.bg_BG.po b/modules/po/modules_online.bg_BG.po index a0c0d64b..a9249329 100644 --- a/modules/po/modules_online.bg_BG.po +++ b/modules/po/modules_online.bg_BG.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/modules_online.pot\n" "X-Crowdin-File-ID: 184\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/modules_online.pot\n" -"X-Crowdin-File-ID: 366\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/modules_online.es_ES.po b/modules/po/modules_online.es_ES.po index 7a142ca4..b53a8e6a 100644 --- a/modules/po/modules_online.es_ES.po +++ b/modules/po/modules_online.es_ES.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/modules_online.pot\n" "X-Crowdin-File-ID: 184\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/modules_online.pot\n" -"X-Crowdin-File-ID: 366\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/modules_online.fr_FR.po b/modules/po/modules_online.fr_FR.po index 205223a7..fa095e27 100644 --- a/modules/po/modules_online.fr_FR.po +++ b/modules/po/modules_online.fr_FR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/modules_online.pot\n" "X-Crowdin-File-ID: 184\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/modules_online.pot\n" -"X-Crowdin-File-ID: 366\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/modules_online.id_ID.po b/modules/po/modules_online.id_ID.po index 28549df9..64457a02 100644 --- a/modules/po/modules_online.id_ID.po +++ b/modules/po/modules_online.id_ID.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/modules_online.pot\n" "X-Crowdin-File-ID: 184\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/modules_online.pot\n" -"X-Crowdin-File-ID: 366\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/modules_online.it_IT.po b/modules/po/modules_online.it_IT.po index 40fdc200..484b8e5d 100644 --- a/modules/po/modules_online.it_IT.po +++ b/modules/po/modules_online.it_IT.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/modules_online.pot\n" "X-Crowdin-File-ID: 184\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/modules_online.pot\n" -"X-Crowdin-File-ID: 366\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/modules_online.nl_NL.po b/modules/po/modules_online.nl_NL.po index 2becdf58..aac2a9dc 100644 --- a/modules/po/modules_online.nl_NL.po +++ b/modules/po/modules_online.nl_NL.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/modules_online.pot\n" "X-Crowdin-File-ID: 184\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/modules_online.pot\n" -"X-Crowdin-File-ID: 366\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/modules_online.pl_PL.po b/modules/po/modules_online.pl_PL.po index 723d5b59..69ec9c93 100644 --- a/modules/po/modules_online.pl_PL.po +++ b/modules/po/modules_online.pl_PL.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/modules_online.pot\n" "X-Crowdin-File-ID: 184\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/modules_online.pot\n" -"X-Crowdin-File-ID: 366\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Polish\n" "Language: pl_PL\n" diff --git a/modules/po/modules_online.pt_BR.po b/modules/po/modules_online.pt_BR.po index ba113945..eb4692aa 100644 --- a/modules/po/modules_online.pt_BR.po +++ b/modules/po/modules_online.pt_BR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/modules_online.pot\n" "X-Crowdin-File-ID: 184\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/modules_online.pot\n" -"X-Crowdin-File-ID: 366\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/modules_online.ru_RU.po b/modules/po/modules_online.ru_RU.po index ffe5a268..82312d2a 100644 --- a/modules/po/modules_online.ru_RU.po +++ b/modules/po/modules_online.ru_RU.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/modules_online.pot\n" "X-Crowdin-File-ID: 184\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/modules_online.pot\n" -"X-Crowdin-File-ID: 366\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/nickserv.bg_BG.po b/modules/po/nickserv.bg_BG.po index 336353cc..902f69d2 100644 --- a/modules/po/nickserv.bg_BG.po +++ b/modules/po/nickserv.bg_BG.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/nickserv.pot\n" "X-Crowdin-File-ID: 185\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/nickserv.pot\n" -"X-Crowdin-File-ID: 368\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/nickserv.es_ES.po b/modules/po/nickserv.es_ES.po index 263887f4..c4a77fba 100644 --- a/modules/po/nickserv.es_ES.po +++ b/modules/po/nickserv.es_ES.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/nickserv.pot\n" "X-Crowdin-File-ID: 185\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/nickserv.pot\n" -"X-Crowdin-File-ID: 368\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/nickserv.fr_FR.po b/modules/po/nickserv.fr_FR.po index bb05b230..de74a88e 100644 --- a/modules/po/nickserv.fr_FR.po +++ b/modules/po/nickserv.fr_FR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/nickserv.pot\n" "X-Crowdin-File-ID: 185\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/nickserv.pot\n" -"X-Crowdin-File-ID: 368\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/nickserv.id_ID.po b/modules/po/nickserv.id_ID.po index 747260b7..3cee07a4 100644 --- a/modules/po/nickserv.id_ID.po +++ b/modules/po/nickserv.id_ID.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/nickserv.pot\n" "X-Crowdin-File-ID: 185\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/nickserv.pot\n" -"X-Crowdin-File-ID: 368\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/nickserv.it_IT.po b/modules/po/nickserv.it_IT.po index 959a87a0..31455733 100644 --- a/modules/po/nickserv.it_IT.po +++ b/modules/po/nickserv.it_IT.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/nickserv.pot\n" "X-Crowdin-File-ID: 185\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/nickserv.pot\n" -"X-Crowdin-File-ID: 368\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/nickserv.nl_NL.po b/modules/po/nickserv.nl_NL.po index 943bb47f..723eb017 100644 --- a/modules/po/nickserv.nl_NL.po +++ b/modules/po/nickserv.nl_NL.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/nickserv.pot\n" "X-Crowdin-File-ID: 185\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/nickserv.pot\n" -"X-Crowdin-File-ID: 368\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/nickserv.pl_PL.po b/modules/po/nickserv.pl_PL.po index b79f5b8f..c864dbc1 100644 --- a/modules/po/nickserv.pl_PL.po +++ b/modules/po/nickserv.pl_PL.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/nickserv.pot\n" "X-Crowdin-File-ID: 185\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/nickserv.pot\n" -"X-Crowdin-File-ID: 368\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Polish\n" "Language: pl_PL\n" diff --git a/modules/po/nickserv.pt_BR.po b/modules/po/nickserv.pt_BR.po index 8ccca85f..62104726 100644 --- a/modules/po/nickserv.pt_BR.po +++ b/modules/po/nickserv.pt_BR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/nickserv.pot\n" "X-Crowdin-File-ID: 185\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/nickserv.pot\n" -"X-Crowdin-File-ID: 368\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/nickserv.ru_RU.po b/modules/po/nickserv.ru_RU.po index 0667e311..a6bee5a1 100644 --- a/modules/po/nickserv.ru_RU.po +++ b/modules/po/nickserv.ru_RU.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/nickserv.pot\n" "X-Crowdin-File-ID: 185\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/nickserv.pot\n" -"X-Crowdin-File-ID: 368\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/notes.bg_BG.po b/modules/po/notes.bg_BG.po index 36973c34..47856150 100644 --- a/modules/po/notes.bg_BG.po +++ b/modules/po/notes.bg_BG.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/notes.pot\n" "X-Crowdin-File-ID: 186\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/notes.pot\n" -"X-Crowdin-File-ID: 350\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/notes.es_ES.po b/modules/po/notes.es_ES.po index 451e1b51..25f96361 100644 --- a/modules/po/notes.es_ES.po +++ b/modules/po/notes.es_ES.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/notes.pot\n" "X-Crowdin-File-ID: 186\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/notes.pot\n" -"X-Crowdin-File-ID: 350\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/notes.fr_FR.po b/modules/po/notes.fr_FR.po index 4057fc14..d18759e8 100644 --- a/modules/po/notes.fr_FR.po +++ b/modules/po/notes.fr_FR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/notes.pot\n" "X-Crowdin-File-ID: 186\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/notes.pot\n" -"X-Crowdin-File-ID: 350\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/notes.id_ID.po b/modules/po/notes.id_ID.po index 5ee29632..98850154 100644 --- a/modules/po/notes.id_ID.po +++ b/modules/po/notes.id_ID.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/notes.pot\n" "X-Crowdin-File-ID: 186\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/notes.pot\n" -"X-Crowdin-File-ID: 350\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/notes.it_IT.po b/modules/po/notes.it_IT.po index 306cda82..622574a1 100644 --- a/modules/po/notes.it_IT.po +++ b/modules/po/notes.it_IT.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/notes.pot\n" "X-Crowdin-File-ID: 186\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/notes.pot\n" -"X-Crowdin-File-ID: 350\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/notes.nl_NL.po b/modules/po/notes.nl_NL.po index 3939b155..8aa0abf4 100644 --- a/modules/po/notes.nl_NL.po +++ b/modules/po/notes.nl_NL.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/notes.pot\n" "X-Crowdin-File-ID: 186\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/notes.pot\n" -"X-Crowdin-File-ID: 350\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/notes.pl_PL.po b/modules/po/notes.pl_PL.po index 382e9ec4..1f32107b 100644 --- a/modules/po/notes.pl_PL.po +++ b/modules/po/notes.pl_PL.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/notes.pot\n" "X-Crowdin-File-ID: 186\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/notes.pot\n" -"X-Crowdin-File-ID: 350\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Polish\n" "Language: pl_PL\n" diff --git a/modules/po/notes.pt_BR.po b/modules/po/notes.pt_BR.po index 7c456fca..cc11357e 100644 --- a/modules/po/notes.pt_BR.po +++ b/modules/po/notes.pt_BR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/notes.pot\n" "X-Crowdin-File-ID: 186\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/notes.pot\n" -"X-Crowdin-File-ID: 350\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/notes.ru_RU.po b/modules/po/notes.ru_RU.po index db4b5b74..c94c8cbf 100644 --- a/modules/po/notes.ru_RU.po +++ b/modules/po/notes.ru_RU.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/notes.pot\n" "X-Crowdin-File-ID: 186\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/notes.pot\n" -"X-Crowdin-File-ID: 350\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/notify_connect.bg_BG.po b/modules/po/notify_connect.bg_BG.po index 2c2ee5fd..f590f639 100644 --- a/modules/po/notify_connect.bg_BG.po +++ b/modules/po/notify_connect.bg_BG.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/notify_connect.pot\n" "X-Crowdin-File-ID: 187\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/notify_connect.pot\n" -"X-Crowdin-File-ID: 370\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/notify_connect.es_ES.po b/modules/po/notify_connect.es_ES.po index bed2b105..a83bce84 100644 --- a/modules/po/notify_connect.es_ES.po +++ b/modules/po/notify_connect.es_ES.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/notify_connect.pot\n" "X-Crowdin-File-ID: 187\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/notify_connect.pot\n" -"X-Crowdin-File-ID: 370\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/notify_connect.fr_FR.po b/modules/po/notify_connect.fr_FR.po index 9157e0d4..881d67da 100644 --- a/modules/po/notify_connect.fr_FR.po +++ b/modules/po/notify_connect.fr_FR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/notify_connect.pot\n" "X-Crowdin-File-ID: 187\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/notify_connect.pot\n" -"X-Crowdin-File-ID: 370\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/notify_connect.id_ID.po b/modules/po/notify_connect.id_ID.po index 24701947..2f970b02 100644 --- a/modules/po/notify_connect.id_ID.po +++ b/modules/po/notify_connect.id_ID.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/notify_connect.pot\n" "X-Crowdin-File-ID: 187\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/notify_connect.pot\n" -"X-Crowdin-File-ID: 370\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/notify_connect.it_IT.po b/modules/po/notify_connect.it_IT.po index 642a01d6..3976096f 100644 --- a/modules/po/notify_connect.it_IT.po +++ b/modules/po/notify_connect.it_IT.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/notify_connect.pot\n" "X-Crowdin-File-ID: 187\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/notify_connect.pot\n" -"X-Crowdin-File-ID: 370\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/notify_connect.nl_NL.po b/modules/po/notify_connect.nl_NL.po index 6eb55c01..9e3b9a7c 100644 --- a/modules/po/notify_connect.nl_NL.po +++ b/modules/po/notify_connect.nl_NL.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/notify_connect.pot\n" "X-Crowdin-File-ID: 187\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/notify_connect.pot\n" -"X-Crowdin-File-ID: 370\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/notify_connect.pl_PL.po b/modules/po/notify_connect.pl_PL.po index cc11e5c4..9155d40a 100644 --- a/modules/po/notify_connect.pl_PL.po +++ b/modules/po/notify_connect.pl_PL.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/notify_connect.pot\n" "X-Crowdin-File-ID: 187\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/notify_connect.pot\n" -"X-Crowdin-File-ID: 370\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Polish\n" "Language: pl_PL\n" diff --git a/modules/po/notify_connect.pt_BR.po b/modules/po/notify_connect.pt_BR.po index c107c0c6..4d62416a 100644 --- a/modules/po/notify_connect.pt_BR.po +++ b/modules/po/notify_connect.pt_BR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/notify_connect.pot\n" "X-Crowdin-File-ID: 187\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/notify_connect.pot\n" -"X-Crowdin-File-ID: 370\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/notify_connect.ru_RU.po b/modules/po/notify_connect.ru_RU.po index 13d46913..f1c5b804 100644 --- a/modules/po/notify_connect.ru_RU.po +++ b/modules/po/notify_connect.ru_RU.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/notify_connect.pot\n" "X-Crowdin-File-ID: 187\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/notify_connect.pot\n" -"X-Crowdin-File-ID: 370\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/perform.bg_BG.po b/modules/po/perform.bg_BG.po index c6d95c2d..55959c76 100644 --- a/modules/po/perform.bg_BG.po +++ b/modules/po/perform.bg_BG.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/perform.pot\n" "X-Crowdin-File-ID: 189\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/perform.pot\n" -"X-Crowdin-File-ID: 372\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/perform.es_ES.po b/modules/po/perform.es_ES.po index a9a7098e..f9f89e3a 100644 --- a/modules/po/perform.es_ES.po +++ b/modules/po/perform.es_ES.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/perform.pot\n" "X-Crowdin-File-ID: 189\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/perform.pot\n" -"X-Crowdin-File-ID: 372\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/perform.fr_FR.po b/modules/po/perform.fr_FR.po index dc5cc844..526399ba 100644 --- a/modules/po/perform.fr_FR.po +++ b/modules/po/perform.fr_FR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/perform.pot\n" "X-Crowdin-File-ID: 189\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/perform.pot\n" -"X-Crowdin-File-ID: 372\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/perform.id_ID.po b/modules/po/perform.id_ID.po index c316cf80..87f32225 100644 --- a/modules/po/perform.id_ID.po +++ b/modules/po/perform.id_ID.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/perform.pot\n" "X-Crowdin-File-ID: 189\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/perform.pot\n" -"X-Crowdin-File-ID: 372\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/perform.it_IT.po b/modules/po/perform.it_IT.po index 6536b7c6..c9bf6d9b 100644 --- a/modules/po/perform.it_IT.po +++ b/modules/po/perform.it_IT.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/perform.pot\n" "X-Crowdin-File-ID: 189\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/perform.pot\n" -"X-Crowdin-File-ID: 372\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/perform.nl_NL.po b/modules/po/perform.nl_NL.po index dd0769a5..d8c08746 100644 --- a/modules/po/perform.nl_NL.po +++ b/modules/po/perform.nl_NL.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/perform.pot\n" "X-Crowdin-File-ID: 189\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/perform.pot\n" -"X-Crowdin-File-ID: 372\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/perform.pl_PL.po b/modules/po/perform.pl_PL.po index dcb446d1..86fb98b4 100644 --- a/modules/po/perform.pl_PL.po +++ b/modules/po/perform.pl_PL.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/perform.pot\n" "X-Crowdin-File-ID: 189\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/perform.pot\n" -"X-Crowdin-File-ID: 372\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Polish\n" "Language: pl_PL\n" diff --git a/modules/po/perform.pt_BR.po b/modules/po/perform.pt_BR.po index 50cf8655..246d9321 100644 --- a/modules/po/perform.pt_BR.po +++ b/modules/po/perform.pt_BR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/perform.pot\n" "X-Crowdin-File-ID: 189\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/perform.pot\n" -"X-Crowdin-File-ID: 372\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/perform.ru_RU.po b/modules/po/perform.ru_RU.po index c46e8141..b4bab31c 100644 --- a/modules/po/perform.ru_RU.po +++ b/modules/po/perform.ru_RU.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/perform.pot\n" "X-Crowdin-File-ID: 189\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/perform.pot\n" -"X-Crowdin-File-ID: 372\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/perleval.bg_BG.po b/modules/po/perleval.bg_BG.po index af19a85d..e9c58232 100644 --- a/modules/po/perleval.bg_BG.po +++ b/modules/po/perleval.bg_BG.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/perleval.pot\n" "X-Crowdin-File-ID: 190\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/perleval.pot\n" -"X-Crowdin-File-ID: 374\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/perleval.es_ES.po b/modules/po/perleval.es_ES.po index 3113321f..9f65a730 100644 --- a/modules/po/perleval.es_ES.po +++ b/modules/po/perleval.es_ES.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/perleval.pot\n" "X-Crowdin-File-ID: 190\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/perleval.pot\n" -"X-Crowdin-File-ID: 374\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/perleval.fr_FR.po b/modules/po/perleval.fr_FR.po index 6595468f..bc02e552 100644 --- a/modules/po/perleval.fr_FR.po +++ b/modules/po/perleval.fr_FR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/perleval.pot\n" "X-Crowdin-File-ID: 190\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/perleval.pot\n" -"X-Crowdin-File-ID: 374\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/perleval.id_ID.po b/modules/po/perleval.id_ID.po index 88581e84..358a8a9a 100644 --- a/modules/po/perleval.id_ID.po +++ b/modules/po/perleval.id_ID.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/perleval.pot\n" "X-Crowdin-File-ID: 190\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/perleval.pot\n" -"X-Crowdin-File-ID: 374\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/perleval.it_IT.po b/modules/po/perleval.it_IT.po index 28f58480..9abef01d 100644 --- a/modules/po/perleval.it_IT.po +++ b/modules/po/perleval.it_IT.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/perleval.pot\n" "X-Crowdin-File-ID: 190\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/perleval.pot\n" -"X-Crowdin-File-ID: 374\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/perleval.nl_NL.po b/modules/po/perleval.nl_NL.po index a082748b..2497c70a 100644 --- a/modules/po/perleval.nl_NL.po +++ b/modules/po/perleval.nl_NL.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/perleval.pot\n" "X-Crowdin-File-ID: 190\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/perleval.pot\n" -"X-Crowdin-File-ID: 374\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/perleval.pl_PL.po b/modules/po/perleval.pl_PL.po index b1ca932c..4cfff577 100644 --- a/modules/po/perleval.pl_PL.po +++ b/modules/po/perleval.pl_PL.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/perleval.pot\n" "X-Crowdin-File-ID: 190\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/perleval.pot\n" -"X-Crowdin-File-ID: 374\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Polish\n" "Language: pl_PL\n" diff --git a/modules/po/perleval.pt_BR.po b/modules/po/perleval.pt_BR.po index 389eb47a..48023222 100644 --- a/modules/po/perleval.pt_BR.po +++ b/modules/po/perleval.pt_BR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/perleval.pot\n" "X-Crowdin-File-ID: 190\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/perleval.pot\n" -"X-Crowdin-File-ID: 374\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/perleval.ru_RU.po b/modules/po/perleval.ru_RU.po index 72e6eca0..8355feed 100644 --- a/modules/po/perleval.ru_RU.po +++ b/modules/po/perleval.ru_RU.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/perleval.pot\n" "X-Crowdin-File-ID: 190\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/perleval.pot\n" -"X-Crowdin-File-ID: 374\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/pyeval.bg_BG.po b/modules/po/pyeval.bg_BG.po index 1294396e..848f374d 100644 --- a/modules/po/pyeval.bg_BG.po +++ b/modules/po/pyeval.bg_BG.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/pyeval.pot\n" "X-Crowdin-File-ID: 191\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/pyeval.pot\n" -"X-Crowdin-File-ID: 376\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/pyeval.es_ES.po b/modules/po/pyeval.es_ES.po index 475c5b15..12a76213 100644 --- a/modules/po/pyeval.es_ES.po +++ b/modules/po/pyeval.es_ES.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/pyeval.pot\n" "X-Crowdin-File-ID: 191\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/pyeval.pot\n" -"X-Crowdin-File-ID: 376\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/pyeval.fr_FR.po b/modules/po/pyeval.fr_FR.po index c8d60231..7b9776db 100644 --- a/modules/po/pyeval.fr_FR.po +++ b/modules/po/pyeval.fr_FR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/pyeval.pot\n" "X-Crowdin-File-ID: 191\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/pyeval.pot\n" -"X-Crowdin-File-ID: 376\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/pyeval.id_ID.po b/modules/po/pyeval.id_ID.po index fcd3096b..6ff56b0b 100644 --- a/modules/po/pyeval.id_ID.po +++ b/modules/po/pyeval.id_ID.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/pyeval.pot\n" "X-Crowdin-File-ID: 191\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/pyeval.pot\n" -"X-Crowdin-File-ID: 376\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/pyeval.it_IT.po b/modules/po/pyeval.it_IT.po index 043e6856..3dc13005 100644 --- a/modules/po/pyeval.it_IT.po +++ b/modules/po/pyeval.it_IT.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/pyeval.pot\n" "X-Crowdin-File-ID: 191\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/pyeval.pot\n" -"X-Crowdin-File-ID: 376\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/pyeval.nl_NL.po b/modules/po/pyeval.nl_NL.po index f7fabfbd..543e9d0e 100644 --- a/modules/po/pyeval.nl_NL.po +++ b/modules/po/pyeval.nl_NL.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/pyeval.pot\n" "X-Crowdin-File-ID: 191\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/pyeval.pot\n" -"X-Crowdin-File-ID: 376\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/pyeval.pl_PL.po b/modules/po/pyeval.pl_PL.po index 638b0c81..f3961f05 100644 --- a/modules/po/pyeval.pl_PL.po +++ b/modules/po/pyeval.pl_PL.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/pyeval.pot\n" "X-Crowdin-File-ID: 191\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/pyeval.pot\n" -"X-Crowdin-File-ID: 376\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Polish\n" "Language: pl_PL\n" diff --git a/modules/po/pyeval.pt_BR.po b/modules/po/pyeval.pt_BR.po index acaa7976..ef36873d 100644 --- a/modules/po/pyeval.pt_BR.po +++ b/modules/po/pyeval.pt_BR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/pyeval.pot\n" "X-Crowdin-File-ID: 191\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/pyeval.pot\n" -"X-Crowdin-File-ID: 376\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/pyeval.ru_RU.po b/modules/po/pyeval.ru_RU.po index 27a9bc1f..13f55025 100644 --- a/modules/po/pyeval.ru_RU.po +++ b/modules/po/pyeval.ru_RU.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/pyeval.pot\n" "X-Crowdin-File-ID: 191\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/pyeval.pot\n" -"X-Crowdin-File-ID: 376\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/raw.bg_BG.po b/modules/po/raw.bg_BG.po index 72cf1f9a..759f6bd7 100644 --- a/modules/po/raw.bg_BG.po +++ b/modules/po/raw.bg_BG.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/raw.pot\n" "X-Crowdin-File-ID: 193\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/raw.pot\n" -"X-Crowdin-File-ID: 320\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/raw.es_ES.po b/modules/po/raw.es_ES.po index a65a4e6d..24badec3 100644 --- a/modules/po/raw.es_ES.po +++ b/modules/po/raw.es_ES.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/raw.pot\n" "X-Crowdin-File-ID: 193\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/raw.pot\n" -"X-Crowdin-File-ID: 320\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/raw.fr_FR.po b/modules/po/raw.fr_FR.po index 1e95e5af..58643842 100644 --- a/modules/po/raw.fr_FR.po +++ b/modules/po/raw.fr_FR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/raw.pot\n" "X-Crowdin-File-ID: 193\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/raw.pot\n" -"X-Crowdin-File-ID: 320\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/raw.id_ID.po b/modules/po/raw.id_ID.po index 779ddd06..9ac7ab78 100644 --- a/modules/po/raw.id_ID.po +++ b/modules/po/raw.id_ID.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/raw.pot\n" "X-Crowdin-File-ID: 193\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/raw.pot\n" -"X-Crowdin-File-ID: 320\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/raw.it_IT.po b/modules/po/raw.it_IT.po index 1f7d1d4c..46844540 100644 --- a/modules/po/raw.it_IT.po +++ b/modules/po/raw.it_IT.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/raw.pot\n" "X-Crowdin-File-ID: 193\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/raw.pot\n" -"X-Crowdin-File-ID: 320\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/raw.nl_NL.po b/modules/po/raw.nl_NL.po index cf3c62ca..8d33c0ad 100644 --- a/modules/po/raw.nl_NL.po +++ b/modules/po/raw.nl_NL.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/raw.pot\n" "X-Crowdin-File-ID: 193\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/raw.pot\n" -"X-Crowdin-File-ID: 320\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/raw.pl_PL.po b/modules/po/raw.pl_PL.po index 7b1e3a31..f63b7c9c 100644 --- a/modules/po/raw.pl_PL.po +++ b/modules/po/raw.pl_PL.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/raw.pot\n" "X-Crowdin-File-ID: 193\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/raw.pot\n" -"X-Crowdin-File-ID: 320\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Polish\n" "Language: pl_PL\n" diff --git a/modules/po/raw.pt_BR.po b/modules/po/raw.pt_BR.po index a478141d..4275586e 100644 --- a/modules/po/raw.pt_BR.po +++ b/modules/po/raw.pt_BR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/raw.pot\n" "X-Crowdin-File-ID: 193\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/raw.pot\n" -"X-Crowdin-File-ID: 320\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/raw.ru_RU.po b/modules/po/raw.ru_RU.po index 3ae08285..da8b7d27 100644 --- a/modules/po/raw.ru_RU.po +++ b/modules/po/raw.ru_RU.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/raw.pot\n" "X-Crowdin-File-ID: 193\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/raw.pot\n" -"X-Crowdin-File-ID: 320\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/route_replies.bg_BG.po b/modules/po/route_replies.bg_BG.po index 8efc0887..bb407e7f 100644 --- a/modules/po/route_replies.bg_BG.po +++ b/modules/po/route_replies.bg_BG.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/route_replies.pot\n" "X-Crowdin-File-ID: 194\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/route_replies.pot\n" -"X-Crowdin-File-ID: 378\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/route_replies.es_ES.po b/modules/po/route_replies.es_ES.po index 74404270..3b933391 100644 --- a/modules/po/route_replies.es_ES.po +++ b/modules/po/route_replies.es_ES.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/route_replies.pot\n" "X-Crowdin-File-ID: 194\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/route_replies.pot\n" -"X-Crowdin-File-ID: 378\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/route_replies.fr_FR.po b/modules/po/route_replies.fr_FR.po index 7b01c630..c6058712 100644 --- a/modules/po/route_replies.fr_FR.po +++ b/modules/po/route_replies.fr_FR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/route_replies.pot\n" "X-Crowdin-File-ID: 194\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/route_replies.pot\n" -"X-Crowdin-File-ID: 378\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/route_replies.id_ID.po b/modules/po/route_replies.id_ID.po index 56d4930f..e34033fa 100644 --- a/modules/po/route_replies.id_ID.po +++ b/modules/po/route_replies.id_ID.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/route_replies.pot\n" "X-Crowdin-File-ID: 194\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/route_replies.pot\n" -"X-Crowdin-File-ID: 378\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/route_replies.it_IT.po b/modules/po/route_replies.it_IT.po index 33ad5dca..ebb85112 100644 --- a/modules/po/route_replies.it_IT.po +++ b/modules/po/route_replies.it_IT.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/route_replies.pot\n" "X-Crowdin-File-ID: 194\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/route_replies.pot\n" -"X-Crowdin-File-ID: 378\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/route_replies.nl_NL.po b/modules/po/route_replies.nl_NL.po index d059229c..83070b1c 100644 --- a/modules/po/route_replies.nl_NL.po +++ b/modules/po/route_replies.nl_NL.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/route_replies.pot\n" "X-Crowdin-File-ID: 194\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/route_replies.pot\n" -"X-Crowdin-File-ID: 378\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/route_replies.pl_PL.po b/modules/po/route_replies.pl_PL.po index ff6b0894..57c76f5c 100644 --- a/modules/po/route_replies.pl_PL.po +++ b/modules/po/route_replies.pl_PL.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/route_replies.pot\n" "X-Crowdin-File-ID: 194\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/route_replies.pot\n" -"X-Crowdin-File-ID: 378\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Polish\n" "Language: pl_PL\n" diff --git a/modules/po/route_replies.pt_BR.po b/modules/po/route_replies.pt_BR.po index ce14be74..63e50f22 100644 --- a/modules/po/route_replies.pt_BR.po +++ b/modules/po/route_replies.pt_BR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/route_replies.pot\n" "X-Crowdin-File-ID: 194\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/route_replies.pot\n" -"X-Crowdin-File-ID: 378\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/route_replies.ru_RU.po b/modules/po/route_replies.ru_RU.po index 1d0bac12..dbfcc444 100644 --- a/modules/po/route_replies.ru_RU.po +++ b/modules/po/route_replies.ru_RU.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/route_replies.pot\n" "X-Crowdin-File-ID: 194\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/route_replies.pot\n" -"X-Crowdin-File-ID: 378\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/sample.bg_BG.po b/modules/po/sample.bg_BG.po index eaf530ba..e4c7c047 100644 --- a/modules/po/sample.bg_BG.po +++ b/modules/po/sample.bg_BG.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/sample.pot\n" "X-Crowdin-File-ID: 195\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/sample.pot\n" -"X-Crowdin-File-ID: 380\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/sample.es_ES.po b/modules/po/sample.es_ES.po index cc7a6e11..1c0c4fbd 100644 --- a/modules/po/sample.es_ES.po +++ b/modules/po/sample.es_ES.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/sample.pot\n" "X-Crowdin-File-ID: 195\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/sample.pot\n" -"X-Crowdin-File-ID: 380\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/sample.fr_FR.po b/modules/po/sample.fr_FR.po index c13f4ec3..a93358b0 100644 --- a/modules/po/sample.fr_FR.po +++ b/modules/po/sample.fr_FR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/sample.pot\n" "X-Crowdin-File-ID: 195\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/sample.pot\n" -"X-Crowdin-File-ID: 380\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/sample.id_ID.po b/modules/po/sample.id_ID.po index f96e83ec..17032ef6 100644 --- a/modules/po/sample.id_ID.po +++ b/modules/po/sample.id_ID.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/sample.pot\n" "X-Crowdin-File-ID: 195\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/sample.pot\n" -"X-Crowdin-File-ID: 380\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/sample.it_IT.po b/modules/po/sample.it_IT.po index f09fe260..3c50c8ba 100644 --- a/modules/po/sample.it_IT.po +++ b/modules/po/sample.it_IT.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/sample.pot\n" "X-Crowdin-File-ID: 195\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/sample.pot\n" -"X-Crowdin-File-ID: 380\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/sample.nl_NL.po b/modules/po/sample.nl_NL.po index f789bfd1..f6f0384e 100644 --- a/modules/po/sample.nl_NL.po +++ b/modules/po/sample.nl_NL.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/sample.pot\n" "X-Crowdin-File-ID: 195\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/sample.pot\n" -"X-Crowdin-File-ID: 380\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/sample.pl_PL.po b/modules/po/sample.pl_PL.po index 4d0bcc15..67006132 100644 --- a/modules/po/sample.pl_PL.po +++ b/modules/po/sample.pl_PL.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/sample.pot\n" "X-Crowdin-File-ID: 195\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/sample.pot\n" -"X-Crowdin-File-ID: 380\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Polish\n" "Language: pl_PL\n" diff --git a/modules/po/sample.pt_BR.po b/modules/po/sample.pt_BR.po index 4b9c4e86..011d0094 100644 --- a/modules/po/sample.pt_BR.po +++ b/modules/po/sample.pt_BR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/sample.pot\n" "X-Crowdin-File-ID: 195\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/sample.pot\n" -"X-Crowdin-File-ID: 380\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/sample.ru_RU.po b/modules/po/sample.ru_RU.po index 7b7698ef..b2fc8e3d 100644 --- a/modules/po/sample.ru_RU.po +++ b/modules/po/sample.ru_RU.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/sample.pot\n" "X-Crowdin-File-ID: 195\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/sample.pot\n" -"X-Crowdin-File-ID: 380\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/samplewebapi.bg_BG.po b/modules/po/samplewebapi.bg_BG.po index b6502d1c..361b138d 100644 --- a/modules/po/samplewebapi.bg_BG.po +++ b/modules/po/samplewebapi.bg_BG.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/samplewebapi.pot\n" "X-Crowdin-File-ID: 196\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/samplewebapi.pot\n" -"X-Crowdin-File-ID: 382\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/samplewebapi.es_ES.po b/modules/po/samplewebapi.es_ES.po index 138fe0aa..b1f8ab7e 100644 --- a/modules/po/samplewebapi.es_ES.po +++ b/modules/po/samplewebapi.es_ES.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/samplewebapi.pot\n" "X-Crowdin-File-ID: 196\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/samplewebapi.pot\n" -"X-Crowdin-File-ID: 382\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/samplewebapi.fr_FR.po b/modules/po/samplewebapi.fr_FR.po index b3c874ba..147abe93 100644 --- a/modules/po/samplewebapi.fr_FR.po +++ b/modules/po/samplewebapi.fr_FR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/samplewebapi.pot\n" "X-Crowdin-File-ID: 196\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/samplewebapi.pot\n" -"X-Crowdin-File-ID: 382\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/samplewebapi.id_ID.po b/modules/po/samplewebapi.id_ID.po index a12613e1..449e0f48 100644 --- a/modules/po/samplewebapi.id_ID.po +++ b/modules/po/samplewebapi.id_ID.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/samplewebapi.pot\n" "X-Crowdin-File-ID: 196\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/samplewebapi.pot\n" -"X-Crowdin-File-ID: 382\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/samplewebapi.it_IT.po b/modules/po/samplewebapi.it_IT.po index a8274775..163b4858 100644 --- a/modules/po/samplewebapi.it_IT.po +++ b/modules/po/samplewebapi.it_IT.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/samplewebapi.pot\n" "X-Crowdin-File-ID: 196\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/samplewebapi.pot\n" -"X-Crowdin-File-ID: 382\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/samplewebapi.nl_NL.po b/modules/po/samplewebapi.nl_NL.po index aebc82f4..0103896d 100644 --- a/modules/po/samplewebapi.nl_NL.po +++ b/modules/po/samplewebapi.nl_NL.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/samplewebapi.pot\n" "X-Crowdin-File-ID: 196\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/samplewebapi.pot\n" -"X-Crowdin-File-ID: 382\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/samplewebapi.pl_PL.po b/modules/po/samplewebapi.pl_PL.po index 0acc413d..731afa87 100644 --- a/modules/po/samplewebapi.pl_PL.po +++ b/modules/po/samplewebapi.pl_PL.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/samplewebapi.pot\n" "X-Crowdin-File-ID: 196\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/samplewebapi.pot\n" -"X-Crowdin-File-ID: 382\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Polish\n" "Language: pl_PL\n" diff --git a/modules/po/samplewebapi.pt_BR.po b/modules/po/samplewebapi.pt_BR.po index 0dd81910..b6f0d482 100644 --- a/modules/po/samplewebapi.pt_BR.po +++ b/modules/po/samplewebapi.pt_BR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/samplewebapi.pot\n" "X-Crowdin-File-ID: 196\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/samplewebapi.pot\n" -"X-Crowdin-File-ID: 382\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/samplewebapi.ru_RU.po b/modules/po/samplewebapi.ru_RU.po index d883a1e0..04467ac9 100644 --- a/modules/po/samplewebapi.ru_RU.po +++ b/modules/po/samplewebapi.ru_RU.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/samplewebapi.pot\n" "X-Crowdin-File-ID: 196\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/samplewebapi.pot\n" -"X-Crowdin-File-ID: 382\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/sasl.bg_BG.po b/modules/po/sasl.bg_BG.po index 87c1767a..d898b9a2 100644 --- a/modules/po/sasl.bg_BG.po +++ b/modules/po/sasl.bg_BG.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/sasl.pot\n" "X-Crowdin-File-ID: 197\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/sasl.pot\n" -"X-Crowdin-File-ID: 384\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/sasl.es_ES.po b/modules/po/sasl.es_ES.po index 4a470962..ac778e0d 100644 --- a/modules/po/sasl.es_ES.po +++ b/modules/po/sasl.es_ES.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/sasl.pot\n" "X-Crowdin-File-ID: 197\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/sasl.pot\n" -"X-Crowdin-File-ID: 384\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/sasl.fr_FR.po b/modules/po/sasl.fr_FR.po index c2e63e37..14db9a8e 100644 --- a/modules/po/sasl.fr_FR.po +++ b/modules/po/sasl.fr_FR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/sasl.pot\n" "X-Crowdin-File-ID: 197\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/sasl.pot\n" -"X-Crowdin-File-ID: 384\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/sasl.id_ID.po b/modules/po/sasl.id_ID.po index 3f4eb6c0..cf7fffdc 100644 --- a/modules/po/sasl.id_ID.po +++ b/modules/po/sasl.id_ID.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/sasl.pot\n" "X-Crowdin-File-ID: 197\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/sasl.pot\n" -"X-Crowdin-File-ID: 384\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/sasl.it_IT.po b/modules/po/sasl.it_IT.po index ae0e9399..b6aba7be 100644 --- a/modules/po/sasl.it_IT.po +++ b/modules/po/sasl.it_IT.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/sasl.pot\n" "X-Crowdin-File-ID: 197\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/sasl.pot\n" -"X-Crowdin-File-ID: 384\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/sasl.nl_NL.po b/modules/po/sasl.nl_NL.po index 0210d926..714d1753 100644 --- a/modules/po/sasl.nl_NL.po +++ b/modules/po/sasl.nl_NL.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/sasl.pot\n" "X-Crowdin-File-ID: 197\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/sasl.pot\n" -"X-Crowdin-File-ID: 384\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/sasl.pl_PL.po b/modules/po/sasl.pl_PL.po index 35fc6d07..9606c50a 100644 --- a/modules/po/sasl.pl_PL.po +++ b/modules/po/sasl.pl_PL.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/sasl.pot\n" "X-Crowdin-File-ID: 197\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/sasl.pot\n" -"X-Crowdin-File-ID: 384\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Polish\n" "Language: pl_PL\n" diff --git a/modules/po/sasl.pt_BR.po b/modules/po/sasl.pt_BR.po index f8eb8242..9197a66b 100644 --- a/modules/po/sasl.pt_BR.po +++ b/modules/po/sasl.pt_BR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/sasl.pot\n" "X-Crowdin-File-ID: 197\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/sasl.pot\n" -"X-Crowdin-File-ID: 384\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/sasl.ru_RU.po b/modules/po/sasl.ru_RU.po index 33b34148..b8e9d533 100644 --- a/modules/po/sasl.ru_RU.po +++ b/modules/po/sasl.ru_RU.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/sasl.pot\n" "X-Crowdin-File-ID: 197\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/sasl.pot\n" -"X-Crowdin-File-ID: 384\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/savebuff.bg_BG.po b/modules/po/savebuff.bg_BG.po index f880aa55..33bed609 100644 --- a/modules/po/savebuff.bg_BG.po +++ b/modules/po/savebuff.bg_BG.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/savebuff.pot\n" "X-Crowdin-File-ID: 198\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/savebuff.pot\n" -"X-Crowdin-File-ID: 386\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/savebuff.es_ES.po b/modules/po/savebuff.es_ES.po index 5fb7d759..90a2b5d3 100644 --- a/modules/po/savebuff.es_ES.po +++ b/modules/po/savebuff.es_ES.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/savebuff.pot\n" "X-Crowdin-File-ID: 198\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/savebuff.pot\n" -"X-Crowdin-File-ID: 386\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/savebuff.fr_FR.po b/modules/po/savebuff.fr_FR.po index cf4c2ece..8e51acbc 100644 --- a/modules/po/savebuff.fr_FR.po +++ b/modules/po/savebuff.fr_FR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/savebuff.pot\n" "X-Crowdin-File-ID: 198\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/savebuff.pot\n" -"X-Crowdin-File-ID: 386\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/savebuff.id_ID.po b/modules/po/savebuff.id_ID.po index 33135a0d..d3e8b522 100644 --- a/modules/po/savebuff.id_ID.po +++ b/modules/po/savebuff.id_ID.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/savebuff.pot\n" "X-Crowdin-File-ID: 198\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/savebuff.pot\n" -"X-Crowdin-File-ID: 386\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/savebuff.it_IT.po b/modules/po/savebuff.it_IT.po index 324c992a..0bb0641d 100644 --- a/modules/po/savebuff.it_IT.po +++ b/modules/po/savebuff.it_IT.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/savebuff.pot\n" "X-Crowdin-File-ID: 198\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/savebuff.pot\n" -"X-Crowdin-File-ID: 386\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/savebuff.nl_NL.po b/modules/po/savebuff.nl_NL.po index 6faf6b4e..759b2e9e 100644 --- a/modules/po/savebuff.nl_NL.po +++ b/modules/po/savebuff.nl_NL.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/savebuff.pot\n" "X-Crowdin-File-ID: 198\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/savebuff.pot\n" -"X-Crowdin-File-ID: 386\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/savebuff.pl_PL.po b/modules/po/savebuff.pl_PL.po index 5fa8e12d..157ecd2f 100644 --- a/modules/po/savebuff.pl_PL.po +++ b/modules/po/savebuff.pl_PL.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/savebuff.pot\n" "X-Crowdin-File-ID: 198\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/savebuff.pot\n" -"X-Crowdin-File-ID: 386\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Polish\n" "Language: pl_PL\n" diff --git a/modules/po/savebuff.pt_BR.po b/modules/po/savebuff.pt_BR.po index 4ef8fc5c..dc756ffc 100644 --- a/modules/po/savebuff.pt_BR.po +++ b/modules/po/savebuff.pt_BR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/savebuff.pot\n" "X-Crowdin-File-ID: 198\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/savebuff.pot\n" -"X-Crowdin-File-ID: 386\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/savebuff.ru_RU.po b/modules/po/savebuff.ru_RU.po index 85d6235f..4236d64c 100644 --- a/modules/po/savebuff.ru_RU.po +++ b/modules/po/savebuff.ru_RU.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/savebuff.pot\n" "X-Crowdin-File-ID: 198\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/savebuff.pot\n" -"X-Crowdin-File-ID: 386\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/send_raw.bg_BG.po b/modules/po/send_raw.bg_BG.po index c3986755..c99b5a13 100644 --- a/modules/po/send_raw.bg_BG.po +++ b/modules/po/send_raw.bg_BG.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/send_raw.pot\n" "X-Crowdin-File-ID: 199\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/send_raw.pot\n" -"X-Crowdin-File-ID: 388\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/send_raw.es_ES.po b/modules/po/send_raw.es_ES.po index 4a1fae36..e771ee77 100644 --- a/modules/po/send_raw.es_ES.po +++ b/modules/po/send_raw.es_ES.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/send_raw.pot\n" "X-Crowdin-File-ID: 199\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/send_raw.pot\n" -"X-Crowdin-File-ID: 388\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/send_raw.fr_FR.po b/modules/po/send_raw.fr_FR.po index 85aa7773..f8ec5887 100644 --- a/modules/po/send_raw.fr_FR.po +++ b/modules/po/send_raw.fr_FR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/send_raw.pot\n" "X-Crowdin-File-ID: 199\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/send_raw.pot\n" -"X-Crowdin-File-ID: 388\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/send_raw.id_ID.po b/modules/po/send_raw.id_ID.po index 0340552c..aa609e5a 100644 --- a/modules/po/send_raw.id_ID.po +++ b/modules/po/send_raw.id_ID.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/send_raw.pot\n" "X-Crowdin-File-ID: 199\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/send_raw.pot\n" -"X-Crowdin-File-ID: 388\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/send_raw.it_IT.po b/modules/po/send_raw.it_IT.po index 709fc069..b2c3a7e4 100644 --- a/modules/po/send_raw.it_IT.po +++ b/modules/po/send_raw.it_IT.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/send_raw.pot\n" "X-Crowdin-File-ID: 199\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/send_raw.pot\n" -"X-Crowdin-File-ID: 388\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/send_raw.nl_NL.po b/modules/po/send_raw.nl_NL.po index 43abcf3f..f7d435cc 100644 --- a/modules/po/send_raw.nl_NL.po +++ b/modules/po/send_raw.nl_NL.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/send_raw.pot\n" "X-Crowdin-File-ID: 199\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/send_raw.pot\n" -"X-Crowdin-File-ID: 388\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/send_raw.pl_PL.po b/modules/po/send_raw.pl_PL.po index ea2aeaac..ebca335f 100644 --- a/modules/po/send_raw.pl_PL.po +++ b/modules/po/send_raw.pl_PL.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/send_raw.pot\n" "X-Crowdin-File-ID: 199\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/send_raw.pot\n" -"X-Crowdin-File-ID: 388\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Polish\n" "Language: pl_PL\n" diff --git a/modules/po/send_raw.pt_BR.po b/modules/po/send_raw.pt_BR.po index 2448a16c..778b9e78 100644 --- a/modules/po/send_raw.pt_BR.po +++ b/modules/po/send_raw.pt_BR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/send_raw.pot\n" "X-Crowdin-File-ID: 199\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/send_raw.pot\n" -"X-Crowdin-File-ID: 388\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/send_raw.ru_RU.po b/modules/po/send_raw.ru_RU.po index bc88712a..62b4b66f 100644 --- a/modules/po/send_raw.ru_RU.po +++ b/modules/po/send_raw.ru_RU.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/send_raw.pot\n" "X-Crowdin-File-ID: 199\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/send_raw.pot\n" -"X-Crowdin-File-ID: 388\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/shell.bg_BG.po b/modules/po/shell.bg_BG.po index 56e72b69..76c66891 100644 --- a/modules/po/shell.bg_BG.po +++ b/modules/po/shell.bg_BG.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/shell.pot\n" "X-Crowdin-File-ID: 200\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/shell.pot\n" -"X-Crowdin-File-ID: 390\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/shell.es_ES.po b/modules/po/shell.es_ES.po index c3e66385..8e344a10 100644 --- a/modules/po/shell.es_ES.po +++ b/modules/po/shell.es_ES.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/shell.pot\n" "X-Crowdin-File-ID: 200\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/shell.pot\n" -"X-Crowdin-File-ID: 390\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/shell.fr_FR.po b/modules/po/shell.fr_FR.po index 539430bd..c946f9e0 100644 --- a/modules/po/shell.fr_FR.po +++ b/modules/po/shell.fr_FR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/shell.pot\n" "X-Crowdin-File-ID: 200\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/shell.pot\n" -"X-Crowdin-File-ID: 390\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/shell.id_ID.po b/modules/po/shell.id_ID.po index 34ee5b1b..93518d04 100644 --- a/modules/po/shell.id_ID.po +++ b/modules/po/shell.id_ID.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/shell.pot\n" "X-Crowdin-File-ID: 200\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/shell.pot\n" -"X-Crowdin-File-ID: 390\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/shell.it_IT.po b/modules/po/shell.it_IT.po index 3bd0bba4..b825cb51 100644 --- a/modules/po/shell.it_IT.po +++ b/modules/po/shell.it_IT.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/shell.pot\n" "X-Crowdin-File-ID: 200\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/shell.pot\n" -"X-Crowdin-File-ID: 390\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/shell.nl_NL.po b/modules/po/shell.nl_NL.po index a745612b..acbce2e0 100644 --- a/modules/po/shell.nl_NL.po +++ b/modules/po/shell.nl_NL.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/shell.pot\n" "X-Crowdin-File-ID: 200\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/shell.pot\n" -"X-Crowdin-File-ID: 390\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/shell.pl_PL.po b/modules/po/shell.pl_PL.po index fb7abdf1..dd63d3c4 100644 --- a/modules/po/shell.pl_PL.po +++ b/modules/po/shell.pl_PL.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/shell.pot\n" "X-Crowdin-File-ID: 200\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/shell.pot\n" -"X-Crowdin-File-ID: 390\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Polish\n" "Language: pl_PL\n" diff --git a/modules/po/shell.pt_BR.po b/modules/po/shell.pt_BR.po index 41e540d6..f320da16 100644 --- a/modules/po/shell.pt_BR.po +++ b/modules/po/shell.pt_BR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/shell.pot\n" "X-Crowdin-File-ID: 200\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/shell.pot\n" -"X-Crowdin-File-ID: 390\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/shell.ru_RU.po b/modules/po/shell.ru_RU.po index a087c46d..17101efb 100644 --- a/modules/po/shell.ru_RU.po +++ b/modules/po/shell.ru_RU.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/shell.pot\n" "X-Crowdin-File-ID: 200\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/shell.pot\n" -"X-Crowdin-File-ID: 390\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/simple_away.bg_BG.po b/modules/po/simple_away.bg_BG.po index ede2533a..f7c00101 100644 --- a/modules/po/simple_away.bg_BG.po +++ b/modules/po/simple_away.bg_BG.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/simple_away.pot\n" "X-Crowdin-File-ID: 201\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/simple_away.pot\n" -"X-Crowdin-File-ID: 392\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/simple_away.es_ES.po b/modules/po/simple_away.es_ES.po index 51894376..70f491d4 100644 --- a/modules/po/simple_away.es_ES.po +++ b/modules/po/simple_away.es_ES.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/simple_away.pot\n" "X-Crowdin-File-ID: 201\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/simple_away.pot\n" -"X-Crowdin-File-ID: 392\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/simple_away.fr_FR.po b/modules/po/simple_away.fr_FR.po index 3993f12e..2785a515 100644 --- a/modules/po/simple_away.fr_FR.po +++ b/modules/po/simple_away.fr_FR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/simple_away.pot\n" "X-Crowdin-File-ID: 201\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/simple_away.pot\n" -"X-Crowdin-File-ID: 392\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/simple_away.id_ID.po b/modules/po/simple_away.id_ID.po index 003abf5b..3aee727d 100644 --- a/modules/po/simple_away.id_ID.po +++ b/modules/po/simple_away.id_ID.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/simple_away.pot\n" "X-Crowdin-File-ID: 201\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/simple_away.pot\n" -"X-Crowdin-File-ID: 392\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/simple_away.it_IT.po b/modules/po/simple_away.it_IT.po index 3b37673d..4b21a224 100644 --- a/modules/po/simple_away.it_IT.po +++ b/modules/po/simple_away.it_IT.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/simple_away.pot\n" "X-Crowdin-File-ID: 201\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/simple_away.pot\n" -"X-Crowdin-File-ID: 392\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/simple_away.nl_NL.po b/modules/po/simple_away.nl_NL.po index c8d2f650..cf568bc8 100644 --- a/modules/po/simple_away.nl_NL.po +++ b/modules/po/simple_away.nl_NL.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/simple_away.pot\n" "X-Crowdin-File-ID: 201\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/simple_away.pot\n" -"X-Crowdin-File-ID: 392\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/simple_away.pl_PL.po b/modules/po/simple_away.pl_PL.po index 23d33c2e..71dce0e5 100644 --- a/modules/po/simple_away.pl_PL.po +++ b/modules/po/simple_away.pl_PL.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/simple_away.pot\n" "X-Crowdin-File-ID: 201\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/simple_away.pot\n" -"X-Crowdin-File-ID: 392\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Polish\n" "Language: pl_PL\n" diff --git a/modules/po/simple_away.pt_BR.po b/modules/po/simple_away.pt_BR.po index 2c814d47..da28dabb 100644 --- a/modules/po/simple_away.pt_BR.po +++ b/modules/po/simple_away.pt_BR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/simple_away.pot\n" "X-Crowdin-File-ID: 201\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/simple_away.pot\n" -"X-Crowdin-File-ID: 392\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/simple_away.ru_RU.po b/modules/po/simple_away.ru_RU.po index 0f7cf14d..896cbda7 100644 --- a/modules/po/simple_away.ru_RU.po +++ b/modules/po/simple_away.ru_RU.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/simple_away.pot\n" "X-Crowdin-File-ID: 201\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/simple_away.pot\n" -"X-Crowdin-File-ID: 392\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/stickychan.bg_BG.po b/modules/po/stickychan.bg_BG.po index d4da716c..375ef818 100644 --- a/modules/po/stickychan.bg_BG.po +++ b/modules/po/stickychan.bg_BG.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/stickychan.pot\n" "X-Crowdin-File-ID: 202\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/stickychan.pot\n" -"X-Crowdin-File-ID: 394\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/stickychan.es_ES.po b/modules/po/stickychan.es_ES.po index 3785bbe6..29c5a608 100644 --- a/modules/po/stickychan.es_ES.po +++ b/modules/po/stickychan.es_ES.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/stickychan.pot\n" "X-Crowdin-File-ID: 202\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/stickychan.pot\n" -"X-Crowdin-File-ID: 394\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/stickychan.fr_FR.po b/modules/po/stickychan.fr_FR.po index 78b83792..8d4b7975 100644 --- a/modules/po/stickychan.fr_FR.po +++ b/modules/po/stickychan.fr_FR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/stickychan.pot\n" "X-Crowdin-File-ID: 202\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/stickychan.pot\n" -"X-Crowdin-File-ID: 394\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/stickychan.id_ID.po b/modules/po/stickychan.id_ID.po index 54a65e76..689bd71e 100644 --- a/modules/po/stickychan.id_ID.po +++ b/modules/po/stickychan.id_ID.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/stickychan.pot\n" "X-Crowdin-File-ID: 202\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/stickychan.pot\n" -"X-Crowdin-File-ID: 394\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/stickychan.it_IT.po b/modules/po/stickychan.it_IT.po index be531072..ea47bf9f 100644 --- a/modules/po/stickychan.it_IT.po +++ b/modules/po/stickychan.it_IT.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/stickychan.pot\n" "X-Crowdin-File-ID: 202\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/stickychan.pot\n" -"X-Crowdin-File-ID: 394\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/stickychan.nl_NL.po b/modules/po/stickychan.nl_NL.po index 7acf5c86..664aaa7d 100644 --- a/modules/po/stickychan.nl_NL.po +++ b/modules/po/stickychan.nl_NL.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/stickychan.pot\n" "X-Crowdin-File-ID: 202\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/stickychan.pot\n" -"X-Crowdin-File-ID: 394\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/stickychan.pl_PL.po b/modules/po/stickychan.pl_PL.po index d34dd46b..a03b766d 100644 --- a/modules/po/stickychan.pl_PL.po +++ b/modules/po/stickychan.pl_PL.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/stickychan.pot\n" "X-Crowdin-File-ID: 202\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/stickychan.pot\n" -"X-Crowdin-File-ID: 394\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Polish\n" "Language: pl_PL\n" diff --git a/modules/po/stickychan.pt_BR.po b/modules/po/stickychan.pt_BR.po index 7594d7e2..f443e8ab 100644 --- a/modules/po/stickychan.pt_BR.po +++ b/modules/po/stickychan.pt_BR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/stickychan.pot\n" "X-Crowdin-File-ID: 202\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/stickychan.pot\n" -"X-Crowdin-File-ID: 394\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/stickychan.ru_RU.po b/modules/po/stickychan.ru_RU.po index d5a11dea..b387623e 100644 --- a/modules/po/stickychan.ru_RU.po +++ b/modules/po/stickychan.ru_RU.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/stickychan.pot\n" "X-Crowdin-File-ID: 202\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/stickychan.pot\n" -"X-Crowdin-File-ID: 394\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/stripcontrols.bg_BG.po b/modules/po/stripcontrols.bg_BG.po index b262d062..d711a6e5 100644 --- a/modules/po/stripcontrols.bg_BG.po +++ b/modules/po/stripcontrols.bg_BG.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/stripcontrols.pot\n" "X-Crowdin-File-ID: 203\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/stripcontrols.pot\n" -"X-Crowdin-File-ID: 398\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/stripcontrols.es_ES.po b/modules/po/stripcontrols.es_ES.po index 63827d3c..a934a5ee 100644 --- a/modules/po/stripcontrols.es_ES.po +++ b/modules/po/stripcontrols.es_ES.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/stripcontrols.pot\n" "X-Crowdin-File-ID: 203\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/stripcontrols.pot\n" -"X-Crowdin-File-ID: 398\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/stripcontrols.fr_FR.po b/modules/po/stripcontrols.fr_FR.po index f121f0e2..1b5ba780 100644 --- a/modules/po/stripcontrols.fr_FR.po +++ b/modules/po/stripcontrols.fr_FR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/stripcontrols.pot\n" "X-Crowdin-File-ID: 203\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/stripcontrols.pot\n" -"X-Crowdin-File-ID: 398\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/stripcontrols.id_ID.po b/modules/po/stripcontrols.id_ID.po index 9be07e7a..8904b06c 100644 --- a/modules/po/stripcontrols.id_ID.po +++ b/modules/po/stripcontrols.id_ID.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/stripcontrols.pot\n" "X-Crowdin-File-ID: 203\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/stripcontrols.pot\n" -"X-Crowdin-File-ID: 398\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/stripcontrols.it_IT.po b/modules/po/stripcontrols.it_IT.po index 6bf29fee..50c10aa2 100644 --- a/modules/po/stripcontrols.it_IT.po +++ b/modules/po/stripcontrols.it_IT.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/stripcontrols.pot\n" "X-Crowdin-File-ID: 203\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/stripcontrols.pot\n" -"X-Crowdin-File-ID: 398\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/stripcontrols.nl_NL.po b/modules/po/stripcontrols.nl_NL.po index 0576373b..54d3d17c 100644 --- a/modules/po/stripcontrols.nl_NL.po +++ b/modules/po/stripcontrols.nl_NL.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/stripcontrols.pot\n" "X-Crowdin-File-ID: 203\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/stripcontrols.pot\n" -"X-Crowdin-File-ID: 398\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/stripcontrols.pl_PL.po b/modules/po/stripcontrols.pl_PL.po index edab96f0..81001f83 100644 --- a/modules/po/stripcontrols.pl_PL.po +++ b/modules/po/stripcontrols.pl_PL.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/stripcontrols.pot\n" "X-Crowdin-File-ID: 203\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/stripcontrols.pot\n" -"X-Crowdin-File-ID: 398\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Polish\n" "Language: pl_PL\n" diff --git a/modules/po/stripcontrols.pt_BR.po b/modules/po/stripcontrols.pt_BR.po index 09674abf..cb8a91c1 100644 --- a/modules/po/stripcontrols.pt_BR.po +++ b/modules/po/stripcontrols.pt_BR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/stripcontrols.pot\n" "X-Crowdin-File-ID: 203\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/stripcontrols.pot\n" -"X-Crowdin-File-ID: 398\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/stripcontrols.ru_RU.po b/modules/po/stripcontrols.ru_RU.po index b54ba59a..70020166 100644 --- a/modules/po/stripcontrols.ru_RU.po +++ b/modules/po/stripcontrols.ru_RU.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/stripcontrols.pot\n" "X-Crowdin-File-ID: 203\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/stripcontrols.pot\n" -"X-Crowdin-File-ID: 398\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/watch.bg_BG.po b/modules/po/watch.bg_BG.po index c73ef112..e6f9a61f 100644 --- a/modules/po/watch.bg_BG.po +++ b/modules/po/watch.bg_BG.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/watch.pot\n" "X-Crowdin-File-ID: 204\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/watch.pot\n" -"X-Crowdin-File-ID: 396\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/watch.es_ES.po b/modules/po/watch.es_ES.po index 4af10a9e..73effead 100644 --- a/modules/po/watch.es_ES.po +++ b/modules/po/watch.es_ES.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/watch.pot\n" "X-Crowdin-File-ID: 204\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/watch.pot\n" -"X-Crowdin-File-ID: 396\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/watch.fr_FR.po b/modules/po/watch.fr_FR.po index f9708148..ce7af1b9 100644 --- a/modules/po/watch.fr_FR.po +++ b/modules/po/watch.fr_FR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/watch.pot\n" "X-Crowdin-File-ID: 204\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/watch.pot\n" -"X-Crowdin-File-ID: 396\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/watch.id_ID.po b/modules/po/watch.id_ID.po index 4ca9a1b1..95e188dd 100644 --- a/modules/po/watch.id_ID.po +++ b/modules/po/watch.id_ID.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/watch.pot\n" "X-Crowdin-File-ID: 204\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/watch.pot\n" -"X-Crowdin-File-ID: 396\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/watch.it_IT.po b/modules/po/watch.it_IT.po index c37098ab..3d3e4cf6 100644 --- a/modules/po/watch.it_IT.po +++ b/modules/po/watch.it_IT.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/watch.pot\n" "X-Crowdin-File-ID: 204\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/watch.pot\n" -"X-Crowdin-File-ID: 396\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/watch.nl_NL.po b/modules/po/watch.nl_NL.po index 4665aeaa..872c2086 100644 --- a/modules/po/watch.nl_NL.po +++ b/modules/po/watch.nl_NL.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/watch.pot\n" "X-Crowdin-File-ID: 204\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/watch.pot\n" -"X-Crowdin-File-ID: 396\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/watch.pl_PL.po b/modules/po/watch.pl_PL.po index 40109109..7bd3ba79 100644 --- a/modules/po/watch.pl_PL.po +++ b/modules/po/watch.pl_PL.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/watch.pot\n" "X-Crowdin-File-ID: 204\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/watch.pot\n" -"X-Crowdin-File-ID: 396\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Polish\n" "Language: pl_PL\n" diff --git a/modules/po/watch.pt_BR.po b/modules/po/watch.pt_BR.po index 3477fe0d..b39abe50 100644 --- a/modules/po/watch.pt_BR.po +++ b/modules/po/watch.pt_BR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/watch.pot\n" "X-Crowdin-File-ID: 204\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/watch.pot\n" -"X-Crowdin-File-ID: 396\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/watch.ru_RU.po b/modules/po/watch.ru_RU.po index cede33c7..1f8a4777 100644 --- a/modules/po/watch.ru_RU.po +++ b/modules/po/watch.ru_RU.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/watch.pot\n" "X-Crowdin-File-ID: 204\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/watch.pot\n" -"X-Crowdin-File-ID: 396\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/modules/po/webadmin.bg_BG.po b/modules/po/webadmin.bg_BG.po index 4734e776..34003085 100644 --- a/modules/po/webadmin.bg_BG.po +++ b/modules/po/webadmin.bg_BG.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/webadmin.pot\n" "X-Crowdin-File-ID: 205\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/webadmin.pot\n" -"X-Crowdin-File-ID: 400\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/modules/po/webadmin.es_ES.po b/modules/po/webadmin.es_ES.po index 82432061..6b048b25 100644 --- a/modules/po/webadmin.es_ES.po +++ b/modules/po/webadmin.es_ES.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/webadmin.pot\n" "X-Crowdin-File-ID: 205\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/webadmin.pot\n" -"X-Crowdin-File-ID: 400\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/modules/po/webadmin.fr_FR.po b/modules/po/webadmin.fr_FR.po index 6094628d..506c0b66 100644 --- a/modules/po/webadmin.fr_FR.po +++ b/modules/po/webadmin.fr_FR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/webadmin.pot\n" "X-Crowdin-File-ID: 205\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/webadmin.pot\n" -"X-Crowdin-File-ID: 400\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/modules/po/webadmin.id_ID.po b/modules/po/webadmin.id_ID.po index 4c258542..3ca4da6e 100644 --- a/modules/po/webadmin.id_ID.po +++ b/modules/po/webadmin.id_ID.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/webadmin.pot\n" "X-Crowdin-File-ID: 205\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/webadmin.pot\n" -"X-Crowdin-File-ID: 400\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/modules/po/webadmin.it_IT.po b/modules/po/webadmin.it_IT.po index 6c714800..552ec006 100644 --- a/modules/po/webadmin.it_IT.po +++ b/modules/po/webadmin.it_IT.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/webadmin.pot\n" "X-Crowdin-File-ID: 205\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/webadmin.pot\n" -"X-Crowdin-File-ID: 400\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/modules/po/webadmin.nl_NL.po b/modules/po/webadmin.nl_NL.po index 585b9ad7..60b1cd68 100644 --- a/modules/po/webadmin.nl_NL.po +++ b/modules/po/webadmin.nl_NL.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/webadmin.pot\n" "X-Crowdin-File-ID: 205\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/webadmin.pot\n" -"X-Crowdin-File-ID: 400\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/modules/po/webadmin.pl_PL.po b/modules/po/webadmin.pl_PL.po index ac334c3a..e658d179 100644 --- a/modules/po/webadmin.pl_PL.po +++ b/modules/po/webadmin.pl_PL.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/webadmin.pot\n" "X-Crowdin-File-ID: 205\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/webadmin.pot\n" -"X-Crowdin-File-ID: 400\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Polish\n" "Language: pl_PL\n" diff --git a/modules/po/webadmin.pt_BR.po b/modules/po/webadmin.pt_BR.po index d511fc75..30420399 100644 --- a/modules/po/webadmin.pt_BR.po +++ b/modules/po/webadmin.pt_BR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/webadmin.pot\n" "X-Crowdin-File-ID: 205\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/webadmin.pot\n" -"X-Crowdin-File-ID: 400\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/modules/po/webadmin.ru_RU.po b/modules/po/webadmin.ru_RU.po index cee5a0ee..38416529 100644 --- a/modules/po/webadmin.ru_RU.po +++ b/modules/po/webadmin.ru_RU.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" -<<<<<<< HEAD "X-Crowdin-File: /master/modules/po/webadmin.pot\n" "X-Crowdin-File-ID: 205\n" -======= -"X-Crowdin-File: /1.8.x/modules/po/webadmin.pot\n" -"X-Crowdin-File-ID: 400\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" diff --git a/src/po/znc.bg_BG.po b/src/po/znc.bg_BG.po index 1d4016a4..8d95a11a 100644 --- a/src/po/znc.bg_BG.po +++ b/src/po/znc.bg_BG.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: bg\n" -<<<<<<< HEAD "X-Crowdin-File: /master/src/po/znc.pot\n" "X-Crowdin-File-ID: 146\n" -======= -"X-Crowdin-File: /1.8.x/src/po/znc.pot\n" -"X-Crowdin-File-ID: 284\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Bulgarian\n" "Language: bg_BG\n" diff --git a/src/po/znc.es_ES.po b/src/po/znc.es_ES.po index df2c51d4..de68195f 100644 --- a/src/po/znc.es_ES.po +++ b/src/po/znc.es_ES.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: es-ES\n" -<<<<<<< HEAD "X-Crowdin-File: /master/src/po/znc.pot\n" "X-Crowdin-File-ID: 146\n" -======= -"X-Crowdin-File: /1.8.x/src/po/znc.pot\n" -"X-Crowdin-File-ID: 284\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Spanish\n" "Language: es_ES\n" diff --git a/src/po/znc.fr_FR.po b/src/po/znc.fr_FR.po index 5d330ec7..73fae054 100644 --- a/src/po/znc.fr_FR.po +++ b/src/po/znc.fr_FR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: fr\n" -<<<<<<< HEAD "X-Crowdin-File: /master/src/po/znc.pot\n" "X-Crowdin-File-ID: 146\n" -======= -"X-Crowdin-File: /1.8.x/src/po/znc.pot\n" -"X-Crowdin-File-ID: 284\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: French\n" "Language: fr_FR\n" diff --git a/src/po/znc.id_ID.po b/src/po/znc.id_ID.po index a0a00621..65e03754 100644 --- a/src/po/znc.id_ID.po +++ b/src/po/znc.id_ID.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: id\n" -<<<<<<< HEAD "X-Crowdin-File: /master/src/po/znc.pot\n" "X-Crowdin-File-ID: 146\n" -======= -"X-Crowdin-File: /1.8.x/src/po/znc.pot\n" -"X-Crowdin-File-ID: 284\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Indonesian\n" "Language: id_ID\n" diff --git a/src/po/znc.it_IT.po b/src/po/znc.it_IT.po index 4bab2f40..fbbca59a 100644 --- a/src/po/znc.it_IT.po +++ b/src/po/znc.it_IT.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: it\n" -<<<<<<< HEAD "X-Crowdin-File: /master/src/po/znc.pot\n" "X-Crowdin-File-ID: 146\n" -======= -"X-Crowdin-File: /1.8.x/src/po/znc.pot\n" -"X-Crowdin-File-ID: 284\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Italian\n" "Language: it_IT\n" diff --git a/src/po/znc.nl_NL.po b/src/po/znc.nl_NL.po index f5e38c40..4125b603 100644 --- a/src/po/znc.nl_NL.po +++ b/src/po/znc.nl_NL.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: nl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/src/po/znc.pot\n" "X-Crowdin-File-ID: 146\n" -======= -"X-Crowdin-File: /1.8.x/src/po/znc.pot\n" -"X-Crowdin-File-ID: 284\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Dutch\n" "Language: nl_NL\n" diff --git a/src/po/znc.pl_PL.po b/src/po/znc.pl_PL.po index 8a9a452a..915d3d26 100644 --- a/src/po/znc.pl_PL.po +++ b/src/po/znc.pl_PL.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pl\n" -<<<<<<< HEAD "X-Crowdin-File: /master/src/po/znc.pot\n" "X-Crowdin-File-ID: 146\n" -======= -"X-Crowdin-File: /1.8.x/src/po/znc.pot\n" -"X-Crowdin-File-ID: 284\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Polish\n" "Language: pl_PL\n" @@ -61,7 +56,6 @@ msgstr "" "*status help” i “/msg *status loadmod <moduł>”). " "Po załadowaniu niektórych modułów WWW menu się rozwinie." -<<<<<<< HEAD #: znc.cpp:1554 msgid "User already exists" msgstr "Użytkownik już istnieje" @@ -83,29 +77,6 @@ msgid "Invalid port" msgstr "Nieprawidłowy port" #: znc.cpp:1813 ClientCommand.cpp:1637 -======= -#: znc.cpp:1562 -msgid "User already exists" -msgstr "Użytkownik już istnieje" - -#: znc.cpp:1670 -msgid "IPv6 is not enabled" -msgstr "IPv6 nie jest włączone" - -#: znc.cpp:1678 -msgid "SSL is not enabled" -msgstr "SSL nie jest włączone" - -#: znc.cpp:1686 -msgid "Unable to locate pem file: {1}" -msgstr "Nie udało się odnaleźć pliku pem: {1}" - -#: znc.cpp:1705 -msgid "Invalid port" -msgstr "Nieprawidłowy port" - -#: znc.cpp:1821 ClientCommand.cpp:1637 ->>>>>>> 1.8.x msgid "Unable to bind: {1}" msgstr "Nie udało się przypiąć: {1}" @@ -313,17 +284,10 @@ msgstr "Użycie: /detach <#kanały>" #: Client.cpp:1369 ClientCommand.cpp:154 msgid "Detached {1} channel" msgid_plural "Detached {1} channels" -<<<<<<< HEAD msgstr[0] "Odpięto kanał {1}" msgstr[1] "" msgstr[2] "" msgstr[3] "Odpięto {1} kanały" -======= -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" -msgstr[3] "" ->>>>>>> 1.8.x #: Chan.cpp:678 msgid "Buffer Playback..." diff --git a/src/po/znc.pt_BR.po b/src/po/znc.pt_BR.po index b440bd6c..84cbffce 100644 --- a/src/po/znc.pt_BR.po +++ b/src/po/znc.pt_BR.po @@ -6,13 +6,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: pt-BR\n" -<<<<<<< HEAD "X-Crowdin-File: /master/src/po/znc.pot\n" "X-Crowdin-File-ID: 146\n" -======= -"X-Crowdin-File: /1.8.x/src/po/znc.pot\n" -"X-Crowdin-File-ID: 284\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" diff --git a/src/po/znc.ru_RU.po b/src/po/znc.ru_RU.po index cc9c701d..f2f250b7 100644 --- a/src/po/znc.ru_RU.po +++ b/src/po/znc.ru_RU.po @@ -8,13 +8,8 @@ msgstr "" "X-Crowdin-Project: znc-bouncer\n" "X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: ru\n" -<<<<<<< HEAD "X-Crowdin-File: /master/src/po/znc.pot\n" "X-Crowdin-File-ID: 146\n" -======= -"X-Crowdin-File: /1.8.x/src/po/znc.pot\n" -"X-Crowdin-File-ID: 284\n" ->>>>>>> 1.8.x "Project-Id-Version: znc-bouncer\n" "Language-Team: Russian\n" "Language: ru_RU\n" From c04544c10af0141b3a99a901be416d8822817fca Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Tue, 23 Jun 2020 09:09:11 +0100 Subject: [PATCH 437/798] CI: Try to fix coverity setup --- .travis-coverity-scan.py | 1 + .travis-coverity.yml | 4 ++-- 2 files changed, 3 insertions(+), 2 deletions(-) diff --git a/.travis-coverity-scan.py b/.travis-coverity-scan.py index ce96bb6d..e8e70a95 100755 --- a/.travis-coverity-scan.py +++ b/.travis-coverity-scan.py @@ -29,3 +29,4 @@ with open('.travis.yml', 'w') as f: subprocess.check_call(['git checkout -b coverity_scan'], shell=True) subprocess.check_call(['git commit .travis.yml -m"Automatic coverity scan for {}"'.format(datetime.date.today())], shell=True) subprocess.check_call(['git push coverity coverity_scan -f'], shell=True) +subprocess.call(['git push coverity master'], shell=True) diff --git a/.travis-coverity.yml b/.travis-coverity.yml index fbb3ad66..c9dd1daf 100644 --- a/.travis-coverity.yml +++ b/.travis-coverity.yml @@ -11,11 +11,11 @@ addons: name: "znc/coverity" description: "Build submitted via Travis CI" notification_email: coverity@znc.in - build_command_prepend: "./bootstrap.sh; ./configure --enable-perl --enable-python --enable-tcl --enable-cyrus" + build_command_prepend: "./configure --enable-perl --enable-python --enable-tcl --enable-cyrus" build_command: "make VERBOSE=1" branch_pattern: coverity_scan script: - /bin/true sudo: required -dist: trusty +dist: bionic From 7a47436d1ad05f29ec4b9eaf6e1b37822665855b Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Wed, 24 Jun 2020 00:30:49 +0000 Subject: [PATCH 438/798] Update translations from Crowdin for pl_PL --- src/po/znc.pl_PL.po | 91 ++++++++++++++++++++++++--------------------- 1 file changed, 49 insertions(+), 42 deletions(-) diff --git a/src/po/znc.pl_PL.po b/src/po/znc.pl_PL.po index 0c725ff1..778cf8d1 100644 --- a/src/po/znc.pl_PL.po +++ b/src/po/znc.pl_PL.po @@ -377,7 +377,7 @@ msgstr "Przeładowano moduł {1}." #: Modules.cpp:1816 msgid "Unable to find module {1}." -msgstr "" +msgstr "Nie można znaleźć modułu {1}." #: Modules.cpp:1963 msgid "Unknown error" @@ -385,23 +385,27 @@ msgstr "Nieznany błąd" #: Modules.cpp:1964 msgid "Unable to open module {1}: {2}" -msgstr "" +msgstr "Nie można otworzyć modułu {1}: {2}" #: Modules.cpp:1973 msgid "Could not find ZNCModuleEntry in module {1}" -msgstr "" +msgstr "Nie można znaleźć ZNCModuleEntry w module {1}" #: Modules.cpp:1981 msgid "" "Version mismatch for module {1}: core is {2}, module is built for {3}. " "Recompile this module." msgstr "" +"Niezgodność wersji dla modułu {1}: jądro to {2}, moduł jest zbudowany dla " +"{3}. Ponownie skompiluj ten moduł." #: Modules.cpp:1992 msgid "" "Module {1} is built incompatibly: core is '{2}', module is '{3}'. Recompile " "this module." msgstr "" +"Moduł {1} jest zbudowany niekompatybilnie: jądro to „{2}”, moduł to „{3}”. " +"Ponownie skompiluj ten moduł." #: Modules.cpp:2023 Modules.cpp:2029 msgctxt "modhelpcmd" @@ -420,23 +424,23 @@ msgstr "Opis" #: ClientCommand.cpp:1409 ClientCommand.cpp:1420 ClientCommand.cpp:1429 #: ClientCommand.cpp:1441 msgid "You must be connected with a network to use this command" -msgstr "" +msgstr "Aby korzystać z tego polecenia, musisz być podłączony z siecią" #: ClientCommand.cpp:58 msgid "Usage: ListNicks <#chan>" -msgstr "" +msgstr "Użycie: ListNicks <#kanał>" #: ClientCommand.cpp:65 msgid "You are not on [{1}]" -msgstr "" +msgstr "Nie jesteś na [{1}]" #: ClientCommand.cpp:70 msgid "You are not on [{1}] (trying)" -msgstr "" +msgstr "Nie jesteś na [{1}] (próbowanie)" #: ClientCommand.cpp:79 msgid "No nicks on [{1}]" -msgstr "" +msgstr "Brak pseudonimów na [{1}]" #: ClientCommand.cpp:91 ClientCommand.cpp:106 msgid "Nick" @@ -507,17 +511,17 @@ msgstr "Status" #: ClientCommand.cpp:486 ClientCommand.cpp:510 msgctxt "listchans" msgid "In config" -msgstr "" +msgstr "W p. ustawień?" #: ClientCommand.cpp:487 ClientCommand.cpp:512 msgctxt "listchans" msgid "Buffer" -msgstr "" +msgstr "Bufor" #: ClientCommand.cpp:488 ClientCommand.cpp:516 msgctxt "listchans" msgid "Clear" -msgstr "" +msgstr "Wyczyść" #: ClientCommand.cpp:489 ClientCommand.cpp:521 msgctxt "listchans" @@ -563,6 +567,9 @@ msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks using /znc DelNetwork " msgstr "" +"Osiągnięto maksymalną liczbę sieci. Poproś administratora o zwiększenie " +"limitu dla Ciebie lub usuń niepotrzebne sieci za pomocą /znc DelNetwork " +"" #: ClientCommand.cpp:550 msgid "Usage: AddNetwork " @@ -570,7 +577,7 @@ msgstr "Użycie: AddNetwork " #: ClientCommand.cpp:554 msgid "Network name should be alphanumeric" -msgstr "" +msgstr "Nazwa sieci musi być alfanumeryczna" #: ClientCommand.cpp:561 msgid "" @@ -1484,47 +1491,47 @@ msgstr "" #: ClientCommand.cpp:1795 msgctxt "helpcmd|SetBindHost|args" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1796 msgctxt "helpcmd|SetBindHost|desc" msgid "Set the bind host for this network" -msgstr "" +msgstr "Ustaw host przypięcia dla tej sieci" #: ClientCommand.cpp:1800 msgctxt "helpcmd|SetUserBindHost|args" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1801 msgctxt "helpcmd|SetUserBindHost|desc" msgid "Set the default bind host for this user" -msgstr "" +msgstr "Ustaw domyślny host przypięcia dla tego użytkownika" #: ClientCommand.cpp:1804 msgctxt "helpcmd|ClearBindHost|desc" msgid "Clear the bind host for this network" -msgstr "" +msgstr "Wyczyść host przypięcia dla tej sieci" #: ClientCommand.cpp:1807 msgctxt "helpcmd|ClearUserBindHost|desc" msgid "Clear the default bind host for this user" -msgstr "" +msgstr "Wyczyść domyślny host przypięcia dla tego użytkownika" #: ClientCommand.cpp:1813 msgctxt "helpcmd|ShowBindHost|desc" msgid "Show currently selected bind host" -msgstr "" +msgstr "Pokaż bieżąco wybrany host przypięcia" #: ClientCommand.cpp:1815 msgctxt "helpcmd|Jump|args" msgid "[server]" -msgstr "" +msgstr "[serwer]" #: ClientCommand.cpp:1816 msgctxt "helpcmd|Jump|desc" msgid "Jump to the next or the specified server" -msgstr "" +msgstr "Przeskocz do następnego lub określonego serwera" #: ClientCommand.cpp:1817 msgctxt "helpcmd|Disconnect|args" @@ -1589,7 +1596,7 @@ msgstr "Przeładuj moduł wszędzie" #: ClientCommand.cpp:1847 msgctxt "helpcmd|ShowMOTD|desc" msgid "Show ZNC's message of the day" -msgstr "" +msgstr "Pokaż wiadomość dnia ZNC" #: ClientCommand.cpp:1851 msgctxt "helpcmd|SetMOTD|args" @@ -1599,7 +1606,7 @@ msgstr "" #: ClientCommand.cpp:1852 msgctxt "helpcmd|SetMOTD|desc" msgid "Set ZNC's message of the day" -msgstr "" +msgstr "Ustaw wiadomość dnia ZNC" #: ClientCommand.cpp:1854 msgctxt "helpcmd|AddMOTD|args" @@ -1609,82 +1616,82 @@ msgstr "" #: ClientCommand.cpp:1855 msgctxt "helpcmd|AddMOTD|desc" msgid "Append to ZNC's MOTD" -msgstr "" +msgstr "Dopisz do wiadomości dnia ZNC" #: ClientCommand.cpp:1857 msgctxt "helpcmd|ClearMOTD|desc" msgid "Clear ZNC's MOTD" -msgstr "" +msgstr "Wyczyść wiadomość dnia ZNC" #: ClientCommand.cpp:1860 msgctxt "helpcmd|ListPorts|desc" msgid "Show all active listeners" -msgstr "" +msgstr "Pokaż wszystkich aktywnych nasłuchiwaczy" #: ClientCommand.cpp:1862 msgctxt "helpcmd|AddPort|args" msgid "<[+]port> [bindhost [uriprefix]]" -msgstr "" +msgstr "<[+]port> [bindhost [przedrostek_uri]]" #: ClientCommand.cpp:1865 msgctxt "helpcmd|AddPort|desc" msgid "Add another port for ZNC to listen on" -msgstr "" +msgstr "Dodaj kolejny port nasłuchujący do ZNC" #: ClientCommand.cpp:1869 msgctxt "helpcmd|DelPort|args" msgid " [bindhost]" -msgstr "" +msgstr " [host_przypięcia]" #: ClientCommand.cpp:1870 msgctxt "helpcmd|DelPort|desc" msgid "Remove a port from ZNC" -msgstr "" +msgstr "Usuń port z ZNC" #: ClientCommand.cpp:1873 msgctxt "helpcmd|Rehash|desc" msgid "Reload global settings, modules, and listeners from znc.conf" -msgstr "" +msgstr "Przeładuj ustawienia globalne, moduły i nasłuchiwaczy z znc.conf" #: ClientCommand.cpp:1876 msgctxt "helpcmd|SaveConfig|desc" msgid "Save the current settings to disk" -msgstr "" +msgstr "Zapisz bieżące ustawienia na dysk" #: ClientCommand.cpp:1879 msgctxt "helpcmd|ListUsers|desc" msgid "List all ZNC users and their connection status" -msgstr "" +msgstr "Lista wszystkich użytkowników ZNC i ich stan połączenia" #: ClientCommand.cpp:1882 msgctxt "helpcmd|ListAllUserNetworks|desc" msgid "List all ZNC users and their networks" -msgstr "" +msgstr "Lista wszystkich użytkowników i ich sieci" #: ClientCommand.cpp:1885 msgctxt "helpcmd|ListChans|args" msgid "[user ]" -msgstr "" +msgstr "[użytkownik ]" #: ClientCommand.cpp:1888 msgctxt "helpcmd|ListClients|args" msgid "[user]" -msgstr "" +msgstr "[użytkownik]" #: ClientCommand.cpp:1889 msgctxt "helpcmd|ListClients|desc" msgid "List all connected clients" -msgstr "" +msgstr "Lista wszystkich połączonych klientów" #: ClientCommand.cpp:1891 msgctxt "helpcmd|Traffic|desc" msgid "Show basic traffic stats for all ZNC users" -msgstr "" +msgstr "Pokaż podstawowe statystyki ruchu dla wszystkich użytkowników ZNC" #: ClientCommand.cpp:1893 msgctxt "helpcmd|Broadcast|args" msgid "[message]" -msgstr "" +msgstr "[wiadomość]" #: ClientCommand.cpp:1894 msgctxt "helpcmd|Broadcast|desc" @@ -1694,17 +1701,17 @@ msgstr "" #: ClientCommand.cpp:1897 msgctxt "helpcmd|Shutdown|args" msgid "[message]" -msgstr "" +msgstr "[wiadomość]" #: ClientCommand.cpp:1898 msgctxt "helpcmd|Shutdown|desc" msgid "Shut down ZNC completely" -msgstr "" +msgstr "Zamknij całkowicie ZNC" #: ClientCommand.cpp:1899 msgctxt "helpcmd|Restart|args" msgid "[message]" -msgstr "" +msgstr "[wiadomość]" #: ClientCommand.cpp:1900 msgctxt "helpcmd|Restart|desc" From 3fe5e9a877f34ea0ca4febc409762d5afb5a600e Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Wed, 24 Jun 2020 00:30:50 +0000 Subject: [PATCH 439/798] Update translations from Crowdin for pl_PL --- src/po/znc.pl_PL.po | 91 ++++++++++++++++++++++++--------------------- 1 file changed, 49 insertions(+), 42 deletions(-) diff --git a/src/po/znc.pl_PL.po b/src/po/znc.pl_PL.po index 915d3d26..a188fc0c 100644 --- a/src/po/znc.pl_PL.po +++ b/src/po/znc.pl_PL.po @@ -377,7 +377,7 @@ msgstr "Przeładowano moduł {1}." #: Modules.cpp:1816 msgid "Unable to find module {1}." -msgstr "" +msgstr "Nie można znaleźć modułu {1}." #: Modules.cpp:1963 msgid "Unknown error" @@ -385,23 +385,27 @@ msgstr "Nieznany błąd" #: Modules.cpp:1964 msgid "Unable to open module {1}: {2}" -msgstr "" +msgstr "Nie można otworzyć modułu {1}: {2}" #: Modules.cpp:1973 msgid "Could not find ZNCModuleEntry in module {1}" -msgstr "" +msgstr "Nie można znaleźć ZNCModuleEntry w module {1}" #: Modules.cpp:1981 msgid "" "Version mismatch for module {1}: core is {2}, module is built for {3}. " "Recompile this module." msgstr "" +"Niezgodność wersji dla modułu {1}: jądro to {2}, moduł jest zbudowany dla " +"{3}. Ponownie skompiluj ten moduł." #: Modules.cpp:1992 msgid "" "Module {1} is built incompatibly: core is '{2}', module is '{3}'. Recompile " "this module." msgstr "" +"Moduł {1} jest zbudowany niekompatybilnie: jądro to „{2}”, moduł to „{3}”. " +"Ponownie skompiluj ten moduł." #: Modules.cpp:2023 Modules.cpp:2029 msgctxt "modhelpcmd" @@ -420,23 +424,23 @@ msgstr "Opis" #: ClientCommand.cpp:1409 ClientCommand.cpp:1420 ClientCommand.cpp:1429 #: ClientCommand.cpp:1441 msgid "You must be connected with a network to use this command" -msgstr "" +msgstr "Aby korzystać z tego polecenia, musisz być podłączony z siecią" #: ClientCommand.cpp:58 msgid "Usage: ListNicks <#chan>" -msgstr "" +msgstr "Użycie: ListNicks <#kanał>" #: ClientCommand.cpp:65 msgid "You are not on [{1}]" -msgstr "" +msgstr "Nie jesteś na [{1}]" #: ClientCommand.cpp:70 msgid "You are not on [{1}] (trying)" -msgstr "" +msgstr "Nie jesteś na [{1}] (próbowanie)" #: ClientCommand.cpp:79 msgid "No nicks on [{1}]" -msgstr "" +msgstr "Brak pseudonimów na [{1}]" #: ClientCommand.cpp:91 ClientCommand.cpp:106 msgid "Nick" @@ -507,17 +511,17 @@ msgstr "Status" #: ClientCommand.cpp:486 ClientCommand.cpp:510 msgctxt "listchans" msgid "In config" -msgstr "" +msgstr "W p. ustawień?" #: ClientCommand.cpp:487 ClientCommand.cpp:512 msgctxt "listchans" msgid "Buffer" -msgstr "" +msgstr "Bufor" #: ClientCommand.cpp:488 ClientCommand.cpp:516 msgctxt "listchans" msgid "Clear" -msgstr "" +msgstr "Wyczyść" #: ClientCommand.cpp:489 ClientCommand.cpp:521 msgctxt "listchans" @@ -563,6 +567,9 @@ msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks using /znc DelNetwork " msgstr "" +"Osiągnięto maksymalną liczbę sieci. Poproś administratora o zwiększenie " +"limitu dla Ciebie lub usuń niepotrzebne sieci za pomocą /znc DelNetwork " +"" #: ClientCommand.cpp:550 msgid "Usage: AddNetwork " @@ -570,7 +577,7 @@ msgstr "Użycie: AddNetwork " #: ClientCommand.cpp:554 msgid "Network name should be alphanumeric" -msgstr "" +msgstr "Nazwa sieci musi być alfanumeryczna" #: ClientCommand.cpp:561 msgid "" @@ -1484,47 +1491,47 @@ msgstr "" #: ClientCommand.cpp:1795 msgctxt "helpcmd|SetBindHost|args" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1796 msgctxt "helpcmd|SetBindHost|desc" msgid "Set the bind host for this network" -msgstr "" +msgstr "Ustaw host przypięcia dla tej sieci" #: ClientCommand.cpp:1800 msgctxt "helpcmd|SetUserBindHost|args" msgid "" -msgstr "" +msgstr "" #: ClientCommand.cpp:1801 msgctxt "helpcmd|SetUserBindHost|desc" msgid "Set the default bind host for this user" -msgstr "" +msgstr "Ustaw domyślny host przypięcia dla tego użytkownika" #: ClientCommand.cpp:1804 msgctxt "helpcmd|ClearBindHost|desc" msgid "Clear the bind host for this network" -msgstr "" +msgstr "Wyczyść host przypięcia dla tej sieci" #: ClientCommand.cpp:1807 msgctxt "helpcmd|ClearUserBindHost|desc" msgid "Clear the default bind host for this user" -msgstr "" +msgstr "Wyczyść domyślny host przypięcia dla tego użytkownika" #: ClientCommand.cpp:1813 msgctxt "helpcmd|ShowBindHost|desc" msgid "Show currently selected bind host" -msgstr "" +msgstr "Pokaż bieżąco wybrany host przypięcia" #: ClientCommand.cpp:1815 msgctxt "helpcmd|Jump|args" msgid "[server]" -msgstr "" +msgstr "[serwer]" #: ClientCommand.cpp:1816 msgctxt "helpcmd|Jump|desc" msgid "Jump to the next or the specified server" -msgstr "" +msgstr "Przeskocz do następnego lub określonego serwera" #: ClientCommand.cpp:1817 msgctxt "helpcmd|Disconnect|args" @@ -1589,7 +1596,7 @@ msgstr "Przeładuj moduł wszędzie" #: ClientCommand.cpp:1847 msgctxt "helpcmd|ShowMOTD|desc" msgid "Show ZNC's message of the day" -msgstr "" +msgstr "Pokaż wiadomość dnia ZNC" #: ClientCommand.cpp:1851 msgctxt "helpcmd|SetMOTD|args" @@ -1599,7 +1606,7 @@ msgstr "" #: ClientCommand.cpp:1852 msgctxt "helpcmd|SetMOTD|desc" msgid "Set ZNC's message of the day" -msgstr "" +msgstr "Ustaw wiadomość dnia ZNC" #: ClientCommand.cpp:1854 msgctxt "helpcmd|AddMOTD|args" @@ -1609,82 +1616,82 @@ msgstr "" #: ClientCommand.cpp:1855 msgctxt "helpcmd|AddMOTD|desc" msgid "Append to ZNC's MOTD" -msgstr "" +msgstr "Dopisz do wiadomości dnia ZNC" #: ClientCommand.cpp:1857 msgctxt "helpcmd|ClearMOTD|desc" msgid "Clear ZNC's MOTD" -msgstr "" +msgstr "Wyczyść wiadomość dnia ZNC" #: ClientCommand.cpp:1860 msgctxt "helpcmd|ListPorts|desc" msgid "Show all active listeners" -msgstr "" +msgstr "Pokaż wszystkich aktywnych nasłuchiwaczy" #: ClientCommand.cpp:1862 msgctxt "helpcmd|AddPort|args" msgid "<[+]port> [bindhost [uriprefix]]" -msgstr "" +msgstr "<[+]port> [bindhost [przedrostek_uri]]" #: ClientCommand.cpp:1865 msgctxt "helpcmd|AddPort|desc" msgid "Add another port for ZNC to listen on" -msgstr "" +msgstr "Dodaj kolejny port nasłuchujący do ZNC" #: ClientCommand.cpp:1869 msgctxt "helpcmd|DelPort|args" msgid " [bindhost]" -msgstr "" +msgstr " [host_przypięcia]" #: ClientCommand.cpp:1870 msgctxt "helpcmd|DelPort|desc" msgid "Remove a port from ZNC" -msgstr "" +msgstr "Usuń port z ZNC" #: ClientCommand.cpp:1873 msgctxt "helpcmd|Rehash|desc" msgid "Reload global settings, modules, and listeners from znc.conf" -msgstr "" +msgstr "Przeładuj ustawienia globalne, moduły i nasłuchiwaczy z znc.conf" #: ClientCommand.cpp:1876 msgctxt "helpcmd|SaveConfig|desc" msgid "Save the current settings to disk" -msgstr "" +msgstr "Zapisz bieżące ustawienia na dysk" #: ClientCommand.cpp:1879 msgctxt "helpcmd|ListUsers|desc" msgid "List all ZNC users and their connection status" -msgstr "" +msgstr "Lista wszystkich użytkowników ZNC i ich stan połączenia" #: ClientCommand.cpp:1882 msgctxt "helpcmd|ListAllUserNetworks|desc" msgid "List all ZNC users and their networks" -msgstr "" +msgstr "Lista wszystkich użytkowników i ich sieci" #: ClientCommand.cpp:1885 msgctxt "helpcmd|ListChans|args" msgid "[user ]" -msgstr "" +msgstr "[użytkownik ]" #: ClientCommand.cpp:1888 msgctxt "helpcmd|ListClients|args" msgid "[user]" -msgstr "" +msgstr "[użytkownik]" #: ClientCommand.cpp:1889 msgctxt "helpcmd|ListClients|desc" msgid "List all connected clients" -msgstr "" +msgstr "Lista wszystkich połączonych klientów" #: ClientCommand.cpp:1891 msgctxt "helpcmd|Traffic|desc" msgid "Show basic traffic stats for all ZNC users" -msgstr "" +msgstr "Pokaż podstawowe statystyki ruchu dla wszystkich użytkowników ZNC" #: ClientCommand.cpp:1893 msgctxt "helpcmd|Broadcast|args" msgid "[message]" -msgstr "" +msgstr "[wiadomość]" #: ClientCommand.cpp:1894 msgctxt "helpcmd|Broadcast|desc" @@ -1694,17 +1701,17 @@ msgstr "" #: ClientCommand.cpp:1897 msgctxt "helpcmd|Shutdown|args" msgid "[message]" -msgstr "" +msgstr "[wiadomość]" #: ClientCommand.cpp:1898 msgctxt "helpcmd|Shutdown|desc" msgid "Shut down ZNC completely" -msgstr "" +msgstr "Zamknij całkowicie ZNC" #: ClientCommand.cpp:1899 msgctxt "helpcmd|Restart|args" msgid "[message]" -msgstr "" +msgstr "[wiadomość]" #: ClientCommand.cpp:1900 msgctxt "helpcmd|Restart|desc" From 09e5543788d78561b19e825073d1b8f7dd85efb5 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Wed, 24 Jun 2020 10:20:28 +0100 Subject: [PATCH 440/798] Make Coverity happier --- src/ZNCString.cpp | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/src/ZNCString.cpp b/src/ZNCString.cpp index 1162e1c5..28c22080 100644 --- a/src/ZNCString.cpp +++ b/src/ZNCString.cpp @@ -258,7 +258,7 @@ CString CString::Escape_n(EEscape eFrom, EEscape eTo) const { const unsigned char* p = (const unsigned char*)data(); size_type iLength = length(); sRet.reserve(iLength * 3); - unsigned char pTmp[21]; + unsigned char pTmp[21] = {}; unsigned int iCounted = 0; for (unsigned int a = 0; a < iLength; a++, p = pStart + a) { @@ -1022,7 +1022,7 @@ bool CString::Base64Encode(CString& sRet, unsigned int uWrap) const { return 0; } - p = output = new unsigned char[toalloc]; + p = output = new unsigned char[toalloc]{}; while (i < len - mod) { *p++ = b64table[input[i++] >> 2]; @@ -1072,7 +1072,7 @@ unsigned long CString::Base64Decode(CString& sRet) const { char c, c1, *p; unsigned long i; unsigned long uLen = sTmp.size(); - char* out = new char[uLen + 1]; + char* out = new char[uLen + 1]{}; for (i = 0, p = out; i < uLen; i++) { c = (char)base64_table[(unsigned char)in[i++]]; From 21f7a92e261b20a3bb2685cb152354475be9b94e Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Thu, 25 Jun 2020 00:28:50 +0000 Subject: [PATCH 441/798] Update translations from Crowdin for pl_PL --- modules/po/block_motd.pl_PL.po | 2 ++ modules/po/certauth.pl_PL.po | 2 +- modules/po/controlpanel.pl_PL.po | 19 +++++++++++-------- modules/po/nickserv.pl_PL.po | 32 +++++++++++++++++--------------- modules/po/shell.pl_PL.po | 8 ++++---- modules/po/simple_away.pl_PL.po | 26 ++++++++++++++++---------- 6 files changed, 51 insertions(+), 38 deletions(-) diff --git a/modules/po/block_motd.pl_PL.po b/modules/po/block_motd.pl_PL.po index 54e5017f..5e6082d7 100644 --- a/modules/po/block_motd.pl_PL.po +++ b/modules/po/block_motd.pl_PL.po @@ -23,6 +23,8 @@ msgid "" "Override the block with this command. Can optionally specify which server to " "query." msgstr "" +"Zastąp blokadę tym poleceniem. Można opcjonalnie określić, który serwer ma " +"zostać zapytany." #: block_motd.cpp:36 msgid "You are not connected to an IRC Server." diff --git a/modules/po/certauth.pl_PL.po b/modules/po/certauth.pl_PL.po index 744393b3..922291c1 100644 --- a/modules/po/certauth.pl_PL.po +++ b/modules/po/certauth.pl_PL.po @@ -75,7 +75,7 @@ msgstr "Twój bieżący klucz publiczny to: {1}" #: certauth.cpp:157 msgid "You did not supply a public key or connect with one." -msgstr "" +msgstr "Nie podałeś klucza publicznego ani nie łączyłeś się z nim." #: certauth.cpp:160 msgid "Key '{1}' added." diff --git a/modules/po/controlpanel.pl_PL.po b/modules/po/controlpanel.pl_PL.po index 8ea36d52..7bfb8822 100644 --- a/modules/po/controlpanel.pl_PL.po +++ b/modules/po/controlpanel.pl_PL.po @@ -181,10 +181,10 @@ msgstr "" #: controlpanel.cpp:731 msgid "Channel {1} is deleted from network {2} of user {3}" msgid_plural "Channels {1} are deleted from network {2} of user {3}" -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" -msgstr[3] "" +msgstr[0] "Kanał {1} został usunięty z sieci {2} użytkownika {3}" +msgstr[1] "Kanały {1} zostały usunięte z sieci {2} użytkownika {3}" +msgstr[2] "Wiele kanałów {1} zostało usunięte z sieci {2} użytkownika {3}" +msgstr[3] "Kanały {1} zostały usunięte z sieci {2} użytkownika {3}" #: controlpanel.cpp:746 msgid "Usage: GetChan " @@ -450,12 +450,15 @@ msgstr "Użycie: DelCTCP [użytkownik] [zapytanie]" #: controlpanel.cpp:1356 msgid "CTCP requests {1} to user {2} will now be sent to IRC clients" msgstr "" +"Zapytania CTCP {1} do użytkownika {2} będą teraz wysyłane do klientów IRC" #: controlpanel.cpp:1360 msgid "" "CTCP requests {1} to user {2} will be sent to IRC clients (nothing has " "changed)" msgstr "" +"Zapytania CTCP {1} do użytkownika {2} zostaną wysłane do klientów IRC (nic " +"się nie zmieniło)" #: controlpanel.cpp:1370 controlpanel.cpp:1444 msgid "Loading modules has been disabled." @@ -542,7 +545,7 @@ msgstr "[polecenie] [zmienna]" #: controlpanel.cpp:1564 msgid "Prints help for matching commands and variables" -msgstr "" +msgstr "Wypisuje pomoc dla pasujących poleceń i zmiennych" #: controlpanel.cpp:1567 msgid " [username]" @@ -650,7 +653,7 @@ msgstr " " #: controlpanel.cpp:1609 msgid "Cycles the user's IRC server connection" -msgstr "" +msgstr "Powtarza połączenie użytkownika z serwerem IRC" #: controlpanel.cpp:1612 msgid "Disconnects the user from their IRC server" @@ -682,11 +685,11 @@ msgstr " [argumenty]" #: controlpanel.cpp:1625 msgid "Loads a Module for a network" -msgstr "" +msgstr "Ładuje moduł dla sieci" #: controlpanel.cpp:1628 msgid " " -msgstr "" +msgstr " " #: controlpanel.cpp:1629 msgid "Removes a Module of a network" diff --git a/modules/po/nickserv.pl_PL.po b/modules/po/nickserv.pl_PL.po index fb42b696..54309526 100644 --- a/modules/po/nickserv.pl_PL.po +++ b/modules/po/nickserv.pl_PL.po @@ -16,66 +16,68 @@ msgstr "" #: nickserv.cpp:31 msgid "Password set" -msgstr "" +msgstr "Hasło ustawione" #: nickserv.cpp:36 nickserv.cpp:46 msgid "Done" -msgstr "" +msgstr "Zrobione" #: nickserv.cpp:41 msgid "NickServ name set" -msgstr "" +msgstr "Ustawiono nazwę NickServ" #: nickserv.cpp:60 msgid "No such editable command. See ViewCommands for list." -msgstr "" +msgstr "Brak takiego edytowalnego polecenia. Zobacz listę ViewCommands." #: nickserv.cpp:63 msgid "Ok" -msgstr "" +msgstr "Ok" #: nickserv.cpp:68 msgid "password" -msgstr "" +msgstr "hasło" #: nickserv.cpp:68 msgid "Set your nickserv password" -msgstr "" +msgstr "Ustaw swoje hasło nickserv" #: nickserv.cpp:70 msgid "Clear your nickserv password" -msgstr "" +msgstr "Wyczyść swoje hasło nickserv" #: nickserv.cpp:72 msgid "nickname" -msgstr "" +msgstr "pseudonim" #: nickserv.cpp:73 msgid "" "Set NickServ name (Useful on networks like EpiKnet, where NickServ is named " "Themis" msgstr "" +"Ustaw nazwę NickServ (Przydatne w sieciach takich jak EpiKnet, gdzie " +"NickServ nosi nazwę Themis" #: nickserv.cpp:77 msgid "Reset NickServ name to default (NickServ)" -msgstr "" +msgstr "Zresetuj nazwę NickServ do domyślnej (NickServ)" #: nickserv.cpp:81 msgid "Show patterns for lines, which are being sent to NickServ" -msgstr "" +msgstr "Pokaż wzory dla linii, które są wysyłane do NickServ" #: nickserv.cpp:83 msgid "cmd new-pattern" -msgstr "" +msgstr "polecenie nowy-wzór" #: nickserv.cpp:84 msgid "Set pattern for commands" -msgstr "" +msgstr "Ustaw wzór dla poleceń" #: nickserv.cpp:146 msgid "Please enter your nickserv password." -msgstr "" +msgstr "Proszę podać swoje hasło nickserv." #: nickserv.cpp:150 msgid "Auths you with NickServ (prefer SASL module instead)" -msgstr "" +msgstr "Uwierzytelnia Ciebie u NicksServ (najlepiej użyć modułu SASL)" diff --git a/modules/po/shell.pl_PL.po b/modules/po/shell.pl_PL.po index a0eac1ec..5b4167ec 100644 --- a/modules/po/shell.pl_PL.po +++ b/modules/po/shell.pl_PL.po @@ -16,16 +16,16 @@ msgstr "" #: shell.cpp:37 msgid "Failed to execute: {1}" -msgstr "" +msgstr "Nie udało się wykonać: {1}" #: shell.cpp:75 msgid "You must be admin to use the shell module" -msgstr "" +msgstr "Musisz być administratorem aby użyć modułu powłoki" #: shell.cpp:169 msgid "Gives shell access" -msgstr "" +msgstr "Udziela dostępu do powłoki" #: shell.cpp:172 msgid "Gives shell access. Only ZNC admins can use it." -msgstr "" +msgstr "Udziela dostępu do powłoki. Tylko administratorzy ZNC mogą tego użyć." diff --git a/modules/po/simple_away.pl_PL.po b/modules/po/simple_away.pl_PL.po index ef65712c..47094e56 100644 --- a/modules/po/simple_away.pl_PL.po +++ b/modules/po/simple_away.pl_PL.po @@ -16,7 +16,7 @@ msgstr "" #: simple_away.cpp:56 msgid "[]" -msgstr "" +msgstr "[]" #: simple_away.cpp:57 #, c-format @@ -31,31 +31,33 @@ msgstr "" #: simple_away.cpp:65 msgid "" -msgstr "" +msgstr "" #: simple_away.cpp:66 msgid "Sets the time to wait before setting you away" -msgstr "" +msgstr "Ustawia czas oczekiwania przed wprowadzeniem stanu nieobecności" #: simple_away.cpp:69 msgid "Disables the wait time before setting you away" -msgstr "" +msgstr "Wyłącza czas oczekiwania przed ustawieniem stanu nieobecności" #: simple_away.cpp:73 msgid "Get or set the minimum number of clients before going away" msgstr "" +"Sprawdź lub ustaw minimalną liczbę klientów przed wprowadzeniem trybu " +"nieobecności" #: simple_away.cpp:136 msgid "Away reason set" -msgstr "" +msgstr "Ustawiono powód nieobecności" #: simple_away.cpp:138 msgid "Away reason: {1}" -msgstr "" +msgstr "Powód nieobecności: {1}" #: simple_away.cpp:139 msgid "Current away reason would be: {1}" -msgstr "" +msgstr "Bieżący powód nieobecności byłby: {1}" #: simple_away.cpp:144 msgid "Current timer setting: 1 second" @@ -67,7 +69,7 @@ msgstr[3] "" #: simple_away.cpp:153 simple_away.cpp:161 msgid "Timer disabled" -msgstr "" +msgstr "Odliczarka wyłączona" #: simple_away.cpp:155 msgid "Timer set to 1 second" @@ -79,20 +81,24 @@ msgstr[3] "" #: simple_away.cpp:166 msgid "Current MinClients setting: {1}" -msgstr "" +msgstr "Bieżące ustawienie MinClients: {1}" #: simple_away.cpp:169 msgid "MinClients set to {1}" -msgstr "" +msgstr "Ustawiono MinClients do {1}" #: simple_away.cpp:248 msgid "" "You might enter up to 3 arguments, like -notimer awaymessage or -timer 5 " "awaymessage." msgstr "" +"Możesz wprowadzić do 3 argumentów, takich jak -notimer awaymessage lub -" +"timer 5 awaymessage." #: simple_away.cpp:253 msgid "" "This module will automatically set you away on IRC while you are " "disconnected from the bouncer." msgstr "" +"Ten moduł automatycznie ustawia tryb nieobecności na IRC, gdy jesteś " +"odłączony od bouncera." From 939ff600cc663031ac7146dbee7773121809b1d8 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Thu, 25 Jun 2020 00:28:52 +0000 Subject: [PATCH 442/798] Update translations from Crowdin for pl_PL --- modules/po/block_motd.pl_PL.po | 2 ++ modules/po/certauth.pl_PL.po | 2 +- modules/po/controlpanel.pl_PL.po | 17 +++++++++------- modules/po/nickserv.pl_PL.po | 32 ++++++++++++++++-------------- modules/po/shell.pl_PL.po | 8 ++++---- modules/po/simple_away.pl_PL.po | 34 +++++++++++++++++++------------- 6 files changed, 54 insertions(+), 41 deletions(-) diff --git a/modules/po/block_motd.pl_PL.po b/modules/po/block_motd.pl_PL.po index f7600db8..43b43c7c 100644 --- a/modules/po/block_motd.pl_PL.po +++ b/modules/po/block_motd.pl_PL.po @@ -23,6 +23,8 @@ msgid "" "Override the block with this command. Can optionally specify which server to " "query." msgstr "" +"Zastąp blokadę tym poleceniem. Można opcjonalnie określić, który serwer ma " +"zostać zapytany." #: block_motd.cpp:36 msgid "You are not connected to an IRC Server." diff --git a/modules/po/certauth.pl_PL.po b/modules/po/certauth.pl_PL.po index 01fdc2d0..78251647 100644 --- a/modules/po/certauth.pl_PL.po +++ b/modules/po/certauth.pl_PL.po @@ -75,7 +75,7 @@ msgstr "Twój bieżący klucz publiczny to: {1}" #: certauth.cpp:157 msgid "You did not supply a public key or connect with one." -msgstr "" +msgstr "Nie podałeś klucza publicznego ani nie łączyłeś się z nim." #: certauth.cpp:160 msgid "Key '{1}' added." diff --git a/modules/po/controlpanel.pl_PL.po b/modules/po/controlpanel.pl_PL.po index 4806ff4d..2b580722 100644 --- a/modules/po/controlpanel.pl_PL.po +++ b/modules/po/controlpanel.pl_PL.po @@ -182,9 +182,9 @@ msgstr "" msgid "Channel {1} is deleted from network {2} of user {3}" msgid_plural "Channels {1} are deleted from network {2} of user {3}" msgstr[0] "Kanał {1} został usunięty z sieci {2} użytkownika {3}" -msgstr[1] "" -msgstr[2] "" -msgstr[3] "Kanały {1} są usuwane z sieci {2} użytkownika {3}" +msgstr[1] "Kanały {1} zostały usunięte z sieci {2} użytkownika {3}" +msgstr[2] "Wiele kanałów {1} zostało usunięte z sieci {2} użytkownika {3}" +msgstr[3] "Kanały {1} zostały usunięte z sieci {2} użytkownika {3}" #: controlpanel.cpp:746 msgid "Usage: GetChan " @@ -450,12 +450,15 @@ msgstr "Użycie: DelCTCP [użytkownik] [zapytanie]" #: controlpanel.cpp:1356 msgid "CTCP requests {1} to user {2} will now be sent to IRC clients" msgstr "" +"Zapytania CTCP {1} do użytkownika {2} będą teraz wysyłane do klientów IRC" #: controlpanel.cpp:1360 msgid "" "CTCP requests {1} to user {2} will be sent to IRC clients (nothing has " "changed)" msgstr "" +"Zapytania CTCP {1} do użytkownika {2} zostaną wysłane do klientów IRC (nic " +"się nie zmieniło)" #: controlpanel.cpp:1370 controlpanel.cpp:1444 msgid "Loading modules has been disabled." @@ -542,7 +545,7 @@ msgstr "[polecenie] [zmienna]" #: controlpanel.cpp:1564 msgid "Prints help for matching commands and variables" -msgstr "" +msgstr "Wypisuje pomoc dla pasujących poleceń i zmiennych" #: controlpanel.cpp:1567 msgid " [username]" @@ -650,7 +653,7 @@ msgstr " " #: controlpanel.cpp:1609 msgid "Cycles the user's IRC server connection" -msgstr "" +msgstr "Powtarza połączenie użytkownika z serwerem IRC" #: controlpanel.cpp:1612 msgid "Disconnects the user from their IRC server" @@ -682,11 +685,11 @@ msgstr " [argumenty]" #: controlpanel.cpp:1625 msgid "Loads a Module for a network" -msgstr "" +msgstr "Ładuje moduł dla sieci" #: controlpanel.cpp:1628 msgid " " -msgstr "" +msgstr " " #: controlpanel.cpp:1629 msgid "Removes a Module of a network" diff --git a/modules/po/nickserv.pl_PL.po b/modules/po/nickserv.pl_PL.po index c864dbc1..1d1efeb0 100644 --- a/modules/po/nickserv.pl_PL.po +++ b/modules/po/nickserv.pl_PL.po @@ -16,66 +16,68 @@ msgstr "" #: nickserv.cpp:31 msgid "Password set" -msgstr "" +msgstr "Hasło ustawione" #: nickserv.cpp:36 nickserv.cpp:46 msgid "Done" -msgstr "" +msgstr "Zrobione" #: nickserv.cpp:41 msgid "NickServ name set" -msgstr "" +msgstr "Ustawiono nazwę NickServ" #: nickserv.cpp:60 msgid "No such editable command. See ViewCommands for list." -msgstr "" +msgstr "Brak takiego edytowalnego polecenia. Zobacz listę ViewCommands." #: nickserv.cpp:63 msgid "Ok" -msgstr "" +msgstr "Ok" #: nickserv.cpp:68 msgid "password" -msgstr "" +msgstr "hasło" #: nickserv.cpp:68 msgid "Set your nickserv password" -msgstr "" +msgstr "Ustaw swoje hasło nickserv" #: nickserv.cpp:70 msgid "Clear your nickserv password" -msgstr "" +msgstr "Wyczyść swoje hasło nickserv" #: nickserv.cpp:72 msgid "nickname" -msgstr "" +msgstr "pseudonim" #: nickserv.cpp:73 msgid "" "Set NickServ name (Useful on networks like EpiKnet, where NickServ is named " "Themis" msgstr "" +"Ustaw nazwę NickServ (Przydatne w sieciach takich jak EpiKnet, gdzie " +"NickServ nosi nazwę Themis" #: nickserv.cpp:77 msgid "Reset NickServ name to default (NickServ)" -msgstr "" +msgstr "Zresetuj nazwę NickServ do domyślnej (NickServ)" #: nickserv.cpp:81 msgid "Show patterns for lines, which are being sent to NickServ" -msgstr "" +msgstr "Pokaż wzory dla linii, które są wysyłane do NickServ" #: nickserv.cpp:83 msgid "cmd new-pattern" -msgstr "" +msgstr "polecenie nowy-wzór" #: nickserv.cpp:84 msgid "Set pattern for commands" -msgstr "" +msgstr "Ustaw wzór dla poleceń" #: nickserv.cpp:146 msgid "Please enter your nickserv password." -msgstr "" +msgstr "Proszę podać swoje hasło nickserv." #: nickserv.cpp:150 msgid "Auths you with NickServ (prefer SASL module instead)" -msgstr "" +msgstr "Uwierzytelnia Ciebie u NicksServ (najlepiej użyć modułu SASL)" diff --git a/modules/po/shell.pl_PL.po b/modules/po/shell.pl_PL.po index dd63d3c4..1df5e6ee 100644 --- a/modules/po/shell.pl_PL.po +++ b/modules/po/shell.pl_PL.po @@ -16,16 +16,16 @@ msgstr "" #: shell.cpp:37 msgid "Failed to execute: {1}" -msgstr "" +msgstr "Nie udało się wykonać: {1}" #: shell.cpp:75 msgid "You must be admin to use the shell module" -msgstr "" +msgstr "Musisz być administratorem aby użyć modułu powłoki" #: shell.cpp:169 msgid "Gives shell access" -msgstr "" +msgstr "Udziela dostępu do powłoki" #: shell.cpp:172 msgid "Gives shell access. Only ZNC admins can use it." -msgstr "" +msgstr "Udziela dostępu do powłoki. Tylko administratorzy ZNC mogą tego użyć." diff --git a/modules/po/simple_away.pl_PL.po b/modules/po/simple_away.pl_PL.po index 71dce0e5..34f6f2b9 100644 --- a/modules/po/simple_away.pl_PL.po +++ b/modules/po/simple_away.pl_PL.po @@ -16,7 +16,7 @@ msgstr "" #: simple_away.cpp:56 msgid "[]" -msgstr "" +msgstr "[]" #: simple_away.cpp:57 #, c-format @@ -31,68 +31,74 @@ msgstr "" #: simple_away.cpp:65 msgid "" -msgstr "" +msgstr "" #: simple_away.cpp:66 msgid "Sets the time to wait before setting you away" -msgstr "" +msgstr "Ustawia czas oczekiwania przed wprowadzeniem stanu nieobecności" #: simple_away.cpp:69 msgid "Disables the wait time before setting you away" -msgstr "" +msgstr "Wyłącza czas oczekiwania przed ustawieniem stanu nieobecności" #: simple_away.cpp:73 msgid "Get or set the minimum number of clients before going away" msgstr "" +"Sprawdź lub ustaw minimalną liczbę klientów przed wprowadzeniem trybu " +"nieobecności" #: simple_away.cpp:136 msgid "Away reason set" -msgstr "" +msgstr "Ustawiono powód nieobecności" #: simple_away.cpp:138 msgid "Away reason: {1}" -msgstr "" +msgstr "Powód nieobecności: {1}" #: simple_away.cpp:139 msgid "Current away reason would be: {1}" -msgstr "" +msgstr "Bieżący powód nieobecności byłby: {1}" #: simple_away.cpp:144 msgid "Current timer setting: 1 second" msgid_plural "Current timer setting: {1} seconds" -msgstr[0] "" +msgstr[0] "Bieżące ustawienie odliczarki: 1 sekunda" msgstr[1] "" msgstr[2] "" -msgstr[3] "" +msgstr[3] "Bieżące ustawienie odliczarki: {1} sekund" #: simple_away.cpp:153 simple_away.cpp:161 msgid "Timer disabled" -msgstr "" +msgstr "Odliczarka wyłączona" #: simple_away.cpp:155 msgid "Timer set to 1 second" msgid_plural "Timer set to: {1} seconds" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "Odliczarka ustawiona na 1 sekundę" +msgstr[1] "Odliczarka ustawiona na: {1} sekund" msgstr[2] "" msgstr[3] "" #: simple_away.cpp:166 msgid "Current MinClients setting: {1}" -msgstr "" +msgstr "Bieżące ustawienie MinClients: {1}" #: simple_away.cpp:169 msgid "MinClients set to {1}" -msgstr "" +msgstr "Ustawiono MinClients do {1}" #: simple_away.cpp:248 msgid "" "You might enter up to 3 arguments, like -notimer awaymessage or -timer 5 " "awaymessage." msgstr "" +"Możesz wprowadzić do 3 argumentów, takich jak -notimer awaymessage lub -" +"timer 5 awaymessage." #: simple_away.cpp:253 msgid "" "This module will automatically set you away on IRC while you are " "disconnected from the bouncer." msgstr "" +"Ten moduł automatycznie ustawia tryb nieobecności na IRC, gdy jesteś " +"odłączony od bouncera." From 4ad9697734ab1a54ce1c7145d9d9bf47dd4509a5 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Fri, 26 Jun 2020 00:29:20 +0000 Subject: [PATCH 443/798] Update translations from Crowdin for pl_PL --- modules/po/autovoice.pl_PL.po | 4 + modules/po/clientnotify.pl_PL.po | 25 +++-- modules/po/ctcpflood.pl_PL.po | 38 +++---- modules/po/sasl.pl_PL.po | 34 ++++--- modules/po/simple_away.pl_PL.po | 14 +-- modules/po/watch.pl_PL.po | 12 +-- modules/po/webadmin.pl_PL.po | 164 ++++++++++++++++++------------- 7 files changed, 174 insertions(+), 117 deletions(-) diff --git a/modules/po/autovoice.pl_PL.po b/modules/po/autovoice.pl_PL.po index ba1a8b88..4e23720f 100644 --- a/modules/po/autovoice.pl_PL.po +++ b/modules/po/autovoice.pl_PL.po @@ -107,6 +107,10 @@ msgid "" "Each argument is either a channel you want autovoice for (which can include " "wildcards) or, if it starts with !, it is an exception for autovoice." msgstr "" +"Każdy argument jest zarówno kanałem w którym chcesz automatycznie " +"przydzielić prawa wypowiedzi (który może zawierać wieloznaczniki) lub jeżeli " +"zaczyna się ! to będzie wyjątkiem automatycznego przydzielania prawa " +"wypowiedzi." #: autovoice.cpp:365 msgid "Auto voice the good people" diff --git a/modules/po/clientnotify.pl_PL.po b/modules/po/clientnotify.pl_PL.po index 55abcaaa..ae02c2a6 100644 --- a/modules/po/clientnotify.pl_PL.po +++ b/modules/po/clientnotify.pl_PL.po @@ -20,7 +20,7 @@ msgstr "" #: clientnotify.cpp:48 msgid "Sets the notify method" -msgstr "" +msgstr "Ustawia metodę powiadamiania" #: clientnotify.cpp:50 clientnotify.cpp:54 msgid "" @@ -29,28 +29,35 @@ msgstr "" #: clientnotify.cpp:51 msgid "Turns notifications for unseen IP addresses on or off" msgstr "" +"Włącza lub wyłącza powiadomienia dla niespotkanych wcześniej adresów IP" #: clientnotify.cpp:55 msgid "Turns notifications for clients disconnecting on or off" -msgstr "" +msgstr "Włącza lub wyłącza powiadomienia rozłączenia pozostałym klientom" #: clientnotify.cpp:57 msgid "Shows the current settings" -msgstr "" +msgstr "Pokazuje bieżące ustawienia" #: clientnotify.cpp:81 clientnotify.cpp:95 msgid "" msgid_plural "" "Another client authenticated as your user. Use the 'ListClients' command to " "see all {1} clients." -msgstr[0] "" +msgstr[0] "" msgstr[1] "" +"Inny klient uwierzytelnił się jako Twój użytkownik. Uzyj polecenia " +"'ListClients' aby zobaczyć pozostałych {1} klientów." msgstr[2] "" +"Inny klient uwierzytelnił się jako Twój użytkownik. Uzyj polecenia " +"'ListClients' aby zobaczyć pozostałych {1} klientów." msgstr[3] "" +"Inny klient uwierzytelnił się jako Twój użytkownik. Uzyj polecenia " +"'ListClients' aby zobaczyć pozostałych {1} klientów." #: clientnotify.cpp:108 msgid "Usage: Method " -msgstr "" +msgstr "Użycie: Method " #: clientnotify.cpp:114 clientnotify.cpp:127 clientnotify.cpp:140 msgid "Saved." @@ -58,20 +65,24 @@ msgstr "Zapisano." #: clientnotify.cpp:121 msgid "Usage: NewOnly " -msgstr "" +msgstr "Użycie: NewOnly " #: clientnotify.cpp:134 msgid "Usage: OnDisconnect " -msgstr "" +msgstr "Użycie: OnDisconnect " #: clientnotify.cpp:145 msgid "" "Current settings: Method: {1}, for unseen IP addresses only: {2}, notify on " "disconnecting clients: {3}" msgstr "" +"Bieżące ustawienia: Metoda: {1}, tylko dla niespotkanych adresów IP: {2}, " +"powiadomienie na rozłączających się klientów: {3}" #: clientnotify.cpp:157 msgid "" "Notifies you when another IRC client logs into or out of your account. " "Configurable." msgstr "" +"Powiadomi Cię, gdy inny klient IRC zaloguje się na twoje konto lub z niego " +"wyloguje. Konfigurowalny." diff --git a/modules/po/ctcpflood.pl_PL.po b/modules/po/ctcpflood.pl_PL.po index 187ac315..b21d5620 100644 --- a/modules/po/ctcpflood.pl_PL.po +++ b/modules/po/ctcpflood.pl_PL.po @@ -16,51 +16,51 @@ msgstr "" #: ctcpflood.cpp:25 ctcpflood.cpp:27 msgid "" -msgstr "" +msgstr "" #: ctcpflood.cpp:25 msgid "Set seconds limit" -msgstr "" +msgstr "Ustaw limit sekund" #: ctcpflood.cpp:27 msgid "Set lines limit" -msgstr "" +msgstr "Ustaw limit linii" #: ctcpflood.cpp:29 msgid "Show the current limits" -msgstr "" +msgstr "Pokaż bieżące limity" #: ctcpflood.cpp:76 msgid "Limit reached by {1}, blocking all CTCP" -msgstr "" +msgstr "Limit został osiągnięty przez {1}, blokowanie wszystkich CTCP" #: ctcpflood.cpp:98 msgid "Usage: Secs " -msgstr "" +msgstr "Użycie: Secs " #: ctcpflood.cpp:113 msgid "Usage: Lines " -msgstr "" +msgstr "Użycie: Lines " #: ctcpflood.cpp:125 msgid "1 CTCP message" msgid_plural "{1} CTCP messages" -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" -msgstr[3] "" +msgstr[0] "1 wiadomość CTCP" +msgstr[1] "Pare {1} wiadomości CTCP" +msgstr[2] "Wiele {1} wiadomości CTCP" +msgstr[3] "Wiele {1} wiadomości CTCP" #: ctcpflood.cpp:127 msgid "every second" msgid_plural "every {1} seconds" -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" -msgstr[3] "" +msgstr[0] "co każdą sekundę" +msgstr[1] "co parę {1} sekund" +msgstr[2] "co wiele {1} sekund" +msgstr[3] "co wiele {1} sekund" #: ctcpflood.cpp:129 msgid "Current limit is {1} {2}" -msgstr "" +msgstr "Bieżący limit to {1} {2}" #: ctcpflood.cpp:145 msgid "" @@ -69,7 +69,11 @@ msgid "" "argument is the time (sec) to in which the number of lines is reached. The " "default setting is 4 CTCPs in 2 seconds" msgstr "" +"Ten moduł użytkownika przyjmuje od żadnego do dwóch argumentów. Pierwszy " +"argument jest liczbą linii po których zabezpieczenie przed zalaniem zostaje " +"wyzwolone. Drugi argument to czas (w sekundach), w którym osiągnięto liczbę " +"linii. Domyślne ustawienie to 4 CTCP w 2 sekundy" #: ctcpflood.cpp:151 msgid "Don't forward CTCP floods to clients" -msgstr "" +msgstr "Nie przekierowuj zalewania zapytaniami CTCP do klientów" diff --git a/modules/po/sasl.pl_PL.po b/modules/po/sasl.pl_PL.po index 9606c50a..87badb6d 100644 --- a/modules/po/sasl.pl_PL.po +++ b/modules/po/sasl.pl_PL.po @@ -68,16 +68,18 @@ msgstr "Zapisz" #: sasl.cpp:54 msgid "TLS certificate, for use with the *cert module" -msgstr "" +msgstr "Certyfikat TLS do użytku z modułem *cert" #: sasl.cpp:56 msgid "" "Plain text negotiation, this should work always if the network supports SASL" msgstr "" +"Negocjacje zwykłym tekstem, powinno to zawsze działać, jeśli sieć obsługuje " +"SASL" #: sasl.cpp:62 msgid "search" -msgstr "" +msgstr "szukaj" #: sasl.cpp:62 msgid "Generate this output" @@ -92,14 +94,16 @@ msgid "" "Set username and password for the mechanisms that need them. Password is " "optional. Without parameters, returns information about current settings." msgstr "" +"Ustaw nazwę użytkownika i hasło dla mechanizmów, które ich potrzebują. Hasło " +"jest opcjonalne. Bez parametrów zwraca informacje o bieżących ustawieniach." #: sasl.cpp:69 msgid "[mechanism[ ...]]" -msgstr "" +msgstr "[mechanizm[ ...]]" #: sasl.cpp:70 msgid "Set the mechanisms to be attempted (in order)" -msgstr "" +msgstr "Ustaw mechanizmy do wypróbowania (w kolejności)" #: sasl.cpp:72 msgid "[yes|no]" @@ -119,19 +123,19 @@ msgstr "Następujące mechanizmy są dostępne:" #: sasl.cpp:109 msgid "Username is currently not set" -msgstr "" +msgstr "Nazwa użytkownika nie jest bieżąco ustawiona" #: sasl.cpp:111 msgid "Username is currently set to '{1}'" -msgstr "" +msgstr "Nazwa użytkownika jest bieżąco ustawiona na „{1}”" #: sasl.cpp:114 msgid "Password was not supplied" -msgstr "" +msgstr "Nie podano hasła" #: sasl.cpp:116 msgid "Password was supplied" -msgstr "" +msgstr "Podano hasło" #: sasl.cpp:124 msgid "Username has been set to [{1}]" @@ -143,31 +147,31 @@ msgstr "Hasło zostało ustawione na [{1}]" #: sasl.cpp:145 msgid "Current mechanisms set: {1}" -msgstr "" +msgstr "Bieżący zestaw mechanizmów: {1}" #: sasl.cpp:154 msgid "We require SASL negotiation to connect" -msgstr "" +msgstr "Do połączenia potrzebujemy negocjacji SASL" #: sasl.cpp:156 msgid "We will connect even if SASL fails" -msgstr "" +msgstr "Nawiążemy połączenie, nawet jeśli SASL zawiedzie" #: sasl.cpp:193 msgid "Disabling network, we require authentication." -msgstr "" +msgstr "Wyłączanie sieci, wymagamy uwierzytelnienia." #: sasl.cpp:194 msgid "Use 'RequireAuth no' to disable." -msgstr "" +msgstr "Użyj 'RequireAuth no', aby wyłączyć." #: sasl.cpp:256 msgid "{1} mechanism succeeded." -msgstr "" +msgstr "Mechanizm {1} zadziałał." #: sasl.cpp:268 msgid "{1} mechanism failed." -msgstr "" +msgstr "Mechanizm {1} nie powiódł się." #: sasl.cpp:346 msgid "" diff --git a/modules/po/simple_away.pl_PL.po b/modules/po/simple_away.pl_PL.po index 34f6f2b9..acc27230 100644 --- a/modules/po/simple_away.pl_PL.po +++ b/modules/po/simple_away.pl_PL.po @@ -24,10 +24,12 @@ msgid "" "Prints or sets the away reason (%awaytime% is replaced with the time you " "were set away, supports substitutions using ExpandString)" msgstr "" +"Wypisuje lub ustawia powód nieobecności (%awaytime% jest zastąpione czasem " +"Twojej nieobecności, wspiera podstawienia używając ExpandString)" #: simple_away.cpp:63 msgid "Prints the current time to wait before setting you away" -msgstr "" +msgstr "Wypisuje bieżący czas oczekiwania przed ustawieniem trybu nieobecności" #: simple_away.cpp:65 msgid "" @@ -63,8 +65,8 @@ msgstr "Bieżący powód nieobecności byłby: {1}" msgid "Current timer setting: 1 second" msgid_plural "Current timer setting: {1} seconds" msgstr[0] "Bieżące ustawienie odliczarki: 1 sekunda" -msgstr[1] "" -msgstr[2] "" +msgstr[1] "Bieżące ustawienie odliczarki: {1} sekundy" +msgstr[2] "Bieżące ustawienie odliczarki: {1} sekund" msgstr[3] "Bieżące ustawienie odliczarki: {1} sekund" #: simple_away.cpp:153 simple_away.cpp:161 @@ -75,9 +77,9 @@ msgstr "Odliczarka wyłączona" msgid "Timer set to 1 second" msgid_plural "Timer set to: {1} seconds" msgstr[0] "Odliczarka ustawiona na 1 sekundę" -msgstr[1] "Odliczarka ustawiona na: {1} sekund" -msgstr[2] "" -msgstr[3] "" +msgstr[1] "Odliczarka ustawiona na: {1} sekundy" +msgstr[2] "Odliczarka ustawiona na: {1} sekund" +msgstr[3] "Odliczarka ustawiona na: {1} sekund" #: simple_away.cpp:166 msgid "Current MinClients setting: {1}" diff --git a/modules/po/watch.pl_PL.po b/modules/po/watch.pl_PL.po index 7bd3ba79..2c0d3a90 100644 --- a/modules/po/watch.pl_PL.po +++ b/modules/po/watch.pl_PL.po @@ -20,7 +20,7 @@ msgstr " [Cel] [Wzorzec]" #: watch.cpp:178 msgid "Used to add an entry to watch for." -msgstr "Służy do dodawania wpisu, na który będzie się oczekiwać." +msgstr "Służy do dodawania wpisu, który będzie obserwowany." #: watch.cpp:180 msgid "List all entries being watched." @@ -60,11 +60,11 @@ msgstr " " #: watch.cpp:192 msgid "Enable or disable detached client only for an entry." -msgstr "" +msgstr "Włącz lub wyłącz odpiętego klienta dla wpisu." #: watch.cpp:194 msgid "Enable or disable detached channel only for an entry." -msgstr "" +msgstr "Włącz lub wyłącz odpięty kanał dla wpisu." #: watch.cpp:196 msgid " [#chan priv #foo* !#bar]" @@ -148,11 +148,11 @@ msgstr "Wyłączony" #: watch.cpp:497 watch.cpp:515 msgid "DetachedClientOnly" -msgstr "" +msgstr "OdpiętyKlient?" #: watch.cpp:498 watch.cpp:518 msgid "DetachedChannelOnly" -msgstr "" +msgstr "OdpiętyKanał?" #: watch.cpp:516 watch.cpp:519 msgid "Yes" @@ -184,7 +184,7 @@ msgstr "Wpis dla {1} już istnieje." #: watch.cpp:654 msgid "Adding entry: {1} watching for [{2}] -> {3}" -msgstr "" +msgstr "Dodawanie wpisu: {1} obserwowanie [{2}] -> {3}" #: watch.cpp:660 msgid "Watch: Not enough arguments. Try Help" diff --git a/modules/po/webadmin.pl_PL.po b/modules/po/webadmin.pl_PL.po index e658d179..353e4f10 100644 --- a/modules/po/webadmin.pl_PL.po +++ b/modules/po/webadmin.pl_PL.po @@ -209,6 +209,8 @@ msgid "" "When disabled, manually whitelist all server fingerprints, even if the " "certificate is valid" msgstr "" +"Gdy wyłączone, ręcznie musisz dosdać wszystkie odciski palców serwera, nawet " +"jeżeli certyfikat jest poprawny" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:89 #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:96 @@ -259,6 +261,10 @@ msgid "" "which occur, when your IRC bot is command flooded or spammed. After changing " "this, reconnect ZNC to server." msgstr "" +"Możesz włączyć zabezpieczenie przed zalaniem. To zapobiega przed błędami " +"\"nadmiernego zalania\", które wystąpią gdy Twój bot IRC jest zalewany " +"poleceniami lub spamowany. Po zmianie tego, połącz się ponownie z serwerem " +"ZNC." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:130 msgctxt "Flood Protection" @@ -267,40 +273,45 @@ msgstr "Włączone" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:134 msgid "Flood protection rate:" -msgstr "" +msgstr "Częstość ochrony przed zalaniem:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:137 msgid "" "The number of seconds per line. After changing this, reconnect ZNC to server." msgstr "" +"Liczba sekund na linię. Po zmianie tego ponownie podłącz ZNC do serwera." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:140 msgid "{1} seconds per line" -msgstr "" +msgstr "{1} sekund na linię" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:144 msgid "Flood protection burst:" -msgstr "" +msgstr "Ochrona przed zalaniem serią:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:147 msgid "" "Defines the number of lines, which can be sent immediately. After changing " "this, reconnect ZNC to server." msgstr "" +"Określa liczbę linii, które można wysłać jednocześnie. Po dostosowaniu ZNC " +"musi ponownie połączyć się z IRC." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:150 msgid "{1} lines can be sent immediately" -msgstr "" +msgstr "{1} linii można wysłać natychmiast" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:154 msgid "Channel join delay:" -msgstr "" +msgstr "Opóźnienie dołączenia do kanału:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:157 msgid "" "Defines the delay in seconds, until channels are joined after getting " "connected." msgstr "" +"Określa opóźnienie w sekundach, zanim dołączy się do kanałów po ustanowieniu " +"połączenia." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:160 msgid "{1} seconds" @@ -322,7 +333,7 @@ msgstr "Kanały" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:178 msgid "" "You will be able to add + modify channels here after you created the network." -msgstr "" +msgstr "Będziesz mógł tutaj dodawać + modyfikować kanały po utworzeniu sieci." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:185 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:129 @@ -450,6 +461,8 @@ msgid "" "Allow user authentication by external modules only, disabling built-in " "password authentication." msgstr "" +"Zezwalaj na uwierzytelnianie użytkowników tylko przez moduły zewnętrzne, " +"wyłączając wbudowane uwierzytelnianie hasłem." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:50 msgid "Allowed IPs:" @@ -460,34 +473,38 @@ msgid "" "Leave empty to allow connections from all IPs.
Otherwise, one entry per " "line, wildcards * and ? are available." msgstr "" +"Pozostaw puste, aby zezwolić na połączenia ze wszystkich adresów IP.
W " +"przeciwnym razie jeden wpis na linię, symbole wieloznaczne * i? są dostępne." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:62 msgid "IRC Information" -msgstr "" +msgstr "Informacje IRC" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:64 msgid "" "Nick, AltNick, Ident, RealName and QuitMsg can be left empty to use default " "values." msgstr "" +"Pseudonim, AlternatPseudonim, Ident, PrawdziweImię i WiadomośćZakończenia " +"mogą pozostać puste aby użyć domyślnych wartości." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:82 msgid "The Ident is sent to server as username." -msgstr "" +msgstr "Ident jest wysyłany do serwera jako nazwa użytkownika." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:85 #: modules/po/../data/webadmin/tmpl/settings.tmpl:102 msgid "Status Prefix:" -msgstr "" +msgstr "Przedrostek status:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:87 #: modules/po/../data/webadmin/tmpl/settings.tmpl:104 msgid "The prefix for the status and module queries." -msgstr "" +msgstr "Przedrostek dla modułu status i pozostałych zapytań modułów." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:105 msgid "DCCBindHost:" -msgstr "" +msgstr "Host przypięcia DCC:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:122 #: modules/po/../data/webadmin/tmpl/listusers.tmpl:17 @@ -736,7 +753,7 @@ msgstr "Sklonuj" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:434 msgid "Create" -msgstr "" +msgstr "Stwórz" #: modules/po/../data/webadmin/tmpl/del_network.tmpl:5 msgid "Confirm Network Deletion" @@ -744,37 +761,38 @@ msgstr "Potwierdź usunięcie sieci" #: modules/po/../data/webadmin/tmpl/del_network.tmpl:9 msgid "Are you sure you want to delete network “{2}” of user “{1}”?" -msgstr "" +msgstr "Czy na pewno chcesz usunąć sieć „{2}” użytkownika „{1}”?" #: modules/po/../data/webadmin/tmpl/del_network.tmpl:14 #: modules/po/../data/webadmin/tmpl/del_user.tmpl:14 msgid "Yes" -msgstr "" +msgstr "Tak" #: modules/po/../data/webadmin/tmpl/del_network.tmpl:17 #: modules/po/../data/webadmin/tmpl/del_user.tmpl:17 msgid "No" -msgstr "" +msgstr "Nie" #: modules/po/../data/webadmin/tmpl/del_user.tmpl:5 msgid "Confirm User Deletion" -msgstr "" +msgstr "Potwierdź usunięcie użytkownika" #: modules/po/../data/webadmin/tmpl/del_user.tmpl:9 msgid "Are you sure you want to delete user “{1}”?" -msgstr "" +msgstr "Czy na pewno chcesz usunąć użytkownika “{1}”?" #: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:6 msgid "ZNC is compiled without encodings support. {1} is required for it." msgstr "" +"ZNC jest skompilowany bez obsługi kodowania. Wymagane jest do tego {1}." #: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:11 msgid "Legacy mode is disabled by modpython." -msgstr "" +msgstr "Tryb starszego typu jest wyłączony przez modpython." #: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:18 msgid "Don't ensure any encoding at all (legacy mode, not recommended)" -msgstr "" +msgstr "Nie zapewniaj w ogóle żadnego kodowania (starszy tryb, niezalecane)" #: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:22 msgid "Try to parse as UTF-8 and as {1}, send as UTF-8 (recommended)" @@ -790,83 +808,87 @@ msgstr "" #: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:36 msgid "E.g. UTF-8, or ISO-8859-15" -msgstr "" +msgstr "N.p. UTF-8, lub ISO-8859-2" #: modules/po/../data/webadmin/tmpl/index.tmpl:5 msgid "Welcome to the ZNC webadmin module." -msgstr "" +msgstr "Witaj w module webadmin ZNC." #: modules/po/../data/webadmin/tmpl/index.tmpl:6 msgid "" "All changes you make will be in effect immediately after you submitted them." msgstr "" +"Wszelkie wprowadzone zmiany zostaną zastosowane natychmiast po ich " +"przesłaniu." #: modules/po/../data/webadmin/tmpl/listusers.tmpl:16 msgid "Username" -msgstr "" +msgstr "Nazwa użytkownika" #: modules/po/../data/webadmin/tmpl/listusers.tmpl:29 #: modules/po/../data/webadmin/tmpl/settings.tmpl:21 msgid "Delete" -msgstr "" +msgstr "Usuń" #: modules/po/../data/webadmin/tmpl/settings.tmpl:6 msgid "Listen Port(s)" -msgstr "" +msgstr "Port(y) nasłuchu" #: modules/po/../data/webadmin/tmpl/settings.tmpl:14 msgid "BindHost" -msgstr "" +msgstr "HostPrzypięcia" #: modules/po/../data/webadmin/tmpl/settings.tmpl:16 msgid "IPv4" -msgstr "" +msgstr "IPv4" #: modules/po/../data/webadmin/tmpl/settings.tmpl:17 msgid "IPv6" -msgstr "" +msgstr "IPv6" #: modules/po/../data/webadmin/tmpl/settings.tmpl:18 msgid "IRC" -msgstr "" +msgstr "IRC" #: modules/po/../data/webadmin/tmpl/settings.tmpl:19 msgid "HTTP" -msgstr "" +msgstr "HTTP" #: modules/po/../data/webadmin/tmpl/settings.tmpl:20 msgid "URIPrefix" -msgstr "" +msgstr "PrzedrostekURI" #: modules/po/../data/webadmin/tmpl/settings.tmpl:56 msgid "" "To delete port which you use to access webadmin itself, either connect to " "webadmin via another port, or do it in IRC (/znc DelPort)" msgstr "" +"Aby usunąć port, którego używasz do uzyskania dostępu do samego webadmin, " +"albo połącz się z webadmin przez inny port, albo zrób to w IRC (/znc DelPort)" #: modules/po/../data/webadmin/tmpl/settings.tmpl:56 msgid "Current" -msgstr "" +msgstr "Bieżący" #: modules/po/../data/webadmin/tmpl/settings.tmpl:86 msgid "Settings" -msgstr "" +msgstr "Ustawienia" #: modules/po/../data/webadmin/tmpl/settings.tmpl:105 msgid "Default for new users only." -msgstr "" +msgstr "Domyślny jest tylko dla nowych użytkowników." #: modules/po/../data/webadmin/tmpl/settings.tmpl:110 msgid "Maximum Buffer Size:" -msgstr "" +msgstr "Maksymalny rozmiar bufora:" #: modules/po/../data/webadmin/tmpl/settings.tmpl:112 msgid "Sets the global Max Buffer Size a user can have." -msgstr "" +msgstr "Ustawia globalny maksymalny rozmiar bufora, jaki może mieć użytkownik." #: modules/po/../data/webadmin/tmpl/settings.tmpl:117 msgid "Connect Delay:" -msgstr "" +msgstr "Opóźnienie próby połączenia:" #: modules/po/../data/webadmin/tmpl/settings.tmpl:119 msgid "" @@ -874,6 +896,9 @@ msgid "" "affects the connection between ZNC and the IRC server; not the connection " "between your IRC client and ZNC." msgstr "" +"Czas między próbami połączenia z serwerami IRC, w sekundach. Wpływa to na " +"połączenie między ZNC a serwerem IRC; nie na połączenie między Twoim " +"klientem IRC a ZNC." #: modules/po/../data/webadmin/tmpl/settings.tmpl:124 msgid "Server Throttle:" @@ -884,34 +909,37 @@ msgid "" "The minimal time between two connect attempts to the same hostname, in " "seconds. Some servers refuse your connection if you reconnect too fast." msgstr "" +"Minimalny czas między dwiema próbami połączenia z tą samą nazwą hosta, w " +"sekundach. Niektóre serwery odmawiają połączenia, jeśli nastąpi zbyt szybkie " +"ponowne połączenie." #: modules/po/../data/webadmin/tmpl/settings.tmpl:131 msgid "Anonymous Connection Limit per IP:" -msgstr "" +msgstr "Limit anonimowego połączenia na adres IP:" #: modules/po/../data/webadmin/tmpl/settings.tmpl:133 msgid "Limits the number of unidentified connections per IP." -msgstr "" +msgstr "Ogranicza liczbę niezidentyfikowanych połączeń na IP." #: modules/po/../data/webadmin/tmpl/settings.tmpl:138 msgid "Protect Web Sessions:" -msgstr "" +msgstr "Chroń sesje WWW:" #: modules/po/../data/webadmin/tmpl/settings.tmpl:140 msgid "Disallow IP changing during each web session" -msgstr "" +msgstr "Nie zezwalaj na zmianę adresu IP podczas każdej sesji WWW" #: modules/po/../data/webadmin/tmpl/settings.tmpl:145 msgid "Hide ZNC Version:" -msgstr "" +msgstr "Ukryj wersję ZNC:" #: modules/po/../data/webadmin/tmpl/settings.tmpl:147 msgid "Hide version number from non-ZNC users" -msgstr "" +msgstr "Ukryj numer wersji przed użytkownikami spoza ZNC" #: modules/po/../data/webadmin/tmpl/settings.tmpl:153 msgid "Allow user authentication by external modules only" -msgstr "" +msgstr "Zezwól na uwierzytelnianie użytkownika tylko przez moduły zewnętrzne" #: modules/po/../data/webadmin/tmpl/settings.tmpl:158 msgid "MOTD:" @@ -920,18 +948,19 @@ msgstr "Wiadomość dnia:" #: modules/po/../data/webadmin/tmpl/settings.tmpl:162 msgid "“Message of the Day”, sent to all ZNC users on connect." msgstr "" +"„Wiadomość dnia”, wysłana do wszystkich użytkowników ZNC przy połączeniu." #: modules/po/../data/webadmin/tmpl/settings.tmpl:170 msgid "Global Modules" -msgstr "" +msgstr "Moduły globalne" #: modules/po/../data/webadmin/tmpl/settings.tmpl:180 msgid "Loaded by users" -msgstr "" +msgstr "Załadowane przez użytkownika" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:7 msgid "Information" -msgstr "" +msgstr "Informacja" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:13 msgid "Uptime" @@ -960,11 +989,11 @@ msgstr "Łączna liczba połączeń IRC" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:47 msgid "Client Connections" -msgstr "" +msgstr "Połączenia klienta" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:51 msgid "IRC Connections" -msgstr "" +msgstr "Połączenia IRC" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:63 #: modules/po/../data/webadmin/tmpl/traffic.tmpl:72 @@ -1020,11 +1049,11 @@ msgstr "Zarządzanie użytkownikami" #: webadmin.cpp:188 msgid "Invalid Submission [Username is required]" -msgstr "" +msgstr "Niepoprawne przesłanie [nazwa użytkownika jest wymagana]" #: webadmin.cpp:201 msgid "Invalid Submission [Passwords do not match]" -msgstr "" +msgstr "Niepoprawne przesłanie [Hasła do siebie nie pasują]" #: webadmin.cpp:323 msgid "Timeout can't be less than 30 seconds!" @@ -1172,14 +1201,16 @@ msgid "" "Automatically Clear Channel Buffer After Playback (the default value for new " "channels)" msgstr "" +"Automatycznie wyczyść bufor kanału po odtworzeniu (wartość domyślna dla " +"nowych kanałów)" #: webadmin.cpp:1522 msgid "Multi Clients" -msgstr "" +msgstr "Dozwolonych wielu klientów" #: webadmin.cpp:1529 msgid "Append Timestamps" -msgstr "" +msgstr "Dopisz znacznik czasu" #: webadmin.cpp:1536 msgid "Prepend Timestamps" @@ -1187,60 +1218,61 @@ msgstr "" #: webadmin.cpp:1544 msgid "Deny LoadMod" -msgstr "" +msgstr "Odmawiaj LoadMod" #: webadmin.cpp:1551 msgid "Admin (dangerous! may gain shell access)" -msgstr "" +msgstr "Administrator (niebezpieczne! Może uzyskać dostęp do powłoki)" #: webadmin.cpp:1561 msgid "Deny SetBindHost" -msgstr "" +msgstr "Odmawiaj SetBindHost" #: webadmin.cpp:1569 msgid "Auto Clear Query Buffer" -msgstr "" +msgstr "Automatycznie czyść bufor rozmów" #: webadmin.cpp:1571 msgid "Automatically Clear Query Buffer After Playback" -msgstr "" +msgstr "Automatycznie czyści bufor rozmów po odtworzeniu" #: webadmin.cpp:1595 msgid "Invalid Submission: User {1} already exists" -msgstr "" +msgstr "Niepoprawne przesłanie: Użytkownik {1} już istnieje" #: webadmin.cpp:1617 webadmin.cpp:1628 msgid "Invalid submission: {1}" -msgstr "" +msgstr "Niepoprawne przesłanie: {1}" #: webadmin.cpp:1623 msgid "User was added, but config file was not written" -msgstr "" +msgstr "Użytkownik został dodany, ale konfiguracja nie została zapisana" #: webadmin.cpp:1634 msgid "User was edited, but config file was not written" -msgstr "" +msgstr "Użytkownik został zedytowany, ale konfiguracja nie została zapisana" #: webadmin.cpp:1792 msgid "Choose either IPv4 or IPv6 or both." -msgstr "" +msgstr "Wybierz IPv4 lub IPv6 lub oba." #: webadmin.cpp:1809 msgid "Choose either IRC or HTTP or both." -msgstr "" +msgstr "Wybierz IRC, HTTP lub oba." #: webadmin.cpp:1822 webadmin.cpp:1858 msgid "Port was changed, but config file was not written" -msgstr "" +msgstr "Port został zmieniony, ale plik konfiguracyjny nie został zapisany" #: webadmin.cpp:1848 msgid "Invalid request." -msgstr "" +msgstr "Nieprawidłowe zapytanie." #: webadmin.cpp:1862 msgid "The specified listener was not found." -msgstr "" +msgstr "Określony nasłuchiwacz nie został znaleziony." #: webadmin.cpp:2093 msgid "Settings were changed, but config file was not written" msgstr "" +"Ustawienia zostały zmienione, ale plik konfiguracyjny nie został zapisany" From 94aa7f9030760c913c82d56070c1f594e25569fe Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Fri, 26 Jun 2020 00:29:21 +0000 Subject: [PATCH 444/798] Update translations from Crowdin for pl_PL --- modules/po/autovoice.pl_PL.po | 4 + modules/po/clientnotify.pl_PL.po | 25 +++-- modules/po/ctcpflood.pl_PL.po | 38 +++---- modules/po/sasl.pl_PL.po | 34 ++++--- modules/po/simple_away.pl_PL.po | 20 ++-- modules/po/watch.pl_PL.po | 12 +-- modules/po/webadmin.pl_PL.po | 164 ++++++++++++++++++------------- 7 files changed, 177 insertions(+), 120 deletions(-) diff --git a/modules/po/autovoice.pl_PL.po b/modules/po/autovoice.pl_PL.po index 080e7ba3..e4d0a554 100644 --- a/modules/po/autovoice.pl_PL.po +++ b/modules/po/autovoice.pl_PL.po @@ -107,6 +107,10 @@ msgid "" "Each argument is either a channel you want autovoice for (which can include " "wildcards) or, if it starts with !, it is an exception for autovoice." msgstr "" +"Każdy argument jest zarówno kanałem w którym chcesz automatycznie " +"przydzielić prawa wypowiedzi (który może zawierać wieloznaczniki) lub jeżeli " +"zaczyna się ! to będzie wyjątkiem automatycznego przydzielania prawa " +"wypowiedzi." #: autovoice.cpp:365 msgid "Auto voice the good people" diff --git a/modules/po/clientnotify.pl_PL.po b/modules/po/clientnotify.pl_PL.po index 0bedb018..06f6fa75 100644 --- a/modules/po/clientnotify.pl_PL.po +++ b/modules/po/clientnotify.pl_PL.po @@ -20,7 +20,7 @@ msgstr "" #: clientnotify.cpp:48 msgid "Sets the notify method" -msgstr "" +msgstr "Ustawia metodę powiadamiania" #: clientnotify.cpp:50 clientnotify.cpp:54 msgid "" @@ -29,28 +29,35 @@ msgstr "" #: clientnotify.cpp:51 msgid "Turns notifications for unseen IP addresses on or off" msgstr "" +"Włącza lub wyłącza powiadomienia dla niespotkanych wcześniej adresów IP" #: clientnotify.cpp:55 msgid "Turns notifications for clients disconnecting on or off" -msgstr "" +msgstr "Włącza lub wyłącza powiadomienia rozłączenia pozostałym klientom" #: clientnotify.cpp:57 msgid "Shows the current settings" -msgstr "" +msgstr "Pokazuje bieżące ustawienia" #: clientnotify.cpp:81 clientnotify.cpp:95 msgid "" msgid_plural "" "Another client authenticated as your user. Use the 'ListClients' command to " "see all {1} clients." -msgstr[0] "" +msgstr[0] "" msgstr[1] "" +"Inny klient uwierzytelnił się jako Twój użytkownik. Uzyj polecenia " +"'ListClients' aby zobaczyć pozostałych {1} klientów." msgstr[2] "" +"Inny klient uwierzytelnił się jako Twój użytkownik. Uzyj polecenia " +"'ListClients' aby zobaczyć pozostałych {1} klientów." msgstr[3] "" +"Inny klient uwierzytelnił się jako Twój użytkownik. Uzyj polecenia " +"'ListClients' aby zobaczyć pozostałych {1} klientów." #: clientnotify.cpp:108 msgid "Usage: Method " -msgstr "" +msgstr "Użycie: Method " #: clientnotify.cpp:114 clientnotify.cpp:127 clientnotify.cpp:140 msgid "Saved." @@ -58,20 +65,24 @@ msgstr "Zapisano." #: clientnotify.cpp:121 msgid "Usage: NewOnly " -msgstr "" +msgstr "Użycie: NewOnly " #: clientnotify.cpp:134 msgid "Usage: OnDisconnect " -msgstr "" +msgstr "Użycie: OnDisconnect " #: clientnotify.cpp:145 msgid "" "Current settings: Method: {1}, for unseen IP addresses only: {2}, notify on " "disconnecting clients: {3}" msgstr "" +"Bieżące ustawienia: Metoda: {1}, tylko dla niespotkanych adresów IP: {2}, " +"powiadomienie na rozłączających się klientów: {3}" #: clientnotify.cpp:157 msgid "" "Notifies you when another IRC client logs into or out of your account. " "Configurable." msgstr "" +"Powiadomi Cię, gdy inny klient IRC zaloguje się na twoje konto lub z niego " +"wyloguje. Konfigurowalny." diff --git a/modules/po/ctcpflood.pl_PL.po b/modules/po/ctcpflood.pl_PL.po index ef8ca302..4a603499 100644 --- a/modules/po/ctcpflood.pl_PL.po +++ b/modules/po/ctcpflood.pl_PL.po @@ -16,51 +16,51 @@ msgstr "" #: ctcpflood.cpp:25 ctcpflood.cpp:27 msgid "" -msgstr "" +msgstr "" #: ctcpflood.cpp:25 msgid "Set seconds limit" -msgstr "" +msgstr "Ustaw limit sekund" #: ctcpflood.cpp:27 msgid "Set lines limit" -msgstr "" +msgstr "Ustaw limit linii" #: ctcpflood.cpp:29 msgid "Show the current limits" -msgstr "" +msgstr "Pokaż bieżące limity" #: ctcpflood.cpp:76 msgid "Limit reached by {1}, blocking all CTCP" -msgstr "" +msgstr "Limit został osiągnięty przez {1}, blokowanie wszystkich CTCP" #: ctcpflood.cpp:98 msgid "Usage: Secs " -msgstr "" +msgstr "Użycie: Secs " #: ctcpflood.cpp:113 msgid "Usage: Lines " -msgstr "" +msgstr "Użycie: Lines " #: ctcpflood.cpp:125 msgid "1 CTCP message" msgid_plural "{1} CTCP messages" -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" -msgstr[3] "" +msgstr[0] "1 wiadomość CTCP" +msgstr[1] "Pare {1} wiadomości CTCP" +msgstr[2] "Wiele {1} wiadomości CTCP" +msgstr[3] "Wiele {1} wiadomości CTCP" #: ctcpflood.cpp:127 msgid "every second" msgid_plural "every {1} seconds" -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" -msgstr[3] "" +msgstr[0] "co każdą sekundę" +msgstr[1] "co parę {1} sekund" +msgstr[2] "co wiele {1} sekund" +msgstr[3] "co wiele {1} sekund" #: ctcpflood.cpp:129 msgid "Current limit is {1} {2}" -msgstr "" +msgstr "Bieżący limit to {1} {2}" #: ctcpflood.cpp:145 msgid "" @@ -69,7 +69,11 @@ msgid "" "argument is the time (sec) to in which the number of lines is reached. The " "default setting is 4 CTCPs in 2 seconds" msgstr "" +"Ten moduł użytkownika przyjmuje od żadnego do dwóch argumentów. Pierwszy " +"argument jest liczbą linii po których zabezpieczenie przed zalaniem zostaje " +"wyzwolone. Drugi argument to czas (w sekundach), w którym osiągnięto liczbę " +"linii. Domyślne ustawienie to 4 CTCP w 2 sekundy" #: ctcpflood.cpp:151 msgid "Don't forward CTCP floods to clients" -msgstr "" +msgstr "Nie przekierowuj zalewania zapytaniami CTCP do klientów" diff --git a/modules/po/sasl.pl_PL.po b/modules/po/sasl.pl_PL.po index a1ae675c..2c4c32c8 100644 --- a/modules/po/sasl.pl_PL.po +++ b/modules/po/sasl.pl_PL.po @@ -68,16 +68,18 @@ msgstr "Zapisz" #: sasl.cpp:54 msgid "TLS certificate, for use with the *cert module" -msgstr "" +msgstr "Certyfikat TLS do użytku z modułem *cert" #: sasl.cpp:56 msgid "" "Plain text negotiation, this should work always if the network supports SASL" msgstr "" +"Negocjacje zwykłym tekstem, powinno to zawsze działać, jeśli sieć obsługuje " +"SASL" #: sasl.cpp:62 msgid "search" -msgstr "" +msgstr "szukaj" #: sasl.cpp:62 msgid "Generate this output" @@ -92,14 +94,16 @@ msgid "" "Set username and password for the mechanisms that need them. Password is " "optional. Without parameters, returns information about current settings." msgstr "" +"Ustaw nazwę użytkownika i hasło dla mechanizmów, które ich potrzebują. Hasło " +"jest opcjonalne. Bez parametrów zwraca informacje o bieżących ustawieniach." #: sasl.cpp:69 msgid "[mechanism[ ...]]" -msgstr "" +msgstr "[mechanizm[ ...]]" #: sasl.cpp:70 msgid "Set the mechanisms to be attempted (in order)" -msgstr "" +msgstr "Ustaw mechanizmy do wypróbowania (w kolejności)" #: sasl.cpp:72 msgid "[yes|no]" @@ -119,19 +123,19 @@ msgstr "Następujące mechanizmy są dostępne:" #: sasl.cpp:109 msgid "Username is currently not set" -msgstr "" +msgstr "Nazwa użytkownika nie jest bieżąco ustawiona" #: sasl.cpp:111 msgid "Username is currently set to '{1}'" -msgstr "" +msgstr "Nazwa użytkownika jest bieżąco ustawiona na „{1}”" #: sasl.cpp:114 msgid "Password was not supplied" -msgstr "" +msgstr "Nie podano hasła" #: sasl.cpp:116 msgid "Password was supplied" -msgstr "" +msgstr "Podano hasło" #: sasl.cpp:124 msgid "Username has been set to [{1}]" @@ -143,31 +147,31 @@ msgstr "Hasło zostało ustawione na [{1}]" #: sasl.cpp:145 msgid "Current mechanisms set: {1}" -msgstr "" +msgstr "Bieżący zestaw mechanizmów: {1}" #: sasl.cpp:154 msgid "We require SASL negotiation to connect" -msgstr "" +msgstr "Do połączenia potrzebujemy negocjacji SASL" #: sasl.cpp:156 msgid "We will connect even if SASL fails" -msgstr "" +msgstr "Nawiążemy połączenie, nawet jeśli SASL zawiedzie" #: sasl.cpp:193 msgid "Disabling network, we require authentication." -msgstr "" +msgstr "Wyłączanie sieci, wymagamy uwierzytelnienia." #: sasl.cpp:194 msgid "Use 'RequireAuth no' to disable." -msgstr "" +msgstr "Użyj 'RequireAuth no', aby wyłączyć." #: sasl.cpp:256 msgid "{1} mechanism succeeded." -msgstr "" +msgstr "Mechanizm {1} zadziałał." #: sasl.cpp:268 msgid "{1} mechanism failed." -msgstr "" +msgstr "Mechanizm {1} nie powiódł się." #: sasl.cpp:346 msgid "" diff --git a/modules/po/simple_away.pl_PL.po b/modules/po/simple_away.pl_PL.po index 47094e56..25a2c5d7 100644 --- a/modules/po/simple_away.pl_PL.po +++ b/modules/po/simple_away.pl_PL.po @@ -24,10 +24,12 @@ msgid "" "Prints or sets the away reason (%awaytime% is replaced with the time you " "were set away, supports substitutions using ExpandString)" msgstr "" +"Wypisuje lub ustawia powód nieobecności (%awaytime% jest zastąpione czasem " +"Twojej nieobecności, wspiera podstawienia używając ExpandString)" #: simple_away.cpp:63 msgid "Prints the current time to wait before setting you away" -msgstr "" +msgstr "Wypisuje bieżący czas oczekiwania przed ustawieniem trybu nieobecności" #: simple_away.cpp:65 msgid "" @@ -62,10 +64,10 @@ msgstr "Bieżący powód nieobecności byłby: {1}" #: simple_away.cpp:144 msgid "Current timer setting: 1 second" msgid_plural "Current timer setting: {1} seconds" -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" -msgstr[3] "" +msgstr[0] "Bieżące ustawienie odliczarki: 1 sekunda" +msgstr[1] "Bieżące ustawienie odliczarki: {1} sekundy" +msgstr[2] "Bieżące ustawienie odliczarki: {1} sekund" +msgstr[3] "Bieżące ustawienie odliczarki: {1} sekund" #: simple_away.cpp:153 simple_away.cpp:161 msgid "Timer disabled" @@ -74,10 +76,10 @@ msgstr "Odliczarka wyłączona" #: simple_away.cpp:155 msgid "Timer set to 1 second" msgid_plural "Timer set to: {1} seconds" -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" -msgstr[3] "" +msgstr[0] "Odliczarka ustawiona na 1 sekundę" +msgstr[1] "Odliczarka ustawiona na: {1} sekundy" +msgstr[2] "Odliczarka ustawiona na: {1} sekund" +msgstr[3] "Odliczarka ustawiona na: {1} sekund" #: simple_away.cpp:166 msgid "Current MinClients setting: {1}" diff --git a/modules/po/watch.pl_PL.po b/modules/po/watch.pl_PL.po index ee6c3fdf..0416637e 100644 --- a/modules/po/watch.pl_PL.po +++ b/modules/po/watch.pl_PL.po @@ -20,7 +20,7 @@ msgstr " [Cel] [Wzorzec]" #: watch.cpp:178 msgid "Used to add an entry to watch for." -msgstr "Służy do dodawania wpisu, na który będzie się oczekiwać." +msgstr "Służy do dodawania wpisu, który będzie obserwowany." #: watch.cpp:180 msgid "List all entries being watched." @@ -60,11 +60,11 @@ msgstr " " #: watch.cpp:192 msgid "Enable or disable detached client only for an entry." -msgstr "" +msgstr "Włącz lub wyłącz odpiętego klienta dla wpisu." #: watch.cpp:194 msgid "Enable or disable detached channel only for an entry." -msgstr "" +msgstr "Włącz lub wyłącz odpięty kanał dla wpisu." #: watch.cpp:196 msgid " [#chan priv #foo* !#bar]" @@ -148,11 +148,11 @@ msgstr "Wyłączony" #: watch.cpp:497 watch.cpp:515 msgid "DetachedClientOnly" -msgstr "" +msgstr "OdpiętyKlient?" #: watch.cpp:498 watch.cpp:518 msgid "DetachedChannelOnly" -msgstr "" +msgstr "OdpiętyKanał?" #: watch.cpp:516 watch.cpp:519 msgid "Yes" @@ -184,7 +184,7 @@ msgstr "Wpis dla {1} już istnieje." #: watch.cpp:654 msgid "Adding entry: {1} watching for [{2}] -> {3}" -msgstr "" +msgstr "Dodawanie wpisu: {1} obserwowanie [{2}] -> {3}" #: watch.cpp:660 msgid "Watch: Not enough arguments. Try Help" diff --git a/modules/po/webadmin.pl_PL.po b/modules/po/webadmin.pl_PL.po index d6b85c43..eced7367 100644 --- a/modules/po/webadmin.pl_PL.po +++ b/modules/po/webadmin.pl_PL.po @@ -209,6 +209,8 @@ msgid "" "When disabled, manually whitelist all server fingerprints, even if the " "certificate is valid" msgstr "" +"Gdy wyłączone, ręcznie musisz dosdać wszystkie odciski palców serwera, nawet " +"jeżeli certyfikat jest poprawny" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:89 #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:96 @@ -259,6 +261,10 @@ msgid "" "which occur, when your IRC bot is command flooded or spammed. After changing " "this, reconnect ZNC to server." msgstr "" +"Możesz włączyć zabezpieczenie przed zalaniem. To zapobiega przed błędami " +"\"nadmiernego zalania\", które wystąpią gdy Twój bot IRC jest zalewany " +"poleceniami lub spamowany. Po zmianie tego, połącz się ponownie z serwerem " +"ZNC." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:130 msgctxt "Flood Protection" @@ -267,40 +273,45 @@ msgstr "Włączone" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:134 msgid "Flood protection rate:" -msgstr "" +msgstr "Częstość ochrony przed zalaniem:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:137 msgid "" "The number of seconds per line. After changing this, reconnect ZNC to server." msgstr "" +"Liczba sekund na linię. Po zmianie tego ponownie podłącz ZNC do serwera." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:140 msgid "{1} seconds per line" -msgstr "" +msgstr "{1} sekund na linię" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:144 msgid "Flood protection burst:" -msgstr "" +msgstr "Ochrona przed zalaniem serią:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:147 msgid "" "Defines the number of lines, which can be sent immediately. After changing " "this, reconnect ZNC to server." msgstr "" +"Określa liczbę linii, które można wysłać jednocześnie. Po dostosowaniu ZNC " +"musi ponownie połączyć się z IRC." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:150 msgid "{1} lines can be sent immediately" -msgstr "" +msgstr "{1} linii można wysłać natychmiast" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:154 msgid "Channel join delay:" -msgstr "" +msgstr "Opóźnienie dołączenia do kanału:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:157 msgid "" "Defines the delay in seconds, until channels are joined after getting " "connected." msgstr "" +"Określa opóźnienie w sekundach, zanim dołączy się do kanałów po ustanowieniu " +"połączenia." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:160 msgid "{1} seconds" @@ -322,7 +333,7 @@ msgstr "Kanały" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:178 msgid "" "You will be able to add + modify channels here after you created the network." -msgstr "" +msgstr "Będziesz mógł tutaj dodawać + modyfikować kanały po utworzeniu sieci." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:185 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:129 @@ -450,6 +461,8 @@ msgid "" "Allow user authentication by external modules only, disabling built-in " "password authentication." msgstr "" +"Zezwalaj na uwierzytelnianie użytkowników tylko przez moduły zewnętrzne, " +"wyłączając wbudowane uwierzytelnianie hasłem." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:50 msgid "Allowed IPs:" @@ -460,34 +473,38 @@ msgid "" "Leave empty to allow connections from all IPs.
Otherwise, one entry per " "line, wildcards * and ? are available." msgstr "" +"Pozostaw puste, aby zezwolić na połączenia ze wszystkich adresów IP.
W " +"przeciwnym razie jeden wpis na linię, symbole wieloznaczne * i? są dostępne." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:62 msgid "IRC Information" -msgstr "" +msgstr "Informacje IRC" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:64 msgid "" "Nick, AltNick, Ident, RealName and QuitMsg can be left empty to use default " "values." msgstr "" +"Pseudonim, AlternatPseudonim, Ident, PrawdziweImię i WiadomośćZakończenia " +"mogą pozostać puste aby użyć domyślnych wartości." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:82 msgid "The Ident is sent to server as username." -msgstr "" +msgstr "Ident jest wysyłany do serwera jako nazwa użytkownika." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:85 #: modules/po/../data/webadmin/tmpl/settings.tmpl:102 msgid "Status Prefix:" -msgstr "" +msgstr "Przedrostek status:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:87 #: modules/po/../data/webadmin/tmpl/settings.tmpl:104 msgid "The prefix for the status and module queries." -msgstr "" +msgstr "Przedrostek dla modułu status i pozostałych zapytań modułów." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:105 msgid "DCCBindHost:" -msgstr "" +msgstr "Host przypięcia DCC:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:122 #: modules/po/../data/webadmin/tmpl/listusers.tmpl:17 @@ -736,7 +753,7 @@ msgstr "Sklonuj" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:434 msgid "Create" -msgstr "" +msgstr "Stwórz" #: modules/po/../data/webadmin/tmpl/del_network.tmpl:5 msgid "Confirm Network Deletion" @@ -744,37 +761,38 @@ msgstr "Potwierdź usunięcie sieci" #: modules/po/../data/webadmin/tmpl/del_network.tmpl:9 msgid "Are you sure you want to delete network “{2}” of user “{1}”?" -msgstr "" +msgstr "Czy na pewno chcesz usunąć sieć „{2}” użytkownika „{1}”?" #: modules/po/../data/webadmin/tmpl/del_network.tmpl:14 #: modules/po/../data/webadmin/tmpl/del_user.tmpl:14 msgid "Yes" -msgstr "" +msgstr "Tak" #: modules/po/../data/webadmin/tmpl/del_network.tmpl:17 #: modules/po/../data/webadmin/tmpl/del_user.tmpl:17 msgid "No" -msgstr "" +msgstr "Nie" #: modules/po/../data/webadmin/tmpl/del_user.tmpl:5 msgid "Confirm User Deletion" -msgstr "" +msgstr "Potwierdź usunięcie użytkownika" #: modules/po/../data/webadmin/tmpl/del_user.tmpl:9 msgid "Are you sure you want to delete user “{1}”?" -msgstr "" +msgstr "Czy na pewno chcesz usunąć użytkownika “{1}”?" #: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:6 msgid "ZNC is compiled without encodings support. {1} is required for it." msgstr "" +"ZNC jest skompilowany bez obsługi kodowania. Wymagane jest do tego {1}." #: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:11 msgid "Legacy mode is disabled by modpython." -msgstr "" +msgstr "Tryb starszego typu jest wyłączony przez modpython." #: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:18 msgid "Don't ensure any encoding at all (legacy mode, not recommended)" -msgstr "" +msgstr "Nie zapewniaj w ogóle żadnego kodowania (starszy tryb, niezalecane)" #: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:22 msgid "Try to parse as UTF-8 and as {1}, send as UTF-8 (recommended)" @@ -790,83 +808,87 @@ msgstr "" #: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:36 msgid "E.g. UTF-8, or ISO-8859-15" -msgstr "" +msgstr "N.p. UTF-8, lub ISO-8859-2" #: modules/po/../data/webadmin/tmpl/index.tmpl:5 msgid "Welcome to the ZNC webadmin module." -msgstr "" +msgstr "Witaj w module webadmin ZNC." #: modules/po/../data/webadmin/tmpl/index.tmpl:6 msgid "" "All changes you make will be in effect immediately after you submitted them." msgstr "" +"Wszelkie wprowadzone zmiany zostaną zastosowane natychmiast po ich " +"przesłaniu." #: modules/po/../data/webadmin/tmpl/listusers.tmpl:16 msgid "Username" -msgstr "" +msgstr "Nazwa użytkownika" #: modules/po/../data/webadmin/tmpl/listusers.tmpl:29 #: modules/po/../data/webadmin/tmpl/settings.tmpl:21 msgid "Delete" -msgstr "" +msgstr "Usuń" #: modules/po/../data/webadmin/tmpl/settings.tmpl:6 msgid "Listen Port(s)" -msgstr "" +msgstr "Port(y) nasłuchu" #: modules/po/../data/webadmin/tmpl/settings.tmpl:14 msgid "BindHost" -msgstr "" +msgstr "HostPrzypięcia" #: modules/po/../data/webadmin/tmpl/settings.tmpl:16 msgid "IPv4" -msgstr "" +msgstr "IPv4" #: modules/po/../data/webadmin/tmpl/settings.tmpl:17 msgid "IPv6" -msgstr "" +msgstr "IPv6" #: modules/po/../data/webadmin/tmpl/settings.tmpl:18 msgid "IRC" -msgstr "" +msgstr "IRC" #: modules/po/../data/webadmin/tmpl/settings.tmpl:19 msgid "HTTP" -msgstr "" +msgstr "HTTP" #: modules/po/../data/webadmin/tmpl/settings.tmpl:20 msgid "URIPrefix" -msgstr "" +msgstr "PrzedrostekURI" #: modules/po/../data/webadmin/tmpl/settings.tmpl:56 msgid "" "To delete port which you use to access webadmin itself, either connect to " "webadmin via another port, or do it in IRC (/znc DelPort)" msgstr "" +"Aby usunąć port, którego używasz do uzyskania dostępu do samego webadmin, " +"albo połącz się z webadmin przez inny port, albo zrób to w IRC (/znc DelPort)" #: modules/po/../data/webadmin/tmpl/settings.tmpl:56 msgid "Current" -msgstr "" +msgstr "Bieżący" #: modules/po/../data/webadmin/tmpl/settings.tmpl:86 msgid "Settings" -msgstr "" +msgstr "Ustawienia" #: modules/po/../data/webadmin/tmpl/settings.tmpl:105 msgid "Default for new users only." -msgstr "" +msgstr "Domyślny jest tylko dla nowych użytkowników." #: modules/po/../data/webadmin/tmpl/settings.tmpl:110 msgid "Maximum Buffer Size:" -msgstr "" +msgstr "Maksymalny rozmiar bufora:" #: modules/po/../data/webadmin/tmpl/settings.tmpl:112 msgid "Sets the global Max Buffer Size a user can have." -msgstr "" +msgstr "Ustawia globalny maksymalny rozmiar bufora, jaki może mieć użytkownik." #: modules/po/../data/webadmin/tmpl/settings.tmpl:117 msgid "Connect Delay:" -msgstr "" +msgstr "Opóźnienie próby połączenia:" #: modules/po/../data/webadmin/tmpl/settings.tmpl:119 msgid "" @@ -874,6 +896,9 @@ msgid "" "affects the connection between ZNC and the IRC server; not the connection " "between your IRC client and ZNC." msgstr "" +"Czas między próbami połączenia z serwerami IRC, w sekundach. Wpływa to na " +"połączenie między ZNC a serwerem IRC; nie na połączenie między Twoim " +"klientem IRC a ZNC." #: modules/po/../data/webadmin/tmpl/settings.tmpl:124 msgid "Server Throttle:" @@ -884,34 +909,37 @@ msgid "" "The minimal time between two connect attempts to the same hostname, in " "seconds. Some servers refuse your connection if you reconnect too fast." msgstr "" +"Minimalny czas między dwiema próbami połączenia z tą samą nazwą hosta, w " +"sekundach. Niektóre serwery odmawiają połączenia, jeśli nastąpi zbyt szybkie " +"ponowne połączenie." #: modules/po/../data/webadmin/tmpl/settings.tmpl:131 msgid "Anonymous Connection Limit per IP:" -msgstr "" +msgstr "Limit anonimowego połączenia na adres IP:" #: modules/po/../data/webadmin/tmpl/settings.tmpl:133 msgid "Limits the number of unidentified connections per IP." -msgstr "" +msgstr "Ogranicza liczbę niezidentyfikowanych połączeń na IP." #: modules/po/../data/webadmin/tmpl/settings.tmpl:138 msgid "Protect Web Sessions:" -msgstr "" +msgstr "Chroń sesje WWW:" #: modules/po/../data/webadmin/tmpl/settings.tmpl:140 msgid "Disallow IP changing during each web session" -msgstr "" +msgstr "Nie zezwalaj na zmianę adresu IP podczas każdej sesji WWW" #: modules/po/../data/webadmin/tmpl/settings.tmpl:145 msgid "Hide ZNC Version:" -msgstr "" +msgstr "Ukryj wersję ZNC:" #: modules/po/../data/webadmin/tmpl/settings.tmpl:147 msgid "Hide version number from non-ZNC users" -msgstr "" +msgstr "Ukryj numer wersji przed użytkownikami spoza ZNC" #: modules/po/../data/webadmin/tmpl/settings.tmpl:153 msgid "Allow user authentication by external modules only" -msgstr "" +msgstr "Zezwól na uwierzytelnianie użytkownika tylko przez moduły zewnętrzne" #: modules/po/../data/webadmin/tmpl/settings.tmpl:158 msgid "MOTD:" @@ -920,18 +948,19 @@ msgstr "Wiadomość dnia:" #: modules/po/../data/webadmin/tmpl/settings.tmpl:162 msgid "“Message of the Day”, sent to all ZNC users on connect." msgstr "" +"„Wiadomość dnia”, wysłana do wszystkich użytkowników ZNC przy połączeniu." #: modules/po/../data/webadmin/tmpl/settings.tmpl:170 msgid "Global Modules" -msgstr "" +msgstr "Moduły globalne" #: modules/po/../data/webadmin/tmpl/settings.tmpl:180 msgid "Loaded by users" -msgstr "" +msgstr "Załadowane przez użytkownika" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:7 msgid "Information" -msgstr "" +msgstr "Informacja" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:13 msgid "Uptime" @@ -960,11 +989,11 @@ msgstr "Łączna liczba połączeń IRC" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:47 msgid "Client Connections" -msgstr "" +msgstr "Połączenia klienta" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:51 msgid "IRC Connections" -msgstr "" +msgstr "Połączenia IRC" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:63 #: modules/po/../data/webadmin/tmpl/traffic.tmpl:72 @@ -1020,11 +1049,11 @@ msgstr "Zarządzanie użytkownikami" #: webadmin.cpp:188 msgid "Invalid Submission [Username is required]" -msgstr "" +msgstr "Niepoprawne przesłanie [nazwa użytkownika jest wymagana]" #: webadmin.cpp:201 msgid "Invalid Submission [Passwords do not match]" -msgstr "" +msgstr "Niepoprawne przesłanie [Hasła do siebie nie pasują]" #: webadmin.cpp:323 msgid "Timeout can't be less than 30 seconds!" @@ -1172,14 +1201,16 @@ msgid "" "Automatically Clear Channel Buffer After Playback (the default value for new " "channels)" msgstr "" +"Automatycznie wyczyść bufor kanału po odtworzeniu (wartość domyślna dla " +"nowych kanałów)" #: webadmin.cpp:1522 msgid "Multi Clients" -msgstr "" +msgstr "Dozwolonych wielu klientów" #: webadmin.cpp:1529 msgid "Append Timestamps" -msgstr "" +msgstr "Dopisz znacznik czasu" #: webadmin.cpp:1536 msgid "Prepend Timestamps" @@ -1187,60 +1218,61 @@ msgstr "" #: webadmin.cpp:1544 msgid "Deny LoadMod" -msgstr "" +msgstr "Odmawiaj LoadMod" #: webadmin.cpp:1551 msgid "Admin (dangerous! may gain shell access)" -msgstr "" +msgstr "Administrator (niebezpieczne! Może uzyskać dostęp do powłoki)" #: webadmin.cpp:1561 msgid "Deny SetBindHost" -msgstr "" +msgstr "Odmawiaj SetBindHost" #: webadmin.cpp:1569 msgid "Auto Clear Query Buffer" -msgstr "" +msgstr "Automatycznie czyść bufor rozmów" #: webadmin.cpp:1571 msgid "Automatically Clear Query Buffer After Playback" -msgstr "" +msgstr "Automatycznie czyści bufor rozmów po odtworzeniu" #: webadmin.cpp:1595 msgid "Invalid Submission: User {1} already exists" -msgstr "" +msgstr "Niepoprawne przesłanie: Użytkownik {1} już istnieje" #: webadmin.cpp:1617 webadmin.cpp:1628 msgid "Invalid submission: {1}" -msgstr "" +msgstr "Niepoprawne przesłanie: {1}" #: webadmin.cpp:1623 msgid "User was added, but config file was not written" -msgstr "" +msgstr "Użytkownik został dodany, ale konfiguracja nie została zapisana" #: webadmin.cpp:1634 msgid "User was edited, but config file was not written" -msgstr "" +msgstr "Użytkownik został zedytowany, ale konfiguracja nie została zapisana" #: webadmin.cpp:1792 msgid "Choose either IPv4 or IPv6 or both." -msgstr "" +msgstr "Wybierz IPv4 lub IPv6 lub oba." #: webadmin.cpp:1809 msgid "Choose either IRC or HTTP or both." -msgstr "" +msgstr "Wybierz IRC, HTTP lub oba." #: webadmin.cpp:1822 webadmin.cpp:1858 msgid "Port was changed, but config file was not written" -msgstr "" +msgstr "Port został zmieniony, ale plik konfiguracyjny nie został zapisany" #: webadmin.cpp:1848 msgid "Invalid request." -msgstr "" +msgstr "Nieprawidłowe zapytanie." #: webadmin.cpp:1862 msgid "The specified listener was not found." -msgstr "" +msgstr "Określony nasłuchiwacz nie został znaleziony." #: webadmin.cpp:2093 msgid "Settings were changed, but config file was not written" msgstr "" +"Ustawienia zostały zmienione, ale plik konfiguracyjny nie został zapisany" From 6a3ed356d4125cf2daea7551bcdba1c72cf9747d Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Sat, 27 Jun 2020 00:28:55 +0000 Subject: [PATCH 445/798] Update translations from Crowdin for pl_PL --- modules/po/send_raw.pl_PL.po | 46 ++++++++++++++++--------------- modules/po/stickychan.pl_PL.po | 43 +++++++++++++++-------------- modules/po/stripcontrols.pl_PL.po | 2 ++ 3 files changed, 49 insertions(+), 42 deletions(-) diff --git a/modules/po/send_raw.pl_PL.po b/modules/po/send_raw.pl_PL.po index 0d604025..03ba4779 100644 --- a/modules/po/send_raw.pl_PL.po +++ b/modules/po/send_raw.pl_PL.po @@ -16,96 +16,98 @@ msgstr "" #: modules/po/../data/send_raw/tmpl/index.tmpl:9 msgid "Send a raw IRC line" -msgstr "" +msgstr "Wyślij surową linię IRC" #: modules/po/../data/send_raw/tmpl/index.tmpl:14 msgid "User:" -msgstr "" +msgstr "Użytkownik:" #: modules/po/../data/send_raw/tmpl/index.tmpl:15 msgid "To change user, click to Network selector" -msgstr "" +msgstr "Aby zmienić użytkownika, klinknij wybierak sieci" #: modules/po/../data/send_raw/tmpl/index.tmpl:19 msgid "User/Network:" -msgstr "" +msgstr "Użytkownik/Sieć:" #: modules/po/../data/send_raw/tmpl/index.tmpl:32 msgid "Send to:" -msgstr "" +msgstr "Wyślij do:" #: modules/po/../data/send_raw/tmpl/index.tmpl:34 msgid "Client" -msgstr "" +msgstr "Klient" #: modules/po/../data/send_raw/tmpl/index.tmpl:35 msgid "Server" -msgstr "" +msgstr "Serwer" #: modules/po/../data/send_raw/tmpl/index.tmpl:40 msgid "Line:" -msgstr "" +msgstr "Linia:" #: modules/po/../data/send_raw/tmpl/index.tmpl:45 msgid "Send" -msgstr "" +msgstr "Wyślij" #: send_raw.cpp:32 msgid "Sent [{1}] to {2}/{3}" -msgstr "" +msgstr "Wysłano [{1}] do {2}/{3}" #: send_raw.cpp:36 send_raw.cpp:56 msgid "Network {1} not found for user {2}" -msgstr "" +msgstr "Sieć {1} nieznaleziona dla użytkownika {2}" #: send_raw.cpp:40 send_raw.cpp:60 msgid "User {1} not found" -msgstr "" +msgstr "Użytkownik {1} nie odnaleziony" #: send_raw.cpp:52 msgid "Sent [{1}] to IRC server of {2}/{3}" -msgstr "" +msgstr "Wysłano [{1}] do serwera IRC od {2}/{3}" #: send_raw.cpp:75 msgid "You must have admin privileges to load this module" -msgstr "" +msgstr "Aby załadować ten moduł, musisz mieć uprawnienia administratora" #: send_raw.cpp:82 msgid "Send Raw" -msgstr "" +msgstr "Wyślij surowe" #: send_raw.cpp:92 msgid "User not found" -msgstr "" +msgstr "Użytkownik nie znaleziony" #: send_raw.cpp:99 msgid "Network not found" -msgstr "" +msgstr "Sieć nieznaleziona" #: send_raw.cpp:116 msgid "Line sent" -msgstr "" +msgstr "Linia została wysłana" #: send_raw.cpp:140 send_raw.cpp:143 msgid "[user] [network] [data to send]" -msgstr "" +msgstr "[użytkownik] [sieć] [dane do wysłania]" #: send_raw.cpp:141 msgid "The data will be sent to the user's IRC client(s)" -msgstr "" +msgstr "Dane zostaną wysłane do klienta/ów IRC użytkownika" #: send_raw.cpp:144 msgid "The data will be sent to the IRC server the user is connected to" msgstr "" +"Dane zostaną wysłane do serwera IRC, z którym użytkownik jest połączony" #: send_raw.cpp:147 msgid "[data to send]" -msgstr "" +msgstr "[dane do wysłania]" #: send_raw.cpp:148 msgid "The data will be sent to your current client" -msgstr "" +msgstr "Dane zostaną wysłane do Twojego bieżącego klienta" #: send_raw.cpp:159 msgid "Lets you send some raw IRC lines as/to someone else" msgstr "" +"Pozwala Tobie wysłać jakieś surowe linie IRC jako/do kogoś/ktoś innego/inny" diff --git a/modules/po/stickychan.pl_PL.po b/modules/po/stickychan.pl_PL.po index 27566585..096c6713 100644 --- a/modules/po/stickychan.pl_PL.po +++ b/modules/po/stickychan.pl_PL.po @@ -16,89 +16,92 @@ msgstr "" #: modules/po/../data/stickychan/tmpl/index.tmpl:9 msgid "Name" -msgstr "" +msgstr "Nazwa" #: modules/po/../data/stickychan/tmpl/index.tmpl:10 msgid "Sticky" -msgstr "" +msgstr "Przyklejony" #: modules/po/../data/stickychan/tmpl/index.tmpl:25 msgid "Save" -msgstr "" +msgstr "Zapisz" #: modules/po/../data/stickychan/tmpl/stickychan_WebadminChan.tmpl:8 msgid "Channel is sticky" -msgstr "" +msgstr "Kanał jest przyklejony" #: stickychan.cpp:28 msgid "<#channel> [key]" -msgstr "" +msgstr "<#kanałl> [klucz]" #: stickychan.cpp:28 msgid "Sticks a channel" -msgstr "" +msgstr "Przykleja do kanału" #: stickychan.cpp:30 msgid "<#channel>" -msgstr "" +msgstr "<#kanał>" #: stickychan.cpp:30 msgid "Unsticks a channel" -msgstr "" +msgstr "Odkleja od kanału" #: stickychan.cpp:32 msgid "Lists sticky channels" -msgstr "" +msgstr "Lista przyklejonych kanałów" #: stickychan.cpp:75 msgid "Usage: Stick <#channel> [key]" -msgstr "" +msgstr "Użycie: Stick <#kanał> [klucz]" #: stickychan.cpp:79 msgid "Stuck {1}" -msgstr "" +msgstr "Przyklejono {1}" #: stickychan.cpp:85 msgid "Usage: Unstick <#channel>" -msgstr "" +msgstr "Użycie: Unstick <#kanał>" #: stickychan.cpp:89 msgid "Unstuck {1}" -msgstr "" +msgstr "Odklejono {1}" #: stickychan.cpp:101 msgid " -- End of List" -msgstr "" +msgstr " -- Koniec listy" #: stickychan.cpp:115 msgid "Could not join {1} (# prefix missing?)" -msgstr "" +msgstr "Nie można dołączyć do {1} (brakuje przedrostka # ?)" #: stickychan.cpp:128 msgid "Sticky Channels" -msgstr "" +msgstr "Przyklejone kanały" #: stickychan.cpp:160 msgid "Changes have been saved!" -msgstr "" +msgstr "Zmiany zostały zapisane!" #: stickychan.cpp:185 msgid "Channel became sticky!" -msgstr "" +msgstr "Kanał został przyklejony!" #: stickychan.cpp:189 msgid "Channel stopped being sticky!" -msgstr "" +msgstr "Kanał przestał być przyklejonym!" #: stickychan.cpp:209 msgid "" "Channel {1} cannot be joined, it is an illegal channel name. Unsticking." msgstr "" +"Nie można dołączyć do kanału {1}, jest niedozwoloną nazwą kanału. Odklejanie." #: stickychan.cpp:246 msgid "List of channels, separated by comma." -msgstr "" +msgstr "Lista kanałów, oddzielona przecinkiem." #: stickychan.cpp:251 msgid "configless sticky chans, keeps you there very stickily even" msgstr "" +"Niewymagające konfiguracji kanały przyklejenia, utrzymuję cie tam bardzo " +"dobrze przyklejonym" diff --git a/modules/po/stripcontrols.pl_PL.po b/modules/po/stripcontrols.pl_PL.po index e3dea064..02b7a3ad 100644 --- a/modules/po/stripcontrols.pl_PL.po +++ b/modules/po/stripcontrols.pl_PL.po @@ -18,3 +18,5 @@ msgstr "" msgid "" "Strips control codes (Colors, Bold, ..) from channel and private messages." msgstr "" +"Usuwaj kody kontrolne (kolory, pogrubienie, ..) z kanału i prywatnych " +"wiadomości." From 29f39d43aadcd26d4f3d7afccadf5dd1d4d839ed Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Sun, 28 Jun 2020 00:28:17 +0000 Subject: [PATCH 446/798] Update translations from Crowdin for pl_PL --- modules/po/modperl.pl_PL.po | 2 +- modules/po/modpython.pl_PL.po | 2 +- modules/po/send_raw.pl_PL.po | 46 ++++++++++++++++--------------- modules/po/stickychan.pl_PL.po | 43 +++++++++++++++-------------- modules/po/stripcontrols.pl_PL.po | 2 ++ 5 files changed, 51 insertions(+), 44 deletions(-) diff --git a/modules/po/modperl.pl_PL.po b/modules/po/modperl.pl_PL.po index 42c6196d..569d99b0 100644 --- a/modules/po/modperl.pl_PL.po +++ b/modules/po/modperl.pl_PL.po @@ -16,4 +16,4 @@ msgstr "" #: modperl.cpp:382 msgid "Loads perl scripts as ZNC modules" -msgstr "" +msgstr "Ładuje skrypty perl jako moduły ZNC" diff --git a/modules/po/modpython.pl_PL.po b/modules/po/modpython.pl_PL.po index 13b315c4..1121ce18 100644 --- a/modules/po/modpython.pl_PL.po +++ b/modules/po/modpython.pl_PL.po @@ -16,4 +16,4 @@ msgstr "" #: modpython.cpp:513 msgid "Loads python scripts as ZNC modules" -msgstr "" +msgstr "Ładuje skrypty pythona jako moduły ZNC" diff --git a/modules/po/send_raw.pl_PL.po b/modules/po/send_raw.pl_PL.po index ebca335f..6d287430 100644 --- a/modules/po/send_raw.pl_PL.po +++ b/modules/po/send_raw.pl_PL.po @@ -16,96 +16,98 @@ msgstr "" #: modules/po/../data/send_raw/tmpl/index.tmpl:9 msgid "Send a raw IRC line" -msgstr "" +msgstr "Wyślij surową linię IRC" #: modules/po/../data/send_raw/tmpl/index.tmpl:14 msgid "User:" -msgstr "" +msgstr "Użytkownik:" #: modules/po/../data/send_raw/tmpl/index.tmpl:15 msgid "To change user, click to Network selector" -msgstr "" +msgstr "Aby zmienić użytkownika, klinknij wybierak sieci" #: modules/po/../data/send_raw/tmpl/index.tmpl:19 msgid "User/Network:" -msgstr "" +msgstr "Użytkownik/Sieć:" #: modules/po/../data/send_raw/tmpl/index.tmpl:32 msgid "Send to:" -msgstr "" +msgstr "Wyślij do:" #: modules/po/../data/send_raw/tmpl/index.tmpl:34 msgid "Client" -msgstr "" +msgstr "Klient" #: modules/po/../data/send_raw/tmpl/index.tmpl:35 msgid "Server" -msgstr "" +msgstr "Serwer" #: modules/po/../data/send_raw/tmpl/index.tmpl:40 msgid "Line:" -msgstr "" +msgstr "Linia:" #: modules/po/../data/send_raw/tmpl/index.tmpl:45 msgid "Send" -msgstr "" +msgstr "Wyślij" #: send_raw.cpp:32 msgid "Sent [{1}] to {2}/{3}" -msgstr "" +msgstr "Wysłano [{1}] do {2}/{3}" #: send_raw.cpp:36 send_raw.cpp:56 msgid "Network {1} not found for user {2}" -msgstr "" +msgstr "Sieć {1} nieznaleziona dla użytkownika {2}" #: send_raw.cpp:40 send_raw.cpp:60 msgid "User {1} not found" -msgstr "" +msgstr "Użytkownik {1} nie odnaleziony" #: send_raw.cpp:52 msgid "Sent [{1}] to IRC server of {2}/{3}" -msgstr "" +msgstr "Wysłano [{1}] do serwera IRC od {2}/{3}" #: send_raw.cpp:75 msgid "You must have admin privileges to load this module" -msgstr "" +msgstr "Aby załadować ten moduł, musisz mieć uprawnienia administratora" #: send_raw.cpp:82 msgid "Send Raw" -msgstr "" +msgstr "Wyślij surowe" #: send_raw.cpp:92 msgid "User not found" -msgstr "" +msgstr "Użytkownik nie znaleziony" #: send_raw.cpp:99 msgid "Network not found" -msgstr "" +msgstr "Sieć nieznaleziona" #: send_raw.cpp:116 msgid "Line sent" -msgstr "" +msgstr "Linia została wysłana" #: send_raw.cpp:140 send_raw.cpp:143 msgid "[user] [network] [data to send]" -msgstr "" +msgstr "[użytkownik] [sieć] [dane do wysłania]" #: send_raw.cpp:141 msgid "The data will be sent to the user's IRC client(s)" -msgstr "" +msgstr "Dane zostaną wysłane do klienta/ów IRC użytkownika" #: send_raw.cpp:144 msgid "The data will be sent to the IRC server the user is connected to" msgstr "" +"Dane zostaną wysłane do serwera IRC, z którym użytkownik jest połączony" #: send_raw.cpp:147 msgid "[data to send]" -msgstr "" +msgstr "[dane do wysłania]" #: send_raw.cpp:148 msgid "The data will be sent to your current client" -msgstr "" +msgstr "Dane zostaną wysłane do Twojego bieżącego klienta" #: send_raw.cpp:159 msgid "Lets you send some raw IRC lines as/to someone else" msgstr "" +"Pozwala Tobie wysłać jakieś surowe linie IRC jako/do kogoś/ktoś innego/inny" diff --git a/modules/po/stickychan.pl_PL.po b/modules/po/stickychan.pl_PL.po index a03b766d..c779a5c0 100644 --- a/modules/po/stickychan.pl_PL.po +++ b/modules/po/stickychan.pl_PL.po @@ -16,89 +16,92 @@ msgstr "" #: modules/po/../data/stickychan/tmpl/index.tmpl:9 msgid "Name" -msgstr "" +msgstr "Nazwa" #: modules/po/../data/stickychan/tmpl/index.tmpl:10 msgid "Sticky" -msgstr "" +msgstr "Przyklejony" #: modules/po/../data/stickychan/tmpl/index.tmpl:25 msgid "Save" -msgstr "" +msgstr "Zapisz" #: modules/po/../data/stickychan/tmpl/stickychan_WebadminChan.tmpl:8 msgid "Channel is sticky" -msgstr "" +msgstr "Kanał jest przyklejony" #: stickychan.cpp:28 msgid "<#channel> [key]" -msgstr "" +msgstr "<#kanałl> [klucz]" #: stickychan.cpp:28 msgid "Sticks a channel" -msgstr "" +msgstr "Przykleja do kanału" #: stickychan.cpp:30 msgid "<#channel>" -msgstr "" +msgstr "<#kanał>" #: stickychan.cpp:30 msgid "Unsticks a channel" -msgstr "" +msgstr "Odkleja od kanału" #: stickychan.cpp:32 msgid "Lists sticky channels" -msgstr "" +msgstr "Lista przyklejonych kanałów" #: stickychan.cpp:75 msgid "Usage: Stick <#channel> [key]" -msgstr "" +msgstr "Użycie: Stick <#kanał> [klucz]" #: stickychan.cpp:79 msgid "Stuck {1}" -msgstr "" +msgstr "Przyklejono {1}" #: stickychan.cpp:85 msgid "Usage: Unstick <#channel>" -msgstr "" +msgstr "Użycie: Unstick <#kanał>" #: stickychan.cpp:89 msgid "Unstuck {1}" -msgstr "" +msgstr "Odklejono {1}" #: stickychan.cpp:101 msgid " -- End of List" -msgstr "" +msgstr " -- Koniec listy" #: stickychan.cpp:115 msgid "Could not join {1} (# prefix missing?)" -msgstr "" +msgstr "Nie można dołączyć do {1} (brakuje przedrostka # ?)" #: stickychan.cpp:128 msgid "Sticky Channels" -msgstr "" +msgstr "Przyklejone kanały" #: stickychan.cpp:160 msgid "Changes have been saved!" -msgstr "" +msgstr "Zmiany zostały zapisane!" #: stickychan.cpp:185 msgid "Channel became sticky!" -msgstr "" +msgstr "Kanał został przyklejony!" #: stickychan.cpp:189 msgid "Channel stopped being sticky!" -msgstr "" +msgstr "Kanał przestał być przyklejonym!" #: stickychan.cpp:209 msgid "" "Channel {1} cannot be joined, it is an illegal channel name. Unsticking." msgstr "" +"Nie można dołączyć do kanału {1}, jest niedozwoloną nazwą kanału. Odklejanie." #: stickychan.cpp:246 msgid "List of channels, separated by comma." -msgstr "" +msgstr "Lista kanałów, oddzielona przecinkiem." #: stickychan.cpp:251 msgid "configless sticky chans, keeps you there very stickily even" msgstr "" +"Niewymagające konfiguracji kanały przyklejenia, utrzymuję cie tam bardzo " +"dobrze przyklejonym" diff --git a/modules/po/stripcontrols.pl_PL.po b/modules/po/stripcontrols.pl_PL.po index 81001f83..8e88be1c 100644 --- a/modules/po/stripcontrols.pl_PL.po +++ b/modules/po/stripcontrols.pl_PL.po @@ -18,3 +18,5 @@ msgstr "" msgid "" "Strips control codes (Colors, Bold, ..) from channel and private messages." msgstr "" +"Usuwaj kody kontrolne (kolory, pogrubienie, ..) z kanału i prywatnych " +"wiadomości." From a5dde684da10d4713074affb78b657350acd3bbb Mon Sep 17 00:00:00 2001 From: Ujjwal Sharma Date: Sun, 28 Jun 2020 16:47:25 +0530 Subject: [PATCH 447/798] Extend port warning to 6697 --- src/znc.cpp | 8 ++++---- 1 file changed, 4 insertions(+), 4 deletions(-) diff --git a/src/znc.cpp b/src/znc.cpp index 9ecc1c50..481534e5 100644 --- a/src/znc.cpp +++ b/src/znc.cpp @@ -661,14 +661,14 @@ bool CZNC::WriteNewConfig(const CString& sConfigFile) { 65534)) { continue; } - if (uListenPort == 6667) { + if (uListenPort == 6667 || uListenPort == 6697) { CUtils::PrintStatus(false, - "WARNING: Some web browsers reject port " - "6667. If you intend to"); + "WARNING: Some web browsers reject ports " + "6667 and 6697. If you intend to"); CUtils::PrintStatus(false, "use ZNC's web interface, you might want " "to use another port."); - if (!CUtils::GetBoolInput("Proceed with port 6667 anyway?", + if (!CUtils::GetBoolInput("Proceed anyway?", true)) { continue; } From 1bc68ad1f49858b169feb40456fe644075c5f422 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Mon, 29 Jun 2020 00:28:27 +0000 Subject: [PATCH 448/798] Update translations from Crowdin for pl_PL --- modules/po/bouncedcc.pl_PL.po | 34 +++++------ modules/po/disconkick.pl_PL.po | 4 +- modules/po/fail2ban.pl_PL.po | 44 ++++++++------- modules/po/keepnick.pl_PL.po | 20 +++---- modules/po/kickrejoin.pl_PL.po | 34 +++++------ modules/po/lastseen.pl_PL.po | 26 ++++----- modules/po/log.pl_PL.po | 68 ++++++++++++---------- modules/po/missingmotd.pl_PL.po | 2 +- modules/po/notes.pl_PL.po | 22 ++++---- modules/po/notify_connect.pl_PL.po | 7 ++- modules/po/perform.pl_PL.po | 44 ++++++++------- modules/po/raw.pl_PL.po | 2 +- src/po/znc.pl_PL.po | 91 ++++++++++++++++-------------- 13 files changed, 211 insertions(+), 187 deletions(-) diff --git a/modules/po/bouncedcc.pl_PL.po b/modules/po/bouncedcc.pl_PL.po index 3b974b28..a84ef150 100644 --- a/modules/po/bouncedcc.pl_PL.po +++ b/modules/po/bouncedcc.pl_PL.po @@ -17,46 +17,46 @@ msgstr "" #: bouncedcc.cpp:101 bouncedcc.cpp:119 bouncedcc.cpp:121 msgctxt "list" msgid "Type" -msgstr "" +msgstr "Typ" #: bouncedcc.cpp:102 bouncedcc.cpp:132 msgctxt "list" msgid "State" -msgstr "" +msgstr "Stan" #: bouncedcc.cpp:103 msgctxt "list" msgid "Speed" -msgstr "" +msgstr "Prędkość" #: bouncedcc.cpp:104 bouncedcc.cpp:115 msgctxt "list" msgid "Nick" -msgstr "" +msgstr "Pseudonim" #: bouncedcc.cpp:105 bouncedcc.cpp:116 msgctxt "list" msgid "IP" -msgstr "" +msgstr "IP" #: bouncedcc.cpp:106 bouncedcc.cpp:122 msgctxt "list" msgid "File" -msgstr "" +msgstr "Plik" #: bouncedcc.cpp:119 msgctxt "list" msgid "Chat" -msgstr "" +msgstr "Chat" #: bouncedcc.cpp:121 msgctxt "list" msgid "Xfer" -msgstr "" +msgstr "Xfer" #: bouncedcc.cpp:125 msgid "Waiting" -msgstr "" +msgstr "Oczekujący" #: bouncedcc.cpp:127 msgid "Halfway" @@ -64,33 +64,33 @@ msgstr "" #: bouncedcc.cpp:129 msgid "Connected" -msgstr "" +msgstr "Połączono" #: bouncedcc.cpp:137 msgid "You have no active DCCs." -msgstr "" +msgstr "Nie masz aktywnych DCC." #: bouncedcc.cpp:148 msgid "Use client IP: {1}" -msgstr "" +msgstr "Użyj IP klienta: {1}" #: bouncedcc.cpp:153 msgid "List all active DCCs" -msgstr "" +msgstr "Lista wszystkich aktywnych DCC" #: bouncedcc.cpp:156 msgid "Change the option to use IP of client" -msgstr "" +msgstr "Zmień tą opcję, aby skorzystać z adresu IP klienta" #: bouncedcc.cpp:383 bouncedcc.cpp:412 bouncedcc.cpp:436 bouncedcc.cpp:451 msgctxt "type" msgid "Chat" -msgstr "" +msgstr "Chat" #: bouncedcc.cpp:383 bouncedcc.cpp:412 bouncedcc.cpp:436 bouncedcc.cpp:451 msgctxt "type" msgid "Xfer" -msgstr "" +msgstr "Xfer" #: bouncedcc.cpp:385 msgid "DCC {1} Bounce ({2}): Too long line received" @@ -131,3 +131,5 @@ msgid "" "Bounces DCC transfers through ZNC instead of sending them directly to the " "user. " msgstr "" +"Odbija transfery DCC przez ZNC zamiast wysyłać je bezpośrednio do " +"użytkownika. " diff --git a/modules/po/disconkick.pl_PL.po b/modules/po/disconkick.pl_PL.po index 0258fce2..aeb2db43 100644 --- a/modules/po/disconkick.pl_PL.po +++ b/modules/po/disconkick.pl_PL.po @@ -16,10 +16,12 @@ msgstr "" #: disconkick.cpp:32 msgid "You have been disconnected from the IRC server" -msgstr "" +msgstr "Zostałeś rozłączony z serwerem IRC" #: disconkick.cpp:45 msgid "" "Kicks the client from all channels when the connection to the IRC server is " "lost" msgstr "" +"Wyrzuca klienta ze wszystkich kanałów, gdy połączenie z serwerem IRC " +"zostanie utracone" diff --git a/modules/po/fail2ban.pl_PL.po b/modules/po/fail2ban.pl_PL.po index abd5fecc..129b8d9b 100644 --- a/modules/po/fail2ban.pl_PL.po +++ b/modules/po/fail2ban.pl_PL.po @@ -16,35 +16,35 @@ msgstr "" #: fail2ban.cpp:25 msgid "[minutes]" -msgstr "" +msgstr "[minut]" #: fail2ban.cpp:26 msgid "The number of minutes IPs are blocked after a failed login." -msgstr "" +msgstr "Liczba minut w których IP są blokowane po nieudanym logowaniu." #: fail2ban.cpp:28 msgid "[count]" -msgstr "" +msgstr "[liczba]" #: fail2ban.cpp:29 msgid "The number of allowed failed login attempts." -msgstr "" +msgstr "Liczba dozwolonych nieudanych prób logowania." #: fail2ban.cpp:31 fail2ban.cpp:33 msgid "" -msgstr "" +msgstr "" #: fail2ban.cpp:31 msgid "Ban the specified hosts." -msgstr "" +msgstr "Blokada określonych hostów." #: fail2ban.cpp:33 msgid "Unban the specified hosts." -msgstr "" +msgstr "Usunięcie blokady określonych hostów." #: fail2ban.cpp:35 msgid "List banned hosts." -msgstr "" +msgstr "Lista zablokowanych hostów." #: fail2ban.cpp:55 msgid "" @@ -55,11 +55,11 @@ msgstr "" #: fail2ban.cpp:77 fail2ban.cpp:100 fail2ban.cpp:123 fail2ban.cpp:146 #: fail2ban.cpp:172 msgid "Access denied" -msgstr "" +msgstr "Odmowa dostępu" #: fail2ban.cpp:86 msgid "Usage: Timeout [minutes]" -msgstr "" +msgstr "Użycie: Timeout [minuty]" #: fail2ban.cpp:91 fail2ban.cpp:94 msgid "Timeout: {1} min" @@ -67,53 +67,55 @@ msgstr "" #: fail2ban.cpp:109 msgid "Usage: Attempts [count]" -msgstr "" +msgstr "Użycie: Attempts [liczba]" #: fail2ban.cpp:114 fail2ban.cpp:117 msgid "Attempts: {1}" -msgstr "" +msgstr "Prób: {1}" #: fail2ban.cpp:130 msgid "Usage: Ban " -msgstr "" +msgstr "Użycie: Ban " #: fail2ban.cpp:140 msgid "Banned: {1}" -msgstr "" +msgstr "Zablokowano: {1}" #: fail2ban.cpp:153 msgid "Usage: Unban " -msgstr "" +msgstr "Użycie: Unban " #: fail2ban.cpp:163 msgid "Unbanned: {1}" -msgstr "" +msgstr "Odblokowano: {1}" #: fail2ban.cpp:165 msgid "Ignored: {1}" -msgstr "" +msgstr "Zignorowano: {1}" #: fail2ban.cpp:177 fail2ban.cpp:183 msgctxt "list" msgid "Host" -msgstr "" +msgstr "Host" #: fail2ban.cpp:178 fail2ban.cpp:184 msgctxt "list" msgid "Attempts" -msgstr "" +msgstr "Prób" #: fail2ban.cpp:188 msgctxt "list" msgid "No bans" -msgstr "" +msgstr "Nie masz żadnych zablokowań" #: fail2ban.cpp:245 msgid "" "You might enter the time in minutes for the IP banning and the number of " "failed logins before any action is taken." msgstr "" +"Możesz podać czas w minutach aby zablokować IP i liczbę nieudanych logowań " +"zanim jakakolwiek akcja zostanie podjęta." #: fail2ban.cpp:250 msgid "Block IPs for some time after a failed login." -msgstr "" +msgstr "Zablokuj IP na jakiś czas po nieudanym logowaniu." diff --git a/modules/po/keepnick.pl_PL.po b/modules/po/keepnick.pl_PL.po index fe90fab1..a90053e1 100644 --- a/modules/po/keepnick.pl_PL.po +++ b/modules/po/keepnick.pl_PL.po @@ -16,40 +16,40 @@ msgstr "" #: keepnick.cpp:39 msgid "Try to get your primary nick" -msgstr "" +msgstr "Próbuje uzyskać Twój podstawowy pseudonim" #: keepnick.cpp:42 keepnick.cpp:196 msgid "No longer trying to get your primary nick" -msgstr "" +msgstr "Nie próbuje więcej uzyskać Twój podstawowy pseudonim" #: keepnick.cpp:44 msgid "Show the current state" -msgstr "" +msgstr "Pokaż bieżący stan" #: keepnick.cpp:158 msgid "ZNC is already trying to get this nickname" -msgstr "" +msgstr "ZNC już próbuje uzyskać ten pseudonim" #: keepnick.cpp:173 msgid "Unable to obtain nick {1}: {2}, {3}" -msgstr "" +msgstr "Nie udało się uzyskać pseudonimu {1}: {2}, {3}" #: keepnick.cpp:181 msgid "Unable to obtain nick {1}" -msgstr "" +msgstr "Nie można uzyskać pseudonimu {1}" #: keepnick.cpp:191 msgid "Trying to get your primary nick" -msgstr "" +msgstr "Próbuje uzyskać Twój podstawowy pseudonim" #: keepnick.cpp:201 msgid "Currently trying to get your primary nick" -msgstr "" +msgstr "Obecnie próbujesz zdobyć swój podstawowy pseudonim" #: keepnick.cpp:203 msgid "Currently disabled, try 'enable'" -msgstr "" +msgstr "Obecnie wyłączono, spróbuj 'enable'" #: keepnick.cpp:224 msgid "Keeps trying for your primary nick" -msgstr "" +msgstr "Próbuje zdobyć Twój podstawowy pseudonim" diff --git a/modules/po/kickrejoin.pl_PL.po b/modules/po/kickrejoin.pl_PL.po index 401b9a9f..385f1646 100644 --- a/modules/po/kickrejoin.pl_PL.po +++ b/modules/po/kickrejoin.pl_PL.po @@ -16,52 +16,52 @@ msgstr "" #: kickrejoin.cpp:56 msgid "" -msgstr "" +msgstr "" #: kickrejoin.cpp:56 msgid "Set the rejoin delay" -msgstr "" +msgstr "Ustaw opóźnienie ponownego dołączenia" #: kickrejoin.cpp:58 msgid "Show the rejoin delay" -msgstr "" +msgstr "Pokaż opóźnienie ponownego dołączenia" #: kickrejoin.cpp:77 msgid "Illegal argument, must be a positive number or 0" -msgstr "" +msgstr "Niepoprawny argument, musi być liczbą dodatnią lub 0" #: kickrejoin.cpp:90 msgid "Negative delays don't make any sense!" -msgstr "" +msgstr "Ujemne opóźnienia nie mają żadnego sensu!" #: kickrejoin.cpp:98 msgid "Rejoin delay set to 1 second" msgid_plural "Rejoin delay set to {1} seconds" -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" -msgstr[3] "" +msgstr[0] "Opóźnienie ponownego dołączenia ustawione na 1 sekundę" +msgstr[1] "Opóźnienie ponownego dołączenia ustawione na {1} sekundy" +msgstr[2] "Opóźnienie ponownego dołączenia ustawione na {1} sekund" +msgstr[3] "Opóźnienie ponownego dołączenia ustawione na {1} sekund" #: kickrejoin.cpp:101 msgid "Rejoin delay disabled" -msgstr "" +msgstr "Wyłączono opóźnienie ponownego dołączania" #: kickrejoin.cpp:106 msgid "Rejoin delay is set to 1 second" msgid_plural "Rejoin delay is set to {1} seconds" -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" -msgstr[3] "" +msgstr[0] "Opóźnienie dołączenia ponownie jest ustawione na 1 sekundę" +msgstr[1] "Opóźnienie dołączenia ponownie jest ustawione na {1} sekundy" +msgstr[2] "Opóźnienie dołączenia ponownie jest ustawione na {1} sekund" +msgstr[3] "Opóźnienie dołączenia ponownie jest ustawione na {1} sekund/y" #: kickrejoin.cpp:109 msgid "Rejoin delay is disabled" -msgstr "" +msgstr "Opóźnienie ponownego dołączania jest wyłączone" #: kickrejoin.cpp:131 msgid "You might enter the number of seconds to wait before rejoining." -msgstr "" +msgstr "Możesz podać liczbę sekund oczekiwania zanim dołączysz ponownie." #: kickrejoin.cpp:134 msgid "Autorejoins on kick" -msgstr "" +msgstr "Automatycznie dołącza ponownie gdy wyrzucono" diff --git a/modules/po/lastseen.pl_PL.po b/modules/po/lastseen.pl_PL.po index 26f83657..b7973117 100644 --- a/modules/po/lastseen.pl_PL.po +++ b/modules/po/lastseen.pl_PL.po @@ -16,54 +16,54 @@ msgstr "" #: modules/po/../data/lastseen/tmpl/index.tmpl:8 msgid "User" -msgstr "" +msgstr "Użytkownik" #: modules/po/../data/lastseen/tmpl/index.tmpl:9 lastseen.cpp:99 msgid "Last Seen" -msgstr "" +msgstr "Ostatnio widziany" #: modules/po/../data/lastseen/tmpl/index.tmpl:10 msgid "Info" -msgstr "" +msgstr "Info" #: modules/po/../data/lastseen/tmpl/index.tmpl:11 msgid "Action" -msgstr "" +msgstr "Działanie" #: modules/po/../data/lastseen/tmpl/index.tmpl:21 msgid "Edit" -msgstr "" +msgstr "Edytuj" #: modules/po/../data/lastseen/tmpl/index.tmpl:22 msgid "Delete" -msgstr "" +msgstr "Usuń" #: modules/po/../data/lastseen/tmpl/lastseen_WebadminUser.tmpl:6 msgid "Last login time:" -msgstr "" +msgstr "Czas ostatniego logowania:" #: lastseen.cpp:53 msgid "Access denied" -msgstr "" +msgstr "Odmowa dostępu" #: lastseen.cpp:61 lastseen.cpp:67 msgctxt "show" msgid "User" -msgstr "" +msgstr "Użytkownik" #: lastseen.cpp:62 lastseen.cpp:68 msgctxt "show" msgid "Last Seen" -msgstr "" +msgstr "Ostatnio widziany" #: lastseen.cpp:69 lastseen.cpp:125 msgid "never" -msgstr "" +msgstr "nigdy" #: lastseen.cpp:79 msgid "Shows list of users and when they last logged in" -msgstr "" +msgstr "Pokazuje listę użytkowników i kiedy się ostatni raz logowali" #: lastseen.cpp:154 msgid "Collects data about when a user last logged in." -msgstr "" +msgstr "Zbiera dane o tym, kiedy użytkownik był ostatnio zalogowany." diff --git a/modules/po/log.pl_PL.po b/modules/po/log.pl_PL.po index f8d2e9bd..b8c7d16b 100644 --- a/modules/po/log.pl_PL.po +++ b/modules/po/log.pl_PL.po @@ -16,137 +16,145 @@ msgstr "" #: log.cpp:59 msgid "" -msgstr "" +msgstr "" #: log.cpp:60 msgid "Set logging rules, use !#chan or !query to negate and * " msgstr "" +"Ustaw reguły kronikowania, możesz użyć !#kanał lub !rozmowa, aby zanegować i " +"wieloznacznika * " #: log.cpp:62 msgid "Clear all logging rules" -msgstr "" +msgstr "Wyczyść wszystkie reguły kronikowania" #: log.cpp:64 msgid "List all logging rules" -msgstr "" +msgstr "Lista wszystkich reguł kronikowania" #: log.cpp:67 msgid " true|false" -msgstr "" +msgstr " true|false" #: log.cpp:68 msgid "Set one of the following options: joins, quits, nickchanges" msgstr "" +"Ustaw jedną z następujących opcji: dołączenia, wyjścia, zmiany pseudonimów" #: log.cpp:71 msgid "Show current settings set by Set command" -msgstr "" +msgstr "Pokaż bieżące ustawienia ustawione poleceniem Set" #: log.cpp:143 msgid "Usage: SetRules " -msgstr "" +msgstr "Użycie: SetRules " #: log.cpp:144 msgid "Wildcards are allowed" -msgstr "" +msgstr "Wieloznaczniki są dozwolone" #: log.cpp:156 log.cpp:179 msgid "No logging rules. Everything is logged." -msgstr "" +msgstr "Brak reguł kronikowania. Wszystko jest kronikowane." #: log.cpp:161 msgid "1 rule removed: {2}" msgid_plural "{1} rules removed: {2}" -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" -msgstr[3] "" +msgstr[0] "1 reguła usunięta: {2}" +msgstr[1] "{1} reguły usunięte: {2}" +msgstr[2] "{1} reguł usunięto: {2}" +msgstr[3] "{1} reguł usunięto: {2}" #: log.cpp:168 log.cpp:174 msgctxt "listrules" msgid "Rule" -msgstr "" +msgstr "Reguła" #: log.cpp:169 log.cpp:175 msgctxt "listrules" msgid "Logging enabled" -msgstr "" +msgstr "Włączono kronikowanie" #: log.cpp:190 msgid "" "Usage: Set true|false, where is one of: joins, quits, nickchanges" msgstr "" +"Użycie: Set true|false, gdzie jest jedną z: dołączenia, " +"wyjścia, zmiany pseudonimów" #: log.cpp:197 msgid "Will log joins" -msgstr "" +msgstr "Będą kronikowane dołączenia" #: log.cpp:197 msgid "Will not log joins" -msgstr "" +msgstr "Nie będą kronikowane dołączenia" #: log.cpp:198 msgid "Will log quits" -msgstr "" +msgstr "Będą kronikowane wyjścia" #: log.cpp:198 msgid "Will not log quits" -msgstr "" +msgstr "Nie będą kronikowane wyjścia" #: log.cpp:200 msgid "Will log nick changes" -msgstr "" +msgstr "Będą kronikowane zmiany pseudonimu" #: log.cpp:200 msgid "Will not log nick changes" -msgstr "" +msgstr "Nie będą kronikowane zmiany pseudonimu" #: log.cpp:204 msgid "Unknown variable. Known variables: joins, quits, nickchanges" msgstr "" +"Nieznana zmienna. Znane zmienne to: dołączenia, wyjścia, zmiany pseudonimu" #: log.cpp:212 msgid "Logging joins" -msgstr "" +msgstr "Kronikowanie dołączeń" #: log.cpp:212 msgid "Not logging joins" -msgstr "" +msgstr "Nie są kronikowane dołączenia" #: log.cpp:213 msgid "Logging quits" -msgstr "" +msgstr "Kronikowanie wyjść" #: log.cpp:213 msgid "Not logging quits" -msgstr "" +msgstr "Nie są kronikowane wyjścia" #: log.cpp:214 msgid "Logging nick changes" -msgstr "" +msgstr "Kronikowanie zmian pseudonimów" #: log.cpp:215 msgid "Not logging nick changes" -msgstr "" +msgstr "Nie są kronikowane zmiany pseudonimów" #: log.cpp:352 msgid "" "Invalid args [{1}]. Only one log path allowed. Check that there are no " "spaces in the path." msgstr "" +"Niepoprawne argumenty [{1}]. Dozwolona jest tylko jedna ścieżka " +"kronikowania. Sprawdź, czy na ścieżce nie ma spacji." #: log.cpp:402 msgid "Invalid log path [{1}]" -msgstr "" +msgstr "Niepoprawna ścieżka kronikowania [{1}]" #: log.cpp:405 msgid "Logging to [{1}]. Using timestamp format '{2}'" -msgstr "" +msgstr "Kronikowanie do [{1}]. Używanie formatu znacznika czasu '{2}'" #: log.cpp:560 msgid "[-sanitize] Optional path where to store logs." -msgstr "" +msgstr "[-sanitize] Opcjonalna ścieżka gdzie przechowywać kronikę." #: log.cpp:564 msgid "Writes IRC logs." -msgstr "" +msgstr "Zapisuje kroniki IRC." diff --git a/modules/po/missingmotd.pl_PL.po b/modules/po/missingmotd.pl_PL.po index dcaf567c..c2b09fea 100644 --- a/modules/po/missingmotd.pl_PL.po +++ b/modules/po/missingmotd.pl_PL.po @@ -16,4 +16,4 @@ msgstr "" #: missingmotd.cpp:36 msgid "Sends 422 to clients when they login" -msgstr "" +msgstr "Wysyła 422 do klientów gdy się zalogują" diff --git a/modules/po/notes.pl_PL.po b/modules/po/notes.pl_PL.po index 1f32107b..d1444207 100644 --- a/modules/po/notes.pl_PL.po +++ b/modules/po/notes.pl_PL.po @@ -16,47 +16,47 @@ msgstr "" #: modules/po/../data/notes/tmpl/index.tmpl:7 msgid "Add A Note" -msgstr "" +msgstr "Dodaj notatkę" #: modules/po/../data/notes/tmpl/index.tmpl:11 msgid "Key:" -msgstr "" +msgstr "Klucz:" #: modules/po/../data/notes/tmpl/index.tmpl:15 msgid "Note:" -msgstr "" +msgstr "Notatka:" #: modules/po/../data/notes/tmpl/index.tmpl:19 msgid "Add Note" -msgstr "" +msgstr "Dodaj notatkę" #: modules/po/../data/notes/tmpl/index.tmpl:27 msgid "You have no notes to display." -msgstr "" +msgstr "Nie maż żadnych notatek do wyświetlenia." #: modules/po/../data/notes/tmpl/index.tmpl:34 notes.cpp:164 notes.cpp:170 msgid "Key" -msgstr "" +msgstr "Klucz" #: modules/po/../data/notes/tmpl/index.tmpl:35 notes.cpp:165 notes.cpp:171 msgid "Note" -msgstr "" +msgstr "Notatka" #: modules/po/../data/notes/tmpl/index.tmpl:41 msgid "[del]" -msgstr "" +msgstr "[usuń]" #: notes.cpp:32 msgid "That note already exists. Use MOD to overwrite." -msgstr "" +msgstr "Ta notatka już istnieje. Użyj MOD aby nadpisać." #: notes.cpp:35 notes.cpp:137 msgid "Added note {1}" -msgstr "" +msgstr "Dodano notatkę {1}" #: notes.cpp:37 notes.cpp:48 notes.cpp:142 msgid "Unable to add note {1}" -msgstr "" +msgstr "Nie udało się dodać notatki {1}" #: notes.cpp:46 notes.cpp:139 msgid "Set note for {1}" diff --git a/modules/po/notify_connect.pl_PL.po b/modules/po/notify_connect.pl_PL.po index 9155d40a..249d9d66 100644 --- a/modules/po/notify_connect.pl_PL.po +++ b/modules/po/notify_connect.pl_PL.po @@ -16,16 +16,17 @@ msgstr "" #: notify_connect.cpp:24 msgid "attached" -msgstr "" +msgstr "dołączył" #: notify_connect.cpp:26 msgid "detached" -msgstr "" +msgstr "rozłączył się" #: notify_connect.cpp:41 msgid "{1} {2} from {3}" -msgstr "" +msgstr "{1} {2} z {3}" #: notify_connect.cpp:52 msgid "Notifies all admin users when a client connects or disconnects." msgstr "" +"Powiadamia wszystkich administratorów gdy klient się połączy lub rozłączy." diff --git a/modules/po/perform.pl_PL.po b/modules/po/perform.pl_PL.po index 86fb98b4..53d5df0b 100644 --- a/modules/po/perform.pl_PL.po +++ b/modules/po/perform.pl_PL.po @@ -16,45 +16,45 @@ msgstr "" #: modules/po/../data/perform/tmpl/index.tmpl:7 perform.cpp:143 msgid "Perform" -msgstr "" +msgstr "Wykonaj" #: modules/po/../data/perform/tmpl/index.tmpl:11 msgid "Perform commands:" -msgstr "" +msgstr "Wykonaj polecenia:" #: modules/po/../data/perform/tmpl/index.tmpl:15 msgid "Commands sent to the IRC server on connect, one per line." -msgstr "" +msgstr "Polecenia wysyłane do serwera IRC na połączeniu, jedno na linię." #: modules/po/../data/perform/tmpl/index.tmpl:18 msgid "Save" -msgstr "" +msgstr "Zapisz" #: perform.cpp:24 msgid "Usage: add " -msgstr "" +msgstr "Użycie: add " #: perform.cpp:29 msgid "Added!" -msgstr "" +msgstr "Dodano!" #: perform.cpp:37 perform.cpp:82 msgid "Illegal # Requested" -msgstr "" +msgstr "Zażądano niedozwolonego #" #: perform.cpp:41 msgid "Command Erased." -msgstr "" +msgstr "Wymazano polecenie." #: perform.cpp:50 perform.cpp:56 msgctxt "list" msgid "Id" -msgstr "" +msgstr "Id" #: perform.cpp:51 perform.cpp:57 msgctxt "list" msgid "Perform" -msgstr "" +msgstr "Wykonaj" #: perform.cpp:52 perform.cpp:62 msgctxt "list" @@ -63,48 +63,50 @@ msgstr "" #: perform.cpp:67 msgid "No commands in your perform list." -msgstr "" +msgstr "Brak poleceń na Twojej liście wykonania." #: perform.cpp:73 msgid "perform commands sent" -msgstr "" +msgstr "wysłano polecenia wykonania" #: perform.cpp:86 msgid "Commands Swapped." -msgstr "" +msgstr "Zamieniono polecenia." #: perform.cpp:95 msgid "" -msgstr "" +msgstr "" #: perform.cpp:96 msgid "Adds perform command to be sent to the server on connect" msgstr "" +"Dodaje polecenie wykonania, które ma zostać wysłane do serwera podczas " +"łączenia" #: perform.cpp:98 msgid "" -msgstr "" +msgstr "" #: perform.cpp:98 msgid "Delete a perform command" -msgstr "" +msgstr "Usuń polecenie wykonania" #: perform.cpp:100 msgid "List the perform commands" -msgstr "" +msgstr "Lista poleceń wykonania" #: perform.cpp:103 msgid "Send the perform commands to the server now" -msgstr "" +msgstr "Wyślij teraz polecenia wykonania do serwera" #: perform.cpp:105 msgid " " -msgstr "" +msgstr " " #: perform.cpp:106 msgid "Swap two perform commands" -msgstr "" +msgstr "Zamienia dwa polecenia wykonania" #: perform.cpp:192 msgid "Keeps a list of commands to be executed when ZNC connects to IRC." -msgstr "" +msgstr "Przechowuje listę poleceń do wykonania, gdy ZNC łączy się z IRC." diff --git a/modules/po/raw.pl_PL.po b/modules/po/raw.pl_PL.po index f63b7c9c..817c6907 100644 --- a/modules/po/raw.pl_PL.po +++ b/modules/po/raw.pl_PL.po @@ -16,4 +16,4 @@ msgstr "" #: raw.cpp:43 msgid "View all of the raw traffic" -msgstr "" +msgstr "Zobacz cały surowy ruch" diff --git a/src/po/znc.pl_PL.po b/src/po/znc.pl_PL.po index a188fc0c..8060a2ab 100644 --- a/src/po/znc.pl_PL.po +++ b/src/po/znc.pl_PL.po @@ -223,6 +223,8 @@ msgstr "" msgid "" "You have no networks configured. Use /znc AddNetwork to add one." msgstr "" +"Nie masz skonfigurowanych sieci. Użyj /znc AddNetwork , aby dodać " +"pierwszą." #: Client.cpp:431 msgid "Closing link: Timeout" @@ -236,6 +238,7 @@ msgstr "" msgid "" "You are being disconnected because another user just authenticated as you." msgstr "" +"Trwa rozłączanie, ponieważ inny użytkownik właśnie uwierzytelnił się jako Ty." #: Client.cpp:1021 msgid "Your CTCP to {1} got lost, you are not connected to IRC!" @@ -285,9 +288,9 @@ msgstr "Użycie: /detach <#kanały>" msgid "Detached {1} channel" msgid_plural "Detached {1} channels" msgstr[0] "Odpięto kanał {1}" -msgstr[1] "" -msgstr[2] "" -msgstr[3] "Odpięto {1} kanały" +msgstr[1] "Odpięto {1} kanały" +msgstr[2] "Odpięto {1} kanałów" +msgstr[3] "Odpięto {1} kanały/ów" #: Chan.cpp:678 msgid "Buffer Playback..." @@ -468,11 +471,11 @@ msgstr "Nie ma ustawionego MOTD." #: ClientCommand.cpp:167 msgid "Rehashing succeeded!" -msgstr "" +msgstr "Przerabianie powiodło się!" #: ClientCommand.cpp:169 msgid "Rehashing failed: {1}" -msgstr "" +msgstr "Przerabianie nie powiodło się: {1}" #: ClientCommand.cpp:173 msgid "Wrote config to {1}" @@ -705,15 +708,15 @@ msgstr "Jesteś już połączony z tą siecią." #: ClientCommand.cpp:739 msgid "Switched to {1}" -msgstr "" +msgstr "Przełączono na {1}" #: ClientCommand.cpp:742 msgid "You don't have a network named {1}" -msgstr "" +msgstr "Nie masz sieci pod nazwą {1}" #: ClientCommand.cpp:754 msgid "Usage: AddServer [[+]port] [pass]" -msgstr "" +msgstr "Użycie: AddServer [[+]port] [hasło]" #: ClientCommand.cpp:759 msgid "Server added" @@ -1033,31 +1036,31 @@ msgstr "Nie jesteś na {1} (próbujesz dołączyć)" #: ClientCommand.cpp:1354 msgid "The buffer for channel {1} is empty" -msgstr "" +msgstr "Bufor dla kanału {1} jest pusty" #: ClientCommand.cpp:1363 msgid "No active query with {1}" -msgstr "" +msgstr "Brak aktywnej rozmowy z {1}" #: ClientCommand.cpp:1368 msgid "The buffer for {1} is empty" -msgstr "" +msgstr "Bufor dla {1} jest pusty" #: ClientCommand.cpp:1384 msgid "Usage: ClearBuffer <#chan|query>" -msgstr "" +msgstr "Użycie: ClearBuffer <#kanał|rozmowa>" #: ClientCommand.cpp:1403 msgid "{1} buffer matching {2} has been cleared" msgid_plural "{1} buffers matching {2} have been cleared" -msgstr[0] "" +msgstr[0] "{1} bufor pasujący do {2} został wyczyszczony" msgstr[1] "" msgstr[2] "" msgstr[3] "" #: ClientCommand.cpp:1416 msgid "All channel buffers have been cleared" -msgstr "" +msgstr "Wszystkie bufory kanałów zostały wyczyszczone" #: ClientCommand.cpp:1425 msgid "All query buffers have been cleared" @@ -1069,31 +1072,31 @@ msgstr "Wszystkie bufory zostały wyczyszczone" #: ClientCommand.cpp:1448 msgid "Usage: SetBuffer <#chan|query> [linecount]" -msgstr "" +msgstr "Użycie: SetBuffer <#kanał|rozmowa> [liczba_linii]" #: ClientCommand.cpp:1469 msgid "Setting buffer size failed for {1} buffer" msgid_plural "Setting buffer size failed for {1} buffers" -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" -msgstr[3] "" +msgstr[0] "Ustawianie rozmiaru bufora nie powiodło się dla {1} bufora" +msgstr[1] "Ustawianie rozmiaru bufora nie powiodło się dla {1} buforów" +msgstr[2] "Ustawianie rozmiaru bufora nie powiodło się dla {1} buforów" +msgstr[3] "Ustawianie rozmiaru bufora nie powiodło się dla {1} buforów" #: ClientCommand.cpp:1472 msgid "Maximum buffer size is {1} line" msgid_plural "Maximum buffer size is {1} lines" -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" -msgstr[3] "" +msgstr[0] "Maksymalny rozmiar bufora to {1} linia" +msgstr[1] "Maksymalny rozmiar bufora to {1} linie" +msgstr[2] "Maksymalny rozmiar bufora to {1} linii" +msgstr[3] "Maksymalny rozmiar bufora to {1} linie/linii" #: ClientCommand.cpp:1477 msgid "Size of every buffer was set to {1} line" msgid_plural "Size of every buffer was set to {1} lines" -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" -msgstr[3] "" +msgstr[0] "Rozmiar każdego bufora został ustawiony na {1} linię" +msgstr[1] "Rozmiar każdego bufora został ustawiony na {1} linie" +msgstr[2] "Rozmiar każdego bufora został ustawiony na {1} linii" +msgstr[3] "Rozmiar każdego bufora został ustawiony na {1} linię/linii" #: ClientCommand.cpp:1487 ClientCommand.cpp:1494 ClientCommand.cpp:1505 #: ClientCommand.cpp:1514 ClientCommand.cpp:1522 @@ -1240,7 +1243,7 @@ msgstr "Usunięto port" #: ClientCommand.cpp:1659 msgid "Unable to find a matching port" -msgstr "" +msgstr "Nie można znaleźć pasującego portu" #: ClientCommand.cpp:1667 ClientCommand.cpp:1682 msgctxt "helpcmd" @@ -1261,7 +1264,7 @@ msgstr "" #: ClientCommand.cpp:1690 msgctxt "helpcmd|Version|desc" msgid "Print which version of ZNC this is" -msgstr "" +msgstr "Wypisuje, która to jest wersja ZNC" #: ClientCommand.cpp:1693 msgctxt "helpcmd|ListMods|desc" @@ -1357,6 +1360,7 @@ msgctxt "helpcmd|AddServer|desc" msgid "" "Add a server to the list of alternate/backup servers of current IRC network." msgstr "" +"Dodaje serwer do listy alternatywnych/zapasowych serwerów bieżącej sieci IRC." #: ClientCommand.cpp:1741 msgctxt "helpcmd|DelServer|args" @@ -1369,6 +1373,7 @@ msgid "" "Remove a server from the list of alternate/backup servers of current IRC " "network" msgstr "" +"Usuwa serwer z listy alternatywnych/zapasowych serwerów bieżącej sieci IRC" #: ClientCommand.cpp:1748 msgctxt "helpcmd|AddTrustedServerFingerprint|args" @@ -1441,52 +1446,52 @@ msgstr "Odepnij od kanałów" #: ClientCommand.cpp:1772 msgctxt "helpcmd|Topics|desc" msgid "Show topics in all your channels" -msgstr "" +msgstr "Pokazuje tematy we wszystkich Twoich kanałach" #: ClientCommand.cpp:1775 msgctxt "helpcmd|PlayBuffer|args" msgid "<#chan|query>" -msgstr "" +msgstr "<#kanał|rozmowa>" #: ClientCommand.cpp:1776 msgctxt "helpcmd|PlayBuffer|desc" msgid "Play back the specified buffer" -msgstr "" +msgstr "Odtwórz określony bufor" #: ClientCommand.cpp:1778 msgctxt "helpcmd|ClearBuffer|args" msgid "<#chan|query>" -msgstr "" +msgstr "<#kanał|rozmowa>" #: ClientCommand.cpp:1779 msgctxt "helpcmd|ClearBuffer|desc" msgid "Clear the specified buffer" -msgstr "" +msgstr "Wyczyść określony bufor" #: ClientCommand.cpp:1781 msgctxt "helpcmd|ClearAllBuffers|desc" msgid "Clear all channel and query buffers" -msgstr "" +msgstr "Wyczyść wszystkie bufory kanałów i rozmów" #: ClientCommand.cpp:1784 msgctxt "helpcmd|ClearAllChannelBuffers|desc" msgid "Clear the channel buffers" -msgstr "" +msgstr "Wyczyść bufory kanału" #: ClientCommand.cpp:1788 msgctxt "helpcmd|ClearAllQueryBuffers|desc" msgid "Clear the query buffers" -msgstr "" +msgstr "Wyczyść bufory rozmów" #: ClientCommand.cpp:1790 msgctxt "helpcmd|SetBuffer|args" msgid "<#chan|query> [linecount]" -msgstr "" +msgstr "<#kanał|rozmowa> [liczba_linii]" #: ClientCommand.cpp:1791 msgctxt "helpcmd|SetBuffer|desc" msgid "Set the buffer count" -msgstr "" +msgstr "Ustaw rozmiar bufora" #: ClientCommand.cpp:1795 msgctxt "helpcmd|SetBindHost|args" @@ -1696,7 +1701,7 @@ msgstr "[wiadomość]" #: ClientCommand.cpp:1894 msgctxt "helpcmd|Broadcast|desc" msgid "Broadcast a message to all ZNC users" -msgstr "" +msgstr "Rozgłoś wiadomość do wszystkich użytkowników ZNC" #: ClientCommand.cpp:1897 msgctxt "helpcmd|Shutdown|args" @@ -1720,7 +1725,7 @@ msgstr "Uruchom ponownie ZNC" #: Socket.cpp:342 msgid "Can't resolve server hostname" -msgstr "" +msgstr "Nie można rozwiązać nazwy hosta serwera" #: Socket.cpp:349 msgid "" @@ -1760,13 +1765,15 @@ msgstr "" #: User.cpp:511 msgid "Network {1} already exists" -msgstr "" +msgstr "Sieć {1} już istnieje" #: User.cpp:777 msgid "" "You are being disconnected because your IP is no longer allowed to connect " "to this user" msgstr "" +"Jesteś rozłączany, ponieważ Twój adres IP nie może już łączyć się z tym " +"użytkownikiem" #: User.cpp:912 msgid "Password is empty" From ad36153ccb5e533051c00f7ced39d988f685d17f Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Mon, 29 Jun 2020 00:28:28 +0000 Subject: [PATCH 449/798] Update translations from Crowdin for pl_PL --- modules/po/bouncedcc.pl_PL.po | 34 +++++------ modules/po/disconkick.pl_PL.po | 4 +- modules/po/fail2ban.pl_PL.po | 44 ++++++++------- modules/po/keepnick.pl_PL.po | 20 +++---- modules/po/kickrejoin.pl_PL.po | 34 +++++------ modules/po/lastseen.pl_PL.po | 26 ++++----- modules/po/log.pl_PL.po | 68 ++++++++++++---------- modules/po/missingmotd.pl_PL.po | 2 +- modules/po/modperl.pl_PL.po | 2 +- modules/po/modpython.pl_PL.po | 2 +- modules/po/notes.pl_PL.po | 22 ++++---- modules/po/notify_connect.pl_PL.po | 7 ++- modules/po/perform.pl_PL.po | 44 ++++++++------- modules/po/raw.pl_PL.po | 2 +- src/po/znc.pl_PL.po | 91 ++++++++++++++++-------------- 15 files changed, 213 insertions(+), 189 deletions(-) diff --git a/modules/po/bouncedcc.pl_PL.po b/modules/po/bouncedcc.pl_PL.po index c8bd496f..86c466ee 100644 --- a/modules/po/bouncedcc.pl_PL.po +++ b/modules/po/bouncedcc.pl_PL.po @@ -17,46 +17,46 @@ msgstr "" #: bouncedcc.cpp:101 bouncedcc.cpp:119 bouncedcc.cpp:121 msgctxt "list" msgid "Type" -msgstr "" +msgstr "Typ" #: bouncedcc.cpp:102 bouncedcc.cpp:132 msgctxt "list" msgid "State" -msgstr "" +msgstr "Stan" #: bouncedcc.cpp:103 msgctxt "list" msgid "Speed" -msgstr "" +msgstr "Prędkość" #: bouncedcc.cpp:104 bouncedcc.cpp:115 msgctxt "list" msgid "Nick" -msgstr "" +msgstr "Pseudonim" #: bouncedcc.cpp:105 bouncedcc.cpp:116 msgctxt "list" msgid "IP" -msgstr "" +msgstr "IP" #: bouncedcc.cpp:106 bouncedcc.cpp:122 msgctxt "list" msgid "File" -msgstr "" +msgstr "Plik" #: bouncedcc.cpp:119 msgctxt "list" msgid "Chat" -msgstr "" +msgstr "Chat" #: bouncedcc.cpp:121 msgctxt "list" msgid "Xfer" -msgstr "" +msgstr "Xfer" #: bouncedcc.cpp:125 msgid "Waiting" -msgstr "" +msgstr "Oczekujący" #: bouncedcc.cpp:127 msgid "Halfway" @@ -64,33 +64,33 @@ msgstr "" #: bouncedcc.cpp:129 msgid "Connected" -msgstr "" +msgstr "Połączono" #: bouncedcc.cpp:137 msgid "You have no active DCCs." -msgstr "" +msgstr "Nie masz aktywnych DCC." #: bouncedcc.cpp:148 msgid "Use client IP: {1}" -msgstr "" +msgstr "Użyj IP klienta: {1}" #: bouncedcc.cpp:153 msgid "List all active DCCs" -msgstr "" +msgstr "Lista wszystkich aktywnych DCC" #: bouncedcc.cpp:156 msgid "Change the option to use IP of client" -msgstr "" +msgstr "Zmień tą opcję, aby skorzystać z adresu IP klienta" #: bouncedcc.cpp:383 bouncedcc.cpp:412 bouncedcc.cpp:436 bouncedcc.cpp:451 msgctxt "type" msgid "Chat" -msgstr "" +msgstr "Chat" #: bouncedcc.cpp:383 bouncedcc.cpp:412 bouncedcc.cpp:436 bouncedcc.cpp:451 msgctxt "type" msgid "Xfer" -msgstr "" +msgstr "Xfer" #: bouncedcc.cpp:385 msgid "DCC {1} Bounce ({2}): Too long line received" @@ -131,3 +131,5 @@ msgid "" "Bounces DCC transfers through ZNC instead of sending them directly to the " "user. " msgstr "" +"Odbija transfery DCC przez ZNC zamiast wysyłać je bezpośrednio do " +"użytkownika. " diff --git a/modules/po/disconkick.pl_PL.po b/modules/po/disconkick.pl_PL.po index 23056a73..bd35924b 100644 --- a/modules/po/disconkick.pl_PL.po +++ b/modules/po/disconkick.pl_PL.po @@ -16,10 +16,12 @@ msgstr "" #: disconkick.cpp:32 msgid "You have been disconnected from the IRC server" -msgstr "" +msgstr "Zostałeś rozłączony z serwerem IRC" #: disconkick.cpp:45 msgid "" "Kicks the client from all channels when the connection to the IRC server is " "lost" msgstr "" +"Wyrzuca klienta ze wszystkich kanałów, gdy połączenie z serwerem IRC " +"zostanie utracone" diff --git a/modules/po/fail2ban.pl_PL.po b/modules/po/fail2ban.pl_PL.po index cff0aebd..bc854566 100644 --- a/modules/po/fail2ban.pl_PL.po +++ b/modules/po/fail2ban.pl_PL.po @@ -16,35 +16,35 @@ msgstr "" #: fail2ban.cpp:25 msgid "[minutes]" -msgstr "" +msgstr "[minut]" #: fail2ban.cpp:26 msgid "The number of minutes IPs are blocked after a failed login." -msgstr "" +msgstr "Liczba minut w których IP są blokowane po nieudanym logowaniu." #: fail2ban.cpp:28 msgid "[count]" -msgstr "" +msgstr "[liczba]" #: fail2ban.cpp:29 msgid "The number of allowed failed login attempts." -msgstr "" +msgstr "Liczba dozwolonych nieudanych prób logowania." #: fail2ban.cpp:31 fail2ban.cpp:33 msgid "" -msgstr "" +msgstr "" #: fail2ban.cpp:31 msgid "Ban the specified hosts." -msgstr "" +msgstr "Blokada określonych hostów." #: fail2ban.cpp:33 msgid "Unban the specified hosts." -msgstr "" +msgstr "Usunięcie blokady określonych hostów." #: fail2ban.cpp:35 msgid "List banned hosts." -msgstr "" +msgstr "Lista zablokowanych hostów." #: fail2ban.cpp:55 msgid "" @@ -55,11 +55,11 @@ msgstr "" #: fail2ban.cpp:77 fail2ban.cpp:100 fail2ban.cpp:123 fail2ban.cpp:146 #: fail2ban.cpp:172 msgid "Access denied" -msgstr "" +msgstr "Odmowa dostępu" #: fail2ban.cpp:86 msgid "Usage: Timeout [minutes]" -msgstr "" +msgstr "Użycie: Timeout [minuty]" #: fail2ban.cpp:91 fail2ban.cpp:94 msgid "Timeout: {1} min" @@ -67,53 +67,55 @@ msgstr "" #: fail2ban.cpp:109 msgid "Usage: Attempts [count]" -msgstr "" +msgstr "Użycie: Attempts [liczba]" #: fail2ban.cpp:114 fail2ban.cpp:117 msgid "Attempts: {1}" -msgstr "" +msgstr "Prób: {1}" #: fail2ban.cpp:130 msgid "Usage: Ban " -msgstr "" +msgstr "Użycie: Ban " #: fail2ban.cpp:140 msgid "Banned: {1}" -msgstr "" +msgstr "Zablokowano: {1}" #: fail2ban.cpp:153 msgid "Usage: Unban " -msgstr "" +msgstr "Użycie: Unban " #: fail2ban.cpp:163 msgid "Unbanned: {1}" -msgstr "" +msgstr "Odblokowano: {1}" #: fail2ban.cpp:165 msgid "Ignored: {1}" -msgstr "" +msgstr "Zignorowano: {1}" #: fail2ban.cpp:177 fail2ban.cpp:183 msgctxt "list" msgid "Host" -msgstr "" +msgstr "Host" #: fail2ban.cpp:178 fail2ban.cpp:184 msgctxt "list" msgid "Attempts" -msgstr "" +msgstr "Prób" #: fail2ban.cpp:188 msgctxt "list" msgid "No bans" -msgstr "" +msgstr "Nie masz żadnych zablokowań" #: fail2ban.cpp:245 msgid "" "You might enter the time in minutes for the IP banning and the number of " "failed logins before any action is taken." msgstr "" +"Możesz podać czas w minutach aby zablokować IP i liczbę nieudanych logowań " +"zanim jakakolwiek akcja zostanie podjęta." #: fail2ban.cpp:250 msgid "Block IPs for some time after a failed login." -msgstr "" +msgstr "Zablokuj IP na jakiś czas po nieudanym logowaniu." diff --git a/modules/po/keepnick.pl_PL.po b/modules/po/keepnick.pl_PL.po index e150afe3..6a3895bb 100644 --- a/modules/po/keepnick.pl_PL.po +++ b/modules/po/keepnick.pl_PL.po @@ -16,40 +16,40 @@ msgstr "" #: keepnick.cpp:39 msgid "Try to get your primary nick" -msgstr "" +msgstr "Próbuje uzyskać Twój podstawowy pseudonim" #: keepnick.cpp:42 keepnick.cpp:196 msgid "No longer trying to get your primary nick" -msgstr "" +msgstr "Nie próbuje więcej uzyskać Twój podstawowy pseudonim" #: keepnick.cpp:44 msgid "Show the current state" -msgstr "" +msgstr "Pokaż bieżący stan" #: keepnick.cpp:158 msgid "ZNC is already trying to get this nickname" -msgstr "" +msgstr "ZNC już próbuje uzyskać ten pseudonim" #: keepnick.cpp:173 msgid "Unable to obtain nick {1}: {2}, {3}" -msgstr "" +msgstr "Nie udało się uzyskać pseudonimu {1}: {2}, {3}" #: keepnick.cpp:181 msgid "Unable to obtain nick {1}" -msgstr "" +msgstr "Nie można uzyskać pseudonimu {1}" #: keepnick.cpp:191 msgid "Trying to get your primary nick" -msgstr "" +msgstr "Próbuje uzyskać Twój podstawowy pseudonim" #: keepnick.cpp:201 msgid "Currently trying to get your primary nick" -msgstr "" +msgstr "Obecnie próbujesz zdobyć swój podstawowy pseudonim" #: keepnick.cpp:203 msgid "Currently disabled, try 'enable'" -msgstr "" +msgstr "Obecnie wyłączono, spróbuj 'enable'" #: keepnick.cpp:224 msgid "Keeps trying for your primary nick" -msgstr "" +msgstr "Próbuje zdobyć Twój podstawowy pseudonim" diff --git a/modules/po/kickrejoin.pl_PL.po b/modules/po/kickrejoin.pl_PL.po index 115018ce..f2bdbb73 100644 --- a/modules/po/kickrejoin.pl_PL.po +++ b/modules/po/kickrejoin.pl_PL.po @@ -16,52 +16,52 @@ msgstr "" #: kickrejoin.cpp:56 msgid "" -msgstr "" +msgstr "" #: kickrejoin.cpp:56 msgid "Set the rejoin delay" -msgstr "" +msgstr "Ustaw opóźnienie ponownego dołączenia" #: kickrejoin.cpp:58 msgid "Show the rejoin delay" -msgstr "" +msgstr "Pokaż opóźnienie ponownego dołączenia" #: kickrejoin.cpp:77 msgid "Illegal argument, must be a positive number or 0" -msgstr "" +msgstr "Niepoprawny argument, musi być liczbą dodatnią lub 0" #: kickrejoin.cpp:90 msgid "Negative delays don't make any sense!" -msgstr "" +msgstr "Ujemne opóźnienia nie mają żadnego sensu!" #: kickrejoin.cpp:98 msgid "Rejoin delay set to 1 second" msgid_plural "Rejoin delay set to {1} seconds" -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" -msgstr[3] "" +msgstr[0] "Opóźnienie ponownego dołączenia ustawione na 1 sekundę" +msgstr[1] "Opóźnienie ponownego dołączenia ustawione na {1} sekundy" +msgstr[2] "Opóźnienie ponownego dołączenia ustawione na {1} sekund" +msgstr[3] "Opóźnienie ponownego dołączenia ustawione na {1} sekund" #: kickrejoin.cpp:101 msgid "Rejoin delay disabled" -msgstr "" +msgstr "Wyłączono opóźnienie ponownego dołączania" #: kickrejoin.cpp:106 msgid "Rejoin delay is set to 1 second" msgid_plural "Rejoin delay is set to {1} seconds" -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" -msgstr[3] "" +msgstr[0] "Opóźnienie dołączenia ponownie jest ustawione na 1 sekundę" +msgstr[1] "Opóźnienie dołączenia ponownie jest ustawione na {1} sekundy" +msgstr[2] "Opóźnienie dołączenia ponownie jest ustawione na {1} sekund" +msgstr[3] "Opóźnienie dołączenia ponownie jest ustawione na {1} sekund/y" #: kickrejoin.cpp:109 msgid "Rejoin delay is disabled" -msgstr "" +msgstr "Opóźnienie ponownego dołączania jest wyłączone" #: kickrejoin.cpp:131 msgid "You might enter the number of seconds to wait before rejoining." -msgstr "" +msgstr "Możesz podać liczbę sekund oczekiwania zanim dołączysz ponownie." #: kickrejoin.cpp:134 msgid "Autorejoins on kick" -msgstr "" +msgstr "Automatycznie dołącza ponownie gdy wyrzucono" diff --git a/modules/po/lastseen.pl_PL.po b/modules/po/lastseen.pl_PL.po index 8c549e80..807ebf23 100644 --- a/modules/po/lastseen.pl_PL.po +++ b/modules/po/lastseen.pl_PL.po @@ -16,54 +16,54 @@ msgstr "" #: modules/po/../data/lastseen/tmpl/index.tmpl:8 msgid "User" -msgstr "" +msgstr "Użytkownik" #: modules/po/../data/lastseen/tmpl/index.tmpl:9 lastseen.cpp:99 msgid "Last Seen" -msgstr "" +msgstr "Ostatnio widziany" #: modules/po/../data/lastseen/tmpl/index.tmpl:10 msgid "Info" -msgstr "" +msgstr "Info" #: modules/po/../data/lastseen/tmpl/index.tmpl:11 msgid "Action" -msgstr "" +msgstr "Działanie" #: modules/po/../data/lastseen/tmpl/index.tmpl:21 msgid "Edit" -msgstr "" +msgstr "Edytuj" #: modules/po/../data/lastseen/tmpl/index.tmpl:22 msgid "Delete" -msgstr "" +msgstr "Usuń" #: modules/po/../data/lastseen/tmpl/lastseen_WebadminUser.tmpl:6 msgid "Last login time:" -msgstr "" +msgstr "Czas ostatniego logowania:" #: lastseen.cpp:53 msgid "Access denied" -msgstr "" +msgstr "Odmowa dostępu" #: lastseen.cpp:61 lastseen.cpp:67 msgctxt "show" msgid "User" -msgstr "" +msgstr "Użytkownik" #: lastseen.cpp:62 lastseen.cpp:68 msgctxt "show" msgid "Last Seen" -msgstr "" +msgstr "Ostatnio widziany" #: lastseen.cpp:69 lastseen.cpp:125 msgid "never" -msgstr "" +msgstr "nigdy" #: lastseen.cpp:79 msgid "Shows list of users and when they last logged in" -msgstr "" +msgstr "Pokazuje listę użytkowników i kiedy się ostatni raz logowali" #: lastseen.cpp:154 msgid "Collects data about when a user last logged in." -msgstr "" +msgstr "Zbiera dane o tym, kiedy użytkownik był ostatnio zalogowany." diff --git a/modules/po/log.pl_PL.po b/modules/po/log.pl_PL.po index 1049cf39..b7a1f367 100644 --- a/modules/po/log.pl_PL.po +++ b/modules/po/log.pl_PL.po @@ -16,137 +16,145 @@ msgstr "" #: log.cpp:59 msgid "" -msgstr "" +msgstr "" #: log.cpp:60 msgid "Set logging rules, use !#chan or !query to negate and * " msgstr "" +"Ustaw reguły kronikowania, możesz użyć !#kanał lub !rozmowa, aby zanegować i " +"wieloznacznika * " #: log.cpp:62 msgid "Clear all logging rules" -msgstr "" +msgstr "Wyczyść wszystkie reguły kronikowania" #: log.cpp:64 msgid "List all logging rules" -msgstr "" +msgstr "Lista wszystkich reguł kronikowania" #: log.cpp:67 msgid " true|false" -msgstr "" +msgstr " true|false" #: log.cpp:68 msgid "Set one of the following options: joins, quits, nickchanges" msgstr "" +"Ustaw jedną z następujących opcji: dołączenia, wyjścia, zmiany pseudonimów" #: log.cpp:71 msgid "Show current settings set by Set command" -msgstr "" +msgstr "Pokaż bieżące ustawienia ustawione poleceniem Set" #: log.cpp:143 msgid "Usage: SetRules " -msgstr "" +msgstr "Użycie: SetRules " #: log.cpp:144 msgid "Wildcards are allowed" -msgstr "" +msgstr "Wieloznaczniki są dozwolone" #: log.cpp:156 log.cpp:179 msgid "No logging rules. Everything is logged." -msgstr "" +msgstr "Brak reguł kronikowania. Wszystko jest kronikowane." #: log.cpp:161 msgid "1 rule removed: {2}" msgid_plural "{1} rules removed: {2}" -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" -msgstr[3] "" +msgstr[0] "1 reguła usunięta: {2}" +msgstr[1] "{1} reguły usunięte: {2}" +msgstr[2] "{1} reguł usunięto: {2}" +msgstr[3] "{1} reguł usunięto: {2}" #: log.cpp:168 log.cpp:174 msgctxt "listrules" msgid "Rule" -msgstr "" +msgstr "Reguła" #: log.cpp:169 log.cpp:175 msgctxt "listrules" msgid "Logging enabled" -msgstr "" +msgstr "Włączono kronikowanie" #: log.cpp:190 msgid "" "Usage: Set true|false, where is one of: joins, quits, nickchanges" msgstr "" +"Użycie: Set true|false, gdzie jest jedną z: dołączenia, " +"wyjścia, zmiany pseudonimów" #: log.cpp:197 msgid "Will log joins" -msgstr "" +msgstr "Będą kronikowane dołączenia" #: log.cpp:197 msgid "Will not log joins" -msgstr "" +msgstr "Nie będą kronikowane dołączenia" #: log.cpp:198 msgid "Will log quits" -msgstr "" +msgstr "Będą kronikowane wyjścia" #: log.cpp:198 msgid "Will not log quits" -msgstr "" +msgstr "Nie będą kronikowane wyjścia" #: log.cpp:200 msgid "Will log nick changes" -msgstr "" +msgstr "Będą kronikowane zmiany pseudonimu" #: log.cpp:200 msgid "Will not log nick changes" -msgstr "" +msgstr "Nie będą kronikowane zmiany pseudonimu" #: log.cpp:204 msgid "Unknown variable. Known variables: joins, quits, nickchanges" msgstr "" +"Nieznana zmienna. Znane zmienne to: dołączenia, wyjścia, zmiany pseudonimu" #: log.cpp:212 msgid "Logging joins" -msgstr "" +msgstr "Kronikowanie dołączeń" #: log.cpp:212 msgid "Not logging joins" -msgstr "" +msgstr "Nie są kronikowane dołączenia" #: log.cpp:213 msgid "Logging quits" -msgstr "" +msgstr "Kronikowanie wyjść" #: log.cpp:213 msgid "Not logging quits" -msgstr "" +msgstr "Nie są kronikowane wyjścia" #: log.cpp:214 msgid "Logging nick changes" -msgstr "" +msgstr "Kronikowanie zmian pseudonimów" #: log.cpp:215 msgid "Not logging nick changes" -msgstr "" +msgstr "Nie są kronikowane zmiany pseudonimów" #: log.cpp:352 msgid "" "Invalid args [{1}]. Only one log path allowed. Check that there are no " "spaces in the path." msgstr "" +"Niepoprawne argumenty [{1}]. Dozwolona jest tylko jedna ścieżka " +"kronikowania. Sprawdź, czy na ścieżce nie ma spacji." #: log.cpp:402 msgid "Invalid log path [{1}]" -msgstr "" +msgstr "Niepoprawna ścieżka kronikowania [{1}]" #: log.cpp:405 msgid "Logging to [{1}]. Using timestamp format '{2}'" -msgstr "" +msgstr "Kronikowanie do [{1}]. Używanie formatu znacznika czasu '{2}'" #: log.cpp:560 msgid "[-sanitize] Optional path where to store logs." -msgstr "" +msgstr "[-sanitize] Opcjonalna ścieżka gdzie przechowywać kronikę." #: log.cpp:564 msgid "Writes IRC logs." -msgstr "" +msgstr "Zapisuje kroniki IRC." diff --git a/modules/po/missingmotd.pl_PL.po b/modules/po/missingmotd.pl_PL.po index 4a3f33f2..2cd13cea 100644 --- a/modules/po/missingmotd.pl_PL.po +++ b/modules/po/missingmotd.pl_PL.po @@ -16,4 +16,4 @@ msgstr "" #: missingmotd.cpp:36 msgid "Sends 422 to clients when they login" -msgstr "" +msgstr "Wysyła 422 do klientów gdy się zalogują" diff --git a/modules/po/modperl.pl_PL.po b/modules/po/modperl.pl_PL.po index fcfb4460..b6bd3044 100644 --- a/modules/po/modperl.pl_PL.po +++ b/modules/po/modperl.pl_PL.po @@ -16,4 +16,4 @@ msgstr "" #: modperl.cpp:382 msgid "Loads perl scripts as ZNC modules" -msgstr "" +msgstr "Ładuje skrypty perl jako moduły ZNC" diff --git a/modules/po/modpython.pl_PL.po b/modules/po/modpython.pl_PL.po index 186875eb..ccf16e80 100644 --- a/modules/po/modpython.pl_PL.po +++ b/modules/po/modpython.pl_PL.po @@ -16,4 +16,4 @@ msgstr "" #: modpython.cpp:512 msgid "Loads python scripts as ZNC modules" -msgstr "" +msgstr "Ładuje skrypty pythona jako moduły ZNC" diff --git a/modules/po/notes.pl_PL.po b/modules/po/notes.pl_PL.po index 7349fd40..bcf940f0 100644 --- a/modules/po/notes.pl_PL.po +++ b/modules/po/notes.pl_PL.po @@ -16,47 +16,47 @@ msgstr "" #: modules/po/../data/notes/tmpl/index.tmpl:7 msgid "Add A Note" -msgstr "" +msgstr "Dodaj notatkę" #: modules/po/../data/notes/tmpl/index.tmpl:11 msgid "Key:" -msgstr "" +msgstr "Klucz:" #: modules/po/../data/notes/tmpl/index.tmpl:15 msgid "Note:" -msgstr "" +msgstr "Notatka:" #: modules/po/../data/notes/tmpl/index.tmpl:19 msgid "Add Note" -msgstr "" +msgstr "Dodaj notatkę" #: modules/po/../data/notes/tmpl/index.tmpl:27 msgid "You have no notes to display." -msgstr "" +msgstr "Nie maż żadnych notatek do wyświetlenia." #: modules/po/../data/notes/tmpl/index.tmpl:34 notes.cpp:164 notes.cpp:170 msgid "Key" -msgstr "" +msgstr "Klucz" #: modules/po/../data/notes/tmpl/index.tmpl:35 notes.cpp:165 notes.cpp:171 msgid "Note" -msgstr "" +msgstr "Notatka" #: modules/po/../data/notes/tmpl/index.tmpl:41 msgid "[del]" -msgstr "" +msgstr "[usuń]" #: notes.cpp:32 msgid "That note already exists. Use MOD to overwrite." -msgstr "" +msgstr "Ta notatka już istnieje. Użyj MOD aby nadpisać." #: notes.cpp:35 notes.cpp:137 msgid "Added note {1}" -msgstr "" +msgstr "Dodano notatkę {1}" #: notes.cpp:37 notes.cpp:48 notes.cpp:142 msgid "Unable to add note {1}" -msgstr "" +msgstr "Nie udało się dodać notatki {1}" #: notes.cpp:46 notes.cpp:139 msgid "Set note for {1}" diff --git a/modules/po/notify_connect.pl_PL.po b/modules/po/notify_connect.pl_PL.po index f3b83697..28aab306 100644 --- a/modules/po/notify_connect.pl_PL.po +++ b/modules/po/notify_connect.pl_PL.po @@ -16,16 +16,17 @@ msgstr "" #: notify_connect.cpp:24 msgid "attached" -msgstr "" +msgstr "dołączył" #: notify_connect.cpp:26 msgid "detached" -msgstr "" +msgstr "rozłączył się" #: notify_connect.cpp:41 msgid "{1} {2} from {3}" -msgstr "" +msgstr "{1} {2} z {3}" #: notify_connect.cpp:52 msgid "Notifies all admin users when a client connects or disconnects." msgstr "" +"Powiadamia wszystkich administratorów gdy klient się połączy lub rozłączy." diff --git a/modules/po/perform.pl_PL.po b/modules/po/perform.pl_PL.po index 46348b56..f51f40a5 100644 --- a/modules/po/perform.pl_PL.po +++ b/modules/po/perform.pl_PL.po @@ -16,45 +16,45 @@ msgstr "" #: modules/po/../data/perform/tmpl/index.tmpl:7 perform.cpp:143 msgid "Perform" -msgstr "" +msgstr "Wykonaj" #: modules/po/../data/perform/tmpl/index.tmpl:11 msgid "Perform commands:" -msgstr "" +msgstr "Wykonaj polecenia:" #: modules/po/../data/perform/tmpl/index.tmpl:15 msgid "Commands sent to the IRC server on connect, one per line." -msgstr "" +msgstr "Polecenia wysyłane do serwera IRC na połączeniu, jedno na linię." #: modules/po/../data/perform/tmpl/index.tmpl:18 msgid "Save" -msgstr "" +msgstr "Zapisz" #: perform.cpp:24 msgid "Usage: add " -msgstr "" +msgstr "Użycie: add " #: perform.cpp:29 msgid "Added!" -msgstr "" +msgstr "Dodano!" #: perform.cpp:37 perform.cpp:82 msgid "Illegal # Requested" -msgstr "" +msgstr "Zażądano niedozwolonego #" #: perform.cpp:41 msgid "Command Erased." -msgstr "" +msgstr "Wymazano polecenie." #: perform.cpp:50 perform.cpp:56 msgctxt "list" msgid "Id" -msgstr "" +msgstr "Id" #: perform.cpp:51 perform.cpp:57 msgctxt "list" msgid "Perform" -msgstr "" +msgstr "Wykonaj" #: perform.cpp:52 perform.cpp:62 msgctxt "list" @@ -63,48 +63,50 @@ msgstr "" #: perform.cpp:67 msgid "No commands in your perform list." -msgstr "" +msgstr "Brak poleceń na Twojej liście wykonania." #: perform.cpp:73 msgid "perform commands sent" -msgstr "" +msgstr "wysłano polecenia wykonania" #: perform.cpp:86 msgid "Commands Swapped." -msgstr "" +msgstr "Zamieniono polecenia." #: perform.cpp:95 msgid "" -msgstr "" +msgstr "" #: perform.cpp:96 msgid "Adds perform command to be sent to the server on connect" msgstr "" +"Dodaje polecenie wykonania, które ma zostać wysłane do serwera podczas " +"łączenia" #: perform.cpp:98 msgid "" -msgstr "" +msgstr "" #: perform.cpp:98 msgid "Delete a perform command" -msgstr "" +msgstr "Usuń polecenie wykonania" #: perform.cpp:100 msgid "List the perform commands" -msgstr "" +msgstr "Lista poleceń wykonania" #: perform.cpp:103 msgid "Send the perform commands to the server now" -msgstr "" +msgstr "Wyślij teraz polecenia wykonania do serwera" #: perform.cpp:105 msgid " " -msgstr "" +msgstr " " #: perform.cpp:106 msgid "Swap two perform commands" -msgstr "" +msgstr "Zamienia dwa polecenia wykonania" #: perform.cpp:192 msgid "Keeps a list of commands to be executed when ZNC connects to IRC." -msgstr "" +msgstr "Przechowuje listę poleceń do wykonania, gdy ZNC łączy się z IRC." diff --git a/modules/po/raw.pl_PL.po b/modules/po/raw.pl_PL.po index 8dc651dd..47e4992b 100644 --- a/modules/po/raw.pl_PL.po +++ b/modules/po/raw.pl_PL.po @@ -16,4 +16,4 @@ msgstr "" #: raw.cpp:43 msgid "View all of the raw traffic" -msgstr "" +msgstr "Zobacz cały surowy ruch" diff --git a/src/po/znc.pl_PL.po b/src/po/znc.pl_PL.po index 778cf8d1..f70b92e0 100644 --- a/src/po/znc.pl_PL.po +++ b/src/po/znc.pl_PL.po @@ -223,6 +223,8 @@ msgstr "" msgid "" "You have no networks configured. Use /znc AddNetwork to add one." msgstr "" +"Nie masz skonfigurowanych sieci. Użyj /znc AddNetwork , aby dodać " +"pierwszą." #: Client.cpp:431 msgid "Closing link: Timeout" @@ -236,6 +238,7 @@ msgstr "" msgid "" "You are being disconnected because another user just authenticated as you." msgstr "" +"Trwa rozłączanie, ponieważ inny użytkownik właśnie uwierzytelnił się jako Ty." #: Client.cpp:1021 msgid "Your CTCP to {1} got lost, you are not connected to IRC!" @@ -284,10 +287,10 @@ msgstr "Użycie: /detach <#kanały>" #: Client.cpp:1369 ClientCommand.cpp:154 msgid "Detached {1} channel" msgid_plural "Detached {1} channels" -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" -msgstr[3] "" +msgstr[0] "Odpięto kanał {1}" +msgstr[1] "Odpięto {1} kanały" +msgstr[2] "Odpięto {1} kanałów" +msgstr[3] "Odpięto {1} kanały/ów" #: Chan.cpp:678 msgid "Buffer Playback..." @@ -468,11 +471,11 @@ msgstr "Nie ma ustawionego MOTD." #: ClientCommand.cpp:167 msgid "Rehashing succeeded!" -msgstr "" +msgstr "Przerabianie powiodło się!" #: ClientCommand.cpp:169 msgid "Rehashing failed: {1}" -msgstr "" +msgstr "Przerabianie nie powiodło się: {1}" #: ClientCommand.cpp:173 msgid "Wrote config to {1}" @@ -705,15 +708,15 @@ msgstr "Jesteś już połączony z tą siecią." #: ClientCommand.cpp:739 msgid "Switched to {1}" -msgstr "" +msgstr "Przełączono na {1}" #: ClientCommand.cpp:742 msgid "You don't have a network named {1}" -msgstr "" +msgstr "Nie masz sieci pod nazwą {1}" #: ClientCommand.cpp:754 msgid "Usage: AddServer [[+]port] [pass]" -msgstr "" +msgstr "Użycie: AddServer [[+]port] [hasło]" #: ClientCommand.cpp:759 msgid "Server added" @@ -1033,19 +1036,19 @@ msgstr "Nie jesteś na {1} (próbujesz dołączyć)" #: ClientCommand.cpp:1354 msgid "The buffer for channel {1} is empty" -msgstr "" +msgstr "Bufor dla kanału {1} jest pusty" #: ClientCommand.cpp:1363 msgid "No active query with {1}" -msgstr "" +msgstr "Brak aktywnej rozmowy z {1}" #: ClientCommand.cpp:1368 msgid "The buffer for {1} is empty" -msgstr "" +msgstr "Bufor dla {1} jest pusty" #: ClientCommand.cpp:1384 msgid "Usage: ClearBuffer <#chan|query>" -msgstr "" +msgstr "Użycie: ClearBuffer <#kanał|rozmowa>" #: ClientCommand.cpp:1403 msgid "{1} buffer matching {2} has been cleared" @@ -1057,7 +1060,7 @@ msgstr[3] "" #: ClientCommand.cpp:1416 msgid "All channel buffers have been cleared" -msgstr "" +msgstr "Wszystkie bufory kanałów zostały wyczyszczone" #: ClientCommand.cpp:1425 msgid "All query buffers have been cleared" @@ -1069,31 +1072,31 @@ msgstr "Wszystkie bufory zostały wyczyszczone" #: ClientCommand.cpp:1448 msgid "Usage: SetBuffer <#chan|query> [linecount]" -msgstr "" +msgstr "Użycie: SetBuffer <#kanał|rozmowa> [liczba_linii]" #: ClientCommand.cpp:1469 msgid "Setting buffer size failed for {1} buffer" msgid_plural "Setting buffer size failed for {1} buffers" -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" -msgstr[3] "" +msgstr[0] "Ustawianie rozmiaru bufora nie powiodło się dla {1} bufora" +msgstr[1] "Ustawianie rozmiaru bufora nie powiodło się dla {1} buforów" +msgstr[2] "Ustawianie rozmiaru bufora nie powiodło się dla {1} buforów" +msgstr[3] "Ustawianie rozmiaru bufora nie powiodło się dla {1} buforów" #: ClientCommand.cpp:1472 msgid "Maximum buffer size is {1} line" msgid_plural "Maximum buffer size is {1} lines" -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" -msgstr[3] "" +msgstr[0] "Maksymalny rozmiar bufora to {1} linia" +msgstr[1] "Maksymalny rozmiar bufora to {1} linie" +msgstr[2] "Maksymalny rozmiar bufora to {1} linii" +msgstr[3] "Maksymalny rozmiar bufora to {1} linie/linii" #: ClientCommand.cpp:1477 msgid "Size of every buffer was set to {1} line" msgid_plural "Size of every buffer was set to {1} lines" -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" -msgstr[3] "" +msgstr[0] "Rozmiar każdego bufora został ustawiony na {1} linię" +msgstr[1] "Rozmiar każdego bufora został ustawiony na {1} linie" +msgstr[2] "Rozmiar każdego bufora został ustawiony na {1} linii" +msgstr[3] "Rozmiar każdego bufora został ustawiony na {1} linię/linii" #: ClientCommand.cpp:1487 ClientCommand.cpp:1494 ClientCommand.cpp:1505 #: ClientCommand.cpp:1514 ClientCommand.cpp:1522 @@ -1240,7 +1243,7 @@ msgstr "Usunięto port" #: ClientCommand.cpp:1659 msgid "Unable to find a matching port" -msgstr "" +msgstr "Nie można znaleźć pasującego portu" #: ClientCommand.cpp:1667 ClientCommand.cpp:1682 msgctxt "helpcmd" @@ -1261,7 +1264,7 @@ msgstr "" #: ClientCommand.cpp:1690 msgctxt "helpcmd|Version|desc" msgid "Print which version of ZNC this is" -msgstr "" +msgstr "Wypisuje, która to jest wersja ZNC" #: ClientCommand.cpp:1693 msgctxt "helpcmd|ListMods|desc" @@ -1357,6 +1360,7 @@ msgctxt "helpcmd|AddServer|desc" msgid "" "Add a server to the list of alternate/backup servers of current IRC network." msgstr "" +"Dodaje serwer do listy alternatywnych/zapasowych serwerów bieżącej sieci IRC." #: ClientCommand.cpp:1741 msgctxt "helpcmd|DelServer|args" @@ -1369,6 +1373,7 @@ msgid "" "Remove a server from the list of alternate/backup servers of current IRC " "network" msgstr "" +"Usuwa serwer z listy alternatywnych/zapasowych serwerów bieżącej sieci IRC" #: ClientCommand.cpp:1748 msgctxt "helpcmd|AddTrustedServerFingerprint|args" @@ -1441,52 +1446,52 @@ msgstr "Odepnij od kanałów" #: ClientCommand.cpp:1772 msgctxt "helpcmd|Topics|desc" msgid "Show topics in all your channels" -msgstr "" +msgstr "Pokazuje tematy we wszystkich Twoich kanałach" #: ClientCommand.cpp:1775 msgctxt "helpcmd|PlayBuffer|args" msgid "<#chan|query>" -msgstr "" +msgstr "<#kanał|rozmowa>" #: ClientCommand.cpp:1776 msgctxt "helpcmd|PlayBuffer|desc" msgid "Play back the specified buffer" -msgstr "" +msgstr "Odtwórz określony bufor" #: ClientCommand.cpp:1778 msgctxt "helpcmd|ClearBuffer|args" msgid "<#chan|query>" -msgstr "" +msgstr "<#kanał|rozmowa>" #: ClientCommand.cpp:1779 msgctxt "helpcmd|ClearBuffer|desc" msgid "Clear the specified buffer" -msgstr "" +msgstr "Wyczyść określony bufor" #: ClientCommand.cpp:1781 msgctxt "helpcmd|ClearAllBuffers|desc" msgid "Clear all channel and query buffers" -msgstr "" +msgstr "Wyczyść wszystkie bufory kanałów i rozmów" #: ClientCommand.cpp:1784 msgctxt "helpcmd|ClearAllChannelBuffers|desc" msgid "Clear the channel buffers" -msgstr "" +msgstr "Wyczyść bufory kanału" #: ClientCommand.cpp:1788 msgctxt "helpcmd|ClearAllQueryBuffers|desc" msgid "Clear the query buffers" -msgstr "" +msgstr "Wyczyść bufory rozmów" #: ClientCommand.cpp:1790 msgctxt "helpcmd|SetBuffer|args" msgid "<#chan|query> [linecount]" -msgstr "" +msgstr "<#kanał|rozmowa> [liczba_linii]" #: ClientCommand.cpp:1791 msgctxt "helpcmd|SetBuffer|desc" msgid "Set the buffer count" -msgstr "" +msgstr "Ustaw rozmiar bufora" #: ClientCommand.cpp:1795 msgctxt "helpcmd|SetBindHost|args" @@ -1696,7 +1701,7 @@ msgstr "[wiadomość]" #: ClientCommand.cpp:1894 msgctxt "helpcmd|Broadcast|desc" msgid "Broadcast a message to all ZNC users" -msgstr "" +msgstr "Rozgłoś wiadomość do wszystkich użytkowników ZNC" #: ClientCommand.cpp:1897 msgctxt "helpcmd|Shutdown|args" @@ -1720,7 +1725,7 @@ msgstr "Uruchom ponownie ZNC" #: Socket.cpp:342 msgid "Can't resolve server hostname" -msgstr "" +msgstr "Nie można rozwiązać nazwy hosta serwera" #: Socket.cpp:349 msgid "" @@ -1760,13 +1765,15 @@ msgstr "" #: User.cpp:511 msgid "Network {1} already exists" -msgstr "" +msgstr "Sieć {1} już istnieje" #: User.cpp:777 msgid "" "You are being disconnected because your IP is no longer allowed to connect " "to this user" msgstr "" +"Jesteś rozłączany, ponieważ Twój adres IP nie może już łączyć się z tym " +"użytkownikiem" #: User.cpp:912 msgid "Password is empty" From 8093b3d9deb26a9eae98aea13b074ebd112ca283 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Tue, 30 Jun 2020 00:29:57 +0000 Subject: [PATCH 450/798] Update translations from Crowdin for pl_PL --- modules/po/flooddetach.pl_PL.po | 48 +++++++++++++++++-------------- modules/po/imapauth.pl_PL.po | 2 +- modules/po/listsockets.pl_PL.po | 46 ++++++++++++++--------------- modules/po/notes.pl_PL.po | 30 ++++++++++--------- modules/po/route_replies.pl_PL.po | 4 +-- modules/po/sample.pl_PL.po | 14 ++++----- modules/po/webadmin.pl_PL.po | 14 ++++----- src/po/znc.pl_PL.po | 10 ++++--- 8 files changed, 88 insertions(+), 80 deletions(-) diff --git a/modules/po/flooddetach.pl_PL.po b/modules/po/flooddetach.pl_PL.po index 8c2706ee..b219baa9 100644 --- a/modules/po/flooddetach.pl_PL.po +++ b/modules/po/flooddetach.pl_PL.po @@ -16,82 +16,86 @@ msgstr "" #: flooddetach.cpp:30 msgid "Show current limits" -msgstr "" +msgstr "Pokaż bieżące limity" #: flooddetach.cpp:32 flooddetach.cpp:35 msgid "[]" -msgstr "" +msgstr "[]" #: flooddetach.cpp:33 msgid "Show or set number of seconds in the time interval" -msgstr "" +msgstr "Pokaż lub ustaw liczbę sekund w przedziale czasu" #: flooddetach.cpp:36 msgid "Show or set number of lines in the time interval" -msgstr "" +msgstr "Pokaż lub ustaw liczbę linii w przedziale czasu" #: flooddetach.cpp:39 msgid "Show or set whether to notify you about detaching and attaching back" msgstr "" +"Pokaż lub ustaw, czy chcesz być powiadamiany o odpięciach i powrotnych " +"dopięciach" #: flooddetach.cpp:93 msgid "Flood in {1} is over, reattaching..." -msgstr "" +msgstr "Zalewanie się skończyło {1}, ponowne dopinanie..." #: flooddetach.cpp:150 msgid "Channel {1} was flooded, you've been detached" -msgstr "" +msgstr "Kanał {1} był zalewany, został odpięty" #: flooddetach.cpp:187 msgid "1 line" msgid_plural "{1} lines" -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" -msgstr[3] "" +msgstr[0] "1 linia" +msgstr[1] "{1} linie" +msgstr[2] "{1} linii" +msgstr[3] "{1} linii/e" #: flooddetach.cpp:188 msgid "every second" msgid_plural "every {1} seconds" -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" -msgstr[3] "" +msgstr[0] "co sekundę" +msgstr[1] "co {1} sekundy" +msgstr[2] "co {1} sekund" +msgstr[3] "co {1} sekund" #: flooddetach.cpp:190 msgid "Current limit is {1} {2}" -msgstr "" +msgstr "Bieżący limit to {1} {2}" #: flooddetach.cpp:197 msgid "Seconds limit is {1}" -msgstr "" +msgstr "Limit sekund to {1}" #: flooddetach.cpp:202 msgid "Set seconds limit to {1}" -msgstr "" +msgstr "Ustawiono limit sekund do {1}" #: flooddetach.cpp:211 msgid "Lines limit is {1}" -msgstr "" +msgstr "Limit linii to {1}" #: flooddetach.cpp:216 msgid "Set lines limit to {1}" -msgstr "" +msgstr "Ustawiono limit linii do {1}" #: flooddetach.cpp:229 msgid "Module messages are disabled" -msgstr "" +msgstr "Wiadomości tego modułu zostały wyłączone" #: flooddetach.cpp:231 msgid "Module messages are enabled" -msgstr "" +msgstr "Wiadomości tego modułu zostały włączone" #: flooddetach.cpp:247 msgid "" "This user module takes up to two arguments. Arguments are numbers of " "messages and seconds." msgstr "" +"Ten moduł użytkownika przyjmuje maksymalnie dwa argumenty. Argumenty to " +"liczby wiadomości i sekund." #: flooddetach.cpp:251 msgid "Detach channels when flooded" -msgstr "" +msgstr "Odpina od kanałów gdy są zalewane" diff --git a/modules/po/imapauth.pl_PL.po b/modules/po/imapauth.pl_PL.po index a5c997a8..a98d32c5 100644 --- a/modules/po/imapauth.pl_PL.po +++ b/modules/po/imapauth.pl_PL.po @@ -20,4 +20,4 @@ msgstr "" #: imapauth.cpp:171 msgid "Allow users to authenticate via IMAP." -msgstr "" +msgstr "Zezwala użytkownikom na uwierzytelnianie się za pomocą IMAP." diff --git a/modules/po/listsockets.pl_PL.po b/modules/po/listsockets.pl_PL.po index bffbe1aa..f70ee602 100644 --- a/modules/po/listsockets.pl_PL.po +++ b/modules/po/listsockets.pl_PL.po @@ -17,99 +17,99 @@ msgstr "" #: modules/po/../data/listsockets/tmpl/index.tmpl:7 listsockets.cpp:213 #: listsockets.cpp:229 msgid "Name" -msgstr "" +msgstr "Nazwa" #: modules/po/../data/listsockets/tmpl/index.tmpl:8 listsockets.cpp:214 #: listsockets.cpp:230 msgid "Created" -msgstr "" +msgstr "Utworzono" #: modules/po/../data/listsockets/tmpl/index.tmpl:9 listsockets.cpp:215 #: listsockets.cpp:231 msgid "State" -msgstr "" +msgstr "Stan" #: modules/po/../data/listsockets/tmpl/index.tmpl:10 listsockets.cpp:217 #: listsockets.cpp:234 msgid "SSL" -msgstr "" +msgstr "SSL" #: modules/po/../data/listsockets/tmpl/index.tmpl:11 listsockets.cpp:219 #: listsockets.cpp:239 msgid "Local" -msgstr "" +msgstr "Lokalnie" #: modules/po/../data/listsockets/tmpl/index.tmpl:12 listsockets.cpp:220 #: listsockets.cpp:241 msgid "Remote" -msgstr "" +msgstr "Zdalne" #: modules/po/../data/listsockets/tmpl/index.tmpl:13 msgid "Data In" -msgstr "" +msgstr "Dane przychodzące" #: modules/po/../data/listsockets/tmpl/index.tmpl:14 msgid "Data Out" -msgstr "" +msgstr "Dane wychodzące" #: listsockets.cpp:62 msgid "[-n]" -msgstr "" +msgstr "[-n]" #: listsockets.cpp:62 msgid "Shows the list of active sockets. Pass -n to show IP addresses" -msgstr "" +msgstr "Pokazuje listę aktywnych gniazd. Podaj -n, aby zobaczyć adresy IP" #: listsockets.cpp:70 msgid "You must be admin to use this module" -msgstr "" +msgstr "Musisz być administratorem, aby korzystać z tego modułu" #: listsockets.cpp:95 msgid "List sockets" -msgstr "" +msgstr "Lista gniazd" #: listsockets.cpp:115 listsockets.cpp:235 msgctxt "ssl" msgid "Yes" -msgstr "" +msgstr "Tak" #: listsockets.cpp:115 listsockets.cpp:236 msgctxt "ssl" msgid "No" -msgstr "" +msgstr "Nie" #: listsockets.cpp:141 msgid "Listener" -msgstr "" +msgstr "Nasłuchiwacz" #: listsockets.cpp:143 msgid "Inbound" -msgstr "" +msgstr "Przychodzące" #: listsockets.cpp:146 msgid "Outbound" -msgstr "" +msgstr "Wychodzące" #: listsockets.cpp:148 msgid "Connecting" -msgstr "" +msgstr "‎Łączenie" #: listsockets.cpp:151 msgid "UNKNOWN" -msgstr "" +msgstr "NIEZNANY" #: listsockets.cpp:206 msgid "You have no open sockets." -msgstr "" +msgstr "Nie masz otwartych gniazd." #: listsockets.cpp:221 listsockets.cpp:243 msgid "In" -msgstr "" +msgstr "Przych." #: listsockets.cpp:222 listsockets.cpp:245 msgid "Out" -msgstr "" +msgstr "Wych." #: listsockets.cpp:261 msgid "Lists active sockets" -msgstr "" +msgstr "Lista aktywnych gniazd" diff --git a/modules/po/notes.pl_PL.po b/modules/po/notes.pl_PL.po index bcf940f0..0309bb59 100644 --- a/modules/po/notes.pl_PL.po +++ b/modules/po/notes.pl_PL.po @@ -60,62 +60,64 @@ msgstr "Nie udało się dodać notatki {1}" #: notes.cpp:46 notes.cpp:139 msgid "Set note for {1}" -msgstr "" +msgstr "Ustawiono notatkę dla {1}" #: notes.cpp:56 msgid "This note doesn't exist." -msgstr "" +msgstr "Taka notatka nie istnieje." #: notes.cpp:66 notes.cpp:116 msgid "Deleted note {1}" -msgstr "" +msgstr "Usunięto notatkę {1}" #: notes.cpp:68 notes.cpp:118 msgid "Unable to delete note {1}" -msgstr "" +msgstr "Nie można usunąć notatki {1}" #: notes.cpp:75 msgid "List notes" -msgstr "" +msgstr "Lista notatek" #: notes.cpp:77 notes.cpp:81 msgid " " -msgstr "" +msgstr " " #: notes.cpp:77 msgid "Add a note" -msgstr "" +msgstr "Dodaj notatkę" #: notes.cpp:79 notes.cpp:83 msgid "" -msgstr "" +msgstr "" #: notes.cpp:79 msgid "Delete a note" -msgstr "" +msgstr "Usuń notatkę" #: notes.cpp:81 msgid "Modify a note" -msgstr "" +msgstr "Zmodyfikuj notatkę" #: notes.cpp:94 msgid "Notes" -msgstr "" +msgstr "Notatki" #: notes.cpp:133 msgid "That note already exists. Use /#+ to overwrite." -msgstr "" +msgstr "Ta notatka już istnieje. Użyj /#+ aby nadpisać." #: notes.cpp:186 notes.cpp:188 msgid "You have no entries." -msgstr "" +msgstr "Nie masz wpisów." #: notes.cpp:224 msgid "" "This user module takes up to one arguments. It can be -disableNotesOnLogin " "not to show notes upon client login" msgstr "" +"Ten moduł użytkownika przyjmuje do jednego argumentu. Może być -" +"disableNotesOnLogin, aby nie wyświetlać notatek podczas logowania klienta" #: notes.cpp:228 msgid "Keep and replay notes" -msgstr "" +msgstr "Przechowuje i odtwarza notatki" diff --git a/modules/po/route_replies.pl_PL.po b/modules/po/route_replies.pl_PL.po index 7a6d47ac..ffaa5775 100644 --- a/modules/po/route_replies.pl_PL.po +++ b/modules/po/route_replies.pl_PL.po @@ -16,7 +16,7 @@ msgstr "" #: route_replies.cpp:215 msgid "[yes|no]" -msgstr "" +msgstr "[tak|nie]" #: route_replies.cpp:216 msgid "Decides whether to show the timeout messages or not" @@ -58,4 +58,4 @@ msgstr "" #: route_replies.cpp:463 msgid "Send replies (e.g. to /who) to the right client only" -msgstr "" +msgstr "Wysyła odpowiedzi (np. takie jak /who) tylko do właściwych klientów" diff --git a/modules/po/sample.pl_PL.po b/modules/po/sample.pl_PL.po index 35b852c2..2e27ec68 100644 --- a/modules/po/sample.pl_PL.po +++ b/modules/po/sample.pl_PL.po @@ -16,27 +16,27 @@ msgstr "" #: sample.cpp:31 msgid "Sample job cancelled" -msgstr "" +msgstr "Przykładowe zadanie anulowane" #: sample.cpp:33 msgid "Sample job destroyed" -msgstr "" +msgstr "Przykładowe zadanie zostało zniszczone" #: sample.cpp:50 msgid "Sample job done" -msgstr "" +msgstr "Przykładowe zadanie wykonane" #: sample.cpp:65 msgid "TEST!!!!" -msgstr "" +msgstr "TEST!!!!" #: sample.cpp:74 msgid "I'm being loaded with the arguments: {1}" -msgstr "" +msgstr "Jestem załadowany z tymi argumentami: {1}" #: sample.cpp:85 msgid "I'm being unloaded!" -msgstr "" +msgstr "Zostałem wyładowany!" #: sample.cpp:94 msgid "You got connected BoyOh." @@ -120,4 +120,4 @@ msgstr "" #: sample.cpp:333 msgid "To be used as a sample for writing modules" -msgstr "" +msgstr "Do użycia jako przykład do pisania modułów" diff --git a/modules/po/webadmin.pl_PL.po b/modules/po/webadmin.pl_PL.po index eced7367..2b59b7e5 100644 --- a/modules/po/webadmin.pl_PL.po +++ b/modules/po/webadmin.pl_PL.po @@ -623,7 +623,7 @@ msgstr "Strefa czasowa:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:298 msgid "E.g. Europe/Berlin, or GMT-6" -msgstr "Np. Europa/Warszawa, lub GMT-6" +msgstr "Np. Europa/Warszawa, lub GMT+1" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:306 msgid "Character encoding used between IRC client and ZNC." @@ -808,7 +808,7 @@ msgstr "" #: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:36 msgid "E.g. UTF-8, or ISO-8859-15" -msgstr "N.p. UTF-8, lub ISO-8859-2" +msgstr "Np. UTF-8, lub ISO-8859-2" #: modules/po/../data/webadmin/tmpl/index.tmpl:5 msgid "Welcome to the ZNC webadmin module." @@ -876,7 +876,7 @@ msgstr "Ustawienia" #: modules/po/../data/webadmin/tmpl/settings.tmpl:105 msgid "Default for new users only." -msgstr "Domyślny jest tylko dla nowych użytkowników." +msgstr "Jest to wartość domyślna dla nowych użytkowników." #: modules/po/../data/webadmin/tmpl/settings.tmpl:110 msgid "Maximum Buffer Size:" @@ -902,7 +902,7 @@ msgstr "" #: modules/po/../data/webadmin/tmpl/settings.tmpl:124 msgid "Server Throttle:" -msgstr "" +msgstr "Oczekiwanie na serwer:" #: modules/po/../data/webadmin/tmpl/settings.tmpl:126 msgid "" @@ -915,7 +915,7 @@ msgstr "" #: modules/po/../data/webadmin/tmpl/settings.tmpl:131 msgid "Anonymous Connection Limit per IP:" -msgstr "Limit anonimowego połączenia na adres IP:" +msgstr "Limit anonimowych połączeń na adres IP:" #: modules/po/../data/webadmin/tmpl/settings.tmpl:133 msgid "Limits the number of unidentified connections per IP." @@ -956,7 +956,7 @@ msgstr "Moduły globalne" #: modules/po/../data/webadmin/tmpl/settings.tmpl:180 msgid "Loaded by users" -msgstr "Załadowane przez użytkownika" +msgstr "Załadowane przez użytkowników" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:7 msgid "Information" @@ -1206,7 +1206,7 @@ msgstr "" #: webadmin.cpp:1522 msgid "Multi Clients" -msgstr "Dozwolonych wielu klientów" +msgstr "Wielu klientów może się zalogować na tego użytkownika" #: webadmin.cpp:1529 msgid "Append Timestamps" diff --git a/src/po/znc.pl_PL.po b/src/po/znc.pl_PL.po index f70b92e0..9a108ce4 100644 --- a/src/po/znc.pl_PL.po +++ b/src/po/znc.pl_PL.po @@ -1260,6 +1260,8 @@ msgid "" "In the following list all occurrences of <#chan> support wildcards (* and ?) " "except ListNicks" msgstr "" +"Na poniższej liście wszystkie wystąpienia <#kanał> obsługują symbole " +"wieloznaczne (* i?) Oprócz ListNicks" #: ClientCommand.cpp:1690 msgctxt "helpcmd|Version|desc" @@ -1411,17 +1413,17 @@ msgstr "<#kanały>" #: ClientCommand.cpp:1763 msgctxt "helpcmd|EnableChan|desc" msgid "Enable channels" -msgstr "" +msgstr "Włącz kanały" #: ClientCommand.cpp:1764 msgctxt "helpcmd|DisableChan|args" msgid "<#chans>" -msgstr "" +msgstr "<#kanały>" #: ClientCommand.cpp:1765 msgctxt "helpcmd|DisableChan|desc" msgid "Disable channels" -msgstr "" +msgstr "Wyłącz kanały" #: ClientCommand.cpp:1766 msgctxt "helpcmd|Attach|args" @@ -1431,7 +1433,7 @@ msgstr "" #: ClientCommand.cpp:1767 msgctxt "helpcmd|Attach|desc" msgid "Attach to channels" -msgstr "" +msgstr "Dopnij do kanałów" #: ClientCommand.cpp:1768 msgctxt "helpcmd|Detach|args" From 83d79308f1eb7f007861bd32367bf8cc3d575306 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Tue, 30 Jun 2020 00:29:58 +0000 Subject: [PATCH 451/798] Update translations from Crowdin for pl_PL --- modules/po/flooddetach.pl_PL.po | 48 +++++++++++++++++-------------- modules/po/imapauth.pl_PL.po | 2 +- modules/po/listsockets.pl_PL.po | 46 ++++++++++++++--------------- modules/po/notes.pl_PL.po | 30 ++++++++++--------- modules/po/route_replies.pl_PL.po | 4 +-- modules/po/sample.pl_PL.po | 14 ++++----- modules/po/webadmin.pl_PL.po | 14 ++++----- src/po/znc.pl_PL.po | 10 ++++--- 8 files changed, 88 insertions(+), 80 deletions(-) diff --git a/modules/po/flooddetach.pl_PL.po b/modules/po/flooddetach.pl_PL.po index 7db44c82..42d87681 100644 --- a/modules/po/flooddetach.pl_PL.po +++ b/modules/po/flooddetach.pl_PL.po @@ -16,82 +16,86 @@ msgstr "" #: flooddetach.cpp:30 msgid "Show current limits" -msgstr "" +msgstr "Pokaż bieżące limity" #: flooddetach.cpp:32 flooddetach.cpp:35 msgid "[]" -msgstr "" +msgstr "[]" #: flooddetach.cpp:33 msgid "Show or set number of seconds in the time interval" -msgstr "" +msgstr "Pokaż lub ustaw liczbę sekund w przedziale czasu" #: flooddetach.cpp:36 msgid "Show or set number of lines in the time interval" -msgstr "" +msgstr "Pokaż lub ustaw liczbę linii w przedziale czasu" #: flooddetach.cpp:39 msgid "Show or set whether to notify you about detaching and attaching back" msgstr "" +"Pokaż lub ustaw, czy chcesz być powiadamiany o odpięciach i powrotnych " +"dopięciach" #: flooddetach.cpp:93 msgid "Flood in {1} is over, reattaching..." -msgstr "" +msgstr "Zalewanie się skończyło {1}, ponowne dopinanie..." #: flooddetach.cpp:150 msgid "Channel {1} was flooded, you've been detached" -msgstr "" +msgstr "Kanał {1} był zalewany, został odpięty" #: flooddetach.cpp:187 msgid "1 line" msgid_plural "{1} lines" -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" -msgstr[3] "" +msgstr[0] "1 linia" +msgstr[1] "{1} linie" +msgstr[2] "{1} linii" +msgstr[3] "{1} linii/e" #: flooddetach.cpp:188 msgid "every second" msgid_plural "every {1} seconds" -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" -msgstr[3] "" +msgstr[0] "co sekundę" +msgstr[1] "co {1} sekundy" +msgstr[2] "co {1} sekund" +msgstr[3] "co {1} sekund" #: flooddetach.cpp:190 msgid "Current limit is {1} {2}" -msgstr "" +msgstr "Bieżący limit to {1} {2}" #: flooddetach.cpp:197 msgid "Seconds limit is {1}" -msgstr "" +msgstr "Limit sekund to {1}" #: flooddetach.cpp:202 msgid "Set seconds limit to {1}" -msgstr "" +msgstr "Ustawiono limit sekund do {1}" #: flooddetach.cpp:211 msgid "Lines limit is {1}" -msgstr "" +msgstr "Limit linii to {1}" #: flooddetach.cpp:216 msgid "Set lines limit to {1}" -msgstr "" +msgstr "Ustawiono limit linii do {1}" #: flooddetach.cpp:229 msgid "Module messages are disabled" -msgstr "" +msgstr "Wiadomości tego modułu zostały wyłączone" #: flooddetach.cpp:231 msgid "Module messages are enabled" -msgstr "" +msgstr "Wiadomości tego modułu zostały włączone" #: flooddetach.cpp:247 msgid "" "This user module takes up to two arguments. Arguments are numbers of " "messages and seconds." msgstr "" +"Ten moduł użytkownika przyjmuje maksymalnie dwa argumenty. Argumenty to " +"liczby wiadomości i sekund." #: flooddetach.cpp:251 msgid "Detach channels when flooded" -msgstr "" +msgstr "Odpina od kanałów gdy są zalewane" diff --git a/modules/po/imapauth.pl_PL.po b/modules/po/imapauth.pl_PL.po index 2e1837f1..2b0d9a65 100644 --- a/modules/po/imapauth.pl_PL.po +++ b/modules/po/imapauth.pl_PL.po @@ -20,4 +20,4 @@ msgstr "" #: imapauth.cpp:171 msgid "Allow users to authenticate via IMAP." -msgstr "" +msgstr "Zezwala użytkownikom na uwierzytelnianie się za pomocą IMAP." diff --git a/modules/po/listsockets.pl_PL.po b/modules/po/listsockets.pl_PL.po index 691d1d2e..d61885ad 100644 --- a/modules/po/listsockets.pl_PL.po +++ b/modules/po/listsockets.pl_PL.po @@ -17,99 +17,99 @@ msgstr "" #: modules/po/../data/listsockets/tmpl/index.tmpl:7 listsockets.cpp:213 #: listsockets.cpp:229 msgid "Name" -msgstr "" +msgstr "Nazwa" #: modules/po/../data/listsockets/tmpl/index.tmpl:8 listsockets.cpp:214 #: listsockets.cpp:230 msgid "Created" -msgstr "" +msgstr "Utworzono" #: modules/po/../data/listsockets/tmpl/index.tmpl:9 listsockets.cpp:215 #: listsockets.cpp:231 msgid "State" -msgstr "" +msgstr "Stan" #: modules/po/../data/listsockets/tmpl/index.tmpl:10 listsockets.cpp:217 #: listsockets.cpp:234 msgid "SSL" -msgstr "" +msgstr "SSL" #: modules/po/../data/listsockets/tmpl/index.tmpl:11 listsockets.cpp:219 #: listsockets.cpp:239 msgid "Local" -msgstr "" +msgstr "Lokalnie" #: modules/po/../data/listsockets/tmpl/index.tmpl:12 listsockets.cpp:220 #: listsockets.cpp:241 msgid "Remote" -msgstr "" +msgstr "Zdalne" #: modules/po/../data/listsockets/tmpl/index.tmpl:13 msgid "Data In" -msgstr "" +msgstr "Dane przychodzące" #: modules/po/../data/listsockets/tmpl/index.tmpl:14 msgid "Data Out" -msgstr "" +msgstr "Dane wychodzące" #: listsockets.cpp:62 msgid "[-n]" -msgstr "" +msgstr "[-n]" #: listsockets.cpp:62 msgid "Shows the list of active sockets. Pass -n to show IP addresses" -msgstr "" +msgstr "Pokazuje listę aktywnych gniazd. Podaj -n, aby zobaczyć adresy IP" #: listsockets.cpp:70 msgid "You must be admin to use this module" -msgstr "" +msgstr "Musisz być administratorem, aby korzystać z tego modułu" #: listsockets.cpp:95 msgid "List sockets" -msgstr "" +msgstr "Lista gniazd" #: listsockets.cpp:115 listsockets.cpp:235 msgctxt "ssl" msgid "Yes" -msgstr "" +msgstr "Tak" #: listsockets.cpp:115 listsockets.cpp:236 msgctxt "ssl" msgid "No" -msgstr "" +msgstr "Nie" #: listsockets.cpp:141 msgid "Listener" -msgstr "" +msgstr "Nasłuchiwacz" #: listsockets.cpp:143 msgid "Inbound" -msgstr "" +msgstr "Przychodzące" #: listsockets.cpp:146 msgid "Outbound" -msgstr "" +msgstr "Wychodzące" #: listsockets.cpp:148 msgid "Connecting" -msgstr "" +msgstr "‎Łączenie" #: listsockets.cpp:151 msgid "UNKNOWN" -msgstr "" +msgstr "NIEZNANY" #: listsockets.cpp:206 msgid "You have no open sockets." -msgstr "" +msgstr "Nie masz otwartych gniazd." #: listsockets.cpp:221 listsockets.cpp:243 msgid "In" -msgstr "" +msgstr "Przych." #: listsockets.cpp:222 listsockets.cpp:245 msgid "Out" -msgstr "" +msgstr "Wych." #: listsockets.cpp:261 msgid "Lists active sockets" -msgstr "" +msgstr "Lista aktywnych gniazd" diff --git a/modules/po/notes.pl_PL.po b/modules/po/notes.pl_PL.po index d1444207..0e94120b 100644 --- a/modules/po/notes.pl_PL.po +++ b/modules/po/notes.pl_PL.po @@ -60,62 +60,64 @@ msgstr "Nie udało się dodać notatki {1}" #: notes.cpp:46 notes.cpp:139 msgid "Set note for {1}" -msgstr "" +msgstr "Ustawiono notatkę dla {1}" #: notes.cpp:56 msgid "This note doesn't exist." -msgstr "" +msgstr "Taka notatka nie istnieje." #: notes.cpp:66 notes.cpp:116 msgid "Deleted note {1}" -msgstr "" +msgstr "Usunięto notatkę {1}" #: notes.cpp:68 notes.cpp:118 msgid "Unable to delete note {1}" -msgstr "" +msgstr "Nie można usunąć notatki {1}" #: notes.cpp:75 msgid "List notes" -msgstr "" +msgstr "Lista notatek" #: notes.cpp:77 notes.cpp:81 msgid " " -msgstr "" +msgstr " " #: notes.cpp:77 msgid "Add a note" -msgstr "" +msgstr "Dodaj notatkę" #: notes.cpp:79 notes.cpp:83 msgid "" -msgstr "" +msgstr "" #: notes.cpp:79 msgid "Delete a note" -msgstr "" +msgstr "Usuń notatkę" #: notes.cpp:81 msgid "Modify a note" -msgstr "" +msgstr "Zmodyfikuj notatkę" #: notes.cpp:94 msgid "Notes" -msgstr "" +msgstr "Notatki" #: notes.cpp:133 msgid "That note already exists. Use /#+ to overwrite." -msgstr "" +msgstr "Ta notatka już istnieje. Użyj /#+ aby nadpisać." #: notes.cpp:186 notes.cpp:188 msgid "You have no entries." -msgstr "" +msgstr "Nie masz wpisów." #: notes.cpp:224 msgid "" "This user module takes up to one arguments. It can be -disableNotesOnLogin " "not to show notes upon client login" msgstr "" +"Ten moduł użytkownika przyjmuje do jednego argumentu. Może być -" +"disableNotesOnLogin, aby nie wyświetlać notatek podczas logowania klienta" #: notes.cpp:228 msgid "Keep and replay notes" -msgstr "" +msgstr "Przechowuje i odtwarza notatki" diff --git a/modules/po/route_replies.pl_PL.po b/modules/po/route_replies.pl_PL.po index 57c76f5c..e93774d2 100644 --- a/modules/po/route_replies.pl_PL.po +++ b/modules/po/route_replies.pl_PL.po @@ -16,7 +16,7 @@ msgstr "" #: route_replies.cpp:215 msgid "[yes|no]" -msgstr "" +msgstr "[tak|nie]" #: route_replies.cpp:216 msgid "Decides whether to show the timeout messages or not" @@ -58,4 +58,4 @@ msgstr "" #: route_replies.cpp:463 msgid "Send replies (e.g. to /who) to the right client only" -msgstr "" +msgstr "Wysyła odpowiedzi (np. takie jak /who) tylko do właściwych klientów" diff --git a/modules/po/sample.pl_PL.po b/modules/po/sample.pl_PL.po index 67006132..4cc3d7c2 100644 --- a/modules/po/sample.pl_PL.po +++ b/modules/po/sample.pl_PL.po @@ -16,27 +16,27 @@ msgstr "" #: sample.cpp:31 msgid "Sample job cancelled" -msgstr "" +msgstr "Przykładowe zadanie anulowane" #: sample.cpp:33 msgid "Sample job destroyed" -msgstr "" +msgstr "Przykładowe zadanie zostało zniszczone" #: sample.cpp:50 msgid "Sample job done" -msgstr "" +msgstr "Przykładowe zadanie wykonane" #: sample.cpp:65 msgid "TEST!!!!" -msgstr "" +msgstr "TEST!!!!" #: sample.cpp:74 msgid "I'm being loaded with the arguments: {1}" -msgstr "" +msgstr "Jestem załadowany z tymi argumentami: {1}" #: sample.cpp:85 msgid "I'm being unloaded!" -msgstr "" +msgstr "Zostałem wyładowany!" #: sample.cpp:94 msgid "You got connected BoyOh." @@ -120,4 +120,4 @@ msgstr "" #: sample.cpp:333 msgid "To be used as a sample for writing modules" -msgstr "" +msgstr "Do użycia jako przykład do pisania modułów" diff --git a/modules/po/webadmin.pl_PL.po b/modules/po/webadmin.pl_PL.po index 353e4f10..a13d8de0 100644 --- a/modules/po/webadmin.pl_PL.po +++ b/modules/po/webadmin.pl_PL.po @@ -623,7 +623,7 @@ msgstr "Strefa czasowa:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:298 msgid "E.g. Europe/Berlin, or GMT-6" -msgstr "Np. Europa/Warszawa, lub GMT-6" +msgstr "Np. Europa/Warszawa, lub GMT+1" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:306 msgid "Character encoding used between IRC client and ZNC." @@ -808,7 +808,7 @@ msgstr "" #: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:36 msgid "E.g. UTF-8, or ISO-8859-15" -msgstr "N.p. UTF-8, lub ISO-8859-2" +msgstr "Np. UTF-8, lub ISO-8859-2" #: modules/po/../data/webadmin/tmpl/index.tmpl:5 msgid "Welcome to the ZNC webadmin module." @@ -876,7 +876,7 @@ msgstr "Ustawienia" #: modules/po/../data/webadmin/tmpl/settings.tmpl:105 msgid "Default for new users only." -msgstr "Domyślny jest tylko dla nowych użytkowników." +msgstr "Jest to wartość domyślna dla nowych użytkowników." #: modules/po/../data/webadmin/tmpl/settings.tmpl:110 msgid "Maximum Buffer Size:" @@ -902,7 +902,7 @@ msgstr "" #: modules/po/../data/webadmin/tmpl/settings.tmpl:124 msgid "Server Throttle:" -msgstr "" +msgstr "Oczekiwanie na serwer:" #: modules/po/../data/webadmin/tmpl/settings.tmpl:126 msgid "" @@ -915,7 +915,7 @@ msgstr "" #: modules/po/../data/webadmin/tmpl/settings.tmpl:131 msgid "Anonymous Connection Limit per IP:" -msgstr "Limit anonimowego połączenia na adres IP:" +msgstr "Limit anonimowych połączeń na adres IP:" #: modules/po/../data/webadmin/tmpl/settings.tmpl:133 msgid "Limits the number of unidentified connections per IP." @@ -956,7 +956,7 @@ msgstr "Moduły globalne" #: modules/po/../data/webadmin/tmpl/settings.tmpl:180 msgid "Loaded by users" -msgstr "Załadowane przez użytkownika" +msgstr "Załadowane przez użytkowników" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:7 msgid "Information" @@ -1206,7 +1206,7 @@ msgstr "" #: webadmin.cpp:1522 msgid "Multi Clients" -msgstr "Dozwolonych wielu klientów" +msgstr "Wielu klientów może się zalogować na tego użytkownika" #: webadmin.cpp:1529 msgid "Append Timestamps" diff --git a/src/po/znc.pl_PL.po b/src/po/znc.pl_PL.po index 8060a2ab..69f5adcb 100644 --- a/src/po/znc.pl_PL.po +++ b/src/po/znc.pl_PL.po @@ -1260,6 +1260,8 @@ msgid "" "In the following list all occurrences of <#chan> support wildcards (* and ?) " "except ListNicks" msgstr "" +"Na poniższej liście wszystkie wystąpienia <#kanał> obsługują symbole " +"wieloznaczne (* i?) Oprócz ListNicks" #: ClientCommand.cpp:1690 msgctxt "helpcmd|Version|desc" @@ -1411,17 +1413,17 @@ msgstr "<#kanały>" #: ClientCommand.cpp:1763 msgctxt "helpcmd|EnableChan|desc" msgid "Enable channels" -msgstr "" +msgstr "Włącz kanały" #: ClientCommand.cpp:1764 msgctxt "helpcmd|DisableChan|args" msgid "<#chans>" -msgstr "" +msgstr "<#kanały>" #: ClientCommand.cpp:1765 msgctxt "helpcmd|DisableChan|desc" msgid "Disable channels" -msgstr "" +msgstr "Wyłącz kanały" #: ClientCommand.cpp:1766 msgctxt "helpcmd|Attach|args" @@ -1431,7 +1433,7 @@ msgstr "" #: ClientCommand.cpp:1767 msgctxt "helpcmd|Attach|desc" msgid "Attach to channels" -msgstr "" +msgstr "Dopnij do kanałów" #: ClientCommand.cpp:1768 msgctxt "helpcmd|Detach|args" From 42f190f50855fe9e388e2b0179efd682e3a5b351 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Wed, 1 Jul 2020 00:28:55 +0000 Subject: [PATCH 452/798] Update translations from Crowdin for pl_PL --- modules/po/log.pl_PL.po | 10 ++++------ src/po/znc.pl_PL.po | 2 +- 2 files changed, 5 insertions(+), 7 deletions(-) diff --git a/modules/po/log.pl_PL.po b/modules/po/log.pl_PL.po index b8c7d16b..95daca7b 100644 --- a/modules/po/log.pl_PL.po +++ b/modules/po/log.pl_PL.po @@ -38,8 +38,7 @@ msgstr " true|false" #: log.cpp:68 msgid "Set one of the following options: joins, quits, nickchanges" -msgstr "" -"Ustaw jedną z następujących opcji: dołączenia, wyjścia, zmiany pseudonimów" +msgstr "Ustaw jedną z następujących opcji: joins, quits, nickchanges" #: log.cpp:71 msgid "Show current settings set by Set command" @@ -79,8 +78,8 @@ msgstr "Włączono kronikowanie" msgid "" "Usage: Set true|false, where is one of: joins, quits, nickchanges" msgstr "" -"Użycie: Set true|false, gdzie jest jedną z: dołączenia, " -"wyjścia, zmiany pseudonimów" +"Użycie: Set prawda|fałsz, gdzie jest jedną z: joins, " +"quits, nickchanges" #: log.cpp:197 msgid "Will log joins" @@ -108,8 +107,7 @@ msgstr "Nie będą kronikowane zmiany pseudonimu" #: log.cpp:204 msgid "Unknown variable. Known variables: joins, quits, nickchanges" -msgstr "" -"Nieznana zmienna. Znane zmienne to: dołączenia, wyjścia, zmiany pseudonimu" +msgstr "Nieznana zmienna. Znane zmienne to: joins, quits, nickchanges" #: log.cpp:212 msgid "Logging joins" diff --git a/src/po/znc.pl_PL.po b/src/po/znc.pl_PL.po index 69f5adcb..cd4d6d01 100644 --- a/src/po/znc.pl_PL.po +++ b/src/po/znc.pl_PL.po @@ -1261,7 +1261,7 @@ msgid "" "except ListNicks" msgstr "" "Na poniższej liście wszystkie wystąpienia <#kanał> obsługują symbole " -"wieloznaczne (* i?) Oprócz ListNicks" +"wieloznaczne (* i ?) Oprócz ListNicks" #: ClientCommand.cpp:1690 msgctxt "helpcmd|Version|desc" From a118fee12fd8c517e8bd4eef338d11b0896b8e58 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Wed, 1 Jul 2020 00:28:56 +0000 Subject: [PATCH 453/798] Update translations from Crowdin for pl_PL --- modules/po/log.pl_PL.po | 10 ++++------ src/po/znc.pl_PL.po | 2 +- 2 files changed, 5 insertions(+), 7 deletions(-) diff --git a/modules/po/log.pl_PL.po b/modules/po/log.pl_PL.po index b7a1f367..2c14c03f 100644 --- a/modules/po/log.pl_PL.po +++ b/modules/po/log.pl_PL.po @@ -38,8 +38,7 @@ msgstr " true|false" #: log.cpp:68 msgid "Set one of the following options: joins, quits, nickchanges" -msgstr "" -"Ustaw jedną z następujących opcji: dołączenia, wyjścia, zmiany pseudonimów" +msgstr "Ustaw jedną z następujących opcji: joins, quits, nickchanges" #: log.cpp:71 msgid "Show current settings set by Set command" @@ -79,8 +78,8 @@ msgstr "Włączono kronikowanie" msgid "" "Usage: Set true|false, where is one of: joins, quits, nickchanges" msgstr "" -"Użycie: Set true|false, gdzie jest jedną z: dołączenia, " -"wyjścia, zmiany pseudonimów" +"Użycie: Set prawda|fałsz, gdzie jest jedną z: joins, " +"quits, nickchanges" #: log.cpp:197 msgid "Will log joins" @@ -108,8 +107,7 @@ msgstr "Nie będą kronikowane zmiany pseudonimu" #: log.cpp:204 msgid "Unknown variable. Known variables: joins, quits, nickchanges" -msgstr "" -"Nieznana zmienna. Znane zmienne to: dołączenia, wyjścia, zmiany pseudonimu" +msgstr "Nieznana zmienna. Znane zmienne to: joins, quits, nickchanges" #: log.cpp:212 msgid "Logging joins" diff --git a/src/po/znc.pl_PL.po b/src/po/znc.pl_PL.po index 9a108ce4..2d51b9f2 100644 --- a/src/po/znc.pl_PL.po +++ b/src/po/znc.pl_PL.po @@ -1261,7 +1261,7 @@ msgid "" "except ListNicks" msgstr "" "Na poniższej liście wszystkie wystąpienia <#kanał> obsługują symbole " -"wieloznaczne (* i?) Oprócz ListNicks" +"wieloznaczne (* i ?) Oprócz ListNicks" #: ClientCommand.cpp:1690 msgctxt "helpcmd|Version|desc" From 469c424182653ee5652dbfa8e89a80a2d135d122 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Thu, 2 Jul 2020 00:28:48 +0000 Subject: [PATCH 454/798] Update translations from Crowdin for pl_PL --- modules/po/clientnotify.pl_PL.po | 4 +-- modules/po/controlpanel.pl_PL.po | 2 +- modules/po/ctcpflood.pl_PL.po | 14 +++++----- modules/po/log.pl_PL.po | 2 +- modules/po/watch.pl_PL.po | 47 ++++++++++++++++---------------- src/po/znc.pl_PL.po | 2 +- 6 files changed, 36 insertions(+), 35 deletions(-) diff --git a/modules/po/clientnotify.pl_PL.po b/modules/po/clientnotify.pl_PL.po index 06f6fa75..bcf7bb6a 100644 --- a/modules/po/clientnotify.pl_PL.po +++ b/modules/po/clientnotify.pl_PL.po @@ -77,12 +77,12 @@ msgid "" "disconnecting clients: {3}" msgstr "" "Bieżące ustawienia: Metoda: {1}, tylko dla niespotkanych adresów IP: {2}, " -"powiadomienie na rozłączających się klientów: {3}" +"powiadomienie o rozłączających się klientach: {3}" #: clientnotify.cpp:157 msgid "" "Notifies you when another IRC client logs into or out of your account. " "Configurable." msgstr "" -"Powiadomi Cię, gdy inny klient IRC zaloguje się na twoje konto lub z niego " +"Powiadamia, gdy inny klient IRC zaloguje się na Twoje konto lub się z niego " "wyloguje. Konfigurowalny." diff --git a/modules/po/controlpanel.pl_PL.po b/modules/po/controlpanel.pl_PL.po index 7bfb8822..2d5830af 100644 --- a/modules/po/controlpanel.pl_PL.po +++ b/modules/po/controlpanel.pl_PL.po @@ -30,7 +30,7 @@ msgstr "Łańcuch znaków" #: controlpanel.cpp:79 msgid "Boolean (true/false)" -msgstr "Typ logiczny (prawda/fałsz)" +msgstr "Typ logiczny (true/fałse)" #: controlpanel.cpp:80 msgid "Integer" diff --git a/modules/po/ctcpflood.pl_PL.po b/modules/po/ctcpflood.pl_PL.po index 4a603499..7073d716 100644 --- a/modules/po/ctcpflood.pl_PL.po +++ b/modules/po/ctcpflood.pl_PL.po @@ -46,17 +46,17 @@ msgstr "Użycie: Lines " msgid "1 CTCP message" msgid_plural "{1} CTCP messages" msgstr[0] "1 wiadomość CTCP" -msgstr[1] "Pare {1} wiadomości CTCP" -msgstr[2] "Wiele {1} wiadomości CTCP" -msgstr[3] "Wiele {1} wiadomości CTCP" +msgstr[1] "{1} wiadomości CTCP" +msgstr[2] "{1} wiadomości CTCP" +msgstr[3] "{1} wiadomości CTCP" #: ctcpflood.cpp:127 msgid "every second" msgid_plural "every {1} seconds" -msgstr[0] "co każdą sekundę" -msgstr[1] "co parę {1} sekund" -msgstr[2] "co wiele {1} sekund" -msgstr[3] "co wiele {1} sekund" +msgstr[0] "na sekundę" +msgstr[1] "na {1} sekund" +msgstr[2] "na {1} sekund" +msgstr[3] "na {1} sekundy/d" #: ctcpflood.cpp:129 msgid "Current limit is {1} {2}" diff --git a/modules/po/log.pl_PL.po b/modules/po/log.pl_PL.po index 2c14c03f..2775a55b 100644 --- a/modules/po/log.pl_PL.po +++ b/modules/po/log.pl_PL.po @@ -78,7 +78,7 @@ msgstr "Włączono kronikowanie" msgid "" "Usage: Set true|false, where is one of: joins, quits, nickchanges" msgstr "" -"Użycie: Set prawda|fałsz, gdzie jest jedną z: joins, " +"Użycie: Set true|false, gdzie jest jedną z: joins, " "quits, nickchanges" #: log.cpp:197 diff --git a/modules/po/watch.pl_PL.po b/modules/po/watch.pl_PL.po index 0416637e..cab63cfe 100644 --- a/modules/po/watch.pl_PL.po +++ b/modules/po/watch.pl_PL.po @@ -20,15 +20,16 @@ msgstr " [Cel] [Wzorzec]" #: watch.cpp:178 msgid "Used to add an entry to watch for." -msgstr "Służy do dodawania wpisu, który będzie obserwowany." +msgstr "Używany do dodawania wpisu, który będzie obserwowany." #: watch.cpp:180 msgid "List all entries being watched." -msgstr "Lista wszystkich oczekiwanych wpisów." +msgstr "Lista wszystkich obserwowanych wpisów." #: watch.cpp:182 msgid "Dump a list of all current entries to be used later." -msgstr "Zrzuć listę wszystkich bieżących wpisów do późniejszego wykorzystania." +msgstr "" +"Zrzuca listę wszystkich bieżących wpisów do późniejszego wykorzystania." #: watch.cpp:184 msgid "" @@ -36,11 +37,11 @@ msgstr "" #: watch.cpp:184 msgid "Deletes Id from the list of watched entries." -msgstr "Usuwa identyfikator z listy oczekiwanych wpisów." +msgstr "Usuwa pozycję z listy obserwowanych wpisów." #: watch.cpp:186 msgid "Delete all entries." -msgstr "Usuń wszystkie wpisy." +msgstr "Usuwa wszystkie wpisy." #: watch.cpp:188 watch.cpp:190 msgid "" @@ -48,23 +49,23 @@ msgstr "" #: watch.cpp:188 msgid "Enable a disabled entry." -msgstr "Włącz wyłączony wpis." +msgstr "Włącza wyłączony wpis." #: watch.cpp:190 msgid "Disable (but don't delete) an entry." -msgstr "Wyłącz (ale nie usuwaj) wpis." +msgstr "Wyłącza (ale nie usuwa) wpis." #: watch.cpp:192 watch.cpp:194 msgid " " -msgstr " " +msgstr " " #: watch.cpp:192 msgid "Enable or disable detached client only for an entry." -msgstr "Włącz lub wyłącz odpiętego klienta dla wpisu." +msgstr "Włącza lub wyłącza odpiętego klienta dla wpisu." #: watch.cpp:194 msgid "Enable or disable detached channel only for an entry." -msgstr "Włącz lub wyłącz odpięty kanał dla wpisu." +msgstr "Włącza lub wyłącza odpięty kanał dla wpisu." #: watch.cpp:196 msgid " [#chan priv #foo* !#bar]" @@ -72,7 +73,7 @@ msgstr " [#kanał priv #foo* !#bar]" #: watch.cpp:196 msgid "Set the source channels that you care about." -msgstr "Ustaw kanały źródłowe, na których Ci zależy." +msgstr "Ustawia kanały źródłowe, na których Ci zależy." #: watch.cpp:237 msgid "WARNING: malformed entry found while loading" @@ -92,35 +93,35 @@ msgstr "Nieprawidłowy nr Id" #: watch.cpp:399 msgid "Id {1} disabled" -msgstr "Identyfikator {1} wyłączony" +msgstr "Identyfikator {1} został wyłączony" #: watch.cpp:401 msgid "Id {1} enabled" -msgstr "Identyfikator {1} włączony" +msgstr "Identyfikator {1} został włączony" #: watch.cpp:423 msgid "Set DetachedClientOnly for all entries to Yes" -msgstr "Ustaw DetachedClientOnly dla wszystkich wpisów na Tak" +msgstr "Ustawiono DetachedClientOnly dla wszystkich wpisów na Tak" #: watch.cpp:425 msgid "Set DetachedClientOnly for all entries to No" -msgstr "Ustaw DetachedClientOnly dla wszystkich wpisów na Nie" +msgstr "Ustawiono DetachedClientOnly dla wszystkich wpisów na Nie" #: watch.cpp:441 watch.cpp:483 msgid "Id {1} set to Yes" -msgstr "Identyfikator {1} ustawiony na Tak" +msgstr "Identyfikator {1} ustawiono na Tak" #: watch.cpp:443 watch.cpp:485 msgid "Id {1} set to No" -msgstr "Identyfikator {1} ustawiony na Nie" +msgstr "Identyfikator {1} ustawiono na Nie" #: watch.cpp:465 msgid "Set DetachedChannelOnly for all entries to Yes" -msgstr "Ustaw DetachedChannelOnly dla wszystkich wpisów na Tak" +msgstr "Ustawiono DetachedChannelOnly dla wszystkich wpisów na Tak" #: watch.cpp:467 msgid "Set DetachedChannelOnly for all entries to No" -msgstr "Ustaw DetachedChannelOnly dla wszystkich wpisów na Nie" +msgstr "Ustawiono DetachedChannelOnly dla wszystkich wpisów na Nie" #: watch.cpp:491 watch.cpp:507 msgid "Id" @@ -148,11 +149,11 @@ msgstr "Wyłączony" #: watch.cpp:497 watch.cpp:515 msgid "DetachedClientOnly" -msgstr "OdpiętyKlient?" +msgstr "TylkoGdyOdpiętyKlient?" #: watch.cpp:498 watch.cpp:518 msgid "DetachedChannelOnly" -msgstr "OdpiętyKanał?" +msgstr "TylkoGdyOdpiętyKanał?" #: watch.cpp:516 watch.cpp:519 msgid "Yes" @@ -168,7 +169,7 @@ msgstr "Nie masz wpisów." #: watch.cpp:585 msgid "Sources set for Id {1}." -msgstr "Źródła ustawione dla Id {1}." +msgstr "Źródła zostały ustawione dla Id {1}." #: watch.cpp:609 msgid "All entries cleared." @@ -188,7 +189,7 @@ msgstr "Dodawanie wpisu: {1} obserwowanie [{2}] -> {3}" #: watch.cpp:660 msgid "Watch: Not enough arguments. Try Help" -msgstr "Watch: Za mało argumentów. Spróbuj pomocy" +msgstr "Watch: Za mało argumentów. Spróbuj Help" #: watch.cpp:702 msgid "Copy activity from a specific user into a separate window" diff --git a/src/po/znc.pl_PL.po b/src/po/znc.pl_PL.po index 2d51b9f2..83b20890 100644 --- a/src/po/znc.pl_PL.po +++ b/src/po/znc.pl_PL.po @@ -1428,7 +1428,7 @@ msgstr "Wyłącz kanały" #: ClientCommand.cpp:1766 msgctxt "helpcmd|Attach|args" msgid "<#chans>" -msgstr "" +msgstr "<#kanały>" #: ClientCommand.cpp:1767 msgctxt "helpcmd|Attach|desc" From 3c405743b3c421f79d2dc498c1e808829a89b2fc Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Thu, 2 Jul 2020 00:28:49 +0000 Subject: [PATCH 455/798] Update translations from Crowdin for pl_PL --- modules/po/clientnotify.pl_PL.po | 4 +-- modules/po/controlpanel.pl_PL.po | 2 +- modules/po/ctcpflood.pl_PL.po | 14 +++++----- modules/po/log.pl_PL.po | 2 +- modules/po/watch.pl_PL.po | 47 ++++++++++++++++---------------- src/po/znc.pl_PL.po | 2 +- 6 files changed, 36 insertions(+), 35 deletions(-) diff --git a/modules/po/clientnotify.pl_PL.po b/modules/po/clientnotify.pl_PL.po index ae02c2a6..fe20d340 100644 --- a/modules/po/clientnotify.pl_PL.po +++ b/modules/po/clientnotify.pl_PL.po @@ -77,12 +77,12 @@ msgid "" "disconnecting clients: {3}" msgstr "" "Bieżące ustawienia: Metoda: {1}, tylko dla niespotkanych adresów IP: {2}, " -"powiadomienie na rozłączających się klientów: {3}" +"powiadomienie o rozłączających się klientach: {3}" #: clientnotify.cpp:157 msgid "" "Notifies you when another IRC client logs into or out of your account. " "Configurable." msgstr "" -"Powiadomi Cię, gdy inny klient IRC zaloguje się na twoje konto lub z niego " +"Powiadamia, gdy inny klient IRC zaloguje się na Twoje konto lub się z niego " "wyloguje. Konfigurowalny." diff --git a/modules/po/controlpanel.pl_PL.po b/modules/po/controlpanel.pl_PL.po index 2b580722..911d9e11 100644 --- a/modules/po/controlpanel.pl_PL.po +++ b/modules/po/controlpanel.pl_PL.po @@ -30,7 +30,7 @@ msgstr "Łańcuch znaków" #: controlpanel.cpp:79 msgid "Boolean (true/false)" -msgstr "Typ logiczny (prawda/fałsz)" +msgstr "Typ logiczny (true/fałse)" #: controlpanel.cpp:80 msgid "Integer" diff --git a/modules/po/ctcpflood.pl_PL.po b/modules/po/ctcpflood.pl_PL.po index b21d5620..f01cb5f9 100644 --- a/modules/po/ctcpflood.pl_PL.po +++ b/modules/po/ctcpflood.pl_PL.po @@ -46,17 +46,17 @@ msgstr "Użycie: Lines " msgid "1 CTCP message" msgid_plural "{1} CTCP messages" msgstr[0] "1 wiadomość CTCP" -msgstr[1] "Pare {1} wiadomości CTCP" -msgstr[2] "Wiele {1} wiadomości CTCP" -msgstr[3] "Wiele {1} wiadomości CTCP" +msgstr[1] "{1} wiadomości CTCP" +msgstr[2] "{1} wiadomości CTCP" +msgstr[3] "{1} wiadomości CTCP" #: ctcpflood.cpp:127 msgid "every second" msgid_plural "every {1} seconds" -msgstr[0] "co każdą sekundę" -msgstr[1] "co parę {1} sekund" -msgstr[2] "co wiele {1} sekund" -msgstr[3] "co wiele {1} sekund" +msgstr[0] "na sekundę" +msgstr[1] "na {1} sekund" +msgstr[2] "na {1} sekund" +msgstr[3] "na {1} sekundy/d" #: ctcpflood.cpp:129 msgid "Current limit is {1} {2}" diff --git a/modules/po/log.pl_PL.po b/modules/po/log.pl_PL.po index 95daca7b..675501a1 100644 --- a/modules/po/log.pl_PL.po +++ b/modules/po/log.pl_PL.po @@ -78,7 +78,7 @@ msgstr "Włączono kronikowanie" msgid "" "Usage: Set true|false, where is one of: joins, quits, nickchanges" msgstr "" -"Użycie: Set prawda|fałsz, gdzie jest jedną z: joins, " +"Użycie: Set true|false, gdzie jest jedną z: joins, " "quits, nickchanges" #: log.cpp:197 diff --git a/modules/po/watch.pl_PL.po b/modules/po/watch.pl_PL.po index 2c0d3a90..d6776917 100644 --- a/modules/po/watch.pl_PL.po +++ b/modules/po/watch.pl_PL.po @@ -20,15 +20,16 @@ msgstr " [Cel] [Wzorzec]" #: watch.cpp:178 msgid "Used to add an entry to watch for." -msgstr "Służy do dodawania wpisu, który będzie obserwowany." +msgstr "Używany do dodawania wpisu, który będzie obserwowany." #: watch.cpp:180 msgid "List all entries being watched." -msgstr "Lista wszystkich oczekiwanych wpisów." +msgstr "Lista wszystkich obserwowanych wpisów." #: watch.cpp:182 msgid "Dump a list of all current entries to be used later." -msgstr "Zrzuć listę wszystkich bieżących wpisów do późniejszego wykorzystania." +msgstr "" +"Zrzuca listę wszystkich bieżących wpisów do późniejszego wykorzystania." #: watch.cpp:184 msgid "" @@ -36,11 +37,11 @@ msgstr "" #: watch.cpp:184 msgid "Deletes Id from the list of watched entries." -msgstr "Usuwa identyfikator z listy oczekiwanych wpisów." +msgstr "Usuwa pozycję z listy obserwowanych wpisów." #: watch.cpp:186 msgid "Delete all entries." -msgstr "Usuń wszystkie wpisy." +msgstr "Usuwa wszystkie wpisy." #: watch.cpp:188 watch.cpp:190 msgid "" @@ -48,23 +49,23 @@ msgstr "" #: watch.cpp:188 msgid "Enable a disabled entry." -msgstr "Włącz wyłączony wpis." +msgstr "Włącza wyłączony wpis." #: watch.cpp:190 msgid "Disable (but don't delete) an entry." -msgstr "Wyłącz (ale nie usuwaj) wpis." +msgstr "Wyłącza (ale nie usuwa) wpis." #: watch.cpp:192 watch.cpp:194 msgid " " -msgstr " " +msgstr " " #: watch.cpp:192 msgid "Enable or disable detached client only for an entry." -msgstr "Włącz lub wyłącz odpiętego klienta dla wpisu." +msgstr "Włącza lub wyłącza odpiętego klienta dla wpisu." #: watch.cpp:194 msgid "Enable or disable detached channel only for an entry." -msgstr "Włącz lub wyłącz odpięty kanał dla wpisu." +msgstr "Włącza lub wyłącza odpięty kanał dla wpisu." #: watch.cpp:196 msgid " [#chan priv #foo* !#bar]" @@ -72,7 +73,7 @@ msgstr " [#kanał priv #foo* !#bar]" #: watch.cpp:196 msgid "Set the source channels that you care about." -msgstr "Ustaw kanały źródłowe, na których Ci zależy." +msgstr "Ustawia kanały źródłowe, na których Ci zależy." #: watch.cpp:237 msgid "WARNING: malformed entry found while loading" @@ -92,35 +93,35 @@ msgstr "Nieprawidłowy nr Id" #: watch.cpp:399 msgid "Id {1} disabled" -msgstr "Identyfikator {1} wyłączony" +msgstr "Identyfikator {1} został wyłączony" #: watch.cpp:401 msgid "Id {1} enabled" -msgstr "Identyfikator {1} włączony" +msgstr "Identyfikator {1} został włączony" #: watch.cpp:423 msgid "Set DetachedClientOnly for all entries to Yes" -msgstr "Ustaw DetachedClientOnly dla wszystkich wpisów na Tak" +msgstr "Ustawiono DetachedClientOnly dla wszystkich wpisów na Tak" #: watch.cpp:425 msgid "Set DetachedClientOnly for all entries to No" -msgstr "Ustaw DetachedClientOnly dla wszystkich wpisów na Nie" +msgstr "Ustawiono DetachedClientOnly dla wszystkich wpisów na Nie" #: watch.cpp:441 watch.cpp:483 msgid "Id {1} set to Yes" -msgstr "Identyfikator {1} ustawiony na Tak" +msgstr "Identyfikator {1} ustawiono na Tak" #: watch.cpp:443 watch.cpp:485 msgid "Id {1} set to No" -msgstr "Identyfikator {1} ustawiony na Nie" +msgstr "Identyfikator {1} ustawiono na Nie" #: watch.cpp:465 msgid "Set DetachedChannelOnly for all entries to Yes" -msgstr "Ustaw DetachedChannelOnly dla wszystkich wpisów na Tak" +msgstr "Ustawiono DetachedChannelOnly dla wszystkich wpisów na Tak" #: watch.cpp:467 msgid "Set DetachedChannelOnly for all entries to No" -msgstr "Ustaw DetachedChannelOnly dla wszystkich wpisów na Nie" +msgstr "Ustawiono DetachedChannelOnly dla wszystkich wpisów na Nie" #: watch.cpp:491 watch.cpp:507 msgid "Id" @@ -148,11 +149,11 @@ msgstr "Wyłączony" #: watch.cpp:497 watch.cpp:515 msgid "DetachedClientOnly" -msgstr "OdpiętyKlient?" +msgstr "TylkoGdyOdpiętyKlient?" #: watch.cpp:498 watch.cpp:518 msgid "DetachedChannelOnly" -msgstr "OdpiętyKanał?" +msgstr "TylkoGdyOdpiętyKanał?" #: watch.cpp:516 watch.cpp:519 msgid "Yes" @@ -168,7 +169,7 @@ msgstr "Nie masz wpisów." #: watch.cpp:585 msgid "Sources set for Id {1}." -msgstr "Źródła ustawione dla Id {1}." +msgstr "Źródła zostały ustawione dla Id {1}." #: watch.cpp:609 msgid "All entries cleared." @@ -188,7 +189,7 @@ msgstr "Dodawanie wpisu: {1} obserwowanie [{2}] -> {3}" #: watch.cpp:660 msgid "Watch: Not enough arguments. Try Help" -msgstr "Watch: Za mało argumentów. Spróbuj pomocy" +msgstr "Watch: Za mało argumentów. Spróbuj Help" #: watch.cpp:702 msgid "Copy activity from a specific user into a separate window" diff --git a/src/po/znc.pl_PL.po b/src/po/znc.pl_PL.po index cd4d6d01..9544ca1d 100644 --- a/src/po/znc.pl_PL.po +++ b/src/po/znc.pl_PL.po @@ -1428,7 +1428,7 @@ msgstr "Wyłącz kanały" #: ClientCommand.cpp:1766 msgctxt "helpcmd|Attach|args" msgid "<#chans>" -msgstr "" +msgstr "<#kanały>" #: ClientCommand.cpp:1767 msgctxt "helpcmd|Attach|desc" From 1497bc9407d1956e85772c95980e01beb0125ef4 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Sun, 5 Jul 2020 00:28:35 +0000 Subject: [PATCH 456/798] Update translations from Crowdin for pl_PL --- modules/po/fail2ban.pl_PL.po | 7 +++++-- 1 file changed, 5 insertions(+), 2 deletions(-) diff --git a/modules/po/fail2ban.pl_PL.po b/modules/po/fail2ban.pl_PL.po index bc854566..0a82a286 100644 --- a/modules/po/fail2ban.pl_PL.po +++ b/modules/po/fail2ban.pl_PL.po @@ -51,6 +51,9 @@ msgid "" "Invalid argument, must be the number of minutes IPs are blocked after a " "failed login and can be followed by number of allowed failed login attempts" msgstr "" +"Niepoprawny argument, musi być liczbą minut przez które adresy IP są " +"blokowane po nieudanej próbie logowania, następnym argumentem może też być " +"liczba dozwolonych nieudanych prób logowania" #: fail2ban.cpp:77 fail2ban.cpp:100 fail2ban.cpp:123 fail2ban.cpp:146 #: fail2ban.cpp:172 @@ -63,7 +66,7 @@ msgstr "Użycie: Timeout [minuty]" #: fail2ban.cpp:91 fail2ban.cpp:94 msgid "Timeout: {1} min" -msgstr "" +msgstr "Czas wygaśnięcia: {1} min" #: fail2ban.cpp:109 msgid "Usage: Attempts [count]" @@ -118,4 +121,4 @@ msgstr "" #: fail2ban.cpp:250 msgid "Block IPs for some time after a failed login." -msgstr "Zablokuj IP na jakiś czas po nieudanym logowaniu." +msgstr "Blokuje IP na jakiś czas po nieudanym logowaniu." From 5d183237611d385270fa3bbb316a95b24a7c37c8 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Sun, 5 Jul 2020 00:28:36 +0000 Subject: [PATCH 457/798] Update translations from Crowdin for pl_PL --- modules/po/fail2ban.pl_PL.po | 7 +++++-- 1 file changed, 5 insertions(+), 2 deletions(-) diff --git a/modules/po/fail2ban.pl_PL.po b/modules/po/fail2ban.pl_PL.po index 129b8d9b..79372936 100644 --- a/modules/po/fail2ban.pl_PL.po +++ b/modules/po/fail2ban.pl_PL.po @@ -51,6 +51,9 @@ msgid "" "Invalid argument, must be the number of minutes IPs are blocked after a " "failed login and can be followed by number of allowed failed login attempts" msgstr "" +"Niepoprawny argument, musi być liczbą minut przez które adresy IP są " +"blokowane po nieudanej próbie logowania, następnym argumentem może też być " +"liczba dozwolonych nieudanych prób logowania" #: fail2ban.cpp:77 fail2ban.cpp:100 fail2ban.cpp:123 fail2ban.cpp:146 #: fail2ban.cpp:172 @@ -63,7 +66,7 @@ msgstr "Użycie: Timeout [minuty]" #: fail2ban.cpp:91 fail2ban.cpp:94 msgid "Timeout: {1} min" -msgstr "" +msgstr "Czas wygaśnięcia: {1} min" #: fail2ban.cpp:109 msgid "Usage: Attempts [count]" @@ -118,4 +121,4 @@ msgstr "" #: fail2ban.cpp:250 msgid "Block IPs for some time after a failed login." -msgstr "Zablokuj IP na jakiś czas po nieudanym logowaniu." +msgstr "Blokuje IP na jakiś czas po nieudanym logowaniu." From ee814d347fc056f2ee87f64392b5d7180e6c8b71 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Tue, 7 Jul 2020 00:28:09 +0000 Subject: [PATCH 458/798] Update translations from Crowdin for pl_PL --- modules/po/controlpanel.pl_PL.po | 14 ++--- modules/po/ctcpflood.pl_PL.po | 2 +- modules/po/webadmin.pl_PL.po | 20 ++++---- src/po/znc.pl_PL.po | 88 ++++++++++++++++---------------- 4 files changed, 62 insertions(+), 62 deletions(-) diff --git a/modules/po/controlpanel.pl_PL.po b/modules/po/controlpanel.pl_PL.po index 911d9e11..ae92a942 100644 --- a/modules/po/controlpanel.pl_PL.po +++ b/modules/po/controlpanel.pl_PL.po @@ -30,7 +30,7 @@ msgstr "Łańcuch znaków" #: controlpanel.cpp:79 msgid "Boolean (true/false)" -msgstr "Typ logiczny (true/fałse)" +msgstr "Typ logiczny (true/false)" #: controlpanel.cpp:80 msgid "Integer" @@ -677,7 +677,7 @@ msgstr "Usuwa moduł użytkownika" #: controlpanel.cpp:1621 msgid "Get the list of modules for a user" -msgstr "Uzyskaj listę modułów dla użytkownika" +msgstr "Uzyskuje listę modułów dla użytkownika" #: controlpanel.cpp:1624 msgid " [args]" @@ -697,7 +697,7 @@ msgstr "Usuwa moduł z sieci" #: controlpanel.cpp:1632 msgid "Get the list of modules for a network" -msgstr "Uzyskaj listę modułów dla użytkownika" +msgstr "Uzyskuje listę modułów dla użytkownika" #: controlpanel.cpp:1635 msgid "List the configured CTCP replies" @@ -709,7 +709,7 @@ msgstr " [odpowiedź]" #: controlpanel.cpp:1638 msgid "Configure a new CTCP reply" -msgstr "Skonfiguruj nową odpowiedź CTCP" +msgstr "Konfiguruje nową odpowiedź CTCP" #: controlpanel.cpp:1640 msgid " " @@ -717,7 +717,7 @@ msgstr " " #: controlpanel.cpp:1641 msgid "Remove a CTCP reply" -msgstr "Usuń odpowiedź CTCP" +msgstr "Usuwa odpowiedź CTCP" #: controlpanel.cpp:1645 controlpanel.cpp:1648 msgid "[username] " @@ -725,11 +725,11 @@ msgstr "[nazwa_użytkownika] " #: controlpanel.cpp:1646 msgid "Add a network for a user" -msgstr "Dodaj sieć użytkownikowi" +msgstr "Dodaje sieć użytkownikowi" #: controlpanel.cpp:1649 msgid "Delete a network for a user" -msgstr "Usuń sieć użytkownikowi" +msgstr "Usuwa sieć użytkownikowi" #: controlpanel.cpp:1651 msgid "[username]" diff --git a/modules/po/ctcpflood.pl_PL.po b/modules/po/ctcpflood.pl_PL.po index f01cb5f9..31c670fe 100644 --- a/modules/po/ctcpflood.pl_PL.po +++ b/modules/po/ctcpflood.pl_PL.po @@ -76,4 +76,4 @@ msgstr "" #: ctcpflood.cpp:151 msgid "Don't forward CTCP floods to clients" -msgstr "Nie przekierowuj zalewania zapytaniami CTCP do klientów" +msgstr "Nie przekierowywuje zalewania zapytaniami CTCP do klientów" diff --git a/modules/po/webadmin.pl_PL.po b/modules/po/webadmin.pl_PL.po index a13d8de0..ddf3b60d 100644 --- a/modules/po/webadmin.pl_PL.po +++ b/modules/po/webadmin.pl_PL.po @@ -546,7 +546,7 @@ msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:178 #: modules/po/../data/webadmin/tmpl/settings.tmpl:179 msgid "Loaded by networks" -msgstr "Załadowane przez sieci" +msgstr "Załadowany przez sieci" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:237 msgid "" @@ -565,8 +565,8 @@ msgid "" "before dropping off the oldest line. The buffers are stored in the memory by " "default." msgstr "" -"Jest to ilość linii, których bufor odtwarzania będzie przechowywać dla " -"kanałów przed porzuceniem najstarszej linii. Bufory te są domyślnie " +"To jest ilość linii, których bufor odtwarzania będzie przechowywał dla " +"kanałów przed porzuceniem najstarszej linii. Domyślnie bufory są " "przechowywane w pamięci operacyjnej." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:251 @@ -587,8 +587,8 @@ msgid "" "before dropping off the oldest line. The buffers are stored in the memory by " "default." msgstr "" -"Jest to ilość linii, których bufor odtwarzania będzie przechowywać dla " -"rozmów przed porzuceniem najstarszej linii. Bufory te są domyślnie " +"To jest ilość linii, których bufor odtwarzania będzie przechowywał dla " +"rozmów przed porzuceniem najstarszej linii. Domyślnie bufory są " "przechowywane w pamięci operacyjnej." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:285 @@ -956,7 +956,7 @@ msgstr "Moduły globalne" #: modules/po/../data/webadmin/tmpl/settings.tmpl:180 msgid "Loaded by users" -msgstr "Załadowane przez użytkowników" +msgstr "Załadowany przez użytkowników" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:7 msgid "Information" @@ -1118,11 +1118,11 @@ msgstr "Automatycznie czyść bufor kanału po odtworzeniu" #: webadmin.cpp:766 msgid "Detached" -msgstr "Odpięto" +msgstr "Odpięty" #: webadmin.cpp:773 msgid "Enabled" -msgstr "Włączone" +msgstr "Włączony" #: webadmin.cpp:797 msgid "Channel name is a required argument" @@ -1210,11 +1210,11 @@ msgstr "Wielu klientów może się zalogować na tego użytkownika" #: webadmin.cpp:1529 msgid "Append Timestamps" -msgstr "Dopisz znacznik czasu" +msgstr "Dopisz przed znacznik czasu" #: webadmin.cpp:1536 msgid "Prepend Timestamps" -msgstr "" +msgstr "Dopisz po znacznik czasu" #: webadmin.cpp:1544 msgid "Deny LoadMod" diff --git a/src/po/znc.pl_PL.po b/src/po/znc.pl_PL.po index 9544ca1d..4292d465 100644 --- a/src/po/znc.pl_PL.po +++ b/src/po/znc.pl_PL.po @@ -246,7 +246,7 @@ msgstr "Twoje CTCP do {1} zostało zgubione, nie jesteś połączony z IRC!" #: Client.cpp:1147 msgid "Your notice to {1} got lost, you are not connected to IRC!" -msgstr "" +msgstr "Twoje powiadomienie do {1} zostało zgubione, nie połączono z IRC!" #: Client.cpp:1186 msgid "Removing channel {1}" @@ -514,7 +514,7 @@ msgstr "Status" #: ClientCommand.cpp:486 ClientCommand.cpp:510 msgctxt "listchans" msgid "In config" -msgstr "W p. ustawień?" +msgstr "W pliku konfiguracyjnym?" #: ClientCommand.cpp:487 ClientCommand.cpp:512 msgctxt "listchans" @@ -524,7 +524,7 @@ msgstr "Bufor" #: ClientCommand.cpp:488 ClientCommand.cpp:516 msgctxt "listchans" msgid "Clear" -msgstr "Wyczyść" +msgstr "Czyszczenie bufora?" #: ClientCommand.cpp:489 ClientCommand.cpp:521 msgctxt "listchans" @@ -1311,7 +1311,7 @@ msgstr "" #: ClientCommand.cpp:1716 msgctxt "helpcmd|AddNetwork|desc" msgid "Add a network to your user" -msgstr "Dodaj sieć użytkownikowi" +msgstr "Dodaje sieć użytkownikowi" #: ClientCommand.cpp:1718 msgctxt "helpcmd|DelNetwork|args" @@ -1321,7 +1321,7 @@ msgstr "" #: ClientCommand.cpp:1719 msgctxt "helpcmd|DelNetwork|desc" msgid "Delete a network from your user" -msgstr "Usuń sieć użytkownikowi" +msgstr "Usuwa sieć użytkownikowi" #: ClientCommand.cpp:1721 msgctxt "helpcmd|ListNetworks|desc" @@ -1336,7 +1336,7 @@ msgstr " [nowa sieć]" #: ClientCommand.cpp:1726 msgctxt "helpcmd|MoveNetwork|desc" msgid "Move an IRC network from one user to another" -msgstr "Przenieś sieć IRC od jednego użytkownika do innego użytkownika" +msgstr "Przenosi sieć IRC od jednego użytkownika do innego użytkownika" #: ClientCommand.cpp:1730 msgctxt "helpcmd|JumpNetwork|args" @@ -1349,7 +1349,7 @@ msgid "" "Jump to another network (Alternatively, you can connect to ZNC several " "times, using `user/network` as username)" msgstr "" -"Przeskocz do innej sieci (Alternatywnie możesz połączyć się z ZNC kilka " +"Przeskakuje do innej sieci (Alternatywnie możesz połączyć się z ZNC kilka " "razy, używając `user/network` jako nazwy użytkownika)" #: ClientCommand.cpp:1736 @@ -1403,7 +1403,7 @@ msgstr "" msgctxt "helpcmd|ListTrustedServerFingerprints|desc" msgid "List all trusted server SSL certificates of current IRC network." msgstr "" -"Lista wszystkie certyfikaty SSL zaufanego serwera dla bieżącej sieci IRC." +"Lista wszystkich certyfikatów SSL zaufanego serwera dla bieżącej sieci IRC." #: ClientCommand.cpp:1762 msgctxt "helpcmd|EnableChan|args" @@ -1413,7 +1413,7 @@ msgstr "<#kanały>" #: ClientCommand.cpp:1763 msgctxt "helpcmd|EnableChan|desc" msgid "Enable channels" -msgstr "Włącz kanały" +msgstr "Włącza kanał(y)" #: ClientCommand.cpp:1764 msgctxt "helpcmd|DisableChan|args" @@ -1423,7 +1423,7 @@ msgstr "<#kanały>" #: ClientCommand.cpp:1765 msgctxt "helpcmd|DisableChan|desc" msgid "Disable channels" -msgstr "Wyłącz kanały" +msgstr "Wyłącza kanał(y)" #: ClientCommand.cpp:1766 msgctxt "helpcmd|Attach|args" @@ -1433,7 +1433,7 @@ msgstr "<#kanały>" #: ClientCommand.cpp:1767 msgctxt "helpcmd|Attach|desc" msgid "Attach to channels" -msgstr "Dopnij do kanałów" +msgstr "Dopina do kanałów" #: ClientCommand.cpp:1768 msgctxt "helpcmd|Detach|args" @@ -1443,7 +1443,7 @@ msgstr "<#kanały>" #: ClientCommand.cpp:1769 msgctxt "helpcmd|Detach|desc" msgid "Detach from channels" -msgstr "Odepnij od kanałów" +msgstr "Odpina od kanałów" #: ClientCommand.cpp:1772 msgctxt "helpcmd|Topics|desc" @@ -1458,7 +1458,7 @@ msgstr "<#kanał|rozmowa>" #: ClientCommand.cpp:1776 msgctxt "helpcmd|PlayBuffer|desc" msgid "Play back the specified buffer" -msgstr "Odtwórz określony bufor" +msgstr "Odtwarza określony bufor" #: ClientCommand.cpp:1778 msgctxt "helpcmd|ClearBuffer|args" @@ -1468,22 +1468,22 @@ msgstr "<#kanał|rozmowa>" #: ClientCommand.cpp:1779 msgctxt "helpcmd|ClearBuffer|desc" msgid "Clear the specified buffer" -msgstr "Wyczyść określony bufor" +msgstr "Czyści określony bufor" #: ClientCommand.cpp:1781 msgctxt "helpcmd|ClearAllBuffers|desc" msgid "Clear all channel and query buffers" -msgstr "Wyczyść wszystkie bufory kanałów i rozmów" +msgstr "Czyści wszystkie bufory kanałów i rozmów" #: ClientCommand.cpp:1784 msgctxt "helpcmd|ClearAllChannelBuffers|desc" msgid "Clear the channel buffers" -msgstr "Wyczyść bufory kanału" +msgstr "Czyści bufory kanału" #: ClientCommand.cpp:1788 msgctxt "helpcmd|ClearAllQueryBuffers|desc" msgid "Clear the query buffers" -msgstr "Wyczyść bufory rozmów" +msgstr "Czyści bufory rozmów" #: ClientCommand.cpp:1790 msgctxt "helpcmd|SetBuffer|args" @@ -1493,7 +1493,7 @@ msgstr "<#kanał|rozmowa> [liczba_linii]" #: ClientCommand.cpp:1791 msgctxt "helpcmd|SetBuffer|desc" msgid "Set the buffer count" -msgstr "Ustaw rozmiar bufora" +msgstr "Ustawia rozmiar bufora" #: ClientCommand.cpp:1795 msgctxt "helpcmd|SetBindHost|args" @@ -1503,7 +1503,7 @@ msgstr "" #: ClientCommand.cpp:1796 msgctxt "helpcmd|SetBindHost|desc" msgid "Set the bind host for this network" -msgstr "Ustaw host przypięcia dla tej sieci" +msgstr "Ustawia host przypięcia dla tej sieci" #: ClientCommand.cpp:1800 msgctxt "helpcmd|SetUserBindHost|args" @@ -1513,22 +1513,22 @@ msgstr "" #: ClientCommand.cpp:1801 msgctxt "helpcmd|SetUserBindHost|desc" msgid "Set the default bind host for this user" -msgstr "Ustaw domyślny host przypięcia dla tego użytkownika" +msgstr "Ustawia domyślny host przypięcia dla tego użytkownika" #: ClientCommand.cpp:1804 msgctxt "helpcmd|ClearBindHost|desc" msgid "Clear the bind host for this network" -msgstr "Wyczyść host przypięcia dla tej sieci" +msgstr "Czyści host przypięcia dla tej sieci" #: ClientCommand.cpp:1807 msgctxt "helpcmd|ClearUserBindHost|desc" msgid "Clear the default bind host for this user" -msgstr "Wyczyść domyślny host przypięcia dla tego użytkownika" +msgstr "Czyści domyślny host przypięcia dla tego użytkownika" #: ClientCommand.cpp:1813 msgctxt "helpcmd|ShowBindHost|desc" msgid "Show currently selected bind host" -msgstr "Pokaż bieżąco wybrany host przypięcia" +msgstr "Pokazuje bieżąco wybrany host przypięcia" #: ClientCommand.cpp:1815 msgctxt "helpcmd|Jump|args" @@ -1538,7 +1538,7 @@ msgstr "[serwer]" #: ClientCommand.cpp:1816 msgctxt "helpcmd|Jump|desc" msgid "Jump to the next or the specified server" -msgstr "Przeskocz do następnego lub określonego serwera" +msgstr "Przeskakuje do następnego lub określonego serwera" #: ClientCommand.cpp:1817 msgctxt "helpcmd|Disconnect|args" @@ -1548,17 +1548,17 @@ msgstr "[wiadomość]" #: ClientCommand.cpp:1818 msgctxt "helpcmd|Disconnect|desc" msgid "Disconnect from IRC" -msgstr "Rozłączenie z IRC" +msgstr "Rozłącza z IRC" #: ClientCommand.cpp:1820 msgctxt "helpcmd|Connect|desc" msgid "Reconnect to IRC" -msgstr "Ponowne połączenie z IRC" +msgstr "Ponownie połącza z IRC" #: ClientCommand.cpp:1823 msgctxt "helpcmd|Uptime|desc" msgid "Show for how long ZNC has been running" -msgstr "Pokaż, jak długo działa ZNC" +msgstr "Pokazuje, jak długo działa ZNC" #: ClientCommand.cpp:1827 msgctxt "helpcmd|LoadMod|args" @@ -1568,7 +1568,7 @@ msgstr "[--type=global|user|network] [argumenty]" #: ClientCommand.cpp:1829 msgctxt "helpcmd|LoadMod|desc" msgid "Load a module" -msgstr "Załaduj moduł" +msgstr "Ładuje moduł" #: ClientCommand.cpp:1831 msgctxt "helpcmd|UnloadMod|args" @@ -1578,7 +1578,7 @@ msgstr "[--type=global|user|network] " #: ClientCommand.cpp:1833 msgctxt "helpcmd|UnloadMod|desc" msgid "Unload a module" -msgstr "Wyładuj moduł" +msgstr "Wyładowuje moduł" #: ClientCommand.cpp:1835 msgctxt "helpcmd|ReloadMod|args" @@ -1588,7 +1588,7 @@ msgstr "[--type=global|user|network] [argumenty]" #: ClientCommand.cpp:1837 msgctxt "helpcmd|ReloadMod|desc" msgid "Reload a module" -msgstr "Przeładuj moduł" +msgstr "Przeładowuje moduł" #: ClientCommand.cpp:1840 msgctxt "helpcmd|UpdateMod|args" @@ -1598,12 +1598,12 @@ msgstr "" #: ClientCommand.cpp:1841 msgctxt "helpcmd|UpdateMod|desc" msgid "Reload a module everywhere" -msgstr "Przeładuj moduł wszędzie" +msgstr "Przeładowuje moduł wszędzie" #: ClientCommand.cpp:1847 msgctxt "helpcmd|ShowMOTD|desc" msgid "Show ZNC's message of the day" -msgstr "Pokaż wiadomość dnia ZNC" +msgstr "Pokazuje wiadomość dnia ZNC" #: ClientCommand.cpp:1851 msgctxt "helpcmd|SetMOTD|args" @@ -1613,7 +1613,7 @@ msgstr "" #: ClientCommand.cpp:1852 msgctxt "helpcmd|SetMOTD|desc" msgid "Set ZNC's message of the day" -msgstr "Ustaw wiadomość dnia ZNC" +msgstr "Ustawia wiadomość dnia ZNC" #: ClientCommand.cpp:1854 msgctxt "helpcmd|AddMOTD|args" @@ -1623,17 +1623,17 @@ msgstr "" #: ClientCommand.cpp:1855 msgctxt "helpcmd|AddMOTD|desc" msgid "Append to ZNC's MOTD" -msgstr "Dopisz do wiadomości dnia ZNC" +msgstr "Dopisuje do wiadomości dnia ZNC" #: ClientCommand.cpp:1857 msgctxt "helpcmd|ClearMOTD|desc" msgid "Clear ZNC's MOTD" -msgstr "Wyczyść wiadomość dnia ZNC" +msgstr "Czyści wiadomość dnia ZNC" #: ClientCommand.cpp:1860 msgctxt "helpcmd|ListPorts|desc" msgid "Show all active listeners" -msgstr "Pokaż wszystkich aktywnych nasłuchiwaczy" +msgstr "Pokazuje wszystkich aktywnych nasłuchiwaczy" #: ClientCommand.cpp:1862 msgctxt "helpcmd|AddPort|args" @@ -1643,7 +1643,7 @@ msgstr "<[+]port> [bindhost [przedrostek_uri]]" #: ClientCommand.cpp:1865 msgctxt "helpcmd|AddPort|desc" msgid "Add another port for ZNC to listen on" -msgstr "Dodaj kolejny port nasłuchujący do ZNC" +msgstr "Dodaje kolejny port nasłuchujący do ZNC" #: ClientCommand.cpp:1869 msgctxt "helpcmd|DelPort|args" @@ -1653,17 +1653,17 @@ msgstr " [host_przypięcia]" #: ClientCommand.cpp:1870 msgctxt "helpcmd|DelPort|desc" msgid "Remove a port from ZNC" -msgstr "Usuń port z ZNC" +msgstr "Usuwa port z ZNC" #: ClientCommand.cpp:1873 msgctxt "helpcmd|Rehash|desc" msgid "Reload global settings, modules, and listeners from znc.conf" -msgstr "Przeładuj ustawienia globalne, moduły i nasłuchiwaczy z znc.conf" +msgstr "Przeładowuje ustawienia globalne, moduły i nasłuchiwaczy z znc.conf" #: ClientCommand.cpp:1876 msgctxt "helpcmd|SaveConfig|desc" msgid "Save the current settings to disk" -msgstr "Zapisz bieżące ustawienia na dysk" +msgstr "Zapisuje bieżące ustawienia na dysk" #: ClientCommand.cpp:1879 msgctxt "helpcmd|ListUsers|desc" @@ -1693,7 +1693,7 @@ msgstr "Lista wszystkich połączonych klientów" #: ClientCommand.cpp:1891 msgctxt "helpcmd|Traffic|desc" msgid "Show basic traffic stats for all ZNC users" -msgstr "Pokaż podstawowe statystyki ruchu dla wszystkich użytkowników ZNC" +msgstr "Pokazuje podstawowe statystyki ruchu dla wszystkich użytkowników ZNC" #: ClientCommand.cpp:1893 msgctxt "helpcmd|Broadcast|args" @@ -1703,7 +1703,7 @@ msgstr "[wiadomość]" #: ClientCommand.cpp:1894 msgctxt "helpcmd|Broadcast|desc" msgid "Broadcast a message to all ZNC users" -msgstr "Rozgłoś wiadomość do wszystkich użytkowników ZNC" +msgstr "Rozgłasza wiadomość do wszystkich użytkowników ZNC" #: ClientCommand.cpp:1897 msgctxt "helpcmd|Shutdown|args" @@ -1713,7 +1713,7 @@ msgstr "[wiadomość]" #: ClientCommand.cpp:1898 msgctxt "helpcmd|Shutdown|desc" msgid "Shut down ZNC completely" -msgstr "Zamknij całkowicie ZNC" +msgstr "Zamyka całkowicie ZNC" #: ClientCommand.cpp:1899 msgctxt "helpcmd|Restart|args" @@ -1723,7 +1723,7 @@ msgstr "[wiadomość]" #: ClientCommand.cpp:1900 msgctxt "helpcmd|Restart|desc" msgid "Restart ZNC" -msgstr "Uruchom ponownie ZNC" +msgstr "Uruchamia ponownie ZNC" #: Socket.cpp:342 msgid "Can't resolve server hostname" From b3a681bc12e5e5addf8c277329d091f81f5192e0 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Tue, 7 Jul 2020 00:28:10 +0000 Subject: [PATCH 459/798] Update translations from Crowdin for pl_PL --- modules/po/controlpanel.pl_PL.po | 14 ++--- modules/po/ctcpflood.pl_PL.po | 2 +- modules/po/webadmin.pl_PL.po | 20 ++++---- src/po/znc.pl_PL.po | 88 ++++++++++++++++---------------- 4 files changed, 62 insertions(+), 62 deletions(-) diff --git a/modules/po/controlpanel.pl_PL.po b/modules/po/controlpanel.pl_PL.po index 2d5830af..25d266b1 100644 --- a/modules/po/controlpanel.pl_PL.po +++ b/modules/po/controlpanel.pl_PL.po @@ -30,7 +30,7 @@ msgstr "Łańcuch znaków" #: controlpanel.cpp:79 msgid "Boolean (true/false)" -msgstr "Typ logiczny (true/fałse)" +msgstr "Typ logiczny (true/false)" #: controlpanel.cpp:80 msgid "Integer" @@ -677,7 +677,7 @@ msgstr "Usuwa moduł użytkownika" #: controlpanel.cpp:1621 msgid "Get the list of modules for a user" -msgstr "Uzyskaj listę modułów dla użytkownika" +msgstr "Uzyskuje listę modułów dla użytkownika" #: controlpanel.cpp:1624 msgid " [args]" @@ -697,7 +697,7 @@ msgstr "Usuwa moduł z sieci" #: controlpanel.cpp:1632 msgid "Get the list of modules for a network" -msgstr "Uzyskaj listę modułów dla użytkownika" +msgstr "Uzyskuje listę modułów dla użytkownika" #: controlpanel.cpp:1635 msgid "List the configured CTCP replies" @@ -709,7 +709,7 @@ msgstr " [odpowiedź]" #: controlpanel.cpp:1638 msgid "Configure a new CTCP reply" -msgstr "Skonfiguruj nową odpowiedź CTCP" +msgstr "Konfiguruje nową odpowiedź CTCP" #: controlpanel.cpp:1640 msgid " " @@ -717,7 +717,7 @@ msgstr " " #: controlpanel.cpp:1641 msgid "Remove a CTCP reply" -msgstr "Usuń odpowiedź CTCP" +msgstr "Usuwa odpowiedź CTCP" #: controlpanel.cpp:1645 controlpanel.cpp:1648 msgid "[username] " @@ -725,11 +725,11 @@ msgstr "[nazwa_użytkownika] " #: controlpanel.cpp:1646 msgid "Add a network for a user" -msgstr "Dodaj sieć użytkownikowi" +msgstr "Dodaje sieć użytkownikowi" #: controlpanel.cpp:1649 msgid "Delete a network for a user" -msgstr "Usuń sieć użytkownikowi" +msgstr "Usuwa sieć użytkownikowi" #: controlpanel.cpp:1651 msgid "[username]" diff --git a/modules/po/ctcpflood.pl_PL.po b/modules/po/ctcpflood.pl_PL.po index 7073d716..a5ed9b86 100644 --- a/modules/po/ctcpflood.pl_PL.po +++ b/modules/po/ctcpflood.pl_PL.po @@ -76,4 +76,4 @@ msgstr "" #: ctcpflood.cpp:151 msgid "Don't forward CTCP floods to clients" -msgstr "Nie przekierowuj zalewania zapytaniami CTCP do klientów" +msgstr "Nie przekierowywuje zalewania zapytaniami CTCP do klientów" diff --git a/modules/po/webadmin.pl_PL.po b/modules/po/webadmin.pl_PL.po index 2b59b7e5..c6ebad9d 100644 --- a/modules/po/webadmin.pl_PL.po +++ b/modules/po/webadmin.pl_PL.po @@ -546,7 +546,7 @@ msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:178 #: modules/po/../data/webadmin/tmpl/settings.tmpl:179 msgid "Loaded by networks" -msgstr "Załadowane przez sieci" +msgstr "Załadowany przez sieci" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:237 msgid "" @@ -565,8 +565,8 @@ msgid "" "before dropping off the oldest line. The buffers are stored in the memory by " "default." msgstr "" -"Jest to ilość linii, których bufor odtwarzania będzie przechowywać dla " -"kanałów przed porzuceniem najstarszej linii. Bufory te są domyślnie " +"To jest ilość linii, których bufor odtwarzania będzie przechowywał dla " +"kanałów przed porzuceniem najstarszej linii. Domyślnie bufory są " "przechowywane w pamięci operacyjnej." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:251 @@ -587,8 +587,8 @@ msgid "" "before dropping off the oldest line. The buffers are stored in the memory by " "default." msgstr "" -"Jest to ilość linii, których bufor odtwarzania będzie przechowywać dla " -"rozmów przed porzuceniem najstarszej linii. Bufory te są domyślnie " +"To jest ilość linii, których bufor odtwarzania będzie przechowywał dla " +"rozmów przed porzuceniem najstarszej linii. Domyślnie bufory są " "przechowywane w pamięci operacyjnej." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:285 @@ -956,7 +956,7 @@ msgstr "Moduły globalne" #: modules/po/../data/webadmin/tmpl/settings.tmpl:180 msgid "Loaded by users" -msgstr "Załadowane przez użytkowników" +msgstr "Załadowany przez użytkowników" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:7 msgid "Information" @@ -1118,11 +1118,11 @@ msgstr "Automatycznie czyść bufor kanału po odtworzeniu" #: webadmin.cpp:766 msgid "Detached" -msgstr "Odpięto" +msgstr "Odpięty" #: webadmin.cpp:773 msgid "Enabled" -msgstr "Włączone" +msgstr "Włączony" #: webadmin.cpp:797 msgid "Channel name is a required argument" @@ -1210,11 +1210,11 @@ msgstr "Wielu klientów może się zalogować na tego użytkownika" #: webadmin.cpp:1529 msgid "Append Timestamps" -msgstr "Dopisz znacznik czasu" +msgstr "Dopisz przed znacznik czasu" #: webadmin.cpp:1536 msgid "Prepend Timestamps" -msgstr "" +msgstr "Dopisz po znacznik czasu" #: webadmin.cpp:1544 msgid "Deny LoadMod" diff --git a/src/po/znc.pl_PL.po b/src/po/znc.pl_PL.po index 83b20890..e5d4bca2 100644 --- a/src/po/znc.pl_PL.po +++ b/src/po/znc.pl_PL.po @@ -246,7 +246,7 @@ msgstr "Twoje CTCP do {1} zostało zgubione, nie jesteś połączony z IRC!" #: Client.cpp:1147 msgid "Your notice to {1} got lost, you are not connected to IRC!" -msgstr "" +msgstr "Twoje powiadomienie do {1} zostało zgubione, nie połączono z IRC!" #: Client.cpp:1186 msgid "Removing channel {1}" @@ -514,7 +514,7 @@ msgstr "Status" #: ClientCommand.cpp:486 ClientCommand.cpp:510 msgctxt "listchans" msgid "In config" -msgstr "W p. ustawień?" +msgstr "W pliku konfiguracyjnym?" #: ClientCommand.cpp:487 ClientCommand.cpp:512 msgctxt "listchans" @@ -524,7 +524,7 @@ msgstr "Bufor" #: ClientCommand.cpp:488 ClientCommand.cpp:516 msgctxt "listchans" msgid "Clear" -msgstr "Wyczyść" +msgstr "Czyszczenie bufora?" #: ClientCommand.cpp:489 ClientCommand.cpp:521 msgctxt "listchans" @@ -1311,7 +1311,7 @@ msgstr "" #: ClientCommand.cpp:1716 msgctxt "helpcmd|AddNetwork|desc" msgid "Add a network to your user" -msgstr "Dodaj sieć użytkownikowi" +msgstr "Dodaje sieć użytkownikowi" #: ClientCommand.cpp:1718 msgctxt "helpcmd|DelNetwork|args" @@ -1321,7 +1321,7 @@ msgstr "" #: ClientCommand.cpp:1719 msgctxt "helpcmd|DelNetwork|desc" msgid "Delete a network from your user" -msgstr "Usuń sieć użytkownikowi" +msgstr "Usuwa sieć użytkownikowi" #: ClientCommand.cpp:1721 msgctxt "helpcmd|ListNetworks|desc" @@ -1336,7 +1336,7 @@ msgstr " [nowa sieć]" #: ClientCommand.cpp:1726 msgctxt "helpcmd|MoveNetwork|desc" msgid "Move an IRC network from one user to another" -msgstr "Przenieś sieć IRC od jednego użytkownika do innego użytkownika" +msgstr "Przenosi sieć IRC od jednego użytkownika do innego użytkownika" #: ClientCommand.cpp:1730 msgctxt "helpcmd|JumpNetwork|args" @@ -1349,7 +1349,7 @@ msgid "" "Jump to another network (Alternatively, you can connect to ZNC several " "times, using `user/network` as username)" msgstr "" -"Przeskocz do innej sieci (Alternatywnie możesz połączyć się z ZNC kilka " +"Przeskakuje do innej sieci (Alternatywnie możesz połączyć się z ZNC kilka " "razy, używając `user/network` jako nazwy użytkownika)" #: ClientCommand.cpp:1736 @@ -1403,7 +1403,7 @@ msgstr "" msgctxt "helpcmd|ListTrustedServerFingerprints|desc" msgid "List all trusted server SSL certificates of current IRC network." msgstr "" -"Lista wszystkie certyfikaty SSL zaufanego serwera dla bieżącej sieci IRC." +"Lista wszystkich certyfikatów SSL zaufanego serwera dla bieżącej sieci IRC." #: ClientCommand.cpp:1762 msgctxt "helpcmd|EnableChan|args" @@ -1413,7 +1413,7 @@ msgstr "<#kanały>" #: ClientCommand.cpp:1763 msgctxt "helpcmd|EnableChan|desc" msgid "Enable channels" -msgstr "Włącz kanały" +msgstr "Włącza kanał(y)" #: ClientCommand.cpp:1764 msgctxt "helpcmd|DisableChan|args" @@ -1423,7 +1423,7 @@ msgstr "<#kanały>" #: ClientCommand.cpp:1765 msgctxt "helpcmd|DisableChan|desc" msgid "Disable channels" -msgstr "Wyłącz kanały" +msgstr "Wyłącza kanał(y)" #: ClientCommand.cpp:1766 msgctxt "helpcmd|Attach|args" @@ -1433,7 +1433,7 @@ msgstr "<#kanały>" #: ClientCommand.cpp:1767 msgctxt "helpcmd|Attach|desc" msgid "Attach to channels" -msgstr "Dopnij do kanałów" +msgstr "Dopina do kanałów" #: ClientCommand.cpp:1768 msgctxt "helpcmd|Detach|args" @@ -1443,7 +1443,7 @@ msgstr "<#kanały>" #: ClientCommand.cpp:1769 msgctxt "helpcmd|Detach|desc" msgid "Detach from channels" -msgstr "Odepnij od kanałów" +msgstr "Odpina od kanałów" #: ClientCommand.cpp:1772 msgctxt "helpcmd|Topics|desc" @@ -1458,7 +1458,7 @@ msgstr "<#kanał|rozmowa>" #: ClientCommand.cpp:1776 msgctxt "helpcmd|PlayBuffer|desc" msgid "Play back the specified buffer" -msgstr "Odtwórz określony bufor" +msgstr "Odtwarza określony bufor" #: ClientCommand.cpp:1778 msgctxt "helpcmd|ClearBuffer|args" @@ -1468,22 +1468,22 @@ msgstr "<#kanał|rozmowa>" #: ClientCommand.cpp:1779 msgctxt "helpcmd|ClearBuffer|desc" msgid "Clear the specified buffer" -msgstr "Wyczyść określony bufor" +msgstr "Czyści określony bufor" #: ClientCommand.cpp:1781 msgctxt "helpcmd|ClearAllBuffers|desc" msgid "Clear all channel and query buffers" -msgstr "Wyczyść wszystkie bufory kanałów i rozmów" +msgstr "Czyści wszystkie bufory kanałów i rozmów" #: ClientCommand.cpp:1784 msgctxt "helpcmd|ClearAllChannelBuffers|desc" msgid "Clear the channel buffers" -msgstr "Wyczyść bufory kanału" +msgstr "Czyści bufory kanału" #: ClientCommand.cpp:1788 msgctxt "helpcmd|ClearAllQueryBuffers|desc" msgid "Clear the query buffers" -msgstr "Wyczyść bufory rozmów" +msgstr "Czyści bufory rozmów" #: ClientCommand.cpp:1790 msgctxt "helpcmd|SetBuffer|args" @@ -1493,7 +1493,7 @@ msgstr "<#kanał|rozmowa> [liczba_linii]" #: ClientCommand.cpp:1791 msgctxt "helpcmd|SetBuffer|desc" msgid "Set the buffer count" -msgstr "Ustaw rozmiar bufora" +msgstr "Ustawia rozmiar bufora" #: ClientCommand.cpp:1795 msgctxt "helpcmd|SetBindHost|args" @@ -1503,7 +1503,7 @@ msgstr "" #: ClientCommand.cpp:1796 msgctxt "helpcmd|SetBindHost|desc" msgid "Set the bind host for this network" -msgstr "Ustaw host przypięcia dla tej sieci" +msgstr "Ustawia host przypięcia dla tej sieci" #: ClientCommand.cpp:1800 msgctxt "helpcmd|SetUserBindHost|args" @@ -1513,22 +1513,22 @@ msgstr "" #: ClientCommand.cpp:1801 msgctxt "helpcmd|SetUserBindHost|desc" msgid "Set the default bind host for this user" -msgstr "Ustaw domyślny host przypięcia dla tego użytkownika" +msgstr "Ustawia domyślny host przypięcia dla tego użytkownika" #: ClientCommand.cpp:1804 msgctxt "helpcmd|ClearBindHost|desc" msgid "Clear the bind host for this network" -msgstr "Wyczyść host przypięcia dla tej sieci" +msgstr "Czyści host przypięcia dla tej sieci" #: ClientCommand.cpp:1807 msgctxt "helpcmd|ClearUserBindHost|desc" msgid "Clear the default bind host for this user" -msgstr "Wyczyść domyślny host przypięcia dla tego użytkownika" +msgstr "Czyści domyślny host przypięcia dla tego użytkownika" #: ClientCommand.cpp:1813 msgctxt "helpcmd|ShowBindHost|desc" msgid "Show currently selected bind host" -msgstr "Pokaż bieżąco wybrany host przypięcia" +msgstr "Pokazuje bieżąco wybrany host przypięcia" #: ClientCommand.cpp:1815 msgctxt "helpcmd|Jump|args" @@ -1538,7 +1538,7 @@ msgstr "[serwer]" #: ClientCommand.cpp:1816 msgctxt "helpcmd|Jump|desc" msgid "Jump to the next or the specified server" -msgstr "Przeskocz do następnego lub określonego serwera" +msgstr "Przeskakuje do następnego lub określonego serwera" #: ClientCommand.cpp:1817 msgctxt "helpcmd|Disconnect|args" @@ -1548,17 +1548,17 @@ msgstr "[wiadomość]" #: ClientCommand.cpp:1818 msgctxt "helpcmd|Disconnect|desc" msgid "Disconnect from IRC" -msgstr "Rozłączenie z IRC" +msgstr "Rozłącza z IRC" #: ClientCommand.cpp:1820 msgctxt "helpcmd|Connect|desc" msgid "Reconnect to IRC" -msgstr "Ponowne połączenie z IRC" +msgstr "Ponownie połącza z IRC" #: ClientCommand.cpp:1823 msgctxt "helpcmd|Uptime|desc" msgid "Show for how long ZNC has been running" -msgstr "Pokaż, jak długo działa ZNC" +msgstr "Pokazuje, jak długo działa ZNC" #: ClientCommand.cpp:1827 msgctxt "helpcmd|LoadMod|args" @@ -1568,7 +1568,7 @@ msgstr "[--type=global|user|network] [argumenty]" #: ClientCommand.cpp:1829 msgctxt "helpcmd|LoadMod|desc" msgid "Load a module" -msgstr "Załaduj moduł" +msgstr "Ładuje moduł" #: ClientCommand.cpp:1831 msgctxt "helpcmd|UnloadMod|args" @@ -1578,7 +1578,7 @@ msgstr "[--type=global|user|network] " #: ClientCommand.cpp:1833 msgctxt "helpcmd|UnloadMod|desc" msgid "Unload a module" -msgstr "Wyładuj moduł" +msgstr "Wyładowuje moduł" #: ClientCommand.cpp:1835 msgctxt "helpcmd|ReloadMod|args" @@ -1588,7 +1588,7 @@ msgstr "[--type=global|user|network] [argumenty]" #: ClientCommand.cpp:1837 msgctxt "helpcmd|ReloadMod|desc" msgid "Reload a module" -msgstr "Przeładuj moduł" +msgstr "Przeładowuje moduł" #: ClientCommand.cpp:1840 msgctxt "helpcmd|UpdateMod|args" @@ -1598,12 +1598,12 @@ msgstr "" #: ClientCommand.cpp:1841 msgctxt "helpcmd|UpdateMod|desc" msgid "Reload a module everywhere" -msgstr "Przeładuj moduł wszędzie" +msgstr "Przeładowuje moduł wszędzie" #: ClientCommand.cpp:1847 msgctxt "helpcmd|ShowMOTD|desc" msgid "Show ZNC's message of the day" -msgstr "Pokaż wiadomość dnia ZNC" +msgstr "Pokazuje wiadomość dnia ZNC" #: ClientCommand.cpp:1851 msgctxt "helpcmd|SetMOTD|args" @@ -1613,7 +1613,7 @@ msgstr "" #: ClientCommand.cpp:1852 msgctxt "helpcmd|SetMOTD|desc" msgid "Set ZNC's message of the day" -msgstr "Ustaw wiadomość dnia ZNC" +msgstr "Ustawia wiadomość dnia ZNC" #: ClientCommand.cpp:1854 msgctxt "helpcmd|AddMOTD|args" @@ -1623,17 +1623,17 @@ msgstr "" #: ClientCommand.cpp:1855 msgctxt "helpcmd|AddMOTD|desc" msgid "Append to ZNC's MOTD" -msgstr "Dopisz do wiadomości dnia ZNC" +msgstr "Dopisuje do wiadomości dnia ZNC" #: ClientCommand.cpp:1857 msgctxt "helpcmd|ClearMOTD|desc" msgid "Clear ZNC's MOTD" -msgstr "Wyczyść wiadomość dnia ZNC" +msgstr "Czyści wiadomość dnia ZNC" #: ClientCommand.cpp:1860 msgctxt "helpcmd|ListPorts|desc" msgid "Show all active listeners" -msgstr "Pokaż wszystkich aktywnych nasłuchiwaczy" +msgstr "Pokazuje wszystkich aktywnych nasłuchiwaczy" #: ClientCommand.cpp:1862 msgctxt "helpcmd|AddPort|args" @@ -1643,7 +1643,7 @@ msgstr "<[+]port> [bindhost [przedrostek_uri]]" #: ClientCommand.cpp:1865 msgctxt "helpcmd|AddPort|desc" msgid "Add another port for ZNC to listen on" -msgstr "Dodaj kolejny port nasłuchujący do ZNC" +msgstr "Dodaje kolejny port nasłuchujący do ZNC" #: ClientCommand.cpp:1869 msgctxt "helpcmd|DelPort|args" @@ -1653,17 +1653,17 @@ msgstr " [host_przypięcia]" #: ClientCommand.cpp:1870 msgctxt "helpcmd|DelPort|desc" msgid "Remove a port from ZNC" -msgstr "Usuń port z ZNC" +msgstr "Usuwa port z ZNC" #: ClientCommand.cpp:1873 msgctxt "helpcmd|Rehash|desc" msgid "Reload global settings, modules, and listeners from znc.conf" -msgstr "Przeładuj ustawienia globalne, moduły i nasłuchiwaczy z znc.conf" +msgstr "Przeładowuje ustawienia globalne, moduły i nasłuchiwaczy z znc.conf" #: ClientCommand.cpp:1876 msgctxt "helpcmd|SaveConfig|desc" msgid "Save the current settings to disk" -msgstr "Zapisz bieżące ustawienia na dysk" +msgstr "Zapisuje bieżące ustawienia na dysk" #: ClientCommand.cpp:1879 msgctxt "helpcmd|ListUsers|desc" @@ -1693,7 +1693,7 @@ msgstr "Lista wszystkich połączonych klientów" #: ClientCommand.cpp:1891 msgctxt "helpcmd|Traffic|desc" msgid "Show basic traffic stats for all ZNC users" -msgstr "Pokaż podstawowe statystyki ruchu dla wszystkich użytkowników ZNC" +msgstr "Pokazuje podstawowe statystyki ruchu dla wszystkich użytkowników ZNC" #: ClientCommand.cpp:1893 msgctxt "helpcmd|Broadcast|args" @@ -1703,7 +1703,7 @@ msgstr "[wiadomość]" #: ClientCommand.cpp:1894 msgctxt "helpcmd|Broadcast|desc" msgid "Broadcast a message to all ZNC users" -msgstr "Rozgłoś wiadomość do wszystkich użytkowników ZNC" +msgstr "Rozgłasza wiadomość do wszystkich użytkowników ZNC" #: ClientCommand.cpp:1897 msgctxt "helpcmd|Shutdown|args" @@ -1713,7 +1713,7 @@ msgstr "[wiadomość]" #: ClientCommand.cpp:1898 msgctxt "helpcmd|Shutdown|desc" msgid "Shut down ZNC completely" -msgstr "Zamknij całkowicie ZNC" +msgstr "Zamyka całkowicie ZNC" #: ClientCommand.cpp:1899 msgctxt "helpcmd|Restart|args" @@ -1723,7 +1723,7 @@ msgstr "[wiadomość]" #: ClientCommand.cpp:1900 msgctxt "helpcmd|Restart|desc" msgid "Restart ZNC" -msgstr "Uruchom ponownie ZNC" +msgstr "Uruchamia ponownie ZNC" #: Socket.cpp:342 msgid "Can't resolve server hostname" From 4e12f02fdb2bdabbfd379651661d115e96795501 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Wed, 8 Jul 2020 00:28:13 +0000 Subject: [PATCH 460/798] Update translations from Crowdin for pl_PL --- modules/po/autoreply.pl_PL.po | 2 +- modules/po/blockuser.pl_PL.po | 2 +- modules/po/bouncedcc.pl_PL.po | 2 +- modules/po/cert.pl_PL.po | 2 +- modules/po/certauth.pl_PL.po | 2 +- modules/po/ctcpflood.pl_PL.po | 2 +- modules/po/dcc.pl_PL.po | 42 +++++++++++++++---------------- modules/po/raw.pl_PL.po | 2 +- modules/po/savebuff.pl_PL.po | 2 ++ modules/po/stripcontrols.pl_PL.po | 2 +- modules/po/webadmin.pl_PL.po | 14 +++++------ src/po/znc.pl_PL.po | 2 ++ 12 files changed, 40 insertions(+), 36 deletions(-) diff --git a/modules/po/autoreply.pl_PL.po b/modules/po/autoreply.pl_PL.po index 9182ba1a..a5b01072 100644 --- a/modules/po/autoreply.pl_PL.po +++ b/modules/po/autoreply.pl_PL.po @@ -44,4 +44,4 @@ msgstr "" #: autoreply.cpp:98 msgid "Reply to queries when you are away" -msgstr "Odpowiadaj na przychodzące rozmowy, gdy Cię nie ma" +msgstr "Odpowiada na przychodzące rozmowy, gdy Cię nie ma" diff --git a/modules/po/blockuser.pl_PL.po b/modules/po/blockuser.pl_PL.po index 212c0230..c61176b9 100644 --- a/modules/po/blockuser.pl_PL.po +++ b/modules/po/blockuser.pl_PL.po @@ -97,4 +97,4 @@ msgstr "Wprowadź jedną lub więcej nazw użytkowników. Rozdziel je spacjami." #: blockuser.cpp:219 msgid "Block certain users from logging in." -msgstr "Zablokuj niektórym użytkownikom możliwość logowania." +msgstr "Blokuje niektórym użytkownikom możliwość logowania." diff --git a/modules/po/bouncedcc.pl_PL.po b/modules/po/bouncedcc.pl_PL.po index 86c466ee..c7cf4586 100644 --- a/modules/po/bouncedcc.pl_PL.po +++ b/modules/po/bouncedcc.pl_PL.po @@ -60,7 +60,7 @@ msgstr "Oczekujący" #: bouncedcc.cpp:127 msgid "Halfway" -msgstr "" +msgstr "Do połowy" #: bouncedcc.cpp:129 msgid "Connected" diff --git a/modules/po/cert.pl_PL.po b/modules/po/cert.pl_PL.po index b4525eb3..16819544 100644 --- a/modules/po/cert.pl_PL.po +++ b/modules/po/cert.pl_PL.po @@ -76,4 +76,4 @@ msgstr "Pokaż bieżący certyfikat" #: cert.cpp:105 msgid "Use a ssl certificate to connect to a server" -msgstr "Użyj certyfikatu SSL, aby połączyć się z serwerem" +msgstr "Używa certyfikatu SSL, aby połączyć się z serwerem" diff --git a/modules/po/certauth.pl_PL.po b/modules/po/certauth.pl_PL.po index 922291c1..5acf0f8c 100644 --- a/modules/po/certauth.pl_PL.po +++ b/modules/po/certauth.pl_PL.po @@ -110,4 +110,4 @@ msgstr "Usunięto" #: certauth.cpp:291 msgid "Allows users to authenticate via SSL client certificates." msgstr "" -"Umożliwia użytkownikom uwierzytelnianie za pomocą certyfikatów klienta SSL." +"Pozwala użytkownikom na uwierzytelnianie za pomocą certyfikatów SSL klienta." diff --git a/modules/po/ctcpflood.pl_PL.po b/modules/po/ctcpflood.pl_PL.po index a5ed9b86..e4823505 100644 --- a/modules/po/ctcpflood.pl_PL.po +++ b/modules/po/ctcpflood.pl_PL.po @@ -76,4 +76,4 @@ msgstr "" #: ctcpflood.cpp:151 msgid "Don't forward CTCP floods to clients" -msgstr "Nie przekierowywuje zalewania zapytaniami CTCP do klientów" +msgstr "Nie przekierowuje zalewania zapytaniami CTCP do klientów" diff --git a/modules/po/dcc.pl_PL.po b/modules/po/dcc.pl_PL.po index d2e40190..fbc17d56 100644 --- a/modules/po/dcc.pl_PL.po +++ b/modules/po/dcc.pl_PL.po @@ -16,35 +16,35 @@ msgstr "" #: dcc.cpp:88 msgid " " -msgstr "" +msgstr " " #: dcc.cpp:89 msgid "Send a file from ZNC to someone" -msgstr "" +msgstr "Wyślij plik z ZNC do kogoś" #: dcc.cpp:91 msgid "" -msgstr "" +msgstr "" #: dcc.cpp:92 msgid "Send a file from ZNC to your client" -msgstr "" +msgstr "Wyślij plik z ZNC do Twojego klienta" #: dcc.cpp:94 msgid "List current transfers" -msgstr "" +msgstr "Lista bieżących transferów" #: dcc.cpp:103 msgid "You must be admin to use the DCC module" -msgstr "" +msgstr "Musisz być administratorem, aby używać modułu DCC" #: dcc.cpp:140 msgid "Attempting to send [{1}] to [{2}]." -msgstr "" +msgstr "Próba wysłania [{1}] do [{2}]." #: dcc.cpp:149 dcc.cpp:554 msgid "Receiving [{1}] from [{2}]: File already exists." -msgstr "" +msgstr "Odbieranie [{1}] od [{2}]: Plik już istnieje." #: dcc.cpp:167 msgid "" @@ -53,50 +53,50 @@ msgstr "" #: dcc.cpp:179 msgid "Usage: Send " -msgstr "" +msgstr "Użycie: Send " #: dcc.cpp:186 dcc.cpp:206 msgid "Illegal path." -msgstr "" +msgstr "Niedozwolona ścieżka." #: dcc.cpp:199 msgid "Usage: Get " -msgstr "" +msgstr "Użycie: Get " #: dcc.cpp:215 dcc.cpp:232 dcc.cpp:234 msgctxt "list" msgid "Type" -msgstr "" +msgstr "Typ" #: dcc.cpp:216 dcc.cpp:238 dcc.cpp:241 msgctxt "list" msgid "State" -msgstr "" +msgstr "Stan" #: dcc.cpp:217 dcc.cpp:243 msgctxt "list" msgid "Speed" -msgstr "" +msgstr "Prędkość" #: dcc.cpp:218 dcc.cpp:227 msgctxt "list" msgid "Nick" -msgstr "" +msgstr "Pseudonim" #: dcc.cpp:219 dcc.cpp:228 msgctxt "list" msgid "IP" -msgstr "" +msgstr "IP" #: dcc.cpp:220 dcc.cpp:229 msgctxt "list" msgid "File" -msgstr "" +msgstr "Plik" #: dcc.cpp:232 msgctxt "list-type" msgid "Sending" -msgstr "" +msgstr "Wysyłanie" #: dcc.cpp:234 msgctxt "list-type" @@ -110,11 +110,11 @@ msgstr "" #: dcc.cpp:244 msgid "{1} KiB/s" -msgstr "" +msgstr "{1} KiB/s" #: dcc.cpp:250 msgid "You have no active DCC transfers." -msgstr "" +msgstr "Nie masz aktywnych transferów DCC." #: dcc.cpp:267 msgid "Attempting to resume send from position {1} of file [{2}] for [{3}]" @@ -226,4 +226,4 @@ msgstr "" #: dcc.cpp:623 msgid "This module allows you to transfer files to and from ZNC" -msgstr "" +msgstr "Ten moduł pozwala na przesyłanie plików do i z ZNC" diff --git a/modules/po/raw.pl_PL.po b/modules/po/raw.pl_PL.po index 47e4992b..17e51b44 100644 --- a/modules/po/raw.pl_PL.po +++ b/modules/po/raw.pl_PL.po @@ -16,4 +16,4 @@ msgstr "" #: raw.cpp:43 msgid "View all of the raw traffic" -msgstr "Zobacz cały surowy ruch" +msgstr "Pokazuje cały surowy ruch" diff --git a/modules/po/savebuff.pl_PL.po b/modules/po/savebuff.pl_PL.po index 912217c9..6225d348 100644 --- a/modules/po/savebuff.pl_PL.po +++ b/modules/po/savebuff.pl_PL.po @@ -58,6 +58,8 @@ msgid "" "This user module takes up to one arguments. Either --ask-pass or the " "password itself (which may contain spaces) or nothing" msgstr "" +"Ten moduł użytkownika przyjmuje do jednego argumentu. Albo --ask-pass, albo " +"samo hasło (które może zawierać spacje) lub nic" #: savebuff.cpp:363 msgid "Stores channel and query buffers to disk, encrypted" diff --git a/modules/po/stripcontrols.pl_PL.po b/modules/po/stripcontrols.pl_PL.po index 02b7a3ad..dd086cc7 100644 --- a/modules/po/stripcontrols.pl_PL.po +++ b/modules/po/stripcontrols.pl_PL.po @@ -18,5 +18,5 @@ msgstr "" msgid "" "Strips control codes (Colors, Bold, ..) from channel and private messages." msgstr "" -"Usuwaj kody kontrolne (kolory, pogrubienie, ..) z kanału i prywatnych " +"Usuwa kody kontrolne (kolory, pogrubienie, ..) z kanału i prywatnych " "wiadomości." diff --git a/modules/po/webadmin.pl_PL.po b/modules/po/webadmin.pl_PL.po index c6ebad9d..74dd5401 100644 --- a/modules/po/webadmin.pl_PL.po +++ b/modules/po/webadmin.pl_PL.po @@ -209,7 +209,7 @@ msgid "" "When disabled, manually whitelist all server fingerprints, even if the " "certificate is valid" msgstr "" -"Gdy wyłączone, ręcznie musisz dosdać wszystkie odciski palców serwera, nawet " +"Gdy wyłączone, ręcznie musisz dodać wszystkie odciski palców serwera, nawet " "jeżeli certyfikat jest poprawny" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:89 @@ -796,15 +796,15 @@ msgstr "Nie zapewniaj w ogóle żadnego kodowania (starszy tryb, niezalecane)" #: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:22 msgid "Try to parse as UTF-8 and as {1}, send as UTF-8 (recommended)" -msgstr "" +msgstr "Próbuj parsować jako UTF-8 i jako {1}, wyślij jako UTF-8 (zalecane)" #: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:26 msgid "Try to parse as UTF-8 and as {1}, send as {1}" -msgstr "" +msgstr "Próbuj parsować jako UTF-8 i jako {1}, wyślij jako {1}" #: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:30 msgid "Parse and send as {1} only" -msgstr "" +msgstr "Parsuj i wyślij tylko jako {1}" #: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:36 msgid "E.g. UTF-8, or ISO-8859-15" @@ -948,7 +948,7 @@ msgstr "Wiadomość dnia:" #: modules/po/../data/webadmin/tmpl/settings.tmpl:162 msgid "“Message of the Day”, sent to all ZNC users on connect." msgstr "" -"„Wiadomość dnia”, wysłana do wszystkich użytkowników ZNC przy połączeniu." +"„Wiadomość dnia”, wysyłana do wszystkich użytkowników ZNC na połączeniu." #: modules/po/../data/webadmin/tmpl/settings.tmpl:170 msgid "Global Modules" @@ -1210,11 +1210,11 @@ msgstr "Wielu klientów może się zalogować na tego użytkownika" #: webadmin.cpp:1529 msgid "Append Timestamps" -msgstr "Dopisz przed znacznik czasu" +msgstr "Dopisz po znacznik czasu" #: webadmin.cpp:1536 msgid "Prepend Timestamps" -msgstr "Dopisz po znacznik czasu" +msgstr "Dopisz przed znacznik czasu" #: webadmin.cpp:1544 msgid "Deny LoadMod" diff --git a/src/po/znc.pl_PL.po b/src/po/znc.pl_PL.po index e5d4bca2..93b2bd5f 100644 --- a/src/po/znc.pl_PL.po +++ b/src/po/znc.pl_PL.po @@ -1764,6 +1764,8 @@ msgid "" "Invalid network name. It should be alphanumeric. Not to be confused with " "server name" msgstr "" +"Nieprawidłowa nazwa sieci. Powinna być alfanumeryczna. Nie należy mylić jej " +"z nazwą serwera" #: User.cpp:511 msgid "Network {1} already exists" From e865f88aa8b54868081efe13ce2579e2b2e78dda Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Thu, 9 Jul 2020 00:29:14 +0000 Subject: [PATCH 461/798] Update translations from Crowdin for pl_PL --- modules/po/autoreply.pl_PL.po | 2 +- modules/po/awaystore.pl_PL.po | 2 +- modules/po/blockuser.pl_PL.po | 2 +- modules/po/bouncedcc.pl_PL.po | 2 +- modules/po/cert.pl_PL.po | 2 +- modules/po/certauth.pl_PL.po | 2 +- modules/po/ctcpflood.pl_PL.po | 2 +- modules/po/dcc.pl_PL.po | 46 +++++++++++++++---------------- modules/po/perform.pl_PL.po | 4 +-- modules/po/raw.pl_PL.po | 2 +- modules/po/route_replies.pl_PL.po | 2 +- modules/po/sample.pl_PL.po | 40 +++++++++++++-------------- modules/po/samplewebapi.pl_PL.po | 2 +- modules/po/savebuff.pl_PL.po | 2 ++ modules/po/stripcontrols.pl_PL.po | 2 +- modules/po/webadmin.pl_PL.po | 14 +++++----- src/po/znc.pl_PL.po | 2 ++ 17 files changed, 67 insertions(+), 63 deletions(-) diff --git a/modules/po/autoreply.pl_PL.po b/modules/po/autoreply.pl_PL.po index e7e18c5c..86697d73 100644 --- a/modules/po/autoreply.pl_PL.po +++ b/modules/po/autoreply.pl_PL.po @@ -44,4 +44,4 @@ msgstr "" #: autoreply.cpp:98 msgid "Reply to queries when you are away" -msgstr "Odpowiadaj na przychodzące rozmowy, gdy Cię nie ma" +msgstr "Odpowiada na przychodzące rozmowy, gdy Cię nie ma" diff --git a/modules/po/awaystore.pl_PL.po b/modules/po/awaystore.pl_PL.po index f954069c..5d39be1f 100644 --- a/modules/po/awaystore.pl_PL.po +++ b/modules/po/awaystore.pl_PL.po @@ -28,7 +28,7 @@ msgstr "Usunięto {1} wiadomości" #: awaystore.cpp:104 msgid "USAGE: delete " -msgstr "UŻYCIE: delete " +msgstr "UŻYCIE: delete " #: awaystore.cpp:109 msgid "Illegal message # requested" diff --git a/modules/po/blockuser.pl_PL.po b/modules/po/blockuser.pl_PL.po index b0fc0a3c..7bf916b4 100644 --- a/modules/po/blockuser.pl_PL.po +++ b/modules/po/blockuser.pl_PL.po @@ -97,4 +97,4 @@ msgstr "Wprowadź jedną lub więcej nazw użytkowników. Rozdziel je spacjami." #: blockuser.cpp:219 msgid "Block certain users from logging in." -msgstr "Zablokuj niektórym użytkownikom możliwość logowania." +msgstr "Blokuje niektórym użytkownikom możliwość logowania." diff --git a/modules/po/bouncedcc.pl_PL.po b/modules/po/bouncedcc.pl_PL.po index a84ef150..1944cf8b 100644 --- a/modules/po/bouncedcc.pl_PL.po +++ b/modules/po/bouncedcc.pl_PL.po @@ -60,7 +60,7 @@ msgstr "Oczekujący" #: bouncedcc.cpp:127 msgid "Halfway" -msgstr "" +msgstr "Do połowy" #: bouncedcc.cpp:129 msgid "Connected" diff --git a/modules/po/cert.pl_PL.po b/modules/po/cert.pl_PL.po index 329ecafa..60a3fa58 100644 --- a/modules/po/cert.pl_PL.po +++ b/modules/po/cert.pl_PL.po @@ -76,4 +76,4 @@ msgstr "Pokaż bieżący certyfikat" #: cert.cpp:105 msgid "Use a ssl certificate to connect to a server" -msgstr "Użyj certyfikatu SSL, aby połączyć się z serwerem" +msgstr "Używa certyfikatu SSL, aby połączyć się z serwerem" diff --git a/modules/po/certauth.pl_PL.po b/modules/po/certauth.pl_PL.po index 78251647..7a028015 100644 --- a/modules/po/certauth.pl_PL.po +++ b/modules/po/certauth.pl_PL.po @@ -110,4 +110,4 @@ msgstr "Usunięto" #: certauth.cpp:291 msgid "Allows users to authenticate via SSL client certificates." msgstr "" -"Umożliwia użytkownikom uwierzytelnianie za pomocą certyfikatów klienta SSL." +"Pozwala użytkownikom na uwierzytelnianie za pomocą certyfikatów SSL klienta." diff --git a/modules/po/ctcpflood.pl_PL.po b/modules/po/ctcpflood.pl_PL.po index 31c670fe..b5ea5625 100644 --- a/modules/po/ctcpflood.pl_PL.po +++ b/modules/po/ctcpflood.pl_PL.po @@ -76,4 +76,4 @@ msgstr "" #: ctcpflood.cpp:151 msgid "Don't forward CTCP floods to clients" -msgstr "Nie przekierowywuje zalewania zapytaniami CTCP do klientów" +msgstr "Nie przekierowuje zalewania zapytaniami CTCP do klientów" diff --git a/modules/po/dcc.pl_PL.po b/modules/po/dcc.pl_PL.po index 46a40278..deb04e46 100644 --- a/modules/po/dcc.pl_PL.po +++ b/modules/po/dcc.pl_PL.po @@ -16,35 +16,35 @@ msgstr "" #: dcc.cpp:88 msgid " " -msgstr "" +msgstr " " #: dcc.cpp:89 msgid "Send a file from ZNC to someone" -msgstr "" +msgstr "Wyślij plik z ZNC do kogoś" #: dcc.cpp:91 msgid "" -msgstr "" +msgstr "" #: dcc.cpp:92 msgid "Send a file from ZNC to your client" -msgstr "" +msgstr "Wyślij plik z ZNC do Twojego klienta" #: dcc.cpp:94 msgid "List current transfers" -msgstr "" +msgstr "Lista bieżących transferów" #: dcc.cpp:103 msgid "You must be admin to use the DCC module" -msgstr "" +msgstr "Musisz być administratorem, aby używać modułu DCC" #: dcc.cpp:140 msgid "Attempting to send [{1}] to [{2}]." -msgstr "" +msgstr "Próba wysłania [{1}] do [{2}]." #: dcc.cpp:149 dcc.cpp:554 msgid "Receiving [{1}] from [{2}]: File already exists." -msgstr "" +msgstr "Odbieranie [{1}] od [{2}]: Plik już istnieje." #: dcc.cpp:167 msgid "" @@ -53,50 +53,50 @@ msgstr "" #: dcc.cpp:179 msgid "Usage: Send " -msgstr "" +msgstr "Użycie: Send " #: dcc.cpp:186 dcc.cpp:206 msgid "Illegal path." -msgstr "" +msgstr "Niedozwolona ścieżka." #: dcc.cpp:199 msgid "Usage: Get " -msgstr "" +msgstr "Użycie: Get " #: dcc.cpp:215 dcc.cpp:232 dcc.cpp:234 msgctxt "list" msgid "Type" -msgstr "" +msgstr "Typ" #: dcc.cpp:216 dcc.cpp:238 dcc.cpp:241 msgctxt "list" msgid "State" -msgstr "" +msgstr "Stan" #: dcc.cpp:217 dcc.cpp:243 msgctxt "list" msgid "Speed" -msgstr "" +msgstr "Prędkość" #: dcc.cpp:218 dcc.cpp:227 msgctxt "list" msgid "Nick" -msgstr "" +msgstr "Pseudonim" #: dcc.cpp:219 dcc.cpp:228 msgctxt "list" msgid "IP" -msgstr "" +msgstr "IP" #: dcc.cpp:220 dcc.cpp:229 msgctxt "list" msgid "File" -msgstr "" +msgstr "Plik" #: dcc.cpp:232 msgctxt "list-type" msgid "Sending" -msgstr "" +msgstr "Wysyłanie" #: dcc.cpp:234 msgctxt "list-type" @@ -106,19 +106,19 @@ msgstr "" #: dcc.cpp:239 msgctxt "list-state" msgid "Waiting" -msgstr "" +msgstr "Oczekujący" #: dcc.cpp:244 msgid "{1} KiB/s" -msgstr "" +msgstr "{1} KiB/s" #: dcc.cpp:250 msgid "You have no active DCC transfers." -msgstr "" +msgstr "Nie masz aktywnych transferów DCC." #: dcc.cpp:267 msgid "Attempting to resume send from position {1} of file [{2}] for [{3}]" -msgstr "" +msgstr "Próba wznowienia wysyłania z pozycji {1} pliku [{2}] dla [{3}]" #: dcc.cpp:277 msgid "Couldn't resume file [{1}] for [{2}]: not sending anything." @@ -226,4 +226,4 @@ msgstr "" #: dcc.cpp:623 msgid "This module allows you to transfer files to and from ZNC" -msgstr "" +msgstr "Ten moduł pozwala na przesyłanie plików do i z ZNC" diff --git a/modules/po/perform.pl_PL.po b/modules/po/perform.pl_PL.po index 53d5df0b..07e161c5 100644 --- a/modules/po/perform.pl_PL.po +++ b/modules/po/perform.pl_PL.po @@ -59,11 +59,11 @@ msgstr "Wykonaj" #: perform.cpp:52 perform.cpp:62 msgctxt "list" msgid "Expanded" -msgstr "" +msgstr "Podstawienie" #: perform.cpp:67 msgid "No commands in your perform list." -msgstr "Brak poleceń na Twojej liście wykonania." +msgstr "Brak poleceń na Twojej liście do wykonania." #: perform.cpp:73 msgid "perform commands sent" diff --git a/modules/po/raw.pl_PL.po b/modules/po/raw.pl_PL.po index 817c6907..4f7a84cd 100644 --- a/modules/po/raw.pl_PL.po +++ b/modules/po/raw.pl_PL.po @@ -16,4 +16,4 @@ msgstr "" #: raw.cpp:43 msgid "View all of the raw traffic" -msgstr "Zobacz cały surowy ruch" +msgstr "Pokazuje cały surowy ruch" diff --git a/modules/po/route_replies.pl_PL.po b/modules/po/route_replies.pl_PL.po index e93774d2..b01b2d36 100644 --- a/modules/po/route_replies.pl_PL.po +++ b/modules/po/route_replies.pl_PL.po @@ -16,7 +16,7 @@ msgstr "" #: route_replies.cpp:215 msgid "[yes|no]" -msgstr "[tak|nie]" +msgstr "[yes|no]" #: route_replies.cpp:216 msgid "Decides whether to show the timeout messages or not" diff --git a/modules/po/sample.pl_PL.po b/modules/po/sample.pl_PL.po index 4cc3d7c2..9da3158b 100644 --- a/modules/po/sample.pl_PL.po +++ b/modules/po/sample.pl_PL.po @@ -36,7 +36,7 @@ msgstr "Jestem załadowany z tymi argumentami: {1}" #: sample.cpp:85 msgid "I'm being unloaded!" -msgstr "Zostałem wyładowany!" +msgstr "Jestem wyładowany!" #: sample.cpp:94 msgid "You got connected BoyOh." @@ -48,39 +48,39 @@ msgstr "" #: sample.cpp:116 msgid "{1} {2} set mode on {3} {4}{5} {6}" -msgstr "" +msgstr "{1} {2} ustawił(a) tryb na {3} {4}{5} {6}" #: sample.cpp:123 msgid "{1} {2} opped {3} on {4}" -msgstr "" +msgstr "{1} {2} udzielił(a) operatora {3} na {4}" #: sample.cpp:129 msgid "{1} {2} deopped {3} on {4}" -msgstr "" +msgstr "{1} {2} zabrał operatora {3} na {4}" #: sample.cpp:135 msgid "{1} {2} voiced {3} on {4}" -msgstr "" +msgstr "{1} {2} udziela prawa wypowiedzi {3} na {4}" #: sample.cpp:141 msgid "{1} {2} devoiced {3} on {4}" -msgstr "" +msgstr "{1} {2} zabrał(a) prawo wypowiedzi {3} na {4}" #: sample.cpp:147 msgid "* {1} sets mode: {2} {3} on {4}" -msgstr "" +msgstr "* {1} ustawia tryb: {2} {3} na {4}" #: sample.cpp:163 msgid "{1} kicked {2} from {3} with the msg {4}" -msgstr "" +msgstr "{1} wyrzucił(a) {2} z {3} z wiadomością {4}" #: sample.cpp:169 msgid "* {1} ({2}@{3}) quits ({4}) from channel: {6}" msgid_plural "* {1} ({2}@{3}) quits ({4}) from {5} channels: {6}" -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" -msgstr[3] "" +msgstr[0] "* {1} ({2}@{3}) opuszcza IRC ({4}) z kanału: {6}" +msgstr[1] "* {1} ({2}@{3}) opuszcza IRC ({4}) z kanałów: {6}" +msgstr[2] "* {1} ({2}@{3}) opuszcza IRC ({4}) z kanałów: {6}" +msgstr[3] "* {1} ({2}@{3}) opuszcza IRC ({4}) z kanałów: {6}" #: sample.cpp:177 msgid "Attempting to join {1}" @@ -88,35 +88,35 @@ msgstr "" #: sample.cpp:182 msgid "* {1} ({2}@{3}) joins {4}" -msgstr "" +msgstr "* {1} ({2}@{3}) dołącza do {4}" #: sample.cpp:189 msgid "* {1} ({2}@{3}) parts {4}" -msgstr "" +msgstr "* {1} ({2}@{3}) opuszcza kanał {4}" #: sample.cpp:196 msgid "{1} invited us to {2}, ignoring invites to {2}" -msgstr "" +msgstr "{1} zaprosił(a) nas do {2}, ignorowanie zaproszeń do {2}" #: sample.cpp:201 msgid "{1} invited us to {2}" -msgstr "" +msgstr "{1} zaprosił(a) nas do {2}" #: sample.cpp:207 msgid "{1} is now known as {2}" -msgstr "" +msgstr "{1} jest znany/a teraz jako {2}" #: sample.cpp:269 sample.cpp:276 msgid "{1} changes topic on {2} to {3}" -msgstr "" +msgstr "{1} zmienia temat na {2} na {3}" #: sample.cpp:317 msgid "Hi, I'm your friendly sample module." -msgstr "" +msgstr "Cześć, jestem Twoim przyjaznym przykładowym modułem." #: sample.cpp:330 msgid "Description of module arguments goes here." -msgstr "" +msgstr "Opis argumentów modułu idzie tutaj." #: sample.cpp:333 msgid "To be used as a sample for writing modules" diff --git a/modules/po/samplewebapi.pl_PL.po b/modules/po/samplewebapi.pl_PL.po index 731afa87..df8ddfea 100644 --- a/modules/po/samplewebapi.pl_PL.po +++ b/modules/po/samplewebapi.pl_PL.po @@ -16,4 +16,4 @@ msgstr "" #: samplewebapi.cpp:59 msgid "Sample Web API module." -msgstr "" +msgstr "Przykładowy moduł internetowego API." diff --git a/modules/po/savebuff.pl_PL.po b/modules/po/savebuff.pl_PL.po index 157ecd2f..2e6d57e0 100644 --- a/modules/po/savebuff.pl_PL.po +++ b/modules/po/savebuff.pl_PL.po @@ -58,6 +58,8 @@ msgid "" "This user module takes up to one arguments. Either --ask-pass or the " "password itself (which may contain spaces) or nothing" msgstr "" +"Ten moduł użytkownika przyjmuje do jednego argumentu. Albo --ask-pass, albo " +"samo hasło (które może zawierać spacje) lub nic" #: savebuff.cpp:363 msgid "Stores channel and query buffers to disk, encrypted" diff --git a/modules/po/stripcontrols.pl_PL.po b/modules/po/stripcontrols.pl_PL.po index 8e88be1c..a88596a6 100644 --- a/modules/po/stripcontrols.pl_PL.po +++ b/modules/po/stripcontrols.pl_PL.po @@ -18,5 +18,5 @@ msgstr "" msgid "" "Strips control codes (Colors, Bold, ..) from channel and private messages." msgstr "" -"Usuwaj kody kontrolne (kolory, pogrubienie, ..) z kanału i prywatnych " +"Usuwa kody kontrolne (kolory, pogrubienie, ..) z kanału i prywatnych " "wiadomości." diff --git a/modules/po/webadmin.pl_PL.po b/modules/po/webadmin.pl_PL.po index ddf3b60d..9ff7ca59 100644 --- a/modules/po/webadmin.pl_PL.po +++ b/modules/po/webadmin.pl_PL.po @@ -209,7 +209,7 @@ msgid "" "When disabled, manually whitelist all server fingerprints, even if the " "certificate is valid" msgstr "" -"Gdy wyłączone, ręcznie musisz dosdać wszystkie odciski palców serwera, nawet " +"Gdy wyłączone, ręcznie musisz dodać wszystkie odciski palców serwera, nawet " "jeżeli certyfikat jest poprawny" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:89 @@ -796,15 +796,15 @@ msgstr "Nie zapewniaj w ogóle żadnego kodowania (starszy tryb, niezalecane)" #: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:22 msgid "Try to parse as UTF-8 and as {1}, send as UTF-8 (recommended)" -msgstr "" +msgstr "Próbuj parsować jako UTF-8 i jako {1}, wyślij jako UTF-8 (zalecane)" #: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:26 msgid "Try to parse as UTF-8 and as {1}, send as {1}" -msgstr "" +msgstr "Próbuj parsować jako UTF-8 i jako {1}, wyślij jako {1}" #: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:30 msgid "Parse and send as {1} only" -msgstr "" +msgstr "Parsuj i wyślij tylko jako {1}" #: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:36 msgid "E.g. UTF-8, or ISO-8859-15" @@ -948,7 +948,7 @@ msgstr "Wiadomość dnia:" #: modules/po/../data/webadmin/tmpl/settings.tmpl:162 msgid "“Message of the Day”, sent to all ZNC users on connect." msgstr "" -"„Wiadomość dnia”, wysłana do wszystkich użytkowników ZNC przy połączeniu." +"„Wiadomość dnia”, wysyłana do wszystkich użytkowników ZNC na połączeniu." #: modules/po/../data/webadmin/tmpl/settings.tmpl:170 msgid "Global Modules" @@ -1210,11 +1210,11 @@ msgstr "Wielu klientów może się zalogować na tego użytkownika" #: webadmin.cpp:1529 msgid "Append Timestamps" -msgstr "Dopisz przed znacznik czasu" +msgstr "Dopisz po znacznik czasu" #: webadmin.cpp:1536 msgid "Prepend Timestamps" -msgstr "Dopisz po znacznik czasu" +msgstr "Dopisz przed znacznik czasu" #: webadmin.cpp:1544 msgid "Deny LoadMod" diff --git a/src/po/znc.pl_PL.po b/src/po/znc.pl_PL.po index 4292d465..4c6116d4 100644 --- a/src/po/znc.pl_PL.po +++ b/src/po/znc.pl_PL.po @@ -1764,6 +1764,8 @@ msgid "" "Invalid network name. It should be alphanumeric. Not to be confused with " "server name" msgstr "" +"Nieprawidłowa nazwa sieci. Powinna być alfanumeryczna. Nie należy mylić jej " +"z nazwą serwera" #: User.cpp:511 msgid "Network {1} already exists" From 530230123dc01a07765f6042d167256b5f766b98 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Thu, 9 Jul 2020 00:29:15 +0000 Subject: [PATCH 462/798] Update translations from Crowdin for pl_PL --- modules/po/awaystore.pl_PL.po | 2 +- modules/po/dcc.pl_PL.po | 4 ++-- modules/po/perform.pl_PL.po | 4 ++-- modules/po/route_replies.pl_PL.po | 2 +- modules/po/sample.pl_PL.po | 40 +++++++++++++++---------------- modules/po/samplewebapi.pl_PL.po | 2 +- 6 files changed, 27 insertions(+), 27 deletions(-) diff --git a/modules/po/awaystore.pl_PL.po b/modules/po/awaystore.pl_PL.po index 6c5a79f2..0c357912 100644 --- a/modules/po/awaystore.pl_PL.po +++ b/modules/po/awaystore.pl_PL.po @@ -28,7 +28,7 @@ msgstr "Usunięto {1} wiadomości" #: awaystore.cpp:104 msgid "USAGE: delete " -msgstr "UŻYCIE: delete " +msgstr "UŻYCIE: delete " #: awaystore.cpp:109 msgid "Illegal message # requested" diff --git a/modules/po/dcc.pl_PL.po b/modules/po/dcc.pl_PL.po index fbc17d56..61f4f7a0 100644 --- a/modules/po/dcc.pl_PL.po +++ b/modules/po/dcc.pl_PL.po @@ -106,7 +106,7 @@ msgstr "" #: dcc.cpp:239 msgctxt "list-state" msgid "Waiting" -msgstr "" +msgstr "Oczekujący" #: dcc.cpp:244 msgid "{1} KiB/s" @@ -118,7 +118,7 @@ msgstr "Nie masz aktywnych transferów DCC." #: dcc.cpp:267 msgid "Attempting to resume send from position {1} of file [{2}] for [{3}]" -msgstr "" +msgstr "Próba wznowienia wysyłania z pozycji {1} pliku [{2}] dla [{3}]" #: dcc.cpp:277 msgid "Couldn't resume file [{1}] for [{2}]: not sending anything." diff --git a/modules/po/perform.pl_PL.po b/modules/po/perform.pl_PL.po index f51f40a5..c085723b 100644 --- a/modules/po/perform.pl_PL.po +++ b/modules/po/perform.pl_PL.po @@ -59,11 +59,11 @@ msgstr "Wykonaj" #: perform.cpp:52 perform.cpp:62 msgctxt "list" msgid "Expanded" -msgstr "" +msgstr "Podstawienie" #: perform.cpp:67 msgid "No commands in your perform list." -msgstr "Brak poleceń na Twojej liście wykonania." +msgstr "Brak poleceń na Twojej liście do wykonania." #: perform.cpp:73 msgid "perform commands sent" diff --git a/modules/po/route_replies.pl_PL.po b/modules/po/route_replies.pl_PL.po index ffaa5775..b28a938f 100644 --- a/modules/po/route_replies.pl_PL.po +++ b/modules/po/route_replies.pl_PL.po @@ -16,7 +16,7 @@ msgstr "" #: route_replies.cpp:215 msgid "[yes|no]" -msgstr "[tak|nie]" +msgstr "[yes|no]" #: route_replies.cpp:216 msgid "Decides whether to show the timeout messages or not" diff --git a/modules/po/sample.pl_PL.po b/modules/po/sample.pl_PL.po index 2e27ec68..63385242 100644 --- a/modules/po/sample.pl_PL.po +++ b/modules/po/sample.pl_PL.po @@ -36,7 +36,7 @@ msgstr "Jestem załadowany z tymi argumentami: {1}" #: sample.cpp:85 msgid "I'm being unloaded!" -msgstr "Zostałem wyładowany!" +msgstr "Jestem wyładowany!" #: sample.cpp:94 msgid "You got connected BoyOh." @@ -48,39 +48,39 @@ msgstr "" #: sample.cpp:116 msgid "{1} {2} set mode on {3} {4}{5} {6}" -msgstr "" +msgstr "{1} {2} ustawił(a) tryb na {3} {4}{5} {6}" #: sample.cpp:123 msgid "{1} {2} opped {3} on {4}" -msgstr "" +msgstr "{1} {2} udzielił(a) operatora {3} na {4}" #: sample.cpp:129 msgid "{1} {2} deopped {3} on {4}" -msgstr "" +msgstr "{1} {2} zabrał operatora {3} na {4}" #: sample.cpp:135 msgid "{1} {2} voiced {3} on {4}" -msgstr "" +msgstr "{1} {2} udziela prawa wypowiedzi {3} na {4}" #: sample.cpp:141 msgid "{1} {2} devoiced {3} on {4}" -msgstr "" +msgstr "{1} {2} zabrał(a) prawo wypowiedzi {3} na {4}" #: sample.cpp:147 msgid "* {1} sets mode: {2} {3} on {4}" -msgstr "" +msgstr "* {1} ustawia tryb: {2} {3} na {4}" #: sample.cpp:163 msgid "{1} kicked {2} from {3} with the msg {4}" -msgstr "" +msgstr "{1} wyrzucił(a) {2} z {3} z wiadomością {4}" #: sample.cpp:169 msgid "* {1} ({2}@{3}) quits ({4}) from channel: {6}" msgid_plural "* {1} ({2}@{3}) quits ({4}) from {5} channels: {6}" -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" -msgstr[3] "" +msgstr[0] "* {1} ({2}@{3}) opuszcza IRC ({4}) z kanału: {6}" +msgstr[1] "* {1} ({2}@{3}) opuszcza IRC ({4}) z kanałów: {6}" +msgstr[2] "* {1} ({2}@{3}) opuszcza IRC ({4}) z kanałów: {6}" +msgstr[3] "* {1} ({2}@{3}) opuszcza IRC ({4}) z kanałów: {6}" #: sample.cpp:177 msgid "Attempting to join {1}" @@ -88,35 +88,35 @@ msgstr "" #: sample.cpp:182 msgid "* {1} ({2}@{3}) joins {4}" -msgstr "" +msgstr "* {1} ({2}@{3}) dołącza do {4}" #: sample.cpp:189 msgid "* {1} ({2}@{3}) parts {4}" -msgstr "" +msgstr "* {1} ({2}@{3}) opuszcza kanał {4}" #: sample.cpp:196 msgid "{1} invited us to {2}, ignoring invites to {2}" -msgstr "" +msgstr "{1} zaprosił(a) nas do {2}, ignorowanie zaproszeń do {2}" #: sample.cpp:201 msgid "{1} invited us to {2}" -msgstr "" +msgstr "{1} zaprosił(a) nas do {2}" #: sample.cpp:207 msgid "{1} is now known as {2}" -msgstr "" +msgstr "{1} jest znany/a teraz jako {2}" #: sample.cpp:269 sample.cpp:276 msgid "{1} changes topic on {2} to {3}" -msgstr "" +msgstr "{1} zmienia temat na {2} na {3}" #: sample.cpp:317 msgid "Hi, I'm your friendly sample module." -msgstr "" +msgstr "Cześć, jestem Twoim przyjaznym przykładowym modułem." #: sample.cpp:330 msgid "Description of module arguments goes here." -msgstr "" +msgstr "Opis argumentów modułu idzie tutaj." #: sample.cpp:333 msgid "To be used as a sample for writing modules" diff --git a/modules/po/samplewebapi.pl_PL.po b/modules/po/samplewebapi.pl_PL.po index 14519b6c..00e45dbf 100644 --- a/modules/po/samplewebapi.pl_PL.po +++ b/modules/po/samplewebapi.pl_PL.po @@ -16,4 +16,4 @@ msgstr "" #: samplewebapi.cpp:59 msgid "Sample Web API module." -msgstr "" +msgstr "Przykładowy moduł internetowego API." From 40a4ab031f5533bea8adedd3881c31cad947eaec Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Fri, 10 Jul 2020 00:28:48 +0000 Subject: [PATCH 463/798] Update translations from Crowdin for pl_PL --- modules/po/dcc.pl_PL.po | 2 +- modules/po/webadmin.pl_PL.po | 2 +- 2 files changed, 2 insertions(+), 2 deletions(-) diff --git a/modules/po/dcc.pl_PL.po b/modules/po/dcc.pl_PL.po index deb04e46..46cd8b2b 100644 --- a/modules/po/dcc.pl_PL.po +++ b/modules/po/dcc.pl_PL.po @@ -101,7 +101,7 @@ msgstr "Wysyłanie" #: dcc.cpp:234 msgctxt "list-type" msgid "Getting" -msgstr "" +msgstr "Pobieranie" #: dcc.cpp:239 msgctxt "list-state" diff --git a/modules/po/webadmin.pl_PL.po b/modules/po/webadmin.pl_PL.po index 9ff7ca59..8b9ddbe0 100644 --- a/modules/po/webadmin.pl_PL.po +++ b/modules/po/webadmin.pl_PL.po @@ -474,7 +474,7 @@ msgid "" "line, wildcards * and ? are available." msgstr "" "Pozostaw puste, aby zezwolić na połączenia ze wszystkich adresów IP.
W " -"przeciwnym razie jeden wpis na linię, symbole wieloznaczne * i? są dostępne." +"przeciwnym razie jeden wpis na linię, symbole wieloznaczne * i ? są dostępne." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:62 msgid "IRC Information" From 899597e2154c2904dc060045d1c02ab5c70c299a Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Fri, 10 Jul 2020 00:28:50 +0000 Subject: [PATCH 464/798] Update translations from Crowdin for pl_PL --- modules/po/dcc.pl_PL.po | 2 +- modules/po/webadmin.pl_PL.po | 2 +- 2 files changed, 2 insertions(+), 2 deletions(-) diff --git a/modules/po/dcc.pl_PL.po b/modules/po/dcc.pl_PL.po index 61f4f7a0..fce7ebe9 100644 --- a/modules/po/dcc.pl_PL.po +++ b/modules/po/dcc.pl_PL.po @@ -101,7 +101,7 @@ msgstr "Wysyłanie" #: dcc.cpp:234 msgctxt "list-type" msgid "Getting" -msgstr "" +msgstr "Pobieranie" #: dcc.cpp:239 msgctxt "list-state" diff --git a/modules/po/webadmin.pl_PL.po b/modules/po/webadmin.pl_PL.po index 74dd5401..080f70fa 100644 --- a/modules/po/webadmin.pl_PL.po +++ b/modules/po/webadmin.pl_PL.po @@ -474,7 +474,7 @@ msgid "" "line, wildcards * and ? are available." msgstr "" "Pozostaw puste, aby zezwolić na połączenia ze wszystkich adresów IP.
W " -"przeciwnym razie jeden wpis na linię, symbole wieloznaczne * i? są dostępne." +"przeciwnym razie jeden wpis na linię, symbole wieloznaczne * i ? są dostępne." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:62 msgid "IRC Information" From 1c9cb3f830ed9f7e07173352f07f87de71bf6064 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Sat, 11 Jul 2020 21:58:27 +0100 Subject: [PATCH 465/798] modperl: allow overriding timer label --- modules/modperl/startup.pl | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/modules/modperl/startup.pl b/modules/modperl/startup.pl index fe4c2a9d..cda7cbc8 100644 --- a/modules/modperl/startup.pl +++ b/modules/modperl/startup.pl @@ -641,7 +641,7 @@ sub CreateTimer { $self->{_cmod}, $a{interval}//10, $a{cycles}//1, - "perl-timer", + $a{label}//"perl-timer", $a{description}//'Just Another Perl Timer', $ptimer); $ptimer->{_ctimer} = $ctimer; From f890e73aa67a0622bd1b73728e0b2702fb9d5ef0 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Sat, 25 Jul 2020 00:29:42 +0000 Subject: [PATCH 466/798] Update translations from Crowdin for pl_PL --- TRANSLATORS.md | 1 + modules/po/alias.pl_PL.po | 52 +++++++++++++++++++-------------------- src/po/znc.pl_PL.po | 40 ++++++++++++++++++------------ 3 files changed, 51 insertions(+), 42 deletions(-) diff --git a/TRANSLATORS.md b/TRANSLATORS.md index db151470..2de043eb 100644 --- a/TRANSLATORS.md +++ b/TRANSLATORS.md @@ -2,6 +2,7 @@ These people helped translating ZNC to various languages: * Altay * casmo (Casper) +* ChaosEngine (Andrzej Pauli) * cirinho (Ciro Moniz) * CJSStryker * DarthGandalf diff --git a/modules/po/alias.pl_PL.po b/modules/po/alias.pl_PL.po index 0e325c47..7450be9f 100644 --- a/modules/po/alias.pl_PL.po +++ b/modules/po/alias.pl_PL.po @@ -16,109 +16,109 @@ msgstr "" #: alias.cpp:141 msgid "missing required parameter: {1}" -msgstr "" +msgstr "brakuje wymaganego parametru: {1}" #: alias.cpp:201 msgid "Created alias: {1}" -msgstr "" +msgstr "Utworzono alias: {1}" #: alias.cpp:203 msgid "Alias already exists." -msgstr "" +msgstr "Alias już istnieje." #: alias.cpp:210 msgid "Deleted alias: {1}" -msgstr "" +msgstr "Usunięto alias: {1}" #: alias.cpp:213 alias.cpp:224 alias.cpp:246 alias.cpp:265 alias.cpp:276 #: alias.cpp:333 msgid "Alias does not exist." -msgstr "" +msgstr "Alias nie istnieje." #: alias.cpp:222 alias.cpp:244 alias.cpp:263 alias.cpp:274 msgid "Modified alias." -msgstr "" +msgstr "Alias zmodyfikowano." #: alias.cpp:236 alias.cpp:256 msgid "Invalid index." -msgstr "" +msgstr "Błędny indeks." #: alias.cpp:282 alias.cpp:298 msgid "There are no aliases." -msgstr "" +msgstr "Nie ma aliasów." #: alias.cpp:289 msgid "The following aliases exist: {1}" -msgstr "" +msgstr "Istnieją poniższe aliasy: {1}" #: alias.cpp:290 msgctxt "list|separator" msgid ", " -msgstr "" +msgstr ", " #: alias.cpp:324 msgid "Actions for alias {1}:" -msgstr "" +msgstr "Akcje dla aliasu {1}:" #: alias.cpp:331 msgid "End of actions for alias {1}." -msgstr "" +msgstr "Koniec akcji dla aliasu {1}." #: alias.cpp:338 alias.cpp:341 alias.cpp:352 alias.cpp:357 msgid "" -msgstr "" +msgstr "" #: alias.cpp:339 msgid "Creates a new, blank alias called name." -msgstr "" +msgstr "Tworzy nowy, pusty alias \"nazwa\"." #: alias.cpp:341 msgid "Deletes an existing alias." -msgstr "" +msgstr "Kasuje istniejący alias." #: alias.cpp:343 msgid " " -msgstr "" +msgstr " " #: alias.cpp:344 msgid "Adds a line to an existing alias." -msgstr "" +msgstr "Dodaje linię do istniejącego aliasu." #: alias.cpp:346 msgid " " -msgstr "" +msgstr " " #: alias.cpp:347 msgid "Inserts a line into an existing alias." -msgstr "" +msgstr "Dodaje linię do istniejącego aliasu." #: alias.cpp:349 msgid " " -msgstr "" +msgstr " " #: alias.cpp:350 msgid "Removes a line from an existing alias." -msgstr "" +msgstr "Usuwa linię z istniejącego aliasu." #: alias.cpp:353 msgid "Removes all lines from an existing alias." -msgstr "" +msgstr "Usuwa wszystkie linie z istniejącego aliasu." #: alias.cpp:355 msgid "Lists all aliases by name." -msgstr "" +msgstr "Listuje wszystkie linie po nazwach." #: alias.cpp:358 msgid "Reports the actions performed by an alias." -msgstr "" +msgstr "Raportuje akcje wykonywane przez alias." #: alias.cpp:362 msgid "Generate a list of commands to copy your alias config." -msgstr "" +msgstr "Tworzy listę poleceń do skopiowania aliasu konfiguracji." #: alias.cpp:374 msgid "Clearing all of them!" -msgstr "" +msgstr "Czyszczenie ich wszystkich!" #: alias.cpp:409 msgid "Provides bouncer-side command alias support." diff --git a/src/po/znc.pl_PL.po b/src/po/znc.pl_PL.po index 4c6116d4..8a0697d1 100644 --- a/src/po/znc.pl_PL.po +++ b/src/po/znc.pl_PL.po @@ -135,7 +135,7 @@ msgstr "Być może chcesz dodać go jako nowy serwer." #: IRCSock.cpp:973 msgid "Channel {1} is linked to another channel and was thus disabled." -msgstr "" +msgstr "Kanał {1} jest połączony z innym kanałem i dlatego został zablokowany." #: IRCSock.cpp:985 msgid "Switched to SSL (STARTTLS)" @@ -228,11 +228,11 @@ msgstr "" #: Client.cpp:431 msgid "Closing link: Timeout" -msgstr "" +msgstr "Zamknięcie połączenia: przedawnienie" #: Client.cpp:453 msgid "Closing link: Too long raw line" -msgstr "" +msgstr "Zamknięcie połączenia: za długa surowa linia" #: Client.cpp:460 msgid "" @@ -267,7 +267,7 @@ msgstr "Użycie: /attach <#kanały>" #: Client.cpp:1344 Client.cpp:1366 ClientCommand.cpp:129 ClientCommand.cpp:151 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" -msgstr[0] "" +msgstr[0] "Jest {1} kanał pasujący do [{2}]" msgstr[1] "" msgstr[2] "" msgstr[3] "" @@ -275,7 +275,7 @@ msgstr[3] "" #: Client.cpp:1347 ClientCommand.cpp:132 msgid "Attached {1} channel" msgid_plural "Attached {1} channels" -msgstr[0] "" +msgstr[0] "Podłączony {1} kanał" msgstr[1] "" msgstr[2] "" msgstr[3] "" @@ -340,7 +340,7 @@ msgstr "Nie udało się odnaleźć modułu {1}" #: Modules.cpp:1678 msgid "Module {1} does not support module type {2}." -msgstr "" +msgstr "Moduł {1} nie wspiera modułów typu {2}." #: Modules.cpp:1685 msgid "Module {1} requires a user." @@ -352,7 +352,7 @@ msgstr "Moduł {1} wymaga sieci." #: Modules.cpp:1707 msgid "Caught an exception" -msgstr "" +msgstr "Napotkano wyjątek" #: Modules.cpp:1713 msgid "Module {1} aborted: {2}" @@ -683,7 +683,7 @@ msgstr "Nieprawidłowa nazwa sieci [{1}]" #: ClientCommand.cpp:692 msgid "Some files seem to be in {1}. You might want to move them to {2}" -msgstr "" +msgstr "Niektóre pliki zdają się być w {1}. Może chcesz je przenieść do {2}" #: ClientCommand.cpp:706 msgid "Error adding network: {1}" @@ -1224,6 +1224,8 @@ msgstr "nie" msgid "" "Usage: AddPort <[+]port> [bindhost [uriprefix]]" msgstr "" +"Użycie: AddPort <[+]port> [bindhost " +"[uriprefix]]" #: ClientCommand.cpp:1640 msgid "Port added" @@ -1235,7 +1237,7 @@ msgstr "Nie można dodać portu" #: ClientCommand.cpp:1648 msgid "Usage: DelPort [bindhost]" -msgstr "" +msgstr "Użycie: DelPort [bindhost]" #: ClientCommand.cpp:1657 msgid "Deleted Port" @@ -1388,6 +1390,8 @@ msgid "" "Add a trusted server SSL certificate fingerprint (SHA-256) to current IRC " "network." msgstr "" +"Dodaj zaufany odciski certyfikatu SSL (SHA-256) serwera do bieżącej sieci " +"IRC." #: ClientCommand.cpp:1754 msgctxt "helpcmd|DelTrustedServerFingerprint|args" @@ -1397,7 +1401,7 @@ msgstr "" #: ClientCommand.cpp:1755 msgctxt "helpcmd|DelTrustedServerFingerprint|desc" msgid "Delete a trusted server SSL certificate from current IRC network." -msgstr "" +msgstr "Usuń zaufany odcisk SSL serwera z obecnej sieci IRC." #: ClientCommand.cpp:1759 msgctxt "helpcmd|ListTrustedServerFingerprints|desc" @@ -1734,30 +1738,34 @@ msgid "" "Can't resolve bind hostname. Try /znc ClearBindHost and /znc " "ClearUserBindHost" msgstr "" +"Nie mogę rozwiązać nazwy hosta. Spróbuj /znc ClearBindHost oraz /znc " +"ClearUserBindHost" #: Socket.cpp:354 msgid "Server address is IPv4-only, but bindhost is IPv6-only" -msgstr "" +msgstr "Adres serwera jest tylko IPv4, ale podłączony host jest tylko IPv6" #: Socket.cpp:363 msgid "Server address is IPv6-only, but bindhost is IPv4-only" -msgstr "" +msgstr "Adres serwera jest tylko IPv6, ale podłączony host jest tylko IPv4" #: Socket.cpp:521 msgid "Some socket reached its max buffer limit and was closed!" msgstr "" +"Niektóre gniazda osiągnęły limit swego maksymalnego bufora i zostały " +"zamknięte!" #: SSLVerifyHost.cpp:481 msgid "hostname doesn't match" -msgstr "" +msgstr "nazwa hosta nie pasuje" #: SSLVerifyHost.cpp:485 msgid "malformed hostname in certificate" -msgstr "" +msgstr "zniekształcona nazwa hosta w certyfikacie" #: SSLVerifyHost.cpp:489 msgid "hostname verification error" -msgstr "" +msgstr "błąd weryfikacji hosta" #: User.cpp:507 msgid "" @@ -1793,4 +1801,4 @@ msgstr "Nazwa użytkownika jest niepoprawna" #: User.cpp:1199 msgid "Unable to find modinfo {1}: {2}" -msgstr "" +msgstr "Nie można znaleźć modinfo {1}: {2}" From 43bfec59892defa3cdd95a7c34dd7fd6617d4780 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Sat, 25 Jul 2020 00:29:44 +0000 Subject: [PATCH 467/798] Update translations from Crowdin for pl_PL --- TRANSLATORS.md | 1 + modules/po/alias.pl_PL.po | 52 +++++++++++++++++++-------------------- src/po/znc.pl_PL.po | 36 ++++++++++++++++----------- 3 files changed, 49 insertions(+), 40 deletions(-) diff --git a/TRANSLATORS.md b/TRANSLATORS.md index db151470..2de043eb 100644 --- a/TRANSLATORS.md +++ b/TRANSLATORS.md @@ -2,6 +2,7 @@ These people helped translating ZNC to various languages: * Altay * casmo (Casper) +* ChaosEngine (Andrzej Pauli) * cirinho (Ciro Moniz) * CJSStryker * DarthGandalf diff --git a/modules/po/alias.pl_PL.po b/modules/po/alias.pl_PL.po index f552a73d..5f5b7e4d 100644 --- a/modules/po/alias.pl_PL.po +++ b/modules/po/alias.pl_PL.po @@ -16,109 +16,109 @@ msgstr "" #: alias.cpp:141 msgid "missing required parameter: {1}" -msgstr "" +msgstr "brakuje wymaganego parametru: {1}" #: alias.cpp:201 msgid "Created alias: {1}" -msgstr "" +msgstr "Utworzono alias: {1}" #: alias.cpp:203 msgid "Alias already exists." -msgstr "" +msgstr "Alias już istnieje." #: alias.cpp:210 msgid "Deleted alias: {1}" -msgstr "" +msgstr "Usunięto alias: {1}" #: alias.cpp:213 alias.cpp:224 alias.cpp:246 alias.cpp:265 alias.cpp:276 #: alias.cpp:333 msgid "Alias does not exist." -msgstr "" +msgstr "Alias nie istnieje." #: alias.cpp:222 alias.cpp:244 alias.cpp:263 alias.cpp:274 msgid "Modified alias." -msgstr "" +msgstr "Alias zmodyfikowano." #: alias.cpp:236 alias.cpp:256 msgid "Invalid index." -msgstr "" +msgstr "Błędny indeks." #: alias.cpp:282 alias.cpp:298 msgid "There are no aliases." -msgstr "" +msgstr "Nie ma aliasów." #: alias.cpp:289 msgid "The following aliases exist: {1}" -msgstr "" +msgstr "Istnieją poniższe aliasy: {1}" #: alias.cpp:290 msgctxt "list|separator" msgid ", " -msgstr "" +msgstr ", " #: alias.cpp:324 msgid "Actions for alias {1}:" -msgstr "" +msgstr "Akcje dla aliasu {1}:" #: alias.cpp:331 msgid "End of actions for alias {1}." -msgstr "" +msgstr "Koniec akcji dla aliasu {1}." #: alias.cpp:338 alias.cpp:341 alias.cpp:352 alias.cpp:357 msgid "" -msgstr "" +msgstr "" #: alias.cpp:339 msgid "Creates a new, blank alias called name." -msgstr "" +msgstr "Tworzy nowy, pusty alias \"nazwa\"." #: alias.cpp:341 msgid "Deletes an existing alias." -msgstr "" +msgstr "Kasuje istniejący alias." #: alias.cpp:343 msgid " " -msgstr "" +msgstr " " #: alias.cpp:344 msgid "Adds a line to an existing alias." -msgstr "" +msgstr "Dodaje linię do istniejącego aliasu." #: alias.cpp:346 msgid " " -msgstr "" +msgstr " " #: alias.cpp:347 msgid "Inserts a line into an existing alias." -msgstr "" +msgstr "Dodaje linię do istniejącego aliasu." #: alias.cpp:349 msgid " " -msgstr "" +msgstr " " #: alias.cpp:350 msgid "Removes a line from an existing alias." -msgstr "" +msgstr "Usuwa linię z istniejącego aliasu." #: alias.cpp:353 msgid "Removes all lines from an existing alias." -msgstr "" +msgstr "Usuwa wszystkie linie z istniejącego aliasu." #: alias.cpp:355 msgid "Lists all aliases by name." -msgstr "" +msgstr "Listuje wszystkie linie po nazwach." #: alias.cpp:358 msgid "Reports the actions performed by an alias." -msgstr "" +msgstr "Raportuje akcje wykonywane przez alias." #: alias.cpp:362 msgid "Generate a list of commands to copy your alias config." -msgstr "" +msgstr "Tworzy listę poleceń do skopiowania aliasu konfiguracji." #: alias.cpp:374 msgid "Clearing all of them!" -msgstr "" +msgstr "Czyszczenie ich wszystkich!" #: alias.cpp:409 msgid "Provides bouncer-side command alias support." diff --git a/src/po/znc.pl_PL.po b/src/po/znc.pl_PL.po index 93b2bd5f..416fd51b 100644 --- a/src/po/znc.pl_PL.po +++ b/src/po/znc.pl_PL.po @@ -135,7 +135,7 @@ msgstr "Być może chcesz dodać go jako nowy serwer." #: IRCSock.cpp:973 msgid "Channel {1} is linked to another channel and was thus disabled." -msgstr "" +msgstr "Kanał {1} jest połączony z innym kanałem i dlatego został zablokowany." #: IRCSock.cpp:985 msgid "Switched to SSL (STARTTLS)" @@ -228,11 +228,11 @@ msgstr "" #: Client.cpp:431 msgid "Closing link: Timeout" -msgstr "" +msgstr "Zamknięcie połączenia: przedawnienie" #: Client.cpp:453 msgid "Closing link: Too long raw line" -msgstr "" +msgstr "Zamknięcie połączenia: za długa surowa linia" #: Client.cpp:460 msgid "" @@ -340,7 +340,7 @@ msgstr "Nie udało się odnaleźć modułu {1}" #: Modules.cpp:1678 msgid "Module {1} does not support module type {2}." -msgstr "" +msgstr "Moduł {1} nie wspiera modułów typu {2}." #: Modules.cpp:1685 msgid "Module {1} requires a user." @@ -352,7 +352,7 @@ msgstr "Moduł {1} wymaga sieci." #: Modules.cpp:1707 msgid "Caught an exception" -msgstr "" +msgstr "Napotkano wyjątek" #: Modules.cpp:1713 msgid "Module {1} aborted: {2}" @@ -683,7 +683,7 @@ msgstr "Nieprawidłowa nazwa sieci [{1}]" #: ClientCommand.cpp:692 msgid "Some files seem to be in {1}. You might want to move them to {2}" -msgstr "" +msgstr "Niektóre pliki zdają się być w {1}. Może chcesz je przenieść do {2}" #: ClientCommand.cpp:706 msgid "Error adding network: {1}" @@ -1224,6 +1224,8 @@ msgstr "nie" msgid "" "Usage: AddPort <[+]port> [bindhost [uriprefix]]" msgstr "" +"Użycie: AddPort <[+]port> [bindhost " +"[uriprefix]]" #: ClientCommand.cpp:1640 msgid "Port added" @@ -1235,7 +1237,7 @@ msgstr "Nie można dodać portu" #: ClientCommand.cpp:1648 msgid "Usage: DelPort [bindhost]" -msgstr "" +msgstr "Użycie: DelPort [bindhost]" #: ClientCommand.cpp:1657 msgid "Deleted Port" @@ -1388,6 +1390,8 @@ msgid "" "Add a trusted server SSL certificate fingerprint (SHA-256) to current IRC " "network." msgstr "" +"Dodaj zaufany odciski certyfikatu SSL (SHA-256) serwera do bieżącej sieci " +"IRC." #: ClientCommand.cpp:1754 msgctxt "helpcmd|DelTrustedServerFingerprint|args" @@ -1397,7 +1401,7 @@ msgstr "" #: ClientCommand.cpp:1755 msgctxt "helpcmd|DelTrustedServerFingerprint|desc" msgid "Delete a trusted server SSL certificate from current IRC network." -msgstr "" +msgstr "Usuń zaufany odcisk SSL serwera z obecnej sieci IRC." #: ClientCommand.cpp:1759 msgctxt "helpcmd|ListTrustedServerFingerprints|desc" @@ -1734,30 +1738,34 @@ msgid "" "Can't resolve bind hostname. Try /znc ClearBindHost and /znc " "ClearUserBindHost" msgstr "" +"Nie mogę rozwiązać nazwy hosta. Spróbuj /znc ClearBindHost oraz /znc " +"ClearUserBindHost" #: Socket.cpp:354 msgid "Server address is IPv4-only, but bindhost is IPv6-only" -msgstr "" +msgstr "Adres serwera jest tylko IPv4, ale podłączony host jest tylko IPv6" #: Socket.cpp:363 msgid "Server address is IPv6-only, but bindhost is IPv4-only" -msgstr "" +msgstr "Adres serwera jest tylko IPv6, ale podłączony host jest tylko IPv4" #: Socket.cpp:521 msgid "Some socket reached its max buffer limit and was closed!" msgstr "" +"Niektóre gniazda osiągnęły limit swego maksymalnego bufora i zostały " +"zamknięte!" #: SSLVerifyHost.cpp:481 msgid "hostname doesn't match" -msgstr "" +msgstr "nazwa hosta nie pasuje" #: SSLVerifyHost.cpp:485 msgid "malformed hostname in certificate" -msgstr "" +msgstr "zniekształcona nazwa hosta w certyfikacie" #: SSLVerifyHost.cpp:489 msgid "hostname verification error" -msgstr "" +msgstr "błąd weryfikacji hosta" #: User.cpp:507 msgid "" @@ -1793,4 +1801,4 @@ msgstr "Nazwa użytkownika jest niepoprawna" #: User.cpp:1199 msgid "Unable to find modinfo {1}: {2}" -msgstr "" +msgstr "Nie można znaleźć modinfo {1}: {2}" From 5ff0ba7e05cd14ef7e9f002895fbc78d40715a85 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Tue, 28 Jul 2020 00:29:17 +0000 Subject: [PATCH 468/798] Update translations from Crowdin for pl_PL --- modules/po/alias.pl_PL.po | 2 +- modules/po/crypt.pl_PL.po | 49 ++++++++++++++++++++------------------- modules/po/log.pl_PL.po | 2 +- 3 files changed, 27 insertions(+), 26 deletions(-) diff --git a/modules/po/alias.pl_PL.po b/modules/po/alias.pl_PL.po index 7450be9f..f929dcb5 100644 --- a/modules/po/alias.pl_PL.po +++ b/modules/po/alias.pl_PL.po @@ -122,4 +122,4 @@ msgstr "Czyszczenie ich wszystkich!" #: alias.cpp:409 msgid "Provides bouncer-side command alias support." -msgstr "" +msgstr "Dostarcza wsparcie aliasów komand bouncera." diff --git a/modules/po/crypt.pl_PL.po b/modules/po/crypt.pl_PL.po index 38fa093e..ecc3e73b 100644 --- a/modules/po/crypt.pl_PL.po +++ b/modules/po/crypt.pl_PL.po @@ -16,103 +16,104 @@ msgstr "" #: crypt.cpp:198 msgid "<#chan|Nick>" -msgstr "" +msgstr "<#chan|Nick>" #: crypt.cpp:199 msgid "Remove a key for nick or channel" -msgstr "" +msgstr "Usuń klucz dla nicka lub kanału" #: crypt.cpp:201 msgid "<#chan|Nick> " -msgstr "" +msgstr "<#chan|Nick> " #: crypt.cpp:202 msgid "Set a key for nick or channel" -msgstr "" +msgstr "Ustaw klucz dla nicka lub kanału" #: crypt.cpp:204 msgid "List all keys" -msgstr "" +msgstr "Listuj wszystkie klucze" #: crypt.cpp:206 msgid "" -msgstr "" +msgstr "" #: crypt.cpp:207 msgid "Start a DH1080 key exchange with nick" -msgstr "" +msgstr "Rozpocznij wymianę kluczy DH1080 z nickiem" #: crypt.cpp:210 msgid "Get the nick prefix" -msgstr "" +msgstr "Zdobądź prefix nicka" #: crypt.cpp:213 msgid "[Prefix]" -msgstr "" +msgstr "[Prefix]" #: crypt.cpp:214 msgid "Set the nick prefix, with no argument it's disabled." -msgstr "" +msgstr "Ustaw prefix nicka, bez argumentu będzie wyłączony." #: crypt.cpp:270 msgid "Received DH1080 public key from {1}, sending mine..." -msgstr "" +msgstr "Otrzymano klucz publiczny DH1080 {1}, wysyłanie własnego..." #: crypt.cpp:275 crypt.cpp:296 msgid "Key for {1} successfully set." -msgstr "" +msgstr "Klucz dla {1} pomyślnie ustawiony." #: crypt.cpp:278 crypt.cpp:299 msgid "Error in {1} with {2}: {3}" -msgstr "" +msgstr "Błąd w {1} z {2}: {3}" #: crypt.cpp:280 crypt.cpp:301 msgid "no secret key computed" -msgstr "" +msgstr "nie obliczono tajnego klucza" #: crypt.cpp:395 msgid "Target [{1}] deleted" -msgstr "" +msgstr "Cel [{1}] skasowany" #: crypt.cpp:397 msgid "Target [{1}] not found" -msgstr "" +msgstr "Cel [{1}] nie znaleziony" #: crypt.cpp:400 msgid "Usage DelKey <#chan|Nick>" -msgstr "" +msgstr "Użycie DelKey <#chan|Nick>" #: crypt.cpp:415 msgid "Set encryption key for [{1}] to [{2}]" -msgstr "" +msgstr "Ustaw klucz szyfrowania dla [{1}] do [{2}]" #: crypt.cpp:417 msgid "Usage: SetKey <#chan|Nick> " -msgstr "" +msgstr "Użycie: SetKey <#chan|Nick> " #: crypt.cpp:428 msgid "Sent my DH1080 public key to {1}, waiting for reply ..." -msgstr "" +msgstr "Ustaw mój klucz publiczny DH1080 dla {1}, oczekuję na odpowiedź ..." #: crypt.cpp:430 msgid "Error generating our keys, nothing sent." -msgstr "" +msgstr "Błąd generowania naszych kluczy, nic nie wysłano." #: crypt.cpp:433 msgid "Usage: KeyX " -msgstr "" +msgstr "Użycie: KeyX " #: crypt.cpp:440 msgid "Nick Prefix disabled." -msgstr "" +msgstr "Prefix Nick wyłączony." #: crypt.cpp:442 msgid "Nick Prefix: {1}" -msgstr "" +msgstr "Prrefix Nicka: {1}" #: crypt.cpp:451 msgid "You cannot use :, even followed by other symbols, as Nick Prefix." msgstr "" +"Nie możesz użyć :, nawet poprzedzony przez inny symbol, jako prefix Nicka." #: crypt.cpp:460 msgid "Overlap with Status Prefix ({1}), this Nick Prefix will not be used!" diff --git a/modules/po/log.pl_PL.po b/modules/po/log.pl_PL.po index 675501a1..ca02bf8c 100644 --- a/modules/po/log.pl_PL.po +++ b/modules/po/log.pl_PL.po @@ -34,7 +34,7 @@ msgstr "Lista wszystkich reguł kronikowania" #: log.cpp:67 msgid " true|false" -msgstr " true|false" +msgstr " true|false" #: log.cpp:68 msgid "Set one of the following options: joins, quits, nickchanges" From 320487b06355b320bfc1431697f31c8cb9d815b5 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Tue, 28 Jul 2020 00:29:20 +0000 Subject: [PATCH 469/798] Update translations from Crowdin for pl_PL --- modules/po/alias.pl_PL.po | 2 +- modules/po/crypt.pl_PL.po | 49 ++++++++++++++++++++------------------- modules/po/log.pl_PL.po | 2 +- 3 files changed, 27 insertions(+), 26 deletions(-) diff --git a/modules/po/alias.pl_PL.po b/modules/po/alias.pl_PL.po index 5f5b7e4d..ab8fdf62 100644 --- a/modules/po/alias.pl_PL.po +++ b/modules/po/alias.pl_PL.po @@ -122,4 +122,4 @@ msgstr "Czyszczenie ich wszystkich!" #: alias.cpp:409 msgid "Provides bouncer-side command alias support." -msgstr "" +msgstr "Dostarcza wsparcie aliasów komand bouncera." diff --git a/modules/po/crypt.pl_PL.po b/modules/po/crypt.pl_PL.po index 6b9e97cf..a935d0ae 100644 --- a/modules/po/crypt.pl_PL.po +++ b/modules/po/crypt.pl_PL.po @@ -16,103 +16,104 @@ msgstr "" #: crypt.cpp:198 msgid "<#chan|Nick>" -msgstr "" +msgstr "<#chan|Nick>" #: crypt.cpp:199 msgid "Remove a key for nick or channel" -msgstr "" +msgstr "Usuń klucz dla nicka lub kanału" #: crypt.cpp:201 msgid "<#chan|Nick> " -msgstr "" +msgstr "<#chan|Nick> " #: crypt.cpp:202 msgid "Set a key for nick or channel" -msgstr "" +msgstr "Ustaw klucz dla nicka lub kanału" #: crypt.cpp:204 msgid "List all keys" -msgstr "" +msgstr "Listuj wszystkie klucze" #: crypt.cpp:206 msgid "" -msgstr "" +msgstr "" #: crypt.cpp:207 msgid "Start a DH1080 key exchange with nick" -msgstr "" +msgstr "Rozpocznij wymianę kluczy DH1080 z nickiem" #: crypt.cpp:210 msgid "Get the nick prefix" -msgstr "" +msgstr "Zdobądź prefix nicka" #: crypt.cpp:213 msgid "[Prefix]" -msgstr "" +msgstr "[Prefix]" #: crypt.cpp:214 msgid "Set the nick prefix, with no argument it's disabled." -msgstr "" +msgstr "Ustaw prefix nicka, bez argumentu będzie wyłączony." #: crypt.cpp:270 msgid "Received DH1080 public key from {1}, sending mine..." -msgstr "" +msgstr "Otrzymano klucz publiczny DH1080 {1}, wysyłanie własnego..." #: crypt.cpp:275 crypt.cpp:296 msgid "Key for {1} successfully set." -msgstr "" +msgstr "Klucz dla {1} pomyślnie ustawiony." #: crypt.cpp:278 crypt.cpp:299 msgid "Error in {1} with {2}: {3}" -msgstr "" +msgstr "Błąd w {1} z {2}: {3}" #: crypt.cpp:280 crypt.cpp:301 msgid "no secret key computed" -msgstr "" +msgstr "nie obliczono tajnego klucza" #: crypt.cpp:395 msgid "Target [{1}] deleted" -msgstr "" +msgstr "Cel [{1}] skasowany" #: crypt.cpp:397 msgid "Target [{1}] not found" -msgstr "" +msgstr "Cel [{1}] nie znaleziony" #: crypt.cpp:400 msgid "Usage DelKey <#chan|Nick>" -msgstr "" +msgstr "Użycie DelKey <#chan|Nick>" #: crypt.cpp:415 msgid "Set encryption key for [{1}] to [{2}]" -msgstr "" +msgstr "Ustaw klucz szyfrowania dla [{1}] do [{2}]" #: crypt.cpp:417 msgid "Usage: SetKey <#chan|Nick> " -msgstr "" +msgstr "Użycie: SetKey <#chan|Nick> " #: crypt.cpp:428 msgid "Sent my DH1080 public key to {1}, waiting for reply ..." -msgstr "" +msgstr "Ustaw mój klucz publiczny DH1080 dla {1}, oczekuję na odpowiedź ..." #: crypt.cpp:430 msgid "Error generating our keys, nothing sent." -msgstr "" +msgstr "Błąd generowania naszych kluczy, nic nie wysłano." #: crypt.cpp:433 msgid "Usage: KeyX " -msgstr "" +msgstr "Użycie: KeyX " #: crypt.cpp:440 msgid "Nick Prefix disabled." -msgstr "" +msgstr "Prefix Nick wyłączony." #: crypt.cpp:442 msgid "Nick Prefix: {1}" -msgstr "" +msgstr "Prrefix Nicka: {1}" #: crypt.cpp:451 msgid "You cannot use :, even followed by other symbols, as Nick Prefix." msgstr "" +"Nie możesz użyć :, nawet poprzedzony przez inny symbol, jako prefix Nicka." #: crypt.cpp:460 msgid "Overlap with Status Prefix ({1}), this Nick Prefix will not be used!" diff --git a/modules/po/log.pl_PL.po b/modules/po/log.pl_PL.po index 2775a55b..e605173f 100644 --- a/modules/po/log.pl_PL.po +++ b/modules/po/log.pl_PL.po @@ -34,7 +34,7 @@ msgstr "Lista wszystkich reguł kronikowania" #: log.cpp:67 msgid " true|false" -msgstr " true|false" +msgstr " true|false" #: log.cpp:68 msgid "Set one of the following options: joins, quits, nickchanges" From 46f3a296803fa1c1493e632c175490c9c6c869a1 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Wed, 29 Jul 2020 00:29:07 +0000 Subject: [PATCH 470/798] Update translations from Crowdin for --- TRANSLATORS.md | 1 + 1 file changed, 1 insertion(+) diff --git a/TRANSLATORS.md b/TRANSLATORS.md index 2de043eb..2153647c 100644 --- a/TRANSLATORS.md +++ b/TRANSLATORS.md @@ -1,6 +1,7 @@ These people helped translating ZNC to various languages: * Altay +* bashgeek (Daniel) * casmo (Casper) * ChaosEngine (Andrzej Pauli) * cirinho (Ciro Moniz) From 276ff8e42c5b53d0304079f0cefc799e0ecfacb1 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Wed, 29 Jul 2020 00:29:08 +0000 Subject: [PATCH 471/798] Update translations from Crowdin for de_DE --- TRANSLATORS.md | 1 + modules/po/crypt.de_DE.po | 58 +++---- modules/po/dcc.de_DE.po | 71 ++++----- modules/po/flooddetach.de_DE.po | 3 +- modules/po/log.de_DE.po | 2 +- modules/po/modules_online.de_DE.po | 2 +- modules/po/nickserv.de_DE.po | 2 +- modules/po/notes.de_DE.po | 50 +++--- modules/po/perform.de_DE.po | 45 +++--- modules/po/sample.de_DE.po | 32 ++-- modules/po/sasl.de_DE.po | 79 +++++----- modules/po/send_raw.de_DE.po | 46 +++--- modules/po/simple_away.de_DE.po | 37 +++-- modules/po/stickychan.de_DE.po | 43 +++--- modules/po/watch.de_DE.po | 86 ++++++----- modules/po/webadmin.de_DE.po | 235 +++++++++++++++++------------ 16 files changed, 434 insertions(+), 358 deletions(-) diff --git a/TRANSLATORS.md b/TRANSLATORS.md index 2de043eb..2153647c 100644 --- a/TRANSLATORS.md +++ b/TRANSLATORS.md @@ -1,6 +1,7 @@ These people helped translating ZNC to various languages: * Altay +* bashgeek (Daniel) * casmo (Casper) * ChaosEngine (Andrzej Pauli) * cirinho (Ciro Moniz) diff --git a/modules/po/crypt.de_DE.po b/modules/po/crypt.de_DE.po index 56380471..5ecbf367 100644 --- a/modules/po/crypt.de_DE.po +++ b/modules/po/crypt.de_DE.po @@ -14,27 +14,27 @@ msgstr "" #: crypt.cpp:198 msgid "<#chan|Nick>" -msgstr "<#Raum|Nickname>" +msgstr "<#chan|Nick>" #: crypt.cpp:199 msgid "Remove a key for nick or channel" -msgstr "" +msgstr "Einen Schlüssel für Nick oder Kanal entfernen" #: crypt.cpp:201 msgid "<#chan|Nick> " -msgstr "" +msgstr "<#chan|Nick> " #: crypt.cpp:202 msgid "Set a key for nick or channel" -msgstr "" +msgstr "Einen Schlüssel für Nick oder Kanal setzen" #: crypt.cpp:204 msgid "List all keys" -msgstr "" +msgstr "Alle Schlüssel auflisten" #: crypt.cpp:206 msgid "" -msgstr "" +msgstr "" #: crypt.cpp:207 msgid "Start a DH1080 key exchange with nick" @@ -42,97 +42,103 @@ msgstr "Starte DH1080 Schlüsselaustausch mit Nick" #: crypt.cpp:210 msgid "Get the nick prefix" -msgstr "" +msgstr "Nick Präfix anzeigen" #: crypt.cpp:213 msgid "[Prefix]" -msgstr "" +msgstr "[Präfix]" #: crypt.cpp:214 msgid "Set the nick prefix, with no argument it's disabled." -msgstr "" +msgstr "Die Nick Präfix setzen; ohne Argument wird sie deaktiviert." #: crypt.cpp:270 msgid "Received DH1080 public key from {1}, sending mine..." -msgstr "" +msgstr "DH1080 Public Key von {1} empfangen, sende meinen..." #: crypt.cpp:275 crypt.cpp:296 msgid "Key for {1} successfully set." -msgstr "" +msgstr "Schlüssel für {1} erfolgreich gesetzt." #: crypt.cpp:278 crypt.cpp:299 msgid "Error in {1} with {2}: {3}" -msgstr "" +msgstr "Fehler in {1} mit {2}: {3}" #: crypt.cpp:280 crypt.cpp:301 msgid "no secret key computed" -msgstr "" +msgstr "keinen Geheim-Schlüssel generiert" #: crypt.cpp:395 msgid "Target [{1}] deleted" -msgstr "" +msgstr "Ziel [{1}] gelöscht" #: crypt.cpp:397 msgid "Target [{1}] not found" -msgstr "" +msgstr "Ziel [{1}] nicht gefunden" #: crypt.cpp:400 msgid "Usage DelKey <#chan|Nick>" -msgstr "" +msgstr "Benutzung DelKey <#chan|Nick>" #: crypt.cpp:415 msgid "Set encryption key for [{1}] to [{2}]" -msgstr "" +msgstr "Setze Verschlüsselungs-Schlüssel für [{1}] auf [{2}]" #: crypt.cpp:417 msgid "Usage: SetKey <#chan|Nick> " -msgstr "" +msgstr "Benutzung SetKey <#chan|Nick> " #: crypt.cpp:428 msgid "Sent my DH1080 public key to {1}, waiting for reply ..." msgstr "" +"Mein öffentlicher DH1080 Schlüssel wurde an {1} gesendet, warte auf " +"Antwort..." #: crypt.cpp:430 msgid "Error generating our keys, nothing sent." -msgstr "" +msgstr "Fehler beim generieren unserer Schlüssel, nichts gesendet." #: crypt.cpp:433 msgid "Usage: KeyX " -msgstr "" +msgstr "Benutzung: KeyX " #: crypt.cpp:440 msgid "Nick Prefix disabled." -msgstr "" +msgstr "Nick Präfix deaktiviert." #: crypt.cpp:442 msgid "Nick Prefix: {1}" -msgstr "" +msgstr "Nick Präfix: {1}" #: crypt.cpp:451 msgid "You cannot use :, even followed by other symbols, as Nick Prefix." msgstr "" +"Du kannst \":;\" nicht als Nick Präfix nutzen, auch nicht gefolgt von " +"anderen Zeichen." #: crypt.cpp:460 msgid "Overlap with Status Prefix ({1}), this Nick Prefix will not be used!" msgstr "" +"Überschneidung mit Status Präfix ({1}). Dieser Nick Präfix wird nicht " +"genutzt werden!" #: crypt.cpp:465 msgid "Disabling Nick Prefix." -msgstr "" +msgstr "Nick Präfix deaktivieren." #: crypt.cpp:467 msgid "Setting Nick Prefix to {1}" -msgstr "" +msgstr "Setze Nick Präfix auf {1}" #: crypt.cpp:474 crypt.cpp:481 msgctxt "listkeys" msgid "Target" -msgstr "" +msgstr "Ziel" #: crypt.cpp:475 crypt.cpp:482 msgctxt "listkeys" msgid "Key" -msgstr "" +msgstr "Schlüssel" #: crypt.cpp:486 msgid "You have no encryption keys set." diff --git a/modules/po/dcc.de_DE.po b/modules/po/dcc.de_DE.po index f5dee3ad..418ca10a 100644 --- a/modules/po/dcc.de_DE.po +++ b/modules/po/dcc.de_DE.po @@ -26,40 +26,41 @@ msgstr "" #: dcc.cpp:92 msgid "Send a file from ZNC to your client" -msgstr "" +msgstr "Sende eine Datei von ZNC zu deinem Klienten" #: dcc.cpp:94 msgid "List current transfers" -msgstr "" +msgstr "Zeige momentane Transfers" #: dcc.cpp:103 msgid "You must be admin to use the DCC module" -msgstr "" +msgstr "Du musst Administrator sein, um das DCC Modul zu verwenden" #: dcc.cpp:140 msgid "Attempting to send [{1}] to [{2}]." -msgstr "" +msgstr "Versuche [{1}] an [{2}] zu senden." #: dcc.cpp:149 dcc.cpp:554 msgid "Receiving [{1}] from [{2}]: File already exists." -msgstr "" +msgstr "Empfange [{1}] von [{2}]: Datei existiert bereits." #: dcc.cpp:167 msgid "" "Attempting to connect to [{1} {2}] in order to download [{3}] from [{4}]." msgstr "" +"Versuche zu [{1} {2}] zu verbinden um [{3}] von [{4}] herunter zu laden." #: dcc.cpp:179 msgid "Usage: Send " -msgstr "" +msgstr "Benutzung: Send " #: dcc.cpp:186 dcc.cpp:206 msgid "Illegal path." -msgstr "" +msgstr "Ungültiger Pfad." #: dcc.cpp:199 msgid "Usage: Get " -msgstr "" +msgstr "Benutzung: Get " #: dcc.cpp:215 dcc.cpp:232 dcc.cpp:234 msgctxt "list" @@ -94,57 +95,59 @@ msgstr "Datei" #: dcc.cpp:232 msgctxt "list-type" msgid "Sending" -msgstr "" +msgstr "Sende" #: dcc.cpp:234 msgctxt "list-type" msgid "Getting" -msgstr "" +msgstr "Empfange" #: dcc.cpp:239 msgctxt "list-state" msgid "Waiting" -msgstr "" +msgstr "Warte" #: dcc.cpp:244 msgid "{1} KiB/s" -msgstr "" +msgstr "{1} KiB/s" #: dcc.cpp:250 msgid "You have no active DCC transfers." -msgstr "" +msgstr "Du hast keine aktiven DCC Transfers." #: dcc.cpp:267 msgid "Attempting to resume send from position {1} of file [{2}] for [{3}]" msgstr "" +"Versuche eine Wiederaufnahme von Position {1} der Datei [{2}] für [{3}]" #: dcc.cpp:277 msgid "Couldn't resume file [{1}] for [{2}]: not sending anything." msgstr "" +"Konnte Versand von [{1}] an [{2}] nicht wiederaufnehmen: Nichts gesendet." #: dcc.cpp:286 msgid "Bad DCC file: {1}" -msgstr "" +msgstr "Fehlerhafte DCC Datei: {1}" #: dcc.cpp:341 msgid "Sending [{1}] to [{2}]: File not open!" -msgstr "" +msgstr "Sende [{1}] an [{2}]: Datei nicht geöffnet!" #: dcc.cpp:345 msgid "Receiving [{1}] from [{2}]: File not open!" -msgstr "" +msgstr "Empfange [{1}] von [{2}]: Datei nicht geöffnet!" #: dcc.cpp:385 msgid "Sending [{1}] to [{2}]: Connection refused." -msgstr "" +msgstr "Sende [{1}] an [{2}]: Verbindung verweigert." #: dcc.cpp:389 msgid "Receiving [{1}] from [{2}]: Connection refused." -msgstr "" +msgstr "Empfange [{1}] von [{2}]: Verbindung verweigert." #: dcc.cpp:397 msgid "Sending [{1}] to [{2}]: Timeout." -msgstr "" +msgstr "Sende [{1}] an [{2}]: Zeitüberschreitung." #: dcc.cpp:401 msgid "Receiving [{1}] from [{2}]: Timeout." @@ -168,60 +171,60 @@ msgstr "Empfang [{1}] von [{2}]: Übertragung gestartet." #: dcc.cpp:446 msgid "Sending [{1}] to [{2}]: Too much data!" -msgstr "" +msgstr "Sende [{1}] an [{2}]: Zu viele Daten!" #: dcc.cpp:450 msgid "Receiving [{1}] from [{2}]: Too much data!" -msgstr "" +msgstr "Empfange [{1}] von [{2}]: Zu viele Daten!" #: dcc.cpp:456 msgid "Sending [{1}] to [{2}] completed at {3} KiB/s" -msgstr "" +msgstr "Senden von [{1}] an [{2}] vervollständigt mit {3} KiB/s" #: dcc.cpp:461 msgid "Receiving [{1}] from [{2}] completed at {3} KiB/s" -msgstr "" +msgstr "Empfangen von [{1}] an [{2}] vervollständigt mit {3} KiB/s" #: dcc.cpp:474 msgid "Sending [{1}] to [{2}]: File closed prematurely." -msgstr "" +msgstr "Sende [{1}] an [{2}]: Datei vorzeitig geschlossen." #: dcc.cpp:478 msgid "Receiving [{1}] from [{2}]: File closed prematurely." -msgstr "" +msgstr "Empfange [{1}] von [{2}]: Datei vorzeitig geschlossen." #: dcc.cpp:501 msgid "Sending [{1}] to [{2}]: Error reading from file." -msgstr "" +msgstr "Sende [{1}] an [{2}]: Fehler beim Lesen der Datei." #: dcc.cpp:505 msgid "Receiving [{1}] from [{2}]: Error reading from file." -msgstr "" +msgstr "Empfange [{1}] von [{2}]: Fehler beim Lesen der Datei." #: dcc.cpp:537 msgid "Sending [{1}] to [{2}]: Unable to open file." -msgstr "" +msgstr "Sende [{1}] an [{2}]: Kann Datei nicht öffnen." #: dcc.cpp:541 msgid "Receiving [{1}] from [{2}]: Unable to open file." -msgstr "" +msgstr "Empfange [{1}] von [{2}]: Kann Datei nicht öffnen." #: dcc.cpp:563 msgid "Receiving [{1}] from [{2}]: Could not open file." -msgstr "" +msgstr "Empfange [{1}] von [{2}]: Kann Datei nicht öffnen." #: dcc.cpp:572 msgid "Sending [{1}] to [{2}]: Not a file." -msgstr "" +msgstr "Sende [{1}] an [{2}]: Keine Datei." #: dcc.cpp:581 msgid "Sending [{1}] to [{2}]: Could not open file." -msgstr "" +msgstr "Sende [{1}] an [{2}]: Kann Datei nicht öffnen." #: dcc.cpp:593 msgid "Sending [{1}] to [{2}]: File too large (>4 GiB)." -msgstr "" +msgstr "Sende [{1}] an [{2}]: Datei ist zu groß (>4 GiB)." #: dcc.cpp:623 msgid "This module allows you to transfer files to and from ZNC" -msgstr "" +msgstr "Dieses Modul erlaubt es dir Datei von und zu ZNC zu übertragen" diff --git a/modules/po/flooddetach.de_DE.po b/modules/po/flooddetach.de_DE.po index 0ea247a4..b8b0f786 100644 --- a/modules/po/flooddetach.de_DE.po +++ b/modules/po/flooddetach.de_DE.po @@ -26,11 +26,12 @@ msgstr "Zeige oder Setze die Anzahl an Sekunden im Zeitinterval" #: flooddetach.cpp:36 msgid "Show or set number of lines in the time interval" -msgstr "" +msgstr "Zeige oder Setze die Anzahl an Sekunden im Interval" #: flooddetach.cpp:39 msgid "Show or set whether to notify you about detaching and attaching back" msgstr "" +"Zeige oder Setze ob du über das Trennen und Neuverbinden benachrichtigt wirst" #: flooddetach.cpp:93 msgid "Flood in {1} is over, reattaching..." diff --git a/modules/po/log.de_DE.po b/modules/po/log.de_DE.po index 485af5c5..14710f9e 100644 --- a/modules/po/log.de_DE.po +++ b/modules/po/log.de_DE.po @@ -55,7 +55,7 @@ msgstr "Keine Logging-Regeln - alles wird geloggt." #: log.cpp:161 msgid "1 rule removed: {2}" msgid_plural "{1} rules removed: {2}" -msgstr[0] "" +msgstr[0] "1 Regel entfernt: {2}" msgstr[1] "{1} Regeln entfernt: {2}" #: log.cpp:168 log.cpp:174 diff --git a/modules/po/modules_online.de_DE.po b/modules/po/modules_online.de_DE.po index 3d6ab2e4..280b75ea 100644 --- a/modules/po/modules_online.de_DE.po +++ b/modules/po/modules_online.de_DE.po @@ -14,4 +14,4 @@ msgstr "" #: modules_online.cpp:117 msgid "Makes ZNC's *modules to be \"online\"." -msgstr "" +msgstr "Macht ZNC *module \"online\"." diff --git a/modules/po/nickserv.de_DE.po b/modules/po/nickserv.de_DE.po index 08e521d6..a32f1f1c 100644 --- a/modules/po/nickserv.de_DE.po +++ b/modules/po/nickserv.de_DE.po @@ -18,7 +18,7 @@ msgstr "Passwort gesetzt" #: nickserv.cpp:36 nickserv.cpp:46 msgid "Done" -msgstr "" +msgstr "Erledigt" #: nickserv.cpp:41 msgid "NickServ name set" diff --git a/modules/po/notes.de_DE.po b/modules/po/notes.de_DE.po index 65f23bdd..fd19b33f 100644 --- a/modules/po/notes.de_DE.po +++ b/modules/po/notes.de_DE.po @@ -14,106 +14,110 @@ msgstr "" #: modules/po/../data/notes/tmpl/index.tmpl:7 msgid "Add A Note" -msgstr "" +msgstr "Notiz hinzufügen" #: modules/po/../data/notes/tmpl/index.tmpl:11 msgid "Key:" -msgstr "" +msgstr "Schlüssel:" #: modules/po/../data/notes/tmpl/index.tmpl:15 msgid "Note:" -msgstr "" +msgstr "Notiz:" #: modules/po/../data/notes/tmpl/index.tmpl:19 msgid "Add Note" -msgstr "" +msgstr "Notiz hinzufügen" #: modules/po/../data/notes/tmpl/index.tmpl:27 msgid "You have no notes to display." -msgstr "" +msgstr "Du hast keine Notizen." #: modules/po/../data/notes/tmpl/index.tmpl:34 notes.cpp:164 notes.cpp:170 msgid "Key" -msgstr "" +msgstr "Schlüssel" #: modules/po/../data/notes/tmpl/index.tmpl:35 notes.cpp:165 notes.cpp:171 msgid "Note" -msgstr "" +msgstr "Notiz" #: modules/po/../data/notes/tmpl/index.tmpl:41 msgid "[del]" -msgstr "" +msgstr "[del]" #: notes.cpp:32 msgid "That note already exists. Use MOD to overwrite." msgstr "" +"Diese Notiz existiert bereits. Benutze MOD zum überschreiben." #: notes.cpp:35 notes.cpp:137 msgid "Added note {1}" -msgstr "" +msgstr "Notiz hinzugefügt {1}" #: notes.cpp:37 notes.cpp:48 notes.cpp:142 msgid "Unable to add note {1}" -msgstr "" +msgstr "Kann Notiz nicht hinzufügen {1}" #: notes.cpp:46 notes.cpp:139 msgid "Set note for {1}" -msgstr "" +msgstr "Notiz für {1} gesetzt" #: notes.cpp:56 msgid "This note doesn't exist." -msgstr "" +msgstr "Diese Notiz existiert nicht." #: notes.cpp:66 notes.cpp:116 msgid "Deleted note {1}" -msgstr "" +msgstr "Notiz gelöscht {1}" #: notes.cpp:68 notes.cpp:118 msgid "Unable to delete note {1}" -msgstr "" +msgstr "Kann Notiz nicht löschen {1}" #: notes.cpp:75 msgid "List notes" -msgstr "" +msgstr "Notizen anzeigen" #: notes.cpp:77 notes.cpp:81 msgid " " -msgstr "" +msgstr " " #: notes.cpp:77 msgid "Add a note" -msgstr "" +msgstr "Notiz hinzufügen" #: notes.cpp:79 notes.cpp:83 msgid "" -msgstr "" +msgstr "" #: notes.cpp:79 msgid "Delete a note" -msgstr "" +msgstr "Notiz löschen" #: notes.cpp:81 msgid "Modify a note" -msgstr "" +msgstr "Notiz modifizieren" #: notes.cpp:94 msgid "Notes" -msgstr "" +msgstr "Notizen" #: notes.cpp:133 msgid "That note already exists. Use /#+ to overwrite." msgstr "" +"Diese Notiz existiert bereits. Benutze MOD zum überschreiben." #: notes.cpp:186 notes.cpp:188 msgid "You have no entries." -msgstr "" +msgstr "Du hast keine Einträge." #: notes.cpp:224 msgid "" "This user module takes up to one arguments. It can be -disableNotesOnLogin " "not to show notes upon client login" msgstr "" +"Dieses Benutzer-Modul erkennt bis zu einem Argument. Es kann -" +"disableNotesOnLogin sein, um keine Notizen beim Klient-Login anzuzeigen" #: notes.cpp:228 msgid "Keep and replay notes" -msgstr "" +msgstr "Behalte und Wiederhole Notizen" diff --git a/modules/po/perform.de_DE.po b/modules/po/perform.de_DE.po index e0c28fa6..b0f15c58 100644 --- a/modules/po/perform.de_DE.po +++ b/modules/po/perform.de_DE.po @@ -14,95 +14,100 @@ msgstr "" #: modules/po/../data/perform/tmpl/index.tmpl:7 perform.cpp:143 msgid "Perform" -msgstr "" +msgstr "Perform" #: modules/po/../data/perform/tmpl/index.tmpl:11 msgid "Perform commands:" -msgstr "" +msgstr "Perform Befehle:" #: modules/po/../data/perform/tmpl/index.tmpl:15 msgid "Commands sent to the IRC server on connect, one per line." msgstr "" +"Befehle die zum IRC-Server beim verbinden gesendet werden, einer pro Zeile." #: modules/po/../data/perform/tmpl/index.tmpl:18 msgid "Save" -msgstr "" +msgstr "Speichern" #: perform.cpp:24 msgid "Usage: add " -msgstr "" +msgstr "Benutzung: add " #: perform.cpp:29 msgid "Added!" -msgstr "" +msgstr "Hinzugefügt!" #: perform.cpp:37 perform.cpp:82 msgid "Illegal # Requested" -msgstr "" +msgstr "Ungültige # angefragt" #: perform.cpp:41 msgid "Command Erased." -msgstr "" +msgstr "Befehl gelöscht." #: perform.cpp:50 perform.cpp:56 msgctxt "list" msgid "Id" -msgstr "" +msgstr "Id" #: perform.cpp:51 perform.cpp:57 msgctxt "list" msgid "Perform" -msgstr "" +msgstr "Perform" #: perform.cpp:52 perform.cpp:62 msgctxt "list" msgid "Expanded" -msgstr "" +msgstr "Erweitert" #: perform.cpp:67 msgid "No commands in your perform list." -msgstr "" +msgstr "Keine Befehle in deiner Perform-Liste." #: perform.cpp:73 msgid "perform commands sent" -msgstr "" +msgstr "Perform Befehle gesendet" #: perform.cpp:86 msgid "Commands Swapped." -msgstr "" +msgstr "Befehle getauscht." #: perform.cpp:95 msgid "" -msgstr "" +msgstr "" #: perform.cpp:96 msgid "Adds perform command to be sent to the server on connect" msgstr "" +"Fügt einen Perform-Befehl hinzu, der bei der Verbindung zum Server gesendet " +"wird" #: perform.cpp:98 msgid "" -msgstr "" +msgstr "" #: perform.cpp:98 msgid "Delete a perform command" -msgstr "" +msgstr "Einen Perform-Befehl löschen" #: perform.cpp:100 msgid "List the perform commands" -msgstr "" +msgstr "Perform-Befehle auflisten" #: perform.cpp:103 msgid "Send the perform commands to the server now" -msgstr "" +msgstr "Sende die Perform-Befehle jetzt an den Server" #: perform.cpp:105 msgid " " -msgstr "" +msgstr " " #: perform.cpp:106 msgid "Swap two perform commands" -msgstr "" +msgstr "Tausche zwei Perform-Befehle" #: perform.cpp:192 msgid "Keeps a list of commands to be executed when ZNC connects to IRC." msgstr "" +"Speichert eine Anzahl an Befehlen die bei der Verbindung von ZNC zum IRC-" +"Server gesendet werden." diff --git a/modules/po/sample.de_DE.po b/modules/po/sample.de_DE.po index d61decb2..b45dff41 100644 --- a/modules/po/sample.de_DE.po +++ b/modules/po/sample.de_DE.po @@ -38,65 +38,65 @@ msgstr "Ich bin entladen!" #: sample.cpp:94 msgid "You got connected BoyOh." -msgstr "" +msgstr "Du wurdest verbunden BoyOh." #: sample.cpp:98 msgid "You got disconnected BoyOh." -msgstr "" +msgstr "Du wurdest getrennt BoyOh." #: sample.cpp:116 msgid "{1} {2} set mode on {3} {4}{5} {6}" -msgstr "" +msgstr "{1} {2} setzt Modus in {3} {4}{5} {6}" #: sample.cpp:123 msgid "{1} {2} opped {3} on {4}" -msgstr "" +msgstr "{1} {2} opped {3} in {4}" #: sample.cpp:129 msgid "{1} {2} deopped {3} on {4}" -msgstr "" +msgstr "{1} {2} deopped {3} in {4}" #: sample.cpp:135 msgid "{1} {2} voiced {3} on {4}" -msgstr "" +msgstr "{1} {2} voiced {3} in {4}" #: sample.cpp:141 msgid "{1} {2} devoiced {3} on {4}" -msgstr "" +msgstr "{1} {2} devoiced {3} in {4}" #: sample.cpp:147 msgid "* {1} sets mode: {2} {3} on {4}" -msgstr "" +msgstr "* {1} setzt Modus: {2} {3} in {4}" #: sample.cpp:163 msgid "{1} kicked {2} from {3} with the msg {4}" -msgstr "" +msgstr "{1} kicked {2} aus {3} mit der Nachricht {4}" #: sample.cpp:169 msgid "* {1} ({2}@{3}) quits ({4}) from channel: {6}" msgid_plural "* {1} ({2}@{3}) quits ({4}) from {5} channels: {6}" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "* {1} ({2}@{3}) verlässt ({4}) den Kanal: {6}" +msgstr[1] "* {1} ({2}@{3}) verlässt ({4}) {5} Kanäle: {6}" #: sample.cpp:177 msgid "Attempting to join {1}" -msgstr "" +msgstr "Versuche {1} beizutreten" #: sample.cpp:182 msgid "* {1} ({2}@{3}) joins {4}" -msgstr "" +msgstr "* {1} ({2}@{3}) joins {4}" #: sample.cpp:189 msgid "* {1} ({2}@{3}) parts {4}" -msgstr "" +msgstr "* {1} ({2}@{3}) parts {4}" #: sample.cpp:196 msgid "{1} invited us to {2}, ignoring invites to {2}" -msgstr "" +msgstr "{1} lädt uns ein zu {2}, ignoriere Einladungen zu {2}" #: sample.cpp:201 msgid "{1} invited us to {2}" -msgstr "" +msgstr "{1} hat uns zu {2} eingeladen" #: sample.cpp:207 msgid "{1} is now known as {2}" diff --git a/modules/po/sasl.de_DE.po b/modules/po/sasl.de_DE.po index f0fcd76f..2ffbde9a 100644 --- a/modules/po/sasl.de_DE.po +++ b/modules/po/sasl.de_DE.po @@ -14,161 +14,166 @@ msgstr "" #: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:301 msgid "SASL" -msgstr "" +msgstr "SASL" #: modules/po/../data/sasl/tmpl/index.tmpl:11 msgid "Username:" -msgstr "" +msgstr "Benutzername:" #: modules/po/../data/sasl/tmpl/index.tmpl:13 msgid "Please enter a username." -msgstr "" +msgstr "Bitte gib einen Benutzernamen ein." #: modules/po/../data/sasl/tmpl/index.tmpl:16 msgid "Password:" -msgstr "" +msgstr "Passwort:" #: modules/po/../data/sasl/tmpl/index.tmpl:18 msgid "Please enter a password." -msgstr "" +msgstr "Bitte gib ein Passwort ein." #: modules/po/../data/sasl/tmpl/index.tmpl:22 msgid "Options" -msgstr "" +msgstr "Optionen" #: modules/po/../data/sasl/tmpl/index.tmpl:25 msgid "Connect only if SASL authentication succeeds." -msgstr "" +msgstr "Verbinde nur wenn die SASL-Authentifizierung erfolgreich ist." #: modules/po/../data/sasl/tmpl/index.tmpl:27 msgid "Require authentication" -msgstr "" +msgstr "Erfordert Authentifizierung" #: modules/po/../data/sasl/tmpl/index.tmpl:35 msgid "Mechanisms" -msgstr "" +msgstr "Mechanismen" #: modules/po/../data/sasl/tmpl/index.tmpl:42 msgid "Name" -msgstr "" +msgstr "Name" #: modules/po/../data/sasl/tmpl/index.tmpl:43 sasl.cpp:89 sasl.cpp:95 msgid "Description" -msgstr "" +msgstr "Beschreibung" #: modules/po/../data/sasl/tmpl/index.tmpl:57 msgid "Selected mechanisms and their order:" -msgstr "" +msgstr "Wähle Mechanismen und deren Reihenfolge:" #: modules/po/../data/sasl/tmpl/index.tmpl:74 msgid "Save" -msgstr "" +msgstr "Speichern" #: sasl.cpp:54 msgid "TLS certificate, for use with the *cert module" -msgstr "" +msgstr "TLS Zertifikat, zur Nutzung mit dem *cert Modul" #: sasl.cpp:56 msgid "" "Plain text negotiation, this should work always if the network supports SASL" msgstr "" +"Klartext Übertragung, dies sollte immer funktionieren wenn das Netzwerk SASL " +"unterstützt" #: sasl.cpp:62 msgid "search" -msgstr "" +msgstr "suchen" #: sasl.cpp:62 msgid "Generate this output" -msgstr "" +msgstr "Erzeuge diese Ausgabe" #: sasl.cpp:64 msgid "[ []]" -msgstr "" +msgstr "[ []]" #: sasl.cpp:65 msgid "" "Set username and password for the mechanisms that need them. Password is " "optional. Without parameters, returns information about current settings." msgstr "" +"Setze Benutzername und Passwort für die Mechanismen, die diese benötigen. " +"Passwort ist optional. Ohne Parameter werden momentane Einstellungen " +"angezeigt." #: sasl.cpp:69 msgid "[mechanism[ ...]]" -msgstr "" +msgstr "[mechanism[ ...]]" #: sasl.cpp:70 msgid "Set the mechanisms to be attempted (in order)" -msgstr "" +msgstr "Setzt die versuchten Mechanismen (in Reihenfolge)" #: sasl.cpp:72 msgid "[yes|no]" -msgstr "" +msgstr "[yes|no]" #: sasl.cpp:73 msgid "Don't connect unless SASL authentication succeeds" -msgstr "" +msgstr "Verbinde nur wenn die SASL-Authentifizierung erfolgreich ist" #: sasl.cpp:88 sasl.cpp:94 msgid "Mechanism" -msgstr "" +msgstr "Mechanismen" #: sasl.cpp:99 msgid "The following mechanisms are available:" -msgstr "" +msgstr "Die folgenden Mechanismen stehen zur Verfügung:" #: sasl.cpp:109 msgid "Username is currently not set" -msgstr "" +msgstr "Momentan ist kein Benutzername gesetzt" #: sasl.cpp:111 msgid "Username is currently set to '{1}'" -msgstr "" +msgstr "Benutzername ist momentan auf '{1}' gesetzt" #: sasl.cpp:114 msgid "Password was not supplied" -msgstr "" +msgstr "Passwort wurde nicht bereitgestellt" #: sasl.cpp:116 msgid "Password was supplied" -msgstr "" +msgstr "Passwort wurde bereitgestellt" #: sasl.cpp:124 msgid "Username has been set to [{1}]" -msgstr "" +msgstr "Benutzername wurde auf [{1}] gesetzt" #: sasl.cpp:125 msgid "Password has been set to [{1}]" -msgstr "" +msgstr "Passwort wurde auf [{1}] gesetzt" #: sasl.cpp:145 msgid "Current mechanisms set: {1}" -msgstr "" +msgstr "Momentan gesetzter Mechanismus: {1}" #: sasl.cpp:154 msgid "We require SASL negotiation to connect" -msgstr "" +msgstr "We benötigen eine SASL-Verhandlung zum Verbinden" #: sasl.cpp:156 msgid "We will connect even if SASL fails" -msgstr "" +msgstr "Wir werden auch verbinden, wenn SASL fehlschlägt" #: sasl.cpp:193 msgid "Disabling network, we require authentication." -msgstr "" +msgstr "Netzwerk deaktivieren, wir benötigen Authentifizierung." #: sasl.cpp:194 msgid "Use 'RequireAuth no' to disable." -msgstr "" +msgstr "Benutzer 'RequireAuth no' zum deaktivieren." #: sasl.cpp:256 msgid "{1} mechanism succeeded." -msgstr "" +msgstr "{1} Mechanismus erfolgreich." #: sasl.cpp:268 msgid "{1} mechanism failed." -msgstr "" +msgstr "{1} Mechanismus fehlgeschlagen." #: sasl.cpp:346 msgid "" "Adds support for sasl authentication capability to authenticate to an IRC " "server" -msgstr "" +msgstr "Erlaubt Unterstützung für SASL-Authentifizierungen an IRC-Servern" diff --git a/modules/po/send_raw.de_DE.po b/modules/po/send_raw.de_DE.po index aa6c917e..eae83f07 100644 --- a/modules/po/send_raw.de_DE.po +++ b/modules/po/send_raw.de_DE.po @@ -14,96 +14,98 @@ msgstr "" #: modules/po/../data/send_raw/tmpl/index.tmpl:9 msgid "Send a raw IRC line" -msgstr "" +msgstr "Sendet eine unverarbeitete IRC Zeile" #: modules/po/../data/send_raw/tmpl/index.tmpl:14 msgid "User:" -msgstr "" +msgstr "Benutzer:" #: modules/po/../data/send_raw/tmpl/index.tmpl:15 msgid "To change user, click to Network selector" -msgstr "" +msgstr "Um den Benutzer zu ändern, klicke auf den Netzwerk-Auswähler" #: modules/po/../data/send_raw/tmpl/index.tmpl:19 msgid "User/Network:" -msgstr "" +msgstr "Benutzer/Netzwerk:" #: modules/po/../data/send_raw/tmpl/index.tmpl:32 msgid "Send to:" -msgstr "" +msgstr "Sende an:" #: modules/po/../data/send_raw/tmpl/index.tmpl:34 msgid "Client" -msgstr "" +msgstr "Klient" #: modules/po/../data/send_raw/tmpl/index.tmpl:35 msgid "Server" -msgstr "" +msgstr "Server" #: modules/po/../data/send_raw/tmpl/index.tmpl:40 msgid "Line:" -msgstr "" +msgstr "Zeile:" #: modules/po/../data/send_raw/tmpl/index.tmpl:45 msgid "Send" -msgstr "" +msgstr "Senden" #: send_raw.cpp:32 msgid "Sent [{1}] to {2}/{3}" -msgstr "" +msgstr "[{1}] gesendet an {2}/{3}" #: send_raw.cpp:36 send_raw.cpp:56 msgid "Network {1} not found for user {2}" -msgstr "" +msgstr "Netzwerk {1} für Benutzer {2} nicht gefunden" #: send_raw.cpp:40 send_raw.cpp:60 msgid "User {1} not found" -msgstr "" +msgstr "Benutzer {1} nicht gefunden" #: send_raw.cpp:52 msgid "Sent [{1}] to IRC server of {2}/{3}" -msgstr "" +msgstr "[{1}] gesendet an IRC-Server von {2}/{3}" #: send_raw.cpp:75 msgid "You must have admin privileges to load this module" -msgstr "" +msgstr "Du benötigst Administratorrechte um dieses Modul zu laden" #: send_raw.cpp:82 msgid "Send Raw" -msgstr "" +msgstr "Sende unverarbeitet" #: send_raw.cpp:92 msgid "User not found" -msgstr "" +msgstr "Benutzer nicht gefunden" #: send_raw.cpp:99 msgid "Network not found" -msgstr "" +msgstr "Netzwerk nicht gefunden" #: send_raw.cpp:116 msgid "Line sent" -msgstr "" +msgstr "Zeile gesendet" #: send_raw.cpp:140 send_raw.cpp:143 msgid "[user] [network] [data to send]" -msgstr "" +msgstr "[user] [network] [data to send]" #: send_raw.cpp:141 msgid "The data will be sent to the user's IRC client(s)" -msgstr "" +msgstr "Diese Daten werden an die Klient(en) des Benutzers geschickt" #: send_raw.cpp:144 msgid "The data will be sent to the IRC server the user is connected to" msgstr "" +"Diese Daten werden an den verbundenen IRC-Server des Benutzers geschickt" #: send_raw.cpp:147 msgid "[data to send]" -msgstr "" +msgstr "[data to send]" #: send_raw.cpp:148 msgid "The data will be sent to your current client" -msgstr "" +msgstr "Diese Daten werden an deinen momentanen Klienten geschickt" #: send_raw.cpp:159 msgid "Lets you send some raw IRC lines as/to someone else" msgstr "" +"Erlaubt es dir unverarbeitete IRC Zeilen an/von jemand anderen zu senden" diff --git a/modules/po/simple_away.de_DE.po b/modules/po/simple_away.de_DE.po index 7223c746..44bd9f96 100644 --- a/modules/po/simple_away.de_DE.po +++ b/modules/po/simple_away.de_DE.po @@ -14,7 +14,7 @@ msgstr "" #: simple_away.cpp:56 msgid "[]" -msgstr "" +msgstr "[]" #: simple_away.cpp:57 #, c-format @@ -22,71 +22,78 @@ msgid "" "Prints or sets the away reason (%awaytime% is replaced with the time you " "were set away, supports substitutions using ExpandString)" msgstr "" +"Zeigt oder setzt Away-Grund (%awaytime% wird mit der Away-Zeit ersetzt, " +"unterstützt weitere Variablen mit ExpandString)" #: simple_away.cpp:63 msgid "Prints the current time to wait before setting you away" -msgstr "" +msgstr "Zeigt die momentane Wartezeit bevor du away gesetzt wirst" #: simple_away.cpp:65 msgid "" -msgstr "" +msgstr "" #: simple_away.cpp:66 msgid "Sets the time to wait before setting you away" -msgstr "" +msgstr "Setzt die Wartezeit bevor du away gesetzt wirst" #: simple_away.cpp:69 msgid "Disables the wait time before setting you away" -msgstr "" +msgstr "Deaktiviert die Wartezeit bis du away gesetzt wirst" #: simple_away.cpp:73 msgid "Get or set the minimum number of clients before going away" msgstr "" +"Hole oder setze die Minimal-Anzahl an Klienten bevor du away gesetzt wirst" #: simple_away.cpp:136 msgid "Away reason set" -msgstr "" +msgstr "Away Grund gespeichert" #: simple_away.cpp:138 msgid "Away reason: {1}" -msgstr "" +msgstr "Away Grund: {1}" #: simple_away.cpp:139 msgid "Current away reason would be: {1}" -msgstr "" +msgstr "Momentan Away Grund wäre: {1}" #: simple_away.cpp:144 msgid "Current timer setting: 1 second" msgid_plural "Current timer setting: {1} seconds" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "Momentane Wartezeit: 1 Sekunde" +msgstr[1] "Momentane Wartezeit: {1} seconds" #: simple_away.cpp:153 simple_away.cpp:161 msgid "Timer disabled" -msgstr "" +msgstr "Wartezeit deaktiviert" #: simple_away.cpp:155 msgid "Timer set to 1 second" msgid_plural "Timer set to: {1} seconds" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "Wartezeit auf 1 Sekunde gesetzt" +msgstr[1] "Wartezeit auf {1} Sekunden gesetzt" #: simple_away.cpp:166 msgid "Current MinClients setting: {1}" -msgstr "" +msgstr "Momentane MinClients Einstellung: {1}" #: simple_away.cpp:169 msgid "MinClients set to {1}" -msgstr "" +msgstr "MinClients auf {1} gesetzt" #: simple_away.cpp:248 msgid "" "You might enter up to 3 arguments, like -notimer awaymessage or -timer 5 " "awaymessage." msgstr "" +"Du kannst bis zu 3 Parameter angeben, z.B. \"-notimer awaymessage\" oder \"-" +"timer 5 awaymessage\"." #: simple_away.cpp:253 msgid "" "This module will automatically set you away on IRC while you are " "disconnected from the bouncer." msgstr "" +"Dieses Modul setzt dich automatisch auf \"away\", wenn du die Verbindung " +"trennst." diff --git a/modules/po/stickychan.de_DE.po b/modules/po/stickychan.de_DE.po index 8efcb099..1cf80b06 100644 --- a/modules/po/stickychan.de_DE.po +++ b/modules/po/stickychan.de_DE.po @@ -14,89 +14,90 @@ msgstr "" #: modules/po/../data/stickychan/tmpl/index.tmpl:9 msgid "Name" -msgstr "" +msgstr "Name" #: modules/po/../data/stickychan/tmpl/index.tmpl:10 msgid "Sticky" -msgstr "" +msgstr "Angepinnt" #: modules/po/../data/stickychan/tmpl/index.tmpl:25 msgid "Save" -msgstr "" +msgstr "Speichern" #: modules/po/../data/stickychan/tmpl/stickychan_WebadminChan.tmpl:8 msgid "Channel is sticky" -msgstr "" +msgstr "Kanal ist angepinnt" #: stickychan.cpp:28 msgid "<#channel> [key]" -msgstr "" +msgstr "<#channel> [key]" #: stickychan.cpp:28 msgid "Sticks a channel" -msgstr "" +msgstr "Pinnt einen Kanal" #: stickychan.cpp:30 msgid "<#channel>" -msgstr "" +msgstr "<#channel>" #: stickychan.cpp:30 msgid "Unsticks a channel" -msgstr "" +msgstr "Unpinnt einen Kanal" #: stickychan.cpp:32 msgid "Lists sticky channels" -msgstr "" +msgstr "Zeigt alle gepinnten Kanäle" #: stickychan.cpp:75 msgid "Usage: Stick <#channel> [key]" -msgstr "" +msgstr "Benutzung: Stick <#channel> [key]" #: stickychan.cpp:79 msgid "Stuck {1}" -msgstr "" +msgstr "{1} angepinnt" #: stickychan.cpp:85 msgid "Usage: Unstick <#channel>" -msgstr "" +msgstr "Benutzung: Unstick <#channel>" #: stickychan.cpp:89 msgid "Unstuck {1}" -msgstr "" +msgstr "{1} ungepinnt" #: stickychan.cpp:101 msgid " -- End of List" -msgstr "" +msgstr " -- Ende der Liste" #: stickychan.cpp:115 msgid "Could not join {1} (# prefix missing?)" -msgstr "" +msgstr "Konnte {1} nicht beitreten (# Präfix fehlt?)" #: stickychan.cpp:128 msgid "Sticky Channels" -msgstr "" +msgstr "Angepinnte Kanäle" #: stickychan.cpp:160 msgid "Changes have been saved!" -msgstr "" +msgstr "Änderungen wurden gespeichert!" #: stickychan.cpp:185 msgid "Channel became sticky!" -msgstr "" +msgstr "Kanal ist nun angepinnt!" #: stickychan.cpp:189 msgid "Channel stopped being sticky!" -msgstr "" +msgstr "Kanal ist nicht mehr angepinnt!" #: stickychan.cpp:209 msgid "" "Channel {1} cannot be joined, it is an illegal channel name. Unsticking." msgstr "" +"Kanal {1} konnte nicht beigetreten werden, es ist ein ungültiger Kanalname." #: stickychan.cpp:246 msgid "List of channels, separated by comma." -msgstr "" +msgstr "Liste von Kanälen, komma-getrennt." #: stickychan.cpp:251 msgid "configless sticky chans, keeps you there very stickily even" -msgstr "" +msgstr "konfigurationslose angepinnte Kanäle" diff --git a/modules/po/watch.de_DE.po b/modules/po/watch.de_DE.po index c9da0162..63835df4 100644 --- a/modules/po/watch.de_DE.po +++ b/modules/po/watch.de_DE.po @@ -14,180 +14,184 @@ msgstr "" #: watch.cpp:178 msgid " [Target] [Pattern]" -msgstr "" +msgstr " [Target] [Pattern]" #: watch.cpp:178 msgid "Used to add an entry to watch for." -msgstr "" +msgstr "Benutzt um einen zusätzlich Überwachungs-Eintrag hinzuzufügen." #: watch.cpp:180 msgid "List all entries being watched." -msgstr "" +msgstr "Alle Überwachungs-Einträge auflisten." #: watch.cpp:182 msgid "Dump a list of all current entries to be used later." msgstr "" +"Zeigt eine Liste von allen momentanen Einträgen, die später genutzt werden." #: watch.cpp:184 msgid "" -msgstr "" +msgstr "" #: watch.cpp:184 msgid "Deletes Id from the list of watched entries." -msgstr "" +msgstr "Entfernt Id von der Liste von Überwachungs-Einträgen." #: watch.cpp:186 msgid "Delete all entries." -msgstr "" +msgstr "Löscht alle Einträge." #: watch.cpp:188 watch.cpp:190 msgid "" -msgstr "" +msgstr "" #: watch.cpp:188 msgid "Enable a disabled entry." -msgstr "" +msgstr "Aktiviert einen deaktivierten Eintrag." #: watch.cpp:190 msgid "Disable (but don't delete) an entry." -msgstr "" +msgstr "Deaktiviere (nicht löschen) einen Eintrag." #: watch.cpp:192 watch.cpp:194 msgid " " -msgstr "" +msgstr " " #: watch.cpp:192 msgid "Enable or disable detached client only for an entry." msgstr "" +"Aktiviere oder deaktiviere einen getrennten Klienten nur für einen Eintrag." #: watch.cpp:194 msgid "Enable or disable detached channel only for an entry." msgstr "" +"Aktiviere oder Deaktiviere einen getrennten Kanal nur für einen Eintrag." #: watch.cpp:196 msgid " [#chan priv #foo* !#bar]" -msgstr "" +msgstr " [#chan priv #foo* !#bar]" #: watch.cpp:196 msgid "Set the source channels that you care about." -msgstr "" +msgstr "Setzt die Quell-Kanäle, die dich interessieren." #: watch.cpp:237 msgid "WARNING: malformed entry found while loading" -msgstr "" +msgstr "WARNUNG: Fehlerhaften Eintrag während des Ladens gefunden" #: watch.cpp:382 msgid "Disabled all entries." -msgstr "" +msgstr "Deaktivere alle Einträge." #: watch.cpp:383 msgid "Enabled all entries." -msgstr "" +msgstr "Aktiviere alle Einträge." #: watch.cpp:390 watch.cpp:432 watch.cpp:474 watch.cpp:577 watch.cpp:619 msgid "Invalid Id" -msgstr "" +msgstr "Ungültige Id" #: watch.cpp:399 msgid "Id {1} disabled" -msgstr "" +msgstr "Id {1} deaktiviert" #: watch.cpp:401 msgid "Id {1} enabled" -msgstr "" +msgstr "Id {1} aktiviert" #: watch.cpp:423 msgid "Set DetachedClientOnly for all entries to Yes" -msgstr "" +msgstr "Setzte DetachedClientOnly für alle Einträge auf Ja" #: watch.cpp:425 msgid "Set DetachedClientOnly for all entries to No" -msgstr "" +msgstr "Setzte DetachedClientOnly für alle Einträge auf Nein" #: watch.cpp:441 watch.cpp:483 msgid "Id {1} set to Yes" -msgstr "" +msgstr "Id {1} auf Yes gesetzt" #: watch.cpp:443 watch.cpp:485 msgid "Id {1} set to No" -msgstr "" +msgstr "Id {1} auf No gesetzt" #: watch.cpp:465 msgid "Set DetachedChannelOnly for all entries to Yes" -msgstr "" +msgstr "Setzte DetachedChannelOnly für alle Einträge auf Ja" #: watch.cpp:467 msgid "Set DetachedChannelOnly for all entries to No" -msgstr "" +msgstr "Setzte DetachedChannelOnly für alle Einträge auf Nein" #: watch.cpp:491 watch.cpp:507 msgid "Id" -msgstr "" +msgstr "Id" #: watch.cpp:492 watch.cpp:508 msgid "HostMask" -msgstr "" +msgstr "HostMask" #: watch.cpp:493 watch.cpp:509 msgid "Target" -msgstr "" +msgstr "Ziel" #: watch.cpp:494 watch.cpp:510 msgid "Pattern" -msgstr "" +msgstr "Muster" #: watch.cpp:495 watch.cpp:511 msgid "Sources" -msgstr "" +msgstr "Quellen" #: watch.cpp:496 watch.cpp:512 watch.cpp:513 msgid "Off" -msgstr "" +msgstr "Aus" #: watch.cpp:497 watch.cpp:515 msgid "DetachedClientOnly" -msgstr "" +msgstr "DetachedClientOnly" #: watch.cpp:498 watch.cpp:518 msgid "DetachedChannelOnly" -msgstr "" +msgstr "DetachedChannelOnly" #: watch.cpp:516 watch.cpp:519 msgid "Yes" -msgstr "" +msgstr "Ja" #: watch.cpp:516 watch.cpp:519 msgid "No" -msgstr "" +msgstr "Nein" #: watch.cpp:525 watch.cpp:531 msgid "You have no entries." -msgstr "" +msgstr "Du hast keine Einträge." #: watch.cpp:585 msgid "Sources set for Id {1}." -msgstr "" +msgstr "Quellen für Id {1} gesetzt." #: watch.cpp:609 msgid "All entries cleared." -msgstr "" +msgstr "Alle Einträge geleert." #: watch.cpp:627 msgid "Id {1} removed." -msgstr "" +msgstr "Id {1} entfernt." #: watch.cpp:646 msgid "Entry for {1} already exists." -msgstr "" +msgstr "Eintrag für {1} existiert bereits." #: watch.cpp:654 msgid "Adding entry: {1} watching for [{2}] -> {3}" -msgstr "" +msgstr "Füge Eintrag hinzu: {1} überwacht [{2}] -> {3}" #: watch.cpp:660 msgid "Watch: Not enough arguments. Try Help" -msgstr "" +msgstr "Überwachung: Nicht ausreichen Argumente. Nutze Help" #: watch.cpp:702 msgid "Copy activity from a specific user into a separate window" msgstr "" +"Kopiert Aktivität eines spezifischen Benutzers in ein separates Fenster" diff --git a/modules/po/webadmin.de_DE.po b/modules/po/webadmin.de_DE.po index 1946cd5b..6e4fc452 100644 --- a/modules/po/webadmin.de_DE.po +++ b/modules/po/webadmin.de_DE.po @@ -201,13 +201,15 @@ msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:83 msgid "Automatically detect trusted certificates (Trust the PKI):" -msgstr "" +msgstr "Entdecke automatisch vertrauenswürdige Zertifikate (Vertraue der PKI):" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:85 msgid "" "When disabled, manually whitelist all server fingerprints, even if the " "certificate is valid" msgstr "" +"Wenn deaktiviert, erlaube alle Server-Fingerprints, auch wenn das Zertifikat " +"gültig ist" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:89 #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:96 @@ -267,66 +269,74 @@ msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:130 msgctxt "Flood Protection" msgid "Enabled" -msgstr "" +msgstr "Aktiviert" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:134 msgid "Flood protection rate:" -msgstr "" +msgstr "Flood Schutz Rate:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:137 msgid "" "The number of seconds per line. After changing this, reconnect ZNC to server." msgstr "" +"Anzahl an Sekunden pro Zeile. Nach dem Ändern, verbinde ZNC erneut mit dem " +"Server." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:140 msgid "{1} seconds per line" -msgstr "" +msgstr "{1} Sekunden pro Zeile" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:144 msgid "Flood protection burst:" -msgstr "" +msgstr "Flood Schutz Burst:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:147 msgid "" "Defines the number of lines, which can be sent immediately. After changing " "this, reconnect ZNC to server." msgstr "" +"Definiert die Anzahl an Zeilen welche sofort gesendet werden können. Nach " +"dem Ändern, verbinde ZNC erneut zum Server." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:150 msgid "{1} lines can be sent immediately" -msgstr "" +msgstr "{1} Zeilen können sofort gesendet werden" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:154 msgid "Channel join delay:" -msgstr "" +msgstr "Kanal-Beitritts Verzögerung:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:157 msgid "" "Defines the delay in seconds, until channels are joined after getting " "connected." msgstr "" +"Definiert die Verzögerung in Sekunden bis Kanäle nach der Verbindung werden " +"beigetreten werden." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:160 msgid "{1} seconds" -msgstr "" +msgstr "{1} Sekunden" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:165 msgid "Character encoding used between ZNC and IRC server." -msgstr "" +msgstr "Zeichen-Kodierung zwischen ZNC und IRC-Server." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:166 msgid "Server encoding:" -msgstr "" +msgstr "Server Kodierung:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:176 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:231 msgid "Channels" -msgstr "" +msgstr "Kanäle" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:178 msgid "" "You will be able to add + modify channels here after you created the network." msgstr "" +"Du kannst hier Kanäle hinzufügen und bearbeiten nachdem Du das Netzwerk " +"erstellt hast." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:185 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:129 @@ -334,13 +344,13 @@ msgstr "" #: modules/po/../data/webadmin/tmpl/listusers.tmpl:15 #: modules/po/../data/webadmin/tmpl/settings.tmpl:72 msgid "Add" -msgstr "" +msgstr "Hinzufügen" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:187 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:430 #: modules/po/../data/webadmin/tmpl/settings.tmpl:237 msgid "Save" -msgstr "" +msgstr "Speichern" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:188 #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:228 @@ -348,161 +358,167 @@ msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:174 #: modules/po/../data/webadmin/tmpl/settings.tmpl:176 msgid "Name" -msgstr "" +msgstr "Name" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:189 msgid "CurModes" -msgstr "" +msgstr "CurModes" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:190 msgid "DefModes" -msgstr "" +msgstr "DefModes" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:191 msgid "BufferSize" -msgstr "" +msgstr "BufferSize" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:192 msgid "Options" -msgstr "" +msgstr "Optionen" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:194 msgid "← Add a channel (opens in same page)" -msgstr "" +msgstr "← Ein Netzwerk hinzufügen (öffnet sich in diesem Tab)" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:204 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:146 #: modules/po/../data/webadmin/tmpl/listusers.tmpl:27 msgid "Edit" -msgstr "" +msgstr "Bearbeiten" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:204 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:146 #: modules/po/../data/webadmin/tmpl/settings.tmpl:53 msgid "Del" -msgstr "" +msgstr "Löschen" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:222 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:168 msgid "Modules" -msgstr "" +msgstr "Module" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:229 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:175 #: modules/po/../data/webadmin/tmpl/settings.tmpl:177 msgid "Arguments" -msgstr "" +msgstr "Argumente" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:230 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:176 #: modules/po/../data/webadmin/tmpl/settings.tmpl:178 msgid "Description" -msgstr "" +msgstr "Beschreibung" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:231 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:177 msgid "Loaded globally" -msgstr "" +msgstr "Global geladen" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:232 msgid "Loaded by user" -msgstr "" +msgstr "Geladen von Benutzer" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:293 msgid "Add Network and return" -msgstr "" +msgstr "Netzwerk hinzufügen und zurück" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:294 msgid "Add Network and continue" -msgstr "" +msgstr "Netzwerk hinzufügen und fortfahren" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:15 msgid "Authentication" -msgstr "" +msgstr "Authentifizierung" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:19 msgid "Username:" -msgstr "" +msgstr "Benutzername:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:29 msgid "Please enter a username." -msgstr "" +msgstr "Bitte gib einen Benutzernamen ein." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:34 msgid "Password:" -msgstr "" +msgstr "Passwort:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:36 msgid "Please enter a password." -msgstr "" +msgstr "Bitte gib ein Passwort ein." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:39 msgid "Confirm password:" -msgstr "" +msgstr "Passwort bestätigen:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:41 msgid "Please re-type the above password." -msgstr "" +msgstr "Bitte gib das gleiche Passwort noch einmal ein." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:44 #: modules/po/../data/webadmin/tmpl/settings.tmpl:151 msgid "Auth Only Via Module:" -msgstr "" +msgstr "Authentifizierung nur durch Modul:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:46 msgid "" "Allow user authentication by external modules only, disabling built-in " "password authentication." msgstr "" +"Erlaube Benutzer-Authentifizierung ausschließlich durch externe Module. Die " +"eingebaute Passwort-Authentifizierung wird deaktiviert." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:50 msgid "Allowed IPs:" -msgstr "" +msgstr "Erlaubte IPs:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:54 msgid "" "Leave empty to allow connections from all IPs.
Otherwise, one entry per " "line, wildcards * and ? are available." msgstr "" +"Leer lassen um Verbindungen von allen IPs zu erlauben
Andernfalls: Ein " +"Eintrag pro Zeile, Wildcards * und ? sind möglich." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:62 msgid "IRC Information" -msgstr "" +msgstr "IRC Information" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:64 msgid "" "Nick, AltNick, Ident, RealName and QuitMsg can be left empty to use default " "values." msgstr "" +"Nick, AltNick, Ident, RealName und QuitMsg können leer gelassen werden, um " +"die Standardeinstellungen zu nutzen." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:82 msgid "The Ident is sent to server as username." -msgstr "" +msgstr "Die Ident wird als Benutzername an den Server gesendet." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:85 #: modules/po/../data/webadmin/tmpl/settings.tmpl:102 msgid "Status Prefix:" -msgstr "" +msgstr "Status Präfix:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:87 #: modules/po/../data/webadmin/tmpl/settings.tmpl:104 msgid "The prefix for the status and module queries." -msgstr "" +msgstr "Die Präfix für die Status- und Modul-Nachrichten." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:105 msgid "DCCBindHost:" -msgstr "" +msgstr "DCCBindHost:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:122 #: modules/po/../data/webadmin/tmpl/listusers.tmpl:17 #: modules/po/../data/webadmin/tmpl/traffic.tmpl:39 msgid "Networks" -msgstr "" +msgstr "Netzwerke" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:132 #: modules/po/../data/webadmin/tmpl/listusers.tmpl:18 msgid "Clients" -msgstr "" +msgstr "Klienten" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:133 msgid "Current Server" @@ -770,119 +786,124 @@ msgstr "Ja" #: modules/po/../data/webadmin/tmpl/del_network.tmpl:17 #: modules/po/../data/webadmin/tmpl/del_user.tmpl:17 msgid "No" -msgstr "" +msgstr "Nein" #: modules/po/../data/webadmin/tmpl/del_user.tmpl:5 msgid "Confirm User Deletion" -msgstr "" +msgstr "Löschen des Benutzers bestätigen" #: modules/po/../data/webadmin/tmpl/del_user.tmpl:9 msgid "Are you sure you want to delete user “{1}”?" -msgstr "" +msgstr "Bist Du sicher, dass du Benutzer \"{1}\" löschen möchtest?" #: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:6 msgid "ZNC is compiled without encodings support. {1} is required for it." msgstr "" +"ZNC ist ohne Kodierungsunterstützung kompiliert. {1} ist dafür notwendig." #: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:11 msgid "Legacy mode is disabled by modpython." -msgstr "" +msgstr "Legacy mode ist von modpython deaktiviert." #: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:18 msgid "Don't ensure any encoding at all (legacy mode, not recommended)" -msgstr "" +msgstr "Überprüfe gar keine Kodierung (Altes System, nicht empfohlen)" #: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:22 msgid "Try to parse as UTF-8 and as {1}, send as UTF-8 (recommended)" -msgstr "" +msgstr "Versuche als UTF-8 und als {1} zu parsen, sende als UTF-8 (empfohlen)" #: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:26 msgid "Try to parse as UTF-8 and as {1}, send as {1}" -msgstr "" +msgstr "Versuche als UTF-8 und als {1} zu parsen, sende als {1}" #: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:30 msgid "Parse and send as {1} only" -msgstr "" +msgstr "Parsen und senden nur als {1}" #: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:36 msgid "E.g. UTF-8, or ISO-8859-15" -msgstr "" +msgstr "z.B. UTF-8 oder ISO-8859-15" #: modules/po/../data/webadmin/tmpl/index.tmpl:5 msgid "Welcome to the ZNC webadmin module." -msgstr "" +msgstr "Willkommen im ZNC Webadmin Modul." #: modules/po/../data/webadmin/tmpl/index.tmpl:6 msgid "" "All changes you make will be in effect immediately after you submitted them." msgstr "" +"Alle hier erfolgten Änderungen werden sofort nach dem Absenden übernommen." #: modules/po/../data/webadmin/tmpl/listusers.tmpl:16 msgid "Username" -msgstr "" +msgstr "Benutzername" #: modules/po/../data/webadmin/tmpl/listusers.tmpl:29 #: modules/po/../data/webadmin/tmpl/settings.tmpl:21 msgid "Delete" -msgstr "" +msgstr "Löschen" #: modules/po/../data/webadmin/tmpl/settings.tmpl:6 msgid "Listen Port(s)" -msgstr "" +msgstr "Lauschende Port(s)" #: modules/po/../data/webadmin/tmpl/settings.tmpl:14 msgid "BindHost" -msgstr "" +msgstr "BindHost" #: modules/po/../data/webadmin/tmpl/settings.tmpl:16 msgid "IPv4" -msgstr "" +msgstr "IPv4" #: modules/po/../data/webadmin/tmpl/settings.tmpl:17 msgid "IPv6" -msgstr "" +msgstr "IPv6" #: modules/po/../data/webadmin/tmpl/settings.tmpl:18 msgid "IRC" -msgstr "" +msgstr "IRC" #: modules/po/../data/webadmin/tmpl/settings.tmpl:19 msgid "HTTP" -msgstr "" +msgstr "HTTP" #: modules/po/../data/webadmin/tmpl/settings.tmpl:20 msgid "URIPrefix" -msgstr "" +msgstr "URIPrefix" #: modules/po/../data/webadmin/tmpl/settings.tmpl:56 msgid "" "To delete port which you use to access webadmin itself, either connect to " "webadmin via another port, or do it in IRC (/znc DelPort)" msgstr "" +"Um einen Port zu löschen, den du gerade nutzt um auf Webadmin zuzugreifen, " +"verbinde dich entweder zu Webadmin durch einen anderen Port, oder nutze IRC " +"(/znc DelPort)" #: modules/po/../data/webadmin/tmpl/settings.tmpl:56 msgid "Current" -msgstr "" +msgstr "Aktuell" #: modules/po/../data/webadmin/tmpl/settings.tmpl:86 msgid "Settings" -msgstr "" +msgstr "Einstellungen" #: modules/po/../data/webadmin/tmpl/settings.tmpl:105 msgid "Default for new users only." -msgstr "" +msgstr "Standard nur für neue Benutzer." #: modules/po/../data/webadmin/tmpl/settings.tmpl:110 msgid "Maximum Buffer Size:" -msgstr "" +msgstr "Maximale Puffergröße:" #: modules/po/../data/webadmin/tmpl/settings.tmpl:112 msgid "Sets the global Max Buffer Size a user can have." -msgstr "" +msgstr "Setzt die globale maximale Puffergröße, die ein Benutzer haben kann." #: modules/po/../data/webadmin/tmpl/settings.tmpl:117 msgid "Connect Delay:" -msgstr "" +msgstr "Verbindungsverzögerung:" #: modules/po/../data/webadmin/tmpl/settings.tmpl:119 msgid "" @@ -890,93 +911,101 @@ msgid "" "affects the connection between ZNC and the IRC server; not the connection " "between your IRC client and ZNC." msgstr "" +"Die Zeit zwischen Verbindungsversuchen zu IRC-Servern in Sekunden. Dies " +"bezieht sich auf die Verbindung zwischen ZNC und dem IRC-Server und nicht " +"die Verbindung zwischen deinem IRC-Klienten und ZNC." #: modules/po/../data/webadmin/tmpl/settings.tmpl:124 msgid "Server Throttle:" -msgstr "" +msgstr "Server Drossel:" #: modules/po/../data/webadmin/tmpl/settings.tmpl:126 msgid "" "The minimal time between two connect attempts to the same hostname, in " "seconds. Some servers refuse your connection if you reconnect too fast." msgstr "" +"Die minimale Zeit zwischen zwei Verbindungsversuchen zum gleichen Hostnamen " +"in Sekunden. Einige Server verweigern die Verbindung wenn eine Neu-" +"Verbindung zu schnell erfolgt." #: modules/po/../data/webadmin/tmpl/settings.tmpl:131 msgid "Anonymous Connection Limit per IP:" -msgstr "" +msgstr "Anonymes Verbindungslimit pro IP:" #: modules/po/../data/webadmin/tmpl/settings.tmpl:133 msgid "Limits the number of unidentified connections per IP." -msgstr "" +msgstr "Limitiert die Anzahl an nicht identifizierten Verbindungen pro IP." #: modules/po/../data/webadmin/tmpl/settings.tmpl:138 msgid "Protect Web Sessions:" -msgstr "" +msgstr "Web Sitzungen schützen:" #: modules/po/../data/webadmin/tmpl/settings.tmpl:140 msgid "Disallow IP changing during each web session" -msgstr "" +msgstr "Verbiete IP Änderungen während einer Web Sitzung" #: modules/po/../data/webadmin/tmpl/settings.tmpl:145 msgid "Hide ZNC Version:" -msgstr "" +msgstr "ZNC Version verstecken:" #: modules/po/../data/webadmin/tmpl/settings.tmpl:147 msgid "Hide version number from non-ZNC users" -msgstr "" +msgstr "Verstecke Versions-Nummer vor nicht-ZNC-Benutzern" #: modules/po/../data/webadmin/tmpl/settings.tmpl:153 msgid "Allow user authentication by external modules only" -msgstr "" +msgstr "Erlaube Benutzer Authentifizierung nur durch externe Module" #: modules/po/../data/webadmin/tmpl/settings.tmpl:158 msgid "MOTD:" -msgstr "" +msgstr "MOTD:" #: modules/po/../data/webadmin/tmpl/settings.tmpl:162 msgid "“Message of the Day”, sent to all ZNC users on connect." msgstr "" +"\"Nachricht des Tages\", wird an alle ZNC Benutzer bei der Verbindung " +"gesendet." #: modules/po/../data/webadmin/tmpl/settings.tmpl:170 msgid "Global Modules" -msgstr "" +msgstr "Globale Module" #: modules/po/../data/webadmin/tmpl/settings.tmpl:180 msgid "Loaded by users" -msgstr "" +msgstr "Geladen von Benutzern" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:7 msgid "Information" -msgstr "" +msgstr "Information" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:13 msgid "Uptime" -msgstr "" +msgstr "Laufzeit" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:18 msgid "Total Users" -msgstr "" +msgstr "Anzahl der Benutzer" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:22 msgid "Total Networks" -msgstr "" +msgstr "Anzahl der Netzwerke" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:26 #: modules/po/../data/webadmin/tmpl/traffic.tmpl:43 msgid "Attached Networks" -msgstr "" +msgstr "Angebundene Netzwerke" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:30 msgid "Total Client Connections" -msgstr "" +msgstr "Gesamtanzahl Verbindungen" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:34 msgid "Total IRC Connections" -msgstr "" +msgstr "Gesamtanzahl IRC Verbindungen" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:47 msgid "Client Connections" -msgstr "" +msgstr "Klienten Verbindungen" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:51 msgid "IRC Connections" @@ -1204,64 +1233,72 @@ msgstr "Zeitstempel am Ende anfügen" #: webadmin.cpp:1536 msgid "Prepend Timestamps" -msgstr "" +msgstr "Zeitstempel am Ende anfügen" #: webadmin.cpp:1544 msgid "Deny LoadMod" -msgstr "" +msgstr "LoadMod verbieten" #: webadmin.cpp:1551 msgid "Admin (dangerous! may gain shell access)" -msgstr "" +msgstr "Admin (gefährlich! Könnte Shell-Zugang erhalten)" #: webadmin.cpp:1561 msgid "Deny SetBindHost" -msgstr "" +msgstr "SetBindHost verbieten" #: webadmin.cpp:1569 msgid "Auto Clear Query Buffer" -msgstr "" +msgstr "Automatisch Kanal-Puffer leeren" #: webadmin.cpp:1571 msgid "Automatically Clear Query Buffer After Playback" msgstr "" +"Den Playback-Puffer eines Kanals automatisch nach dem Wiedergeben leeren" #: webadmin.cpp:1595 msgid "Invalid Submission: User {1} already exists" -msgstr "" +msgstr "Ungültige Übertragung: Benutzer {1} existiert bereits" #: webadmin.cpp:1617 webadmin.cpp:1628 msgid "Invalid submission: {1}" -msgstr "" +msgstr "Ungültige Übertragung: {1}" #: webadmin.cpp:1623 msgid "User was added, but config file was not written" msgstr "" +"Benutzer wurde hinzugefügt, aber die Konfigurationsdatei wurde nicht " +"gespeichert" #: webadmin.cpp:1634 msgid "User was edited, but config file was not written" msgstr "" +"Benutzer wurde bearbeitet, aber die Konfigurationsdatei wurde nicht " +"gespeichert" #: webadmin.cpp:1792 msgid "Choose either IPv4 or IPv6 or both." -msgstr "" +msgstr "Wähle entweder IPv4, IPv6 oder beides." #: webadmin.cpp:1809 msgid "Choose either IRC or HTTP or both." -msgstr "" +msgstr "Wähle entweder IRC, HTTP oder beides." #: webadmin.cpp:1822 webadmin.cpp:1858 msgid "Port was changed, but config file was not written" msgstr "" +"Port wurde geändert, aber die Konfigurationsdatei wurde nicht gespeichert" #: webadmin.cpp:1848 msgid "Invalid request." -msgstr "" +msgstr "Ungültiger Aufruf." #: webadmin.cpp:1862 msgid "The specified listener was not found." -msgstr "" +msgstr "Der ausgewählte Listener wurde nicht gefunden." #: webadmin.cpp:2093 msgid "Settings were changed, but config file was not written" msgstr "" +"Einstellungen wurden geändert, aber die Konfigurationsdatei wurde nicht " +"gespeichert" From c79961c514a172e07821b2dafe81483569118d98 Mon Sep 17 00:00:00 2001 From: NuclearW Date: Sun, 2 Aug 2020 23:26:17 -0400 Subject: [PATCH 472/798] Add support for cap account-tag The account-tag capability is now requested when ZNC connects to an IRC server, the same is then offered to clients connecting. This permits the tag to then pass through to account-tag aware clients. --- include/znc/Client.h | 8 ++++++++ include/znc/IRCSock.h | 2 ++ src/IRCSock.cpp | 2 ++ 3 files changed, 12 insertions(+) diff --git a/include/znc/Client.h b/include/znc/Client.h index f7e8568e..37828c1a 100644 --- a/include/znc/Client.h +++ b/include/znc/Client.h @@ -107,6 +107,7 @@ class CClient : public CIRCSocket { m_bCapNotify(false), m_bAwayNotify(false), m_bAccountNotify(false), + m_bAccountTag(false), m_bExtendedJoin(false), m_bNamesx(false), m_bUHNames(false), @@ -148,6 +149,11 @@ class CClient : public CIRCSocket { {true, [this](bool bVal) { m_bAwayNotify = bVal; }}}, {"account-notify", {true, [this](bool bVal) { m_bAccountNotify = bVal; }}}, + {"account-tag", + {true, [this](bool bVal) { + m_bAccountTag = bVal; + SetTagSupport("account", bVal); + }}}, {"extended-join", {true, [this](bool bVal) { m_bExtendedJoin = bVal; }}}, }) { @@ -178,6 +184,7 @@ class CClient : public CIRCSocket { bool HasCapNotify() const { return m_bCapNotify; } bool HasAwayNotify() const { return m_bAwayNotify; } bool HasAccountNotify() const { return m_bAccountNotify; } + bool HasAccountTag() const { return m_bAccountTag; } bool HasExtendedJoin() const { return m_bExtendedJoin; } bool HasNamesx() const { return m_bNamesx; } bool HasUHNames() const { return m_bUHNames; } @@ -346,6 +353,7 @@ class CClient : public CIRCSocket { bool m_bCapNotify; bool m_bAwayNotify; bool m_bAccountNotify; + bool m_bAccountTag; bool m_bExtendedJoin; bool m_bNamesx; bool m_bUHNames; diff --git a/include/znc/IRCSock.h b/include/znc/IRCSock.h index 93ef506c..89e230a5 100644 --- a/include/znc/IRCSock.h +++ b/include/znc/IRCSock.h @@ -150,6 +150,7 @@ class CIRCSock : public CIRCSocket { bool HasUHNames() const { return m_bUHNames; } bool HasAwayNotify() const { return m_bAwayNotify; } bool HasAccountNotify() const { return m_bAccountNotify; } + bool HasAccountTag() const { return m_bAccountTag; } bool HasExtendedJoin() const { return m_bExtendedJoin; } bool HasServerTime() const { return m_bServerTime; } const std::set& GetUserModes() const { @@ -207,6 +208,7 @@ class CIRCSock : public CIRCSocket { bool m_bUHNames; bool m_bAwayNotify; bool m_bAccountNotify; + bool m_bAccountTag; bool m_bExtendedJoin; bool m_bServerTime; CString m_sPerms; diff --git a/src/IRCSock.cpp b/src/IRCSock.cpp index e5868074..aaaab441 100644 --- a/src/IRCSock.cpp +++ b/src/IRCSock.cpp @@ -67,6 +67,7 @@ CIRCSock::CIRCSock(CIRCNetwork* pNetwork) m_bUHNames(false), m_bAwayNotify(false), m_bAccountNotify(false), + m_bAccountTag(false), m_bExtendedJoin(false), m_bServerTime(false), m_sPerms("*!@%+"), @@ -376,6 +377,7 @@ bool CIRCSock::OnCapabilityMessage(CMessage& Message) { {"userhost-in-names", [this](bool bVal) { m_bUHNames = bVal; }}, {"away-notify", [this](bool bVal) { m_bAwayNotify = bVal; }}, {"account-notify", [this](bool bVal) { m_bAccountNotify = bVal; }}, + {"account-tag", [this](bool bVal) { m_bAccountTag = bVal; }}, {"extended-join", [this](bool bVal) { m_bExtendedJoin = bVal; }}, {"server-time", [this](bool bVal) { m_bServerTime = bVal; }}, {"znc.in/server-time-iso", From f5c3ea403dfb2cd7fbe69180dea4121a893aa136 Mon Sep 17 00:00:00 2001 From: NuclearW Date: Mon, 3 Aug 2020 13:43:36 -0400 Subject: [PATCH 473/798] Cleanup capabilities from m_ssAcceptedCaps in CClient::ClearServerDependentCaps after CAP DEL --- src/Client.cpp | 1 + 1 file changed, 1 insertion(+) diff --git a/src/Client.cpp b/src/Client.cpp index 13048775..94e3dfc1 100644 --- a/src/Client.cpp +++ b/src/Client.cpp @@ -854,6 +854,7 @@ void CClient::ClearServerDependentCaps() { const auto& handler = std::get<1>(it->second); handler(false); } + m_ssAcceptedCaps.erase(sCap); } } From cf5472644a73a61e710632452145e9e4e892b332 Mon Sep 17 00:00:00 2001 From: NuclearW Date: Mon, 3 Aug 2020 14:34:16 -0400 Subject: [PATCH 474/798] Add test for account-tag capability --- test/ClientTest.cpp | 17 +++++++++++++++++ test/IRCTest.h | 1 + 2 files changed, 18 insertions(+) diff --git a/test/ClientTest.cpp b/test/ClientTest.cpp index 87e4446a..08781ffe 100644 --- a/test/ClientTest.cpp +++ b/test/ClientTest.cpp @@ -82,6 +82,23 @@ TEST_F(ClientTest, AccountNotify) { EXPECT_THAT(m_pTestClient->vsLines, ElementsAre(msg.ToString())); } +TEST_F(ClientTest, AccountTag) { + m_pTestSock->ReadLine(":server CAP * ACK :account-tag"); + m_pTestClient->Reset(); + + CMessage msg(":nick!user@host PRIVMSG #channel :text"); + CMessage extmsg("@account=account-name :nick!user@host PRIVMSG #channel :text"); + EXPECT_FALSE(m_pTestClient->HasAccountTag()); + m_pTestClient->PutClient(extmsg); + EXPECT_THAT(m_pTestClient->vsLines, ElementsAre(msg.ToString())); + m_pTestClient->SetAccountTag(true); + m_pTestClient->SetTagSupport("account", true); + EXPECT_TRUE(m_pTestClient->HasAccountTag()); + m_pTestClient->PutClient(extmsg); + EXPECT_THAT(m_pTestClient->vsLines, + ElementsAre(msg.ToString(), extmsg.ToString())); +} + TEST_F(ClientTest, AwayNotify) { CMessage msg(":nick!user@host AWAY :message"); EXPECT_FALSE(m_pTestClient->HasAwayNotify()); diff --git a/test/IRCTest.h b/test/IRCTest.h index 851b589c..3ede27cb 100644 --- a/test/IRCTest.h +++ b/test/IRCTest.h @@ -36,6 +36,7 @@ class TestClient : public CClient { } void Reset() { vsLines.clear(); } void SetAccountNotify(bool bEnabled) { m_bAccountNotify = bEnabled; } + void SetAccountTag(bool bEnabled) { m_bAccountTag = bEnabled; } void SetAwayNotify(bool bEnabled) { m_bAwayNotify = bEnabled; } void SetExtendedJoin(bool bEnabled) { m_bExtendedJoin = bEnabled; } void SetNamesx(bool bEnabled) { m_bNamesx = bEnabled; } From b14d867c7fa8a82e98c0ab0ba621311cb9b67ad5 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Sat, 8 Aug 2020 12:15:01 +0100 Subject: [PATCH 475/798] Make several more client command results translateable. Somehow they were missed --- src/ClientCommand.cpp | 174 +++++++++++++++++++++++------------------- 1 file changed, 96 insertions(+), 78 deletions(-) diff --git a/src/ClientCommand.cpp b/src/ClientCommand.cpp index f9764dd8..abfd0531 100644 --- a/src/ClientCommand.cpp +++ b/src/ClientCommand.cpp @@ -14,18 +14,18 @@ * limitations under the License. */ -#include #include +#include #include #include #include +#include #include #include -#include -using std::vector; -using std::set; using std::map; +using std::set; +using std::vector; void CClient::UserCommand(CString& sLine) { if (!m_pUser) { @@ -180,14 +180,14 @@ void CClient::UserCommand(CString& sLine) { if (!sNick.empty()) { if (!m_pUser->IsAdmin()) { - PutStatus("Usage: ListClients"); + PutStatus(t_s("Usage: ListClients")); return; } pUser = CZNC::Get().FindUser(sNick); if (!pUser) { - PutStatus("No such user [" + sNick + "]"); + PutStatus(t_f("No such user: {1}")(sNick)); return; } } @@ -195,37 +195,41 @@ void CClient::UserCommand(CString& sLine) { vector vClients = pUser->GetAllClients(); if (vClients.empty()) { - PutStatus("No clients are connected"); + PutStatus(t_s("No clients are connected")); return; } CTable Table; - Table.AddColumn("Host"); - Table.AddColumn("Network"); - Table.AddColumn("Identifier"); + Table.AddColumn(t_s("Host", "listclientscmd")); + Table.AddColumn(t_s("Network", "listclientscmd")); + Table.AddColumn(t_s("Identifier", "listclientscmd")); for (const CClient* pClient : vClients) { Table.AddRow(); - Table.SetCell("Host", pClient->GetRemoteIP()); + Table.SetCell(t_s("Host", "listclientscmd"), + pClient->GetRemoteIP()); if (pClient->GetNetwork()) { - Table.SetCell("Network", pClient->GetNetwork()->GetName()); + Table.SetCell(t_s("Network", "listclientscmd"), + pClient->GetNetwork()->GetName()); } - Table.SetCell("Identifier", pClient->GetIdentifier()); + Table.SetCell(t_s("Identifier", "listclientscmd"), + pClient->GetIdentifier()); } PutStatus(Table); } else if (m_pUser->IsAdmin() && sCommand.Equals("LISTUSERS")) { const map& msUsers = CZNC::Get().GetUserMap(); CTable Table; - Table.AddColumn("Username"); - Table.AddColumn("Networks"); - Table.AddColumn("Clients"); + Table.AddColumn(t_s("Username", "listuserscmd")); + Table.AddColumn(t_s("Networks", "listuserscmd")); + Table.AddColumn(t_s("Clients", "listuserscmd")); for (const auto& it : msUsers) { Table.AddRow(); - Table.SetCell("Username", it.first); - Table.SetCell("Networks", CString(it.second->GetNetworks().size())); - Table.SetCell("Clients", + Table.SetCell(t_s("Username", "listuserscmd"), it.first); + Table.SetCell(t_s("Networks", "listuserscmd"), + CString(it.second->GetNetworks().size())); + Table.SetCell(t_s("Clients", "listuserscmd"), CString(it.second->GetAllClients().size())); } @@ -233,19 +237,19 @@ void CClient::UserCommand(CString& sLine) { } else if (m_pUser->IsAdmin() && sCommand.Equals("LISTALLUSERNETWORKS")) { const map& msUsers = CZNC::Get().GetUserMap(); CTable Table; - Table.AddColumn("Username"); - Table.AddColumn("Network"); - Table.AddColumn("Clients"); - Table.AddColumn("OnIRC"); - Table.AddColumn("IRC Server"); - Table.AddColumn("IRC User"); - Table.AddColumn("Channels"); + Table.AddColumn(t_s("Username", "listallusernetworkscmd")); + Table.AddColumn(t_s("Network", "listallusernetworkscmd")); + Table.AddColumn(t_s("Clients", "listallusernetworkscmd")); + Table.AddColumn(t_s("On IRC", "listallusernetworkscmd")); + Table.AddColumn(t_s("IRC Server", "listallusernetworkscmd")); + Table.AddColumn(t_s("IRC User", "listallusernetworkscmd")); + Table.AddColumn(t_s("Channels", "listallusernetworkscmd")); for (const auto& it : msUsers) { Table.AddRow(); - Table.SetCell("Username", it.first); - Table.SetCell("Network", "N/A"); - Table.SetCell("Clients", + Table.SetCell(t_s("Username", "listallusernetworkscmd"), it.first); + Table.SetCell(t_s("Network", "listallusernetworkscmd"), t_s("N/A")); + Table.SetCell(t_s("Clients", "listallusernetworkscmd"), CString(it.second->GetUserClients().size())); const vector& vNetworks = it.second->GetNetworks(); @@ -253,22 +257,28 @@ void CClient::UserCommand(CString& sLine) { for (const CIRCNetwork* pNetwork : vNetworks) { Table.AddRow(); if (pNetwork == vNetworks.back()) { - Table.SetCell("Username", "`-"); + Table.SetCell(t_s("Username", "listallusernetworkscmd"), + "`-"); } else { - Table.SetCell("Username", "|-"); + Table.SetCell(t_s("Username", "listallusernetworkscmd"), + "|-"); } - Table.SetCell("Network", pNetwork->GetName()); - Table.SetCell("Clients", + Table.SetCell(t_s("Network", "listallusernetworkscmd"), + pNetwork->GetName()); + Table.SetCell(t_s("Clients", "listallusernetworkscmd"), CString(pNetwork->GetClients().size())); if (pNetwork->IsIRCConnected()) { - Table.SetCell("OnIRC", "Yes"); - Table.SetCell("IRC Server", pNetwork->GetIRCServer()); - Table.SetCell("IRC User", + Table.SetCell(t_s("On IRC", "listallusernetworkscmd"), + t_s("Yes", "listallusernetworkscmd")); + Table.SetCell(t_s("IRC Server", "listallusernetworkscmd"), + pNetwork->GetIRCServer()); + Table.SetCell(t_s("IRC User", "listallusernetworkscmd"), pNetwork->GetIRCNick().GetNickMask()); - Table.SetCell("Channels", + Table.SetCell(t_s("Channels", "listallusernetworkscmd"), CString(pNetwork->GetChans().size())); } else { - Table.SetCell("OnIRC", "No"); + Table.SetCell(t_s("On IRC", "listallusernetworkscmd"), + t_s("No", "listallusernetworkscmd")); } } } @@ -278,23 +288,23 @@ void CClient::UserCommand(CString& sLine) { CString sMessage = sLine.Token(1, true); if (sMessage.empty()) { - PutStatus("Usage: SetMOTD "); + PutStatus(t_s("Usage: SetMOTD ")); } else { CZNC::Get().SetMotd(sMessage); - PutStatus("MOTD set to [" + sMessage + "]"); + PutStatus(t_f("MOTD set to: {1}")(sMessage)); } } else if (m_pUser->IsAdmin() && sCommand.Equals("AddMOTD")) { CString sMessage = sLine.Token(1, true); if (sMessage.empty()) { - PutStatus("Usage: AddMOTD "); + PutStatus(t_s("Usage: AddMOTD ")); } else { CZNC::Get().AddMotd(sMessage); - PutStatus("Added [" + sMessage + "] to MOTD"); + PutStatus(t_f("Added [{1}] to MOTD")(sMessage)); } } else if (m_pUser->IsAdmin() && sCommand.Equals("ClearMOTD")) { CZNC::Get().ClearMotd(); - PutStatus("Cleared MOTD"); + PutStatus(t_s("Cleared MOTD")); } else if (m_pUser->IsAdmin() && sCommand.Equals("BROADCAST")) { CZNC::Get().Broadcast(sLine.Token(1, true)); } else if (m_pUser->IsAdmin() && @@ -309,14 +319,15 @@ void CClient::UserCommand(CString& sLine) { } if (sMessage.empty()) { + // No t_s here because language of user can be different sMessage = (bRestart ? "ZNC is being restarted NOW!" : "ZNC is being shut down NOW!"); } if (!CZNC::Get().WriteConfig() && !bForce) { PutStatus( - "ERROR: Writing config file to disk failed! Aborting. Use " + - sCommand.AsUpper() + " FORCE to ignore."); + t_f("ERROR: Writing config file to disk failed! Aborting. Use " + "{1} FORCE to ignore.")(sCommand.AsUpper())); } else { CZNC::Get().Broadcast(sMessage); throw CException(bRestart ? CException::EX_Restart @@ -324,13 +335,13 @@ void CClient::UserCommand(CString& sLine) { } } else if (sCommand.Equals("JUMP") || sCommand.Equals("CONNECT")) { if (!m_pNetwork) { - PutStatus( - "You must be connected with a network to use this command"); + PutStatus(t_s( + "You must be connected with a network to use this command")); return; } if (!m_pNetwork->HasServers()) { - PutStatus("You don't have any servers added."); + PutStatus(t_s("You don't have any servers added.")); return; } @@ -341,7 +352,7 @@ void CClient::UserCommand(CString& sLine) { if (!sArgs.empty()) { pServer = m_pNetwork->FindServer(sArgs); if (!pServer) { - PutStatus("Server [" + sArgs + "] not found"); + PutStatus(t_f("Server [{1}] not found")(sArgs)); return; } m_pNetwork->SetNextServer(pServer); @@ -361,22 +372,22 @@ void CClient::UserCommand(CString& sLine) { if (GetIRCSock()) { GetIRCSock()->Quit(); if (pServer) - PutStatus("Connecting to [" + pServer->GetName() + "]..."); + PutStatus(t_f("Connecting to {1}...")(pServer->GetName())); else - PutStatus("Jumping to the next server in the list..."); + PutStatus(t_s("Jumping to the next server in the list...")); } else { if (pServer) - PutStatus("Connecting to [" + pServer->GetName() + "]..."); + PutStatus(t_f("Connecting to {1}...")(pServer->GetName())); else - PutStatus("Connecting..."); + PutStatus(t_s("Connecting...")); } m_pNetwork->SetIRCConnectEnabled(true); return; } else if (sCommand.Equals("DISCONNECT")) { if (!m_pNetwork) { - PutStatus( - "You must be connected with a network to use this command"); + PutStatus(t_s( + "You must be connected with a network to use this command")); return; } @@ -386,19 +397,19 @@ void CClient::UserCommand(CString& sLine) { } m_pNetwork->SetIRCConnectEnabled(false); - PutStatus("Disconnected from IRC. Use 'connect' to reconnect."); + PutStatus(t_s("Disconnected from IRC. Use 'connect' to reconnect.")); return; } else if (sCommand.Equals("ENABLECHAN")) { if (!m_pNetwork) { - PutStatus( - "You must be connected with a network to use this command"); + PutStatus(t_s( + "You must be connected with a network to use this command")); return; } CString sPatterns = sLine.Token(1, true); if (sPatterns.empty()) { - PutStatus("Usage: EnableChan <#chans>"); + PutStatus(t_s("Usage: EnableChan <#chans>")); } else { set sChans = MatchChans(sPatterns); @@ -409,21 +420,23 @@ void CClient::UserCommand(CString& sLine) { pChan->Enable(); } - PutStatus("There were [" + CString(sChans.size()) + - "] channels matching [" + sPatterns + "]"); - PutStatus("Enabled [" + CString(uEnabled) + "] channels"); + PutStatus(t_p("There was {1} channel matching [{2}]", + "There were {1} channels matching [{2}]", + sChans.size())(sChans.size(), sPatterns)); + PutStatus(t_p("Enabled {1} channel", "Enabled {1} channels", + uEnabled)(uEnabled)); } } else if (sCommand.Equals("DISABLECHAN")) { if (!m_pNetwork) { - PutStatus( - "You must be connected with a network to use this command"); + PutStatus(t_s( + "You must be connected with a network to use this command")); return; } CString sPatterns = sLine.Token(1, true); if (sPatterns.empty()) { - PutStatus("Usage: DisableChan <#chans>"); + PutStatus(t_s("Usage: DisableChan <#chans>")); } else { set sChans = MatchChans(sPatterns); @@ -434,14 +447,16 @@ void CClient::UserCommand(CString& sLine) { pChan->Disable(); } - PutStatus("There were [" + CString(sChans.size()) + - "] channels matching [" + sPatterns + "]"); - PutStatus("Disabled [" + CString(uDisabled) + "] channels"); + PutStatus(t_p("There was {1} channel matching [{2}]", + "There were {1} channels matching [{2}]", + sChans.size())(sChans.size(), sPatterns)); + PutStatus(t_p("Disabled {1} channel", "Disabled {1} channels", + uDisabled)(uDisabled)); } } else if (sCommand.Equals("LISTCHANS")) { if (!m_pNetwork) { - PutStatus( - "You must be connected with a network to use this command"); + PutStatus(t_s( + "You must be connected with a network to use this command")); return; } @@ -806,8 +821,9 @@ void CClient::UserCommand(CString& sLine) { for (const CServer* pServer : vServers) { Table.AddRow(); - Table.SetCell(t_s("Host", "listservers"), pServer->GetName() + - (pServer == pCurServ ? "*" : "")); + Table.SetCell( + t_s("Host", "listservers"), + pServer->GetName() + (pServer == pCurServ ? "*" : "")); Table.SetCell(t_s("Port", "listservers"), CString(pServer->GetPort())); Table.SetCell( @@ -1060,8 +1076,8 @@ void CClient::UserCommand(CString& sLine) { sMod, sArgs, eType, nullptr, nullptr, sModRet); break; case CModInfo::UserModule: - bLoaded = m_pUser->GetModules().LoadModule(sMod, sArgs, eType, - m_pUser, nullptr, sModRet); + bLoaded = m_pUser->GetModules().LoadModule( + sMod, sArgs, eType, m_pUser, nullptr, sModRet); break; case CModInfo::NetworkModule: bLoaded = m_pNetwork->GetModules().LoadModule( @@ -1555,10 +1571,12 @@ void CClient::UserPortCommand(CString& sLine) { for (const CListener* pListener : vpListeners) { Table.AddRow(); - Table.SetCell(t_s("Port", "listports"), CString(pListener->GetPort())); - Table.SetCell(t_s("BindHost", "listports"), (pListener->GetBindHost().empty() - ? CString("*") - : pListener->GetBindHost())); + Table.SetCell(t_s("Port", "listports"), + CString(pListener->GetPort())); + Table.SetCell( + t_s("BindHost", "listports"), + (pListener->GetBindHost().empty() ? CString("*") + : pListener->GetBindHost())); Table.SetCell(t_s("SSL", "listports"), pListener->IsSSL() ? t_s("yes", "listports|ssl") : t_s("no", "listports|ssl")); From 7e23106c67c250b04677b4b2b8bea473212d26ba Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Sun, 9 Aug 2020 00:29:15 +0000 Subject: [PATCH 476/798] Update translations from Crowdin for bg_BG de_DE es_ES fr_FR id_ID it_IT nl_NL pl_PL pt_BR ru_RU --- src/po/znc.bg_BG.po | 701 +++++++++++++++++++++++++----------------- src/po/znc.de_DE.po | 728 +++++++++++++++++++++++++++----------------- src/po/znc.es_ES.po | 701 +++++++++++++++++++++++++----------------- src/po/znc.fr_FR.po | 701 +++++++++++++++++++++++++----------------- src/po/znc.id_ID.po | 699 +++++++++++++++++++++++++----------------- src/po/znc.it_IT.po | 701 +++++++++++++++++++++++++----------------- src/po/znc.nl_NL.po | 701 +++++++++++++++++++++++++----------------- src/po/znc.pl_PL.po | 705 +++++++++++++++++++++++++----------------- src/po/znc.pot | 701 +++++++++++++++++++++++++----------------- src/po/znc.pt_BR.po | 701 +++++++++++++++++++++++++----------------- src/po/znc.ru_RU.po | 705 +++++++++++++++++++++++++----------------- 11 files changed, 4763 insertions(+), 2981 deletions(-) diff --git a/src/po/znc.bg_BG.po b/src/po/znc.bg_BG.po index e1379baa..d50838d0 100644 --- a/src/po/znc.bg_BG.po +++ b/src/po/znc.bg_BG.po @@ -71,7 +71,7 @@ msgstr "" msgid "Invalid port" msgstr "" -#: znc.cpp:1821 ClientCommand.cpp:1637 +#: znc.cpp:1821 ClientCommand.cpp:1655 msgid "Unable to bind: {1}" msgstr "" @@ -244,6 +244,7 @@ msgid "Usage: /attach <#chans>" msgstr "" #: Client.cpp:1344 Client.cpp:1366 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: ClientCommand.cpp:423 ClientCommand.cpp:450 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" msgstr[0] "" @@ -283,7 +284,7 @@ msgctxt "modhelpcmd" msgid "Generate this output" msgstr "" -#: Modules.cpp:573 ClientCommand.cpp:1904 +#: Modules.cpp:573 ClientCommand.cpp:1922 msgid "No matches for '{1}'" msgstr "" @@ -388,11 +389,12 @@ msgid "Description" msgstr "" #: ClientCommand.cpp:51 ClientCommand.cpp:115 ClientCommand.cpp:137 -#: ClientCommand.cpp:749 ClientCommand.cpp:768 ClientCommand.cpp:794 -#: ClientCommand.cpp:827 ClientCommand.cpp:840 ClientCommand.cpp:853 -#: ClientCommand.cpp:868 ClientCommand.cpp:1329 ClientCommand.cpp:1377 -#: ClientCommand.cpp:1409 ClientCommand.cpp:1420 ClientCommand.cpp:1429 -#: ClientCommand.cpp:1441 +#: ClientCommand.cpp:339 ClientCommand.cpp:390 ClientCommand.cpp:405 +#: ClientCommand.cpp:432 ClientCommand.cpp:459 ClientCommand.cpp:764 +#: ClientCommand.cpp:783 ClientCommand.cpp:809 ClientCommand.cpp:843 +#: ClientCommand.cpp:856 ClientCommand.cpp:869 ClientCommand.cpp:884 +#: ClientCommand.cpp:1345 ClientCommand.cpp:1393 ClientCommand.cpp:1425 +#: ClientCommand.cpp:1436 ClientCommand.cpp:1445 ClientCommand.cpp:1457 msgid "You must be connected with a network to use this command" msgstr "" @@ -452,1209 +454,1366 @@ msgstr "" msgid "Error while trying to write config." msgstr "" -#: ClientCommand.cpp:455 +#: ClientCommand.cpp:183 +msgid "Usage: ListClients" +msgstr "" + +#: ClientCommand.cpp:190 +msgid "No such user: {1}" +msgstr "" + +#: ClientCommand.cpp:198 +msgid "No clients are connected" +msgstr "" + +#: ClientCommand.cpp:203 ClientCommand.cpp:209 +msgctxt "listclientscmd" +msgid "Host" +msgstr "" + +#: ClientCommand.cpp:204 ClientCommand.cpp:212 +msgctxt "listclientscmd" +msgid "Network" +msgstr "" + +#: ClientCommand.cpp:205 ClientCommand.cpp:215 +msgctxt "listclientscmd" +msgid "Identifier" +msgstr "" + +#: ClientCommand.cpp:223 ClientCommand.cpp:229 +msgctxt "listuserscmd" +msgid "Username" +msgstr "" + +#: ClientCommand.cpp:224 ClientCommand.cpp:230 +msgctxt "listuserscmd" +msgid "Networks" +msgstr "" + +#: ClientCommand.cpp:225 ClientCommand.cpp:232 +msgctxt "listuserscmd" +msgid "Clients" +msgstr "" + +#: ClientCommand.cpp:240 ClientCommand.cpp:250 ClientCommand.cpp:260 +#: ClientCommand.cpp:263 +msgctxt "listallusernetworkscmd" +msgid "Username" +msgstr "" + +#: ClientCommand.cpp:241 ClientCommand.cpp:251 ClientCommand.cpp:266 +msgctxt "listallusernetworkscmd" +msgid "Network" +msgstr "" + +#: ClientCommand.cpp:242 ClientCommand.cpp:252 ClientCommand.cpp:268 +msgctxt "listallusernetworkscmd" +msgid "Clients" +msgstr "" + +#: ClientCommand.cpp:243 ClientCommand.cpp:271 ClientCommand.cpp:280 +msgctxt "listallusernetworkscmd" +msgid "On IRC" +msgstr "" + +#: ClientCommand.cpp:244 ClientCommand.cpp:273 +msgctxt "listallusernetworkscmd" +msgid "IRC Server" +msgstr "" + +#: ClientCommand.cpp:245 ClientCommand.cpp:275 +msgctxt "listallusernetworkscmd" +msgid "IRC User" +msgstr "" + +#: ClientCommand.cpp:246 ClientCommand.cpp:277 +msgctxt "listallusernetworkscmd" +msgid "Channels" +msgstr "" + +#: ClientCommand.cpp:251 +msgid "N/A" +msgstr "" + +#: ClientCommand.cpp:272 +msgctxt "listallusernetworkscmd" +msgid "Yes" +msgstr "" + +#: ClientCommand.cpp:281 +msgctxt "listallusernetworkscmd" +msgid "No" +msgstr "" + +#: ClientCommand.cpp:291 +msgid "Usage: SetMOTD " +msgstr "" + +#: ClientCommand.cpp:294 +msgid "MOTD set to: {1}" +msgstr "" + +#: ClientCommand.cpp:300 +msgid "Usage: AddMOTD " +msgstr "" + +#: ClientCommand.cpp:303 +msgid "Added [{1}] to MOTD" +msgstr "" + +#: ClientCommand.cpp:307 +msgid "Cleared MOTD" +msgstr "" + +#: ClientCommand.cpp:329 +msgid "" +"ERROR: Writing config file to disk failed! Aborting. Use {1} FORCE to ignore." +msgstr "" + +#: ClientCommand.cpp:344 ClientCommand.cpp:797 ClientCommand.cpp:838 +msgid "You don't have any servers added." +msgstr "" + +#: ClientCommand.cpp:355 +msgid "Server [{1}] not found" +msgstr "" + +#: ClientCommand.cpp:375 ClientCommand.cpp:380 +msgid "Connecting to {1}..." +msgstr "" + +#: ClientCommand.cpp:377 +msgid "Jumping to the next server in the list..." +msgstr "" + +#: ClientCommand.cpp:382 +msgid "Connecting..." +msgstr "" + +#: ClientCommand.cpp:400 +msgid "Disconnected from IRC. Use 'connect' to reconnect." +msgstr "" + +#: ClientCommand.cpp:412 +msgid "Usage: EnableChan <#chans>" +msgstr "" + +#: ClientCommand.cpp:426 +msgid "Enabled {1} channel" +msgid_plural "Enabled {1} channels" +msgstr[0] "" +msgstr[1] "" + +#: ClientCommand.cpp:439 +msgid "Usage: DisableChan <#chans>" +msgstr "" + +#: ClientCommand.cpp:453 +msgid "Disabled {1} channel" +msgid_plural "Disabled {1} channels" +msgstr[0] "" +msgstr[1] "" + +#: ClientCommand.cpp:470 msgid "Usage: ListChans" msgstr "" -#: ClientCommand.cpp:462 +#: ClientCommand.cpp:477 msgid "No such user [{1}]" msgstr "" -#: ClientCommand.cpp:468 +#: ClientCommand.cpp:483 msgid "User [{1}] doesn't have network [{2}]" msgstr "" -#: ClientCommand.cpp:479 +#: ClientCommand.cpp:494 msgid "There are no channels defined." msgstr "" -#: ClientCommand.cpp:484 ClientCommand.cpp:500 +#: ClientCommand.cpp:499 ClientCommand.cpp:515 msgctxt "listchans" msgid "Name" msgstr "" -#: ClientCommand.cpp:485 ClientCommand.cpp:503 +#: ClientCommand.cpp:500 ClientCommand.cpp:518 msgctxt "listchans" msgid "Status" msgstr "" -#: ClientCommand.cpp:486 ClientCommand.cpp:510 +#: ClientCommand.cpp:501 ClientCommand.cpp:525 msgctxt "listchans" msgid "In config" msgstr "" -#: ClientCommand.cpp:487 ClientCommand.cpp:512 +#: ClientCommand.cpp:502 ClientCommand.cpp:527 msgctxt "listchans" msgid "Buffer" msgstr "" -#: ClientCommand.cpp:488 ClientCommand.cpp:516 +#: ClientCommand.cpp:503 ClientCommand.cpp:531 msgctxt "listchans" msgid "Clear" msgstr "" -#: ClientCommand.cpp:489 ClientCommand.cpp:521 +#: ClientCommand.cpp:504 ClientCommand.cpp:536 msgctxt "listchans" msgid "Modes" msgstr "" -#: ClientCommand.cpp:490 ClientCommand.cpp:522 +#: ClientCommand.cpp:505 ClientCommand.cpp:537 msgctxt "listchans" msgid "Users" msgstr "" -#: ClientCommand.cpp:505 +#: ClientCommand.cpp:520 msgctxt "listchans" msgid "Detached" msgstr "" -#: ClientCommand.cpp:506 +#: ClientCommand.cpp:521 msgctxt "listchans" msgid "Joined" msgstr "" -#: ClientCommand.cpp:507 +#: ClientCommand.cpp:522 msgctxt "listchans" msgid "Disabled" msgstr "" -#: ClientCommand.cpp:508 +#: ClientCommand.cpp:523 msgctxt "listchans" msgid "Trying" msgstr "" -#: ClientCommand.cpp:511 ClientCommand.cpp:519 +#: ClientCommand.cpp:526 ClientCommand.cpp:534 msgctxt "listchans" msgid "yes" msgstr "" -#: ClientCommand.cpp:536 +#: ClientCommand.cpp:551 msgid "Total: {1}, Joined: {2}, Detached: {3}, Disabled: {4}" msgstr "" -#: ClientCommand.cpp:541 +#: ClientCommand.cpp:556 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks using /znc DelNetwork " msgstr "" -#: ClientCommand.cpp:550 +#: ClientCommand.cpp:565 msgid "Usage: AddNetwork " msgstr "" -#: ClientCommand.cpp:554 +#: ClientCommand.cpp:569 msgid "Network name should be alphanumeric" msgstr "" -#: ClientCommand.cpp:561 +#: ClientCommand.cpp:576 msgid "" "Network added. Use /znc JumpNetwork {1}, or connect to ZNC with username {2} " "(instead of just {3}) to connect to it." msgstr "" -#: ClientCommand.cpp:566 +#: ClientCommand.cpp:581 msgid "Unable to add that network" msgstr "" -#: ClientCommand.cpp:573 +#: ClientCommand.cpp:588 msgid "Usage: DelNetwork " msgstr "" -#: ClientCommand.cpp:582 +#: ClientCommand.cpp:597 msgid "Network deleted" msgstr "" -#: ClientCommand.cpp:585 +#: ClientCommand.cpp:600 msgid "Failed to delete network, perhaps this network doesn't exist" msgstr "" -#: ClientCommand.cpp:595 +#: ClientCommand.cpp:610 msgid "User {1} not found" msgstr "" -#: ClientCommand.cpp:603 ClientCommand.cpp:611 +#: ClientCommand.cpp:618 ClientCommand.cpp:626 msgctxt "listnetworks" msgid "Network" msgstr "" -#: ClientCommand.cpp:604 ClientCommand.cpp:613 ClientCommand.cpp:622 +#: ClientCommand.cpp:619 ClientCommand.cpp:628 ClientCommand.cpp:637 msgctxt "listnetworks" msgid "On IRC" msgstr "" -#: ClientCommand.cpp:605 ClientCommand.cpp:615 +#: ClientCommand.cpp:620 ClientCommand.cpp:630 msgctxt "listnetworks" msgid "IRC Server" msgstr "" -#: ClientCommand.cpp:606 ClientCommand.cpp:617 +#: ClientCommand.cpp:621 ClientCommand.cpp:632 msgctxt "listnetworks" msgid "IRC User" msgstr "" -#: ClientCommand.cpp:607 ClientCommand.cpp:619 +#: ClientCommand.cpp:622 ClientCommand.cpp:634 msgctxt "listnetworks" msgid "Channels" msgstr "" -#: ClientCommand.cpp:614 +#: ClientCommand.cpp:629 msgctxt "listnetworks" msgid "Yes" msgstr "" -#: ClientCommand.cpp:623 +#: ClientCommand.cpp:638 msgctxt "listnetworks" msgid "No" msgstr "" -#: ClientCommand.cpp:628 +#: ClientCommand.cpp:643 msgctxt "listnetworks" msgid "No networks" msgstr "" -#: ClientCommand.cpp:632 ClientCommand.cpp:936 +#: ClientCommand.cpp:647 ClientCommand.cpp:952 msgid "Access denied." msgstr "" -#: ClientCommand.cpp:643 +#: ClientCommand.cpp:658 msgid "Usage: MoveNetwork [new network]" msgstr "" -#: ClientCommand.cpp:653 +#: ClientCommand.cpp:668 msgid "Old user {1} not found." msgstr "" -#: ClientCommand.cpp:659 +#: ClientCommand.cpp:674 msgid "Old network {1} not found." msgstr "" -#: ClientCommand.cpp:665 +#: ClientCommand.cpp:680 msgid "New user {1} not found." msgstr "" -#: ClientCommand.cpp:670 +#: ClientCommand.cpp:685 msgid "User {1} already has network {2}." msgstr "" -#: ClientCommand.cpp:676 +#: ClientCommand.cpp:691 msgid "Invalid network name [{1}]" msgstr "" -#: ClientCommand.cpp:692 +#: ClientCommand.cpp:707 msgid "Some files seem to be in {1}. You might want to move them to {2}" msgstr "" -#: ClientCommand.cpp:706 +#: ClientCommand.cpp:721 msgid "Error adding network: {1}" msgstr "" -#: ClientCommand.cpp:718 +#: ClientCommand.cpp:733 msgid "Success." msgstr "" -#: ClientCommand.cpp:721 +#: ClientCommand.cpp:736 msgid "Copied the network to new user, but failed to delete old network" msgstr "" -#: ClientCommand.cpp:728 +#: ClientCommand.cpp:743 msgid "No network supplied." msgstr "" -#: ClientCommand.cpp:733 +#: ClientCommand.cpp:748 msgid "You are already connected with this network." msgstr "" -#: ClientCommand.cpp:739 +#: ClientCommand.cpp:754 msgid "Switched to {1}" msgstr "" -#: ClientCommand.cpp:742 +#: ClientCommand.cpp:757 msgid "You don't have a network named {1}" msgstr "" -#: ClientCommand.cpp:754 +#: ClientCommand.cpp:769 msgid "Usage: AddServer [[+]port] [pass]" msgstr "" -#: ClientCommand.cpp:759 +#: ClientCommand.cpp:774 msgid "Server added" msgstr "" -#: ClientCommand.cpp:762 +#: ClientCommand.cpp:777 msgid "" "Unable to add that server. Perhaps the server is already added or openssl is " "disabled?" msgstr "" -#: ClientCommand.cpp:777 +#: ClientCommand.cpp:792 msgid "Usage: DelServer [port] [pass]" msgstr "" -#: ClientCommand.cpp:782 ClientCommand.cpp:822 -msgid "You don't have any servers added." -msgstr "" - -#: ClientCommand.cpp:787 +#: ClientCommand.cpp:802 msgid "Server removed" msgstr "" -#: ClientCommand.cpp:789 +#: ClientCommand.cpp:804 msgid "No such server" msgstr "" -#: ClientCommand.cpp:802 ClientCommand.cpp:809 +#: ClientCommand.cpp:817 ClientCommand.cpp:825 msgctxt "listservers" msgid "Host" msgstr "" -#: ClientCommand.cpp:803 ClientCommand.cpp:811 +#: ClientCommand.cpp:818 ClientCommand.cpp:827 msgctxt "listservers" msgid "Port" msgstr "" -#: ClientCommand.cpp:804 ClientCommand.cpp:814 +#: ClientCommand.cpp:819 ClientCommand.cpp:830 msgctxt "listservers" msgid "SSL" msgstr "" -#: ClientCommand.cpp:805 ClientCommand.cpp:816 +#: ClientCommand.cpp:820 ClientCommand.cpp:832 msgctxt "listservers" msgid "Password" msgstr "" -#: ClientCommand.cpp:815 +#: ClientCommand.cpp:831 msgctxt "listservers|cell" msgid "SSL" msgstr "" -#: ClientCommand.cpp:832 +#: ClientCommand.cpp:848 msgid "Usage: AddTrustedServerFingerprint " msgstr "" -#: ClientCommand.cpp:836 ClientCommand.cpp:849 +#: ClientCommand.cpp:852 ClientCommand.cpp:865 msgid "Done." msgstr "" -#: ClientCommand.cpp:845 +#: ClientCommand.cpp:861 msgid "Usage: DelTrustedServerFingerprint " msgstr "" -#: ClientCommand.cpp:858 +#: ClientCommand.cpp:874 msgid "No fingerprints added." msgstr "" -#: ClientCommand.cpp:874 ClientCommand.cpp:880 +#: ClientCommand.cpp:890 ClientCommand.cpp:896 msgctxt "topicscmd" msgid "Channel" msgstr "" -#: ClientCommand.cpp:875 ClientCommand.cpp:881 +#: ClientCommand.cpp:891 ClientCommand.cpp:897 msgctxt "topicscmd" msgid "Set By" msgstr "" -#: ClientCommand.cpp:876 ClientCommand.cpp:882 +#: ClientCommand.cpp:892 ClientCommand.cpp:898 msgctxt "topicscmd" msgid "Topic" msgstr "" -#: ClientCommand.cpp:889 ClientCommand.cpp:894 +#: ClientCommand.cpp:905 ClientCommand.cpp:910 msgctxt "listmods" msgid "Name" msgstr "" -#: ClientCommand.cpp:890 ClientCommand.cpp:895 +#: ClientCommand.cpp:906 ClientCommand.cpp:911 msgctxt "listmods" msgid "Arguments" msgstr "" -#: ClientCommand.cpp:904 +#: ClientCommand.cpp:920 msgid "No global modules loaded." msgstr "" -#: ClientCommand.cpp:906 ClientCommand.cpp:970 +#: ClientCommand.cpp:922 ClientCommand.cpp:986 msgid "Global modules:" msgstr "" -#: ClientCommand.cpp:915 +#: ClientCommand.cpp:931 msgid "Your user has no modules loaded." msgstr "" -#: ClientCommand.cpp:917 ClientCommand.cpp:982 +#: ClientCommand.cpp:933 ClientCommand.cpp:998 msgid "User modules:" msgstr "" -#: ClientCommand.cpp:925 +#: ClientCommand.cpp:941 msgid "This network has no modules loaded." msgstr "" -#: ClientCommand.cpp:927 ClientCommand.cpp:994 +#: ClientCommand.cpp:943 ClientCommand.cpp:1010 msgid "Network modules:" msgstr "" -#: ClientCommand.cpp:942 ClientCommand.cpp:949 +#: ClientCommand.cpp:958 ClientCommand.cpp:965 msgctxt "listavailmods" msgid "Name" msgstr "" -#: ClientCommand.cpp:943 ClientCommand.cpp:954 +#: ClientCommand.cpp:959 ClientCommand.cpp:970 msgctxt "listavailmods" msgid "Description" msgstr "" -#: ClientCommand.cpp:968 +#: ClientCommand.cpp:984 msgid "No global modules available." msgstr "" -#: ClientCommand.cpp:980 +#: ClientCommand.cpp:996 msgid "No user modules available." msgstr "" -#: ClientCommand.cpp:992 +#: ClientCommand.cpp:1008 msgid "No network modules available." msgstr "" -#: ClientCommand.cpp:1020 +#: ClientCommand.cpp:1036 msgid "Unable to load {1}: Access denied." msgstr "" -#: ClientCommand.cpp:1026 +#: ClientCommand.cpp:1042 msgid "Usage: LoadMod [--type=global|user|network] [args]" msgstr "" -#: ClientCommand.cpp:1033 +#: ClientCommand.cpp:1049 msgid "Unable to load {1}: {2}" msgstr "" -#: ClientCommand.cpp:1043 +#: ClientCommand.cpp:1059 msgid "Unable to load global module {1}: Access denied." msgstr "" -#: ClientCommand.cpp:1049 +#: ClientCommand.cpp:1065 msgid "Unable to load network module {1}: Not connected with a network." msgstr "" -#: ClientCommand.cpp:1071 +#: ClientCommand.cpp:1087 msgid "Unknown module type" msgstr "" -#: ClientCommand.cpp:1076 +#: ClientCommand.cpp:1092 msgid "Loaded module {1}" msgstr "" -#: ClientCommand.cpp:1078 +#: ClientCommand.cpp:1094 msgid "Loaded module {1}: {2}" msgstr "" -#: ClientCommand.cpp:1081 +#: ClientCommand.cpp:1097 msgid "Unable to load module {1}: {2}" msgstr "" -#: ClientCommand.cpp:1104 +#: ClientCommand.cpp:1120 msgid "Unable to unload {1}: Access denied." msgstr "" -#: ClientCommand.cpp:1110 +#: ClientCommand.cpp:1126 msgid "Usage: UnloadMod [--type=global|user|network] " msgstr "" -#: ClientCommand.cpp:1119 +#: ClientCommand.cpp:1135 msgid "Unable to determine type of {1}: {2}" msgstr "" -#: ClientCommand.cpp:1127 +#: ClientCommand.cpp:1143 msgid "Unable to unload global module {1}: Access denied." msgstr "" -#: ClientCommand.cpp:1134 +#: ClientCommand.cpp:1150 msgid "Unable to unload network module {1}: Not connected with a network." msgstr "" -#: ClientCommand.cpp:1153 +#: ClientCommand.cpp:1169 msgid "Unable to unload module {1}: Unknown module type" msgstr "" -#: ClientCommand.cpp:1166 +#: ClientCommand.cpp:1182 msgid "Unable to reload modules. Access denied." msgstr "" -#: ClientCommand.cpp:1187 +#: ClientCommand.cpp:1203 msgid "Usage: ReloadMod [--type=global|user|network] [args]" msgstr "" -#: ClientCommand.cpp:1196 +#: ClientCommand.cpp:1212 msgid "Unable to reload {1}: {2}" msgstr "" -#: ClientCommand.cpp:1204 +#: ClientCommand.cpp:1220 msgid "Unable to reload global module {1}: Access denied." msgstr "" -#: ClientCommand.cpp:1211 +#: ClientCommand.cpp:1227 msgid "Unable to reload network module {1}: Not connected with a network." msgstr "" -#: ClientCommand.cpp:1233 +#: ClientCommand.cpp:1249 msgid "Unable to reload module {1}: Unknown module type" msgstr "" -#: ClientCommand.cpp:1244 +#: ClientCommand.cpp:1260 msgid "Usage: UpdateMod " msgstr "" -#: ClientCommand.cpp:1248 +#: ClientCommand.cpp:1264 msgid "Reloading {1} everywhere" msgstr "" -#: ClientCommand.cpp:1250 +#: ClientCommand.cpp:1266 msgid "Done" msgstr "" -#: ClientCommand.cpp:1253 +#: ClientCommand.cpp:1269 msgid "" "Done, but there were errors, module {1} could not be reloaded everywhere." msgstr "" -#: ClientCommand.cpp:1261 +#: ClientCommand.cpp:1277 msgid "" "You must be connected with a network to use this command. Try " "SetUserBindHost instead" msgstr "" -#: ClientCommand.cpp:1268 +#: ClientCommand.cpp:1284 msgid "Usage: SetBindHost " msgstr "" -#: ClientCommand.cpp:1273 ClientCommand.cpp:1290 +#: ClientCommand.cpp:1289 ClientCommand.cpp:1306 msgid "You already have this bind host!" msgstr "" -#: ClientCommand.cpp:1278 +#: ClientCommand.cpp:1294 msgid "Set bind host for network {1} to {2}" msgstr "" -#: ClientCommand.cpp:1285 +#: ClientCommand.cpp:1301 msgid "Usage: SetUserBindHost " msgstr "" -#: ClientCommand.cpp:1295 +#: ClientCommand.cpp:1311 msgid "Set default bind host to {1}" msgstr "" -#: ClientCommand.cpp:1301 +#: ClientCommand.cpp:1317 msgid "" "You must be connected with a network to use this command. Try " "ClearUserBindHost instead" msgstr "" -#: ClientCommand.cpp:1306 +#: ClientCommand.cpp:1322 msgid "Bind host cleared for this network." msgstr "" -#: ClientCommand.cpp:1310 +#: ClientCommand.cpp:1326 msgid "Default bind host cleared for your user." msgstr "" -#: ClientCommand.cpp:1313 +#: ClientCommand.cpp:1329 msgid "This user's default bind host not set" msgstr "" -#: ClientCommand.cpp:1315 +#: ClientCommand.cpp:1331 msgid "This user's default bind host is {1}" msgstr "" -#: ClientCommand.cpp:1320 +#: ClientCommand.cpp:1336 msgid "This network's bind host not set" msgstr "" -#: ClientCommand.cpp:1322 +#: ClientCommand.cpp:1338 msgid "This network's default bind host is {1}" msgstr "" -#: ClientCommand.cpp:1336 +#: ClientCommand.cpp:1352 msgid "Usage: PlayBuffer <#chan|query>" msgstr "" -#: ClientCommand.cpp:1344 +#: ClientCommand.cpp:1360 msgid "You are not on {1}" msgstr "" -#: ClientCommand.cpp:1349 +#: ClientCommand.cpp:1365 msgid "You are not on {1} (trying to join)" msgstr "" -#: ClientCommand.cpp:1354 +#: ClientCommand.cpp:1370 msgid "The buffer for channel {1} is empty" msgstr "" -#: ClientCommand.cpp:1363 +#: ClientCommand.cpp:1379 msgid "No active query with {1}" msgstr "" -#: ClientCommand.cpp:1368 +#: ClientCommand.cpp:1384 msgid "The buffer for {1} is empty" msgstr "" -#: ClientCommand.cpp:1384 +#: ClientCommand.cpp:1400 msgid "Usage: ClearBuffer <#chan|query>" msgstr "" -#: ClientCommand.cpp:1403 +#: ClientCommand.cpp:1419 msgid "{1} buffer matching {2} has been cleared" msgid_plural "{1} buffers matching {2} have been cleared" msgstr[0] "" msgstr[1] "" -#: ClientCommand.cpp:1416 +#: ClientCommand.cpp:1432 msgid "All channel buffers have been cleared" msgstr "" -#: ClientCommand.cpp:1425 +#: ClientCommand.cpp:1441 msgid "All query buffers have been cleared" msgstr "" -#: ClientCommand.cpp:1437 +#: ClientCommand.cpp:1453 msgid "All buffers have been cleared" msgstr "" -#: ClientCommand.cpp:1448 +#: ClientCommand.cpp:1464 msgid "Usage: SetBuffer <#chan|query> [linecount]" msgstr "" -#: ClientCommand.cpp:1469 +#: ClientCommand.cpp:1485 msgid "Setting buffer size failed for {1} buffer" msgid_plural "Setting buffer size failed for {1} buffers" msgstr[0] "" msgstr[1] "" -#: ClientCommand.cpp:1472 +#: ClientCommand.cpp:1488 msgid "Maximum buffer size is {1} line" msgid_plural "Maximum buffer size is {1} lines" msgstr[0] "" msgstr[1] "" -#: ClientCommand.cpp:1477 +#: ClientCommand.cpp:1493 msgid "Size of every buffer was set to {1} line" msgid_plural "Size of every buffer was set to {1} lines" msgstr[0] "" msgstr[1] "" -#: ClientCommand.cpp:1487 ClientCommand.cpp:1494 ClientCommand.cpp:1505 -#: ClientCommand.cpp:1514 ClientCommand.cpp:1522 +#: ClientCommand.cpp:1503 ClientCommand.cpp:1510 ClientCommand.cpp:1521 +#: ClientCommand.cpp:1530 ClientCommand.cpp:1538 msgctxt "trafficcmd" msgid "Username" msgstr "" -#: ClientCommand.cpp:1488 ClientCommand.cpp:1495 ClientCommand.cpp:1507 -#: ClientCommand.cpp:1516 ClientCommand.cpp:1524 +#: ClientCommand.cpp:1504 ClientCommand.cpp:1511 ClientCommand.cpp:1523 +#: ClientCommand.cpp:1532 ClientCommand.cpp:1540 msgctxt "trafficcmd" msgid "In" msgstr "" -#: ClientCommand.cpp:1489 ClientCommand.cpp:1497 ClientCommand.cpp:1508 -#: ClientCommand.cpp:1517 ClientCommand.cpp:1525 +#: ClientCommand.cpp:1505 ClientCommand.cpp:1513 ClientCommand.cpp:1524 +#: ClientCommand.cpp:1533 ClientCommand.cpp:1541 msgctxt "trafficcmd" msgid "Out" msgstr "" -#: ClientCommand.cpp:1490 ClientCommand.cpp:1500 ClientCommand.cpp:1510 -#: ClientCommand.cpp:1518 ClientCommand.cpp:1527 +#: ClientCommand.cpp:1506 ClientCommand.cpp:1516 ClientCommand.cpp:1526 +#: ClientCommand.cpp:1534 ClientCommand.cpp:1543 msgctxt "trafficcmd" msgid "Total" msgstr "" -#: ClientCommand.cpp:1506 +#: ClientCommand.cpp:1522 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1515 +#: ClientCommand.cpp:1531 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1523 +#: ClientCommand.cpp:1539 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1532 +#: ClientCommand.cpp:1548 msgid "Running for {1}" msgstr "" -#: ClientCommand.cpp:1538 +#: ClientCommand.cpp:1554 msgid "Unknown command, try 'Help'" msgstr "" -#: ClientCommand.cpp:1547 ClientCommand.cpp:1558 +#: ClientCommand.cpp:1563 ClientCommand.cpp:1574 msgctxt "listports" msgid "Port" msgstr "" -#: ClientCommand.cpp:1548 ClientCommand.cpp:1559 +#: ClientCommand.cpp:1564 ClientCommand.cpp:1577 msgctxt "listports" msgid "BindHost" msgstr "" -#: ClientCommand.cpp:1549 ClientCommand.cpp:1562 +#: ClientCommand.cpp:1565 ClientCommand.cpp:1580 msgctxt "listports" msgid "SSL" msgstr "" -#: ClientCommand.cpp:1550 ClientCommand.cpp:1567 +#: ClientCommand.cpp:1566 ClientCommand.cpp:1585 msgctxt "listports" msgid "Protocol" msgstr "" -#: ClientCommand.cpp:1551 ClientCommand.cpp:1574 +#: ClientCommand.cpp:1567 ClientCommand.cpp:1592 msgctxt "listports" msgid "IRC" msgstr "" -#: ClientCommand.cpp:1552 ClientCommand.cpp:1579 +#: ClientCommand.cpp:1568 ClientCommand.cpp:1597 msgctxt "listports" msgid "Web" msgstr "" -#: ClientCommand.cpp:1563 +#: ClientCommand.cpp:1581 msgctxt "listports|ssl" msgid "yes" msgstr "" -#: ClientCommand.cpp:1564 +#: ClientCommand.cpp:1582 msgctxt "listports|ssl" msgid "no" msgstr "" -#: ClientCommand.cpp:1568 +#: ClientCommand.cpp:1586 msgctxt "listports" msgid "IPv4 and IPv6" msgstr "" -#: ClientCommand.cpp:1570 +#: ClientCommand.cpp:1588 msgctxt "listports" msgid "IPv4" msgstr "" -#: ClientCommand.cpp:1571 +#: ClientCommand.cpp:1589 msgctxt "listports" msgid "IPv6" msgstr "" -#: ClientCommand.cpp:1577 +#: ClientCommand.cpp:1595 msgctxt "listports|irc" msgid "yes" msgstr "" -#: ClientCommand.cpp:1578 +#: ClientCommand.cpp:1596 msgctxt "listports|irc" msgid "no" msgstr "" -#: ClientCommand.cpp:1582 +#: ClientCommand.cpp:1600 msgctxt "listports|irc" msgid "yes, on {1}" msgstr "" -#: ClientCommand.cpp:1584 +#: ClientCommand.cpp:1602 msgctxt "listports|web" msgid "no" msgstr "" -#: ClientCommand.cpp:1624 +#: ClientCommand.cpp:1642 msgid "" "Usage: AddPort <[+]port> [bindhost [uriprefix]]" msgstr "" -#: ClientCommand.cpp:1640 +#: ClientCommand.cpp:1658 msgid "Port added" msgstr "" -#: ClientCommand.cpp:1642 +#: ClientCommand.cpp:1660 msgid "Couldn't add port" msgstr "" -#: ClientCommand.cpp:1648 +#: ClientCommand.cpp:1666 msgid "Usage: DelPort [bindhost]" msgstr "" -#: ClientCommand.cpp:1657 +#: ClientCommand.cpp:1675 msgid "Deleted Port" msgstr "" -#: ClientCommand.cpp:1659 +#: ClientCommand.cpp:1677 msgid "Unable to find a matching port" msgstr "" -#: ClientCommand.cpp:1667 ClientCommand.cpp:1682 +#: ClientCommand.cpp:1685 ClientCommand.cpp:1700 msgctxt "helpcmd" msgid "Command" msgstr "" -#: ClientCommand.cpp:1668 ClientCommand.cpp:1684 +#: ClientCommand.cpp:1686 ClientCommand.cpp:1702 msgctxt "helpcmd" msgid "Description" msgstr "" -#: ClientCommand.cpp:1673 +#: ClientCommand.cpp:1691 msgid "" "In the following list all occurrences of <#chan> support wildcards (* and ?) " "except ListNicks" msgstr "" -#: ClientCommand.cpp:1690 +#: ClientCommand.cpp:1708 msgctxt "helpcmd|Version|desc" msgid "Print which version of ZNC this is" msgstr "" -#: ClientCommand.cpp:1693 +#: ClientCommand.cpp:1711 msgctxt "helpcmd|ListMods|desc" msgid "List all loaded modules" msgstr "" -#: ClientCommand.cpp:1696 +#: ClientCommand.cpp:1714 msgctxt "helpcmd|ListAvailMods|desc" msgid "List all available modules" msgstr "" -#: ClientCommand.cpp:1700 ClientCommand.cpp:1886 +#: ClientCommand.cpp:1718 ClientCommand.cpp:1904 msgctxt "helpcmd|ListChans|desc" msgid "List all channels" msgstr "" -#: ClientCommand.cpp:1703 +#: ClientCommand.cpp:1721 msgctxt "helpcmd|ListNicks|args" msgid "<#chan>" msgstr "" -#: ClientCommand.cpp:1704 +#: ClientCommand.cpp:1722 msgctxt "helpcmd|ListNicks|desc" msgid "List all nicks on a channel" msgstr "" -#: ClientCommand.cpp:1707 +#: ClientCommand.cpp:1725 msgctxt "helpcmd|ListClients|desc" msgid "List all clients connected to your ZNC user" msgstr "" -#: ClientCommand.cpp:1711 +#: ClientCommand.cpp:1729 msgctxt "helpcmd|ListServers|desc" msgid "List all servers of current IRC network" msgstr "" -#: ClientCommand.cpp:1715 +#: ClientCommand.cpp:1733 msgctxt "helpcmd|AddNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1716 +#: ClientCommand.cpp:1734 msgctxt "helpcmd|AddNetwork|desc" msgid "Add a network to your user" msgstr "" -#: ClientCommand.cpp:1718 +#: ClientCommand.cpp:1736 msgctxt "helpcmd|DelNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1719 +#: ClientCommand.cpp:1737 msgctxt "helpcmd|DelNetwork|desc" msgid "Delete a network from your user" msgstr "" -#: ClientCommand.cpp:1721 +#: ClientCommand.cpp:1739 msgctxt "helpcmd|ListNetworks|desc" msgid "List all networks" msgstr "" -#: ClientCommand.cpp:1724 +#: ClientCommand.cpp:1742 msgctxt "helpcmd|MoveNetwork|args" msgid " [new network]" msgstr "" -#: ClientCommand.cpp:1726 +#: ClientCommand.cpp:1744 msgctxt "helpcmd|MoveNetwork|desc" msgid "Move an IRC network from one user to another" msgstr "" -#: ClientCommand.cpp:1730 +#: ClientCommand.cpp:1748 msgctxt "helpcmd|JumpNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1731 +#: ClientCommand.cpp:1749 msgctxt "helpcmd|JumpNetwork|desc" msgid "" "Jump to another network (Alternatively, you can connect to ZNC several " "times, using `user/network` as username)" msgstr "" -#: ClientCommand.cpp:1736 +#: ClientCommand.cpp:1754 msgctxt "helpcmd|AddServer|args" msgid " [[+]port] [pass]" msgstr "" -#: ClientCommand.cpp:1737 +#: ClientCommand.cpp:1755 msgctxt "helpcmd|AddServer|desc" msgid "" "Add a server to the list of alternate/backup servers of current IRC network." msgstr "" -#: ClientCommand.cpp:1741 +#: ClientCommand.cpp:1759 msgctxt "helpcmd|DelServer|args" msgid " [port] [pass]" msgstr "" -#: ClientCommand.cpp:1742 +#: ClientCommand.cpp:1760 msgctxt "helpcmd|DelServer|desc" msgid "" "Remove a server from the list of alternate/backup servers of current IRC " "network" msgstr "" -#: ClientCommand.cpp:1748 +#: ClientCommand.cpp:1766 msgctxt "helpcmd|AddTrustedServerFingerprint|args" msgid "" msgstr "" -#: ClientCommand.cpp:1749 +#: ClientCommand.cpp:1767 msgctxt "helpcmd|AddTrustedServerFingerprint|desc" msgid "" "Add a trusted server SSL certificate fingerprint (SHA-256) to current IRC " "network." msgstr "" -#: ClientCommand.cpp:1754 +#: ClientCommand.cpp:1772 msgctxt "helpcmd|DelTrustedServerFingerprint|args" msgid "" msgstr "" -#: ClientCommand.cpp:1755 +#: ClientCommand.cpp:1773 msgctxt "helpcmd|DelTrustedServerFingerprint|desc" msgid "Delete a trusted server SSL certificate from current IRC network." msgstr "" -#: ClientCommand.cpp:1759 +#: ClientCommand.cpp:1777 msgctxt "helpcmd|ListTrustedServerFingerprints|desc" msgid "List all trusted server SSL certificates of current IRC network." msgstr "" -#: ClientCommand.cpp:1762 +#: ClientCommand.cpp:1780 msgctxt "helpcmd|EnableChan|args" msgid "<#chans>" msgstr "" -#: ClientCommand.cpp:1763 +#: ClientCommand.cpp:1781 msgctxt "helpcmd|EnableChan|desc" msgid "Enable channels" msgstr "" -#: ClientCommand.cpp:1764 +#: ClientCommand.cpp:1782 msgctxt "helpcmd|DisableChan|args" msgid "<#chans>" msgstr "" -#: ClientCommand.cpp:1765 +#: ClientCommand.cpp:1783 msgctxt "helpcmd|DisableChan|desc" msgid "Disable channels" msgstr "" -#: ClientCommand.cpp:1766 +#: ClientCommand.cpp:1784 msgctxt "helpcmd|Attach|args" msgid "<#chans>" msgstr "" -#: ClientCommand.cpp:1767 +#: ClientCommand.cpp:1785 msgctxt "helpcmd|Attach|desc" msgid "Attach to channels" msgstr "" -#: ClientCommand.cpp:1768 +#: ClientCommand.cpp:1786 msgctxt "helpcmd|Detach|args" msgid "<#chans>" msgstr "" -#: ClientCommand.cpp:1769 +#: ClientCommand.cpp:1787 msgctxt "helpcmd|Detach|desc" msgid "Detach from channels" msgstr "" -#: ClientCommand.cpp:1772 +#: ClientCommand.cpp:1790 msgctxt "helpcmd|Topics|desc" msgid "Show topics in all your channels" msgstr "" -#: ClientCommand.cpp:1775 +#: ClientCommand.cpp:1793 msgctxt "helpcmd|PlayBuffer|args" msgid "<#chan|query>" msgstr "" -#: ClientCommand.cpp:1776 +#: ClientCommand.cpp:1794 msgctxt "helpcmd|PlayBuffer|desc" msgid "Play back the specified buffer" msgstr "" -#: ClientCommand.cpp:1778 +#: ClientCommand.cpp:1796 msgctxt "helpcmd|ClearBuffer|args" msgid "<#chan|query>" msgstr "" -#: ClientCommand.cpp:1779 +#: ClientCommand.cpp:1797 msgctxt "helpcmd|ClearBuffer|desc" msgid "Clear the specified buffer" msgstr "" -#: ClientCommand.cpp:1781 +#: ClientCommand.cpp:1799 msgctxt "helpcmd|ClearAllBuffers|desc" msgid "Clear all channel and query buffers" msgstr "" -#: ClientCommand.cpp:1784 +#: ClientCommand.cpp:1802 msgctxt "helpcmd|ClearAllChannelBuffers|desc" msgid "Clear the channel buffers" msgstr "" -#: ClientCommand.cpp:1788 +#: ClientCommand.cpp:1806 msgctxt "helpcmd|ClearAllQueryBuffers|desc" msgid "Clear the query buffers" msgstr "" -#: ClientCommand.cpp:1790 +#: ClientCommand.cpp:1808 msgctxt "helpcmd|SetBuffer|args" msgid "<#chan|query> [linecount]" msgstr "" -#: ClientCommand.cpp:1791 +#: ClientCommand.cpp:1809 msgctxt "helpcmd|SetBuffer|desc" msgid "Set the buffer count" msgstr "" -#: ClientCommand.cpp:1795 +#: ClientCommand.cpp:1813 msgctxt "helpcmd|SetBindHost|args" msgid "" msgstr "" -#: ClientCommand.cpp:1796 +#: ClientCommand.cpp:1814 msgctxt "helpcmd|SetBindHost|desc" msgid "Set the bind host for this network" msgstr "" -#: ClientCommand.cpp:1800 +#: ClientCommand.cpp:1818 msgctxt "helpcmd|SetUserBindHost|args" msgid "" msgstr "" -#: ClientCommand.cpp:1801 +#: ClientCommand.cpp:1819 msgctxt "helpcmd|SetUserBindHost|desc" msgid "Set the default bind host for this user" msgstr "" -#: ClientCommand.cpp:1804 +#: ClientCommand.cpp:1822 msgctxt "helpcmd|ClearBindHost|desc" msgid "Clear the bind host for this network" msgstr "" -#: ClientCommand.cpp:1807 +#: ClientCommand.cpp:1825 msgctxt "helpcmd|ClearUserBindHost|desc" msgid "Clear the default bind host for this user" msgstr "" -#: ClientCommand.cpp:1813 +#: ClientCommand.cpp:1831 msgctxt "helpcmd|ShowBindHost|desc" msgid "Show currently selected bind host" msgstr "" -#: ClientCommand.cpp:1815 +#: ClientCommand.cpp:1833 msgctxt "helpcmd|Jump|args" msgid "[server]" msgstr "" -#: ClientCommand.cpp:1816 +#: ClientCommand.cpp:1834 msgctxt "helpcmd|Jump|desc" msgid "Jump to the next or the specified server" msgstr "" -#: ClientCommand.cpp:1817 +#: ClientCommand.cpp:1835 msgctxt "helpcmd|Disconnect|args" msgid "[message]" msgstr "" -#: ClientCommand.cpp:1818 +#: ClientCommand.cpp:1836 msgctxt "helpcmd|Disconnect|desc" msgid "Disconnect from IRC" msgstr "" -#: ClientCommand.cpp:1820 +#: ClientCommand.cpp:1838 msgctxt "helpcmd|Connect|desc" msgid "Reconnect to IRC" msgstr "" -#: ClientCommand.cpp:1823 +#: ClientCommand.cpp:1841 msgctxt "helpcmd|Uptime|desc" msgid "Show for how long ZNC has been running" msgstr "" -#: ClientCommand.cpp:1827 +#: ClientCommand.cpp:1845 msgctxt "helpcmd|LoadMod|args" msgid "[--type=global|user|network] [args]" msgstr "" -#: ClientCommand.cpp:1829 +#: ClientCommand.cpp:1847 msgctxt "helpcmd|LoadMod|desc" msgid "Load a module" msgstr "" -#: ClientCommand.cpp:1831 +#: ClientCommand.cpp:1849 msgctxt "helpcmd|UnloadMod|args" msgid "[--type=global|user|network] " msgstr "" -#: ClientCommand.cpp:1833 +#: ClientCommand.cpp:1851 msgctxt "helpcmd|UnloadMod|desc" msgid "Unload a module" msgstr "" -#: ClientCommand.cpp:1835 +#: ClientCommand.cpp:1853 msgctxt "helpcmd|ReloadMod|args" msgid "[--type=global|user|network] [args]" msgstr "" -#: ClientCommand.cpp:1837 +#: ClientCommand.cpp:1855 msgctxt "helpcmd|ReloadMod|desc" msgid "Reload a module" msgstr "" -#: ClientCommand.cpp:1840 +#: ClientCommand.cpp:1858 msgctxt "helpcmd|UpdateMod|args" msgid "" msgstr "" -#: ClientCommand.cpp:1841 +#: ClientCommand.cpp:1859 msgctxt "helpcmd|UpdateMod|desc" msgid "Reload a module everywhere" msgstr "" -#: ClientCommand.cpp:1847 +#: ClientCommand.cpp:1865 msgctxt "helpcmd|ShowMOTD|desc" msgid "Show ZNC's message of the day" msgstr "" -#: ClientCommand.cpp:1851 +#: ClientCommand.cpp:1869 msgctxt "helpcmd|SetMOTD|args" msgid "" msgstr "" -#: ClientCommand.cpp:1852 +#: ClientCommand.cpp:1870 msgctxt "helpcmd|SetMOTD|desc" msgid "Set ZNC's message of the day" msgstr "" -#: ClientCommand.cpp:1854 +#: ClientCommand.cpp:1872 msgctxt "helpcmd|AddMOTD|args" msgid "" msgstr "" -#: ClientCommand.cpp:1855 +#: ClientCommand.cpp:1873 msgctxt "helpcmd|AddMOTD|desc" msgid "Append to ZNC's MOTD" msgstr "" -#: ClientCommand.cpp:1857 +#: ClientCommand.cpp:1875 msgctxt "helpcmd|ClearMOTD|desc" msgid "Clear ZNC's MOTD" msgstr "" -#: ClientCommand.cpp:1860 +#: ClientCommand.cpp:1878 msgctxt "helpcmd|ListPorts|desc" msgid "Show all active listeners" msgstr "" -#: ClientCommand.cpp:1862 +#: ClientCommand.cpp:1880 msgctxt "helpcmd|AddPort|args" msgid "<[+]port> [bindhost [uriprefix]]" msgstr "" -#: ClientCommand.cpp:1865 +#: ClientCommand.cpp:1883 msgctxt "helpcmd|AddPort|desc" msgid "Add another port for ZNC to listen on" msgstr "" -#: ClientCommand.cpp:1869 +#: ClientCommand.cpp:1887 msgctxt "helpcmd|DelPort|args" msgid " [bindhost]" msgstr "" -#: ClientCommand.cpp:1870 +#: ClientCommand.cpp:1888 msgctxt "helpcmd|DelPort|desc" msgid "Remove a port from ZNC" msgstr "" -#: ClientCommand.cpp:1873 +#: ClientCommand.cpp:1891 msgctxt "helpcmd|Rehash|desc" msgid "Reload global settings, modules, and listeners from znc.conf" msgstr "" -#: ClientCommand.cpp:1876 +#: ClientCommand.cpp:1894 msgctxt "helpcmd|SaveConfig|desc" msgid "Save the current settings to disk" msgstr "" -#: ClientCommand.cpp:1879 +#: ClientCommand.cpp:1897 msgctxt "helpcmd|ListUsers|desc" msgid "List all ZNC users and their connection status" msgstr "" -#: ClientCommand.cpp:1882 +#: ClientCommand.cpp:1900 msgctxt "helpcmd|ListAllUserNetworks|desc" msgid "List all ZNC users and their networks" msgstr "" -#: ClientCommand.cpp:1885 +#: ClientCommand.cpp:1903 msgctxt "helpcmd|ListChans|args" msgid "[user ]" msgstr "" -#: ClientCommand.cpp:1888 +#: ClientCommand.cpp:1906 msgctxt "helpcmd|ListClients|args" msgid "[user]" msgstr "" -#: ClientCommand.cpp:1889 +#: ClientCommand.cpp:1907 msgctxt "helpcmd|ListClients|desc" msgid "List all connected clients" msgstr "" -#: ClientCommand.cpp:1891 +#: ClientCommand.cpp:1909 msgctxt "helpcmd|Traffic|desc" msgid "Show basic traffic stats for all ZNC users" msgstr "" -#: ClientCommand.cpp:1893 +#: ClientCommand.cpp:1911 msgctxt "helpcmd|Broadcast|args" msgid "[message]" msgstr "" -#: ClientCommand.cpp:1894 +#: ClientCommand.cpp:1912 msgctxt "helpcmd|Broadcast|desc" msgid "Broadcast a message to all ZNC users" msgstr "" -#: ClientCommand.cpp:1897 +#: ClientCommand.cpp:1915 msgctxt "helpcmd|Shutdown|args" msgid "[message]" msgstr "" -#: ClientCommand.cpp:1898 +#: ClientCommand.cpp:1916 msgctxt "helpcmd|Shutdown|desc" msgid "Shut down ZNC completely" msgstr "" -#: ClientCommand.cpp:1899 +#: ClientCommand.cpp:1917 msgctxt "helpcmd|Restart|args" msgid "[message]" msgstr "" -#: ClientCommand.cpp:1900 +#: ClientCommand.cpp:1918 msgctxt "helpcmd|Restart|desc" msgid "Restart ZNC" msgstr "" diff --git a/src/po/znc.de_DE.po b/src/po/znc.de_DE.po index 4fc1b49a..3dbb4051 100644 --- a/src/po/znc.de_DE.po +++ b/src/po/znc.de_DE.po @@ -73,7 +73,7 @@ msgstr "Kann PEM-Datei nicht finden: {1}" msgid "Invalid port" msgstr "Ungültiger Port" -#: znc.cpp:1821 ClientCommand.cpp:1637 +#: znc.cpp:1821 ClientCommand.cpp:1655 msgid "Unable to bind: {1}" msgstr "Kann nicht horchen: {1}" @@ -270,6 +270,7 @@ msgid "Usage: /attach <#chans>" msgstr "Verwendung: /attach <#Kanal>" #: Client.cpp:1344 Client.cpp:1366 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: ClientCommand.cpp:423 ClientCommand.cpp:450 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" msgstr[0] "Es gibt einen Kanal, der auf [{2}] passt" @@ -309,7 +310,7 @@ msgctxt "modhelpcmd" msgid "Generate this output" msgstr "Erzeuge diese Ausgabe" -#: Modules.cpp:573 ClientCommand.cpp:1904 +#: Modules.cpp:573 ClientCommand.cpp:1922 msgid "No matches for '{1}'" msgstr "Keine Treffer für '{1}'" @@ -420,11 +421,12 @@ msgid "Description" msgstr "Beschreibung" #: ClientCommand.cpp:51 ClientCommand.cpp:115 ClientCommand.cpp:137 -#: ClientCommand.cpp:749 ClientCommand.cpp:768 ClientCommand.cpp:794 -#: ClientCommand.cpp:827 ClientCommand.cpp:840 ClientCommand.cpp:853 -#: ClientCommand.cpp:868 ClientCommand.cpp:1329 ClientCommand.cpp:1377 -#: ClientCommand.cpp:1409 ClientCommand.cpp:1420 ClientCommand.cpp:1429 -#: ClientCommand.cpp:1441 +#: ClientCommand.cpp:339 ClientCommand.cpp:390 ClientCommand.cpp:405 +#: ClientCommand.cpp:432 ClientCommand.cpp:459 ClientCommand.cpp:764 +#: ClientCommand.cpp:783 ClientCommand.cpp:809 ClientCommand.cpp:843 +#: ClientCommand.cpp:856 ClientCommand.cpp:869 ClientCommand.cpp:884 +#: ClientCommand.cpp:1345 ClientCommand.cpp:1393 ClientCommand.cpp:1425 +#: ClientCommand.cpp:1436 ClientCommand.cpp:1445 ClientCommand.cpp:1457 msgid "You must be connected with a network to use this command" msgstr "" "Sie müssen mit einem Netzwerk verbunden sein um diesen Befehl zu verwenden" @@ -485,87 +487,275 @@ msgstr "Konfiguration nach {1} geschrieben" msgid "Error while trying to write config." msgstr "Fehler beim Schreiben der Konfiguration." -#: ClientCommand.cpp:455 +#: ClientCommand.cpp:183 +#, fuzzy +msgid "Usage: ListClients" +msgstr "Verwendung: ListChans" + +#: ClientCommand.cpp:190 +#, fuzzy +msgid "No such user: {1}" +msgstr "Kein solcher Benutzer [{1}]" + +#: ClientCommand.cpp:198 +msgid "No clients are connected" +msgstr "" + +#: ClientCommand.cpp:203 ClientCommand.cpp:209 +#, fuzzy +msgctxt "listclientscmd" +msgid "Host" +msgstr "Host" + +#: ClientCommand.cpp:204 ClientCommand.cpp:212 +#, fuzzy +msgctxt "listclientscmd" +msgid "Network" +msgstr "Netzwerk" + +#: ClientCommand.cpp:205 ClientCommand.cpp:215 +#, fuzzy +msgctxt "listclientscmd" +msgid "Identifier" +msgstr "Ident" + +#: ClientCommand.cpp:223 ClientCommand.cpp:229 +#, fuzzy +msgctxt "listuserscmd" +msgid "Username" +msgstr "Benutzername" + +#: ClientCommand.cpp:224 ClientCommand.cpp:230 +#, fuzzy +msgctxt "listuserscmd" +msgid "Networks" +msgstr "Netzwerk" + +#: ClientCommand.cpp:225 ClientCommand.cpp:232 +msgctxt "listuserscmd" +msgid "Clients" +msgstr "" + +#: ClientCommand.cpp:240 ClientCommand.cpp:250 ClientCommand.cpp:260 +#: ClientCommand.cpp:263 +#, fuzzy +msgctxt "listallusernetworkscmd" +msgid "Username" +msgstr "Benutzername" + +#: ClientCommand.cpp:241 ClientCommand.cpp:251 ClientCommand.cpp:266 +#, fuzzy +msgctxt "listallusernetworkscmd" +msgid "Network" +msgstr "Netzwerk" + +#: ClientCommand.cpp:242 ClientCommand.cpp:252 ClientCommand.cpp:268 +msgctxt "listallusernetworkscmd" +msgid "Clients" +msgstr "" + +#: ClientCommand.cpp:243 ClientCommand.cpp:271 ClientCommand.cpp:280 +#, fuzzy +msgctxt "listallusernetworkscmd" +msgid "On IRC" +msgstr "Im IRC" + +#: ClientCommand.cpp:244 ClientCommand.cpp:273 +#, fuzzy +msgctxt "listallusernetworkscmd" +msgid "IRC Server" +msgstr "IRC-Server" + +#: ClientCommand.cpp:245 ClientCommand.cpp:275 +#, fuzzy +msgctxt "listallusernetworkscmd" +msgid "IRC User" +msgstr "IRC-Benutzer" + +#: ClientCommand.cpp:246 ClientCommand.cpp:277 +#, fuzzy +msgctxt "listallusernetworkscmd" +msgid "Channels" +msgstr "Kanäle" + +#: ClientCommand.cpp:251 +msgid "N/A" +msgstr "" + +#: ClientCommand.cpp:272 +#, fuzzy +msgctxt "listallusernetworkscmd" +msgid "Yes" +msgstr "Ja" + +#: ClientCommand.cpp:281 +#, fuzzy +msgctxt "listallusernetworkscmd" +msgid "No" +msgstr "Nein" + +#: ClientCommand.cpp:291 +msgid "Usage: SetMOTD " +msgstr "" + +#: ClientCommand.cpp:294 +msgid "MOTD set to: {1}" +msgstr "" + +#: ClientCommand.cpp:300 +#, fuzzy +msgid "Usage: AddMOTD " +msgstr "Verwendung: AddNetwork " + +#: ClientCommand.cpp:303 +msgid "Added [{1}] to MOTD" +msgstr "" + +#: ClientCommand.cpp:307 +#, fuzzy +msgid "Cleared MOTD" +msgstr "Lösche ZNCs MOTD" + +#: ClientCommand.cpp:329 +msgid "" +"ERROR: Writing config file to disk failed! Aborting. Use {1} FORCE to ignore." +msgstr "" + +#: ClientCommand.cpp:344 ClientCommand.cpp:797 ClientCommand.cpp:838 +msgid "You don't have any servers added." +msgstr "Du hast keine Server hinzugefügt." + +#: ClientCommand.cpp:355 +#, fuzzy +msgid "Server [{1}] not found" +msgstr "Benutzer {1} nicht gefunden" + +#: ClientCommand.cpp:375 ClientCommand.cpp:380 +#, fuzzy +msgid "Connecting to {1}..." +msgstr "Laufe seit {1}" + +#: ClientCommand.cpp:377 +#, fuzzy +msgid "Jumping to the next server in the list..." +msgstr "Springe zum nächsten oder dem angegebenen Server" + +#: ClientCommand.cpp:382 +msgid "Connecting..." +msgstr "" + +#: ClientCommand.cpp:400 +#, fuzzy +msgid "Disconnected from IRC. Use 'connect' to reconnect." +msgstr "" +"Du bist zur Zeit nicht mit dem IRC verbunden. Verwende 'connect' zum " +"Verbinden." + +#: ClientCommand.cpp:412 +#, fuzzy +msgid "Usage: EnableChan <#chans>" +msgstr "Verwendung: Attach <#Kanäle>" + +#: ClientCommand.cpp:426 +#, fuzzy +msgid "Enabled {1} channel" +msgid_plural "Enabled {1} channels" +msgstr[0] "Aktivierte Kanäle" +msgstr[1] "Aktivierte Kanäle" + +#: ClientCommand.cpp:439 +#, fuzzy +msgid "Usage: DisableChan <#chans>" +msgstr "Verwendung: Detach <#Kanäle>" + +#: ClientCommand.cpp:453 +#, fuzzy +msgid "Disabled {1} channel" +msgid_plural "Disabled {1} channels" +msgstr[0] "Deaktiviere Kanäle" +msgstr[1] "Deaktiviere Kanäle" + +#: ClientCommand.cpp:470 msgid "Usage: ListChans" msgstr "Verwendung: ListChans" -#: ClientCommand.cpp:462 +#: ClientCommand.cpp:477 msgid "No such user [{1}]" msgstr "Kein solcher Benutzer [{1}]" -#: ClientCommand.cpp:468 +#: ClientCommand.cpp:483 msgid "User [{1}] doesn't have network [{2}]" msgstr "Benutzer [{1}] hat kein Netzwerk [{2}]" -#: ClientCommand.cpp:479 +#: ClientCommand.cpp:494 msgid "There are no channels defined." msgstr "Es wurden noch keine Kanäle definiert." -#: ClientCommand.cpp:484 ClientCommand.cpp:500 +#: ClientCommand.cpp:499 ClientCommand.cpp:515 msgctxt "listchans" msgid "Name" msgstr "Name" -#: ClientCommand.cpp:485 ClientCommand.cpp:503 +#: ClientCommand.cpp:500 ClientCommand.cpp:518 msgctxt "listchans" msgid "Status" msgstr "Status" -#: ClientCommand.cpp:486 ClientCommand.cpp:510 +#: ClientCommand.cpp:501 ClientCommand.cpp:525 msgctxt "listchans" msgid "In config" msgstr "In Konfig" -#: ClientCommand.cpp:487 ClientCommand.cpp:512 +#: ClientCommand.cpp:502 ClientCommand.cpp:527 msgctxt "listchans" msgid "Buffer" msgstr "Puffer" -#: ClientCommand.cpp:488 ClientCommand.cpp:516 +#: ClientCommand.cpp:503 ClientCommand.cpp:531 msgctxt "listchans" msgid "Clear" msgstr "Lösche" -#: ClientCommand.cpp:489 ClientCommand.cpp:521 +#: ClientCommand.cpp:504 ClientCommand.cpp:536 msgctxt "listchans" msgid "Modes" msgstr "Modi" -#: ClientCommand.cpp:490 ClientCommand.cpp:522 +#: ClientCommand.cpp:505 ClientCommand.cpp:537 msgctxt "listchans" msgid "Users" msgstr "Benutzer" -#: ClientCommand.cpp:505 +#: ClientCommand.cpp:520 msgctxt "listchans" msgid "Detached" msgstr "Getrennt" -#: ClientCommand.cpp:506 +#: ClientCommand.cpp:521 msgctxt "listchans" msgid "Joined" msgstr "Betreten" -#: ClientCommand.cpp:507 +#: ClientCommand.cpp:522 msgctxt "listchans" msgid "Disabled" msgstr "Deaktiviert" -#: ClientCommand.cpp:508 +#: ClientCommand.cpp:523 msgctxt "listchans" msgid "Trying" msgstr "Versuche" -#: ClientCommand.cpp:511 ClientCommand.cpp:519 +#: ClientCommand.cpp:526 ClientCommand.cpp:534 msgctxt "listchans" msgid "yes" msgstr "ja" -#: ClientCommand.cpp:536 +#: ClientCommand.cpp:551 msgid "Total: {1}, Joined: {2}, Detached: {3}, Disabled: {4}" msgstr "Gesamt: {1}, Betreten: {2}, Getrennt: {3}, Deaktiviert: {4}" -#: ClientCommand.cpp:541 +#: ClientCommand.cpp:556 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks using /znc DelNetwork " @@ -573,15 +763,15 @@ msgstr "" "Netzwerk-Anzahl-Limit erreicht. Bitte einen Administrator deinen Grenzwert " "zu erhöhen, oder lösche nicht benötigte Netzwerke mit /znc DelNetwork " -#: ClientCommand.cpp:550 +#: ClientCommand.cpp:565 msgid "Usage: AddNetwork " msgstr "Verwendung: AddNetwork " -#: ClientCommand.cpp:554 +#: ClientCommand.cpp:569 msgid "Network name should be alphanumeric" msgstr "Netzwerknamen müssen alphanumerisch sein" -#: ClientCommand.cpp:561 +#: ClientCommand.cpp:576 msgid "" "Network added. Use /znc JumpNetwork {1}, or connect to ZNC with username {2} " "(instead of just {3}) to connect to it." @@ -589,141 +779,141 @@ msgstr "" "Netzwerk hinzugefügt. Verwende /znc JumpNetwork {1}, oder verbinde dich zu " "ZNC mit Benutzername {2} (statt nur {3}) um mit dem Netzwerk zu verbinden." -#: ClientCommand.cpp:566 +#: ClientCommand.cpp:581 msgid "Unable to add that network" msgstr "Dieses Netzwerk kann nicht hinzugefügt werden" -#: ClientCommand.cpp:573 +#: ClientCommand.cpp:588 msgid "Usage: DelNetwork " msgstr "Verwendung: DelNetwork " -#: ClientCommand.cpp:582 +#: ClientCommand.cpp:597 msgid "Network deleted" msgstr "Netzwerk gelöscht" -#: ClientCommand.cpp:585 +#: ClientCommand.cpp:600 msgid "Failed to delete network, perhaps this network doesn't exist" msgstr "Kann das Netzwerk nicht löschen, vielleicht existiert es nicht" -#: ClientCommand.cpp:595 +#: ClientCommand.cpp:610 msgid "User {1} not found" msgstr "Benutzer {1} nicht gefunden" -#: ClientCommand.cpp:603 ClientCommand.cpp:611 +#: ClientCommand.cpp:618 ClientCommand.cpp:626 msgctxt "listnetworks" msgid "Network" msgstr "Netzwerk" -#: ClientCommand.cpp:604 ClientCommand.cpp:613 ClientCommand.cpp:622 +#: ClientCommand.cpp:619 ClientCommand.cpp:628 ClientCommand.cpp:637 msgctxt "listnetworks" msgid "On IRC" msgstr "Im IRC" -#: ClientCommand.cpp:605 ClientCommand.cpp:615 +#: ClientCommand.cpp:620 ClientCommand.cpp:630 msgctxt "listnetworks" msgid "IRC Server" msgstr "IRC-Server" -#: ClientCommand.cpp:606 ClientCommand.cpp:617 +#: ClientCommand.cpp:621 ClientCommand.cpp:632 msgctxt "listnetworks" msgid "IRC User" msgstr "IRC-Benutzer" -#: ClientCommand.cpp:607 ClientCommand.cpp:619 +#: ClientCommand.cpp:622 ClientCommand.cpp:634 msgctxt "listnetworks" msgid "Channels" msgstr "Kanäle" -#: ClientCommand.cpp:614 +#: ClientCommand.cpp:629 msgctxt "listnetworks" msgid "Yes" msgstr "Ja" -#: ClientCommand.cpp:623 +#: ClientCommand.cpp:638 msgctxt "listnetworks" msgid "No" msgstr "Nein" -#: ClientCommand.cpp:628 +#: ClientCommand.cpp:643 msgctxt "listnetworks" msgid "No networks" msgstr "Keine Netzwerke" -#: ClientCommand.cpp:632 ClientCommand.cpp:936 +#: ClientCommand.cpp:647 ClientCommand.cpp:952 msgid "Access denied." msgstr "Zugriff verweigert." -#: ClientCommand.cpp:643 +#: ClientCommand.cpp:658 msgid "Usage: MoveNetwork [new network]" msgstr "" "Verwendung: MoveNetwork " "[neues Netzwerk]" -#: ClientCommand.cpp:653 +#: ClientCommand.cpp:668 msgid "Old user {1} not found." msgstr "Alter Benutzer {1} nicht gefunden." -#: ClientCommand.cpp:659 +#: ClientCommand.cpp:674 msgid "Old network {1} not found." msgstr "Altes Netzwerk {1} nicht gefunden." -#: ClientCommand.cpp:665 +#: ClientCommand.cpp:680 msgid "New user {1} not found." msgstr "Neuer Benutzer {1} nicht gefunden." -#: ClientCommand.cpp:670 +#: ClientCommand.cpp:685 msgid "User {1} already has network {2}." msgstr "Benutzer {1} hat bereits ein Netzwerk {2}." -#: ClientCommand.cpp:676 +#: ClientCommand.cpp:691 msgid "Invalid network name [{1}]" msgstr "Ungültiger Netzwerkname [{1}]" -#: ClientCommand.cpp:692 +#: ClientCommand.cpp:707 msgid "Some files seem to be in {1}. You might want to move them to {2}" msgstr "" "Einige Dateien scheinen in {1} zu sein. Du könntest sie nach {2} verschieben " "wollen" -#: ClientCommand.cpp:706 +#: ClientCommand.cpp:721 msgid "Error adding network: {1}" msgstr "Fehler beim Netzwerk-Hinzufügen: {1}" -#: ClientCommand.cpp:718 +#: ClientCommand.cpp:733 msgid "Success." msgstr "Geschafft." -#: ClientCommand.cpp:721 +#: ClientCommand.cpp:736 msgid "Copied the network to new user, but failed to delete old network" msgstr "" "Das Netzwerk wurde zum neuen Benutzer kopiert, aber das alte Netzwerk konnte " "nicht gelöscht werden" -#: ClientCommand.cpp:728 +#: ClientCommand.cpp:743 msgid "No network supplied." msgstr "Kein Netzwerk angegeben." -#: ClientCommand.cpp:733 +#: ClientCommand.cpp:748 msgid "You are already connected with this network." msgstr "Du bist bereits mit diesem Netzwerk verbunden." -#: ClientCommand.cpp:739 +#: ClientCommand.cpp:754 msgid "Switched to {1}" msgstr "Zu {1} gewechselt" -#: ClientCommand.cpp:742 +#: ClientCommand.cpp:757 msgid "You don't have a network named {1}" msgstr "Du hast kein Netzwerk namens {1}" -#: ClientCommand.cpp:754 +#: ClientCommand.cpp:769 msgid "Usage: AddServer [[+]port] [pass]" msgstr "Verwendung: AddServer [[+]Port] [Pass]" -#: ClientCommand.cpp:759 +#: ClientCommand.cpp:774 msgid "Server added" msgstr "Server hinzugefügt" -#: ClientCommand.cpp:762 +#: ClientCommand.cpp:777 msgid "" "Unable to add that server. Perhaps the server is already added or openssl is " "disabled?" @@ -731,241 +921,237 @@ msgstr "" "Kann den Server nicht hinzufügen. Vielleicht ist dieser Server bereits " "hinzugefügt oder openssl ist deaktiviert?" -#: ClientCommand.cpp:777 +#: ClientCommand.cpp:792 msgid "Usage: DelServer [port] [pass]" msgstr "Verwendung: DelServer [Port] [Pass]" -#: ClientCommand.cpp:782 ClientCommand.cpp:822 -msgid "You don't have any servers added." -msgstr "Du hast keine Server hinzugefügt." - -#: ClientCommand.cpp:787 +#: ClientCommand.cpp:802 msgid "Server removed" msgstr "Server entfernt" -#: ClientCommand.cpp:789 +#: ClientCommand.cpp:804 msgid "No such server" msgstr "Kein solcher Server" -#: ClientCommand.cpp:802 ClientCommand.cpp:809 +#: ClientCommand.cpp:817 ClientCommand.cpp:825 msgctxt "listservers" msgid "Host" msgstr "Host" -#: ClientCommand.cpp:803 ClientCommand.cpp:811 +#: ClientCommand.cpp:818 ClientCommand.cpp:827 msgctxt "listservers" msgid "Port" msgstr "Port" -#: ClientCommand.cpp:804 ClientCommand.cpp:814 +#: ClientCommand.cpp:819 ClientCommand.cpp:830 msgctxt "listservers" msgid "SSL" msgstr "SSL" -#: ClientCommand.cpp:805 ClientCommand.cpp:816 +#: ClientCommand.cpp:820 ClientCommand.cpp:832 msgctxt "listservers" msgid "Password" msgstr "Passwort" -#: ClientCommand.cpp:815 +#: ClientCommand.cpp:831 msgctxt "listservers|cell" msgid "SSL" msgstr "SSL" -#: ClientCommand.cpp:832 +#: ClientCommand.cpp:848 msgid "Usage: AddTrustedServerFingerprint " msgstr "Verwendung: AddTrustedServerFingerprint " -#: ClientCommand.cpp:836 ClientCommand.cpp:849 +#: ClientCommand.cpp:852 ClientCommand.cpp:865 msgid "Done." msgstr "Erledigt." -#: ClientCommand.cpp:845 +#: ClientCommand.cpp:861 msgid "Usage: DelTrustedServerFingerprint " msgstr "Verwendung: DelTrustedServerFingerprint " -#: ClientCommand.cpp:858 +#: ClientCommand.cpp:874 msgid "No fingerprints added." msgstr "Keine Fingerabdrücke hinzugefügt." -#: ClientCommand.cpp:874 ClientCommand.cpp:880 +#: ClientCommand.cpp:890 ClientCommand.cpp:896 msgctxt "topicscmd" msgid "Channel" msgstr "Kanal" -#: ClientCommand.cpp:875 ClientCommand.cpp:881 +#: ClientCommand.cpp:891 ClientCommand.cpp:897 msgctxt "topicscmd" msgid "Set By" msgstr "Gesetzt von" -#: ClientCommand.cpp:876 ClientCommand.cpp:882 +#: ClientCommand.cpp:892 ClientCommand.cpp:898 msgctxt "topicscmd" msgid "Topic" msgstr "Thema" -#: ClientCommand.cpp:889 ClientCommand.cpp:894 +#: ClientCommand.cpp:905 ClientCommand.cpp:910 msgctxt "listmods" msgid "Name" msgstr "Name" -#: ClientCommand.cpp:890 ClientCommand.cpp:895 +#: ClientCommand.cpp:906 ClientCommand.cpp:911 msgctxt "listmods" msgid "Arguments" msgstr "Argumente" -#: ClientCommand.cpp:904 +#: ClientCommand.cpp:920 msgid "No global modules loaded." msgstr "Keine globalen Module geladen." -#: ClientCommand.cpp:906 ClientCommand.cpp:970 +#: ClientCommand.cpp:922 ClientCommand.cpp:986 msgid "Global modules:" msgstr "Globale Module:" -#: ClientCommand.cpp:915 +#: ClientCommand.cpp:931 msgid "Your user has no modules loaded." msgstr "Dein Benutzer hat keine Module geladen." -#: ClientCommand.cpp:917 ClientCommand.cpp:982 +#: ClientCommand.cpp:933 ClientCommand.cpp:998 msgid "User modules:" msgstr "Benutzer-Module:" -#: ClientCommand.cpp:925 +#: ClientCommand.cpp:941 msgid "This network has no modules loaded." msgstr "Dieses Netzwerk hat keine Module geladen." -#: ClientCommand.cpp:927 ClientCommand.cpp:994 +#: ClientCommand.cpp:943 ClientCommand.cpp:1010 msgid "Network modules:" msgstr "Netzwerk-Module:" -#: ClientCommand.cpp:942 ClientCommand.cpp:949 +#: ClientCommand.cpp:958 ClientCommand.cpp:965 msgctxt "listavailmods" msgid "Name" msgstr "Name" -#: ClientCommand.cpp:943 ClientCommand.cpp:954 +#: ClientCommand.cpp:959 ClientCommand.cpp:970 msgctxt "listavailmods" msgid "Description" msgstr "Beschreibung" -#: ClientCommand.cpp:968 +#: ClientCommand.cpp:984 msgid "No global modules available." msgstr "Keine globalen Module verfügbar." -#: ClientCommand.cpp:980 +#: ClientCommand.cpp:996 msgid "No user modules available." msgstr "Keine Benutzer-Module verfügbar." -#: ClientCommand.cpp:992 +#: ClientCommand.cpp:1008 msgid "No network modules available." msgstr "Keine Netzwerk-Module verfügbar." -#: ClientCommand.cpp:1020 +#: ClientCommand.cpp:1036 msgid "Unable to load {1}: Access denied." msgstr "Kann {1} nicht laden: Zugriff verweigert." -#: ClientCommand.cpp:1026 +#: ClientCommand.cpp:1042 msgid "Usage: LoadMod [--type=global|user|network] [args]" msgstr "Verwendung: LoadMod [--type=global|user|network] [Argumente]" -#: ClientCommand.cpp:1033 +#: ClientCommand.cpp:1049 msgid "Unable to load {1}: {2}" msgstr "Kann {1} nicht laden: {2}" -#: ClientCommand.cpp:1043 +#: ClientCommand.cpp:1059 msgid "Unable to load global module {1}: Access denied." msgstr "Kann globales Modul {1} nicht laden: Zugriff verweigert." -#: ClientCommand.cpp:1049 +#: ClientCommand.cpp:1065 msgid "Unable to load network module {1}: Not connected with a network." msgstr "" "Kann Netzwerk-Module {1} nicht laden: Nicht mit einem Netzwerk verbunden." -#: ClientCommand.cpp:1071 +#: ClientCommand.cpp:1087 msgid "Unknown module type" msgstr "Unbekannter Modul-Typ" -#: ClientCommand.cpp:1076 +#: ClientCommand.cpp:1092 msgid "Loaded module {1}" msgstr "Module {1} geladen" -#: ClientCommand.cpp:1078 +#: ClientCommand.cpp:1094 msgid "Loaded module {1}: {2}" msgstr "Modul {1} geladen: {2}" -#: ClientCommand.cpp:1081 +#: ClientCommand.cpp:1097 msgid "Unable to load module {1}: {2}" msgstr "Kann Modul {1} nicht laden: {2}" -#: ClientCommand.cpp:1104 +#: ClientCommand.cpp:1120 msgid "Unable to unload {1}: Access denied." msgstr "Kann Modul {1} nicht entladen: Zugriff verweigert." -#: ClientCommand.cpp:1110 +#: ClientCommand.cpp:1126 msgid "Usage: UnloadMod [--type=global|user|network] " msgstr "Verwendung: UnloadMod [--type=global|user|network] " -#: ClientCommand.cpp:1119 +#: ClientCommand.cpp:1135 msgid "Unable to determine type of {1}: {2}" msgstr "Kann Typ von {1} nicht feststellen: {2}" -#: ClientCommand.cpp:1127 +#: ClientCommand.cpp:1143 msgid "Unable to unload global module {1}: Access denied." msgstr "Kann globales Modul {1} nicht entladen: Zugriff verweigert." -#: ClientCommand.cpp:1134 +#: ClientCommand.cpp:1150 msgid "Unable to unload network module {1}: Not connected with a network." msgstr "" "Kann Netzwerk-Module {1} nicht entladen: Nicht mit einem Netzwerk verbunden." -#: ClientCommand.cpp:1153 +#: ClientCommand.cpp:1169 msgid "Unable to unload module {1}: Unknown module type" msgstr "Kann Modul {1} nicht entladen: Unbekannter Modul-Typ" -#: ClientCommand.cpp:1166 +#: ClientCommand.cpp:1182 msgid "Unable to reload modules. Access denied." msgstr "Kann Module nicht neu laden: Zugriff verweigert." -#: ClientCommand.cpp:1187 +#: ClientCommand.cpp:1203 msgid "Usage: ReloadMod [--type=global|user|network] [args]" msgstr "Verwendung: ReloadMod [--type=global|user|network] [Argumente]" -#: ClientCommand.cpp:1196 +#: ClientCommand.cpp:1212 msgid "Unable to reload {1}: {2}" msgstr "Kann {1} nicht neu laden: {2}" -#: ClientCommand.cpp:1204 +#: ClientCommand.cpp:1220 msgid "Unable to reload global module {1}: Access denied." msgstr "Kann globales Modul {1} nicht neu laden: Zugriff verweigert." -#: ClientCommand.cpp:1211 +#: ClientCommand.cpp:1227 msgid "Unable to reload network module {1}: Not connected with a network." msgstr "" "Kann Netzwerk-Module {1} nicht neu laden: Nicht mit einem Netzwerk verbunden." -#: ClientCommand.cpp:1233 +#: ClientCommand.cpp:1249 msgid "Unable to reload module {1}: Unknown module type" msgstr "Kann Modul {1} nicht neu laden: Unbekannter Modul-Typ" -#: ClientCommand.cpp:1244 +#: ClientCommand.cpp:1260 msgid "Usage: UpdateMod " msgstr "Verwendung: UpdateMod " -#: ClientCommand.cpp:1248 +#: ClientCommand.cpp:1264 msgid "Reloading {1} everywhere" msgstr "Lade {1} überall neu" -#: ClientCommand.cpp:1250 +#: ClientCommand.cpp:1266 msgid "Done" msgstr "Erledigt" -#: ClientCommand.cpp:1253 +#: ClientCommand.cpp:1269 msgid "" "Done, but there were errors, module {1} could not be reloaded everywhere." msgstr "" "Erledigt, aber es gab Fehler, Modul {1} konnte nicht überall neu geladen " "werden." -#: ClientCommand.cpp:1261 +#: ClientCommand.cpp:1277 msgid "" "You must be connected with a network to use this command. Try " "SetUserBindHost instead" @@ -973,27 +1159,27 @@ msgstr "" "Du musst mit einem Netzwerk verbunden sein um diesen Befehl zu verwenden. " "Versuche SetUserBindHost statt dessen" -#: ClientCommand.cpp:1268 +#: ClientCommand.cpp:1284 msgid "Usage: SetBindHost " msgstr "Verwendung: SetBindHost " -#: ClientCommand.cpp:1273 ClientCommand.cpp:1290 +#: ClientCommand.cpp:1289 ClientCommand.cpp:1306 msgid "You already have this bind host!" msgstr "Du hast bereits diesen Bindhost!" -#: ClientCommand.cpp:1278 +#: ClientCommand.cpp:1294 msgid "Set bind host for network {1} to {2}" msgstr "Setze Bindhost für Netzwerk {1} auf {2}" -#: ClientCommand.cpp:1285 +#: ClientCommand.cpp:1301 msgid "Usage: SetUserBindHost " msgstr "Verwendung: SetUserBindHost " -#: ClientCommand.cpp:1295 +#: ClientCommand.cpp:1311 msgid "Set default bind host to {1}" msgstr "Setze Standard-Bindhost auf {1}" -#: ClientCommand.cpp:1301 +#: ClientCommand.cpp:1317 msgid "" "You must be connected with a network to use this command. Try " "ClearUserBindHost instead" @@ -1001,258 +1187,258 @@ msgstr "" "Du musst mit einem Netzwerk verbunden sein um diesen Befehl zu verwenden. " "Versuche ClearUserBindHost statt dessen" -#: ClientCommand.cpp:1306 +#: ClientCommand.cpp:1322 msgid "Bind host cleared for this network." msgstr "Bindhost für dieses Netzwerk gelöscht." -#: ClientCommand.cpp:1310 +#: ClientCommand.cpp:1326 msgid "Default bind host cleared for your user." msgstr "Standard-Bindhost für deinen Benutzer gelöscht." -#: ClientCommand.cpp:1313 +#: ClientCommand.cpp:1329 msgid "This user's default bind host not set" msgstr "Der Benutzer hat keinen Bindhost gesetzt" -#: ClientCommand.cpp:1315 +#: ClientCommand.cpp:1331 msgid "This user's default bind host is {1}" msgstr "Der Standard-Bindhost des Benutzers ist {1}" -#: ClientCommand.cpp:1320 +#: ClientCommand.cpp:1336 msgid "This network's bind host not set" msgstr "Dieses Netzwerk hat keinen Standard-Bindhost gesetzt" -#: ClientCommand.cpp:1322 +#: ClientCommand.cpp:1338 msgid "This network's default bind host is {1}" msgstr "Der Standard-Bindhost dieses Netzwerkes ist {1}" -#: ClientCommand.cpp:1336 +#: ClientCommand.cpp:1352 msgid "Usage: PlayBuffer <#chan|query>" msgstr "Verwendung: PlayBuffer <#chan|query>" -#: ClientCommand.cpp:1344 +#: ClientCommand.cpp:1360 msgid "You are not on {1}" msgstr "Du bist nicht in {1}" -#: ClientCommand.cpp:1349 +#: ClientCommand.cpp:1365 msgid "You are not on {1} (trying to join)" msgstr "Du bist nicht in {1} (versuche zu betreten)" -#: ClientCommand.cpp:1354 +#: ClientCommand.cpp:1370 msgid "The buffer for channel {1} is empty" msgstr "Der Puffer für Kanal {1} ist leer" -#: ClientCommand.cpp:1363 +#: ClientCommand.cpp:1379 msgid "No active query with {1}" msgstr "Kein aktivier Query mit {1}" -#: ClientCommand.cpp:1368 +#: ClientCommand.cpp:1384 msgid "The buffer for {1} is empty" msgstr "Der Puffer für {1} ist leer" -#: ClientCommand.cpp:1384 +#: ClientCommand.cpp:1400 msgid "Usage: ClearBuffer <#chan|query>" msgstr "Verwendung: ClearBuffer <#chan|query>" -#: ClientCommand.cpp:1403 +#: ClientCommand.cpp:1419 msgid "{1} buffer matching {2} has been cleared" msgid_plural "{1} buffers matching {2} have been cleared" msgstr[0] "{1} Puffer, der auf {2} passt, wurde gelöscht" msgstr[1] "{1} Puffer, die auf {2} passen, wurden gelöscht" -#: ClientCommand.cpp:1416 +#: ClientCommand.cpp:1432 msgid "All channel buffers have been cleared" msgstr "Alle Kanalpuffer wurden gelöscht" -#: ClientCommand.cpp:1425 +#: ClientCommand.cpp:1441 msgid "All query buffers have been cleared" msgstr "Alle Querypuffer wurden gelöscht" -#: ClientCommand.cpp:1437 +#: ClientCommand.cpp:1453 msgid "All buffers have been cleared" msgstr "Alle Puffer wurden gelöscht" -#: ClientCommand.cpp:1448 +#: ClientCommand.cpp:1464 msgid "Usage: SetBuffer <#chan|query> [linecount]" msgstr "Verwendung: SetBuffer <#chan|query> [Anzahl Zeilen]" -#: ClientCommand.cpp:1469 +#: ClientCommand.cpp:1485 msgid "Setting buffer size failed for {1} buffer" msgid_plural "Setting buffer size failed for {1} buffers" msgstr[0] "Setzen der Puffergröße schlug für {1} Puffer fehl" msgstr[1] "Setzen der Puffergröße schlug für {1} Puffer fehl" -#: ClientCommand.cpp:1472 +#: ClientCommand.cpp:1488 msgid "Maximum buffer size is {1} line" msgid_plural "Maximum buffer size is {1} lines" msgstr[0] "Maximale Puffergröße ist {1} Zeile" msgstr[1] "Maximale Puffergröße ist {1} Zeilen" -#: ClientCommand.cpp:1477 +#: ClientCommand.cpp:1493 msgid "Size of every buffer was set to {1} line" msgid_plural "Size of every buffer was set to {1} lines" msgstr[0] "Größe jedes Puffers wurde auf {1} Zeile gesetzt" msgstr[1] "Größe jedes Puffers wurde auf {1} Zeilen gesetzt" -#: ClientCommand.cpp:1487 ClientCommand.cpp:1494 ClientCommand.cpp:1505 -#: ClientCommand.cpp:1514 ClientCommand.cpp:1522 +#: ClientCommand.cpp:1503 ClientCommand.cpp:1510 ClientCommand.cpp:1521 +#: ClientCommand.cpp:1530 ClientCommand.cpp:1538 msgctxt "trafficcmd" msgid "Username" msgstr "Benutzername" -#: ClientCommand.cpp:1488 ClientCommand.cpp:1495 ClientCommand.cpp:1507 -#: ClientCommand.cpp:1516 ClientCommand.cpp:1524 +#: ClientCommand.cpp:1504 ClientCommand.cpp:1511 ClientCommand.cpp:1523 +#: ClientCommand.cpp:1532 ClientCommand.cpp:1540 msgctxt "trafficcmd" msgid "In" msgstr "Ein" -#: ClientCommand.cpp:1489 ClientCommand.cpp:1497 ClientCommand.cpp:1508 -#: ClientCommand.cpp:1517 ClientCommand.cpp:1525 +#: ClientCommand.cpp:1505 ClientCommand.cpp:1513 ClientCommand.cpp:1524 +#: ClientCommand.cpp:1533 ClientCommand.cpp:1541 msgctxt "trafficcmd" msgid "Out" msgstr "Aus" -#: ClientCommand.cpp:1490 ClientCommand.cpp:1500 ClientCommand.cpp:1510 -#: ClientCommand.cpp:1518 ClientCommand.cpp:1527 +#: ClientCommand.cpp:1506 ClientCommand.cpp:1516 ClientCommand.cpp:1526 +#: ClientCommand.cpp:1534 ClientCommand.cpp:1543 msgctxt "trafficcmd" msgid "Total" msgstr "Gesamt" -#: ClientCommand.cpp:1506 +#: ClientCommand.cpp:1522 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1515 +#: ClientCommand.cpp:1531 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1523 +#: ClientCommand.cpp:1539 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1532 +#: ClientCommand.cpp:1548 msgid "Running for {1}" msgstr "Laufe seit {1}" -#: ClientCommand.cpp:1538 +#: ClientCommand.cpp:1554 msgid "Unknown command, try 'Help'" msgstr "Unbekanntes Kommando, versuche 'Help'" -#: ClientCommand.cpp:1547 ClientCommand.cpp:1558 +#: ClientCommand.cpp:1563 ClientCommand.cpp:1574 msgctxt "listports" msgid "Port" msgstr "Port" -#: ClientCommand.cpp:1548 ClientCommand.cpp:1559 +#: ClientCommand.cpp:1564 ClientCommand.cpp:1577 msgctxt "listports" msgid "BindHost" msgstr "Bindhost" -#: ClientCommand.cpp:1549 ClientCommand.cpp:1562 +#: ClientCommand.cpp:1565 ClientCommand.cpp:1580 msgctxt "listports" msgid "SSL" msgstr "SSL" -#: ClientCommand.cpp:1550 ClientCommand.cpp:1567 +#: ClientCommand.cpp:1566 ClientCommand.cpp:1585 msgctxt "listports" msgid "Protocol" msgstr "Protokol" -#: ClientCommand.cpp:1551 ClientCommand.cpp:1574 +#: ClientCommand.cpp:1567 ClientCommand.cpp:1592 msgctxt "listports" msgid "IRC" msgstr "IRC" -#: ClientCommand.cpp:1552 ClientCommand.cpp:1579 +#: ClientCommand.cpp:1568 ClientCommand.cpp:1597 msgctxt "listports" msgid "Web" msgstr "Web" -#: ClientCommand.cpp:1563 +#: ClientCommand.cpp:1581 msgctxt "listports|ssl" msgid "yes" msgstr "ja" -#: ClientCommand.cpp:1564 +#: ClientCommand.cpp:1582 msgctxt "listports|ssl" msgid "no" msgstr "nein" -#: ClientCommand.cpp:1568 +#: ClientCommand.cpp:1586 msgctxt "listports" msgid "IPv4 and IPv6" msgstr "IPv4 und IPv6" -#: ClientCommand.cpp:1570 +#: ClientCommand.cpp:1588 msgctxt "listports" msgid "IPv4" msgstr "IPv4" -#: ClientCommand.cpp:1571 +#: ClientCommand.cpp:1589 msgctxt "listports" msgid "IPv6" msgstr "IPv6" -#: ClientCommand.cpp:1577 +#: ClientCommand.cpp:1595 msgctxt "listports|irc" msgid "yes" msgstr "ja" -#: ClientCommand.cpp:1578 +#: ClientCommand.cpp:1596 msgctxt "listports|irc" msgid "no" msgstr "nein" -#: ClientCommand.cpp:1582 +#: ClientCommand.cpp:1600 msgctxt "listports|irc" msgid "yes, on {1}" msgstr "ja, unter {1}" -#: ClientCommand.cpp:1584 +#: ClientCommand.cpp:1602 msgctxt "listports|web" msgid "no" msgstr "nein" -#: ClientCommand.cpp:1624 +#: ClientCommand.cpp:1642 msgid "" "Usage: AddPort <[+]port> [bindhost [uriprefix]]" msgstr "" "Verwendung: AddPort <[+]port> [Bindhost " "[URIPrefix]]" -#: ClientCommand.cpp:1640 +#: ClientCommand.cpp:1658 msgid "Port added" msgstr "Port hinzugefügt" -#: ClientCommand.cpp:1642 +#: ClientCommand.cpp:1660 msgid "Couldn't add port" msgstr "Konnte Port nicht hinzufügen" -#: ClientCommand.cpp:1648 +#: ClientCommand.cpp:1666 msgid "Usage: DelPort [bindhost]" msgstr "Verwendung: DelPort [Bindhost]" -#: ClientCommand.cpp:1657 +#: ClientCommand.cpp:1675 msgid "Deleted Port" msgstr "Port gelöscht" -#: ClientCommand.cpp:1659 +#: ClientCommand.cpp:1677 msgid "Unable to find a matching port" msgstr "Konnte keinen passenden Port finden" -#: ClientCommand.cpp:1667 ClientCommand.cpp:1682 +#: ClientCommand.cpp:1685 ClientCommand.cpp:1700 msgctxt "helpcmd" msgid "Command" msgstr "Befehl" -#: ClientCommand.cpp:1668 ClientCommand.cpp:1684 +#: ClientCommand.cpp:1686 ClientCommand.cpp:1702 msgctxt "helpcmd" msgid "Description" msgstr "Beschreibung" -#: ClientCommand.cpp:1673 +#: ClientCommand.cpp:1691 msgid "" "In the following list all occurrences of <#chan> support wildcards (* and ?) " "except ListNicks" @@ -1260,87 +1446,87 @@ msgstr "" "In der folgenden Liste unterstützen alle vorkommen von <#chan> Wildcards (* " "und ?), außer ListNicks" -#: ClientCommand.cpp:1690 +#: ClientCommand.cpp:1708 msgctxt "helpcmd|Version|desc" msgid "Print which version of ZNC this is" msgstr "Zeige die Version von ZNC an" -#: ClientCommand.cpp:1693 +#: ClientCommand.cpp:1711 msgctxt "helpcmd|ListMods|desc" msgid "List all loaded modules" msgstr "Zeige alle geladenen Module" -#: ClientCommand.cpp:1696 +#: ClientCommand.cpp:1714 msgctxt "helpcmd|ListAvailMods|desc" msgid "List all available modules" msgstr "Zeige alle verfügbaren Module" -#: ClientCommand.cpp:1700 ClientCommand.cpp:1886 +#: ClientCommand.cpp:1718 ClientCommand.cpp:1904 msgctxt "helpcmd|ListChans|desc" msgid "List all channels" msgstr "Zeige alle Kanäle" -#: ClientCommand.cpp:1703 +#: ClientCommand.cpp:1721 msgctxt "helpcmd|ListNicks|args" msgid "<#chan>" msgstr "<#Kanal>" -#: ClientCommand.cpp:1704 +#: ClientCommand.cpp:1722 msgctxt "helpcmd|ListNicks|desc" msgid "List all nicks on a channel" msgstr "Alle Nicks eines Kanals auflisten" -#: ClientCommand.cpp:1707 +#: ClientCommand.cpp:1725 msgctxt "helpcmd|ListClients|desc" msgid "List all clients connected to your ZNC user" msgstr "Alle Clients auflisten, die zu deinem ZNC-Benutzer verbunden sind" -#: ClientCommand.cpp:1711 +#: ClientCommand.cpp:1729 msgctxt "helpcmd|ListServers|desc" msgid "List all servers of current IRC network" msgstr "Zeige alle Server des aktuellen IRC-Netzwerkes" -#: ClientCommand.cpp:1715 +#: ClientCommand.cpp:1733 msgctxt "helpcmd|AddNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1716 +#: ClientCommand.cpp:1734 msgctxt "helpcmd|AddNetwork|desc" msgid "Add a network to your user" msgstr "Füge ein Netzwerk zu deinem Benutzer hinzu" -#: ClientCommand.cpp:1718 +#: ClientCommand.cpp:1736 msgctxt "helpcmd|DelNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1719 +#: ClientCommand.cpp:1737 msgctxt "helpcmd|DelNetwork|desc" msgid "Delete a network from your user" msgstr "Lösche ein Netzwerk von deinem Benutzer" -#: ClientCommand.cpp:1721 +#: ClientCommand.cpp:1739 msgctxt "helpcmd|ListNetworks|desc" msgid "List all networks" msgstr "Alle Netzwerke auflisten" -#: ClientCommand.cpp:1724 +#: ClientCommand.cpp:1742 msgctxt "helpcmd|MoveNetwork|args" msgid " [new network]" msgstr " [neues Netzwerk]" -#: ClientCommand.cpp:1726 +#: ClientCommand.cpp:1744 msgctxt "helpcmd|MoveNetwork|desc" msgid "Move an IRC network from one user to another" msgstr "Verschiebe ein IRC-Netzwerk von einem Benutzer zu einem anderen" -#: ClientCommand.cpp:1730 +#: ClientCommand.cpp:1748 msgctxt "helpcmd|JumpNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1731 +#: ClientCommand.cpp:1749 msgctxt "helpcmd|JumpNetwork|desc" msgid "" "Jump to another network (Alternatively, you can connect to ZNC several " @@ -1349,12 +1535,12 @@ msgstr "" "Springe zu einem anderen Netzwerk (alternativ kannst du auch mehrfach zu ZNC " "verbinden und `Benutzer/Netzwerk` als Benutzername verwenden)" -#: ClientCommand.cpp:1736 +#: ClientCommand.cpp:1754 msgctxt "helpcmd|AddServer|args" msgid " [[+]port] [pass]" msgstr " [[+]Port] [Pass]" -#: ClientCommand.cpp:1737 +#: ClientCommand.cpp:1755 msgctxt "helpcmd|AddServer|desc" msgid "" "Add a server to the list of alternate/backup servers of current IRC network." @@ -1362,12 +1548,12 @@ msgstr "" "Füge einen Server zur Liste der alternativen/backup Server des aktuellen IRC-" "Netzwerkes hinzu." -#: ClientCommand.cpp:1741 +#: ClientCommand.cpp:1759 msgctxt "helpcmd|DelServer|args" msgid " [port] [pass]" msgstr " [Port] [Pass]" -#: ClientCommand.cpp:1742 +#: ClientCommand.cpp:1760 msgctxt "helpcmd|DelServer|desc" msgid "" "Remove a server from the list of alternate/backup servers of current IRC " @@ -1376,12 +1562,12 @@ msgstr "" "Lösche einen Server von der Liste der alternativen/backup Server des " "aktuellen IRC-Netzwerkes" -#: ClientCommand.cpp:1748 +#: ClientCommand.cpp:1766 msgctxt "helpcmd|AddTrustedServerFingerprint|args" msgid "" msgstr "" -#: ClientCommand.cpp:1749 +#: ClientCommand.cpp:1767 msgctxt "helpcmd|AddTrustedServerFingerprint|desc" msgid "" "Add a trusted server SSL certificate fingerprint (SHA-256) to current IRC " @@ -1390,341 +1576,341 @@ msgstr "" "Füge den Fingerabdruck (SHA-256) eines vertrauenswürdigen SSL-Zertifikates " "zum aktuellen IRC-Netzwerk hinzu." -#: ClientCommand.cpp:1754 +#: ClientCommand.cpp:1772 msgctxt "helpcmd|DelTrustedServerFingerprint|args" msgid "" msgstr "" -#: ClientCommand.cpp:1755 +#: ClientCommand.cpp:1773 msgctxt "helpcmd|DelTrustedServerFingerprint|desc" msgid "Delete a trusted server SSL certificate from current IRC network." msgstr "" "Lösche ein vertrauenswürdiges Server-SSL-Zertifikat vom aktuellen IRC-" "Netzwerk." -#: ClientCommand.cpp:1759 +#: ClientCommand.cpp:1777 msgctxt "helpcmd|ListTrustedServerFingerprints|desc" msgid "List all trusted server SSL certificates of current IRC network." msgstr "" "Zeige alle vertrauenswürdigen Server-SSL-Zertifikate des aktuellen IRC-" "Netzwerkes an." -#: ClientCommand.cpp:1762 +#: ClientCommand.cpp:1780 msgctxt "helpcmd|EnableChan|args" msgid "<#chans>" msgstr "<#Kanäle>" -#: ClientCommand.cpp:1763 +#: ClientCommand.cpp:1781 msgctxt "helpcmd|EnableChan|desc" msgid "Enable channels" msgstr "Aktivierte Kanäle" -#: ClientCommand.cpp:1764 +#: ClientCommand.cpp:1782 msgctxt "helpcmd|DisableChan|args" msgid "<#chans>" msgstr "<#Kanäle>" -#: ClientCommand.cpp:1765 +#: ClientCommand.cpp:1783 msgctxt "helpcmd|DisableChan|desc" msgid "Disable channels" msgstr "Deaktiviere Kanäle" -#: ClientCommand.cpp:1766 +#: ClientCommand.cpp:1784 msgctxt "helpcmd|Attach|args" msgid "<#chans>" msgstr "<#Kanäle>" -#: ClientCommand.cpp:1767 +#: ClientCommand.cpp:1785 msgctxt "helpcmd|Attach|desc" msgid "Attach to channels" msgstr "Verbinde zu Kanälen" -#: ClientCommand.cpp:1768 +#: ClientCommand.cpp:1786 msgctxt "helpcmd|Detach|args" msgid "<#chans>" msgstr "<#Kanäle>" -#: ClientCommand.cpp:1769 +#: ClientCommand.cpp:1787 msgctxt "helpcmd|Detach|desc" msgid "Detach from channels" msgstr "Trenne von Kanälen" -#: ClientCommand.cpp:1772 +#: ClientCommand.cpp:1790 msgctxt "helpcmd|Topics|desc" msgid "Show topics in all your channels" msgstr "Zeige die Themen aller deiner Kanäle" -#: ClientCommand.cpp:1775 +#: ClientCommand.cpp:1793 msgctxt "helpcmd|PlayBuffer|args" msgid "<#chan|query>" msgstr "<#Kanal|Query>" -#: ClientCommand.cpp:1776 +#: ClientCommand.cpp:1794 msgctxt "helpcmd|PlayBuffer|desc" msgid "Play back the specified buffer" msgstr "Spiele den angegebenen Puffer ab" -#: ClientCommand.cpp:1778 +#: ClientCommand.cpp:1796 msgctxt "helpcmd|ClearBuffer|args" msgid "<#chan|query>" msgstr "<#Kanal|Query>" -#: ClientCommand.cpp:1779 +#: ClientCommand.cpp:1797 msgctxt "helpcmd|ClearBuffer|desc" msgid "Clear the specified buffer" msgstr "Lösche den angegebenen Puffer" -#: ClientCommand.cpp:1781 +#: ClientCommand.cpp:1799 msgctxt "helpcmd|ClearAllBuffers|desc" msgid "Clear all channel and query buffers" msgstr "Lösche alle Kanal- und Querypuffer" -#: ClientCommand.cpp:1784 +#: ClientCommand.cpp:1802 msgctxt "helpcmd|ClearAllChannelBuffers|desc" msgid "Clear the channel buffers" msgstr "Lösche alle Kanalpuffer" -#: ClientCommand.cpp:1788 +#: ClientCommand.cpp:1806 msgctxt "helpcmd|ClearAllQueryBuffers|desc" msgid "Clear the query buffers" msgstr "Lösche alle Querypuffer" -#: ClientCommand.cpp:1790 +#: ClientCommand.cpp:1808 msgctxt "helpcmd|SetBuffer|args" msgid "<#chan|query> [linecount]" msgstr "<#Kanal|Query> [Zeilenzahl]" -#: ClientCommand.cpp:1791 +#: ClientCommand.cpp:1809 msgctxt "helpcmd|SetBuffer|desc" msgid "Set the buffer count" msgstr "Setze die Puffergröße" -#: ClientCommand.cpp:1795 +#: ClientCommand.cpp:1813 msgctxt "helpcmd|SetBindHost|args" msgid "" msgstr "" -#: ClientCommand.cpp:1796 +#: ClientCommand.cpp:1814 msgctxt "helpcmd|SetBindHost|desc" msgid "Set the bind host for this network" msgstr "Setze den Bindhost für dieses Netzwerk" -#: ClientCommand.cpp:1800 +#: ClientCommand.cpp:1818 msgctxt "helpcmd|SetUserBindHost|args" msgid "" msgstr "" -#: ClientCommand.cpp:1801 +#: ClientCommand.cpp:1819 msgctxt "helpcmd|SetUserBindHost|desc" msgid "Set the default bind host for this user" msgstr "Setze den Standard-Bindhost für diesen Benutzer" -#: ClientCommand.cpp:1804 +#: ClientCommand.cpp:1822 msgctxt "helpcmd|ClearBindHost|desc" msgid "Clear the bind host for this network" msgstr "Lösche den Bindhost für dieses Netzwerk" -#: ClientCommand.cpp:1807 +#: ClientCommand.cpp:1825 msgctxt "helpcmd|ClearUserBindHost|desc" msgid "Clear the default bind host for this user" msgstr "Lösche den Standard-Bindhost für diesen Benutzer" -#: ClientCommand.cpp:1813 +#: ClientCommand.cpp:1831 msgctxt "helpcmd|ShowBindHost|desc" msgid "Show currently selected bind host" msgstr "Zeige den aktuell gewählten Bindhost" -#: ClientCommand.cpp:1815 +#: ClientCommand.cpp:1833 msgctxt "helpcmd|Jump|args" msgid "[server]" msgstr "[Server]" -#: ClientCommand.cpp:1816 +#: ClientCommand.cpp:1834 msgctxt "helpcmd|Jump|desc" msgid "Jump to the next or the specified server" msgstr "Springe zum nächsten oder dem angegebenen Server" -#: ClientCommand.cpp:1817 +#: ClientCommand.cpp:1835 msgctxt "helpcmd|Disconnect|args" msgid "[message]" msgstr "[Nachricht]" -#: ClientCommand.cpp:1818 +#: ClientCommand.cpp:1836 msgctxt "helpcmd|Disconnect|desc" msgid "Disconnect from IRC" msgstr "Trenne die IRC-Verbindung" -#: ClientCommand.cpp:1820 +#: ClientCommand.cpp:1838 msgctxt "helpcmd|Connect|desc" msgid "Reconnect to IRC" msgstr "Baue eine neue IRC-Verbindung auf" -#: ClientCommand.cpp:1823 +#: ClientCommand.cpp:1841 msgctxt "helpcmd|Uptime|desc" msgid "Show for how long ZNC has been running" msgstr "Zeige wie lange ZNC schon läuft" -#: ClientCommand.cpp:1827 +#: ClientCommand.cpp:1845 msgctxt "helpcmd|LoadMod|args" msgid "[--type=global|user|network] [args]" msgstr "[--type=global|user|network] [args]" -#: ClientCommand.cpp:1829 +#: ClientCommand.cpp:1847 msgctxt "helpcmd|LoadMod|desc" msgid "Load a module" msgstr "Lade ein Modul" -#: ClientCommand.cpp:1831 +#: ClientCommand.cpp:1849 msgctxt "helpcmd|UnloadMod|args" msgid "[--type=global|user|network] " msgstr "[--type=global|user|network] " -#: ClientCommand.cpp:1833 +#: ClientCommand.cpp:1851 msgctxt "helpcmd|UnloadMod|desc" msgid "Unload a module" msgstr "Entlade ein Modul" -#: ClientCommand.cpp:1835 +#: ClientCommand.cpp:1853 msgctxt "helpcmd|ReloadMod|args" msgid "[--type=global|user|network] [args]" msgstr "[--type=global|user|network] [args]" -#: ClientCommand.cpp:1837 +#: ClientCommand.cpp:1855 msgctxt "helpcmd|ReloadMod|desc" msgid "Reload a module" msgstr "Ein Modul neu laden" -#: ClientCommand.cpp:1840 +#: ClientCommand.cpp:1858 msgctxt "helpcmd|UpdateMod|args" msgid "" msgstr "" -#: ClientCommand.cpp:1841 +#: ClientCommand.cpp:1859 msgctxt "helpcmd|UpdateMod|desc" msgid "Reload a module everywhere" msgstr "Lade ein Modul überall neu" -#: ClientCommand.cpp:1847 +#: ClientCommand.cpp:1865 msgctxt "helpcmd|ShowMOTD|desc" msgid "Show ZNC's message of the day" msgstr "Zeige ZNCs Nachricht des Tages an" -#: ClientCommand.cpp:1851 +#: ClientCommand.cpp:1869 msgctxt "helpcmd|SetMOTD|args" msgid "" msgstr "" -#: ClientCommand.cpp:1852 +#: ClientCommand.cpp:1870 msgctxt "helpcmd|SetMOTD|desc" msgid "Set ZNC's message of the day" msgstr "Setze ZNCs Nachricht des Tages" -#: ClientCommand.cpp:1854 +#: ClientCommand.cpp:1872 msgctxt "helpcmd|AddMOTD|args" msgid "" msgstr "" -#: ClientCommand.cpp:1855 +#: ClientCommand.cpp:1873 msgctxt "helpcmd|AddMOTD|desc" msgid "Append to ZNC's MOTD" msgstr "Hänge an ZNCs MOTD an" -#: ClientCommand.cpp:1857 +#: ClientCommand.cpp:1875 msgctxt "helpcmd|ClearMOTD|desc" msgid "Clear ZNC's MOTD" msgstr "Lösche ZNCs MOTD" -#: ClientCommand.cpp:1860 +#: ClientCommand.cpp:1878 msgctxt "helpcmd|ListPorts|desc" msgid "Show all active listeners" msgstr "Zeige alle aktiven Listener" -#: ClientCommand.cpp:1862 +#: ClientCommand.cpp:1880 msgctxt "helpcmd|AddPort|args" msgid "<[+]port> [bindhost [uriprefix]]" msgstr "<[+]Port> [Bindhost [uriprefix]]" -#: ClientCommand.cpp:1865 +#: ClientCommand.cpp:1883 msgctxt "helpcmd|AddPort|desc" msgid "Add another port for ZNC to listen on" msgstr "Füge einen weiteren Port zum Horchen zu ZNC hinzu" -#: ClientCommand.cpp:1869 +#: ClientCommand.cpp:1887 msgctxt "helpcmd|DelPort|args" msgid " [bindhost]" msgstr " [Bindhost]" -#: ClientCommand.cpp:1870 +#: ClientCommand.cpp:1888 msgctxt "helpcmd|DelPort|desc" msgid "Remove a port from ZNC" msgstr "Entferne einen Port von ZNC" -#: ClientCommand.cpp:1873 +#: ClientCommand.cpp:1891 msgctxt "helpcmd|Rehash|desc" msgid "Reload global settings, modules, and listeners from znc.conf" msgstr "Lade globale Einstellungen, Module und Listener neu von znc.conf" -#: ClientCommand.cpp:1876 +#: ClientCommand.cpp:1894 msgctxt "helpcmd|SaveConfig|desc" msgid "Save the current settings to disk" msgstr "Speichere die aktuellen Einstellungen auf der Festplatte" -#: ClientCommand.cpp:1879 +#: ClientCommand.cpp:1897 msgctxt "helpcmd|ListUsers|desc" msgid "List all ZNC users and their connection status" msgstr "Zeige alle ZNC-Benutzer und deren Verbindungsstatus" -#: ClientCommand.cpp:1882 +#: ClientCommand.cpp:1900 msgctxt "helpcmd|ListAllUserNetworks|desc" msgid "List all ZNC users and their networks" msgstr "Zeige alle ZNC-Benutzer und deren Netzwerke" -#: ClientCommand.cpp:1885 +#: ClientCommand.cpp:1903 msgctxt "helpcmd|ListChans|args" msgid "[user ]" msgstr "[Benutzer ]" -#: ClientCommand.cpp:1888 +#: ClientCommand.cpp:1906 msgctxt "helpcmd|ListClients|args" msgid "[user]" msgstr "[Benutzer]" -#: ClientCommand.cpp:1889 +#: ClientCommand.cpp:1907 msgctxt "helpcmd|ListClients|desc" msgid "List all connected clients" msgstr "Zeige alle verbunden Klienten" -#: ClientCommand.cpp:1891 +#: ClientCommand.cpp:1909 msgctxt "helpcmd|Traffic|desc" msgid "Show basic traffic stats for all ZNC users" msgstr "Zeige grundlegende Verkehrsstatistiken aller ZNC-Benutzer an" -#: ClientCommand.cpp:1893 +#: ClientCommand.cpp:1911 msgctxt "helpcmd|Broadcast|args" msgid "[message]" msgstr "[Nachricht]" -#: ClientCommand.cpp:1894 +#: ClientCommand.cpp:1912 msgctxt "helpcmd|Broadcast|desc" msgid "Broadcast a message to all ZNC users" msgstr "Sende eine Nachricht an alle ZNC-Benutzer" -#: ClientCommand.cpp:1897 +#: ClientCommand.cpp:1915 msgctxt "helpcmd|Shutdown|args" msgid "[message]" msgstr "[Nachricht]" -#: ClientCommand.cpp:1898 +#: ClientCommand.cpp:1916 msgctxt "helpcmd|Shutdown|desc" msgid "Shut down ZNC completely" msgstr "Beende ZNC komplett" -#: ClientCommand.cpp:1899 +#: ClientCommand.cpp:1917 msgctxt "helpcmd|Restart|args" msgid "[message]" msgstr "[Nachricht]" -#: ClientCommand.cpp:1900 +#: ClientCommand.cpp:1918 msgctxt "helpcmd|Restart|desc" msgid "Restart ZNC" msgstr "Starte ZNC neu" diff --git a/src/po/znc.es_ES.po b/src/po/znc.es_ES.po index 9952f387..02286524 100644 --- a/src/po/znc.es_ES.po +++ b/src/po/znc.es_ES.po @@ -74,7 +74,7 @@ msgstr "No se ha localizado el fichero pem: {1}" msgid "Invalid port" msgstr "Puerto no válido" -#: znc.cpp:1821 ClientCommand.cpp:1637 +#: znc.cpp:1821 ClientCommand.cpp:1655 msgid "Unable to bind: {1}" msgstr "Imposible enlazar: {1}" @@ -260,6 +260,7 @@ msgid "Usage: /attach <#chans>" msgstr "Uso: /attach <#canales>" #: Client.cpp:1344 Client.cpp:1366 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: ClientCommand.cpp:423 ClientCommand.cpp:450 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" msgstr[0] "Hay {1} canal que coincide con [{2}]" @@ -299,7 +300,7 @@ msgctxt "modhelpcmd" msgid "Generate this output" msgstr "Generar esta salida" -#: Modules.cpp:573 ClientCommand.cpp:1904 +#: Modules.cpp:573 ClientCommand.cpp:1922 msgid "No matches for '{1}'" msgstr "No hay coincidencias para '{1}'" @@ -410,11 +411,12 @@ msgid "Description" msgstr "Descripción" #: ClientCommand.cpp:51 ClientCommand.cpp:115 ClientCommand.cpp:137 -#: ClientCommand.cpp:749 ClientCommand.cpp:768 ClientCommand.cpp:794 -#: ClientCommand.cpp:827 ClientCommand.cpp:840 ClientCommand.cpp:853 -#: ClientCommand.cpp:868 ClientCommand.cpp:1329 ClientCommand.cpp:1377 -#: ClientCommand.cpp:1409 ClientCommand.cpp:1420 ClientCommand.cpp:1429 -#: ClientCommand.cpp:1441 +#: ClientCommand.cpp:339 ClientCommand.cpp:390 ClientCommand.cpp:405 +#: ClientCommand.cpp:432 ClientCommand.cpp:459 ClientCommand.cpp:764 +#: ClientCommand.cpp:783 ClientCommand.cpp:809 ClientCommand.cpp:843 +#: ClientCommand.cpp:856 ClientCommand.cpp:869 ClientCommand.cpp:884 +#: ClientCommand.cpp:1345 ClientCommand.cpp:1393 ClientCommand.cpp:1425 +#: ClientCommand.cpp:1436 ClientCommand.cpp:1445 ClientCommand.cpp:1457 msgid "You must be connected with a network to use this command" msgstr "Debes estar conectado a una red para usar este comando" @@ -474,87 +476,248 @@ msgstr "Guardada la configuración en {1}" msgid "Error while trying to write config." msgstr "Error al escribir la configuración." -#: ClientCommand.cpp:455 +#: ClientCommand.cpp:183 +msgid "Usage: ListClients" +msgstr "" + +#: ClientCommand.cpp:190 +msgid "No such user: {1}" +msgstr "" + +#: ClientCommand.cpp:198 +msgid "No clients are connected" +msgstr "" + +#: ClientCommand.cpp:203 ClientCommand.cpp:209 +msgctxt "listclientscmd" +msgid "Host" +msgstr "" + +#: ClientCommand.cpp:204 ClientCommand.cpp:212 +msgctxt "listclientscmd" +msgid "Network" +msgstr "" + +#: ClientCommand.cpp:205 ClientCommand.cpp:215 +msgctxt "listclientscmd" +msgid "Identifier" +msgstr "" + +#: ClientCommand.cpp:223 ClientCommand.cpp:229 +msgctxt "listuserscmd" +msgid "Username" +msgstr "" + +#: ClientCommand.cpp:224 ClientCommand.cpp:230 +msgctxt "listuserscmd" +msgid "Networks" +msgstr "" + +#: ClientCommand.cpp:225 ClientCommand.cpp:232 +msgctxt "listuserscmd" +msgid "Clients" +msgstr "" + +#: ClientCommand.cpp:240 ClientCommand.cpp:250 ClientCommand.cpp:260 +#: ClientCommand.cpp:263 +msgctxt "listallusernetworkscmd" +msgid "Username" +msgstr "" + +#: ClientCommand.cpp:241 ClientCommand.cpp:251 ClientCommand.cpp:266 +msgctxt "listallusernetworkscmd" +msgid "Network" +msgstr "" + +#: ClientCommand.cpp:242 ClientCommand.cpp:252 ClientCommand.cpp:268 +msgctxt "listallusernetworkscmd" +msgid "Clients" +msgstr "" + +#: ClientCommand.cpp:243 ClientCommand.cpp:271 ClientCommand.cpp:280 +msgctxt "listallusernetworkscmd" +msgid "On IRC" +msgstr "" + +#: ClientCommand.cpp:244 ClientCommand.cpp:273 +msgctxt "listallusernetworkscmd" +msgid "IRC Server" +msgstr "" + +#: ClientCommand.cpp:245 ClientCommand.cpp:275 +msgctxt "listallusernetworkscmd" +msgid "IRC User" +msgstr "" + +#: ClientCommand.cpp:246 ClientCommand.cpp:277 +msgctxt "listallusernetworkscmd" +msgid "Channels" +msgstr "" + +#: ClientCommand.cpp:251 +msgid "N/A" +msgstr "" + +#: ClientCommand.cpp:272 +msgctxt "listallusernetworkscmd" +msgid "Yes" +msgstr "" + +#: ClientCommand.cpp:281 +msgctxt "listallusernetworkscmd" +msgid "No" +msgstr "" + +#: ClientCommand.cpp:291 +msgid "Usage: SetMOTD " +msgstr "" + +#: ClientCommand.cpp:294 +msgid "MOTD set to: {1}" +msgstr "" + +#: ClientCommand.cpp:300 +msgid "Usage: AddMOTD " +msgstr "" + +#: ClientCommand.cpp:303 +msgid "Added [{1}] to MOTD" +msgstr "" + +#: ClientCommand.cpp:307 +msgid "Cleared MOTD" +msgstr "" + +#: ClientCommand.cpp:329 +msgid "" +"ERROR: Writing config file to disk failed! Aborting. Use {1} FORCE to ignore." +msgstr "" + +#: ClientCommand.cpp:344 ClientCommand.cpp:797 ClientCommand.cpp:838 +msgid "You don't have any servers added." +msgstr "No tienes ningún servidor añadido." + +#: ClientCommand.cpp:355 +msgid "Server [{1}] not found" +msgstr "" + +#: ClientCommand.cpp:375 ClientCommand.cpp:380 +msgid "Connecting to {1}..." +msgstr "" + +#: ClientCommand.cpp:377 +msgid "Jumping to the next server in the list..." +msgstr "" + +#: ClientCommand.cpp:382 +msgid "Connecting..." +msgstr "" + +#: ClientCommand.cpp:400 +msgid "Disconnected from IRC. Use 'connect' to reconnect." +msgstr "" + +#: ClientCommand.cpp:412 +msgid "Usage: EnableChan <#chans>" +msgstr "" + +#: ClientCommand.cpp:426 +msgid "Enabled {1} channel" +msgid_plural "Enabled {1} channels" +msgstr[0] "" +msgstr[1] "" + +#: ClientCommand.cpp:439 +msgid "Usage: DisableChan <#chans>" +msgstr "" + +#: ClientCommand.cpp:453 +msgid "Disabled {1} channel" +msgid_plural "Disabled {1} channels" +msgstr[0] "" +msgstr[1] "" + +#: ClientCommand.cpp:470 msgid "Usage: ListChans" msgstr "Uso: ListChans" -#: ClientCommand.cpp:462 +#: ClientCommand.cpp:477 msgid "No such user [{1}]" msgstr "Usuario no encontrado [{1}]" -#: ClientCommand.cpp:468 +#: ClientCommand.cpp:483 msgid "User [{1}] doesn't have network [{2}]" msgstr "El usuario [{1}] no tiene red [{2}]" -#: ClientCommand.cpp:479 +#: ClientCommand.cpp:494 msgid "There are no channels defined." msgstr "No hay canales definidos." -#: ClientCommand.cpp:484 ClientCommand.cpp:500 +#: ClientCommand.cpp:499 ClientCommand.cpp:515 msgctxt "listchans" msgid "Name" msgstr "Nombre" -#: ClientCommand.cpp:485 ClientCommand.cpp:503 +#: ClientCommand.cpp:500 ClientCommand.cpp:518 msgctxt "listchans" msgid "Status" msgstr "Estado" -#: ClientCommand.cpp:486 ClientCommand.cpp:510 +#: ClientCommand.cpp:501 ClientCommand.cpp:525 msgctxt "listchans" msgid "In config" msgstr "En configuración" -#: ClientCommand.cpp:487 ClientCommand.cpp:512 +#: ClientCommand.cpp:502 ClientCommand.cpp:527 msgctxt "listchans" msgid "Buffer" msgstr "Búfer" -#: ClientCommand.cpp:488 ClientCommand.cpp:516 +#: ClientCommand.cpp:503 ClientCommand.cpp:531 msgctxt "listchans" msgid "Clear" msgstr "Borrar" -#: ClientCommand.cpp:489 ClientCommand.cpp:521 +#: ClientCommand.cpp:504 ClientCommand.cpp:536 msgctxt "listchans" msgid "Modes" msgstr "Modos" -#: ClientCommand.cpp:490 ClientCommand.cpp:522 +#: ClientCommand.cpp:505 ClientCommand.cpp:537 msgctxt "listchans" msgid "Users" msgstr "Usuarios" -#: ClientCommand.cpp:505 +#: ClientCommand.cpp:520 msgctxt "listchans" msgid "Detached" msgstr "Desvinculado" -#: ClientCommand.cpp:506 +#: ClientCommand.cpp:521 msgctxt "listchans" msgid "Joined" msgstr "Unido" -#: ClientCommand.cpp:507 +#: ClientCommand.cpp:522 msgctxt "listchans" msgid "Disabled" msgstr "Deshabilitado" -#: ClientCommand.cpp:508 +#: ClientCommand.cpp:523 msgctxt "listchans" msgid "Trying" msgstr "Probando" -#: ClientCommand.cpp:511 ClientCommand.cpp:519 +#: ClientCommand.cpp:526 ClientCommand.cpp:534 msgctxt "listchans" msgid "yes" msgstr "sí" -#: ClientCommand.cpp:536 +#: ClientCommand.cpp:551 msgid "Total: {1}, Joined: {2}, Detached: {3}, Disabled: {4}" msgstr "Total: {1}, Unidos: {2}, Separados: {3}, Deshabilitados: {4}" -#: ClientCommand.cpp:541 +#: ClientCommand.cpp:556 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks using /znc DelNetwork " @@ -562,15 +725,15 @@ msgstr "" "Limite de redes alcanzado. Píde a un administrador que te incremente el " "límite, o elimina redes innecesarias usando /znc DelNetwork " -#: ClientCommand.cpp:550 +#: ClientCommand.cpp:565 msgid "Usage: AddNetwork " msgstr "Uso: AddNetwork " -#: ClientCommand.cpp:554 +#: ClientCommand.cpp:569 msgid "Network name should be alphanumeric" msgstr "El nombre de la red debe ser alfanumérico" -#: ClientCommand.cpp:561 +#: ClientCommand.cpp:576 msgid "" "Network added. Use /znc JumpNetwork {1}, or connect to ZNC with username {2} " "(instead of just {3}) to connect to it." @@ -578,139 +741,139 @@ msgstr "" "Red añadida. Utiliza /znc JumpNetwork {1}, o conecta a ZNC con el usuario " "{2} (en vez de solo {3}) para conectar a la red." -#: ClientCommand.cpp:566 +#: ClientCommand.cpp:581 msgid "Unable to add that network" msgstr "No se ha podido añadir esta red" -#: ClientCommand.cpp:573 +#: ClientCommand.cpp:588 msgid "Usage: DelNetwork " msgstr "Uso: DelNetwork " -#: ClientCommand.cpp:582 +#: ClientCommand.cpp:597 msgid "Network deleted" msgstr "Red eliminada" -#: ClientCommand.cpp:585 +#: ClientCommand.cpp:600 msgid "Failed to delete network, perhaps this network doesn't exist" msgstr "Fallo al eliminar la red, puede que esta red no exista" -#: ClientCommand.cpp:595 +#: ClientCommand.cpp:610 msgid "User {1} not found" msgstr "Usuario {1} no encontrado" -#: ClientCommand.cpp:603 ClientCommand.cpp:611 +#: ClientCommand.cpp:618 ClientCommand.cpp:626 msgctxt "listnetworks" msgid "Network" msgstr "Red" -#: ClientCommand.cpp:604 ClientCommand.cpp:613 ClientCommand.cpp:622 +#: ClientCommand.cpp:619 ClientCommand.cpp:628 ClientCommand.cpp:637 msgctxt "listnetworks" msgid "On IRC" msgstr "En IRC" -#: ClientCommand.cpp:605 ClientCommand.cpp:615 +#: ClientCommand.cpp:620 ClientCommand.cpp:630 msgctxt "listnetworks" msgid "IRC Server" msgstr "Servidor IRC" -#: ClientCommand.cpp:606 ClientCommand.cpp:617 +#: ClientCommand.cpp:621 ClientCommand.cpp:632 msgctxt "listnetworks" msgid "IRC User" msgstr "Usuario IRC" -#: ClientCommand.cpp:607 ClientCommand.cpp:619 +#: ClientCommand.cpp:622 ClientCommand.cpp:634 msgctxt "listnetworks" msgid "Channels" msgstr "Canales" -#: ClientCommand.cpp:614 +#: ClientCommand.cpp:629 msgctxt "listnetworks" msgid "Yes" msgstr "Sí" -#: ClientCommand.cpp:623 +#: ClientCommand.cpp:638 msgctxt "listnetworks" msgid "No" msgstr "No" -#: ClientCommand.cpp:628 +#: ClientCommand.cpp:643 msgctxt "listnetworks" msgid "No networks" msgstr "No hay redes" -#: ClientCommand.cpp:632 ClientCommand.cpp:936 +#: ClientCommand.cpp:647 ClientCommand.cpp:952 msgid "Access denied." msgstr "Acceso denegado." -#: ClientCommand.cpp:643 +#: ClientCommand.cpp:658 msgid "Usage: MoveNetwork [new network]" msgstr "" "Uso: MoveNetwork [nueva " "red]" -#: ClientCommand.cpp:653 +#: ClientCommand.cpp:668 msgid "Old user {1} not found." msgstr "Anterior usuario {1} no encontrado." -#: ClientCommand.cpp:659 +#: ClientCommand.cpp:674 msgid "Old network {1} not found." msgstr "Anterior red {1} no encontrada." -#: ClientCommand.cpp:665 +#: ClientCommand.cpp:680 msgid "New user {1} not found." msgstr "Nuevo usuario {1} no encontrado." -#: ClientCommand.cpp:670 +#: ClientCommand.cpp:685 msgid "User {1} already has network {2}." msgstr "El usuario {1} ya tiene una red {2}." -#: ClientCommand.cpp:676 +#: ClientCommand.cpp:691 msgid "Invalid network name [{1}]" msgstr "Nombre de red no válido [{1}]" -#: ClientCommand.cpp:692 +#: ClientCommand.cpp:707 msgid "Some files seem to be in {1}. You might want to move them to {2}" msgstr "" "Algunos archivos parece que están en {1}. Puede que quieras moverlos a {2}" -#: ClientCommand.cpp:706 +#: ClientCommand.cpp:721 msgid "Error adding network: {1}" msgstr "Error al añadir la red: {1}" -#: ClientCommand.cpp:718 +#: ClientCommand.cpp:733 msgid "Success." msgstr "Completado." -#: ClientCommand.cpp:721 +#: ClientCommand.cpp:736 msgid "Copied the network to new user, but failed to delete old network" msgstr "" "Copiada la red al nuevo usuario, pero se ha fallado al borrar la anterior red" -#: ClientCommand.cpp:728 +#: ClientCommand.cpp:743 msgid "No network supplied." msgstr "No se ha proporcionado una red." -#: ClientCommand.cpp:733 +#: ClientCommand.cpp:748 msgid "You are already connected with this network." msgstr "Ya estás conectado con esta red." -#: ClientCommand.cpp:739 +#: ClientCommand.cpp:754 msgid "Switched to {1}" msgstr "Cambiado a {1}" -#: ClientCommand.cpp:742 +#: ClientCommand.cpp:757 msgid "You don't have a network named {1}" msgstr "No tienes una red llamada {1}" -#: ClientCommand.cpp:754 +#: ClientCommand.cpp:769 msgid "Usage: AddServer [[+]port] [pass]" msgstr "Uso: AddServer [[+]puerto] [contraseña]" -#: ClientCommand.cpp:759 +#: ClientCommand.cpp:774 msgid "Server added" msgstr "Servidor añadido" -#: ClientCommand.cpp:762 +#: ClientCommand.cpp:777 msgid "" "Unable to add that server. Perhaps the server is already added or openssl is " "disabled?" @@ -718,243 +881,239 @@ msgstr "" "No se ha podido añadir el servidor. ¿Quizá el servidor ya está añadido o el " "openssl está deshabilitado?" -#: ClientCommand.cpp:777 +#: ClientCommand.cpp:792 msgid "Usage: DelServer [port] [pass]" msgstr "Uso: DelServer [puerto] [contraseña]" -#: ClientCommand.cpp:782 ClientCommand.cpp:822 -msgid "You don't have any servers added." -msgstr "No tienes ningún servidor añadido." - -#: ClientCommand.cpp:787 +#: ClientCommand.cpp:802 msgid "Server removed" msgstr "Servidor eliminado" -#: ClientCommand.cpp:789 +#: ClientCommand.cpp:804 msgid "No such server" msgstr "No existe el servidor" -#: ClientCommand.cpp:802 ClientCommand.cpp:809 +#: ClientCommand.cpp:817 ClientCommand.cpp:825 msgctxt "listservers" msgid "Host" msgstr "Servidor" -#: ClientCommand.cpp:803 ClientCommand.cpp:811 +#: ClientCommand.cpp:818 ClientCommand.cpp:827 msgctxt "listservers" msgid "Port" msgstr "Puerto" -#: ClientCommand.cpp:804 ClientCommand.cpp:814 +#: ClientCommand.cpp:819 ClientCommand.cpp:830 msgctxt "listservers" msgid "SSL" msgstr "SSL" -#: ClientCommand.cpp:805 ClientCommand.cpp:816 +#: ClientCommand.cpp:820 ClientCommand.cpp:832 msgctxt "listservers" msgid "Password" msgstr "Contraseña" -#: ClientCommand.cpp:815 +#: ClientCommand.cpp:831 msgctxt "listservers|cell" msgid "SSL" msgstr "SSL" -#: ClientCommand.cpp:832 +#: ClientCommand.cpp:848 msgid "Usage: AddTrustedServerFingerprint " msgstr "Uso: AddTrustedServerFingerprint " -#: ClientCommand.cpp:836 ClientCommand.cpp:849 +#: ClientCommand.cpp:852 ClientCommand.cpp:865 msgid "Done." msgstr "Hecho." -#: ClientCommand.cpp:845 +#: ClientCommand.cpp:861 msgid "Usage: DelTrustedServerFingerprint " msgstr "Uso: DelTrustedServerFingerprint " -#: ClientCommand.cpp:858 +#: ClientCommand.cpp:874 msgid "No fingerprints added." msgstr "No se han añadido huellas." -#: ClientCommand.cpp:874 ClientCommand.cpp:880 +#: ClientCommand.cpp:890 ClientCommand.cpp:896 msgctxt "topicscmd" msgid "Channel" msgstr "Canal" -#: ClientCommand.cpp:875 ClientCommand.cpp:881 +#: ClientCommand.cpp:891 ClientCommand.cpp:897 msgctxt "topicscmd" msgid "Set By" msgstr "Puesto por" -#: ClientCommand.cpp:876 ClientCommand.cpp:882 +#: ClientCommand.cpp:892 ClientCommand.cpp:898 msgctxt "topicscmd" msgid "Topic" msgstr "Tema" -#: ClientCommand.cpp:889 ClientCommand.cpp:894 +#: ClientCommand.cpp:905 ClientCommand.cpp:910 msgctxt "listmods" msgid "Name" msgstr "Nombre" -#: ClientCommand.cpp:890 ClientCommand.cpp:895 +#: ClientCommand.cpp:906 ClientCommand.cpp:911 msgctxt "listmods" msgid "Arguments" msgstr "Parámetros" -#: ClientCommand.cpp:904 +#: ClientCommand.cpp:920 msgid "No global modules loaded." msgstr "No se han cargado módulos globales." -#: ClientCommand.cpp:906 ClientCommand.cpp:970 +#: ClientCommand.cpp:922 ClientCommand.cpp:986 msgid "Global modules:" msgstr "Módulos globales:" -#: ClientCommand.cpp:915 +#: ClientCommand.cpp:931 msgid "Your user has no modules loaded." msgstr "Tu usuario no tiene módulos cargados." -#: ClientCommand.cpp:917 ClientCommand.cpp:982 +#: ClientCommand.cpp:933 ClientCommand.cpp:998 msgid "User modules:" msgstr "Módulos de usuario:" -#: ClientCommand.cpp:925 +#: ClientCommand.cpp:941 msgid "This network has no modules loaded." msgstr "Esta red no tiene módulos cargados." -#: ClientCommand.cpp:927 ClientCommand.cpp:994 +#: ClientCommand.cpp:943 ClientCommand.cpp:1010 msgid "Network modules:" msgstr "Módulos de red:" -#: ClientCommand.cpp:942 ClientCommand.cpp:949 +#: ClientCommand.cpp:958 ClientCommand.cpp:965 msgctxt "listavailmods" msgid "Name" msgstr "Nombre" -#: ClientCommand.cpp:943 ClientCommand.cpp:954 +#: ClientCommand.cpp:959 ClientCommand.cpp:970 msgctxt "listavailmods" msgid "Description" msgstr "Descripción" -#: ClientCommand.cpp:968 +#: ClientCommand.cpp:984 msgid "No global modules available." msgstr "No hay disponibles módulos globales." -#: ClientCommand.cpp:980 +#: ClientCommand.cpp:996 msgid "No user modules available." msgstr "No hay disponibles módulos de usuario." -#: ClientCommand.cpp:992 +#: ClientCommand.cpp:1008 msgid "No network modules available." msgstr "No hay módulos de red disponibles." -#: ClientCommand.cpp:1020 +#: ClientCommand.cpp:1036 msgid "Unable to load {1}: Access denied." msgstr "No se ha podido cargar {1}: acceso denegado." -#: ClientCommand.cpp:1026 +#: ClientCommand.cpp:1042 msgid "Usage: LoadMod [--type=global|user|network] [args]" msgstr "Uso: LoadMod [--type=global|user|network] [parámetros]" -#: ClientCommand.cpp:1033 +#: ClientCommand.cpp:1049 msgid "Unable to load {1}: {2}" msgstr "No se ha podido cargar {1}: {2}" -#: ClientCommand.cpp:1043 +#: ClientCommand.cpp:1059 msgid "Unable to load global module {1}: Access denied." msgstr "No se ha podido cargar el módulo global {1}: acceso denegado." -#: ClientCommand.cpp:1049 +#: ClientCommand.cpp:1065 msgid "Unable to load network module {1}: Not connected with a network." msgstr "" "No se ha podido cargar el módulo de red {1}: no estás conectado con una red." -#: ClientCommand.cpp:1071 +#: ClientCommand.cpp:1087 msgid "Unknown module type" msgstr "Tipo de módulo desconocido" -#: ClientCommand.cpp:1076 +#: ClientCommand.cpp:1092 msgid "Loaded module {1}" msgstr "Cargado módulo {1}" -#: ClientCommand.cpp:1078 +#: ClientCommand.cpp:1094 msgid "Loaded module {1}: {2}" msgstr "Cargado módulo {1}: {2}" -#: ClientCommand.cpp:1081 +#: ClientCommand.cpp:1097 msgid "Unable to load module {1}: {2}" msgstr "No se ha podido cargar el módulo {1}: {2}" -#: ClientCommand.cpp:1104 +#: ClientCommand.cpp:1120 msgid "Unable to unload {1}: Access denied." msgstr "No se ha podido descargar {1}: acceso denegado." -#: ClientCommand.cpp:1110 +#: ClientCommand.cpp:1126 msgid "Usage: UnloadMod [--type=global|user|network] " msgstr "Uso: UnLoadMod [--type=global|user|network] " -#: ClientCommand.cpp:1119 +#: ClientCommand.cpp:1135 msgid "Unable to determine type of {1}: {2}" msgstr "No se ha podido determinar el tipo de {1}: {2}" -#: ClientCommand.cpp:1127 +#: ClientCommand.cpp:1143 msgid "Unable to unload global module {1}: Access denied." msgstr "No se ha podido descargar el módulo global {1}: acceso denegado." -#: ClientCommand.cpp:1134 +#: ClientCommand.cpp:1150 msgid "Unable to unload network module {1}: Not connected with a network." msgstr "" "No se ha podido descargar el módulo de red {1}: no estás conectado con una " "red." -#: ClientCommand.cpp:1153 +#: ClientCommand.cpp:1169 msgid "Unable to unload module {1}: Unknown module type" msgstr "No se ha podido descargar el módulo {1}: tipo de módulo desconocido" -#: ClientCommand.cpp:1166 +#: ClientCommand.cpp:1182 msgid "Unable to reload modules. Access denied." msgstr "No se han podido recargar los módulos: acceso denegado." -#: ClientCommand.cpp:1187 +#: ClientCommand.cpp:1203 msgid "Usage: ReloadMod [--type=global|user|network] [args]" msgstr "Uso: ReoadMod [--type=global|user|network] [parámetros]" -#: ClientCommand.cpp:1196 +#: ClientCommand.cpp:1212 msgid "Unable to reload {1}: {2}" msgstr "No se ha podido recargar {1}: {2}" -#: ClientCommand.cpp:1204 +#: ClientCommand.cpp:1220 msgid "Unable to reload global module {1}: Access denied." msgstr "No se ha podido recargar el módulo global {1}: acceso denegado." -#: ClientCommand.cpp:1211 +#: ClientCommand.cpp:1227 msgid "Unable to reload network module {1}: Not connected with a network." msgstr "" "No se ha podido recargar el módulo de red {1}: no estás conectado con una " "red." -#: ClientCommand.cpp:1233 +#: ClientCommand.cpp:1249 msgid "Unable to reload module {1}: Unknown module type" msgstr "No se ha podido recargar el módulo {1}: tipo de módulo desconocido" -#: ClientCommand.cpp:1244 +#: ClientCommand.cpp:1260 msgid "Usage: UpdateMod " msgstr "Uso: UpdateMod " -#: ClientCommand.cpp:1248 +#: ClientCommand.cpp:1264 msgid "Reloading {1} everywhere" msgstr "Recargando {1} en todas partes" -#: ClientCommand.cpp:1250 +#: ClientCommand.cpp:1266 msgid "Done" msgstr "Hecho" -#: ClientCommand.cpp:1253 +#: ClientCommand.cpp:1269 msgid "" "Done, but there were errors, module {1} could not be reloaded everywhere." msgstr "" "Hecho, pero hay errores, el módulo {1} no se ha podido recargar en todas " "partes." -#: ClientCommand.cpp:1261 +#: ClientCommand.cpp:1277 msgid "" "You must be connected with a network to use this command. Try " "SetUserBindHost instead" @@ -962,27 +1121,27 @@ msgstr "" "Debes estar conectado a una red para usar este comando. Prueba " "SetUserBindHost" -#: ClientCommand.cpp:1268 +#: ClientCommand.cpp:1284 msgid "Usage: SetBindHost " msgstr "Uso: SetBindHost " -#: ClientCommand.cpp:1273 ClientCommand.cpp:1290 +#: ClientCommand.cpp:1289 ClientCommand.cpp:1306 msgid "You already have this bind host!" msgstr "¡Ya tienes este host vinculado!" -#: ClientCommand.cpp:1278 +#: ClientCommand.cpp:1294 msgid "Set bind host for network {1} to {2}" msgstr "Modificado bind host para la red {1} a {2}" -#: ClientCommand.cpp:1285 +#: ClientCommand.cpp:1301 msgid "Usage: SetUserBindHost " msgstr "Uso: SetUserBindHost " -#: ClientCommand.cpp:1295 +#: ClientCommand.cpp:1311 msgid "Set default bind host to {1}" msgstr "Configurado bind host predeterminado a {1}" -#: ClientCommand.cpp:1301 +#: ClientCommand.cpp:1317 msgid "" "You must be connected with a network to use this command. Try " "ClearUserBindHost instead" @@ -990,258 +1149,258 @@ msgstr "" "Debes estar conectado a una red para usar este comando. Prueba " "ClearUserBindHost" -#: ClientCommand.cpp:1306 +#: ClientCommand.cpp:1322 msgid "Bind host cleared for this network." msgstr "Borrado bindhost para esta red." -#: ClientCommand.cpp:1310 +#: ClientCommand.cpp:1326 msgid "Default bind host cleared for your user." msgstr "Borrado bindhost predeterminado para tu usuario." -#: ClientCommand.cpp:1313 +#: ClientCommand.cpp:1329 msgid "This user's default bind host not set" msgstr "Este usuario no tiene un bindhost predeterminado" -#: ClientCommand.cpp:1315 +#: ClientCommand.cpp:1331 msgid "This user's default bind host is {1}" msgstr "El bindhost predeterminado de este usuario es {1}" -#: ClientCommand.cpp:1320 +#: ClientCommand.cpp:1336 msgid "This network's bind host not set" msgstr "Esta red no tiene un bindhost" -#: ClientCommand.cpp:1322 +#: ClientCommand.cpp:1338 msgid "This network's default bind host is {1}" msgstr "El bindhost predeterminado de esta red es {1}" -#: ClientCommand.cpp:1336 +#: ClientCommand.cpp:1352 msgid "Usage: PlayBuffer <#chan|query>" msgstr "Uso: PlayBuffer <#canal|privado>" -#: ClientCommand.cpp:1344 +#: ClientCommand.cpp:1360 msgid "You are not on {1}" msgstr "No estás en {1}" -#: ClientCommand.cpp:1349 +#: ClientCommand.cpp:1365 msgid "You are not on {1} (trying to join)" msgstr "No estás en {1} (intentando entrar)" -#: ClientCommand.cpp:1354 +#: ClientCommand.cpp:1370 msgid "The buffer for channel {1} is empty" msgstr "El búfer del canal {1} está vacio" -#: ClientCommand.cpp:1363 +#: ClientCommand.cpp:1379 msgid "No active query with {1}" msgstr "No hay un privado activo con {1}" -#: ClientCommand.cpp:1368 +#: ClientCommand.cpp:1384 msgid "The buffer for {1} is empty" msgstr "El búfer de {1} está vacio" -#: ClientCommand.cpp:1384 +#: ClientCommand.cpp:1400 msgid "Usage: ClearBuffer <#chan|query>" msgstr "Uso: ClearBuffer <#canal|privado>" -#: ClientCommand.cpp:1403 +#: ClientCommand.cpp:1419 msgid "{1} buffer matching {2} has been cleared" msgid_plural "{1} buffers matching {2} have been cleared" msgstr[0] "{1} búfer coincidente con {2} ha sido borrado" msgstr[1] "{1} búfers coincidentes con {2} han sido borrados" -#: ClientCommand.cpp:1416 +#: ClientCommand.cpp:1432 msgid "All channel buffers have been cleared" msgstr "Todos los búfers de canales han sido borrados" -#: ClientCommand.cpp:1425 +#: ClientCommand.cpp:1441 msgid "All query buffers have been cleared" msgstr "Todos los búfers de privados han sido borrados" -#: ClientCommand.cpp:1437 +#: ClientCommand.cpp:1453 msgid "All buffers have been cleared" msgstr "Todos los búfers han sido borrados" -#: ClientCommand.cpp:1448 +#: ClientCommand.cpp:1464 msgid "Usage: SetBuffer <#chan|query> [linecount]" msgstr "Uso: SetBuffer <#canal|privado> [lineas]" -#: ClientCommand.cpp:1469 +#: ClientCommand.cpp:1485 msgid "Setting buffer size failed for {1} buffer" msgid_plural "Setting buffer size failed for {1} buffers" msgstr[0] "Fallo al definir el tamaño para el búfer {1}" msgstr[1] "Fallo al definir el tamaño para los búfers {1}" -#: ClientCommand.cpp:1472 +#: ClientCommand.cpp:1488 msgid "Maximum buffer size is {1} line" msgid_plural "Maximum buffer size is {1} lines" msgstr[0] "El tamaño máximo de búfer es {1} línea" msgstr[1] "El tamaño máximo de búfer es {1} líneas" -#: ClientCommand.cpp:1477 +#: ClientCommand.cpp:1493 msgid "Size of every buffer was set to {1} line" msgid_plural "Size of every buffer was set to {1} lines" msgstr[0] "El tamaño de cada búfer se ha cambiado a {1} línea" msgstr[1] "El tamaño de cada búfer se ha cambiado a {1} líneas" -#: ClientCommand.cpp:1487 ClientCommand.cpp:1494 ClientCommand.cpp:1505 -#: ClientCommand.cpp:1514 ClientCommand.cpp:1522 +#: ClientCommand.cpp:1503 ClientCommand.cpp:1510 ClientCommand.cpp:1521 +#: ClientCommand.cpp:1530 ClientCommand.cpp:1538 msgctxt "trafficcmd" msgid "Username" msgstr "Usuario" -#: ClientCommand.cpp:1488 ClientCommand.cpp:1495 ClientCommand.cpp:1507 -#: ClientCommand.cpp:1516 ClientCommand.cpp:1524 +#: ClientCommand.cpp:1504 ClientCommand.cpp:1511 ClientCommand.cpp:1523 +#: ClientCommand.cpp:1532 ClientCommand.cpp:1540 msgctxt "trafficcmd" msgid "In" msgstr "Entrada" -#: ClientCommand.cpp:1489 ClientCommand.cpp:1497 ClientCommand.cpp:1508 -#: ClientCommand.cpp:1517 ClientCommand.cpp:1525 +#: ClientCommand.cpp:1505 ClientCommand.cpp:1513 ClientCommand.cpp:1524 +#: ClientCommand.cpp:1533 ClientCommand.cpp:1541 msgctxt "trafficcmd" msgid "Out" msgstr "Salida" -#: ClientCommand.cpp:1490 ClientCommand.cpp:1500 ClientCommand.cpp:1510 -#: ClientCommand.cpp:1518 ClientCommand.cpp:1527 +#: ClientCommand.cpp:1506 ClientCommand.cpp:1516 ClientCommand.cpp:1526 +#: ClientCommand.cpp:1534 ClientCommand.cpp:1543 msgctxt "trafficcmd" msgid "Total" msgstr "Total" -#: ClientCommand.cpp:1506 +#: ClientCommand.cpp:1522 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1515 +#: ClientCommand.cpp:1531 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1523 +#: ClientCommand.cpp:1539 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1532 +#: ClientCommand.cpp:1548 msgid "Running for {1}" msgstr "Ejecutado desde {1}" -#: ClientCommand.cpp:1538 +#: ClientCommand.cpp:1554 msgid "Unknown command, try 'Help'" msgstr "Comando desconocido, prueba 'Help'" -#: ClientCommand.cpp:1547 ClientCommand.cpp:1558 +#: ClientCommand.cpp:1563 ClientCommand.cpp:1574 msgctxt "listports" msgid "Port" msgstr "Puerto" -#: ClientCommand.cpp:1548 ClientCommand.cpp:1559 +#: ClientCommand.cpp:1564 ClientCommand.cpp:1577 msgctxt "listports" msgid "BindHost" msgstr "BindHost" -#: ClientCommand.cpp:1549 ClientCommand.cpp:1562 +#: ClientCommand.cpp:1565 ClientCommand.cpp:1580 msgctxt "listports" msgid "SSL" msgstr "SSL" -#: ClientCommand.cpp:1550 ClientCommand.cpp:1567 +#: ClientCommand.cpp:1566 ClientCommand.cpp:1585 msgctxt "listports" msgid "Protocol" msgstr "Protocolo" -#: ClientCommand.cpp:1551 ClientCommand.cpp:1574 +#: ClientCommand.cpp:1567 ClientCommand.cpp:1592 msgctxt "listports" msgid "IRC" msgstr "IRC" -#: ClientCommand.cpp:1552 ClientCommand.cpp:1579 +#: ClientCommand.cpp:1568 ClientCommand.cpp:1597 msgctxt "listports" msgid "Web" msgstr "Web" -#: ClientCommand.cpp:1563 +#: ClientCommand.cpp:1581 msgctxt "listports|ssl" msgid "yes" msgstr "sí" -#: ClientCommand.cpp:1564 +#: ClientCommand.cpp:1582 msgctxt "listports|ssl" msgid "no" msgstr "no" -#: ClientCommand.cpp:1568 +#: ClientCommand.cpp:1586 msgctxt "listports" msgid "IPv4 and IPv6" msgstr "IPv4 y IPv6" -#: ClientCommand.cpp:1570 +#: ClientCommand.cpp:1588 msgctxt "listports" msgid "IPv4" msgstr "IPv4" -#: ClientCommand.cpp:1571 +#: ClientCommand.cpp:1589 msgctxt "listports" msgid "IPv6" msgstr "IPv6" -#: ClientCommand.cpp:1577 +#: ClientCommand.cpp:1595 msgctxt "listports|irc" msgid "yes" msgstr "sí" -#: ClientCommand.cpp:1578 +#: ClientCommand.cpp:1596 msgctxt "listports|irc" msgid "no" msgstr "no" -#: ClientCommand.cpp:1582 +#: ClientCommand.cpp:1600 msgctxt "listports|irc" msgid "yes, on {1}" msgstr "sí, en {1}" -#: ClientCommand.cpp:1584 +#: ClientCommand.cpp:1602 msgctxt "listports|web" msgid "no" msgstr "no" -#: ClientCommand.cpp:1624 +#: ClientCommand.cpp:1642 msgid "" "Usage: AddPort <[+]port> [bindhost [uriprefix]]" msgstr "" "Uso: AddPort <[+]puerto> [bindhost " "[prefijourl]]" -#: ClientCommand.cpp:1640 +#: ClientCommand.cpp:1658 msgid "Port added" msgstr "Puerto añadido" -#: ClientCommand.cpp:1642 +#: ClientCommand.cpp:1660 msgid "Couldn't add port" msgstr "No se puede añadir el puerto" -#: ClientCommand.cpp:1648 +#: ClientCommand.cpp:1666 msgid "Usage: DelPort [bindhost]" msgstr "Uso: DelPort [bindhost]" -#: ClientCommand.cpp:1657 +#: ClientCommand.cpp:1675 msgid "Deleted Port" msgstr "Puerto eliminado" -#: ClientCommand.cpp:1659 +#: ClientCommand.cpp:1677 msgid "Unable to find a matching port" msgstr "No se ha encontrado un puerto que coincida" -#: ClientCommand.cpp:1667 ClientCommand.cpp:1682 +#: ClientCommand.cpp:1685 ClientCommand.cpp:1700 msgctxt "helpcmd" msgid "Command" msgstr "Comando" -#: ClientCommand.cpp:1668 ClientCommand.cpp:1684 +#: ClientCommand.cpp:1686 ClientCommand.cpp:1702 msgctxt "helpcmd" msgid "Description" msgstr "Descripción" -#: ClientCommand.cpp:1673 +#: ClientCommand.cpp:1691 msgid "" "In the following list all occurrences of <#chan> support wildcards (* and ?) " "except ListNicks" @@ -1249,87 +1408,87 @@ msgstr "" "En la siguiente lista todas las coincidencias de <#canal> soportan comodines " "(* y ?) excepto ListNicks" -#: ClientCommand.cpp:1690 +#: ClientCommand.cpp:1708 msgctxt "helpcmd|Version|desc" msgid "Print which version of ZNC this is" msgstr "Imprime la versión de ZNC" -#: ClientCommand.cpp:1693 +#: ClientCommand.cpp:1711 msgctxt "helpcmd|ListMods|desc" msgid "List all loaded modules" msgstr "Lista todos los módulos cargados" -#: ClientCommand.cpp:1696 +#: ClientCommand.cpp:1714 msgctxt "helpcmd|ListAvailMods|desc" msgid "List all available modules" msgstr "Lista todos los módulos disponibles" -#: ClientCommand.cpp:1700 ClientCommand.cpp:1886 +#: ClientCommand.cpp:1718 ClientCommand.cpp:1904 msgctxt "helpcmd|ListChans|desc" msgid "List all channels" msgstr "Lista todos los canales" -#: ClientCommand.cpp:1703 +#: ClientCommand.cpp:1721 msgctxt "helpcmd|ListNicks|args" msgid "<#chan>" msgstr "<#canal>" -#: ClientCommand.cpp:1704 +#: ClientCommand.cpp:1722 msgctxt "helpcmd|ListNicks|desc" msgid "List all nicks on a channel" msgstr "Lista todos los nicks de un canal" -#: ClientCommand.cpp:1707 +#: ClientCommand.cpp:1725 msgctxt "helpcmd|ListClients|desc" msgid "List all clients connected to your ZNC user" msgstr "Lista todos los clientes conectados en tu usuario de ZNC" -#: ClientCommand.cpp:1711 +#: ClientCommand.cpp:1729 msgctxt "helpcmd|ListServers|desc" msgid "List all servers of current IRC network" msgstr "Lista todos los servidores de la red IRC actual" -#: ClientCommand.cpp:1715 +#: ClientCommand.cpp:1733 msgctxt "helpcmd|AddNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1716 +#: ClientCommand.cpp:1734 msgctxt "helpcmd|AddNetwork|desc" msgid "Add a network to your user" msgstr "Añade una red a tu usario" -#: ClientCommand.cpp:1718 +#: ClientCommand.cpp:1736 msgctxt "helpcmd|DelNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1719 +#: ClientCommand.cpp:1737 msgctxt "helpcmd|DelNetwork|desc" msgid "Delete a network from your user" msgstr "Elimina una red de tu usuario" -#: ClientCommand.cpp:1721 +#: ClientCommand.cpp:1739 msgctxt "helpcmd|ListNetworks|desc" msgid "List all networks" msgstr "Lista todas las redes" -#: ClientCommand.cpp:1724 +#: ClientCommand.cpp:1742 msgctxt "helpcmd|MoveNetwork|args" msgid " [new network]" msgstr " [nueva red]" -#: ClientCommand.cpp:1726 +#: ClientCommand.cpp:1744 msgctxt "helpcmd|MoveNetwork|desc" msgid "Move an IRC network from one user to another" msgstr "Mueve una red de IRC de un usuario a otro" -#: ClientCommand.cpp:1730 +#: ClientCommand.cpp:1748 msgctxt "helpcmd|JumpNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1731 +#: ClientCommand.cpp:1749 msgctxt "helpcmd|JumpNetwork|desc" msgid "" "Jump to another network (Alternatively, you can connect to ZNC several " @@ -1338,24 +1497,24 @@ msgstr "" "Saltar a otra red (alternativamente, puedes conectar a ZNC varias veces, " "usando `usuario/red` como nombre de usuario)" -#: ClientCommand.cpp:1736 +#: ClientCommand.cpp:1754 msgctxt "helpcmd|AddServer|args" msgid " [[+]port] [pass]" msgstr " [[+]puerto] [contraseña]" -#: ClientCommand.cpp:1737 +#: ClientCommand.cpp:1755 msgctxt "helpcmd|AddServer|desc" msgid "" "Add a server to the list of alternate/backup servers of current IRC network." msgstr "" "Añade un servidor a la lista de servidores alternativos de la red IRC actual." -#: ClientCommand.cpp:1741 +#: ClientCommand.cpp:1759 msgctxt "helpcmd|DelServer|args" msgid " [port] [pass]" msgstr " [puerto] [contraseña]" -#: ClientCommand.cpp:1742 +#: ClientCommand.cpp:1760 msgctxt "helpcmd|DelServer|desc" msgid "" "Remove a server from the list of alternate/backup servers of current IRC " @@ -1364,12 +1523,12 @@ msgstr "" "Elimina un servidor de la lista de servidores alternativos de la red IRC " "actual" -#: ClientCommand.cpp:1748 +#: ClientCommand.cpp:1766 msgctxt "helpcmd|AddTrustedServerFingerprint|args" msgid "" msgstr "" -#: ClientCommand.cpp:1749 +#: ClientCommand.cpp:1767 msgctxt "helpcmd|AddTrustedServerFingerprint|desc" msgid "" "Add a trusted server SSL certificate fingerprint (SHA-256) to current IRC " @@ -1378,338 +1537,338 @@ msgstr "" "Añade un certificado digital (SHA-256) de confianza del servidor SSL a la " "red IRC actual." -#: ClientCommand.cpp:1754 +#: ClientCommand.cpp:1772 msgctxt "helpcmd|DelTrustedServerFingerprint|args" msgid "" msgstr "" -#: ClientCommand.cpp:1755 +#: ClientCommand.cpp:1773 msgctxt "helpcmd|DelTrustedServerFingerprint|desc" msgid "Delete a trusted server SSL certificate from current IRC network." msgstr "Elimina un certificado digital de confianza de la red IRC actual." -#: ClientCommand.cpp:1759 +#: ClientCommand.cpp:1777 msgctxt "helpcmd|ListTrustedServerFingerprints|desc" msgid "List all trusted server SSL certificates of current IRC network." msgstr "Lista todos los certificados SSL de confianza de la red IRC actual." -#: ClientCommand.cpp:1762 +#: ClientCommand.cpp:1780 msgctxt "helpcmd|EnableChan|args" msgid "<#chans>" msgstr "<#canales>" -#: ClientCommand.cpp:1763 +#: ClientCommand.cpp:1781 msgctxt "helpcmd|EnableChan|desc" msgid "Enable channels" msgstr "Habilita canales" -#: ClientCommand.cpp:1764 +#: ClientCommand.cpp:1782 msgctxt "helpcmd|DisableChan|args" msgid "<#chans>" msgstr "<#canales>" -#: ClientCommand.cpp:1765 +#: ClientCommand.cpp:1783 msgctxt "helpcmd|DisableChan|desc" msgid "Disable channels" msgstr "Deshabilita canales" -#: ClientCommand.cpp:1766 +#: ClientCommand.cpp:1784 msgctxt "helpcmd|Attach|args" msgid "<#chans>" msgstr "<#canales>" -#: ClientCommand.cpp:1767 +#: ClientCommand.cpp:1785 msgctxt "helpcmd|Attach|desc" msgid "Attach to channels" msgstr "Unirse a canales" -#: ClientCommand.cpp:1768 +#: ClientCommand.cpp:1786 msgctxt "helpcmd|Detach|args" msgid "<#chans>" msgstr "<#canales>" -#: ClientCommand.cpp:1769 +#: ClientCommand.cpp:1787 msgctxt "helpcmd|Detach|desc" msgid "Detach from channels" msgstr "Separarse de canales" -#: ClientCommand.cpp:1772 +#: ClientCommand.cpp:1790 msgctxt "helpcmd|Topics|desc" msgid "Show topics in all your channels" msgstr "Mostrar topics de tus canales" -#: ClientCommand.cpp:1775 +#: ClientCommand.cpp:1793 msgctxt "helpcmd|PlayBuffer|args" msgid "<#chan|query>" msgstr "<#canal|privado>" -#: ClientCommand.cpp:1776 +#: ClientCommand.cpp:1794 msgctxt "helpcmd|PlayBuffer|desc" msgid "Play back the specified buffer" msgstr "Reproduce el búfer especificado" -#: ClientCommand.cpp:1778 +#: ClientCommand.cpp:1796 msgctxt "helpcmd|ClearBuffer|args" msgid "<#chan|query>" msgstr "<#canal|privado>" -#: ClientCommand.cpp:1779 +#: ClientCommand.cpp:1797 msgctxt "helpcmd|ClearBuffer|desc" msgid "Clear the specified buffer" msgstr "Borra el búfer especificado" -#: ClientCommand.cpp:1781 +#: ClientCommand.cpp:1799 msgctxt "helpcmd|ClearAllBuffers|desc" msgid "Clear all channel and query buffers" msgstr "Borra todos los búfers de canales y privados" -#: ClientCommand.cpp:1784 +#: ClientCommand.cpp:1802 msgctxt "helpcmd|ClearAllChannelBuffers|desc" msgid "Clear the channel buffers" msgstr "Borrar todos los búfers de canales" -#: ClientCommand.cpp:1788 +#: ClientCommand.cpp:1806 msgctxt "helpcmd|ClearAllQueryBuffers|desc" msgid "Clear the query buffers" msgstr "Borrar todos los búfers de privados" -#: ClientCommand.cpp:1790 +#: ClientCommand.cpp:1808 msgctxt "helpcmd|SetBuffer|args" msgid "<#chan|query> [linecount]" msgstr "<#canal|privado> [lineas]" -#: ClientCommand.cpp:1791 +#: ClientCommand.cpp:1809 msgctxt "helpcmd|SetBuffer|desc" msgid "Set the buffer count" msgstr "Ajusta las líneas de búfer" -#: ClientCommand.cpp:1795 +#: ClientCommand.cpp:1813 msgctxt "helpcmd|SetBindHost|args" msgid "" msgstr "" -#: ClientCommand.cpp:1796 +#: ClientCommand.cpp:1814 msgctxt "helpcmd|SetBindHost|desc" msgid "Set the bind host for this network" msgstr "Define el bind host para esta red" -#: ClientCommand.cpp:1800 +#: ClientCommand.cpp:1818 msgctxt "helpcmd|SetUserBindHost|args" msgid "" msgstr "" -#: ClientCommand.cpp:1801 +#: ClientCommand.cpp:1819 msgctxt "helpcmd|SetUserBindHost|desc" msgid "Set the default bind host for this user" msgstr "Define el bind host predeterminado para este usuario" -#: ClientCommand.cpp:1804 +#: ClientCommand.cpp:1822 msgctxt "helpcmd|ClearBindHost|desc" msgid "Clear the bind host for this network" msgstr "Borrar el bind host para esta red" -#: ClientCommand.cpp:1807 +#: ClientCommand.cpp:1825 msgctxt "helpcmd|ClearUserBindHost|desc" msgid "Clear the default bind host for this user" msgstr "Borrar el bind host predeterminado para este usuario" -#: ClientCommand.cpp:1813 +#: ClientCommand.cpp:1831 msgctxt "helpcmd|ShowBindHost|desc" msgid "Show currently selected bind host" msgstr "Mostrar el bind host seleccionado" -#: ClientCommand.cpp:1815 +#: ClientCommand.cpp:1833 msgctxt "helpcmd|Jump|args" msgid "[server]" msgstr "[servidor]" -#: ClientCommand.cpp:1816 +#: ClientCommand.cpp:1834 msgctxt "helpcmd|Jump|desc" msgid "Jump to the next or the specified server" msgstr "Saltar al siguiente servidor" -#: ClientCommand.cpp:1817 +#: ClientCommand.cpp:1835 msgctxt "helpcmd|Disconnect|args" msgid "[message]" msgstr "[mensaje]" -#: ClientCommand.cpp:1818 +#: ClientCommand.cpp:1836 msgctxt "helpcmd|Disconnect|desc" msgid "Disconnect from IRC" msgstr "Desconectar del IRC" -#: ClientCommand.cpp:1820 +#: ClientCommand.cpp:1838 msgctxt "helpcmd|Connect|desc" msgid "Reconnect to IRC" msgstr "Reconectar al IRC" -#: ClientCommand.cpp:1823 +#: ClientCommand.cpp:1841 msgctxt "helpcmd|Uptime|desc" msgid "Show for how long ZNC has been running" msgstr "Mostrar cuanto tiempo lleva ZNC ejecutándose" -#: ClientCommand.cpp:1827 +#: ClientCommand.cpp:1845 msgctxt "helpcmd|LoadMod|args" msgid "[--type=global|user|network] [args]" msgstr "" -#: ClientCommand.cpp:1829 +#: ClientCommand.cpp:1847 msgctxt "helpcmd|LoadMod|desc" msgid "Load a module" msgstr "Cargar un módulo" -#: ClientCommand.cpp:1831 +#: ClientCommand.cpp:1849 msgctxt "helpcmd|UnloadMod|args" msgid "[--type=global|user|network] " msgstr "[--type=global|user|network] " -#: ClientCommand.cpp:1833 +#: ClientCommand.cpp:1851 msgctxt "helpcmd|UnloadMod|desc" msgid "Unload a module" msgstr "Descargar un módulo" -#: ClientCommand.cpp:1835 +#: ClientCommand.cpp:1853 msgctxt "helpcmd|ReloadMod|args" msgid "[--type=global|user|network] [args]" msgstr "" -#: ClientCommand.cpp:1837 +#: ClientCommand.cpp:1855 msgctxt "helpcmd|ReloadMod|desc" msgid "Reload a module" msgstr "Recargar un módulo" -#: ClientCommand.cpp:1840 +#: ClientCommand.cpp:1858 msgctxt "helpcmd|UpdateMod|args" msgid "" msgstr "" -#: ClientCommand.cpp:1841 +#: ClientCommand.cpp:1859 msgctxt "helpcmd|UpdateMod|desc" msgid "Reload a module everywhere" msgstr "Recargar un módulo en todas partes" -#: ClientCommand.cpp:1847 +#: ClientCommand.cpp:1865 msgctxt "helpcmd|ShowMOTD|desc" msgid "Show ZNC's message of the day" msgstr "Mostrar el mensaje del día de ZNC" -#: ClientCommand.cpp:1851 +#: ClientCommand.cpp:1869 msgctxt "helpcmd|SetMOTD|args" msgid "" msgstr "" -#: ClientCommand.cpp:1852 +#: ClientCommand.cpp:1870 msgctxt "helpcmd|SetMOTD|desc" msgid "Set ZNC's message of the day" msgstr "Definir el mensaje del día de ZNC" -#: ClientCommand.cpp:1854 +#: ClientCommand.cpp:1872 msgctxt "helpcmd|AddMOTD|args" msgid "" msgstr "" -#: ClientCommand.cpp:1855 +#: ClientCommand.cpp:1873 msgctxt "helpcmd|AddMOTD|desc" msgid "Append to ZNC's MOTD" msgstr "Añadir un al MOTD de ZNC" -#: ClientCommand.cpp:1857 +#: ClientCommand.cpp:1875 msgctxt "helpcmd|ClearMOTD|desc" msgid "Clear ZNC's MOTD" msgstr "Borrar el MOTD de ZNC" -#: ClientCommand.cpp:1860 +#: ClientCommand.cpp:1878 msgctxt "helpcmd|ListPorts|desc" msgid "Show all active listeners" msgstr "Mostrar todos los puertos en escucha" -#: ClientCommand.cpp:1862 +#: ClientCommand.cpp:1880 msgctxt "helpcmd|AddPort|args" msgid "<[+]port> [bindhost [uriprefix]]" msgstr "<[+]puerto> [bindhost [prefijouri]]" -#: ClientCommand.cpp:1865 +#: ClientCommand.cpp:1883 msgctxt "helpcmd|AddPort|desc" msgid "Add another port for ZNC to listen on" msgstr "Añadir otro puerto de escucha a ZNC" -#: ClientCommand.cpp:1869 +#: ClientCommand.cpp:1887 msgctxt "helpcmd|DelPort|args" msgid " [bindhost]" msgstr " [bindhost]" -#: ClientCommand.cpp:1870 +#: ClientCommand.cpp:1888 msgctxt "helpcmd|DelPort|desc" msgid "Remove a port from ZNC" msgstr "Eliminar un puerto de ZNC" -#: ClientCommand.cpp:1873 +#: ClientCommand.cpp:1891 msgctxt "helpcmd|Rehash|desc" msgid "Reload global settings, modules, and listeners from znc.conf" msgstr "" "Recargar ajustes globales, módulos, y puertos de escucha desde znc.conf" -#: ClientCommand.cpp:1876 +#: ClientCommand.cpp:1894 msgctxt "helpcmd|SaveConfig|desc" msgid "Save the current settings to disk" msgstr "Guardar la configuración actual en disco" -#: ClientCommand.cpp:1879 +#: ClientCommand.cpp:1897 msgctxt "helpcmd|ListUsers|desc" msgid "List all ZNC users and their connection status" msgstr "Mostrar todos los usuarios de ZNC y su estado de conexión" -#: ClientCommand.cpp:1882 +#: ClientCommand.cpp:1900 msgctxt "helpcmd|ListAllUserNetworks|desc" msgid "List all ZNC users and their networks" msgstr "Mostrar todos los usuarios de ZNC y sus redes" -#: ClientCommand.cpp:1885 +#: ClientCommand.cpp:1903 msgctxt "helpcmd|ListChans|args" msgid "[user ]" msgstr "[usuario ]" -#: ClientCommand.cpp:1888 +#: ClientCommand.cpp:1906 msgctxt "helpcmd|ListClients|args" msgid "[user]" msgstr "[usuario]" -#: ClientCommand.cpp:1889 +#: ClientCommand.cpp:1907 msgctxt "helpcmd|ListClients|desc" msgid "List all connected clients" msgstr "Mostrar todos los clientes conectados" -#: ClientCommand.cpp:1891 +#: ClientCommand.cpp:1909 msgctxt "helpcmd|Traffic|desc" msgid "Show basic traffic stats for all ZNC users" msgstr "Mostrar estadísticas de tráfico de todos los usuarios de ZNC" -#: ClientCommand.cpp:1893 +#: ClientCommand.cpp:1911 msgctxt "helpcmd|Broadcast|args" msgid "[message]" msgstr "[mensaje]" -#: ClientCommand.cpp:1894 +#: ClientCommand.cpp:1912 msgctxt "helpcmd|Broadcast|desc" msgid "Broadcast a message to all ZNC users" msgstr "Difundir un mensaje a todos los usuarios de ZNC" -#: ClientCommand.cpp:1897 +#: ClientCommand.cpp:1915 msgctxt "helpcmd|Shutdown|args" msgid "[message]" msgstr "[mensaje]" -#: ClientCommand.cpp:1898 +#: ClientCommand.cpp:1916 msgctxt "helpcmd|Shutdown|desc" msgid "Shut down ZNC completely" msgstr "Cerrar ZNC completamente" -#: ClientCommand.cpp:1899 +#: ClientCommand.cpp:1917 msgctxt "helpcmd|Restart|args" msgid "[message]" msgstr "[mensaje]" -#: ClientCommand.cpp:1900 +#: ClientCommand.cpp:1918 msgctxt "helpcmd|Restart|desc" msgid "Restart ZNC" msgstr "Reiniciar ZNC" diff --git a/src/po/znc.fr_FR.po b/src/po/znc.fr_FR.po index 0186b2a6..ee345c59 100644 --- a/src/po/znc.fr_FR.po +++ b/src/po/znc.fr_FR.po @@ -75,7 +75,7 @@ msgstr "Impossible de trouver le fichier pem : {1}" msgid "Invalid port" msgstr "Port invalide" -#: znc.cpp:1821 ClientCommand.cpp:1637 +#: znc.cpp:1821 ClientCommand.cpp:1655 msgid "Unable to bind: {1}" msgstr "Impossible d'utiliser le port : {1}" @@ -269,6 +269,7 @@ msgid "Usage: /attach <#chans>" msgstr "Utilisation : /attach <#salons>" #: Client.cpp:1344 Client.cpp:1366 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: ClientCommand.cpp:423 ClientCommand.cpp:450 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" msgstr[0] "Il y avait {1} salon correspondant [{2}]" @@ -308,7 +309,7 @@ msgctxt "modhelpcmd" msgid "Generate this output" msgstr "Générer cette sortie" -#: Modules.cpp:573 ClientCommand.cpp:1904 +#: Modules.cpp:573 ClientCommand.cpp:1922 msgid "No matches for '{1}'" msgstr "Aucune correspondance pour '{1}'" @@ -419,11 +420,12 @@ msgid "Description" msgstr "Description" #: ClientCommand.cpp:51 ClientCommand.cpp:115 ClientCommand.cpp:137 -#: ClientCommand.cpp:749 ClientCommand.cpp:768 ClientCommand.cpp:794 -#: ClientCommand.cpp:827 ClientCommand.cpp:840 ClientCommand.cpp:853 -#: ClientCommand.cpp:868 ClientCommand.cpp:1329 ClientCommand.cpp:1377 -#: ClientCommand.cpp:1409 ClientCommand.cpp:1420 ClientCommand.cpp:1429 -#: ClientCommand.cpp:1441 +#: ClientCommand.cpp:339 ClientCommand.cpp:390 ClientCommand.cpp:405 +#: ClientCommand.cpp:432 ClientCommand.cpp:459 ClientCommand.cpp:764 +#: ClientCommand.cpp:783 ClientCommand.cpp:809 ClientCommand.cpp:843 +#: ClientCommand.cpp:856 ClientCommand.cpp:869 ClientCommand.cpp:884 +#: ClientCommand.cpp:1345 ClientCommand.cpp:1393 ClientCommand.cpp:1425 +#: ClientCommand.cpp:1436 ClientCommand.cpp:1445 ClientCommand.cpp:1457 msgid "You must be connected with a network to use this command" msgstr "Vous devez être connecté à un réseau pour utiliser cette commande" @@ -483,87 +485,248 @@ msgstr "La configuration a été écrite dans {1}" msgid "Error while trying to write config." msgstr "Erreur lors de la sauvegarde de la configuration." -#: ClientCommand.cpp:455 +#: ClientCommand.cpp:183 +msgid "Usage: ListClients" +msgstr "" + +#: ClientCommand.cpp:190 +msgid "No such user: {1}" +msgstr "" + +#: ClientCommand.cpp:198 +msgid "No clients are connected" +msgstr "" + +#: ClientCommand.cpp:203 ClientCommand.cpp:209 +msgctxt "listclientscmd" +msgid "Host" +msgstr "" + +#: ClientCommand.cpp:204 ClientCommand.cpp:212 +msgctxt "listclientscmd" +msgid "Network" +msgstr "" + +#: ClientCommand.cpp:205 ClientCommand.cpp:215 +msgctxt "listclientscmd" +msgid "Identifier" +msgstr "" + +#: ClientCommand.cpp:223 ClientCommand.cpp:229 +msgctxt "listuserscmd" +msgid "Username" +msgstr "" + +#: ClientCommand.cpp:224 ClientCommand.cpp:230 +msgctxt "listuserscmd" +msgid "Networks" +msgstr "" + +#: ClientCommand.cpp:225 ClientCommand.cpp:232 +msgctxt "listuserscmd" +msgid "Clients" +msgstr "" + +#: ClientCommand.cpp:240 ClientCommand.cpp:250 ClientCommand.cpp:260 +#: ClientCommand.cpp:263 +msgctxt "listallusernetworkscmd" +msgid "Username" +msgstr "" + +#: ClientCommand.cpp:241 ClientCommand.cpp:251 ClientCommand.cpp:266 +msgctxt "listallusernetworkscmd" +msgid "Network" +msgstr "" + +#: ClientCommand.cpp:242 ClientCommand.cpp:252 ClientCommand.cpp:268 +msgctxt "listallusernetworkscmd" +msgid "Clients" +msgstr "" + +#: ClientCommand.cpp:243 ClientCommand.cpp:271 ClientCommand.cpp:280 +msgctxt "listallusernetworkscmd" +msgid "On IRC" +msgstr "" + +#: ClientCommand.cpp:244 ClientCommand.cpp:273 +msgctxt "listallusernetworkscmd" +msgid "IRC Server" +msgstr "" + +#: ClientCommand.cpp:245 ClientCommand.cpp:275 +msgctxt "listallusernetworkscmd" +msgid "IRC User" +msgstr "" + +#: ClientCommand.cpp:246 ClientCommand.cpp:277 +msgctxt "listallusernetworkscmd" +msgid "Channels" +msgstr "" + +#: ClientCommand.cpp:251 +msgid "N/A" +msgstr "" + +#: ClientCommand.cpp:272 +msgctxt "listallusernetworkscmd" +msgid "Yes" +msgstr "" + +#: ClientCommand.cpp:281 +msgctxt "listallusernetworkscmd" +msgid "No" +msgstr "" + +#: ClientCommand.cpp:291 +msgid "Usage: SetMOTD " +msgstr "" + +#: ClientCommand.cpp:294 +msgid "MOTD set to: {1}" +msgstr "" + +#: ClientCommand.cpp:300 +msgid "Usage: AddMOTD " +msgstr "" + +#: ClientCommand.cpp:303 +msgid "Added [{1}] to MOTD" +msgstr "" + +#: ClientCommand.cpp:307 +msgid "Cleared MOTD" +msgstr "" + +#: ClientCommand.cpp:329 +msgid "" +"ERROR: Writing config file to disk failed! Aborting. Use {1} FORCE to ignore." +msgstr "" + +#: ClientCommand.cpp:344 ClientCommand.cpp:797 ClientCommand.cpp:838 +msgid "You don't have any servers added." +msgstr "Vous n'avez aucun serveur." + +#: ClientCommand.cpp:355 +msgid "Server [{1}] not found" +msgstr "" + +#: ClientCommand.cpp:375 ClientCommand.cpp:380 +msgid "Connecting to {1}..." +msgstr "" + +#: ClientCommand.cpp:377 +msgid "Jumping to the next server in the list..." +msgstr "" + +#: ClientCommand.cpp:382 +msgid "Connecting..." +msgstr "" + +#: ClientCommand.cpp:400 +msgid "Disconnected from IRC. Use 'connect' to reconnect." +msgstr "" + +#: ClientCommand.cpp:412 +msgid "Usage: EnableChan <#chans>" +msgstr "" + +#: ClientCommand.cpp:426 +msgid "Enabled {1} channel" +msgid_plural "Enabled {1} channels" +msgstr[0] "" +msgstr[1] "" + +#: ClientCommand.cpp:439 +msgid "Usage: DisableChan <#chans>" +msgstr "" + +#: ClientCommand.cpp:453 +msgid "Disabled {1} channel" +msgid_plural "Disabled {1} channels" +msgstr[0] "" +msgstr[1] "" + +#: ClientCommand.cpp:470 msgid "Usage: ListChans" msgstr "Utilisation : ListChans" -#: ClientCommand.cpp:462 +#: ClientCommand.cpp:477 msgid "No such user [{1}]" msgstr "L'utilisateur [{1}] n'existe pas" -#: ClientCommand.cpp:468 +#: ClientCommand.cpp:483 msgid "User [{1}] doesn't have network [{2}]" msgstr "L'utilisateur [{1}] n'a pas de réseau [{2}]" -#: ClientCommand.cpp:479 +#: ClientCommand.cpp:494 msgid "There are no channels defined." msgstr "Aucun salon n'a été configuré." -#: ClientCommand.cpp:484 ClientCommand.cpp:500 +#: ClientCommand.cpp:499 ClientCommand.cpp:515 msgctxt "listchans" msgid "Name" msgstr "Nom" -#: ClientCommand.cpp:485 ClientCommand.cpp:503 +#: ClientCommand.cpp:500 ClientCommand.cpp:518 msgctxt "listchans" msgid "Status" msgstr "Statut" -#: ClientCommand.cpp:486 ClientCommand.cpp:510 +#: ClientCommand.cpp:501 ClientCommand.cpp:525 msgctxt "listchans" msgid "In config" msgstr "Configuré" -#: ClientCommand.cpp:487 ClientCommand.cpp:512 +#: ClientCommand.cpp:502 ClientCommand.cpp:527 msgctxt "listchans" msgid "Buffer" msgstr "Tampon" -#: ClientCommand.cpp:488 ClientCommand.cpp:516 +#: ClientCommand.cpp:503 ClientCommand.cpp:531 msgctxt "listchans" msgid "Clear" msgstr "Vider" -#: ClientCommand.cpp:489 ClientCommand.cpp:521 +#: ClientCommand.cpp:504 ClientCommand.cpp:536 msgctxt "listchans" msgid "Modes" msgstr "Modes" -#: ClientCommand.cpp:490 ClientCommand.cpp:522 +#: ClientCommand.cpp:505 ClientCommand.cpp:537 msgctxt "listchans" msgid "Users" msgstr "Utilisateurs" -#: ClientCommand.cpp:505 +#: ClientCommand.cpp:520 msgctxt "listchans" msgid "Detached" msgstr "Détaché" -#: ClientCommand.cpp:506 +#: ClientCommand.cpp:521 msgctxt "listchans" msgid "Joined" msgstr "Rejoint" -#: ClientCommand.cpp:507 +#: ClientCommand.cpp:522 msgctxt "listchans" msgid "Disabled" msgstr "Désactivé" -#: ClientCommand.cpp:508 +#: ClientCommand.cpp:523 msgctxt "listchans" msgid "Trying" msgstr "Essai" -#: ClientCommand.cpp:511 ClientCommand.cpp:519 +#: ClientCommand.cpp:526 ClientCommand.cpp:534 msgctxt "listchans" msgid "yes" msgstr "oui" -#: ClientCommand.cpp:536 +#: ClientCommand.cpp:551 msgid "Total: {1}, Joined: {2}, Detached: {3}, Disabled: {4}" msgstr "Total : {1}, Rejoint : {2}, Détaché : {3}, Désactivé : {4}" -#: ClientCommand.cpp:541 +#: ClientCommand.cpp:556 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks using /znc DelNetwork " @@ -572,15 +735,15 @@ msgstr "" "augmenter cette limite ou supprimez des réseaux obsolètes avec /znc " "DelNetwork " -#: ClientCommand.cpp:550 +#: ClientCommand.cpp:565 msgid "Usage: AddNetwork " msgstr "Utilisation : AddNetwork " -#: ClientCommand.cpp:554 +#: ClientCommand.cpp:569 msgid "Network name should be alphanumeric" msgstr "Le nom du réseau ne doit contenir que des caractères alphanumériques" -#: ClientCommand.cpp:561 +#: ClientCommand.cpp:576 msgid "" "Network added. Use /znc JumpNetwork {1}, or connect to ZNC with username {2} " "(instead of just {3}) to connect to it." @@ -588,140 +751,140 @@ msgstr "" "Réseau ajouté. Utilisez /znc JumpNetwork {1} ou connectez-vous à ZNC avec " "l'identifiant {2} (au lieu de {3}) pour vous y connecter." -#: ClientCommand.cpp:566 +#: ClientCommand.cpp:581 msgid "Unable to add that network" msgstr "Ce réseau n'a pas pu être ajouté" -#: ClientCommand.cpp:573 +#: ClientCommand.cpp:588 msgid "Usage: DelNetwork " msgstr "Utilisation : DelNetwork " -#: ClientCommand.cpp:582 +#: ClientCommand.cpp:597 msgid "Network deleted" msgstr "Réseau supprimé" -#: ClientCommand.cpp:585 +#: ClientCommand.cpp:600 msgid "Failed to delete network, perhaps this network doesn't exist" msgstr "Le réseau n'a pas pu être supprimé, peut-être qu'il n'existe pas" -#: ClientCommand.cpp:595 +#: ClientCommand.cpp:610 msgid "User {1} not found" msgstr "L'utilisateur {1} n'a pas été trouvé" -#: ClientCommand.cpp:603 ClientCommand.cpp:611 +#: ClientCommand.cpp:618 ClientCommand.cpp:626 msgctxt "listnetworks" msgid "Network" msgstr "Réseau" -#: ClientCommand.cpp:604 ClientCommand.cpp:613 ClientCommand.cpp:622 +#: ClientCommand.cpp:619 ClientCommand.cpp:628 ClientCommand.cpp:637 msgctxt "listnetworks" msgid "On IRC" msgstr "Sur IRC" -#: ClientCommand.cpp:605 ClientCommand.cpp:615 +#: ClientCommand.cpp:620 ClientCommand.cpp:630 msgctxt "listnetworks" msgid "IRC Server" msgstr "Serveur IRC" -#: ClientCommand.cpp:606 ClientCommand.cpp:617 +#: ClientCommand.cpp:621 ClientCommand.cpp:632 msgctxt "listnetworks" msgid "IRC User" msgstr "Utilisateur IRC" -#: ClientCommand.cpp:607 ClientCommand.cpp:619 +#: ClientCommand.cpp:622 ClientCommand.cpp:634 msgctxt "listnetworks" msgid "Channels" msgstr "Salons" -#: ClientCommand.cpp:614 +#: ClientCommand.cpp:629 msgctxt "listnetworks" msgid "Yes" msgstr "Oui" -#: ClientCommand.cpp:623 +#: ClientCommand.cpp:638 msgctxt "listnetworks" msgid "No" msgstr "Non" -#: ClientCommand.cpp:628 +#: ClientCommand.cpp:643 msgctxt "listnetworks" msgid "No networks" msgstr "Aucun réseau" -#: ClientCommand.cpp:632 ClientCommand.cpp:936 +#: ClientCommand.cpp:647 ClientCommand.cpp:952 msgid "Access denied." msgstr "Accès refusé." -#: ClientCommand.cpp:643 +#: ClientCommand.cpp:658 msgid "Usage: MoveNetwork [new network]" msgstr "" "Utilisation : MoveNetwork [nouveau réseau]" -#: ClientCommand.cpp:653 +#: ClientCommand.cpp:668 msgid "Old user {1} not found." msgstr "L'ancien utilisateur {1} n'a pas été trouvé." -#: ClientCommand.cpp:659 +#: ClientCommand.cpp:674 msgid "Old network {1} not found." msgstr "L'ancien réseau {1} n'a pas été trouvé." -#: ClientCommand.cpp:665 +#: ClientCommand.cpp:680 msgid "New user {1} not found." msgstr "Le nouvel utilisateur {1} n'a pas été trouvé." -#: ClientCommand.cpp:670 +#: ClientCommand.cpp:685 msgid "User {1} already has network {2}." msgstr "L'utilisateur {1} possède déjà le réseau {2}." -#: ClientCommand.cpp:676 +#: ClientCommand.cpp:691 msgid "Invalid network name [{1}]" msgstr "Le nom de réseau [{1}] est invalide" -#: ClientCommand.cpp:692 +#: ClientCommand.cpp:707 msgid "Some files seem to be in {1}. You might want to move them to {2}" msgstr "" "Certains fichiers semblent être dans {1}. Vous pouvez les déplacer dans {2}" -#: ClientCommand.cpp:706 +#: ClientCommand.cpp:721 msgid "Error adding network: {1}" msgstr "Erreur lors de l'ajout du réseau : {1}" -#: ClientCommand.cpp:718 +#: ClientCommand.cpp:733 msgid "Success." msgstr "Succès." -#: ClientCommand.cpp:721 +#: ClientCommand.cpp:736 msgid "Copied the network to new user, but failed to delete old network" msgstr "" "Le réseau a bien été copié vers le nouvel utilisateur, mais l'ancien réseau " "n'a pas pu être supprimé" -#: ClientCommand.cpp:728 +#: ClientCommand.cpp:743 msgid "No network supplied." msgstr "Aucun réseau spécifié." -#: ClientCommand.cpp:733 +#: ClientCommand.cpp:748 msgid "You are already connected with this network." msgstr "Vous êtes déjà connecté à ce réseau." -#: ClientCommand.cpp:739 +#: ClientCommand.cpp:754 msgid "Switched to {1}" msgstr "Migration vers {1}" -#: ClientCommand.cpp:742 +#: ClientCommand.cpp:757 msgid "You don't have a network named {1}" msgstr "Vous n'avez aucun réseau nommé {1}" -#: ClientCommand.cpp:754 +#: ClientCommand.cpp:769 msgid "Usage: AddServer [[+]port] [pass]" msgstr "Utilisation : AddServer [[+]port] [pass]" -#: ClientCommand.cpp:759 +#: ClientCommand.cpp:774 msgid "Server added" msgstr "Serveur ajouté" -#: ClientCommand.cpp:762 +#: ClientCommand.cpp:777 msgid "" "Unable to add that server. Perhaps the server is already added or openssl is " "disabled?" @@ -729,243 +892,239 @@ msgstr "" "Impossible d'ajouter ce serveur. Peut-être ce serveur existe déjà ou SSL est " "désactivé ?" -#: ClientCommand.cpp:777 +#: ClientCommand.cpp:792 msgid "Usage: DelServer [port] [pass]" msgstr "Utilisation : DelServer [port] [pass]" -#: ClientCommand.cpp:782 ClientCommand.cpp:822 -msgid "You don't have any servers added." -msgstr "Vous n'avez aucun serveur." - -#: ClientCommand.cpp:787 +#: ClientCommand.cpp:802 msgid "Server removed" msgstr "Serveur supprimé" -#: ClientCommand.cpp:789 +#: ClientCommand.cpp:804 msgid "No such server" msgstr "Ce serveur n'existe pas" -#: ClientCommand.cpp:802 ClientCommand.cpp:809 +#: ClientCommand.cpp:817 ClientCommand.cpp:825 msgctxt "listservers" msgid "Host" msgstr "Hôte" -#: ClientCommand.cpp:803 ClientCommand.cpp:811 +#: ClientCommand.cpp:818 ClientCommand.cpp:827 msgctxt "listservers" msgid "Port" msgstr "Port" -#: ClientCommand.cpp:804 ClientCommand.cpp:814 +#: ClientCommand.cpp:819 ClientCommand.cpp:830 msgctxt "listservers" msgid "SSL" msgstr "SSL" -#: ClientCommand.cpp:805 ClientCommand.cpp:816 +#: ClientCommand.cpp:820 ClientCommand.cpp:832 msgctxt "listservers" msgid "Password" msgstr "Mot de passe" -#: ClientCommand.cpp:815 +#: ClientCommand.cpp:831 msgctxt "listservers|cell" msgid "SSL" msgstr "SSL" -#: ClientCommand.cpp:832 +#: ClientCommand.cpp:848 msgid "Usage: AddTrustedServerFingerprint " msgstr "Utilisation : AddTrustedServerFingerprint " -#: ClientCommand.cpp:836 ClientCommand.cpp:849 +#: ClientCommand.cpp:852 ClientCommand.cpp:865 msgid "Done." msgstr "Fait." -#: ClientCommand.cpp:845 +#: ClientCommand.cpp:861 msgid "Usage: DelTrustedServerFingerprint " msgstr "Utilisation : DelTrustedServerFingerprint " -#: ClientCommand.cpp:858 +#: ClientCommand.cpp:874 msgid "No fingerprints added." msgstr "Aucune empreinte ajoutée." -#: ClientCommand.cpp:874 ClientCommand.cpp:880 +#: ClientCommand.cpp:890 ClientCommand.cpp:896 msgctxt "topicscmd" msgid "Channel" msgstr "Salon" -#: ClientCommand.cpp:875 ClientCommand.cpp:881 +#: ClientCommand.cpp:891 ClientCommand.cpp:897 msgctxt "topicscmd" msgid "Set By" msgstr "Défini par" -#: ClientCommand.cpp:876 ClientCommand.cpp:882 +#: ClientCommand.cpp:892 ClientCommand.cpp:898 msgctxt "topicscmd" msgid "Topic" msgstr "Sujet" -#: ClientCommand.cpp:889 ClientCommand.cpp:894 +#: ClientCommand.cpp:905 ClientCommand.cpp:910 msgctxt "listmods" msgid "Name" msgstr "Nom" -#: ClientCommand.cpp:890 ClientCommand.cpp:895 +#: ClientCommand.cpp:906 ClientCommand.cpp:911 msgctxt "listmods" msgid "Arguments" msgstr "Arguments" -#: ClientCommand.cpp:904 +#: ClientCommand.cpp:920 msgid "No global modules loaded." msgstr "Aucun module global chargé." -#: ClientCommand.cpp:906 ClientCommand.cpp:970 +#: ClientCommand.cpp:922 ClientCommand.cpp:986 msgid "Global modules:" msgstr "Module globaux :" -#: ClientCommand.cpp:915 +#: ClientCommand.cpp:931 msgid "Your user has no modules loaded." msgstr "Votre utilisateur n'a chargé aucun module." -#: ClientCommand.cpp:917 ClientCommand.cpp:982 +#: ClientCommand.cpp:933 ClientCommand.cpp:998 msgid "User modules:" msgstr "Modules utilisateur :" -#: ClientCommand.cpp:925 +#: ClientCommand.cpp:941 msgid "This network has no modules loaded." msgstr "Ce réseau n'a chargé aucun module." -#: ClientCommand.cpp:927 ClientCommand.cpp:994 +#: ClientCommand.cpp:943 ClientCommand.cpp:1010 msgid "Network modules:" msgstr "Modules de réseau :" -#: ClientCommand.cpp:942 ClientCommand.cpp:949 +#: ClientCommand.cpp:958 ClientCommand.cpp:965 msgctxt "listavailmods" msgid "Name" msgstr "Nom" -#: ClientCommand.cpp:943 ClientCommand.cpp:954 +#: ClientCommand.cpp:959 ClientCommand.cpp:970 msgctxt "listavailmods" msgid "Description" msgstr "Description" -#: ClientCommand.cpp:968 +#: ClientCommand.cpp:984 msgid "No global modules available." msgstr "Aucun module global disponible." -#: ClientCommand.cpp:980 +#: ClientCommand.cpp:996 msgid "No user modules available." msgstr "Aucun module utilisateur disponible." -#: ClientCommand.cpp:992 +#: ClientCommand.cpp:1008 msgid "No network modules available." msgstr "Aucun module de réseau disponible." -#: ClientCommand.cpp:1020 +#: ClientCommand.cpp:1036 msgid "Unable to load {1}: Access denied." msgstr "Impossible de charger {1} : accès refusé." -#: ClientCommand.cpp:1026 +#: ClientCommand.cpp:1042 msgid "Usage: LoadMod [--type=global|user|network] [args]" msgstr "Utilisation : LoadMod [--type=global|user|network] [args]" -#: ClientCommand.cpp:1033 +#: ClientCommand.cpp:1049 msgid "Unable to load {1}: {2}" msgstr "Impossible de charger {1} : {2}" -#: ClientCommand.cpp:1043 +#: ClientCommand.cpp:1059 msgid "Unable to load global module {1}: Access denied." msgstr "Impossible de charger le module global {1} : accès refusé." -#: ClientCommand.cpp:1049 +#: ClientCommand.cpp:1065 msgid "Unable to load network module {1}: Not connected with a network." msgstr "" "Impossible de chargé le module de réseau {1} : aucune connexion à un réseau." -#: ClientCommand.cpp:1071 +#: ClientCommand.cpp:1087 msgid "Unknown module type" msgstr "Type de module inconnu" -#: ClientCommand.cpp:1076 +#: ClientCommand.cpp:1092 msgid "Loaded module {1}" msgstr "Le module {1} a été chargé" -#: ClientCommand.cpp:1078 +#: ClientCommand.cpp:1094 msgid "Loaded module {1}: {2}" msgstr "Le module {1} a été chargé : {2}" -#: ClientCommand.cpp:1081 +#: ClientCommand.cpp:1097 msgid "Unable to load module {1}: {2}" msgstr "Impossible de charger le module {1} : {2}" -#: ClientCommand.cpp:1104 +#: ClientCommand.cpp:1120 msgid "Unable to unload {1}: Access denied." msgstr "Impossible de décharger {1} : accès refusé." -#: ClientCommand.cpp:1110 +#: ClientCommand.cpp:1126 msgid "Usage: UnloadMod [--type=global|user|network] " msgstr "Utilisation : UnloadMod [--type=global|user|network] " -#: ClientCommand.cpp:1119 +#: ClientCommand.cpp:1135 msgid "Unable to determine type of {1}: {2}" msgstr "Impossible de déterminer le type de {1} : {2}" -#: ClientCommand.cpp:1127 +#: ClientCommand.cpp:1143 msgid "Unable to unload global module {1}: Access denied." msgstr "Impossible de décharger le module global {1} : accès refusé." -#: ClientCommand.cpp:1134 +#: ClientCommand.cpp:1150 msgid "Unable to unload network module {1}: Not connected with a network." msgstr "" "Impossible de décharger le module de réseau {1} : aucune connexion à un " "réseau." -#: ClientCommand.cpp:1153 +#: ClientCommand.cpp:1169 msgid "Unable to unload module {1}: Unknown module type" msgstr "Impossible de décharger le module {1} : type de module inconnu" -#: ClientCommand.cpp:1166 +#: ClientCommand.cpp:1182 msgid "Unable to reload modules. Access denied." msgstr "Impossible de recharger les modules : accès refusé." -#: ClientCommand.cpp:1187 +#: ClientCommand.cpp:1203 msgid "Usage: ReloadMod [--type=global|user|network] [args]" msgstr "Utilisation : ReloadMod [--type=global|user|network] [args]" -#: ClientCommand.cpp:1196 +#: ClientCommand.cpp:1212 msgid "Unable to reload {1}: {2}" msgstr "Impossible de recharger {1} : {2}" -#: ClientCommand.cpp:1204 +#: ClientCommand.cpp:1220 msgid "Unable to reload global module {1}: Access denied." msgstr "Impossible de recharger le module global {1} : accès refusé." -#: ClientCommand.cpp:1211 +#: ClientCommand.cpp:1227 msgid "Unable to reload network module {1}: Not connected with a network." msgstr "" "Impossible de recharger le module de réseau {1} : vous n'êtes pas connecté à " "un réseau." -#: ClientCommand.cpp:1233 +#: ClientCommand.cpp:1249 msgid "Unable to reload module {1}: Unknown module type" msgstr "Impossible de recharger le module {1} : type de module inconnu" -#: ClientCommand.cpp:1244 +#: ClientCommand.cpp:1260 msgid "Usage: UpdateMod " msgstr "Utilisation : UpdateMod " -#: ClientCommand.cpp:1248 +#: ClientCommand.cpp:1264 msgid "Reloading {1} everywhere" msgstr "Rechargement de {1} partout" -#: ClientCommand.cpp:1250 +#: ClientCommand.cpp:1266 msgid "Done" msgstr "Fait" -#: ClientCommand.cpp:1253 +#: ClientCommand.cpp:1269 msgid "" "Done, but there were errors, module {1} could not be reloaded everywhere." msgstr "" "Fait, mais des erreurs ont eu lieu, le module {1} n'a pas pu être rechargé " "partout." -#: ClientCommand.cpp:1261 +#: ClientCommand.cpp:1277 msgid "" "You must be connected with a network to use this command. Try " "SetUserBindHost instead" @@ -973,27 +1132,27 @@ msgstr "" "Vous devez être connecté à un réseau pour utiliser cette commande. Essayez " "SetUserBindHost à la place" -#: ClientCommand.cpp:1268 +#: ClientCommand.cpp:1284 msgid "Usage: SetBindHost " msgstr "Utilisation : SetBindHost " -#: ClientCommand.cpp:1273 ClientCommand.cpp:1290 +#: ClientCommand.cpp:1289 ClientCommand.cpp:1306 msgid "You already have this bind host!" msgstr "Vous êtes déjà lié à cet hôte !" -#: ClientCommand.cpp:1278 +#: ClientCommand.cpp:1294 msgid "Set bind host for network {1} to {2}" msgstr "Lie l'hôte {2} au réseau {1}" -#: ClientCommand.cpp:1285 +#: ClientCommand.cpp:1301 msgid "Usage: SetUserBindHost " msgstr "Utilisation : SetUserBindHost " -#: ClientCommand.cpp:1295 +#: ClientCommand.cpp:1311 msgid "Set default bind host to {1}" msgstr "Définit l'hôte par défaut à {1}" -#: ClientCommand.cpp:1301 +#: ClientCommand.cpp:1317 msgid "" "You must be connected with a network to use this command. Try " "ClearUserBindHost instead" @@ -1001,258 +1160,258 @@ msgstr "" "Vous devez être connecté à un réseau pour utiliser cette commande. Essayez " "ClearUserBindHost à la place" -#: ClientCommand.cpp:1306 +#: ClientCommand.cpp:1322 msgid "Bind host cleared for this network." msgstr "L'hôte lié à ce réseau a été supprimé." -#: ClientCommand.cpp:1310 +#: ClientCommand.cpp:1326 msgid "Default bind host cleared for your user." msgstr "L'hôte lié par défaut a été supprimé pour votre utilisateur." -#: ClientCommand.cpp:1313 +#: ClientCommand.cpp:1329 msgid "This user's default bind host not set" msgstr "L'hôte lié par défaut pour cet utilisateur n'a pas été configuré" -#: ClientCommand.cpp:1315 +#: ClientCommand.cpp:1331 msgid "This user's default bind host is {1}" msgstr "L'hôte lié par défaut pour cet utilisateur est {1}" -#: ClientCommand.cpp:1320 +#: ClientCommand.cpp:1336 msgid "This network's bind host not set" msgstr "L'hôte lié pour ce réseau n'est pas défini" -#: ClientCommand.cpp:1322 +#: ClientCommand.cpp:1338 msgid "This network's default bind host is {1}" msgstr "L'hôte lié par défaut pour ce réseau est {1}" -#: ClientCommand.cpp:1336 +#: ClientCommand.cpp:1352 msgid "Usage: PlayBuffer <#chan|query>" msgstr "Utilisation : PlayBuffer <#salon|privé>" -#: ClientCommand.cpp:1344 +#: ClientCommand.cpp:1360 msgid "You are not on {1}" msgstr "Vous n'êtes pas sur {1}" -#: ClientCommand.cpp:1349 +#: ClientCommand.cpp:1365 msgid "You are not on {1} (trying to join)" msgstr "Vous n'êtes pas sur {1} (en cours de connexion)" -#: ClientCommand.cpp:1354 +#: ClientCommand.cpp:1370 msgid "The buffer for channel {1} is empty" msgstr "Le tampon du salon {1} est vide" -#: ClientCommand.cpp:1363 +#: ClientCommand.cpp:1379 msgid "No active query with {1}" msgstr "Aucune session privée avec {1}" -#: ClientCommand.cpp:1368 +#: ClientCommand.cpp:1384 msgid "The buffer for {1} is empty" msgstr "Le tampon pour {1} est vide" -#: ClientCommand.cpp:1384 +#: ClientCommand.cpp:1400 msgid "Usage: ClearBuffer <#chan|query>" msgstr "Utilisation : ClearBuffer <#salon|privé>" -#: ClientCommand.cpp:1403 +#: ClientCommand.cpp:1419 msgid "{1} buffer matching {2} has been cleared" msgid_plural "{1} buffers matching {2} have been cleared" msgstr[0] "Le tampon {1} correspondant à {2} a été vidé" msgstr[1] "Les tampons {1} correspondant à {2} ont été vidés" -#: ClientCommand.cpp:1416 +#: ClientCommand.cpp:1432 msgid "All channel buffers have been cleared" msgstr "Les tampons de tous les salons ont été vidés" -#: ClientCommand.cpp:1425 +#: ClientCommand.cpp:1441 msgid "All query buffers have been cleared" msgstr "Les tampons de toutes les sessions privées ont été vidés" -#: ClientCommand.cpp:1437 +#: ClientCommand.cpp:1453 msgid "All buffers have been cleared" msgstr "Tous les tampons ont été vidés" -#: ClientCommand.cpp:1448 +#: ClientCommand.cpp:1464 msgid "Usage: SetBuffer <#chan|query> [linecount]" msgstr "Utilisation : SetBuffer <#salon|privé> [lignes]" -#: ClientCommand.cpp:1469 +#: ClientCommand.cpp:1485 msgid "Setting buffer size failed for {1} buffer" msgid_plural "Setting buffer size failed for {1} buffers" msgstr[0] "La configuration de la taille du tampon a échoué pour {1}" msgstr[1] "La configuration de la taille du tampon a échoué pour {1}" -#: ClientCommand.cpp:1472 +#: ClientCommand.cpp:1488 msgid "Maximum buffer size is {1} line" msgid_plural "Maximum buffer size is {1} lines" msgstr[0] "La taille maximale du tampon est de {1} ligne" msgstr[1] "La taille maximale du tampon est de {1} lignes" -#: ClientCommand.cpp:1477 +#: ClientCommand.cpp:1493 msgid "Size of every buffer was set to {1} line" msgid_plural "Size of every buffer was set to {1} lines" msgstr[0] "La taille de tous les tampons a été définie à {1} ligne" msgstr[1] "La taille de tous les tampons a été définie à {1} lignes" -#: ClientCommand.cpp:1487 ClientCommand.cpp:1494 ClientCommand.cpp:1505 -#: ClientCommand.cpp:1514 ClientCommand.cpp:1522 +#: ClientCommand.cpp:1503 ClientCommand.cpp:1510 ClientCommand.cpp:1521 +#: ClientCommand.cpp:1530 ClientCommand.cpp:1538 msgctxt "trafficcmd" msgid "Username" msgstr "Nom d'utilisateur" -#: ClientCommand.cpp:1488 ClientCommand.cpp:1495 ClientCommand.cpp:1507 -#: ClientCommand.cpp:1516 ClientCommand.cpp:1524 +#: ClientCommand.cpp:1504 ClientCommand.cpp:1511 ClientCommand.cpp:1523 +#: ClientCommand.cpp:1532 ClientCommand.cpp:1540 msgctxt "trafficcmd" msgid "In" msgstr "Entrée" -#: ClientCommand.cpp:1489 ClientCommand.cpp:1497 ClientCommand.cpp:1508 -#: ClientCommand.cpp:1517 ClientCommand.cpp:1525 +#: ClientCommand.cpp:1505 ClientCommand.cpp:1513 ClientCommand.cpp:1524 +#: ClientCommand.cpp:1533 ClientCommand.cpp:1541 msgctxt "trafficcmd" msgid "Out" msgstr "Sortie" -#: ClientCommand.cpp:1490 ClientCommand.cpp:1500 ClientCommand.cpp:1510 -#: ClientCommand.cpp:1518 ClientCommand.cpp:1527 +#: ClientCommand.cpp:1506 ClientCommand.cpp:1516 ClientCommand.cpp:1526 +#: ClientCommand.cpp:1534 ClientCommand.cpp:1543 msgctxt "trafficcmd" msgid "Total" msgstr "Total" -#: ClientCommand.cpp:1506 +#: ClientCommand.cpp:1522 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1515 +#: ClientCommand.cpp:1531 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1523 +#: ClientCommand.cpp:1539 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1532 +#: ClientCommand.cpp:1548 msgid "Running for {1}" msgstr "Actif pour {1}" -#: ClientCommand.cpp:1538 +#: ClientCommand.cpp:1554 msgid "Unknown command, try 'Help'" msgstr "Commande inconnue, essayez 'Help'" -#: ClientCommand.cpp:1547 ClientCommand.cpp:1558 +#: ClientCommand.cpp:1563 ClientCommand.cpp:1574 msgctxt "listports" msgid "Port" msgstr "Port" -#: ClientCommand.cpp:1548 ClientCommand.cpp:1559 +#: ClientCommand.cpp:1564 ClientCommand.cpp:1577 msgctxt "listports" msgid "BindHost" msgstr "BindHost" -#: ClientCommand.cpp:1549 ClientCommand.cpp:1562 +#: ClientCommand.cpp:1565 ClientCommand.cpp:1580 msgctxt "listports" msgid "SSL" msgstr "SSL" -#: ClientCommand.cpp:1550 ClientCommand.cpp:1567 +#: ClientCommand.cpp:1566 ClientCommand.cpp:1585 msgctxt "listports" msgid "Protocol" msgstr "Protocole" -#: ClientCommand.cpp:1551 ClientCommand.cpp:1574 +#: ClientCommand.cpp:1567 ClientCommand.cpp:1592 msgctxt "listports" msgid "IRC" msgstr "IRC" -#: ClientCommand.cpp:1552 ClientCommand.cpp:1579 +#: ClientCommand.cpp:1568 ClientCommand.cpp:1597 msgctxt "listports" msgid "Web" msgstr "Web" -#: ClientCommand.cpp:1563 +#: ClientCommand.cpp:1581 msgctxt "listports|ssl" msgid "yes" msgstr "oui" -#: ClientCommand.cpp:1564 +#: ClientCommand.cpp:1582 msgctxt "listports|ssl" msgid "no" msgstr "non" -#: ClientCommand.cpp:1568 +#: ClientCommand.cpp:1586 msgctxt "listports" msgid "IPv4 and IPv6" msgstr "IPv4 et IPv6" -#: ClientCommand.cpp:1570 +#: ClientCommand.cpp:1588 msgctxt "listports" msgid "IPv4" msgstr "IPv4" -#: ClientCommand.cpp:1571 +#: ClientCommand.cpp:1589 msgctxt "listports" msgid "IPv6" msgstr "IPv6" -#: ClientCommand.cpp:1577 +#: ClientCommand.cpp:1595 msgctxt "listports|irc" msgid "yes" msgstr "oui" -#: ClientCommand.cpp:1578 +#: ClientCommand.cpp:1596 msgctxt "listports|irc" msgid "no" msgstr "non" -#: ClientCommand.cpp:1582 +#: ClientCommand.cpp:1600 msgctxt "listports|irc" msgid "yes, on {1}" msgstr "oui, sur {1}" -#: ClientCommand.cpp:1584 +#: ClientCommand.cpp:1602 msgctxt "listports|web" msgid "no" msgstr "non" -#: ClientCommand.cpp:1624 +#: ClientCommand.cpp:1642 msgid "" "Usage: AddPort <[+]port> [bindhost [uriprefix]]" msgstr "" "Utilisation : AddPort <[+]port> [bindhost " "[uriprefix]]" -#: ClientCommand.cpp:1640 +#: ClientCommand.cpp:1658 msgid "Port added" msgstr "Port ajouté" -#: ClientCommand.cpp:1642 +#: ClientCommand.cpp:1660 msgid "Couldn't add port" msgstr "Le port n'a pas pu être ajouté" -#: ClientCommand.cpp:1648 +#: ClientCommand.cpp:1666 msgid "Usage: DelPort [bindhost]" msgstr "Utilisation : DelPort [bindhost]" -#: ClientCommand.cpp:1657 +#: ClientCommand.cpp:1675 msgid "Deleted Port" msgstr "Port supprimé" -#: ClientCommand.cpp:1659 +#: ClientCommand.cpp:1677 msgid "Unable to find a matching port" msgstr "Impossible de trouver un port correspondant" -#: ClientCommand.cpp:1667 ClientCommand.cpp:1682 +#: ClientCommand.cpp:1685 ClientCommand.cpp:1700 msgctxt "helpcmd" msgid "Command" msgstr "Commande" -#: ClientCommand.cpp:1668 ClientCommand.cpp:1684 +#: ClientCommand.cpp:1686 ClientCommand.cpp:1702 msgctxt "helpcmd" msgid "Description" msgstr "Description" -#: ClientCommand.cpp:1673 +#: ClientCommand.cpp:1691 msgid "" "In the following list all occurrences of <#chan> support wildcards (* and ?) " "except ListNicks" @@ -1260,88 +1419,88 @@ msgstr "" "Dans la liste ci-dessous, les occurrences de <#salon> supportent les jokers " "(* et ?), sauf ListNicks" -#: ClientCommand.cpp:1690 +#: ClientCommand.cpp:1708 msgctxt "helpcmd|Version|desc" msgid "Print which version of ZNC this is" msgstr "Affiche la version de ZNC" -#: ClientCommand.cpp:1693 +#: ClientCommand.cpp:1711 msgctxt "helpcmd|ListMods|desc" msgid "List all loaded modules" msgstr "Liste les modules chargés" -#: ClientCommand.cpp:1696 +#: ClientCommand.cpp:1714 msgctxt "helpcmd|ListAvailMods|desc" msgid "List all available modules" msgstr "Liste les modules disponibles" -#: ClientCommand.cpp:1700 ClientCommand.cpp:1886 +#: ClientCommand.cpp:1718 ClientCommand.cpp:1904 msgctxt "helpcmd|ListChans|desc" msgid "List all channels" msgstr "Liste les salons" -#: ClientCommand.cpp:1703 +#: ClientCommand.cpp:1721 msgctxt "helpcmd|ListNicks|args" msgid "<#chan>" msgstr "<#salon>" -#: ClientCommand.cpp:1704 +#: ClientCommand.cpp:1722 msgctxt "helpcmd|ListNicks|desc" msgid "List all nicks on a channel" msgstr "Liste les pseudonymes d'un salon" -#: ClientCommand.cpp:1707 +#: ClientCommand.cpp:1725 msgctxt "helpcmd|ListClients|desc" msgid "List all clients connected to your ZNC user" msgstr "Liste les clients connectés à votre utilisateur ZNC" -#: ClientCommand.cpp:1711 +#: ClientCommand.cpp:1729 msgctxt "helpcmd|ListServers|desc" msgid "List all servers of current IRC network" msgstr "Liste les serveurs du réseau IRC actuel" -#: ClientCommand.cpp:1715 +#: ClientCommand.cpp:1733 msgctxt "helpcmd|AddNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1716 +#: ClientCommand.cpp:1734 msgctxt "helpcmd|AddNetwork|desc" msgid "Add a network to your user" msgstr "Ajoute un réseau à votre utilisateur" -#: ClientCommand.cpp:1718 +#: ClientCommand.cpp:1736 msgctxt "helpcmd|DelNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1719 +#: ClientCommand.cpp:1737 msgctxt "helpcmd|DelNetwork|desc" msgid "Delete a network from your user" msgstr "Supprime un réseau de votre utilisateur" -#: ClientCommand.cpp:1721 +#: ClientCommand.cpp:1739 msgctxt "helpcmd|ListNetworks|desc" msgid "List all networks" msgstr "Liste les réseaux" -#: ClientCommand.cpp:1724 +#: ClientCommand.cpp:1742 msgctxt "helpcmd|MoveNetwork|args" msgid " [new network]" msgstr "" " [nouveau réseau]" -#: ClientCommand.cpp:1726 +#: ClientCommand.cpp:1744 msgctxt "helpcmd|MoveNetwork|desc" msgid "Move an IRC network from one user to another" msgstr "Migre un réseau IRC d'un utilisateur à l'autre" -#: ClientCommand.cpp:1730 +#: ClientCommand.cpp:1748 msgctxt "helpcmd|JumpNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1731 +#: ClientCommand.cpp:1749 msgctxt "helpcmd|JumpNetwork|desc" msgid "" "Jump to another network (Alternatively, you can connect to ZNC several " @@ -1350,12 +1509,12 @@ msgstr "" "Migre vers un autre réseau (alternativement, vous pouvez vous connectez à " "ZNC à plusieurs reprises en utilisant 'utilisateur/réseau' comme identifiant)" -#: ClientCommand.cpp:1736 +#: ClientCommand.cpp:1754 msgctxt "helpcmd|AddServer|args" msgid " [[+]port] [pass]" msgstr " [[+]port] [pass]" -#: ClientCommand.cpp:1737 +#: ClientCommand.cpp:1755 msgctxt "helpcmd|AddServer|desc" msgid "" "Add a server to the list of alternate/backup servers of current IRC network." @@ -1363,12 +1522,12 @@ msgstr "" "Ajoute un serveur à la liste des serveurs alternatifs pour le réseau IRC " "actuel." -#: ClientCommand.cpp:1741 +#: ClientCommand.cpp:1759 msgctxt "helpcmd|DelServer|args" msgid " [port] [pass]" msgstr " [port] [pass]" -#: ClientCommand.cpp:1742 +#: ClientCommand.cpp:1760 msgctxt "helpcmd|DelServer|desc" msgid "" "Remove a server from the list of alternate/backup servers of current IRC " @@ -1376,12 +1535,12 @@ msgid "" msgstr "" "Supprime un serveur de la liste des serveurs alternatifs du réseau IRC actuel" -#: ClientCommand.cpp:1748 +#: ClientCommand.cpp:1766 msgctxt "helpcmd|AddTrustedServerFingerprint|args" msgid "" msgstr "" -#: ClientCommand.cpp:1749 +#: ClientCommand.cpp:1767 msgctxt "helpcmd|AddTrustedServerFingerprint|desc" msgid "" "Add a trusted server SSL certificate fingerprint (SHA-256) to current IRC " @@ -1390,338 +1549,338 @@ msgstr "" "Ajoute l'empreinte (SHA-256) d'un certificat SSL de confiance au réseau IRC " "actuel." -#: ClientCommand.cpp:1754 +#: ClientCommand.cpp:1772 msgctxt "helpcmd|DelTrustedServerFingerprint|args" msgid "" msgstr "" -#: ClientCommand.cpp:1755 +#: ClientCommand.cpp:1773 msgctxt "helpcmd|DelTrustedServerFingerprint|desc" msgid "Delete a trusted server SSL certificate from current IRC network." msgstr "Supprime un certificat SSL de confiance du réseau IRC actuel." -#: ClientCommand.cpp:1759 +#: ClientCommand.cpp:1777 msgctxt "helpcmd|ListTrustedServerFingerprints|desc" msgid "List all trusted server SSL certificates of current IRC network." msgstr "Liste les certificats SSL de confiance du réseau IRC actuel." -#: ClientCommand.cpp:1762 +#: ClientCommand.cpp:1780 msgctxt "helpcmd|EnableChan|args" msgid "<#chans>" msgstr "<#salons>" -#: ClientCommand.cpp:1763 +#: ClientCommand.cpp:1781 msgctxt "helpcmd|EnableChan|desc" msgid "Enable channels" msgstr "Active les salons" -#: ClientCommand.cpp:1764 +#: ClientCommand.cpp:1782 msgctxt "helpcmd|DisableChan|args" msgid "<#chans>" msgstr "<#salons>" -#: ClientCommand.cpp:1765 +#: ClientCommand.cpp:1783 msgctxt "helpcmd|DisableChan|desc" msgid "Disable channels" msgstr "Désactive les salons" -#: ClientCommand.cpp:1766 +#: ClientCommand.cpp:1784 msgctxt "helpcmd|Attach|args" msgid "<#chans>" msgstr "<#salons>" -#: ClientCommand.cpp:1767 +#: ClientCommand.cpp:1785 msgctxt "helpcmd|Attach|desc" msgid "Attach to channels" msgstr "Attache les salons" -#: ClientCommand.cpp:1768 +#: ClientCommand.cpp:1786 msgctxt "helpcmd|Detach|args" msgid "<#chans>" msgstr "<#salons>" -#: ClientCommand.cpp:1769 +#: ClientCommand.cpp:1787 msgctxt "helpcmd|Detach|desc" msgid "Detach from channels" msgstr "Se détacher des salons" -#: ClientCommand.cpp:1772 +#: ClientCommand.cpp:1790 msgctxt "helpcmd|Topics|desc" msgid "Show topics in all your channels" msgstr "Afficher le sujet dans tous les salons" -#: ClientCommand.cpp:1775 +#: ClientCommand.cpp:1793 msgctxt "helpcmd|PlayBuffer|args" msgid "<#chan|query>" msgstr "<#salon|privé>" -#: ClientCommand.cpp:1776 +#: ClientCommand.cpp:1794 msgctxt "helpcmd|PlayBuffer|desc" msgid "Play back the specified buffer" msgstr "Rejouer le tampon spécifié" -#: ClientCommand.cpp:1778 +#: ClientCommand.cpp:1796 msgctxt "helpcmd|ClearBuffer|args" msgid "<#chan|query>" msgstr "<#salon|privé>" -#: ClientCommand.cpp:1779 +#: ClientCommand.cpp:1797 msgctxt "helpcmd|ClearBuffer|desc" msgid "Clear the specified buffer" msgstr "Vider le tampon spécifié" -#: ClientCommand.cpp:1781 +#: ClientCommand.cpp:1799 msgctxt "helpcmd|ClearAllBuffers|desc" msgid "Clear all channel and query buffers" msgstr "Vider tous les tampons de salons et de sessions privées" -#: ClientCommand.cpp:1784 +#: ClientCommand.cpp:1802 msgctxt "helpcmd|ClearAllChannelBuffers|desc" msgid "Clear the channel buffers" msgstr "Vider tous les tampons de salon" -#: ClientCommand.cpp:1788 +#: ClientCommand.cpp:1806 msgctxt "helpcmd|ClearAllQueryBuffers|desc" msgid "Clear the query buffers" msgstr "Vider tous les tampons de session privée" -#: ClientCommand.cpp:1790 +#: ClientCommand.cpp:1808 msgctxt "helpcmd|SetBuffer|args" msgid "<#chan|query> [linecount]" msgstr "<#salon|privé> [lignes]" -#: ClientCommand.cpp:1791 +#: ClientCommand.cpp:1809 msgctxt "helpcmd|SetBuffer|desc" msgid "Set the buffer count" msgstr "Définir le nombre de tampons" -#: ClientCommand.cpp:1795 +#: ClientCommand.cpp:1813 msgctxt "helpcmd|SetBindHost|args" msgid "" msgstr "" -#: ClientCommand.cpp:1796 +#: ClientCommand.cpp:1814 msgctxt "helpcmd|SetBindHost|desc" msgid "Set the bind host for this network" msgstr "Définir le bindhost pour ce réseau" -#: ClientCommand.cpp:1800 +#: ClientCommand.cpp:1818 msgctxt "helpcmd|SetUserBindHost|args" msgid "" msgstr "" -#: ClientCommand.cpp:1801 +#: ClientCommand.cpp:1819 msgctxt "helpcmd|SetUserBindHost|desc" msgid "Set the default bind host for this user" msgstr "Définir l'hôte lié pour cet utilisateur" -#: ClientCommand.cpp:1804 +#: ClientCommand.cpp:1822 msgctxt "helpcmd|ClearBindHost|desc" msgid "Clear the bind host for this network" msgstr "Vider l'hôte lié pour ce réseau" -#: ClientCommand.cpp:1807 +#: ClientCommand.cpp:1825 msgctxt "helpcmd|ClearUserBindHost|desc" msgid "Clear the default bind host for this user" msgstr "Vider l'hôte lié pour cet utilisateur" -#: ClientCommand.cpp:1813 +#: ClientCommand.cpp:1831 msgctxt "helpcmd|ShowBindHost|desc" msgid "Show currently selected bind host" msgstr "Afficher l'hôte actuellement lié" -#: ClientCommand.cpp:1815 +#: ClientCommand.cpp:1833 msgctxt "helpcmd|Jump|args" msgid "[server]" msgstr "[serveur]" -#: ClientCommand.cpp:1816 +#: ClientCommand.cpp:1834 msgctxt "helpcmd|Jump|desc" msgid "Jump to the next or the specified server" msgstr "Passer au serveur sélectionné ou au suivant" -#: ClientCommand.cpp:1817 +#: ClientCommand.cpp:1835 msgctxt "helpcmd|Disconnect|args" msgid "[message]" msgstr "[message]" -#: ClientCommand.cpp:1818 +#: ClientCommand.cpp:1836 msgctxt "helpcmd|Disconnect|desc" msgid "Disconnect from IRC" msgstr "Déconnexion d'IRC" -#: ClientCommand.cpp:1820 +#: ClientCommand.cpp:1838 msgctxt "helpcmd|Connect|desc" msgid "Reconnect to IRC" msgstr "Reconnexion à IRC" -#: ClientCommand.cpp:1823 +#: ClientCommand.cpp:1841 msgctxt "helpcmd|Uptime|desc" msgid "Show for how long ZNC has been running" msgstr "Afficher le temps écoulé depuis le lancement de ZNC" -#: ClientCommand.cpp:1827 +#: ClientCommand.cpp:1845 msgctxt "helpcmd|LoadMod|args" msgid "[--type=global|user|network] [args]" msgstr "[--type=global|utilisateur|réseau] [arguments]" -#: ClientCommand.cpp:1829 +#: ClientCommand.cpp:1847 msgctxt "helpcmd|LoadMod|desc" msgid "Load a module" msgstr "Charger un module" -#: ClientCommand.cpp:1831 +#: ClientCommand.cpp:1849 msgctxt "helpcmd|UnloadMod|args" msgid "[--type=global|user|network] " msgstr "[--type=global|user|network] " -#: ClientCommand.cpp:1833 +#: ClientCommand.cpp:1851 msgctxt "helpcmd|UnloadMod|desc" msgid "Unload a module" msgstr "Désactiver un module" -#: ClientCommand.cpp:1835 +#: ClientCommand.cpp:1853 msgctxt "helpcmd|ReloadMod|args" msgid "[--type=global|user|network] [args]" msgstr "[--type=global|utilisateur|réseau] [arguments]" -#: ClientCommand.cpp:1837 +#: ClientCommand.cpp:1855 msgctxt "helpcmd|ReloadMod|desc" msgid "Reload a module" msgstr "Recharger un module" -#: ClientCommand.cpp:1840 +#: ClientCommand.cpp:1858 msgctxt "helpcmd|UpdateMod|args" msgid "" msgstr "" -#: ClientCommand.cpp:1841 +#: ClientCommand.cpp:1859 msgctxt "helpcmd|UpdateMod|desc" msgid "Reload a module everywhere" msgstr "Recharger un module partout" -#: ClientCommand.cpp:1847 +#: ClientCommand.cpp:1865 msgctxt "helpcmd|ShowMOTD|desc" msgid "Show ZNC's message of the day" msgstr "Afficher le message du jour de ZNC" -#: ClientCommand.cpp:1851 +#: ClientCommand.cpp:1869 msgctxt "helpcmd|SetMOTD|args" msgid "" msgstr "" -#: ClientCommand.cpp:1852 +#: ClientCommand.cpp:1870 msgctxt "helpcmd|SetMOTD|desc" msgid "Set ZNC's message of the day" msgstr "Configurer le message du jour de ZNC" -#: ClientCommand.cpp:1854 +#: ClientCommand.cpp:1872 msgctxt "helpcmd|AddMOTD|args" msgid "" msgstr "" -#: ClientCommand.cpp:1855 +#: ClientCommand.cpp:1873 msgctxt "helpcmd|AddMOTD|desc" msgid "Append to ZNC's MOTD" msgstr "Ajouter au message du jour de ZNC" -#: ClientCommand.cpp:1857 +#: ClientCommand.cpp:1875 msgctxt "helpcmd|ClearMOTD|desc" msgid "Clear ZNC's MOTD" msgstr "Vider le message du jour de ZNC" -#: ClientCommand.cpp:1860 +#: ClientCommand.cpp:1878 msgctxt "helpcmd|ListPorts|desc" msgid "Show all active listeners" msgstr "Afficher tous les clients actifs" -#: ClientCommand.cpp:1862 +#: ClientCommand.cpp:1880 msgctxt "helpcmd|AddPort|args" msgid "<[+]port> [bindhost [uriprefix]]" msgstr "<[+]port> [bindhost [uriprefix]]" -#: ClientCommand.cpp:1865 +#: ClientCommand.cpp:1883 msgctxt "helpcmd|AddPort|desc" msgid "Add another port for ZNC to listen on" msgstr "Ajouter un port d'écoute à ZNC" -#: ClientCommand.cpp:1869 +#: ClientCommand.cpp:1887 msgctxt "helpcmd|DelPort|args" msgid " [bindhost]" msgstr " [bindhost]" -#: ClientCommand.cpp:1870 +#: ClientCommand.cpp:1888 msgctxt "helpcmd|DelPort|desc" msgid "Remove a port from ZNC" msgstr "Supprimer un port de ZNC" -#: ClientCommand.cpp:1873 +#: ClientCommand.cpp:1891 msgctxt "helpcmd|Rehash|desc" msgid "Reload global settings, modules, and listeners from znc.conf" msgstr "" "Recharger la configuration globale, les modules et les clients de znc.conf" -#: ClientCommand.cpp:1876 +#: ClientCommand.cpp:1894 msgctxt "helpcmd|SaveConfig|desc" msgid "Save the current settings to disk" msgstr "Sauvegarder la configuration sur le disque" -#: ClientCommand.cpp:1879 +#: ClientCommand.cpp:1897 msgctxt "helpcmd|ListUsers|desc" msgid "List all ZNC users and their connection status" msgstr "Lister les utilisateurs de ZNC et leur statut" -#: ClientCommand.cpp:1882 +#: ClientCommand.cpp:1900 msgctxt "helpcmd|ListAllUserNetworks|desc" msgid "List all ZNC users and their networks" msgstr "Lister les utilisateurs de ZNC et leurs réseaux" -#: ClientCommand.cpp:1885 +#: ClientCommand.cpp:1903 msgctxt "helpcmd|ListChans|args" msgid "[user ]" msgstr "[utilisateur ]" -#: ClientCommand.cpp:1888 +#: ClientCommand.cpp:1906 msgctxt "helpcmd|ListClients|args" msgid "[user]" msgstr "[utilisateur]" -#: ClientCommand.cpp:1889 +#: ClientCommand.cpp:1907 msgctxt "helpcmd|ListClients|desc" msgid "List all connected clients" msgstr "Liste les clients connectés" -#: ClientCommand.cpp:1891 +#: ClientCommand.cpp:1909 msgctxt "helpcmd|Traffic|desc" msgid "Show basic traffic stats for all ZNC users" msgstr "Affiche des statistiques basiques de trafic pour les utilisateurs ZNC" -#: ClientCommand.cpp:1893 +#: ClientCommand.cpp:1911 msgctxt "helpcmd|Broadcast|args" msgid "[message]" msgstr "[message]" -#: ClientCommand.cpp:1894 +#: ClientCommand.cpp:1912 msgctxt "helpcmd|Broadcast|desc" msgid "Broadcast a message to all ZNC users" msgstr "Diffuse un message à tous les utilisateurs de ZNC" -#: ClientCommand.cpp:1897 +#: ClientCommand.cpp:1915 msgctxt "helpcmd|Shutdown|args" msgid "[message]" msgstr "[message]" -#: ClientCommand.cpp:1898 +#: ClientCommand.cpp:1916 msgctxt "helpcmd|Shutdown|desc" msgid "Shut down ZNC completely" msgstr "Éteint complètement ZNC" -#: ClientCommand.cpp:1899 +#: ClientCommand.cpp:1917 msgctxt "helpcmd|Restart|args" msgid "[message]" msgstr "[message]" -#: ClientCommand.cpp:1900 +#: ClientCommand.cpp:1918 msgctxt "helpcmd|Restart|desc" msgid "Restart ZNC" msgstr "Redémarre ZNC" diff --git a/src/po/znc.id_ID.po b/src/po/znc.id_ID.po index 614f07eb..56500af5 100644 --- a/src/po/znc.id_ID.po +++ b/src/po/znc.id_ID.po @@ -74,7 +74,7 @@ msgstr "Tidak dapat menemukan berkas pem: {1}" msgid "Invalid port" msgstr "Port tidak valid" -#: znc.cpp:1821 ClientCommand.cpp:1637 +#: znc.cpp:1821 ClientCommand.cpp:1655 msgid "Unable to bind: {1}" msgstr "Tidak dapat mengikat: {1}" @@ -260,6 +260,7 @@ msgid "Usage: /attach <#chans>" msgstr "Gunakan: /attach <#chan>" #: Client.cpp:1344 Client.cpp:1366 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: ClientCommand.cpp:423 ClientCommand.cpp:450 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" msgstr[0] "Ada {1} pencocokan saluran [{2}]" @@ -296,7 +297,7 @@ msgctxt "modhelpcmd" msgid "Generate this output" msgstr "" -#: Modules.cpp:573 ClientCommand.cpp:1904 +#: Modules.cpp:573 ClientCommand.cpp:1922 msgid "No matches for '{1}'" msgstr "" @@ -401,11 +402,12 @@ msgid "Description" msgstr "" #: ClientCommand.cpp:51 ClientCommand.cpp:115 ClientCommand.cpp:137 -#: ClientCommand.cpp:749 ClientCommand.cpp:768 ClientCommand.cpp:794 -#: ClientCommand.cpp:827 ClientCommand.cpp:840 ClientCommand.cpp:853 -#: ClientCommand.cpp:868 ClientCommand.cpp:1329 ClientCommand.cpp:1377 -#: ClientCommand.cpp:1409 ClientCommand.cpp:1420 ClientCommand.cpp:1429 -#: ClientCommand.cpp:1441 +#: ClientCommand.cpp:339 ClientCommand.cpp:390 ClientCommand.cpp:405 +#: ClientCommand.cpp:432 ClientCommand.cpp:459 ClientCommand.cpp:764 +#: ClientCommand.cpp:783 ClientCommand.cpp:809 ClientCommand.cpp:843 +#: ClientCommand.cpp:856 ClientCommand.cpp:869 ClientCommand.cpp:884 +#: ClientCommand.cpp:1345 ClientCommand.cpp:1393 ClientCommand.cpp:1425 +#: ClientCommand.cpp:1436 ClientCommand.cpp:1445 ClientCommand.cpp:1457 msgid "You must be connected with a network to use this command" msgstr "" @@ -465,1205 +467,1360 @@ msgstr "" msgid "Error while trying to write config." msgstr "" -#: ClientCommand.cpp:455 +#: ClientCommand.cpp:183 +msgid "Usage: ListClients" +msgstr "" + +#: ClientCommand.cpp:190 +msgid "No such user: {1}" +msgstr "" + +#: ClientCommand.cpp:198 +msgid "No clients are connected" +msgstr "" + +#: ClientCommand.cpp:203 ClientCommand.cpp:209 +msgctxt "listclientscmd" +msgid "Host" +msgstr "" + +#: ClientCommand.cpp:204 ClientCommand.cpp:212 +msgctxt "listclientscmd" +msgid "Network" +msgstr "" + +#: ClientCommand.cpp:205 ClientCommand.cpp:215 +msgctxt "listclientscmd" +msgid "Identifier" +msgstr "" + +#: ClientCommand.cpp:223 ClientCommand.cpp:229 +msgctxt "listuserscmd" +msgid "Username" +msgstr "" + +#: ClientCommand.cpp:224 ClientCommand.cpp:230 +msgctxt "listuserscmd" +msgid "Networks" +msgstr "" + +#: ClientCommand.cpp:225 ClientCommand.cpp:232 +msgctxt "listuserscmd" +msgid "Clients" +msgstr "" + +#: ClientCommand.cpp:240 ClientCommand.cpp:250 ClientCommand.cpp:260 +#: ClientCommand.cpp:263 +msgctxt "listallusernetworkscmd" +msgid "Username" +msgstr "" + +#: ClientCommand.cpp:241 ClientCommand.cpp:251 ClientCommand.cpp:266 +msgctxt "listallusernetworkscmd" +msgid "Network" +msgstr "" + +#: ClientCommand.cpp:242 ClientCommand.cpp:252 ClientCommand.cpp:268 +msgctxt "listallusernetworkscmd" +msgid "Clients" +msgstr "" + +#: ClientCommand.cpp:243 ClientCommand.cpp:271 ClientCommand.cpp:280 +msgctxt "listallusernetworkscmd" +msgid "On IRC" +msgstr "" + +#: ClientCommand.cpp:244 ClientCommand.cpp:273 +msgctxt "listallusernetworkscmd" +msgid "IRC Server" +msgstr "" + +#: ClientCommand.cpp:245 ClientCommand.cpp:275 +msgctxt "listallusernetworkscmd" +msgid "IRC User" +msgstr "" + +#: ClientCommand.cpp:246 ClientCommand.cpp:277 +msgctxt "listallusernetworkscmd" +msgid "Channels" +msgstr "" + +#: ClientCommand.cpp:251 +msgid "N/A" +msgstr "" + +#: ClientCommand.cpp:272 +msgctxt "listallusernetworkscmd" +msgid "Yes" +msgstr "" + +#: ClientCommand.cpp:281 +msgctxt "listallusernetworkscmd" +msgid "No" +msgstr "" + +#: ClientCommand.cpp:291 +msgid "Usage: SetMOTD " +msgstr "" + +#: ClientCommand.cpp:294 +msgid "MOTD set to: {1}" +msgstr "" + +#: ClientCommand.cpp:300 +msgid "Usage: AddMOTD " +msgstr "" + +#: ClientCommand.cpp:303 +msgid "Added [{1}] to MOTD" +msgstr "" + +#: ClientCommand.cpp:307 +msgid "Cleared MOTD" +msgstr "" + +#: ClientCommand.cpp:329 +msgid "" +"ERROR: Writing config file to disk failed! Aborting. Use {1} FORCE to ignore." +msgstr "" + +#: ClientCommand.cpp:344 ClientCommand.cpp:797 ClientCommand.cpp:838 +msgid "You don't have any servers added." +msgstr "" + +#: ClientCommand.cpp:355 +msgid "Server [{1}] not found" +msgstr "" + +#: ClientCommand.cpp:375 ClientCommand.cpp:380 +msgid "Connecting to {1}..." +msgstr "" + +#: ClientCommand.cpp:377 +msgid "Jumping to the next server in the list..." +msgstr "" + +#: ClientCommand.cpp:382 +msgid "Connecting..." +msgstr "" + +#: ClientCommand.cpp:400 +msgid "Disconnected from IRC. Use 'connect' to reconnect." +msgstr "" + +#: ClientCommand.cpp:412 +msgid "Usage: EnableChan <#chans>" +msgstr "" + +#: ClientCommand.cpp:426 +msgid "Enabled {1} channel" +msgid_plural "Enabled {1} channels" +msgstr[0] "" + +#: ClientCommand.cpp:439 +msgid "Usage: DisableChan <#chans>" +msgstr "" + +#: ClientCommand.cpp:453 +msgid "Disabled {1} channel" +msgid_plural "Disabled {1} channels" +msgstr[0] "" + +#: ClientCommand.cpp:470 msgid "Usage: ListChans" msgstr "" -#: ClientCommand.cpp:462 +#: ClientCommand.cpp:477 msgid "No such user [{1}]" msgstr "" -#: ClientCommand.cpp:468 +#: ClientCommand.cpp:483 msgid "User [{1}] doesn't have network [{2}]" msgstr "" -#: ClientCommand.cpp:479 +#: ClientCommand.cpp:494 msgid "There are no channels defined." msgstr "" -#: ClientCommand.cpp:484 ClientCommand.cpp:500 +#: ClientCommand.cpp:499 ClientCommand.cpp:515 msgctxt "listchans" msgid "Name" msgstr "" -#: ClientCommand.cpp:485 ClientCommand.cpp:503 +#: ClientCommand.cpp:500 ClientCommand.cpp:518 msgctxt "listchans" msgid "Status" msgstr "" -#: ClientCommand.cpp:486 ClientCommand.cpp:510 +#: ClientCommand.cpp:501 ClientCommand.cpp:525 msgctxt "listchans" msgid "In config" msgstr "" -#: ClientCommand.cpp:487 ClientCommand.cpp:512 +#: ClientCommand.cpp:502 ClientCommand.cpp:527 msgctxt "listchans" msgid "Buffer" msgstr "" -#: ClientCommand.cpp:488 ClientCommand.cpp:516 +#: ClientCommand.cpp:503 ClientCommand.cpp:531 msgctxt "listchans" msgid "Clear" msgstr "" -#: ClientCommand.cpp:489 ClientCommand.cpp:521 +#: ClientCommand.cpp:504 ClientCommand.cpp:536 msgctxt "listchans" msgid "Modes" msgstr "" -#: ClientCommand.cpp:490 ClientCommand.cpp:522 +#: ClientCommand.cpp:505 ClientCommand.cpp:537 msgctxt "listchans" msgid "Users" msgstr "" -#: ClientCommand.cpp:505 +#: ClientCommand.cpp:520 msgctxt "listchans" msgid "Detached" msgstr "" -#: ClientCommand.cpp:506 +#: ClientCommand.cpp:521 msgctxt "listchans" msgid "Joined" msgstr "" -#: ClientCommand.cpp:507 +#: ClientCommand.cpp:522 msgctxt "listchans" msgid "Disabled" msgstr "" -#: ClientCommand.cpp:508 +#: ClientCommand.cpp:523 msgctxt "listchans" msgid "Trying" msgstr "" -#: ClientCommand.cpp:511 ClientCommand.cpp:519 +#: ClientCommand.cpp:526 ClientCommand.cpp:534 msgctxt "listchans" msgid "yes" msgstr "" -#: ClientCommand.cpp:536 +#: ClientCommand.cpp:551 msgid "Total: {1}, Joined: {2}, Detached: {3}, Disabled: {4}" msgstr "" -#: ClientCommand.cpp:541 +#: ClientCommand.cpp:556 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks using /znc DelNetwork " msgstr "" -#: ClientCommand.cpp:550 +#: ClientCommand.cpp:565 msgid "Usage: AddNetwork " msgstr "" -#: ClientCommand.cpp:554 +#: ClientCommand.cpp:569 msgid "Network name should be alphanumeric" msgstr "" -#: ClientCommand.cpp:561 +#: ClientCommand.cpp:576 msgid "" "Network added. Use /znc JumpNetwork {1}, or connect to ZNC with username {2} " "(instead of just {3}) to connect to it." msgstr "" -#: ClientCommand.cpp:566 +#: ClientCommand.cpp:581 msgid "Unable to add that network" msgstr "" -#: ClientCommand.cpp:573 +#: ClientCommand.cpp:588 msgid "Usage: DelNetwork " msgstr "" -#: ClientCommand.cpp:582 +#: ClientCommand.cpp:597 msgid "Network deleted" msgstr "" -#: ClientCommand.cpp:585 +#: ClientCommand.cpp:600 msgid "Failed to delete network, perhaps this network doesn't exist" msgstr "" -#: ClientCommand.cpp:595 +#: ClientCommand.cpp:610 msgid "User {1} not found" msgstr "" -#: ClientCommand.cpp:603 ClientCommand.cpp:611 +#: ClientCommand.cpp:618 ClientCommand.cpp:626 msgctxt "listnetworks" msgid "Network" msgstr "" -#: ClientCommand.cpp:604 ClientCommand.cpp:613 ClientCommand.cpp:622 +#: ClientCommand.cpp:619 ClientCommand.cpp:628 ClientCommand.cpp:637 msgctxt "listnetworks" msgid "On IRC" msgstr "" -#: ClientCommand.cpp:605 ClientCommand.cpp:615 +#: ClientCommand.cpp:620 ClientCommand.cpp:630 msgctxt "listnetworks" msgid "IRC Server" msgstr "" -#: ClientCommand.cpp:606 ClientCommand.cpp:617 +#: ClientCommand.cpp:621 ClientCommand.cpp:632 msgctxt "listnetworks" msgid "IRC User" msgstr "" -#: ClientCommand.cpp:607 ClientCommand.cpp:619 +#: ClientCommand.cpp:622 ClientCommand.cpp:634 msgctxt "listnetworks" msgid "Channels" msgstr "" -#: ClientCommand.cpp:614 +#: ClientCommand.cpp:629 msgctxt "listnetworks" msgid "Yes" msgstr "" -#: ClientCommand.cpp:623 +#: ClientCommand.cpp:638 msgctxt "listnetworks" msgid "No" msgstr "" -#: ClientCommand.cpp:628 +#: ClientCommand.cpp:643 msgctxt "listnetworks" msgid "No networks" msgstr "" -#: ClientCommand.cpp:632 ClientCommand.cpp:936 +#: ClientCommand.cpp:647 ClientCommand.cpp:952 msgid "Access denied." msgstr "" -#: ClientCommand.cpp:643 +#: ClientCommand.cpp:658 msgid "Usage: MoveNetwork [new network]" msgstr "" -#: ClientCommand.cpp:653 +#: ClientCommand.cpp:668 msgid "Old user {1} not found." msgstr "" -#: ClientCommand.cpp:659 +#: ClientCommand.cpp:674 msgid "Old network {1} not found." msgstr "" -#: ClientCommand.cpp:665 +#: ClientCommand.cpp:680 msgid "New user {1} not found." msgstr "" -#: ClientCommand.cpp:670 +#: ClientCommand.cpp:685 msgid "User {1} already has network {2}." msgstr "" -#: ClientCommand.cpp:676 +#: ClientCommand.cpp:691 msgid "Invalid network name [{1}]" msgstr "" -#: ClientCommand.cpp:692 +#: ClientCommand.cpp:707 msgid "Some files seem to be in {1}. You might want to move them to {2}" msgstr "" -#: ClientCommand.cpp:706 +#: ClientCommand.cpp:721 msgid "Error adding network: {1}" msgstr "" -#: ClientCommand.cpp:718 +#: ClientCommand.cpp:733 msgid "Success." msgstr "" -#: ClientCommand.cpp:721 +#: ClientCommand.cpp:736 msgid "Copied the network to new user, but failed to delete old network" msgstr "" -#: ClientCommand.cpp:728 +#: ClientCommand.cpp:743 msgid "No network supplied." msgstr "" -#: ClientCommand.cpp:733 +#: ClientCommand.cpp:748 msgid "You are already connected with this network." msgstr "" -#: ClientCommand.cpp:739 +#: ClientCommand.cpp:754 msgid "Switched to {1}" msgstr "" -#: ClientCommand.cpp:742 +#: ClientCommand.cpp:757 msgid "You don't have a network named {1}" msgstr "" -#: ClientCommand.cpp:754 +#: ClientCommand.cpp:769 msgid "Usage: AddServer [[+]port] [pass]" msgstr "" -#: ClientCommand.cpp:759 +#: ClientCommand.cpp:774 msgid "Server added" msgstr "" -#: ClientCommand.cpp:762 +#: ClientCommand.cpp:777 msgid "" "Unable to add that server. Perhaps the server is already added or openssl is " "disabled?" msgstr "" -#: ClientCommand.cpp:777 +#: ClientCommand.cpp:792 msgid "Usage: DelServer [port] [pass]" msgstr "" -#: ClientCommand.cpp:782 ClientCommand.cpp:822 -msgid "You don't have any servers added." -msgstr "" - -#: ClientCommand.cpp:787 +#: ClientCommand.cpp:802 msgid "Server removed" msgstr "" -#: ClientCommand.cpp:789 +#: ClientCommand.cpp:804 msgid "No such server" msgstr "" -#: ClientCommand.cpp:802 ClientCommand.cpp:809 +#: ClientCommand.cpp:817 ClientCommand.cpp:825 msgctxt "listservers" msgid "Host" msgstr "" -#: ClientCommand.cpp:803 ClientCommand.cpp:811 +#: ClientCommand.cpp:818 ClientCommand.cpp:827 msgctxt "listservers" msgid "Port" msgstr "" -#: ClientCommand.cpp:804 ClientCommand.cpp:814 +#: ClientCommand.cpp:819 ClientCommand.cpp:830 msgctxt "listservers" msgid "SSL" msgstr "" -#: ClientCommand.cpp:805 ClientCommand.cpp:816 +#: ClientCommand.cpp:820 ClientCommand.cpp:832 msgctxt "listservers" msgid "Password" msgstr "" -#: ClientCommand.cpp:815 +#: ClientCommand.cpp:831 msgctxt "listservers|cell" msgid "SSL" msgstr "" -#: ClientCommand.cpp:832 +#: ClientCommand.cpp:848 msgid "Usage: AddTrustedServerFingerprint " msgstr "" -#: ClientCommand.cpp:836 ClientCommand.cpp:849 +#: ClientCommand.cpp:852 ClientCommand.cpp:865 msgid "Done." msgstr "" -#: ClientCommand.cpp:845 +#: ClientCommand.cpp:861 msgid "Usage: DelTrustedServerFingerprint " msgstr "" -#: ClientCommand.cpp:858 +#: ClientCommand.cpp:874 msgid "No fingerprints added." msgstr "" -#: ClientCommand.cpp:874 ClientCommand.cpp:880 +#: ClientCommand.cpp:890 ClientCommand.cpp:896 msgctxt "topicscmd" msgid "Channel" msgstr "" -#: ClientCommand.cpp:875 ClientCommand.cpp:881 +#: ClientCommand.cpp:891 ClientCommand.cpp:897 msgctxt "topicscmd" msgid "Set By" msgstr "" -#: ClientCommand.cpp:876 ClientCommand.cpp:882 +#: ClientCommand.cpp:892 ClientCommand.cpp:898 msgctxt "topicscmd" msgid "Topic" msgstr "" -#: ClientCommand.cpp:889 ClientCommand.cpp:894 +#: ClientCommand.cpp:905 ClientCommand.cpp:910 msgctxt "listmods" msgid "Name" msgstr "" -#: ClientCommand.cpp:890 ClientCommand.cpp:895 +#: ClientCommand.cpp:906 ClientCommand.cpp:911 msgctxt "listmods" msgid "Arguments" msgstr "" -#: ClientCommand.cpp:904 +#: ClientCommand.cpp:920 msgid "No global modules loaded." msgstr "" -#: ClientCommand.cpp:906 ClientCommand.cpp:970 +#: ClientCommand.cpp:922 ClientCommand.cpp:986 msgid "Global modules:" msgstr "" -#: ClientCommand.cpp:915 +#: ClientCommand.cpp:931 msgid "Your user has no modules loaded." msgstr "" -#: ClientCommand.cpp:917 ClientCommand.cpp:982 +#: ClientCommand.cpp:933 ClientCommand.cpp:998 msgid "User modules:" msgstr "" -#: ClientCommand.cpp:925 +#: ClientCommand.cpp:941 msgid "This network has no modules loaded." msgstr "" -#: ClientCommand.cpp:927 ClientCommand.cpp:994 +#: ClientCommand.cpp:943 ClientCommand.cpp:1010 msgid "Network modules:" msgstr "" -#: ClientCommand.cpp:942 ClientCommand.cpp:949 +#: ClientCommand.cpp:958 ClientCommand.cpp:965 msgctxt "listavailmods" msgid "Name" msgstr "" -#: ClientCommand.cpp:943 ClientCommand.cpp:954 +#: ClientCommand.cpp:959 ClientCommand.cpp:970 msgctxt "listavailmods" msgid "Description" msgstr "" -#: ClientCommand.cpp:968 +#: ClientCommand.cpp:984 msgid "No global modules available." msgstr "" -#: ClientCommand.cpp:980 +#: ClientCommand.cpp:996 msgid "No user modules available." msgstr "" -#: ClientCommand.cpp:992 +#: ClientCommand.cpp:1008 msgid "No network modules available." msgstr "" -#: ClientCommand.cpp:1020 +#: ClientCommand.cpp:1036 msgid "Unable to load {1}: Access denied." msgstr "" -#: ClientCommand.cpp:1026 +#: ClientCommand.cpp:1042 msgid "Usage: LoadMod [--type=global|user|network] [args]" msgstr "" -#: ClientCommand.cpp:1033 +#: ClientCommand.cpp:1049 msgid "Unable to load {1}: {2}" msgstr "" -#: ClientCommand.cpp:1043 +#: ClientCommand.cpp:1059 msgid "Unable to load global module {1}: Access denied." msgstr "" -#: ClientCommand.cpp:1049 +#: ClientCommand.cpp:1065 msgid "Unable to load network module {1}: Not connected with a network." msgstr "" -#: ClientCommand.cpp:1071 +#: ClientCommand.cpp:1087 msgid "Unknown module type" msgstr "" -#: ClientCommand.cpp:1076 +#: ClientCommand.cpp:1092 msgid "Loaded module {1}" msgstr "" -#: ClientCommand.cpp:1078 +#: ClientCommand.cpp:1094 msgid "Loaded module {1}: {2}" msgstr "" -#: ClientCommand.cpp:1081 +#: ClientCommand.cpp:1097 msgid "Unable to load module {1}: {2}" msgstr "" -#: ClientCommand.cpp:1104 +#: ClientCommand.cpp:1120 msgid "Unable to unload {1}: Access denied." msgstr "" -#: ClientCommand.cpp:1110 +#: ClientCommand.cpp:1126 msgid "Usage: UnloadMod [--type=global|user|network] " msgstr "" -#: ClientCommand.cpp:1119 +#: ClientCommand.cpp:1135 msgid "Unable to determine type of {1}: {2}" msgstr "" -#: ClientCommand.cpp:1127 +#: ClientCommand.cpp:1143 msgid "Unable to unload global module {1}: Access denied." msgstr "" -#: ClientCommand.cpp:1134 +#: ClientCommand.cpp:1150 msgid "Unable to unload network module {1}: Not connected with a network." msgstr "" -#: ClientCommand.cpp:1153 +#: ClientCommand.cpp:1169 msgid "Unable to unload module {1}: Unknown module type" msgstr "" -#: ClientCommand.cpp:1166 +#: ClientCommand.cpp:1182 msgid "Unable to reload modules. Access denied." msgstr "" -#: ClientCommand.cpp:1187 +#: ClientCommand.cpp:1203 msgid "Usage: ReloadMod [--type=global|user|network] [args]" msgstr "" -#: ClientCommand.cpp:1196 +#: ClientCommand.cpp:1212 msgid "Unable to reload {1}: {2}" msgstr "" -#: ClientCommand.cpp:1204 +#: ClientCommand.cpp:1220 msgid "Unable to reload global module {1}: Access denied." msgstr "" -#: ClientCommand.cpp:1211 +#: ClientCommand.cpp:1227 msgid "Unable to reload network module {1}: Not connected with a network." msgstr "" -#: ClientCommand.cpp:1233 +#: ClientCommand.cpp:1249 msgid "Unable to reload module {1}: Unknown module type" msgstr "" -#: ClientCommand.cpp:1244 +#: ClientCommand.cpp:1260 msgid "Usage: UpdateMod " msgstr "" -#: ClientCommand.cpp:1248 +#: ClientCommand.cpp:1264 msgid "Reloading {1} everywhere" msgstr "" -#: ClientCommand.cpp:1250 +#: ClientCommand.cpp:1266 msgid "Done" msgstr "" -#: ClientCommand.cpp:1253 +#: ClientCommand.cpp:1269 msgid "" "Done, but there were errors, module {1} could not be reloaded everywhere." msgstr "" -#: ClientCommand.cpp:1261 +#: ClientCommand.cpp:1277 msgid "" "You must be connected with a network to use this command. Try " "SetUserBindHost instead" msgstr "" -#: ClientCommand.cpp:1268 +#: ClientCommand.cpp:1284 msgid "Usage: SetBindHost " msgstr "" -#: ClientCommand.cpp:1273 ClientCommand.cpp:1290 +#: ClientCommand.cpp:1289 ClientCommand.cpp:1306 msgid "You already have this bind host!" msgstr "" -#: ClientCommand.cpp:1278 +#: ClientCommand.cpp:1294 msgid "Set bind host for network {1} to {2}" msgstr "" -#: ClientCommand.cpp:1285 +#: ClientCommand.cpp:1301 msgid "Usage: SetUserBindHost " msgstr "" -#: ClientCommand.cpp:1295 +#: ClientCommand.cpp:1311 msgid "Set default bind host to {1}" msgstr "" -#: ClientCommand.cpp:1301 +#: ClientCommand.cpp:1317 msgid "" "You must be connected with a network to use this command. Try " "ClearUserBindHost instead" msgstr "" -#: ClientCommand.cpp:1306 +#: ClientCommand.cpp:1322 msgid "Bind host cleared for this network." msgstr "" -#: ClientCommand.cpp:1310 +#: ClientCommand.cpp:1326 msgid "Default bind host cleared for your user." msgstr "" -#: ClientCommand.cpp:1313 +#: ClientCommand.cpp:1329 msgid "This user's default bind host not set" msgstr "" -#: ClientCommand.cpp:1315 +#: ClientCommand.cpp:1331 msgid "This user's default bind host is {1}" msgstr "" -#: ClientCommand.cpp:1320 +#: ClientCommand.cpp:1336 msgid "This network's bind host not set" msgstr "" -#: ClientCommand.cpp:1322 +#: ClientCommand.cpp:1338 msgid "This network's default bind host is {1}" msgstr "" -#: ClientCommand.cpp:1336 +#: ClientCommand.cpp:1352 msgid "Usage: PlayBuffer <#chan|query>" msgstr "" -#: ClientCommand.cpp:1344 +#: ClientCommand.cpp:1360 msgid "You are not on {1}" msgstr "" -#: ClientCommand.cpp:1349 +#: ClientCommand.cpp:1365 msgid "You are not on {1} (trying to join)" msgstr "" -#: ClientCommand.cpp:1354 +#: ClientCommand.cpp:1370 msgid "The buffer for channel {1} is empty" msgstr "" -#: ClientCommand.cpp:1363 +#: ClientCommand.cpp:1379 msgid "No active query with {1}" msgstr "" -#: ClientCommand.cpp:1368 +#: ClientCommand.cpp:1384 msgid "The buffer for {1} is empty" msgstr "" -#: ClientCommand.cpp:1384 +#: ClientCommand.cpp:1400 msgid "Usage: ClearBuffer <#chan|query>" msgstr "" -#: ClientCommand.cpp:1403 +#: ClientCommand.cpp:1419 msgid "{1} buffer matching {2} has been cleared" msgid_plural "{1} buffers matching {2} have been cleared" msgstr[0] "" -#: ClientCommand.cpp:1416 +#: ClientCommand.cpp:1432 msgid "All channel buffers have been cleared" msgstr "" -#: ClientCommand.cpp:1425 +#: ClientCommand.cpp:1441 msgid "All query buffers have been cleared" msgstr "" -#: ClientCommand.cpp:1437 +#: ClientCommand.cpp:1453 msgid "All buffers have been cleared" msgstr "" -#: ClientCommand.cpp:1448 +#: ClientCommand.cpp:1464 msgid "Usage: SetBuffer <#chan|query> [linecount]" msgstr "" -#: ClientCommand.cpp:1469 +#: ClientCommand.cpp:1485 msgid "Setting buffer size failed for {1} buffer" msgid_plural "Setting buffer size failed for {1} buffers" msgstr[0] "" -#: ClientCommand.cpp:1472 +#: ClientCommand.cpp:1488 msgid "Maximum buffer size is {1} line" msgid_plural "Maximum buffer size is {1} lines" msgstr[0] "" -#: ClientCommand.cpp:1477 +#: ClientCommand.cpp:1493 msgid "Size of every buffer was set to {1} line" msgid_plural "Size of every buffer was set to {1} lines" msgstr[0] "" -#: ClientCommand.cpp:1487 ClientCommand.cpp:1494 ClientCommand.cpp:1505 -#: ClientCommand.cpp:1514 ClientCommand.cpp:1522 +#: ClientCommand.cpp:1503 ClientCommand.cpp:1510 ClientCommand.cpp:1521 +#: ClientCommand.cpp:1530 ClientCommand.cpp:1538 msgctxt "trafficcmd" msgid "Username" msgstr "" -#: ClientCommand.cpp:1488 ClientCommand.cpp:1495 ClientCommand.cpp:1507 -#: ClientCommand.cpp:1516 ClientCommand.cpp:1524 +#: ClientCommand.cpp:1504 ClientCommand.cpp:1511 ClientCommand.cpp:1523 +#: ClientCommand.cpp:1532 ClientCommand.cpp:1540 msgctxt "trafficcmd" msgid "In" msgstr "" -#: ClientCommand.cpp:1489 ClientCommand.cpp:1497 ClientCommand.cpp:1508 -#: ClientCommand.cpp:1517 ClientCommand.cpp:1525 +#: ClientCommand.cpp:1505 ClientCommand.cpp:1513 ClientCommand.cpp:1524 +#: ClientCommand.cpp:1533 ClientCommand.cpp:1541 msgctxt "trafficcmd" msgid "Out" msgstr "" -#: ClientCommand.cpp:1490 ClientCommand.cpp:1500 ClientCommand.cpp:1510 -#: ClientCommand.cpp:1518 ClientCommand.cpp:1527 +#: ClientCommand.cpp:1506 ClientCommand.cpp:1516 ClientCommand.cpp:1526 +#: ClientCommand.cpp:1534 ClientCommand.cpp:1543 msgctxt "trafficcmd" msgid "Total" msgstr "" -#: ClientCommand.cpp:1506 +#: ClientCommand.cpp:1522 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1515 +#: ClientCommand.cpp:1531 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1523 +#: ClientCommand.cpp:1539 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1532 +#: ClientCommand.cpp:1548 msgid "Running for {1}" msgstr "" -#: ClientCommand.cpp:1538 +#: ClientCommand.cpp:1554 msgid "Unknown command, try 'Help'" msgstr "" -#: ClientCommand.cpp:1547 ClientCommand.cpp:1558 +#: ClientCommand.cpp:1563 ClientCommand.cpp:1574 msgctxt "listports" msgid "Port" msgstr "" -#: ClientCommand.cpp:1548 ClientCommand.cpp:1559 +#: ClientCommand.cpp:1564 ClientCommand.cpp:1577 msgctxt "listports" msgid "BindHost" msgstr "" -#: ClientCommand.cpp:1549 ClientCommand.cpp:1562 +#: ClientCommand.cpp:1565 ClientCommand.cpp:1580 msgctxt "listports" msgid "SSL" msgstr "" -#: ClientCommand.cpp:1550 ClientCommand.cpp:1567 +#: ClientCommand.cpp:1566 ClientCommand.cpp:1585 msgctxt "listports" msgid "Protocol" msgstr "" -#: ClientCommand.cpp:1551 ClientCommand.cpp:1574 +#: ClientCommand.cpp:1567 ClientCommand.cpp:1592 msgctxt "listports" msgid "IRC" msgstr "" -#: ClientCommand.cpp:1552 ClientCommand.cpp:1579 +#: ClientCommand.cpp:1568 ClientCommand.cpp:1597 msgctxt "listports" msgid "Web" msgstr "" -#: ClientCommand.cpp:1563 +#: ClientCommand.cpp:1581 msgctxt "listports|ssl" msgid "yes" msgstr "" -#: ClientCommand.cpp:1564 +#: ClientCommand.cpp:1582 msgctxt "listports|ssl" msgid "no" msgstr "" -#: ClientCommand.cpp:1568 +#: ClientCommand.cpp:1586 msgctxt "listports" msgid "IPv4 and IPv6" msgstr "" -#: ClientCommand.cpp:1570 +#: ClientCommand.cpp:1588 msgctxt "listports" msgid "IPv4" msgstr "" -#: ClientCommand.cpp:1571 +#: ClientCommand.cpp:1589 msgctxt "listports" msgid "IPv6" msgstr "" -#: ClientCommand.cpp:1577 +#: ClientCommand.cpp:1595 msgctxt "listports|irc" msgid "yes" msgstr "" -#: ClientCommand.cpp:1578 +#: ClientCommand.cpp:1596 msgctxt "listports|irc" msgid "no" msgstr "" -#: ClientCommand.cpp:1582 +#: ClientCommand.cpp:1600 msgctxt "listports|irc" msgid "yes, on {1}" msgstr "" -#: ClientCommand.cpp:1584 +#: ClientCommand.cpp:1602 msgctxt "listports|web" msgid "no" msgstr "" -#: ClientCommand.cpp:1624 +#: ClientCommand.cpp:1642 msgid "" "Usage: AddPort <[+]port> [bindhost [uriprefix]]" msgstr "" -#: ClientCommand.cpp:1640 +#: ClientCommand.cpp:1658 msgid "Port added" msgstr "" -#: ClientCommand.cpp:1642 +#: ClientCommand.cpp:1660 msgid "Couldn't add port" msgstr "" -#: ClientCommand.cpp:1648 +#: ClientCommand.cpp:1666 msgid "Usage: DelPort [bindhost]" msgstr "" -#: ClientCommand.cpp:1657 +#: ClientCommand.cpp:1675 msgid "Deleted Port" msgstr "" -#: ClientCommand.cpp:1659 +#: ClientCommand.cpp:1677 msgid "Unable to find a matching port" msgstr "" -#: ClientCommand.cpp:1667 ClientCommand.cpp:1682 +#: ClientCommand.cpp:1685 ClientCommand.cpp:1700 msgctxt "helpcmd" msgid "Command" msgstr "" -#: ClientCommand.cpp:1668 ClientCommand.cpp:1684 +#: ClientCommand.cpp:1686 ClientCommand.cpp:1702 msgctxt "helpcmd" msgid "Description" msgstr "" -#: ClientCommand.cpp:1673 +#: ClientCommand.cpp:1691 msgid "" "In the following list all occurrences of <#chan> support wildcards (* and ?) " "except ListNicks" msgstr "" -#: ClientCommand.cpp:1690 +#: ClientCommand.cpp:1708 msgctxt "helpcmd|Version|desc" msgid "Print which version of ZNC this is" msgstr "" -#: ClientCommand.cpp:1693 +#: ClientCommand.cpp:1711 msgctxt "helpcmd|ListMods|desc" msgid "List all loaded modules" msgstr "" -#: ClientCommand.cpp:1696 +#: ClientCommand.cpp:1714 msgctxt "helpcmd|ListAvailMods|desc" msgid "List all available modules" msgstr "" -#: ClientCommand.cpp:1700 ClientCommand.cpp:1886 +#: ClientCommand.cpp:1718 ClientCommand.cpp:1904 msgctxt "helpcmd|ListChans|desc" msgid "List all channels" msgstr "" -#: ClientCommand.cpp:1703 +#: ClientCommand.cpp:1721 msgctxt "helpcmd|ListNicks|args" msgid "<#chan>" msgstr "" -#: ClientCommand.cpp:1704 +#: ClientCommand.cpp:1722 msgctxt "helpcmd|ListNicks|desc" msgid "List all nicks on a channel" msgstr "" -#: ClientCommand.cpp:1707 +#: ClientCommand.cpp:1725 msgctxt "helpcmd|ListClients|desc" msgid "List all clients connected to your ZNC user" msgstr "" -#: ClientCommand.cpp:1711 +#: ClientCommand.cpp:1729 msgctxt "helpcmd|ListServers|desc" msgid "List all servers of current IRC network" msgstr "" -#: ClientCommand.cpp:1715 +#: ClientCommand.cpp:1733 msgctxt "helpcmd|AddNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1716 +#: ClientCommand.cpp:1734 msgctxt "helpcmd|AddNetwork|desc" msgid "Add a network to your user" msgstr "" -#: ClientCommand.cpp:1718 +#: ClientCommand.cpp:1736 msgctxt "helpcmd|DelNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1719 +#: ClientCommand.cpp:1737 msgctxt "helpcmd|DelNetwork|desc" msgid "Delete a network from your user" msgstr "" -#: ClientCommand.cpp:1721 +#: ClientCommand.cpp:1739 msgctxt "helpcmd|ListNetworks|desc" msgid "List all networks" msgstr "" -#: ClientCommand.cpp:1724 +#: ClientCommand.cpp:1742 msgctxt "helpcmd|MoveNetwork|args" msgid " [new network]" msgstr "" -#: ClientCommand.cpp:1726 +#: ClientCommand.cpp:1744 msgctxt "helpcmd|MoveNetwork|desc" msgid "Move an IRC network from one user to another" msgstr "" -#: ClientCommand.cpp:1730 +#: ClientCommand.cpp:1748 msgctxt "helpcmd|JumpNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1731 +#: ClientCommand.cpp:1749 msgctxt "helpcmd|JumpNetwork|desc" msgid "" "Jump to another network (Alternatively, you can connect to ZNC several " "times, using `user/network` as username)" msgstr "" -#: ClientCommand.cpp:1736 +#: ClientCommand.cpp:1754 msgctxt "helpcmd|AddServer|args" msgid " [[+]port] [pass]" msgstr "" -#: ClientCommand.cpp:1737 +#: ClientCommand.cpp:1755 msgctxt "helpcmd|AddServer|desc" msgid "" "Add a server to the list of alternate/backup servers of current IRC network." msgstr "" -#: ClientCommand.cpp:1741 +#: ClientCommand.cpp:1759 msgctxt "helpcmd|DelServer|args" msgid " [port] [pass]" msgstr "" -#: ClientCommand.cpp:1742 +#: ClientCommand.cpp:1760 msgctxt "helpcmd|DelServer|desc" msgid "" "Remove a server from the list of alternate/backup servers of current IRC " "network" msgstr "" -#: ClientCommand.cpp:1748 +#: ClientCommand.cpp:1766 msgctxt "helpcmd|AddTrustedServerFingerprint|args" msgid "" msgstr "" -#: ClientCommand.cpp:1749 +#: ClientCommand.cpp:1767 msgctxt "helpcmd|AddTrustedServerFingerprint|desc" msgid "" "Add a trusted server SSL certificate fingerprint (SHA-256) to current IRC " "network." msgstr "" -#: ClientCommand.cpp:1754 +#: ClientCommand.cpp:1772 msgctxt "helpcmd|DelTrustedServerFingerprint|args" msgid "" msgstr "" -#: ClientCommand.cpp:1755 +#: ClientCommand.cpp:1773 msgctxt "helpcmd|DelTrustedServerFingerprint|desc" msgid "Delete a trusted server SSL certificate from current IRC network." msgstr "" -#: ClientCommand.cpp:1759 +#: ClientCommand.cpp:1777 msgctxt "helpcmd|ListTrustedServerFingerprints|desc" msgid "List all trusted server SSL certificates of current IRC network." msgstr "" -#: ClientCommand.cpp:1762 +#: ClientCommand.cpp:1780 msgctxt "helpcmd|EnableChan|args" msgid "<#chans>" msgstr "" -#: ClientCommand.cpp:1763 +#: ClientCommand.cpp:1781 msgctxt "helpcmd|EnableChan|desc" msgid "Enable channels" msgstr "" -#: ClientCommand.cpp:1764 +#: ClientCommand.cpp:1782 msgctxt "helpcmd|DisableChan|args" msgid "<#chans>" msgstr "" -#: ClientCommand.cpp:1765 +#: ClientCommand.cpp:1783 msgctxt "helpcmd|DisableChan|desc" msgid "Disable channels" msgstr "" -#: ClientCommand.cpp:1766 +#: ClientCommand.cpp:1784 msgctxt "helpcmd|Attach|args" msgid "<#chans>" msgstr "" -#: ClientCommand.cpp:1767 +#: ClientCommand.cpp:1785 msgctxt "helpcmd|Attach|desc" msgid "Attach to channels" msgstr "" -#: ClientCommand.cpp:1768 +#: ClientCommand.cpp:1786 msgctxt "helpcmd|Detach|args" msgid "<#chans>" msgstr "" -#: ClientCommand.cpp:1769 +#: ClientCommand.cpp:1787 msgctxt "helpcmd|Detach|desc" msgid "Detach from channels" msgstr "" -#: ClientCommand.cpp:1772 +#: ClientCommand.cpp:1790 msgctxt "helpcmd|Topics|desc" msgid "Show topics in all your channels" msgstr "" -#: ClientCommand.cpp:1775 +#: ClientCommand.cpp:1793 msgctxt "helpcmd|PlayBuffer|args" msgid "<#chan|query>" msgstr "" -#: ClientCommand.cpp:1776 +#: ClientCommand.cpp:1794 msgctxt "helpcmd|PlayBuffer|desc" msgid "Play back the specified buffer" msgstr "" -#: ClientCommand.cpp:1778 +#: ClientCommand.cpp:1796 msgctxt "helpcmd|ClearBuffer|args" msgid "<#chan|query>" msgstr "" -#: ClientCommand.cpp:1779 +#: ClientCommand.cpp:1797 msgctxt "helpcmd|ClearBuffer|desc" msgid "Clear the specified buffer" msgstr "" -#: ClientCommand.cpp:1781 +#: ClientCommand.cpp:1799 msgctxt "helpcmd|ClearAllBuffers|desc" msgid "Clear all channel and query buffers" msgstr "" -#: ClientCommand.cpp:1784 +#: ClientCommand.cpp:1802 msgctxt "helpcmd|ClearAllChannelBuffers|desc" msgid "Clear the channel buffers" msgstr "" -#: ClientCommand.cpp:1788 +#: ClientCommand.cpp:1806 msgctxt "helpcmd|ClearAllQueryBuffers|desc" msgid "Clear the query buffers" msgstr "" -#: ClientCommand.cpp:1790 +#: ClientCommand.cpp:1808 msgctxt "helpcmd|SetBuffer|args" msgid "<#chan|query> [linecount]" msgstr "" -#: ClientCommand.cpp:1791 +#: ClientCommand.cpp:1809 msgctxt "helpcmd|SetBuffer|desc" msgid "Set the buffer count" msgstr "" -#: ClientCommand.cpp:1795 +#: ClientCommand.cpp:1813 msgctxt "helpcmd|SetBindHost|args" msgid "" msgstr "" -#: ClientCommand.cpp:1796 +#: ClientCommand.cpp:1814 msgctxt "helpcmd|SetBindHost|desc" msgid "Set the bind host for this network" msgstr "" -#: ClientCommand.cpp:1800 +#: ClientCommand.cpp:1818 msgctxt "helpcmd|SetUserBindHost|args" msgid "" msgstr "" -#: ClientCommand.cpp:1801 +#: ClientCommand.cpp:1819 msgctxt "helpcmd|SetUserBindHost|desc" msgid "Set the default bind host for this user" msgstr "" -#: ClientCommand.cpp:1804 +#: ClientCommand.cpp:1822 msgctxt "helpcmd|ClearBindHost|desc" msgid "Clear the bind host for this network" msgstr "" -#: ClientCommand.cpp:1807 +#: ClientCommand.cpp:1825 msgctxt "helpcmd|ClearUserBindHost|desc" msgid "Clear the default bind host for this user" msgstr "" -#: ClientCommand.cpp:1813 +#: ClientCommand.cpp:1831 msgctxt "helpcmd|ShowBindHost|desc" msgid "Show currently selected bind host" msgstr "" -#: ClientCommand.cpp:1815 +#: ClientCommand.cpp:1833 msgctxt "helpcmd|Jump|args" msgid "[server]" msgstr "" -#: ClientCommand.cpp:1816 +#: ClientCommand.cpp:1834 msgctxt "helpcmd|Jump|desc" msgid "Jump to the next or the specified server" msgstr "" -#: ClientCommand.cpp:1817 +#: ClientCommand.cpp:1835 msgctxt "helpcmd|Disconnect|args" msgid "[message]" msgstr "" -#: ClientCommand.cpp:1818 +#: ClientCommand.cpp:1836 msgctxt "helpcmd|Disconnect|desc" msgid "Disconnect from IRC" msgstr "" -#: ClientCommand.cpp:1820 +#: ClientCommand.cpp:1838 msgctxt "helpcmd|Connect|desc" msgid "Reconnect to IRC" msgstr "" -#: ClientCommand.cpp:1823 +#: ClientCommand.cpp:1841 msgctxt "helpcmd|Uptime|desc" msgid "Show for how long ZNC has been running" msgstr "" -#: ClientCommand.cpp:1827 +#: ClientCommand.cpp:1845 msgctxt "helpcmd|LoadMod|args" msgid "[--type=global|user|network] [args]" msgstr "" -#: ClientCommand.cpp:1829 +#: ClientCommand.cpp:1847 msgctxt "helpcmd|LoadMod|desc" msgid "Load a module" msgstr "" -#: ClientCommand.cpp:1831 +#: ClientCommand.cpp:1849 msgctxt "helpcmd|UnloadMod|args" msgid "[--type=global|user|network] " msgstr "" -#: ClientCommand.cpp:1833 +#: ClientCommand.cpp:1851 msgctxt "helpcmd|UnloadMod|desc" msgid "Unload a module" msgstr "" -#: ClientCommand.cpp:1835 +#: ClientCommand.cpp:1853 msgctxt "helpcmd|ReloadMod|args" msgid "[--type=global|user|network] [args]" msgstr "" -#: ClientCommand.cpp:1837 +#: ClientCommand.cpp:1855 msgctxt "helpcmd|ReloadMod|desc" msgid "Reload a module" msgstr "" -#: ClientCommand.cpp:1840 +#: ClientCommand.cpp:1858 msgctxt "helpcmd|UpdateMod|args" msgid "" msgstr "" -#: ClientCommand.cpp:1841 +#: ClientCommand.cpp:1859 msgctxt "helpcmd|UpdateMod|desc" msgid "Reload a module everywhere" msgstr "" -#: ClientCommand.cpp:1847 +#: ClientCommand.cpp:1865 msgctxt "helpcmd|ShowMOTD|desc" msgid "Show ZNC's message of the day" msgstr "" -#: ClientCommand.cpp:1851 +#: ClientCommand.cpp:1869 msgctxt "helpcmd|SetMOTD|args" msgid "" msgstr "" -#: ClientCommand.cpp:1852 +#: ClientCommand.cpp:1870 msgctxt "helpcmd|SetMOTD|desc" msgid "Set ZNC's message of the day" msgstr "" -#: ClientCommand.cpp:1854 +#: ClientCommand.cpp:1872 msgctxt "helpcmd|AddMOTD|args" msgid "" msgstr "" -#: ClientCommand.cpp:1855 +#: ClientCommand.cpp:1873 msgctxt "helpcmd|AddMOTD|desc" msgid "Append to ZNC's MOTD" msgstr "" -#: ClientCommand.cpp:1857 +#: ClientCommand.cpp:1875 msgctxt "helpcmd|ClearMOTD|desc" msgid "Clear ZNC's MOTD" msgstr "" -#: ClientCommand.cpp:1860 +#: ClientCommand.cpp:1878 msgctxt "helpcmd|ListPorts|desc" msgid "Show all active listeners" msgstr "" -#: ClientCommand.cpp:1862 +#: ClientCommand.cpp:1880 msgctxt "helpcmd|AddPort|args" msgid "<[+]port> [bindhost [uriprefix]]" msgstr "" -#: ClientCommand.cpp:1865 +#: ClientCommand.cpp:1883 msgctxt "helpcmd|AddPort|desc" msgid "Add another port for ZNC to listen on" msgstr "" -#: ClientCommand.cpp:1869 +#: ClientCommand.cpp:1887 msgctxt "helpcmd|DelPort|args" msgid " [bindhost]" msgstr "" -#: ClientCommand.cpp:1870 +#: ClientCommand.cpp:1888 msgctxt "helpcmd|DelPort|desc" msgid "Remove a port from ZNC" msgstr "" -#: ClientCommand.cpp:1873 +#: ClientCommand.cpp:1891 msgctxt "helpcmd|Rehash|desc" msgid "Reload global settings, modules, and listeners from znc.conf" msgstr "" -#: ClientCommand.cpp:1876 +#: ClientCommand.cpp:1894 msgctxt "helpcmd|SaveConfig|desc" msgid "Save the current settings to disk" msgstr "" -#: ClientCommand.cpp:1879 +#: ClientCommand.cpp:1897 msgctxt "helpcmd|ListUsers|desc" msgid "List all ZNC users and their connection status" msgstr "" -#: ClientCommand.cpp:1882 +#: ClientCommand.cpp:1900 msgctxt "helpcmd|ListAllUserNetworks|desc" msgid "List all ZNC users and their networks" msgstr "" -#: ClientCommand.cpp:1885 +#: ClientCommand.cpp:1903 msgctxt "helpcmd|ListChans|args" msgid "[user ]" msgstr "" -#: ClientCommand.cpp:1888 +#: ClientCommand.cpp:1906 msgctxt "helpcmd|ListClients|args" msgid "[user]" msgstr "" -#: ClientCommand.cpp:1889 +#: ClientCommand.cpp:1907 msgctxt "helpcmd|ListClients|desc" msgid "List all connected clients" msgstr "" -#: ClientCommand.cpp:1891 +#: ClientCommand.cpp:1909 msgctxt "helpcmd|Traffic|desc" msgid "Show basic traffic stats for all ZNC users" msgstr "" -#: ClientCommand.cpp:1893 +#: ClientCommand.cpp:1911 msgctxt "helpcmd|Broadcast|args" msgid "[message]" msgstr "" -#: ClientCommand.cpp:1894 +#: ClientCommand.cpp:1912 msgctxt "helpcmd|Broadcast|desc" msgid "Broadcast a message to all ZNC users" msgstr "" -#: ClientCommand.cpp:1897 +#: ClientCommand.cpp:1915 msgctxt "helpcmd|Shutdown|args" msgid "[message]" msgstr "" -#: ClientCommand.cpp:1898 +#: ClientCommand.cpp:1916 msgctxt "helpcmd|Shutdown|desc" msgid "Shut down ZNC completely" msgstr "" -#: ClientCommand.cpp:1899 +#: ClientCommand.cpp:1917 msgctxt "helpcmd|Restart|args" msgid "[message]" msgstr "" -#: ClientCommand.cpp:1900 +#: ClientCommand.cpp:1918 msgctxt "helpcmd|Restart|desc" msgid "Restart ZNC" msgstr "" diff --git a/src/po/znc.it_IT.po b/src/po/znc.it_IT.po index 137da330..a2da852d 100644 --- a/src/po/znc.it_IT.po +++ b/src/po/znc.it_IT.po @@ -75,7 +75,7 @@ msgstr "Impossibile localizzare il file pem: {1}" msgid "Invalid port" msgstr "Porta non valida" -#: znc.cpp:1821 ClientCommand.cpp:1637 +#: znc.cpp:1821 ClientCommand.cpp:1655 msgid "Unable to bind: {1}" msgstr "Impossibile associare: {1}" @@ -265,6 +265,7 @@ msgid "Usage: /attach <#chans>" msgstr "Usa: /attach <#canali>" #: Client.cpp:1344 Client.cpp:1366 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: ClientCommand.cpp:423 ClientCommand.cpp:450 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" msgstr[0] "Trovato {1} canale corrispondente a [{2}]" @@ -304,7 +305,7 @@ msgctxt "modhelpcmd" msgid "Generate this output" msgstr "Genera questo output" -#: Modules.cpp:573 ClientCommand.cpp:1904 +#: Modules.cpp:573 ClientCommand.cpp:1922 msgid "No matches for '{1}'" msgstr "Nessuna corrispondenza per '{1}'" @@ -415,11 +416,12 @@ msgid "Description" msgstr "Descrizione" #: ClientCommand.cpp:51 ClientCommand.cpp:115 ClientCommand.cpp:137 -#: ClientCommand.cpp:749 ClientCommand.cpp:768 ClientCommand.cpp:794 -#: ClientCommand.cpp:827 ClientCommand.cpp:840 ClientCommand.cpp:853 -#: ClientCommand.cpp:868 ClientCommand.cpp:1329 ClientCommand.cpp:1377 -#: ClientCommand.cpp:1409 ClientCommand.cpp:1420 ClientCommand.cpp:1429 -#: ClientCommand.cpp:1441 +#: ClientCommand.cpp:339 ClientCommand.cpp:390 ClientCommand.cpp:405 +#: ClientCommand.cpp:432 ClientCommand.cpp:459 ClientCommand.cpp:764 +#: ClientCommand.cpp:783 ClientCommand.cpp:809 ClientCommand.cpp:843 +#: ClientCommand.cpp:856 ClientCommand.cpp:869 ClientCommand.cpp:884 +#: ClientCommand.cpp:1345 ClientCommand.cpp:1393 ClientCommand.cpp:1425 +#: ClientCommand.cpp:1436 ClientCommand.cpp:1445 ClientCommand.cpp:1457 msgid "You must be connected with a network to use this command" msgstr "Devi essere connesso ad un network per usare questo comando" @@ -479,87 +481,248 @@ msgstr "Scritto config a {1}" msgid "Error while trying to write config." msgstr "Errore durante il tentativo di scrivere la configurazione." -#: ClientCommand.cpp:455 +#: ClientCommand.cpp:183 +msgid "Usage: ListClients" +msgstr "" + +#: ClientCommand.cpp:190 +msgid "No such user: {1}" +msgstr "" + +#: ClientCommand.cpp:198 +msgid "No clients are connected" +msgstr "" + +#: ClientCommand.cpp:203 ClientCommand.cpp:209 +msgctxt "listclientscmd" +msgid "Host" +msgstr "" + +#: ClientCommand.cpp:204 ClientCommand.cpp:212 +msgctxt "listclientscmd" +msgid "Network" +msgstr "" + +#: ClientCommand.cpp:205 ClientCommand.cpp:215 +msgctxt "listclientscmd" +msgid "Identifier" +msgstr "" + +#: ClientCommand.cpp:223 ClientCommand.cpp:229 +msgctxt "listuserscmd" +msgid "Username" +msgstr "" + +#: ClientCommand.cpp:224 ClientCommand.cpp:230 +msgctxt "listuserscmd" +msgid "Networks" +msgstr "" + +#: ClientCommand.cpp:225 ClientCommand.cpp:232 +msgctxt "listuserscmd" +msgid "Clients" +msgstr "" + +#: ClientCommand.cpp:240 ClientCommand.cpp:250 ClientCommand.cpp:260 +#: ClientCommand.cpp:263 +msgctxt "listallusernetworkscmd" +msgid "Username" +msgstr "" + +#: ClientCommand.cpp:241 ClientCommand.cpp:251 ClientCommand.cpp:266 +msgctxt "listallusernetworkscmd" +msgid "Network" +msgstr "" + +#: ClientCommand.cpp:242 ClientCommand.cpp:252 ClientCommand.cpp:268 +msgctxt "listallusernetworkscmd" +msgid "Clients" +msgstr "" + +#: ClientCommand.cpp:243 ClientCommand.cpp:271 ClientCommand.cpp:280 +msgctxt "listallusernetworkscmd" +msgid "On IRC" +msgstr "" + +#: ClientCommand.cpp:244 ClientCommand.cpp:273 +msgctxt "listallusernetworkscmd" +msgid "IRC Server" +msgstr "" + +#: ClientCommand.cpp:245 ClientCommand.cpp:275 +msgctxt "listallusernetworkscmd" +msgid "IRC User" +msgstr "" + +#: ClientCommand.cpp:246 ClientCommand.cpp:277 +msgctxt "listallusernetworkscmd" +msgid "Channels" +msgstr "" + +#: ClientCommand.cpp:251 +msgid "N/A" +msgstr "" + +#: ClientCommand.cpp:272 +msgctxt "listallusernetworkscmd" +msgid "Yes" +msgstr "" + +#: ClientCommand.cpp:281 +msgctxt "listallusernetworkscmd" +msgid "No" +msgstr "" + +#: ClientCommand.cpp:291 +msgid "Usage: SetMOTD " +msgstr "" + +#: ClientCommand.cpp:294 +msgid "MOTD set to: {1}" +msgstr "" + +#: ClientCommand.cpp:300 +msgid "Usage: AddMOTD " +msgstr "" + +#: ClientCommand.cpp:303 +msgid "Added [{1}] to MOTD" +msgstr "" + +#: ClientCommand.cpp:307 +msgid "Cleared MOTD" +msgstr "" + +#: ClientCommand.cpp:329 +msgid "" +"ERROR: Writing config file to disk failed! Aborting. Use {1} FORCE to ignore." +msgstr "" + +#: ClientCommand.cpp:344 ClientCommand.cpp:797 ClientCommand.cpp:838 +msgid "You don't have any servers added." +msgstr "Non hai nessun server aggiunto." + +#: ClientCommand.cpp:355 +msgid "Server [{1}] not found" +msgstr "" + +#: ClientCommand.cpp:375 ClientCommand.cpp:380 +msgid "Connecting to {1}..." +msgstr "" + +#: ClientCommand.cpp:377 +msgid "Jumping to the next server in the list..." +msgstr "" + +#: ClientCommand.cpp:382 +msgid "Connecting..." +msgstr "" + +#: ClientCommand.cpp:400 +msgid "Disconnected from IRC. Use 'connect' to reconnect." +msgstr "" + +#: ClientCommand.cpp:412 +msgid "Usage: EnableChan <#chans>" +msgstr "" + +#: ClientCommand.cpp:426 +msgid "Enabled {1} channel" +msgid_plural "Enabled {1} channels" +msgstr[0] "" +msgstr[1] "" + +#: ClientCommand.cpp:439 +msgid "Usage: DisableChan <#chans>" +msgstr "" + +#: ClientCommand.cpp:453 +msgid "Disabled {1} channel" +msgid_plural "Disabled {1} channels" +msgstr[0] "" +msgstr[1] "" + +#: ClientCommand.cpp:470 msgid "Usage: ListChans" msgstr "Usa: ListChans" -#: ClientCommand.cpp:462 +#: ClientCommand.cpp:477 msgid "No such user [{1}]" msgstr "Nessun utente [{1}]" -#: ClientCommand.cpp:468 +#: ClientCommand.cpp:483 msgid "User [{1}] doesn't have network [{2}]" msgstr "L'utente [{1}] non ha network [{2}]" -#: ClientCommand.cpp:479 +#: ClientCommand.cpp:494 msgid "There are no channels defined." msgstr "Non ci sono canali definiti." -#: ClientCommand.cpp:484 ClientCommand.cpp:500 +#: ClientCommand.cpp:499 ClientCommand.cpp:515 msgctxt "listchans" msgid "Name" msgstr "Nome" -#: ClientCommand.cpp:485 ClientCommand.cpp:503 +#: ClientCommand.cpp:500 ClientCommand.cpp:518 msgctxt "listchans" msgid "Status" msgstr "Stato" -#: ClientCommand.cpp:486 ClientCommand.cpp:510 +#: ClientCommand.cpp:501 ClientCommand.cpp:525 msgctxt "listchans" msgid "In config" msgstr "In configurazione" -#: ClientCommand.cpp:487 ClientCommand.cpp:512 +#: ClientCommand.cpp:502 ClientCommand.cpp:527 msgctxt "listchans" msgid "Buffer" msgstr "Buffer" -#: ClientCommand.cpp:488 ClientCommand.cpp:516 +#: ClientCommand.cpp:503 ClientCommand.cpp:531 msgctxt "listchans" msgid "Clear" msgstr "Annulla" -#: ClientCommand.cpp:489 ClientCommand.cpp:521 +#: ClientCommand.cpp:504 ClientCommand.cpp:536 msgctxt "listchans" msgid "Modes" msgstr "Modi" -#: ClientCommand.cpp:490 ClientCommand.cpp:522 +#: ClientCommand.cpp:505 ClientCommand.cpp:537 msgctxt "listchans" msgid "Users" msgstr "Utenti" -#: ClientCommand.cpp:505 +#: ClientCommand.cpp:520 msgctxt "listchans" msgid "Detached" msgstr "Scollegati" -#: ClientCommand.cpp:506 +#: ClientCommand.cpp:521 msgctxt "listchans" msgid "Joined" msgstr "Dentro" -#: ClientCommand.cpp:507 +#: ClientCommand.cpp:522 msgctxt "listchans" msgid "Disabled" msgstr "Disabilitati" -#: ClientCommand.cpp:508 +#: ClientCommand.cpp:523 msgctxt "listchans" msgid "Trying" msgstr "Provando" -#: ClientCommand.cpp:511 ClientCommand.cpp:519 +#: ClientCommand.cpp:526 ClientCommand.cpp:534 msgctxt "listchans" msgid "yes" msgstr "si" -#: ClientCommand.cpp:536 +#: ClientCommand.cpp:551 msgid "Total: {1}, Joined: {2}, Detached: {3}, Disabled: {4}" msgstr "Totale: {1}, Joined: {2}, Scollegati: {3}, Disabilitati: {4}" -#: ClientCommand.cpp:541 +#: ClientCommand.cpp:556 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks using /znc DelNetwork " @@ -567,15 +730,15 @@ msgstr "" "Numero limite per network raggiunto. Chiedi ad un amministratore di " "aumentare il limite per te o elimina i networks usando /znc DelNetwork " -#: ClientCommand.cpp:550 +#: ClientCommand.cpp:565 msgid "Usage: AddNetwork " msgstr "Usa: AddNetwork " -#: ClientCommand.cpp:554 +#: ClientCommand.cpp:569 msgid "Network name should be alphanumeric" msgstr "Il nome del network deve essere alfanumerico" -#: ClientCommand.cpp:561 +#: ClientCommand.cpp:576 msgid "" "Network added. Use /znc JumpNetwork {1}, or connect to ZNC with username {2} " "(instead of just {3}) to connect to it." @@ -583,139 +746,139 @@ msgstr "" "Network aggiunto. Usa /znc JumpNetwork {1}, o connettiti allo ZNC con " "username {2} (al posto di {3}) per connetterlo." -#: ClientCommand.cpp:566 +#: ClientCommand.cpp:581 msgid "Unable to add that network" msgstr "Impossibile aggiungerge questo network" -#: ClientCommand.cpp:573 +#: ClientCommand.cpp:588 msgid "Usage: DelNetwork " msgstr "Usa: DelNetwork " -#: ClientCommand.cpp:582 +#: ClientCommand.cpp:597 msgid "Network deleted" msgstr "Network cancellato" -#: ClientCommand.cpp:585 +#: ClientCommand.cpp:600 msgid "Failed to delete network, perhaps this network doesn't exist" msgstr "Impossibile eliminare il network, forse questo network non esiste" -#: ClientCommand.cpp:595 +#: ClientCommand.cpp:610 msgid "User {1} not found" msgstr "Utente {1} non trovato" -#: ClientCommand.cpp:603 ClientCommand.cpp:611 +#: ClientCommand.cpp:618 ClientCommand.cpp:626 msgctxt "listnetworks" msgid "Network" msgstr "Rete (Network)" -#: ClientCommand.cpp:604 ClientCommand.cpp:613 ClientCommand.cpp:622 +#: ClientCommand.cpp:619 ClientCommand.cpp:628 ClientCommand.cpp:637 msgctxt "listnetworks" msgid "On IRC" msgstr "Su IRC" -#: ClientCommand.cpp:605 ClientCommand.cpp:615 +#: ClientCommand.cpp:620 ClientCommand.cpp:630 msgctxt "listnetworks" msgid "IRC Server" msgstr "Server IRC" -#: ClientCommand.cpp:606 ClientCommand.cpp:617 +#: ClientCommand.cpp:621 ClientCommand.cpp:632 msgctxt "listnetworks" msgid "IRC User" msgstr "Utente IRC" -#: ClientCommand.cpp:607 ClientCommand.cpp:619 +#: ClientCommand.cpp:622 ClientCommand.cpp:634 msgctxt "listnetworks" msgid "Channels" msgstr "Canali" -#: ClientCommand.cpp:614 +#: ClientCommand.cpp:629 msgctxt "listnetworks" msgid "Yes" msgstr "Si" -#: ClientCommand.cpp:623 +#: ClientCommand.cpp:638 msgctxt "listnetworks" msgid "No" msgstr "No" -#: ClientCommand.cpp:628 +#: ClientCommand.cpp:643 msgctxt "listnetworks" msgid "No networks" msgstr "Nessun networks" -#: ClientCommand.cpp:632 ClientCommand.cpp:936 +#: ClientCommand.cpp:647 ClientCommand.cpp:952 msgid "Access denied." msgstr "Accesso negato." -#: ClientCommand.cpp:643 +#: ClientCommand.cpp:658 msgid "Usage: MoveNetwork [new network]" msgstr "" "Usa: MoveNetwork [nuovo " "network]" -#: ClientCommand.cpp:653 +#: ClientCommand.cpp:668 msgid "Old user {1} not found." msgstr "Vecchio utente {1} non trovato." -#: ClientCommand.cpp:659 +#: ClientCommand.cpp:674 msgid "Old network {1} not found." msgstr "Vecchio network {1} non trovato." -#: ClientCommand.cpp:665 +#: ClientCommand.cpp:680 msgid "New user {1} not found." msgstr "Nuovo utente {1} non trovato." -#: ClientCommand.cpp:670 +#: ClientCommand.cpp:685 msgid "User {1} already has network {2}." msgstr "L'utente {1} ha già un network chiamato {2}." -#: ClientCommand.cpp:676 +#: ClientCommand.cpp:691 msgid "Invalid network name [{1}]" msgstr "Nome del network [{1}] non valido" -#: ClientCommand.cpp:692 +#: ClientCommand.cpp:707 msgid "Some files seem to be in {1}. You might want to move them to {2}" msgstr "Alcuni files sembrano essere in {1}. Forse dovresti spostarli in {2}" -#: ClientCommand.cpp:706 +#: ClientCommand.cpp:721 msgid "Error adding network: {1}" msgstr "Errore durante l'aggiunta del network: {1}" -#: ClientCommand.cpp:718 +#: ClientCommand.cpp:733 msgid "Success." msgstr "Completato." -#: ClientCommand.cpp:721 +#: ClientCommand.cpp:736 msgid "Copied the network to new user, but failed to delete old network" msgstr "" "Il network è stato copiato nel nuovo utente, ma non è stato possibile " "eliminare il vecchio network" -#: ClientCommand.cpp:728 +#: ClientCommand.cpp:743 msgid "No network supplied." msgstr "Nessun network fornito." -#: ClientCommand.cpp:733 +#: ClientCommand.cpp:748 msgid "You are already connected with this network." msgstr "Sei già connesso con questo network." -#: ClientCommand.cpp:739 +#: ClientCommand.cpp:754 msgid "Switched to {1}" msgstr "Passato a {1}" -#: ClientCommand.cpp:742 +#: ClientCommand.cpp:757 msgid "You don't have a network named {1}" msgstr "Non hai un network chiamato {1}" -#: ClientCommand.cpp:754 +#: ClientCommand.cpp:769 msgid "Usage: AddServer [[+]port] [pass]" msgstr "Usa: AddServer [[+]porta] [password]" -#: ClientCommand.cpp:759 +#: ClientCommand.cpp:774 msgid "Server added" msgstr "Server aggiunto" -#: ClientCommand.cpp:762 +#: ClientCommand.cpp:777 msgid "" "Unable to add that server. Perhaps the server is already added or openssl is " "disabled?" @@ -723,244 +886,240 @@ msgstr "" "Impossibile aggiungere il server. Forse il server è già aggiunto oppure " "openssl è disabilitato?" -#: ClientCommand.cpp:777 +#: ClientCommand.cpp:792 msgid "Usage: DelServer [port] [pass]" msgstr "Usa: DelServer [porta] [password]" -#: ClientCommand.cpp:782 ClientCommand.cpp:822 -msgid "You don't have any servers added." -msgstr "Non hai nessun server aggiunto." - -#: ClientCommand.cpp:787 +#: ClientCommand.cpp:802 msgid "Server removed" msgstr "Server rimosso" -#: ClientCommand.cpp:789 +#: ClientCommand.cpp:804 msgid "No such server" msgstr "Nessun server" -#: ClientCommand.cpp:802 ClientCommand.cpp:809 +#: ClientCommand.cpp:817 ClientCommand.cpp:825 msgctxt "listservers" msgid "Host" msgstr "Host" -#: ClientCommand.cpp:803 ClientCommand.cpp:811 +#: ClientCommand.cpp:818 ClientCommand.cpp:827 msgctxt "listservers" msgid "Port" msgstr "Porta" -#: ClientCommand.cpp:804 ClientCommand.cpp:814 +#: ClientCommand.cpp:819 ClientCommand.cpp:830 msgctxt "listservers" msgid "SSL" msgstr "SSL" -#: ClientCommand.cpp:805 ClientCommand.cpp:816 +#: ClientCommand.cpp:820 ClientCommand.cpp:832 msgctxt "listservers" msgid "Password" msgstr "Password" -#: ClientCommand.cpp:815 +#: ClientCommand.cpp:831 msgctxt "listservers|cell" msgid "SSL" msgstr "SSL" -#: ClientCommand.cpp:832 +#: ClientCommand.cpp:848 msgid "Usage: AddTrustedServerFingerprint " msgstr "Usa: AddTrustedServerFingerprint " -#: ClientCommand.cpp:836 ClientCommand.cpp:849 +#: ClientCommand.cpp:852 ClientCommand.cpp:865 msgid "Done." msgstr "Fatto." -#: ClientCommand.cpp:845 +#: ClientCommand.cpp:861 msgid "Usage: DelTrustedServerFingerprint " msgstr "Usa: DelTrustedServerFingerprint " -#: ClientCommand.cpp:858 +#: ClientCommand.cpp:874 msgid "No fingerprints added." msgstr "Nessun fingerprints aggiunto." -#: ClientCommand.cpp:874 ClientCommand.cpp:880 +#: ClientCommand.cpp:890 ClientCommand.cpp:896 msgctxt "topicscmd" msgid "Channel" msgstr "Canale" -#: ClientCommand.cpp:875 ClientCommand.cpp:881 +#: ClientCommand.cpp:891 ClientCommand.cpp:897 msgctxt "topicscmd" msgid "Set By" msgstr "Impostato da" -#: ClientCommand.cpp:876 ClientCommand.cpp:882 +#: ClientCommand.cpp:892 ClientCommand.cpp:898 msgctxt "topicscmd" msgid "Topic" msgstr "Topic" -#: ClientCommand.cpp:889 ClientCommand.cpp:894 +#: ClientCommand.cpp:905 ClientCommand.cpp:910 msgctxt "listmods" msgid "Name" msgstr "Nome" -#: ClientCommand.cpp:890 ClientCommand.cpp:895 +#: ClientCommand.cpp:906 ClientCommand.cpp:911 msgctxt "listmods" msgid "Arguments" msgstr "Argomenti" -#: ClientCommand.cpp:904 +#: ClientCommand.cpp:920 msgid "No global modules loaded." msgstr "Nessun modulo globale caricato." -#: ClientCommand.cpp:906 ClientCommand.cpp:970 +#: ClientCommand.cpp:922 ClientCommand.cpp:986 msgid "Global modules:" msgstr "Moduli globali:" -#: ClientCommand.cpp:915 +#: ClientCommand.cpp:931 msgid "Your user has no modules loaded." msgstr "Il tuo utente non ha moduli caricati." -#: ClientCommand.cpp:917 ClientCommand.cpp:982 +#: ClientCommand.cpp:933 ClientCommand.cpp:998 msgid "User modules:" msgstr "Moduli per l'utente:" -#: ClientCommand.cpp:925 +#: ClientCommand.cpp:941 msgid "This network has no modules loaded." msgstr "Questo network non ha moduli caricati." -#: ClientCommand.cpp:927 ClientCommand.cpp:994 +#: ClientCommand.cpp:943 ClientCommand.cpp:1010 msgid "Network modules:" msgstr "Moduli per il network:" -#: ClientCommand.cpp:942 ClientCommand.cpp:949 +#: ClientCommand.cpp:958 ClientCommand.cpp:965 msgctxt "listavailmods" msgid "Name" msgstr "Nome" -#: ClientCommand.cpp:943 ClientCommand.cpp:954 +#: ClientCommand.cpp:959 ClientCommand.cpp:970 msgctxt "listavailmods" msgid "Description" msgstr "Descrizione" -#: ClientCommand.cpp:968 +#: ClientCommand.cpp:984 msgid "No global modules available." msgstr "Nessun modulo globale disponibile." -#: ClientCommand.cpp:980 +#: ClientCommand.cpp:996 msgid "No user modules available." msgstr "Nessun modulo utente disponibile." -#: ClientCommand.cpp:992 +#: ClientCommand.cpp:1008 msgid "No network modules available." msgstr "Nessun modulo per network disponibile." -#: ClientCommand.cpp:1020 +#: ClientCommand.cpp:1036 msgid "Unable to load {1}: Access denied." msgstr "Impossibile caricare {1}: Accesso negato." -#: ClientCommand.cpp:1026 +#: ClientCommand.cpp:1042 msgid "Usage: LoadMod [--type=global|user|network] [args]" msgstr "Usa: LoadMod [--type=global|user|network] [argomenti]" -#: ClientCommand.cpp:1033 +#: ClientCommand.cpp:1049 msgid "Unable to load {1}: {2}" msgstr "Impossibile caricare {1}: {2}" -#: ClientCommand.cpp:1043 +#: ClientCommand.cpp:1059 msgid "Unable to load global module {1}: Access denied." msgstr "Impossibile caricare il modulo globale {1}: Accesso negato." -#: ClientCommand.cpp:1049 +#: ClientCommand.cpp:1065 msgid "Unable to load network module {1}: Not connected with a network." msgstr "" "Impossibile caricare il modulo di tipo network {1}: Non sei connesso ad " "alcun network." -#: ClientCommand.cpp:1071 +#: ClientCommand.cpp:1087 msgid "Unknown module type" msgstr "Tipo di modulo sconosciuto" -#: ClientCommand.cpp:1076 +#: ClientCommand.cpp:1092 msgid "Loaded module {1}" msgstr "Modulo caricato {1}" -#: ClientCommand.cpp:1078 +#: ClientCommand.cpp:1094 msgid "Loaded module {1}: {2}" msgstr "Modulo caricato {1}: {2}" -#: ClientCommand.cpp:1081 +#: ClientCommand.cpp:1097 msgid "Unable to load module {1}: {2}" msgstr "Impossibile caricare il modulo {1}: {2}" -#: ClientCommand.cpp:1104 +#: ClientCommand.cpp:1120 msgid "Unable to unload {1}: Access denied." msgstr "Impossibile scaricare {1}: Accesso negato." -#: ClientCommand.cpp:1110 +#: ClientCommand.cpp:1126 msgid "Usage: UnloadMod [--type=global|user|network] " msgstr "Usa: UnloadMod [--type=global|user|network] " -#: ClientCommand.cpp:1119 +#: ClientCommand.cpp:1135 msgid "Unable to determine type of {1}: {2}" msgstr "Impossibile determinare tipo di {1}: {2}" -#: ClientCommand.cpp:1127 +#: ClientCommand.cpp:1143 msgid "Unable to unload global module {1}: Access denied." msgstr "Impossibile rimuovere il modulo di tipo globale {1}: Accesso negato." -#: ClientCommand.cpp:1134 +#: ClientCommand.cpp:1150 msgid "Unable to unload network module {1}: Not connected with a network." msgstr "" "Impossibile rimuovere il modulo di tipo network {1}: Non sei connesso ad " "alcun network." -#: ClientCommand.cpp:1153 +#: ClientCommand.cpp:1169 msgid "Unable to unload module {1}: Unknown module type" msgstr "Impossibile rimuovere il modulo {1}: Tipo di modulo sconosciuto" -#: ClientCommand.cpp:1166 +#: ClientCommand.cpp:1182 msgid "Unable to reload modules. Access denied." msgstr "Impossibile ricaricare i moduli. Accesso negato." -#: ClientCommand.cpp:1187 +#: ClientCommand.cpp:1203 msgid "Usage: ReloadMod [--type=global|user|network] [args]" msgstr "Usa: ReloadMod [--type=global|user|network] [argomenti]" -#: ClientCommand.cpp:1196 +#: ClientCommand.cpp:1212 msgid "Unable to reload {1}: {2}" msgstr "Impossibile ricaricare {1}: {2}" -#: ClientCommand.cpp:1204 +#: ClientCommand.cpp:1220 msgid "Unable to reload global module {1}: Access denied." msgstr "Impossibile ricaricare il modulo tipo globale {1}: Accesso negato." -#: ClientCommand.cpp:1211 +#: ClientCommand.cpp:1227 msgid "Unable to reload network module {1}: Not connected with a network." msgstr "" "Impossibile ricaricare il modulo di tipo network {1}: Non sei connesso ad " "alcun network." -#: ClientCommand.cpp:1233 +#: ClientCommand.cpp:1249 msgid "Unable to reload module {1}: Unknown module type" msgstr "Impossibile ricaricare il modulo {1}: Tipo di modulo sconosciuto" -#: ClientCommand.cpp:1244 +#: ClientCommand.cpp:1260 msgid "Usage: UpdateMod " msgstr "Usa: UpdateMod " -#: ClientCommand.cpp:1248 +#: ClientCommand.cpp:1264 msgid "Reloading {1} everywhere" msgstr "Ricarica {1} ovunque" -#: ClientCommand.cpp:1250 +#: ClientCommand.cpp:1266 msgid "Done" msgstr "Fatto" -#: ClientCommand.cpp:1253 +#: ClientCommand.cpp:1269 msgid "" "Done, but there were errors, module {1} could not be reloaded everywhere." msgstr "" "Fatto, si sono verificati errori. Il modulo {1} non può essere ricaricato " "ovunque." -#: ClientCommand.cpp:1261 +#: ClientCommand.cpp:1277 msgid "" "You must be connected with a network to use this command. Try " "SetUserBindHost instead" @@ -968,27 +1127,27 @@ msgstr "" "Devi essere connesso ad un network per usare questo comando. Prova invece " "SetUserBindHost" -#: ClientCommand.cpp:1268 +#: ClientCommand.cpp:1284 msgid "Usage: SetBindHost " msgstr "Usa: SetBindHost " -#: ClientCommand.cpp:1273 ClientCommand.cpp:1290 +#: ClientCommand.cpp:1289 ClientCommand.cpp:1306 msgid "You already have this bind host!" msgstr "Hai già questo bind host!" -#: ClientCommand.cpp:1278 +#: ClientCommand.cpp:1294 msgid "Set bind host for network {1} to {2}" msgstr "Impostato il bind host per il network {1} a {2}" -#: ClientCommand.cpp:1285 +#: ClientCommand.cpp:1301 msgid "Usage: SetUserBindHost " msgstr "Usa: SetUserBindHost " -#: ClientCommand.cpp:1295 +#: ClientCommand.cpp:1311 msgid "Set default bind host to {1}" msgstr "Imposta il bind host di default a {1}" -#: ClientCommand.cpp:1301 +#: ClientCommand.cpp:1317 msgid "" "You must be connected with a network to use this command. Try " "ClearUserBindHost instead" @@ -996,81 +1155,81 @@ msgstr "" "Devi essere connesso ad un network per usare questo comando. Prova invece " "ClearUserBindHost" -#: ClientCommand.cpp:1306 +#: ClientCommand.cpp:1322 msgid "Bind host cleared for this network." msgstr "Bind host cancellato per questo network." -#: ClientCommand.cpp:1310 +#: ClientCommand.cpp:1326 msgid "Default bind host cleared for your user." msgstr "Bind host di default cancellato per questo utente." -#: ClientCommand.cpp:1313 +#: ClientCommand.cpp:1329 msgid "This user's default bind host not set" msgstr "Il bind host predefinito per questo utente non è stato configurato" -#: ClientCommand.cpp:1315 +#: ClientCommand.cpp:1331 msgid "This user's default bind host is {1}" msgstr "Il bind host predefinito per questo utente è {1}" -#: ClientCommand.cpp:1320 +#: ClientCommand.cpp:1336 msgid "This network's bind host not set" msgstr "Il bind host di questo network non è impostato" -#: ClientCommand.cpp:1322 +#: ClientCommand.cpp:1338 msgid "This network's default bind host is {1}" msgstr "Il bind host predefinito per questo network è {1}" -#: ClientCommand.cpp:1336 +#: ClientCommand.cpp:1352 msgid "Usage: PlayBuffer <#chan|query>" msgstr "Usa: PlayBuffer <#canale|query>" -#: ClientCommand.cpp:1344 +#: ClientCommand.cpp:1360 msgid "You are not on {1}" msgstr "Non sei su {1}" -#: ClientCommand.cpp:1349 +#: ClientCommand.cpp:1365 msgid "You are not on {1} (trying to join)" msgstr "Non sei su {1} (prova ad entrare)" -#: ClientCommand.cpp:1354 +#: ClientCommand.cpp:1370 msgid "The buffer for channel {1} is empty" msgstr "Il buffer del canale {1} è vuoto" -#: ClientCommand.cpp:1363 +#: ClientCommand.cpp:1379 msgid "No active query with {1}" msgstr "Nessuna query attiva per {1}" -#: ClientCommand.cpp:1368 +#: ClientCommand.cpp:1384 msgid "The buffer for {1} is empty" msgstr "Il buffer per {1} è vuoto" -#: ClientCommand.cpp:1384 +#: ClientCommand.cpp:1400 msgid "Usage: ClearBuffer <#chan|query>" msgstr "Usa: ClearBuffer <#canale|query>" -#: ClientCommand.cpp:1403 +#: ClientCommand.cpp:1419 msgid "{1} buffer matching {2} has been cleared" msgid_plural "{1} buffers matching {2} have been cleared" msgstr[0] "{1} corrispondenza del buffer {2} è stato cancellata" msgstr[1] "{1} corrispondenze del buffers {2} sono state cancellate" -#: ClientCommand.cpp:1416 +#: ClientCommand.cpp:1432 msgid "All channel buffers have been cleared" msgstr "I buffers di tutti i canali sono stati cancellati" -#: ClientCommand.cpp:1425 +#: ClientCommand.cpp:1441 msgid "All query buffers have been cleared" msgstr "I buffers di tutte le query sono state cancellate" -#: ClientCommand.cpp:1437 +#: ClientCommand.cpp:1453 msgid "All buffers have been cleared" msgstr "Tutti i buffers sono stati cancellati" -#: ClientCommand.cpp:1448 +#: ClientCommand.cpp:1464 msgid "Usage: SetBuffer <#chan|query> [linecount]" msgstr "Usa: SetBuffer <#canale|query> [numero linee]" -#: ClientCommand.cpp:1469 +#: ClientCommand.cpp:1485 msgid "Setting buffer size failed for {1} buffer" msgid_plural "Setting buffer size failed for {1} buffers" msgstr[0] "" @@ -1078,177 +1237,177 @@ msgstr[0] "" msgstr[1] "" "Impostazione della dimensione del buffer non riuscita per i buffers {1}" -#: ClientCommand.cpp:1472 +#: ClientCommand.cpp:1488 msgid "Maximum buffer size is {1} line" msgid_plural "Maximum buffer size is {1} lines" msgstr[0] "La dimensione massima del buffer è {1} linea" msgstr[1] "La dimensione massima del buffer è {1} linee" -#: ClientCommand.cpp:1477 +#: ClientCommand.cpp:1493 msgid "Size of every buffer was set to {1} line" msgid_plural "Size of every buffer was set to {1} lines" msgstr[0] "La dimensione di tutti i buffer è stata impostata a {1} linea" msgstr[1] "La dimensione di tutti i buffer è stata impostata a {1} linee" -#: ClientCommand.cpp:1487 ClientCommand.cpp:1494 ClientCommand.cpp:1505 -#: ClientCommand.cpp:1514 ClientCommand.cpp:1522 +#: ClientCommand.cpp:1503 ClientCommand.cpp:1510 ClientCommand.cpp:1521 +#: ClientCommand.cpp:1530 ClientCommand.cpp:1538 msgctxt "trafficcmd" msgid "Username" msgstr "Nome Utente" -#: ClientCommand.cpp:1488 ClientCommand.cpp:1495 ClientCommand.cpp:1507 -#: ClientCommand.cpp:1516 ClientCommand.cpp:1524 +#: ClientCommand.cpp:1504 ClientCommand.cpp:1511 ClientCommand.cpp:1523 +#: ClientCommand.cpp:1532 ClientCommand.cpp:1540 msgctxt "trafficcmd" msgid "In" msgstr "Dentro (In)" -#: ClientCommand.cpp:1489 ClientCommand.cpp:1497 ClientCommand.cpp:1508 -#: ClientCommand.cpp:1517 ClientCommand.cpp:1525 +#: ClientCommand.cpp:1505 ClientCommand.cpp:1513 ClientCommand.cpp:1524 +#: ClientCommand.cpp:1533 ClientCommand.cpp:1541 msgctxt "trafficcmd" msgid "Out" msgstr "Fuori (Out)" -#: ClientCommand.cpp:1490 ClientCommand.cpp:1500 ClientCommand.cpp:1510 -#: ClientCommand.cpp:1518 ClientCommand.cpp:1527 +#: ClientCommand.cpp:1506 ClientCommand.cpp:1516 ClientCommand.cpp:1526 +#: ClientCommand.cpp:1534 ClientCommand.cpp:1543 msgctxt "trafficcmd" msgid "Total" msgstr "Totale" -#: ClientCommand.cpp:1506 +#: ClientCommand.cpp:1522 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1515 +#: ClientCommand.cpp:1531 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1523 +#: ClientCommand.cpp:1539 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1532 +#: ClientCommand.cpp:1548 msgid "Running for {1}" msgstr "Opertivo da {1}" -#: ClientCommand.cpp:1538 +#: ClientCommand.cpp:1554 msgid "Unknown command, try 'Help'" msgstr "Comando sconosciuto, prova 'Help'" -#: ClientCommand.cpp:1547 ClientCommand.cpp:1558 +#: ClientCommand.cpp:1563 ClientCommand.cpp:1574 msgctxt "listports" msgid "Port" msgstr "Porta" -#: ClientCommand.cpp:1548 ClientCommand.cpp:1559 +#: ClientCommand.cpp:1564 ClientCommand.cpp:1577 msgctxt "listports" msgid "BindHost" msgstr "BindHost" -#: ClientCommand.cpp:1549 ClientCommand.cpp:1562 +#: ClientCommand.cpp:1565 ClientCommand.cpp:1580 msgctxt "listports" msgid "SSL" msgstr "SSL" -#: ClientCommand.cpp:1550 ClientCommand.cpp:1567 +#: ClientCommand.cpp:1566 ClientCommand.cpp:1585 msgctxt "listports" msgid "Protocol" msgstr "Protocollo" -#: ClientCommand.cpp:1551 ClientCommand.cpp:1574 +#: ClientCommand.cpp:1567 ClientCommand.cpp:1592 msgctxt "listports" msgid "IRC" msgstr "IRC" -#: ClientCommand.cpp:1552 ClientCommand.cpp:1579 +#: ClientCommand.cpp:1568 ClientCommand.cpp:1597 msgctxt "listports" msgid "Web" msgstr "Web" -#: ClientCommand.cpp:1563 +#: ClientCommand.cpp:1581 msgctxt "listports|ssl" msgid "yes" msgstr "si" -#: ClientCommand.cpp:1564 +#: ClientCommand.cpp:1582 msgctxt "listports|ssl" msgid "no" msgstr "no" -#: ClientCommand.cpp:1568 +#: ClientCommand.cpp:1586 msgctxt "listports" msgid "IPv4 and IPv6" msgstr "IPv4 e IPv6" -#: ClientCommand.cpp:1570 +#: ClientCommand.cpp:1588 msgctxt "listports" msgid "IPv4" msgstr "IPv4" -#: ClientCommand.cpp:1571 +#: ClientCommand.cpp:1589 msgctxt "listports" msgid "IPv6" msgstr "IPv6" -#: ClientCommand.cpp:1577 +#: ClientCommand.cpp:1595 msgctxt "listports|irc" msgid "yes" msgstr "si" -#: ClientCommand.cpp:1578 +#: ClientCommand.cpp:1596 msgctxt "listports|irc" msgid "no" msgstr "no" -#: ClientCommand.cpp:1582 +#: ClientCommand.cpp:1600 msgctxt "listports|irc" msgid "yes, on {1}" msgstr "si, su {1}" -#: ClientCommand.cpp:1584 +#: ClientCommand.cpp:1602 msgctxt "listports|web" msgid "no" msgstr "no" -#: ClientCommand.cpp:1624 +#: ClientCommand.cpp:1642 msgid "" "Usage: AddPort <[+]port> [bindhost [uriprefix]]" msgstr "" "Usa: AddPort <[+]porta> [bindhost [uriprefix]]" -#: ClientCommand.cpp:1640 +#: ClientCommand.cpp:1658 msgid "Port added" msgstr "Porta aggiunta" -#: ClientCommand.cpp:1642 +#: ClientCommand.cpp:1660 msgid "Couldn't add port" msgstr "Impossibile aggiungere la porta" -#: ClientCommand.cpp:1648 +#: ClientCommand.cpp:1666 msgid "Usage: DelPort [bindhost]" msgstr "Usa: DelPort [bindhost]" -#: ClientCommand.cpp:1657 +#: ClientCommand.cpp:1675 msgid "Deleted Port" msgstr "Porta eliminata" -#: ClientCommand.cpp:1659 +#: ClientCommand.cpp:1677 msgid "Unable to find a matching port" msgstr "Impossibile trovare una porta corrispondente" -#: ClientCommand.cpp:1667 ClientCommand.cpp:1682 +#: ClientCommand.cpp:1685 ClientCommand.cpp:1700 msgctxt "helpcmd" msgid "Command" msgstr "Comando" -#: ClientCommand.cpp:1668 ClientCommand.cpp:1684 +#: ClientCommand.cpp:1686 ClientCommand.cpp:1702 msgctxt "helpcmd" msgid "Description" msgstr "Descrizione" -#: ClientCommand.cpp:1673 +#: ClientCommand.cpp:1691 msgid "" "In the following list all occurrences of <#chan> support wildcards (* and ?) " "except ListNicks" @@ -1256,87 +1415,87 @@ msgstr "" "Nella seguente lista tutte le occorrenze di <#canale> supportano le " "wildcards (* e ?) eccetto ListNicks" -#: ClientCommand.cpp:1690 +#: ClientCommand.cpp:1708 msgctxt "helpcmd|Version|desc" msgid "Print which version of ZNC this is" msgstr "Mostra la versione di questo ZNC" -#: ClientCommand.cpp:1693 +#: ClientCommand.cpp:1711 msgctxt "helpcmd|ListMods|desc" msgid "List all loaded modules" msgstr "Elenca tutti i moduli caricati" -#: ClientCommand.cpp:1696 +#: ClientCommand.cpp:1714 msgctxt "helpcmd|ListAvailMods|desc" msgid "List all available modules" msgstr "Elenca tutti i moduli disponibili" -#: ClientCommand.cpp:1700 ClientCommand.cpp:1886 +#: ClientCommand.cpp:1718 ClientCommand.cpp:1904 msgctxt "helpcmd|ListChans|desc" msgid "List all channels" msgstr "Elenca tutti i canali" -#: ClientCommand.cpp:1703 +#: ClientCommand.cpp:1721 msgctxt "helpcmd|ListNicks|args" msgid "<#chan>" msgstr "<#canale>" -#: ClientCommand.cpp:1704 +#: ClientCommand.cpp:1722 msgctxt "helpcmd|ListNicks|desc" msgid "List all nicks on a channel" msgstr "Elenca tutti i nickname su un canale" -#: ClientCommand.cpp:1707 +#: ClientCommand.cpp:1725 msgctxt "helpcmd|ListClients|desc" msgid "List all clients connected to your ZNC user" msgstr "Elenca tutti i client connessi al tuo utente ZNC" -#: ClientCommand.cpp:1711 +#: ClientCommand.cpp:1729 msgctxt "helpcmd|ListServers|desc" msgid "List all servers of current IRC network" msgstr "Elenca tutti i servers del network IRC corrente" -#: ClientCommand.cpp:1715 +#: ClientCommand.cpp:1733 msgctxt "helpcmd|AddNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1716 +#: ClientCommand.cpp:1734 msgctxt "helpcmd|AddNetwork|desc" msgid "Add a network to your user" msgstr "Aggiungi un network al tuo account" -#: ClientCommand.cpp:1718 +#: ClientCommand.cpp:1736 msgctxt "helpcmd|DelNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1719 +#: ClientCommand.cpp:1737 msgctxt "helpcmd|DelNetwork|desc" msgid "Delete a network from your user" msgstr "Elimina un network dal tuo utente" -#: ClientCommand.cpp:1721 +#: ClientCommand.cpp:1739 msgctxt "helpcmd|ListNetworks|desc" msgid "List all networks" msgstr "Elenca tutti i networks" -#: ClientCommand.cpp:1724 +#: ClientCommand.cpp:1742 msgctxt "helpcmd|MoveNetwork|args" msgid " [new network]" msgstr " [nuovo network]" -#: ClientCommand.cpp:1726 +#: ClientCommand.cpp:1744 msgctxt "helpcmd|MoveNetwork|desc" msgid "Move an IRC network from one user to another" msgstr "Sposta un network IRC da un utente ad un altro" -#: ClientCommand.cpp:1730 +#: ClientCommand.cpp:1748 msgctxt "helpcmd|JumpNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1731 +#: ClientCommand.cpp:1749 msgctxt "helpcmd|JumpNetwork|desc" msgid "" "Jump to another network (Alternatively, you can connect to ZNC several " @@ -1345,12 +1504,12 @@ msgstr "" "Passa ad un altro network (Alternativamente, puoi connetterti più volte allo " "ZNC, usando `user/network` come username)" -#: ClientCommand.cpp:1736 +#: ClientCommand.cpp:1754 msgctxt "helpcmd|AddServer|args" msgid " [[+]port] [pass]" msgstr " [[+]porta] [password]" -#: ClientCommand.cpp:1737 +#: ClientCommand.cpp:1755 msgctxt "helpcmd|AddServer|desc" msgid "" "Add a server to the list of alternate/backup servers of current IRC network." @@ -1358,12 +1517,12 @@ msgstr "" "Aggiunge un server all'elenco server alternativi/backup del network IRC " "corrente." -#: ClientCommand.cpp:1741 +#: ClientCommand.cpp:1759 msgctxt "helpcmd|DelServer|args" msgid " [port] [pass]" msgstr " [porta] [password]" -#: ClientCommand.cpp:1742 +#: ClientCommand.cpp:1760 msgctxt "helpcmd|DelServer|desc" msgid "" "Remove a server from the list of alternate/backup servers of current IRC " @@ -1372,12 +1531,12 @@ msgstr "" "Rimuove un server all'elenco server alternativi/backup dell'IRC network " "corrente" -#: ClientCommand.cpp:1748 +#: ClientCommand.cpp:1766 msgctxt "helpcmd|AddTrustedServerFingerprint|args" msgid "" msgstr "" -#: ClientCommand.cpp:1749 +#: ClientCommand.cpp:1767 msgctxt "helpcmd|AddTrustedServerFingerprint|desc" msgid "" "Add a trusted server SSL certificate fingerprint (SHA-256) to current IRC " @@ -1386,340 +1545,340 @@ msgstr "" "Aggiunge un'impronta digitale attendibile del certificato SSL del server " "(SHA-256) al network IRC corrente." -#: ClientCommand.cpp:1754 +#: ClientCommand.cpp:1772 msgctxt "helpcmd|DelTrustedServerFingerprint|args" msgid "" msgstr "" -#: ClientCommand.cpp:1755 +#: ClientCommand.cpp:1773 msgctxt "helpcmd|DelTrustedServerFingerprint|desc" msgid "Delete a trusted server SSL certificate from current IRC network." msgstr "Elimina un certificato SSL attendibile dal network IRC corrente." -#: ClientCommand.cpp:1759 +#: ClientCommand.cpp:1777 msgctxt "helpcmd|ListTrustedServerFingerprints|desc" msgid "List all trusted server SSL certificates of current IRC network." msgstr "" "Elenca tutti i certificati SSL fidati del server per il corrente network IRC." -#: ClientCommand.cpp:1762 +#: ClientCommand.cpp:1780 msgctxt "helpcmd|EnableChan|args" msgid "<#chans>" msgstr "<#canali>" -#: ClientCommand.cpp:1763 +#: ClientCommand.cpp:1781 msgctxt "helpcmd|EnableChan|desc" msgid "Enable channels" msgstr "Abilita canali" -#: ClientCommand.cpp:1764 +#: ClientCommand.cpp:1782 msgctxt "helpcmd|DisableChan|args" msgid "<#chans>" msgstr "<#canali>" -#: ClientCommand.cpp:1765 +#: ClientCommand.cpp:1783 msgctxt "helpcmd|DisableChan|desc" msgid "Disable channels" msgstr "Disabilita canali" -#: ClientCommand.cpp:1766 +#: ClientCommand.cpp:1784 msgctxt "helpcmd|Attach|args" msgid "<#chans>" msgstr "<#canali>" -#: ClientCommand.cpp:1767 +#: ClientCommand.cpp:1785 msgctxt "helpcmd|Attach|desc" msgid "Attach to channels" msgstr "Ricollega ai canali (attach)" -#: ClientCommand.cpp:1768 +#: ClientCommand.cpp:1786 msgctxt "helpcmd|Detach|args" msgid "<#chans>" msgstr "<#canali>" -#: ClientCommand.cpp:1769 +#: ClientCommand.cpp:1787 msgctxt "helpcmd|Detach|desc" msgid "Detach from channels" msgstr "Scollega dai cananli (detach)" -#: ClientCommand.cpp:1772 +#: ClientCommand.cpp:1790 msgctxt "helpcmd|Topics|desc" msgid "Show topics in all your channels" msgstr "Mostra i topics di tutti i tuoi canali" -#: ClientCommand.cpp:1775 +#: ClientCommand.cpp:1793 msgctxt "helpcmd|PlayBuffer|args" msgid "<#chan|query>" msgstr "<#canale|query>" -#: ClientCommand.cpp:1776 +#: ClientCommand.cpp:1794 msgctxt "helpcmd|PlayBuffer|desc" msgid "Play back the specified buffer" msgstr "Riproduce il buffer specificato" -#: ClientCommand.cpp:1778 +#: ClientCommand.cpp:1796 msgctxt "helpcmd|ClearBuffer|args" msgid "<#chan|query>" msgstr "<#canale|query>" -#: ClientCommand.cpp:1779 +#: ClientCommand.cpp:1797 msgctxt "helpcmd|ClearBuffer|desc" msgid "Clear the specified buffer" msgstr "Cancella il buffer specificato" -#: ClientCommand.cpp:1781 +#: ClientCommand.cpp:1799 msgctxt "helpcmd|ClearAllBuffers|desc" msgid "Clear all channel and query buffers" msgstr "Cancella il buffers da tutti i canali e tute le query" -#: ClientCommand.cpp:1784 +#: ClientCommand.cpp:1802 msgctxt "helpcmd|ClearAllChannelBuffers|desc" msgid "Clear the channel buffers" msgstr "Cancella il buffer del canale" -#: ClientCommand.cpp:1788 +#: ClientCommand.cpp:1806 msgctxt "helpcmd|ClearAllQueryBuffers|desc" msgid "Clear the query buffers" msgstr "Cancella il buffer della query" -#: ClientCommand.cpp:1790 +#: ClientCommand.cpp:1808 msgctxt "helpcmd|SetBuffer|args" msgid "<#chan|query> [linecount]" msgstr "<#canale|query> [linecount]" -#: ClientCommand.cpp:1791 +#: ClientCommand.cpp:1809 msgctxt "helpcmd|SetBuffer|desc" msgid "Set the buffer count" msgstr "Imposta il conteggio del buffer" -#: ClientCommand.cpp:1795 +#: ClientCommand.cpp:1813 msgctxt "helpcmd|SetBindHost|args" msgid "" msgstr "" -#: ClientCommand.cpp:1796 +#: ClientCommand.cpp:1814 msgctxt "helpcmd|SetBindHost|desc" msgid "Set the bind host for this network" msgstr "Imposta il bind host per questo network" -#: ClientCommand.cpp:1800 +#: ClientCommand.cpp:1818 msgctxt "helpcmd|SetUserBindHost|args" msgid "" msgstr "" -#: ClientCommand.cpp:1801 +#: ClientCommand.cpp:1819 msgctxt "helpcmd|SetUserBindHost|desc" msgid "Set the default bind host for this user" msgstr "Imposta il bind host di default per questo utente" -#: ClientCommand.cpp:1804 +#: ClientCommand.cpp:1822 msgctxt "helpcmd|ClearBindHost|desc" msgid "Clear the bind host for this network" msgstr "Cancella il bind host per questo network" -#: ClientCommand.cpp:1807 +#: ClientCommand.cpp:1825 msgctxt "helpcmd|ClearUserBindHost|desc" msgid "Clear the default bind host for this user" msgstr "Cancella il bind host di default per questo utente" -#: ClientCommand.cpp:1813 +#: ClientCommand.cpp:1831 msgctxt "helpcmd|ShowBindHost|desc" msgid "Show currently selected bind host" msgstr "Mostra il bind host attualmente selezionato" -#: ClientCommand.cpp:1815 +#: ClientCommand.cpp:1833 msgctxt "helpcmd|Jump|args" msgid "[server]" msgstr "[server]" -#: ClientCommand.cpp:1816 +#: ClientCommand.cpp:1834 msgctxt "helpcmd|Jump|desc" msgid "Jump to the next or the specified server" msgstr "Passa al server successivo o a quello indicato" -#: ClientCommand.cpp:1817 +#: ClientCommand.cpp:1835 msgctxt "helpcmd|Disconnect|args" msgid "[message]" msgstr "[messaggio]" -#: ClientCommand.cpp:1818 +#: ClientCommand.cpp:1836 msgctxt "helpcmd|Disconnect|desc" msgid "Disconnect from IRC" msgstr "Disconnetti da IRC" -#: ClientCommand.cpp:1820 +#: ClientCommand.cpp:1838 msgctxt "helpcmd|Connect|desc" msgid "Reconnect to IRC" msgstr "Riconnette ad IRC" -#: ClientCommand.cpp:1823 +#: ClientCommand.cpp:1841 msgctxt "helpcmd|Uptime|desc" msgid "Show for how long ZNC has been running" msgstr "Mostra da quanto tempo lo ZNC è in esecuzione" -#: ClientCommand.cpp:1827 +#: ClientCommand.cpp:1845 msgctxt "helpcmd|LoadMod|args" msgid "[--type=global|user|network] [args]" msgstr "[--type=global|user|network] [argomenti]" -#: ClientCommand.cpp:1829 +#: ClientCommand.cpp:1847 msgctxt "helpcmd|LoadMod|desc" msgid "Load a module" msgstr "Carica un modulo" -#: ClientCommand.cpp:1831 +#: ClientCommand.cpp:1849 msgctxt "helpcmd|UnloadMod|args" msgid "[--type=global|user|network] " msgstr "[--type=global|user|network] " -#: ClientCommand.cpp:1833 +#: ClientCommand.cpp:1851 msgctxt "helpcmd|UnloadMod|desc" msgid "Unload a module" msgstr "Scarica un modulo" -#: ClientCommand.cpp:1835 +#: ClientCommand.cpp:1853 msgctxt "helpcmd|ReloadMod|args" msgid "[--type=global|user|network] [args]" msgstr "[--type=global|user|network] [argomenti]" -#: ClientCommand.cpp:1837 +#: ClientCommand.cpp:1855 msgctxt "helpcmd|ReloadMod|desc" msgid "Reload a module" msgstr "Ricarica un modulo" -#: ClientCommand.cpp:1840 +#: ClientCommand.cpp:1858 msgctxt "helpcmd|UpdateMod|args" msgid "" msgstr "" -#: ClientCommand.cpp:1841 +#: ClientCommand.cpp:1859 msgctxt "helpcmd|UpdateMod|desc" msgid "Reload a module everywhere" msgstr "Ricarica un modulo ovunque" -#: ClientCommand.cpp:1847 +#: ClientCommand.cpp:1865 msgctxt "helpcmd|ShowMOTD|desc" msgid "Show ZNC's message of the day" msgstr "Mostra il messaggio del giorno dello ZNC's" -#: ClientCommand.cpp:1851 +#: ClientCommand.cpp:1869 msgctxt "helpcmd|SetMOTD|args" msgid "" msgstr "" -#: ClientCommand.cpp:1852 +#: ClientCommand.cpp:1870 msgctxt "helpcmd|SetMOTD|desc" msgid "Set ZNC's message of the day" msgstr "Imposta il messaggio del giorno dello ZNC's" -#: ClientCommand.cpp:1854 +#: ClientCommand.cpp:1872 msgctxt "helpcmd|AddMOTD|args" msgid "" msgstr "" -#: ClientCommand.cpp:1855 +#: ClientCommand.cpp:1873 msgctxt "helpcmd|AddMOTD|desc" msgid "Append to ZNC's MOTD" msgstr "Aggiungi al MOTD dello ZNC's" -#: ClientCommand.cpp:1857 +#: ClientCommand.cpp:1875 msgctxt "helpcmd|ClearMOTD|desc" msgid "Clear ZNC's MOTD" msgstr "Cancella il MOTD dello ZNC's" -#: ClientCommand.cpp:1860 +#: ClientCommand.cpp:1878 msgctxt "helpcmd|ListPorts|desc" msgid "Show all active listeners" msgstr "Mostra tutti gli ascoltatori attivi" -#: ClientCommand.cpp:1862 +#: ClientCommand.cpp:1880 msgctxt "helpcmd|AddPort|args" msgid "<[+]port> [bindhost [uriprefix]]" msgstr "<[+]porta> [bindhost [uriprefix]]" -#: ClientCommand.cpp:1865 +#: ClientCommand.cpp:1883 msgctxt "helpcmd|AddPort|desc" msgid "Add another port for ZNC to listen on" msgstr "Aggiunge un'altra porta di ascolto allo ZNC" -#: ClientCommand.cpp:1869 +#: ClientCommand.cpp:1887 msgctxt "helpcmd|DelPort|args" msgid " [bindhost]" msgstr " [bindhost]" -#: ClientCommand.cpp:1870 +#: ClientCommand.cpp:1888 msgctxt "helpcmd|DelPort|desc" msgid "Remove a port from ZNC" msgstr "Rimuove una porta dallo ZNC" -#: ClientCommand.cpp:1873 +#: ClientCommand.cpp:1891 msgctxt "helpcmd|Rehash|desc" msgid "Reload global settings, modules, and listeners from znc.conf" msgstr "" "Ricarica le impostazioni globali, i moduli e le porte di ascolto dallo znc." "conf" -#: ClientCommand.cpp:1876 +#: ClientCommand.cpp:1894 msgctxt "helpcmd|SaveConfig|desc" msgid "Save the current settings to disk" msgstr "Salve le impostazioni correnti sul disco" -#: ClientCommand.cpp:1879 +#: ClientCommand.cpp:1897 msgctxt "helpcmd|ListUsers|desc" msgid "List all ZNC users and their connection status" msgstr "Elenca tutti gli utenti dello ZNC e lo stato della loro connessione" -#: ClientCommand.cpp:1882 +#: ClientCommand.cpp:1900 msgctxt "helpcmd|ListAllUserNetworks|desc" msgid "List all ZNC users and their networks" msgstr "Elenca tutti gli utenti dello ZNC ed i loro networks" -#: ClientCommand.cpp:1885 +#: ClientCommand.cpp:1903 msgctxt "helpcmd|ListChans|args" msgid "[user ]" msgstr "[utente ]" -#: ClientCommand.cpp:1888 +#: ClientCommand.cpp:1906 msgctxt "helpcmd|ListClients|args" msgid "[user]" msgstr "[utente]" -#: ClientCommand.cpp:1889 +#: ClientCommand.cpp:1907 msgctxt "helpcmd|ListClients|desc" msgid "List all connected clients" msgstr "Elenca tutti i client connessi" -#: ClientCommand.cpp:1891 +#: ClientCommand.cpp:1909 msgctxt "helpcmd|Traffic|desc" msgid "Show basic traffic stats for all ZNC users" msgstr "Mostra le statistiche base sul traffico di tutti gli utenti dello ZNC" -#: ClientCommand.cpp:1893 +#: ClientCommand.cpp:1911 msgctxt "helpcmd|Broadcast|args" msgid "[message]" msgstr "[messaggio]" -#: ClientCommand.cpp:1894 +#: ClientCommand.cpp:1912 msgctxt "helpcmd|Broadcast|desc" msgid "Broadcast a message to all ZNC users" msgstr "Trasmetti un messaggio a tutti gli utenti dello ZNC" -#: ClientCommand.cpp:1897 +#: ClientCommand.cpp:1915 msgctxt "helpcmd|Shutdown|args" msgid "[message]" msgstr "[messaggio]" -#: ClientCommand.cpp:1898 +#: ClientCommand.cpp:1916 msgctxt "helpcmd|Shutdown|desc" msgid "Shut down ZNC completely" msgstr "Spegni completamente lo ZNC" -#: ClientCommand.cpp:1899 +#: ClientCommand.cpp:1917 msgctxt "helpcmd|Restart|args" msgid "[message]" msgstr "[messaggio]" -#: ClientCommand.cpp:1900 +#: ClientCommand.cpp:1918 msgctxt "helpcmd|Restart|desc" msgid "Restart ZNC" msgstr "Riavvia lo ZNC" diff --git a/src/po/znc.nl_NL.po b/src/po/znc.nl_NL.po index b39c6caf..d5b32487 100644 --- a/src/po/znc.nl_NL.po +++ b/src/po/znc.nl_NL.po @@ -74,7 +74,7 @@ msgstr "Kan PEM bestand niet vinden: {1}" msgid "Invalid port" msgstr "Ongeldige poort" -#: znc.cpp:1821 ClientCommand.cpp:1637 +#: znc.cpp:1821 ClientCommand.cpp:1655 msgid "Unable to bind: {1}" msgstr "Kan niet binden: {1}" @@ -275,6 +275,7 @@ msgid "Usage: /attach <#chans>" msgstr "Gebruik: /attach <#kanalen>" #: Client.cpp:1344 Client.cpp:1366 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: ClientCommand.cpp:423 ClientCommand.cpp:450 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" msgstr[0] "Er was {1} kanaal overeenkomend met [{2}]" @@ -314,7 +315,7 @@ msgctxt "modhelpcmd" msgid "Generate this output" msgstr "Genereer deze output" -#: Modules.cpp:573 ClientCommand.cpp:1904 +#: Modules.cpp:573 ClientCommand.cpp:1922 msgid "No matches for '{1}'" msgstr "Geen overeenkomsten voor '{1}'" @@ -425,11 +426,12 @@ msgid "Description" msgstr "Beschrijving" #: ClientCommand.cpp:51 ClientCommand.cpp:115 ClientCommand.cpp:137 -#: ClientCommand.cpp:749 ClientCommand.cpp:768 ClientCommand.cpp:794 -#: ClientCommand.cpp:827 ClientCommand.cpp:840 ClientCommand.cpp:853 -#: ClientCommand.cpp:868 ClientCommand.cpp:1329 ClientCommand.cpp:1377 -#: ClientCommand.cpp:1409 ClientCommand.cpp:1420 ClientCommand.cpp:1429 -#: ClientCommand.cpp:1441 +#: ClientCommand.cpp:339 ClientCommand.cpp:390 ClientCommand.cpp:405 +#: ClientCommand.cpp:432 ClientCommand.cpp:459 ClientCommand.cpp:764 +#: ClientCommand.cpp:783 ClientCommand.cpp:809 ClientCommand.cpp:843 +#: ClientCommand.cpp:856 ClientCommand.cpp:869 ClientCommand.cpp:884 +#: ClientCommand.cpp:1345 ClientCommand.cpp:1393 ClientCommand.cpp:1425 +#: ClientCommand.cpp:1436 ClientCommand.cpp:1445 ClientCommand.cpp:1457 msgid "You must be connected with a network to use this command" msgstr "Je moet verbonden zijn met een netwerk om dit commando te gebruiken" @@ -489,87 +491,248 @@ msgstr "Configuratie geschreven naar {1}" msgid "Error while trying to write config." msgstr "Fout tijdens het proberen te schrijven naar het configuratiebestand." -#: ClientCommand.cpp:455 +#: ClientCommand.cpp:183 +msgid "Usage: ListClients" +msgstr "" + +#: ClientCommand.cpp:190 +msgid "No such user: {1}" +msgstr "" + +#: ClientCommand.cpp:198 +msgid "No clients are connected" +msgstr "" + +#: ClientCommand.cpp:203 ClientCommand.cpp:209 +msgctxt "listclientscmd" +msgid "Host" +msgstr "" + +#: ClientCommand.cpp:204 ClientCommand.cpp:212 +msgctxt "listclientscmd" +msgid "Network" +msgstr "" + +#: ClientCommand.cpp:205 ClientCommand.cpp:215 +msgctxt "listclientscmd" +msgid "Identifier" +msgstr "" + +#: ClientCommand.cpp:223 ClientCommand.cpp:229 +msgctxt "listuserscmd" +msgid "Username" +msgstr "" + +#: ClientCommand.cpp:224 ClientCommand.cpp:230 +msgctxt "listuserscmd" +msgid "Networks" +msgstr "" + +#: ClientCommand.cpp:225 ClientCommand.cpp:232 +msgctxt "listuserscmd" +msgid "Clients" +msgstr "" + +#: ClientCommand.cpp:240 ClientCommand.cpp:250 ClientCommand.cpp:260 +#: ClientCommand.cpp:263 +msgctxt "listallusernetworkscmd" +msgid "Username" +msgstr "" + +#: ClientCommand.cpp:241 ClientCommand.cpp:251 ClientCommand.cpp:266 +msgctxt "listallusernetworkscmd" +msgid "Network" +msgstr "" + +#: ClientCommand.cpp:242 ClientCommand.cpp:252 ClientCommand.cpp:268 +msgctxt "listallusernetworkscmd" +msgid "Clients" +msgstr "" + +#: ClientCommand.cpp:243 ClientCommand.cpp:271 ClientCommand.cpp:280 +msgctxt "listallusernetworkscmd" +msgid "On IRC" +msgstr "" + +#: ClientCommand.cpp:244 ClientCommand.cpp:273 +msgctxt "listallusernetworkscmd" +msgid "IRC Server" +msgstr "" + +#: ClientCommand.cpp:245 ClientCommand.cpp:275 +msgctxt "listallusernetworkscmd" +msgid "IRC User" +msgstr "" + +#: ClientCommand.cpp:246 ClientCommand.cpp:277 +msgctxt "listallusernetworkscmd" +msgid "Channels" +msgstr "" + +#: ClientCommand.cpp:251 +msgid "N/A" +msgstr "" + +#: ClientCommand.cpp:272 +msgctxt "listallusernetworkscmd" +msgid "Yes" +msgstr "" + +#: ClientCommand.cpp:281 +msgctxt "listallusernetworkscmd" +msgid "No" +msgstr "" + +#: ClientCommand.cpp:291 +msgid "Usage: SetMOTD " +msgstr "" + +#: ClientCommand.cpp:294 +msgid "MOTD set to: {1}" +msgstr "" + +#: ClientCommand.cpp:300 +msgid "Usage: AddMOTD " +msgstr "" + +#: ClientCommand.cpp:303 +msgid "Added [{1}] to MOTD" +msgstr "" + +#: ClientCommand.cpp:307 +msgid "Cleared MOTD" +msgstr "" + +#: ClientCommand.cpp:329 +msgid "" +"ERROR: Writing config file to disk failed! Aborting. Use {1} FORCE to ignore." +msgstr "" + +#: ClientCommand.cpp:344 ClientCommand.cpp:797 ClientCommand.cpp:838 +msgid "You don't have any servers added." +msgstr "Je hebt geen servers toegevoegd." + +#: ClientCommand.cpp:355 +msgid "Server [{1}] not found" +msgstr "" + +#: ClientCommand.cpp:375 ClientCommand.cpp:380 +msgid "Connecting to {1}..." +msgstr "" + +#: ClientCommand.cpp:377 +msgid "Jumping to the next server in the list..." +msgstr "" + +#: ClientCommand.cpp:382 +msgid "Connecting..." +msgstr "" + +#: ClientCommand.cpp:400 +msgid "Disconnected from IRC. Use 'connect' to reconnect." +msgstr "" + +#: ClientCommand.cpp:412 +msgid "Usage: EnableChan <#chans>" +msgstr "" + +#: ClientCommand.cpp:426 +msgid "Enabled {1} channel" +msgid_plural "Enabled {1} channels" +msgstr[0] "" +msgstr[1] "" + +#: ClientCommand.cpp:439 +msgid "Usage: DisableChan <#chans>" +msgstr "" + +#: ClientCommand.cpp:453 +msgid "Disabled {1} channel" +msgid_plural "Disabled {1} channels" +msgstr[0] "" +msgstr[1] "" + +#: ClientCommand.cpp:470 msgid "Usage: ListChans" msgstr "Gebruik: ListChans" -#: ClientCommand.cpp:462 +#: ClientCommand.cpp:477 msgid "No such user [{1}]" msgstr "Gebruiker onbekend [{1}]" -#: ClientCommand.cpp:468 +#: ClientCommand.cpp:483 msgid "User [{1}] doesn't have network [{2}]" msgstr "Gebruiker [{1}] heeft geen netwerk genaamd [{2}]" -#: ClientCommand.cpp:479 +#: ClientCommand.cpp:494 msgid "There are no channels defined." msgstr "Er zijn geen kanalen geconfigureerd." -#: ClientCommand.cpp:484 ClientCommand.cpp:500 +#: ClientCommand.cpp:499 ClientCommand.cpp:515 msgctxt "listchans" msgid "Name" msgstr "Naam" -#: ClientCommand.cpp:485 ClientCommand.cpp:503 +#: ClientCommand.cpp:500 ClientCommand.cpp:518 msgctxt "listchans" msgid "Status" msgstr "Status" -#: ClientCommand.cpp:486 ClientCommand.cpp:510 +#: ClientCommand.cpp:501 ClientCommand.cpp:525 msgctxt "listchans" msgid "In config" msgstr "In configuratie" -#: ClientCommand.cpp:487 ClientCommand.cpp:512 +#: ClientCommand.cpp:502 ClientCommand.cpp:527 msgctxt "listchans" msgid "Buffer" msgstr "Buffer" -#: ClientCommand.cpp:488 ClientCommand.cpp:516 +#: ClientCommand.cpp:503 ClientCommand.cpp:531 msgctxt "listchans" msgid "Clear" msgstr "Wissen" -#: ClientCommand.cpp:489 ClientCommand.cpp:521 +#: ClientCommand.cpp:504 ClientCommand.cpp:536 msgctxt "listchans" msgid "Modes" msgstr "Modes" -#: ClientCommand.cpp:490 ClientCommand.cpp:522 +#: ClientCommand.cpp:505 ClientCommand.cpp:537 msgctxt "listchans" msgid "Users" msgstr "Gebruikers" -#: ClientCommand.cpp:505 +#: ClientCommand.cpp:520 msgctxt "listchans" msgid "Detached" msgstr "Losgekoppeld" -#: ClientCommand.cpp:506 +#: ClientCommand.cpp:521 msgctxt "listchans" msgid "Joined" msgstr "Toegetreden" -#: ClientCommand.cpp:507 +#: ClientCommand.cpp:522 msgctxt "listchans" msgid "Disabled" msgstr "Uitgeschakeld" -#: ClientCommand.cpp:508 +#: ClientCommand.cpp:523 msgctxt "listchans" msgid "Trying" msgstr "Proberen" -#: ClientCommand.cpp:511 ClientCommand.cpp:519 +#: ClientCommand.cpp:526 ClientCommand.cpp:534 msgctxt "listchans" msgid "yes" msgstr "ja" -#: ClientCommand.cpp:536 +#: ClientCommand.cpp:551 msgid "Total: {1}, Joined: {2}, Detached: {3}, Disabled: {4}" msgstr "Totaal: {1}, toegetreden: {2}, losgekoppeld: {3}, uitgeschakeld: {4}" -#: ClientCommand.cpp:541 +#: ClientCommand.cpp:556 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks using /znc DelNetwork " @@ -578,15 +741,15 @@ msgstr "" "te passen voor je, of verwijder onnodige netwerken door middel van /znc " "DelNetwork " -#: ClientCommand.cpp:550 +#: ClientCommand.cpp:565 msgid "Usage: AddNetwork " msgstr "Gebruik: AddNetwork " -#: ClientCommand.cpp:554 +#: ClientCommand.cpp:569 msgid "Network name should be alphanumeric" msgstr "Netwerk naam moet alfanumeriek zijn" -#: ClientCommand.cpp:561 +#: ClientCommand.cpp:576 msgid "" "Network added. Use /znc JumpNetwork {1}, or connect to ZNC with username {2} " "(instead of just {3}) to connect to it." @@ -595,141 +758,141 @@ msgstr "" "gebruikersnaam {2} (in plaats van alleen {3}) om hier verbinding mee te " "maken." -#: ClientCommand.cpp:566 +#: ClientCommand.cpp:581 msgid "Unable to add that network" msgstr "Kan dat netwerk niet toevoegen" -#: ClientCommand.cpp:573 +#: ClientCommand.cpp:588 msgid "Usage: DelNetwork " msgstr "Gebruik: DelNetwork " -#: ClientCommand.cpp:582 +#: ClientCommand.cpp:597 msgid "Network deleted" msgstr "Netwerk verwijderd" -#: ClientCommand.cpp:585 +#: ClientCommand.cpp:600 msgid "Failed to delete network, perhaps this network doesn't exist" msgstr "Mislukt om netwerk te verwijderen, misschien bestaat dit netwerk niet" -#: ClientCommand.cpp:595 +#: ClientCommand.cpp:610 msgid "User {1} not found" msgstr "Gebruiker {1} niet gevonden" -#: ClientCommand.cpp:603 ClientCommand.cpp:611 +#: ClientCommand.cpp:618 ClientCommand.cpp:626 msgctxt "listnetworks" msgid "Network" msgstr "Netwerk" -#: ClientCommand.cpp:604 ClientCommand.cpp:613 ClientCommand.cpp:622 +#: ClientCommand.cpp:619 ClientCommand.cpp:628 ClientCommand.cpp:637 msgctxt "listnetworks" msgid "On IRC" msgstr "Op IRC" -#: ClientCommand.cpp:605 ClientCommand.cpp:615 +#: ClientCommand.cpp:620 ClientCommand.cpp:630 msgctxt "listnetworks" msgid "IRC Server" msgstr "IRC Server" -#: ClientCommand.cpp:606 ClientCommand.cpp:617 +#: ClientCommand.cpp:621 ClientCommand.cpp:632 msgctxt "listnetworks" msgid "IRC User" msgstr "IRC Gebruiker" -#: ClientCommand.cpp:607 ClientCommand.cpp:619 +#: ClientCommand.cpp:622 ClientCommand.cpp:634 msgctxt "listnetworks" msgid "Channels" msgstr "Kanalen" -#: ClientCommand.cpp:614 +#: ClientCommand.cpp:629 msgctxt "listnetworks" msgid "Yes" msgstr "Ja" -#: ClientCommand.cpp:623 +#: ClientCommand.cpp:638 msgctxt "listnetworks" msgid "No" msgstr "Nee" -#: ClientCommand.cpp:628 +#: ClientCommand.cpp:643 msgctxt "listnetworks" msgid "No networks" msgstr "Geen netwerken" -#: ClientCommand.cpp:632 ClientCommand.cpp:936 +#: ClientCommand.cpp:647 ClientCommand.cpp:952 msgid "Access denied." msgstr "Toegang geweigerd." -#: ClientCommand.cpp:643 +#: ClientCommand.cpp:658 msgid "Usage: MoveNetwork [new network]" msgstr "" "Gebruik: MoveNetwerk " "[nieuw netwerk]" -#: ClientCommand.cpp:653 +#: ClientCommand.cpp:668 msgid "Old user {1} not found." msgstr "Oude gebruiker {1} niet gevonden." -#: ClientCommand.cpp:659 +#: ClientCommand.cpp:674 msgid "Old network {1} not found." msgstr "Oud netwerk {1} niet gevonden." -#: ClientCommand.cpp:665 +#: ClientCommand.cpp:680 msgid "New user {1} not found." msgstr "Nieuwe gebruiker {1} niet gevonden." -#: ClientCommand.cpp:670 +#: ClientCommand.cpp:685 msgid "User {1} already has network {2}." msgstr "Gebruiker {1} heeft al een netwerk genaamd {2}." -#: ClientCommand.cpp:676 +#: ClientCommand.cpp:691 msgid "Invalid network name [{1}]" msgstr "Ongeldige netwerknaam [{1}]" -#: ClientCommand.cpp:692 +#: ClientCommand.cpp:707 msgid "Some files seem to be in {1}. You might want to move them to {2}" msgstr "" "Sommige bestanden lijken in {1} te zijn. Misschien wil je ze verplaatsen " "naar {2}" -#: ClientCommand.cpp:706 +#: ClientCommand.cpp:721 msgid "Error adding network: {1}" msgstr "Fout bij het toevoegen van netwerk: {1}" -#: ClientCommand.cpp:718 +#: ClientCommand.cpp:733 msgid "Success." msgstr "Geslaagd." -#: ClientCommand.cpp:721 +#: ClientCommand.cpp:736 msgid "Copied the network to new user, but failed to delete old network" msgstr "" "Netwerk gekopieërd naar nieuwe gebruiker maar mislukt om het oude netwerk te " "verwijderen" -#: ClientCommand.cpp:728 +#: ClientCommand.cpp:743 msgid "No network supplied." msgstr "Geen netwerk ingevoerd." -#: ClientCommand.cpp:733 +#: ClientCommand.cpp:748 msgid "You are already connected with this network." msgstr "Je bent al verbonden met dit netwerk." -#: ClientCommand.cpp:739 +#: ClientCommand.cpp:754 msgid "Switched to {1}" msgstr "Geschakeld naar {1}" -#: ClientCommand.cpp:742 +#: ClientCommand.cpp:757 msgid "You don't have a network named {1}" msgstr "Je hebt geen netwerk genaamd {1}" -#: ClientCommand.cpp:754 +#: ClientCommand.cpp:769 msgid "Usage: AddServer [[+]port] [pass]" msgstr "Gebruik: AddServer [[+]poort] [wachtwoord]" -#: ClientCommand.cpp:759 +#: ClientCommand.cpp:774 msgid "Server added" msgstr "Server toegevoegd" -#: ClientCommand.cpp:762 +#: ClientCommand.cpp:777 msgid "" "Unable to add that server. Perhaps the server is already added or openssl is " "disabled?" @@ -737,240 +900,236 @@ msgstr "" "Niet mogelijk die server toe te voegen. Misschien is de server al toegevoegd " "of is OpenSSL uitgeschakeld?" -#: ClientCommand.cpp:777 +#: ClientCommand.cpp:792 msgid "Usage: DelServer [port] [pass]" msgstr "Gebruik: DelServer [poort] [wachtwoord]" -#: ClientCommand.cpp:782 ClientCommand.cpp:822 -msgid "You don't have any servers added." -msgstr "Je hebt geen servers toegevoegd." - -#: ClientCommand.cpp:787 +#: ClientCommand.cpp:802 msgid "Server removed" msgstr "Server verwijderd" -#: ClientCommand.cpp:789 +#: ClientCommand.cpp:804 msgid "No such server" msgstr "Server niet gevonden" -#: ClientCommand.cpp:802 ClientCommand.cpp:809 +#: ClientCommand.cpp:817 ClientCommand.cpp:825 msgctxt "listservers" msgid "Host" msgstr "Host" -#: ClientCommand.cpp:803 ClientCommand.cpp:811 +#: ClientCommand.cpp:818 ClientCommand.cpp:827 msgctxt "listservers" msgid "Port" msgstr "Poort" -#: ClientCommand.cpp:804 ClientCommand.cpp:814 +#: ClientCommand.cpp:819 ClientCommand.cpp:830 msgctxt "listservers" msgid "SSL" msgstr "SSL" -#: ClientCommand.cpp:805 ClientCommand.cpp:816 +#: ClientCommand.cpp:820 ClientCommand.cpp:832 msgctxt "listservers" msgid "Password" msgstr "Wachtwoord" -#: ClientCommand.cpp:815 +#: ClientCommand.cpp:831 msgctxt "listservers|cell" msgid "SSL" msgstr "SSL" -#: ClientCommand.cpp:832 +#: ClientCommand.cpp:848 msgid "Usage: AddTrustedServerFingerprint " msgstr "Gebruik: AddTrustedServerFingerprint " -#: ClientCommand.cpp:836 ClientCommand.cpp:849 +#: ClientCommand.cpp:852 ClientCommand.cpp:865 msgid "Done." msgstr "Klaar." -#: ClientCommand.cpp:845 +#: ClientCommand.cpp:861 msgid "Usage: DelTrustedServerFingerprint " msgstr "Gebruik: DelTrustedServerFingerprint " -#: ClientCommand.cpp:858 +#: ClientCommand.cpp:874 msgid "No fingerprints added." msgstr "Geen vingerafdrukken toegevoegd." -#: ClientCommand.cpp:874 ClientCommand.cpp:880 +#: ClientCommand.cpp:890 ClientCommand.cpp:896 msgctxt "topicscmd" msgid "Channel" msgstr "Kanaal" -#: ClientCommand.cpp:875 ClientCommand.cpp:881 +#: ClientCommand.cpp:891 ClientCommand.cpp:897 msgctxt "topicscmd" msgid "Set By" msgstr "Ingesteld door" -#: ClientCommand.cpp:876 ClientCommand.cpp:882 +#: ClientCommand.cpp:892 ClientCommand.cpp:898 msgctxt "topicscmd" msgid "Topic" msgstr "Onderwerp" -#: ClientCommand.cpp:889 ClientCommand.cpp:894 +#: ClientCommand.cpp:905 ClientCommand.cpp:910 msgctxt "listmods" msgid "Name" msgstr "Naam" -#: ClientCommand.cpp:890 ClientCommand.cpp:895 +#: ClientCommand.cpp:906 ClientCommand.cpp:911 msgctxt "listmods" msgid "Arguments" msgstr "Argumenten" -#: ClientCommand.cpp:904 +#: ClientCommand.cpp:920 msgid "No global modules loaded." msgstr "Geen algemene modules geladen." -#: ClientCommand.cpp:906 ClientCommand.cpp:970 +#: ClientCommand.cpp:922 ClientCommand.cpp:986 msgid "Global modules:" msgstr "Algemene modules:" -#: ClientCommand.cpp:915 +#: ClientCommand.cpp:931 msgid "Your user has no modules loaded." msgstr "Je gebruiker heeft geen modules geladen." -#: ClientCommand.cpp:917 ClientCommand.cpp:982 +#: ClientCommand.cpp:933 ClientCommand.cpp:998 msgid "User modules:" msgstr "Gebruiker modules:" -#: ClientCommand.cpp:925 +#: ClientCommand.cpp:941 msgid "This network has no modules loaded." msgstr "Dit netwerk heeft geen modules geladen." -#: ClientCommand.cpp:927 ClientCommand.cpp:994 +#: ClientCommand.cpp:943 ClientCommand.cpp:1010 msgid "Network modules:" msgstr "Netwerk modules:" -#: ClientCommand.cpp:942 ClientCommand.cpp:949 +#: ClientCommand.cpp:958 ClientCommand.cpp:965 msgctxt "listavailmods" msgid "Name" msgstr "Naam" -#: ClientCommand.cpp:943 ClientCommand.cpp:954 +#: ClientCommand.cpp:959 ClientCommand.cpp:970 msgctxt "listavailmods" msgid "Description" msgstr "Beschrijving" -#: ClientCommand.cpp:968 +#: ClientCommand.cpp:984 msgid "No global modules available." msgstr "Geen algemene modules beschikbaar." -#: ClientCommand.cpp:980 +#: ClientCommand.cpp:996 msgid "No user modules available." msgstr "Geen gebruikermodules beschikbaar." -#: ClientCommand.cpp:992 +#: ClientCommand.cpp:1008 msgid "No network modules available." msgstr "Geen netwerkmodules beschikbaar." -#: ClientCommand.cpp:1020 +#: ClientCommand.cpp:1036 msgid "Unable to load {1}: Access denied." msgstr "Niet mogelijk om {1} te laden: Toegang geweigerd." -#: ClientCommand.cpp:1026 +#: ClientCommand.cpp:1042 msgid "Usage: LoadMod [--type=global|user|network] [args]" msgstr "Gebruik: LoadMod [--type=global|user|network] [argumenten]" -#: ClientCommand.cpp:1033 +#: ClientCommand.cpp:1049 msgid "Unable to load {1}: {2}" msgstr "Niet mogelijk module te laden {1}: {2}" -#: ClientCommand.cpp:1043 +#: ClientCommand.cpp:1059 msgid "Unable to load global module {1}: Access denied." msgstr "Niet mogelijk algemene module te laden {1}: Toegang geweigerd." -#: ClientCommand.cpp:1049 +#: ClientCommand.cpp:1065 msgid "Unable to load network module {1}: Not connected with a network." msgstr "" "Niet mogelijk netwerk module te laden {1}: Niet verbonden met een netwerk." -#: ClientCommand.cpp:1071 +#: ClientCommand.cpp:1087 msgid "Unknown module type" msgstr "Onbekend type module" -#: ClientCommand.cpp:1076 +#: ClientCommand.cpp:1092 msgid "Loaded module {1}" msgstr "Module {1} geladen" -#: ClientCommand.cpp:1078 +#: ClientCommand.cpp:1094 msgid "Loaded module {1}: {2}" msgstr "Module {1} geladen: {2}" -#: ClientCommand.cpp:1081 +#: ClientCommand.cpp:1097 msgid "Unable to load module {1}: {2}" msgstr "Niet mogelijk module te laden {1}: {2}" -#: ClientCommand.cpp:1104 +#: ClientCommand.cpp:1120 msgid "Unable to unload {1}: Access denied." msgstr "Niet mogelijk om {1} te stoppen: Toegang geweigerd." -#: ClientCommand.cpp:1110 +#: ClientCommand.cpp:1126 msgid "Usage: UnloadMod [--type=global|user|network] " msgstr "Gebruik: UnloadMod [--type=global|user|network] " -#: ClientCommand.cpp:1119 +#: ClientCommand.cpp:1135 msgid "Unable to determine type of {1}: {2}" msgstr "Niet mogelijk om het type te bepalen van {1}: {2}" -#: ClientCommand.cpp:1127 +#: ClientCommand.cpp:1143 msgid "Unable to unload global module {1}: Access denied." msgstr "Niet mogelijk algemene module te stoppen {1}: Toegang geweigerd." -#: ClientCommand.cpp:1134 +#: ClientCommand.cpp:1150 msgid "Unable to unload network module {1}: Not connected with a network." msgstr "" "Niet mogelijk netwerk module te stoppen {1}: Niet verbonden met een netwerk." -#: ClientCommand.cpp:1153 +#: ClientCommand.cpp:1169 msgid "Unable to unload module {1}: Unknown module type" msgstr "Niet mogelijk module te stopped {1}: Onbekend type module" -#: ClientCommand.cpp:1166 +#: ClientCommand.cpp:1182 msgid "Unable to reload modules. Access denied." msgstr "Niet mogelijk modules te herladen. Toegang geweigerd." -#: ClientCommand.cpp:1187 +#: ClientCommand.cpp:1203 msgid "Usage: ReloadMod [--type=global|user|network] [args]" msgstr "Gebruik: ReloadMod [--type=global|user|network] [argumenten]" -#: ClientCommand.cpp:1196 +#: ClientCommand.cpp:1212 msgid "Unable to reload {1}: {2}" msgstr "Niet mogelijk module te herladen {1}: {2}" -#: ClientCommand.cpp:1204 +#: ClientCommand.cpp:1220 msgid "Unable to reload global module {1}: Access denied." msgstr "Niet mogelijk algemene module te herladen {1}: Toegang geweigerd." -#: ClientCommand.cpp:1211 +#: ClientCommand.cpp:1227 msgid "Unable to reload network module {1}: Not connected with a network." msgstr "" "Niet mogelijk netwerk module te herladen {1}: Niet verbonden met een netwerk." -#: ClientCommand.cpp:1233 +#: ClientCommand.cpp:1249 msgid "Unable to reload module {1}: Unknown module type" msgstr "Niet mogelijk module te herladen {1}: Onbekend type module" -#: ClientCommand.cpp:1244 +#: ClientCommand.cpp:1260 msgid "Usage: UpdateMod " msgstr "Gebruik: UpdateMod " -#: ClientCommand.cpp:1248 +#: ClientCommand.cpp:1264 msgid "Reloading {1} everywhere" msgstr "Overal {1} herladen" -#: ClientCommand.cpp:1250 +#: ClientCommand.cpp:1266 msgid "Done" msgstr "Klaar" -#: ClientCommand.cpp:1253 +#: ClientCommand.cpp:1269 msgid "" "Done, but there were errors, module {1} could not be reloaded everywhere." msgstr "" "Klaar, maar er waren fouten, module {1} kon niet overal herladen worden." -#: ClientCommand.cpp:1261 +#: ClientCommand.cpp:1277 msgid "" "You must be connected with a network to use this command. Try " "SetUserBindHost instead" @@ -978,27 +1137,27 @@ msgstr "" "Je moet verbonden zijn met een netwerk om dit commando te gebruiken. Probeer " "in plaats hiervan SetUserBindHost" -#: ClientCommand.cpp:1268 +#: ClientCommand.cpp:1284 msgid "Usage: SetBindHost " msgstr "Gebruik: SetBindHost " -#: ClientCommand.cpp:1273 ClientCommand.cpp:1290 +#: ClientCommand.cpp:1289 ClientCommand.cpp:1306 msgid "You already have this bind host!" msgstr "Je hebt deze bindhost al!" -#: ClientCommand.cpp:1278 +#: ClientCommand.cpp:1294 msgid "Set bind host for network {1} to {2}" msgstr "Stel bindhost voor netwerk {1} in naar {2}" -#: ClientCommand.cpp:1285 +#: ClientCommand.cpp:1301 msgid "Usage: SetUserBindHost " msgstr "Gebruik: SetUserBindHost " -#: ClientCommand.cpp:1295 +#: ClientCommand.cpp:1311 msgid "Set default bind host to {1}" msgstr "Standaard bindhost ingesteld naar {1}" -#: ClientCommand.cpp:1301 +#: ClientCommand.cpp:1317 msgid "" "You must be connected with a network to use this command. Try " "ClearUserBindHost instead" @@ -1006,258 +1165,258 @@ msgstr "" "Je moet verbonden zijn met een netwerk om dit commando te gebruiken. Probeer " "in plaats hiervan ClearUserBindHost" -#: ClientCommand.cpp:1306 +#: ClientCommand.cpp:1322 msgid "Bind host cleared for this network." msgstr "Bindhost gewist voor dit netwerk." -#: ClientCommand.cpp:1310 +#: ClientCommand.cpp:1326 msgid "Default bind host cleared for your user." msgstr "Standaard bindhost gewist voor jouw gebruiker." -#: ClientCommand.cpp:1313 +#: ClientCommand.cpp:1329 msgid "This user's default bind host not set" msgstr "Er is geen standaard bindhost voor deze gebruiker ingesteld" -#: ClientCommand.cpp:1315 +#: ClientCommand.cpp:1331 msgid "This user's default bind host is {1}" msgstr "De standaard bindhost voor deze gebruiker is {1}" -#: ClientCommand.cpp:1320 +#: ClientCommand.cpp:1336 msgid "This network's bind host not set" msgstr "Er is geen bindhost ingesteld voor dit netwerk" -#: ClientCommand.cpp:1322 +#: ClientCommand.cpp:1338 msgid "This network's default bind host is {1}" msgstr "De standaard bindhost voor dit netwerk is {1}" -#: ClientCommand.cpp:1336 +#: ClientCommand.cpp:1352 msgid "Usage: PlayBuffer <#chan|query>" msgstr "Gebruik: PlayBuffer <#kanaal|privé bericht>" -#: ClientCommand.cpp:1344 +#: ClientCommand.cpp:1360 msgid "You are not on {1}" msgstr "Je bent niet in {1}" -#: ClientCommand.cpp:1349 +#: ClientCommand.cpp:1365 msgid "You are not on {1} (trying to join)" msgstr "Je bent niet in {1} (probeer toe te treden)" -#: ClientCommand.cpp:1354 +#: ClientCommand.cpp:1370 msgid "The buffer for channel {1} is empty" msgstr "De buffer voor kanaal {1} is leeg" -#: ClientCommand.cpp:1363 +#: ClientCommand.cpp:1379 msgid "No active query with {1}" msgstr "Geen actieve privé berichten met {1}" -#: ClientCommand.cpp:1368 +#: ClientCommand.cpp:1384 msgid "The buffer for {1} is empty" msgstr "De buffer voor {1} is leeg" -#: ClientCommand.cpp:1384 +#: ClientCommand.cpp:1400 msgid "Usage: ClearBuffer <#chan|query>" msgstr "Gebruik: ClearBuffer <#kanaal|privé bericht>" -#: ClientCommand.cpp:1403 +#: ClientCommand.cpp:1419 msgid "{1} buffer matching {2} has been cleared" msgid_plural "{1} buffers matching {2} have been cleared" msgstr[0] "{1} buffer overeenkomend met {2} is gewist" msgstr[1] "{1} buffers overeenkomend met {2} zijn gewist" -#: ClientCommand.cpp:1416 +#: ClientCommand.cpp:1432 msgid "All channel buffers have been cleared" msgstr "Alle kanaalbuffers zijn gewist" -#: ClientCommand.cpp:1425 +#: ClientCommand.cpp:1441 msgid "All query buffers have been cleared" msgstr "Alle privéberichtenbuffers zijn gewist" -#: ClientCommand.cpp:1437 +#: ClientCommand.cpp:1453 msgid "All buffers have been cleared" msgstr "Alle buffers zijn gewist" -#: ClientCommand.cpp:1448 +#: ClientCommand.cpp:1464 msgid "Usage: SetBuffer <#chan|query> [linecount]" msgstr "Gebruik: SetBuffer <#kanaal|privé bericht> [regelaantal]" -#: ClientCommand.cpp:1469 +#: ClientCommand.cpp:1485 msgid "Setting buffer size failed for {1} buffer" msgid_plural "Setting buffer size failed for {1} buffers" msgstr[0] "Instellen van buffergrootte mislukt voor {1} buffer" msgstr[1] "Instellen van buffergrootte mislukt voor {1} buffers" -#: ClientCommand.cpp:1472 +#: ClientCommand.cpp:1488 msgid "Maximum buffer size is {1} line" msgid_plural "Maximum buffer size is {1} lines" msgstr[0] "Maximale buffergrootte is {1} regel" msgstr[1] "Maximale buffergrootte is {1} regels" -#: ClientCommand.cpp:1477 +#: ClientCommand.cpp:1493 msgid "Size of every buffer was set to {1} line" msgid_plural "Size of every buffer was set to {1} lines" msgstr[0] "Grootte van alle buffers is ingesteld op {1} regel" msgstr[1] "Grootte van alle buffers is ingesteld op {1} regels" -#: ClientCommand.cpp:1487 ClientCommand.cpp:1494 ClientCommand.cpp:1505 -#: ClientCommand.cpp:1514 ClientCommand.cpp:1522 +#: ClientCommand.cpp:1503 ClientCommand.cpp:1510 ClientCommand.cpp:1521 +#: ClientCommand.cpp:1530 ClientCommand.cpp:1538 msgctxt "trafficcmd" msgid "Username" msgstr "Gebruikersnaam" -#: ClientCommand.cpp:1488 ClientCommand.cpp:1495 ClientCommand.cpp:1507 -#: ClientCommand.cpp:1516 ClientCommand.cpp:1524 +#: ClientCommand.cpp:1504 ClientCommand.cpp:1511 ClientCommand.cpp:1523 +#: ClientCommand.cpp:1532 ClientCommand.cpp:1540 msgctxt "trafficcmd" msgid "In" msgstr "In" -#: ClientCommand.cpp:1489 ClientCommand.cpp:1497 ClientCommand.cpp:1508 -#: ClientCommand.cpp:1517 ClientCommand.cpp:1525 +#: ClientCommand.cpp:1505 ClientCommand.cpp:1513 ClientCommand.cpp:1524 +#: ClientCommand.cpp:1533 ClientCommand.cpp:1541 msgctxt "trafficcmd" msgid "Out" msgstr "Uit" -#: ClientCommand.cpp:1490 ClientCommand.cpp:1500 ClientCommand.cpp:1510 -#: ClientCommand.cpp:1518 ClientCommand.cpp:1527 +#: ClientCommand.cpp:1506 ClientCommand.cpp:1516 ClientCommand.cpp:1526 +#: ClientCommand.cpp:1534 ClientCommand.cpp:1543 msgctxt "trafficcmd" msgid "Total" msgstr "Totaal" -#: ClientCommand.cpp:1506 +#: ClientCommand.cpp:1522 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1515 +#: ClientCommand.cpp:1531 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1523 +#: ClientCommand.cpp:1539 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1532 +#: ClientCommand.cpp:1548 msgid "Running for {1}" msgstr "Draaiend voor {1}" -#: ClientCommand.cpp:1538 +#: ClientCommand.cpp:1554 msgid "Unknown command, try 'Help'" msgstr "Onbekend commando, probeer 'Help'" -#: ClientCommand.cpp:1547 ClientCommand.cpp:1558 +#: ClientCommand.cpp:1563 ClientCommand.cpp:1574 msgctxt "listports" msgid "Port" msgstr "Poort" -#: ClientCommand.cpp:1548 ClientCommand.cpp:1559 +#: ClientCommand.cpp:1564 ClientCommand.cpp:1577 msgctxt "listports" msgid "BindHost" msgstr "BindHost" -#: ClientCommand.cpp:1549 ClientCommand.cpp:1562 +#: ClientCommand.cpp:1565 ClientCommand.cpp:1580 msgctxt "listports" msgid "SSL" msgstr "SSL" -#: ClientCommand.cpp:1550 ClientCommand.cpp:1567 +#: ClientCommand.cpp:1566 ClientCommand.cpp:1585 msgctxt "listports" msgid "Protocol" msgstr "Protocol" -#: ClientCommand.cpp:1551 ClientCommand.cpp:1574 +#: ClientCommand.cpp:1567 ClientCommand.cpp:1592 msgctxt "listports" msgid "IRC" msgstr "IRC" -#: ClientCommand.cpp:1552 ClientCommand.cpp:1579 +#: ClientCommand.cpp:1568 ClientCommand.cpp:1597 msgctxt "listports" msgid "Web" msgstr "Web" -#: ClientCommand.cpp:1563 +#: ClientCommand.cpp:1581 msgctxt "listports|ssl" msgid "yes" msgstr "ja" -#: ClientCommand.cpp:1564 +#: ClientCommand.cpp:1582 msgctxt "listports|ssl" msgid "no" msgstr "nee" -#: ClientCommand.cpp:1568 +#: ClientCommand.cpp:1586 msgctxt "listports" msgid "IPv4 and IPv6" msgstr "IPv4 en IPv6" -#: ClientCommand.cpp:1570 +#: ClientCommand.cpp:1588 msgctxt "listports" msgid "IPv4" msgstr "IPv4" -#: ClientCommand.cpp:1571 +#: ClientCommand.cpp:1589 msgctxt "listports" msgid "IPv6" msgstr "IPv6" -#: ClientCommand.cpp:1577 +#: ClientCommand.cpp:1595 msgctxt "listports|irc" msgid "yes" msgstr "ja" -#: ClientCommand.cpp:1578 +#: ClientCommand.cpp:1596 msgctxt "listports|irc" msgid "no" msgstr "nee" -#: ClientCommand.cpp:1582 +#: ClientCommand.cpp:1600 msgctxt "listports|irc" msgid "yes, on {1}" msgstr "ja, in {1}" -#: ClientCommand.cpp:1584 +#: ClientCommand.cpp:1602 msgctxt "listports|web" msgid "no" msgstr "nee" -#: ClientCommand.cpp:1624 +#: ClientCommand.cpp:1642 msgid "" "Usage: AddPort <[+]port> [bindhost [uriprefix]]" msgstr "" "Gebruik: AddPort <[+]poort> [bindhost " "[urivoorvoegsel]]" -#: ClientCommand.cpp:1640 +#: ClientCommand.cpp:1658 msgid "Port added" msgstr "Poort toegevoegd" -#: ClientCommand.cpp:1642 +#: ClientCommand.cpp:1660 msgid "Couldn't add port" msgstr "Kon poort niet toevoegen" -#: ClientCommand.cpp:1648 +#: ClientCommand.cpp:1666 msgid "Usage: DelPort [bindhost]" msgstr "Gebruik: DelPort [bindhost]" -#: ClientCommand.cpp:1657 +#: ClientCommand.cpp:1675 msgid "Deleted Port" msgstr "Poort verwijderd" -#: ClientCommand.cpp:1659 +#: ClientCommand.cpp:1677 msgid "Unable to find a matching port" msgstr "Niet mogelijk om een overeenkomende poort te vinden" -#: ClientCommand.cpp:1667 ClientCommand.cpp:1682 +#: ClientCommand.cpp:1685 ClientCommand.cpp:1700 msgctxt "helpcmd" msgid "Command" msgstr "Commando" -#: ClientCommand.cpp:1668 ClientCommand.cpp:1684 +#: ClientCommand.cpp:1686 ClientCommand.cpp:1702 msgctxt "helpcmd" msgid "Description" msgstr "Beschrijving" -#: ClientCommand.cpp:1673 +#: ClientCommand.cpp:1691 msgid "" "In the following list all occurrences of <#chan> support wildcards (* and ?) " "except ListNicks" @@ -1265,87 +1424,87 @@ msgstr "" "In de volgende lijst ondersteunen alle voorvallen van <#kanaal> jokers (* " "en ?) behalve ListNicks" -#: ClientCommand.cpp:1690 +#: ClientCommand.cpp:1708 msgctxt "helpcmd|Version|desc" msgid "Print which version of ZNC this is" msgstr "Toon welke versie van ZNC dit is" -#: ClientCommand.cpp:1693 +#: ClientCommand.cpp:1711 msgctxt "helpcmd|ListMods|desc" msgid "List all loaded modules" msgstr "Toon een lijst van alle geladen modules" -#: ClientCommand.cpp:1696 +#: ClientCommand.cpp:1714 msgctxt "helpcmd|ListAvailMods|desc" msgid "List all available modules" msgstr "Toon alle beschikbare modules" -#: ClientCommand.cpp:1700 ClientCommand.cpp:1886 +#: ClientCommand.cpp:1718 ClientCommand.cpp:1904 msgctxt "helpcmd|ListChans|desc" msgid "List all channels" msgstr "Toon alle kanalen" -#: ClientCommand.cpp:1703 +#: ClientCommand.cpp:1721 msgctxt "helpcmd|ListNicks|args" msgid "<#chan>" msgstr "<#kanaal>" -#: ClientCommand.cpp:1704 +#: ClientCommand.cpp:1722 msgctxt "helpcmd|ListNicks|desc" msgid "List all nicks on a channel" msgstr "Toon alle bijnamen op een kanaal" -#: ClientCommand.cpp:1707 +#: ClientCommand.cpp:1725 msgctxt "helpcmd|ListClients|desc" msgid "List all clients connected to your ZNC user" msgstr "Toon alle clients verbonden met jouw ZNC gebruiker" -#: ClientCommand.cpp:1711 +#: ClientCommand.cpp:1729 msgctxt "helpcmd|ListServers|desc" msgid "List all servers of current IRC network" msgstr "Toon alle servers van het huidige IRC netwerk" -#: ClientCommand.cpp:1715 +#: ClientCommand.cpp:1733 msgctxt "helpcmd|AddNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1716 +#: ClientCommand.cpp:1734 msgctxt "helpcmd|AddNetwork|desc" msgid "Add a network to your user" msgstr "Voeg een netwerk toe aan jouw gebruiker" -#: ClientCommand.cpp:1718 +#: ClientCommand.cpp:1736 msgctxt "helpcmd|DelNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1719 +#: ClientCommand.cpp:1737 msgctxt "helpcmd|DelNetwork|desc" msgid "Delete a network from your user" msgstr "Verwijder een netwerk van jouw gebruiker" -#: ClientCommand.cpp:1721 +#: ClientCommand.cpp:1739 msgctxt "helpcmd|ListNetworks|desc" msgid "List all networks" msgstr "Toon alle netwerken" -#: ClientCommand.cpp:1724 +#: ClientCommand.cpp:1742 msgctxt "helpcmd|MoveNetwork|args" msgid " [new network]" msgstr " [nieuw netwerk]" -#: ClientCommand.cpp:1726 +#: ClientCommand.cpp:1744 msgctxt "helpcmd|MoveNetwork|desc" msgid "Move an IRC network from one user to another" msgstr "Verplaats een IRC netwerk van een gebruiker naar een andere gebruiker" -#: ClientCommand.cpp:1730 +#: ClientCommand.cpp:1748 msgctxt "helpcmd|JumpNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1731 +#: ClientCommand.cpp:1749 msgctxt "helpcmd|JumpNetwork|desc" msgid "" "Jump to another network (Alternatively, you can connect to ZNC several " @@ -1354,12 +1513,12 @@ msgstr "" "Spring naar een ander netwerk (Je kan ook meerdere malen naar ZNC verbinden " "door `gebruiker/netwerk` als gebruikersnaam te gebruiken)" -#: ClientCommand.cpp:1736 +#: ClientCommand.cpp:1754 msgctxt "helpcmd|AddServer|args" msgid " [[+]port] [pass]" msgstr " [[+]poort] [wachtwoord]" -#: ClientCommand.cpp:1737 +#: ClientCommand.cpp:1755 msgctxt "helpcmd|AddServer|desc" msgid "" "Add a server to the list of alternate/backup servers of current IRC network." @@ -1367,12 +1526,12 @@ msgstr "" "Voeg een server toe aan de lijst van alternatieve/backup servers van het " "huidige IRC netwerk." -#: ClientCommand.cpp:1741 +#: ClientCommand.cpp:1759 msgctxt "helpcmd|DelServer|args" msgid " [port] [pass]" msgstr " [poort] [wachtwoord]" -#: ClientCommand.cpp:1742 +#: ClientCommand.cpp:1760 msgctxt "helpcmd|DelServer|desc" msgid "" "Remove a server from the list of alternate/backup servers of current IRC " @@ -1381,12 +1540,12 @@ msgstr "" "Verwijder een server van de lijst van alternatieve/backup servers van het " "huidige IRC netwerk" -#: ClientCommand.cpp:1748 +#: ClientCommand.cpp:1766 msgctxt "helpcmd|AddTrustedServerFingerprint|args" msgid "" msgstr "" -#: ClientCommand.cpp:1749 +#: ClientCommand.cpp:1767 msgctxt "helpcmd|AddTrustedServerFingerprint|desc" msgid "" "Add a trusted server SSL certificate fingerprint (SHA-256) to current IRC " @@ -1395,337 +1554,337 @@ msgstr "" "Voeg een vertrouwd SSL certificaat vingerafdruk (SHA-256) toe aan het " "huidige netwerk." -#: ClientCommand.cpp:1754 +#: ClientCommand.cpp:1772 msgctxt "helpcmd|DelTrustedServerFingerprint|args" msgid "" msgstr "" -#: ClientCommand.cpp:1755 +#: ClientCommand.cpp:1773 msgctxt "helpcmd|DelTrustedServerFingerprint|desc" msgid "Delete a trusted server SSL certificate from current IRC network." msgstr "Verwijder een vertrouwd SSL certificaat van het huidige netwerk." -#: ClientCommand.cpp:1759 +#: ClientCommand.cpp:1777 msgctxt "helpcmd|ListTrustedServerFingerprints|desc" msgid "List all trusted server SSL certificates of current IRC network." msgstr "Toon alle vertrouwde SSL certificaten van het huidige netwerk." -#: ClientCommand.cpp:1762 +#: ClientCommand.cpp:1780 msgctxt "helpcmd|EnableChan|args" msgid "<#chans>" msgstr "<#kanalen>" -#: ClientCommand.cpp:1763 +#: ClientCommand.cpp:1781 msgctxt "helpcmd|EnableChan|desc" msgid "Enable channels" msgstr "Kanalen inschakelen" -#: ClientCommand.cpp:1764 +#: ClientCommand.cpp:1782 msgctxt "helpcmd|DisableChan|args" msgid "<#chans>" msgstr "<#kanalen>" -#: ClientCommand.cpp:1765 +#: ClientCommand.cpp:1783 msgctxt "helpcmd|DisableChan|desc" msgid "Disable channels" msgstr "Kanalen uitschakelen" -#: ClientCommand.cpp:1766 +#: ClientCommand.cpp:1784 msgctxt "helpcmd|Attach|args" msgid "<#chans>" msgstr "<#kanalen>" -#: ClientCommand.cpp:1767 +#: ClientCommand.cpp:1785 msgctxt "helpcmd|Attach|desc" msgid "Attach to channels" msgstr "Koppel aan kanalen" -#: ClientCommand.cpp:1768 +#: ClientCommand.cpp:1786 msgctxt "helpcmd|Detach|args" msgid "<#chans>" msgstr "<#kanalen>" -#: ClientCommand.cpp:1769 +#: ClientCommand.cpp:1787 msgctxt "helpcmd|Detach|desc" msgid "Detach from channels" msgstr "Loskoppelen van kanalen" -#: ClientCommand.cpp:1772 +#: ClientCommand.cpp:1790 msgctxt "helpcmd|Topics|desc" msgid "Show topics in all your channels" msgstr "Laat topics in al je kanalen zien" -#: ClientCommand.cpp:1775 +#: ClientCommand.cpp:1793 msgctxt "helpcmd|PlayBuffer|args" msgid "<#chan|query>" msgstr "<#kanaal|privé bericht>" -#: ClientCommand.cpp:1776 +#: ClientCommand.cpp:1794 msgctxt "helpcmd|PlayBuffer|desc" msgid "Play back the specified buffer" msgstr "Speel the gekozen buffer terug" -#: ClientCommand.cpp:1778 +#: ClientCommand.cpp:1796 msgctxt "helpcmd|ClearBuffer|args" msgid "<#chan|query>" msgstr "<#kanaal|privé bericht>" -#: ClientCommand.cpp:1779 +#: ClientCommand.cpp:1797 msgctxt "helpcmd|ClearBuffer|desc" msgid "Clear the specified buffer" msgstr "Wis de gekozen buffer" -#: ClientCommand.cpp:1781 +#: ClientCommand.cpp:1799 msgctxt "helpcmd|ClearAllBuffers|desc" msgid "Clear all channel and query buffers" msgstr "Wis alle kanaal en privé berichtenbuffers" -#: ClientCommand.cpp:1784 +#: ClientCommand.cpp:1802 msgctxt "helpcmd|ClearAllChannelBuffers|desc" msgid "Clear the channel buffers" msgstr "Wis de kanaal buffers" -#: ClientCommand.cpp:1788 +#: ClientCommand.cpp:1806 msgctxt "helpcmd|ClearAllQueryBuffers|desc" msgid "Clear the query buffers" msgstr "Wis de privéberichtenbuffers" -#: ClientCommand.cpp:1790 +#: ClientCommand.cpp:1808 msgctxt "helpcmd|SetBuffer|args" msgid "<#chan|query> [linecount]" msgstr "<#kanaal|privé bericht> [regelaantal]" -#: ClientCommand.cpp:1791 +#: ClientCommand.cpp:1809 msgctxt "helpcmd|SetBuffer|desc" msgid "Set the buffer count" msgstr "Stel het buffer aantal in" -#: ClientCommand.cpp:1795 +#: ClientCommand.cpp:1813 msgctxt "helpcmd|SetBindHost|args" msgid "" msgstr "" -#: ClientCommand.cpp:1796 +#: ClientCommand.cpp:1814 msgctxt "helpcmd|SetBindHost|desc" msgid "Set the bind host for this network" msgstr "Stel de bindhost in voor dit netwerk" -#: ClientCommand.cpp:1800 +#: ClientCommand.cpp:1818 msgctxt "helpcmd|SetUserBindHost|args" msgid "" msgstr "" -#: ClientCommand.cpp:1801 +#: ClientCommand.cpp:1819 msgctxt "helpcmd|SetUserBindHost|desc" msgid "Set the default bind host for this user" msgstr "Stel de bindhost in voor deze gebruiker" -#: ClientCommand.cpp:1804 +#: ClientCommand.cpp:1822 msgctxt "helpcmd|ClearBindHost|desc" msgid "Clear the bind host for this network" msgstr "Wis de bindhost voor dit netwerk" -#: ClientCommand.cpp:1807 +#: ClientCommand.cpp:1825 msgctxt "helpcmd|ClearUserBindHost|desc" msgid "Clear the default bind host for this user" msgstr "Wis de standaard bindhost voor deze gebruiker" -#: ClientCommand.cpp:1813 +#: ClientCommand.cpp:1831 msgctxt "helpcmd|ShowBindHost|desc" msgid "Show currently selected bind host" msgstr "Toon huidig geselecteerde bindhost" -#: ClientCommand.cpp:1815 +#: ClientCommand.cpp:1833 msgctxt "helpcmd|Jump|args" msgid "[server]" msgstr "[server]" -#: ClientCommand.cpp:1816 +#: ClientCommand.cpp:1834 msgctxt "helpcmd|Jump|desc" msgid "Jump to the next or the specified server" msgstr "Spring naar de volgende of de gekozen server" -#: ClientCommand.cpp:1817 +#: ClientCommand.cpp:1835 msgctxt "helpcmd|Disconnect|args" msgid "[message]" msgstr "[bericht]" -#: ClientCommand.cpp:1818 +#: ClientCommand.cpp:1836 msgctxt "helpcmd|Disconnect|desc" msgid "Disconnect from IRC" msgstr "Verbreek verbinding met IRC" -#: ClientCommand.cpp:1820 +#: ClientCommand.cpp:1838 msgctxt "helpcmd|Connect|desc" msgid "Reconnect to IRC" msgstr "Verbind opnieuw met IRC" -#: ClientCommand.cpp:1823 +#: ClientCommand.cpp:1841 msgctxt "helpcmd|Uptime|desc" msgid "Show for how long ZNC has been running" msgstr "Laat zien hoe lang ZNC al draait" -#: ClientCommand.cpp:1827 +#: ClientCommand.cpp:1845 msgctxt "helpcmd|LoadMod|args" msgid "[--type=global|user|network] [args]" msgstr "[--type=global|user|network] [args]" -#: ClientCommand.cpp:1829 +#: ClientCommand.cpp:1847 msgctxt "helpcmd|LoadMod|desc" msgid "Load a module" msgstr "Laad een module" -#: ClientCommand.cpp:1831 +#: ClientCommand.cpp:1849 msgctxt "helpcmd|UnloadMod|args" msgid "[--type=global|user|network] " msgstr "[--type=global|user|network] " -#: ClientCommand.cpp:1833 +#: ClientCommand.cpp:1851 msgctxt "helpcmd|UnloadMod|desc" msgid "Unload a module" msgstr "Stop een module" -#: ClientCommand.cpp:1835 +#: ClientCommand.cpp:1853 msgctxt "helpcmd|ReloadMod|args" msgid "[--type=global|user|network] [args]" msgstr "[--type=global|user|network] [args]" -#: ClientCommand.cpp:1837 +#: ClientCommand.cpp:1855 msgctxt "helpcmd|ReloadMod|desc" msgid "Reload a module" msgstr "Herlaad een module" -#: ClientCommand.cpp:1840 +#: ClientCommand.cpp:1858 msgctxt "helpcmd|UpdateMod|args" msgid "" msgstr "" -#: ClientCommand.cpp:1841 +#: ClientCommand.cpp:1859 msgctxt "helpcmd|UpdateMod|desc" msgid "Reload a module everywhere" msgstr "Herlaad een module overal" -#: ClientCommand.cpp:1847 +#: ClientCommand.cpp:1865 msgctxt "helpcmd|ShowMOTD|desc" msgid "Show ZNC's message of the day" msgstr "Laat ZNC's bericht van de dag zien" -#: ClientCommand.cpp:1851 +#: ClientCommand.cpp:1869 msgctxt "helpcmd|SetMOTD|args" msgid "" msgstr "" -#: ClientCommand.cpp:1852 +#: ClientCommand.cpp:1870 msgctxt "helpcmd|SetMOTD|desc" msgid "Set ZNC's message of the day" msgstr "Stel ZNC's bericht van de dag in" -#: ClientCommand.cpp:1854 +#: ClientCommand.cpp:1872 msgctxt "helpcmd|AddMOTD|args" msgid "" msgstr "" -#: ClientCommand.cpp:1855 +#: ClientCommand.cpp:1873 msgctxt "helpcmd|AddMOTD|desc" msgid "Append to ZNC's MOTD" msgstr "Voeg toe aan ZNC's bericht van de dag" -#: ClientCommand.cpp:1857 +#: ClientCommand.cpp:1875 msgctxt "helpcmd|ClearMOTD|desc" msgid "Clear ZNC's MOTD" msgstr "Wis ZNC's bericht van de dag" -#: ClientCommand.cpp:1860 +#: ClientCommand.cpp:1878 msgctxt "helpcmd|ListPorts|desc" msgid "Show all active listeners" msgstr "Laat alle actieve luisteraars zien" -#: ClientCommand.cpp:1862 +#: ClientCommand.cpp:1880 msgctxt "helpcmd|AddPort|args" msgid "<[+]port> [bindhost [uriprefix]]" msgstr "<[+]poort> [bindhost [urivoorvoegsel]]" -#: ClientCommand.cpp:1865 +#: ClientCommand.cpp:1883 msgctxt "helpcmd|AddPort|desc" msgid "Add another port for ZNC to listen on" msgstr "Voeg nog een poort toe voor ZNC om te luisteren" -#: ClientCommand.cpp:1869 +#: ClientCommand.cpp:1887 msgctxt "helpcmd|DelPort|args" msgid " [bindhost]" msgstr " [bindhost]" -#: ClientCommand.cpp:1870 +#: ClientCommand.cpp:1888 msgctxt "helpcmd|DelPort|desc" msgid "Remove a port from ZNC" msgstr "Haal een poort weg van ZNC" -#: ClientCommand.cpp:1873 +#: ClientCommand.cpp:1891 msgctxt "helpcmd|Rehash|desc" msgid "Reload global settings, modules, and listeners from znc.conf" msgstr "Herlaad algemene instelling, modules en luisteraars van znc.conf" -#: ClientCommand.cpp:1876 +#: ClientCommand.cpp:1894 msgctxt "helpcmd|SaveConfig|desc" msgid "Save the current settings to disk" msgstr "Huidige instellingen opslaan in bestand" -#: ClientCommand.cpp:1879 +#: ClientCommand.cpp:1897 msgctxt "helpcmd|ListUsers|desc" msgid "List all ZNC users and their connection status" msgstr "Toon alle ZNC gebruikers en hun verbinding status" -#: ClientCommand.cpp:1882 +#: ClientCommand.cpp:1900 msgctxt "helpcmd|ListAllUserNetworks|desc" msgid "List all ZNC users and their networks" msgstr "Toon alle ZNC gebruikers en hun netwerken" -#: ClientCommand.cpp:1885 +#: ClientCommand.cpp:1903 msgctxt "helpcmd|ListChans|args" msgid "[user ]" msgstr "[gebruiker ]" -#: ClientCommand.cpp:1888 +#: ClientCommand.cpp:1906 msgctxt "helpcmd|ListClients|args" msgid "[user]" msgstr "[gebruiker]" -#: ClientCommand.cpp:1889 +#: ClientCommand.cpp:1907 msgctxt "helpcmd|ListClients|desc" msgid "List all connected clients" msgstr "Toon alle verbonden clients" -#: ClientCommand.cpp:1891 +#: ClientCommand.cpp:1909 msgctxt "helpcmd|Traffic|desc" msgid "Show basic traffic stats for all ZNC users" msgstr "Toon basis verkeer statistieken voor alle ZNC gebruikers" -#: ClientCommand.cpp:1893 +#: ClientCommand.cpp:1911 msgctxt "helpcmd|Broadcast|args" msgid "[message]" msgstr "[bericht]" -#: ClientCommand.cpp:1894 +#: ClientCommand.cpp:1912 msgctxt "helpcmd|Broadcast|desc" msgid "Broadcast a message to all ZNC users" msgstr "Zend een bericht naar alle ZNC gebruikers" -#: ClientCommand.cpp:1897 +#: ClientCommand.cpp:1915 msgctxt "helpcmd|Shutdown|args" msgid "[message]" msgstr "[bericht]" -#: ClientCommand.cpp:1898 +#: ClientCommand.cpp:1916 msgctxt "helpcmd|Shutdown|desc" msgid "Shut down ZNC completely" msgstr "Sluit ZNC in zijn geheel af" -#: ClientCommand.cpp:1899 +#: ClientCommand.cpp:1917 msgctxt "helpcmd|Restart|args" msgid "[message]" msgstr "[bericht]" -#: ClientCommand.cpp:1900 +#: ClientCommand.cpp:1918 msgctxt "helpcmd|Restart|desc" msgid "Restart ZNC" msgstr "Herstart ZNC" diff --git a/src/po/znc.pl_PL.po b/src/po/znc.pl_PL.po index 416fd51b..175a4904 100644 --- a/src/po/znc.pl_PL.po +++ b/src/po/znc.pl_PL.po @@ -76,7 +76,7 @@ msgstr "Nie udało się odnaleźć pliku pem: {1}" msgid "Invalid port" msgstr "Nieprawidłowy port" -#: znc.cpp:1821 ClientCommand.cpp:1637 +#: znc.cpp:1821 ClientCommand.cpp:1655 msgid "Unable to bind: {1}" msgstr "Nie udało się przypiąć: {1}" @@ -265,6 +265,7 @@ msgid "Usage: /attach <#chans>" msgstr "Użycie: /attach <#kanały>" #: Client.cpp:1344 Client.cpp:1366 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: ClientCommand.cpp:423 ClientCommand.cpp:450 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" msgstr[0] "" @@ -310,7 +311,7 @@ msgctxt "modhelpcmd" msgid "Generate this output" msgstr "Tworzy ten wynik" -#: Modules.cpp:573 ClientCommand.cpp:1904 +#: Modules.cpp:573 ClientCommand.cpp:1922 msgid "No matches for '{1}'" msgstr "Brak dopasowań dla '{1}'" @@ -421,11 +422,12 @@ msgid "Description" msgstr "Opis" #: ClientCommand.cpp:51 ClientCommand.cpp:115 ClientCommand.cpp:137 -#: ClientCommand.cpp:749 ClientCommand.cpp:768 ClientCommand.cpp:794 -#: ClientCommand.cpp:827 ClientCommand.cpp:840 ClientCommand.cpp:853 -#: ClientCommand.cpp:868 ClientCommand.cpp:1329 ClientCommand.cpp:1377 -#: ClientCommand.cpp:1409 ClientCommand.cpp:1420 ClientCommand.cpp:1429 -#: ClientCommand.cpp:1441 +#: ClientCommand.cpp:339 ClientCommand.cpp:390 ClientCommand.cpp:405 +#: ClientCommand.cpp:432 ClientCommand.cpp:459 ClientCommand.cpp:764 +#: ClientCommand.cpp:783 ClientCommand.cpp:809 ClientCommand.cpp:843 +#: ClientCommand.cpp:856 ClientCommand.cpp:869 ClientCommand.cpp:884 +#: ClientCommand.cpp:1345 ClientCommand.cpp:1393 ClientCommand.cpp:1425 +#: ClientCommand.cpp:1436 ClientCommand.cpp:1445 ClientCommand.cpp:1457 msgid "You must be connected with a network to use this command" msgstr "Aby korzystać z tego polecenia, musisz być podłączony z siecią" @@ -485,87 +487,252 @@ msgstr "Zapisano konfigurację do {1}" msgid "Error while trying to write config." msgstr "Błąd podczas próby zapisu konfiguracji." -#: ClientCommand.cpp:455 +#: ClientCommand.cpp:183 +msgid "Usage: ListClients" +msgstr "" + +#: ClientCommand.cpp:190 +msgid "No such user: {1}" +msgstr "" + +#: ClientCommand.cpp:198 +msgid "No clients are connected" +msgstr "" + +#: ClientCommand.cpp:203 ClientCommand.cpp:209 +msgctxt "listclientscmd" +msgid "Host" +msgstr "" + +#: ClientCommand.cpp:204 ClientCommand.cpp:212 +msgctxt "listclientscmd" +msgid "Network" +msgstr "" + +#: ClientCommand.cpp:205 ClientCommand.cpp:215 +msgctxt "listclientscmd" +msgid "Identifier" +msgstr "" + +#: ClientCommand.cpp:223 ClientCommand.cpp:229 +msgctxt "listuserscmd" +msgid "Username" +msgstr "" + +#: ClientCommand.cpp:224 ClientCommand.cpp:230 +msgctxt "listuserscmd" +msgid "Networks" +msgstr "" + +#: ClientCommand.cpp:225 ClientCommand.cpp:232 +msgctxt "listuserscmd" +msgid "Clients" +msgstr "" + +#: ClientCommand.cpp:240 ClientCommand.cpp:250 ClientCommand.cpp:260 +#: ClientCommand.cpp:263 +msgctxt "listallusernetworkscmd" +msgid "Username" +msgstr "" + +#: ClientCommand.cpp:241 ClientCommand.cpp:251 ClientCommand.cpp:266 +msgctxt "listallusernetworkscmd" +msgid "Network" +msgstr "" + +#: ClientCommand.cpp:242 ClientCommand.cpp:252 ClientCommand.cpp:268 +msgctxt "listallusernetworkscmd" +msgid "Clients" +msgstr "" + +#: ClientCommand.cpp:243 ClientCommand.cpp:271 ClientCommand.cpp:280 +msgctxt "listallusernetworkscmd" +msgid "On IRC" +msgstr "" + +#: ClientCommand.cpp:244 ClientCommand.cpp:273 +msgctxt "listallusernetworkscmd" +msgid "IRC Server" +msgstr "" + +#: ClientCommand.cpp:245 ClientCommand.cpp:275 +msgctxt "listallusernetworkscmd" +msgid "IRC User" +msgstr "" + +#: ClientCommand.cpp:246 ClientCommand.cpp:277 +msgctxt "listallusernetworkscmd" +msgid "Channels" +msgstr "" + +#: ClientCommand.cpp:251 +msgid "N/A" +msgstr "" + +#: ClientCommand.cpp:272 +msgctxt "listallusernetworkscmd" +msgid "Yes" +msgstr "" + +#: ClientCommand.cpp:281 +msgctxt "listallusernetworkscmd" +msgid "No" +msgstr "" + +#: ClientCommand.cpp:291 +msgid "Usage: SetMOTD " +msgstr "" + +#: ClientCommand.cpp:294 +msgid "MOTD set to: {1}" +msgstr "" + +#: ClientCommand.cpp:300 +msgid "Usage: AddMOTD " +msgstr "" + +#: ClientCommand.cpp:303 +msgid "Added [{1}] to MOTD" +msgstr "" + +#: ClientCommand.cpp:307 +msgid "Cleared MOTD" +msgstr "" + +#: ClientCommand.cpp:329 +msgid "" +"ERROR: Writing config file to disk failed! Aborting. Use {1} FORCE to ignore." +msgstr "" + +#: ClientCommand.cpp:344 ClientCommand.cpp:797 ClientCommand.cpp:838 +msgid "You don't have any servers added." +msgstr "Nie dodano żadnych serwerów." + +#: ClientCommand.cpp:355 +msgid "Server [{1}] not found" +msgstr "" + +#: ClientCommand.cpp:375 ClientCommand.cpp:380 +msgid "Connecting to {1}..." +msgstr "" + +#: ClientCommand.cpp:377 +msgid "Jumping to the next server in the list..." +msgstr "" + +#: ClientCommand.cpp:382 +msgid "Connecting..." +msgstr "" + +#: ClientCommand.cpp:400 +msgid "Disconnected from IRC. Use 'connect' to reconnect." +msgstr "" + +#: ClientCommand.cpp:412 +msgid "Usage: EnableChan <#chans>" +msgstr "" + +#: ClientCommand.cpp:426 +msgid "Enabled {1} channel" +msgid_plural "Enabled {1} channels" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" + +#: ClientCommand.cpp:439 +msgid "Usage: DisableChan <#chans>" +msgstr "" + +#: ClientCommand.cpp:453 +msgid "Disabled {1} channel" +msgid_plural "Disabled {1} channels" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" + +#: ClientCommand.cpp:470 msgid "Usage: ListChans" msgstr "Użycie: ListChans" -#: ClientCommand.cpp:462 +#: ClientCommand.cpp:477 msgid "No such user [{1}]" msgstr "Nie ma takiego użytkownika [{1}]" -#: ClientCommand.cpp:468 +#: ClientCommand.cpp:483 msgid "User [{1}] doesn't have network [{2}]" msgstr "Użytkownik [{1}] nie ma sieci [{2}]" -#: ClientCommand.cpp:479 +#: ClientCommand.cpp:494 msgid "There are no channels defined." msgstr "Nie ma zdefiniowanych kanałów." -#: ClientCommand.cpp:484 ClientCommand.cpp:500 +#: ClientCommand.cpp:499 ClientCommand.cpp:515 msgctxt "listchans" msgid "Name" msgstr "Nazwa" -#: ClientCommand.cpp:485 ClientCommand.cpp:503 +#: ClientCommand.cpp:500 ClientCommand.cpp:518 msgctxt "listchans" msgid "Status" msgstr "Status" -#: ClientCommand.cpp:486 ClientCommand.cpp:510 +#: ClientCommand.cpp:501 ClientCommand.cpp:525 msgctxt "listchans" msgid "In config" msgstr "W pliku konfiguracyjnym?" -#: ClientCommand.cpp:487 ClientCommand.cpp:512 +#: ClientCommand.cpp:502 ClientCommand.cpp:527 msgctxt "listchans" msgid "Buffer" msgstr "Bufor" -#: ClientCommand.cpp:488 ClientCommand.cpp:516 +#: ClientCommand.cpp:503 ClientCommand.cpp:531 msgctxt "listchans" msgid "Clear" msgstr "Czyszczenie bufora?" -#: ClientCommand.cpp:489 ClientCommand.cpp:521 +#: ClientCommand.cpp:504 ClientCommand.cpp:536 msgctxt "listchans" msgid "Modes" msgstr "Tryby" -#: ClientCommand.cpp:490 ClientCommand.cpp:522 +#: ClientCommand.cpp:505 ClientCommand.cpp:537 msgctxt "listchans" msgid "Users" msgstr "Użytkownicy" -#: ClientCommand.cpp:505 +#: ClientCommand.cpp:520 msgctxt "listchans" msgid "Detached" msgstr "Odpięto" -#: ClientCommand.cpp:506 +#: ClientCommand.cpp:521 msgctxt "listchans" msgid "Joined" msgstr "Dołączono" -#: ClientCommand.cpp:507 +#: ClientCommand.cpp:522 msgctxt "listchans" msgid "Disabled" msgstr "Wyłączono" -#: ClientCommand.cpp:508 +#: ClientCommand.cpp:523 msgctxt "listchans" msgid "Trying" msgstr "Próbowanie" -#: ClientCommand.cpp:511 ClientCommand.cpp:519 +#: ClientCommand.cpp:526 ClientCommand.cpp:534 msgctxt "listchans" msgid "yes" msgstr "tak" -#: ClientCommand.cpp:536 +#: ClientCommand.cpp:551 msgid "Total: {1}, Joined: {2}, Detached: {3}, Disabled: {4}" msgstr "Sumarycznie: {1}, Dołączonych: {2}, Odpiętych: {3}, Wyłączonych: {4}" -#: ClientCommand.cpp:541 +#: ClientCommand.cpp:556 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks using /znc DelNetwork " @@ -574,15 +741,15 @@ msgstr "" "limitu dla Ciebie lub usuń niepotrzebne sieci za pomocą /znc DelNetwork " "" -#: ClientCommand.cpp:550 +#: ClientCommand.cpp:565 msgid "Usage: AddNetwork " msgstr "Użycie: AddNetwork " -#: ClientCommand.cpp:554 +#: ClientCommand.cpp:569 msgid "Network name should be alphanumeric" msgstr "Nazwa sieci musi być alfanumeryczna" -#: ClientCommand.cpp:561 +#: ClientCommand.cpp:576 msgid "" "Network added. Use /znc JumpNetwork {1}, or connect to ZNC with username {2} " "(instead of just {3}) to connect to it." @@ -591,138 +758,138 @@ msgstr "" "zmodyfikowanej nazwy użytkownika {2} (zamiast tylko {3}), aby się połączyć z " "tą siecią." -#: ClientCommand.cpp:566 +#: ClientCommand.cpp:581 msgid "Unable to add that network" msgstr "Nie można dodać tej sieci" -#: ClientCommand.cpp:573 +#: ClientCommand.cpp:588 msgid "Usage: DelNetwork " msgstr "Użycie: DelNetwork " -#: ClientCommand.cpp:582 +#: ClientCommand.cpp:597 msgid "Network deleted" msgstr "Usunięto sieć" -#: ClientCommand.cpp:585 +#: ClientCommand.cpp:600 msgid "Failed to delete network, perhaps this network doesn't exist" msgstr "Nie udało się usunąć sieci, być może ta sieć nie istnieje" -#: ClientCommand.cpp:595 +#: ClientCommand.cpp:610 msgid "User {1} not found" msgstr "Użytkownik {1} nie odnaleziony" -#: ClientCommand.cpp:603 ClientCommand.cpp:611 +#: ClientCommand.cpp:618 ClientCommand.cpp:626 msgctxt "listnetworks" msgid "Network" msgstr "Sieć" -#: ClientCommand.cpp:604 ClientCommand.cpp:613 ClientCommand.cpp:622 +#: ClientCommand.cpp:619 ClientCommand.cpp:628 ClientCommand.cpp:637 msgctxt "listnetworks" msgid "On IRC" msgstr "Na IRC" -#: ClientCommand.cpp:605 ClientCommand.cpp:615 +#: ClientCommand.cpp:620 ClientCommand.cpp:630 msgctxt "listnetworks" msgid "IRC Server" msgstr "Serwer IRC" -#: ClientCommand.cpp:606 ClientCommand.cpp:617 +#: ClientCommand.cpp:621 ClientCommand.cpp:632 msgctxt "listnetworks" msgid "IRC User" msgstr "Użytkownik IRC" -#: ClientCommand.cpp:607 ClientCommand.cpp:619 +#: ClientCommand.cpp:622 ClientCommand.cpp:634 msgctxt "listnetworks" msgid "Channels" msgstr "Kanały" -#: ClientCommand.cpp:614 +#: ClientCommand.cpp:629 msgctxt "listnetworks" msgid "Yes" msgstr "Tak" -#: ClientCommand.cpp:623 +#: ClientCommand.cpp:638 msgctxt "listnetworks" msgid "No" msgstr "Nie" -#: ClientCommand.cpp:628 +#: ClientCommand.cpp:643 msgctxt "listnetworks" msgid "No networks" msgstr "Brak sieci" -#: ClientCommand.cpp:632 ClientCommand.cpp:936 +#: ClientCommand.cpp:647 ClientCommand.cpp:952 msgid "Access denied." msgstr "Odmowa dostępu." -#: ClientCommand.cpp:643 +#: ClientCommand.cpp:658 msgid "Usage: MoveNetwork [new network]" msgstr "" "Użycie: MoveNetwork " "[nowa_sieć]" -#: ClientCommand.cpp:653 +#: ClientCommand.cpp:668 msgid "Old user {1} not found." msgstr "Nie znaleziono starego użytkownika {1}." -#: ClientCommand.cpp:659 +#: ClientCommand.cpp:674 msgid "Old network {1} not found." msgstr "Nie znaleziono starej sieci {1}." -#: ClientCommand.cpp:665 +#: ClientCommand.cpp:680 msgid "New user {1} not found." msgstr "Nie znaleziono nowego użytkownika {1}." -#: ClientCommand.cpp:670 +#: ClientCommand.cpp:685 msgid "User {1} already has network {2}." msgstr "Użytkownik {1} ma już sieć {2}." -#: ClientCommand.cpp:676 +#: ClientCommand.cpp:691 msgid "Invalid network name [{1}]" msgstr "Nieprawidłowa nazwa sieci [{1}]" -#: ClientCommand.cpp:692 +#: ClientCommand.cpp:707 msgid "Some files seem to be in {1}. You might want to move them to {2}" msgstr "Niektóre pliki zdają się być w {1}. Może chcesz je przenieść do {2}" -#: ClientCommand.cpp:706 +#: ClientCommand.cpp:721 msgid "Error adding network: {1}" msgstr "Błąd podczas dodawania sieci: {1}" -#: ClientCommand.cpp:718 +#: ClientCommand.cpp:733 msgid "Success." msgstr "Powodzenie." -#: ClientCommand.cpp:721 +#: ClientCommand.cpp:736 msgid "Copied the network to new user, but failed to delete old network" msgstr "" "Skopiowano sieć do nowego użytkownika, ale nie udało się usunąć starej sieci" -#: ClientCommand.cpp:728 +#: ClientCommand.cpp:743 msgid "No network supplied." msgstr "Nie podano sieci." -#: ClientCommand.cpp:733 +#: ClientCommand.cpp:748 msgid "You are already connected with this network." msgstr "Jesteś już połączony z tą siecią." -#: ClientCommand.cpp:739 +#: ClientCommand.cpp:754 msgid "Switched to {1}" msgstr "Przełączono na {1}" -#: ClientCommand.cpp:742 +#: ClientCommand.cpp:757 msgid "You don't have a network named {1}" msgstr "Nie masz sieci pod nazwą {1}" -#: ClientCommand.cpp:754 +#: ClientCommand.cpp:769 msgid "Usage: AddServer [[+]port] [pass]" msgstr "Użycie: AddServer [[+]port] [hasło]" -#: ClientCommand.cpp:759 +#: ClientCommand.cpp:774 msgid "Server added" msgstr "Dodano serwer" -#: ClientCommand.cpp:762 +#: ClientCommand.cpp:777 msgid "" "Unable to add that server. Perhaps the server is already added or openssl is " "disabled?" @@ -730,239 +897,235 @@ msgstr "" "Nie można dodać tego serwera. Może serwer został już dodany lub OpenSSL jest " "wyłączony?" -#: ClientCommand.cpp:777 +#: ClientCommand.cpp:792 msgid "Usage: DelServer [port] [pass]" msgstr "Użycie: DelServer [port] [hasło]" -#: ClientCommand.cpp:782 ClientCommand.cpp:822 -msgid "You don't have any servers added." -msgstr "Nie dodano żadnych serwerów." - -#: ClientCommand.cpp:787 +#: ClientCommand.cpp:802 msgid "Server removed" msgstr "Usunięto serwer" -#: ClientCommand.cpp:789 +#: ClientCommand.cpp:804 msgid "No such server" msgstr "Nie ma takiego serwera" -#: ClientCommand.cpp:802 ClientCommand.cpp:809 +#: ClientCommand.cpp:817 ClientCommand.cpp:825 msgctxt "listservers" msgid "Host" msgstr "Host" -#: ClientCommand.cpp:803 ClientCommand.cpp:811 +#: ClientCommand.cpp:818 ClientCommand.cpp:827 msgctxt "listservers" msgid "Port" msgstr "Port" -#: ClientCommand.cpp:804 ClientCommand.cpp:814 +#: ClientCommand.cpp:819 ClientCommand.cpp:830 msgctxt "listservers" msgid "SSL" msgstr "SSL" -#: ClientCommand.cpp:805 ClientCommand.cpp:816 +#: ClientCommand.cpp:820 ClientCommand.cpp:832 msgctxt "listservers" msgid "Password" msgstr "Hasło" -#: ClientCommand.cpp:815 +#: ClientCommand.cpp:831 msgctxt "listservers|cell" msgid "SSL" msgstr "SSL" -#: ClientCommand.cpp:832 +#: ClientCommand.cpp:848 msgid "Usage: AddTrustedServerFingerprint " msgstr "Użycie: AddTrustedServerFingerprint " -#: ClientCommand.cpp:836 ClientCommand.cpp:849 +#: ClientCommand.cpp:852 ClientCommand.cpp:865 msgid "Done." msgstr "Zrobione." -#: ClientCommand.cpp:845 +#: ClientCommand.cpp:861 msgid "Usage: DelTrustedServerFingerprint " msgstr "Użycie: DelTrustedServerFingerprint " -#: ClientCommand.cpp:858 +#: ClientCommand.cpp:874 msgid "No fingerprints added." msgstr "Nie dodano odcisków palców." -#: ClientCommand.cpp:874 ClientCommand.cpp:880 +#: ClientCommand.cpp:890 ClientCommand.cpp:896 msgctxt "topicscmd" msgid "Channel" msgstr "Kanał" -#: ClientCommand.cpp:875 ClientCommand.cpp:881 +#: ClientCommand.cpp:891 ClientCommand.cpp:897 msgctxt "topicscmd" msgid "Set By" msgstr "Ustawiony przez" -#: ClientCommand.cpp:876 ClientCommand.cpp:882 +#: ClientCommand.cpp:892 ClientCommand.cpp:898 msgctxt "topicscmd" msgid "Topic" msgstr "Temat" -#: ClientCommand.cpp:889 ClientCommand.cpp:894 +#: ClientCommand.cpp:905 ClientCommand.cpp:910 msgctxt "listmods" msgid "Name" msgstr "Nazwa" -#: ClientCommand.cpp:890 ClientCommand.cpp:895 +#: ClientCommand.cpp:906 ClientCommand.cpp:911 msgctxt "listmods" msgid "Arguments" msgstr "Argumenty" -#: ClientCommand.cpp:904 +#: ClientCommand.cpp:920 msgid "No global modules loaded." msgstr "Nie załadowano żadnych modułów globalnych." -#: ClientCommand.cpp:906 ClientCommand.cpp:970 +#: ClientCommand.cpp:922 ClientCommand.cpp:986 msgid "Global modules:" msgstr "Moduły globalne:" -#: ClientCommand.cpp:915 +#: ClientCommand.cpp:931 msgid "Your user has no modules loaded." msgstr "Twój użytkownik nie ma załadowanych modułów." -#: ClientCommand.cpp:917 ClientCommand.cpp:982 +#: ClientCommand.cpp:933 ClientCommand.cpp:998 msgid "User modules:" msgstr "Moduły użytkownika:" -#: ClientCommand.cpp:925 +#: ClientCommand.cpp:941 msgid "This network has no modules loaded." msgstr "Ta sieć nie ma załadowanych modułów." -#: ClientCommand.cpp:927 ClientCommand.cpp:994 +#: ClientCommand.cpp:943 ClientCommand.cpp:1010 msgid "Network modules:" msgstr "Moduły sieci:" -#: ClientCommand.cpp:942 ClientCommand.cpp:949 +#: ClientCommand.cpp:958 ClientCommand.cpp:965 msgctxt "listavailmods" msgid "Name" msgstr "Nazwa" -#: ClientCommand.cpp:943 ClientCommand.cpp:954 +#: ClientCommand.cpp:959 ClientCommand.cpp:970 msgctxt "listavailmods" msgid "Description" msgstr "Opis" -#: ClientCommand.cpp:968 +#: ClientCommand.cpp:984 msgid "No global modules available." msgstr "Brak dostępnych modułów globalnych." -#: ClientCommand.cpp:980 +#: ClientCommand.cpp:996 msgid "No user modules available." msgstr "Brak dostępnych modułów użytkownika." -#: ClientCommand.cpp:992 +#: ClientCommand.cpp:1008 msgid "No network modules available." msgstr "Brak dostępnych modułów sieci." -#: ClientCommand.cpp:1020 +#: ClientCommand.cpp:1036 msgid "Unable to load {1}: Access denied." msgstr "Nie można załadować {1}: Odmowa dostępu." -#: ClientCommand.cpp:1026 +#: ClientCommand.cpp:1042 msgid "Usage: LoadMod [--type=global|user|network] [args]" msgstr "Użycie: LoadMod [--type=global|user|network] [argumenty]" -#: ClientCommand.cpp:1033 +#: ClientCommand.cpp:1049 msgid "Unable to load {1}: {2}" msgstr "Nie można załadować {1}: {2}" -#: ClientCommand.cpp:1043 +#: ClientCommand.cpp:1059 msgid "Unable to load global module {1}: Access denied." msgstr "Nie można załadować modułu globalnego {1}: Odmowa dostępu." -#: ClientCommand.cpp:1049 +#: ClientCommand.cpp:1065 msgid "Unable to load network module {1}: Not connected with a network." msgstr "Nie udało się załadować modułu sieci {1}: Nie połączono z siecią." -#: ClientCommand.cpp:1071 +#: ClientCommand.cpp:1087 msgid "Unknown module type" msgstr "Nieznany typ modułu" -#: ClientCommand.cpp:1076 +#: ClientCommand.cpp:1092 msgid "Loaded module {1}" msgstr "Załadowano moduł {1}" -#: ClientCommand.cpp:1078 +#: ClientCommand.cpp:1094 msgid "Loaded module {1}: {2}" msgstr "Załadowano moduł {1}: {2}" -#: ClientCommand.cpp:1081 +#: ClientCommand.cpp:1097 msgid "Unable to load module {1}: {2}" msgstr "Nie udało się załadować modułu {1}: {2}" -#: ClientCommand.cpp:1104 +#: ClientCommand.cpp:1120 msgid "Unable to unload {1}: Access denied." msgstr "Nie udało się wyładować {1}: Odmowa dostępu." -#: ClientCommand.cpp:1110 +#: ClientCommand.cpp:1126 msgid "Usage: UnloadMod [--type=global|user|network] " msgstr "Użycie: UnloadMod [--type=global|user|network] " -#: ClientCommand.cpp:1119 +#: ClientCommand.cpp:1135 msgid "Unable to determine type of {1}: {2}" msgstr "Nie można określić typu {1}: {2}" -#: ClientCommand.cpp:1127 +#: ClientCommand.cpp:1143 msgid "Unable to unload global module {1}: Access denied." msgstr "Nie można wyładować globalnego modułu {1}: Odmowa dostępu." -#: ClientCommand.cpp:1134 +#: ClientCommand.cpp:1150 msgid "Unable to unload network module {1}: Not connected with a network." msgstr "Nie udało się wyładować modułu sieciowego {1}: Nie połączono z siecią." -#: ClientCommand.cpp:1153 +#: ClientCommand.cpp:1169 msgid "Unable to unload module {1}: Unknown module type" msgstr "Nie udało się wyładować modułu {1}: nieznany typ modułu" -#: ClientCommand.cpp:1166 +#: ClientCommand.cpp:1182 msgid "Unable to reload modules. Access denied." msgstr "Nie udało się przeładować modułów. Brak dostępu." -#: ClientCommand.cpp:1187 +#: ClientCommand.cpp:1203 msgid "Usage: ReloadMod [--type=global|user|network] [args]" msgstr "Użycie: ReloadMod [--type=global|user|network] [argumenty]" -#: ClientCommand.cpp:1196 +#: ClientCommand.cpp:1212 msgid "Unable to reload {1}: {2}" msgstr "Nie udało się przeładować {1}: {2}" -#: ClientCommand.cpp:1204 +#: ClientCommand.cpp:1220 msgid "Unable to reload global module {1}: Access denied." msgstr "Nie udało się przeładować modułu ogólnego {1}: Odmowa dostępu." -#: ClientCommand.cpp:1211 +#: ClientCommand.cpp:1227 msgid "Unable to reload network module {1}: Not connected with a network." msgstr "" "Nie udało się przeładować modułu sieciowego {1}: Nie połączono z siecią." -#: ClientCommand.cpp:1233 +#: ClientCommand.cpp:1249 msgid "Unable to reload module {1}: Unknown module type" msgstr "Nie udało się przeładować modułu {1}: Nieznany typ modułu" -#: ClientCommand.cpp:1244 +#: ClientCommand.cpp:1260 msgid "Usage: UpdateMod " msgstr "Użycie: UpdateMod " -#: ClientCommand.cpp:1248 +#: ClientCommand.cpp:1264 msgid "Reloading {1} everywhere" msgstr "Przeładowywanie {1} wszędzie" -#: ClientCommand.cpp:1250 +#: ClientCommand.cpp:1266 msgid "Done" msgstr "Zrobione" -#: ClientCommand.cpp:1253 +#: ClientCommand.cpp:1269 msgid "" "Done, but there were errors, module {1} could not be reloaded everywhere." msgstr "" "Gotowe, ale wystąpiły błędy, modułu {1} nie można wszędzie załadować " "ponownie." -#: ClientCommand.cpp:1261 +#: ClientCommand.cpp:1277 msgid "" "You must be connected with a network to use this command. Try " "SetUserBindHost instead" @@ -970,27 +1133,27 @@ msgstr "" "Aby korzystać z tego polecenia, musisz być połączony z siecią. Zamiast tego " "wypróbuj SetUserBindHost" -#: ClientCommand.cpp:1268 +#: ClientCommand.cpp:1284 msgid "Usage: SetBindHost " msgstr "Użycie: SetBindHost " -#: ClientCommand.cpp:1273 ClientCommand.cpp:1290 +#: ClientCommand.cpp:1289 ClientCommand.cpp:1306 msgid "You already have this bind host!" msgstr "Już masz ten host przypięcia!" -#: ClientCommand.cpp:1278 +#: ClientCommand.cpp:1294 msgid "Set bind host for network {1} to {2}" msgstr "Ustaw host przypięcia dla sieci {1} na {2}" -#: ClientCommand.cpp:1285 +#: ClientCommand.cpp:1301 msgid "Usage: SetUserBindHost " msgstr "Użycie: SetUserBindHost " -#: ClientCommand.cpp:1295 +#: ClientCommand.cpp:1311 msgid "Set default bind host to {1}" msgstr "Ustaw domyślny host przypięcia na {1}" -#: ClientCommand.cpp:1301 +#: ClientCommand.cpp:1317 msgid "" "You must be connected with a network to use this command. Try " "ClearUserBindHost instead" @@ -998,59 +1161,59 @@ msgstr "" "Aby korzystać z tego polecenia, musisz być połączony z siecią. Zamiast tego " "wypróbuj ClearUserBindHost" -#: ClientCommand.cpp:1306 +#: ClientCommand.cpp:1322 msgid "Bind host cleared for this network." msgstr "Wyczyszczono host przypięcia dla tej sieci." -#: ClientCommand.cpp:1310 +#: ClientCommand.cpp:1326 msgid "Default bind host cleared for your user." msgstr "Wyczyszczono domyślny host przypięcia dla Twojego użytkownika." -#: ClientCommand.cpp:1313 +#: ClientCommand.cpp:1329 msgid "This user's default bind host not set" msgstr "Domyślny host przypięcia tego użytkownika nie jest ustawiony" -#: ClientCommand.cpp:1315 +#: ClientCommand.cpp:1331 msgid "This user's default bind host is {1}" msgstr "Domyślny host przypięcia tego użytkownika to {1}" -#: ClientCommand.cpp:1320 +#: ClientCommand.cpp:1336 msgid "This network's bind host not set" msgstr "Host przypięcia tej sieci nie został ustawiony" -#: ClientCommand.cpp:1322 +#: ClientCommand.cpp:1338 msgid "This network's default bind host is {1}" msgstr "Domyślny host przypięcia tej sieci to {1}" -#: ClientCommand.cpp:1336 +#: ClientCommand.cpp:1352 msgid "Usage: PlayBuffer <#chan|query>" msgstr "Użycie: PlayBuffer <#kanał|rozmowa>" -#: ClientCommand.cpp:1344 +#: ClientCommand.cpp:1360 msgid "You are not on {1}" msgstr "Nie jesteś na {1}" -#: ClientCommand.cpp:1349 +#: ClientCommand.cpp:1365 msgid "You are not on {1} (trying to join)" msgstr "Nie jesteś na {1} (próbujesz dołączyć)" -#: ClientCommand.cpp:1354 +#: ClientCommand.cpp:1370 msgid "The buffer for channel {1} is empty" msgstr "Bufor dla kanału {1} jest pusty" -#: ClientCommand.cpp:1363 +#: ClientCommand.cpp:1379 msgid "No active query with {1}" msgstr "Brak aktywnej rozmowy z {1}" -#: ClientCommand.cpp:1368 +#: ClientCommand.cpp:1384 msgid "The buffer for {1} is empty" msgstr "Bufor dla {1} jest pusty" -#: ClientCommand.cpp:1384 +#: ClientCommand.cpp:1400 msgid "Usage: ClearBuffer <#chan|query>" msgstr "Użycie: ClearBuffer <#kanał|rozmowa>" -#: ClientCommand.cpp:1403 +#: ClientCommand.cpp:1419 msgid "{1} buffer matching {2} has been cleared" msgid_plural "{1} buffers matching {2} have been cleared" msgstr[0] "" @@ -1058,23 +1221,23 @@ msgstr[1] "" msgstr[2] "" msgstr[3] "" -#: ClientCommand.cpp:1416 +#: ClientCommand.cpp:1432 msgid "All channel buffers have been cleared" msgstr "Wszystkie bufory kanałów zostały wyczyszczone" -#: ClientCommand.cpp:1425 +#: ClientCommand.cpp:1441 msgid "All query buffers have been cleared" msgstr "Wszystkie bufory rozmów zostały wyczyszczone" -#: ClientCommand.cpp:1437 +#: ClientCommand.cpp:1453 msgid "All buffers have been cleared" msgstr "Wszystkie bufory zostały wyczyszczone" -#: ClientCommand.cpp:1448 +#: ClientCommand.cpp:1464 msgid "Usage: SetBuffer <#chan|query> [linecount]" msgstr "Użycie: SetBuffer <#kanał|rozmowa> [liczba_linii]" -#: ClientCommand.cpp:1469 +#: ClientCommand.cpp:1485 msgid "Setting buffer size failed for {1} buffer" msgid_plural "Setting buffer size failed for {1} buffers" msgstr[0] "Ustawianie rozmiaru bufora nie powiodło się dla {1} bufora" @@ -1082,7 +1245,7 @@ msgstr[1] "Ustawianie rozmiaru bufora nie powiodło się dla {1} buforów" msgstr[2] "Ustawianie rozmiaru bufora nie powiodło się dla {1} buforów" msgstr[3] "Ustawianie rozmiaru bufora nie powiodło się dla {1} buforów" -#: ClientCommand.cpp:1472 +#: ClientCommand.cpp:1488 msgid "Maximum buffer size is {1} line" msgid_plural "Maximum buffer size is {1} lines" msgstr[0] "Maksymalny rozmiar bufora to {1} linia" @@ -1090,7 +1253,7 @@ msgstr[1] "Maksymalny rozmiar bufora to {1} linie" msgstr[2] "Maksymalny rozmiar bufora to {1} linii" msgstr[3] "Maksymalny rozmiar bufora to {1} linie/linii" -#: ClientCommand.cpp:1477 +#: ClientCommand.cpp:1493 msgid "Size of every buffer was set to {1} line" msgid_plural "Size of every buffer was set to {1} lines" msgstr[0] "Rozmiar każdego bufora został ustawiony na {1} linię" @@ -1098,166 +1261,166 @@ msgstr[1] "Rozmiar każdego bufora został ustawiony na {1} linie" msgstr[2] "Rozmiar każdego bufora został ustawiony na {1} linii" msgstr[3] "Rozmiar każdego bufora został ustawiony na {1} linię/linii" -#: ClientCommand.cpp:1487 ClientCommand.cpp:1494 ClientCommand.cpp:1505 -#: ClientCommand.cpp:1514 ClientCommand.cpp:1522 +#: ClientCommand.cpp:1503 ClientCommand.cpp:1510 ClientCommand.cpp:1521 +#: ClientCommand.cpp:1530 ClientCommand.cpp:1538 msgctxt "trafficcmd" msgid "Username" msgstr "Nazwa użytkownika" -#: ClientCommand.cpp:1488 ClientCommand.cpp:1495 ClientCommand.cpp:1507 -#: ClientCommand.cpp:1516 ClientCommand.cpp:1524 +#: ClientCommand.cpp:1504 ClientCommand.cpp:1511 ClientCommand.cpp:1523 +#: ClientCommand.cpp:1532 ClientCommand.cpp:1540 msgctxt "trafficcmd" msgid "In" msgstr "Przychodzący" -#: ClientCommand.cpp:1489 ClientCommand.cpp:1497 ClientCommand.cpp:1508 -#: ClientCommand.cpp:1517 ClientCommand.cpp:1525 +#: ClientCommand.cpp:1505 ClientCommand.cpp:1513 ClientCommand.cpp:1524 +#: ClientCommand.cpp:1533 ClientCommand.cpp:1541 msgctxt "trafficcmd" msgid "Out" msgstr "Wychodzący" -#: ClientCommand.cpp:1490 ClientCommand.cpp:1500 ClientCommand.cpp:1510 -#: ClientCommand.cpp:1518 ClientCommand.cpp:1527 +#: ClientCommand.cpp:1506 ClientCommand.cpp:1516 ClientCommand.cpp:1526 +#: ClientCommand.cpp:1534 ClientCommand.cpp:1543 msgctxt "trafficcmd" msgid "Total" msgstr "Suma" -#: ClientCommand.cpp:1506 +#: ClientCommand.cpp:1522 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1515 +#: ClientCommand.cpp:1531 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1523 +#: ClientCommand.cpp:1539 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1532 +#: ClientCommand.cpp:1548 msgid "Running for {1}" msgstr "Uruchomiono od {1}" -#: ClientCommand.cpp:1538 +#: ClientCommand.cpp:1554 msgid "Unknown command, try 'Help'" msgstr "Nieznane polecenie, spróbuj 'Help'" -#: ClientCommand.cpp:1547 ClientCommand.cpp:1558 +#: ClientCommand.cpp:1563 ClientCommand.cpp:1574 msgctxt "listports" msgid "Port" msgstr "Port" -#: ClientCommand.cpp:1548 ClientCommand.cpp:1559 +#: ClientCommand.cpp:1564 ClientCommand.cpp:1577 msgctxt "listports" msgid "BindHost" msgstr "HostPrzypięcia" -#: ClientCommand.cpp:1549 ClientCommand.cpp:1562 +#: ClientCommand.cpp:1565 ClientCommand.cpp:1580 msgctxt "listports" msgid "SSL" msgstr "SSL" -#: ClientCommand.cpp:1550 ClientCommand.cpp:1567 +#: ClientCommand.cpp:1566 ClientCommand.cpp:1585 msgctxt "listports" msgid "Protocol" msgstr "Protokół" -#: ClientCommand.cpp:1551 ClientCommand.cpp:1574 +#: ClientCommand.cpp:1567 ClientCommand.cpp:1592 msgctxt "listports" msgid "IRC" msgstr "IRC" -#: ClientCommand.cpp:1552 ClientCommand.cpp:1579 +#: ClientCommand.cpp:1568 ClientCommand.cpp:1597 msgctxt "listports" msgid "Web" msgstr "WWW?" -#: ClientCommand.cpp:1563 +#: ClientCommand.cpp:1581 msgctxt "listports|ssl" msgid "yes" msgstr "tak" -#: ClientCommand.cpp:1564 +#: ClientCommand.cpp:1582 msgctxt "listports|ssl" msgid "no" msgstr "nie" -#: ClientCommand.cpp:1568 +#: ClientCommand.cpp:1586 msgctxt "listports" msgid "IPv4 and IPv6" msgstr "IPv4 i IPv6" -#: ClientCommand.cpp:1570 +#: ClientCommand.cpp:1588 msgctxt "listports" msgid "IPv4" msgstr "IPv4" -#: ClientCommand.cpp:1571 +#: ClientCommand.cpp:1589 msgctxt "listports" msgid "IPv6" msgstr "IPv6" -#: ClientCommand.cpp:1577 +#: ClientCommand.cpp:1595 msgctxt "listports|irc" msgid "yes" msgstr "tak" -#: ClientCommand.cpp:1578 +#: ClientCommand.cpp:1596 msgctxt "listports|irc" msgid "no" msgstr "nie" -#: ClientCommand.cpp:1582 +#: ClientCommand.cpp:1600 msgctxt "listports|irc" msgid "yes, on {1}" msgstr "tak, na {1}" -#: ClientCommand.cpp:1584 +#: ClientCommand.cpp:1602 msgctxt "listports|web" msgid "no" msgstr "nie" -#: ClientCommand.cpp:1624 +#: ClientCommand.cpp:1642 msgid "" "Usage: AddPort <[+]port> [bindhost [uriprefix]]" msgstr "" "Użycie: AddPort <[+]port> [bindhost " "[uriprefix]]" -#: ClientCommand.cpp:1640 +#: ClientCommand.cpp:1658 msgid "Port added" msgstr "Port dodany" -#: ClientCommand.cpp:1642 +#: ClientCommand.cpp:1660 msgid "Couldn't add port" msgstr "Nie można dodać portu" -#: ClientCommand.cpp:1648 +#: ClientCommand.cpp:1666 msgid "Usage: DelPort [bindhost]" msgstr "Użycie: DelPort [bindhost]" -#: ClientCommand.cpp:1657 +#: ClientCommand.cpp:1675 msgid "Deleted Port" msgstr "Usunięto port" -#: ClientCommand.cpp:1659 +#: ClientCommand.cpp:1677 msgid "Unable to find a matching port" msgstr "Nie można znaleźć pasującego portu" -#: ClientCommand.cpp:1667 ClientCommand.cpp:1682 +#: ClientCommand.cpp:1685 ClientCommand.cpp:1700 msgctxt "helpcmd" msgid "Command" msgstr "Polecenie" -#: ClientCommand.cpp:1668 ClientCommand.cpp:1684 +#: ClientCommand.cpp:1686 ClientCommand.cpp:1702 msgctxt "helpcmd" msgid "Description" msgstr "Opis" -#: ClientCommand.cpp:1673 +#: ClientCommand.cpp:1691 msgid "" "In the following list all occurrences of <#chan> support wildcards (* and ?) " "except ListNicks" @@ -1265,87 +1428,87 @@ msgstr "" "Na poniższej liście wszystkie wystąpienia <#kanał> obsługują symbole " "wieloznaczne (* i ?) Oprócz ListNicks" -#: ClientCommand.cpp:1690 +#: ClientCommand.cpp:1708 msgctxt "helpcmd|Version|desc" msgid "Print which version of ZNC this is" msgstr "Wypisuje, która to jest wersja ZNC" -#: ClientCommand.cpp:1693 +#: ClientCommand.cpp:1711 msgctxt "helpcmd|ListMods|desc" msgid "List all loaded modules" msgstr "Lista wszystkich załadowanych modułów" -#: ClientCommand.cpp:1696 +#: ClientCommand.cpp:1714 msgctxt "helpcmd|ListAvailMods|desc" msgid "List all available modules" msgstr "Lista wszystkich dostępnych modułów" -#: ClientCommand.cpp:1700 ClientCommand.cpp:1886 +#: ClientCommand.cpp:1718 ClientCommand.cpp:1904 msgctxt "helpcmd|ListChans|desc" msgid "List all channels" msgstr "Lista wszystkich kanałów" -#: ClientCommand.cpp:1703 +#: ClientCommand.cpp:1721 msgctxt "helpcmd|ListNicks|args" msgid "<#chan>" msgstr "<#kanał>" -#: ClientCommand.cpp:1704 +#: ClientCommand.cpp:1722 msgctxt "helpcmd|ListNicks|desc" msgid "List all nicks on a channel" msgstr "Lista wszystkich pseudonimów na kanale" -#: ClientCommand.cpp:1707 +#: ClientCommand.cpp:1725 msgctxt "helpcmd|ListClients|desc" msgid "List all clients connected to your ZNC user" msgstr "Lista wszystkich klientów połączonych z Twoim użytkownikiem ZNC" -#: ClientCommand.cpp:1711 +#: ClientCommand.cpp:1729 msgctxt "helpcmd|ListServers|desc" msgid "List all servers of current IRC network" msgstr "Lista wszystkich serwerów bieżącej sieci IRC" -#: ClientCommand.cpp:1715 +#: ClientCommand.cpp:1733 msgctxt "helpcmd|AddNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1716 +#: ClientCommand.cpp:1734 msgctxt "helpcmd|AddNetwork|desc" msgid "Add a network to your user" msgstr "Dodaje sieć użytkownikowi" -#: ClientCommand.cpp:1718 +#: ClientCommand.cpp:1736 msgctxt "helpcmd|DelNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1719 +#: ClientCommand.cpp:1737 msgctxt "helpcmd|DelNetwork|desc" msgid "Delete a network from your user" msgstr "Usuwa sieć użytkownikowi" -#: ClientCommand.cpp:1721 +#: ClientCommand.cpp:1739 msgctxt "helpcmd|ListNetworks|desc" msgid "List all networks" msgstr "Lista wszystkich sieci" -#: ClientCommand.cpp:1724 +#: ClientCommand.cpp:1742 msgctxt "helpcmd|MoveNetwork|args" msgid " [new network]" msgstr " [nowa sieć]" -#: ClientCommand.cpp:1726 +#: ClientCommand.cpp:1744 msgctxt "helpcmd|MoveNetwork|desc" msgid "Move an IRC network from one user to another" msgstr "Przenosi sieć IRC od jednego użytkownika do innego użytkownika" -#: ClientCommand.cpp:1730 +#: ClientCommand.cpp:1748 msgctxt "helpcmd|JumpNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1731 +#: ClientCommand.cpp:1749 msgctxt "helpcmd|JumpNetwork|desc" msgid "" "Jump to another network (Alternatively, you can connect to ZNC several " @@ -1354,24 +1517,24 @@ msgstr "" "Przeskakuje do innej sieci (Alternatywnie możesz połączyć się z ZNC kilka " "razy, używając `user/network` jako nazwy użytkownika)" -#: ClientCommand.cpp:1736 +#: ClientCommand.cpp:1754 msgctxt "helpcmd|AddServer|args" msgid " [[+]port] [pass]" msgstr " [[+]port] [hasło]" -#: ClientCommand.cpp:1737 +#: ClientCommand.cpp:1755 msgctxt "helpcmd|AddServer|desc" msgid "" "Add a server to the list of alternate/backup servers of current IRC network." msgstr "" "Dodaje serwer do listy alternatywnych/zapasowych serwerów bieżącej sieci IRC." -#: ClientCommand.cpp:1741 +#: ClientCommand.cpp:1759 msgctxt "helpcmd|DelServer|args" msgid " [port] [pass]" msgstr " [port] [hasło]" -#: ClientCommand.cpp:1742 +#: ClientCommand.cpp:1760 msgctxt "helpcmd|DelServer|desc" msgid "" "Remove a server from the list of alternate/backup servers of current IRC " @@ -1379,12 +1542,12 @@ msgid "" msgstr "" "Usuwa serwer z listy alternatywnych/zapasowych serwerów bieżącej sieci IRC" -#: ClientCommand.cpp:1748 +#: ClientCommand.cpp:1766 msgctxt "helpcmd|AddTrustedServerFingerprint|args" msgid "" msgstr "" -#: ClientCommand.cpp:1749 +#: ClientCommand.cpp:1767 msgctxt "helpcmd|AddTrustedServerFingerprint|desc" msgid "" "Add a trusted server SSL certificate fingerprint (SHA-256) to current IRC " @@ -1393,338 +1556,338 @@ msgstr "" "Dodaj zaufany odciski certyfikatu SSL (SHA-256) serwera do bieżącej sieci " "IRC." -#: ClientCommand.cpp:1754 +#: ClientCommand.cpp:1772 msgctxt "helpcmd|DelTrustedServerFingerprint|args" msgid "" msgstr "" -#: ClientCommand.cpp:1755 +#: ClientCommand.cpp:1773 msgctxt "helpcmd|DelTrustedServerFingerprint|desc" msgid "Delete a trusted server SSL certificate from current IRC network." msgstr "Usuń zaufany odcisk SSL serwera z obecnej sieci IRC." -#: ClientCommand.cpp:1759 +#: ClientCommand.cpp:1777 msgctxt "helpcmd|ListTrustedServerFingerprints|desc" msgid "List all trusted server SSL certificates of current IRC network." msgstr "" "Lista wszystkich certyfikatów SSL zaufanego serwera dla bieżącej sieci IRC." -#: ClientCommand.cpp:1762 +#: ClientCommand.cpp:1780 msgctxt "helpcmd|EnableChan|args" msgid "<#chans>" msgstr "<#kanały>" -#: ClientCommand.cpp:1763 +#: ClientCommand.cpp:1781 msgctxt "helpcmd|EnableChan|desc" msgid "Enable channels" msgstr "Włącza kanał(y)" -#: ClientCommand.cpp:1764 +#: ClientCommand.cpp:1782 msgctxt "helpcmd|DisableChan|args" msgid "<#chans>" msgstr "<#kanały>" -#: ClientCommand.cpp:1765 +#: ClientCommand.cpp:1783 msgctxt "helpcmd|DisableChan|desc" msgid "Disable channels" msgstr "Wyłącza kanał(y)" -#: ClientCommand.cpp:1766 +#: ClientCommand.cpp:1784 msgctxt "helpcmd|Attach|args" msgid "<#chans>" msgstr "<#kanały>" -#: ClientCommand.cpp:1767 +#: ClientCommand.cpp:1785 msgctxt "helpcmd|Attach|desc" msgid "Attach to channels" msgstr "Dopina do kanałów" -#: ClientCommand.cpp:1768 +#: ClientCommand.cpp:1786 msgctxt "helpcmd|Detach|args" msgid "<#chans>" msgstr "<#kanały>" -#: ClientCommand.cpp:1769 +#: ClientCommand.cpp:1787 msgctxt "helpcmd|Detach|desc" msgid "Detach from channels" msgstr "Odpina od kanałów" -#: ClientCommand.cpp:1772 +#: ClientCommand.cpp:1790 msgctxt "helpcmd|Topics|desc" msgid "Show topics in all your channels" msgstr "Pokazuje tematy we wszystkich Twoich kanałach" -#: ClientCommand.cpp:1775 +#: ClientCommand.cpp:1793 msgctxt "helpcmd|PlayBuffer|args" msgid "<#chan|query>" msgstr "<#kanał|rozmowa>" -#: ClientCommand.cpp:1776 +#: ClientCommand.cpp:1794 msgctxt "helpcmd|PlayBuffer|desc" msgid "Play back the specified buffer" msgstr "Odtwarza określony bufor" -#: ClientCommand.cpp:1778 +#: ClientCommand.cpp:1796 msgctxt "helpcmd|ClearBuffer|args" msgid "<#chan|query>" msgstr "<#kanał|rozmowa>" -#: ClientCommand.cpp:1779 +#: ClientCommand.cpp:1797 msgctxt "helpcmd|ClearBuffer|desc" msgid "Clear the specified buffer" msgstr "Czyści określony bufor" -#: ClientCommand.cpp:1781 +#: ClientCommand.cpp:1799 msgctxt "helpcmd|ClearAllBuffers|desc" msgid "Clear all channel and query buffers" msgstr "Czyści wszystkie bufory kanałów i rozmów" -#: ClientCommand.cpp:1784 +#: ClientCommand.cpp:1802 msgctxt "helpcmd|ClearAllChannelBuffers|desc" msgid "Clear the channel buffers" msgstr "Czyści bufory kanału" -#: ClientCommand.cpp:1788 +#: ClientCommand.cpp:1806 msgctxt "helpcmd|ClearAllQueryBuffers|desc" msgid "Clear the query buffers" msgstr "Czyści bufory rozmów" -#: ClientCommand.cpp:1790 +#: ClientCommand.cpp:1808 msgctxt "helpcmd|SetBuffer|args" msgid "<#chan|query> [linecount]" msgstr "<#kanał|rozmowa> [liczba_linii]" -#: ClientCommand.cpp:1791 +#: ClientCommand.cpp:1809 msgctxt "helpcmd|SetBuffer|desc" msgid "Set the buffer count" msgstr "Ustawia rozmiar bufora" -#: ClientCommand.cpp:1795 +#: ClientCommand.cpp:1813 msgctxt "helpcmd|SetBindHost|args" msgid "" msgstr "" -#: ClientCommand.cpp:1796 +#: ClientCommand.cpp:1814 msgctxt "helpcmd|SetBindHost|desc" msgid "Set the bind host for this network" msgstr "Ustawia host przypięcia dla tej sieci" -#: ClientCommand.cpp:1800 +#: ClientCommand.cpp:1818 msgctxt "helpcmd|SetUserBindHost|args" msgid "" msgstr "" -#: ClientCommand.cpp:1801 +#: ClientCommand.cpp:1819 msgctxt "helpcmd|SetUserBindHost|desc" msgid "Set the default bind host for this user" msgstr "Ustawia domyślny host przypięcia dla tego użytkownika" -#: ClientCommand.cpp:1804 +#: ClientCommand.cpp:1822 msgctxt "helpcmd|ClearBindHost|desc" msgid "Clear the bind host for this network" msgstr "Czyści host przypięcia dla tej sieci" -#: ClientCommand.cpp:1807 +#: ClientCommand.cpp:1825 msgctxt "helpcmd|ClearUserBindHost|desc" msgid "Clear the default bind host for this user" msgstr "Czyści domyślny host przypięcia dla tego użytkownika" -#: ClientCommand.cpp:1813 +#: ClientCommand.cpp:1831 msgctxt "helpcmd|ShowBindHost|desc" msgid "Show currently selected bind host" msgstr "Pokazuje bieżąco wybrany host przypięcia" -#: ClientCommand.cpp:1815 +#: ClientCommand.cpp:1833 msgctxt "helpcmd|Jump|args" msgid "[server]" msgstr "[serwer]" -#: ClientCommand.cpp:1816 +#: ClientCommand.cpp:1834 msgctxt "helpcmd|Jump|desc" msgid "Jump to the next or the specified server" msgstr "Przeskakuje do następnego lub określonego serwera" -#: ClientCommand.cpp:1817 +#: ClientCommand.cpp:1835 msgctxt "helpcmd|Disconnect|args" msgid "[message]" msgstr "[wiadomość]" -#: ClientCommand.cpp:1818 +#: ClientCommand.cpp:1836 msgctxt "helpcmd|Disconnect|desc" msgid "Disconnect from IRC" msgstr "Rozłącza z IRC" -#: ClientCommand.cpp:1820 +#: ClientCommand.cpp:1838 msgctxt "helpcmd|Connect|desc" msgid "Reconnect to IRC" msgstr "Ponownie połącza z IRC" -#: ClientCommand.cpp:1823 +#: ClientCommand.cpp:1841 msgctxt "helpcmd|Uptime|desc" msgid "Show for how long ZNC has been running" msgstr "Pokazuje, jak długo działa ZNC" -#: ClientCommand.cpp:1827 +#: ClientCommand.cpp:1845 msgctxt "helpcmd|LoadMod|args" msgid "[--type=global|user|network] [args]" msgstr "[--type=global|user|network] [argumenty]" -#: ClientCommand.cpp:1829 +#: ClientCommand.cpp:1847 msgctxt "helpcmd|LoadMod|desc" msgid "Load a module" msgstr "Ładuje moduł" -#: ClientCommand.cpp:1831 +#: ClientCommand.cpp:1849 msgctxt "helpcmd|UnloadMod|args" msgid "[--type=global|user|network] " msgstr "[--type=global|user|network] " -#: ClientCommand.cpp:1833 +#: ClientCommand.cpp:1851 msgctxt "helpcmd|UnloadMod|desc" msgid "Unload a module" msgstr "Wyładowuje moduł" -#: ClientCommand.cpp:1835 +#: ClientCommand.cpp:1853 msgctxt "helpcmd|ReloadMod|args" msgid "[--type=global|user|network] [args]" msgstr "[--type=global|user|network] [argumenty]" -#: ClientCommand.cpp:1837 +#: ClientCommand.cpp:1855 msgctxt "helpcmd|ReloadMod|desc" msgid "Reload a module" msgstr "Przeładowuje moduł" -#: ClientCommand.cpp:1840 +#: ClientCommand.cpp:1858 msgctxt "helpcmd|UpdateMod|args" msgid "" msgstr "" -#: ClientCommand.cpp:1841 +#: ClientCommand.cpp:1859 msgctxt "helpcmd|UpdateMod|desc" msgid "Reload a module everywhere" msgstr "Przeładowuje moduł wszędzie" -#: ClientCommand.cpp:1847 +#: ClientCommand.cpp:1865 msgctxt "helpcmd|ShowMOTD|desc" msgid "Show ZNC's message of the day" msgstr "Pokazuje wiadomość dnia ZNC" -#: ClientCommand.cpp:1851 +#: ClientCommand.cpp:1869 msgctxt "helpcmd|SetMOTD|args" msgid "" msgstr "" -#: ClientCommand.cpp:1852 +#: ClientCommand.cpp:1870 msgctxt "helpcmd|SetMOTD|desc" msgid "Set ZNC's message of the day" msgstr "Ustawia wiadomość dnia ZNC" -#: ClientCommand.cpp:1854 +#: ClientCommand.cpp:1872 msgctxt "helpcmd|AddMOTD|args" msgid "" msgstr "" -#: ClientCommand.cpp:1855 +#: ClientCommand.cpp:1873 msgctxt "helpcmd|AddMOTD|desc" msgid "Append to ZNC's MOTD" msgstr "Dopisuje do wiadomości dnia ZNC" -#: ClientCommand.cpp:1857 +#: ClientCommand.cpp:1875 msgctxt "helpcmd|ClearMOTD|desc" msgid "Clear ZNC's MOTD" msgstr "Czyści wiadomość dnia ZNC" -#: ClientCommand.cpp:1860 +#: ClientCommand.cpp:1878 msgctxt "helpcmd|ListPorts|desc" msgid "Show all active listeners" msgstr "Pokazuje wszystkich aktywnych nasłuchiwaczy" -#: ClientCommand.cpp:1862 +#: ClientCommand.cpp:1880 msgctxt "helpcmd|AddPort|args" msgid "<[+]port> [bindhost [uriprefix]]" msgstr "<[+]port> [bindhost [przedrostek_uri]]" -#: ClientCommand.cpp:1865 +#: ClientCommand.cpp:1883 msgctxt "helpcmd|AddPort|desc" msgid "Add another port for ZNC to listen on" msgstr "Dodaje kolejny port nasłuchujący do ZNC" -#: ClientCommand.cpp:1869 +#: ClientCommand.cpp:1887 msgctxt "helpcmd|DelPort|args" msgid " [bindhost]" msgstr " [host_przypięcia]" -#: ClientCommand.cpp:1870 +#: ClientCommand.cpp:1888 msgctxt "helpcmd|DelPort|desc" msgid "Remove a port from ZNC" msgstr "Usuwa port z ZNC" -#: ClientCommand.cpp:1873 +#: ClientCommand.cpp:1891 msgctxt "helpcmd|Rehash|desc" msgid "Reload global settings, modules, and listeners from znc.conf" msgstr "Przeładowuje ustawienia globalne, moduły i nasłuchiwaczy z znc.conf" -#: ClientCommand.cpp:1876 +#: ClientCommand.cpp:1894 msgctxt "helpcmd|SaveConfig|desc" msgid "Save the current settings to disk" msgstr "Zapisuje bieżące ustawienia na dysk" -#: ClientCommand.cpp:1879 +#: ClientCommand.cpp:1897 msgctxt "helpcmd|ListUsers|desc" msgid "List all ZNC users and their connection status" msgstr "Lista wszystkich użytkowników ZNC i ich stan połączenia" -#: ClientCommand.cpp:1882 +#: ClientCommand.cpp:1900 msgctxt "helpcmd|ListAllUserNetworks|desc" msgid "List all ZNC users and their networks" msgstr "Lista wszystkich użytkowników i ich sieci" -#: ClientCommand.cpp:1885 +#: ClientCommand.cpp:1903 msgctxt "helpcmd|ListChans|args" msgid "[user ]" msgstr "[użytkownik ]" -#: ClientCommand.cpp:1888 +#: ClientCommand.cpp:1906 msgctxt "helpcmd|ListClients|args" msgid "[user]" msgstr "[użytkownik]" -#: ClientCommand.cpp:1889 +#: ClientCommand.cpp:1907 msgctxt "helpcmd|ListClients|desc" msgid "List all connected clients" msgstr "Lista wszystkich połączonych klientów" -#: ClientCommand.cpp:1891 +#: ClientCommand.cpp:1909 msgctxt "helpcmd|Traffic|desc" msgid "Show basic traffic stats for all ZNC users" msgstr "Pokazuje podstawowe statystyki ruchu dla wszystkich użytkowników ZNC" -#: ClientCommand.cpp:1893 +#: ClientCommand.cpp:1911 msgctxt "helpcmd|Broadcast|args" msgid "[message]" msgstr "[wiadomość]" -#: ClientCommand.cpp:1894 +#: ClientCommand.cpp:1912 msgctxt "helpcmd|Broadcast|desc" msgid "Broadcast a message to all ZNC users" msgstr "Rozgłasza wiadomość do wszystkich użytkowników ZNC" -#: ClientCommand.cpp:1897 +#: ClientCommand.cpp:1915 msgctxt "helpcmd|Shutdown|args" msgid "[message]" msgstr "[wiadomość]" -#: ClientCommand.cpp:1898 +#: ClientCommand.cpp:1916 msgctxt "helpcmd|Shutdown|desc" msgid "Shut down ZNC completely" msgstr "Zamyka całkowicie ZNC" -#: ClientCommand.cpp:1899 +#: ClientCommand.cpp:1917 msgctxt "helpcmd|Restart|args" msgid "[message]" msgstr "[wiadomość]" -#: ClientCommand.cpp:1900 +#: ClientCommand.cpp:1918 msgctxt "helpcmd|Restart|desc" msgid "Restart ZNC" msgstr "Uruchamia ponownie ZNC" diff --git a/src/po/znc.pot b/src/po/znc.pot index 2fd42a11..c2310a9b 100644 --- a/src/po/znc.pot +++ b/src/po/znc.pot @@ -62,7 +62,7 @@ msgstr "" msgid "Invalid port" msgstr "" -#: znc.cpp:1821 ClientCommand.cpp:1637 +#: znc.cpp:1821 ClientCommand.cpp:1655 msgid "Unable to bind: {1}" msgstr "" @@ -235,6 +235,7 @@ msgid "Usage: /attach <#chans>" msgstr "" #: Client.cpp:1344 Client.cpp:1366 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: ClientCommand.cpp:423 ClientCommand.cpp:450 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" msgstr[0] "" @@ -274,7 +275,7 @@ msgctxt "modhelpcmd" msgid "Generate this output" msgstr "" -#: Modules.cpp:573 ClientCommand.cpp:1904 +#: Modules.cpp:573 ClientCommand.cpp:1922 msgid "No matches for '{1}'" msgstr "" @@ -379,11 +380,12 @@ msgid "Description" msgstr "" #: ClientCommand.cpp:51 ClientCommand.cpp:115 ClientCommand.cpp:137 -#: ClientCommand.cpp:749 ClientCommand.cpp:768 ClientCommand.cpp:794 -#: ClientCommand.cpp:827 ClientCommand.cpp:840 ClientCommand.cpp:853 -#: ClientCommand.cpp:868 ClientCommand.cpp:1329 ClientCommand.cpp:1377 -#: ClientCommand.cpp:1409 ClientCommand.cpp:1420 ClientCommand.cpp:1429 -#: ClientCommand.cpp:1441 +#: ClientCommand.cpp:339 ClientCommand.cpp:390 ClientCommand.cpp:405 +#: ClientCommand.cpp:432 ClientCommand.cpp:459 ClientCommand.cpp:764 +#: ClientCommand.cpp:783 ClientCommand.cpp:809 ClientCommand.cpp:843 +#: ClientCommand.cpp:856 ClientCommand.cpp:869 ClientCommand.cpp:884 +#: ClientCommand.cpp:1345 ClientCommand.cpp:1393 ClientCommand.cpp:1425 +#: ClientCommand.cpp:1436 ClientCommand.cpp:1445 ClientCommand.cpp:1457 msgid "You must be connected with a network to use this command" msgstr "" @@ -443,1209 +445,1366 @@ msgstr "" msgid "Error while trying to write config." msgstr "" -#: ClientCommand.cpp:455 +#: ClientCommand.cpp:183 +msgid "Usage: ListClients" +msgstr "" + +#: ClientCommand.cpp:190 +msgid "No such user: {1}" +msgstr "" + +#: ClientCommand.cpp:198 +msgid "No clients are connected" +msgstr "" + +#: ClientCommand.cpp:203 ClientCommand.cpp:209 +msgctxt "listclientscmd" +msgid "Host" +msgstr "" + +#: ClientCommand.cpp:204 ClientCommand.cpp:212 +msgctxt "listclientscmd" +msgid "Network" +msgstr "" + +#: ClientCommand.cpp:205 ClientCommand.cpp:215 +msgctxt "listclientscmd" +msgid "Identifier" +msgstr "" + +#: ClientCommand.cpp:223 ClientCommand.cpp:229 +msgctxt "listuserscmd" +msgid "Username" +msgstr "" + +#: ClientCommand.cpp:224 ClientCommand.cpp:230 +msgctxt "listuserscmd" +msgid "Networks" +msgstr "" + +#: ClientCommand.cpp:225 ClientCommand.cpp:232 +msgctxt "listuserscmd" +msgid "Clients" +msgstr "" + +#: ClientCommand.cpp:240 ClientCommand.cpp:250 ClientCommand.cpp:260 +#: ClientCommand.cpp:263 +msgctxt "listallusernetworkscmd" +msgid "Username" +msgstr "" + +#: ClientCommand.cpp:241 ClientCommand.cpp:251 ClientCommand.cpp:266 +msgctxt "listallusernetworkscmd" +msgid "Network" +msgstr "" + +#: ClientCommand.cpp:242 ClientCommand.cpp:252 ClientCommand.cpp:268 +msgctxt "listallusernetworkscmd" +msgid "Clients" +msgstr "" + +#: ClientCommand.cpp:243 ClientCommand.cpp:271 ClientCommand.cpp:280 +msgctxt "listallusernetworkscmd" +msgid "On IRC" +msgstr "" + +#: ClientCommand.cpp:244 ClientCommand.cpp:273 +msgctxt "listallusernetworkscmd" +msgid "IRC Server" +msgstr "" + +#: ClientCommand.cpp:245 ClientCommand.cpp:275 +msgctxt "listallusernetworkscmd" +msgid "IRC User" +msgstr "" + +#: ClientCommand.cpp:246 ClientCommand.cpp:277 +msgctxt "listallusernetworkscmd" +msgid "Channels" +msgstr "" + +#: ClientCommand.cpp:251 +msgid "N/A" +msgstr "" + +#: ClientCommand.cpp:272 +msgctxt "listallusernetworkscmd" +msgid "Yes" +msgstr "" + +#: ClientCommand.cpp:281 +msgctxt "listallusernetworkscmd" +msgid "No" +msgstr "" + +#: ClientCommand.cpp:291 +msgid "Usage: SetMOTD " +msgstr "" + +#: ClientCommand.cpp:294 +msgid "MOTD set to: {1}" +msgstr "" + +#: ClientCommand.cpp:300 +msgid "Usage: AddMOTD " +msgstr "" + +#: ClientCommand.cpp:303 +msgid "Added [{1}] to MOTD" +msgstr "" + +#: ClientCommand.cpp:307 +msgid "Cleared MOTD" +msgstr "" + +#: ClientCommand.cpp:329 +msgid "" +"ERROR: Writing config file to disk failed! Aborting. Use {1} FORCE to ignore." +msgstr "" + +#: ClientCommand.cpp:344 ClientCommand.cpp:797 ClientCommand.cpp:838 +msgid "You don't have any servers added." +msgstr "" + +#: ClientCommand.cpp:355 +msgid "Server [{1}] not found" +msgstr "" + +#: ClientCommand.cpp:375 ClientCommand.cpp:380 +msgid "Connecting to {1}..." +msgstr "" + +#: ClientCommand.cpp:377 +msgid "Jumping to the next server in the list..." +msgstr "" + +#: ClientCommand.cpp:382 +msgid "Connecting..." +msgstr "" + +#: ClientCommand.cpp:400 +msgid "Disconnected from IRC. Use 'connect' to reconnect." +msgstr "" + +#: ClientCommand.cpp:412 +msgid "Usage: EnableChan <#chans>" +msgstr "" + +#: ClientCommand.cpp:426 +msgid "Enabled {1} channel" +msgid_plural "Enabled {1} channels" +msgstr[0] "" +msgstr[1] "" + +#: ClientCommand.cpp:439 +msgid "Usage: DisableChan <#chans>" +msgstr "" + +#: ClientCommand.cpp:453 +msgid "Disabled {1} channel" +msgid_plural "Disabled {1} channels" +msgstr[0] "" +msgstr[1] "" + +#: ClientCommand.cpp:470 msgid "Usage: ListChans" msgstr "" -#: ClientCommand.cpp:462 +#: ClientCommand.cpp:477 msgid "No such user [{1}]" msgstr "" -#: ClientCommand.cpp:468 +#: ClientCommand.cpp:483 msgid "User [{1}] doesn't have network [{2}]" msgstr "" -#: ClientCommand.cpp:479 +#: ClientCommand.cpp:494 msgid "There are no channels defined." msgstr "" -#: ClientCommand.cpp:484 ClientCommand.cpp:500 +#: ClientCommand.cpp:499 ClientCommand.cpp:515 msgctxt "listchans" msgid "Name" msgstr "" -#: ClientCommand.cpp:485 ClientCommand.cpp:503 +#: ClientCommand.cpp:500 ClientCommand.cpp:518 msgctxt "listchans" msgid "Status" msgstr "" -#: ClientCommand.cpp:486 ClientCommand.cpp:510 +#: ClientCommand.cpp:501 ClientCommand.cpp:525 msgctxt "listchans" msgid "In config" msgstr "" -#: ClientCommand.cpp:487 ClientCommand.cpp:512 +#: ClientCommand.cpp:502 ClientCommand.cpp:527 msgctxt "listchans" msgid "Buffer" msgstr "" -#: ClientCommand.cpp:488 ClientCommand.cpp:516 +#: ClientCommand.cpp:503 ClientCommand.cpp:531 msgctxt "listchans" msgid "Clear" msgstr "" -#: ClientCommand.cpp:489 ClientCommand.cpp:521 +#: ClientCommand.cpp:504 ClientCommand.cpp:536 msgctxt "listchans" msgid "Modes" msgstr "" -#: ClientCommand.cpp:490 ClientCommand.cpp:522 +#: ClientCommand.cpp:505 ClientCommand.cpp:537 msgctxt "listchans" msgid "Users" msgstr "" -#: ClientCommand.cpp:505 +#: ClientCommand.cpp:520 msgctxt "listchans" msgid "Detached" msgstr "" -#: ClientCommand.cpp:506 +#: ClientCommand.cpp:521 msgctxt "listchans" msgid "Joined" msgstr "" -#: ClientCommand.cpp:507 +#: ClientCommand.cpp:522 msgctxt "listchans" msgid "Disabled" msgstr "" -#: ClientCommand.cpp:508 +#: ClientCommand.cpp:523 msgctxt "listchans" msgid "Trying" msgstr "" -#: ClientCommand.cpp:511 ClientCommand.cpp:519 +#: ClientCommand.cpp:526 ClientCommand.cpp:534 msgctxt "listchans" msgid "yes" msgstr "" -#: ClientCommand.cpp:536 +#: ClientCommand.cpp:551 msgid "Total: {1}, Joined: {2}, Detached: {3}, Disabled: {4}" msgstr "" -#: ClientCommand.cpp:541 +#: ClientCommand.cpp:556 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks using /znc DelNetwork " msgstr "" -#: ClientCommand.cpp:550 +#: ClientCommand.cpp:565 msgid "Usage: AddNetwork " msgstr "" -#: ClientCommand.cpp:554 +#: ClientCommand.cpp:569 msgid "Network name should be alphanumeric" msgstr "" -#: ClientCommand.cpp:561 +#: ClientCommand.cpp:576 msgid "" "Network added. Use /znc JumpNetwork {1}, or connect to ZNC with username {2} " "(instead of just {3}) to connect to it." msgstr "" -#: ClientCommand.cpp:566 +#: ClientCommand.cpp:581 msgid "Unable to add that network" msgstr "" -#: ClientCommand.cpp:573 +#: ClientCommand.cpp:588 msgid "Usage: DelNetwork " msgstr "" -#: ClientCommand.cpp:582 +#: ClientCommand.cpp:597 msgid "Network deleted" msgstr "" -#: ClientCommand.cpp:585 +#: ClientCommand.cpp:600 msgid "Failed to delete network, perhaps this network doesn't exist" msgstr "" -#: ClientCommand.cpp:595 +#: ClientCommand.cpp:610 msgid "User {1} not found" msgstr "" -#: ClientCommand.cpp:603 ClientCommand.cpp:611 +#: ClientCommand.cpp:618 ClientCommand.cpp:626 msgctxt "listnetworks" msgid "Network" msgstr "" -#: ClientCommand.cpp:604 ClientCommand.cpp:613 ClientCommand.cpp:622 +#: ClientCommand.cpp:619 ClientCommand.cpp:628 ClientCommand.cpp:637 msgctxt "listnetworks" msgid "On IRC" msgstr "" -#: ClientCommand.cpp:605 ClientCommand.cpp:615 +#: ClientCommand.cpp:620 ClientCommand.cpp:630 msgctxt "listnetworks" msgid "IRC Server" msgstr "" -#: ClientCommand.cpp:606 ClientCommand.cpp:617 +#: ClientCommand.cpp:621 ClientCommand.cpp:632 msgctxt "listnetworks" msgid "IRC User" msgstr "" -#: ClientCommand.cpp:607 ClientCommand.cpp:619 +#: ClientCommand.cpp:622 ClientCommand.cpp:634 msgctxt "listnetworks" msgid "Channels" msgstr "" -#: ClientCommand.cpp:614 +#: ClientCommand.cpp:629 msgctxt "listnetworks" msgid "Yes" msgstr "" -#: ClientCommand.cpp:623 +#: ClientCommand.cpp:638 msgctxt "listnetworks" msgid "No" msgstr "" -#: ClientCommand.cpp:628 +#: ClientCommand.cpp:643 msgctxt "listnetworks" msgid "No networks" msgstr "" -#: ClientCommand.cpp:632 ClientCommand.cpp:936 +#: ClientCommand.cpp:647 ClientCommand.cpp:952 msgid "Access denied." msgstr "" -#: ClientCommand.cpp:643 +#: ClientCommand.cpp:658 msgid "Usage: MoveNetwork [new network]" msgstr "" -#: ClientCommand.cpp:653 +#: ClientCommand.cpp:668 msgid "Old user {1} not found." msgstr "" -#: ClientCommand.cpp:659 +#: ClientCommand.cpp:674 msgid "Old network {1} not found." msgstr "" -#: ClientCommand.cpp:665 +#: ClientCommand.cpp:680 msgid "New user {1} not found." msgstr "" -#: ClientCommand.cpp:670 +#: ClientCommand.cpp:685 msgid "User {1} already has network {2}." msgstr "" -#: ClientCommand.cpp:676 +#: ClientCommand.cpp:691 msgid "Invalid network name [{1}]" msgstr "" -#: ClientCommand.cpp:692 +#: ClientCommand.cpp:707 msgid "Some files seem to be in {1}. You might want to move them to {2}" msgstr "" -#: ClientCommand.cpp:706 +#: ClientCommand.cpp:721 msgid "Error adding network: {1}" msgstr "" -#: ClientCommand.cpp:718 +#: ClientCommand.cpp:733 msgid "Success." msgstr "" -#: ClientCommand.cpp:721 +#: ClientCommand.cpp:736 msgid "Copied the network to new user, but failed to delete old network" msgstr "" -#: ClientCommand.cpp:728 +#: ClientCommand.cpp:743 msgid "No network supplied." msgstr "" -#: ClientCommand.cpp:733 +#: ClientCommand.cpp:748 msgid "You are already connected with this network." msgstr "" -#: ClientCommand.cpp:739 +#: ClientCommand.cpp:754 msgid "Switched to {1}" msgstr "" -#: ClientCommand.cpp:742 +#: ClientCommand.cpp:757 msgid "You don't have a network named {1}" msgstr "" -#: ClientCommand.cpp:754 +#: ClientCommand.cpp:769 msgid "Usage: AddServer [[+]port] [pass]" msgstr "" -#: ClientCommand.cpp:759 +#: ClientCommand.cpp:774 msgid "Server added" msgstr "" -#: ClientCommand.cpp:762 +#: ClientCommand.cpp:777 msgid "" "Unable to add that server. Perhaps the server is already added or openssl is " "disabled?" msgstr "" -#: ClientCommand.cpp:777 +#: ClientCommand.cpp:792 msgid "Usage: DelServer [port] [pass]" msgstr "" -#: ClientCommand.cpp:782 ClientCommand.cpp:822 -msgid "You don't have any servers added." -msgstr "" - -#: ClientCommand.cpp:787 +#: ClientCommand.cpp:802 msgid "Server removed" msgstr "" -#: ClientCommand.cpp:789 +#: ClientCommand.cpp:804 msgid "No such server" msgstr "" -#: ClientCommand.cpp:802 ClientCommand.cpp:809 +#: ClientCommand.cpp:817 ClientCommand.cpp:825 msgctxt "listservers" msgid "Host" msgstr "" -#: ClientCommand.cpp:803 ClientCommand.cpp:811 +#: ClientCommand.cpp:818 ClientCommand.cpp:827 msgctxt "listservers" msgid "Port" msgstr "" -#: ClientCommand.cpp:804 ClientCommand.cpp:814 +#: ClientCommand.cpp:819 ClientCommand.cpp:830 msgctxt "listservers" msgid "SSL" msgstr "" -#: ClientCommand.cpp:805 ClientCommand.cpp:816 +#: ClientCommand.cpp:820 ClientCommand.cpp:832 msgctxt "listservers" msgid "Password" msgstr "" -#: ClientCommand.cpp:815 +#: ClientCommand.cpp:831 msgctxt "listservers|cell" msgid "SSL" msgstr "" -#: ClientCommand.cpp:832 +#: ClientCommand.cpp:848 msgid "Usage: AddTrustedServerFingerprint " msgstr "" -#: ClientCommand.cpp:836 ClientCommand.cpp:849 +#: ClientCommand.cpp:852 ClientCommand.cpp:865 msgid "Done." msgstr "" -#: ClientCommand.cpp:845 +#: ClientCommand.cpp:861 msgid "Usage: DelTrustedServerFingerprint " msgstr "" -#: ClientCommand.cpp:858 +#: ClientCommand.cpp:874 msgid "No fingerprints added." msgstr "" -#: ClientCommand.cpp:874 ClientCommand.cpp:880 +#: ClientCommand.cpp:890 ClientCommand.cpp:896 msgctxt "topicscmd" msgid "Channel" msgstr "" -#: ClientCommand.cpp:875 ClientCommand.cpp:881 +#: ClientCommand.cpp:891 ClientCommand.cpp:897 msgctxt "topicscmd" msgid "Set By" msgstr "" -#: ClientCommand.cpp:876 ClientCommand.cpp:882 +#: ClientCommand.cpp:892 ClientCommand.cpp:898 msgctxt "topicscmd" msgid "Topic" msgstr "" -#: ClientCommand.cpp:889 ClientCommand.cpp:894 +#: ClientCommand.cpp:905 ClientCommand.cpp:910 msgctxt "listmods" msgid "Name" msgstr "" -#: ClientCommand.cpp:890 ClientCommand.cpp:895 +#: ClientCommand.cpp:906 ClientCommand.cpp:911 msgctxt "listmods" msgid "Arguments" msgstr "" -#: ClientCommand.cpp:904 +#: ClientCommand.cpp:920 msgid "No global modules loaded." msgstr "" -#: ClientCommand.cpp:906 ClientCommand.cpp:970 +#: ClientCommand.cpp:922 ClientCommand.cpp:986 msgid "Global modules:" msgstr "" -#: ClientCommand.cpp:915 +#: ClientCommand.cpp:931 msgid "Your user has no modules loaded." msgstr "" -#: ClientCommand.cpp:917 ClientCommand.cpp:982 +#: ClientCommand.cpp:933 ClientCommand.cpp:998 msgid "User modules:" msgstr "" -#: ClientCommand.cpp:925 +#: ClientCommand.cpp:941 msgid "This network has no modules loaded." msgstr "" -#: ClientCommand.cpp:927 ClientCommand.cpp:994 +#: ClientCommand.cpp:943 ClientCommand.cpp:1010 msgid "Network modules:" msgstr "" -#: ClientCommand.cpp:942 ClientCommand.cpp:949 +#: ClientCommand.cpp:958 ClientCommand.cpp:965 msgctxt "listavailmods" msgid "Name" msgstr "" -#: ClientCommand.cpp:943 ClientCommand.cpp:954 +#: ClientCommand.cpp:959 ClientCommand.cpp:970 msgctxt "listavailmods" msgid "Description" msgstr "" -#: ClientCommand.cpp:968 +#: ClientCommand.cpp:984 msgid "No global modules available." msgstr "" -#: ClientCommand.cpp:980 +#: ClientCommand.cpp:996 msgid "No user modules available." msgstr "" -#: ClientCommand.cpp:992 +#: ClientCommand.cpp:1008 msgid "No network modules available." msgstr "" -#: ClientCommand.cpp:1020 +#: ClientCommand.cpp:1036 msgid "Unable to load {1}: Access denied." msgstr "" -#: ClientCommand.cpp:1026 +#: ClientCommand.cpp:1042 msgid "Usage: LoadMod [--type=global|user|network] [args]" msgstr "" -#: ClientCommand.cpp:1033 +#: ClientCommand.cpp:1049 msgid "Unable to load {1}: {2}" msgstr "" -#: ClientCommand.cpp:1043 +#: ClientCommand.cpp:1059 msgid "Unable to load global module {1}: Access denied." msgstr "" -#: ClientCommand.cpp:1049 +#: ClientCommand.cpp:1065 msgid "Unable to load network module {1}: Not connected with a network." msgstr "" -#: ClientCommand.cpp:1071 +#: ClientCommand.cpp:1087 msgid "Unknown module type" msgstr "" -#: ClientCommand.cpp:1076 +#: ClientCommand.cpp:1092 msgid "Loaded module {1}" msgstr "" -#: ClientCommand.cpp:1078 +#: ClientCommand.cpp:1094 msgid "Loaded module {1}: {2}" msgstr "" -#: ClientCommand.cpp:1081 +#: ClientCommand.cpp:1097 msgid "Unable to load module {1}: {2}" msgstr "" -#: ClientCommand.cpp:1104 +#: ClientCommand.cpp:1120 msgid "Unable to unload {1}: Access denied." msgstr "" -#: ClientCommand.cpp:1110 +#: ClientCommand.cpp:1126 msgid "Usage: UnloadMod [--type=global|user|network] " msgstr "" -#: ClientCommand.cpp:1119 +#: ClientCommand.cpp:1135 msgid "Unable to determine type of {1}: {2}" msgstr "" -#: ClientCommand.cpp:1127 +#: ClientCommand.cpp:1143 msgid "Unable to unload global module {1}: Access denied." msgstr "" -#: ClientCommand.cpp:1134 +#: ClientCommand.cpp:1150 msgid "Unable to unload network module {1}: Not connected with a network." msgstr "" -#: ClientCommand.cpp:1153 +#: ClientCommand.cpp:1169 msgid "Unable to unload module {1}: Unknown module type" msgstr "" -#: ClientCommand.cpp:1166 +#: ClientCommand.cpp:1182 msgid "Unable to reload modules. Access denied." msgstr "" -#: ClientCommand.cpp:1187 +#: ClientCommand.cpp:1203 msgid "Usage: ReloadMod [--type=global|user|network] [args]" msgstr "" -#: ClientCommand.cpp:1196 +#: ClientCommand.cpp:1212 msgid "Unable to reload {1}: {2}" msgstr "" -#: ClientCommand.cpp:1204 +#: ClientCommand.cpp:1220 msgid "Unable to reload global module {1}: Access denied." msgstr "" -#: ClientCommand.cpp:1211 +#: ClientCommand.cpp:1227 msgid "Unable to reload network module {1}: Not connected with a network." msgstr "" -#: ClientCommand.cpp:1233 +#: ClientCommand.cpp:1249 msgid "Unable to reload module {1}: Unknown module type" msgstr "" -#: ClientCommand.cpp:1244 +#: ClientCommand.cpp:1260 msgid "Usage: UpdateMod " msgstr "" -#: ClientCommand.cpp:1248 +#: ClientCommand.cpp:1264 msgid "Reloading {1} everywhere" msgstr "" -#: ClientCommand.cpp:1250 +#: ClientCommand.cpp:1266 msgid "Done" msgstr "" -#: ClientCommand.cpp:1253 +#: ClientCommand.cpp:1269 msgid "" "Done, but there were errors, module {1} could not be reloaded everywhere." msgstr "" -#: ClientCommand.cpp:1261 +#: ClientCommand.cpp:1277 msgid "" "You must be connected with a network to use this command. Try " "SetUserBindHost instead" msgstr "" -#: ClientCommand.cpp:1268 +#: ClientCommand.cpp:1284 msgid "Usage: SetBindHost " msgstr "" -#: ClientCommand.cpp:1273 ClientCommand.cpp:1290 +#: ClientCommand.cpp:1289 ClientCommand.cpp:1306 msgid "You already have this bind host!" msgstr "" -#: ClientCommand.cpp:1278 +#: ClientCommand.cpp:1294 msgid "Set bind host for network {1} to {2}" msgstr "" -#: ClientCommand.cpp:1285 +#: ClientCommand.cpp:1301 msgid "Usage: SetUserBindHost " msgstr "" -#: ClientCommand.cpp:1295 +#: ClientCommand.cpp:1311 msgid "Set default bind host to {1}" msgstr "" -#: ClientCommand.cpp:1301 +#: ClientCommand.cpp:1317 msgid "" "You must be connected with a network to use this command. Try " "ClearUserBindHost instead" msgstr "" -#: ClientCommand.cpp:1306 +#: ClientCommand.cpp:1322 msgid "Bind host cleared for this network." msgstr "" -#: ClientCommand.cpp:1310 +#: ClientCommand.cpp:1326 msgid "Default bind host cleared for your user." msgstr "" -#: ClientCommand.cpp:1313 +#: ClientCommand.cpp:1329 msgid "This user's default bind host not set" msgstr "" -#: ClientCommand.cpp:1315 +#: ClientCommand.cpp:1331 msgid "This user's default bind host is {1}" msgstr "" -#: ClientCommand.cpp:1320 +#: ClientCommand.cpp:1336 msgid "This network's bind host not set" msgstr "" -#: ClientCommand.cpp:1322 +#: ClientCommand.cpp:1338 msgid "This network's default bind host is {1}" msgstr "" -#: ClientCommand.cpp:1336 +#: ClientCommand.cpp:1352 msgid "Usage: PlayBuffer <#chan|query>" msgstr "" -#: ClientCommand.cpp:1344 +#: ClientCommand.cpp:1360 msgid "You are not on {1}" msgstr "" -#: ClientCommand.cpp:1349 +#: ClientCommand.cpp:1365 msgid "You are not on {1} (trying to join)" msgstr "" -#: ClientCommand.cpp:1354 +#: ClientCommand.cpp:1370 msgid "The buffer for channel {1} is empty" msgstr "" -#: ClientCommand.cpp:1363 +#: ClientCommand.cpp:1379 msgid "No active query with {1}" msgstr "" -#: ClientCommand.cpp:1368 +#: ClientCommand.cpp:1384 msgid "The buffer for {1} is empty" msgstr "" -#: ClientCommand.cpp:1384 +#: ClientCommand.cpp:1400 msgid "Usage: ClearBuffer <#chan|query>" msgstr "" -#: ClientCommand.cpp:1403 +#: ClientCommand.cpp:1419 msgid "{1} buffer matching {2} has been cleared" msgid_plural "{1} buffers matching {2} have been cleared" msgstr[0] "" msgstr[1] "" -#: ClientCommand.cpp:1416 +#: ClientCommand.cpp:1432 msgid "All channel buffers have been cleared" msgstr "" -#: ClientCommand.cpp:1425 +#: ClientCommand.cpp:1441 msgid "All query buffers have been cleared" msgstr "" -#: ClientCommand.cpp:1437 +#: ClientCommand.cpp:1453 msgid "All buffers have been cleared" msgstr "" -#: ClientCommand.cpp:1448 +#: ClientCommand.cpp:1464 msgid "Usage: SetBuffer <#chan|query> [linecount]" msgstr "" -#: ClientCommand.cpp:1469 +#: ClientCommand.cpp:1485 msgid "Setting buffer size failed for {1} buffer" msgid_plural "Setting buffer size failed for {1} buffers" msgstr[0] "" msgstr[1] "" -#: ClientCommand.cpp:1472 +#: ClientCommand.cpp:1488 msgid "Maximum buffer size is {1} line" msgid_plural "Maximum buffer size is {1} lines" msgstr[0] "" msgstr[1] "" -#: ClientCommand.cpp:1477 +#: ClientCommand.cpp:1493 msgid "Size of every buffer was set to {1} line" msgid_plural "Size of every buffer was set to {1} lines" msgstr[0] "" msgstr[1] "" -#: ClientCommand.cpp:1487 ClientCommand.cpp:1494 ClientCommand.cpp:1505 -#: ClientCommand.cpp:1514 ClientCommand.cpp:1522 +#: ClientCommand.cpp:1503 ClientCommand.cpp:1510 ClientCommand.cpp:1521 +#: ClientCommand.cpp:1530 ClientCommand.cpp:1538 msgctxt "trafficcmd" msgid "Username" msgstr "" -#: ClientCommand.cpp:1488 ClientCommand.cpp:1495 ClientCommand.cpp:1507 -#: ClientCommand.cpp:1516 ClientCommand.cpp:1524 +#: ClientCommand.cpp:1504 ClientCommand.cpp:1511 ClientCommand.cpp:1523 +#: ClientCommand.cpp:1532 ClientCommand.cpp:1540 msgctxt "trafficcmd" msgid "In" msgstr "" -#: ClientCommand.cpp:1489 ClientCommand.cpp:1497 ClientCommand.cpp:1508 -#: ClientCommand.cpp:1517 ClientCommand.cpp:1525 +#: ClientCommand.cpp:1505 ClientCommand.cpp:1513 ClientCommand.cpp:1524 +#: ClientCommand.cpp:1533 ClientCommand.cpp:1541 msgctxt "trafficcmd" msgid "Out" msgstr "" -#: ClientCommand.cpp:1490 ClientCommand.cpp:1500 ClientCommand.cpp:1510 -#: ClientCommand.cpp:1518 ClientCommand.cpp:1527 +#: ClientCommand.cpp:1506 ClientCommand.cpp:1516 ClientCommand.cpp:1526 +#: ClientCommand.cpp:1534 ClientCommand.cpp:1543 msgctxt "trafficcmd" msgid "Total" msgstr "" -#: ClientCommand.cpp:1506 +#: ClientCommand.cpp:1522 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1515 +#: ClientCommand.cpp:1531 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1523 +#: ClientCommand.cpp:1539 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1532 +#: ClientCommand.cpp:1548 msgid "Running for {1}" msgstr "" -#: ClientCommand.cpp:1538 +#: ClientCommand.cpp:1554 msgid "Unknown command, try 'Help'" msgstr "" -#: ClientCommand.cpp:1547 ClientCommand.cpp:1558 +#: ClientCommand.cpp:1563 ClientCommand.cpp:1574 msgctxt "listports" msgid "Port" msgstr "" -#: ClientCommand.cpp:1548 ClientCommand.cpp:1559 +#: ClientCommand.cpp:1564 ClientCommand.cpp:1577 msgctxt "listports" msgid "BindHost" msgstr "" -#: ClientCommand.cpp:1549 ClientCommand.cpp:1562 +#: ClientCommand.cpp:1565 ClientCommand.cpp:1580 msgctxt "listports" msgid "SSL" msgstr "" -#: ClientCommand.cpp:1550 ClientCommand.cpp:1567 +#: ClientCommand.cpp:1566 ClientCommand.cpp:1585 msgctxt "listports" msgid "Protocol" msgstr "" -#: ClientCommand.cpp:1551 ClientCommand.cpp:1574 +#: ClientCommand.cpp:1567 ClientCommand.cpp:1592 msgctxt "listports" msgid "IRC" msgstr "" -#: ClientCommand.cpp:1552 ClientCommand.cpp:1579 +#: ClientCommand.cpp:1568 ClientCommand.cpp:1597 msgctxt "listports" msgid "Web" msgstr "" -#: ClientCommand.cpp:1563 +#: ClientCommand.cpp:1581 msgctxt "listports|ssl" msgid "yes" msgstr "" -#: ClientCommand.cpp:1564 +#: ClientCommand.cpp:1582 msgctxt "listports|ssl" msgid "no" msgstr "" -#: ClientCommand.cpp:1568 +#: ClientCommand.cpp:1586 msgctxt "listports" msgid "IPv4 and IPv6" msgstr "" -#: ClientCommand.cpp:1570 +#: ClientCommand.cpp:1588 msgctxt "listports" msgid "IPv4" msgstr "" -#: ClientCommand.cpp:1571 +#: ClientCommand.cpp:1589 msgctxt "listports" msgid "IPv6" msgstr "" -#: ClientCommand.cpp:1577 +#: ClientCommand.cpp:1595 msgctxt "listports|irc" msgid "yes" msgstr "" -#: ClientCommand.cpp:1578 +#: ClientCommand.cpp:1596 msgctxt "listports|irc" msgid "no" msgstr "" -#: ClientCommand.cpp:1582 +#: ClientCommand.cpp:1600 msgctxt "listports|irc" msgid "yes, on {1}" msgstr "" -#: ClientCommand.cpp:1584 +#: ClientCommand.cpp:1602 msgctxt "listports|web" msgid "no" msgstr "" -#: ClientCommand.cpp:1624 +#: ClientCommand.cpp:1642 msgid "" "Usage: AddPort <[+]port> [bindhost [uriprefix]]" msgstr "" -#: ClientCommand.cpp:1640 +#: ClientCommand.cpp:1658 msgid "Port added" msgstr "" -#: ClientCommand.cpp:1642 +#: ClientCommand.cpp:1660 msgid "Couldn't add port" msgstr "" -#: ClientCommand.cpp:1648 +#: ClientCommand.cpp:1666 msgid "Usage: DelPort [bindhost]" msgstr "" -#: ClientCommand.cpp:1657 +#: ClientCommand.cpp:1675 msgid "Deleted Port" msgstr "" -#: ClientCommand.cpp:1659 +#: ClientCommand.cpp:1677 msgid "Unable to find a matching port" msgstr "" -#: ClientCommand.cpp:1667 ClientCommand.cpp:1682 +#: ClientCommand.cpp:1685 ClientCommand.cpp:1700 msgctxt "helpcmd" msgid "Command" msgstr "" -#: ClientCommand.cpp:1668 ClientCommand.cpp:1684 +#: ClientCommand.cpp:1686 ClientCommand.cpp:1702 msgctxt "helpcmd" msgid "Description" msgstr "" -#: ClientCommand.cpp:1673 +#: ClientCommand.cpp:1691 msgid "" "In the following list all occurrences of <#chan> support wildcards (* and ?) " "except ListNicks" msgstr "" -#: ClientCommand.cpp:1690 +#: ClientCommand.cpp:1708 msgctxt "helpcmd|Version|desc" msgid "Print which version of ZNC this is" msgstr "" -#: ClientCommand.cpp:1693 +#: ClientCommand.cpp:1711 msgctxt "helpcmd|ListMods|desc" msgid "List all loaded modules" msgstr "" -#: ClientCommand.cpp:1696 +#: ClientCommand.cpp:1714 msgctxt "helpcmd|ListAvailMods|desc" msgid "List all available modules" msgstr "" -#: ClientCommand.cpp:1700 ClientCommand.cpp:1886 +#: ClientCommand.cpp:1718 ClientCommand.cpp:1904 msgctxt "helpcmd|ListChans|desc" msgid "List all channels" msgstr "" -#: ClientCommand.cpp:1703 +#: ClientCommand.cpp:1721 msgctxt "helpcmd|ListNicks|args" msgid "<#chan>" msgstr "" -#: ClientCommand.cpp:1704 +#: ClientCommand.cpp:1722 msgctxt "helpcmd|ListNicks|desc" msgid "List all nicks on a channel" msgstr "" -#: ClientCommand.cpp:1707 +#: ClientCommand.cpp:1725 msgctxt "helpcmd|ListClients|desc" msgid "List all clients connected to your ZNC user" msgstr "" -#: ClientCommand.cpp:1711 +#: ClientCommand.cpp:1729 msgctxt "helpcmd|ListServers|desc" msgid "List all servers of current IRC network" msgstr "" -#: ClientCommand.cpp:1715 +#: ClientCommand.cpp:1733 msgctxt "helpcmd|AddNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1716 +#: ClientCommand.cpp:1734 msgctxt "helpcmd|AddNetwork|desc" msgid "Add a network to your user" msgstr "" -#: ClientCommand.cpp:1718 +#: ClientCommand.cpp:1736 msgctxt "helpcmd|DelNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1719 +#: ClientCommand.cpp:1737 msgctxt "helpcmd|DelNetwork|desc" msgid "Delete a network from your user" msgstr "" -#: ClientCommand.cpp:1721 +#: ClientCommand.cpp:1739 msgctxt "helpcmd|ListNetworks|desc" msgid "List all networks" msgstr "" -#: ClientCommand.cpp:1724 +#: ClientCommand.cpp:1742 msgctxt "helpcmd|MoveNetwork|args" msgid " [new network]" msgstr "" -#: ClientCommand.cpp:1726 +#: ClientCommand.cpp:1744 msgctxt "helpcmd|MoveNetwork|desc" msgid "Move an IRC network from one user to another" msgstr "" -#: ClientCommand.cpp:1730 +#: ClientCommand.cpp:1748 msgctxt "helpcmd|JumpNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1731 +#: ClientCommand.cpp:1749 msgctxt "helpcmd|JumpNetwork|desc" msgid "" "Jump to another network (Alternatively, you can connect to ZNC several " "times, using `user/network` as username)" msgstr "" -#: ClientCommand.cpp:1736 +#: ClientCommand.cpp:1754 msgctxt "helpcmd|AddServer|args" msgid " [[+]port] [pass]" msgstr "" -#: ClientCommand.cpp:1737 +#: ClientCommand.cpp:1755 msgctxt "helpcmd|AddServer|desc" msgid "" "Add a server to the list of alternate/backup servers of current IRC network." msgstr "" -#: ClientCommand.cpp:1741 +#: ClientCommand.cpp:1759 msgctxt "helpcmd|DelServer|args" msgid " [port] [pass]" msgstr "" -#: ClientCommand.cpp:1742 +#: ClientCommand.cpp:1760 msgctxt "helpcmd|DelServer|desc" msgid "" "Remove a server from the list of alternate/backup servers of current IRC " "network" msgstr "" -#: ClientCommand.cpp:1748 +#: ClientCommand.cpp:1766 msgctxt "helpcmd|AddTrustedServerFingerprint|args" msgid "" msgstr "" -#: ClientCommand.cpp:1749 +#: ClientCommand.cpp:1767 msgctxt "helpcmd|AddTrustedServerFingerprint|desc" msgid "" "Add a trusted server SSL certificate fingerprint (SHA-256) to current IRC " "network." msgstr "" -#: ClientCommand.cpp:1754 +#: ClientCommand.cpp:1772 msgctxt "helpcmd|DelTrustedServerFingerprint|args" msgid "" msgstr "" -#: ClientCommand.cpp:1755 +#: ClientCommand.cpp:1773 msgctxt "helpcmd|DelTrustedServerFingerprint|desc" msgid "Delete a trusted server SSL certificate from current IRC network." msgstr "" -#: ClientCommand.cpp:1759 +#: ClientCommand.cpp:1777 msgctxt "helpcmd|ListTrustedServerFingerprints|desc" msgid "List all trusted server SSL certificates of current IRC network." msgstr "" -#: ClientCommand.cpp:1762 +#: ClientCommand.cpp:1780 msgctxt "helpcmd|EnableChan|args" msgid "<#chans>" msgstr "" -#: ClientCommand.cpp:1763 +#: ClientCommand.cpp:1781 msgctxt "helpcmd|EnableChan|desc" msgid "Enable channels" msgstr "" -#: ClientCommand.cpp:1764 +#: ClientCommand.cpp:1782 msgctxt "helpcmd|DisableChan|args" msgid "<#chans>" msgstr "" -#: ClientCommand.cpp:1765 +#: ClientCommand.cpp:1783 msgctxt "helpcmd|DisableChan|desc" msgid "Disable channels" msgstr "" -#: ClientCommand.cpp:1766 +#: ClientCommand.cpp:1784 msgctxt "helpcmd|Attach|args" msgid "<#chans>" msgstr "" -#: ClientCommand.cpp:1767 +#: ClientCommand.cpp:1785 msgctxt "helpcmd|Attach|desc" msgid "Attach to channels" msgstr "" -#: ClientCommand.cpp:1768 +#: ClientCommand.cpp:1786 msgctxt "helpcmd|Detach|args" msgid "<#chans>" msgstr "" -#: ClientCommand.cpp:1769 +#: ClientCommand.cpp:1787 msgctxt "helpcmd|Detach|desc" msgid "Detach from channels" msgstr "" -#: ClientCommand.cpp:1772 +#: ClientCommand.cpp:1790 msgctxt "helpcmd|Topics|desc" msgid "Show topics in all your channels" msgstr "" -#: ClientCommand.cpp:1775 +#: ClientCommand.cpp:1793 msgctxt "helpcmd|PlayBuffer|args" msgid "<#chan|query>" msgstr "" -#: ClientCommand.cpp:1776 +#: ClientCommand.cpp:1794 msgctxt "helpcmd|PlayBuffer|desc" msgid "Play back the specified buffer" msgstr "" -#: ClientCommand.cpp:1778 +#: ClientCommand.cpp:1796 msgctxt "helpcmd|ClearBuffer|args" msgid "<#chan|query>" msgstr "" -#: ClientCommand.cpp:1779 +#: ClientCommand.cpp:1797 msgctxt "helpcmd|ClearBuffer|desc" msgid "Clear the specified buffer" msgstr "" -#: ClientCommand.cpp:1781 +#: ClientCommand.cpp:1799 msgctxt "helpcmd|ClearAllBuffers|desc" msgid "Clear all channel and query buffers" msgstr "" -#: ClientCommand.cpp:1784 +#: ClientCommand.cpp:1802 msgctxt "helpcmd|ClearAllChannelBuffers|desc" msgid "Clear the channel buffers" msgstr "" -#: ClientCommand.cpp:1788 +#: ClientCommand.cpp:1806 msgctxt "helpcmd|ClearAllQueryBuffers|desc" msgid "Clear the query buffers" msgstr "" -#: ClientCommand.cpp:1790 +#: ClientCommand.cpp:1808 msgctxt "helpcmd|SetBuffer|args" msgid "<#chan|query> [linecount]" msgstr "" -#: ClientCommand.cpp:1791 +#: ClientCommand.cpp:1809 msgctxt "helpcmd|SetBuffer|desc" msgid "Set the buffer count" msgstr "" -#: ClientCommand.cpp:1795 +#: ClientCommand.cpp:1813 msgctxt "helpcmd|SetBindHost|args" msgid "" msgstr "" -#: ClientCommand.cpp:1796 +#: ClientCommand.cpp:1814 msgctxt "helpcmd|SetBindHost|desc" msgid "Set the bind host for this network" msgstr "" -#: ClientCommand.cpp:1800 +#: ClientCommand.cpp:1818 msgctxt "helpcmd|SetUserBindHost|args" msgid "" msgstr "" -#: ClientCommand.cpp:1801 +#: ClientCommand.cpp:1819 msgctxt "helpcmd|SetUserBindHost|desc" msgid "Set the default bind host for this user" msgstr "" -#: ClientCommand.cpp:1804 +#: ClientCommand.cpp:1822 msgctxt "helpcmd|ClearBindHost|desc" msgid "Clear the bind host for this network" msgstr "" -#: ClientCommand.cpp:1807 +#: ClientCommand.cpp:1825 msgctxt "helpcmd|ClearUserBindHost|desc" msgid "Clear the default bind host for this user" msgstr "" -#: ClientCommand.cpp:1813 +#: ClientCommand.cpp:1831 msgctxt "helpcmd|ShowBindHost|desc" msgid "Show currently selected bind host" msgstr "" -#: ClientCommand.cpp:1815 +#: ClientCommand.cpp:1833 msgctxt "helpcmd|Jump|args" msgid "[server]" msgstr "" -#: ClientCommand.cpp:1816 +#: ClientCommand.cpp:1834 msgctxt "helpcmd|Jump|desc" msgid "Jump to the next or the specified server" msgstr "" -#: ClientCommand.cpp:1817 +#: ClientCommand.cpp:1835 msgctxt "helpcmd|Disconnect|args" msgid "[message]" msgstr "" -#: ClientCommand.cpp:1818 +#: ClientCommand.cpp:1836 msgctxt "helpcmd|Disconnect|desc" msgid "Disconnect from IRC" msgstr "" -#: ClientCommand.cpp:1820 +#: ClientCommand.cpp:1838 msgctxt "helpcmd|Connect|desc" msgid "Reconnect to IRC" msgstr "" -#: ClientCommand.cpp:1823 +#: ClientCommand.cpp:1841 msgctxt "helpcmd|Uptime|desc" msgid "Show for how long ZNC has been running" msgstr "" -#: ClientCommand.cpp:1827 +#: ClientCommand.cpp:1845 msgctxt "helpcmd|LoadMod|args" msgid "[--type=global|user|network] [args]" msgstr "" -#: ClientCommand.cpp:1829 +#: ClientCommand.cpp:1847 msgctxt "helpcmd|LoadMod|desc" msgid "Load a module" msgstr "" -#: ClientCommand.cpp:1831 +#: ClientCommand.cpp:1849 msgctxt "helpcmd|UnloadMod|args" msgid "[--type=global|user|network] " msgstr "" -#: ClientCommand.cpp:1833 +#: ClientCommand.cpp:1851 msgctxt "helpcmd|UnloadMod|desc" msgid "Unload a module" msgstr "" -#: ClientCommand.cpp:1835 +#: ClientCommand.cpp:1853 msgctxt "helpcmd|ReloadMod|args" msgid "[--type=global|user|network] [args]" msgstr "" -#: ClientCommand.cpp:1837 +#: ClientCommand.cpp:1855 msgctxt "helpcmd|ReloadMod|desc" msgid "Reload a module" msgstr "" -#: ClientCommand.cpp:1840 +#: ClientCommand.cpp:1858 msgctxt "helpcmd|UpdateMod|args" msgid "" msgstr "" -#: ClientCommand.cpp:1841 +#: ClientCommand.cpp:1859 msgctxt "helpcmd|UpdateMod|desc" msgid "Reload a module everywhere" msgstr "" -#: ClientCommand.cpp:1847 +#: ClientCommand.cpp:1865 msgctxt "helpcmd|ShowMOTD|desc" msgid "Show ZNC's message of the day" msgstr "" -#: ClientCommand.cpp:1851 +#: ClientCommand.cpp:1869 msgctxt "helpcmd|SetMOTD|args" msgid "" msgstr "" -#: ClientCommand.cpp:1852 +#: ClientCommand.cpp:1870 msgctxt "helpcmd|SetMOTD|desc" msgid "Set ZNC's message of the day" msgstr "" -#: ClientCommand.cpp:1854 +#: ClientCommand.cpp:1872 msgctxt "helpcmd|AddMOTD|args" msgid "" msgstr "" -#: ClientCommand.cpp:1855 +#: ClientCommand.cpp:1873 msgctxt "helpcmd|AddMOTD|desc" msgid "Append to ZNC's MOTD" msgstr "" -#: ClientCommand.cpp:1857 +#: ClientCommand.cpp:1875 msgctxt "helpcmd|ClearMOTD|desc" msgid "Clear ZNC's MOTD" msgstr "" -#: ClientCommand.cpp:1860 +#: ClientCommand.cpp:1878 msgctxt "helpcmd|ListPorts|desc" msgid "Show all active listeners" msgstr "" -#: ClientCommand.cpp:1862 +#: ClientCommand.cpp:1880 msgctxt "helpcmd|AddPort|args" msgid "<[+]port> [bindhost [uriprefix]]" msgstr "" -#: ClientCommand.cpp:1865 +#: ClientCommand.cpp:1883 msgctxt "helpcmd|AddPort|desc" msgid "Add another port for ZNC to listen on" msgstr "" -#: ClientCommand.cpp:1869 +#: ClientCommand.cpp:1887 msgctxt "helpcmd|DelPort|args" msgid " [bindhost]" msgstr "" -#: ClientCommand.cpp:1870 +#: ClientCommand.cpp:1888 msgctxt "helpcmd|DelPort|desc" msgid "Remove a port from ZNC" msgstr "" -#: ClientCommand.cpp:1873 +#: ClientCommand.cpp:1891 msgctxt "helpcmd|Rehash|desc" msgid "Reload global settings, modules, and listeners from znc.conf" msgstr "" -#: ClientCommand.cpp:1876 +#: ClientCommand.cpp:1894 msgctxt "helpcmd|SaveConfig|desc" msgid "Save the current settings to disk" msgstr "" -#: ClientCommand.cpp:1879 +#: ClientCommand.cpp:1897 msgctxt "helpcmd|ListUsers|desc" msgid "List all ZNC users and their connection status" msgstr "" -#: ClientCommand.cpp:1882 +#: ClientCommand.cpp:1900 msgctxt "helpcmd|ListAllUserNetworks|desc" msgid "List all ZNC users and their networks" msgstr "" -#: ClientCommand.cpp:1885 +#: ClientCommand.cpp:1903 msgctxt "helpcmd|ListChans|args" msgid "[user ]" msgstr "" -#: ClientCommand.cpp:1888 +#: ClientCommand.cpp:1906 msgctxt "helpcmd|ListClients|args" msgid "[user]" msgstr "" -#: ClientCommand.cpp:1889 +#: ClientCommand.cpp:1907 msgctxt "helpcmd|ListClients|desc" msgid "List all connected clients" msgstr "" -#: ClientCommand.cpp:1891 +#: ClientCommand.cpp:1909 msgctxt "helpcmd|Traffic|desc" msgid "Show basic traffic stats for all ZNC users" msgstr "" -#: ClientCommand.cpp:1893 +#: ClientCommand.cpp:1911 msgctxt "helpcmd|Broadcast|args" msgid "[message]" msgstr "" -#: ClientCommand.cpp:1894 +#: ClientCommand.cpp:1912 msgctxt "helpcmd|Broadcast|desc" msgid "Broadcast a message to all ZNC users" msgstr "" -#: ClientCommand.cpp:1897 +#: ClientCommand.cpp:1915 msgctxt "helpcmd|Shutdown|args" msgid "[message]" msgstr "" -#: ClientCommand.cpp:1898 +#: ClientCommand.cpp:1916 msgctxt "helpcmd|Shutdown|desc" msgid "Shut down ZNC completely" msgstr "" -#: ClientCommand.cpp:1899 +#: ClientCommand.cpp:1917 msgctxt "helpcmd|Restart|args" msgid "[message]" msgstr "" -#: ClientCommand.cpp:1900 +#: ClientCommand.cpp:1918 msgctxt "helpcmd|Restart|desc" msgid "Restart ZNC" msgstr "" diff --git a/src/po/znc.pt_BR.po b/src/po/znc.pt_BR.po index ae6a65ca..1a7f5198 100644 --- a/src/po/znc.pt_BR.po +++ b/src/po/znc.pt_BR.po @@ -75,7 +75,7 @@ msgstr "Falha ao localizar o arquivo PEM: {1}" msgid "Invalid port" msgstr "Porta inválida" -#: znc.cpp:1821 ClientCommand.cpp:1637 +#: znc.cpp:1821 ClientCommand.cpp:1655 msgid "Unable to bind: {1}" msgstr "Não foi possível vincular: {1}" @@ -264,6 +264,7 @@ msgid "Usage: /attach <#chans>" msgstr "Sintaxe: /attach <#canais>" #: Client.cpp:1344 Client.cpp:1366 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: ClientCommand.cpp:423 ClientCommand.cpp:450 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" msgstr[0] "Foi encontrado {1} canal correspondente a [{2}]" @@ -303,7 +304,7 @@ msgctxt "modhelpcmd" msgid "Generate this output" msgstr "Gera essa saída" -#: Modules.cpp:573 ClientCommand.cpp:1904 +#: Modules.cpp:573 ClientCommand.cpp:1922 msgid "No matches for '{1}'" msgstr "Nenhuma correspondência para '{1}'" @@ -414,11 +415,12 @@ msgid "Description" msgstr "Descrição" #: ClientCommand.cpp:51 ClientCommand.cpp:115 ClientCommand.cpp:137 -#: ClientCommand.cpp:749 ClientCommand.cpp:768 ClientCommand.cpp:794 -#: ClientCommand.cpp:827 ClientCommand.cpp:840 ClientCommand.cpp:853 -#: ClientCommand.cpp:868 ClientCommand.cpp:1329 ClientCommand.cpp:1377 -#: ClientCommand.cpp:1409 ClientCommand.cpp:1420 ClientCommand.cpp:1429 -#: ClientCommand.cpp:1441 +#: ClientCommand.cpp:339 ClientCommand.cpp:390 ClientCommand.cpp:405 +#: ClientCommand.cpp:432 ClientCommand.cpp:459 ClientCommand.cpp:764 +#: ClientCommand.cpp:783 ClientCommand.cpp:809 ClientCommand.cpp:843 +#: ClientCommand.cpp:856 ClientCommand.cpp:869 ClientCommand.cpp:884 +#: ClientCommand.cpp:1345 ClientCommand.cpp:1393 ClientCommand.cpp:1425 +#: ClientCommand.cpp:1436 ClientCommand.cpp:1445 ClientCommand.cpp:1457 msgid "You must be connected with a network to use this command" msgstr "Você precisa estar conectado a uma rede para usar este comando" @@ -478,87 +480,248 @@ msgstr "Configuração salva em {1}" msgid "Error while trying to write config." msgstr "Erro ao tentar gravar as configurações." -#: ClientCommand.cpp:455 +#: ClientCommand.cpp:183 +msgid "Usage: ListClients" +msgstr "" + +#: ClientCommand.cpp:190 +msgid "No such user: {1}" +msgstr "" + +#: ClientCommand.cpp:198 +msgid "No clients are connected" +msgstr "" + +#: ClientCommand.cpp:203 ClientCommand.cpp:209 +msgctxt "listclientscmd" +msgid "Host" +msgstr "" + +#: ClientCommand.cpp:204 ClientCommand.cpp:212 +msgctxt "listclientscmd" +msgid "Network" +msgstr "" + +#: ClientCommand.cpp:205 ClientCommand.cpp:215 +msgctxt "listclientscmd" +msgid "Identifier" +msgstr "" + +#: ClientCommand.cpp:223 ClientCommand.cpp:229 +msgctxt "listuserscmd" +msgid "Username" +msgstr "" + +#: ClientCommand.cpp:224 ClientCommand.cpp:230 +msgctxt "listuserscmd" +msgid "Networks" +msgstr "" + +#: ClientCommand.cpp:225 ClientCommand.cpp:232 +msgctxt "listuserscmd" +msgid "Clients" +msgstr "" + +#: ClientCommand.cpp:240 ClientCommand.cpp:250 ClientCommand.cpp:260 +#: ClientCommand.cpp:263 +msgctxt "listallusernetworkscmd" +msgid "Username" +msgstr "" + +#: ClientCommand.cpp:241 ClientCommand.cpp:251 ClientCommand.cpp:266 +msgctxt "listallusernetworkscmd" +msgid "Network" +msgstr "" + +#: ClientCommand.cpp:242 ClientCommand.cpp:252 ClientCommand.cpp:268 +msgctxt "listallusernetworkscmd" +msgid "Clients" +msgstr "" + +#: ClientCommand.cpp:243 ClientCommand.cpp:271 ClientCommand.cpp:280 +msgctxt "listallusernetworkscmd" +msgid "On IRC" +msgstr "" + +#: ClientCommand.cpp:244 ClientCommand.cpp:273 +msgctxt "listallusernetworkscmd" +msgid "IRC Server" +msgstr "" + +#: ClientCommand.cpp:245 ClientCommand.cpp:275 +msgctxt "listallusernetworkscmd" +msgid "IRC User" +msgstr "" + +#: ClientCommand.cpp:246 ClientCommand.cpp:277 +msgctxt "listallusernetworkscmd" +msgid "Channels" +msgstr "" + +#: ClientCommand.cpp:251 +msgid "N/A" +msgstr "" + +#: ClientCommand.cpp:272 +msgctxt "listallusernetworkscmd" +msgid "Yes" +msgstr "" + +#: ClientCommand.cpp:281 +msgctxt "listallusernetworkscmd" +msgid "No" +msgstr "" + +#: ClientCommand.cpp:291 +msgid "Usage: SetMOTD " +msgstr "" + +#: ClientCommand.cpp:294 +msgid "MOTD set to: {1}" +msgstr "" + +#: ClientCommand.cpp:300 +msgid "Usage: AddMOTD " +msgstr "" + +#: ClientCommand.cpp:303 +msgid "Added [{1}] to MOTD" +msgstr "" + +#: ClientCommand.cpp:307 +msgid "Cleared MOTD" +msgstr "" + +#: ClientCommand.cpp:329 +msgid "" +"ERROR: Writing config file to disk failed! Aborting. Use {1} FORCE to ignore." +msgstr "" + +#: ClientCommand.cpp:344 ClientCommand.cpp:797 ClientCommand.cpp:838 +msgid "You don't have any servers added." +msgstr "Você não tem servidores adicionados." + +#: ClientCommand.cpp:355 +msgid "Server [{1}] not found" +msgstr "" + +#: ClientCommand.cpp:375 ClientCommand.cpp:380 +msgid "Connecting to {1}..." +msgstr "" + +#: ClientCommand.cpp:377 +msgid "Jumping to the next server in the list..." +msgstr "" + +#: ClientCommand.cpp:382 +msgid "Connecting..." +msgstr "" + +#: ClientCommand.cpp:400 +msgid "Disconnected from IRC. Use 'connect' to reconnect." +msgstr "" + +#: ClientCommand.cpp:412 +msgid "Usage: EnableChan <#chans>" +msgstr "" + +#: ClientCommand.cpp:426 +msgid "Enabled {1} channel" +msgid_plural "Enabled {1} channels" +msgstr[0] "" +msgstr[1] "" + +#: ClientCommand.cpp:439 +msgid "Usage: DisableChan <#chans>" +msgstr "" + +#: ClientCommand.cpp:453 +msgid "Disabled {1} channel" +msgid_plural "Disabled {1} channels" +msgstr[0] "" +msgstr[1] "" + +#: ClientCommand.cpp:470 msgid "Usage: ListChans" msgstr "Sintaxe: ListChans" -#: ClientCommand.cpp:462 +#: ClientCommand.cpp:477 msgid "No such user [{1}]" msgstr "Usuário não encontrado [{1}]" -#: ClientCommand.cpp:468 +#: ClientCommand.cpp:483 msgid "User [{1}] doesn't have network [{2}]" msgstr "Usuário [{1}] não tem uma rede [{2}]" -#: ClientCommand.cpp:479 +#: ClientCommand.cpp:494 msgid "There are no channels defined." msgstr "Não há canais definidos." -#: ClientCommand.cpp:484 ClientCommand.cpp:500 +#: ClientCommand.cpp:499 ClientCommand.cpp:515 msgctxt "listchans" msgid "Name" msgstr "Nome" -#: ClientCommand.cpp:485 ClientCommand.cpp:503 +#: ClientCommand.cpp:500 ClientCommand.cpp:518 msgctxt "listchans" msgid "Status" msgstr "Estado" -#: ClientCommand.cpp:486 ClientCommand.cpp:510 +#: ClientCommand.cpp:501 ClientCommand.cpp:525 msgctxt "listchans" msgid "In config" msgstr "Na configuração" -#: ClientCommand.cpp:487 ClientCommand.cpp:512 +#: ClientCommand.cpp:502 ClientCommand.cpp:527 msgctxt "listchans" msgid "Buffer" msgstr "Buffer" -#: ClientCommand.cpp:488 ClientCommand.cpp:516 +#: ClientCommand.cpp:503 ClientCommand.cpp:531 msgctxt "listchans" msgid "Clear" msgstr "Limpar" -#: ClientCommand.cpp:489 ClientCommand.cpp:521 +#: ClientCommand.cpp:504 ClientCommand.cpp:536 msgctxt "listchans" msgid "Modes" msgstr "Modos" -#: ClientCommand.cpp:490 ClientCommand.cpp:522 +#: ClientCommand.cpp:505 ClientCommand.cpp:537 msgctxt "listchans" msgid "Users" msgstr "Usuários" -#: ClientCommand.cpp:505 +#: ClientCommand.cpp:520 msgctxt "listchans" msgid "Detached" msgstr "Desanexado" -#: ClientCommand.cpp:506 +#: ClientCommand.cpp:521 msgctxt "listchans" msgid "Joined" msgstr "Entrou" -#: ClientCommand.cpp:507 +#: ClientCommand.cpp:522 msgctxt "listchans" msgid "Disabled" msgstr "Desabilitado" -#: ClientCommand.cpp:508 +#: ClientCommand.cpp:523 msgctxt "listchans" msgid "Trying" msgstr "Tentando" -#: ClientCommand.cpp:511 ClientCommand.cpp:519 +#: ClientCommand.cpp:526 ClientCommand.cpp:534 msgctxt "listchans" msgid "yes" msgstr "sim" -#: ClientCommand.cpp:536 +#: ClientCommand.cpp:551 msgid "Total: {1}, Joined: {2}, Detached: {3}, Disabled: {4}" msgstr "Total: {1}, Ingressados: {2}, Desanexados: {3}, Desativados: {4}" -#: ClientCommand.cpp:541 +#: ClientCommand.cpp:556 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks using /znc DelNetwork " @@ -567,15 +730,15 @@ msgstr "" "limite de redes, ou então exclua redes desnecessárias usando o comando /znc " "DelNetwork " -#: ClientCommand.cpp:550 +#: ClientCommand.cpp:565 msgid "Usage: AddNetwork " msgstr "Sintaxe: AddNetwork " -#: ClientCommand.cpp:554 +#: ClientCommand.cpp:569 msgid "Network name should be alphanumeric" msgstr "O nome da rede deve ser alfanumérico" -#: ClientCommand.cpp:561 +#: ClientCommand.cpp:576 msgid "" "Network added. Use /znc JumpNetwork {1}, or connect to ZNC with username {2} " "(instead of just {3}) to connect to it." @@ -583,140 +746,140 @@ msgstr "" "Rede adicionada. Use /znc JumpNetwork {1}, ou conecte-se ao ZNC com nome de " "usuário {2} (em vez de apenas {3}) para conectar-se a rede." -#: ClientCommand.cpp:566 +#: ClientCommand.cpp:581 msgid "Unable to add that network" msgstr "Não foi possível adicionar esta rede" -#: ClientCommand.cpp:573 +#: ClientCommand.cpp:588 msgid "Usage: DelNetwork " msgstr "Sintaxe: DelNetwork " -#: ClientCommand.cpp:582 +#: ClientCommand.cpp:597 msgid "Network deleted" msgstr "A rede foi excluída" -#: ClientCommand.cpp:585 +#: ClientCommand.cpp:600 msgid "Failed to delete network, perhaps this network doesn't exist" msgstr "Falha ao excluir rede. Talvez esta rede não existe." -#: ClientCommand.cpp:595 +#: ClientCommand.cpp:610 msgid "User {1} not found" msgstr "Usuário {1} não encontrado" -#: ClientCommand.cpp:603 ClientCommand.cpp:611 +#: ClientCommand.cpp:618 ClientCommand.cpp:626 msgctxt "listnetworks" msgid "Network" msgstr "Rede" -#: ClientCommand.cpp:604 ClientCommand.cpp:613 ClientCommand.cpp:622 +#: ClientCommand.cpp:619 ClientCommand.cpp:628 ClientCommand.cpp:637 msgctxt "listnetworks" msgid "On IRC" msgstr "No IRC" -#: ClientCommand.cpp:605 ClientCommand.cpp:615 +#: ClientCommand.cpp:620 ClientCommand.cpp:630 msgctxt "listnetworks" msgid "IRC Server" msgstr "Servidor IRC" -#: ClientCommand.cpp:606 ClientCommand.cpp:617 +#: ClientCommand.cpp:621 ClientCommand.cpp:632 msgctxt "listnetworks" msgid "IRC User" msgstr "Usuário IRC" -#: ClientCommand.cpp:607 ClientCommand.cpp:619 +#: ClientCommand.cpp:622 ClientCommand.cpp:634 msgctxt "listnetworks" msgid "Channels" msgstr "Canais" -#: ClientCommand.cpp:614 +#: ClientCommand.cpp:629 msgctxt "listnetworks" msgid "Yes" msgstr "Sim" -#: ClientCommand.cpp:623 +#: ClientCommand.cpp:638 msgctxt "listnetworks" msgid "No" msgstr "Não" -#: ClientCommand.cpp:628 +#: ClientCommand.cpp:643 msgctxt "listnetworks" msgid "No networks" msgstr "Não há redes disponíveis." -#: ClientCommand.cpp:632 ClientCommand.cpp:936 +#: ClientCommand.cpp:647 ClientCommand.cpp:952 msgid "Access denied." msgstr "Acesso negado." -#: ClientCommand.cpp:643 +#: ClientCommand.cpp:658 msgid "Usage: MoveNetwork [new network]" msgstr "" "Sintaxe: MoveNetwork [nova " "rede]" -#: ClientCommand.cpp:653 +#: ClientCommand.cpp:668 msgid "Old user {1} not found." msgstr "Usuário antigo [{1}] não foi encontrado." -#: ClientCommand.cpp:659 +#: ClientCommand.cpp:674 msgid "Old network {1} not found." msgstr "Rede antiga [{1}] não foi encontrada." -#: ClientCommand.cpp:665 +#: ClientCommand.cpp:680 msgid "New user {1} not found." msgstr "Novo usuário [{1}] não foi encontrado." -#: ClientCommand.cpp:670 +#: ClientCommand.cpp:685 msgid "User {1} already has network {2}." msgstr "O usuário {1} já possui a rede {2}." -#: ClientCommand.cpp:676 +#: ClientCommand.cpp:691 msgid "Invalid network name [{1}]" msgstr "Nome de rede inválido [{1}]" -#: ClientCommand.cpp:692 +#: ClientCommand.cpp:707 msgid "Some files seem to be in {1}. You might want to move them to {2}" msgstr "" "Alguns arquivos parecem estar em {1}. É recomendável que você mova-os para " "{2}" -#: ClientCommand.cpp:706 +#: ClientCommand.cpp:721 msgid "Error adding network: {1}" msgstr "Falha ao adicionar rede: {1}" -#: ClientCommand.cpp:718 +#: ClientCommand.cpp:733 msgid "Success." msgstr "Sucesso." -#: ClientCommand.cpp:721 +#: ClientCommand.cpp:736 msgid "Copied the network to new user, but failed to delete old network" msgstr "" "Rede copiada para o novo usuário, mas não foi possível deletar a rede antiga" -#: ClientCommand.cpp:728 +#: ClientCommand.cpp:743 msgid "No network supplied." msgstr "Nenhuma rede fornecida." -#: ClientCommand.cpp:733 +#: ClientCommand.cpp:748 msgid "You are already connected with this network." msgstr "Você já está conectado com esta rede." -#: ClientCommand.cpp:739 +#: ClientCommand.cpp:754 msgid "Switched to {1}" msgstr "Trocado para {1}" -#: ClientCommand.cpp:742 +#: ClientCommand.cpp:757 msgid "You don't have a network named {1}" msgstr "Você não tem uma rede chamada {1}" -#: ClientCommand.cpp:754 +#: ClientCommand.cpp:769 msgid "Usage: AddServer [[+]port] [pass]" msgstr "Sintaxe: AddServer [[+]porta] [senha]" -#: ClientCommand.cpp:759 +#: ClientCommand.cpp:774 msgid "Server added" msgstr "Servidor adicionado" -#: ClientCommand.cpp:762 +#: ClientCommand.cpp:777 msgid "" "Unable to add that server. Perhaps the server is already added or openssl is " "disabled?" @@ -724,238 +887,234 @@ msgstr "" "Não é possível adicionar esse servidor. Talvez o servidor já tenha sido " "adicionado ou o openssl esteja desativado?" -#: ClientCommand.cpp:777 +#: ClientCommand.cpp:792 msgid "Usage: DelServer [port] [pass]" msgstr "Sintaxe: DelServer [porta] [senha]" -#: ClientCommand.cpp:782 ClientCommand.cpp:822 -msgid "You don't have any servers added." -msgstr "Você não tem servidores adicionados." - -#: ClientCommand.cpp:787 +#: ClientCommand.cpp:802 msgid "Server removed" msgstr "Servidor removido" -#: ClientCommand.cpp:789 +#: ClientCommand.cpp:804 msgid "No such server" msgstr "Servidor não existe" -#: ClientCommand.cpp:802 ClientCommand.cpp:809 +#: ClientCommand.cpp:817 ClientCommand.cpp:825 msgctxt "listservers" msgid "Host" msgstr "Host" -#: ClientCommand.cpp:803 ClientCommand.cpp:811 +#: ClientCommand.cpp:818 ClientCommand.cpp:827 msgctxt "listservers" msgid "Port" msgstr "Porta" -#: ClientCommand.cpp:804 ClientCommand.cpp:814 +#: ClientCommand.cpp:819 ClientCommand.cpp:830 msgctxt "listservers" msgid "SSL" msgstr "SSL" -#: ClientCommand.cpp:805 ClientCommand.cpp:816 +#: ClientCommand.cpp:820 ClientCommand.cpp:832 msgctxt "listservers" msgid "Password" msgstr "Senha" -#: ClientCommand.cpp:815 +#: ClientCommand.cpp:831 msgctxt "listservers|cell" msgid "SSL" msgstr "SSL" -#: ClientCommand.cpp:832 +#: ClientCommand.cpp:848 msgid "Usage: AddTrustedServerFingerprint " msgstr "Sintaxe: AddTrustedServerFingerprint " -#: ClientCommand.cpp:836 ClientCommand.cpp:849 +#: ClientCommand.cpp:852 ClientCommand.cpp:865 msgid "Done." msgstr "Feito." -#: ClientCommand.cpp:845 +#: ClientCommand.cpp:861 msgid "Usage: DelTrustedServerFingerprint " msgstr "Sintaxe: AddTrustedServerFingerprint " -#: ClientCommand.cpp:858 +#: ClientCommand.cpp:874 msgid "No fingerprints added." msgstr "Nenhuma impressão digital adicionada." -#: ClientCommand.cpp:874 ClientCommand.cpp:880 +#: ClientCommand.cpp:890 ClientCommand.cpp:896 msgctxt "topicscmd" msgid "Channel" msgstr "Canal" -#: ClientCommand.cpp:875 ClientCommand.cpp:881 +#: ClientCommand.cpp:891 ClientCommand.cpp:897 msgctxt "topicscmd" msgid "Set By" msgstr "Definido por" -#: ClientCommand.cpp:876 ClientCommand.cpp:882 +#: ClientCommand.cpp:892 ClientCommand.cpp:898 msgctxt "topicscmd" msgid "Topic" msgstr "Tópico" -#: ClientCommand.cpp:889 ClientCommand.cpp:894 +#: ClientCommand.cpp:905 ClientCommand.cpp:910 msgctxt "listmods" msgid "Name" msgstr "Nome" -#: ClientCommand.cpp:890 ClientCommand.cpp:895 +#: ClientCommand.cpp:906 ClientCommand.cpp:911 msgctxt "listmods" msgid "Arguments" msgstr "Parâmetros" -#: ClientCommand.cpp:904 +#: ClientCommand.cpp:920 msgid "No global modules loaded." msgstr "Não há módulos globais carregados." -#: ClientCommand.cpp:906 ClientCommand.cpp:970 +#: ClientCommand.cpp:922 ClientCommand.cpp:986 msgid "Global modules:" msgstr "Módulos globais:" -#: ClientCommand.cpp:915 +#: ClientCommand.cpp:931 msgid "Your user has no modules loaded." msgstr "Seu usuário não possui módulos carregados." -#: ClientCommand.cpp:917 ClientCommand.cpp:982 +#: ClientCommand.cpp:933 ClientCommand.cpp:998 msgid "User modules:" msgstr "Módulos de usuário:" -#: ClientCommand.cpp:925 +#: ClientCommand.cpp:941 msgid "This network has no modules loaded." msgstr "Esta rede não possui módulos carregados." -#: ClientCommand.cpp:927 ClientCommand.cpp:994 +#: ClientCommand.cpp:943 ClientCommand.cpp:1010 msgid "Network modules:" msgstr "Módulos da rede:" -#: ClientCommand.cpp:942 ClientCommand.cpp:949 +#: ClientCommand.cpp:958 ClientCommand.cpp:965 msgctxt "listavailmods" msgid "Name" msgstr "Nome" -#: ClientCommand.cpp:943 ClientCommand.cpp:954 +#: ClientCommand.cpp:959 ClientCommand.cpp:970 msgctxt "listavailmods" msgid "Description" msgstr "Descrição" -#: ClientCommand.cpp:968 +#: ClientCommand.cpp:984 msgid "No global modules available." msgstr "Não há módulos globais disponíveis." -#: ClientCommand.cpp:980 +#: ClientCommand.cpp:996 msgid "No user modules available." msgstr "Não há módulos de usuário disponíveis." -#: ClientCommand.cpp:992 +#: ClientCommand.cpp:1008 msgid "No network modules available." msgstr "Não há módulos de rede disponíveis." -#: ClientCommand.cpp:1020 +#: ClientCommand.cpp:1036 msgid "Unable to load {1}: Access denied." msgstr "Falha ao carregar {1}: acesso negado." -#: ClientCommand.cpp:1026 +#: ClientCommand.cpp:1042 msgid "Usage: LoadMod [--type=global|user|network] [args]" msgstr "Sintaxe: LoadMod [--type=global|user|network] [parâmetros]" -#: ClientCommand.cpp:1033 +#: ClientCommand.cpp:1049 msgid "Unable to load {1}: {2}" msgstr "Não foi possível carregar {1}: {2}" -#: ClientCommand.cpp:1043 +#: ClientCommand.cpp:1059 msgid "Unable to load global module {1}: Access denied." msgstr "Falha ao carregar o módulo global {1}: acesso negado." -#: ClientCommand.cpp:1049 +#: ClientCommand.cpp:1065 msgid "Unable to load network module {1}: Not connected with a network." msgstr "Falha ao carregar o módulo de rede {1}: sem conexão com uma rede." -#: ClientCommand.cpp:1071 +#: ClientCommand.cpp:1087 msgid "Unknown module type" msgstr "Tipo de módulo desconhecido" -#: ClientCommand.cpp:1076 +#: ClientCommand.cpp:1092 msgid "Loaded module {1}" msgstr "Módulo {1} carregado" -#: ClientCommand.cpp:1078 +#: ClientCommand.cpp:1094 msgid "Loaded module {1}: {2}" msgstr "Módulo {1} carregado: {2}" -#: ClientCommand.cpp:1081 +#: ClientCommand.cpp:1097 msgid "Unable to load module {1}: {2}" msgstr "Falha ao carregar o módulo {1}: {2}" -#: ClientCommand.cpp:1104 +#: ClientCommand.cpp:1120 msgid "Unable to unload {1}: Access denied." msgstr "Falha ao descarregar {1}: acesso negado." -#: ClientCommand.cpp:1110 +#: ClientCommand.cpp:1126 msgid "Usage: UnloadMod [--type=global|user|network] " msgstr "Sintaxe: UnloadMod [--type=global|user|network] " -#: ClientCommand.cpp:1119 +#: ClientCommand.cpp:1135 msgid "Unable to determine type of {1}: {2}" msgstr "Falha ao determinar o tipo do módulo {1}: {2}" -#: ClientCommand.cpp:1127 +#: ClientCommand.cpp:1143 msgid "Unable to unload global module {1}: Access denied." msgstr "Falha ao descarregar o módulo global {1}: acesso negado." -#: ClientCommand.cpp:1134 +#: ClientCommand.cpp:1150 msgid "Unable to unload network module {1}: Not connected with a network." msgstr "Falha ao descarregar o módulo de rede {1}: sem conexão com uma rede." -#: ClientCommand.cpp:1153 +#: ClientCommand.cpp:1169 msgid "Unable to unload module {1}: Unknown module type" msgstr "Falha ao descarregar o módulo {1}: tipo de módulo desconhecido" -#: ClientCommand.cpp:1166 +#: ClientCommand.cpp:1182 msgid "Unable to reload modules. Access denied." msgstr "Falha ao recarregar módulos: acesso negado." -#: ClientCommand.cpp:1187 +#: ClientCommand.cpp:1203 msgid "Usage: ReloadMod [--type=global|user|network] [args]" msgstr "Sintaxe: ReloadMod [--type=global|user|network] [parâmetros]" -#: ClientCommand.cpp:1196 +#: ClientCommand.cpp:1212 msgid "Unable to reload {1}: {2}" msgstr "Falha ao recarregar {1}: {2}" -#: ClientCommand.cpp:1204 +#: ClientCommand.cpp:1220 msgid "Unable to reload global module {1}: Access denied." msgstr "Falha ao recarregar o módulo global {1}: acesso negado." -#: ClientCommand.cpp:1211 +#: ClientCommand.cpp:1227 msgid "Unable to reload network module {1}: Not connected with a network." msgstr "Falha ao recarregar o módulo de rede {1}: sem conexão com uma rede." -#: ClientCommand.cpp:1233 +#: ClientCommand.cpp:1249 msgid "Unable to reload module {1}: Unknown module type" msgstr "Falha ao recarregar o módulo {1}: tipo de módulo desconhecido" -#: ClientCommand.cpp:1244 +#: ClientCommand.cpp:1260 msgid "Usage: UpdateMod " msgstr "Sintaxe: UpdateMod " -#: ClientCommand.cpp:1248 +#: ClientCommand.cpp:1264 msgid "Reloading {1} everywhere" msgstr "Recarregando {1}" -#: ClientCommand.cpp:1250 +#: ClientCommand.cpp:1266 msgid "Done" msgstr "Feito" -#: ClientCommand.cpp:1253 +#: ClientCommand.cpp:1269 msgid "" "Done, but there were errors, module {1} could not be reloaded everywhere." msgstr "" "Concluído, porém com erros, o módulo {1} não pode ser recarregado em lugar " "nenhum." -#: ClientCommand.cpp:1261 +#: ClientCommand.cpp:1277 msgid "" "You must be connected with a network to use this command. Try " "SetUserBindHost instead" @@ -963,27 +1122,27 @@ msgstr "" "Você precisa estar conectado a uma rede para usar este comando. Tente " "SetUserBindHost" -#: ClientCommand.cpp:1268 +#: ClientCommand.cpp:1284 msgid "Usage: SetBindHost " msgstr "Sintaxe: SetBindHost " -#: ClientCommand.cpp:1273 ClientCommand.cpp:1290 +#: ClientCommand.cpp:1289 ClientCommand.cpp:1306 msgid "You already have this bind host!" msgstr "Você já está vinculado a este host!" -#: ClientCommand.cpp:1278 +#: ClientCommand.cpp:1294 msgid "Set bind host for network {1} to {2}" msgstr "Vincular o host {2} à rede {1}" -#: ClientCommand.cpp:1285 +#: ClientCommand.cpp:1301 msgid "Usage: SetUserBindHost " msgstr "Sintaxe: SetUserBindHost " -#: ClientCommand.cpp:1295 +#: ClientCommand.cpp:1311 msgid "Set default bind host to {1}" msgstr "Define o host padrão como {1}" -#: ClientCommand.cpp:1301 +#: ClientCommand.cpp:1317 msgid "" "You must be connected with a network to use this command. Try " "ClearUserBindHost instead" @@ -991,258 +1150,258 @@ msgstr "" "Você precisa estar conectado a uma rede para usar este comando. Tente " "SetUserBindHost" -#: ClientCommand.cpp:1306 +#: ClientCommand.cpp:1322 msgid "Bind host cleared for this network." msgstr "Host removido para esta rede." -#: ClientCommand.cpp:1310 +#: ClientCommand.cpp:1326 msgid "Default bind host cleared for your user." msgstr "Host padrão removido para seu usuário." -#: ClientCommand.cpp:1313 +#: ClientCommand.cpp:1329 msgid "This user's default bind host not set" msgstr "O host padrão deste usuário não está definido" -#: ClientCommand.cpp:1315 +#: ClientCommand.cpp:1331 msgid "This user's default bind host is {1}" msgstr "O host padrão vinculado a este usuário é {1}" -#: ClientCommand.cpp:1320 +#: ClientCommand.cpp:1336 msgid "This network's bind host not set" msgstr "Esta rede não possui hosts vinculados" -#: ClientCommand.cpp:1322 +#: ClientCommand.cpp:1338 msgid "This network's default bind host is {1}" msgstr "O host padrão vinculado a esta rede é {1}" -#: ClientCommand.cpp:1336 +#: ClientCommand.cpp:1352 msgid "Usage: PlayBuffer <#chan|query>" msgstr "Uso: PlayBuffer <#canal|query>" -#: ClientCommand.cpp:1344 +#: ClientCommand.cpp:1360 msgid "You are not on {1}" msgstr "Você não está em {1}" -#: ClientCommand.cpp:1349 +#: ClientCommand.cpp:1365 msgid "You are not on {1} (trying to join)" msgstr "Você não está em {1} (tentando entrar)" -#: ClientCommand.cpp:1354 +#: ClientCommand.cpp:1370 msgid "The buffer for channel {1} is empty" msgstr "O buffer para o canal {1} está vazio" -#: ClientCommand.cpp:1363 +#: ClientCommand.cpp:1379 msgid "No active query with {1}" msgstr "Nenhum query ativo com {1}" -#: ClientCommand.cpp:1368 +#: ClientCommand.cpp:1384 msgid "The buffer for {1} is empty" msgstr "O buffer para {1} está vazio" -#: ClientCommand.cpp:1384 +#: ClientCommand.cpp:1400 msgid "Usage: ClearBuffer <#chan|query>" msgstr "Uso: ClearBuffer <#canal|query>" -#: ClientCommand.cpp:1403 +#: ClientCommand.cpp:1419 msgid "{1} buffer matching {2} has been cleared" msgid_plural "{1} buffers matching {2} have been cleared" msgstr[0] "{1} buffer correspondente a {2} foi limpo" msgstr[1] "{1} buffers correspondentes a {2} foram limpos" -#: ClientCommand.cpp:1416 +#: ClientCommand.cpp:1432 msgid "All channel buffers have been cleared" msgstr "Todos os buffers de canais foram limpos" -#: ClientCommand.cpp:1425 +#: ClientCommand.cpp:1441 msgid "All query buffers have been cleared" msgstr "Todos os buffers de queries foram limpos" -#: ClientCommand.cpp:1437 +#: ClientCommand.cpp:1453 msgid "All buffers have been cleared" msgstr "Todos os buffers foram limpos" -#: ClientCommand.cpp:1448 +#: ClientCommand.cpp:1464 msgid "Usage: SetBuffer <#chan|query> [linecount]" msgstr "Uso: SetBuffer <#canal|query> [linecount]" -#: ClientCommand.cpp:1469 +#: ClientCommand.cpp:1485 msgid "Setting buffer size failed for {1} buffer" msgid_plural "Setting buffer size failed for {1} buffers" msgstr[0] "A configuração do tamanho de buffer para {1} buffer falhou" msgstr[1] "A configuração do tamanho de buffer para {1} buffers falharam" -#: ClientCommand.cpp:1472 +#: ClientCommand.cpp:1488 msgid "Maximum buffer size is {1} line" msgid_plural "Maximum buffer size is {1} lines" msgstr[0] "Tamanho mínimo de buffer é de {1} linha" msgstr[1] "Tamanho mínimo de buffer é de {1} linhas" -#: ClientCommand.cpp:1477 +#: ClientCommand.cpp:1493 msgid "Size of every buffer was set to {1} line" msgid_plural "Size of every buffer was set to {1} lines" msgstr[0] "O tamanho de cada buffer foi configurado para {1} linha" msgstr[1] "O tamanho de cada buffer foi configurado para {1} linhas" -#: ClientCommand.cpp:1487 ClientCommand.cpp:1494 ClientCommand.cpp:1505 -#: ClientCommand.cpp:1514 ClientCommand.cpp:1522 +#: ClientCommand.cpp:1503 ClientCommand.cpp:1510 ClientCommand.cpp:1521 +#: ClientCommand.cpp:1530 ClientCommand.cpp:1538 msgctxt "trafficcmd" msgid "Username" msgstr "Nome de usuário" -#: ClientCommand.cpp:1488 ClientCommand.cpp:1495 ClientCommand.cpp:1507 -#: ClientCommand.cpp:1516 ClientCommand.cpp:1524 +#: ClientCommand.cpp:1504 ClientCommand.cpp:1511 ClientCommand.cpp:1523 +#: ClientCommand.cpp:1532 ClientCommand.cpp:1540 msgctxt "trafficcmd" msgid "In" msgstr "Entrada" -#: ClientCommand.cpp:1489 ClientCommand.cpp:1497 ClientCommand.cpp:1508 -#: ClientCommand.cpp:1517 ClientCommand.cpp:1525 +#: ClientCommand.cpp:1505 ClientCommand.cpp:1513 ClientCommand.cpp:1524 +#: ClientCommand.cpp:1533 ClientCommand.cpp:1541 msgctxt "trafficcmd" msgid "Out" msgstr "Saída" -#: ClientCommand.cpp:1490 ClientCommand.cpp:1500 ClientCommand.cpp:1510 -#: ClientCommand.cpp:1518 ClientCommand.cpp:1527 +#: ClientCommand.cpp:1506 ClientCommand.cpp:1516 ClientCommand.cpp:1526 +#: ClientCommand.cpp:1534 ClientCommand.cpp:1543 msgctxt "trafficcmd" msgid "Total" msgstr "Total" -#: ClientCommand.cpp:1506 +#: ClientCommand.cpp:1522 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1515 +#: ClientCommand.cpp:1531 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1523 +#: ClientCommand.cpp:1539 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1532 +#: ClientCommand.cpp:1548 msgid "Running for {1}" msgstr "Rodando por {1}" -#: ClientCommand.cpp:1538 +#: ClientCommand.cpp:1554 msgid "Unknown command, try 'Help'" msgstr "Comando desconhecido, tente 'Help'" -#: ClientCommand.cpp:1547 ClientCommand.cpp:1558 +#: ClientCommand.cpp:1563 ClientCommand.cpp:1574 msgctxt "listports" msgid "Port" msgstr "Porta" -#: ClientCommand.cpp:1548 ClientCommand.cpp:1559 +#: ClientCommand.cpp:1564 ClientCommand.cpp:1577 msgctxt "listports" msgid "BindHost" msgstr "Host vinculado" -#: ClientCommand.cpp:1549 ClientCommand.cpp:1562 +#: ClientCommand.cpp:1565 ClientCommand.cpp:1580 msgctxt "listports" msgid "SSL" msgstr "SSL" -#: ClientCommand.cpp:1550 ClientCommand.cpp:1567 +#: ClientCommand.cpp:1566 ClientCommand.cpp:1585 msgctxt "listports" msgid "Protocol" msgstr "Protocolo" -#: ClientCommand.cpp:1551 ClientCommand.cpp:1574 +#: ClientCommand.cpp:1567 ClientCommand.cpp:1592 msgctxt "listports" msgid "IRC" msgstr "IRC" -#: ClientCommand.cpp:1552 ClientCommand.cpp:1579 +#: ClientCommand.cpp:1568 ClientCommand.cpp:1597 msgctxt "listports" msgid "Web" msgstr "Web" -#: ClientCommand.cpp:1563 +#: ClientCommand.cpp:1581 msgctxt "listports|ssl" msgid "yes" msgstr "sim" -#: ClientCommand.cpp:1564 +#: ClientCommand.cpp:1582 msgctxt "listports|ssl" msgid "no" msgstr "não" -#: ClientCommand.cpp:1568 +#: ClientCommand.cpp:1586 msgctxt "listports" msgid "IPv4 and IPv6" msgstr "IPv4 e IPv6" -#: ClientCommand.cpp:1570 +#: ClientCommand.cpp:1588 msgctxt "listports" msgid "IPv4" msgstr "IPv4" -#: ClientCommand.cpp:1571 +#: ClientCommand.cpp:1589 msgctxt "listports" msgid "IPv6" msgstr "IPv6" -#: ClientCommand.cpp:1577 +#: ClientCommand.cpp:1595 msgctxt "listports|irc" msgid "yes" msgstr "sim" -#: ClientCommand.cpp:1578 +#: ClientCommand.cpp:1596 msgctxt "listports|irc" msgid "no" msgstr "não" -#: ClientCommand.cpp:1582 +#: ClientCommand.cpp:1600 msgctxt "listports|irc" msgid "yes, on {1}" msgstr "sim, em {1}" -#: ClientCommand.cpp:1584 +#: ClientCommand.cpp:1602 msgctxt "listports|web" msgid "no" msgstr "não" -#: ClientCommand.cpp:1624 +#: ClientCommand.cpp:1642 msgid "" "Usage: AddPort <[+]port> [bindhost [uriprefix]]" msgstr "" "Sintaxe: AddPort <[+]porta> [host vinculado " "[prefixo de URI]]" -#: ClientCommand.cpp:1640 +#: ClientCommand.cpp:1658 msgid "Port added" msgstr "Porta adicionada" -#: ClientCommand.cpp:1642 +#: ClientCommand.cpp:1660 msgid "Couldn't add port" msgstr "Não foi possível adicionar esta porta" -#: ClientCommand.cpp:1648 +#: ClientCommand.cpp:1666 msgid "Usage: DelPort [bindhost]" msgstr "Sintaxe: DelPort [host vinculado]" -#: ClientCommand.cpp:1657 +#: ClientCommand.cpp:1675 msgid "Deleted Port" msgstr "Porta deletada" -#: ClientCommand.cpp:1659 +#: ClientCommand.cpp:1677 msgid "Unable to find a matching port" msgstr "Não foi possível encontrar uma porta correspondente" -#: ClientCommand.cpp:1667 ClientCommand.cpp:1682 +#: ClientCommand.cpp:1685 ClientCommand.cpp:1700 msgctxt "helpcmd" msgid "Command" msgstr "Comando" -#: ClientCommand.cpp:1668 ClientCommand.cpp:1684 +#: ClientCommand.cpp:1686 ClientCommand.cpp:1702 msgctxt "helpcmd" msgid "Description" msgstr "Descrição" -#: ClientCommand.cpp:1673 +#: ClientCommand.cpp:1691 msgid "" "In the following list all occurrences of <#chan> support wildcards (* and ?) " "except ListNicks" @@ -1250,87 +1409,87 @@ msgstr "" "Na lista a seguir, todas as ocorrências de <#chan> suportam wildcards (* " "e ?), exceto ListNicks" -#: ClientCommand.cpp:1690 +#: ClientCommand.cpp:1708 msgctxt "helpcmd|Version|desc" msgid "Print which version of ZNC this is" msgstr "Imprime qual é esta versão do ZNC" -#: ClientCommand.cpp:1693 +#: ClientCommand.cpp:1711 msgctxt "helpcmd|ListMods|desc" msgid "List all loaded modules" msgstr "Lista todos os módulos carregados" -#: ClientCommand.cpp:1696 +#: ClientCommand.cpp:1714 msgctxt "helpcmd|ListAvailMods|desc" msgid "List all available modules" msgstr "Lista todos os módulos disponíveis" -#: ClientCommand.cpp:1700 ClientCommand.cpp:1886 +#: ClientCommand.cpp:1718 ClientCommand.cpp:1904 msgctxt "helpcmd|ListChans|desc" msgid "List all channels" msgstr "Listar todos os canais" -#: ClientCommand.cpp:1703 +#: ClientCommand.cpp:1721 msgctxt "helpcmd|ListNicks|args" msgid "<#chan>" msgstr "<#canal>" -#: ClientCommand.cpp:1704 +#: ClientCommand.cpp:1722 msgctxt "helpcmd|ListNicks|desc" msgid "List all nicks on a channel" msgstr "Listar todos os apelidos em um canal" -#: ClientCommand.cpp:1707 +#: ClientCommand.cpp:1725 msgctxt "helpcmd|ListClients|desc" msgid "List all clients connected to your ZNC user" msgstr "Listar todos os clientes conectados ao seu usuário do ZNC" -#: ClientCommand.cpp:1711 +#: ClientCommand.cpp:1729 msgctxt "helpcmd|ListServers|desc" msgid "List all servers of current IRC network" msgstr "Listar todos os servidores da rede atual" -#: ClientCommand.cpp:1715 +#: ClientCommand.cpp:1733 msgctxt "helpcmd|AddNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1716 +#: ClientCommand.cpp:1734 msgctxt "helpcmd|AddNetwork|desc" msgid "Add a network to your user" msgstr "Adiciona uma rede ao seu usuário" -#: ClientCommand.cpp:1718 +#: ClientCommand.cpp:1736 msgctxt "helpcmd|DelNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1719 +#: ClientCommand.cpp:1737 msgctxt "helpcmd|DelNetwork|desc" msgid "Delete a network from your user" msgstr "Exclui uma rede do seu usuário" -#: ClientCommand.cpp:1721 +#: ClientCommand.cpp:1739 msgctxt "helpcmd|ListNetworks|desc" msgid "List all networks" msgstr "Listar todas as redes" -#: ClientCommand.cpp:1724 +#: ClientCommand.cpp:1742 msgctxt "helpcmd|MoveNetwork|args" msgid " [new network]" msgstr " [rede nova]" -#: ClientCommand.cpp:1726 +#: ClientCommand.cpp:1744 msgctxt "helpcmd|MoveNetwork|desc" msgid "Move an IRC network from one user to another" msgstr "Move uma rede de um usuário para outro" -#: ClientCommand.cpp:1730 +#: ClientCommand.cpp:1748 msgctxt "helpcmd|JumpNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1731 +#: ClientCommand.cpp:1749 msgctxt "helpcmd|JumpNetwork|desc" msgid "" "Jump to another network (Alternatively, you can connect to ZNC several " @@ -1339,35 +1498,35 @@ msgstr "" "Troca para outra rede (você pode também conectar ao ZNC várias vezes " "utilizando `usuário/rede` como nome de usuário)" -#: ClientCommand.cpp:1736 +#: ClientCommand.cpp:1754 msgctxt "helpcmd|AddServer|args" msgid " [[+]port] [pass]" msgstr " [[+]porta] [senha]" -#: ClientCommand.cpp:1737 +#: ClientCommand.cpp:1755 msgctxt "helpcmd|AddServer|desc" msgid "" "Add a server to the list of alternate/backup servers of current IRC network." msgstr "Adiciona um servidor à lista de servidores alternativos da rede atual." -#: ClientCommand.cpp:1741 +#: ClientCommand.cpp:1759 msgctxt "helpcmd|DelServer|args" msgid " [port] [pass]" msgstr " [porta] [senha]" -#: ClientCommand.cpp:1742 +#: ClientCommand.cpp:1760 msgctxt "helpcmd|DelServer|desc" msgid "" "Remove a server from the list of alternate/backup servers of current IRC " "network" msgstr "Remove um servidor da lista de servidores alternativos da rede atual." -#: ClientCommand.cpp:1748 +#: ClientCommand.cpp:1766 msgctxt "helpcmd|AddTrustedServerFingerprint|args" msgid "" msgstr "" -#: ClientCommand.cpp:1749 +#: ClientCommand.cpp:1767 msgctxt "helpcmd|AddTrustedServerFingerprint|desc" msgid "" "Add a trusted server SSL certificate fingerprint (SHA-256) to current IRC " @@ -1376,337 +1535,337 @@ msgstr "" "Adiciona a impressão digital (SHA-256) do certificado SSL confiável de um " "servidor à rede atual." -#: ClientCommand.cpp:1754 +#: ClientCommand.cpp:1772 msgctxt "helpcmd|DelTrustedServerFingerprint|args" msgid "" msgstr "" -#: ClientCommand.cpp:1755 +#: ClientCommand.cpp:1773 msgctxt "helpcmd|DelTrustedServerFingerprint|desc" msgid "Delete a trusted server SSL certificate from current IRC network." msgstr "Exclui um certificado SSL confiável da rede atual." -#: ClientCommand.cpp:1759 +#: ClientCommand.cpp:1777 msgctxt "helpcmd|ListTrustedServerFingerprints|desc" msgid "List all trusted server SSL certificates of current IRC network." msgstr "Lista todos os certificados SSL confiáveis da rede atual." -#: ClientCommand.cpp:1762 +#: ClientCommand.cpp:1780 msgctxt "helpcmd|EnableChan|args" msgid "<#chans>" msgstr "<#canais>" -#: ClientCommand.cpp:1763 +#: ClientCommand.cpp:1781 msgctxt "helpcmd|EnableChan|desc" msgid "Enable channels" msgstr "Habilitar canais" -#: ClientCommand.cpp:1764 +#: ClientCommand.cpp:1782 msgctxt "helpcmd|DisableChan|args" msgid "<#chans>" msgstr "<#canais>" -#: ClientCommand.cpp:1765 +#: ClientCommand.cpp:1783 msgctxt "helpcmd|DisableChan|desc" msgid "Disable channels" msgstr "Desativar canais" -#: ClientCommand.cpp:1766 +#: ClientCommand.cpp:1784 msgctxt "helpcmd|Attach|args" msgid "<#chans>" msgstr "<#canais>" -#: ClientCommand.cpp:1767 +#: ClientCommand.cpp:1785 msgctxt "helpcmd|Attach|desc" msgid "Attach to channels" msgstr "Anexar aos canais" -#: ClientCommand.cpp:1768 +#: ClientCommand.cpp:1786 msgctxt "helpcmd|Detach|args" msgid "<#chans>" msgstr "<#canais>" -#: ClientCommand.cpp:1769 +#: ClientCommand.cpp:1787 msgctxt "helpcmd|Detach|desc" msgid "Detach from channels" msgstr "Desconectar dos canais" -#: ClientCommand.cpp:1772 +#: ClientCommand.cpp:1790 msgctxt "helpcmd|Topics|desc" msgid "Show topics in all your channels" msgstr "Mostra tópicos em todos os seus canais" -#: ClientCommand.cpp:1775 +#: ClientCommand.cpp:1793 msgctxt "helpcmd|PlayBuffer|args" msgid "<#chan|query>" msgstr "" -#: ClientCommand.cpp:1776 +#: ClientCommand.cpp:1794 msgctxt "helpcmd|PlayBuffer|desc" msgid "Play back the specified buffer" msgstr "" -#: ClientCommand.cpp:1778 +#: ClientCommand.cpp:1796 msgctxt "helpcmd|ClearBuffer|args" msgid "<#chan|query>" msgstr "" -#: ClientCommand.cpp:1779 +#: ClientCommand.cpp:1797 msgctxt "helpcmd|ClearBuffer|desc" msgid "Clear the specified buffer" msgstr "" -#: ClientCommand.cpp:1781 +#: ClientCommand.cpp:1799 msgctxt "helpcmd|ClearAllBuffers|desc" msgid "Clear all channel and query buffers" msgstr "" -#: ClientCommand.cpp:1784 +#: ClientCommand.cpp:1802 msgctxt "helpcmd|ClearAllChannelBuffers|desc" msgid "Clear the channel buffers" msgstr "" -#: ClientCommand.cpp:1788 +#: ClientCommand.cpp:1806 msgctxt "helpcmd|ClearAllQueryBuffers|desc" msgid "Clear the query buffers" msgstr "" -#: ClientCommand.cpp:1790 +#: ClientCommand.cpp:1808 msgctxt "helpcmd|SetBuffer|args" msgid "<#chan|query> [linecount]" msgstr "" -#: ClientCommand.cpp:1791 +#: ClientCommand.cpp:1809 msgctxt "helpcmd|SetBuffer|desc" msgid "Set the buffer count" msgstr "Define a contagem do buffer" -#: ClientCommand.cpp:1795 +#: ClientCommand.cpp:1813 msgctxt "helpcmd|SetBindHost|args" msgid "" msgstr "" -#: ClientCommand.cpp:1796 +#: ClientCommand.cpp:1814 msgctxt "helpcmd|SetBindHost|desc" msgid "Set the bind host for this network" msgstr "Vincula o host especificado a esta rede" -#: ClientCommand.cpp:1800 +#: ClientCommand.cpp:1818 msgctxt "helpcmd|SetUserBindHost|args" msgid "" msgstr "" -#: ClientCommand.cpp:1801 +#: ClientCommand.cpp:1819 msgctxt "helpcmd|SetUserBindHost|desc" msgid "Set the default bind host for this user" msgstr "Vincula o host especificado a este usuário" -#: ClientCommand.cpp:1804 +#: ClientCommand.cpp:1822 msgctxt "helpcmd|ClearBindHost|desc" msgid "Clear the bind host for this network" msgstr "Limpa o host para esta rede" -#: ClientCommand.cpp:1807 +#: ClientCommand.cpp:1825 msgctxt "helpcmd|ClearUserBindHost|desc" msgid "Clear the default bind host for this user" msgstr "Limpa o host padrão para este usuário" -#: ClientCommand.cpp:1813 +#: ClientCommand.cpp:1831 msgctxt "helpcmd|ShowBindHost|desc" msgid "Show currently selected bind host" msgstr "Mostra host atualmente selecionado" -#: ClientCommand.cpp:1815 +#: ClientCommand.cpp:1833 msgctxt "helpcmd|Jump|args" msgid "[server]" msgstr "[servidor]" -#: ClientCommand.cpp:1816 +#: ClientCommand.cpp:1834 msgctxt "helpcmd|Jump|desc" msgid "Jump to the next or the specified server" msgstr "Pule para o próximo servidor ou para o servidor especificado" -#: ClientCommand.cpp:1817 +#: ClientCommand.cpp:1835 msgctxt "helpcmd|Disconnect|args" msgid "[message]" msgstr "[mensagem]" -#: ClientCommand.cpp:1818 +#: ClientCommand.cpp:1836 msgctxt "helpcmd|Disconnect|desc" msgid "Disconnect from IRC" msgstr "Desconecta do IRC" -#: ClientCommand.cpp:1820 +#: ClientCommand.cpp:1838 msgctxt "helpcmd|Connect|desc" msgid "Reconnect to IRC" msgstr "Reconecta ao IRC" -#: ClientCommand.cpp:1823 +#: ClientCommand.cpp:1841 msgctxt "helpcmd|Uptime|desc" msgid "Show for how long ZNC has been running" msgstr "Mostra por quanto tempo o ZNC está rodando" -#: ClientCommand.cpp:1827 +#: ClientCommand.cpp:1845 msgctxt "helpcmd|LoadMod|args" msgid "[--type=global|user|network] [args]" msgstr "" -#: ClientCommand.cpp:1829 +#: ClientCommand.cpp:1847 msgctxt "helpcmd|LoadMod|desc" msgid "Load a module" msgstr "Carrega um módulo" -#: ClientCommand.cpp:1831 +#: ClientCommand.cpp:1849 msgctxt "helpcmd|UnloadMod|args" msgid "[--type=global|user|network] " msgstr "[--type=global|user|network] " -#: ClientCommand.cpp:1833 +#: ClientCommand.cpp:1851 msgctxt "helpcmd|UnloadMod|desc" msgid "Unload a module" msgstr "Descarrega um módulo" -#: ClientCommand.cpp:1835 +#: ClientCommand.cpp:1853 msgctxt "helpcmd|ReloadMod|args" msgid "[--type=global|user|network] [args]" msgstr "" -#: ClientCommand.cpp:1837 +#: ClientCommand.cpp:1855 msgctxt "helpcmd|ReloadMod|desc" msgid "Reload a module" msgstr "Recarrega um módulo" -#: ClientCommand.cpp:1840 +#: ClientCommand.cpp:1858 msgctxt "helpcmd|UpdateMod|args" msgid "" msgstr "" -#: ClientCommand.cpp:1841 +#: ClientCommand.cpp:1859 msgctxt "helpcmd|UpdateMod|desc" msgid "Reload a module everywhere" msgstr "Recarrega um módulo em todos os lugares" -#: ClientCommand.cpp:1847 +#: ClientCommand.cpp:1865 msgctxt "helpcmd|ShowMOTD|desc" msgid "Show ZNC's message of the day" msgstr "Mostra a mensagem do dia do ZNC" -#: ClientCommand.cpp:1851 +#: ClientCommand.cpp:1869 msgctxt "helpcmd|SetMOTD|args" msgid "" msgstr "" -#: ClientCommand.cpp:1852 +#: ClientCommand.cpp:1870 msgctxt "helpcmd|SetMOTD|desc" msgid "Set ZNC's message of the day" msgstr "Configura a mensagem do dia do ZNC" -#: ClientCommand.cpp:1854 +#: ClientCommand.cpp:1872 msgctxt "helpcmd|AddMOTD|args" msgid "" msgstr "" -#: ClientCommand.cpp:1855 +#: ClientCommand.cpp:1873 msgctxt "helpcmd|AddMOTD|desc" msgid "Append to ZNC's MOTD" msgstr "Anexa ao MOTD do ZNC" -#: ClientCommand.cpp:1857 +#: ClientCommand.cpp:1875 msgctxt "helpcmd|ClearMOTD|desc" msgid "Clear ZNC's MOTD" msgstr "Limpa o MOTD do ZNC" -#: ClientCommand.cpp:1860 +#: ClientCommand.cpp:1878 msgctxt "helpcmd|ListPorts|desc" msgid "Show all active listeners" msgstr "Mostra todos os listeners ativos" -#: ClientCommand.cpp:1862 +#: ClientCommand.cpp:1880 msgctxt "helpcmd|AddPort|args" msgid "<[+]port> [bindhost [uriprefix]]" msgstr "<[+]porta> [bindhost [uriprefix]]" -#: ClientCommand.cpp:1865 +#: ClientCommand.cpp:1883 msgctxt "helpcmd|AddPort|desc" msgid "Add another port for ZNC to listen on" msgstr "Adiciona outra porta ao ZNC" -#: ClientCommand.cpp:1869 +#: ClientCommand.cpp:1887 msgctxt "helpcmd|DelPort|args" msgid " [bindhost]" msgstr " [bindhost]" -#: ClientCommand.cpp:1870 +#: ClientCommand.cpp:1888 msgctxt "helpcmd|DelPort|desc" msgid "Remove a port from ZNC" msgstr "Remove uma porta do ZNC" -#: ClientCommand.cpp:1873 +#: ClientCommand.cpp:1891 msgctxt "helpcmd|Rehash|desc" msgid "Reload global settings, modules, and listeners from znc.conf" msgstr "Recarrega configurações globais, módulos e listeners do znc.conf" -#: ClientCommand.cpp:1876 +#: ClientCommand.cpp:1894 msgctxt "helpcmd|SaveConfig|desc" msgid "Save the current settings to disk" msgstr "Grava as configurações atuais no disco" -#: ClientCommand.cpp:1879 +#: ClientCommand.cpp:1897 msgctxt "helpcmd|ListUsers|desc" msgid "List all ZNC users and their connection status" msgstr "Lista todos os usuários do ZNC e seus estados de conexão" -#: ClientCommand.cpp:1882 +#: ClientCommand.cpp:1900 msgctxt "helpcmd|ListAllUserNetworks|desc" msgid "List all ZNC users and their networks" msgstr "Lista todos os usuários ZNC e suas redes" -#: ClientCommand.cpp:1885 +#: ClientCommand.cpp:1903 msgctxt "helpcmd|ListChans|args" msgid "[user ]" msgstr "[usuário ]" -#: ClientCommand.cpp:1888 +#: ClientCommand.cpp:1906 msgctxt "helpcmd|ListClients|args" msgid "[user]" msgstr "[user]" -#: ClientCommand.cpp:1889 +#: ClientCommand.cpp:1907 msgctxt "helpcmd|ListClients|desc" msgid "List all connected clients" msgstr "Lista todos os clientes conectados" -#: ClientCommand.cpp:1891 +#: ClientCommand.cpp:1909 msgctxt "helpcmd|Traffic|desc" msgid "Show basic traffic stats for all ZNC users" msgstr "Mostra estatísticas básicas de trafego de todos os usuários do ZNC" -#: ClientCommand.cpp:1893 +#: ClientCommand.cpp:1911 msgctxt "helpcmd|Broadcast|args" msgid "[message]" msgstr "[message]" -#: ClientCommand.cpp:1894 +#: ClientCommand.cpp:1912 msgctxt "helpcmd|Broadcast|desc" msgid "Broadcast a message to all ZNC users" msgstr "Transmite uma mensagem para todos os usuários do ZNC" -#: ClientCommand.cpp:1897 +#: ClientCommand.cpp:1915 msgctxt "helpcmd|Shutdown|args" msgid "[message]" msgstr "[message]" -#: ClientCommand.cpp:1898 +#: ClientCommand.cpp:1916 msgctxt "helpcmd|Shutdown|desc" msgid "Shut down ZNC completely" msgstr "Desliga o ZNC completamente" -#: ClientCommand.cpp:1899 +#: ClientCommand.cpp:1917 msgctxt "helpcmd|Restart|args" msgid "[message]" msgstr "[message]" -#: ClientCommand.cpp:1900 +#: ClientCommand.cpp:1918 msgctxt "helpcmd|Restart|desc" msgid "Restart ZNC" msgstr "Reinicia o ZNC" diff --git a/src/po/znc.ru_RU.po b/src/po/znc.ru_RU.po index 971df773..d66c087f 100644 --- a/src/po/znc.ru_RU.po +++ b/src/po/znc.ru_RU.po @@ -77,7 +77,7 @@ msgstr "Не могу найти файл pem: {1}" msgid "Invalid port" msgstr "Некорректный порт" -#: znc.cpp:1821 ClientCommand.cpp:1637 +#: znc.cpp:1821 ClientCommand.cpp:1655 msgid "Unable to bind: {1}" msgstr "Не получилось слушать: {1}" @@ -259,6 +259,7 @@ msgid "Usage: /attach <#chans>" msgstr "Использование: /attach <#каналы>" #: Client.cpp:1344 Client.cpp:1366 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: ClientCommand.cpp:423 ClientCommand.cpp:450 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" msgstr[0] "{1} канал подходит под маску [{2}]" @@ -304,7 +305,7 @@ msgctxt "modhelpcmd" msgid "Generate this output" msgstr "Показать этот вывод" -#: Modules.cpp:573 ClientCommand.cpp:1904 +#: Modules.cpp:573 ClientCommand.cpp:1922 msgid "No matches for '{1}'" msgstr "Не нашёл «{1}»" @@ -414,11 +415,12 @@ msgid "Description" msgstr "Описание" #: ClientCommand.cpp:51 ClientCommand.cpp:115 ClientCommand.cpp:137 -#: ClientCommand.cpp:749 ClientCommand.cpp:768 ClientCommand.cpp:794 -#: ClientCommand.cpp:827 ClientCommand.cpp:840 ClientCommand.cpp:853 -#: ClientCommand.cpp:868 ClientCommand.cpp:1329 ClientCommand.cpp:1377 -#: ClientCommand.cpp:1409 ClientCommand.cpp:1420 ClientCommand.cpp:1429 -#: ClientCommand.cpp:1441 +#: ClientCommand.cpp:339 ClientCommand.cpp:390 ClientCommand.cpp:405 +#: ClientCommand.cpp:432 ClientCommand.cpp:459 ClientCommand.cpp:764 +#: ClientCommand.cpp:783 ClientCommand.cpp:809 ClientCommand.cpp:843 +#: ClientCommand.cpp:856 ClientCommand.cpp:869 ClientCommand.cpp:884 +#: ClientCommand.cpp:1345 ClientCommand.cpp:1393 ClientCommand.cpp:1425 +#: ClientCommand.cpp:1436 ClientCommand.cpp:1445 ClientCommand.cpp:1457 msgid "You must be connected with a network to use this command" msgstr "Чтобы использовать это команду, подключитесь к сети" @@ -478,87 +480,252 @@ msgstr "Конфигурация записана в {1}" msgid "Error while trying to write config." msgstr "При записи конфигурации произошла ошибка." -#: ClientCommand.cpp:455 +#: ClientCommand.cpp:183 +msgid "Usage: ListClients" +msgstr "" + +#: ClientCommand.cpp:190 +msgid "No such user: {1}" +msgstr "" + +#: ClientCommand.cpp:198 +msgid "No clients are connected" +msgstr "" + +#: ClientCommand.cpp:203 ClientCommand.cpp:209 +msgctxt "listclientscmd" +msgid "Host" +msgstr "" + +#: ClientCommand.cpp:204 ClientCommand.cpp:212 +msgctxt "listclientscmd" +msgid "Network" +msgstr "" + +#: ClientCommand.cpp:205 ClientCommand.cpp:215 +msgctxt "listclientscmd" +msgid "Identifier" +msgstr "" + +#: ClientCommand.cpp:223 ClientCommand.cpp:229 +msgctxt "listuserscmd" +msgid "Username" +msgstr "" + +#: ClientCommand.cpp:224 ClientCommand.cpp:230 +msgctxt "listuserscmd" +msgid "Networks" +msgstr "" + +#: ClientCommand.cpp:225 ClientCommand.cpp:232 +msgctxt "listuserscmd" +msgid "Clients" +msgstr "" + +#: ClientCommand.cpp:240 ClientCommand.cpp:250 ClientCommand.cpp:260 +#: ClientCommand.cpp:263 +msgctxt "listallusernetworkscmd" +msgid "Username" +msgstr "" + +#: ClientCommand.cpp:241 ClientCommand.cpp:251 ClientCommand.cpp:266 +msgctxt "listallusernetworkscmd" +msgid "Network" +msgstr "" + +#: ClientCommand.cpp:242 ClientCommand.cpp:252 ClientCommand.cpp:268 +msgctxt "listallusernetworkscmd" +msgid "Clients" +msgstr "" + +#: ClientCommand.cpp:243 ClientCommand.cpp:271 ClientCommand.cpp:280 +msgctxt "listallusernetworkscmd" +msgid "On IRC" +msgstr "" + +#: ClientCommand.cpp:244 ClientCommand.cpp:273 +msgctxt "listallusernetworkscmd" +msgid "IRC Server" +msgstr "" + +#: ClientCommand.cpp:245 ClientCommand.cpp:275 +msgctxt "listallusernetworkscmd" +msgid "IRC User" +msgstr "" + +#: ClientCommand.cpp:246 ClientCommand.cpp:277 +msgctxt "listallusernetworkscmd" +msgid "Channels" +msgstr "" + +#: ClientCommand.cpp:251 +msgid "N/A" +msgstr "" + +#: ClientCommand.cpp:272 +msgctxt "listallusernetworkscmd" +msgid "Yes" +msgstr "" + +#: ClientCommand.cpp:281 +msgctxt "listallusernetworkscmd" +msgid "No" +msgstr "" + +#: ClientCommand.cpp:291 +msgid "Usage: SetMOTD " +msgstr "" + +#: ClientCommand.cpp:294 +msgid "MOTD set to: {1}" +msgstr "" + +#: ClientCommand.cpp:300 +msgid "Usage: AddMOTD " +msgstr "" + +#: ClientCommand.cpp:303 +msgid "Added [{1}] to MOTD" +msgstr "" + +#: ClientCommand.cpp:307 +msgid "Cleared MOTD" +msgstr "" + +#: ClientCommand.cpp:329 +msgid "" +"ERROR: Writing config file to disk failed! Aborting. Use {1} FORCE to ignore." +msgstr "" + +#: ClientCommand.cpp:344 ClientCommand.cpp:797 ClientCommand.cpp:838 +msgid "You don't have any servers added." +msgstr "Вы не настроили ни один сервер." + +#: ClientCommand.cpp:355 +msgid "Server [{1}] not found" +msgstr "" + +#: ClientCommand.cpp:375 ClientCommand.cpp:380 +msgid "Connecting to {1}..." +msgstr "" + +#: ClientCommand.cpp:377 +msgid "Jumping to the next server in the list..." +msgstr "" + +#: ClientCommand.cpp:382 +msgid "Connecting..." +msgstr "" + +#: ClientCommand.cpp:400 +msgid "Disconnected from IRC. Use 'connect' to reconnect." +msgstr "" + +#: ClientCommand.cpp:412 +msgid "Usage: EnableChan <#chans>" +msgstr "" + +#: ClientCommand.cpp:426 +msgid "Enabled {1} channel" +msgid_plural "Enabled {1} channels" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" + +#: ClientCommand.cpp:439 +msgid "Usage: DisableChan <#chans>" +msgstr "" + +#: ClientCommand.cpp:453 +msgid "Disabled {1} channel" +msgid_plural "Disabled {1} channels" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" + +#: ClientCommand.cpp:470 msgid "Usage: ListChans" msgstr "Использование: ListChans" -#: ClientCommand.cpp:462 +#: ClientCommand.cpp:477 msgid "No such user [{1}]" msgstr "Нет такого пользователя [{1}]" -#: ClientCommand.cpp:468 +#: ClientCommand.cpp:483 msgid "User [{1}] doesn't have network [{2}]" msgstr "У пользователя [{1}] нет сети [{2}]" -#: ClientCommand.cpp:479 +#: ClientCommand.cpp:494 msgid "There are no channels defined." msgstr "Ни один канал не настроен." -#: ClientCommand.cpp:484 ClientCommand.cpp:500 +#: ClientCommand.cpp:499 ClientCommand.cpp:515 msgctxt "listchans" msgid "Name" msgstr "Название" -#: ClientCommand.cpp:485 ClientCommand.cpp:503 +#: ClientCommand.cpp:500 ClientCommand.cpp:518 msgctxt "listchans" msgid "Status" msgstr "Состояние" -#: ClientCommand.cpp:486 ClientCommand.cpp:510 +#: ClientCommand.cpp:501 ClientCommand.cpp:525 msgctxt "listchans" msgid "In config" msgstr "В конфигурации" -#: ClientCommand.cpp:487 ClientCommand.cpp:512 +#: ClientCommand.cpp:502 ClientCommand.cpp:527 msgctxt "listchans" msgid "Buffer" msgstr "Буфер" -#: ClientCommand.cpp:488 ClientCommand.cpp:516 +#: ClientCommand.cpp:503 ClientCommand.cpp:531 msgctxt "listchans" msgid "Clear" msgstr "Очистить" -#: ClientCommand.cpp:489 ClientCommand.cpp:521 +#: ClientCommand.cpp:504 ClientCommand.cpp:536 msgctxt "listchans" msgid "Modes" msgstr "Режимы" -#: ClientCommand.cpp:490 ClientCommand.cpp:522 +#: ClientCommand.cpp:505 ClientCommand.cpp:537 msgctxt "listchans" msgid "Users" msgstr "Пользователи" -#: ClientCommand.cpp:505 +#: ClientCommand.cpp:520 msgctxt "listchans" msgid "Detached" msgstr "Отцеплен" -#: ClientCommand.cpp:506 +#: ClientCommand.cpp:521 msgctxt "listchans" msgid "Joined" msgstr "На канале" -#: ClientCommand.cpp:507 +#: ClientCommand.cpp:522 msgctxt "listchans" msgid "Disabled" msgstr "Выключен" -#: ClientCommand.cpp:508 +#: ClientCommand.cpp:523 msgctxt "listchans" msgid "Trying" msgstr "Пытаюсь" -#: ClientCommand.cpp:511 ClientCommand.cpp:519 +#: ClientCommand.cpp:526 ClientCommand.cpp:534 msgctxt "listchans" msgid "yes" msgstr "да" -#: ClientCommand.cpp:536 +#: ClientCommand.cpp:551 msgid "Total: {1}, Joined: {2}, Detached: {3}, Disabled: {4}" msgstr "Всего: {1}, прицеплено: {2}, отцеплено: {3}, выключено: {4}" -#: ClientCommand.cpp:541 +#: ClientCommand.cpp:556 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks using /znc DelNetwork " @@ -566,15 +733,15 @@ msgstr "" "Достигнуто ограничение на количество сетей. Попросите администратора поднять " "вам лимит или удалите ненужные сети с помощью /znc DelNetwork <сеть>" -#: ClientCommand.cpp:550 +#: ClientCommand.cpp:565 msgid "Usage: AddNetwork " msgstr "Использование: AddNetwork <сеть>" -#: ClientCommand.cpp:554 +#: ClientCommand.cpp:569 msgid "Network name should be alphanumeric" msgstr "Название сети может содержать только цифры и латинские буквы" -#: ClientCommand.cpp:561 +#: ClientCommand.cpp:576 msgid "" "Network added. Use /znc JumpNetwork {1}, or connect to ZNC with username {2} " "(instead of just {3}) to connect to it." @@ -582,138 +749,138 @@ msgstr "" "Сеть добавлена. Чтобы подсоединиться к ней, введите /znc JumpNetwork {1} " "либо подключайтесь к ZNC с именем пользователя {2} вместо {3}." -#: ClientCommand.cpp:566 +#: ClientCommand.cpp:581 msgid "Unable to add that network" msgstr "Не могу добавить эту сеть" -#: ClientCommand.cpp:573 +#: ClientCommand.cpp:588 msgid "Usage: DelNetwork " msgstr "Использование: DelNetwork <сеть>" -#: ClientCommand.cpp:582 +#: ClientCommand.cpp:597 msgid "Network deleted" msgstr "Сеть удалена" -#: ClientCommand.cpp:585 +#: ClientCommand.cpp:600 msgid "Failed to delete network, perhaps this network doesn't exist" msgstr "Не могу удалить сеть, возможно, она не существует" -#: ClientCommand.cpp:595 +#: ClientCommand.cpp:610 msgid "User {1} not found" msgstr "Пользователь {1} не найден" -#: ClientCommand.cpp:603 ClientCommand.cpp:611 +#: ClientCommand.cpp:618 ClientCommand.cpp:626 msgctxt "listnetworks" msgid "Network" msgstr "Сеть" -#: ClientCommand.cpp:604 ClientCommand.cpp:613 ClientCommand.cpp:622 +#: ClientCommand.cpp:619 ClientCommand.cpp:628 ClientCommand.cpp:637 msgctxt "listnetworks" msgid "On IRC" msgstr "В сети" -#: ClientCommand.cpp:605 ClientCommand.cpp:615 +#: ClientCommand.cpp:620 ClientCommand.cpp:630 msgctxt "listnetworks" msgid "IRC Server" msgstr "IRC-сервер" -#: ClientCommand.cpp:606 ClientCommand.cpp:617 +#: ClientCommand.cpp:621 ClientCommand.cpp:632 msgctxt "listnetworks" msgid "IRC User" msgstr "Пользователь в IRC" -#: ClientCommand.cpp:607 ClientCommand.cpp:619 +#: ClientCommand.cpp:622 ClientCommand.cpp:634 msgctxt "listnetworks" msgid "Channels" msgstr "Каналов" -#: ClientCommand.cpp:614 +#: ClientCommand.cpp:629 msgctxt "listnetworks" msgid "Yes" msgstr "Да" -#: ClientCommand.cpp:623 +#: ClientCommand.cpp:638 msgctxt "listnetworks" msgid "No" msgstr "Нет" -#: ClientCommand.cpp:628 +#: ClientCommand.cpp:643 msgctxt "listnetworks" msgid "No networks" msgstr "Нет сетей" -#: ClientCommand.cpp:632 ClientCommand.cpp:936 +#: ClientCommand.cpp:647 ClientCommand.cpp:952 msgid "Access denied." msgstr "Доступ запрещён." -#: ClientCommand.cpp:643 +#: ClientCommand.cpp:658 msgid "Usage: MoveNetwork [new network]" msgstr "" "Использование: MoveNetwork <старый пользователь> <старая сеть> <новый " "пользователь> [новая сеть]" -#: ClientCommand.cpp:653 +#: ClientCommand.cpp:668 msgid "Old user {1} not found." msgstr "Старый пользователь {1} не найден." -#: ClientCommand.cpp:659 +#: ClientCommand.cpp:674 msgid "Old network {1} not found." msgstr "Старая сеть {1} не найдена." -#: ClientCommand.cpp:665 +#: ClientCommand.cpp:680 msgid "New user {1} not found." msgstr "Новый пользователь {1} не найден." -#: ClientCommand.cpp:670 +#: ClientCommand.cpp:685 msgid "User {1} already has network {2}." msgstr "У пользователя {1} уже есть сеть {2}." -#: ClientCommand.cpp:676 +#: ClientCommand.cpp:691 msgid "Invalid network name [{1}]" msgstr "Некорректное имя сети [{1}]" -#: ClientCommand.cpp:692 +#: ClientCommand.cpp:707 msgid "Some files seem to be in {1}. You might want to move them to {2}" msgstr "" "В {1} остались какие-то файлы. Возможно, вам нужно переместить их в {2}" -#: ClientCommand.cpp:706 +#: ClientCommand.cpp:721 msgid "Error adding network: {1}" msgstr "Ошибка при добавлении сети: {1}" -#: ClientCommand.cpp:718 +#: ClientCommand.cpp:733 msgid "Success." msgstr "Успех." -#: ClientCommand.cpp:721 +#: ClientCommand.cpp:736 msgid "Copied the network to new user, but failed to delete old network" msgstr "Сеть скопирована успешно, но не могу удалить старую сеть" -#: ClientCommand.cpp:728 +#: ClientCommand.cpp:743 msgid "No network supplied." msgstr "Сеть не указана." -#: ClientCommand.cpp:733 +#: ClientCommand.cpp:748 msgid "You are already connected with this network." msgstr "Вы уже подключены к этой сети." -#: ClientCommand.cpp:739 +#: ClientCommand.cpp:754 msgid "Switched to {1}" msgstr "Переключаю на {1}" -#: ClientCommand.cpp:742 +#: ClientCommand.cpp:757 msgid "You don't have a network named {1}" msgstr "У вас нет сети с названием {1}" -#: ClientCommand.cpp:754 +#: ClientCommand.cpp:769 msgid "Usage: AddServer [[+]port] [pass]" msgstr "Использование: AddServer <хост> [[+]порт] [пароль]" -#: ClientCommand.cpp:759 +#: ClientCommand.cpp:774 msgid "Server added" msgstr "Сервер добавлен" -#: ClientCommand.cpp:762 +#: ClientCommand.cpp:777 msgid "" "Unable to add that server. Perhaps the server is already added or openssl is " "disabled?" @@ -721,238 +888,234 @@ msgstr "" "Не могу добавить сервер. Возможно, он уже в списке, или поддержка openssl " "выключена?" -#: ClientCommand.cpp:777 +#: ClientCommand.cpp:792 msgid "Usage: DelServer [port] [pass]" msgstr "Использование: DelServer <хост> [порт] [пароль]" -#: ClientCommand.cpp:782 ClientCommand.cpp:822 -msgid "You don't have any servers added." -msgstr "Вы не настроили ни один сервер." - -#: ClientCommand.cpp:787 +#: ClientCommand.cpp:802 msgid "Server removed" msgstr "Сервер удалён" -#: ClientCommand.cpp:789 +#: ClientCommand.cpp:804 msgid "No such server" msgstr "Нет такого сервера" -#: ClientCommand.cpp:802 ClientCommand.cpp:809 +#: ClientCommand.cpp:817 ClientCommand.cpp:825 msgctxt "listservers" msgid "Host" msgstr "Хост" -#: ClientCommand.cpp:803 ClientCommand.cpp:811 +#: ClientCommand.cpp:818 ClientCommand.cpp:827 msgctxt "listservers" msgid "Port" msgstr "Порт" -#: ClientCommand.cpp:804 ClientCommand.cpp:814 +#: ClientCommand.cpp:819 ClientCommand.cpp:830 msgctxt "listservers" msgid "SSL" msgstr "SSL" -#: ClientCommand.cpp:805 ClientCommand.cpp:816 +#: ClientCommand.cpp:820 ClientCommand.cpp:832 msgctxt "listservers" msgid "Password" msgstr "Пароль" -#: ClientCommand.cpp:815 +#: ClientCommand.cpp:831 msgctxt "listservers|cell" msgid "SSL" msgstr "SSL" -#: ClientCommand.cpp:832 +#: ClientCommand.cpp:848 msgid "Usage: AddTrustedServerFingerprint " msgstr "Использование: AddTrustedServerFingerprint " -#: ClientCommand.cpp:836 ClientCommand.cpp:849 +#: ClientCommand.cpp:852 ClientCommand.cpp:865 msgid "Done." msgstr "Готово." -#: ClientCommand.cpp:845 +#: ClientCommand.cpp:861 msgid "Usage: DelTrustedServerFingerprint " msgstr "Использование: DelTrustedServerFingerprint " -#: ClientCommand.cpp:858 +#: ClientCommand.cpp:874 msgid "No fingerprints added." msgstr "Отпечатки не добавлены." -#: ClientCommand.cpp:874 ClientCommand.cpp:880 +#: ClientCommand.cpp:890 ClientCommand.cpp:896 msgctxt "topicscmd" msgid "Channel" msgstr "Канал" -#: ClientCommand.cpp:875 ClientCommand.cpp:881 +#: ClientCommand.cpp:891 ClientCommand.cpp:897 msgctxt "topicscmd" msgid "Set By" msgstr "Установлена" -#: ClientCommand.cpp:876 ClientCommand.cpp:882 +#: ClientCommand.cpp:892 ClientCommand.cpp:898 msgctxt "topicscmd" msgid "Topic" msgstr "Тема" -#: ClientCommand.cpp:889 ClientCommand.cpp:894 +#: ClientCommand.cpp:905 ClientCommand.cpp:910 msgctxt "listmods" msgid "Name" msgstr "Название" -#: ClientCommand.cpp:890 ClientCommand.cpp:895 +#: ClientCommand.cpp:906 ClientCommand.cpp:911 msgctxt "listmods" msgid "Arguments" msgstr "Параметры" -#: ClientCommand.cpp:904 +#: ClientCommand.cpp:920 msgid "No global modules loaded." msgstr "Глобальные модули не загружены." -#: ClientCommand.cpp:906 ClientCommand.cpp:970 +#: ClientCommand.cpp:922 ClientCommand.cpp:986 msgid "Global modules:" msgstr "Глобальные модули:" -#: ClientCommand.cpp:915 +#: ClientCommand.cpp:931 msgid "Your user has no modules loaded." msgstr "У вашего пользователя нет загруженных модулей." -#: ClientCommand.cpp:917 ClientCommand.cpp:982 +#: ClientCommand.cpp:933 ClientCommand.cpp:998 msgid "User modules:" msgstr "Пользовательские модули:" -#: ClientCommand.cpp:925 +#: ClientCommand.cpp:941 msgid "This network has no modules loaded." msgstr "У этой сети нет загруженных модулей." -#: ClientCommand.cpp:927 ClientCommand.cpp:994 +#: ClientCommand.cpp:943 ClientCommand.cpp:1010 msgid "Network modules:" msgstr "Сетевые модули:" -#: ClientCommand.cpp:942 ClientCommand.cpp:949 +#: ClientCommand.cpp:958 ClientCommand.cpp:965 msgctxt "listavailmods" msgid "Name" msgstr "Название" -#: ClientCommand.cpp:943 ClientCommand.cpp:954 +#: ClientCommand.cpp:959 ClientCommand.cpp:970 msgctxt "listavailmods" msgid "Description" msgstr "Описание" -#: ClientCommand.cpp:968 +#: ClientCommand.cpp:984 msgid "No global modules available." msgstr "Глобальные модули недоступны." -#: ClientCommand.cpp:980 +#: ClientCommand.cpp:996 msgid "No user modules available." msgstr "Пользовательские модули недоступны." -#: ClientCommand.cpp:992 +#: ClientCommand.cpp:1008 msgid "No network modules available." msgstr "Сетевые модули недоступны." -#: ClientCommand.cpp:1020 +#: ClientCommand.cpp:1036 msgid "Unable to load {1}: Access denied." msgstr "Не могу загрузить {1}: доступ запрещён." -#: ClientCommand.cpp:1026 +#: ClientCommand.cpp:1042 msgid "Usage: LoadMod [--type=global|user|network] [args]" msgstr "" "Использование: LoadMod [--type=global|user|network] <модуль> [параметры]" -#: ClientCommand.cpp:1033 +#: ClientCommand.cpp:1049 msgid "Unable to load {1}: {2}" msgstr "Не могу загрузить {1}: {2}" -#: ClientCommand.cpp:1043 +#: ClientCommand.cpp:1059 msgid "Unable to load global module {1}: Access denied." msgstr "Не могу загрузить глобальный модуль {1}: доступ запрещён." -#: ClientCommand.cpp:1049 +#: ClientCommand.cpp:1065 msgid "Unable to load network module {1}: Not connected with a network." msgstr "Не могу загрузить сетевой модуль {1}: клиент подключён без сети." -#: ClientCommand.cpp:1071 +#: ClientCommand.cpp:1087 msgid "Unknown module type" msgstr "Неизвестный тип модуля" -#: ClientCommand.cpp:1076 +#: ClientCommand.cpp:1092 msgid "Loaded module {1}" msgstr "Модуль {1} загружен" -#: ClientCommand.cpp:1078 +#: ClientCommand.cpp:1094 msgid "Loaded module {1}: {2}" msgstr "Модуль {1} загружен: {2}" -#: ClientCommand.cpp:1081 +#: ClientCommand.cpp:1097 msgid "Unable to load module {1}: {2}" msgstr "Не могу загрузить модуль {1}: {2}" -#: ClientCommand.cpp:1104 +#: ClientCommand.cpp:1120 msgid "Unable to unload {1}: Access denied." msgstr "Не могу выгрузить {1}: доступ запрещён." -#: ClientCommand.cpp:1110 +#: ClientCommand.cpp:1126 msgid "Usage: UnloadMod [--type=global|user|network] " msgstr "Использование: UnloadMod [--type=global|user|network] <модуль>" -#: ClientCommand.cpp:1119 +#: ClientCommand.cpp:1135 msgid "Unable to determine type of {1}: {2}" msgstr "Не могу определить тип {1}: {2}" -#: ClientCommand.cpp:1127 +#: ClientCommand.cpp:1143 msgid "Unable to unload global module {1}: Access denied." msgstr "Не могу выгрузить глобальный модуль {1}: доступ запрещён." -#: ClientCommand.cpp:1134 +#: ClientCommand.cpp:1150 msgid "Unable to unload network module {1}: Not connected with a network." msgstr "Не могу выгрузить сетевой модуль {1}: клиент подключён без сети." -#: ClientCommand.cpp:1153 +#: ClientCommand.cpp:1169 msgid "Unable to unload module {1}: Unknown module type" msgstr "Не могу выгрузить модуль {1}: неизвестный тип модуля" -#: ClientCommand.cpp:1166 +#: ClientCommand.cpp:1182 msgid "Unable to reload modules. Access denied." msgstr "Не могу перезагрузить модули: доступ запрещён." -#: ClientCommand.cpp:1187 +#: ClientCommand.cpp:1203 msgid "Usage: ReloadMod [--type=global|user|network] [args]" msgstr "" "Использование: ReloadMod [--type=global|user|network] <модуль> [параметры]" -#: ClientCommand.cpp:1196 +#: ClientCommand.cpp:1212 msgid "Unable to reload {1}: {2}" msgstr "Не могу перезагрузить {1}: {2}" -#: ClientCommand.cpp:1204 +#: ClientCommand.cpp:1220 msgid "Unable to reload global module {1}: Access denied." msgstr "Не могу перезагрузить глобальный модуль {1}: доступ запрещён." -#: ClientCommand.cpp:1211 +#: ClientCommand.cpp:1227 msgid "Unable to reload network module {1}: Not connected with a network." msgstr "Не могу перезагрузить сетевой модуль {1}: клиент подключён без сети." -#: ClientCommand.cpp:1233 +#: ClientCommand.cpp:1249 msgid "Unable to reload module {1}: Unknown module type" msgstr "Не могу перезагрузить модуль {1}: неизвестный тип модуля" -#: ClientCommand.cpp:1244 +#: ClientCommand.cpp:1260 msgid "Usage: UpdateMod " msgstr "Использование: UpdateMod <модуль>" -#: ClientCommand.cpp:1248 +#: ClientCommand.cpp:1264 msgid "Reloading {1} everywhere" msgstr "Перезагружаю {1} везде" -#: ClientCommand.cpp:1250 +#: ClientCommand.cpp:1266 msgid "Done" msgstr "Готово" -#: ClientCommand.cpp:1253 +#: ClientCommand.cpp:1269 msgid "" "Done, but there were errors, module {1} could not be reloaded everywhere." msgstr "Готово, но случились ошибки, модуль {1} перезагружен не везде." -#: ClientCommand.cpp:1261 +#: ClientCommand.cpp:1277 msgid "" "You must be connected with a network to use this command. Try " "SetUserBindHost instead" @@ -960,27 +1123,27 @@ msgstr "" "Чтобы использовать эту команду, нужна сеть. Попробуйте вместо этого " "SetUserBindHost" -#: ClientCommand.cpp:1268 +#: ClientCommand.cpp:1284 msgid "Usage: SetBindHost " msgstr "Использование: SetBindHost <хост>" -#: ClientCommand.cpp:1273 ClientCommand.cpp:1290 +#: ClientCommand.cpp:1289 ClientCommand.cpp:1306 msgid "You already have this bind host!" msgstr "У Вас уже установлен этот хост!" -#: ClientCommand.cpp:1278 +#: ClientCommand.cpp:1294 msgid "Set bind host for network {1} to {2}" msgstr "Соединения с сетью {1} будут идти через локальный адрес {2}" -#: ClientCommand.cpp:1285 +#: ClientCommand.cpp:1301 msgid "Usage: SetUserBindHost " msgstr "Использование: SetUserBindHost <хост>" -#: ClientCommand.cpp:1295 +#: ClientCommand.cpp:1311 msgid "Set default bind host to {1}" msgstr "По умолчанию соединения будут идти через локальный адрес {1}" -#: ClientCommand.cpp:1301 +#: ClientCommand.cpp:1317 msgid "" "You must be connected with a network to use this command. Try " "ClearUserBindHost instead" @@ -988,59 +1151,59 @@ msgstr "" "Чтобы использовать эту команду, нужна сеть. Попробуйте вместо этого " "ClearUserBindHost" -#: ClientCommand.cpp:1306 +#: ClientCommand.cpp:1322 msgid "Bind host cleared for this network." msgstr "Исходящий хост для этой сети очищен." -#: ClientCommand.cpp:1310 +#: ClientCommand.cpp:1326 msgid "Default bind host cleared for your user." msgstr "Исходящий хост для вашего пользователя очищен." -#: ClientCommand.cpp:1313 +#: ClientCommand.cpp:1329 msgid "This user's default bind host not set" msgstr "Исходящий хост по умолчанию для вашего пользователя не установлен" -#: ClientCommand.cpp:1315 +#: ClientCommand.cpp:1331 msgid "This user's default bind host is {1}" msgstr "Исходящий хост по умолчанию для вашего пользователя: {1}" -#: ClientCommand.cpp:1320 +#: ClientCommand.cpp:1336 msgid "This network's bind host not set" msgstr "Исходящий хост для этой сети не установлен" -#: ClientCommand.cpp:1322 +#: ClientCommand.cpp:1338 msgid "This network's default bind host is {1}" msgstr "Исходящий хост по умолчанию для этой сети: {1}" -#: ClientCommand.cpp:1336 +#: ClientCommand.cpp:1352 msgid "Usage: PlayBuffer <#chan|query>" msgstr "Использование: PlayBuffer <#канал|собеседник>" -#: ClientCommand.cpp:1344 +#: ClientCommand.cpp:1360 msgid "You are not on {1}" msgstr "Вы не на {1}" -#: ClientCommand.cpp:1349 +#: ClientCommand.cpp:1365 msgid "You are not on {1} (trying to join)" msgstr "Вы не на {1} (пытаюсь войти)" -#: ClientCommand.cpp:1354 +#: ClientCommand.cpp:1370 msgid "The buffer for channel {1} is empty" msgstr "Буфер канала {1} пуст" -#: ClientCommand.cpp:1363 +#: ClientCommand.cpp:1379 msgid "No active query with {1}" msgstr "Нет активной беседы с {1}" -#: ClientCommand.cpp:1368 +#: ClientCommand.cpp:1384 msgid "The buffer for {1} is empty" msgstr "Буфер для {1} пуст" -#: ClientCommand.cpp:1384 +#: ClientCommand.cpp:1400 msgid "Usage: ClearBuffer <#chan|query>" msgstr "Использование: ClearBuffer <#канал|собеседник>" -#: ClientCommand.cpp:1403 +#: ClientCommand.cpp:1419 msgid "{1} buffer matching {2} has been cleared" msgid_plural "{1} buffers matching {2} have been cleared" msgstr[0] "{1} буфер, подходящий под {2}, очищен" @@ -1048,23 +1211,23 @@ msgstr[1] "{1} буфера, подходящий под {2}, очищены" msgstr[2] "{1} буферов, подходящий под {2}, очищены" msgstr[3] "{1} буферов, подходящий под {2}, очищены" -#: ClientCommand.cpp:1416 +#: ClientCommand.cpp:1432 msgid "All channel buffers have been cleared" msgstr "Буферы всех каналов очищены" -#: ClientCommand.cpp:1425 +#: ClientCommand.cpp:1441 msgid "All query buffers have been cleared" msgstr "Буферы всех бесед очищены" -#: ClientCommand.cpp:1437 +#: ClientCommand.cpp:1453 msgid "All buffers have been cleared" msgstr "Все буферы очищены" -#: ClientCommand.cpp:1448 +#: ClientCommand.cpp:1464 msgid "Usage: SetBuffer <#chan|query> [linecount]" msgstr "Использование: SetBuffer <#канал|собеседник> [число_строк]" -#: ClientCommand.cpp:1469 +#: ClientCommand.cpp:1485 msgid "Setting buffer size failed for {1} buffer" msgid_plural "Setting buffer size failed for {1} buffers" msgstr[0] "Не удалось установить размер буфера для {1} канала" @@ -1072,7 +1235,7 @@ msgstr[1] "Не удалось установить размер буфера д msgstr[2] "Не удалось установить размер буфера для {1} каналов" msgstr[3] "Не удалось установить размер буфера для {1} каналов" -#: ClientCommand.cpp:1472 +#: ClientCommand.cpp:1488 msgid "Maximum buffer size is {1} line" msgid_plural "Maximum buffer size is {1} lines" msgstr[0] "Размер буфера не должен превышать {1} строку" @@ -1080,7 +1243,7 @@ msgstr[1] "Размер буфера не должен превышать {1} с msgstr[2] "Размер буфера не должен превышать {1} строк" msgstr[3] "Размер буфера не должен превышать {1} строк" -#: ClientCommand.cpp:1477 +#: ClientCommand.cpp:1493 msgid "Size of every buffer was set to {1} line" msgid_plural "Size of every buffer was set to {1} lines" msgstr[0] "Размер каждого буфера установлен в {1} строку" @@ -1088,625 +1251,625 @@ msgstr[1] "Размер каждого буфера установлен в {1} msgstr[2] "Размер каждого буфера установлен в {1} строк" msgstr[3] "Размер каждого буфера установлен в {1} строк" -#: ClientCommand.cpp:1487 ClientCommand.cpp:1494 ClientCommand.cpp:1505 -#: ClientCommand.cpp:1514 ClientCommand.cpp:1522 +#: ClientCommand.cpp:1503 ClientCommand.cpp:1510 ClientCommand.cpp:1521 +#: ClientCommand.cpp:1530 ClientCommand.cpp:1538 msgctxt "trafficcmd" msgid "Username" msgstr "Имя пользователя" -#: ClientCommand.cpp:1488 ClientCommand.cpp:1495 ClientCommand.cpp:1507 -#: ClientCommand.cpp:1516 ClientCommand.cpp:1524 +#: ClientCommand.cpp:1504 ClientCommand.cpp:1511 ClientCommand.cpp:1523 +#: ClientCommand.cpp:1532 ClientCommand.cpp:1540 msgctxt "trafficcmd" msgid "In" msgstr "Пришло" -#: ClientCommand.cpp:1489 ClientCommand.cpp:1497 ClientCommand.cpp:1508 -#: ClientCommand.cpp:1517 ClientCommand.cpp:1525 +#: ClientCommand.cpp:1505 ClientCommand.cpp:1513 ClientCommand.cpp:1524 +#: ClientCommand.cpp:1533 ClientCommand.cpp:1541 msgctxt "trafficcmd" msgid "Out" msgstr "Ушло" -#: ClientCommand.cpp:1490 ClientCommand.cpp:1500 ClientCommand.cpp:1510 -#: ClientCommand.cpp:1518 ClientCommand.cpp:1527 +#: ClientCommand.cpp:1506 ClientCommand.cpp:1516 ClientCommand.cpp:1526 +#: ClientCommand.cpp:1534 ClientCommand.cpp:1543 msgctxt "trafficcmd" msgid "Total" msgstr "Всего" -#: ClientCommand.cpp:1506 +#: ClientCommand.cpp:1522 msgctxt "trafficcmd" msgid "" msgstr "<Пользователи>" -#: ClientCommand.cpp:1515 +#: ClientCommand.cpp:1531 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1523 +#: ClientCommand.cpp:1539 msgctxt "trafficcmd" msgid "" msgstr "<Всего>" -#: ClientCommand.cpp:1532 +#: ClientCommand.cpp:1548 msgid "Running for {1}" msgstr "Запущен {1}" -#: ClientCommand.cpp:1538 +#: ClientCommand.cpp:1554 msgid "Unknown command, try 'Help'" msgstr "Неизвестная команда, попробуйте 'Help'" -#: ClientCommand.cpp:1547 ClientCommand.cpp:1558 +#: ClientCommand.cpp:1563 ClientCommand.cpp:1574 msgctxt "listports" msgid "Port" msgstr "Порт" -#: ClientCommand.cpp:1548 ClientCommand.cpp:1559 +#: ClientCommand.cpp:1564 ClientCommand.cpp:1577 msgctxt "listports" msgid "BindHost" msgstr "BindHost" -#: ClientCommand.cpp:1549 ClientCommand.cpp:1562 +#: ClientCommand.cpp:1565 ClientCommand.cpp:1580 msgctxt "listports" msgid "SSL" msgstr "SSL" -#: ClientCommand.cpp:1550 ClientCommand.cpp:1567 +#: ClientCommand.cpp:1566 ClientCommand.cpp:1585 msgctxt "listports" msgid "Protocol" msgstr "Протокол" -#: ClientCommand.cpp:1551 ClientCommand.cpp:1574 +#: ClientCommand.cpp:1567 ClientCommand.cpp:1592 msgctxt "listports" msgid "IRC" msgstr "IRC" -#: ClientCommand.cpp:1552 ClientCommand.cpp:1579 +#: ClientCommand.cpp:1568 ClientCommand.cpp:1597 msgctxt "listports" msgid "Web" msgstr "Веб" -#: ClientCommand.cpp:1563 +#: ClientCommand.cpp:1581 msgctxt "listports|ssl" msgid "yes" msgstr "да" -#: ClientCommand.cpp:1564 +#: ClientCommand.cpp:1582 msgctxt "listports|ssl" msgid "no" msgstr "нет" -#: ClientCommand.cpp:1568 +#: ClientCommand.cpp:1586 msgctxt "listports" msgid "IPv4 and IPv6" msgstr "IPv4 и IPv6" -#: ClientCommand.cpp:1570 +#: ClientCommand.cpp:1588 msgctxt "listports" msgid "IPv4" msgstr "IPv4" -#: ClientCommand.cpp:1571 +#: ClientCommand.cpp:1589 msgctxt "listports" msgid "IPv6" msgstr "IPv6" -#: ClientCommand.cpp:1577 +#: ClientCommand.cpp:1595 msgctxt "listports|irc" msgid "yes" msgstr "да" -#: ClientCommand.cpp:1578 +#: ClientCommand.cpp:1596 msgctxt "listports|irc" msgid "no" msgstr "нет" -#: ClientCommand.cpp:1582 +#: ClientCommand.cpp:1600 msgctxt "listports|irc" msgid "yes, on {1}" msgstr "да, на {1}" -#: ClientCommand.cpp:1584 +#: ClientCommand.cpp:1602 msgctxt "listports|web" msgid "no" msgstr "нет" -#: ClientCommand.cpp:1624 +#: ClientCommand.cpp:1642 msgid "" "Usage: AddPort <[+]port> [bindhost [uriprefix]]" msgstr "" "Использование: AddPort <[+]port> [bindhost " "[uriprefix]]" -#: ClientCommand.cpp:1640 +#: ClientCommand.cpp:1658 msgid "Port added" msgstr "Порт добавлен" -#: ClientCommand.cpp:1642 +#: ClientCommand.cpp:1660 msgid "Couldn't add port" msgstr "Невозможно добавить порт" -#: ClientCommand.cpp:1648 +#: ClientCommand.cpp:1666 msgid "Usage: DelPort [bindhost]" msgstr "Использование: DelPort [bindhost]" -#: ClientCommand.cpp:1657 +#: ClientCommand.cpp:1675 msgid "Deleted Port" msgstr "Удалён порт" -#: ClientCommand.cpp:1659 +#: ClientCommand.cpp:1677 msgid "Unable to find a matching port" msgstr "Не могу найти такой порт" -#: ClientCommand.cpp:1667 ClientCommand.cpp:1682 +#: ClientCommand.cpp:1685 ClientCommand.cpp:1700 msgctxt "helpcmd" msgid "Command" msgstr "Команда" -#: ClientCommand.cpp:1668 ClientCommand.cpp:1684 +#: ClientCommand.cpp:1686 ClientCommand.cpp:1702 msgctxt "helpcmd" msgid "Description" msgstr "Описание" -#: ClientCommand.cpp:1673 +#: ClientCommand.cpp:1691 msgid "" "In the following list all occurrences of <#chan> support wildcards (* and ?) " "except ListNicks" msgstr "" "В этом списке <#каналы> везде, кроме ListNicks, поддерживают шаблоны (* и ?)" -#: ClientCommand.cpp:1690 +#: ClientCommand.cpp:1708 msgctxt "helpcmd|Version|desc" msgid "Print which version of ZNC this is" msgstr "Показывает версию ZNC" -#: ClientCommand.cpp:1693 +#: ClientCommand.cpp:1711 msgctxt "helpcmd|ListMods|desc" msgid "List all loaded modules" msgstr "Список всех загруженных модулей" -#: ClientCommand.cpp:1696 +#: ClientCommand.cpp:1714 msgctxt "helpcmd|ListAvailMods|desc" msgid "List all available modules" msgstr "Список всех доступных модулей" -#: ClientCommand.cpp:1700 ClientCommand.cpp:1886 +#: ClientCommand.cpp:1718 ClientCommand.cpp:1904 msgctxt "helpcmd|ListChans|desc" msgid "List all channels" msgstr "Список всех каналов" -#: ClientCommand.cpp:1703 +#: ClientCommand.cpp:1721 msgctxt "helpcmd|ListNicks|args" msgid "<#chan>" msgstr "<#канал>" -#: ClientCommand.cpp:1704 +#: ClientCommand.cpp:1722 msgctxt "helpcmd|ListNicks|desc" msgid "List all nicks on a channel" msgstr "Список всех людей на канале" -#: ClientCommand.cpp:1707 +#: ClientCommand.cpp:1725 msgctxt "helpcmd|ListClients|desc" msgid "List all clients connected to your ZNC user" msgstr "Список всех клиентов, подключенных к вашему пользователю ZNC" -#: ClientCommand.cpp:1711 +#: ClientCommand.cpp:1729 msgctxt "helpcmd|ListServers|desc" msgid "List all servers of current IRC network" msgstr "Список всех серверов этой сети IRC" -#: ClientCommand.cpp:1715 +#: ClientCommand.cpp:1733 msgctxt "helpcmd|AddNetwork|args" msgid "" msgstr "<название>" -#: ClientCommand.cpp:1716 +#: ClientCommand.cpp:1734 msgctxt "helpcmd|AddNetwork|desc" msgid "Add a network to your user" msgstr "" -#: ClientCommand.cpp:1718 +#: ClientCommand.cpp:1736 msgctxt "helpcmd|DelNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1719 +#: ClientCommand.cpp:1737 msgctxt "helpcmd|DelNetwork|desc" msgid "Delete a network from your user" msgstr "" -#: ClientCommand.cpp:1721 +#: ClientCommand.cpp:1739 msgctxt "helpcmd|ListNetworks|desc" msgid "List all networks" msgstr "" -#: ClientCommand.cpp:1724 +#: ClientCommand.cpp:1742 msgctxt "helpcmd|MoveNetwork|args" msgid " [new network]" msgstr "<старый пользователь> <старая сеть> <новый пользователь> [новая сеть]" -#: ClientCommand.cpp:1726 +#: ClientCommand.cpp:1744 msgctxt "helpcmd|MoveNetwork|desc" msgid "Move an IRC network from one user to another" msgstr "" -#: ClientCommand.cpp:1730 +#: ClientCommand.cpp:1748 msgctxt "helpcmd|JumpNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1731 +#: ClientCommand.cpp:1749 msgctxt "helpcmd|JumpNetwork|desc" msgid "" "Jump to another network (Alternatively, you can connect to ZNC several " "times, using `user/network` as username)" msgstr "" -#: ClientCommand.cpp:1736 +#: ClientCommand.cpp:1754 msgctxt "helpcmd|AddServer|args" msgid " [[+]port] [pass]" msgstr "" -#: ClientCommand.cpp:1737 +#: ClientCommand.cpp:1755 msgctxt "helpcmd|AddServer|desc" msgid "" "Add a server to the list of alternate/backup servers of current IRC network." msgstr "" -#: ClientCommand.cpp:1741 +#: ClientCommand.cpp:1759 msgctxt "helpcmd|DelServer|args" msgid " [port] [pass]" msgstr "" -#: ClientCommand.cpp:1742 +#: ClientCommand.cpp:1760 msgctxt "helpcmd|DelServer|desc" msgid "" "Remove a server from the list of alternate/backup servers of current IRC " "network" msgstr "" -#: ClientCommand.cpp:1748 +#: ClientCommand.cpp:1766 msgctxt "helpcmd|AddTrustedServerFingerprint|args" msgid "" msgstr "" -#: ClientCommand.cpp:1749 +#: ClientCommand.cpp:1767 msgctxt "helpcmd|AddTrustedServerFingerprint|desc" msgid "" "Add a trusted server SSL certificate fingerprint (SHA-256) to current IRC " "network." msgstr "" -#: ClientCommand.cpp:1754 +#: ClientCommand.cpp:1772 msgctxt "helpcmd|DelTrustedServerFingerprint|args" msgid "" msgstr "" -#: ClientCommand.cpp:1755 +#: ClientCommand.cpp:1773 msgctxt "helpcmd|DelTrustedServerFingerprint|desc" msgid "Delete a trusted server SSL certificate from current IRC network." msgstr "" -#: ClientCommand.cpp:1759 +#: ClientCommand.cpp:1777 msgctxt "helpcmd|ListTrustedServerFingerprints|desc" msgid "List all trusted server SSL certificates of current IRC network." msgstr "" -#: ClientCommand.cpp:1762 +#: ClientCommand.cpp:1780 msgctxt "helpcmd|EnableChan|args" msgid "<#chans>" msgstr "" -#: ClientCommand.cpp:1763 +#: ClientCommand.cpp:1781 msgctxt "helpcmd|EnableChan|desc" msgid "Enable channels" msgstr "" -#: ClientCommand.cpp:1764 +#: ClientCommand.cpp:1782 msgctxt "helpcmd|DisableChan|args" msgid "<#chans>" msgstr "" -#: ClientCommand.cpp:1765 +#: ClientCommand.cpp:1783 msgctxt "helpcmd|DisableChan|desc" msgid "Disable channels" msgstr "" -#: ClientCommand.cpp:1766 +#: ClientCommand.cpp:1784 msgctxt "helpcmd|Attach|args" msgid "<#chans>" msgstr "<#каналы>" -#: ClientCommand.cpp:1767 +#: ClientCommand.cpp:1785 msgctxt "helpcmd|Attach|desc" msgid "Attach to channels" msgstr "" -#: ClientCommand.cpp:1768 +#: ClientCommand.cpp:1786 msgctxt "helpcmd|Detach|args" msgid "<#chans>" msgstr "" -#: ClientCommand.cpp:1769 +#: ClientCommand.cpp:1787 msgctxt "helpcmd|Detach|desc" msgid "Detach from channels" msgstr "" -#: ClientCommand.cpp:1772 +#: ClientCommand.cpp:1790 msgctxt "helpcmd|Topics|desc" msgid "Show topics in all your channels" msgstr "" -#: ClientCommand.cpp:1775 +#: ClientCommand.cpp:1793 msgctxt "helpcmd|PlayBuffer|args" msgid "<#chan|query>" msgstr "" -#: ClientCommand.cpp:1776 +#: ClientCommand.cpp:1794 msgctxt "helpcmd|PlayBuffer|desc" msgid "Play back the specified buffer" msgstr "" -#: ClientCommand.cpp:1778 +#: ClientCommand.cpp:1796 msgctxt "helpcmd|ClearBuffer|args" msgid "<#chan|query>" msgstr "" -#: ClientCommand.cpp:1779 +#: ClientCommand.cpp:1797 msgctxt "helpcmd|ClearBuffer|desc" msgid "Clear the specified buffer" msgstr "" -#: ClientCommand.cpp:1781 +#: ClientCommand.cpp:1799 msgctxt "helpcmd|ClearAllBuffers|desc" msgid "Clear all channel and query buffers" msgstr "" -#: ClientCommand.cpp:1784 +#: ClientCommand.cpp:1802 msgctxt "helpcmd|ClearAllChannelBuffers|desc" msgid "Clear the channel buffers" msgstr "" -#: ClientCommand.cpp:1788 +#: ClientCommand.cpp:1806 msgctxt "helpcmd|ClearAllQueryBuffers|desc" msgid "Clear the query buffers" msgstr "" -#: ClientCommand.cpp:1790 +#: ClientCommand.cpp:1808 msgctxt "helpcmd|SetBuffer|args" msgid "<#chan|query> [linecount]" msgstr "" -#: ClientCommand.cpp:1791 +#: ClientCommand.cpp:1809 msgctxt "helpcmd|SetBuffer|desc" msgid "Set the buffer count" msgstr "" -#: ClientCommand.cpp:1795 +#: ClientCommand.cpp:1813 msgctxt "helpcmd|SetBindHost|args" msgid "" msgstr "" -#: ClientCommand.cpp:1796 +#: ClientCommand.cpp:1814 msgctxt "helpcmd|SetBindHost|desc" msgid "Set the bind host for this network" msgstr "" -#: ClientCommand.cpp:1800 +#: ClientCommand.cpp:1818 msgctxt "helpcmd|SetUserBindHost|args" msgid "" msgstr "" -#: ClientCommand.cpp:1801 +#: ClientCommand.cpp:1819 msgctxt "helpcmd|SetUserBindHost|desc" msgid "Set the default bind host for this user" msgstr "" -#: ClientCommand.cpp:1804 +#: ClientCommand.cpp:1822 msgctxt "helpcmd|ClearBindHost|desc" msgid "Clear the bind host for this network" msgstr "" -#: ClientCommand.cpp:1807 +#: ClientCommand.cpp:1825 msgctxt "helpcmd|ClearUserBindHost|desc" msgid "Clear the default bind host for this user" msgstr "" -#: ClientCommand.cpp:1813 +#: ClientCommand.cpp:1831 msgctxt "helpcmd|ShowBindHost|desc" msgid "Show currently selected bind host" msgstr "" -#: ClientCommand.cpp:1815 +#: ClientCommand.cpp:1833 msgctxt "helpcmd|Jump|args" msgid "[server]" msgstr "" -#: ClientCommand.cpp:1816 +#: ClientCommand.cpp:1834 msgctxt "helpcmd|Jump|desc" msgid "Jump to the next or the specified server" msgstr "" -#: ClientCommand.cpp:1817 +#: ClientCommand.cpp:1835 msgctxt "helpcmd|Disconnect|args" msgid "[message]" msgstr "" -#: ClientCommand.cpp:1818 +#: ClientCommand.cpp:1836 msgctxt "helpcmd|Disconnect|desc" msgid "Disconnect from IRC" msgstr "" -#: ClientCommand.cpp:1820 +#: ClientCommand.cpp:1838 msgctxt "helpcmd|Connect|desc" msgid "Reconnect to IRC" msgstr "" -#: ClientCommand.cpp:1823 +#: ClientCommand.cpp:1841 msgctxt "helpcmd|Uptime|desc" msgid "Show for how long ZNC has been running" msgstr "" -#: ClientCommand.cpp:1827 +#: ClientCommand.cpp:1845 msgctxt "helpcmd|LoadMod|args" msgid "[--type=global|user|network] [args]" msgstr "" -#: ClientCommand.cpp:1829 +#: ClientCommand.cpp:1847 msgctxt "helpcmd|LoadMod|desc" msgid "Load a module" msgstr "" -#: ClientCommand.cpp:1831 +#: ClientCommand.cpp:1849 msgctxt "helpcmd|UnloadMod|args" msgid "[--type=global|user|network] " msgstr "" -#: ClientCommand.cpp:1833 +#: ClientCommand.cpp:1851 msgctxt "helpcmd|UnloadMod|desc" msgid "Unload a module" msgstr "" -#: ClientCommand.cpp:1835 +#: ClientCommand.cpp:1853 msgctxt "helpcmd|ReloadMod|args" msgid "[--type=global|user|network] [args]" msgstr "" -#: ClientCommand.cpp:1837 +#: ClientCommand.cpp:1855 msgctxt "helpcmd|ReloadMod|desc" msgid "Reload a module" msgstr "" -#: ClientCommand.cpp:1840 +#: ClientCommand.cpp:1858 msgctxt "helpcmd|UpdateMod|args" msgid "" msgstr "" -#: ClientCommand.cpp:1841 +#: ClientCommand.cpp:1859 msgctxt "helpcmd|UpdateMod|desc" msgid "Reload a module everywhere" msgstr "" -#: ClientCommand.cpp:1847 +#: ClientCommand.cpp:1865 msgctxt "helpcmd|ShowMOTD|desc" msgid "Show ZNC's message of the day" msgstr "" -#: ClientCommand.cpp:1851 +#: ClientCommand.cpp:1869 msgctxt "helpcmd|SetMOTD|args" msgid "" msgstr "" -#: ClientCommand.cpp:1852 +#: ClientCommand.cpp:1870 msgctxt "helpcmd|SetMOTD|desc" msgid "Set ZNC's message of the day" msgstr "" -#: ClientCommand.cpp:1854 +#: ClientCommand.cpp:1872 msgctxt "helpcmd|AddMOTD|args" msgid "" msgstr "" -#: ClientCommand.cpp:1855 +#: ClientCommand.cpp:1873 msgctxt "helpcmd|AddMOTD|desc" msgid "Append to ZNC's MOTD" msgstr "" -#: ClientCommand.cpp:1857 +#: ClientCommand.cpp:1875 msgctxt "helpcmd|ClearMOTD|desc" msgid "Clear ZNC's MOTD" msgstr "" -#: ClientCommand.cpp:1860 +#: ClientCommand.cpp:1878 msgctxt "helpcmd|ListPorts|desc" msgid "Show all active listeners" msgstr "" -#: ClientCommand.cpp:1862 +#: ClientCommand.cpp:1880 msgctxt "helpcmd|AddPort|args" msgid "<[+]port> [bindhost [uriprefix]]" msgstr "" -#: ClientCommand.cpp:1865 +#: ClientCommand.cpp:1883 msgctxt "helpcmd|AddPort|desc" msgid "Add another port for ZNC to listen on" msgstr "" -#: ClientCommand.cpp:1869 +#: ClientCommand.cpp:1887 msgctxt "helpcmd|DelPort|args" msgid " [bindhost]" msgstr "" -#: ClientCommand.cpp:1870 +#: ClientCommand.cpp:1888 msgctxt "helpcmd|DelPort|desc" msgid "Remove a port from ZNC" msgstr "" -#: ClientCommand.cpp:1873 +#: ClientCommand.cpp:1891 msgctxt "helpcmd|Rehash|desc" msgid "Reload global settings, modules, and listeners from znc.conf" msgstr "" -#: ClientCommand.cpp:1876 +#: ClientCommand.cpp:1894 msgctxt "helpcmd|SaveConfig|desc" msgid "Save the current settings to disk" msgstr "" -#: ClientCommand.cpp:1879 +#: ClientCommand.cpp:1897 msgctxt "helpcmd|ListUsers|desc" msgid "List all ZNC users and their connection status" msgstr "" -#: ClientCommand.cpp:1882 +#: ClientCommand.cpp:1900 msgctxt "helpcmd|ListAllUserNetworks|desc" msgid "List all ZNC users and their networks" msgstr "" -#: ClientCommand.cpp:1885 +#: ClientCommand.cpp:1903 msgctxt "helpcmd|ListChans|args" msgid "[user ]" msgstr "" -#: ClientCommand.cpp:1888 +#: ClientCommand.cpp:1906 msgctxt "helpcmd|ListClients|args" msgid "[user]" msgstr "" -#: ClientCommand.cpp:1889 +#: ClientCommand.cpp:1907 msgctxt "helpcmd|ListClients|desc" msgid "List all connected clients" msgstr "" -#: ClientCommand.cpp:1891 +#: ClientCommand.cpp:1909 msgctxt "helpcmd|Traffic|desc" msgid "Show basic traffic stats for all ZNC users" msgstr "" -#: ClientCommand.cpp:1893 +#: ClientCommand.cpp:1911 msgctxt "helpcmd|Broadcast|args" msgid "[message]" msgstr "" -#: ClientCommand.cpp:1894 +#: ClientCommand.cpp:1912 msgctxt "helpcmd|Broadcast|desc" msgid "Broadcast a message to all ZNC users" msgstr "" -#: ClientCommand.cpp:1897 +#: ClientCommand.cpp:1915 msgctxt "helpcmd|Shutdown|args" msgid "[message]" msgstr "" -#: ClientCommand.cpp:1898 +#: ClientCommand.cpp:1916 msgctxt "helpcmd|Shutdown|desc" msgid "Shut down ZNC completely" msgstr "" -#: ClientCommand.cpp:1899 +#: ClientCommand.cpp:1917 msgctxt "helpcmd|Restart|args" msgid "[message]" msgstr "" -#: ClientCommand.cpp:1900 +#: ClientCommand.cpp:1918 msgctxt "helpcmd|Restart|desc" msgid "Restart ZNC" msgstr "" From 2b28a5578d9bf4cbfd69a82e305fa65f15737adc Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Sun, 9 Aug 2020 00:29:16 +0000 Subject: [PATCH 477/798] Update translations from Crowdin for bg_BG de_DE es_ES fr_FR id_ID it_IT nl_NL pl_PL pt_BR ru_RU --- src/po/znc.bg_BG.po | 753 ++++++++++++++++++++++++++----------------- src/po/znc.de_DE.po | 753 ++++++++++++++++++++++++++----------------- src/po/znc.es_ES.po | 753 ++++++++++++++++++++++++++----------------- src/po/znc.fr_FR.po | 753 ++++++++++++++++++++++++++----------------- src/po/znc.id_ID.po | 751 ++++++++++++++++++++++++++----------------- src/po/znc.it_IT.po | 753 ++++++++++++++++++++++++++----------------- src/po/znc.nl_NL.po | 753 ++++++++++++++++++++++++++----------------- src/po/znc.pl_PL.po | 757 +++++++++++++++++++++++++++----------------- src/po/znc.pot | 753 ++++++++++++++++++++++++++----------------- src/po/znc.pt_BR.po | 753 ++++++++++++++++++++++++++----------------- src/po/znc.ru_RU.po | 757 +++++++++++++++++++++++++++----------------- 11 files changed, 5022 insertions(+), 3267 deletions(-) diff --git a/src/po/znc.bg_BG.po b/src/po/znc.bg_BG.po index 8d95a11a..84226c14 100644 --- a/src/po/znc.bg_BG.po +++ b/src/po/znc.bg_BG.po @@ -71,7 +71,7 @@ msgstr "" msgid "Invalid port" msgstr "" -#: znc.cpp:1813 ClientCommand.cpp:1637 +#: znc.cpp:1813 ClientCommand.cpp:1655 msgid "Unable to bind: {1}" msgstr "" @@ -107,67 +107,67 @@ msgstr "" msgid "Some module aborted the connection attempt" msgstr "" -#: IRCSock.cpp:490 +#: IRCSock.cpp:492 msgid "Error from server: {1}" msgstr "" -#: IRCSock.cpp:692 +#: IRCSock.cpp:694 msgid "ZNC seems to be connected to itself, disconnecting..." msgstr "" -#: IRCSock.cpp:739 +#: IRCSock.cpp:741 msgid "Server {1} redirects us to {2}:{3} with reason: {4}" msgstr "Сървъра{1} ни пренасочва към {2}:{3} с причина: {4}" -#: IRCSock.cpp:743 +#: IRCSock.cpp:745 msgid "Perhaps you want to add it as a new server." msgstr "" -#: IRCSock.cpp:973 +#: IRCSock.cpp:975 msgid "Channel {1} is linked to another channel and was thus disabled." msgstr "" -#: IRCSock.cpp:985 +#: IRCSock.cpp:987 msgid "Switched to SSL (STARTTLS)" msgstr "" -#: IRCSock.cpp:1038 +#: IRCSock.cpp:1040 msgid "You quit: {1}" msgstr "" -#: IRCSock.cpp:1244 +#: IRCSock.cpp:1246 msgid "Disconnected from IRC. Reconnecting..." msgstr "" -#: IRCSock.cpp:1275 +#: IRCSock.cpp:1277 msgid "Cannot connect to IRC ({1}). Retrying..." msgstr "" -#: IRCSock.cpp:1278 +#: IRCSock.cpp:1280 msgid "Disconnected from IRC ({1}). Reconnecting..." msgstr "" -#: IRCSock.cpp:1314 +#: IRCSock.cpp:1316 msgid "If you trust this certificate, do /znc AddTrustedServerFingerprint {1}" msgstr "" -#: IRCSock.cpp:1323 +#: IRCSock.cpp:1325 msgid "IRC connection timed out. Reconnecting..." msgstr "" -#: IRCSock.cpp:1335 +#: IRCSock.cpp:1337 msgid "Connection Refused. Reconnecting..." msgstr "" -#: IRCSock.cpp:1343 +#: IRCSock.cpp:1345 msgid "Received a too long line from the IRC server!" msgstr "" -#: IRCSock.cpp:1447 +#: IRCSock.cpp:1449 msgid "No free nick available" msgstr "" -#: IRCSock.cpp:1455 +#: IRCSock.cpp:1457 msgid "No free nick found" msgstr "" @@ -219,47 +219,48 @@ msgid "" "You are being disconnected because another user just authenticated as you." msgstr "" -#: Client.cpp:1021 +#: Client.cpp:1022 msgid "Your CTCP to {1} got lost, you are not connected to IRC!" msgstr "" -#: Client.cpp:1147 +#: Client.cpp:1148 msgid "Your notice to {1} got lost, you are not connected to IRC!" msgstr "" -#: Client.cpp:1186 +#: Client.cpp:1187 msgid "Removing channel {1}" msgstr "" -#: Client.cpp:1264 +#: Client.cpp:1265 msgid "Your message to {1} got lost, you are not connected to IRC!" msgstr "" -#: Client.cpp:1317 Client.cpp:1323 +#: Client.cpp:1318 Client.cpp:1324 msgid "Hello. How may I help you?" msgstr "" -#: Client.cpp:1337 +#: Client.cpp:1338 msgid "Usage: /attach <#chans>" msgstr "" -#: Client.cpp:1344 Client.cpp:1366 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: Client.cpp:1345 Client.cpp:1367 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: ClientCommand.cpp:423 ClientCommand.cpp:450 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" msgstr[0] "" msgstr[1] "" -#: Client.cpp:1347 ClientCommand.cpp:132 +#: Client.cpp:1348 ClientCommand.cpp:132 msgid "Attached {1} channel" msgid_plural "Attached {1} channels" msgstr[0] "" msgstr[1] "" -#: Client.cpp:1359 +#: Client.cpp:1360 msgid "Usage: /detach <#chans>" msgstr "" -#: Client.cpp:1369 ClientCommand.cpp:154 +#: Client.cpp:1370 ClientCommand.cpp:154 msgid "Detached {1} channel" msgid_plural "Detached {1} channels" msgstr[0] "" @@ -283,7 +284,7 @@ msgctxt "modhelpcmd" msgid "Generate this output" msgstr "" -#: Modules.cpp:573 ClientCommand.cpp:1904 +#: Modules.cpp:573 ClientCommand.cpp:1922 msgid "No matches for '{1}'" msgstr "" @@ -388,11 +389,12 @@ msgid "Description" msgstr "" #: ClientCommand.cpp:51 ClientCommand.cpp:115 ClientCommand.cpp:137 -#: ClientCommand.cpp:749 ClientCommand.cpp:768 ClientCommand.cpp:794 -#: ClientCommand.cpp:827 ClientCommand.cpp:840 ClientCommand.cpp:853 -#: ClientCommand.cpp:868 ClientCommand.cpp:1329 ClientCommand.cpp:1377 -#: ClientCommand.cpp:1409 ClientCommand.cpp:1420 ClientCommand.cpp:1429 -#: ClientCommand.cpp:1441 +#: ClientCommand.cpp:339 ClientCommand.cpp:390 ClientCommand.cpp:405 +#: ClientCommand.cpp:432 ClientCommand.cpp:459 ClientCommand.cpp:764 +#: ClientCommand.cpp:783 ClientCommand.cpp:809 ClientCommand.cpp:843 +#: ClientCommand.cpp:856 ClientCommand.cpp:869 ClientCommand.cpp:884 +#: ClientCommand.cpp:1345 ClientCommand.cpp:1393 ClientCommand.cpp:1425 +#: ClientCommand.cpp:1436 ClientCommand.cpp:1445 ClientCommand.cpp:1457 msgid "You must be connected with a network to use this command" msgstr "" @@ -452,1209 +454,1366 @@ msgstr "" msgid "Error while trying to write config." msgstr "" -#: ClientCommand.cpp:455 +#: ClientCommand.cpp:183 +msgid "Usage: ListClients" +msgstr "" + +#: ClientCommand.cpp:190 +msgid "No such user: {1}" +msgstr "" + +#: ClientCommand.cpp:198 +msgid "No clients are connected" +msgstr "" + +#: ClientCommand.cpp:203 ClientCommand.cpp:209 +msgctxt "listclientscmd" +msgid "Host" +msgstr "" + +#: ClientCommand.cpp:204 ClientCommand.cpp:212 +msgctxt "listclientscmd" +msgid "Network" +msgstr "" + +#: ClientCommand.cpp:205 ClientCommand.cpp:215 +msgctxt "listclientscmd" +msgid "Identifier" +msgstr "" + +#: ClientCommand.cpp:223 ClientCommand.cpp:229 +msgctxt "listuserscmd" +msgid "Username" +msgstr "" + +#: ClientCommand.cpp:224 ClientCommand.cpp:230 +msgctxt "listuserscmd" +msgid "Networks" +msgstr "" + +#: ClientCommand.cpp:225 ClientCommand.cpp:232 +msgctxt "listuserscmd" +msgid "Clients" +msgstr "" + +#: ClientCommand.cpp:240 ClientCommand.cpp:250 ClientCommand.cpp:260 +#: ClientCommand.cpp:263 +msgctxt "listallusernetworkscmd" +msgid "Username" +msgstr "" + +#: ClientCommand.cpp:241 ClientCommand.cpp:251 ClientCommand.cpp:266 +msgctxt "listallusernetworkscmd" +msgid "Network" +msgstr "" + +#: ClientCommand.cpp:242 ClientCommand.cpp:252 ClientCommand.cpp:268 +msgctxt "listallusernetworkscmd" +msgid "Clients" +msgstr "" + +#: ClientCommand.cpp:243 ClientCommand.cpp:271 ClientCommand.cpp:280 +msgctxt "listallusernetworkscmd" +msgid "On IRC" +msgstr "" + +#: ClientCommand.cpp:244 ClientCommand.cpp:273 +msgctxt "listallusernetworkscmd" +msgid "IRC Server" +msgstr "" + +#: ClientCommand.cpp:245 ClientCommand.cpp:275 +msgctxt "listallusernetworkscmd" +msgid "IRC User" +msgstr "" + +#: ClientCommand.cpp:246 ClientCommand.cpp:277 +msgctxt "listallusernetworkscmd" +msgid "Channels" +msgstr "" + +#: ClientCommand.cpp:251 +msgid "N/A" +msgstr "" + +#: ClientCommand.cpp:272 +msgctxt "listallusernetworkscmd" +msgid "Yes" +msgstr "" + +#: ClientCommand.cpp:281 +msgctxt "listallusernetworkscmd" +msgid "No" +msgstr "" + +#: ClientCommand.cpp:291 +msgid "Usage: SetMOTD " +msgstr "" + +#: ClientCommand.cpp:294 +msgid "MOTD set to: {1}" +msgstr "" + +#: ClientCommand.cpp:300 +msgid "Usage: AddMOTD " +msgstr "" + +#: ClientCommand.cpp:303 +msgid "Added [{1}] to MOTD" +msgstr "" + +#: ClientCommand.cpp:307 +msgid "Cleared MOTD" +msgstr "" + +#: ClientCommand.cpp:329 +msgid "" +"ERROR: Writing config file to disk failed! Aborting. Use {1} FORCE to ignore." +msgstr "" + +#: ClientCommand.cpp:344 ClientCommand.cpp:797 ClientCommand.cpp:838 +msgid "You don't have any servers added." +msgstr "" + +#: ClientCommand.cpp:355 +msgid "Server [{1}] not found" +msgstr "" + +#: ClientCommand.cpp:375 ClientCommand.cpp:380 +msgid "Connecting to {1}..." +msgstr "" + +#: ClientCommand.cpp:377 +msgid "Jumping to the next server in the list..." +msgstr "" + +#: ClientCommand.cpp:382 +msgid "Connecting..." +msgstr "" + +#: ClientCommand.cpp:400 +msgid "Disconnected from IRC. Use 'connect' to reconnect." +msgstr "" + +#: ClientCommand.cpp:412 +msgid "Usage: EnableChan <#chans>" +msgstr "" + +#: ClientCommand.cpp:426 +msgid "Enabled {1} channel" +msgid_plural "Enabled {1} channels" +msgstr[0] "" +msgstr[1] "" + +#: ClientCommand.cpp:439 +msgid "Usage: DisableChan <#chans>" +msgstr "" + +#: ClientCommand.cpp:453 +msgid "Disabled {1} channel" +msgid_plural "Disabled {1} channels" +msgstr[0] "" +msgstr[1] "" + +#: ClientCommand.cpp:470 msgid "Usage: ListChans" msgstr "" -#: ClientCommand.cpp:462 +#: ClientCommand.cpp:477 msgid "No such user [{1}]" msgstr "" -#: ClientCommand.cpp:468 +#: ClientCommand.cpp:483 msgid "User [{1}] doesn't have network [{2}]" msgstr "" -#: ClientCommand.cpp:479 +#: ClientCommand.cpp:494 msgid "There are no channels defined." msgstr "" -#: ClientCommand.cpp:484 ClientCommand.cpp:500 +#: ClientCommand.cpp:499 ClientCommand.cpp:515 msgctxt "listchans" msgid "Name" msgstr "" -#: ClientCommand.cpp:485 ClientCommand.cpp:503 +#: ClientCommand.cpp:500 ClientCommand.cpp:518 msgctxt "listchans" msgid "Status" msgstr "" -#: ClientCommand.cpp:486 ClientCommand.cpp:510 +#: ClientCommand.cpp:501 ClientCommand.cpp:525 msgctxt "listchans" msgid "In config" msgstr "" -#: ClientCommand.cpp:487 ClientCommand.cpp:512 +#: ClientCommand.cpp:502 ClientCommand.cpp:527 msgctxt "listchans" msgid "Buffer" msgstr "" -#: ClientCommand.cpp:488 ClientCommand.cpp:516 +#: ClientCommand.cpp:503 ClientCommand.cpp:531 msgctxt "listchans" msgid "Clear" msgstr "" -#: ClientCommand.cpp:489 ClientCommand.cpp:521 +#: ClientCommand.cpp:504 ClientCommand.cpp:536 msgctxt "listchans" msgid "Modes" msgstr "" -#: ClientCommand.cpp:490 ClientCommand.cpp:522 +#: ClientCommand.cpp:505 ClientCommand.cpp:537 msgctxt "listchans" msgid "Users" msgstr "" -#: ClientCommand.cpp:505 +#: ClientCommand.cpp:520 msgctxt "listchans" msgid "Detached" msgstr "" -#: ClientCommand.cpp:506 +#: ClientCommand.cpp:521 msgctxt "listchans" msgid "Joined" msgstr "" -#: ClientCommand.cpp:507 +#: ClientCommand.cpp:522 msgctxt "listchans" msgid "Disabled" msgstr "" -#: ClientCommand.cpp:508 +#: ClientCommand.cpp:523 msgctxt "listchans" msgid "Trying" msgstr "" -#: ClientCommand.cpp:511 ClientCommand.cpp:519 +#: ClientCommand.cpp:526 ClientCommand.cpp:534 msgctxt "listchans" msgid "yes" msgstr "" -#: ClientCommand.cpp:536 +#: ClientCommand.cpp:551 msgid "Total: {1}, Joined: {2}, Detached: {3}, Disabled: {4}" msgstr "" -#: ClientCommand.cpp:541 +#: ClientCommand.cpp:556 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks using /znc DelNetwork " msgstr "" -#: ClientCommand.cpp:550 +#: ClientCommand.cpp:565 msgid "Usage: AddNetwork " msgstr "" -#: ClientCommand.cpp:554 +#: ClientCommand.cpp:569 msgid "Network name should be alphanumeric" msgstr "" -#: ClientCommand.cpp:561 +#: ClientCommand.cpp:576 msgid "" "Network added. Use /znc JumpNetwork {1}, or connect to ZNC with username {2} " "(instead of just {3}) to connect to it." msgstr "" -#: ClientCommand.cpp:566 +#: ClientCommand.cpp:581 msgid "Unable to add that network" msgstr "" -#: ClientCommand.cpp:573 +#: ClientCommand.cpp:588 msgid "Usage: DelNetwork " msgstr "" -#: ClientCommand.cpp:582 +#: ClientCommand.cpp:597 msgid "Network deleted" msgstr "" -#: ClientCommand.cpp:585 +#: ClientCommand.cpp:600 msgid "Failed to delete network, perhaps this network doesn't exist" msgstr "" -#: ClientCommand.cpp:595 +#: ClientCommand.cpp:610 msgid "User {1} not found" msgstr "" -#: ClientCommand.cpp:603 ClientCommand.cpp:611 +#: ClientCommand.cpp:618 ClientCommand.cpp:626 msgctxt "listnetworks" msgid "Network" msgstr "" -#: ClientCommand.cpp:604 ClientCommand.cpp:613 ClientCommand.cpp:622 +#: ClientCommand.cpp:619 ClientCommand.cpp:628 ClientCommand.cpp:637 msgctxt "listnetworks" msgid "On IRC" msgstr "" -#: ClientCommand.cpp:605 ClientCommand.cpp:615 +#: ClientCommand.cpp:620 ClientCommand.cpp:630 msgctxt "listnetworks" msgid "IRC Server" msgstr "" -#: ClientCommand.cpp:606 ClientCommand.cpp:617 +#: ClientCommand.cpp:621 ClientCommand.cpp:632 msgctxt "listnetworks" msgid "IRC User" msgstr "" -#: ClientCommand.cpp:607 ClientCommand.cpp:619 +#: ClientCommand.cpp:622 ClientCommand.cpp:634 msgctxt "listnetworks" msgid "Channels" msgstr "" -#: ClientCommand.cpp:614 +#: ClientCommand.cpp:629 msgctxt "listnetworks" msgid "Yes" msgstr "" -#: ClientCommand.cpp:623 +#: ClientCommand.cpp:638 msgctxt "listnetworks" msgid "No" msgstr "" -#: ClientCommand.cpp:628 +#: ClientCommand.cpp:643 msgctxt "listnetworks" msgid "No networks" msgstr "" -#: ClientCommand.cpp:632 ClientCommand.cpp:936 +#: ClientCommand.cpp:647 ClientCommand.cpp:952 msgid "Access denied." msgstr "" -#: ClientCommand.cpp:643 +#: ClientCommand.cpp:658 msgid "Usage: MoveNetwork [new network]" msgstr "" -#: ClientCommand.cpp:653 +#: ClientCommand.cpp:668 msgid "Old user {1} not found." msgstr "" -#: ClientCommand.cpp:659 +#: ClientCommand.cpp:674 msgid "Old network {1} not found." msgstr "" -#: ClientCommand.cpp:665 +#: ClientCommand.cpp:680 msgid "New user {1} not found." msgstr "" -#: ClientCommand.cpp:670 +#: ClientCommand.cpp:685 msgid "User {1} already has network {2}." msgstr "" -#: ClientCommand.cpp:676 +#: ClientCommand.cpp:691 msgid "Invalid network name [{1}]" msgstr "" -#: ClientCommand.cpp:692 +#: ClientCommand.cpp:707 msgid "Some files seem to be in {1}. You might want to move them to {2}" msgstr "" -#: ClientCommand.cpp:706 +#: ClientCommand.cpp:721 msgid "Error adding network: {1}" msgstr "" -#: ClientCommand.cpp:718 +#: ClientCommand.cpp:733 msgid "Success." msgstr "" -#: ClientCommand.cpp:721 +#: ClientCommand.cpp:736 msgid "Copied the network to new user, but failed to delete old network" msgstr "" -#: ClientCommand.cpp:728 +#: ClientCommand.cpp:743 msgid "No network supplied." msgstr "" -#: ClientCommand.cpp:733 +#: ClientCommand.cpp:748 msgid "You are already connected with this network." msgstr "" -#: ClientCommand.cpp:739 +#: ClientCommand.cpp:754 msgid "Switched to {1}" msgstr "" -#: ClientCommand.cpp:742 +#: ClientCommand.cpp:757 msgid "You don't have a network named {1}" msgstr "" -#: ClientCommand.cpp:754 +#: ClientCommand.cpp:769 msgid "Usage: AddServer [[+]port] [pass]" msgstr "" -#: ClientCommand.cpp:759 +#: ClientCommand.cpp:774 msgid "Server added" msgstr "" -#: ClientCommand.cpp:762 +#: ClientCommand.cpp:777 msgid "" "Unable to add that server. Perhaps the server is already added or openssl is " "disabled?" msgstr "" -#: ClientCommand.cpp:777 +#: ClientCommand.cpp:792 msgid "Usage: DelServer [port] [pass]" msgstr "" -#: ClientCommand.cpp:782 ClientCommand.cpp:822 -msgid "You don't have any servers added." -msgstr "" - -#: ClientCommand.cpp:787 +#: ClientCommand.cpp:802 msgid "Server removed" msgstr "" -#: ClientCommand.cpp:789 +#: ClientCommand.cpp:804 msgid "No such server" msgstr "" -#: ClientCommand.cpp:802 ClientCommand.cpp:809 +#: ClientCommand.cpp:817 ClientCommand.cpp:825 msgctxt "listservers" msgid "Host" msgstr "" -#: ClientCommand.cpp:803 ClientCommand.cpp:811 +#: ClientCommand.cpp:818 ClientCommand.cpp:827 msgctxt "listservers" msgid "Port" msgstr "" -#: ClientCommand.cpp:804 ClientCommand.cpp:814 +#: ClientCommand.cpp:819 ClientCommand.cpp:830 msgctxt "listservers" msgid "SSL" msgstr "" -#: ClientCommand.cpp:805 ClientCommand.cpp:816 +#: ClientCommand.cpp:820 ClientCommand.cpp:832 msgctxt "listservers" msgid "Password" msgstr "" -#: ClientCommand.cpp:815 +#: ClientCommand.cpp:831 msgctxt "listservers|cell" msgid "SSL" msgstr "" -#: ClientCommand.cpp:832 +#: ClientCommand.cpp:848 msgid "Usage: AddTrustedServerFingerprint " msgstr "" -#: ClientCommand.cpp:836 ClientCommand.cpp:849 +#: ClientCommand.cpp:852 ClientCommand.cpp:865 msgid "Done." msgstr "" -#: ClientCommand.cpp:845 +#: ClientCommand.cpp:861 msgid "Usage: DelTrustedServerFingerprint " msgstr "" -#: ClientCommand.cpp:858 +#: ClientCommand.cpp:874 msgid "No fingerprints added." msgstr "" -#: ClientCommand.cpp:874 ClientCommand.cpp:880 +#: ClientCommand.cpp:890 ClientCommand.cpp:896 msgctxt "topicscmd" msgid "Channel" msgstr "" -#: ClientCommand.cpp:875 ClientCommand.cpp:881 +#: ClientCommand.cpp:891 ClientCommand.cpp:897 msgctxt "topicscmd" msgid "Set By" msgstr "" -#: ClientCommand.cpp:876 ClientCommand.cpp:882 +#: ClientCommand.cpp:892 ClientCommand.cpp:898 msgctxt "topicscmd" msgid "Topic" msgstr "" -#: ClientCommand.cpp:889 ClientCommand.cpp:894 +#: ClientCommand.cpp:905 ClientCommand.cpp:910 msgctxt "listmods" msgid "Name" msgstr "" -#: ClientCommand.cpp:890 ClientCommand.cpp:895 +#: ClientCommand.cpp:906 ClientCommand.cpp:911 msgctxt "listmods" msgid "Arguments" msgstr "" -#: ClientCommand.cpp:904 +#: ClientCommand.cpp:920 msgid "No global modules loaded." msgstr "" -#: ClientCommand.cpp:906 ClientCommand.cpp:970 +#: ClientCommand.cpp:922 ClientCommand.cpp:986 msgid "Global modules:" msgstr "" -#: ClientCommand.cpp:915 +#: ClientCommand.cpp:931 msgid "Your user has no modules loaded." msgstr "" -#: ClientCommand.cpp:917 ClientCommand.cpp:982 +#: ClientCommand.cpp:933 ClientCommand.cpp:998 msgid "User modules:" msgstr "" -#: ClientCommand.cpp:925 +#: ClientCommand.cpp:941 msgid "This network has no modules loaded." msgstr "" -#: ClientCommand.cpp:927 ClientCommand.cpp:994 +#: ClientCommand.cpp:943 ClientCommand.cpp:1010 msgid "Network modules:" msgstr "" -#: ClientCommand.cpp:942 ClientCommand.cpp:949 +#: ClientCommand.cpp:958 ClientCommand.cpp:965 msgctxt "listavailmods" msgid "Name" msgstr "" -#: ClientCommand.cpp:943 ClientCommand.cpp:954 +#: ClientCommand.cpp:959 ClientCommand.cpp:970 msgctxt "listavailmods" msgid "Description" msgstr "" -#: ClientCommand.cpp:968 +#: ClientCommand.cpp:984 msgid "No global modules available." msgstr "" -#: ClientCommand.cpp:980 +#: ClientCommand.cpp:996 msgid "No user modules available." msgstr "" -#: ClientCommand.cpp:992 +#: ClientCommand.cpp:1008 msgid "No network modules available." msgstr "" -#: ClientCommand.cpp:1020 +#: ClientCommand.cpp:1036 msgid "Unable to load {1}: Access denied." msgstr "" -#: ClientCommand.cpp:1026 +#: ClientCommand.cpp:1042 msgid "Usage: LoadMod [--type=global|user|network] [args]" msgstr "" -#: ClientCommand.cpp:1033 +#: ClientCommand.cpp:1049 msgid "Unable to load {1}: {2}" msgstr "" -#: ClientCommand.cpp:1043 +#: ClientCommand.cpp:1059 msgid "Unable to load global module {1}: Access denied." msgstr "" -#: ClientCommand.cpp:1049 +#: ClientCommand.cpp:1065 msgid "Unable to load network module {1}: Not connected with a network." msgstr "" -#: ClientCommand.cpp:1071 +#: ClientCommand.cpp:1087 msgid "Unknown module type" msgstr "" -#: ClientCommand.cpp:1076 +#: ClientCommand.cpp:1092 msgid "Loaded module {1}" msgstr "" -#: ClientCommand.cpp:1078 +#: ClientCommand.cpp:1094 msgid "Loaded module {1}: {2}" msgstr "" -#: ClientCommand.cpp:1081 +#: ClientCommand.cpp:1097 msgid "Unable to load module {1}: {2}" msgstr "" -#: ClientCommand.cpp:1104 +#: ClientCommand.cpp:1120 msgid "Unable to unload {1}: Access denied." msgstr "" -#: ClientCommand.cpp:1110 +#: ClientCommand.cpp:1126 msgid "Usage: UnloadMod [--type=global|user|network] " msgstr "" -#: ClientCommand.cpp:1119 +#: ClientCommand.cpp:1135 msgid "Unable to determine type of {1}: {2}" msgstr "" -#: ClientCommand.cpp:1127 +#: ClientCommand.cpp:1143 msgid "Unable to unload global module {1}: Access denied." msgstr "" -#: ClientCommand.cpp:1134 +#: ClientCommand.cpp:1150 msgid "Unable to unload network module {1}: Not connected with a network." msgstr "" -#: ClientCommand.cpp:1153 +#: ClientCommand.cpp:1169 msgid "Unable to unload module {1}: Unknown module type" msgstr "" -#: ClientCommand.cpp:1166 +#: ClientCommand.cpp:1182 msgid "Unable to reload modules. Access denied." msgstr "" -#: ClientCommand.cpp:1187 +#: ClientCommand.cpp:1203 msgid "Usage: ReloadMod [--type=global|user|network] [args]" msgstr "" -#: ClientCommand.cpp:1196 +#: ClientCommand.cpp:1212 msgid "Unable to reload {1}: {2}" msgstr "" -#: ClientCommand.cpp:1204 +#: ClientCommand.cpp:1220 msgid "Unable to reload global module {1}: Access denied." msgstr "" -#: ClientCommand.cpp:1211 +#: ClientCommand.cpp:1227 msgid "Unable to reload network module {1}: Not connected with a network." msgstr "" -#: ClientCommand.cpp:1233 +#: ClientCommand.cpp:1249 msgid "Unable to reload module {1}: Unknown module type" msgstr "" -#: ClientCommand.cpp:1244 +#: ClientCommand.cpp:1260 msgid "Usage: UpdateMod " msgstr "" -#: ClientCommand.cpp:1248 +#: ClientCommand.cpp:1264 msgid "Reloading {1} everywhere" msgstr "" -#: ClientCommand.cpp:1250 +#: ClientCommand.cpp:1266 msgid "Done" msgstr "" -#: ClientCommand.cpp:1253 +#: ClientCommand.cpp:1269 msgid "" "Done, but there were errors, module {1} could not be reloaded everywhere." msgstr "" -#: ClientCommand.cpp:1261 +#: ClientCommand.cpp:1277 msgid "" "You must be connected with a network to use this command. Try " "SetUserBindHost instead" msgstr "" -#: ClientCommand.cpp:1268 +#: ClientCommand.cpp:1284 msgid "Usage: SetBindHost " msgstr "" -#: ClientCommand.cpp:1273 ClientCommand.cpp:1290 +#: ClientCommand.cpp:1289 ClientCommand.cpp:1306 msgid "You already have this bind host!" msgstr "" -#: ClientCommand.cpp:1278 +#: ClientCommand.cpp:1294 msgid "Set bind host for network {1} to {2}" msgstr "" -#: ClientCommand.cpp:1285 +#: ClientCommand.cpp:1301 msgid "Usage: SetUserBindHost " msgstr "" -#: ClientCommand.cpp:1295 +#: ClientCommand.cpp:1311 msgid "Set default bind host to {1}" msgstr "" -#: ClientCommand.cpp:1301 +#: ClientCommand.cpp:1317 msgid "" "You must be connected with a network to use this command. Try " "ClearUserBindHost instead" msgstr "" -#: ClientCommand.cpp:1306 +#: ClientCommand.cpp:1322 msgid "Bind host cleared for this network." msgstr "" -#: ClientCommand.cpp:1310 +#: ClientCommand.cpp:1326 msgid "Default bind host cleared for your user." msgstr "" -#: ClientCommand.cpp:1313 +#: ClientCommand.cpp:1329 msgid "This user's default bind host not set" msgstr "" -#: ClientCommand.cpp:1315 +#: ClientCommand.cpp:1331 msgid "This user's default bind host is {1}" msgstr "" -#: ClientCommand.cpp:1320 +#: ClientCommand.cpp:1336 msgid "This network's bind host not set" msgstr "" -#: ClientCommand.cpp:1322 +#: ClientCommand.cpp:1338 msgid "This network's default bind host is {1}" msgstr "" -#: ClientCommand.cpp:1336 +#: ClientCommand.cpp:1352 msgid "Usage: PlayBuffer <#chan|query>" msgstr "" -#: ClientCommand.cpp:1344 +#: ClientCommand.cpp:1360 msgid "You are not on {1}" msgstr "" -#: ClientCommand.cpp:1349 +#: ClientCommand.cpp:1365 msgid "You are not on {1} (trying to join)" msgstr "" -#: ClientCommand.cpp:1354 +#: ClientCommand.cpp:1370 msgid "The buffer for channel {1} is empty" msgstr "" -#: ClientCommand.cpp:1363 +#: ClientCommand.cpp:1379 msgid "No active query with {1}" msgstr "" -#: ClientCommand.cpp:1368 +#: ClientCommand.cpp:1384 msgid "The buffer for {1} is empty" msgstr "" -#: ClientCommand.cpp:1384 +#: ClientCommand.cpp:1400 msgid "Usage: ClearBuffer <#chan|query>" msgstr "" -#: ClientCommand.cpp:1403 +#: ClientCommand.cpp:1419 msgid "{1} buffer matching {2} has been cleared" msgid_plural "{1} buffers matching {2} have been cleared" msgstr[0] "" msgstr[1] "" -#: ClientCommand.cpp:1416 +#: ClientCommand.cpp:1432 msgid "All channel buffers have been cleared" msgstr "" -#: ClientCommand.cpp:1425 +#: ClientCommand.cpp:1441 msgid "All query buffers have been cleared" msgstr "" -#: ClientCommand.cpp:1437 +#: ClientCommand.cpp:1453 msgid "All buffers have been cleared" msgstr "" -#: ClientCommand.cpp:1448 +#: ClientCommand.cpp:1464 msgid "Usage: SetBuffer <#chan|query> [linecount]" msgstr "" -#: ClientCommand.cpp:1469 +#: ClientCommand.cpp:1485 msgid "Setting buffer size failed for {1} buffer" msgid_plural "Setting buffer size failed for {1} buffers" msgstr[0] "" msgstr[1] "" -#: ClientCommand.cpp:1472 +#: ClientCommand.cpp:1488 msgid "Maximum buffer size is {1} line" msgid_plural "Maximum buffer size is {1} lines" msgstr[0] "" msgstr[1] "" -#: ClientCommand.cpp:1477 +#: ClientCommand.cpp:1493 msgid "Size of every buffer was set to {1} line" msgid_plural "Size of every buffer was set to {1} lines" msgstr[0] "" msgstr[1] "" -#: ClientCommand.cpp:1487 ClientCommand.cpp:1494 ClientCommand.cpp:1505 -#: ClientCommand.cpp:1514 ClientCommand.cpp:1522 +#: ClientCommand.cpp:1503 ClientCommand.cpp:1510 ClientCommand.cpp:1521 +#: ClientCommand.cpp:1530 ClientCommand.cpp:1538 msgctxt "trafficcmd" msgid "Username" msgstr "" -#: ClientCommand.cpp:1488 ClientCommand.cpp:1495 ClientCommand.cpp:1507 -#: ClientCommand.cpp:1516 ClientCommand.cpp:1524 +#: ClientCommand.cpp:1504 ClientCommand.cpp:1511 ClientCommand.cpp:1523 +#: ClientCommand.cpp:1532 ClientCommand.cpp:1540 msgctxt "trafficcmd" msgid "In" msgstr "" -#: ClientCommand.cpp:1489 ClientCommand.cpp:1497 ClientCommand.cpp:1508 -#: ClientCommand.cpp:1517 ClientCommand.cpp:1525 +#: ClientCommand.cpp:1505 ClientCommand.cpp:1513 ClientCommand.cpp:1524 +#: ClientCommand.cpp:1533 ClientCommand.cpp:1541 msgctxt "trafficcmd" msgid "Out" msgstr "" -#: ClientCommand.cpp:1490 ClientCommand.cpp:1500 ClientCommand.cpp:1510 -#: ClientCommand.cpp:1518 ClientCommand.cpp:1527 +#: ClientCommand.cpp:1506 ClientCommand.cpp:1516 ClientCommand.cpp:1526 +#: ClientCommand.cpp:1534 ClientCommand.cpp:1543 msgctxt "trafficcmd" msgid "Total" msgstr "" -#: ClientCommand.cpp:1506 +#: ClientCommand.cpp:1522 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1515 +#: ClientCommand.cpp:1531 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1523 +#: ClientCommand.cpp:1539 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1532 +#: ClientCommand.cpp:1548 msgid "Running for {1}" msgstr "" -#: ClientCommand.cpp:1538 +#: ClientCommand.cpp:1554 msgid "Unknown command, try 'Help'" msgstr "" -#: ClientCommand.cpp:1547 ClientCommand.cpp:1558 +#: ClientCommand.cpp:1563 ClientCommand.cpp:1574 msgctxt "listports" msgid "Port" msgstr "" -#: ClientCommand.cpp:1548 ClientCommand.cpp:1559 +#: ClientCommand.cpp:1564 ClientCommand.cpp:1577 msgctxt "listports" msgid "BindHost" msgstr "" -#: ClientCommand.cpp:1549 ClientCommand.cpp:1562 +#: ClientCommand.cpp:1565 ClientCommand.cpp:1580 msgctxt "listports" msgid "SSL" msgstr "" -#: ClientCommand.cpp:1550 ClientCommand.cpp:1567 +#: ClientCommand.cpp:1566 ClientCommand.cpp:1585 msgctxt "listports" msgid "Protocol" msgstr "" -#: ClientCommand.cpp:1551 ClientCommand.cpp:1574 +#: ClientCommand.cpp:1567 ClientCommand.cpp:1592 msgctxt "listports" msgid "IRC" msgstr "" -#: ClientCommand.cpp:1552 ClientCommand.cpp:1579 +#: ClientCommand.cpp:1568 ClientCommand.cpp:1597 msgctxt "listports" msgid "Web" msgstr "" -#: ClientCommand.cpp:1563 +#: ClientCommand.cpp:1581 msgctxt "listports|ssl" msgid "yes" msgstr "" -#: ClientCommand.cpp:1564 +#: ClientCommand.cpp:1582 msgctxt "listports|ssl" msgid "no" msgstr "" -#: ClientCommand.cpp:1568 +#: ClientCommand.cpp:1586 msgctxt "listports" msgid "IPv4 and IPv6" msgstr "" -#: ClientCommand.cpp:1570 +#: ClientCommand.cpp:1588 msgctxt "listports" msgid "IPv4" msgstr "" -#: ClientCommand.cpp:1571 +#: ClientCommand.cpp:1589 msgctxt "listports" msgid "IPv6" msgstr "" -#: ClientCommand.cpp:1577 +#: ClientCommand.cpp:1595 msgctxt "listports|irc" msgid "yes" msgstr "" -#: ClientCommand.cpp:1578 +#: ClientCommand.cpp:1596 msgctxt "listports|irc" msgid "no" msgstr "" -#: ClientCommand.cpp:1582 +#: ClientCommand.cpp:1600 msgctxt "listports|irc" msgid "yes, on {1}" msgstr "" -#: ClientCommand.cpp:1584 +#: ClientCommand.cpp:1602 msgctxt "listports|web" msgid "no" msgstr "" -#: ClientCommand.cpp:1624 +#: ClientCommand.cpp:1642 msgid "" "Usage: AddPort <[+]port> [bindhost [uriprefix]]" msgstr "" -#: ClientCommand.cpp:1640 +#: ClientCommand.cpp:1658 msgid "Port added" msgstr "" -#: ClientCommand.cpp:1642 +#: ClientCommand.cpp:1660 msgid "Couldn't add port" msgstr "" -#: ClientCommand.cpp:1648 +#: ClientCommand.cpp:1666 msgid "Usage: DelPort [bindhost]" msgstr "" -#: ClientCommand.cpp:1657 +#: ClientCommand.cpp:1675 msgid "Deleted Port" msgstr "" -#: ClientCommand.cpp:1659 +#: ClientCommand.cpp:1677 msgid "Unable to find a matching port" msgstr "" -#: ClientCommand.cpp:1667 ClientCommand.cpp:1682 +#: ClientCommand.cpp:1685 ClientCommand.cpp:1700 msgctxt "helpcmd" msgid "Command" msgstr "" -#: ClientCommand.cpp:1668 ClientCommand.cpp:1684 +#: ClientCommand.cpp:1686 ClientCommand.cpp:1702 msgctxt "helpcmd" msgid "Description" msgstr "" -#: ClientCommand.cpp:1673 +#: ClientCommand.cpp:1691 msgid "" "In the following list all occurrences of <#chan> support wildcards (* and ?) " "except ListNicks" msgstr "" -#: ClientCommand.cpp:1690 +#: ClientCommand.cpp:1708 msgctxt "helpcmd|Version|desc" msgid "Print which version of ZNC this is" msgstr "" -#: ClientCommand.cpp:1693 +#: ClientCommand.cpp:1711 msgctxt "helpcmd|ListMods|desc" msgid "List all loaded modules" msgstr "" -#: ClientCommand.cpp:1696 +#: ClientCommand.cpp:1714 msgctxt "helpcmd|ListAvailMods|desc" msgid "List all available modules" msgstr "" -#: ClientCommand.cpp:1700 ClientCommand.cpp:1886 +#: ClientCommand.cpp:1718 ClientCommand.cpp:1904 msgctxt "helpcmd|ListChans|desc" msgid "List all channels" msgstr "" -#: ClientCommand.cpp:1703 +#: ClientCommand.cpp:1721 msgctxt "helpcmd|ListNicks|args" msgid "<#chan>" msgstr "" -#: ClientCommand.cpp:1704 +#: ClientCommand.cpp:1722 msgctxt "helpcmd|ListNicks|desc" msgid "List all nicks on a channel" msgstr "" -#: ClientCommand.cpp:1707 +#: ClientCommand.cpp:1725 msgctxt "helpcmd|ListClients|desc" msgid "List all clients connected to your ZNC user" msgstr "" -#: ClientCommand.cpp:1711 +#: ClientCommand.cpp:1729 msgctxt "helpcmd|ListServers|desc" msgid "List all servers of current IRC network" msgstr "" -#: ClientCommand.cpp:1715 +#: ClientCommand.cpp:1733 msgctxt "helpcmd|AddNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1716 +#: ClientCommand.cpp:1734 msgctxt "helpcmd|AddNetwork|desc" msgid "Add a network to your user" msgstr "" -#: ClientCommand.cpp:1718 +#: ClientCommand.cpp:1736 msgctxt "helpcmd|DelNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1719 +#: ClientCommand.cpp:1737 msgctxt "helpcmd|DelNetwork|desc" msgid "Delete a network from your user" msgstr "" -#: ClientCommand.cpp:1721 +#: ClientCommand.cpp:1739 msgctxt "helpcmd|ListNetworks|desc" msgid "List all networks" msgstr "" -#: ClientCommand.cpp:1724 +#: ClientCommand.cpp:1742 msgctxt "helpcmd|MoveNetwork|args" msgid " [new network]" msgstr "" -#: ClientCommand.cpp:1726 +#: ClientCommand.cpp:1744 msgctxt "helpcmd|MoveNetwork|desc" msgid "Move an IRC network from one user to another" msgstr "" -#: ClientCommand.cpp:1730 +#: ClientCommand.cpp:1748 msgctxt "helpcmd|JumpNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1731 +#: ClientCommand.cpp:1749 msgctxt "helpcmd|JumpNetwork|desc" msgid "" "Jump to another network (Alternatively, you can connect to ZNC several " "times, using `user/network` as username)" msgstr "" -#: ClientCommand.cpp:1736 +#: ClientCommand.cpp:1754 msgctxt "helpcmd|AddServer|args" msgid " [[+]port] [pass]" msgstr "" -#: ClientCommand.cpp:1737 +#: ClientCommand.cpp:1755 msgctxt "helpcmd|AddServer|desc" msgid "" "Add a server to the list of alternate/backup servers of current IRC network." msgstr "" -#: ClientCommand.cpp:1741 +#: ClientCommand.cpp:1759 msgctxt "helpcmd|DelServer|args" msgid " [port] [pass]" msgstr "" -#: ClientCommand.cpp:1742 +#: ClientCommand.cpp:1760 msgctxt "helpcmd|DelServer|desc" msgid "" "Remove a server from the list of alternate/backup servers of current IRC " "network" msgstr "" -#: ClientCommand.cpp:1748 +#: ClientCommand.cpp:1766 msgctxt "helpcmd|AddTrustedServerFingerprint|args" msgid "" msgstr "" -#: ClientCommand.cpp:1749 +#: ClientCommand.cpp:1767 msgctxt "helpcmd|AddTrustedServerFingerprint|desc" msgid "" "Add a trusted server SSL certificate fingerprint (SHA-256) to current IRC " "network." msgstr "" -#: ClientCommand.cpp:1754 +#: ClientCommand.cpp:1772 msgctxt "helpcmd|DelTrustedServerFingerprint|args" msgid "" msgstr "" -#: ClientCommand.cpp:1755 +#: ClientCommand.cpp:1773 msgctxt "helpcmd|DelTrustedServerFingerprint|desc" msgid "Delete a trusted server SSL certificate from current IRC network." msgstr "" -#: ClientCommand.cpp:1759 +#: ClientCommand.cpp:1777 msgctxt "helpcmd|ListTrustedServerFingerprints|desc" msgid "List all trusted server SSL certificates of current IRC network." msgstr "" -#: ClientCommand.cpp:1762 +#: ClientCommand.cpp:1780 msgctxt "helpcmd|EnableChan|args" msgid "<#chans>" msgstr "" -#: ClientCommand.cpp:1763 +#: ClientCommand.cpp:1781 msgctxt "helpcmd|EnableChan|desc" msgid "Enable channels" msgstr "" -#: ClientCommand.cpp:1764 +#: ClientCommand.cpp:1782 msgctxt "helpcmd|DisableChan|args" msgid "<#chans>" msgstr "" -#: ClientCommand.cpp:1765 +#: ClientCommand.cpp:1783 msgctxt "helpcmd|DisableChan|desc" msgid "Disable channels" msgstr "" -#: ClientCommand.cpp:1766 +#: ClientCommand.cpp:1784 msgctxt "helpcmd|Attach|args" msgid "<#chans>" msgstr "" -#: ClientCommand.cpp:1767 +#: ClientCommand.cpp:1785 msgctxt "helpcmd|Attach|desc" msgid "Attach to channels" msgstr "" -#: ClientCommand.cpp:1768 +#: ClientCommand.cpp:1786 msgctxt "helpcmd|Detach|args" msgid "<#chans>" msgstr "" -#: ClientCommand.cpp:1769 +#: ClientCommand.cpp:1787 msgctxt "helpcmd|Detach|desc" msgid "Detach from channels" msgstr "" -#: ClientCommand.cpp:1772 +#: ClientCommand.cpp:1790 msgctxt "helpcmd|Topics|desc" msgid "Show topics in all your channels" msgstr "" -#: ClientCommand.cpp:1775 +#: ClientCommand.cpp:1793 msgctxt "helpcmd|PlayBuffer|args" msgid "<#chan|query>" msgstr "" -#: ClientCommand.cpp:1776 +#: ClientCommand.cpp:1794 msgctxt "helpcmd|PlayBuffer|desc" msgid "Play back the specified buffer" msgstr "" -#: ClientCommand.cpp:1778 +#: ClientCommand.cpp:1796 msgctxt "helpcmd|ClearBuffer|args" msgid "<#chan|query>" msgstr "" -#: ClientCommand.cpp:1779 +#: ClientCommand.cpp:1797 msgctxt "helpcmd|ClearBuffer|desc" msgid "Clear the specified buffer" msgstr "" -#: ClientCommand.cpp:1781 +#: ClientCommand.cpp:1799 msgctxt "helpcmd|ClearAllBuffers|desc" msgid "Clear all channel and query buffers" msgstr "" -#: ClientCommand.cpp:1784 +#: ClientCommand.cpp:1802 msgctxt "helpcmd|ClearAllChannelBuffers|desc" msgid "Clear the channel buffers" msgstr "" -#: ClientCommand.cpp:1788 +#: ClientCommand.cpp:1806 msgctxt "helpcmd|ClearAllQueryBuffers|desc" msgid "Clear the query buffers" msgstr "" -#: ClientCommand.cpp:1790 +#: ClientCommand.cpp:1808 msgctxt "helpcmd|SetBuffer|args" msgid "<#chan|query> [linecount]" msgstr "" -#: ClientCommand.cpp:1791 +#: ClientCommand.cpp:1809 msgctxt "helpcmd|SetBuffer|desc" msgid "Set the buffer count" msgstr "" -#: ClientCommand.cpp:1795 +#: ClientCommand.cpp:1813 msgctxt "helpcmd|SetBindHost|args" msgid "" msgstr "" -#: ClientCommand.cpp:1796 +#: ClientCommand.cpp:1814 msgctxt "helpcmd|SetBindHost|desc" msgid "Set the bind host for this network" msgstr "" -#: ClientCommand.cpp:1800 +#: ClientCommand.cpp:1818 msgctxt "helpcmd|SetUserBindHost|args" msgid "" msgstr "" -#: ClientCommand.cpp:1801 +#: ClientCommand.cpp:1819 msgctxt "helpcmd|SetUserBindHost|desc" msgid "Set the default bind host for this user" msgstr "" -#: ClientCommand.cpp:1804 +#: ClientCommand.cpp:1822 msgctxt "helpcmd|ClearBindHost|desc" msgid "Clear the bind host for this network" msgstr "" -#: ClientCommand.cpp:1807 +#: ClientCommand.cpp:1825 msgctxt "helpcmd|ClearUserBindHost|desc" msgid "Clear the default bind host for this user" msgstr "" -#: ClientCommand.cpp:1813 +#: ClientCommand.cpp:1831 msgctxt "helpcmd|ShowBindHost|desc" msgid "Show currently selected bind host" msgstr "" -#: ClientCommand.cpp:1815 +#: ClientCommand.cpp:1833 msgctxt "helpcmd|Jump|args" msgid "[server]" msgstr "" -#: ClientCommand.cpp:1816 +#: ClientCommand.cpp:1834 msgctxt "helpcmd|Jump|desc" msgid "Jump to the next or the specified server" msgstr "" -#: ClientCommand.cpp:1817 +#: ClientCommand.cpp:1835 msgctxt "helpcmd|Disconnect|args" msgid "[message]" msgstr "" -#: ClientCommand.cpp:1818 +#: ClientCommand.cpp:1836 msgctxt "helpcmd|Disconnect|desc" msgid "Disconnect from IRC" msgstr "" -#: ClientCommand.cpp:1820 +#: ClientCommand.cpp:1838 msgctxt "helpcmd|Connect|desc" msgid "Reconnect to IRC" msgstr "" -#: ClientCommand.cpp:1823 +#: ClientCommand.cpp:1841 msgctxt "helpcmd|Uptime|desc" msgid "Show for how long ZNC has been running" msgstr "" -#: ClientCommand.cpp:1827 +#: ClientCommand.cpp:1845 msgctxt "helpcmd|LoadMod|args" msgid "[--type=global|user|network] [args]" msgstr "" -#: ClientCommand.cpp:1829 +#: ClientCommand.cpp:1847 msgctxt "helpcmd|LoadMod|desc" msgid "Load a module" msgstr "" -#: ClientCommand.cpp:1831 +#: ClientCommand.cpp:1849 msgctxt "helpcmd|UnloadMod|args" msgid "[--type=global|user|network] " msgstr "" -#: ClientCommand.cpp:1833 +#: ClientCommand.cpp:1851 msgctxt "helpcmd|UnloadMod|desc" msgid "Unload a module" msgstr "" -#: ClientCommand.cpp:1835 +#: ClientCommand.cpp:1853 msgctxt "helpcmd|ReloadMod|args" msgid "[--type=global|user|network] [args]" msgstr "" -#: ClientCommand.cpp:1837 +#: ClientCommand.cpp:1855 msgctxt "helpcmd|ReloadMod|desc" msgid "Reload a module" msgstr "" -#: ClientCommand.cpp:1840 +#: ClientCommand.cpp:1858 msgctxt "helpcmd|UpdateMod|args" msgid "" msgstr "" -#: ClientCommand.cpp:1841 +#: ClientCommand.cpp:1859 msgctxt "helpcmd|UpdateMod|desc" msgid "Reload a module everywhere" msgstr "" -#: ClientCommand.cpp:1847 +#: ClientCommand.cpp:1865 msgctxt "helpcmd|ShowMOTD|desc" msgid "Show ZNC's message of the day" msgstr "" -#: ClientCommand.cpp:1851 +#: ClientCommand.cpp:1869 msgctxt "helpcmd|SetMOTD|args" msgid "" msgstr "" -#: ClientCommand.cpp:1852 +#: ClientCommand.cpp:1870 msgctxt "helpcmd|SetMOTD|desc" msgid "Set ZNC's message of the day" msgstr "" -#: ClientCommand.cpp:1854 +#: ClientCommand.cpp:1872 msgctxt "helpcmd|AddMOTD|args" msgid "" msgstr "" -#: ClientCommand.cpp:1855 +#: ClientCommand.cpp:1873 msgctxt "helpcmd|AddMOTD|desc" msgid "Append to ZNC's MOTD" msgstr "" -#: ClientCommand.cpp:1857 +#: ClientCommand.cpp:1875 msgctxt "helpcmd|ClearMOTD|desc" msgid "Clear ZNC's MOTD" msgstr "" -#: ClientCommand.cpp:1860 +#: ClientCommand.cpp:1878 msgctxt "helpcmd|ListPorts|desc" msgid "Show all active listeners" msgstr "" -#: ClientCommand.cpp:1862 +#: ClientCommand.cpp:1880 msgctxt "helpcmd|AddPort|args" msgid "<[+]port> [bindhost [uriprefix]]" msgstr "" -#: ClientCommand.cpp:1865 +#: ClientCommand.cpp:1883 msgctxt "helpcmd|AddPort|desc" msgid "Add another port for ZNC to listen on" msgstr "" -#: ClientCommand.cpp:1869 +#: ClientCommand.cpp:1887 msgctxt "helpcmd|DelPort|args" msgid " [bindhost]" msgstr "" -#: ClientCommand.cpp:1870 +#: ClientCommand.cpp:1888 msgctxt "helpcmd|DelPort|desc" msgid "Remove a port from ZNC" msgstr "" -#: ClientCommand.cpp:1873 +#: ClientCommand.cpp:1891 msgctxt "helpcmd|Rehash|desc" msgid "Reload global settings, modules, and listeners from znc.conf" msgstr "" -#: ClientCommand.cpp:1876 +#: ClientCommand.cpp:1894 msgctxt "helpcmd|SaveConfig|desc" msgid "Save the current settings to disk" msgstr "" -#: ClientCommand.cpp:1879 +#: ClientCommand.cpp:1897 msgctxt "helpcmd|ListUsers|desc" msgid "List all ZNC users and their connection status" msgstr "" -#: ClientCommand.cpp:1882 +#: ClientCommand.cpp:1900 msgctxt "helpcmd|ListAllUserNetworks|desc" msgid "List all ZNC users and their networks" msgstr "" -#: ClientCommand.cpp:1885 +#: ClientCommand.cpp:1903 msgctxt "helpcmd|ListChans|args" msgid "[user ]" msgstr "" -#: ClientCommand.cpp:1888 +#: ClientCommand.cpp:1906 msgctxt "helpcmd|ListClients|args" msgid "[user]" msgstr "" -#: ClientCommand.cpp:1889 +#: ClientCommand.cpp:1907 msgctxt "helpcmd|ListClients|desc" msgid "List all connected clients" msgstr "" -#: ClientCommand.cpp:1891 +#: ClientCommand.cpp:1909 msgctxt "helpcmd|Traffic|desc" msgid "Show basic traffic stats for all ZNC users" msgstr "" -#: ClientCommand.cpp:1893 +#: ClientCommand.cpp:1911 msgctxt "helpcmd|Broadcast|args" msgid "[message]" msgstr "" -#: ClientCommand.cpp:1894 +#: ClientCommand.cpp:1912 msgctxt "helpcmd|Broadcast|desc" msgid "Broadcast a message to all ZNC users" msgstr "" -#: ClientCommand.cpp:1897 +#: ClientCommand.cpp:1915 msgctxt "helpcmd|Shutdown|args" msgid "[message]" msgstr "" -#: ClientCommand.cpp:1898 +#: ClientCommand.cpp:1916 msgctxt "helpcmd|Shutdown|desc" msgid "Shut down ZNC completely" msgstr "" -#: ClientCommand.cpp:1899 +#: ClientCommand.cpp:1917 msgctxt "helpcmd|Restart|args" msgid "[message]" msgstr "" -#: ClientCommand.cpp:1900 +#: ClientCommand.cpp:1918 msgctxt "helpcmd|Restart|desc" msgid "Restart ZNC" msgstr "" diff --git a/src/po/znc.de_DE.po b/src/po/znc.de_DE.po index c4df6fba..7e8bbf1f 100644 --- a/src/po/znc.de_DE.po +++ b/src/po/znc.de_DE.po @@ -75,7 +75,7 @@ msgstr "Kann PEM-Datei nicht finden: {1}" msgid "Invalid port" msgstr "Ungültiger Port" -#: znc.cpp:1813 ClientCommand.cpp:1637 +#: znc.cpp:1813 ClientCommand.cpp:1655 msgid "Unable to bind: {1}" msgstr "Kann nicht horchen: {1}" @@ -116,70 +116,70 @@ msgstr "" msgid "Some module aborted the connection attempt" msgstr "Ein Modul hat den Verbindungsversuch abgebrochen" -#: IRCSock.cpp:490 +#: IRCSock.cpp:492 msgid "Error from server: {1}" msgstr "Fehler vom Server: {1}" -#: IRCSock.cpp:692 +#: IRCSock.cpp:694 msgid "ZNC seems to be connected to itself, disconnecting..." msgstr "ZNC scheint zu sich selbst verbunden zu sein, trenne die Verbindung..." -#: IRCSock.cpp:739 +#: IRCSock.cpp:741 msgid "Server {1} redirects us to {2}:{3} with reason: {4}" msgstr "Der Server {1} hat uns zu {2}:{3} umgeleitet mit der Begründung: {4}" -#: IRCSock.cpp:743 +#: IRCSock.cpp:745 msgid "Perhaps you want to add it as a new server." msgstr "Vielleicht möchtest du dies als einen neuen Server hinzufügen." -#: IRCSock.cpp:973 +#: IRCSock.cpp:975 msgid "Channel {1} is linked to another channel and was thus disabled." msgstr "" "Kanal {1} ist mit einem anderen Kanal verbunden und wurde daher deaktiviert." -#: IRCSock.cpp:985 +#: IRCSock.cpp:987 msgid "Switched to SSL (STARTTLS)" msgstr "Zu SSL gewechselt (STARTTLS)" -#: IRCSock.cpp:1038 +#: IRCSock.cpp:1040 msgid "You quit: {1}" msgstr "Du hast die Verbindung getrennt: {1}" -#: IRCSock.cpp:1244 +#: IRCSock.cpp:1246 msgid "Disconnected from IRC. Reconnecting..." msgstr "IRC-Verbindung getrennt. Verbinde erneut..." -#: IRCSock.cpp:1275 +#: IRCSock.cpp:1277 msgid "Cannot connect to IRC ({1}). Retrying..." msgstr "Kann nicht mit IRC verbinden ({1}). Versuche es erneut..." -#: IRCSock.cpp:1278 +#: IRCSock.cpp:1280 msgid "Disconnected from IRC ({1}). Reconnecting..." msgstr "IRC-Verbindung getrennt ({1}). Verbinde erneut..." -#: IRCSock.cpp:1314 +#: IRCSock.cpp:1316 msgid "If you trust this certificate, do /znc AddTrustedServerFingerprint {1}" msgstr "" "Falls du diesem Zertifikat vertraust, mache /znc AddTrustedServerFingerprint " "{1}" -#: IRCSock.cpp:1323 +#: IRCSock.cpp:1325 msgid "IRC connection timed out. Reconnecting..." msgstr "Zeitüberschreitung der IRC-Verbindung. Verbinde erneut..." -#: IRCSock.cpp:1335 +#: IRCSock.cpp:1337 msgid "Connection Refused. Reconnecting..." msgstr "Verbindung abgelehnt. Verbinde erneut..." -#: IRCSock.cpp:1343 +#: IRCSock.cpp:1345 msgid "Received a too long line from the IRC server!" msgstr "Eine zu lange Zeile wurde vom IRC-Server empfangen!" -#: IRCSock.cpp:1447 +#: IRCSock.cpp:1449 msgid "No free nick available" msgstr "Kein freier Nick verfügbar" -#: IRCSock.cpp:1455 +#: IRCSock.cpp:1457 msgid "No free nick found" msgstr "Kein freier Nick gefunden" @@ -244,50 +244,51 @@ msgstr "" "Deine Verbindung wird getrennt, da ein anderen Benutzer sich als dich " "angemeldet hat." -#: Client.cpp:1021 +#: Client.cpp:1022 msgid "Your CTCP to {1} got lost, you are not connected to IRC!" msgstr "Dein CTCP an {1} wurde verloren, du bist nicht mit dem IRC verbunden!" -#: Client.cpp:1147 +#: Client.cpp:1148 msgid "Your notice to {1} got lost, you are not connected to IRC!" msgstr "" "Deine Benachrichtigung an {1} wurde verloren, du bist nicht mit dem IRC " "verbunden!" -#: Client.cpp:1186 +#: Client.cpp:1187 msgid "Removing channel {1}" msgstr "Entferne Kanal {1}" -#: Client.cpp:1264 +#: Client.cpp:1265 msgid "Your message to {1} got lost, you are not connected to IRC!" msgstr "" "Deine Nachricht an {1} wurde verloren, du bist nicht mit dem IRC verbunden!" -#: Client.cpp:1317 Client.cpp:1323 +#: Client.cpp:1318 Client.cpp:1324 msgid "Hello. How may I help you?" msgstr "Hallo. Wie kann ich dir helfen?" -#: Client.cpp:1337 +#: Client.cpp:1338 msgid "Usage: /attach <#chans>" msgstr "Verwendung: /attach <#Kanal>" -#: Client.cpp:1344 Client.cpp:1366 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: Client.cpp:1345 Client.cpp:1367 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: ClientCommand.cpp:423 ClientCommand.cpp:450 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" msgstr[0] "Es gibt einen Kanal, der auf [{2}] passt" msgstr[1] "Es gibt {1} Kanäle, die auf [{2}] passen" -#: Client.cpp:1347 ClientCommand.cpp:132 +#: Client.cpp:1348 ClientCommand.cpp:132 msgid "Attached {1} channel" msgid_plural "Attached {1} channels" msgstr[0] "Zu {1} Kanal verbunden" msgstr[1] "Zu {1} Kanälen verbunden" -#: Client.cpp:1359 +#: Client.cpp:1360 msgid "Usage: /detach <#chans>" msgstr "Verwendung: /detach <#Kanäle>" -#: Client.cpp:1369 ClientCommand.cpp:154 +#: Client.cpp:1370 ClientCommand.cpp:154 msgid "Detached {1} channel" msgid_plural "Detached {1} channels" msgstr[0] "Von {1} Kanal getrennt" @@ -311,7 +312,7 @@ msgctxt "modhelpcmd" msgid "Generate this output" msgstr "Erzeuge diese Ausgabe" -#: Modules.cpp:573 ClientCommand.cpp:1904 +#: Modules.cpp:573 ClientCommand.cpp:1922 msgid "No matches for '{1}'" msgstr "Keine Treffer für '{1}'" @@ -422,11 +423,12 @@ msgid "Description" msgstr "Beschreibung" #: ClientCommand.cpp:51 ClientCommand.cpp:115 ClientCommand.cpp:137 -#: ClientCommand.cpp:749 ClientCommand.cpp:768 ClientCommand.cpp:794 -#: ClientCommand.cpp:827 ClientCommand.cpp:840 ClientCommand.cpp:853 -#: ClientCommand.cpp:868 ClientCommand.cpp:1329 ClientCommand.cpp:1377 -#: ClientCommand.cpp:1409 ClientCommand.cpp:1420 ClientCommand.cpp:1429 -#: ClientCommand.cpp:1441 +#: ClientCommand.cpp:339 ClientCommand.cpp:390 ClientCommand.cpp:405 +#: ClientCommand.cpp:432 ClientCommand.cpp:459 ClientCommand.cpp:764 +#: ClientCommand.cpp:783 ClientCommand.cpp:809 ClientCommand.cpp:843 +#: ClientCommand.cpp:856 ClientCommand.cpp:869 ClientCommand.cpp:884 +#: ClientCommand.cpp:1345 ClientCommand.cpp:1393 ClientCommand.cpp:1425 +#: ClientCommand.cpp:1436 ClientCommand.cpp:1445 ClientCommand.cpp:1457 msgid "You must be connected with a network to use this command" msgstr "" "Sie müssen mit einem Netzwerk verbunden sein um diesen Befehl zu verwenden" @@ -487,87 +489,248 @@ msgstr "Konfiguration nach {1} geschrieben" msgid "Error while trying to write config." msgstr "Fehler beim Schreiben der Konfiguration." -#: ClientCommand.cpp:455 +#: ClientCommand.cpp:183 +msgid "Usage: ListClients" +msgstr "" + +#: ClientCommand.cpp:190 +msgid "No such user: {1}" +msgstr "" + +#: ClientCommand.cpp:198 +msgid "No clients are connected" +msgstr "" + +#: ClientCommand.cpp:203 ClientCommand.cpp:209 +msgctxt "listclientscmd" +msgid "Host" +msgstr "" + +#: ClientCommand.cpp:204 ClientCommand.cpp:212 +msgctxt "listclientscmd" +msgid "Network" +msgstr "" + +#: ClientCommand.cpp:205 ClientCommand.cpp:215 +msgctxt "listclientscmd" +msgid "Identifier" +msgstr "" + +#: ClientCommand.cpp:223 ClientCommand.cpp:229 +msgctxt "listuserscmd" +msgid "Username" +msgstr "" + +#: ClientCommand.cpp:224 ClientCommand.cpp:230 +msgctxt "listuserscmd" +msgid "Networks" +msgstr "" + +#: ClientCommand.cpp:225 ClientCommand.cpp:232 +msgctxt "listuserscmd" +msgid "Clients" +msgstr "" + +#: ClientCommand.cpp:240 ClientCommand.cpp:250 ClientCommand.cpp:260 +#: ClientCommand.cpp:263 +msgctxt "listallusernetworkscmd" +msgid "Username" +msgstr "" + +#: ClientCommand.cpp:241 ClientCommand.cpp:251 ClientCommand.cpp:266 +msgctxt "listallusernetworkscmd" +msgid "Network" +msgstr "" + +#: ClientCommand.cpp:242 ClientCommand.cpp:252 ClientCommand.cpp:268 +msgctxt "listallusernetworkscmd" +msgid "Clients" +msgstr "" + +#: ClientCommand.cpp:243 ClientCommand.cpp:271 ClientCommand.cpp:280 +msgctxt "listallusernetworkscmd" +msgid "On IRC" +msgstr "" + +#: ClientCommand.cpp:244 ClientCommand.cpp:273 +msgctxt "listallusernetworkscmd" +msgid "IRC Server" +msgstr "" + +#: ClientCommand.cpp:245 ClientCommand.cpp:275 +msgctxt "listallusernetworkscmd" +msgid "IRC User" +msgstr "" + +#: ClientCommand.cpp:246 ClientCommand.cpp:277 +msgctxt "listallusernetworkscmd" +msgid "Channels" +msgstr "" + +#: ClientCommand.cpp:251 +msgid "N/A" +msgstr "" + +#: ClientCommand.cpp:272 +msgctxt "listallusernetworkscmd" +msgid "Yes" +msgstr "" + +#: ClientCommand.cpp:281 +msgctxt "listallusernetworkscmd" +msgid "No" +msgstr "" + +#: ClientCommand.cpp:291 +msgid "Usage: SetMOTD " +msgstr "" + +#: ClientCommand.cpp:294 +msgid "MOTD set to: {1}" +msgstr "" + +#: ClientCommand.cpp:300 +msgid "Usage: AddMOTD " +msgstr "" + +#: ClientCommand.cpp:303 +msgid "Added [{1}] to MOTD" +msgstr "" + +#: ClientCommand.cpp:307 +msgid "Cleared MOTD" +msgstr "" + +#: ClientCommand.cpp:329 +msgid "" +"ERROR: Writing config file to disk failed! Aborting. Use {1} FORCE to ignore." +msgstr "" + +#: ClientCommand.cpp:344 ClientCommand.cpp:797 ClientCommand.cpp:838 +msgid "You don't have any servers added." +msgstr "Du hast keine Server hinzugefügt." + +#: ClientCommand.cpp:355 +msgid "Server [{1}] not found" +msgstr "" + +#: ClientCommand.cpp:375 ClientCommand.cpp:380 +msgid "Connecting to {1}..." +msgstr "" + +#: ClientCommand.cpp:377 +msgid "Jumping to the next server in the list..." +msgstr "" + +#: ClientCommand.cpp:382 +msgid "Connecting..." +msgstr "" + +#: ClientCommand.cpp:400 +msgid "Disconnected from IRC. Use 'connect' to reconnect." +msgstr "" + +#: ClientCommand.cpp:412 +msgid "Usage: EnableChan <#chans>" +msgstr "" + +#: ClientCommand.cpp:426 +msgid "Enabled {1} channel" +msgid_plural "Enabled {1} channels" +msgstr[0] "" +msgstr[1] "" + +#: ClientCommand.cpp:439 +msgid "Usage: DisableChan <#chans>" +msgstr "" + +#: ClientCommand.cpp:453 +msgid "Disabled {1} channel" +msgid_plural "Disabled {1} channels" +msgstr[0] "" +msgstr[1] "" + +#: ClientCommand.cpp:470 msgid "Usage: ListChans" msgstr "Verwendung: ListChans" -#: ClientCommand.cpp:462 +#: ClientCommand.cpp:477 msgid "No such user [{1}]" msgstr "Kein solcher Benutzer [{1}]" -#: ClientCommand.cpp:468 +#: ClientCommand.cpp:483 msgid "User [{1}] doesn't have network [{2}]" msgstr "Benutzer [{1}] hat kein Netzwerk [{2}]" -#: ClientCommand.cpp:479 +#: ClientCommand.cpp:494 msgid "There are no channels defined." msgstr "Es wurden noch keine Kanäle definiert." -#: ClientCommand.cpp:484 ClientCommand.cpp:500 +#: ClientCommand.cpp:499 ClientCommand.cpp:515 msgctxt "listchans" msgid "Name" msgstr "Name" -#: ClientCommand.cpp:485 ClientCommand.cpp:503 +#: ClientCommand.cpp:500 ClientCommand.cpp:518 msgctxt "listchans" msgid "Status" msgstr "Status" -#: ClientCommand.cpp:486 ClientCommand.cpp:510 +#: ClientCommand.cpp:501 ClientCommand.cpp:525 msgctxt "listchans" msgid "In config" msgstr "In Konfig" -#: ClientCommand.cpp:487 ClientCommand.cpp:512 +#: ClientCommand.cpp:502 ClientCommand.cpp:527 msgctxt "listchans" msgid "Buffer" msgstr "Puffer" -#: ClientCommand.cpp:488 ClientCommand.cpp:516 +#: ClientCommand.cpp:503 ClientCommand.cpp:531 msgctxt "listchans" msgid "Clear" msgstr "Lösche" -#: ClientCommand.cpp:489 ClientCommand.cpp:521 +#: ClientCommand.cpp:504 ClientCommand.cpp:536 msgctxt "listchans" msgid "Modes" msgstr "Modi" -#: ClientCommand.cpp:490 ClientCommand.cpp:522 +#: ClientCommand.cpp:505 ClientCommand.cpp:537 msgctxt "listchans" msgid "Users" msgstr "Benutzer" -#: ClientCommand.cpp:505 +#: ClientCommand.cpp:520 msgctxt "listchans" msgid "Detached" msgstr "Getrennt" -#: ClientCommand.cpp:506 +#: ClientCommand.cpp:521 msgctxt "listchans" msgid "Joined" msgstr "Betreten" -#: ClientCommand.cpp:507 +#: ClientCommand.cpp:522 msgctxt "listchans" msgid "Disabled" msgstr "Deaktiviert" -#: ClientCommand.cpp:508 +#: ClientCommand.cpp:523 msgctxt "listchans" msgid "Trying" msgstr "Versuche" -#: ClientCommand.cpp:511 ClientCommand.cpp:519 +#: ClientCommand.cpp:526 ClientCommand.cpp:534 msgctxt "listchans" msgid "yes" msgstr "ja" -#: ClientCommand.cpp:536 +#: ClientCommand.cpp:551 msgid "Total: {1}, Joined: {2}, Detached: {3}, Disabled: {4}" msgstr "Gesamt: {1}, Betreten: {2}, Getrennt: {3}, Deaktiviert: {4}" -#: ClientCommand.cpp:541 +#: ClientCommand.cpp:556 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks using /znc DelNetwork " @@ -575,15 +738,15 @@ msgstr "" "Netzwerk-Anzahl-Limit erreicht. Bitte einen Administrator deinen Grenzwert " "zu erhöhen, oder lösche nicht benötigte Netzwerke mit /znc DelNetwork " -#: ClientCommand.cpp:550 +#: ClientCommand.cpp:565 msgid "Usage: AddNetwork " msgstr "Verwendung: AddNetwork " -#: ClientCommand.cpp:554 +#: ClientCommand.cpp:569 msgid "Network name should be alphanumeric" msgstr "Netzwerknamen müssen alphanumerisch sein" -#: ClientCommand.cpp:561 +#: ClientCommand.cpp:576 msgid "" "Network added. Use /znc JumpNetwork {1}, or connect to ZNC with username {2} " "(instead of just {3}) to connect to it." @@ -591,141 +754,141 @@ msgstr "" "Netzwerk hinzugefügt. Verwende /znc JumpNetwork {1}, oder verbinde dich zu " "ZNC mit Benutzername {2} (statt nur {3}) um mit dem Netzwerk zu verbinden." -#: ClientCommand.cpp:566 +#: ClientCommand.cpp:581 msgid "Unable to add that network" msgstr "Dieses Netzwerk kann nicht hinzugefügt werden" -#: ClientCommand.cpp:573 +#: ClientCommand.cpp:588 msgid "Usage: DelNetwork " msgstr "Verwendung: DelNetwork " -#: ClientCommand.cpp:582 +#: ClientCommand.cpp:597 msgid "Network deleted" msgstr "Netzwerk gelöscht" -#: ClientCommand.cpp:585 +#: ClientCommand.cpp:600 msgid "Failed to delete network, perhaps this network doesn't exist" msgstr "Kann das Netzwerk nicht löschen, vielleicht existiert es nicht" -#: ClientCommand.cpp:595 +#: ClientCommand.cpp:610 msgid "User {1} not found" msgstr "Benutzer {1} nicht gefunden" -#: ClientCommand.cpp:603 ClientCommand.cpp:611 +#: ClientCommand.cpp:618 ClientCommand.cpp:626 msgctxt "listnetworks" msgid "Network" msgstr "Netzwerk" -#: ClientCommand.cpp:604 ClientCommand.cpp:613 ClientCommand.cpp:622 +#: ClientCommand.cpp:619 ClientCommand.cpp:628 ClientCommand.cpp:637 msgctxt "listnetworks" msgid "On IRC" msgstr "Im IRC" -#: ClientCommand.cpp:605 ClientCommand.cpp:615 +#: ClientCommand.cpp:620 ClientCommand.cpp:630 msgctxt "listnetworks" msgid "IRC Server" msgstr "IRC-Server" -#: ClientCommand.cpp:606 ClientCommand.cpp:617 +#: ClientCommand.cpp:621 ClientCommand.cpp:632 msgctxt "listnetworks" msgid "IRC User" msgstr "IRC-Benutzer" -#: ClientCommand.cpp:607 ClientCommand.cpp:619 +#: ClientCommand.cpp:622 ClientCommand.cpp:634 msgctxt "listnetworks" msgid "Channels" msgstr "Kanäle" -#: ClientCommand.cpp:614 +#: ClientCommand.cpp:629 msgctxt "listnetworks" msgid "Yes" msgstr "Ja" -#: ClientCommand.cpp:623 +#: ClientCommand.cpp:638 msgctxt "listnetworks" msgid "No" msgstr "Nein" -#: ClientCommand.cpp:628 +#: ClientCommand.cpp:643 msgctxt "listnetworks" msgid "No networks" msgstr "Keine Netzwerke" -#: ClientCommand.cpp:632 ClientCommand.cpp:936 +#: ClientCommand.cpp:647 ClientCommand.cpp:952 msgid "Access denied." msgstr "Zugriff verweigert." -#: ClientCommand.cpp:643 +#: ClientCommand.cpp:658 msgid "Usage: MoveNetwork [new network]" msgstr "" "Verwendung: MoveNetwork " "[neues Netzwerk]" -#: ClientCommand.cpp:653 +#: ClientCommand.cpp:668 msgid "Old user {1} not found." msgstr "Alter Benutzer {1} nicht gefunden." -#: ClientCommand.cpp:659 +#: ClientCommand.cpp:674 msgid "Old network {1} not found." msgstr "Altes Netzwerk {1} nicht gefunden." -#: ClientCommand.cpp:665 +#: ClientCommand.cpp:680 msgid "New user {1} not found." msgstr "Neuer Benutzer {1} nicht gefunden." -#: ClientCommand.cpp:670 +#: ClientCommand.cpp:685 msgid "User {1} already has network {2}." msgstr "Benutzer {1} hat bereits ein Netzwerk {2}." -#: ClientCommand.cpp:676 +#: ClientCommand.cpp:691 msgid "Invalid network name [{1}]" msgstr "Ungültiger Netzwerkname [{1}]" -#: ClientCommand.cpp:692 +#: ClientCommand.cpp:707 msgid "Some files seem to be in {1}. You might want to move them to {2}" msgstr "" "Einige Dateien scheinen in {1} zu sein. Du könntest sie nach {2} verschieben " "wollen" -#: ClientCommand.cpp:706 +#: ClientCommand.cpp:721 msgid "Error adding network: {1}" msgstr "Fehler beim Netzwerk-Hinzufügen: {1}" -#: ClientCommand.cpp:718 +#: ClientCommand.cpp:733 msgid "Success." msgstr "Geschafft." -#: ClientCommand.cpp:721 +#: ClientCommand.cpp:736 msgid "Copied the network to new user, but failed to delete old network" msgstr "" "Das Netzwerk wurde zum neuen Benutzer kopiert, aber das alte Netzwerk konnte " "nicht gelöscht werden" -#: ClientCommand.cpp:728 +#: ClientCommand.cpp:743 msgid "No network supplied." msgstr "Kein Netzwerk angegeben." -#: ClientCommand.cpp:733 +#: ClientCommand.cpp:748 msgid "You are already connected with this network." msgstr "Du bist bereits mit diesem Netzwerk verbunden." -#: ClientCommand.cpp:739 +#: ClientCommand.cpp:754 msgid "Switched to {1}" msgstr "Zu {1} gewechselt" -#: ClientCommand.cpp:742 +#: ClientCommand.cpp:757 msgid "You don't have a network named {1}" msgstr "Du hast kein Netzwerk namens {1}" -#: ClientCommand.cpp:754 +#: ClientCommand.cpp:769 msgid "Usage: AddServer [[+]port] [pass]" msgstr "Verwendung: AddServer [[+]Port] [Pass]" -#: ClientCommand.cpp:759 +#: ClientCommand.cpp:774 msgid "Server added" msgstr "Server hinzugefügt" -#: ClientCommand.cpp:762 +#: ClientCommand.cpp:777 msgid "" "Unable to add that server. Perhaps the server is already added or openssl is " "disabled?" @@ -733,241 +896,237 @@ msgstr "" "Kann den Server nicht hinzufügen. Vielleicht ist dieser Server bereits " "hinzugefügt oder openssl ist deaktiviert?" -#: ClientCommand.cpp:777 +#: ClientCommand.cpp:792 msgid "Usage: DelServer [port] [pass]" msgstr "Verwendung: DelServer [Port] [Pass]" -#: ClientCommand.cpp:782 ClientCommand.cpp:822 -msgid "You don't have any servers added." -msgstr "Du hast keine Server hinzugefügt." - -#: ClientCommand.cpp:787 +#: ClientCommand.cpp:802 msgid "Server removed" msgstr "Server entfernt" -#: ClientCommand.cpp:789 +#: ClientCommand.cpp:804 msgid "No such server" msgstr "Kein solcher Server" -#: ClientCommand.cpp:802 ClientCommand.cpp:809 +#: ClientCommand.cpp:817 ClientCommand.cpp:825 msgctxt "listservers" msgid "Host" msgstr "Host" -#: ClientCommand.cpp:803 ClientCommand.cpp:811 +#: ClientCommand.cpp:818 ClientCommand.cpp:827 msgctxt "listservers" msgid "Port" msgstr "Port" -#: ClientCommand.cpp:804 ClientCommand.cpp:814 +#: ClientCommand.cpp:819 ClientCommand.cpp:830 msgctxt "listservers" msgid "SSL" msgstr "SSL" -#: ClientCommand.cpp:805 ClientCommand.cpp:816 +#: ClientCommand.cpp:820 ClientCommand.cpp:832 msgctxt "listservers" msgid "Password" msgstr "Passwort" -#: ClientCommand.cpp:815 +#: ClientCommand.cpp:831 msgctxt "listservers|cell" msgid "SSL" msgstr "SSL" -#: ClientCommand.cpp:832 +#: ClientCommand.cpp:848 msgid "Usage: AddTrustedServerFingerprint " msgstr "Verwendung: AddTrustedServerFingerprint " -#: ClientCommand.cpp:836 ClientCommand.cpp:849 +#: ClientCommand.cpp:852 ClientCommand.cpp:865 msgid "Done." msgstr "Erledigt." -#: ClientCommand.cpp:845 +#: ClientCommand.cpp:861 msgid "Usage: DelTrustedServerFingerprint " msgstr "Verwendung: DelTrustedServerFingerprint " -#: ClientCommand.cpp:858 +#: ClientCommand.cpp:874 msgid "No fingerprints added." msgstr "Keine Fingerabdrücke hinzugefügt." -#: ClientCommand.cpp:874 ClientCommand.cpp:880 +#: ClientCommand.cpp:890 ClientCommand.cpp:896 msgctxt "topicscmd" msgid "Channel" msgstr "Kanal" -#: ClientCommand.cpp:875 ClientCommand.cpp:881 +#: ClientCommand.cpp:891 ClientCommand.cpp:897 msgctxt "topicscmd" msgid "Set By" msgstr "Gesetzt von" -#: ClientCommand.cpp:876 ClientCommand.cpp:882 +#: ClientCommand.cpp:892 ClientCommand.cpp:898 msgctxt "topicscmd" msgid "Topic" msgstr "Thema" -#: ClientCommand.cpp:889 ClientCommand.cpp:894 +#: ClientCommand.cpp:905 ClientCommand.cpp:910 msgctxt "listmods" msgid "Name" msgstr "Name" -#: ClientCommand.cpp:890 ClientCommand.cpp:895 +#: ClientCommand.cpp:906 ClientCommand.cpp:911 msgctxt "listmods" msgid "Arguments" msgstr "Argumente" -#: ClientCommand.cpp:904 +#: ClientCommand.cpp:920 msgid "No global modules loaded." msgstr "Keine globalen Module geladen." -#: ClientCommand.cpp:906 ClientCommand.cpp:970 +#: ClientCommand.cpp:922 ClientCommand.cpp:986 msgid "Global modules:" msgstr "Globale Module:" -#: ClientCommand.cpp:915 +#: ClientCommand.cpp:931 msgid "Your user has no modules loaded." msgstr "Dein Benutzer hat keine Module geladen." -#: ClientCommand.cpp:917 ClientCommand.cpp:982 +#: ClientCommand.cpp:933 ClientCommand.cpp:998 msgid "User modules:" msgstr "Benutzer-Module:" -#: ClientCommand.cpp:925 +#: ClientCommand.cpp:941 msgid "This network has no modules loaded." msgstr "Dieses Netzwerk hat keine Module geladen." -#: ClientCommand.cpp:927 ClientCommand.cpp:994 +#: ClientCommand.cpp:943 ClientCommand.cpp:1010 msgid "Network modules:" msgstr "Netzwerk-Module:" -#: ClientCommand.cpp:942 ClientCommand.cpp:949 +#: ClientCommand.cpp:958 ClientCommand.cpp:965 msgctxt "listavailmods" msgid "Name" msgstr "Name" -#: ClientCommand.cpp:943 ClientCommand.cpp:954 +#: ClientCommand.cpp:959 ClientCommand.cpp:970 msgctxt "listavailmods" msgid "Description" msgstr "Beschreibung" -#: ClientCommand.cpp:968 +#: ClientCommand.cpp:984 msgid "No global modules available." msgstr "Keine globalen Module verfügbar." -#: ClientCommand.cpp:980 +#: ClientCommand.cpp:996 msgid "No user modules available." msgstr "Keine Benutzer-Module verfügbar." -#: ClientCommand.cpp:992 +#: ClientCommand.cpp:1008 msgid "No network modules available." msgstr "Keine Netzwerk-Module verfügbar." -#: ClientCommand.cpp:1020 +#: ClientCommand.cpp:1036 msgid "Unable to load {1}: Access denied." msgstr "Kann {1} nicht laden: Zugriff verweigert." -#: ClientCommand.cpp:1026 +#: ClientCommand.cpp:1042 msgid "Usage: LoadMod [--type=global|user|network] [args]" msgstr "Verwendung: LoadMod [--type=global|user|network] [Argumente]" -#: ClientCommand.cpp:1033 +#: ClientCommand.cpp:1049 msgid "Unable to load {1}: {2}" msgstr "Kann {1} nicht laden: {2}" -#: ClientCommand.cpp:1043 +#: ClientCommand.cpp:1059 msgid "Unable to load global module {1}: Access denied." msgstr "Kann globales Modul {1} nicht laden: Zugriff verweigert." -#: ClientCommand.cpp:1049 +#: ClientCommand.cpp:1065 msgid "Unable to load network module {1}: Not connected with a network." msgstr "" "Kann Netzwerk-Module {1} nicht laden: Nicht mit einem Netzwerk verbunden." -#: ClientCommand.cpp:1071 +#: ClientCommand.cpp:1087 msgid "Unknown module type" msgstr "Unbekannter Modul-Typ" -#: ClientCommand.cpp:1076 +#: ClientCommand.cpp:1092 msgid "Loaded module {1}" msgstr "Module {1} geladen" -#: ClientCommand.cpp:1078 +#: ClientCommand.cpp:1094 msgid "Loaded module {1}: {2}" msgstr "Modul {1} geladen: {2}" -#: ClientCommand.cpp:1081 +#: ClientCommand.cpp:1097 msgid "Unable to load module {1}: {2}" msgstr "Kann Modul {1} nicht laden: {2}" -#: ClientCommand.cpp:1104 +#: ClientCommand.cpp:1120 msgid "Unable to unload {1}: Access denied." msgstr "Kann Modul {1} nicht entladen: Zugriff verweigert." -#: ClientCommand.cpp:1110 +#: ClientCommand.cpp:1126 msgid "Usage: UnloadMod [--type=global|user|network] " msgstr "Verwendung: UnloadMod [--type=global|user|network] " -#: ClientCommand.cpp:1119 +#: ClientCommand.cpp:1135 msgid "Unable to determine type of {1}: {2}" msgstr "Kann Typ von {1} nicht feststellen: {2}" -#: ClientCommand.cpp:1127 +#: ClientCommand.cpp:1143 msgid "Unable to unload global module {1}: Access denied." msgstr "Kann globales Modul {1} nicht entladen: Zugriff verweigert." -#: ClientCommand.cpp:1134 +#: ClientCommand.cpp:1150 msgid "Unable to unload network module {1}: Not connected with a network." msgstr "" "Kann Netzwerk-Module {1} nicht entladen: Nicht mit einem Netzwerk verbunden." -#: ClientCommand.cpp:1153 +#: ClientCommand.cpp:1169 msgid "Unable to unload module {1}: Unknown module type" msgstr "Kann Modul {1} nicht entladen: Unbekannter Modul-Typ" -#: ClientCommand.cpp:1166 +#: ClientCommand.cpp:1182 msgid "Unable to reload modules. Access denied." msgstr "Kann Module nicht neu laden: Zugriff verweigert." -#: ClientCommand.cpp:1187 +#: ClientCommand.cpp:1203 msgid "Usage: ReloadMod [--type=global|user|network] [args]" msgstr "Verwendung: ReloadMod [--type=global|user|network] [Argumente]" -#: ClientCommand.cpp:1196 +#: ClientCommand.cpp:1212 msgid "Unable to reload {1}: {2}" msgstr "Kann {1} nicht neu laden: {2}" -#: ClientCommand.cpp:1204 +#: ClientCommand.cpp:1220 msgid "Unable to reload global module {1}: Access denied." msgstr "Kann globales Modul {1} nicht neu laden: Zugriff verweigert." -#: ClientCommand.cpp:1211 +#: ClientCommand.cpp:1227 msgid "Unable to reload network module {1}: Not connected with a network." msgstr "" "Kann Netzwerk-Module {1} nicht neu laden: Nicht mit einem Netzwerk verbunden." -#: ClientCommand.cpp:1233 +#: ClientCommand.cpp:1249 msgid "Unable to reload module {1}: Unknown module type" msgstr "Kann Modul {1} nicht neu laden: Unbekannter Modul-Typ" -#: ClientCommand.cpp:1244 +#: ClientCommand.cpp:1260 msgid "Usage: UpdateMod " msgstr "Verwendung: UpdateMod " -#: ClientCommand.cpp:1248 +#: ClientCommand.cpp:1264 msgid "Reloading {1} everywhere" msgstr "Lade {1} überall neu" -#: ClientCommand.cpp:1250 +#: ClientCommand.cpp:1266 msgid "Done" msgstr "Erledigt" -#: ClientCommand.cpp:1253 +#: ClientCommand.cpp:1269 msgid "" "Done, but there were errors, module {1} could not be reloaded everywhere." msgstr "" "Erledigt, aber es gab Fehler, Modul {1} konnte nicht überall neu geladen " "werden." -#: ClientCommand.cpp:1261 +#: ClientCommand.cpp:1277 msgid "" "You must be connected with a network to use this command. Try " "SetUserBindHost instead" @@ -975,27 +1134,27 @@ msgstr "" "Du musst mit einem Netzwerk verbunden sein um diesen Befehl zu verwenden. " "Versuche SetUserBindHost statt dessen" -#: ClientCommand.cpp:1268 +#: ClientCommand.cpp:1284 msgid "Usage: SetBindHost " msgstr "Verwendung: SetBindHost " -#: ClientCommand.cpp:1273 ClientCommand.cpp:1290 +#: ClientCommand.cpp:1289 ClientCommand.cpp:1306 msgid "You already have this bind host!" msgstr "Du hast bereits diesen Bindhost!" -#: ClientCommand.cpp:1278 +#: ClientCommand.cpp:1294 msgid "Set bind host for network {1} to {2}" msgstr "Setze Bindhost für Netzwerk {1} auf {2}" -#: ClientCommand.cpp:1285 +#: ClientCommand.cpp:1301 msgid "Usage: SetUserBindHost " msgstr "Verwendung: SetUserBindHost " -#: ClientCommand.cpp:1295 +#: ClientCommand.cpp:1311 msgid "Set default bind host to {1}" msgstr "Setze Standard-Bindhost auf {1}" -#: ClientCommand.cpp:1301 +#: ClientCommand.cpp:1317 msgid "" "You must be connected with a network to use this command. Try " "ClearUserBindHost instead" @@ -1003,258 +1162,258 @@ msgstr "" "Du musst mit einem Netzwerk verbunden sein um diesen Befehl zu verwenden. " "Versuche ClearUserBindHost statt dessen" -#: ClientCommand.cpp:1306 +#: ClientCommand.cpp:1322 msgid "Bind host cleared for this network." msgstr "Bindhost für dieses Netzwerk gelöscht." -#: ClientCommand.cpp:1310 +#: ClientCommand.cpp:1326 msgid "Default bind host cleared for your user." msgstr "Standard-Bindhost für deinen Benutzer gelöscht." -#: ClientCommand.cpp:1313 +#: ClientCommand.cpp:1329 msgid "This user's default bind host not set" msgstr "Der Benutzer hat keinen Bindhost gesetzt" -#: ClientCommand.cpp:1315 +#: ClientCommand.cpp:1331 msgid "This user's default bind host is {1}" msgstr "Der Standard-Bindhost des Benutzers ist {1}" -#: ClientCommand.cpp:1320 +#: ClientCommand.cpp:1336 msgid "This network's bind host not set" msgstr "Dieses Netzwerk hat keinen Standard-Bindhost gesetzt" -#: ClientCommand.cpp:1322 +#: ClientCommand.cpp:1338 msgid "This network's default bind host is {1}" msgstr "Der Standard-Bindhost dieses Netzwerkes ist {1}" -#: ClientCommand.cpp:1336 +#: ClientCommand.cpp:1352 msgid "Usage: PlayBuffer <#chan|query>" msgstr "Verwendung: PlayBuffer <#chan|query>" -#: ClientCommand.cpp:1344 +#: ClientCommand.cpp:1360 msgid "You are not on {1}" msgstr "Du bist nicht in {1}" -#: ClientCommand.cpp:1349 +#: ClientCommand.cpp:1365 msgid "You are not on {1} (trying to join)" msgstr "Du bist nicht in {1} (versuche zu betreten)" -#: ClientCommand.cpp:1354 +#: ClientCommand.cpp:1370 msgid "The buffer for channel {1} is empty" msgstr "Der Puffer für Kanal {1} ist leer" -#: ClientCommand.cpp:1363 +#: ClientCommand.cpp:1379 msgid "No active query with {1}" msgstr "Kein aktivier Query mit {1}" -#: ClientCommand.cpp:1368 +#: ClientCommand.cpp:1384 msgid "The buffer for {1} is empty" msgstr "Der Puffer für {1} ist leer" -#: ClientCommand.cpp:1384 +#: ClientCommand.cpp:1400 msgid "Usage: ClearBuffer <#chan|query>" msgstr "Verwendung: ClearBuffer <#chan|query>" -#: ClientCommand.cpp:1403 +#: ClientCommand.cpp:1419 msgid "{1} buffer matching {2} has been cleared" msgid_plural "{1} buffers matching {2} have been cleared" msgstr[0] "{1} Puffer, der auf {2} passt, wurde gelöscht" msgstr[1] "{1} Puffer, die auf {2} passen, wurden gelöscht" -#: ClientCommand.cpp:1416 +#: ClientCommand.cpp:1432 msgid "All channel buffers have been cleared" msgstr "Alle Kanalpuffer wurden gelöscht" -#: ClientCommand.cpp:1425 +#: ClientCommand.cpp:1441 msgid "All query buffers have been cleared" msgstr "Alle Querypuffer wurden gelöscht" -#: ClientCommand.cpp:1437 +#: ClientCommand.cpp:1453 msgid "All buffers have been cleared" msgstr "Alle Puffer wurden gelöscht" -#: ClientCommand.cpp:1448 +#: ClientCommand.cpp:1464 msgid "Usage: SetBuffer <#chan|query> [linecount]" msgstr "Verwendung: SetBuffer <#chan|query> [Anzahl Zeilen]" -#: ClientCommand.cpp:1469 +#: ClientCommand.cpp:1485 msgid "Setting buffer size failed for {1} buffer" msgid_plural "Setting buffer size failed for {1} buffers" msgstr[0] "Setzen der Puffergröße schlug für {1} Puffer fehl" msgstr[1] "Setzen der Puffergröße schlug für {1} Puffer fehl" -#: ClientCommand.cpp:1472 +#: ClientCommand.cpp:1488 msgid "Maximum buffer size is {1} line" msgid_plural "Maximum buffer size is {1} lines" msgstr[0] "Maximale Puffergröße ist {1} Zeile" msgstr[1] "Maximale Puffergröße ist {1} Zeilen" -#: ClientCommand.cpp:1477 +#: ClientCommand.cpp:1493 msgid "Size of every buffer was set to {1} line" msgid_plural "Size of every buffer was set to {1} lines" msgstr[0] "Größe jedes Puffers wurde auf {1} Zeile gesetzt" msgstr[1] "Größe jedes Puffers wurde auf {1} Zeilen gesetzt" -#: ClientCommand.cpp:1487 ClientCommand.cpp:1494 ClientCommand.cpp:1505 -#: ClientCommand.cpp:1514 ClientCommand.cpp:1522 +#: ClientCommand.cpp:1503 ClientCommand.cpp:1510 ClientCommand.cpp:1521 +#: ClientCommand.cpp:1530 ClientCommand.cpp:1538 msgctxt "trafficcmd" msgid "Username" msgstr "Benutzername" -#: ClientCommand.cpp:1488 ClientCommand.cpp:1495 ClientCommand.cpp:1507 -#: ClientCommand.cpp:1516 ClientCommand.cpp:1524 +#: ClientCommand.cpp:1504 ClientCommand.cpp:1511 ClientCommand.cpp:1523 +#: ClientCommand.cpp:1532 ClientCommand.cpp:1540 msgctxt "trafficcmd" msgid "In" msgstr "Ein" -#: ClientCommand.cpp:1489 ClientCommand.cpp:1497 ClientCommand.cpp:1508 -#: ClientCommand.cpp:1517 ClientCommand.cpp:1525 +#: ClientCommand.cpp:1505 ClientCommand.cpp:1513 ClientCommand.cpp:1524 +#: ClientCommand.cpp:1533 ClientCommand.cpp:1541 msgctxt "trafficcmd" msgid "Out" msgstr "Aus" -#: ClientCommand.cpp:1490 ClientCommand.cpp:1500 ClientCommand.cpp:1510 -#: ClientCommand.cpp:1518 ClientCommand.cpp:1527 +#: ClientCommand.cpp:1506 ClientCommand.cpp:1516 ClientCommand.cpp:1526 +#: ClientCommand.cpp:1534 ClientCommand.cpp:1543 msgctxt "trafficcmd" msgid "Total" msgstr "Gesamt" -#: ClientCommand.cpp:1506 +#: ClientCommand.cpp:1522 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1515 +#: ClientCommand.cpp:1531 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1523 +#: ClientCommand.cpp:1539 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1532 +#: ClientCommand.cpp:1548 msgid "Running for {1}" msgstr "Laufe seit {1}" -#: ClientCommand.cpp:1538 +#: ClientCommand.cpp:1554 msgid "Unknown command, try 'Help'" msgstr "Unbekanntes Kommando, versuche 'Help'" -#: ClientCommand.cpp:1547 ClientCommand.cpp:1558 +#: ClientCommand.cpp:1563 ClientCommand.cpp:1574 msgctxt "listports" msgid "Port" msgstr "Port" -#: ClientCommand.cpp:1548 ClientCommand.cpp:1559 +#: ClientCommand.cpp:1564 ClientCommand.cpp:1577 msgctxt "listports" msgid "BindHost" msgstr "Bindhost" -#: ClientCommand.cpp:1549 ClientCommand.cpp:1562 +#: ClientCommand.cpp:1565 ClientCommand.cpp:1580 msgctxt "listports" msgid "SSL" msgstr "SSL" -#: ClientCommand.cpp:1550 ClientCommand.cpp:1567 +#: ClientCommand.cpp:1566 ClientCommand.cpp:1585 msgctxt "listports" msgid "Protocol" msgstr "Protokol" -#: ClientCommand.cpp:1551 ClientCommand.cpp:1574 +#: ClientCommand.cpp:1567 ClientCommand.cpp:1592 msgctxt "listports" msgid "IRC" msgstr "IRC" -#: ClientCommand.cpp:1552 ClientCommand.cpp:1579 +#: ClientCommand.cpp:1568 ClientCommand.cpp:1597 msgctxt "listports" msgid "Web" msgstr "Web" -#: ClientCommand.cpp:1563 +#: ClientCommand.cpp:1581 msgctxt "listports|ssl" msgid "yes" msgstr "ja" -#: ClientCommand.cpp:1564 +#: ClientCommand.cpp:1582 msgctxt "listports|ssl" msgid "no" msgstr "nein" -#: ClientCommand.cpp:1568 +#: ClientCommand.cpp:1586 msgctxt "listports" msgid "IPv4 and IPv6" msgstr "IPv4 und IPv6" -#: ClientCommand.cpp:1570 +#: ClientCommand.cpp:1588 msgctxt "listports" msgid "IPv4" msgstr "IPv4" -#: ClientCommand.cpp:1571 +#: ClientCommand.cpp:1589 msgctxt "listports" msgid "IPv6" msgstr "IPv6" -#: ClientCommand.cpp:1577 +#: ClientCommand.cpp:1595 msgctxt "listports|irc" msgid "yes" msgstr "ja" -#: ClientCommand.cpp:1578 +#: ClientCommand.cpp:1596 msgctxt "listports|irc" msgid "no" msgstr "nein" -#: ClientCommand.cpp:1582 +#: ClientCommand.cpp:1600 msgctxt "listports|irc" msgid "yes, on {1}" msgstr "ja, unter {1}" -#: ClientCommand.cpp:1584 +#: ClientCommand.cpp:1602 msgctxt "listports|web" msgid "no" msgstr "nein" -#: ClientCommand.cpp:1624 +#: ClientCommand.cpp:1642 msgid "" "Usage: AddPort <[+]port> [bindhost [uriprefix]]" msgstr "" "Verwendung: AddPort <[+]port> [Bindhost " "[URIPrefix]]" -#: ClientCommand.cpp:1640 +#: ClientCommand.cpp:1658 msgid "Port added" msgstr "Port hinzugefügt" -#: ClientCommand.cpp:1642 +#: ClientCommand.cpp:1660 msgid "Couldn't add port" msgstr "Konnte Port nicht hinzufügen" -#: ClientCommand.cpp:1648 +#: ClientCommand.cpp:1666 msgid "Usage: DelPort [bindhost]" msgstr "Verwendung: DelPort [Bindhost]" -#: ClientCommand.cpp:1657 +#: ClientCommand.cpp:1675 msgid "Deleted Port" msgstr "Port gelöscht" -#: ClientCommand.cpp:1659 +#: ClientCommand.cpp:1677 msgid "Unable to find a matching port" msgstr "Konnte keinen passenden Port finden" -#: ClientCommand.cpp:1667 ClientCommand.cpp:1682 +#: ClientCommand.cpp:1685 ClientCommand.cpp:1700 msgctxt "helpcmd" msgid "Command" msgstr "Befehl" -#: ClientCommand.cpp:1668 ClientCommand.cpp:1684 +#: ClientCommand.cpp:1686 ClientCommand.cpp:1702 msgctxt "helpcmd" msgid "Description" msgstr "Beschreibung" -#: ClientCommand.cpp:1673 +#: ClientCommand.cpp:1691 msgid "" "In the following list all occurrences of <#chan> support wildcards (* and ?) " "except ListNicks" @@ -1262,87 +1421,87 @@ msgstr "" "In der folgenden Liste unterstützen alle vorkommen von <#chan> Wildcards (* " "und ?), außer ListNicks" -#: ClientCommand.cpp:1690 +#: ClientCommand.cpp:1708 msgctxt "helpcmd|Version|desc" msgid "Print which version of ZNC this is" msgstr "Zeige die Version von ZNC an" -#: ClientCommand.cpp:1693 +#: ClientCommand.cpp:1711 msgctxt "helpcmd|ListMods|desc" msgid "List all loaded modules" msgstr "Zeige alle geladenen Module" -#: ClientCommand.cpp:1696 +#: ClientCommand.cpp:1714 msgctxt "helpcmd|ListAvailMods|desc" msgid "List all available modules" msgstr "Zeige alle verfügbaren Module" -#: ClientCommand.cpp:1700 ClientCommand.cpp:1886 +#: ClientCommand.cpp:1718 ClientCommand.cpp:1904 msgctxt "helpcmd|ListChans|desc" msgid "List all channels" msgstr "Zeige alle Kanäle" -#: ClientCommand.cpp:1703 +#: ClientCommand.cpp:1721 msgctxt "helpcmd|ListNicks|args" msgid "<#chan>" msgstr "<#Kanal>" -#: ClientCommand.cpp:1704 +#: ClientCommand.cpp:1722 msgctxt "helpcmd|ListNicks|desc" msgid "List all nicks on a channel" msgstr "Alle Nicks eines Kanals auflisten" -#: ClientCommand.cpp:1707 +#: ClientCommand.cpp:1725 msgctxt "helpcmd|ListClients|desc" msgid "List all clients connected to your ZNC user" msgstr "Alle Clients auflisten, die zu deinem ZNC-Benutzer verbunden sind" -#: ClientCommand.cpp:1711 +#: ClientCommand.cpp:1729 msgctxt "helpcmd|ListServers|desc" msgid "List all servers of current IRC network" msgstr "Zeige alle Server des aktuellen IRC-Netzwerkes" -#: ClientCommand.cpp:1715 +#: ClientCommand.cpp:1733 msgctxt "helpcmd|AddNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1716 +#: ClientCommand.cpp:1734 msgctxt "helpcmd|AddNetwork|desc" msgid "Add a network to your user" msgstr "Füge ein Netzwerk zu deinem Benutzer hinzu" -#: ClientCommand.cpp:1718 +#: ClientCommand.cpp:1736 msgctxt "helpcmd|DelNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1719 +#: ClientCommand.cpp:1737 msgctxt "helpcmd|DelNetwork|desc" msgid "Delete a network from your user" msgstr "Lösche ein Netzwerk von deinem Benutzer" -#: ClientCommand.cpp:1721 +#: ClientCommand.cpp:1739 msgctxt "helpcmd|ListNetworks|desc" msgid "List all networks" msgstr "Alle Netzwerke auflisten" -#: ClientCommand.cpp:1724 +#: ClientCommand.cpp:1742 msgctxt "helpcmd|MoveNetwork|args" msgid " [new network]" msgstr " [neues Netzwerk]" -#: ClientCommand.cpp:1726 +#: ClientCommand.cpp:1744 msgctxt "helpcmd|MoveNetwork|desc" msgid "Move an IRC network from one user to another" msgstr "Verschiebe ein IRC-Netzwerk von einem Benutzer zu einem anderen" -#: ClientCommand.cpp:1730 +#: ClientCommand.cpp:1748 msgctxt "helpcmd|JumpNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1731 +#: ClientCommand.cpp:1749 msgctxt "helpcmd|JumpNetwork|desc" msgid "" "Jump to another network (Alternatively, you can connect to ZNC several " @@ -1351,12 +1510,12 @@ msgstr "" "Springe zu einem anderen Netzwerk (alternativ kannst du auch mehrfach zu ZNC " "verbinden und `Benutzer/Netzwerk` als Benutzername verwenden)" -#: ClientCommand.cpp:1736 +#: ClientCommand.cpp:1754 msgctxt "helpcmd|AddServer|args" msgid " [[+]port] [pass]" msgstr " [[+]Port] [Pass]" -#: ClientCommand.cpp:1737 +#: ClientCommand.cpp:1755 msgctxt "helpcmd|AddServer|desc" msgid "" "Add a server to the list of alternate/backup servers of current IRC network." @@ -1364,12 +1523,12 @@ msgstr "" "Füge einen Server zur Liste der alternativen/backup Server des aktuellen IRC-" "Netzwerkes hinzu." -#: ClientCommand.cpp:1741 +#: ClientCommand.cpp:1759 msgctxt "helpcmd|DelServer|args" msgid " [port] [pass]" msgstr " [Port] [Pass]" -#: ClientCommand.cpp:1742 +#: ClientCommand.cpp:1760 msgctxt "helpcmd|DelServer|desc" msgid "" "Remove a server from the list of alternate/backup servers of current IRC " @@ -1378,12 +1537,12 @@ msgstr "" "Lösche einen Server von der Liste der alternativen/backup Server des " "aktuellen IRC-Netzwerkes" -#: ClientCommand.cpp:1748 +#: ClientCommand.cpp:1766 msgctxt "helpcmd|AddTrustedServerFingerprint|args" msgid "" msgstr "" -#: ClientCommand.cpp:1749 +#: ClientCommand.cpp:1767 msgctxt "helpcmd|AddTrustedServerFingerprint|desc" msgid "" "Add a trusted server SSL certificate fingerprint (SHA-256) to current IRC " @@ -1392,341 +1551,341 @@ msgstr "" "Füge den Fingerabdruck (SHA-256) eines vertrauenswürdigen SSL-Zertifikates " "zum aktuellen IRC-Netzwerk hinzu." -#: ClientCommand.cpp:1754 +#: ClientCommand.cpp:1772 msgctxt "helpcmd|DelTrustedServerFingerprint|args" msgid "" msgstr "" -#: ClientCommand.cpp:1755 +#: ClientCommand.cpp:1773 msgctxt "helpcmd|DelTrustedServerFingerprint|desc" msgid "Delete a trusted server SSL certificate from current IRC network." msgstr "" "Lösche ein vertrauenswürdiges Server-SSL-Zertifikat vom aktuellen IRC-" "Netzwerk." -#: ClientCommand.cpp:1759 +#: ClientCommand.cpp:1777 msgctxt "helpcmd|ListTrustedServerFingerprints|desc" msgid "List all trusted server SSL certificates of current IRC network." msgstr "" "Zeige alle vertrauenswürdigen Server-SSL-Zertifikate des aktuellen IRC-" "Netzwerkes an." -#: ClientCommand.cpp:1762 +#: ClientCommand.cpp:1780 msgctxt "helpcmd|EnableChan|args" msgid "<#chans>" msgstr "<#Kanäle>" -#: ClientCommand.cpp:1763 +#: ClientCommand.cpp:1781 msgctxt "helpcmd|EnableChan|desc" msgid "Enable channels" msgstr "Aktivierte Kanäle" -#: ClientCommand.cpp:1764 +#: ClientCommand.cpp:1782 msgctxt "helpcmd|DisableChan|args" msgid "<#chans>" msgstr "<#Kanäle>" -#: ClientCommand.cpp:1765 +#: ClientCommand.cpp:1783 msgctxt "helpcmd|DisableChan|desc" msgid "Disable channels" msgstr "Deaktiviere Kanäle" -#: ClientCommand.cpp:1766 +#: ClientCommand.cpp:1784 msgctxt "helpcmd|Attach|args" msgid "<#chans>" msgstr "<#Kanäle>" -#: ClientCommand.cpp:1767 +#: ClientCommand.cpp:1785 msgctxt "helpcmd|Attach|desc" msgid "Attach to channels" msgstr "Verbinde zu Kanälen" -#: ClientCommand.cpp:1768 +#: ClientCommand.cpp:1786 msgctxt "helpcmd|Detach|args" msgid "<#chans>" msgstr "<#Kanäle>" -#: ClientCommand.cpp:1769 +#: ClientCommand.cpp:1787 msgctxt "helpcmd|Detach|desc" msgid "Detach from channels" msgstr "Trenne von Kanälen" -#: ClientCommand.cpp:1772 +#: ClientCommand.cpp:1790 msgctxt "helpcmd|Topics|desc" msgid "Show topics in all your channels" msgstr "Zeige die Themen aller deiner Kanäle" -#: ClientCommand.cpp:1775 +#: ClientCommand.cpp:1793 msgctxt "helpcmd|PlayBuffer|args" msgid "<#chan|query>" msgstr "<#Kanal|Query>" -#: ClientCommand.cpp:1776 +#: ClientCommand.cpp:1794 msgctxt "helpcmd|PlayBuffer|desc" msgid "Play back the specified buffer" msgstr "Spiele den angegebenen Puffer ab" -#: ClientCommand.cpp:1778 +#: ClientCommand.cpp:1796 msgctxt "helpcmd|ClearBuffer|args" msgid "<#chan|query>" msgstr "<#Kanal|Query>" -#: ClientCommand.cpp:1779 +#: ClientCommand.cpp:1797 msgctxt "helpcmd|ClearBuffer|desc" msgid "Clear the specified buffer" msgstr "Lösche den angegebenen Puffer" -#: ClientCommand.cpp:1781 +#: ClientCommand.cpp:1799 msgctxt "helpcmd|ClearAllBuffers|desc" msgid "Clear all channel and query buffers" msgstr "Lösche alle Kanal- und Querypuffer" -#: ClientCommand.cpp:1784 +#: ClientCommand.cpp:1802 msgctxt "helpcmd|ClearAllChannelBuffers|desc" msgid "Clear the channel buffers" msgstr "Lösche alle Kanalpuffer" -#: ClientCommand.cpp:1788 +#: ClientCommand.cpp:1806 msgctxt "helpcmd|ClearAllQueryBuffers|desc" msgid "Clear the query buffers" msgstr "Lösche alle Querypuffer" -#: ClientCommand.cpp:1790 +#: ClientCommand.cpp:1808 msgctxt "helpcmd|SetBuffer|args" msgid "<#chan|query> [linecount]" msgstr "<#Kanal|Query> [Zeilenzahl]" -#: ClientCommand.cpp:1791 +#: ClientCommand.cpp:1809 msgctxt "helpcmd|SetBuffer|desc" msgid "Set the buffer count" msgstr "Setze die Puffergröße" -#: ClientCommand.cpp:1795 +#: ClientCommand.cpp:1813 msgctxt "helpcmd|SetBindHost|args" msgid "" msgstr "" -#: ClientCommand.cpp:1796 +#: ClientCommand.cpp:1814 msgctxt "helpcmd|SetBindHost|desc" msgid "Set the bind host for this network" msgstr "Setze den Bindhost für dieses Netzwerk" -#: ClientCommand.cpp:1800 +#: ClientCommand.cpp:1818 msgctxt "helpcmd|SetUserBindHost|args" msgid "" msgstr "" -#: ClientCommand.cpp:1801 +#: ClientCommand.cpp:1819 msgctxt "helpcmd|SetUserBindHost|desc" msgid "Set the default bind host for this user" msgstr "Setze den Standard-Bindhost für diesen Benutzer" -#: ClientCommand.cpp:1804 +#: ClientCommand.cpp:1822 msgctxt "helpcmd|ClearBindHost|desc" msgid "Clear the bind host for this network" msgstr "Lösche den Bindhost für dieses Netzwerk" -#: ClientCommand.cpp:1807 +#: ClientCommand.cpp:1825 msgctxt "helpcmd|ClearUserBindHost|desc" msgid "Clear the default bind host for this user" msgstr "Lösche den Standard-Bindhost für diesen Benutzer" -#: ClientCommand.cpp:1813 +#: ClientCommand.cpp:1831 msgctxt "helpcmd|ShowBindHost|desc" msgid "Show currently selected bind host" msgstr "Zeige den aktuell gewählten Bindhost" -#: ClientCommand.cpp:1815 +#: ClientCommand.cpp:1833 msgctxt "helpcmd|Jump|args" msgid "[server]" msgstr "[Server]" -#: ClientCommand.cpp:1816 +#: ClientCommand.cpp:1834 msgctxt "helpcmd|Jump|desc" msgid "Jump to the next or the specified server" msgstr "Springe zum nächsten oder dem angegebenen Server" -#: ClientCommand.cpp:1817 +#: ClientCommand.cpp:1835 msgctxt "helpcmd|Disconnect|args" msgid "[message]" msgstr "[Nachricht]" -#: ClientCommand.cpp:1818 +#: ClientCommand.cpp:1836 msgctxt "helpcmd|Disconnect|desc" msgid "Disconnect from IRC" msgstr "Trenne die IRC-Verbindung" -#: ClientCommand.cpp:1820 +#: ClientCommand.cpp:1838 msgctxt "helpcmd|Connect|desc" msgid "Reconnect to IRC" msgstr "Baue eine neue IRC-Verbindung auf" -#: ClientCommand.cpp:1823 +#: ClientCommand.cpp:1841 msgctxt "helpcmd|Uptime|desc" msgid "Show for how long ZNC has been running" msgstr "Zeige wie lange ZNC schon läuft" -#: ClientCommand.cpp:1827 +#: ClientCommand.cpp:1845 msgctxt "helpcmd|LoadMod|args" msgid "[--type=global|user|network] [args]" msgstr "[--type=global|user|network] [args]" -#: ClientCommand.cpp:1829 +#: ClientCommand.cpp:1847 msgctxt "helpcmd|LoadMod|desc" msgid "Load a module" msgstr "Lade ein Modul" -#: ClientCommand.cpp:1831 +#: ClientCommand.cpp:1849 msgctxt "helpcmd|UnloadMod|args" msgid "[--type=global|user|network] " msgstr "[--type=global|user|network] " -#: ClientCommand.cpp:1833 +#: ClientCommand.cpp:1851 msgctxt "helpcmd|UnloadMod|desc" msgid "Unload a module" msgstr "Entlade ein Modul" -#: ClientCommand.cpp:1835 +#: ClientCommand.cpp:1853 msgctxt "helpcmd|ReloadMod|args" msgid "[--type=global|user|network] [args]" msgstr "[--type=global|user|network] [args]" -#: ClientCommand.cpp:1837 +#: ClientCommand.cpp:1855 msgctxt "helpcmd|ReloadMod|desc" msgid "Reload a module" msgstr "Ein Modul neu laden" -#: ClientCommand.cpp:1840 +#: ClientCommand.cpp:1858 msgctxt "helpcmd|UpdateMod|args" msgid "" msgstr "" -#: ClientCommand.cpp:1841 +#: ClientCommand.cpp:1859 msgctxt "helpcmd|UpdateMod|desc" msgid "Reload a module everywhere" msgstr "Lade ein Modul überall neu" -#: ClientCommand.cpp:1847 +#: ClientCommand.cpp:1865 msgctxt "helpcmd|ShowMOTD|desc" msgid "Show ZNC's message of the day" msgstr "Zeige ZNCs Nachricht des Tages an" -#: ClientCommand.cpp:1851 +#: ClientCommand.cpp:1869 msgctxt "helpcmd|SetMOTD|args" msgid "" msgstr "" -#: ClientCommand.cpp:1852 +#: ClientCommand.cpp:1870 msgctxt "helpcmd|SetMOTD|desc" msgid "Set ZNC's message of the day" msgstr "Setze ZNCs Nachricht des Tages" -#: ClientCommand.cpp:1854 +#: ClientCommand.cpp:1872 msgctxt "helpcmd|AddMOTD|args" msgid "" msgstr "" -#: ClientCommand.cpp:1855 +#: ClientCommand.cpp:1873 msgctxt "helpcmd|AddMOTD|desc" msgid "Append to ZNC's MOTD" msgstr "Hänge an ZNCs MOTD an" -#: ClientCommand.cpp:1857 +#: ClientCommand.cpp:1875 msgctxt "helpcmd|ClearMOTD|desc" msgid "Clear ZNC's MOTD" msgstr "Lösche ZNCs MOTD" -#: ClientCommand.cpp:1860 +#: ClientCommand.cpp:1878 msgctxt "helpcmd|ListPorts|desc" msgid "Show all active listeners" msgstr "Zeige alle aktiven Listener" -#: ClientCommand.cpp:1862 +#: ClientCommand.cpp:1880 msgctxt "helpcmd|AddPort|args" msgid "<[+]port> [bindhost [uriprefix]]" msgstr "<[+]Port> [Bindhost [uriprefix]]" -#: ClientCommand.cpp:1865 +#: ClientCommand.cpp:1883 msgctxt "helpcmd|AddPort|desc" msgid "Add another port for ZNC to listen on" msgstr "Füge einen weiteren Port zum Horchen zu ZNC hinzu" -#: ClientCommand.cpp:1869 +#: ClientCommand.cpp:1887 msgctxt "helpcmd|DelPort|args" msgid " [bindhost]" msgstr " [Bindhost]" -#: ClientCommand.cpp:1870 +#: ClientCommand.cpp:1888 msgctxt "helpcmd|DelPort|desc" msgid "Remove a port from ZNC" msgstr "Entferne einen Port von ZNC" -#: ClientCommand.cpp:1873 +#: ClientCommand.cpp:1891 msgctxt "helpcmd|Rehash|desc" msgid "Reload global settings, modules, and listeners from znc.conf" msgstr "Lade globale Einstellungen, Module und Listener neu von znc.conf" -#: ClientCommand.cpp:1876 +#: ClientCommand.cpp:1894 msgctxt "helpcmd|SaveConfig|desc" msgid "Save the current settings to disk" msgstr "Speichere die aktuellen Einstellungen auf der Festplatte" -#: ClientCommand.cpp:1879 +#: ClientCommand.cpp:1897 msgctxt "helpcmd|ListUsers|desc" msgid "List all ZNC users and their connection status" msgstr "Zeige alle ZNC-Benutzer und deren Verbindungsstatus" -#: ClientCommand.cpp:1882 +#: ClientCommand.cpp:1900 msgctxt "helpcmd|ListAllUserNetworks|desc" msgid "List all ZNC users and their networks" msgstr "Zeige alle ZNC-Benutzer und deren Netzwerke" -#: ClientCommand.cpp:1885 +#: ClientCommand.cpp:1903 msgctxt "helpcmd|ListChans|args" msgid "[user ]" msgstr "[Benutzer ]" -#: ClientCommand.cpp:1888 +#: ClientCommand.cpp:1906 msgctxt "helpcmd|ListClients|args" msgid "[user]" msgstr "[Benutzer]" -#: ClientCommand.cpp:1889 +#: ClientCommand.cpp:1907 msgctxt "helpcmd|ListClients|desc" msgid "List all connected clients" msgstr "Zeige alle verbunden Klienten" -#: ClientCommand.cpp:1891 +#: ClientCommand.cpp:1909 msgctxt "helpcmd|Traffic|desc" msgid "Show basic traffic stats for all ZNC users" msgstr "Zeige grundlegende Verkehrsstatistiken aller ZNC-Benutzer an" -#: ClientCommand.cpp:1893 +#: ClientCommand.cpp:1911 msgctxt "helpcmd|Broadcast|args" msgid "[message]" msgstr "[Nachricht]" -#: ClientCommand.cpp:1894 +#: ClientCommand.cpp:1912 msgctxt "helpcmd|Broadcast|desc" msgid "Broadcast a message to all ZNC users" msgstr "Sende eine Nachricht an alle ZNC-Benutzer" -#: ClientCommand.cpp:1897 +#: ClientCommand.cpp:1915 msgctxt "helpcmd|Shutdown|args" msgid "[message]" msgstr "[Nachricht]" -#: ClientCommand.cpp:1898 +#: ClientCommand.cpp:1916 msgctxt "helpcmd|Shutdown|desc" msgid "Shut down ZNC completely" msgstr "Beende ZNC komplett" -#: ClientCommand.cpp:1899 +#: ClientCommand.cpp:1917 msgctxt "helpcmd|Restart|args" msgid "[message]" msgstr "[Nachricht]" -#: ClientCommand.cpp:1900 +#: ClientCommand.cpp:1918 msgctxt "helpcmd|Restart|desc" msgid "Restart ZNC" msgstr "Starte ZNC neu" diff --git a/src/po/znc.es_ES.po b/src/po/znc.es_ES.po index de68195f..918e7af4 100644 --- a/src/po/znc.es_ES.po +++ b/src/po/znc.es_ES.po @@ -74,7 +74,7 @@ msgstr "No se ha localizado el fichero pem: {1}" msgid "Invalid port" msgstr "Puerto no válido" -#: znc.cpp:1813 ClientCommand.cpp:1637 +#: znc.cpp:1813 ClientCommand.cpp:1655 msgid "Unable to bind: {1}" msgstr "Imposible enlazar: {1}" @@ -111,68 +111,68 @@ msgstr "" msgid "Some module aborted the connection attempt" msgstr "Algún módulo ha abortado el intento de conexión" -#: IRCSock.cpp:490 +#: IRCSock.cpp:492 msgid "Error from server: {1}" msgstr "Error del servidor: {1}" -#: IRCSock.cpp:692 +#: IRCSock.cpp:694 msgid "ZNC seems to be connected to itself, disconnecting..." msgstr "ZNC parece que se ha conectado a si mismo, desconectando..." -#: IRCSock.cpp:739 +#: IRCSock.cpp:741 msgid "Server {1} redirects us to {2}:{3} with reason: {4}" msgstr "Servidor {1} nos redirige a {2}:{3} por: {4}" -#: IRCSock.cpp:743 +#: IRCSock.cpp:745 msgid "Perhaps you want to add it as a new server." msgstr "Puede que quieras añadirlo como nuevo servidor." -#: IRCSock.cpp:973 +#: IRCSock.cpp:975 msgid "Channel {1} is linked to another channel and was thus disabled." msgstr "El canal {1} está enlazado a otro canal y por eso está deshabilitado." -#: IRCSock.cpp:985 +#: IRCSock.cpp:987 msgid "Switched to SSL (STARTTLS)" msgstr "Cambiado a SSL (STARTTLS)" -#: IRCSock.cpp:1038 +#: IRCSock.cpp:1040 msgid "You quit: {1}" msgstr "Has salido: {1}" -#: IRCSock.cpp:1244 +#: IRCSock.cpp:1246 msgid "Disconnected from IRC. Reconnecting..." msgstr "Desconectado del IRC. Volviendo a conectar..." -#: IRCSock.cpp:1275 +#: IRCSock.cpp:1277 msgid "Cannot connect to IRC ({1}). Retrying..." msgstr "No se puede conectar al IRC ({1}). Reintentándolo..." -#: IRCSock.cpp:1278 +#: IRCSock.cpp:1280 msgid "Disconnected from IRC ({1}). Reconnecting..." msgstr "Desconectado del IRC ({1}). Volviendo a conectar..." -#: IRCSock.cpp:1314 +#: IRCSock.cpp:1316 msgid "If you trust this certificate, do /znc AddTrustedServerFingerprint {1}" msgstr "" "Si confías en este certificado, ejecuta /znc AddTrustedServerFingerprint {1}" -#: IRCSock.cpp:1323 +#: IRCSock.cpp:1325 msgid "IRC connection timed out. Reconnecting..." msgstr "Tiempo de espera agotado en la conexión al IRC. Reconectando..." -#: IRCSock.cpp:1335 +#: IRCSock.cpp:1337 msgid "Connection Refused. Reconnecting..." msgstr "Conexión rechazada. Reconectando..." -#: IRCSock.cpp:1343 +#: IRCSock.cpp:1345 msgid "Received a too long line from the IRC server!" msgstr "¡Recibida línea demasiado larga desde el servidor de IRC!" -#: IRCSock.cpp:1447 +#: IRCSock.cpp:1449 msgid "No free nick available" msgstr "No hay ningún nick disponible" -#: IRCSock.cpp:1455 +#: IRCSock.cpp:1457 msgid "No free nick found" msgstr "No se ha encontrado ningún nick disponible" @@ -235,47 +235,48 @@ msgid "" msgstr "" "Estás siendo desconectado porque otro usuario se ha autenticado por ti." -#: Client.cpp:1021 +#: Client.cpp:1022 msgid "Your CTCP to {1} got lost, you are not connected to IRC!" msgstr "Tu CTCP a {1} se ha perdido, ¡no estás conectado al IRC!" -#: Client.cpp:1147 +#: Client.cpp:1148 msgid "Your notice to {1} got lost, you are not connected to IRC!" msgstr "Tu notice a {1} se ha perdido, ¡no estás conectado al IRC!" -#: Client.cpp:1186 +#: Client.cpp:1187 msgid "Removing channel {1}" msgstr "Eliminando canal {1}" -#: Client.cpp:1264 +#: Client.cpp:1265 msgid "Your message to {1} got lost, you are not connected to IRC!" msgstr "Tu mensaje a {1} se ha perdido, ¡no estás conectado al IRC!" -#: Client.cpp:1317 Client.cpp:1323 +#: Client.cpp:1318 Client.cpp:1324 msgid "Hello. How may I help you?" msgstr "Hola. ¿En qué te puedo ayudar?" -#: Client.cpp:1337 +#: Client.cpp:1338 msgid "Usage: /attach <#chans>" msgstr "Uso: /attach <#canales>" -#: Client.cpp:1344 Client.cpp:1366 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: Client.cpp:1345 Client.cpp:1367 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: ClientCommand.cpp:423 ClientCommand.cpp:450 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" msgstr[0] "Hay {1} canal que coincide con [{2}]" msgstr[1] "Hay {1} canales que coinciden con [{2}]" -#: Client.cpp:1347 ClientCommand.cpp:132 +#: Client.cpp:1348 ClientCommand.cpp:132 msgid "Attached {1} channel" msgid_plural "Attached {1} channels" msgstr[0] "Vinculado a {1} canal" msgstr[1] "Unido a {1} canales" -#: Client.cpp:1359 +#: Client.cpp:1360 msgid "Usage: /detach <#chans>" msgstr "Uso: /detach <#canales>" -#: Client.cpp:1369 ClientCommand.cpp:154 +#: Client.cpp:1370 ClientCommand.cpp:154 msgid "Detached {1} channel" msgid_plural "Detached {1} channels" msgstr[0] "Desvinculado {1} canal" @@ -299,7 +300,7 @@ msgctxt "modhelpcmd" msgid "Generate this output" msgstr "Generar esta salida" -#: Modules.cpp:573 ClientCommand.cpp:1904 +#: Modules.cpp:573 ClientCommand.cpp:1922 msgid "No matches for '{1}'" msgstr "No hay coincidencias para '{1}'" @@ -410,11 +411,12 @@ msgid "Description" msgstr "Descripción" #: ClientCommand.cpp:51 ClientCommand.cpp:115 ClientCommand.cpp:137 -#: ClientCommand.cpp:749 ClientCommand.cpp:768 ClientCommand.cpp:794 -#: ClientCommand.cpp:827 ClientCommand.cpp:840 ClientCommand.cpp:853 -#: ClientCommand.cpp:868 ClientCommand.cpp:1329 ClientCommand.cpp:1377 -#: ClientCommand.cpp:1409 ClientCommand.cpp:1420 ClientCommand.cpp:1429 -#: ClientCommand.cpp:1441 +#: ClientCommand.cpp:339 ClientCommand.cpp:390 ClientCommand.cpp:405 +#: ClientCommand.cpp:432 ClientCommand.cpp:459 ClientCommand.cpp:764 +#: ClientCommand.cpp:783 ClientCommand.cpp:809 ClientCommand.cpp:843 +#: ClientCommand.cpp:856 ClientCommand.cpp:869 ClientCommand.cpp:884 +#: ClientCommand.cpp:1345 ClientCommand.cpp:1393 ClientCommand.cpp:1425 +#: ClientCommand.cpp:1436 ClientCommand.cpp:1445 ClientCommand.cpp:1457 msgid "You must be connected with a network to use this command" msgstr "Debes estar conectado a una red para usar este comando" @@ -474,87 +476,248 @@ msgstr "Guardada la configuración en {1}" msgid "Error while trying to write config." msgstr "Error al escribir la configuración." -#: ClientCommand.cpp:455 +#: ClientCommand.cpp:183 +msgid "Usage: ListClients" +msgstr "" + +#: ClientCommand.cpp:190 +msgid "No such user: {1}" +msgstr "" + +#: ClientCommand.cpp:198 +msgid "No clients are connected" +msgstr "" + +#: ClientCommand.cpp:203 ClientCommand.cpp:209 +msgctxt "listclientscmd" +msgid "Host" +msgstr "" + +#: ClientCommand.cpp:204 ClientCommand.cpp:212 +msgctxt "listclientscmd" +msgid "Network" +msgstr "" + +#: ClientCommand.cpp:205 ClientCommand.cpp:215 +msgctxt "listclientscmd" +msgid "Identifier" +msgstr "" + +#: ClientCommand.cpp:223 ClientCommand.cpp:229 +msgctxt "listuserscmd" +msgid "Username" +msgstr "" + +#: ClientCommand.cpp:224 ClientCommand.cpp:230 +msgctxt "listuserscmd" +msgid "Networks" +msgstr "" + +#: ClientCommand.cpp:225 ClientCommand.cpp:232 +msgctxt "listuserscmd" +msgid "Clients" +msgstr "" + +#: ClientCommand.cpp:240 ClientCommand.cpp:250 ClientCommand.cpp:260 +#: ClientCommand.cpp:263 +msgctxt "listallusernetworkscmd" +msgid "Username" +msgstr "" + +#: ClientCommand.cpp:241 ClientCommand.cpp:251 ClientCommand.cpp:266 +msgctxt "listallusernetworkscmd" +msgid "Network" +msgstr "" + +#: ClientCommand.cpp:242 ClientCommand.cpp:252 ClientCommand.cpp:268 +msgctxt "listallusernetworkscmd" +msgid "Clients" +msgstr "" + +#: ClientCommand.cpp:243 ClientCommand.cpp:271 ClientCommand.cpp:280 +msgctxt "listallusernetworkscmd" +msgid "On IRC" +msgstr "" + +#: ClientCommand.cpp:244 ClientCommand.cpp:273 +msgctxt "listallusernetworkscmd" +msgid "IRC Server" +msgstr "" + +#: ClientCommand.cpp:245 ClientCommand.cpp:275 +msgctxt "listallusernetworkscmd" +msgid "IRC User" +msgstr "" + +#: ClientCommand.cpp:246 ClientCommand.cpp:277 +msgctxt "listallusernetworkscmd" +msgid "Channels" +msgstr "" + +#: ClientCommand.cpp:251 +msgid "N/A" +msgstr "" + +#: ClientCommand.cpp:272 +msgctxt "listallusernetworkscmd" +msgid "Yes" +msgstr "" + +#: ClientCommand.cpp:281 +msgctxt "listallusernetworkscmd" +msgid "No" +msgstr "" + +#: ClientCommand.cpp:291 +msgid "Usage: SetMOTD " +msgstr "" + +#: ClientCommand.cpp:294 +msgid "MOTD set to: {1}" +msgstr "" + +#: ClientCommand.cpp:300 +msgid "Usage: AddMOTD " +msgstr "" + +#: ClientCommand.cpp:303 +msgid "Added [{1}] to MOTD" +msgstr "" + +#: ClientCommand.cpp:307 +msgid "Cleared MOTD" +msgstr "" + +#: ClientCommand.cpp:329 +msgid "" +"ERROR: Writing config file to disk failed! Aborting. Use {1} FORCE to ignore." +msgstr "" + +#: ClientCommand.cpp:344 ClientCommand.cpp:797 ClientCommand.cpp:838 +msgid "You don't have any servers added." +msgstr "No tienes ningún servidor añadido." + +#: ClientCommand.cpp:355 +msgid "Server [{1}] not found" +msgstr "" + +#: ClientCommand.cpp:375 ClientCommand.cpp:380 +msgid "Connecting to {1}..." +msgstr "" + +#: ClientCommand.cpp:377 +msgid "Jumping to the next server in the list..." +msgstr "" + +#: ClientCommand.cpp:382 +msgid "Connecting..." +msgstr "" + +#: ClientCommand.cpp:400 +msgid "Disconnected from IRC. Use 'connect' to reconnect." +msgstr "" + +#: ClientCommand.cpp:412 +msgid "Usage: EnableChan <#chans>" +msgstr "" + +#: ClientCommand.cpp:426 +msgid "Enabled {1} channel" +msgid_plural "Enabled {1} channels" +msgstr[0] "" +msgstr[1] "" + +#: ClientCommand.cpp:439 +msgid "Usage: DisableChan <#chans>" +msgstr "" + +#: ClientCommand.cpp:453 +msgid "Disabled {1} channel" +msgid_plural "Disabled {1} channels" +msgstr[0] "" +msgstr[1] "" + +#: ClientCommand.cpp:470 msgid "Usage: ListChans" msgstr "Uso: ListChans" -#: ClientCommand.cpp:462 +#: ClientCommand.cpp:477 msgid "No such user [{1}]" msgstr "Usuario no encontrado [{1}]" -#: ClientCommand.cpp:468 +#: ClientCommand.cpp:483 msgid "User [{1}] doesn't have network [{2}]" msgstr "El usuario [{1}] no tiene red [{2}]" -#: ClientCommand.cpp:479 +#: ClientCommand.cpp:494 msgid "There are no channels defined." msgstr "No hay canales definidos." -#: ClientCommand.cpp:484 ClientCommand.cpp:500 +#: ClientCommand.cpp:499 ClientCommand.cpp:515 msgctxt "listchans" msgid "Name" msgstr "Nombre" -#: ClientCommand.cpp:485 ClientCommand.cpp:503 +#: ClientCommand.cpp:500 ClientCommand.cpp:518 msgctxt "listchans" msgid "Status" msgstr "Estado" -#: ClientCommand.cpp:486 ClientCommand.cpp:510 +#: ClientCommand.cpp:501 ClientCommand.cpp:525 msgctxt "listchans" msgid "In config" msgstr "En configuración" -#: ClientCommand.cpp:487 ClientCommand.cpp:512 +#: ClientCommand.cpp:502 ClientCommand.cpp:527 msgctxt "listchans" msgid "Buffer" msgstr "Búfer" -#: ClientCommand.cpp:488 ClientCommand.cpp:516 +#: ClientCommand.cpp:503 ClientCommand.cpp:531 msgctxt "listchans" msgid "Clear" msgstr "Borrar" -#: ClientCommand.cpp:489 ClientCommand.cpp:521 +#: ClientCommand.cpp:504 ClientCommand.cpp:536 msgctxt "listchans" msgid "Modes" msgstr "Modos" -#: ClientCommand.cpp:490 ClientCommand.cpp:522 +#: ClientCommand.cpp:505 ClientCommand.cpp:537 msgctxt "listchans" msgid "Users" msgstr "Usuarios" -#: ClientCommand.cpp:505 +#: ClientCommand.cpp:520 msgctxt "listchans" msgid "Detached" msgstr "Desvinculado" -#: ClientCommand.cpp:506 +#: ClientCommand.cpp:521 msgctxt "listchans" msgid "Joined" msgstr "Unido" -#: ClientCommand.cpp:507 +#: ClientCommand.cpp:522 msgctxt "listchans" msgid "Disabled" msgstr "Deshabilitado" -#: ClientCommand.cpp:508 +#: ClientCommand.cpp:523 msgctxt "listchans" msgid "Trying" msgstr "Probando" -#: ClientCommand.cpp:511 ClientCommand.cpp:519 +#: ClientCommand.cpp:526 ClientCommand.cpp:534 msgctxt "listchans" msgid "yes" msgstr "sí" -#: ClientCommand.cpp:536 +#: ClientCommand.cpp:551 msgid "Total: {1}, Joined: {2}, Detached: {3}, Disabled: {4}" msgstr "Total: {1}, Unidos: {2}, Separados: {3}, Deshabilitados: {4}" -#: ClientCommand.cpp:541 +#: ClientCommand.cpp:556 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks using /znc DelNetwork " @@ -562,15 +725,15 @@ msgstr "" "Limite de redes alcanzado. Píde a un administrador que te incremente el " "límite, o elimina redes innecesarias usando /znc DelNetwork " -#: ClientCommand.cpp:550 +#: ClientCommand.cpp:565 msgid "Usage: AddNetwork " msgstr "Uso: AddNetwork " -#: ClientCommand.cpp:554 +#: ClientCommand.cpp:569 msgid "Network name should be alphanumeric" msgstr "El nombre de la red debe ser alfanumérico" -#: ClientCommand.cpp:561 +#: ClientCommand.cpp:576 msgid "" "Network added. Use /znc JumpNetwork {1}, or connect to ZNC with username {2} " "(instead of just {3}) to connect to it." @@ -578,139 +741,139 @@ msgstr "" "Red añadida. Utiliza /znc JumpNetwork {1}, o conecta a ZNC con el usuario " "{2} (en vez de solo {3}) para conectar a la red." -#: ClientCommand.cpp:566 +#: ClientCommand.cpp:581 msgid "Unable to add that network" msgstr "No se ha podido añadir esta red" -#: ClientCommand.cpp:573 +#: ClientCommand.cpp:588 msgid "Usage: DelNetwork " msgstr "Uso: DelNetwork " -#: ClientCommand.cpp:582 +#: ClientCommand.cpp:597 msgid "Network deleted" msgstr "Red eliminada" -#: ClientCommand.cpp:585 +#: ClientCommand.cpp:600 msgid "Failed to delete network, perhaps this network doesn't exist" msgstr "Fallo al eliminar la red, puede que esta red no exista" -#: ClientCommand.cpp:595 +#: ClientCommand.cpp:610 msgid "User {1} not found" msgstr "Usuario {1} no encontrado" -#: ClientCommand.cpp:603 ClientCommand.cpp:611 +#: ClientCommand.cpp:618 ClientCommand.cpp:626 msgctxt "listnetworks" msgid "Network" msgstr "Red" -#: ClientCommand.cpp:604 ClientCommand.cpp:613 ClientCommand.cpp:622 +#: ClientCommand.cpp:619 ClientCommand.cpp:628 ClientCommand.cpp:637 msgctxt "listnetworks" msgid "On IRC" msgstr "En IRC" -#: ClientCommand.cpp:605 ClientCommand.cpp:615 +#: ClientCommand.cpp:620 ClientCommand.cpp:630 msgctxt "listnetworks" msgid "IRC Server" msgstr "Servidor IRC" -#: ClientCommand.cpp:606 ClientCommand.cpp:617 +#: ClientCommand.cpp:621 ClientCommand.cpp:632 msgctxt "listnetworks" msgid "IRC User" msgstr "Usuario IRC" -#: ClientCommand.cpp:607 ClientCommand.cpp:619 +#: ClientCommand.cpp:622 ClientCommand.cpp:634 msgctxt "listnetworks" msgid "Channels" msgstr "Canales" -#: ClientCommand.cpp:614 +#: ClientCommand.cpp:629 msgctxt "listnetworks" msgid "Yes" msgstr "Sí" -#: ClientCommand.cpp:623 +#: ClientCommand.cpp:638 msgctxt "listnetworks" msgid "No" msgstr "No" -#: ClientCommand.cpp:628 +#: ClientCommand.cpp:643 msgctxt "listnetworks" msgid "No networks" msgstr "No hay redes" -#: ClientCommand.cpp:632 ClientCommand.cpp:936 +#: ClientCommand.cpp:647 ClientCommand.cpp:952 msgid "Access denied." msgstr "Acceso denegado." -#: ClientCommand.cpp:643 +#: ClientCommand.cpp:658 msgid "Usage: MoveNetwork [new network]" msgstr "" "Uso: MoveNetwork [nueva " "red]" -#: ClientCommand.cpp:653 +#: ClientCommand.cpp:668 msgid "Old user {1} not found." msgstr "Anterior usuario {1} no encontrado." -#: ClientCommand.cpp:659 +#: ClientCommand.cpp:674 msgid "Old network {1} not found." msgstr "Anterior red {1} no encontrada." -#: ClientCommand.cpp:665 +#: ClientCommand.cpp:680 msgid "New user {1} not found." msgstr "Nuevo usuario {1} no encontrado." -#: ClientCommand.cpp:670 +#: ClientCommand.cpp:685 msgid "User {1} already has network {2}." msgstr "El usuario {1} ya tiene una red {2}." -#: ClientCommand.cpp:676 +#: ClientCommand.cpp:691 msgid "Invalid network name [{1}]" msgstr "Nombre de red no válido [{1}]" -#: ClientCommand.cpp:692 +#: ClientCommand.cpp:707 msgid "Some files seem to be in {1}. You might want to move them to {2}" msgstr "" "Algunos archivos parece que están en {1}. Puede que quieras moverlos a {2}" -#: ClientCommand.cpp:706 +#: ClientCommand.cpp:721 msgid "Error adding network: {1}" msgstr "Error al añadir la red: {1}" -#: ClientCommand.cpp:718 +#: ClientCommand.cpp:733 msgid "Success." msgstr "Completado." -#: ClientCommand.cpp:721 +#: ClientCommand.cpp:736 msgid "Copied the network to new user, but failed to delete old network" msgstr "" "Copiada la red al nuevo usuario, pero se ha fallado al borrar la anterior red" -#: ClientCommand.cpp:728 +#: ClientCommand.cpp:743 msgid "No network supplied." msgstr "No se ha proporcionado una red." -#: ClientCommand.cpp:733 +#: ClientCommand.cpp:748 msgid "You are already connected with this network." msgstr "Ya estás conectado con esta red." -#: ClientCommand.cpp:739 +#: ClientCommand.cpp:754 msgid "Switched to {1}" msgstr "Cambiado a {1}" -#: ClientCommand.cpp:742 +#: ClientCommand.cpp:757 msgid "You don't have a network named {1}" msgstr "No tienes una red llamada {1}" -#: ClientCommand.cpp:754 +#: ClientCommand.cpp:769 msgid "Usage: AddServer [[+]port] [pass]" msgstr "Uso: AddServer [[+]puerto] [contraseña]" -#: ClientCommand.cpp:759 +#: ClientCommand.cpp:774 msgid "Server added" msgstr "Servidor añadido" -#: ClientCommand.cpp:762 +#: ClientCommand.cpp:777 msgid "" "Unable to add that server. Perhaps the server is already added or openssl is " "disabled?" @@ -718,243 +881,239 @@ msgstr "" "No se ha podido añadir el servidor. ¿Quizá el servidor ya está añadido o el " "openssl está deshabilitado?" -#: ClientCommand.cpp:777 +#: ClientCommand.cpp:792 msgid "Usage: DelServer [port] [pass]" msgstr "Uso: DelServer [puerto] [contraseña]" -#: ClientCommand.cpp:782 ClientCommand.cpp:822 -msgid "You don't have any servers added." -msgstr "No tienes ningún servidor añadido." - -#: ClientCommand.cpp:787 +#: ClientCommand.cpp:802 msgid "Server removed" msgstr "Servidor eliminado" -#: ClientCommand.cpp:789 +#: ClientCommand.cpp:804 msgid "No such server" msgstr "No existe el servidor" -#: ClientCommand.cpp:802 ClientCommand.cpp:809 +#: ClientCommand.cpp:817 ClientCommand.cpp:825 msgctxt "listservers" msgid "Host" msgstr "Servidor" -#: ClientCommand.cpp:803 ClientCommand.cpp:811 +#: ClientCommand.cpp:818 ClientCommand.cpp:827 msgctxt "listservers" msgid "Port" msgstr "Puerto" -#: ClientCommand.cpp:804 ClientCommand.cpp:814 +#: ClientCommand.cpp:819 ClientCommand.cpp:830 msgctxt "listservers" msgid "SSL" msgstr "SSL" -#: ClientCommand.cpp:805 ClientCommand.cpp:816 +#: ClientCommand.cpp:820 ClientCommand.cpp:832 msgctxt "listservers" msgid "Password" msgstr "Contraseña" -#: ClientCommand.cpp:815 +#: ClientCommand.cpp:831 msgctxt "listservers|cell" msgid "SSL" msgstr "SSL" -#: ClientCommand.cpp:832 +#: ClientCommand.cpp:848 msgid "Usage: AddTrustedServerFingerprint " msgstr "Uso: AddTrustedServerFingerprint " -#: ClientCommand.cpp:836 ClientCommand.cpp:849 +#: ClientCommand.cpp:852 ClientCommand.cpp:865 msgid "Done." msgstr "Hecho." -#: ClientCommand.cpp:845 +#: ClientCommand.cpp:861 msgid "Usage: DelTrustedServerFingerprint " msgstr "Uso: DelTrustedServerFingerprint " -#: ClientCommand.cpp:858 +#: ClientCommand.cpp:874 msgid "No fingerprints added." msgstr "No se han añadido huellas." -#: ClientCommand.cpp:874 ClientCommand.cpp:880 +#: ClientCommand.cpp:890 ClientCommand.cpp:896 msgctxt "topicscmd" msgid "Channel" msgstr "Canal" -#: ClientCommand.cpp:875 ClientCommand.cpp:881 +#: ClientCommand.cpp:891 ClientCommand.cpp:897 msgctxt "topicscmd" msgid "Set By" msgstr "Puesto por" -#: ClientCommand.cpp:876 ClientCommand.cpp:882 +#: ClientCommand.cpp:892 ClientCommand.cpp:898 msgctxt "topicscmd" msgid "Topic" msgstr "Tema" -#: ClientCommand.cpp:889 ClientCommand.cpp:894 +#: ClientCommand.cpp:905 ClientCommand.cpp:910 msgctxt "listmods" msgid "Name" msgstr "Nombre" -#: ClientCommand.cpp:890 ClientCommand.cpp:895 +#: ClientCommand.cpp:906 ClientCommand.cpp:911 msgctxt "listmods" msgid "Arguments" msgstr "Parámetros" -#: ClientCommand.cpp:904 +#: ClientCommand.cpp:920 msgid "No global modules loaded." msgstr "No se han cargado módulos globales." -#: ClientCommand.cpp:906 ClientCommand.cpp:970 +#: ClientCommand.cpp:922 ClientCommand.cpp:986 msgid "Global modules:" msgstr "Módulos globales:" -#: ClientCommand.cpp:915 +#: ClientCommand.cpp:931 msgid "Your user has no modules loaded." msgstr "Tu usuario no tiene módulos cargados." -#: ClientCommand.cpp:917 ClientCommand.cpp:982 +#: ClientCommand.cpp:933 ClientCommand.cpp:998 msgid "User modules:" msgstr "Módulos de usuario:" -#: ClientCommand.cpp:925 +#: ClientCommand.cpp:941 msgid "This network has no modules loaded." msgstr "Esta red no tiene módulos cargados." -#: ClientCommand.cpp:927 ClientCommand.cpp:994 +#: ClientCommand.cpp:943 ClientCommand.cpp:1010 msgid "Network modules:" msgstr "Módulos de red:" -#: ClientCommand.cpp:942 ClientCommand.cpp:949 +#: ClientCommand.cpp:958 ClientCommand.cpp:965 msgctxt "listavailmods" msgid "Name" msgstr "Nombre" -#: ClientCommand.cpp:943 ClientCommand.cpp:954 +#: ClientCommand.cpp:959 ClientCommand.cpp:970 msgctxt "listavailmods" msgid "Description" msgstr "Descripción" -#: ClientCommand.cpp:968 +#: ClientCommand.cpp:984 msgid "No global modules available." msgstr "No hay disponibles módulos globales." -#: ClientCommand.cpp:980 +#: ClientCommand.cpp:996 msgid "No user modules available." msgstr "No hay disponibles módulos de usuario." -#: ClientCommand.cpp:992 +#: ClientCommand.cpp:1008 msgid "No network modules available." msgstr "No hay módulos de red disponibles." -#: ClientCommand.cpp:1020 +#: ClientCommand.cpp:1036 msgid "Unable to load {1}: Access denied." msgstr "No se ha podido cargar {1}: acceso denegado." -#: ClientCommand.cpp:1026 +#: ClientCommand.cpp:1042 msgid "Usage: LoadMod [--type=global|user|network] [args]" msgstr "Uso: LoadMod [--type=global|user|network] [parámetros]" -#: ClientCommand.cpp:1033 +#: ClientCommand.cpp:1049 msgid "Unable to load {1}: {2}" msgstr "No se ha podido cargar {1}: {2}" -#: ClientCommand.cpp:1043 +#: ClientCommand.cpp:1059 msgid "Unable to load global module {1}: Access denied." msgstr "No se ha podido cargar el módulo global {1}: acceso denegado." -#: ClientCommand.cpp:1049 +#: ClientCommand.cpp:1065 msgid "Unable to load network module {1}: Not connected with a network." msgstr "" "No se ha podido cargar el módulo de red {1}: no estás conectado con una red." -#: ClientCommand.cpp:1071 +#: ClientCommand.cpp:1087 msgid "Unknown module type" msgstr "Tipo de módulo desconocido" -#: ClientCommand.cpp:1076 +#: ClientCommand.cpp:1092 msgid "Loaded module {1}" msgstr "Cargado módulo {1}" -#: ClientCommand.cpp:1078 +#: ClientCommand.cpp:1094 msgid "Loaded module {1}: {2}" msgstr "Cargado módulo {1}: {2}" -#: ClientCommand.cpp:1081 +#: ClientCommand.cpp:1097 msgid "Unable to load module {1}: {2}" msgstr "No se ha podido cargar el módulo {1}: {2}" -#: ClientCommand.cpp:1104 +#: ClientCommand.cpp:1120 msgid "Unable to unload {1}: Access denied." msgstr "No se ha podido descargar {1}: acceso denegado." -#: ClientCommand.cpp:1110 +#: ClientCommand.cpp:1126 msgid "Usage: UnloadMod [--type=global|user|network] " msgstr "Uso: UnLoadMod [--type=global|user|network] " -#: ClientCommand.cpp:1119 +#: ClientCommand.cpp:1135 msgid "Unable to determine type of {1}: {2}" msgstr "No se ha podido determinar el tipo de {1}: {2}" -#: ClientCommand.cpp:1127 +#: ClientCommand.cpp:1143 msgid "Unable to unload global module {1}: Access denied." msgstr "No se ha podido descargar el módulo global {1}: acceso denegado." -#: ClientCommand.cpp:1134 +#: ClientCommand.cpp:1150 msgid "Unable to unload network module {1}: Not connected with a network." msgstr "" "No se ha podido descargar el módulo de red {1}: no estás conectado con una " "red." -#: ClientCommand.cpp:1153 +#: ClientCommand.cpp:1169 msgid "Unable to unload module {1}: Unknown module type" msgstr "No se ha podido descargar el módulo {1}: tipo de módulo desconocido" -#: ClientCommand.cpp:1166 +#: ClientCommand.cpp:1182 msgid "Unable to reload modules. Access denied." msgstr "No se han podido recargar los módulos: acceso denegado." -#: ClientCommand.cpp:1187 +#: ClientCommand.cpp:1203 msgid "Usage: ReloadMod [--type=global|user|network] [args]" msgstr "Uso: ReoadMod [--type=global|user|network] [parámetros]" -#: ClientCommand.cpp:1196 +#: ClientCommand.cpp:1212 msgid "Unable to reload {1}: {2}" msgstr "No se ha podido recargar {1}: {2}" -#: ClientCommand.cpp:1204 +#: ClientCommand.cpp:1220 msgid "Unable to reload global module {1}: Access denied." msgstr "No se ha podido recargar el módulo global {1}: acceso denegado." -#: ClientCommand.cpp:1211 +#: ClientCommand.cpp:1227 msgid "Unable to reload network module {1}: Not connected with a network." msgstr "" "No se ha podido recargar el módulo de red {1}: no estás conectado con una " "red." -#: ClientCommand.cpp:1233 +#: ClientCommand.cpp:1249 msgid "Unable to reload module {1}: Unknown module type" msgstr "No se ha podido recargar el módulo {1}: tipo de módulo desconocido" -#: ClientCommand.cpp:1244 +#: ClientCommand.cpp:1260 msgid "Usage: UpdateMod " msgstr "Uso: UpdateMod " -#: ClientCommand.cpp:1248 +#: ClientCommand.cpp:1264 msgid "Reloading {1} everywhere" msgstr "Recargando {1} en todas partes" -#: ClientCommand.cpp:1250 +#: ClientCommand.cpp:1266 msgid "Done" msgstr "Hecho" -#: ClientCommand.cpp:1253 +#: ClientCommand.cpp:1269 msgid "" "Done, but there were errors, module {1} could not be reloaded everywhere." msgstr "" "Hecho, pero hay errores, el módulo {1} no se ha podido recargar en todas " "partes." -#: ClientCommand.cpp:1261 +#: ClientCommand.cpp:1277 msgid "" "You must be connected with a network to use this command. Try " "SetUserBindHost instead" @@ -962,27 +1121,27 @@ msgstr "" "Debes estar conectado a una red para usar este comando. Prueba " "SetUserBindHost" -#: ClientCommand.cpp:1268 +#: ClientCommand.cpp:1284 msgid "Usage: SetBindHost " msgstr "Uso: SetBindHost " -#: ClientCommand.cpp:1273 ClientCommand.cpp:1290 +#: ClientCommand.cpp:1289 ClientCommand.cpp:1306 msgid "You already have this bind host!" msgstr "¡Ya tienes este host vinculado!" -#: ClientCommand.cpp:1278 +#: ClientCommand.cpp:1294 msgid "Set bind host for network {1} to {2}" msgstr "Modificado bind host para la red {1} a {2}" -#: ClientCommand.cpp:1285 +#: ClientCommand.cpp:1301 msgid "Usage: SetUserBindHost " msgstr "Uso: SetUserBindHost " -#: ClientCommand.cpp:1295 +#: ClientCommand.cpp:1311 msgid "Set default bind host to {1}" msgstr "Configurado bind host predeterminado a {1}" -#: ClientCommand.cpp:1301 +#: ClientCommand.cpp:1317 msgid "" "You must be connected with a network to use this command. Try " "ClearUserBindHost instead" @@ -990,258 +1149,258 @@ msgstr "" "Debes estar conectado a una red para usar este comando. Prueba " "ClearUserBindHost" -#: ClientCommand.cpp:1306 +#: ClientCommand.cpp:1322 msgid "Bind host cleared for this network." msgstr "Borrado bindhost para esta red." -#: ClientCommand.cpp:1310 +#: ClientCommand.cpp:1326 msgid "Default bind host cleared for your user." msgstr "Borrado bindhost predeterminado para tu usuario." -#: ClientCommand.cpp:1313 +#: ClientCommand.cpp:1329 msgid "This user's default bind host not set" msgstr "Este usuario no tiene un bindhost predeterminado" -#: ClientCommand.cpp:1315 +#: ClientCommand.cpp:1331 msgid "This user's default bind host is {1}" msgstr "El bindhost predeterminado de este usuario es {1}" -#: ClientCommand.cpp:1320 +#: ClientCommand.cpp:1336 msgid "This network's bind host not set" msgstr "Esta red no tiene un bindhost" -#: ClientCommand.cpp:1322 +#: ClientCommand.cpp:1338 msgid "This network's default bind host is {1}" msgstr "El bindhost predeterminado de esta red es {1}" -#: ClientCommand.cpp:1336 +#: ClientCommand.cpp:1352 msgid "Usage: PlayBuffer <#chan|query>" msgstr "Uso: PlayBuffer <#canal|privado>" -#: ClientCommand.cpp:1344 +#: ClientCommand.cpp:1360 msgid "You are not on {1}" msgstr "No estás en {1}" -#: ClientCommand.cpp:1349 +#: ClientCommand.cpp:1365 msgid "You are not on {1} (trying to join)" msgstr "No estás en {1} (intentando entrar)" -#: ClientCommand.cpp:1354 +#: ClientCommand.cpp:1370 msgid "The buffer for channel {1} is empty" msgstr "El búfer del canal {1} está vacio" -#: ClientCommand.cpp:1363 +#: ClientCommand.cpp:1379 msgid "No active query with {1}" msgstr "No hay un privado activo con {1}" -#: ClientCommand.cpp:1368 +#: ClientCommand.cpp:1384 msgid "The buffer for {1} is empty" msgstr "El búfer de {1} está vacio" -#: ClientCommand.cpp:1384 +#: ClientCommand.cpp:1400 msgid "Usage: ClearBuffer <#chan|query>" msgstr "Uso: ClearBuffer <#canal|privado>" -#: ClientCommand.cpp:1403 +#: ClientCommand.cpp:1419 msgid "{1} buffer matching {2} has been cleared" msgid_plural "{1} buffers matching {2} have been cleared" msgstr[0] "{1} búfer coincidente con {2} ha sido borrado" msgstr[1] "{1} búfers coincidentes con {2} han sido borrados" -#: ClientCommand.cpp:1416 +#: ClientCommand.cpp:1432 msgid "All channel buffers have been cleared" msgstr "Todos los búfers de canales han sido borrados" -#: ClientCommand.cpp:1425 +#: ClientCommand.cpp:1441 msgid "All query buffers have been cleared" msgstr "Todos los búfers de privados han sido borrados" -#: ClientCommand.cpp:1437 +#: ClientCommand.cpp:1453 msgid "All buffers have been cleared" msgstr "Todos los búfers han sido borrados" -#: ClientCommand.cpp:1448 +#: ClientCommand.cpp:1464 msgid "Usage: SetBuffer <#chan|query> [linecount]" msgstr "Uso: SetBuffer <#canal|privado> [lineas]" -#: ClientCommand.cpp:1469 +#: ClientCommand.cpp:1485 msgid "Setting buffer size failed for {1} buffer" msgid_plural "Setting buffer size failed for {1} buffers" msgstr[0] "Fallo al definir el tamaño para el búfer {1}" msgstr[1] "Fallo al definir el tamaño para los búfers {1}" -#: ClientCommand.cpp:1472 +#: ClientCommand.cpp:1488 msgid "Maximum buffer size is {1} line" msgid_plural "Maximum buffer size is {1} lines" msgstr[0] "El tamaño máximo de búfer es {1} línea" msgstr[1] "El tamaño máximo de búfer es {1} líneas" -#: ClientCommand.cpp:1477 +#: ClientCommand.cpp:1493 msgid "Size of every buffer was set to {1} line" msgid_plural "Size of every buffer was set to {1} lines" msgstr[0] "El tamaño de cada búfer se ha cambiado a {1} línea" msgstr[1] "El tamaño de cada búfer se ha cambiado a {1} líneas" -#: ClientCommand.cpp:1487 ClientCommand.cpp:1494 ClientCommand.cpp:1505 -#: ClientCommand.cpp:1514 ClientCommand.cpp:1522 +#: ClientCommand.cpp:1503 ClientCommand.cpp:1510 ClientCommand.cpp:1521 +#: ClientCommand.cpp:1530 ClientCommand.cpp:1538 msgctxt "trafficcmd" msgid "Username" msgstr "Usuario" -#: ClientCommand.cpp:1488 ClientCommand.cpp:1495 ClientCommand.cpp:1507 -#: ClientCommand.cpp:1516 ClientCommand.cpp:1524 +#: ClientCommand.cpp:1504 ClientCommand.cpp:1511 ClientCommand.cpp:1523 +#: ClientCommand.cpp:1532 ClientCommand.cpp:1540 msgctxt "trafficcmd" msgid "In" msgstr "Entrada" -#: ClientCommand.cpp:1489 ClientCommand.cpp:1497 ClientCommand.cpp:1508 -#: ClientCommand.cpp:1517 ClientCommand.cpp:1525 +#: ClientCommand.cpp:1505 ClientCommand.cpp:1513 ClientCommand.cpp:1524 +#: ClientCommand.cpp:1533 ClientCommand.cpp:1541 msgctxt "trafficcmd" msgid "Out" msgstr "Salida" -#: ClientCommand.cpp:1490 ClientCommand.cpp:1500 ClientCommand.cpp:1510 -#: ClientCommand.cpp:1518 ClientCommand.cpp:1527 +#: ClientCommand.cpp:1506 ClientCommand.cpp:1516 ClientCommand.cpp:1526 +#: ClientCommand.cpp:1534 ClientCommand.cpp:1543 msgctxt "trafficcmd" msgid "Total" msgstr "Total" -#: ClientCommand.cpp:1506 +#: ClientCommand.cpp:1522 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1515 +#: ClientCommand.cpp:1531 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1523 +#: ClientCommand.cpp:1539 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1532 +#: ClientCommand.cpp:1548 msgid "Running for {1}" msgstr "Ejecutado desde {1}" -#: ClientCommand.cpp:1538 +#: ClientCommand.cpp:1554 msgid "Unknown command, try 'Help'" msgstr "Comando desconocido, prueba 'Help'" -#: ClientCommand.cpp:1547 ClientCommand.cpp:1558 +#: ClientCommand.cpp:1563 ClientCommand.cpp:1574 msgctxt "listports" msgid "Port" msgstr "Puerto" -#: ClientCommand.cpp:1548 ClientCommand.cpp:1559 +#: ClientCommand.cpp:1564 ClientCommand.cpp:1577 msgctxt "listports" msgid "BindHost" msgstr "BindHost" -#: ClientCommand.cpp:1549 ClientCommand.cpp:1562 +#: ClientCommand.cpp:1565 ClientCommand.cpp:1580 msgctxt "listports" msgid "SSL" msgstr "SSL" -#: ClientCommand.cpp:1550 ClientCommand.cpp:1567 +#: ClientCommand.cpp:1566 ClientCommand.cpp:1585 msgctxt "listports" msgid "Protocol" msgstr "Protocolo" -#: ClientCommand.cpp:1551 ClientCommand.cpp:1574 +#: ClientCommand.cpp:1567 ClientCommand.cpp:1592 msgctxt "listports" msgid "IRC" msgstr "IRC" -#: ClientCommand.cpp:1552 ClientCommand.cpp:1579 +#: ClientCommand.cpp:1568 ClientCommand.cpp:1597 msgctxt "listports" msgid "Web" msgstr "Web" -#: ClientCommand.cpp:1563 +#: ClientCommand.cpp:1581 msgctxt "listports|ssl" msgid "yes" msgstr "sí" -#: ClientCommand.cpp:1564 +#: ClientCommand.cpp:1582 msgctxt "listports|ssl" msgid "no" msgstr "no" -#: ClientCommand.cpp:1568 +#: ClientCommand.cpp:1586 msgctxt "listports" msgid "IPv4 and IPv6" msgstr "IPv4 y IPv6" -#: ClientCommand.cpp:1570 +#: ClientCommand.cpp:1588 msgctxt "listports" msgid "IPv4" msgstr "IPv4" -#: ClientCommand.cpp:1571 +#: ClientCommand.cpp:1589 msgctxt "listports" msgid "IPv6" msgstr "IPv6" -#: ClientCommand.cpp:1577 +#: ClientCommand.cpp:1595 msgctxt "listports|irc" msgid "yes" msgstr "sí" -#: ClientCommand.cpp:1578 +#: ClientCommand.cpp:1596 msgctxt "listports|irc" msgid "no" msgstr "no" -#: ClientCommand.cpp:1582 +#: ClientCommand.cpp:1600 msgctxt "listports|irc" msgid "yes, on {1}" msgstr "sí, en {1}" -#: ClientCommand.cpp:1584 +#: ClientCommand.cpp:1602 msgctxt "listports|web" msgid "no" msgstr "no" -#: ClientCommand.cpp:1624 +#: ClientCommand.cpp:1642 msgid "" "Usage: AddPort <[+]port> [bindhost [uriprefix]]" msgstr "" "Uso: AddPort <[+]puerto> [bindhost " "[prefijourl]]" -#: ClientCommand.cpp:1640 +#: ClientCommand.cpp:1658 msgid "Port added" msgstr "Puerto añadido" -#: ClientCommand.cpp:1642 +#: ClientCommand.cpp:1660 msgid "Couldn't add port" msgstr "No se puede añadir el puerto" -#: ClientCommand.cpp:1648 +#: ClientCommand.cpp:1666 msgid "Usage: DelPort [bindhost]" msgstr "Uso: DelPort [bindhost]" -#: ClientCommand.cpp:1657 +#: ClientCommand.cpp:1675 msgid "Deleted Port" msgstr "Puerto eliminado" -#: ClientCommand.cpp:1659 +#: ClientCommand.cpp:1677 msgid "Unable to find a matching port" msgstr "No se ha encontrado un puerto que coincida" -#: ClientCommand.cpp:1667 ClientCommand.cpp:1682 +#: ClientCommand.cpp:1685 ClientCommand.cpp:1700 msgctxt "helpcmd" msgid "Command" msgstr "Comando" -#: ClientCommand.cpp:1668 ClientCommand.cpp:1684 +#: ClientCommand.cpp:1686 ClientCommand.cpp:1702 msgctxt "helpcmd" msgid "Description" msgstr "Descripción" -#: ClientCommand.cpp:1673 +#: ClientCommand.cpp:1691 msgid "" "In the following list all occurrences of <#chan> support wildcards (* and ?) " "except ListNicks" @@ -1249,87 +1408,87 @@ msgstr "" "En la siguiente lista todas las coincidencias de <#canal> soportan comodines " "(* y ?) excepto ListNicks" -#: ClientCommand.cpp:1690 +#: ClientCommand.cpp:1708 msgctxt "helpcmd|Version|desc" msgid "Print which version of ZNC this is" msgstr "Imprime la versión de ZNC" -#: ClientCommand.cpp:1693 +#: ClientCommand.cpp:1711 msgctxt "helpcmd|ListMods|desc" msgid "List all loaded modules" msgstr "Lista todos los módulos cargados" -#: ClientCommand.cpp:1696 +#: ClientCommand.cpp:1714 msgctxt "helpcmd|ListAvailMods|desc" msgid "List all available modules" msgstr "Lista todos los módulos disponibles" -#: ClientCommand.cpp:1700 ClientCommand.cpp:1886 +#: ClientCommand.cpp:1718 ClientCommand.cpp:1904 msgctxt "helpcmd|ListChans|desc" msgid "List all channels" msgstr "Lista todos los canales" -#: ClientCommand.cpp:1703 +#: ClientCommand.cpp:1721 msgctxt "helpcmd|ListNicks|args" msgid "<#chan>" msgstr "<#canal>" -#: ClientCommand.cpp:1704 +#: ClientCommand.cpp:1722 msgctxt "helpcmd|ListNicks|desc" msgid "List all nicks on a channel" msgstr "Lista todos los nicks de un canal" -#: ClientCommand.cpp:1707 +#: ClientCommand.cpp:1725 msgctxt "helpcmd|ListClients|desc" msgid "List all clients connected to your ZNC user" msgstr "Lista todos los clientes conectados en tu usuario de ZNC" -#: ClientCommand.cpp:1711 +#: ClientCommand.cpp:1729 msgctxt "helpcmd|ListServers|desc" msgid "List all servers of current IRC network" msgstr "Lista todos los servidores de la red IRC actual" -#: ClientCommand.cpp:1715 +#: ClientCommand.cpp:1733 msgctxt "helpcmd|AddNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1716 +#: ClientCommand.cpp:1734 msgctxt "helpcmd|AddNetwork|desc" msgid "Add a network to your user" msgstr "Añade una red a tu usario" -#: ClientCommand.cpp:1718 +#: ClientCommand.cpp:1736 msgctxt "helpcmd|DelNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1719 +#: ClientCommand.cpp:1737 msgctxt "helpcmd|DelNetwork|desc" msgid "Delete a network from your user" msgstr "Elimina una red de tu usuario" -#: ClientCommand.cpp:1721 +#: ClientCommand.cpp:1739 msgctxt "helpcmd|ListNetworks|desc" msgid "List all networks" msgstr "Lista todas las redes" -#: ClientCommand.cpp:1724 +#: ClientCommand.cpp:1742 msgctxt "helpcmd|MoveNetwork|args" msgid " [new network]" msgstr " [nueva red]" -#: ClientCommand.cpp:1726 +#: ClientCommand.cpp:1744 msgctxt "helpcmd|MoveNetwork|desc" msgid "Move an IRC network from one user to another" msgstr "Mueve una red de IRC de un usuario a otro" -#: ClientCommand.cpp:1730 +#: ClientCommand.cpp:1748 msgctxt "helpcmd|JumpNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1731 +#: ClientCommand.cpp:1749 msgctxt "helpcmd|JumpNetwork|desc" msgid "" "Jump to another network (Alternatively, you can connect to ZNC several " @@ -1338,24 +1497,24 @@ msgstr "" "Saltar a otra red (alternativamente, puedes conectar a ZNC varias veces, " "usando `usuario/red` como nombre de usuario)" -#: ClientCommand.cpp:1736 +#: ClientCommand.cpp:1754 msgctxt "helpcmd|AddServer|args" msgid " [[+]port] [pass]" msgstr " [[+]puerto] [contraseña]" -#: ClientCommand.cpp:1737 +#: ClientCommand.cpp:1755 msgctxt "helpcmd|AddServer|desc" msgid "" "Add a server to the list of alternate/backup servers of current IRC network." msgstr "" "Añade un servidor a la lista de servidores alternativos de la red IRC actual." -#: ClientCommand.cpp:1741 +#: ClientCommand.cpp:1759 msgctxt "helpcmd|DelServer|args" msgid " [port] [pass]" msgstr " [puerto] [contraseña]" -#: ClientCommand.cpp:1742 +#: ClientCommand.cpp:1760 msgctxt "helpcmd|DelServer|desc" msgid "" "Remove a server from the list of alternate/backup servers of current IRC " @@ -1364,12 +1523,12 @@ msgstr "" "Elimina un servidor de la lista de servidores alternativos de la red IRC " "actual" -#: ClientCommand.cpp:1748 +#: ClientCommand.cpp:1766 msgctxt "helpcmd|AddTrustedServerFingerprint|args" msgid "" msgstr "" -#: ClientCommand.cpp:1749 +#: ClientCommand.cpp:1767 msgctxt "helpcmd|AddTrustedServerFingerprint|desc" msgid "" "Add a trusted server SSL certificate fingerprint (SHA-256) to current IRC " @@ -1378,338 +1537,338 @@ msgstr "" "Añade un certificado digital (SHA-256) de confianza del servidor SSL a la " "red IRC actual." -#: ClientCommand.cpp:1754 +#: ClientCommand.cpp:1772 msgctxt "helpcmd|DelTrustedServerFingerprint|args" msgid "" msgstr "" -#: ClientCommand.cpp:1755 +#: ClientCommand.cpp:1773 msgctxt "helpcmd|DelTrustedServerFingerprint|desc" msgid "Delete a trusted server SSL certificate from current IRC network." msgstr "Elimina un certificado digital de confianza de la red IRC actual." -#: ClientCommand.cpp:1759 +#: ClientCommand.cpp:1777 msgctxt "helpcmd|ListTrustedServerFingerprints|desc" msgid "List all trusted server SSL certificates of current IRC network." msgstr "Lista todos los certificados SSL de confianza de la red IRC actual." -#: ClientCommand.cpp:1762 +#: ClientCommand.cpp:1780 msgctxt "helpcmd|EnableChan|args" msgid "<#chans>" msgstr "<#canales>" -#: ClientCommand.cpp:1763 +#: ClientCommand.cpp:1781 msgctxt "helpcmd|EnableChan|desc" msgid "Enable channels" msgstr "Habilita canales" -#: ClientCommand.cpp:1764 +#: ClientCommand.cpp:1782 msgctxt "helpcmd|DisableChan|args" msgid "<#chans>" msgstr "<#canales>" -#: ClientCommand.cpp:1765 +#: ClientCommand.cpp:1783 msgctxt "helpcmd|DisableChan|desc" msgid "Disable channels" msgstr "Deshabilita canales" -#: ClientCommand.cpp:1766 +#: ClientCommand.cpp:1784 msgctxt "helpcmd|Attach|args" msgid "<#chans>" msgstr "<#canales>" -#: ClientCommand.cpp:1767 +#: ClientCommand.cpp:1785 msgctxt "helpcmd|Attach|desc" msgid "Attach to channels" msgstr "Unirse a canales" -#: ClientCommand.cpp:1768 +#: ClientCommand.cpp:1786 msgctxt "helpcmd|Detach|args" msgid "<#chans>" msgstr "<#canales>" -#: ClientCommand.cpp:1769 +#: ClientCommand.cpp:1787 msgctxt "helpcmd|Detach|desc" msgid "Detach from channels" msgstr "Separarse de canales" -#: ClientCommand.cpp:1772 +#: ClientCommand.cpp:1790 msgctxt "helpcmd|Topics|desc" msgid "Show topics in all your channels" msgstr "Mostrar topics de tus canales" -#: ClientCommand.cpp:1775 +#: ClientCommand.cpp:1793 msgctxt "helpcmd|PlayBuffer|args" msgid "<#chan|query>" msgstr "<#canal|privado>" -#: ClientCommand.cpp:1776 +#: ClientCommand.cpp:1794 msgctxt "helpcmd|PlayBuffer|desc" msgid "Play back the specified buffer" msgstr "Reproduce el búfer especificado" -#: ClientCommand.cpp:1778 +#: ClientCommand.cpp:1796 msgctxt "helpcmd|ClearBuffer|args" msgid "<#chan|query>" msgstr "<#canal|privado>" -#: ClientCommand.cpp:1779 +#: ClientCommand.cpp:1797 msgctxt "helpcmd|ClearBuffer|desc" msgid "Clear the specified buffer" msgstr "Borra el búfer especificado" -#: ClientCommand.cpp:1781 +#: ClientCommand.cpp:1799 msgctxt "helpcmd|ClearAllBuffers|desc" msgid "Clear all channel and query buffers" msgstr "Borra todos los búfers de canales y privados" -#: ClientCommand.cpp:1784 +#: ClientCommand.cpp:1802 msgctxt "helpcmd|ClearAllChannelBuffers|desc" msgid "Clear the channel buffers" msgstr "Borrar todos los búfers de canales" -#: ClientCommand.cpp:1788 +#: ClientCommand.cpp:1806 msgctxt "helpcmd|ClearAllQueryBuffers|desc" msgid "Clear the query buffers" msgstr "Borrar todos los búfers de privados" -#: ClientCommand.cpp:1790 +#: ClientCommand.cpp:1808 msgctxt "helpcmd|SetBuffer|args" msgid "<#chan|query> [linecount]" msgstr "<#canal|privado> [lineas]" -#: ClientCommand.cpp:1791 +#: ClientCommand.cpp:1809 msgctxt "helpcmd|SetBuffer|desc" msgid "Set the buffer count" msgstr "Ajusta las líneas de búfer" -#: ClientCommand.cpp:1795 +#: ClientCommand.cpp:1813 msgctxt "helpcmd|SetBindHost|args" msgid "" msgstr "" -#: ClientCommand.cpp:1796 +#: ClientCommand.cpp:1814 msgctxt "helpcmd|SetBindHost|desc" msgid "Set the bind host for this network" msgstr "Define el bind host para esta red" -#: ClientCommand.cpp:1800 +#: ClientCommand.cpp:1818 msgctxt "helpcmd|SetUserBindHost|args" msgid "" msgstr "" -#: ClientCommand.cpp:1801 +#: ClientCommand.cpp:1819 msgctxt "helpcmd|SetUserBindHost|desc" msgid "Set the default bind host for this user" msgstr "Define el bind host predeterminado para este usuario" -#: ClientCommand.cpp:1804 +#: ClientCommand.cpp:1822 msgctxt "helpcmd|ClearBindHost|desc" msgid "Clear the bind host for this network" msgstr "Borrar el bind host para esta red" -#: ClientCommand.cpp:1807 +#: ClientCommand.cpp:1825 msgctxt "helpcmd|ClearUserBindHost|desc" msgid "Clear the default bind host for this user" msgstr "Borrar el bind host predeterminado para este usuario" -#: ClientCommand.cpp:1813 +#: ClientCommand.cpp:1831 msgctxt "helpcmd|ShowBindHost|desc" msgid "Show currently selected bind host" msgstr "Mostrar el bind host seleccionado" -#: ClientCommand.cpp:1815 +#: ClientCommand.cpp:1833 msgctxt "helpcmd|Jump|args" msgid "[server]" msgstr "[servidor]" -#: ClientCommand.cpp:1816 +#: ClientCommand.cpp:1834 msgctxt "helpcmd|Jump|desc" msgid "Jump to the next or the specified server" msgstr "Saltar al siguiente servidor" -#: ClientCommand.cpp:1817 +#: ClientCommand.cpp:1835 msgctxt "helpcmd|Disconnect|args" msgid "[message]" msgstr "[mensaje]" -#: ClientCommand.cpp:1818 +#: ClientCommand.cpp:1836 msgctxt "helpcmd|Disconnect|desc" msgid "Disconnect from IRC" msgstr "Desconectar del IRC" -#: ClientCommand.cpp:1820 +#: ClientCommand.cpp:1838 msgctxt "helpcmd|Connect|desc" msgid "Reconnect to IRC" msgstr "Reconectar al IRC" -#: ClientCommand.cpp:1823 +#: ClientCommand.cpp:1841 msgctxt "helpcmd|Uptime|desc" msgid "Show for how long ZNC has been running" msgstr "Mostrar cuanto tiempo lleva ZNC ejecutándose" -#: ClientCommand.cpp:1827 +#: ClientCommand.cpp:1845 msgctxt "helpcmd|LoadMod|args" msgid "[--type=global|user|network] [args]" msgstr "" -#: ClientCommand.cpp:1829 +#: ClientCommand.cpp:1847 msgctxt "helpcmd|LoadMod|desc" msgid "Load a module" msgstr "Cargar un módulo" -#: ClientCommand.cpp:1831 +#: ClientCommand.cpp:1849 msgctxt "helpcmd|UnloadMod|args" msgid "[--type=global|user|network] " msgstr "[--type=global|user|network] " -#: ClientCommand.cpp:1833 +#: ClientCommand.cpp:1851 msgctxt "helpcmd|UnloadMod|desc" msgid "Unload a module" msgstr "Descargar un módulo" -#: ClientCommand.cpp:1835 +#: ClientCommand.cpp:1853 msgctxt "helpcmd|ReloadMod|args" msgid "[--type=global|user|network] [args]" msgstr "" -#: ClientCommand.cpp:1837 +#: ClientCommand.cpp:1855 msgctxt "helpcmd|ReloadMod|desc" msgid "Reload a module" msgstr "Recargar un módulo" -#: ClientCommand.cpp:1840 +#: ClientCommand.cpp:1858 msgctxt "helpcmd|UpdateMod|args" msgid "" msgstr "" -#: ClientCommand.cpp:1841 +#: ClientCommand.cpp:1859 msgctxt "helpcmd|UpdateMod|desc" msgid "Reload a module everywhere" msgstr "Recargar un módulo en todas partes" -#: ClientCommand.cpp:1847 +#: ClientCommand.cpp:1865 msgctxt "helpcmd|ShowMOTD|desc" msgid "Show ZNC's message of the day" msgstr "Mostrar el mensaje del día de ZNC" -#: ClientCommand.cpp:1851 +#: ClientCommand.cpp:1869 msgctxt "helpcmd|SetMOTD|args" msgid "" msgstr "" -#: ClientCommand.cpp:1852 +#: ClientCommand.cpp:1870 msgctxt "helpcmd|SetMOTD|desc" msgid "Set ZNC's message of the day" msgstr "Definir el mensaje del día de ZNC" -#: ClientCommand.cpp:1854 +#: ClientCommand.cpp:1872 msgctxt "helpcmd|AddMOTD|args" msgid "" msgstr "" -#: ClientCommand.cpp:1855 +#: ClientCommand.cpp:1873 msgctxt "helpcmd|AddMOTD|desc" msgid "Append to ZNC's MOTD" msgstr "Añadir un al MOTD de ZNC" -#: ClientCommand.cpp:1857 +#: ClientCommand.cpp:1875 msgctxt "helpcmd|ClearMOTD|desc" msgid "Clear ZNC's MOTD" msgstr "Borrar el MOTD de ZNC" -#: ClientCommand.cpp:1860 +#: ClientCommand.cpp:1878 msgctxt "helpcmd|ListPorts|desc" msgid "Show all active listeners" msgstr "Mostrar todos los puertos en escucha" -#: ClientCommand.cpp:1862 +#: ClientCommand.cpp:1880 msgctxt "helpcmd|AddPort|args" msgid "<[+]port> [bindhost [uriprefix]]" msgstr "<[+]puerto> [bindhost [prefijouri]]" -#: ClientCommand.cpp:1865 +#: ClientCommand.cpp:1883 msgctxt "helpcmd|AddPort|desc" msgid "Add another port for ZNC to listen on" msgstr "Añadir otro puerto de escucha a ZNC" -#: ClientCommand.cpp:1869 +#: ClientCommand.cpp:1887 msgctxt "helpcmd|DelPort|args" msgid " [bindhost]" msgstr " [bindhost]" -#: ClientCommand.cpp:1870 +#: ClientCommand.cpp:1888 msgctxt "helpcmd|DelPort|desc" msgid "Remove a port from ZNC" msgstr "Eliminar un puerto de ZNC" -#: ClientCommand.cpp:1873 +#: ClientCommand.cpp:1891 msgctxt "helpcmd|Rehash|desc" msgid "Reload global settings, modules, and listeners from znc.conf" msgstr "" "Recargar ajustes globales, módulos, y puertos de escucha desde znc.conf" -#: ClientCommand.cpp:1876 +#: ClientCommand.cpp:1894 msgctxt "helpcmd|SaveConfig|desc" msgid "Save the current settings to disk" msgstr "Guardar la configuración actual en disco" -#: ClientCommand.cpp:1879 +#: ClientCommand.cpp:1897 msgctxt "helpcmd|ListUsers|desc" msgid "List all ZNC users and their connection status" msgstr "Mostrar todos los usuarios de ZNC y su estado de conexión" -#: ClientCommand.cpp:1882 +#: ClientCommand.cpp:1900 msgctxt "helpcmd|ListAllUserNetworks|desc" msgid "List all ZNC users and their networks" msgstr "Mostrar todos los usuarios de ZNC y sus redes" -#: ClientCommand.cpp:1885 +#: ClientCommand.cpp:1903 msgctxt "helpcmd|ListChans|args" msgid "[user ]" msgstr "[usuario ]" -#: ClientCommand.cpp:1888 +#: ClientCommand.cpp:1906 msgctxt "helpcmd|ListClients|args" msgid "[user]" msgstr "[usuario]" -#: ClientCommand.cpp:1889 +#: ClientCommand.cpp:1907 msgctxt "helpcmd|ListClients|desc" msgid "List all connected clients" msgstr "Mostrar todos los clientes conectados" -#: ClientCommand.cpp:1891 +#: ClientCommand.cpp:1909 msgctxt "helpcmd|Traffic|desc" msgid "Show basic traffic stats for all ZNC users" msgstr "Mostrar estadísticas de tráfico de todos los usuarios de ZNC" -#: ClientCommand.cpp:1893 +#: ClientCommand.cpp:1911 msgctxt "helpcmd|Broadcast|args" msgid "[message]" msgstr "[mensaje]" -#: ClientCommand.cpp:1894 +#: ClientCommand.cpp:1912 msgctxt "helpcmd|Broadcast|desc" msgid "Broadcast a message to all ZNC users" msgstr "Difundir un mensaje a todos los usuarios de ZNC" -#: ClientCommand.cpp:1897 +#: ClientCommand.cpp:1915 msgctxt "helpcmd|Shutdown|args" msgid "[message]" msgstr "[mensaje]" -#: ClientCommand.cpp:1898 +#: ClientCommand.cpp:1916 msgctxt "helpcmd|Shutdown|desc" msgid "Shut down ZNC completely" msgstr "Cerrar ZNC completamente" -#: ClientCommand.cpp:1899 +#: ClientCommand.cpp:1917 msgctxt "helpcmd|Restart|args" msgid "[message]" msgstr "[mensaje]" -#: ClientCommand.cpp:1900 +#: ClientCommand.cpp:1918 msgctxt "helpcmd|Restart|desc" msgid "Restart ZNC" msgstr "Reiniciar ZNC" diff --git a/src/po/znc.fr_FR.po b/src/po/znc.fr_FR.po index 73fae054..7584e394 100644 --- a/src/po/znc.fr_FR.po +++ b/src/po/znc.fr_FR.po @@ -75,7 +75,7 @@ msgstr "Impossible de trouver le fichier pem : {1}" msgid "Invalid port" msgstr "Port invalide" -#: znc.cpp:1813 ClientCommand.cpp:1637 +#: znc.cpp:1813 ClientCommand.cpp:1655 msgid "Unable to bind: {1}" msgstr "Impossible d'utiliser le port : {1}" @@ -117,69 +117,69 @@ msgstr "" msgid "Some module aborted the connection attempt" msgstr "Un module a annulé la tentative de connexion" -#: IRCSock.cpp:490 +#: IRCSock.cpp:492 msgid "Error from server: {1}" msgstr "Erreur du serveur : {1}" -#: IRCSock.cpp:692 +#: IRCSock.cpp:694 msgid "ZNC seems to be connected to itself, disconnecting..." msgstr "ZNC semble s'être connecté à lui-même, déconnexion..." -#: IRCSock.cpp:739 +#: IRCSock.cpp:741 msgid "Server {1} redirects us to {2}:{3} with reason: {4}" msgstr "Le serveur {1} redirige vers {2}:{3} avec pour motif : {4}" -#: IRCSock.cpp:743 +#: IRCSock.cpp:745 msgid "Perhaps you want to add it as a new server." msgstr "Vous souhaitez peut-être l'ajouter comme un nouveau server." -#: IRCSock.cpp:973 +#: IRCSock.cpp:975 msgid "Channel {1} is linked to another channel and was thus disabled." msgstr "Le salon {1} est lié à un autre salon et est par conséquent désactivé." -#: IRCSock.cpp:985 +#: IRCSock.cpp:987 msgid "Switched to SSL (STARTTLS)" msgstr "Passage à SSL (STARTTLS)" -#: IRCSock.cpp:1038 +#: IRCSock.cpp:1040 msgid "You quit: {1}" msgstr "Vous avez quitté : {1}" -#: IRCSock.cpp:1244 +#: IRCSock.cpp:1246 msgid "Disconnected from IRC. Reconnecting..." msgstr "Déconnecté d'IRC. Reconnexion..." -#: IRCSock.cpp:1275 +#: IRCSock.cpp:1277 msgid "Cannot connect to IRC ({1}). Retrying..." msgstr "Échec de la connexion à IRC ({1}). Nouvel essai..." -#: IRCSock.cpp:1278 +#: IRCSock.cpp:1280 msgid "Disconnected from IRC ({1}). Reconnecting..." msgstr "Déconnecté de IRC ({1}). Reconnexion..." -#: IRCSock.cpp:1314 +#: IRCSock.cpp:1316 msgid "If you trust this certificate, do /znc AddTrustedServerFingerprint {1}" msgstr "" "Si vous avez confiance en ce certificat, tapez /znc " "AddTrustedServerFingerprint {1}" -#: IRCSock.cpp:1323 +#: IRCSock.cpp:1325 msgid "IRC connection timed out. Reconnecting..." msgstr "La connexion à IRC a expiré. Reconnexion..." -#: IRCSock.cpp:1335 +#: IRCSock.cpp:1337 msgid "Connection Refused. Reconnecting..." msgstr "Connexion refusée. Reconnexion..." -#: IRCSock.cpp:1343 +#: IRCSock.cpp:1345 msgid "Received a too long line from the IRC server!" msgstr "Le serveur IRC a envoyé une ligne trop longue !" -#: IRCSock.cpp:1447 +#: IRCSock.cpp:1449 msgid "No free nick available" msgstr "Aucun pseudonyme n'est disponible" -#: IRCSock.cpp:1455 +#: IRCSock.cpp:1457 msgid "No free nick found" msgstr "Aucun pseudonyme disponible n'a été trouvé" @@ -243,48 +243,49 @@ msgstr "" "Vous avez été déconnecté car un autre utilisateur s'est authentifié avec le " "même identifiant." -#: Client.cpp:1021 +#: Client.cpp:1022 msgid "Your CTCP to {1} got lost, you are not connected to IRC!" msgstr "" "Votre connexion CTCP vers {1} a été perdue, vous n'êtes plus connecté à IRC !" -#: Client.cpp:1147 +#: Client.cpp:1148 msgid "Your notice to {1} got lost, you are not connected to IRC!" msgstr "Votre notice vers {1} a été perdue, vous n'êtes plus connecté à IRC !" -#: Client.cpp:1186 +#: Client.cpp:1187 msgid "Removing channel {1}" msgstr "Suppression du salon {1}" -#: Client.cpp:1264 +#: Client.cpp:1265 msgid "Your message to {1} got lost, you are not connected to IRC!" msgstr "Votre message à {1} a été perdu, vous n'êtes pas connecté à IRC !" -#: Client.cpp:1317 Client.cpp:1323 +#: Client.cpp:1318 Client.cpp:1324 msgid "Hello. How may I help you?" msgstr "Bonjour. Comment puis-je vous aider ?" -#: Client.cpp:1337 +#: Client.cpp:1338 msgid "Usage: /attach <#chans>" msgstr "Utilisation : /attach <#salons>" -#: Client.cpp:1344 Client.cpp:1366 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: Client.cpp:1345 Client.cpp:1367 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: ClientCommand.cpp:423 ClientCommand.cpp:450 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" msgstr[0] "Il y avait {1} salon correspondant [{2}]" msgstr[1] "Il y avait {1} salons correspondant [{2}]" -#: Client.cpp:1347 ClientCommand.cpp:132 +#: Client.cpp:1348 ClientCommand.cpp:132 msgid "Attached {1} channel" msgid_plural "Attached {1} channels" msgstr[0] "A attaché {1} salon" msgstr[1] "A attaché {1} salons" -#: Client.cpp:1359 +#: Client.cpp:1360 msgid "Usage: /detach <#chans>" msgstr "Utilisation : /detach <#salons>" -#: Client.cpp:1369 ClientCommand.cpp:154 +#: Client.cpp:1370 ClientCommand.cpp:154 msgid "Detached {1} channel" msgid_plural "Detached {1} channels" msgstr[0] "A détaché {1} salon" @@ -308,7 +309,7 @@ msgctxt "modhelpcmd" msgid "Generate this output" msgstr "Générer cette sortie" -#: Modules.cpp:573 ClientCommand.cpp:1904 +#: Modules.cpp:573 ClientCommand.cpp:1922 msgid "No matches for '{1}'" msgstr "Aucune correspondance pour '{1}'" @@ -419,11 +420,12 @@ msgid "Description" msgstr "Description" #: ClientCommand.cpp:51 ClientCommand.cpp:115 ClientCommand.cpp:137 -#: ClientCommand.cpp:749 ClientCommand.cpp:768 ClientCommand.cpp:794 -#: ClientCommand.cpp:827 ClientCommand.cpp:840 ClientCommand.cpp:853 -#: ClientCommand.cpp:868 ClientCommand.cpp:1329 ClientCommand.cpp:1377 -#: ClientCommand.cpp:1409 ClientCommand.cpp:1420 ClientCommand.cpp:1429 -#: ClientCommand.cpp:1441 +#: ClientCommand.cpp:339 ClientCommand.cpp:390 ClientCommand.cpp:405 +#: ClientCommand.cpp:432 ClientCommand.cpp:459 ClientCommand.cpp:764 +#: ClientCommand.cpp:783 ClientCommand.cpp:809 ClientCommand.cpp:843 +#: ClientCommand.cpp:856 ClientCommand.cpp:869 ClientCommand.cpp:884 +#: ClientCommand.cpp:1345 ClientCommand.cpp:1393 ClientCommand.cpp:1425 +#: ClientCommand.cpp:1436 ClientCommand.cpp:1445 ClientCommand.cpp:1457 msgid "You must be connected with a network to use this command" msgstr "Vous devez être connecté à un réseau pour utiliser cette commande" @@ -483,87 +485,248 @@ msgstr "La configuration a été écrite dans {1}" msgid "Error while trying to write config." msgstr "Erreur lors de la sauvegarde de la configuration." -#: ClientCommand.cpp:455 +#: ClientCommand.cpp:183 +msgid "Usage: ListClients" +msgstr "" + +#: ClientCommand.cpp:190 +msgid "No such user: {1}" +msgstr "" + +#: ClientCommand.cpp:198 +msgid "No clients are connected" +msgstr "" + +#: ClientCommand.cpp:203 ClientCommand.cpp:209 +msgctxt "listclientscmd" +msgid "Host" +msgstr "" + +#: ClientCommand.cpp:204 ClientCommand.cpp:212 +msgctxt "listclientscmd" +msgid "Network" +msgstr "" + +#: ClientCommand.cpp:205 ClientCommand.cpp:215 +msgctxt "listclientscmd" +msgid "Identifier" +msgstr "" + +#: ClientCommand.cpp:223 ClientCommand.cpp:229 +msgctxt "listuserscmd" +msgid "Username" +msgstr "" + +#: ClientCommand.cpp:224 ClientCommand.cpp:230 +msgctxt "listuserscmd" +msgid "Networks" +msgstr "" + +#: ClientCommand.cpp:225 ClientCommand.cpp:232 +msgctxt "listuserscmd" +msgid "Clients" +msgstr "" + +#: ClientCommand.cpp:240 ClientCommand.cpp:250 ClientCommand.cpp:260 +#: ClientCommand.cpp:263 +msgctxt "listallusernetworkscmd" +msgid "Username" +msgstr "" + +#: ClientCommand.cpp:241 ClientCommand.cpp:251 ClientCommand.cpp:266 +msgctxt "listallusernetworkscmd" +msgid "Network" +msgstr "" + +#: ClientCommand.cpp:242 ClientCommand.cpp:252 ClientCommand.cpp:268 +msgctxt "listallusernetworkscmd" +msgid "Clients" +msgstr "" + +#: ClientCommand.cpp:243 ClientCommand.cpp:271 ClientCommand.cpp:280 +msgctxt "listallusernetworkscmd" +msgid "On IRC" +msgstr "" + +#: ClientCommand.cpp:244 ClientCommand.cpp:273 +msgctxt "listallusernetworkscmd" +msgid "IRC Server" +msgstr "" + +#: ClientCommand.cpp:245 ClientCommand.cpp:275 +msgctxt "listallusernetworkscmd" +msgid "IRC User" +msgstr "" + +#: ClientCommand.cpp:246 ClientCommand.cpp:277 +msgctxt "listallusernetworkscmd" +msgid "Channels" +msgstr "" + +#: ClientCommand.cpp:251 +msgid "N/A" +msgstr "" + +#: ClientCommand.cpp:272 +msgctxt "listallusernetworkscmd" +msgid "Yes" +msgstr "" + +#: ClientCommand.cpp:281 +msgctxt "listallusernetworkscmd" +msgid "No" +msgstr "" + +#: ClientCommand.cpp:291 +msgid "Usage: SetMOTD " +msgstr "" + +#: ClientCommand.cpp:294 +msgid "MOTD set to: {1}" +msgstr "" + +#: ClientCommand.cpp:300 +msgid "Usage: AddMOTD " +msgstr "" + +#: ClientCommand.cpp:303 +msgid "Added [{1}] to MOTD" +msgstr "" + +#: ClientCommand.cpp:307 +msgid "Cleared MOTD" +msgstr "" + +#: ClientCommand.cpp:329 +msgid "" +"ERROR: Writing config file to disk failed! Aborting. Use {1} FORCE to ignore." +msgstr "" + +#: ClientCommand.cpp:344 ClientCommand.cpp:797 ClientCommand.cpp:838 +msgid "You don't have any servers added." +msgstr "Vous n'avez aucun serveur." + +#: ClientCommand.cpp:355 +msgid "Server [{1}] not found" +msgstr "" + +#: ClientCommand.cpp:375 ClientCommand.cpp:380 +msgid "Connecting to {1}..." +msgstr "" + +#: ClientCommand.cpp:377 +msgid "Jumping to the next server in the list..." +msgstr "" + +#: ClientCommand.cpp:382 +msgid "Connecting..." +msgstr "" + +#: ClientCommand.cpp:400 +msgid "Disconnected from IRC. Use 'connect' to reconnect." +msgstr "" + +#: ClientCommand.cpp:412 +msgid "Usage: EnableChan <#chans>" +msgstr "" + +#: ClientCommand.cpp:426 +msgid "Enabled {1} channel" +msgid_plural "Enabled {1} channels" +msgstr[0] "" +msgstr[1] "" + +#: ClientCommand.cpp:439 +msgid "Usage: DisableChan <#chans>" +msgstr "" + +#: ClientCommand.cpp:453 +msgid "Disabled {1} channel" +msgid_plural "Disabled {1} channels" +msgstr[0] "" +msgstr[1] "" + +#: ClientCommand.cpp:470 msgid "Usage: ListChans" msgstr "Utilisation : ListChans" -#: ClientCommand.cpp:462 +#: ClientCommand.cpp:477 msgid "No such user [{1}]" msgstr "L'utilisateur [{1}] n'existe pas" -#: ClientCommand.cpp:468 +#: ClientCommand.cpp:483 msgid "User [{1}] doesn't have network [{2}]" msgstr "L'utilisateur [{1}] n'a pas de réseau [{2}]" -#: ClientCommand.cpp:479 +#: ClientCommand.cpp:494 msgid "There are no channels defined." msgstr "Aucun salon n'a été configuré." -#: ClientCommand.cpp:484 ClientCommand.cpp:500 +#: ClientCommand.cpp:499 ClientCommand.cpp:515 msgctxt "listchans" msgid "Name" msgstr "Nom" -#: ClientCommand.cpp:485 ClientCommand.cpp:503 +#: ClientCommand.cpp:500 ClientCommand.cpp:518 msgctxt "listchans" msgid "Status" msgstr "Statut" -#: ClientCommand.cpp:486 ClientCommand.cpp:510 +#: ClientCommand.cpp:501 ClientCommand.cpp:525 msgctxt "listchans" msgid "In config" msgstr "Configuré" -#: ClientCommand.cpp:487 ClientCommand.cpp:512 +#: ClientCommand.cpp:502 ClientCommand.cpp:527 msgctxt "listchans" msgid "Buffer" msgstr "Tampon" -#: ClientCommand.cpp:488 ClientCommand.cpp:516 +#: ClientCommand.cpp:503 ClientCommand.cpp:531 msgctxt "listchans" msgid "Clear" msgstr "Vider" -#: ClientCommand.cpp:489 ClientCommand.cpp:521 +#: ClientCommand.cpp:504 ClientCommand.cpp:536 msgctxt "listchans" msgid "Modes" msgstr "Modes" -#: ClientCommand.cpp:490 ClientCommand.cpp:522 +#: ClientCommand.cpp:505 ClientCommand.cpp:537 msgctxt "listchans" msgid "Users" msgstr "Utilisateurs" -#: ClientCommand.cpp:505 +#: ClientCommand.cpp:520 msgctxt "listchans" msgid "Detached" msgstr "Détaché" -#: ClientCommand.cpp:506 +#: ClientCommand.cpp:521 msgctxt "listchans" msgid "Joined" msgstr "Rejoint" -#: ClientCommand.cpp:507 +#: ClientCommand.cpp:522 msgctxt "listchans" msgid "Disabled" msgstr "Désactivé" -#: ClientCommand.cpp:508 +#: ClientCommand.cpp:523 msgctxt "listchans" msgid "Trying" msgstr "Essai" -#: ClientCommand.cpp:511 ClientCommand.cpp:519 +#: ClientCommand.cpp:526 ClientCommand.cpp:534 msgctxt "listchans" msgid "yes" msgstr "oui" -#: ClientCommand.cpp:536 +#: ClientCommand.cpp:551 msgid "Total: {1}, Joined: {2}, Detached: {3}, Disabled: {4}" msgstr "Total : {1}, Rejoint : {2}, Détaché : {3}, Désactivé : {4}" -#: ClientCommand.cpp:541 +#: ClientCommand.cpp:556 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks using /znc DelNetwork " @@ -572,15 +735,15 @@ msgstr "" "augmenter cette limite ou supprimez des réseaux obsolètes avec /znc " "DelNetwork " -#: ClientCommand.cpp:550 +#: ClientCommand.cpp:565 msgid "Usage: AddNetwork " msgstr "Utilisation : AddNetwork " -#: ClientCommand.cpp:554 +#: ClientCommand.cpp:569 msgid "Network name should be alphanumeric" msgstr "Le nom du réseau ne doit contenir que des caractères alphanumériques" -#: ClientCommand.cpp:561 +#: ClientCommand.cpp:576 msgid "" "Network added. Use /znc JumpNetwork {1}, or connect to ZNC with username {2} " "(instead of just {3}) to connect to it." @@ -588,140 +751,140 @@ msgstr "" "Réseau ajouté. Utilisez /znc JumpNetwork {1} ou connectez-vous à ZNC avec " "l'identifiant {2} (au lieu de {3}) pour vous y connecter." -#: ClientCommand.cpp:566 +#: ClientCommand.cpp:581 msgid "Unable to add that network" msgstr "Ce réseau n'a pas pu être ajouté" -#: ClientCommand.cpp:573 +#: ClientCommand.cpp:588 msgid "Usage: DelNetwork " msgstr "Utilisation : DelNetwork " -#: ClientCommand.cpp:582 +#: ClientCommand.cpp:597 msgid "Network deleted" msgstr "Réseau supprimé" -#: ClientCommand.cpp:585 +#: ClientCommand.cpp:600 msgid "Failed to delete network, perhaps this network doesn't exist" msgstr "Le réseau n'a pas pu être supprimé, peut-être qu'il n'existe pas" -#: ClientCommand.cpp:595 +#: ClientCommand.cpp:610 msgid "User {1} not found" msgstr "L'utilisateur {1} n'a pas été trouvé" -#: ClientCommand.cpp:603 ClientCommand.cpp:611 +#: ClientCommand.cpp:618 ClientCommand.cpp:626 msgctxt "listnetworks" msgid "Network" msgstr "Réseau" -#: ClientCommand.cpp:604 ClientCommand.cpp:613 ClientCommand.cpp:622 +#: ClientCommand.cpp:619 ClientCommand.cpp:628 ClientCommand.cpp:637 msgctxt "listnetworks" msgid "On IRC" msgstr "Sur IRC" -#: ClientCommand.cpp:605 ClientCommand.cpp:615 +#: ClientCommand.cpp:620 ClientCommand.cpp:630 msgctxt "listnetworks" msgid "IRC Server" msgstr "Serveur IRC" -#: ClientCommand.cpp:606 ClientCommand.cpp:617 +#: ClientCommand.cpp:621 ClientCommand.cpp:632 msgctxt "listnetworks" msgid "IRC User" msgstr "Utilisateur IRC" -#: ClientCommand.cpp:607 ClientCommand.cpp:619 +#: ClientCommand.cpp:622 ClientCommand.cpp:634 msgctxt "listnetworks" msgid "Channels" msgstr "Salons" -#: ClientCommand.cpp:614 +#: ClientCommand.cpp:629 msgctxt "listnetworks" msgid "Yes" msgstr "Oui" -#: ClientCommand.cpp:623 +#: ClientCommand.cpp:638 msgctxt "listnetworks" msgid "No" msgstr "Non" -#: ClientCommand.cpp:628 +#: ClientCommand.cpp:643 msgctxt "listnetworks" msgid "No networks" msgstr "Aucun réseau" -#: ClientCommand.cpp:632 ClientCommand.cpp:936 +#: ClientCommand.cpp:647 ClientCommand.cpp:952 msgid "Access denied." msgstr "Accès refusé." -#: ClientCommand.cpp:643 +#: ClientCommand.cpp:658 msgid "Usage: MoveNetwork [new network]" msgstr "" "Utilisation : MoveNetwork [nouveau réseau]" -#: ClientCommand.cpp:653 +#: ClientCommand.cpp:668 msgid "Old user {1} not found." msgstr "L'ancien utilisateur {1} n'a pas été trouvé." -#: ClientCommand.cpp:659 +#: ClientCommand.cpp:674 msgid "Old network {1} not found." msgstr "L'ancien réseau {1} n'a pas été trouvé." -#: ClientCommand.cpp:665 +#: ClientCommand.cpp:680 msgid "New user {1} not found." msgstr "Le nouvel utilisateur {1} n'a pas été trouvé." -#: ClientCommand.cpp:670 +#: ClientCommand.cpp:685 msgid "User {1} already has network {2}." msgstr "L'utilisateur {1} possède déjà le réseau {2}." -#: ClientCommand.cpp:676 +#: ClientCommand.cpp:691 msgid "Invalid network name [{1}]" msgstr "Le nom de réseau [{1}] est invalide" -#: ClientCommand.cpp:692 +#: ClientCommand.cpp:707 msgid "Some files seem to be in {1}. You might want to move them to {2}" msgstr "" "Certains fichiers semblent être dans {1}. Vous pouvez les déplacer dans {2}" -#: ClientCommand.cpp:706 +#: ClientCommand.cpp:721 msgid "Error adding network: {1}" msgstr "Erreur lors de l'ajout du réseau : {1}" -#: ClientCommand.cpp:718 +#: ClientCommand.cpp:733 msgid "Success." msgstr "Succès." -#: ClientCommand.cpp:721 +#: ClientCommand.cpp:736 msgid "Copied the network to new user, but failed to delete old network" msgstr "" "Le réseau a bien été copié vers le nouvel utilisateur, mais l'ancien réseau " "n'a pas pu être supprimé" -#: ClientCommand.cpp:728 +#: ClientCommand.cpp:743 msgid "No network supplied." msgstr "Aucun réseau spécifié." -#: ClientCommand.cpp:733 +#: ClientCommand.cpp:748 msgid "You are already connected with this network." msgstr "Vous êtes déjà connecté à ce réseau." -#: ClientCommand.cpp:739 +#: ClientCommand.cpp:754 msgid "Switched to {1}" msgstr "Migration vers {1}" -#: ClientCommand.cpp:742 +#: ClientCommand.cpp:757 msgid "You don't have a network named {1}" msgstr "Vous n'avez aucun réseau nommé {1}" -#: ClientCommand.cpp:754 +#: ClientCommand.cpp:769 msgid "Usage: AddServer [[+]port] [pass]" msgstr "Utilisation : AddServer [[+]port] [pass]" -#: ClientCommand.cpp:759 +#: ClientCommand.cpp:774 msgid "Server added" msgstr "Serveur ajouté" -#: ClientCommand.cpp:762 +#: ClientCommand.cpp:777 msgid "" "Unable to add that server. Perhaps the server is already added or openssl is " "disabled?" @@ -729,243 +892,239 @@ msgstr "" "Impossible d'ajouter ce serveur. Peut-être ce serveur existe déjà ou SSL est " "désactivé ?" -#: ClientCommand.cpp:777 +#: ClientCommand.cpp:792 msgid "Usage: DelServer [port] [pass]" msgstr "Utilisation : DelServer [port] [pass]" -#: ClientCommand.cpp:782 ClientCommand.cpp:822 -msgid "You don't have any servers added." -msgstr "Vous n'avez aucun serveur." - -#: ClientCommand.cpp:787 +#: ClientCommand.cpp:802 msgid "Server removed" msgstr "Serveur supprimé" -#: ClientCommand.cpp:789 +#: ClientCommand.cpp:804 msgid "No such server" msgstr "Ce serveur n'existe pas" -#: ClientCommand.cpp:802 ClientCommand.cpp:809 +#: ClientCommand.cpp:817 ClientCommand.cpp:825 msgctxt "listservers" msgid "Host" msgstr "Hôte" -#: ClientCommand.cpp:803 ClientCommand.cpp:811 +#: ClientCommand.cpp:818 ClientCommand.cpp:827 msgctxt "listservers" msgid "Port" msgstr "Port" -#: ClientCommand.cpp:804 ClientCommand.cpp:814 +#: ClientCommand.cpp:819 ClientCommand.cpp:830 msgctxt "listservers" msgid "SSL" msgstr "SSL" -#: ClientCommand.cpp:805 ClientCommand.cpp:816 +#: ClientCommand.cpp:820 ClientCommand.cpp:832 msgctxt "listservers" msgid "Password" msgstr "Mot de passe" -#: ClientCommand.cpp:815 +#: ClientCommand.cpp:831 msgctxt "listservers|cell" msgid "SSL" msgstr "SSL" -#: ClientCommand.cpp:832 +#: ClientCommand.cpp:848 msgid "Usage: AddTrustedServerFingerprint " msgstr "Utilisation : AddTrustedServerFingerprint " -#: ClientCommand.cpp:836 ClientCommand.cpp:849 +#: ClientCommand.cpp:852 ClientCommand.cpp:865 msgid "Done." msgstr "Fait." -#: ClientCommand.cpp:845 +#: ClientCommand.cpp:861 msgid "Usage: DelTrustedServerFingerprint " msgstr "Utilisation : DelTrustedServerFingerprint " -#: ClientCommand.cpp:858 +#: ClientCommand.cpp:874 msgid "No fingerprints added." msgstr "Aucune empreinte ajoutée." -#: ClientCommand.cpp:874 ClientCommand.cpp:880 +#: ClientCommand.cpp:890 ClientCommand.cpp:896 msgctxt "topicscmd" msgid "Channel" msgstr "Salon" -#: ClientCommand.cpp:875 ClientCommand.cpp:881 +#: ClientCommand.cpp:891 ClientCommand.cpp:897 msgctxt "topicscmd" msgid "Set By" msgstr "Défini par" -#: ClientCommand.cpp:876 ClientCommand.cpp:882 +#: ClientCommand.cpp:892 ClientCommand.cpp:898 msgctxt "topicscmd" msgid "Topic" msgstr "Sujet" -#: ClientCommand.cpp:889 ClientCommand.cpp:894 +#: ClientCommand.cpp:905 ClientCommand.cpp:910 msgctxt "listmods" msgid "Name" msgstr "Nom" -#: ClientCommand.cpp:890 ClientCommand.cpp:895 +#: ClientCommand.cpp:906 ClientCommand.cpp:911 msgctxt "listmods" msgid "Arguments" msgstr "Arguments" -#: ClientCommand.cpp:904 +#: ClientCommand.cpp:920 msgid "No global modules loaded." msgstr "Aucun module global chargé." -#: ClientCommand.cpp:906 ClientCommand.cpp:970 +#: ClientCommand.cpp:922 ClientCommand.cpp:986 msgid "Global modules:" msgstr "Module globaux :" -#: ClientCommand.cpp:915 +#: ClientCommand.cpp:931 msgid "Your user has no modules loaded." msgstr "Votre utilisateur n'a chargé aucun module." -#: ClientCommand.cpp:917 ClientCommand.cpp:982 +#: ClientCommand.cpp:933 ClientCommand.cpp:998 msgid "User modules:" msgstr "Modules utilisateur :" -#: ClientCommand.cpp:925 +#: ClientCommand.cpp:941 msgid "This network has no modules loaded." msgstr "Ce réseau n'a chargé aucun module." -#: ClientCommand.cpp:927 ClientCommand.cpp:994 +#: ClientCommand.cpp:943 ClientCommand.cpp:1010 msgid "Network modules:" msgstr "Modules de réseau :" -#: ClientCommand.cpp:942 ClientCommand.cpp:949 +#: ClientCommand.cpp:958 ClientCommand.cpp:965 msgctxt "listavailmods" msgid "Name" msgstr "Nom" -#: ClientCommand.cpp:943 ClientCommand.cpp:954 +#: ClientCommand.cpp:959 ClientCommand.cpp:970 msgctxt "listavailmods" msgid "Description" msgstr "Description" -#: ClientCommand.cpp:968 +#: ClientCommand.cpp:984 msgid "No global modules available." msgstr "Aucun module global disponible." -#: ClientCommand.cpp:980 +#: ClientCommand.cpp:996 msgid "No user modules available." msgstr "Aucun module utilisateur disponible." -#: ClientCommand.cpp:992 +#: ClientCommand.cpp:1008 msgid "No network modules available." msgstr "Aucun module de réseau disponible." -#: ClientCommand.cpp:1020 +#: ClientCommand.cpp:1036 msgid "Unable to load {1}: Access denied." msgstr "Impossible de charger {1} : accès refusé." -#: ClientCommand.cpp:1026 +#: ClientCommand.cpp:1042 msgid "Usage: LoadMod [--type=global|user|network] [args]" msgstr "Utilisation : LoadMod [--type=global|user|network] [args]" -#: ClientCommand.cpp:1033 +#: ClientCommand.cpp:1049 msgid "Unable to load {1}: {2}" msgstr "Impossible de charger {1} : {2}" -#: ClientCommand.cpp:1043 +#: ClientCommand.cpp:1059 msgid "Unable to load global module {1}: Access denied." msgstr "Impossible de charger le module global {1} : accès refusé." -#: ClientCommand.cpp:1049 +#: ClientCommand.cpp:1065 msgid "Unable to load network module {1}: Not connected with a network." msgstr "" "Impossible de chargé le module de réseau {1} : aucune connexion à un réseau." -#: ClientCommand.cpp:1071 +#: ClientCommand.cpp:1087 msgid "Unknown module type" msgstr "Type de module inconnu" -#: ClientCommand.cpp:1076 +#: ClientCommand.cpp:1092 msgid "Loaded module {1}" msgstr "Le module {1} a été chargé" -#: ClientCommand.cpp:1078 +#: ClientCommand.cpp:1094 msgid "Loaded module {1}: {2}" msgstr "Le module {1} a été chargé : {2}" -#: ClientCommand.cpp:1081 +#: ClientCommand.cpp:1097 msgid "Unable to load module {1}: {2}" msgstr "Impossible de charger le module {1} : {2}" -#: ClientCommand.cpp:1104 +#: ClientCommand.cpp:1120 msgid "Unable to unload {1}: Access denied." msgstr "Impossible de décharger {1} : accès refusé." -#: ClientCommand.cpp:1110 +#: ClientCommand.cpp:1126 msgid "Usage: UnloadMod [--type=global|user|network] " msgstr "Utilisation : UnloadMod [--type=global|user|network] " -#: ClientCommand.cpp:1119 +#: ClientCommand.cpp:1135 msgid "Unable to determine type of {1}: {2}" msgstr "Impossible de déterminer le type de {1} : {2}" -#: ClientCommand.cpp:1127 +#: ClientCommand.cpp:1143 msgid "Unable to unload global module {1}: Access denied." msgstr "Impossible de décharger le module global {1} : accès refusé." -#: ClientCommand.cpp:1134 +#: ClientCommand.cpp:1150 msgid "Unable to unload network module {1}: Not connected with a network." msgstr "" "Impossible de décharger le module de réseau {1} : aucune connexion à un " "réseau." -#: ClientCommand.cpp:1153 +#: ClientCommand.cpp:1169 msgid "Unable to unload module {1}: Unknown module type" msgstr "Impossible de décharger le module {1} : type de module inconnu" -#: ClientCommand.cpp:1166 +#: ClientCommand.cpp:1182 msgid "Unable to reload modules. Access denied." msgstr "Impossible de recharger les modules : accès refusé." -#: ClientCommand.cpp:1187 +#: ClientCommand.cpp:1203 msgid "Usage: ReloadMod [--type=global|user|network] [args]" msgstr "Utilisation : ReloadMod [--type=global|user|network] [args]" -#: ClientCommand.cpp:1196 +#: ClientCommand.cpp:1212 msgid "Unable to reload {1}: {2}" msgstr "Impossible de recharger {1} : {2}" -#: ClientCommand.cpp:1204 +#: ClientCommand.cpp:1220 msgid "Unable to reload global module {1}: Access denied." msgstr "Impossible de recharger le module global {1} : accès refusé." -#: ClientCommand.cpp:1211 +#: ClientCommand.cpp:1227 msgid "Unable to reload network module {1}: Not connected with a network." msgstr "" "Impossible de recharger le module de réseau {1} : vous n'êtes pas connecté à " "un réseau." -#: ClientCommand.cpp:1233 +#: ClientCommand.cpp:1249 msgid "Unable to reload module {1}: Unknown module type" msgstr "Impossible de recharger le module {1} : type de module inconnu" -#: ClientCommand.cpp:1244 +#: ClientCommand.cpp:1260 msgid "Usage: UpdateMod " msgstr "Utilisation : UpdateMod " -#: ClientCommand.cpp:1248 +#: ClientCommand.cpp:1264 msgid "Reloading {1} everywhere" msgstr "Rechargement de {1} partout" -#: ClientCommand.cpp:1250 +#: ClientCommand.cpp:1266 msgid "Done" msgstr "Fait" -#: ClientCommand.cpp:1253 +#: ClientCommand.cpp:1269 msgid "" "Done, but there were errors, module {1} could not be reloaded everywhere." msgstr "" "Fait, mais des erreurs ont eu lieu, le module {1} n'a pas pu être rechargé " "partout." -#: ClientCommand.cpp:1261 +#: ClientCommand.cpp:1277 msgid "" "You must be connected with a network to use this command. Try " "SetUserBindHost instead" @@ -973,27 +1132,27 @@ msgstr "" "Vous devez être connecté à un réseau pour utiliser cette commande. Essayez " "SetUserBindHost à la place" -#: ClientCommand.cpp:1268 +#: ClientCommand.cpp:1284 msgid "Usage: SetBindHost " msgstr "Utilisation : SetBindHost " -#: ClientCommand.cpp:1273 ClientCommand.cpp:1290 +#: ClientCommand.cpp:1289 ClientCommand.cpp:1306 msgid "You already have this bind host!" msgstr "Vous êtes déjà lié à cet hôte !" -#: ClientCommand.cpp:1278 +#: ClientCommand.cpp:1294 msgid "Set bind host for network {1} to {2}" msgstr "Lie l'hôte {2} au réseau {1}" -#: ClientCommand.cpp:1285 +#: ClientCommand.cpp:1301 msgid "Usage: SetUserBindHost " msgstr "Utilisation : SetUserBindHost " -#: ClientCommand.cpp:1295 +#: ClientCommand.cpp:1311 msgid "Set default bind host to {1}" msgstr "Définit l'hôte par défaut à {1}" -#: ClientCommand.cpp:1301 +#: ClientCommand.cpp:1317 msgid "" "You must be connected with a network to use this command. Try " "ClearUserBindHost instead" @@ -1001,258 +1160,258 @@ msgstr "" "Vous devez être connecté à un réseau pour utiliser cette commande. Essayez " "ClearUserBindHost à la place" -#: ClientCommand.cpp:1306 +#: ClientCommand.cpp:1322 msgid "Bind host cleared for this network." msgstr "L'hôte lié à ce réseau a été supprimé." -#: ClientCommand.cpp:1310 +#: ClientCommand.cpp:1326 msgid "Default bind host cleared for your user." msgstr "L'hôte lié par défaut a été supprimé pour votre utilisateur." -#: ClientCommand.cpp:1313 +#: ClientCommand.cpp:1329 msgid "This user's default bind host not set" msgstr "L'hôte lié par défaut pour cet utilisateur n'a pas été configuré" -#: ClientCommand.cpp:1315 +#: ClientCommand.cpp:1331 msgid "This user's default bind host is {1}" msgstr "L'hôte lié par défaut pour cet utilisateur est {1}" -#: ClientCommand.cpp:1320 +#: ClientCommand.cpp:1336 msgid "This network's bind host not set" msgstr "L'hôte lié pour ce réseau n'est pas défini" -#: ClientCommand.cpp:1322 +#: ClientCommand.cpp:1338 msgid "This network's default bind host is {1}" msgstr "L'hôte lié par défaut pour ce réseau est {1}" -#: ClientCommand.cpp:1336 +#: ClientCommand.cpp:1352 msgid "Usage: PlayBuffer <#chan|query>" msgstr "Utilisation : PlayBuffer <#salon|privé>" -#: ClientCommand.cpp:1344 +#: ClientCommand.cpp:1360 msgid "You are not on {1}" msgstr "Vous n'êtes pas sur {1}" -#: ClientCommand.cpp:1349 +#: ClientCommand.cpp:1365 msgid "You are not on {1} (trying to join)" msgstr "Vous n'êtes pas sur {1} (en cours de connexion)" -#: ClientCommand.cpp:1354 +#: ClientCommand.cpp:1370 msgid "The buffer for channel {1} is empty" msgstr "Le tampon du salon {1} est vide" -#: ClientCommand.cpp:1363 +#: ClientCommand.cpp:1379 msgid "No active query with {1}" msgstr "Aucune session privée avec {1}" -#: ClientCommand.cpp:1368 +#: ClientCommand.cpp:1384 msgid "The buffer for {1} is empty" msgstr "Le tampon pour {1} est vide" -#: ClientCommand.cpp:1384 +#: ClientCommand.cpp:1400 msgid "Usage: ClearBuffer <#chan|query>" msgstr "Utilisation : ClearBuffer <#salon|privé>" -#: ClientCommand.cpp:1403 +#: ClientCommand.cpp:1419 msgid "{1} buffer matching {2} has been cleared" msgid_plural "{1} buffers matching {2} have been cleared" msgstr[0] "Le tampon {1} correspondant à {2} a été vidé" msgstr[1] "Les tampons {1} correspondant à {2} ont été vidés" -#: ClientCommand.cpp:1416 +#: ClientCommand.cpp:1432 msgid "All channel buffers have been cleared" msgstr "Les tampons de tous les salons ont été vidés" -#: ClientCommand.cpp:1425 +#: ClientCommand.cpp:1441 msgid "All query buffers have been cleared" msgstr "Les tampons de toutes les sessions privées ont été vidés" -#: ClientCommand.cpp:1437 +#: ClientCommand.cpp:1453 msgid "All buffers have been cleared" msgstr "Tous les tampons ont été vidés" -#: ClientCommand.cpp:1448 +#: ClientCommand.cpp:1464 msgid "Usage: SetBuffer <#chan|query> [linecount]" msgstr "Utilisation : SetBuffer <#salon|privé> [lignes]" -#: ClientCommand.cpp:1469 +#: ClientCommand.cpp:1485 msgid "Setting buffer size failed for {1} buffer" msgid_plural "Setting buffer size failed for {1} buffers" msgstr[0] "La configuration de la taille du tampon a échoué pour {1}" msgstr[1] "La configuration de la taille du tampon a échoué pour {1}" -#: ClientCommand.cpp:1472 +#: ClientCommand.cpp:1488 msgid "Maximum buffer size is {1} line" msgid_plural "Maximum buffer size is {1} lines" msgstr[0] "La taille maximale du tampon est de {1} ligne" msgstr[1] "La taille maximale du tampon est de {1} lignes" -#: ClientCommand.cpp:1477 +#: ClientCommand.cpp:1493 msgid "Size of every buffer was set to {1} line" msgid_plural "Size of every buffer was set to {1} lines" msgstr[0] "La taille de tous les tampons a été définie à {1} ligne" msgstr[1] "La taille de tous les tampons a été définie à {1} lignes" -#: ClientCommand.cpp:1487 ClientCommand.cpp:1494 ClientCommand.cpp:1505 -#: ClientCommand.cpp:1514 ClientCommand.cpp:1522 +#: ClientCommand.cpp:1503 ClientCommand.cpp:1510 ClientCommand.cpp:1521 +#: ClientCommand.cpp:1530 ClientCommand.cpp:1538 msgctxt "trafficcmd" msgid "Username" msgstr "Nom d'utilisateur" -#: ClientCommand.cpp:1488 ClientCommand.cpp:1495 ClientCommand.cpp:1507 -#: ClientCommand.cpp:1516 ClientCommand.cpp:1524 +#: ClientCommand.cpp:1504 ClientCommand.cpp:1511 ClientCommand.cpp:1523 +#: ClientCommand.cpp:1532 ClientCommand.cpp:1540 msgctxt "trafficcmd" msgid "In" msgstr "Entrée" -#: ClientCommand.cpp:1489 ClientCommand.cpp:1497 ClientCommand.cpp:1508 -#: ClientCommand.cpp:1517 ClientCommand.cpp:1525 +#: ClientCommand.cpp:1505 ClientCommand.cpp:1513 ClientCommand.cpp:1524 +#: ClientCommand.cpp:1533 ClientCommand.cpp:1541 msgctxt "trafficcmd" msgid "Out" msgstr "Sortie" -#: ClientCommand.cpp:1490 ClientCommand.cpp:1500 ClientCommand.cpp:1510 -#: ClientCommand.cpp:1518 ClientCommand.cpp:1527 +#: ClientCommand.cpp:1506 ClientCommand.cpp:1516 ClientCommand.cpp:1526 +#: ClientCommand.cpp:1534 ClientCommand.cpp:1543 msgctxt "trafficcmd" msgid "Total" msgstr "Total" -#: ClientCommand.cpp:1506 +#: ClientCommand.cpp:1522 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1515 +#: ClientCommand.cpp:1531 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1523 +#: ClientCommand.cpp:1539 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1532 +#: ClientCommand.cpp:1548 msgid "Running for {1}" msgstr "Actif pour {1}" -#: ClientCommand.cpp:1538 +#: ClientCommand.cpp:1554 msgid "Unknown command, try 'Help'" msgstr "Commande inconnue, essayez 'Help'" -#: ClientCommand.cpp:1547 ClientCommand.cpp:1558 +#: ClientCommand.cpp:1563 ClientCommand.cpp:1574 msgctxt "listports" msgid "Port" msgstr "Port" -#: ClientCommand.cpp:1548 ClientCommand.cpp:1559 +#: ClientCommand.cpp:1564 ClientCommand.cpp:1577 msgctxt "listports" msgid "BindHost" msgstr "BindHost" -#: ClientCommand.cpp:1549 ClientCommand.cpp:1562 +#: ClientCommand.cpp:1565 ClientCommand.cpp:1580 msgctxt "listports" msgid "SSL" msgstr "SSL" -#: ClientCommand.cpp:1550 ClientCommand.cpp:1567 +#: ClientCommand.cpp:1566 ClientCommand.cpp:1585 msgctxt "listports" msgid "Protocol" msgstr "Protocole" -#: ClientCommand.cpp:1551 ClientCommand.cpp:1574 +#: ClientCommand.cpp:1567 ClientCommand.cpp:1592 msgctxt "listports" msgid "IRC" msgstr "IRC" -#: ClientCommand.cpp:1552 ClientCommand.cpp:1579 +#: ClientCommand.cpp:1568 ClientCommand.cpp:1597 msgctxt "listports" msgid "Web" msgstr "Web" -#: ClientCommand.cpp:1563 +#: ClientCommand.cpp:1581 msgctxt "listports|ssl" msgid "yes" msgstr "oui" -#: ClientCommand.cpp:1564 +#: ClientCommand.cpp:1582 msgctxt "listports|ssl" msgid "no" msgstr "non" -#: ClientCommand.cpp:1568 +#: ClientCommand.cpp:1586 msgctxt "listports" msgid "IPv4 and IPv6" msgstr "IPv4 et IPv6" -#: ClientCommand.cpp:1570 +#: ClientCommand.cpp:1588 msgctxt "listports" msgid "IPv4" msgstr "IPv4" -#: ClientCommand.cpp:1571 +#: ClientCommand.cpp:1589 msgctxt "listports" msgid "IPv6" msgstr "IPv6" -#: ClientCommand.cpp:1577 +#: ClientCommand.cpp:1595 msgctxt "listports|irc" msgid "yes" msgstr "oui" -#: ClientCommand.cpp:1578 +#: ClientCommand.cpp:1596 msgctxt "listports|irc" msgid "no" msgstr "non" -#: ClientCommand.cpp:1582 +#: ClientCommand.cpp:1600 msgctxt "listports|irc" msgid "yes, on {1}" msgstr "oui, sur {1}" -#: ClientCommand.cpp:1584 +#: ClientCommand.cpp:1602 msgctxt "listports|web" msgid "no" msgstr "non" -#: ClientCommand.cpp:1624 +#: ClientCommand.cpp:1642 msgid "" "Usage: AddPort <[+]port> [bindhost [uriprefix]]" msgstr "" "Utilisation : AddPort <[+]port> [bindhost " "[uriprefix]]" -#: ClientCommand.cpp:1640 +#: ClientCommand.cpp:1658 msgid "Port added" msgstr "Port ajouté" -#: ClientCommand.cpp:1642 +#: ClientCommand.cpp:1660 msgid "Couldn't add port" msgstr "Le port n'a pas pu être ajouté" -#: ClientCommand.cpp:1648 +#: ClientCommand.cpp:1666 msgid "Usage: DelPort [bindhost]" msgstr "Utilisation : DelPort [bindhost]" -#: ClientCommand.cpp:1657 +#: ClientCommand.cpp:1675 msgid "Deleted Port" msgstr "Port supprimé" -#: ClientCommand.cpp:1659 +#: ClientCommand.cpp:1677 msgid "Unable to find a matching port" msgstr "Impossible de trouver un port correspondant" -#: ClientCommand.cpp:1667 ClientCommand.cpp:1682 +#: ClientCommand.cpp:1685 ClientCommand.cpp:1700 msgctxt "helpcmd" msgid "Command" msgstr "Commande" -#: ClientCommand.cpp:1668 ClientCommand.cpp:1684 +#: ClientCommand.cpp:1686 ClientCommand.cpp:1702 msgctxt "helpcmd" msgid "Description" msgstr "Description" -#: ClientCommand.cpp:1673 +#: ClientCommand.cpp:1691 msgid "" "In the following list all occurrences of <#chan> support wildcards (* and ?) " "except ListNicks" @@ -1260,88 +1419,88 @@ msgstr "" "Dans la liste ci-dessous, les occurrences de <#salon> supportent les jokers " "(* et ?), sauf ListNicks" -#: ClientCommand.cpp:1690 +#: ClientCommand.cpp:1708 msgctxt "helpcmd|Version|desc" msgid "Print which version of ZNC this is" msgstr "Affiche la version de ZNC" -#: ClientCommand.cpp:1693 +#: ClientCommand.cpp:1711 msgctxt "helpcmd|ListMods|desc" msgid "List all loaded modules" msgstr "Liste les modules chargés" -#: ClientCommand.cpp:1696 +#: ClientCommand.cpp:1714 msgctxt "helpcmd|ListAvailMods|desc" msgid "List all available modules" msgstr "Liste les modules disponibles" -#: ClientCommand.cpp:1700 ClientCommand.cpp:1886 +#: ClientCommand.cpp:1718 ClientCommand.cpp:1904 msgctxt "helpcmd|ListChans|desc" msgid "List all channels" msgstr "Liste les salons" -#: ClientCommand.cpp:1703 +#: ClientCommand.cpp:1721 msgctxt "helpcmd|ListNicks|args" msgid "<#chan>" msgstr "<#salon>" -#: ClientCommand.cpp:1704 +#: ClientCommand.cpp:1722 msgctxt "helpcmd|ListNicks|desc" msgid "List all nicks on a channel" msgstr "Liste les pseudonymes d'un salon" -#: ClientCommand.cpp:1707 +#: ClientCommand.cpp:1725 msgctxt "helpcmd|ListClients|desc" msgid "List all clients connected to your ZNC user" msgstr "Liste les clients connectés à votre utilisateur ZNC" -#: ClientCommand.cpp:1711 +#: ClientCommand.cpp:1729 msgctxt "helpcmd|ListServers|desc" msgid "List all servers of current IRC network" msgstr "Liste les serveurs du réseau IRC actuel" -#: ClientCommand.cpp:1715 +#: ClientCommand.cpp:1733 msgctxt "helpcmd|AddNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1716 +#: ClientCommand.cpp:1734 msgctxt "helpcmd|AddNetwork|desc" msgid "Add a network to your user" msgstr "Ajoute un réseau à votre utilisateur" -#: ClientCommand.cpp:1718 +#: ClientCommand.cpp:1736 msgctxt "helpcmd|DelNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1719 +#: ClientCommand.cpp:1737 msgctxt "helpcmd|DelNetwork|desc" msgid "Delete a network from your user" msgstr "Supprime un réseau de votre utilisateur" -#: ClientCommand.cpp:1721 +#: ClientCommand.cpp:1739 msgctxt "helpcmd|ListNetworks|desc" msgid "List all networks" msgstr "Liste les réseaux" -#: ClientCommand.cpp:1724 +#: ClientCommand.cpp:1742 msgctxt "helpcmd|MoveNetwork|args" msgid " [new network]" msgstr "" " [nouveau réseau]" -#: ClientCommand.cpp:1726 +#: ClientCommand.cpp:1744 msgctxt "helpcmd|MoveNetwork|desc" msgid "Move an IRC network from one user to another" msgstr "Migre un réseau IRC d'un utilisateur à l'autre" -#: ClientCommand.cpp:1730 +#: ClientCommand.cpp:1748 msgctxt "helpcmd|JumpNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1731 +#: ClientCommand.cpp:1749 msgctxt "helpcmd|JumpNetwork|desc" msgid "" "Jump to another network (Alternatively, you can connect to ZNC several " @@ -1350,12 +1509,12 @@ msgstr "" "Migre vers un autre réseau (alternativement, vous pouvez vous connectez à " "ZNC à plusieurs reprises en utilisant 'utilisateur/réseau' comme identifiant)" -#: ClientCommand.cpp:1736 +#: ClientCommand.cpp:1754 msgctxt "helpcmd|AddServer|args" msgid " [[+]port] [pass]" msgstr " [[+]port] [pass]" -#: ClientCommand.cpp:1737 +#: ClientCommand.cpp:1755 msgctxt "helpcmd|AddServer|desc" msgid "" "Add a server to the list of alternate/backup servers of current IRC network." @@ -1363,12 +1522,12 @@ msgstr "" "Ajoute un serveur à la liste des serveurs alternatifs pour le réseau IRC " "actuel." -#: ClientCommand.cpp:1741 +#: ClientCommand.cpp:1759 msgctxt "helpcmd|DelServer|args" msgid " [port] [pass]" msgstr " [port] [pass]" -#: ClientCommand.cpp:1742 +#: ClientCommand.cpp:1760 msgctxt "helpcmd|DelServer|desc" msgid "" "Remove a server from the list of alternate/backup servers of current IRC " @@ -1376,12 +1535,12 @@ msgid "" msgstr "" "Supprime un serveur de la liste des serveurs alternatifs du réseau IRC actuel" -#: ClientCommand.cpp:1748 +#: ClientCommand.cpp:1766 msgctxt "helpcmd|AddTrustedServerFingerprint|args" msgid "" msgstr "" -#: ClientCommand.cpp:1749 +#: ClientCommand.cpp:1767 msgctxt "helpcmd|AddTrustedServerFingerprint|desc" msgid "" "Add a trusted server SSL certificate fingerprint (SHA-256) to current IRC " @@ -1390,338 +1549,338 @@ msgstr "" "Ajoute l'empreinte (SHA-256) d'un certificat SSL de confiance au réseau IRC " "actuel." -#: ClientCommand.cpp:1754 +#: ClientCommand.cpp:1772 msgctxt "helpcmd|DelTrustedServerFingerprint|args" msgid "" msgstr "" -#: ClientCommand.cpp:1755 +#: ClientCommand.cpp:1773 msgctxt "helpcmd|DelTrustedServerFingerprint|desc" msgid "Delete a trusted server SSL certificate from current IRC network." msgstr "Supprime un certificat SSL de confiance du réseau IRC actuel." -#: ClientCommand.cpp:1759 +#: ClientCommand.cpp:1777 msgctxt "helpcmd|ListTrustedServerFingerprints|desc" msgid "List all trusted server SSL certificates of current IRC network." msgstr "Liste les certificats SSL de confiance du réseau IRC actuel." -#: ClientCommand.cpp:1762 +#: ClientCommand.cpp:1780 msgctxt "helpcmd|EnableChan|args" msgid "<#chans>" msgstr "<#salons>" -#: ClientCommand.cpp:1763 +#: ClientCommand.cpp:1781 msgctxt "helpcmd|EnableChan|desc" msgid "Enable channels" msgstr "Active les salons" -#: ClientCommand.cpp:1764 +#: ClientCommand.cpp:1782 msgctxt "helpcmd|DisableChan|args" msgid "<#chans>" msgstr "<#salons>" -#: ClientCommand.cpp:1765 +#: ClientCommand.cpp:1783 msgctxt "helpcmd|DisableChan|desc" msgid "Disable channels" msgstr "Désactive les salons" -#: ClientCommand.cpp:1766 +#: ClientCommand.cpp:1784 msgctxt "helpcmd|Attach|args" msgid "<#chans>" msgstr "<#salons>" -#: ClientCommand.cpp:1767 +#: ClientCommand.cpp:1785 msgctxt "helpcmd|Attach|desc" msgid "Attach to channels" msgstr "Attache les salons" -#: ClientCommand.cpp:1768 +#: ClientCommand.cpp:1786 msgctxt "helpcmd|Detach|args" msgid "<#chans>" msgstr "<#salons>" -#: ClientCommand.cpp:1769 +#: ClientCommand.cpp:1787 msgctxt "helpcmd|Detach|desc" msgid "Detach from channels" msgstr "Se détacher des salons" -#: ClientCommand.cpp:1772 +#: ClientCommand.cpp:1790 msgctxt "helpcmd|Topics|desc" msgid "Show topics in all your channels" msgstr "Afficher le sujet dans tous les salons" -#: ClientCommand.cpp:1775 +#: ClientCommand.cpp:1793 msgctxt "helpcmd|PlayBuffer|args" msgid "<#chan|query>" msgstr "<#salon|privé>" -#: ClientCommand.cpp:1776 +#: ClientCommand.cpp:1794 msgctxt "helpcmd|PlayBuffer|desc" msgid "Play back the specified buffer" msgstr "Rejouer le tampon spécifié" -#: ClientCommand.cpp:1778 +#: ClientCommand.cpp:1796 msgctxt "helpcmd|ClearBuffer|args" msgid "<#chan|query>" msgstr "<#salon|privé>" -#: ClientCommand.cpp:1779 +#: ClientCommand.cpp:1797 msgctxt "helpcmd|ClearBuffer|desc" msgid "Clear the specified buffer" msgstr "Vider le tampon spécifié" -#: ClientCommand.cpp:1781 +#: ClientCommand.cpp:1799 msgctxt "helpcmd|ClearAllBuffers|desc" msgid "Clear all channel and query buffers" msgstr "Vider tous les tampons de salons et de sessions privées" -#: ClientCommand.cpp:1784 +#: ClientCommand.cpp:1802 msgctxt "helpcmd|ClearAllChannelBuffers|desc" msgid "Clear the channel buffers" msgstr "Vider tous les tampons de salon" -#: ClientCommand.cpp:1788 +#: ClientCommand.cpp:1806 msgctxt "helpcmd|ClearAllQueryBuffers|desc" msgid "Clear the query buffers" msgstr "Vider tous les tampons de session privée" -#: ClientCommand.cpp:1790 +#: ClientCommand.cpp:1808 msgctxt "helpcmd|SetBuffer|args" msgid "<#chan|query> [linecount]" msgstr "<#salon|privé> [lignes]" -#: ClientCommand.cpp:1791 +#: ClientCommand.cpp:1809 msgctxt "helpcmd|SetBuffer|desc" msgid "Set the buffer count" msgstr "Définir le nombre de tampons" -#: ClientCommand.cpp:1795 +#: ClientCommand.cpp:1813 msgctxt "helpcmd|SetBindHost|args" msgid "" msgstr "" -#: ClientCommand.cpp:1796 +#: ClientCommand.cpp:1814 msgctxt "helpcmd|SetBindHost|desc" msgid "Set the bind host for this network" msgstr "Définir le bindhost pour ce réseau" -#: ClientCommand.cpp:1800 +#: ClientCommand.cpp:1818 msgctxt "helpcmd|SetUserBindHost|args" msgid "" msgstr "" -#: ClientCommand.cpp:1801 +#: ClientCommand.cpp:1819 msgctxt "helpcmd|SetUserBindHost|desc" msgid "Set the default bind host for this user" msgstr "Définir l'hôte lié pour cet utilisateur" -#: ClientCommand.cpp:1804 +#: ClientCommand.cpp:1822 msgctxt "helpcmd|ClearBindHost|desc" msgid "Clear the bind host for this network" msgstr "Vider l'hôte lié pour ce réseau" -#: ClientCommand.cpp:1807 +#: ClientCommand.cpp:1825 msgctxt "helpcmd|ClearUserBindHost|desc" msgid "Clear the default bind host for this user" msgstr "Vider l'hôte lié pour cet utilisateur" -#: ClientCommand.cpp:1813 +#: ClientCommand.cpp:1831 msgctxt "helpcmd|ShowBindHost|desc" msgid "Show currently selected bind host" msgstr "Afficher l'hôte actuellement lié" -#: ClientCommand.cpp:1815 +#: ClientCommand.cpp:1833 msgctxt "helpcmd|Jump|args" msgid "[server]" msgstr "[serveur]" -#: ClientCommand.cpp:1816 +#: ClientCommand.cpp:1834 msgctxt "helpcmd|Jump|desc" msgid "Jump to the next or the specified server" msgstr "Passer au serveur sélectionné ou au suivant" -#: ClientCommand.cpp:1817 +#: ClientCommand.cpp:1835 msgctxt "helpcmd|Disconnect|args" msgid "[message]" msgstr "[message]" -#: ClientCommand.cpp:1818 +#: ClientCommand.cpp:1836 msgctxt "helpcmd|Disconnect|desc" msgid "Disconnect from IRC" msgstr "Déconnexion d'IRC" -#: ClientCommand.cpp:1820 +#: ClientCommand.cpp:1838 msgctxt "helpcmd|Connect|desc" msgid "Reconnect to IRC" msgstr "Reconnexion à IRC" -#: ClientCommand.cpp:1823 +#: ClientCommand.cpp:1841 msgctxt "helpcmd|Uptime|desc" msgid "Show for how long ZNC has been running" msgstr "Afficher le temps écoulé depuis le lancement de ZNC" -#: ClientCommand.cpp:1827 +#: ClientCommand.cpp:1845 msgctxt "helpcmd|LoadMod|args" msgid "[--type=global|user|network] [args]" msgstr "[--type=global|utilisateur|réseau] [arguments]" -#: ClientCommand.cpp:1829 +#: ClientCommand.cpp:1847 msgctxt "helpcmd|LoadMod|desc" msgid "Load a module" msgstr "Charger un module" -#: ClientCommand.cpp:1831 +#: ClientCommand.cpp:1849 msgctxt "helpcmd|UnloadMod|args" msgid "[--type=global|user|network] " msgstr "[--type=global|user|network] " -#: ClientCommand.cpp:1833 +#: ClientCommand.cpp:1851 msgctxt "helpcmd|UnloadMod|desc" msgid "Unload a module" msgstr "Désactiver un module" -#: ClientCommand.cpp:1835 +#: ClientCommand.cpp:1853 msgctxt "helpcmd|ReloadMod|args" msgid "[--type=global|user|network] [args]" msgstr "[--type=global|utilisateur|réseau] [arguments]" -#: ClientCommand.cpp:1837 +#: ClientCommand.cpp:1855 msgctxt "helpcmd|ReloadMod|desc" msgid "Reload a module" msgstr "Recharger un module" -#: ClientCommand.cpp:1840 +#: ClientCommand.cpp:1858 msgctxt "helpcmd|UpdateMod|args" msgid "" msgstr "" -#: ClientCommand.cpp:1841 +#: ClientCommand.cpp:1859 msgctxt "helpcmd|UpdateMod|desc" msgid "Reload a module everywhere" msgstr "Recharger un module partout" -#: ClientCommand.cpp:1847 +#: ClientCommand.cpp:1865 msgctxt "helpcmd|ShowMOTD|desc" msgid "Show ZNC's message of the day" msgstr "Afficher le message du jour de ZNC" -#: ClientCommand.cpp:1851 +#: ClientCommand.cpp:1869 msgctxt "helpcmd|SetMOTD|args" msgid "" msgstr "" -#: ClientCommand.cpp:1852 +#: ClientCommand.cpp:1870 msgctxt "helpcmd|SetMOTD|desc" msgid "Set ZNC's message of the day" msgstr "Configurer le message du jour de ZNC" -#: ClientCommand.cpp:1854 +#: ClientCommand.cpp:1872 msgctxt "helpcmd|AddMOTD|args" msgid "" msgstr "" -#: ClientCommand.cpp:1855 +#: ClientCommand.cpp:1873 msgctxt "helpcmd|AddMOTD|desc" msgid "Append to ZNC's MOTD" msgstr "Ajouter au message du jour de ZNC" -#: ClientCommand.cpp:1857 +#: ClientCommand.cpp:1875 msgctxt "helpcmd|ClearMOTD|desc" msgid "Clear ZNC's MOTD" msgstr "Vider le message du jour de ZNC" -#: ClientCommand.cpp:1860 +#: ClientCommand.cpp:1878 msgctxt "helpcmd|ListPorts|desc" msgid "Show all active listeners" msgstr "Afficher tous les clients actifs" -#: ClientCommand.cpp:1862 +#: ClientCommand.cpp:1880 msgctxt "helpcmd|AddPort|args" msgid "<[+]port> [bindhost [uriprefix]]" msgstr "<[+]port> [bindhost [uriprefix]]" -#: ClientCommand.cpp:1865 +#: ClientCommand.cpp:1883 msgctxt "helpcmd|AddPort|desc" msgid "Add another port for ZNC to listen on" msgstr "Ajouter un port d'écoute à ZNC" -#: ClientCommand.cpp:1869 +#: ClientCommand.cpp:1887 msgctxt "helpcmd|DelPort|args" msgid " [bindhost]" msgstr " [bindhost]" -#: ClientCommand.cpp:1870 +#: ClientCommand.cpp:1888 msgctxt "helpcmd|DelPort|desc" msgid "Remove a port from ZNC" msgstr "Supprimer un port de ZNC" -#: ClientCommand.cpp:1873 +#: ClientCommand.cpp:1891 msgctxt "helpcmd|Rehash|desc" msgid "Reload global settings, modules, and listeners from znc.conf" msgstr "" "Recharger la configuration globale, les modules et les clients de znc.conf" -#: ClientCommand.cpp:1876 +#: ClientCommand.cpp:1894 msgctxt "helpcmd|SaveConfig|desc" msgid "Save the current settings to disk" msgstr "Sauvegarder la configuration sur le disque" -#: ClientCommand.cpp:1879 +#: ClientCommand.cpp:1897 msgctxt "helpcmd|ListUsers|desc" msgid "List all ZNC users and their connection status" msgstr "Lister les utilisateurs de ZNC et leur statut" -#: ClientCommand.cpp:1882 +#: ClientCommand.cpp:1900 msgctxt "helpcmd|ListAllUserNetworks|desc" msgid "List all ZNC users and their networks" msgstr "Lister les utilisateurs de ZNC et leurs réseaux" -#: ClientCommand.cpp:1885 +#: ClientCommand.cpp:1903 msgctxt "helpcmd|ListChans|args" msgid "[user ]" msgstr "[utilisateur ]" -#: ClientCommand.cpp:1888 +#: ClientCommand.cpp:1906 msgctxt "helpcmd|ListClients|args" msgid "[user]" msgstr "[utilisateur]" -#: ClientCommand.cpp:1889 +#: ClientCommand.cpp:1907 msgctxt "helpcmd|ListClients|desc" msgid "List all connected clients" msgstr "Liste les clients connectés" -#: ClientCommand.cpp:1891 +#: ClientCommand.cpp:1909 msgctxt "helpcmd|Traffic|desc" msgid "Show basic traffic stats for all ZNC users" msgstr "Affiche des statistiques basiques de trafic pour les utilisateurs ZNC" -#: ClientCommand.cpp:1893 +#: ClientCommand.cpp:1911 msgctxt "helpcmd|Broadcast|args" msgid "[message]" msgstr "[message]" -#: ClientCommand.cpp:1894 +#: ClientCommand.cpp:1912 msgctxt "helpcmd|Broadcast|desc" msgid "Broadcast a message to all ZNC users" msgstr "Diffuse un message à tous les utilisateurs de ZNC" -#: ClientCommand.cpp:1897 +#: ClientCommand.cpp:1915 msgctxt "helpcmd|Shutdown|args" msgid "[message]" msgstr "[message]" -#: ClientCommand.cpp:1898 +#: ClientCommand.cpp:1916 msgctxt "helpcmd|Shutdown|desc" msgid "Shut down ZNC completely" msgstr "Éteint complètement ZNC" -#: ClientCommand.cpp:1899 +#: ClientCommand.cpp:1917 msgctxt "helpcmd|Restart|args" msgid "[message]" msgstr "[message]" -#: ClientCommand.cpp:1900 +#: ClientCommand.cpp:1918 msgctxt "helpcmd|Restart|desc" msgid "Restart ZNC" msgstr "Redémarre ZNC" diff --git a/src/po/znc.id_ID.po b/src/po/znc.id_ID.po index 65e03754..5572706b 100644 --- a/src/po/znc.id_ID.po +++ b/src/po/znc.id_ID.po @@ -74,7 +74,7 @@ msgstr "Tidak dapat menemukan berkas pem: {1}" msgid "Invalid port" msgstr "Port tidak valid" -#: znc.cpp:1813 ClientCommand.cpp:1637 +#: znc.cpp:1813 ClientCommand.cpp:1655 msgid "Unable to bind: {1}" msgstr "Tidak dapat mengikat: {1}" @@ -113,69 +113,69 @@ msgstr "" msgid "Some module aborted the connection attempt" msgstr "Beberapa modul membatalkan upaya koneksi" -#: IRCSock.cpp:490 +#: IRCSock.cpp:492 msgid "Error from server: {1}" msgstr "Kesalahan dari server: {1}" -#: IRCSock.cpp:692 +#: IRCSock.cpp:694 msgid "ZNC seems to be connected to itself, disconnecting..." msgstr "ZNC tampaknya terhubung dengan sendiri, memutuskan..." -#: IRCSock.cpp:739 +#: IRCSock.cpp:741 msgid "Server {1} redirects us to {2}:{3} with reason: {4}" msgstr "Server {1} mengalihkan ke {2}: {3} dengan alasan: {4}" -#: IRCSock.cpp:743 +#: IRCSock.cpp:745 msgid "Perhaps you want to add it as a new server." msgstr "Mungkin anda ingin menambahkannya sebagai server baru." -#: IRCSock.cpp:973 +#: IRCSock.cpp:975 msgid "Channel {1} is linked to another channel and was thus disabled." msgstr "Channel {1} terhubung ke channel lain dan karenanya dinonaktifkan." -#: IRCSock.cpp:985 +#: IRCSock.cpp:987 msgid "Switched to SSL (STARTTLS)" msgstr "Beralih ke SSL (STARTTLS)" -#: IRCSock.cpp:1038 +#: IRCSock.cpp:1040 msgid "You quit: {1}" msgstr "Anda keluar: {1}" -#: IRCSock.cpp:1244 +#: IRCSock.cpp:1246 msgid "Disconnected from IRC. Reconnecting..." msgstr "Terputus dari IRC. Menghubungkan..." -#: IRCSock.cpp:1275 +#: IRCSock.cpp:1277 msgid "Cannot connect to IRC ({1}). Retrying..." msgstr "Tidak dapat terhubung ke IRC ({1}). Mencoba lagi..." -#: IRCSock.cpp:1278 +#: IRCSock.cpp:1280 msgid "Disconnected from IRC ({1}). Reconnecting..." msgstr "Terputus dari IRC ({1}). Menghubungkan..." -#: IRCSock.cpp:1314 +#: IRCSock.cpp:1316 msgid "If you trust this certificate, do /znc AddTrustedServerFingerprint {1}" msgstr "" "Jika anda mempercayai sertifikat ini, lakukan /znc " "AddTrustedServerFingerprint {1}" -#: IRCSock.cpp:1323 +#: IRCSock.cpp:1325 msgid "IRC connection timed out. Reconnecting..." msgstr "Koneksi IRC kehabisan waktu. Menghubungkan..." -#: IRCSock.cpp:1335 +#: IRCSock.cpp:1337 msgid "Connection Refused. Reconnecting..." msgstr "Koneksi tertolak. Menguhungkan..." -#: IRCSock.cpp:1343 +#: IRCSock.cpp:1345 msgid "Received a too long line from the IRC server!" msgstr "Menerima baris terlalu panjang dari server IRC!" -#: IRCSock.cpp:1447 +#: IRCSock.cpp:1449 msgid "No free nick available" msgstr "Tidak ada nick tersedia" -#: IRCSock.cpp:1455 +#: IRCSock.cpp:1457 msgid "No free nick found" msgstr "Tidak ada nick ditemukan" @@ -235,45 +235,46 @@ msgid "" "You are being disconnected because another user just authenticated as you." msgstr "Anda terputus karena pengguna lain hanya diautentikasi sebagai anda." -#: Client.cpp:1021 +#: Client.cpp:1022 msgid "Your CTCP to {1} got lost, you are not connected to IRC!" msgstr "CTCP anda untuk {1} tersesat, anda tidak terhubung ke IRC!" -#: Client.cpp:1147 +#: Client.cpp:1148 msgid "Your notice to {1} got lost, you are not connected to IRC!" msgstr "Notice anda untuk {1} tersesat, anda tidak terhubung ke IRC!" -#: Client.cpp:1186 +#: Client.cpp:1187 msgid "Removing channel {1}" msgstr "Menghapus channel {1}" -#: Client.cpp:1264 +#: Client.cpp:1265 msgid "Your message to {1} got lost, you are not connected to IRC!" msgstr "Pesan anda untuk {1} tersesat, anda tidak terhubung ke IRC!" -#: Client.cpp:1317 Client.cpp:1323 +#: Client.cpp:1318 Client.cpp:1324 msgid "Hello. How may I help you?" msgstr "Halo. Bagaimana saya bisa membantu anda?" -#: Client.cpp:1337 +#: Client.cpp:1338 msgid "Usage: /attach <#chans>" msgstr "Gunakan: /attach <#chan>" -#: Client.cpp:1344 Client.cpp:1366 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: Client.cpp:1345 Client.cpp:1367 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: ClientCommand.cpp:423 ClientCommand.cpp:450 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" msgstr[0] "Ada {1} pencocokan saluran [{2}]" -#: Client.cpp:1347 ClientCommand.cpp:132 +#: Client.cpp:1348 ClientCommand.cpp:132 msgid "Attached {1} channel" msgid_plural "Attached {1} channels" msgstr[0] "" -#: Client.cpp:1359 +#: Client.cpp:1360 msgid "Usage: /detach <#chans>" msgstr "" -#: Client.cpp:1369 ClientCommand.cpp:154 +#: Client.cpp:1370 ClientCommand.cpp:154 msgid "Detached {1} channel" msgid_plural "Detached {1} channels" msgstr[0] "" @@ -296,7 +297,7 @@ msgctxt "modhelpcmd" msgid "Generate this output" msgstr "" -#: Modules.cpp:573 ClientCommand.cpp:1904 +#: Modules.cpp:573 ClientCommand.cpp:1922 msgid "No matches for '{1}'" msgstr "" @@ -401,11 +402,12 @@ msgid "Description" msgstr "" #: ClientCommand.cpp:51 ClientCommand.cpp:115 ClientCommand.cpp:137 -#: ClientCommand.cpp:749 ClientCommand.cpp:768 ClientCommand.cpp:794 -#: ClientCommand.cpp:827 ClientCommand.cpp:840 ClientCommand.cpp:853 -#: ClientCommand.cpp:868 ClientCommand.cpp:1329 ClientCommand.cpp:1377 -#: ClientCommand.cpp:1409 ClientCommand.cpp:1420 ClientCommand.cpp:1429 -#: ClientCommand.cpp:1441 +#: ClientCommand.cpp:339 ClientCommand.cpp:390 ClientCommand.cpp:405 +#: ClientCommand.cpp:432 ClientCommand.cpp:459 ClientCommand.cpp:764 +#: ClientCommand.cpp:783 ClientCommand.cpp:809 ClientCommand.cpp:843 +#: ClientCommand.cpp:856 ClientCommand.cpp:869 ClientCommand.cpp:884 +#: ClientCommand.cpp:1345 ClientCommand.cpp:1393 ClientCommand.cpp:1425 +#: ClientCommand.cpp:1436 ClientCommand.cpp:1445 ClientCommand.cpp:1457 msgid "You must be connected with a network to use this command" msgstr "" @@ -465,1205 +467,1360 @@ msgstr "" msgid "Error while trying to write config." msgstr "" -#: ClientCommand.cpp:455 +#: ClientCommand.cpp:183 +msgid "Usage: ListClients" +msgstr "" + +#: ClientCommand.cpp:190 +msgid "No such user: {1}" +msgstr "" + +#: ClientCommand.cpp:198 +msgid "No clients are connected" +msgstr "" + +#: ClientCommand.cpp:203 ClientCommand.cpp:209 +msgctxt "listclientscmd" +msgid "Host" +msgstr "" + +#: ClientCommand.cpp:204 ClientCommand.cpp:212 +msgctxt "listclientscmd" +msgid "Network" +msgstr "" + +#: ClientCommand.cpp:205 ClientCommand.cpp:215 +msgctxt "listclientscmd" +msgid "Identifier" +msgstr "" + +#: ClientCommand.cpp:223 ClientCommand.cpp:229 +msgctxt "listuserscmd" +msgid "Username" +msgstr "" + +#: ClientCommand.cpp:224 ClientCommand.cpp:230 +msgctxt "listuserscmd" +msgid "Networks" +msgstr "" + +#: ClientCommand.cpp:225 ClientCommand.cpp:232 +msgctxt "listuserscmd" +msgid "Clients" +msgstr "" + +#: ClientCommand.cpp:240 ClientCommand.cpp:250 ClientCommand.cpp:260 +#: ClientCommand.cpp:263 +msgctxt "listallusernetworkscmd" +msgid "Username" +msgstr "" + +#: ClientCommand.cpp:241 ClientCommand.cpp:251 ClientCommand.cpp:266 +msgctxt "listallusernetworkscmd" +msgid "Network" +msgstr "" + +#: ClientCommand.cpp:242 ClientCommand.cpp:252 ClientCommand.cpp:268 +msgctxt "listallusernetworkscmd" +msgid "Clients" +msgstr "" + +#: ClientCommand.cpp:243 ClientCommand.cpp:271 ClientCommand.cpp:280 +msgctxt "listallusernetworkscmd" +msgid "On IRC" +msgstr "" + +#: ClientCommand.cpp:244 ClientCommand.cpp:273 +msgctxt "listallusernetworkscmd" +msgid "IRC Server" +msgstr "" + +#: ClientCommand.cpp:245 ClientCommand.cpp:275 +msgctxt "listallusernetworkscmd" +msgid "IRC User" +msgstr "" + +#: ClientCommand.cpp:246 ClientCommand.cpp:277 +msgctxt "listallusernetworkscmd" +msgid "Channels" +msgstr "" + +#: ClientCommand.cpp:251 +msgid "N/A" +msgstr "" + +#: ClientCommand.cpp:272 +msgctxt "listallusernetworkscmd" +msgid "Yes" +msgstr "" + +#: ClientCommand.cpp:281 +msgctxt "listallusernetworkscmd" +msgid "No" +msgstr "" + +#: ClientCommand.cpp:291 +msgid "Usage: SetMOTD " +msgstr "" + +#: ClientCommand.cpp:294 +msgid "MOTD set to: {1}" +msgstr "" + +#: ClientCommand.cpp:300 +msgid "Usage: AddMOTD " +msgstr "" + +#: ClientCommand.cpp:303 +msgid "Added [{1}] to MOTD" +msgstr "" + +#: ClientCommand.cpp:307 +msgid "Cleared MOTD" +msgstr "" + +#: ClientCommand.cpp:329 +msgid "" +"ERROR: Writing config file to disk failed! Aborting. Use {1} FORCE to ignore." +msgstr "" + +#: ClientCommand.cpp:344 ClientCommand.cpp:797 ClientCommand.cpp:838 +msgid "You don't have any servers added." +msgstr "" + +#: ClientCommand.cpp:355 +msgid "Server [{1}] not found" +msgstr "" + +#: ClientCommand.cpp:375 ClientCommand.cpp:380 +msgid "Connecting to {1}..." +msgstr "" + +#: ClientCommand.cpp:377 +msgid "Jumping to the next server in the list..." +msgstr "" + +#: ClientCommand.cpp:382 +msgid "Connecting..." +msgstr "" + +#: ClientCommand.cpp:400 +msgid "Disconnected from IRC. Use 'connect' to reconnect." +msgstr "" + +#: ClientCommand.cpp:412 +msgid "Usage: EnableChan <#chans>" +msgstr "" + +#: ClientCommand.cpp:426 +msgid "Enabled {1} channel" +msgid_plural "Enabled {1} channels" +msgstr[0] "" + +#: ClientCommand.cpp:439 +msgid "Usage: DisableChan <#chans>" +msgstr "" + +#: ClientCommand.cpp:453 +msgid "Disabled {1} channel" +msgid_plural "Disabled {1} channels" +msgstr[0] "" + +#: ClientCommand.cpp:470 msgid "Usage: ListChans" msgstr "" -#: ClientCommand.cpp:462 +#: ClientCommand.cpp:477 msgid "No such user [{1}]" msgstr "" -#: ClientCommand.cpp:468 +#: ClientCommand.cpp:483 msgid "User [{1}] doesn't have network [{2}]" msgstr "" -#: ClientCommand.cpp:479 +#: ClientCommand.cpp:494 msgid "There are no channels defined." msgstr "" -#: ClientCommand.cpp:484 ClientCommand.cpp:500 +#: ClientCommand.cpp:499 ClientCommand.cpp:515 msgctxt "listchans" msgid "Name" msgstr "" -#: ClientCommand.cpp:485 ClientCommand.cpp:503 +#: ClientCommand.cpp:500 ClientCommand.cpp:518 msgctxt "listchans" msgid "Status" msgstr "" -#: ClientCommand.cpp:486 ClientCommand.cpp:510 +#: ClientCommand.cpp:501 ClientCommand.cpp:525 msgctxt "listchans" msgid "In config" msgstr "" -#: ClientCommand.cpp:487 ClientCommand.cpp:512 +#: ClientCommand.cpp:502 ClientCommand.cpp:527 msgctxt "listchans" msgid "Buffer" msgstr "" -#: ClientCommand.cpp:488 ClientCommand.cpp:516 +#: ClientCommand.cpp:503 ClientCommand.cpp:531 msgctxt "listchans" msgid "Clear" msgstr "" -#: ClientCommand.cpp:489 ClientCommand.cpp:521 +#: ClientCommand.cpp:504 ClientCommand.cpp:536 msgctxt "listchans" msgid "Modes" msgstr "" -#: ClientCommand.cpp:490 ClientCommand.cpp:522 +#: ClientCommand.cpp:505 ClientCommand.cpp:537 msgctxt "listchans" msgid "Users" msgstr "" -#: ClientCommand.cpp:505 +#: ClientCommand.cpp:520 msgctxt "listchans" msgid "Detached" msgstr "" -#: ClientCommand.cpp:506 +#: ClientCommand.cpp:521 msgctxt "listchans" msgid "Joined" msgstr "" -#: ClientCommand.cpp:507 +#: ClientCommand.cpp:522 msgctxt "listchans" msgid "Disabled" msgstr "" -#: ClientCommand.cpp:508 +#: ClientCommand.cpp:523 msgctxt "listchans" msgid "Trying" msgstr "" -#: ClientCommand.cpp:511 ClientCommand.cpp:519 +#: ClientCommand.cpp:526 ClientCommand.cpp:534 msgctxt "listchans" msgid "yes" msgstr "" -#: ClientCommand.cpp:536 +#: ClientCommand.cpp:551 msgid "Total: {1}, Joined: {2}, Detached: {3}, Disabled: {4}" msgstr "" -#: ClientCommand.cpp:541 +#: ClientCommand.cpp:556 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks using /znc DelNetwork " msgstr "" -#: ClientCommand.cpp:550 +#: ClientCommand.cpp:565 msgid "Usage: AddNetwork " msgstr "" -#: ClientCommand.cpp:554 +#: ClientCommand.cpp:569 msgid "Network name should be alphanumeric" msgstr "" -#: ClientCommand.cpp:561 +#: ClientCommand.cpp:576 msgid "" "Network added. Use /znc JumpNetwork {1}, or connect to ZNC with username {2} " "(instead of just {3}) to connect to it." msgstr "" -#: ClientCommand.cpp:566 +#: ClientCommand.cpp:581 msgid "Unable to add that network" msgstr "" -#: ClientCommand.cpp:573 +#: ClientCommand.cpp:588 msgid "Usage: DelNetwork " msgstr "" -#: ClientCommand.cpp:582 +#: ClientCommand.cpp:597 msgid "Network deleted" msgstr "" -#: ClientCommand.cpp:585 +#: ClientCommand.cpp:600 msgid "Failed to delete network, perhaps this network doesn't exist" msgstr "" -#: ClientCommand.cpp:595 +#: ClientCommand.cpp:610 msgid "User {1} not found" msgstr "" -#: ClientCommand.cpp:603 ClientCommand.cpp:611 +#: ClientCommand.cpp:618 ClientCommand.cpp:626 msgctxt "listnetworks" msgid "Network" msgstr "" -#: ClientCommand.cpp:604 ClientCommand.cpp:613 ClientCommand.cpp:622 +#: ClientCommand.cpp:619 ClientCommand.cpp:628 ClientCommand.cpp:637 msgctxt "listnetworks" msgid "On IRC" msgstr "" -#: ClientCommand.cpp:605 ClientCommand.cpp:615 +#: ClientCommand.cpp:620 ClientCommand.cpp:630 msgctxt "listnetworks" msgid "IRC Server" msgstr "" -#: ClientCommand.cpp:606 ClientCommand.cpp:617 +#: ClientCommand.cpp:621 ClientCommand.cpp:632 msgctxt "listnetworks" msgid "IRC User" msgstr "" -#: ClientCommand.cpp:607 ClientCommand.cpp:619 +#: ClientCommand.cpp:622 ClientCommand.cpp:634 msgctxt "listnetworks" msgid "Channels" msgstr "" -#: ClientCommand.cpp:614 +#: ClientCommand.cpp:629 msgctxt "listnetworks" msgid "Yes" msgstr "" -#: ClientCommand.cpp:623 +#: ClientCommand.cpp:638 msgctxt "listnetworks" msgid "No" msgstr "" -#: ClientCommand.cpp:628 +#: ClientCommand.cpp:643 msgctxt "listnetworks" msgid "No networks" msgstr "" -#: ClientCommand.cpp:632 ClientCommand.cpp:936 +#: ClientCommand.cpp:647 ClientCommand.cpp:952 msgid "Access denied." msgstr "" -#: ClientCommand.cpp:643 +#: ClientCommand.cpp:658 msgid "Usage: MoveNetwork [new network]" msgstr "" -#: ClientCommand.cpp:653 +#: ClientCommand.cpp:668 msgid "Old user {1} not found." msgstr "" -#: ClientCommand.cpp:659 +#: ClientCommand.cpp:674 msgid "Old network {1} not found." msgstr "" -#: ClientCommand.cpp:665 +#: ClientCommand.cpp:680 msgid "New user {1} not found." msgstr "" -#: ClientCommand.cpp:670 +#: ClientCommand.cpp:685 msgid "User {1} already has network {2}." msgstr "" -#: ClientCommand.cpp:676 +#: ClientCommand.cpp:691 msgid "Invalid network name [{1}]" msgstr "" -#: ClientCommand.cpp:692 +#: ClientCommand.cpp:707 msgid "Some files seem to be in {1}. You might want to move them to {2}" msgstr "" -#: ClientCommand.cpp:706 +#: ClientCommand.cpp:721 msgid "Error adding network: {1}" msgstr "" -#: ClientCommand.cpp:718 +#: ClientCommand.cpp:733 msgid "Success." msgstr "" -#: ClientCommand.cpp:721 +#: ClientCommand.cpp:736 msgid "Copied the network to new user, but failed to delete old network" msgstr "" -#: ClientCommand.cpp:728 +#: ClientCommand.cpp:743 msgid "No network supplied." msgstr "" -#: ClientCommand.cpp:733 +#: ClientCommand.cpp:748 msgid "You are already connected with this network." msgstr "" -#: ClientCommand.cpp:739 +#: ClientCommand.cpp:754 msgid "Switched to {1}" msgstr "" -#: ClientCommand.cpp:742 +#: ClientCommand.cpp:757 msgid "You don't have a network named {1}" msgstr "" -#: ClientCommand.cpp:754 +#: ClientCommand.cpp:769 msgid "Usage: AddServer [[+]port] [pass]" msgstr "" -#: ClientCommand.cpp:759 +#: ClientCommand.cpp:774 msgid "Server added" msgstr "" -#: ClientCommand.cpp:762 +#: ClientCommand.cpp:777 msgid "" "Unable to add that server. Perhaps the server is already added or openssl is " "disabled?" msgstr "" -#: ClientCommand.cpp:777 +#: ClientCommand.cpp:792 msgid "Usage: DelServer [port] [pass]" msgstr "" -#: ClientCommand.cpp:782 ClientCommand.cpp:822 -msgid "You don't have any servers added." -msgstr "" - -#: ClientCommand.cpp:787 +#: ClientCommand.cpp:802 msgid "Server removed" msgstr "" -#: ClientCommand.cpp:789 +#: ClientCommand.cpp:804 msgid "No such server" msgstr "" -#: ClientCommand.cpp:802 ClientCommand.cpp:809 +#: ClientCommand.cpp:817 ClientCommand.cpp:825 msgctxt "listservers" msgid "Host" msgstr "" -#: ClientCommand.cpp:803 ClientCommand.cpp:811 +#: ClientCommand.cpp:818 ClientCommand.cpp:827 msgctxt "listservers" msgid "Port" msgstr "" -#: ClientCommand.cpp:804 ClientCommand.cpp:814 +#: ClientCommand.cpp:819 ClientCommand.cpp:830 msgctxt "listservers" msgid "SSL" msgstr "" -#: ClientCommand.cpp:805 ClientCommand.cpp:816 +#: ClientCommand.cpp:820 ClientCommand.cpp:832 msgctxt "listservers" msgid "Password" msgstr "" -#: ClientCommand.cpp:815 +#: ClientCommand.cpp:831 msgctxt "listservers|cell" msgid "SSL" msgstr "" -#: ClientCommand.cpp:832 +#: ClientCommand.cpp:848 msgid "Usage: AddTrustedServerFingerprint " msgstr "" -#: ClientCommand.cpp:836 ClientCommand.cpp:849 +#: ClientCommand.cpp:852 ClientCommand.cpp:865 msgid "Done." msgstr "" -#: ClientCommand.cpp:845 +#: ClientCommand.cpp:861 msgid "Usage: DelTrustedServerFingerprint " msgstr "" -#: ClientCommand.cpp:858 +#: ClientCommand.cpp:874 msgid "No fingerprints added." msgstr "" -#: ClientCommand.cpp:874 ClientCommand.cpp:880 +#: ClientCommand.cpp:890 ClientCommand.cpp:896 msgctxt "topicscmd" msgid "Channel" msgstr "" -#: ClientCommand.cpp:875 ClientCommand.cpp:881 +#: ClientCommand.cpp:891 ClientCommand.cpp:897 msgctxt "topicscmd" msgid "Set By" msgstr "" -#: ClientCommand.cpp:876 ClientCommand.cpp:882 +#: ClientCommand.cpp:892 ClientCommand.cpp:898 msgctxt "topicscmd" msgid "Topic" msgstr "" -#: ClientCommand.cpp:889 ClientCommand.cpp:894 +#: ClientCommand.cpp:905 ClientCommand.cpp:910 msgctxt "listmods" msgid "Name" msgstr "" -#: ClientCommand.cpp:890 ClientCommand.cpp:895 +#: ClientCommand.cpp:906 ClientCommand.cpp:911 msgctxt "listmods" msgid "Arguments" msgstr "" -#: ClientCommand.cpp:904 +#: ClientCommand.cpp:920 msgid "No global modules loaded." msgstr "" -#: ClientCommand.cpp:906 ClientCommand.cpp:970 +#: ClientCommand.cpp:922 ClientCommand.cpp:986 msgid "Global modules:" msgstr "" -#: ClientCommand.cpp:915 +#: ClientCommand.cpp:931 msgid "Your user has no modules loaded." msgstr "" -#: ClientCommand.cpp:917 ClientCommand.cpp:982 +#: ClientCommand.cpp:933 ClientCommand.cpp:998 msgid "User modules:" msgstr "" -#: ClientCommand.cpp:925 +#: ClientCommand.cpp:941 msgid "This network has no modules loaded." msgstr "" -#: ClientCommand.cpp:927 ClientCommand.cpp:994 +#: ClientCommand.cpp:943 ClientCommand.cpp:1010 msgid "Network modules:" msgstr "" -#: ClientCommand.cpp:942 ClientCommand.cpp:949 +#: ClientCommand.cpp:958 ClientCommand.cpp:965 msgctxt "listavailmods" msgid "Name" msgstr "" -#: ClientCommand.cpp:943 ClientCommand.cpp:954 +#: ClientCommand.cpp:959 ClientCommand.cpp:970 msgctxt "listavailmods" msgid "Description" msgstr "" -#: ClientCommand.cpp:968 +#: ClientCommand.cpp:984 msgid "No global modules available." msgstr "" -#: ClientCommand.cpp:980 +#: ClientCommand.cpp:996 msgid "No user modules available." msgstr "" -#: ClientCommand.cpp:992 +#: ClientCommand.cpp:1008 msgid "No network modules available." msgstr "" -#: ClientCommand.cpp:1020 +#: ClientCommand.cpp:1036 msgid "Unable to load {1}: Access denied." msgstr "" -#: ClientCommand.cpp:1026 +#: ClientCommand.cpp:1042 msgid "Usage: LoadMod [--type=global|user|network] [args]" msgstr "" -#: ClientCommand.cpp:1033 +#: ClientCommand.cpp:1049 msgid "Unable to load {1}: {2}" msgstr "" -#: ClientCommand.cpp:1043 +#: ClientCommand.cpp:1059 msgid "Unable to load global module {1}: Access denied." msgstr "" -#: ClientCommand.cpp:1049 +#: ClientCommand.cpp:1065 msgid "Unable to load network module {1}: Not connected with a network." msgstr "" -#: ClientCommand.cpp:1071 +#: ClientCommand.cpp:1087 msgid "Unknown module type" msgstr "" -#: ClientCommand.cpp:1076 +#: ClientCommand.cpp:1092 msgid "Loaded module {1}" msgstr "" -#: ClientCommand.cpp:1078 +#: ClientCommand.cpp:1094 msgid "Loaded module {1}: {2}" msgstr "" -#: ClientCommand.cpp:1081 +#: ClientCommand.cpp:1097 msgid "Unable to load module {1}: {2}" msgstr "" -#: ClientCommand.cpp:1104 +#: ClientCommand.cpp:1120 msgid "Unable to unload {1}: Access denied." msgstr "" -#: ClientCommand.cpp:1110 +#: ClientCommand.cpp:1126 msgid "Usage: UnloadMod [--type=global|user|network] " msgstr "" -#: ClientCommand.cpp:1119 +#: ClientCommand.cpp:1135 msgid "Unable to determine type of {1}: {2}" msgstr "" -#: ClientCommand.cpp:1127 +#: ClientCommand.cpp:1143 msgid "Unable to unload global module {1}: Access denied." msgstr "" -#: ClientCommand.cpp:1134 +#: ClientCommand.cpp:1150 msgid "Unable to unload network module {1}: Not connected with a network." msgstr "" -#: ClientCommand.cpp:1153 +#: ClientCommand.cpp:1169 msgid "Unable to unload module {1}: Unknown module type" msgstr "" -#: ClientCommand.cpp:1166 +#: ClientCommand.cpp:1182 msgid "Unable to reload modules. Access denied." msgstr "" -#: ClientCommand.cpp:1187 +#: ClientCommand.cpp:1203 msgid "Usage: ReloadMod [--type=global|user|network] [args]" msgstr "" -#: ClientCommand.cpp:1196 +#: ClientCommand.cpp:1212 msgid "Unable to reload {1}: {2}" msgstr "" -#: ClientCommand.cpp:1204 +#: ClientCommand.cpp:1220 msgid "Unable to reload global module {1}: Access denied." msgstr "" -#: ClientCommand.cpp:1211 +#: ClientCommand.cpp:1227 msgid "Unable to reload network module {1}: Not connected with a network." msgstr "" -#: ClientCommand.cpp:1233 +#: ClientCommand.cpp:1249 msgid "Unable to reload module {1}: Unknown module type" msgstr "" -#: ClientCommand.cpp:1244 +#: ClientCommand.cpp:1260 msgid "Usage: UpdateMod " msgstr "" -#: ClientCommand.cpp:1248 +#: ClientCommand.cpp:1264 msgid "Reloading {1} everywhere" msgstr "" -#: ClientCommand.cpp:1250 +#: ClientCommand.cpp:1266 msgid "Done" msgstr "" -#: ClientCommand.cpp:1253 +#: ClientCommand.cpp:1269 msgid "" "Done, but there were errors, module {1} could not be reloaded everywhere." msgstr "" -#: ClientCommand.cpp:1261 +#: ClientCommand.cpp:1277 msgid "" "You must be connected with a network to use this command. Try " "SetUserBindHost instead" msgstr "" -#: ClientCommand.cpp:1268 +#: ClientCommand.cpp:1284 msgid "Usage: SetBindHost " msgstr "" -#: ClientCommand.cpp:1273 ClientCommand.cpp:1290 +#: ClientCommand.cpp:1289 ClientCommand.cpp:1306 msgid "You already have this bind host!" msgstr "" -#: ClientCommand.cpp:1278 +#: ClientCommand.cpp:1294 msgid "Set bind host for network {1} to {2}" msgstr "" -#: ClientCommand.cpp:1285 +#: ClientCommand.cpp:1301 msgid "Usage: SetUserBindHost " msgstr "" -#: ClientCommand.cpp:1295 +#: ClientCommand.cpp:1311 msgid "Set default bind host to {1}" msgstr "" -#: ClientCommand.cpp:1301 +#: ClientCommand.cpp:1317 msgid "" "You must be connected with a network to use this command. Try " "ClearUserBindHost instead" msgstr "" -#: ClientCommand.cpp:1306 +#: ClientCommand.cpp:1322 msgid "Bind host cleared for this network." msgstr "" -#: ClientCommand.cpp:1310 +#: ClientCommand.cpp:1326 msgid "Default bind host cleared for your user." msgstr "" -#: ClientCommand.cpp:1313 +#: ClientCommand.cpp:1329 msgid "This user's default bind host not set" msgstr "" -#: ClientCommand.cpp:1315 +#: ClientCommand.cpp:1331 msgid "This user's default bind host is {1}" msgstr "" -#: ClientCommand.cpp:1320 +#: ClientCommand.cpp:1336 msgid "This network's bind host not set" msgstr "" -#: ClientCommand.cpp:1322 +#: ClientCommand.cpp:1338 msgid "This network's default bind host is {1}" msgstr "" -#: ClientCommand.cpp:1336 +#: ClientCommand.cpp:1352 msgid "Usage: PlayBuffer <#chan|query>" msgstr "" -#: ClientCommand.cpp:1344 +#: ClientCommand.cpp:1360 msgid "You are not on {1}" msgstr "" -#: ClientCommand.cpp:1349 +#: ClientCommand.cpp:1365 msgid "You are not on {1} (trying to join)" msgstr "" -#: ClientCommand.cpp:1354 +#: ClientCommand.cpp:1370 msgid "The buffer for channel {1} is empty" msgstr "" -#: ClientCommand.cpp:1363 +#: ClientCommand.cpp:1379 msgid "No active query with {1}" msgstr "" -#: ClientCommand.cpp:1368 +#: ClientCommand.cpp:1384 msgid "The buffer for {1} is empty" msgstr "" -#: ClientCommand.cpp:1384 +#: ClientCommand.cpp:1400 msgid "Usage: ClearBuffer <#chan|query>" msgstr "" -#: ClientCommand.cpp:1403 +#: ClientCommand.cpp:1419 msgid "{1} buffer matching {2} has been cleared" msgid_plural "{1} buffers matching {2} have been cleared" msgstr[0] "" -#: ClientCommand.cpp:1416 +#: ClientCommand.cpp:1432 msgid "All channel buffers have been cleared" msgstr "" -#: ClientCommand.cpp:1425 +#: ClientCommand.cpp:1441 msgid "All query buffers have been cleared" msgstr "" -#: ClientCommand.cpp:1437 +#: ClientCommand.cpp:1453 msgid "All buffers have been cleared" msgstr "" -#: ClientCommand.cpp:1448 +#: ClientCommand.cpp:1464 msgid "Usage: SetBuffer <#chan|query> [linecount]" msgstr "" -#: ClientCommand.cpp:1469 +#: ClientCommand.cpp:1485 msgid "Setting buffer size failed for {1} buffer" msgid_plural "Setting buffer size failed for {1} buffers" msgstr[0] "" -#: ClientCommand.cpp:1472 +#: ClientCommand.cpp:1488 msgid "Maximum buffer size is {1} line" msgid_plural "Maximum buffer size is {1} lines" msgstr[0] "" -#: ClientCommand.cpp:1477 +#: ClientCommand.cpp:1493 msgid "Size of every buffer was set to {1} line" msgid_plural "Size of every buffer was set to {1} lines" msgstr[0] "" -#: ClientCommand.cpp:1487 ClientCommand.cpp:1494 ClientCommand.cpp:1505 -#: ClientCommand.cpp:1514 ClientCommand.cpp:1522 +#: ClientCommand.cpp:1503 ClientCommand.cpp:1510 ClientCommand.cpp:1521 +#: ClientCommand.cpp:1530 ClientCommand.cpp:1538 msgctxt "trafficcmd" msgid "Username" msgstr "" -#: ClientCommand.cpp:1488 ClientCommand.cpp:1495 ClientCommand.cpp:1507 -#: ClientCommand.cpp:1516 ClientCommand.cpp:1524 +#: ClientCommand.cpp:1504 ClientCommand.cpp:1511 ClientCommand.cpp:1523 +#: ClientCommand.cpp:1532 ClientCommand.cpp:1540 msgctxt "trafficcmd" msgid "In" msgstr "" -#: ClientCommand.cpp:1489 ClientCommand.cpp:1497 ClientCommand.cpp:1508 -#: ClientCommand.cpp:1517 ClientCommand.cpp:1525 +#: ClientCommand.cpp:1505 ClientCommand.cpp:1513 ClientCommand.cpp:1524 +#: ClientCommand.cpp:1533 ClientCommand.cpp:1541 msgctxt "trafficcmd" msgid "Out" msgstr "" -#: ClientCommand.cpp:1490 ClientCommand.cpp:1500 ClientCommand.cpp:1510 -#: ClientCommand.cpp:1518 ClientCommand.cpp:1527 +#: ClientCommand.cpp:1506 ClientCommand.cpp:1516 ClientCommand.cpp:1526 +#: ClientCommand.cpp:1534 ClientCommand.cpp:1543 msgctxt "trafficcmd" msgid "Total" msgstr "" -#: ClientCommand.cpp:1506 +#: ClientCommand.cpp:1522 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1515 +#: ClientCommand.cpp:1531 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1523 +#: ClientCommand.cpp:1539 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1532 +#: ClientCommand.cpp:1548 msgid "Running for {1}" msgstr "" -#: ClientCommand.cpp:1538 +#: ClientCommand.cpp:1554 msgid "Unknown command, try 'Help'" msgstr "" -#: ClientCommand.cpp:1547 ClientCommand.cpp:1558 +#: ClientCommand.cpp:1563 ClientCommand.cpp:1574 msgctxt "listports" msgid "Port" msgstr "" -#: ClientCommand.cpp:1548 ClientCommand.cpp:1559 +#: ClientCommand.cpp:1564 ClientCommand.cpp:1577 msgctxt "listports" msgid "BindHost" msgstr "" -#: ClientCommand.cpp:1549 ClientCommand.cpp:1562 +#: ClientCommand.cpp:1565 ClientCommand.cpp:1580 msgctxt "listports" msgid "SSL" msgstr "" -#: ClientCommand.cpp:1550 ClientCommand.cpp:1567 +#: ClientCommand.cpp:1566 ClientCommand.cpp:1585 msgctxt "listports" msgid "Protocol" msgstr "" -#: ClientCommand.cpp:1551 ClientCommand.cpp:1574 +#: ClientCommand.cpp:1567 ClientCommand.cpp:1592 msgctxt "listports" msgid "IRC" msgstr "" -#: ClientCommand.cpp:1552 ClientCommand.cpp:1579 +#: ClientCommand.cpp:1568 ClientCommand.cpp:1597 msgctxt "listports" msgid "Web" msgstr "" -#: ClientCommand.cpp:1563 +#: ClientCommand.cpp:1581 msgctxt "listports|ssl" msgid "yes" msgstr "" -#: ClientCommand.cpp:1564 +#: ClientCommand.cpp:1582 msgctxt "listports|ssl" msgid "no" msgstr "" -#: ClientCommand.cpp:1568 +#: ClientCommand.cpp:1586 msgctxt "listports" msgid "IPv4 and IPv6" msgstr "" -#: ClientCommand.cpp:1570 +#: ClientCommand.cpp:1588 msgctxt "listports" msgid "IPv4" msgstr "" -#: ClientCommand.cpp:1571 +#: ClientCommand.cpp:1589 msgctxt "listports" msgid "IPv6" msgstr "" -#: ClientCommand.cpp:1577 +#: ClientCommand.cpp:1595 msgctxt "listports|irc" msgid "yes" msgstr "" -#: ClientCommand.cpp:1578 +#: ClientCommand.cpp:1596 msgctxt "listports|irc" msgid "no" msgstr "" -#: ClientCommand.cpp:1582 +#: ClientCommand.cpp:1600 msgctxt "listports|irc" msgid "yes, on {1}" msgstr "" -#: ClientCommand.cpp:1584 +#: ClientCommand.cpp:1602 msgctxt "listports|web" msgid "no" msgstr "" -#: ClientCommand.cpp:1624 +#: ClientCommand.cpp:1642 msgid "" "Usage: AddPort <[+]port> [bindhost [uriprefix]]" msgstr "" -#: ClientCommand.cpp:1640 +#: ClientCommand.cpp:1658 msgid "Port added" msgstr "" -#: ClientCommand.cpp:1642 +#: ClientCommand.cpp:1660 msgid "Couldn't add port" msgstr "" -#: ClientCommand.cpp:1648 +#: ClientCommand.cpp:1666 msgid "Usage: DelPort [bindhost]" msgstr "" -#: ClientCommand.cpp:1657 +#: ClientCommand.cpp:1675 msgid "Deleted Port" msgstr "" -#: ClientCommand.cpp:1659 +#: ClientCommand.cpp:1677 msgid "Unable to find a matching port" msgstr "" -#: ClientCommand.cpp:1667 ClientCommand.cpp:1682 +#: ClientCommand.cpp:1685 ClientCommand.cpp:1700 msgctxt "helpcmd" msgid "Command" msgstr "" -#: ClientCommand.cpp:1668 ClientCommand.cpp:1684 +#: ClientCommand.cpp:1686 ClientCommand.cpp:1702 msgctxt "helpcmd" msgid "Description" msgstr "" -#: ClientCommand.cpp:1673 +#: ClientCommand.cpp:1691 msgid "" "In the following list all occurrences of <#chan> support wildcards (* and ?) " "except ListNicks" msgstr "" -#: ClientCommand.cpp:1690 +#: ClientCommand.cpp:1708 msgctxt "helpcmd|Version|desc" msgid "Print which version of ZNC this is" msgstr "" -#: ClientCommand.cpp:1693 +#: ClientCommand.cpp:1711 msgctxt "helpcmd|ListMods|desc" msgid "List all loaded modules" msgstr "" -#: ClientCommand.cpp:1696 +#: ClientCommand.cpp:1714 msgctxt "helpcmd|ListAvailMods|desc" msgid "List all available modules" msgstr "" -#: ClientCommand.cpp:1700 ClientCommand.cpp:1886 +#: ClientCommand.cpp:1718 ClientCommand.cpp:1904 msgctxt "helpcmd|ListChans|desc" msgid "List all channels" msgstr "" -#: ClientCommand.cpp:1703 +#: ClientCommand.cpp:1721 msgctxt "helpcmd|ListNicks|args" msgid "<#chan>" msgstr "" -#: ClientCommand.cpp:1704 +#: ClientCommand.cpp:1722 msgctxt "helpcmd|ListNicks|desc" msgid "List all nicks on a channel" msgstr "" -#: ClientCommand.cpp:1707 +#: ClientCommand.cpp:1725 msgctxt "helpcmd|ListClients|desc" msgid "List all clients connected to your ZNC user" msgstr "" -#: ClientCommand.cpp:1711 +#: ClientCommand.cpp:1729 msgctxt "helpcmd|ListServers|desc" msgid "List all servers of current IRC network" msgstr "" -#: ClientCommand.cpp:1715 +#: ClientCommand.cpp:1733 msgctxt "helpcmd|AddNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1716 +#: ClientCommand.cpp:1734 msgctxt "helpcmd|AddNetwork|desc" msgid "Add a network to your user" msgstr "" -#: ClientCommand.cpp:1718 +#: ClientCommand.cpp:1736 msgctxt "helpcmd|DelNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1719 +#: ClientCommand.cpp:1737 msgctxt "helpcmd|DelNetwork|desc" msgid "Delete a network from your user" msgstr "" -#: ClientCommand.cpp:1721 +#: ClientCommand.cpp:1739 msgctxt "helpcmd|ListNetworks|desc" msgid "List all networks" msgstr "" -#: ClientCommand.cpp:1724 +#: ClientCommand.cpp:1742 msgctxt "helpcmd|MoveNetwork|args" msgid " [new network]" msgstr "" -#: ClientCommand.cpp:1726 +#: ClientCommand.cpp:1744 msgctxt "helpcmd|MoveNetwork|desc" msgid "Move an IRC network from one user to another" msgstr "" -#: ClientCommand.cpp:1730 +#: ClientCommand.cpp:1748 msgctxt "helpcmd|JumpNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1731 +#: ClientCommand.cpp:1749 msgctxt "helpcmd|JumpNetwork|desc" msgid "" "Jump to another network (Alternatively, you can connect to ZNC several " "times, using `user/network` as username)" msgstr "" -#: ClientCommand.cpp:1736 +#: ClientCommand.cpp:1754 msgctxt "helpcmd|AddServer|args" msgid " [[+]port] [pass]" msgstr "" -#: ClientCommand.cpp:1737 +#: ClientCommand.cpp:1755 msgctxt "helpcmd|AddServer|desc" msgid "" "Add a server to the list of alternate/backup servers of current IRC network." msgstr "" -#: ClientCommand.cpp:1741 +#: ClientCommand.cpp:1759 msgctxt "helpcmd|DelServer|args" msgid " [port] [pass]" msgstr "" -#: ClientCommand.cpp:1742 +#: ClientCommand.cpp:1760 msgctxt "helpcmd|DelServer|desc" msgid "" "Remove a server from the list of alternate/backup servers of current IRC " "network" msgstr "" -#: ClientCommand.cpp:1748 +#: ClientCommand.cpp:1766 msgctxt "helpcmd|AddTrustedServerFingerprint|args" msgid "" msgstr "" -#: ClientCommand.cpp:1749 +#: ClientCommand.cpp:1767 msgctxt "helpcmd|AddTrustedServerFingerprint|desc" msgid "" "Add a trusted server SSL certificate fingerprint (SHA-256) to current IRC " "network." msgstr "" -#: ClientCommand.cpp:1754 +#: ClientCommand.cpp:1772 msgctxt "helpcmd|DelTrustedServerFingerprint|args" msgid "" msgstr "" -#: ClientCommand.cpp:1755 +#: ClientCommand.cpp:1773 msgctxt "helpcmd|DelTrustedServerFingerprint|desc" msgid "Delete a trusted server SSL certificate from current IRC network." msgstr "" -#: ClientCommand.cpp:1759 +#: ClientCommand.cpp:1777 msgctxt "helpcmd|ListTrustedServerFingerprints|desc" msgid "List all trusted server SSL certificates of current IRC network." msgstr "" -#: ClientCommand.cpp:1762 +#: ClientCommand.cpp:1780 msgctxt "helpcmd|EnableChan|args" msgid "<#chans>" msgstr "" -#: ClientCommand.cpp:1763 +#: ClientCommand.cpp:1781 msgctxt "helpcmd|EnableChan|desc" msgid "Enable channels" msgstr "" -#: ClientCommand.cpp:1764 +#: ClientCommand.cpp:1782 msgctxt "helpcmd|DisableChan|args" msgid "<#chans>" msgstr "" -#: ClientCommand.cpp:1765 +#: ClientCommand.cpp:1783 msgctxt "helpcmd|DisableChan|desc" msgid "Disable channels" msgstr "" -#: ClientCommand.cpp:1766 +#: ClientCommand.cpp:1784 msgctxt "helpcmd|Attach|args" msgid "<#chans>" msgstr "" -#: ClientCommand.cpp:1767 +#: ClientCommand.cpp:1785 msgctxt "helpcmd|Attach|desc" msgid "Attach to channels" msgstr "" -#: ClientCommand.cpp:1768 +#: ClientCommand.cpp:1786 msgctxt "helpcmd|Detach|args" msgid "<#chans>" msgstr "" -#: ClientCommand.cpp:1769 +#: ClientCommand.cpp:1787 msgctxt "helpcmd|Detach|desc" msgid "Detach from channels" msgstr "" -#: ClientCommand.cpp:1772 +#: ClientCommand.cpp:1790 msgctxt "helpcmd|Topics|desc" msgid "Show topics in all your channels" msgstr "" -#: ClientCommand.cpp:1775 +#: ClientCommand.cpp:1793 msgctxt "helpcmd|PlayBuffer|args" msgid "<#chan|query>" msgstr "" -#: ClientCommand.cpp:1776 +#: ClientCommand.cpp:1794 msgctxt "helpcmd|PlayBuffer|desc" msgid "Play back the specified buffer" msgstr "" -#: ClientCommand.cpp:1778 +#: ClientCommand.cpp:1796 msgctxt "helpcmd|ClearBuffer|args" msgid "<#chan|query>" msgstr "" -#: ClientCommand.cpp:1779 +#: ClientCommand.cpp:1797 msgctxt "helpcmd|ClearBuffer|desc" msgid "Clear the specified buffer" msgstr "" -#: ClientCommand.cpp:1781 +#: ClientCommand.cpp:1799 msgctxt "helpcmd|ClearAllBuffers|desc" msgid "Clear all channel and query buffers" msgstr "" -#: ClientCommand.cpp:1784 +#: ClientCommand.cpp:1802 msgctxt "helpcmd|ClearAllChannelBuffers|desc" msgid "Clear the channel buffers" msgstr "" -#: ClientCommand.cpp:1788 +#: ClientCommand.cpp:1806 msgctxt "helpcmd|ClearAllQueryBuffers|desc" msgid "Clear the query buffers" msgstr "" -#: ClientCommand.cpp:1790 +#: ClientCommand.cpp:1808 msgctxt "helpcmd|SetBuffer|args" msgid "<#chan|query> [linecount]" msgstr "" -#: ClientCommand.cpp:1791 +#: ClientCommand.cpp:1809 msgctxt "helpcmd|SetBuffer|desc" msgid "Set the buffer count" msgstr "" -#: ClientCommand.cpp:1795 +#: ClientCommand.cpp:1813 msgctxt "helpcmd|SetBindHost|args" msgid "" msgstr "" -#: ClientCommand.cpp:1796 +#: ClientCommand.cpp:1814 msgctxt "helpcmd|SetBindHost|desc" msgid "Set the bind host for this network" msgstr "" -#: ClientCommand.cpp:1800 +#: ClientCommand.cpp:1818 msgctxt "helpcmd|SetUserBindHost|args" msgid "" msgstr "" -#: ClientCommand.cpp:1801 +#: ClientCommand.cpp:1819 msgctxt "helpcmd|SetUserBindHost|desc" msgid "Set the default bind host for this user" msgstr "" -#: ClientCommand.cpp:1804 +#: ClientCommand.cpp:1822 msgctxt "helpcmd|ClearBindHost|desc" msgid "Clear the bind host for this network" msgstr "" -#: ClientCommand.cpp:1807 +#: ClientCommand.cpp:1825 msgctxt "helpcmd|ClearUserBindHost|desc" msgid "Clear the default bind host for this user" msgstr "" -#: ClientCommand.cpp:1813 +#: ClientCommand.cpp:1831 msgctxt "helpcmd|ShowBindHost|desc" msgid "Show currently selected bind host" msgstr "" -#: ClientCommand.cpp:1815 +#: ClientCommand.cpp:1833 msgctxt "helpcmd|Jump|args" msgid "[server]" msgstr "" -#: ClientCommand.cpp:1816 +#: ClientCommand.cpp:1834 msgctxt "helpcmd|Jump|desc" msgid "Jump to the next or the specified server" msgstr "" -#: ClientCommand.cpp:1817 +#: ClientCommand.cpp:1835 msgctxt "helpcmd|Disconnect|args" msgid "[message]" msgstr "" -#: ClientCommand.cpp:1818 +#: ClientCommand.cpp:1836 msgctxt "helpcmd|Disconnect|desc" msgid "Disconnect from IRC" msgstr "" -#: ClientCommand.cpp:1820 +#: ClientCommand.cpp:1838 msgctxt "helpcmd|Connect|desc" msgid "Reconnect to IRC" msgstr "" -#: ClientCommand.cpp:1823 +#: ClientCommand.cpp:1841 msgctxt "helpcmd|Uptime|desc" msgid "Show for how long ZNC has been running" msgstr "" -#: ClientCommand.cpp:1827 +#: ClientCommand.cpp:1845 msgctxt "helpcmd|LoadMod|args" msgid "[--type=global|user|network] [args]" msgstr "" -#: ClientCommand.cpp:1829 +#: ClientCommand.cpp:1847 msgctxt "helpcmd|LoadMod|desc" msgid "Load a module" msgstr "" -#: ClientCommand.cpp:1831 +#: ClientCommand.cpp:1849 msgctxt "helpcmd|UnloadMod|args" msgid "[--type=global|user|network] " msgstr "" -#: ClientCommand.cpp:1833 +#: ClientCommand.cpp:1851 msgctxt "helpcmd|UnloadMod|desc" msgid "Unload a module" msgstr "" -#: ClientCommand.cpp:1835 +#: ClientCommand.cpp:1853 msgctxt "helpcmd|ReloadMod|args" msgid "[--type=global|user|network] [args]" msgstr "" -#: ClientCommand.cpp:1837 +#: ClientCommand.cpp:1855 msgctxt "helpcmd|ReloadMod|desc" msgid "Reload a module" msgstr "" -#: ClientCommand.cpp:1840 +#: ClientCommand.cpp:1858 msgctxt "helpcmd|UpdateMod|args" msgid "" msgstr "" -#: ClientCommand.cpp:1841 +#: ClientCommand.cpp:1859 msgctxt "helpcmd|UpdateMod|desc" msgid "Reload a module everywhere" msgstr "" -#: ClientCommand.cpp:1847 +#: ClientCommand.cpp:1865 msgctxt "helpcmd|ShowMOTD|desc" msgid "Show ZNC's message of the day" msgstr "" -#: ClientCommand.cpp:1851 +#: ClientCommand.cpp:1869 msgctxt "helpcmd|SetMOTD|args" msgid "" msgstr "" -#: ClientCommand.cpp:1852 +#: ClientCommand.cpp:1870 msgctxt "helpcmd|SetMOTD|desc" msgid "Set ZNC's message of the day" msgstr "" -#: ClientCommand.cpp:1854 +#: ClientCommand.cpp:1872 msgctxt "helpcmd|AddMOTD|args" msgid "" msgstr "" -#: ClientCommand.cpp:1855 +#: ClientCommand.cpp:1873 msgctxt "helpcmd|AddMOTD|desc" msgid "Append to ZNC's MOTD" msgstr "" -#: ClientCommand.cpp:1857 +#: ClientCommand.cpp:1875 msgctxt "helpcmd|ClearMOTD|desc" msgid "Clear ZNC's MOTD" msgstr "" -#: ClientCommand.cpp:1860 +#: ClientCommand.cpp:1878 msgctxt "helpcmd|ListPorts|desc" msgid "Show all active listeners" msgstr "" -#: ClientCommand.cpp:1862 +#: ClientCommand.cpp:1880 msgctxt "helpcmd|AddPort|args" msgid "<[+]port> [bindhost [uriprefix]]" msgstr "" -#: ClientCommand.cpp:1865 +#: ClientCommand.cpp:1883 msgctxt "helpcmd|AddPort|desc" msgid "Add another port for ZNC to listen on" msgstr "" -#: ClientCommand.cpp:1869 +#: ClientCommand.cpp:1887 msgctxt "helpcmd|DelPort|args" msgid " [bindhost]" msgstr "" -#: ClientCommand.cpp:1870 +#: ClientCommand.cpp:1888 msgctxt "helpcmd|DelPort|desc" msgid "Remove a port from ZNC" msgstr "" -#: ClientCommand.cpp:1873 +#: ClientCommand.cpp:1891 msgctxt "helpcmd|Rehash|desc" msgid "Reload global settings, modules, and listeners from znc.conf" msgstr "" -#: ClientCommand.cpp:1876 +#: ClientCommand.cpp:1894 msgctxt "helpcmd|SaveConfig|desc" msgid "Save the current settings to disk" msgstr "" -#: ClientCommand.cpp:1879 +#: ClientCommand.cpp:1897 msgctxt "helpcmd|ListUsers|desc" msgid "List all ZNC users and their connection status" msgstr "" -#: ClientCommand.cpp:1882 +#: ClientCommand.cpp:1900 msgctxt "helpcmd|ListAllUserNetworks|desc" msgid "List all ZNC users and their networks" msgstr "" -#: ClientCommand.cpp:1885 +#: ClientCommand.cpp:1903 msgctxt "helpcmd|ListChans|args" msgid "[user ]" msgstr "" -#: ClientCommand.cpp:1888 +#: ClientCommand.cpp:1906 msgctxt "helpcmd|ListClients|args" msgid "[user]" msgstr "" -#: ClientCommand.cpp:1889 +#: ClientCommand.cpp:1907 msgctxt "helpcmd|ListClients|desc" msgid "List all connected clients" msgstr "" -#: ClientCommand.cpp:1891 +#: ClientCommand.cpp:1909 msgctxt "helpcmd|Traffic|desc" msgid "Show basic traffic stats for all ZNC users" msgstr "" -#: ClientCommand.cpp:1893 +#: ClientCommand.cpp:1911 msgctxt "helpcmd|Broadcast|args" msgid "[message]" msgstr "" -#: ClientCommand.cpp:1894 +#: ClientCommand.cpp:1912 msgctxt "helpcmd|Broadcast|desc" msgid "Broadcast a message to all ZNC users" msgstr "" -#: ClientCommand.cpp:1897 +#: ClientCommand.cpp:1915 msgctxt "helpcmd|Shutdown|args" msgid "[message]" msgstr "" -#: ClientCommand.cpp:1898 +#: ClientCommand.cpp:1916 msgctxt "helpcmd|Shutdown|desc" msgid "Shut down ZNC completely" msgstr "" -#: ClientCommand.cpp:1899 +#: ClientCommand.cpp:1917 msgctxt "helpcmd|Restart|args" msgid "[message]" msgstr "" -#: ClientCommand.cpp:1900 +#: ClientCommand.cpp:1918 msgctxt "helpcmd|Restart|desc" msgid "Restart ZNC" msgstr "" diff --git a/src/po/znc.it_IT.po b/src/po/znc.it_IT.po index fbbca59a..90c14ced 100644 --- a/src/po/znc.it_IT.po +++ b/src/po/znc.it_IT.po @@ -75,7 +75,7 @@ msgstr "Impossibile localizzare il file pem: {1}" msgid "Invalid port" msgstr "Porta non valida" -#: znc.cpp:1813 ClientCommand.cpp:1637 +#: znc.cpp:1813 ClientCommand.cpp:1655 msgid "Unable to bind: {1}" msgstr "Impossibile associare: {1}" @@ -113,70 +113,70 @@ msgstr "" msgid "Some module aborted the connection attempt" msgstr "Qualche modulo ha annullato il tentativo di connessione" -#: IRCSock.cpp:490 +#: IRCSock.cpp:492 msgid "Error from server: {1}" msgstr "Errore dal server: {1}" -#: IRCSock.cpp:692 +#: IRCSock.cpp:694 msgid "ZNC seems to be connected to itself, disconnecting..." msgstr "" "Lo ZNC sembra essere collegato a se stesso. La connessione verrà " "interrotta..." -#: IRCSock.cpp:739 +#: IRCSock.cpp:741 msgid "Server {1} redirects us to {2}:{3} with reason: {4}" msgstr "Il server {1} reindirizza a {2}:{3} con motivazione: {4}" -#: IRCSock.cpp:743 +#: IRCSock.cpp:745 msgid "Perhaps you want to add it as a new server." msgstr "Forse vuoi aggiungerlo come nuovo server." -#: IRCSock.cpp:973 +#: IRCSock.cpp:975 msgid "Channel {1} is linked to another channel and was thus disabled." msgstr "Il canale {1} è collegato ad un altro canale ed è quindi disabilitato." -#: IRCSock.cpp:985 +#: IRCSock.cpp:987 msgid "Switched to SSL (STARTTLS)" msgstr "Passato ad una connessione SSL protetta (STARTTLS)" -#: IRCSock.cpp:1038 +#: IRCSock.cpp:1040 msgid "You quit: {1}" msgstr "Il tuo quit: {1}" -#: IRCSock.cpp:1244 +#: IRCSock.cpp:1246 msgid "Disconnected from IRC. Reconnecting..." msgstr "Disconnesso da IRC. Riconnessione..." -#: IRCSock.cpp:1275 +#: IRCSock.cpp:1277 msgid "Cannot connect to IRC ({1}). Retrying..." msgstr "Impossibile connettersi a IRC ({1}). Riprovo..." -#: IRCSock.cpp:1278 +#: IRCSock.cpp:1280 msgid "Disconnected from IRC ({1}). Reconnecting..." msgstr "Disconnesso da IRC ({1}). Riconnessione..." -#: IRCSock.cpp:1314 +#: IRCSock.cpp:1316 msgid "If you trust this certificate, do /znc AddTrustedServerFingerprint {1}" msgstr "" "Se ti fidi di questo certificato, scrivi /znc AddTrustedServerFingerprint {1}" -#: IRCSock.cpp:1323 +#: IRCSock.cpp:1325 msgid "IRC connection timed out. Reconnecting..." msgstr "La connessione ad IRC è scaduta (timed out). Tento la riconnessione..." -#: IRCSock.cpp:1335 +#: IRCSock.cpp:1337 msgid "Connection Refused. Reconnecting..." msgstr "Connessione rifiutata. Riconnessione..." -#: IRCSock.cpp:1343 +#: IRCSock.cpp:1345 msgid "Received a too long line from the IRC server!" msgstr "Ricevuta una linea troppo lunga dal server IRC!" -#: IRCSock.cpp:1447 +#: IRCSock.cpp:1449 msgid "No free nick available" msgstr "Nessun nickname disponibile" -#: IRCSock.cpp:1455 +#: IRCSock.cpp:1457 msgid "No free nick found" msgstr "Nessun nick trovato" @@ -240,47 +240,48 @@ msgstr "" "Stai per essere disconnesso perché un altro utente si è appena autenticato " "come te." -#: Client.cpp:1021 +#: Client.cpp:1022 msgid "Your CTCP to {1} got lost, you are not connected to IRC!" msgstr "Il tuo CTCP a {1} è andato perso, non sei connesso ad IRC!" -#: Client.cpp:1147 +#: Client.cpp:1148 msgid "Your notice to {1} got lost, you are not connected to IRC!" msgstr "Il tuo NOTICE a {1} è andato perso, non sei connesso ad IRC!" -#: Client.cpp:1186 +#: Client.cpp:1187 msgid "Removing channel {1}" msgstr "Rimozione del canle {1}" -#: Client.cpp:1264 +#: Client.cpp:1265 msgid "Your message to {1} got lost, you are not connected to IRC!" msgstr "Il tuo messaggio a {1} è andato perso, non sei connesso ad IRC!" -#: Client.cpp:1317 Client.cpp:1323 +#: Client.cpp:1318 Client.cpp:1324 msgid "Hello. How may I help you?" msgstr "Ciao! Come posso aiutarti? Puoi iniziare a scrivere help" -#: Client.cpp:1337 +#: Client.cpp:1338 msgid "Usage: /attach <#chans>" msgstr "Usa: /attach <#canali>" -#: Client.cpp:1344 Client.cpp:1366 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: Client.cpp:1345 Client.cpp:1367 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: ClientCommand.cpp:423 ClientCommand.cpp:450 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" msgstr[0] "Trovato {1} canale corrispondente a [{2}]" msgstr[1] "Trovati {1} canali corrispondenti a [{2}]" -#: Client.cpp:1347 ClientCommand.cpp:132 +#: Client.cpp:1348 ClientCommand.cpp:132 msgid "Attached {1} channel" msgid_plural "Attached {1} channels" msgstr[0] "Agganciato {1} canale (Attached)" msgstr[1] "Agganciati {1} canali (Attached)" -#: Client.cpp:1359 +#: Client.cpp:1360 msgid "Usage: /detach <#chans>" msgstr "Usa: /detach <#canali>" -#: Client.cpp:1369 ClientCommand.cpp:154 +#: Client.cpp:1370 ClientCommand.cpp:154 msgid "Detached {1} channel" msgid_plural "Detached {1} channels" msgstr[0] "Scollegato {1} canale (Detached)" @@ -304,7 +305,7 @@ msgctxt "modhelpcmd" msgid "Generate this output" msgstr "Genera questo output" -#: Modules.cpp:573 ClientCommand.cpp:1904 +#: Modules.cpp:573 ClientCommand.cpp:1922 msgid "No matches for '{1}'" msgstr "Nessuna corrispondenza per '{1}'" @@ -415,11 +416,12 @@ msgid "Description" msgstr "Descrizione" #: ClientCommand.cpp:51 ClientCommand.cpp:115 ClientCommand.cpp:137 -#: ClientCommand.cpp:749 ClientCommand.cpp:768 ClientCommand.cpp:794 -#: ClientCommand.cpp:827 ClientCommand.cpp:840 ClientCommand.cpp:853 -#: ClientCommand.cpp:868 ClientCommand.cpp:1329 ClientCommand.cpp:1377 -#: ClientCommand.cpp:1409 ClientCommand.cpp:1420 ClientCommand.cpp:1429 -#: ClientCommand.cpp:1441 +#: ClientCommand.cpp:339 ClientCommand.cpp:390 ClientCommand.cpp:405 +#: ClientCommand.cpp:432 ClientCommand.cpp:459 ClientCommand.cpp:764 +#: ClientCommand.cpp:783 ClientCommand.cpp:809 ClientCommand.cpp:843 +#: ClientCommand.cpp:856 ClientCommand.cpp:869 ClientCommand.cpp:884 +#: ClientCommand.cpp:1345 ClientCommand.cpp:1393 ClientCommand.cpp:1425 +#: ClientCommand.cpp:1436 ClientCommand.cpp:1445 ClientCommand.cpp:1457 msgid "You must be connected with a network to use this command" msgstr "Devi essere connesso ad un network per usare questo comando" @@ -479,87 +481,248 @@ msgstr "Scritto config a {1}" msgid "Error while trying to write config." msgstr "Errore durante il tentativo di scrivere la configurazione." -#: ClientCommand.cpp:455 +#: ClientCommand.cpp:183 +msgid "Usage: ListClients" +msgstr "" + +#: ClientCommand.cpp:190 +msgid "No such user: {1}" +msgstr "" + +#: ClientCommand.cpp:198 +msgid "No clients are connected" +msgstr "" + +#: ClientCommand.cpp:203 ClientCommand.cpp:209 +msgctxt "listclientscmd" +msgid "Host" +msgstr "" + +#: ClientCommand.cpp:204 ClientCommand.cpp:212 +msgctxt "listclientscmd" +msgid "Network" +msgstr "" + +#: ClientCommand.cpp:205 ClientCommand.cpp:215 +msgctxt "listclientscmd" +msgid "Identifier" +msgstr "" + +#: ClientCommand.cpp:223 ClientCommand.cpp:229 +msgctxt "listuserscmd" +msgid "Username" +msgstr "" + +#: ClientCommand.cpp:224 ClientCommand.cpp:230 +msgctxt "listuserscmd" +msgid "Networks" +msgstr "" + +#: ClientCommand.cpp:225 ClientCommand.cpp:232 +msgctxt "listuserscmd" +msgid "Clients" +msgstr "" + +#: ClientCommand.cpp:240 ClientCommand.cpp:250 ClientCommand.cpp:260 +#: ClientCommand.cpp:263 +msgctxt "listallusernetworkscmd" +msgid "Username" +msgstr "" + +#: ClientCommand.cpp:241 ClientCommand.cpp:251 ClientCommand.cpp:266 +msgctxt "listallusernetworkscmd" +msgid "Network" +msgstr "" + +#: ClientCommand.cpp:242 ClientCommand.cpp:252 ClientCommand.cpp:268 +msgctxt "listallusernetworkscmd" +msgid "Clients" +msgstr "" + +#: ClientCommand.cpp:243 ClientCommand.cpp:271 ClientCommand.cpp:280 +msgctxt "listallusernetworkscmd" +msgid "On IRC" +msgstr "" + +#: ClientCommand.cpp:244 ClientCommand.cpp:273 +msgctxt "listallusernetworkscmd" +msgid "IRC Server" +msgstr "" + +#: ClientCommand.cpp:245 ClientCommand.cpp:275 +msgctxt "listallusernetworkscmd" +msgid "IRC User" +msgstr "" + +#: ClientCommand.cpp:246 ClientCommand.cpp:277 +msgctxt "listallusernetworkscmd" +msgid "Channels" +msgstr "" + +#: ClientCommand.cpp:251 +msgid "N/A" +msgstr "" + +#: ClientCommand.cpp:272 +msgctxt "listallusernetworkscmd" +msgid "Yes" +msgstr "" + +#: ClientCommand.cpp:281 +msgctxt "listallusernetworkscmd" +msgid "No" +msgstr "" + +#: ClientCommand.cpp:291 +msgid "Usage: SetMOTD " +msgstr "" + +#: ClientCommand.cpp:294 +msgid "MOTD set to: {1}" +msgstr "" + +#: ClientCommand.cpp:300 +msgid "Usage: AddMOTD " +msgstr "" + +#: ClientCommand.cpp:303 +msgid "Added [{1}] to MOTD" +msgstr "" + +#: ClientCommand.cpp:307 +msgid "Cleared MOTD" +msgstr "" + +#: ClientCommand.cpp:329 +msgid "" +"ERROR: Writing config file to disk failed! Aborting. Use {1} FORCE to ignore." +msgstr "" + +#: ClientCommand.cpp:344 ClientCommand.cpp:797 ClientCommand.cpp:838 +msgid "You don't have any servers added." +msgstr "Non hai nessun server aggiunto." + +#: ClientCommand.cpp:355 +msgid "Server [{1}] not found" +msgstr "" + +#: ClientCommand.cpp:375 ClientCommand.cpp:380 +msgid "Connecting to {1}..." +msgstr "" + +#: ClientCommand.cpp:377 +msgid "Jumping to the next server in the list..." +msgstr "" + +#: ClientCommand.cpp:382 +msgid "Connecting..." +msgstr "" + +#: ClientCommand.cpp:400 +msgid "Disconnected from IRC. Use 'connect' to reconnect." +msgstr "" + +#: ClientCommand.cpp:412 +msgid "Usage: EnableChan <#chans>" +msgstr "" + +#: ClientCommand.cpp:426 +msgid "Enabled {1} channel" +msgid_plural "Enabled {1} channels" +msgstr[0] "" +msgstr[1] "" + +#: ClientCommand.cpp:439 +msgid "Usage: DisableChan <#chans>" +msgstr "" + +#: ClientCommand.cpp:453 +msgid "Disabled {1} channel" +msgid_plural "Disabled {1} channels" +msgstr[0] "" +msgstr[1] "" + +#: ClientCommand.cpp:470 msgid "Usage: ListChans" msgstr "Usa: ListChans" -#: ClientCommand.cpp:462 +#: ClientCommand.cpp:477 msgid "No such user [{1}]" msgstr "Nessun utente [{1}]" -#: ClientCommand.cpp:468 +#: ClientCommand.cpp:483 msgid "User [{1}] doesn't have network [{2}]" msgstr "L'utente [{1}] non ha network [{2}]" -#: ClientCommand.cpp:479 +#: ClientCommand.cpp:494 msgid "There are no channels defined." msgstr "Non ci sono canali definiti." -#: ClientCommand.cpp:484 ClientCommand.cpp:500 +#: ClientCommand.cpp:499 ClientCommand.cpp:515 msgctxt "listchans" msgid "Name" msgstr "Nome" -#: ClientCommand.cpp:485 ClientCommand.cpp:503 +#: ClientCommand.cpp:500 ClientCommand.cpp:518 msgctxt "listchans" msgid "Status" msgstr "Stato" -#: ClientCommand.cpp:486 ClientCommand.cpp:510 +#: ClientCommand.cpp:501 ClientCommand.cpp:525 msgctxt "listchans" msgid "In config" msgstr "In configurazione" -#: ClientCommand.cpp:487 ClientCommand.cpp:512 +#: ClientCommand.cpp:502 ClientCommand.cpp:527 msgctxt "listchans" msgid "Buffer" msgstr "Buffer" -#: ClientCommand.cpp:488 ClientCommand.cpp:516 +#: ClientCommand.cpp:503 ClientCommand.cpp:531 msgctxt "listchans" msgid "Clear" msgstr "Annulla" -#: ClientCommand.cpp:489 ClientCommand.cpp:521 +#: ClientCommand.cpp:504 ClientCommand.cpp:536 msgctxt "listchans" msgid "Modes" msgstr "Modi" -#: ClientCommand.cpp:490 ClientCommand.cpp:522 +#: ClientCommand.cpp:505 ClientCommand.cpp:537 msgctxt "listchans" msgid "Users" msgstr "Utenti" -#: ClientCommand.cpp:505 +#: ClientCommand.cpp:520 msgctxt "listchans" msgid "Detached" msgstr "Scollegati" -#: ClientCommand.cpp:506 +#: ClientCommand.cpp:521 msgctxt "listchans" msgid "Joined" msgstr "Dentro" -#: ClientCommand.cpp:507 +#: ClientCommand.cpp:522 msgctxt "listchans" msgid "Disabled" msgstr "Disabilitati" -#: ClientCommand.cpp:508 +#: ClientCommand.cpp:523 msgctxt "listchans" msgid "Trying" msgstr "Provando" -#: ClientCommand.cpp:511 ClientCommand.cpp:519 +#: ClientCommand.cpp:526 ClientCommand.cpp:534 msgctxt "listchans" msgid "yes" msgstr "si" -#: ClientCommand.cpp:536 +#: ClientCommand.cpp:551 msgid "Total: {1}, Joined: {2}, Detached: {3}, Disabled: {4}" msgstr "Totale: {1}, Joined: {2}, Scollegati: {3}, Disabilitati: {4}" -#: ClientCommand.cpp:541 +#: ClientCommand.cpp:556 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks using /znc DelNetwork " @@ -567,15 +730,15 @@ msgstr "" "Numero limite per network raggiunto. Chiedi ad un amministratore di " "aumentare il limite per te o elimina i networks usando /znc DelNetwork " -#: ClientCommand.cpp:550 +#: ClientCommand.cpp:565 msgid "Usage: AddNetwork " msgstr "Usa: AddNetwork " -#: ClientCommand.cpp:554 +#: ClientCommand.cpp:569 msgid "Network name should be alphanumeric" msgstr "Il nome del network deve essere alfanumerico" -#: ClientCommand.cpp:561 +#: ClientCommand.cpp:576 msgid "" "Network added. Use /znc JumpNetwork {1}, or connect to ZNC with username {2} " "(instead of just {3}) to connect to it." @@ -583,139 +746,139 @@ msgstr "" "Network aggiunto. Usa /znc JumpNetwork {1}, o connettiti allo ZNC con " "username {2} (al posto di {3}) per connetterlo." -#: ClientCommand.cpp:566 +#: ClientCommand.cpp:581 msgid "Unable to add that network" msgstr "Impossibile aggiungerge questo network" -#: ClientCommand.cpp:573 +#: ClientCommand.cpp:588 msgid "Usage: DelNetwork " msgstr "Usa: DelNetwork " -#: ClientCommand.cpp:582 +#: ClientCommand.cpp:597 msgid "Network deleted" msgstr "Network cancellato" -#: ClientCommand.cpp:585 +#: ClientCommand.cpp:600 msgid "Failed to delete network, perhaps this network doesn't exist" msgstr "Impossibile eliminare il network, forse questo network non esiste" -#: ClientCommand.cpp:595 +#: ClientCommand.cpp:610 msgid "User {1} not found" msgstr "Utente {1} non trovato" -#: ClientCommand.cpp:603 ClientCommand.cpp:611 +#: ClientCommand.cpp:618 ClientCommand.cpp:626 msgctxt "listnetworks" msgid "Network" msgstr "Rete (Network)" -#: ClientCommand.cpp:604 ClientCommand.cpp:613 ClientCommand.cpp:622 +#: ClientCommand.cpp:619 ClientCommand.cpp:628 ClientCommand.cpp:637 msgctxt "listnetworks" msgid "On IRC" msgstr "Su IRC" -#: ClientCommand.cpp:605 ClientCommand.cpp:615 +#: ClientCommand.cpp:620 ClientCommand.cpp:630 msgctxt "listnetworks" msgid "IRC Server" msgstr "Server IRC" -#: ClientCommand.cpp:606 ClientCommand.cpp:617 +#: ClientCommand.cpp:621 ClientCommand.cpp:632 msgctxt "listnetworks" msgid "IRC User" msgstr "Utente IRC" -#: ClientCommand.cpp:607 ClientCommand.cpp:619 +#: ClientCommand.cpp:622 ClientCommand.cpp:634 msgctxt "listnetworks" msgid "Channels" msgstr "Canali" -#: ClientCommand.cpp:614 +#: ClientCommand.cpp:629 msgctxt "listnetworks" msgid "Yes" msgstr "Si" -#: ClientCommand.cpp:623 +#: ClientCommand.cpp:638 msgctxt "listnetworks" msgid "No" msgstr "No" -#: ClientCommand.cpp:628 +#: ClientCommand.cpp:643 msgctxt "listnetworks" msgid "No networks" msgstr "Nessun networks" -#: ClientCommand.cpp:632 ClientCommand.cpp:936 +#: ClientCommand.cpp:647 ClientCommand.cpp:952 msgid "Access denied." msgstr "Accesso negato." -#: ClientCommand.cpp:643 +#: ClientCommand.cpp:658 msgid "Usage: MoveNetwork [new network]" msgstr "" "Usa: MoveNetwork [nuovo " "network]" -#: ClientCommand.cpp:653 +#: ClientCommand.cpp:668 msgid "Old user {1} not found." msgstr "Vecchio utente {1} non trovato." -#: ClientCommand.cpp:659 +#: ClientCommand.cpp:674 msgid "Old network {1} not found." msgstr "Vecchio network {1} non trovato." -#: ClientCommand.cpp:665 +#: ClientCommand.cpp:680 msgid "New user {1} not found." msgstr "Nuovo utente {1} non trovato." -#: ClientCommand.cpp:670 +#: ClientCommand.cpp:685 msgid "User {1} already has network {2}." msgstr "L'utente {1} ha già un network chiamato {2}." -#: ClientCommand.cpp:676 +#: ClientCommand.cpp:691 msgid "Invalid network name [{1}]" msgstr "Nome del network [{1}] non valido" -#: ClientCommand.cpp:692 +#: ClientCommand.cpp:707 msgid "Some files seem to be in {1}. You might want to move them to {2}" msgstr "Alcuni files sembrano essere in {1}. Forse dovresti spostarli in {2}" -#: ClientCommand.cpp:706 +#: ClientCommand.cpp:721 msgid "Error adding network: {1}" msgstr "Errore durante l'aggiunta del network: {1}" -#: ClientCommand.cpp:718 +#: ClientCommand.cpp:733 msgid "Success." msgstr "Completato." -#: ClientCommand.cpp:721 +#: ClientCommand.cpp:736 msgid "Copied the network to new user, but failed to delete old network" msgstr "" "Il network è stato copiato nel nuovo utente, ma non è stato possibile " "eliminare il vecchio network" -#: ClientCommand.cpp:728 +#: ClientCommand.cpp:743 msgid "No network supplied." msgstr "Nessun network fornito." -#: ClientCommand.cpp:733 +#: ClientCommand.cpp:748 msgid "You are already connected with this network." msgstr "Sei già connesso con questo network." -#: ClientCommand.cpp:739 +#: ClientCommand.cpp:754 msgid "Switched to {1}" msgstr "Passato a {1}" -#: ClientCommand.cpp:742 +#: ClientCommand.cpp:757 msgid "You don't have a network named {1}" msgstr "Non hai un network chiamato {1}" -#: ClientCommand.cpp:754 +#: ClientCommand.cpp:769 msgid "Usage: AddServer [[+]port] [pass]" msgstr "Usa: AddServer [[+]porta] [password]" -#: ClientCommand.cpp:759 +#: ClientCommand.cpp:774 msgid "Server added" msgstr "Server aggiunto" -#: ClientCommand.cpp:762 +#: ClientCommand.cpp:777 msgid "" "Unable to add that server. Perhaps the server is already added or openssl is " "disabled?" @@ -723,244 +886,240 @@ msgstr "" "Impossibile aggiungere il server. Forse il server è già aggiunto oppure " "openssl è disabilitato?" -#: ClientCommand.cpp:777 +#: ClientCommand.cpp:792 msgid "Usage: DelServer [port] [pass]" msgstr "Usa: DelServer [porta] [password]" -#: ClientCommand.cpp:782 ClientCommand.cpp:822 -msgid "You don't have any servers added." -msgstr "Non hai nessun server aggiunto." - -#: ClientCommand.cpp:787 +#: ClientCommand.cpp:802 msgid "Server removed" msgstr "Server rimosso" -#: ClientCommand.cpp:789 +#: ClientCommand.cpp:804 msgid "No such server" msgstr "Nessun server" -#: ClientCommand.cpp:802 ClientCommand.cpp:809 +#: ClientCommand.cpp:817 ClientCommand.cpp:825 msgctxt "listservers" msgid "Host" msgstr "Host" -#: ClientCommand.cpp:803 ClientCommand.cpp:811 +#: ClientCommand.cpp:818 ClientCommand.cpp:827 msgctxt "listservers" msgid "Port" msgstr "Porta" -#: ClientCommand.cpp:804 ClientCommand.cpp:814 +#: ClientCommand.cpp:819 ClientCommand.cpp:830 msgctxt "listservers" msgid "SSL" msgstr "SSL" -#: ClientCommand.cpp:805 ClientCommand.cpp:816 +#: ClientCommand.cpp:820 ClientCommand.cpp:832 msgctxt "listservers" msgid "Password" msgstr "Password" -#: ClientCommand.cpp:815 +#: ClientCommand.cpp:831 msgctxt "listservers|cell" msgid "SSL" msgstr "SSL" -#: ClientCommand.cpp:832 +#: ClientCommand.cpp:848 msgid "Usage: AddTrustedServerFingerprint " msgstr "Usa: AddTrustedServerFingerprint " -#: ClientCommand.cpp:836 ClientCommand.cpp:849 +#: ClientCommand.cpp:852 ClientCommand.cpp:865 msgid "Done." msgstr "Fatto." -#: ClientCommand.cpp:845 +#: ClientCommand.cpp:861 msgid "Usage: DelTrustedServerFingerprint " msgstr "Usa: DelTrustedServerFingerprint " -#: ClientCommand.cpp:858 +#: ClientCommand.cpp:874 msgid "No fingerprints added." msgstr "Nessun fingerprints aggiunto." -#: ClientCommand.cpp:874 ClientCommand.cpp:880 +#: ClientCommand.cpp:890 ClientCommand.cpp:896 msgctxt "topicscmd" msgid "Channel" msgstr "Canale" -#: ClientCommand.cpp:875 ClientCommand.cpp:881 +#: ClientCommand.cpp:891 ClientCommand.cpp:897 msgctxt "topicscmd" msgid "Set By" msgstr "Impostato da" -#: ClientCommand.cpp:876 ClientCommand.cpp:882 +#: ClientCommand.cpp:892 ClientCommand.cpp:898 msgctxt "topicscmd" msgid "Topic" msgstr "Topic" -#: ClientCommand.cpp:889 ClientCommand.cpp:894 +#: ClientCommand.cpp:905 ClientCommand.cpp:910 msgctxt "listmods" msgid "Name" msgstr "Nome" -#: ClientCommand.cpp:890 ClientCommand.cpp:895 +#: ClientCommand.cpp:906 ClientCommand.cpp:911 msgctxt "listmods" msgid "Arguments" msgstr "Argomenti" -#: ClientCommand.cpp:904 +#: ClientCommand.cpp:920 msgid "No global modules loaded." msgstr "Nessun modulo globale caricato." -#: ClientCommand.cpp:906 ClientCommand.cpp:970 +#: ClientCommand.cpp:922 ClientCommand.cpp:986 msgid "Global modules:" msgstr "Moduli globali:" -#: ClientCommand.cpp:915 +#: ClientCommand.cpp:931 msgid "Your user has no modules loaded." msgstr "Il tuo utente non ha moduli caricati." -#: ClientCommand.cpp:917 ClientCommand.cpp:982 +#: ClientCommand.cpp:933 ClientCommand.cpp:998 msgid "User modules:" msgstr "Moduli per l'utente:" -#: ClientCommand.cpp:925 +#: ClientCommand.cpp:941 msgid "This network has no modules loaded." msgstr "Questo network non ha moduli caricati." -#: ClientCommand.cpp:927 ClientCommand.cpp:994 +#: ClientCommand.cpp:943 ClientCommand.cpp:1010 msgid "Network modules:" msgstr "Moduli per il network:" -#: ClientCommand.cpp:942 ClientCommand.cpp:949 +#: ClientCommand.cpp:958 ClientCommand.cpp:965 msgctxt "listavailmods" msgid "Name" msgstr "Nome" -#: ClientCommand.cpp:943 ClientCommand.cpp:954 +#: ClientCommand.cpp:959 ClientCommand.cpp:970 msgctxt "listavailmods" msgid "Description" msgstr "Descrizione" -#: ClientCommand.cpp:968 +#: ClientCommand.cpp:984 msgid "No global modules available." msgstr "Nessun modulo globale disponibile." -#: ClientCommand.cpp:980 +#: ClientCommand.cpp:996 msgid "No user modules available." msgstr "Nessun modulo utente disponibile." -#: ClientCommand.cpp:992 +#: ClientCommand.cpp:1008 msgid "No network modules available." msgstr "Nessun modulo per network disponibile." -#: ClientCommand.cpp:1020 +#: ClientCommand.cpp:1036 msgid "Unable to load {1}: Access denied." msgstr "Impossibile caricare {1}: Accesso negato." -#: ClientCommand.cpp:1026 +#: ClientCommand.cpp:1042 msgid "Usage: LoadMod [--type=global|user|network] [args]" msgstr "Usa: LoadMod [--type=global|user|network] [argomenti]" -#: ClientCommand.cpp:1033 +#: ClientCommand.cpp:1049 msgid "Unable to load {1}: {2}" msgstr "Impossibile caricare {1}: {2}" -#: ClientCommand.cpp:1043 +#: ClientCommand.cpp:1059 msgid "Unable to load global module {1}: Access denied." msgstr "Impossibile caricare il modulo globale {1}: Accesso negato." -#: ClientCommand.cpp:1049 +#: ClientCommand.cpp:1065 msgid "Unable to load network module {1}: Not connected with a network." msgstr "" "Impossibile caricare il modulo di tipo network {1}: Non sei connesso ad " "alcun network." -#: ClientCommand.cpp:1071 +#: ClientCommand.cpp:1087 msgid "Unknown module type" msgstr "Tipo di modulo sconosciuto" -#: ClientCommand.cpp:1076 +#: ClientCommand.cpp:1092 msgid "Loaded module {1}" msgstr "Modulo caricato {1}" -#: ClientCommand.cpp:1078 +#: ClientCommand.cpp:1094 msgid "Loaded module {1}: {2}" msgstr "Modulo caricato {1}: {2}" -#: ClientCommand.cpp:1081 +#: ClientCommand.cpp:1097 msgid "Unable to load module {1}: {2}" msgstr "Impossibile caricare il modulo {1}: {2}" -#: ClientCommand.cpp:1104 +#: ClientCommand.cpp:1120 msgid "Unable to unload {1}: Access denied." msgstr "Impossibile scaricare {1}: Accesso negato." -#: ClientCommand.cpp:1110 +#: ClientCommand.cpp:1126 msgid "Usage: UnloadMod [--type=global|user|network] " msgstr "Usa: UnloadMod [--type=global|user|network] " -#: ClientCommand.cpp:1119 +#: ClientCommand.cpp:1135 msgid "Unable to determine type of {1}: {2}" msgstr "Impossibile determinare tipo di {1}: {2}" -#: ClientCommand.cpp:1127 +#: ClientCommand.cpp:1143 msgid "Unable to unload global module {1}: Access denied." msgstr "Impossibile rimuovere il modulo di tipo globale {1}: Accesso negato." -#: ClientCommand.cpp:1134 +#: ClientCommand.cpp:1150 msgid "Unable to unload network module {1}: Not connected with a network." msgstr "" "Impossibile rimuovere il modulo di tipo network {1}: Non sei connesso ad " "alcun network." -#: ClientCommand.cpp:1153 +#: ClientCommand.cpp:1169 msgid "Unable to unload module {1}: Unknown module type" msgstr "Impossibile rimuovere il modulo {1}: Tipo di modulo sconosciuto" -#: ClientCommand.cpp:1166 +#: ClientCommand.cpp:1182 msgid "Unable to reload modules. Access denied." msgstr "Impossibile ricaricare i moduli. Accesso negato." -#: ClientCommand.cpp:1187 +#: ClientCommand.cpp:1203 msgid "Usage: ReloadMod [--type=global|user|network] [args]" msgstr "Usa: ReloadMod [--type=global|user|network] [argomenti]" -#: ClientCommand.cpp:1196 +#: ClientCommand.cpp:1212 msgid "Unable to reload {1}: {2}" msgstr "Impossibile ricaricare {1}: {2}" -#: ClientCommand.cpp:1204 +#: ClientCommand.cpp:1220 msgid "Unable to reload global module {1}: Access denied." msgstr "Impossibile ricaricare il modulo tipo globale {1}: Accesso negato." -#: ClientCommand.cpp:1211 +#: ClientCommand.cpp:1227 msgid "Unable to reload network module {1}: Not connected with a network." msgstr "" "Impossibile ricaricare il modulo di tipo network {1}: Non sei connesso ad " "alcun network." -#: ClientCommand.cpp:1233 +#: ClientCommand.cpp:1249 msgid "Unable to reload module {1}: Unknown module type" msgstr "Impossibile ricaricare il modulo {1}: Tipo di modulo sconosciuto" -#: ClientCommand.cpp:1244 +#: ClientCommand.cpp:1260 msgid "Usage: UpdateMod " msgstr "Usa: UpdateMod " -#: ClientCommand.cpp:1248 +#: ClientCommand.cpp:1264 msgid "Reloading {1} everywhere" msgstr "Ricarica {1} ovunque" -#: ClientCommand.cpp:1250 +#: ClientCommand.cpp:1266 msgid "Done" msgstr "Fatto" -#: ClientCommand.cpp:1253 +#: ClientCommand.cpp:1269 msgid "" "Done, but there were errors, module {1} could not be reloaded everywhere." msgstr "" "Fatto, si sono verificati errori. Il modulo {1} non può essere ricaricato " "ovunque." -#: ClientCommand.cpp:1261 +#: ClientCommand.cpp:1277 msgid "" "You must be connected with a network to use this command. Try " "SetUserBindHost instead" @@ -968,27 +1127,27 @@ msgstr "" "Devi essere connesso ad un network per usare questo comando. Prova invece " "SetUserBindHost" -#: ClientCommand.cpp:1268 +#: ClientCommand.cpp:1284 msgid "Usage: SetBindHost " msgstr "Usa: SetBindHost " -#: ClientCommand.cpp:1273 ClientCommand.cpp:1290 +#: ClientCommand.cpp:1289 ClientCommand.cpp:1306 msgid "You already have this bind host!" msgstr "Hai già questo bind host!" -#: ClientCommand.cpp:1278 +#: ClientCommand.cpp:1294 msgid "Set bind host for network {1} to {2}" msgstr "Impostato il bind host per il network {1} a {2}" -#: ClientCommand.cpp:1285 +#: ClientCommand.cpp:1301 msgid "Usage: SetUserBindHost " msgstr "Usa: SetUserBindHost " -#: ClientCommand.cpp:1295 +#: ClientCommand.cpp:1311 msgid "Set default bind host to {1}" msgstr "Imposta il bind host di default a {1}" -#: ClientCommand.cpp:1301 +#: ClientCommand.cpp:1317 msgid "" "You must be connected with a network to use this command. Try " "ClearUserBindHost instead" @@ -996,81 +1155,81 @@ msgstr "" "Devi essere connesso ad un network per usare questo comando. Prova invece " "ClearUserBindHost" -#: ClientCommand.cpp:1306 +#: ClientCommand.cpp:1322 msgid "Bind host cleared for this network." msgstr "Bind host cancellato per questo network." -#: ClientCommand.cpp:1310 +#: ClientCommand.cpp:1326 msgid "Default bind host cleared for your user." msgstr "Bind host di default cancellato per questo utente." -#: ClientCommand.cpp:1313 +#: ClientCommand.cpp:1329 msgid "This user's default bind host not set" msgstr "Il bind host predefinito per questo utente non è stato configurato" -#: ClientCommand.cpp:1315 +#: ClientCommand.cpp:1331 msgid "This user's default bind host is {1}" msgstr "Il bind host predefinito per questo utente è {1}" -#: ClientCommand.cpp:1320 +#: ClientCommand.cpp:1336 msgid "This network's bind host not set" msgstr "Il bind host di questo network non è impostato" -#: ClientCommand.cpp:1322 +#: ClientCommand.cpp:1338 msgid "This network's default bind host is {1}" msgstr "Il bind host predefinito per questo network è {1}" -#: ClientCommand.cpp:1336 +#: ClientCommand.cpp:1352 msgid "Usage: PlayBuffer <#chan|query>" msgstr "Usa: PlayBuffer <#canale|query>" -#: ClientCommand.cpp:1344 +#: ClientCommand.cpp:1360 msgid "You are not on {1}" msgstr "Non sei su {1}" -#: ClientCommand.cpp:1349 +#: ClientCommand.cpp:1365 msgid "You are not on {1} (trying to join)" msgstr "Non sei su {1} (prova ad entrare)" -#: ClientCommand.cpp:1354 +#: ClientCommand.cpp:1370 msgid "The buffer for channel {1} is empty" msgstr "Il buffer del canale {1} è vuoto" -#: ClientCommand.cpp:1363 +#: ClientCommand.cpp:1379 msgid "No active query with {1}" msgstr "Nessuna query attiva per {1}" -#: ClientCommand.cpp:1368 +#: ClientCommand.cpp:1384 msgid "The buffer for {1} is empty" msgstr "Il buffer per {1} è vuoto" -#: ClientCommand.cpp:1384 +#: ClientCommand.cpp:1400 msgid "Usage: ClearBuffer <#chan|query>" msgstr "Usa: ClearBuffer <#canale|query>" -#: ClientCommand.cpp:1403 +#: ClientCommand.cpp:1419 msgid "{1} buffer matching {2} has been cleared" msgid_plural "{1} buffers matching {2} have been cleared" msgstr[0] "{1} corrispondenza del buffer {2} è stato cancellata" msgstr[1] "{1} corrispondenze del buffers {2} sono state cancellate" -#: ClientCommand.cpp:1416 +#: ClientCommand.cpp:1432 msgid "All channel buffers have been cleared" msgstr "I buffers di tutti i canali sono stati cancellati" -#: ClientCommand.cpp:1425 +#: ClientCommand.cpp:1441 msgid "All query buffers have been cleared" msgstr "I buffers di tutte le query sono state cancellate" -#: ClientCommand.cpp:1437 +#: ClientCommand.cpp:1453 msgid "All buffers have been cleared" msgstr "Tutti i buffers sono stati cancellati" -#: ClientCommand.cpp:1448 +#: ClientCommand.cpp:1464 msgid "Usage: SetBuffer <#chan|query> [linecount]" msgstr "Usa: SetBuffer <#canale|query> [numero linee]" -#: ClientCommand.cpp:1469 +#: ClientCommand.cpp:1485 msgid "Setting buffer size failed for {1} buffer" msgid_plural "Setting buffer size failed for {1} buffers" msgstr[0] "" @@ -1078,177 +1237,177 @@ msgstr[0] "" msgstr[1] "" "Impostazione della dimensione del buffer non riuscita per i buffers {1}" -#: ClientCommand.cpp:1472 +#: ClientCommand.cpp:1488 msgid "Maximum buffer size is {1} line" msgid_plural "Maximum buffer size is {1} lines" msgstr[0] "La dimensione massima del buffer è {1} linea" msgstr[1] "La dimensione massima del buffer è {1} linee" -#: ClientCommand.cpp:1477 +#: ClientCommand.cpp:1493 msgid "Size of every buffer was set to {1} line" msgid_plural "Size of every buffer was set to {1} lines" msgstr[0] "La dimensione di tutti i buffer è stata impostata a {1} linea" msgstr[1] "La dimensione di tutti i buffer è stata impostata a {1} linee" -#: ClientCommand.cpp:1487 ClientCommand.cpp:1494 ClientCommand.cpp:1505 -#: ClientCommand.cpp:1514 ClientCommand.cpp:1522 +#: ClientCommand.cpp:1503 ClientCommand.cpp:1510 ClientCommand.cpp:1521 +#: ClientCommand.cpp:1530 ClientCommand.cpp:1538 msgctxt "trafficcmd" msgid "Username" msgstr "Nome Utente" -#: ClientCommand.cpp:1488 ClientCommand.cpp:1495 ClientCommand.cpp:1507 -#: ClientCommand.cpp:1516 ClientCommand.cpp:1524 +#: ClientCommand.cpp:1504 ClientCommand.cpp:1511 ClientCommand.cpp:1523 +#: ClientCommand.cpp:1532 ClientCommand.cpp:1540 msgctxt "trafficcmd" msgid "In" msgstr "Dentro (In)" -#: ClientCommand.cpp:1489 ClientCommand.cpp:1497 ClientCommand.cpp:1508 -#: ClientCommand.cpp:1517 ClientCommand.cpp:1525 +#: ClientCommand.cpp:1505 ClientCommand.cpp:1513 ClientCommand.cpp:1524 +#: ClientCommand.cpp:1533 ClientCommand.cpp:1541 msgctxt "trafficcmd" msgid "Out" msgstr "Fuori (Out)" -#: ClientCommand.cpp:1490 ClientCommand.cpp:1500 ClientCommand.cpp:1510 -#: ClientCommand.cpp:1518 ClientCommand.cpp:1527 +#: ClientCommand.cpp:1506 ClientCommand.cpp:1516 ClientCommand.cpp:1526 +#: ClientCommand.cpp:1534 ClientCommand.cpp:1543 msgctxt "trafficcmd" msgid "Total" msgstr "Totale" -#: ClientCommand.cpp:1506 +#: ClientCommand.cpp:1522 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1515 +#: ClientCommand.cpp:1531 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1523 +#: ClientCommand.cpp:1539 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1532 +#: ClientCommand.cpp:1548 msgid "Running for {1}" msgstr "Opertivo da {1}" -#: ClientCommand.cpp:1538 +#: ClientCommand.cpp:1554 msgid "Unknown command, try 'Help'" msgstr "Comando sconosciuto, prova 'Help'" -#: ClientCommand.cpp:1547 ClientCommand.cpp:1558 +#: ClientCommand.cpp:1563 ClientCommand.cpp:1574 msgctxt "listports" msgid "Port" msgstr "Porta" -#: ClientCommand.cpp:1548 ClientCommand.cpp:1559 +#: ClientCommand.cpp:1564 ClientCommand.cpp:1577 msgctxt "listports" msgid "BindHost" msgstr "BindHost" -#: ClientCommand.cpp:1549 ClientCommand.cpp:1562 +#: ClientCommand.cpp:1565 ClientCommand.cpp:1580 msgctxt "listports" msgid "SSL" msgstr "SSL" -#: ClientCommand.cpp:1550 ClientCommand.cpp:1567 +#: ClientCommand.cpp:1566 ClientCommand.cpp:1585 msgctxt "listports" msgid "Protocol" msgstr "Protocollo" -#: ClientCommand.cpp:1551 ClientCommand.cpp:1574 +#: ClientCommand.cpp:1567 ClientCommand.cpp:1592 msgctxt "listports" msgid "IRC" msgstr "IRC" -#: ClientCommand.cpp:1552 ClientCommand.cpp:1579 +#: ClientCommand.cpp:1568 ClientCommand.cpp:1597 msgctxt "listports" msgid "Web" msgstr "Web" -#: ClientCommand.cpp:1563 +#: ClientCommand.cpp:1581 msgctxt "listports|ssl" msgid "yes" msgstr "si" -#: ClientCommand.cpp:1564 +#: ClientCommand.cpp:1582 msgctxt "listports|ssl" msgid "no" msgstr "no" -#: ClientCommand.cpp:1568 +#: ClientCommand.cpp:1586 msgctxt "listports" msgid "IPv4 and IPv6" msgstr "IPv4 e IPv6" -#: ClientCommand.cpp:1570 +#: ClientCommand.cpp:1588 msgctxt "listports" msgid "IPv4" msgstr "IPv4" -#: ClientCommand.cpp:1571 +#: ClientCommand.cpp:1589 msgctxt "listports" msgid "IPv6" msgstr "IPv6" -#: ClientCommand.cpp:1577 +#: ClientCommand.cpp:1595 msgctxt "listports|irc" msgid "yes" msgstr "si" -#: ClientCommand.cpp:1578 +#: ClientCommand.cpp:1596 msgctxt "listports|irc" msgid "no" msgstr "no" -#: ClientCommand.cpp:1582 +#: ClientCommand.cpp:1600 msgctxt "listports|irc" msgid "yes, on {1}" msgstr "si, su {1}" -#: ClientCommand.cpp:1584 +#: ClientCommand.cpp:1602 msgctxt "listports|web" msgid "no" msgstr "no" -#: ClientCommand.cpp:1624 +#: ClientCommand.cpp:1642 msgid "" "Usage: AddPort <[+]port> [bindhost [uriprefix]]" msgstr "" "Usa: AddPort <[+]porta> [bindhost [uriprefix]]" -#: ClientCommand.cpp:1640 +#: ClientCommand.cpp:1658 msgid "Port added" msgstr "Porta aggiunta" -#: ClientCommand.cpp:1642 +#: ClientCommand.cpp:1660 msgid "Couldn't add port" msgstr "Impossibile aggiungere la porta" -#: ClientCommand.cpp:1648 +#: ClientCommand.cpp:1666 msgid "Usage: DelPort [bindhost]" msgstr "Usa: DelPort [bindhost]" -#: ClientCommand.cpp:1657 +#: ClientCommand.cpp:1675 msgid "Deleted Port" msgstr "Porta eliminata" -#: ClientCommand.cpp:1659 +#: ClientCommand.cpp:1677 msgid "Unable to find a matching port" msgstr "Impossibile trovare una porta corrispondente" -#: ClientCommand.cpp:1667 ClientCommand.cpp:1682 +#: ClientCommand.cpp:1685 ClientCommand.cpp:1700 msgctxt "helpcmd" msgid "Command" msgstr "Comando" -#: ClientCommand.cpp:1668 ClientCommand.cpp:1684 +#: ClientCommand.cpp:1686 ClientCommand.cpp:1702 msgctxt "helpcmd" msgid "Description" msgstr "Descrizione" -#: ClientCommand.cpp:1673 +#: ClientCommand.cpp:1691 msgid "" "In the following list all occurrences of <#chan> support wildcards (* and ?) " "except ListNicks" @@ -1256,87 +1415,87 @@ msgstr "" "Nella seguente lista tutte le occorrenze di <#canale> supportano le " "wildcards (* e ?) eccetto ListNicks" -#: ClientCommand.cpp:1690 +#: ClientCommand.cpp:1708 msgctxt "helpcmd|Version|desc" msgid "Print which version of ZNC this is" msgstr "Mostra la versione di questo ZNC" -#: ClientCommand.cpp:1693 +#: ClientCommand.cpp:1711 msgctxt "helpcmd|ListMods|desc" msgid "List all loaded modules" msgstr "Elenca tutti i moduli caricati" -#: ClientCommand.cpp:1696 +#: ClientCommand.cpp:1714 msgctxt "helpcmd|ListAvailMods|desc" msgid "List all available modules" msgstr "Elenca tutti i moduli disponibili" -#: ClientCommand.cpp:1700 ClientCommand.cpp:1886 +#: ClientCommand.cpp:1718 ClientCommand.cpp:1904 msgctxt "helpcmd|ListChans|desc" msgid "List all channels" msgstr "Elenca tutti i canali" -#: ClientCommand.cpp:1703 +#: ClientCommand.cpp:1721 msgctxt "helpcmd|ListNicks|args" msgid "<#chan>" msgstr "<#canale>" -#: ClientCommand.cpp:1704 +#: ClientCommand.cpp:1722 msgctxt "helpcmd|ListNicks|desc" msgid "List all nicks on a channel" msgstr "Elenca tutti i nickname su un canale" -#: ClientCommand.cpp:1707 +#: ClientCommand.cpp:1725 msgctxt "helpcmd|ListClients|desc" msgid "List all clients connected to your ZNC user" msgstr "Elenca tutti i client connessi al tuo utente ZNC" -#: ClientCommand.cpp:1711 +#: ClientCommand.cpp:1729 msgctxt "helpcmd|ListServers|desc" msgid "List all servers of current IRC network" msgstr "Elenca tutti i servers del network IRC corrente" -#: ClientCommand.cpp:1715 +#: ClientCommand.cpp:1733 msgctxt "helpcmd|AddNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1716 +#: ClientCommand.cpp:1734 msgctxt "helpcmd|AddNetwork|desc" msgid "Add a network to your user" msgstr "Aggiungi un network al tuo account" -#: ClientCommand.cpp:1718 +#: ClientCommand.cpp:1736 msgctxt "helpcmd|DelNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1719 +#: ClientCommand.cpp:1737 msgctxt "helpcmd|DelNetwork|desc" msgid "Delete a network from your user" msgstr "Elimina un network dal tuo utente" -#: ClientCommand.cpp:1721 +#: ClientCommand.cpp:1739 msgctxt "helpcmd|ListNetworks|desc" msgid "List all networks" msgstr "Elenca tutti i networks" -#: ClientCommand.cpp:1724 +#: ClientCommand.cpp:1742 msgctxt "helpcmd|MoveNetwork|args" msgid " [new network]" msgstr " [nuovo network]" -#: ClientCommand.cpp:1726 +#: ClientCommand.cpp:1744 msgctxt "helpcmd|MoveNetwork|desc" msgid "Move an IRC network from one user to another" msgstr "Sposta un network IRC da un utente ad un altro" -#: ClientCommand.cpp:1730 +#: ClientCommand.cpp:1748 msgctxt "helpcmd|JumpNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1731 +#: ClientCommand.cpp:1749 msgctxt "helpcmd|JumpNetwork|desc" msgid "" "Jump to another network (Alternatively, you can connect to ZNC several " @@ -1345,12 +1504,12 @@ msgstr "" "Passa ad un altro network (Alternativamente, puoi connetterti più volte allo " "ZNC, usando `user/network` come username)" -#: ClientCommand.cpp:1736 +#: ClientCommand.cpp:1754 msgctxt "helpcmd|AddServer|args" msgid " [[+]port] [pass]" msgstr " [[+]porta] [password]" -#: ClientCommand.cpp:1737 +#: ClientCommand.cpp:1755 msgctxt "helpcmd|AddServer|desc" msgid "" "Add a server to the list of alternate/backup servers of current IRC network." @@ -1358,12 +1517,12 @@ msgstr "" "Aggiunge un server all'elenco server alternativi/backup del network IRC " "corrente." -#: ClientCommand.cpp:1741 +#: ClientCommand.cpp:1759 msgctxt "helpcmd|DelServer|args" msgid " [port] [pass]" msgstr " [porta] [password]" -#: ClientCommand.cpp:1742 +#: ClientCommand.cpp:1760 msgctxt "helpcmd|DelServer|desc" msgid "" "Remove a server from the list of alternate/backup servers of current IRC " @@ -1372,12 +1531,12 @@ msgstr "" "Rimuove un server all'elenco server alternativi/backup dell'IRC network " "corrente" -#: ClientCommand.cpp:1748 +#: ClientCommand.cpp:1766 msgctxt "helpcmd|AddTrustedServerFingerprint|args" msgid "" msgstr "" -#: ClientCommand.cpp:1749 +#: ClientCommand.cpp:1767 msgctxt "helpcmd|AddTrustedServerFingerprint|desc" msgid "" "Add a trusted server SSL certificate fingerprint (SHA-256) to current IRC " @@ -1386,340 +1545,340 @@ msgstr "" "Aggiunge un'impronta digitale attendibile del certificato SSL del server " "(SHA-256) al network IRC corrente." -#: ClientCommand.cpp:1754 +#: ClientCommand.cpp:1772 msgctxt "helpcmd|DelTrustedServerFingerprint|args" msgid "" msgstr "" -#: ClientCommand.cpp:1755 +#: ClientCommand.cpp:1773 msgctxt "helpcmd|DelTrustedServerFingerprint|desc" msgid "Delete a trusted server SSL certificate from current IRC network." msgstr "Elimina un certificato SSL attendibile dal network IRC corrente." -#: ClientCommand.cpp:1759 +#: ClientCommand.cpp:1777 msgctxt "helpcmd|ListTrustedServerFingerprints|desc" msgid "List all trusted server SSL certificates of current IRC network." msgstr "" "Elenca tutti i certificati SSL fidati del server per il corrente network IRC." -#: ClientCommand.cpp:1762 +#: ClientCommand.cpp:1780 msgctxt "helpcmd|EnableChan|args" msgid "<#chans>" msgstr "<#canali>" -#: ClientCommand.cpp:1763 +#: ClientCommand.cpp:1781 msgctxt "helpcmd|EnableChan|desc" msgid "Enable channels" msgstr "Abilita canali" -#: ClientCommand.cpp:1764 +#: ClientCommand.cpp:1782 msgctxt "helpcmd|DisableChan|args" msgid "<#chans>" msgstr "<#canali>" -#: ClientCommand.cpp:1765 +#: ClientCommand.cpp:1783 msgctxt "helpcmd|DisableChan|desc" msgid "Disable channels" msgstr "Disabilita canali" -#: ClientCommand.cpp:1766 +#: ClientCommand.cpp:1784 msgctxt "helpcmd|Attach|args" msgid "<#chans>" msgstr "<#canali>" -#: ClientCommand.cpp:1767 +#: ClientCommand.cpp:1785 msgctxt "helpcmd|Attach|desc" msgid "Attach to channels" msgstr "Ricollega ai canali (attach)" -#: ClientCommand.cpp:1768 +#: ClientCommand.cpp:1786 msgctxt "helpcmd|Detach|args" msgid "<#chans>" msgstr "<#canali>" -#: ClientCommand.cpp:1769 +#: ClientCommand.cpp:1787 msgctxt "helpcmd|Detach|desc" msgid "Detach from channels" msgstr "Scollega dai cananli (detach)" -#: ClientCommand.cpp:1772 +#: ClientCommand.cpp:1790 msgctxt "helpcmd|Topics|desc" msgid "Show topics in all your channels" msgstr "Mostra i topics di tutti i tuoi canali" -#: ClientCommand.cpp:1775 +#: ClientCommand.cpp:1793 msgctxt "helpcmd|PlayBuffer|args" msgid "<#chan|query>" msgstr "<#canale|query>" -#: ClientCommand.cpp:1776 +#: ClientCommand.cpp:1794 msgctxt "helpcmd|PlayBuffer|desc" msgid "Play back the specified buffer" msgstr "Riproduce il buffer specificato" -#: ClientCommand.cpp:1778 +#: ClientCommand.cpp:1796 msgctxt "helpcmd|ClearBuffer|args" msgid "<#chan|query>" msgstr "<#canale|query>" -#: ClientCommand.cpp:1779 +#: ClientCommand.cpp:1797 msgctxt "helpcmd|ClearBuffer|desc" msgid "Clear the specified buffer" msgstr "Cancella il buffer specificato" -#: ClientCommand.cpp:1781 +#: ClientCommand.cpp:1799 msgctxt "helpcmd|ClearAllBuffers|desc" msgid "Clear all channel and query buffers" msgstr "Cancella il buffers da tutti i canali e tute le query" -#: ClientCommand.cpp:1784 +#: ClientCommand.cpp:1802 msgctxt "helpcmd|ClearAllChannelBuffers|desc" msgid "Clear the channel buffers" msgstr "Cancella il buffer del canale" -#: ClientCommand.cpp:1788 +#: ClientCommand.cpp:1806 msgctxt "helpcmd|ClearAllQueryBuffers|desc" msgid "Clear the query buffers" msgstr "Cancella il buffer della query" -#: ClientCommand.cpp:1790 +#: ClientCommand.cpp:1808 msgctxt "helpcmd|SetBuffer|args" msgid "<#chan|query> [linecount]" msgstr "<#canale|query> [linecount]" -#: ClientCommand.cpp:1791 +#: ClientCommand.cpp:1809 msgctxt "helpcmd|SetBuffer|desc" msgid "Set the buffer count" msgstr "Imposta il conteggio del buffer" -#: ClientCommand.cpp:1795 +#: ClientCommand.cpp:1813 msgctxt "helpcmd|SetBindHost|args" msgid "" msgstr "" -#: ClientCommand.cpp:1796 +#: ClientCommand.cpp:1814 msgctxt "helpcmd|SetBindHost|desc" msgid "Set the bind host for this network" msgstr "Imposta il bind host per questo network" -#: ClientCommand.cpp:1800 +#: ClientCommand.cpp:1818 msgctxt "helpcmd|SetUserBindHost|args" msgid "" msgstr "" -#: ClientCommand.cpp:1801 +#: ClientCommand.cpp:1819 msgctxt "helpcmd|SetUserBindHost|desc" msgid "Set the default bind host for this user" msgstr "Imposta il bind host di default per questo utente" -#: ClientCommand.cpp:1804 +#: ClientCommand.cpp:1822 msgctxt "helpcmd|ClearBindHost|desc" msgid "Clear the bind host for this network" msgstr "Cancella il bind host per questo network" -#: ClientCommand.cpp:1807 +#: ClientCommand.cpp:1825 msgctxt "helpcmd|ClearUserBindHost|desc" msgid "Clear the default bind host for this user" msgstr "Cancella il bind host di default per questo utente" -#: ClientCommand.cpp:1813 +#: ClientCommand.cpp:1831 msgctxt "helpcmd|ShowBindHost|desc" msgid "Show currently selected bind host" msgstr "Mostra il bind host attualmente selezionato" -#: ClientCommand.cpp:1815 +#: ClientCommand.cpp:1833 msgctxt "helpcmd|Jump|args" msgid "[server]" msgstr "[server]" -#: ClientCommand.cpp:1816 +#: ClientCommand.cpp:1834 msgctxt "helpcmd|Jump|desc" msgid "Jump to the next or the specified server" msgstr "Passa al server successivo o a quello indicato" -#: ClientCommand.cpp:1817 +#: ClientCommand.cpp:1835 msgctxt "helpcmd|Disconnect|args" msgid "[message]" msgstr "[messaggio]" -#: ClientCommand.cpp:1818 +#: ClientCommand.cpp:1836 msgctxt "helpcmd|Disconnect|desc" msgid "Disconnect from IRC" msgstr "Disconnetti da IRC" -#: ClientCommand.cpp:1820 +#: ClientCommand.cpp:1838 msgctxt "helpcmd|Connect|desc" msgid "Reconnect to IRC" msgstr "Riconnette ad IRC" -#: ClientCommand.cpp:1823 +#: ClientCommand.cpp:1841 msgctxt "helpcmd|Uptime|desc" msgid "Show for how long ZNC has been running" msgstr "Mostra da quanto tempo lo ZNC è in esecuzione" -#: ClientCommand.cpp:1827 +#: ClientCommand.cpp:1845 msgctxt "helpcmd|LoadMod|args" msgid "[--type=global|user|network] [args]" msgstr "[--type=global|user|network] [argomenti]" -#: ClientCommand.cpp:1829 +#: ClientCommand.cpp:1847 msgctxt "helpcmd|LoadMod|desc" msgid "Load a module" msgstr "Carica un modulo" -#: ClientCommand.cpp:1831 +#: ClientCommand.cpp:1849 msgctxt "helpcmd|UnloadMod|args" msgid "[--type=global|user|network] " msgstr "[--type=global|user|network] " -#: ClientCommand.cpp:1833 +#: ClientCommand.cpp:1851 msgctxt "helpcmd|UnloadMod|desc" msgid "Unload a module" msgstr "Scarica un modulo" -#: ClientCommand.cpp:1835 +#: ClientCommand.cpp:1853 msgctxt "helpcmd|ReloadMod|args" msgid "[--type=global|user|network] [args]" msgstr "[--type=global|user|network] [argomenti]" -#: ClientCommand.cpp:1837 +#: ClientCommand.cpp:1855 msgctxt "helpcmd|ReloadMod|desc" msgid "Reload a module" msgstr "Ricarica un modulo" -#: ClientCommand.cpp:1840 +#: ClientCommand.cpp:1858 msgctxt "helpcmd|UpdateMod|args" msgid "" msgstr "" -#: ClientCommand.cpp:1841 +#: ClientCommand.cpp:1859 msgctxt "helpcmd|UpdateMod|desc" msgid "Reload a module everywhere" msgstr "Ricarica un modulo ovunque" -#: ClientCommand.cpp:1847 +#: ClientCommand.cpp:1865 msgctxt "helpcmd|ShowMOTD|desc" msgid "Show ZNC's message of the day" msgstr "Mostra il messaggio del giorno dello ZNC's" -#: ClientCommand.cpp:1851 +#: ClientCommand.cpp:1869 msgctxt "helpcmd|SetMOTD|args" msgid "" msgstr "" -#: ClientCommand.cpp:1852 +#: ClientCommand.cpp:1870 msgctxt "helpcmd|SetMOTD|desc" msgid "Set ZNC's message of the day" msgstr "Imposta il messaggio del giorno dello ZNC's" -#: ClientCommand.cpp:1854 +#: ClientCommand.cpp:1872 msgctxt "helpcmd|AddMOTD|args" msgid "" msgstr "" -#: ClientCommand.cpp:1855 +#: ClientCommand.cpp:1873 msgctxt "helpcmd|AddMOTD|desc" msgid "Append to ZNC's MOTD" msgstr "Aggiungi al MOTD dello ZNC's" -#: ClientCommand.cpp:1857 +#: ClientCommand.cpp:1875 msgctxt "helpcmd|ClearMOTD|desc" msgid "Clear ZNC's MOTD" msgstr "Cancella il MOTD dello ZNC's" -#: ClientCommand.cpp:1860 +#: ClientCommand.cpp:1878 msgctxt "helpcmd|ListPorts|desc" msgid "Show all active listeners" msgstr "Mostra tutti gli ascoltatori attivi" -#: ClientCommand.cpp:1862 +#: ClientCommand.cpp:1880 msgctxt "helpcmd|AddPort|args" msgid "<[+]port> [bindhost [uriprefix]]" msgstr "<[+]porta> [bindhost [uriprefix]]" -#: ClientCommand.cpp:1865 +#: ClientCommand.cpp:1883 msgctxt "helpcmd|AddPort|desc" msgid "Add another port for ZNC to listen on" msgstr "Aggiunge un'altra porta di ascolto allo ZNC" -#: ClientCommand.cpp:1869 +#: ClientCommand.cpp:1887 msgctxt "helpcmd|DelPort|args" msgid " [bindhost]" msgstr " [bindhost]" -#: ClientCommand.cpp:1870 +#: ClientCommand.cpp:1888 msgctxt "helpcmd|DelPort|desc" msgid "Remove a port from ZNC" msgstr "Rimuove una porta dallo ZNC" -#: ClientCommand.cpp:1873 +#: ClientCommand.cpp:1891 msgctxt "helpcmd|Rehash|desc" msgid "Reload global settings, modules, and listeners from znc.conf" msgstr "" "Ricarica le impostazioni globali, i moduli e le porte di ascolto dallo znc." "conf" -#: ClientCommand.cpp:1876 +#: ClientCommand.cpp:1894 msgctxt "helpcmd|SaveConfig|desc" msgid "Save the current settings to disk" msgstr "Salve le impostazioni correnti sul disco" -#: ClientCommand.cpp:1879 +#: ClientCommand.cpp:1897 msgctxt "helpcmd|ListUsers|desc" msgid "List all ZNC users and their connection status" msgstr "Elenca tutti gli utenti dello ZNC e lo stato della loro connessione" -#: ClientCommand.cpp:1882 +#: ClientCommand.cpp:1900 msgctxt "helpcmd|ListAllUserNetworks|desc" msgid "List all ZNC users and their networks" msgstr "Elenca tutti gli utenti dello ZNC ed i loro networks" -#: ClientCommand.cpp:1885 +#: ClientCommand.cpp:1903 msgctxt "helpcmd|ListChans|args" msgid "[user ]" msgstr "[utente ]" -#: ClientCommand.cpp:1888 +#: ClientCommand.cpp:1906 msgctxt "helpcmd|ListClients|args" msgid "[user]" msgstr "[utente]" -#: ClientCommand.cpp:1889 +#: ClientCommand.cpp:1907 msgctxt "helpcmd|ListClients|desc" msgid "List all connected clients" msgstr "Elenca tutti i client connessi" -#: ClientCommand.cpp:1891 +#: ClientCommand.cpp:1909 msgctxt "helpcmd|Traffic|desc" msgid "Show basic traffic stats for all ZNC users" msgstr "Mostra le statistiche base sul traffico di tutti gli utenti dello ZNC" -#: ClientCommand.cpp:1893 +#: ClientCommand.cpp:1911 msgctxt "helpcmd|Broadcast|args" msgid "[message]" msgstr "[messaggio]" -#: ClientCommand.cpp:1894 +#: ClientCommand.cpp:1912 msgctxt "helpcmd|Broadcast|desc" msgid "Broadcast a message to all ZNC users" msgstr "Trasmetti un messaggio a tutti gli utenti dello ZNC" -#: ClientCommand.cpp:1897 +#: ClientCommand.cpp:1915 msgctxt "helpcmd|Shutdown|args" msgid "[message]" msgstr "[messaggio]" -#: ClientCommand.cpp:1898 +#: ClientCommand.cpp:1916 msgctxt "helpcmd|Shutdown|desc" msgid "Shut down ZNC completely" msgstr "Spegni completamente lo ZNC" -#: ClientCommand.cpp:1899 +#: ClientCommand.cpp:1917 msgctxt "helpcmd|Restart|args" msgid "[message]" msgstr "[messaggio]" -#: ClientCommand.cpp:1900 +#: ClientCommand.cpp:1918 msgctxt "helpcmd|Restart|desc" msgid "Restart ZNC" msgstr "Riavvia lo ZNC" diff --git a/src/po/znc.nl_NL.po b/src/po/znc.nl_NL.po index 4125b603..fbd8a166 100644 --- a/src/po/znc.nl_NL.po +++ b/src/po/znc.nl_NL.po @@ -74,7 +74,7 @@ msgstr "Kan PEM bestand niet vinden: {1}" msgid "Invalid port" msgstr "Ongeldige poort" -#: znc.cpp:1813 ClientCommand.cpp:1637 +#: znc.cpp:1813 ClientCommand.cpp:1655 msgid "Unable to bind: {1}" msgstr "Kan niet binden: {1}" @@ -119,72 +119,72 @@ msgstr "" msgid "Some module aborted the connection attempt" msgstr "Een module heeft de verbindingspoging afgebroken" -#: IRCSock.cpp:490 +#: IRCSock.cpp:492 msgid "Error from server: {1}" msgstr "Fout van server: {1}" -#: IRCSock.cpp:692 +#: IRCSock.cpp:694 msgid "ZNC seems to be connected to itself, disconnecting..." msgstr "" "ZNC blijkt verbonden te zijn met zichzelf... De verbinding zal verbroken " "worden..." -#: IRCSock.cpp:739 +#: IRCSock.cpp:741 msgid "Server {1} redirects us to {2}:{3} with reason: {4}" msgstr "Server {1} stuurt ons door naar {2}:{3} met reden: {4}" -#: IRCSock.cpp:743 +#: IRCSock.cpp:745 msgid "Perhaps you want to add it as a new server." msgstr "Misschien wil je het toevoegen als nieuwe server." -#: IRCSock.cpp:973 +#: IRCSock.cpp:975 msgid "Channel {1} is linked to another channel and was thus disabled." msgstr "" "Kanaal {1} is verbonden naar een andere kanaal en is daarom uitgeschakeld." -#: IRCSock.cpp:985 +#: IRCSock.cpp:987 msgid "Switched to SSL (STARTTLS)" msgstr "Omgeschakeld naar een veilige verbinding (STARTTLS)" -#: IRCSock.cpp:1038 +#: IRCSock.cpp:1040 msgid "You quit: {1}" msgstr "Je hebt het netwerk verlaten: {1}" -#: IRCSock.cpp:1244 +#: IRCSock.cpp:1246 msgid "Disconnected from IRC. Reconnecting..." msgstr "Verbinding met IRC verbroken. We proberen opnieuw te verbinden..." -#: IRCSock.cpp:1275 +#: IRCSock.cpp:1277 msgid "Cannot connect to IRC ({1}). Retrying..." msgstr "Kan niet verbinden met IRC ({1}). We proberen opnieuw te verbinden..." -#: IRCSock.cpp:1278 +#: IRCSock.cpp:1280 msgid "Disconnected from IRC ({1}). Reconnecting..." msgstr "" "Verbinding met IRC verbroken ({1}). We proberen opnieuw te verbinden..." -#: IRCSock.cpp:1314 +#: IRCSock.cpp:1316 msgid "If you trust this certificate, do /znc AddTrustedServerFingerprint {1}" msgstr "" "Als je dit certificaat vertrouwt, doe: /znc AddTrustedServerFingerprint {1}" -#: IRCSock.cpp:1323 +#: IRCSock.cpp:1325 msgid "IRC connection timed out. Reconnecting..." msgstr "IRC verbinding time-out. We proberen opnieuw te verbinden..." -#: IRCSock.cpp:1335 +#: IRCSock.cpp:1337 msgid "Connection Refused. Reconnecting..." msgstr "Verbinding geweigerd. We proberen opnieuw te verbinden..." -#: IRCSock.cpp:1343 +#: IRCSock.cpp:1345 msgid "Received a too long line from the IRC server!" msgstr "Een te lange regel ontvangen van de IRC server!" -#: IRCSock.cpp:1447 +#: IRCSock.cpp:1449 msgid "No free nick available" msgstr "Geen beschikbare bijnaam" -#: IRCSock.cpp:1455 +#: IRCSock.cpp:1457 msgid "No free nick found" msgstr "Geen beschikbare bijnaam gevonden" @@ -248,49 +248,50 @@ msgstr "" "Je verbinding wordt verbroken omdat een andere gebruiker zich net aangemeld " "heeft als jou." -#: Client.cpp:1021 +#: Client.cpp:1022 msgid "Your CTCP to {1} got lost, you are not connected to IRC!" msgstr "Je CTCP naar {1} is verloren geraakt, je bent niet verbonden met IRC!" -#: Client.cpp:1147 +#: Client.cpp:1148 msgid "Your notice to {1} got lost, you are not connected to IRC!" msgstr "" "Je notice naar {1} is verloren geraakt, je bent niet verbonden met IRC!" -#: Client.cpp:1186 +#: Client.cpp:1187 msgid "Removing channel {1}" msgstr "Kanaal verwijderen: {1}" -#: Client.cpp:1264 +#: Client.cpp:1265 msgid "Your message to {1} got lost, you are not connected to IRC!" msgstr "" "Je bericht naar {1} is verloren geraakt, je bent niet verbonden met IRC!" -#: Client.cpp:1317 Client.cpp:1323 +#: Client.cpp:1318 Client.cpp:1324 msgid "Hello. How may I help you?" msgstr "Hallo. Hoe kan ik je helpen?" -#: Client.cpp:1337 +#: Client.cpp:1338 msgid "Usage: /attach <#chans>" msgstr "Gebruik: /attach <#kanalen>" -#: Client.cpp:1344 Client.cpp:1366 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: Client.cpp:1345 Client.cpp:1367 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: ClientCommand.cpp:423 ClientCommand.cpp:450 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" msgstr[0] "Er was {1} kanaal overeenkomend met [{2}]" msgstr[1] "Er waren {1} kanalen overeenkomend met [{2}]" -#: Client.cpp:1347 ClientCommand.cpp:132 +#: Client.cpp:1348 ClientCommand.cpp:132 msgid "Attached {1} channel" msgid_plural "Attached {1} channels" msgstr[0] "Gekoppeld aan {1} kanaal" msgstr[1] "Gekoppeld aan {1} kanalen" -#: Client.cpp:1359 +#: Client.cpp:1360 msgid "Usage: /detach <#chans>" msgstr "Gebruik: /detach <#kanalen>" -#: Client.cpp:1369 ClientCommand.cpp:154 +#: Client.cpp:1370 ClientCommand.cpp:154 msgid "Detached {1} channel" msgid_plural "Detached {1} channels" msgstr[0] "Losgekoppeld van {1} kanaal" @@ -314,7 +315,7 @@ msgctxt "modhelpcmd" msgid "Generate this output" msgstr "Genereer deze output" -#: Modules.cpp:573 ClientCommand.cpp:1904 +#: Modules.cpp:573 ClientCommand.cpp:1922 msgid "No matches for '{1}'" msgstr "Geen overeenkomsten voor '{1}'" @@ -425,11 +426,12 @@ msgid "Description" msgstr "Beschrijving" #: ClientCommand.cpp:51 ClientCommand.cpp:115 ClientCommand.cpp:137 -#: ClientCommand.cpp:749 ClientCommand.cpp:768 ClientCommand.cpp:794 -#: ClientCommand.cpp:827 ClientCommand.cpp:840 ClientCommand.cpp:853 -#: ClientCommand.cpp:868 ClientCommand.cpp:1329 ClientCommand.cpp:1377 -#: ClientCommand.cpp:1409 ClientCommand.cpp:1420 ClientCommand.cpp:1429 -#: ClientCommand.cpp:1441 +#: ClientCommand.cpp:339 ClientCommand.cpp:390 ClientCommand.cpp:405 +#: ClientCommand.cpp:432 ClientCommand.cpp:459 ClientCommand.cpp:764 +#: ClientCommand.cpp:783 ClientCommand.cpp:809 ClientCommand.cpp:843 +#: ClientCommand.cpp:856 ClientCommand.cpp:869 ClientCommand.cpp:884 +#: ClientCommand.cpp:1345 ClientCommand.cpp:1393 ClientCommand.cpp:1425 +#: ClientCommand.cpp:1436 ClientCommand.cpp:1445 ClientCommand.cpp:1457 msgid "You must be connected with a network to use this command" msgstr "Je moet verbonden zijn met een netwerk om dit commando te gebruiken" @@ -489,87 +491,248 @@ msgstr "Configuratie geschreven naar {1}" msgid "Error while trying to write config." msgstr "Fout tijdens het proberen te schrijven naar het configuratiebestand." -#: ClientCommand.cpp:455 +#: ClientCommand.cpp:183 +msgid "Usage: ListClients" +msgstr "" + +#: ClientCommand.cpp:190 +msgid "No such user: {1}" +msgstr "" + +#: ClientCommand.cpp:198 +msgid "No clients are connected" +msgstr "" + +#: ClientCommand.cpp:203 ClientCommand.cpp:209 +msgctxt "listclientscmd" +msgid "Host" +msgstr "" + +#: ClientCommand.cpp:204 ClientCommand.cpp:212 +msgctxt "listclientscmd" +msgid "Network" +msgstr "" + +#: ClientCommand.cpp:205 ClientCommand.cpp:215 +msgctxt "listclientscmd" +msgid "Identifier" +msgstr "" + +#: ClientCommand.cpp:223 ClientCommand.cpp:229 +msgctxt "listuserscmd" +msgid "Username" +msgstr "" + +#: ClientCommand.cpp:224 ClientCommand.cpp:230 +msgctxt "listuserscmd" +msgid "Networks" +msgstr "" + +#: ClientCommand.cpp:225 ClientCommand.cpp:232 +msgctxt "listuserscmd" +msgid "Clients" +msgstr "" + +#: ClientCommand.cpp:240 ClientCommand.cpp:250 ClientCommand.cpp:260 +#: ClientCommand.cpp:263 +msgctxt "listallusernetworkscmd" +msgid "Username" +msgstr "" + +#: ClientCommand.cpp:241 ClientCommand.cpp:251 ClientCommand.cpp:266 +msgctxt "listallusernetworkscmd" +msgid "Network" +msgstr "" + +#: ClientCommand.cpp:242 ClientCommand.cpp:252 ClientCommand.cpp:268 +msgctxt "listallusernetworkscmd" +msgid "Clients" +msgstr "" + +#: ClientCommand.cpp:243 ClientCommand.cpp:271 ClientCommand.cpp:280 +msgctxt "listallusernetworkscmd" +msgid "On IRC" +msgstr "" + +#: ClientCommand.cpp:244 ClientCommand.cpp:273 +msgctxt "listallusernetworkscmd" +msgid "IRC Server" +msgstr "" + +#: ClientCommand.cpp:245 ClientCommand.cpp:275 +msgctxt "listallusernetworkscmd" +msgid "IRC User" +msgstr "" + +#: ClientCommand.cpp:246 ClientCommand.cpp:277 +msgctxt "listallusernetworkscmd" +msgid "Channels" +msgstr "" + +#: ClientCommand.cpp:251 +msgid "N/A" +msgstr "" + +#: ClientCommand.cpp:272 +msgctxt "listallusernetworkscmd" +msgid "Yes" +msgstr "" + +#: ClientCommand.cpp:281 +msgctxt "listallusernetworkscmd" +msgid "No" +msgstr "" + +#: ClientCommand.cpp:291 +msgid "Usage: SetMOTD " +msgstr "" + +#: ClientCommand.cpp:294 +msgid "MOTD set to: {1}" +msgstr "" + +#: ClientCommand.cpp:300 +msgid "Usage: AddMOTD " +msgstr "" + +#: ClientCommand.cpp:303 +msgid "Added [{1}] to MOTD" +msgstr "" + +#: ClientCommand.cpp:307 +msgid "Cleared MOTD" +msgstr "" + +#: ClientCommand.cpp:329 +msgid "" +"ERROR: Writing config file to disk failed! Aborting. Use {1} FORCE to ignore." +msgstr "" + +#: ClientCommand.cpp:344 ClientCommand.cpp:797 ClientCommand.cpp:838 +msgid "You don't have any servers added." +msgstr "Je hebt geen servers toegevoegd." + +#: ClientCommand.cpp:355 +msgid "Server [{1}] not found" +msgstr "" + +#: ClientCommand.cpp:375 ClientCommand.cpp:380 +msgid "Connecting to {1}..." +msgstr "" + +#: ClientCommand.cpp:377 +msgid "Jumping to the next server in the list..." +msgstr "" + +#: ClientCommand.cpp:382 +msgid "Connecting..." +msgstr "" + +#: ClientCommand.cpp:400 +msgid "Disconnected from IRC. Use 'connect' to reconnect." +msgstr "" + +#: ClientCommand.cpp:412 +msgid "Usage: EnableChan <#chans>" +msgstr "" + +#: ClientCommand.cpp:426 +msgid "Enabled {1} channel" +msgid_plural "Enabled {1} channels" +msgstr[0] "" +msgstr[1] "" + +#: ClientCommand.cpp:439 +msgid "Usage: DisableChan <#chans>" +msgstr "" + +#: ClientCommand.cpp:453 +msgid "Disabled {1} channel" +msgid_plural "Disabled {1} channels" +msgstr[0] "" +msgstr[1] "" + +#: ClientCommand.cpp:470 msgid "Usage: ListChans" msgstr "Gebruik: ListChans" -#: ClientCommand.cpp:462 +#: ClientCommand.cpp:477 msgid "No such user [{1}]" msgstr "Gebruiker onbekend [{1}]" -#: ClientCommand.cpp:468 +#: ClientCommand.cpp:483 msgid "User [{1}] doesn't have network [{2}]" msgstr "Gebruiker [{1}] heeft geen netwerk genaamd [{2}]" -#: ClientCommand.cpp:479 +#: ClientCommand.cpp:494 msgid "There are no channels defined." msgstr "Er zijn geen kanalen geconfigureerd." -#: ClientCommand.cpp:484 ClientCommand.cpp:500 +#: ClientCommand.cpp:499 ClientCommand.cpp:515 msgctxt "listchans" msgid "Name" msgstr "Naam" -#: ClientCommand.cpp:485 ClientCommand.cpp:503 +#: ClientCommand.cpp:500 ClientCommand.cpp:518 msgctxt "listchans" msgid "Status" msgstr "Status" -#: ClientCommand.cpp:486 ClientCommand.cpp:510 +#: ClientCommand.cpp:501 ClientCommand.cpp:525 msgctxt "listchans" msgid "In config" msgstr "In configuratie" -#: ClientCommand.cpp:487 ClientCommand.cpp:512 +#: ClientCommand.cpp:502 ClientCommand.cpp:527 msgctxt "listchans" msgid "Buffer" msgstr "Buffer" -#: ClientCommand.cpp:488 ClientCommand.cpp:516 +#: ClientCommand.cpp:503 ClientCommand.cpp:531 msgctxt "listchans" msgid "Clear" msgstr "Wissen" -#: ClientCommand.cpp:489 ClientCommand.cpp:521 +#: ClientCommand.cpp:504 ClientCommand.cpp:536 msgctxt "listchans" msgid "Modes" msgstr "Modes" -#: ClientCommand.cpp:490 ClientCommand.cpp:522 +#: ClientCommand.cpp:505 ClientCommand.cpp:537 msgctxt "listchans" msgid "Users" msgstr "Gebruikers" -#: ClientCommand.cpp:505 +#: ClientCommand.cpp:520 msgctxt "listchans" msgid "Detached" msgstr "Losgekoppeld" -#: ClientCommand.cpp:506 +#: ClientCommand.cpp:521 msgctxt "listchans" msgid "Joined" msgstr "Toegetreden" -#: ClientCommand.cpp:507 +#: ClientCommand.cpp:522 msgctxt "listchans" msgid "Disabled" msgstr "Uitgeschakeld" -#: ClientCommand.cpp:508 +#: ClientCommand.cpp:523 msgctxt "listchans" msgid "Trying" msgstr "Proberen" -#: ClientCommand.cpp:511 ClientCommand.cpp:519 +#: ClientCommand.cpp:526 ClientCommand.cpp:534 msgctxt "listchans" msgid "yes" msgstr "ja" -#: ClientCommand.cpp:536 +#: ClientCommand.cpp:551 msgid "Total: {1}, Joined: {2}, Detached: {3}, Disabled: {4}" msgstr "Totaal: {1}, toegetreden: {2}, losgekoppeld: {3}, uitgeschakeld: {4}" -#: ClientCommand.cpp:541 +#: ClientCommand.cpp:556 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks using /znc DelNetwork " @@ -578,15 +741,15 @@ msgstr "" "te passen voor je, of verwijder onnodige netwerken door middel van /znc " "DelNetwork " -#: ClientCommand.cpp:550 +#: ClientCommand.cpp:565 msgid "Usage: AddNetwork " msgstr "Gebruik: AddNetwork " -#: ClientCommand.cpp:554 +#: ClientCommand.cpp:569 msgid "Network name should be alphanumeric" msgstr "Netwerk naam moet alfanumeriek zijn" -#: ClientCommand.cpp:561 +#: ClientCommand.cpp:576 msgid "" "Network added. Use /znc JumpNetwork {1}, or connect to ZNC with username {2} " "(instead of just {3}) to connect to it." @@ -595,141 +758,141 @@ msgstr "" "gebruikersnaam {2} (in plaats van alleen {3}) om hier verbinding mee te " "maken." -#: ClientCommand.cpp:566 +#: ClientCommand.cpp:581 msgid "Unable to add that network" msgstr "Kan dat netwerk niet toevoegen" -#: ClientCommand.cpp:573 +#: ClientCommand.cpp:588 msgid "Usage: DelNetwork " msgstr "Gebruik: DelNetwork " -#: ClientCommand.cpp:582 +#: ClientCommand.cpp:597 msgid "Network deleted" msgstr "Netwerk verwijderd" -#: ClientCommand.cpp:585 +#: ClientCommand.cpp:600 msgid "Failed to delete network, perhaps this network doesn't exist" msgstr "Mislukt om netwerk te verwijderen, misschien bestaat dit netwerk niet" -#: ClientCommand.cpp:595 +#: ClientCommand.cpp:610 msgid "User {1} not found" msgstr "Gebruiker {1} niet gevonden" -#: ClientCommand.cpp:603 ClientCommand.cpp:611 +#: ClientCommand.cpp:618 ClientCommand.cpp:626 msgctxt "listnetworks" msgid "Network" msgstr "Netwerk" -#: ClientCommand.cpp:604 ClientCommand.cpp:613 ClientCommand.cpp:622 +#: ClientCommand.cpp:619 ClientCommand.cpp:628 ClientCommand.cpp:637 msgctxt "listnetworks" msgid "On IRC" msgstr "Op IRC" -#: ClientCommand.cpp:605 ClientCommand.cpp:615 +#: ClientCommand.cpp:620 ClientCommand.cpp:630 msgctxt "listnetworks" msgid "IRC Server" msgstr "IRC Server" -#: ClientCommand.cpp:606 ClientCommand.cpp:617 +#: ClientCommand.cpp:621 ClientCommand.cpp:632 msgctxt "listnetworks" msgid "IRC User" msgstr "IRC Gebruiker" -#: ClientCommand.cpp:607 ClientCommand.cpp:619 +#: ClientCommand.cpp:622 ClientCommand.cpp:634 msgctxt "listnetworks" msgid "Channels" msgstr "Kanalen" -#: ClientCommand.cpp:614 +#: ClientCommand.cpp:629 msgctxt "listnetworks" msgid "Yes" msgstr "Ja" -#: ClientCommand.cpp:623 +#: ClientCommand.cpp:638 msgctxt "listnetworks" msgid "No" msgstr "Nee" -#: ClientCommand.cpp:628 +#: ClientCommand.cpp:643 msgctxt "listnetworks" msgid "No networks" msgstr "Geen netwerken" -#: ClientCommand.cpp:632 ClientCommand.cpp:936 +#: ClientCommand.cpp:647 ClientCommand.cpp:952 msgid "Access denied." msgstr "Toegang geweigerd." -#: ClientCommand.cpp:643 +#: ClientCommand.cpp:658 msgid "Usage: MoveNetwork [new network]" msgstr "" "Gebruik: MoveNetwerk " "[nieuw netwerk]" -#: ClientCommand.cpp:653 +#: ClientCommand.cpp:668 msgid "Old user {1} not found." msgstr "Oude gebruiker {1} niet gevonden." -#: ClientCommand.cpp:659 +#: ClientCommand.cpp:674 msgid "Old network {1} not found." msgstr "Oud netwerk {1} niet gevonden." -#: ClientCommand.cpp:665 +#: ClientCommand.cpp:680 msgid "New user {1} not found." msgstr "Nieuwe gebruiker {1} niet gevonden." -#: ClientCommand.cpp:670 +#: ClientCommand.cpp:685 msgid "User {1} already has network {2}." msgstr "Gebruiker {1} heeft al een netwerk genaamd {2}." -#: ClientCommand.cpp:676 +#: ClientCommand.cpp:691 msgid "Invalid network name [{1}]" msgstr "Ongeldige netwerknaam [{1}]" -#: ClientCommand.cpp:692 +#: ClientCommand.cpp:707 msgid "Some files seem to be in {1}. You might want to move them to {2}" msgstr "" "Sommige bestanden lijken in {1} te zijn. Misschien wil je ze verplaatsen " "naar {2}" -#: ClientCommand.cpp:706 +#: ClientCommand.cpp:721 msgid "Error adding network: {1}" msgstr "Fout bij het toevoegen van netwerk: {1}" -#: ClientCommand.cpp:718 +#: ClientCommand.cpp:733 msgid "Success." msgstr "Geslaagd." -#: ClientCommand.cpp:721 +#: ClientCommand.cpp:736 msgid "Copied the network to new user, but failed to delete old network" msgstr "" "Netwerk gekopieërd naar nieuwe gebruiker maar mislukt om het oude netwerk te " "verwijderen" -#: ClientCommand.cpp:728 +#: ClientCommand.cpp:743 msgid "No network supplied." msgstr "Geen netwerk ingevoerd." -#: ClientCommand.cpp:733 +#: ClientCommand.cpp:748 msgid "You are already connected with this network." msgstr "Je bent al verbonden met dit netwerk." -#: ClientCommand.cpp:739 +#: ClientCommand.cpp:754 msgid "Switched to {1}" msgstr "Geschakeld naar {1}" -#: ClientCommand.cpp:742 +#: ClientCommand.cpp:757 msgid "You don't have a network named {1}" msgstr "Je hebt geen netwerk genaamd {1}" -#: ClientCommand.cpp:754 +#: ClientCommand.cpp:769 msgid "Usage: AddServer [[+]port] [pass]" msgstr "Gebruik: AddServer [[+]poort] [wachtwoord]" -#: ClientCommand.cpp:759 +#: ClientCommand.cpp:774 msgid "Server added" msgstr "Server toegevoegd" -#: ClientCommand.cpp:762 +#: ClientCommand.cpp:777 msgid "" "Unable to add that server. Perhaps the server is already added or openssl is " "disabled?" @@ -737,240 +900,236 @@ msgstr "" "Niet mogelijk die server toe te voegen. Misschien is de server al toegevoegd " "of is OpenSSL uitgeschakeld?" -#: ClientCommand.cpp:777 +#: ClientCommand.cpp:792 msgid "Usage: DelServer [port] [pass]" msgstr "Gebruik: DelServer [poort] [wachtwoord]" -#: ClientCommand.cpp:782 ClientCommand.cpp:822 -msgid "You don't have any servers added." -msgstr "Je hebt geen servers toegevoegd." - -#: ClientCommand.cpp:787 +#: ClientCommand.cpp:802 msgid "Server removed" msgstr "Server verwijderd" -#: ClientCommand.cpp:789 +#: ClientCommand.cpp:804 msgid "No such server" msgstr "Server niet gevonden" -#: ClientCommand.cpp:802 ClientCommand.cpp:809 +#: ClientCommand.cpp:817 ClientCommand.cpp:825 msgctxt "listservers" msgid "Host" msgstr "Host" -#: ClientCommand.cpp:803 ClientCommand.cpp:811 +#: ClientCommand.cpp:818 ClientCommand.cpp:827 msgctxt "listservers" msgid "Port" msgstr "Poort" -#: ClientCommand.cpp:804 ClientCommand.cpp:814 +#: ClientCommand.cpp:819 ClientCommand.cpp:830 msgctxt "listservers" msgid "SSL" msgstr "SSL" -#: ClientCommand.cpp:805 ClientCommand.cpp:816 +#: ClientCommand.cpp:820 ClientCommand.cpp:832 msgctxt "listservers" msgid "Password" msgstr "Wachtwoord" -#: ClientCommand.cpp:815 +#: ClientCommand.cpp:831 msgctxt "listservers|cell" msgid "SSL" msgstr "SSL" -#: ClientCommand.cpp:832 +#: ClientCommand.cpp:848 msgid "Usage: AddTrustedServerFingerprint " msgstr "Gebruik: AddTrustedServerFingerprint " -#: ClientCommand.cpp:836 ClientCommand.cpp:849 +#: ClientCommand.cpp:852 ClientCommand.cpp:865 msgid "Done." msgstr "Klaar." -#: ClientCommand.cpp:845 +#: ClientCommand.cpp:861 msgid "Usage: DelTrustedServerFingerprint " msgstr "Gebruik: DelTrustedServerFingerprint " -#: ClientCommand.cpp:858 +#: ClientCommand.cpp:874 msgid "No fingerprints added." msgstr "Geen vingerafdrukken toegevoegd." -#: ClientCommand.cpp:874 ClientCommand.cpp:880 +#: ClientCommand.cpp:890 ClientCommand.cpp:896 msgctxt "topicscmd" msgid "Channel" msgstr "Kanaal" -#: ClientCommand.cpp:875 ClientCommand.cpp:881 +#: ClientCommand.cpp:891 ClientCommand.cpp:897 msgctxt "topicscmd" msgid "Set By" msgstr "Ingesteld door" -#: ClientCommand.cpp:876 ClientCommand.cpp:882 +#: ClientCommand.cpp:892 ClientCommand.cpp:898 msgctxt "topicscmd" msgid "Topic" msgstr "Onderwerp" -#: ClientCommand.cpp:889 ClientCommand.cpp:894 +#: ClientCommand.cpp:905 ClientCommand.cpp:910 msgctxt "listmods" msgid "Name" msgstr "Naam" -#: ClientCommand.cpp:890 ClientCommand.cpp:895 +#: ClientCommand.cpp:906 ClientCommand.cpp:911 msgctxt "listmods" msgid "Arguments" msgstr "Argumenten" -#: ClientCommand.cpp:904 +#: ClientCommand.cpp:920 msgid "No global modules loaded." msgstr "Geen algemene modules geladen." -#: ClientCommand.cpp:906 ClientCommand.cpp:970 +#: ClientCommand.cpp:922 ClientCommand.cpp:986 msgid "Global modules:" msgstr "Algemene modules:" -#: ClientCommand.cpp:915 +#: ClientCommand.cpp:931 msgid "Your user has no modules loaded." msgstr "Je gebruiker heeft geen modules geladen." -#: ClientCommand.cpp:917 ClientCommand.cpp:982 +#: ClientCommand.cpp:933 ClientCommand.cpp:998 msgid "User modules:" msgstr "Gebruiker modules:" -#: ClientCommand.cpp:925 +#: ClientCommand.cpp:941 msgid "This network has no modules loaded." msgstr "Dit netwerk heeft geen modules geladen." -#: ClientCommand.cpp:927 ClientCommand.cpp:994 +#: ClientCommand.cpp:943 ClientCommand.cpp:1010 msgid "Network modules:" msgstr "Netwerk modules:" -#: ClientCommand.cpp:942 ClientCommand.cpp:949 +#: ClientCommand.cpp:958 ClientCommand.cpp:965 msgctxt "listavailmods" msgid "Name" msgstr "Naam" -#: ClientCommand.cpp:943 ClientCommand.cpp:954 +#: ClientCommand.cpp:959 ClientCommand.cpp:970 msgctxt "listavailmods" msgid "Description" msgstr "Beschrijving" -#: ClientCommand.cpp:968 +#: ClientCommand.cpp:984 msgid "No global modules available." msgstr "Geen algemene modules beschikbaar." -#: ClientCommand.cpp:980 +#: ClientCommand.cpp:996 msgid "No user modules available." msgstr "Geen gebruikermodules beschikbaar." -#: ClientCommand.cpp:992 +#: ClientCommand.cpp:1008 msgid "No network modules available." msgstr "Geen netwerkmodules beschikbaar." -#: ClientCommand.cpp:1020 +#: ClientCommand.cpp:1036 msgid "Unable to load {1}: Access denied." msgstr "Niet mogelijk om {1} te laden: Toegang geweigerd." -#: ClientCommand.cpp:1026 +#: ClientCommand.cpp:1042 msgid "Usage: LoadMod [--type=global|user|network] [args]" msgstr "Gebruik: LoadMod [--type=global|user|network] [argumenten]" -#: ClientCommand.cpp:1033 +#: ClientCommand.cpp:1049 msgid "Unable to load {1}: {2}" msgstr "Niet mogelijk module te laden {1}: {2}" -#: ClientCommand.cpp:1043 +#: ClientCommand.cpp:1059 msgid "Unable to load global module {1}: Access denied." msgstr "Niet mogelijk algemene module te laden {1}: Toegang geweigerd." -#: ClientCommand.cpp:1049 +#: ClientCommand.cpp:1065 msgid "Unable to load network module {1}: Not connected with a network." msgstr "" "Niet mogelijk netwerk module te laden {1}: Niet verbonden met een netwerk." -#: ClientCommand.cpp:1071 +#: ClientCommand.cpp:1087 msgid "Unknown module type" msgstr "Onbekend type module" -#: ClientCommand.cpp:1076 +#: ClientCommand.cpp:1092 msgid "Loaded module {1}" msgstr "Module {1} geladen" -#: ClientCommand.cpp:1078 +#: ClientCommand.cpp:1094 msgid "Loaded module {1}: {2}" msgstr "Module {1} geladen: {2}" -#: ClientCommand.cpp:1081 +#: ClientCommand.cpp:1097 msgid "Unable to load module {1}: {2}" msgstr "Niet mogelijk module te laden {1}: {2}" -#: ClientCommand.cpp:1104 +#: ClientCommand.cpp:1120 msgid "Unable to unload {1}: Access denied." msgstr "Niet mogelijk om {1} te stoppen: Toegang geweigerd." -#: ClientCommand.cpp:1110 +#: ClientCommand.cpp:1126 msgid "Usage: UnloadMod [--type=global|user|network] " msgstr "Gebruik: UnloadMod [--type=global|user|network] " -#: ClientCommand.cpp:1119 +#: ClientCommand.cpp:1135 msgid "Unable to determine type of {1}: {2}" msgstr "Niet mogelijk om het type te bepalen van {1}: {2}" -#: ClientCommand.cpp:1127 +#: ClientCommand.cpp:1143 msgid "Unable to unload global module {1}: Access denied." msgstr "Niet mogelijk algemene module te stoppen {1}: Toegang geweigerd." -#: ClientCommand.cpp:1134 +#: ClientCommand.cpp:1150 msgid "Unable to unload network module {1}: Not connected with a network." msgstr "" "Niet mogelijk netwerk module te stoppen {1}: Niet verbonden met een netwerk." -#: ClientCommand.cpp:1153 +#: ClientCommand.cpp:1169 msgid "Unable to unload module {1}: Unknown module type" msgstr "Niet mogelijk module te stopped {1}: Onbekend type module" -#: ClientCommand.cpp:1166 +#: ClientCommand.cpp:1182 msgid "Unable to reload modules. Access denied." msgstr "Niet mogelijk modules te herladen. Toegang geweigerd." -#: ClientCommand.cpp:1187 +#: ClientCommand.cpp:1203 msgid "Usage: ReloadMod [--type=global|user|network] [args]" msgstr "Gebruik: ReloadMod [--type=global|user|network] [argumenten]" -#: ClientCommand.cpp:1196 +#: ClientCommand.cpp:1212 msgid "Unable to reload {1}: {2}" msgstr "Niet mogelijk module te herladen {1}: {2}" -#: ClientCommand.cpp:1204 +#: ClientCommand.cpp:1220 msgid "Unable to reload global module {1}: Access denied." msgstr "Niet mogelijk algemene module te herladen {1}: Toegang geweigerd." -#: ClientCommand.cpp:1211 +#: ClientCommand.cpp:1227 msgid "Unable to reload network module {1}: Not connected with a network." msgstr "" "Niet mogelijk netwerk module te herladen {1}: Niet verbonden met een netwerk." -#: ClientCommand.cpp:1233 +#: ClientCommand.cpp:1249 msgid "Unable to reload module {1}: Unknown module type" msgstr "Niet mogelijk module te herladen {1}: Onbekend type module" -#: ClientCommand.cpp:1244 +#: ClientCommand.cpp:1260 msgid "Usage: UpdateMod " msgstr "Gebruik: UpdateMod " -#: ClientCommand.cpp:1248 +#: ClientCommand.cpp:1264 msgid "Reloading {1} everywhere" msgstr "Overal {1} herladen" -#: ClientCommand.cpp:1250 +#: ClientCommand.cpp:1266 msgid "Done" msgstr "Klaar" -#: ClientCommand.cpp:1253 +#: ClientCommand.cpp:1269 msgid "" "Done, but there were errors, module {1} could not be reloaded everywhere." msgstr "" "Klaar, maar er waren fouten, module {1} kon niet overal herladen worden." -#: ClientCommand.cpp:1261 +#: ClientCommand.cpp:1277 msgid "" "You must be connected with a network to use this command. Try " "SetUserBindHost instead" @@ -978,27 +1137,27 @@ msgstr "" "Je moet verbonden zijn met een netwerk om dit commando te gebruiken. Probeer " "in plaats hiervan SetUserBindHost" -#: ClientCommand.cpp:1268 +#: ClientCommand.cpp:1284 msgid "Usage: SetBindHost " msgstr "Gebruik: SetBindHost " -#: ClientCommand.cpp:1273 ClientCommand.cpp:1290 +#: ClientCommand.cpp:1289 ClientCommand.cpp:1306 msgid "You already have this bind host!" msgstr "Je hebt deze bindhost al!" -#: ClientCommand.cpp:1278 +#: ClientCommand.cpp:1294 msgid "Set bind host for network {1} to {2}" msgstr "Stel bindhost voor netwerk {1} in naar {2}" -#: ClientCommand.cpp:1285 +#: ClientCommand.cpp:1301 msgid "Usage: SetUserBindHost " msgstr "Gebruik: SetUserBindHost " -#: ClientCommand.cpp:1295 +#: ClientCommand.cpp:1311 msgid "Set default bind host to {1}" msgstr "Standaard bindhost ingesteld naar {1}" -#: ClientCommand.cpp:1301 +#: ClientCommand.cpp:1317 msgid "" "You must be connected with a network to use this command. Try " "ClearUserBindHost instead" @@ -1006,258 +1165,258 @@ msgstr "" "Je moet verbonden zijn met een netwerk om dit commando te gebruiken. Probeer " "in plaats hiervan ClearUserBindHost" -#: ClientCommand.cpp:1306 +#: ClientCommand.cpp:1322 msgid "Bind host cleared for this network." msgstr "Bindhost gewist voor dit netwerk." -#: ClientCommand.cpp:1310 +#: ClientCommand.cpp:1326 msgid "Default bind host cleared for your user." msgstr "Standaard bindhost gewist voor jouw gebruiker." -#: ClientCommand.cpp:1313 +#: ClientCommand.cpp:1329 msgid "This user's default bind host not set" msgstr "Er is geen standaard bindhost voor deze gebruiker ingesteld" -#: ClientCommand.cpp:1315 +#: ClientCommand.cpp:1331 msgid "This user's default bind host is {1}" msgstr "De standaard bindhost voor deze gebruiker is {1}" -#: ClientCommand.cpp:1320 +#: ClientCommand.cpp:1336 msgid "This network's bind host not set" msgstr "Er is geen bindhost ingesteld voor dit netwerk" -#: ClientCommand.cpp:1322 +#: ClientCommand.cpp:1338 msgid "This network's default bind host is {1}" msgstr "De standaard bindhost voor dit netwerk is {1}" -#: ClientCommand.cpp:1336 +#: ClientCommand.cpp:1352 msgid "Usage: PlayBuffer <#chan|query>" msgstr "Gebruik: PlayBuffer <#kanaal|privé bericht>" -#: ClientCommand.cpp:1344 +#: ClientCommand.cpp:1360 msgid "You are not on {1}" msgstr "Je bent niet in {1}" -#: ClientCommand.cpp:1349 +#: ClientCommand.cpp:1365 msgid "You are not on {1} (trying to join)" msgstr "Je bent niet in {1} (probeer toe te treden)" -#: ClientCommand.cpp:1354 +#: ClientCommand.cpp:1370 msgid "The buffer for channel {1} is empty" msgstr "De buffer voor kanaal {1} is leeg" -#: ClientCommand.cpp:1363 +#: ClientCommand.cpp:1379 msgid "No active query with {1}" msgstr "Geen actieve privé berichten met {1}" -#: ClientCommand.cpp:1368 +#: ClientCommand.cpp:1384 msgid "The buffer for {1} is empty" msgstr "De buffer voor {1} is leeg" -#: ClientCommand.cpp:1384 +#: ClientCommand.cpp:1400 msgid "Usage: ClearBuffer <#chan|query>" msgstr "Gebruik: ClearBuffer <#kanaal|privé bericht>" -#: ClientCommand.cpp:1403 +#: ClientCommand.cpp:1419 msgid "{1} buffer matching {2} has been cleared" msgid_plural "{1} buffers matching {2} have been cleared" msgstr[0] "{1} buffer overeenkomend met {2} is gewist" msgstr[1] "{1} buffers overeenkomend met {2} zijn gewist" -#: ClientCommand.cpp:1416 +#: ClientCommand.cpp:1432 msgid "All channel buffers have been cleared" msgstr "Alle kanaalbuffers zijn gewist" -#: ClientCommand.cpp:1425 +#: ClientCommand.cpp:1441 msgid "All query buffers have been cleared" msgstr "Alle privéberichtenbuffers zijn gewist" -#: ClientCommand.cpp:1437 +#: ClientCommand.cpp:1453 msgid "All buffers have been cleared" msgstr "Alle buffers zijn gewist" -#: ClientCommand.cpp:1448 +#: ClientCommand.cpp:1464 msgid "Usage: SetBuffer <#chan|query> [linecount]" msgstr "Gebruik: SetBuffer <#kanaal|privé bericht> [regelaantal]" -#: ClientCommand.cpp:1469 +#: ClientCommand.cpp:1485 msgid "Setting buffer size failed for {1} buffer" msgid_plural "Setting buffer size failed for {1} buffers" msgstr[0] "Instellen van buffergrootte mislukt voor {1} buffer" msgstr[1] "Instellen van buffergrootte mislukt voor {1} buffers" -#: ClientCommand.cpp:1472 +#: ClientCommand.cpp:1488 msgid "Maximum buffer size is {1} line" msgid_plural "Maximum buffer size is {1} lines" msgstr[0] "Maximale buffergrootte is {1} regel" msgstr[1] "Maximale buffergrootte is {1} regels" -#: ClientCommand.cpp:1477 +#: ClientCommand.cpp:1493 msgid "Size of every buffer was set to {1} line" msgid_plural "Size of every buffer was set to {1} lines" msgstr[0] "Grootte van alle buffers is ingesteld op {1} regel" msgstr[1] "Grootte van alle buffers is ingesteld op {1} regels" -#: ClientCommand.cpp:1487 ClientCommand.cpp:1494 ClientCommand.cpp:1505 -#: ClientCommand.cpp:1514 ClientCommand.cpp:1522 +#: ClientCommand.cpp:1503 ClientCommand.cpp:1510 ClientCommand.cpp:1521 +#: ClientCommand.cpp:1530 ClientCommand.cpp:1538 msgctxt "trafficcmd" msgid "Username" msgstr "Gebruikersnaam" -#: ClientCommand.cpp:1488 ClientCommand.cpp:1495 ClientCommand.cpp:1507 -#: ClientCommand.cpp:1516 ClientCommand.cpp:1524 +#: ClientCommand.cpp:1504 ClientCommand.cpp:1511 ClientCommand.cpp:1523 +#: ClientCommand.cpp:1532 ClientCommand.cpp:1540 msgctxt "trafficcmd" msgid "In" msgstr "In" -#: ClientCommand.cpp:1489 ClientCommand.cpp:1497 ClientCommand.cpp:1508 -#: ClientCommand.cpp:1517 ClientCommand.cpp:1525 +#: ClientCommand.cpp:1505 ClientCommand.cpp:1513 ClientCommand.cpp:1524 +#: ClientCommand.cpp:1533 ClientCommand.cpp:1541 msgctxt "trafficcmd" msgid "Out" msgstr "Uit" -#: ClientCommand.cpp:1490 ClientCommand.cpp:1500 ClientCommand.cpp:1510 -#: ClientCommand.cpp:1518 ClientCommand.cpp:1527 +#: ClientCommand.cpp:1506 ClientCommand.cpp:1516 ClientCommand.cpp:1526 +#: ClientCommand.cpp:1534 ClientCommand.cpp:1543 msgctxt "trafficcmd" msgid "Total" msgstr "Totaal" -#: ClientCommand.cpp:1506 +#: ClientCommand.cpp:1522 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1515 +#: ClientCommand.cpp:1531 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1523 +#: ClientCommand.cpp:1539 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1532 +#: ClientCommand.cpp:1548 msgid "Running for {1}" msgstr "Draaiend voor {1}" -#: ClientCommand.cpp:1538 +#: ClientCommand.cpp:1554 msgid "Unknown command, try 'Help'" msgstr "Onbekend commando, probeer 'Help'" -#: ClientCommand.cpp:1547 ClientCommand.cpp:1558 +#: ClientCommand.cpp:1563 ClientCommand.cpp:1574 msgctxt "listports" msgid "Port" msgstr "Poort" -#: ClientCommand.cpp:1548 ClientCommand.cpp:1559 +#: ClientCommand.cpp:1564 ClientCommand.cpp:1577 msgctxt "listports" msgid "BindHost" msgstr "BindHost" -#: ClientCommand.cpp:1549 ClientCommand.cpp:1562 +#: ClientCommand.cpp:1565 ClientCommand.cpp:1580 msgctxt "listports" msgid "SSL" msgstr "SSL" -#: ClientCommand.cpp:1550 ClientCommand.cpp:1567 +#: ClientCommand.cpp:1566 ClientCommand.cpp:1585 msgctxt "listports" msgid "Protocol" msgstr "Protocol" -#: ClientCommand.cpp:1551 ClientCommand.cpp:1574 +#: ClientCommand.cpp:1567 ClientCommand.cpp:1592 msgctxt "listports" msgid "IRC" msgstr "IRC" -#: ClientCommand.cpp:1552 ClientCommand.cpp:1579 +#: ClientCommand.cpp:1568 ClientCommand.cpp:1597 msgctxt "listports" msgid "Web" msgstr "Web" -#: ClientCommand.cpp:1563 +#: ClientCommand.cpp:1581 msgctxt "listports|ssl" msgid "yes" msgstr "ja" -#: ClientCommand.cpp:1564 +#: ClientCommand.cpp:1582 msgctxt "listports|ssl" msgid "no" msgstr "nee" -#: ClientCommand.cpp:1568 +#: ClientCommand.cpp:1586 msgctxt "listports" msgid "IPv4 and IPv6" msgstr "IPv4 en IPv6" -#: ClientCommand.cpp:1570 +#: ClientCommand.cpp:1588 msgctxt "listports" msgid "IPv4" msgstr "IPv4" -#: ClientCommand.cpp:1571 +#: ClientCommand.cpp:1589 msgctxt "listports" msgid "IPv6" msgstr "IPv6" -#: ClientCommand.cpp:1577 +#: ClientCommand.cpp:1595 msgctxt "listports|irc" msgid "yes" msgstr "ja" -#: ClientCommand.cpp:1578 +#: ClientCommand.cpp:1596 msgctxt "listports|irc" msgid "no" msgstr "nee" -#: ClientCommand.cpp:1582 +#: ClientCommand.cpp:1600 msgctxt "listports|irc" msgid "yes, on {1}" msgstr "ja, in {1}" -#: ClientCommand.cpp:1584 +#: ClientCommand.cpp:1602 msgctxt "listports|web" msgid "no" msgstr "nee" -#: ClientCommand.cpp:1624 +#: ClientCommand.cpp:1642 msgid "" "Usage: AddPort <[+]port> [bindhost [uriprefix]]" msgstr "" "Gebruik: AddPort <[+]poort> [bindhost " "[urivoorvoegsel]]" -#: ClientCommand.cpp:1640 +#: ClientCommand.cpp:1658 msgid "Port added" msgstr "Poort toegevoegd" -#: ClientCommand.cpp:1642 +#: ClientCommand.cpp:1660 msgid "Couldn't add port" msgstr "Kon poort niet toevoegen" -#: ClientCommand.cpp:1648 +#: ClientCommand.cpp:1666 msgid "Usage: DelPort [bindhost]" msgstr "Gebruik: DelPort [bindhost]" -#: ClientCommand.cpp:1657 +#: ClientCommand.cpp:1675 msgid "Deleted Port" msgstr "Poort verwijderd" -#: ClientCommand.cpp:1659 +#: ClientCommand.cpp:1677 msgid "Unable to find a matching port" msgstr "Niet mogelijk om een overeenkomende poort te vinden" -#: ClientCommand.cpp:1667 ClientCommand.cpp:1682 +#: ClientCommand.cpp:1685 ClientCommand.cpp:1700 msgctxt "helpcmd" msgid "Command" msgstr "Commando" -#: ClientCommand.cpp:1668 ClientCommand.cpp:1684 +#: ClientCommand.cpp:1686 ClientCommand.cpp:1702 msgctxt "helpcmd" msgid "Description" msgstr "Beschrijving" -#: ClientCommand.cpp:1673 +#: ClientCommand.cpp:1691 msgid "" "In the following list all occurrences of <#chan> support wildcards (* and ?) " "except ListNicks" @@ -1265,87 +1424,87 @@ msgstr "" "In de volgende lijst ondersteunen alle voorvallen van <#kanaal> jokers (* " "en ?) behalve ListNicks" -#: ClientCommand.cpp:1690 +#: ClientCommand.cpp:1708 msgctxt "helpcmd|Version|desc" msgid "Print which version of ZNC this is" msgstr "Toon welke versie van ZNC dit is" -#: ClientCommand.cpp:1693 +#: ClientCommand.cpp:1711 msgctxt "helpcmd|ListMods|desc" msgid "List all loaded modules" msgstr "Toon een lijst van alle geladen modules" -#: ClientCommand.cpp:1696 +#: ClientCommand.cpp:1714 msgctxt "helpcmd|ListAvailMods|desc" msgid "List all available modules" msgstr "Toon alle beschikbare modules" -#: ClientCommand.cpp:1700 ClientCommand.cpp:1886 +#: ClientCommand.cpp:1718 ClientCommand.cpp:1904 msgctxt "helpcmd|ListChans|desc" msgid "List all channels" msgstr "Toon alle kanalen" -#: ClientCommand.cpp:1703 +#: ClientCommand.cpp:1721 msgctxt "helpcmd|ListNicks|args" msgid "<#chan>" msgstr "<#kanaal>" -#: ClientCommand.cpp:1704 +#: ClientCommand.cpp:1722 msgctxt "helpcmd|ListNicks|desc" msgid "List all nicks on a channel" msgstr "Toon alle bijnamen op een kanaal" -#: ClientCommand.cpp:1707 +#: ClientCommand.cpp:1725 msgctxt "helpcmd|ListClients|desc" msgid "List all clients connected to your ZNC user" msgstr "Toon alle clients verbonden met jouw ZNC gebruiker" -#: ClientCommand.cpp:1711 +#: ClientCommand.cpp:1729 msgctxt "helpcmd|ListServers|desc" msgid "List all servers of current IRC network" msgstr "Toon alle servers van het huidige IRC netwerk" -#: ClientCommand.cpp:1715 +#: ClientCommand.cpp:1733 msgctxt "helpcmd|AddNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1716 +#: ClientCommand.cpp:1734 msgctxt "helpcmd|AddNetwork|desc" msgid "Add a network to your user" msgstr "Voeg een netwerk toe aan jouw gebruiker" -#: ClientCommand.cpp:1718 +#: ClientCommand.cpp:1736 msgctxt "helpcmd|DelNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1719 +#: ClientCommand.cpp:1737 msgctxt "helpcmd|DelNetwork|desc" msgid "Delete a network from your user" msgstr "Verwijder een netwerk van jouw gebruiker" -#: ClientCommand.cpp:1721 +#: ClientCommand.cpp:1739 msgctxt "helpcmd|ListNetworks|desc" msgid "List all networks" msgstr "Toon alle netwerken" -#: ClientCommand.cpp:1724 +#: ClientCommand.cpp:1742 msgctxt "helpcmd|MoveNetwork|args" msgid " [new network]" msgstr " [nieuw netwerk]" -#: ClientCommand.cpp:1726 +#: ClientCommand.cpp:1744 msgctxt "helpcmd|MoveNetwork|desc" msgid "Move an IRC network from one user to another" msgstr "Verplaats een IRC netwerk van een gebruiker naar een andere gebruiker" -#: ClientCommand.cpp:1730 +#: ClientCommand.cpp:1748 msgctxt "helpcmd|JumpNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1731 +#: ClientCommand.cpp:1749 msgctxt "helpcmd|JumpNetwork|desc" msgid "" "Jump to another network (Alternatively, you can connect to ZNC several " @@ -1354,12 +1513,12 @@ msgstr "" "Spring naar een ander netwerk (Je kan ook meerdere malen naar ZNC verbinden " "door `gebruiker/netwerk` als gebruikersnaam te gebruiken)" -#: ClientCommand.cpp:1736 +#: ClientCommand.cpp:1754 msgctxt "helpcmd|AddServer|args" msgid " [[+]port] [pass]" msgstr " [[+]poort] [wachtwoord]" -#: ClientCommand.cpp:1737 +#: ClientCommand.cpp:1755 msgctxt "helpcmd|AddServer|desc" msgid "" "Add a server to the list of alternate/backup servers of current IRC network." @@ -1367,12 +1526,12 @@ msgstr "" "Voeg een server toe aan de lijst van alternatieve/backup servers van het " "huidige IRC netwerk." -#: ClientCommand.cpp:1741 +#: ClientCommand.cpp:1759 msgctxt "helpcmd|DelServer|args" msgid " [port] [pass]" msgstr " [poort] [wachtwoord]" -#: ClientCommand.cpp:1742 +#: ClientCommand.cpp:1760 msgctxt "helpcmd|DelServer|desc" msgid "" "Remove a server from the list of alternate/backup servers of current IRC " @@ -1381,12 +1540,12 @@ msgstr "" "Verwijder een server van de lijst van alternatieve/backup servers van het " "huidige IRC netwerk" -#: ClientCommand.cpp:1748 +#: ClientCommand.cpp:1766 msgctxt "helpcmd|AddTrustedServerFingerprint|args" msgid "" msgstr "" -#: ClientCommand.cpp:1749 +#: ClientCommand.cpp:1767 msgctxt "helpcmd|AddTrustedServerFingerprint|desc" msgid "" "Add a trusted server SSL certificate fingerprint (SHA-256) to current IRC " @@ -1395,337 +1554,337 @@ msgstr "" "Voeg een vertrouwd SSL certificaat vingerafdruk (SHA-256) toe aan het " "huidige netwerk." -#: ClientCommand.cpp:1754 +#: ClientCommand.cpp:1772 msgctxt "helpcmd|DelTrustedServerFingerprint|args" msgid "" msgstr "" -#: ClientCommand.cpp:1755 +#: ClientCommand.cpp:1773 msgctxt "helpcmd|DelTrustedServerFingerprint|desc" msgid "Delete a trusted server SSL certificate from current IRC network." msgstr "Verwijder een vertrouwd SSL certificaat van het huidige netwerk." -#: ClientCommand.cpp:1759 +#: ClientCommand.cpp:1777 msgctxt "helpcmd|ListTrustedServerFingerprints|desc" msgid "List all trusted server SSL certificates of current IRC network." msgstr "Toon alle vertrouwde SSL certificaten van het huidige netwerk." -#: ClientCommand.cpp:1762 +#: ClientCommand.cpp:1780 msgctxt "helpcmd|EnableChan|args" msgid "<#chans>" msgstr "<#kanalen>" -#: ClientCommand.cpp:1763 +#: ClientCommand.cpp:1781 msgctxt "helpcmd|EnableChan|desc" msgid "Enable channels" msgstr "Kanalen inschakelen" -#: ClientCommand.cpp:1764 +#: ClientCommand.cpp:1782 msgctxt "helpcmd|DisableChan|args" msgid "<#chans>" msgstr "<#kanalen>" -#: ClientCommand.cpp:1765 +#: ClientCommand.cpp:1783 msgctxt "helpcmd|DisableChan|desc" msgid "Disable channels" msgstr "Kanalen uitschakelen" -#: ClientCommand.cpp:1766 +#: ClientCommand.cpp:1784 msgctxt "helpcmd|Attach|args" msgid "<#chans>" msgstr "<#kanalen>" -#: ClientCommand.cpp:1767 +#: ClientCommand.cpp:1785 msgctxt "helpcmd|Attach|desc" msgid "Attach to channels" msgstr "Koppel aan kanalen" -#: ClientCommand.cpp:1768 +#: ClientCommand.cpp:1786 msgctxt "helpcmd|Detach|args" msgid "<#chans>" msgstr "<#kanalen>" -#: ClientCommand.cpp:1769 +#: ClientCommand.cpp:1787 msgctxt "helpcmd|Detach|desc" msgid "Detach from channels" msgstr "Loskoppelen van kanalen" -#: ClientCommand.cpp:1772 +#: ClientCommand.cpp:1790 msgctxt "helpcmd|Topics|desc" msgid "Show topics in all your channels" msgstr "Laat topics in al je kanalen zien" -#: ClientCommand.cpp:1775 +#: ClientCommand.cpp:1793 msgctxt "helpcmd|PlayBuffer|args" msgid "<#chan|query>" msgstr "<#kanaal|privé bericht>" -#: ClientCommand.cpp:1776 +#: ClientCommand.cpp:1794 msgctxt "helpcmd|PlayBuffer|desc" msgid "Play back the specified buffer" msgstr "Speel the gekozen buffer terug" -#: ClientCommand.cpp:1778 +#: ClientCommand.cpp:1796 msgctxt "helpcmd|ClearBuffer|args" msgid "<#chan|query>" msgstr "<#kanaal|privé bericht>" -#: ClientCommand.cpp:1779 +#: ClientCommand.cpp:1797 msgctxt "helpcmd|ClearBuffer|desc" msgid "Clear the specified buffer" msgstr "Wis de gekozen buffer" -#: ClientCommand.cpp:1781 +#: ClientCommand.cpp:1799 msgctxt "helpcmd|ClearAllBuffers|desc" msgid "Clear all channel and query buffers" msgstr "Wis alle kanaal en privé berichtenbuffers" -#: ClientCommand.cpp:1784 +#: ClientCommand.cpp:1802 msgctxt "helpcmd|ClearAllChannelBuffers|desc" msgid "Clear the channel buffers" msgstr "Wis de kanaal buffers" -#: ClientCommand.cpp:1788 +#: ClientCommand.cpp:1806 msgctxt "helpcmd|ClearAllQueryBuffers|desc" msgid "Clear the query buffers" msgstr "Wis de privéberichtenbuffers" -#: ClientCommand.cpp:1790 +#: ClientCommand.cpp:1808 msgctxt "helpcmd|SetBuffer|args" msgid "<#chan|query> [linecount]" msgstr "<#kanaal|privé bericht> [regelaantal]" -#: ClientCommand.cpp:1791 +#: ClientCommand.cpp:1809 msgctxt "helpcmd|SetBuffer|desc" msgid "Set the buffer count" msgstr "Stel het buffer aantal in" -#: ClientCommand.cpp:1795 +#: ClientCommand.cpp:1813 msgctxt "helpcmd|SetBindHost|args" msgid "" msgstr "" -#: ClientCommand.cpp:1796 +#: ClientCommand.cpp:1814 msgctxt "helpcmd|SetBindHost|desc" msgid "Set the bind host for this network" msgstr "Stel de bindhost in voor dit netwerk" -#: ClientCommand.cpp:1800 +#: ClientCommand.cpp:1818 msgctxt "helpcmd|SetUserBindHost|args" msgid "" msgstr "" -#: ClientCommand.cpp:1801 +#: ClientCommand.cpp:1819 msgctxt "helpcmd|SetUserBindHost|desc" msgid "Set the default bind host for this user" msgstr "Stel de bindhost in voor deze gebruiker" -#: ClientCommand.cpp:1804 +#: ClientCommand.cpp:1822 msgctxt "helpcmd|ClearBindHost|desc" msgid "Clear the bind host for this network" msgstr "Wis de bindhost voor dit netwerk" -#: ClientCommand.cpp:1807 +#: ClientCommand.cpp:1825 msgctxt "helpcmd|ClearUserBindHost|desc" msgid "Clear the default bind host for this user" msgstr "Wis de standaard bindhost voor deze gebruiker" -#: ClientCommand.cpp:1813 +#: ClientCommand.cpp:1831 msgctxt "helpcmd|ShowBindHost|desc" msgid "Show currently selected bind host" msgstr "Toon huidig geselecteerde bindhost" -#: ClientCommand.cpp:1815 +#: ClientCommand.cpp:1833 msgctxt "helpcmd|Jump|args" msgid "[server]" msgstr "[server]" -#: ClientCommand.cpp:1816 +#: ClientCommand.cpp:1834 msgctxt "helpcmd|Jump|desc" msgid "Jump to the next or the specified server" msgstr "Spring naar de volgende of de gekozen server" -#: ClientCommand.cpp:1817 +#: ClientCommand.cpp:1835 msgctxt "helpcmd|Disconnect|args" msgid "[message]" msgstr "[bericht]" -#: ClientCommand.cpp:1818 +#: ClientCommand.cpp:1836 msgctxt "helpcmd|Disconnect|desc" msgid "Disconnect from IRC" msgstr "Verbreek verbinding met IRC" -#: ClientCommand.cpp:1820 +#: ClientCommand.cpp:1838 msgctxt "helpcmd|Connect|desc" msgid "Reconnect to IRC" msgstr "Verbind opnieuw met IRC" -#: ClientCommand.cpp:1823 +#: ClientCommand.cpp:1841 msgctxt "helpcmd|Uptime|desc" msgid "Show for how long ZNC has been running" msgstr "Laat zien hoe lang ZNC al draait" -#: ClientCommand.cpp:1827 +#: ClientCommand.cpp:1845 msgctxt "helpcmd|LoadMod|args" msgid "[--type=global|user|network] [args]" msgstr "[--type=global|user|network] [args]" -#: ClientCommand.cpp:1829 +#: ClientCommand.cpp:1847 msgctxt "helpcmd|LoadMod|desc" msgid "Load a module" msgstr "Laad een module" -#: ClientCommand.cpp:1831 +#: ClientCommand.cpp:1849 msgctxt "helpcmd|UnloadMod|args" msgid "[--type=global|user|network] " msgstr "[--type=global|user|network] " -#: ClientCommand.cpp:1833 +#: ClientCommand.cpp:1851 msgctxt "helpcmd|UnloadMod|desc" msgid "Unload a module" msgstr "Stop een module" -#: ClientCommand.cpp:1835 +#: ClientCommand.cpp:1853 msgctxt "helpcmd|ReloadMod|args" msgid "[--type=global|user|network] [args]" msgstr "[--type=global|user|network] [args]" -#: ClientCommand.cpp:1837 +#: ClientCommand.cpp:1855 msgctxt "helpcmd|ReloadMod|desc" msgid "Reload a module" msgstr "Herlaad een module" -#: ClientCommand.cpp:1840 +#: ClientCommand.cpp:1858 msgctxt "helpcmd|UpdateMod|args" msgid "" msgstr "" -#: ClientCommand.cpp:1841 +#: ClientCommand.cpp:1859 msgctxt "helpcmd|UpdateMod|desc" msgid "Reload a module everywhere" msgstr "Herlaad een module overal" -#: ClientCommand.cpp:1847 +#: ClientCommand.cpp:1865 msgctxt "helpcmd|ShowMOTD|desc" msgid "Show ZNC's message of the day" msgstr "Laat ZNC's bericht van de dag zien" -#: ClientCommand.cpp:1851 +#: ClientCommand.cpp:1869 msgctxt "helpcmd|SetMOTD|args" msgid "" msgstr "" -#: ClientCommand.cpp:1852 +#: ClientCommand.cpp:1870 msgctxt "helpcmd|SetMOTD|desc" msgid "Set ZNC's message of the day" msgstr "Stel ZNC's bericht van de dag in" -#: ClientCommand.cpp:1854 +#: ClientCommand.cpp:1872 msgctxt "helpcmd|AddMOTD|args" msgid "" msgstr "" -#: ClientCommand.cpp:1855 +#: ClientCommand.cpp:1873 msgctxt "helpcmd|AddMOTD|desc" msgid "Append to ZNC's MOTD" msgstr "Voeg toe aan ZNC's bericht van de dag" -#: ClientCommand.cpp:1857 +#: ClientCommand.cpp:1875 msgctxt "helpcmd|ClearMOTD|desc" msgid "Clear ZNC's MOTD" msgstr "Wis ZNC's bericht van de dag" -#: ClientCommand.cpp:1860 +#: ClientCommand.cpp:1878 msgctxt "helpcmd|ListPorts|desc" msgid "Show all active listeners" msgstr "Laat alle actieve luisteraars zien" -#: ClientCommand.cpp:1862 +#: ClientCommand.cpp:1880 msgctxt "helpcmd|AddPort|args" msgid "<[+]port> [bindhost [uriprefix]]" msgstr "<[+]poort> [bindhost [urivoorvoegsel]]" -#: ClientCommand.cpp:1865 +#: ClientCommand.cpp:1883 msgctxt "helpcmd|AddPort|desc" msgid "Add another port for ZNC to listen on" msgstr "Voeg nog een poort toe voor ZNC om te luisteren" -#: ClientCommand.cpp:1869 +#: ClientCommand.cpp:1887 msgctxt "helpcmd|DelPort|args" msgid " [bindhost]" msgstr " [bindhost]" -#: ClientCommand.cpp:1870 +#: ClientCommand.cpp:1888 msgctxt "helpcmd|DelPort|desc" msgid "Remove a port from ZNC" msgstr "Haal een poort weg van ZNC" -#: ClientCommand.cpp:1873 +#: ClientCommand.cpp:1891 msgctxt "helpcmd|Rehash|desc" msgid "Reload global settings, modules, and listeners from znc.conf" msgstr "Herlaad algemene instelling, modules en luisteraars van znc.conf" -#: ClientCommand.cpp:1876 +#: ClientCommand.cpp:1894 msgctxt "helpcmd|SaveConfig|desc" msgid "Save the current settings to disk" msgstr "Huidige instellingen opslaan in bestand" -#: ClientCommand.cpp:1879 +#: ClientCommand.cpp:1897 msgctxt "helpcmd|ListUsers|desc" msgid "List all ZNC users and their connection status" msgstr "Toon alle ZNC gebruikers en hun verbinding status" -#: ClientCommand.cpp:1882 +#: ClientCommand.cpp:1900 msgctxt "helpcmd|ListAllUserNetworks|desc" msgid "List all ZNC users and their networks" msgstr "Toon alle ZNC gebruikers en hun netwerken" -#: ClientCommand.cpp:1885 +#: ClientCommand.cpp:1903 msgctxt "helpcmd|ListChans|args" msgid "[user ]" msgstr "[gebruiker ]" -#: ClientCommand.cpp:1888 +#: ClientCommand.cpp:1906 msgctxt "helpcmd|ListClients|args" msgid "[user]" msgstr "[gebruiker]" -#: ClientCommand.cpp:1889 +#: ClientCommand.cpp:1907 msgctxt "helpcmd|ListClients|desc" msgid "List all connected clients" msgstr "Toon alle verbonden clients" -#: ClientCommand.cpp:1891 +#: ClientCommand.cpp:1909 msgctxt "helpcmd|Traffic|desc" msgid "Show basic traffic stats for all ZNC users" msgstr "Toon basis verkeer statistieken voor alle ZNC gebruikers" -#: ClientCommand.cpp:1893 +#: ClientCommand.cpp:1911 msgctxt "helpcmd|Broadcast|args" msgid "[message]" msgstr "[bericht]" -#: ClientCommand.cpp:1894 +#: ClientCommand.cpp:1912 msgctxt "helpcmd|Broadcast|desc" msgid "Broadcast a message to all ZNC users" msgstr "Zend een bericht naar alle ZNC gebruikers" -#: ClientCommand.cpp:1897 +#: ClientCommand.cpp:1915 msgctxt "helpcmd|Shutdown|args" msgid "[message]" msgstr "[bericht]" -#: ClientCommand.cpp:1898 +#: ClientCommand.cpp:1916 msgctxt "helpcmd|Shutdown|desc" msgid "Shut down ZNC completely" msgstr "Sluit ZNC in zijn geheel af" -#: ClientCommand.cpp:1899 +#: ClientCommand.cpp:1917 msgctxt "helpcmd|Restart|args" msgid "[message]" msgstr "[bericht]" -#: ClientCommand.cpp:1900 +#: ClientCommand.cpp:1918 msgctxt "helpcmd|Restart|desc" msgid "Restart ZNC" msgstr "Herstart ZNC" diff --git a/src/po/znc.pl_PL.po b/src/po/znc.pl_PL.po index 8a0697d1..37df678d 100644 --- a/src/po/znc.pl_PL.po +++ b/src/po/znc.pl_PL.po @@ -76,7 +76,7 @@ msgstr "Nie udało się odnaleźć pliku pem: {1}" msgid "Invalid port" msgstr "Nieprawidłowy port" -#: znc.cpp:1813 ClientCommand.cpp:1637 +#: znc.cpp:1813 ClientCommand.cpp:1655 msgid "Unable to bind: {1}" msgstr "Nie udało się przypiąć: {1}" @@ -117,68 +117,68 @@ msgstr "" msgid "Some module aborted the connection attempt" msgstr "Jakiś moduł przerwał próbę połączenia" -#: IRCSock.cpp:490 +#: IRCSock.cpp:492 msgid "Error from server: {1}" msgstr "Błąd z serwera: {1}" -#: IRCSock.cpp:692 +#: IRCSock.cpp:694 msgid "ZNC seems to be connected to itself, disconnecting..." msgstr "Wygląda na to że ZNC jest połączony sam do siebie, rozłączanie..." -#: IRCSock.cpp:739 +#: IRCSock.cpp:741 msgid "Server {1} redirects us to {2}:{3} with reason: {4}" msgstr "Serwer {1} przekierowuje nas do {2}:{3} z powodu: {4}" -#: IRCSock.cpp:743 +#: IRCSock.cpp:745 msgid "Perhaps you want to add it as a new server." msgstr "Być może chcesz dodać go jako nowy serwer." -#: IRCSock.cpp:973 +#: IRCSock.cpp:975 msgid "Channel {1} is linked to another channel and was thus disabled." msgstr "Kanał {1} jest połączony z innym kanałem i dlatego został zablokowany." -#: IRCSock.cpp:985 +#: IRCSock.cpp:987 msgid "Switched to SSL (STARTTLS)" msgstr "Przełączono na SSL (STARTTLS)" -#: IRCSock.cpp:1038 +#: IRCSock.cpp:1040 msgid "You quit: {1}" msgstr "Opuszczono sieć: {1}" -#: IRCSock.cpp:1244 +#: IRCSock.cpp:1246 msgid "Disconnected from IRC. Reconnecting..." msgstr "Rozłączono z IRC. Łączenie się ponownie..." -#: IRCSock.cpp:1275 +#: IRCSock.cpp:1277 msgid "Cannot connect to IRC ({1}). Retrying..." msgstr "Nie można połączyć się z IRC ({1}). Próbowanie ponownie..." -#: IRCSock.cpp:1278 +#: IRCSock.cpp:1280 msgid "Disconnected from IRC ({1}). Reconnecting..." msgstr "Rołączono z IRC ({1}). Łączenie się ponownie..." -#: IRCSock.cpp:1314 +#: IRCSock.cpp:1316 msgid "If you trust this certificate, do /znc AddTrustedServerFingerprint {1}" msgstr "" "Jeżeli ufasz temu certyfikatowi, wykonaj /znc AddTrustedServerFingerprint {1}" -#: IRCSock.cpp:1323 +#: IRCSock.cpp:1325 msgid "IRC connection timed out. Reconnecting..." msgstr "Przekroczono limit czasu połączenia IRC. Łączenie się ponownie..." -#: IRCSock.cpp:1335 +#: IRCSock.cpp:1337 msgid "Connection Refused. Reconnecting..." msgstr "Połączenie odrzucone. Łączenie się ponownie..." -#: IRCSock.cpp:1343 +#: IRCSock.cpp:1345 msgid "Received a too long line from the IRC server!" msgstr "Otrzymano zbyt długą linię z serwera IRC!" -#: IRCSock.cpp:1447 +#: IRCSock.cpp:1449 msgid "No free nick available" msgstr "Brak dostępnego wolnego pseudonimu" -#: IRCSock.cpp:1455 +#: IRCSock.cpp:1457 msgid "No free nick found" msgstr "Nie znaleziono wolnego pseudonimu" @@ -240,31 +240,32 @@ msgid "" msgstr "" "Trwa rozłączanie, ponieważ inny użytkownik właśnie uwierzytelnił się jako Ty." -#: Client.cpp:1021 +#: Client.cpp:1022 msgid "Your CTCP to {1} got lost, you are not connected to IRC!" msgstr "Twoje CTCP do {1} zostało zgubione, nie jesteś połączony z IRC!" -#: Client.cpp:1147 +#: Client.cpp:1148 msgid "Your notice to {1} got lost, you are not connected to IRC!" msgstr "Twoje powiadomienie do {1} zostało zgubione, nie połączono z IRC!" -#: Client.cpp:1186 +#: Client.cpp:1187 msgid "Removing channel {1}" msgstr "Usuwanie kanału {1}" -#: Client.cpp:1264 +#: Client.cpp:1265 msgid "Your message to {1} got lost, you are not connected to IRC!" msgstr "Twoja wiadomość do {1} została zgubiona, nie jesteś połączony z IRC!" -#: Client.cpp:1317 Client.cpp:1323 +#: Client.cpp:1318 Client.cpp:1324 msgid "Hello. How may I help you?" msgstr "Witaj. Jak mogę ci pomóc?" -#: Client.cpp:1337 +#: Client.cpp:1338 msgid "Usage: /attach <#chans>" msgstr "Użycie: /attach <#kanały>" -#: Client.cpp:1344 Client.cpp:1366 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: Client.cpp:1345 Client.cpp:1367 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: ClientCommand.cpp:423 ClientCommand.cpp:450 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" msgstr[0] "Jest {1} kanał pasujący do [{2}]" @@ -272,7 +273,7 @@ msgstr[1] "" msgstr[2] "" msgstr[3] "" -#: Client.cpp:1347 ClientCommand.cpp:132 +#: Client.cpp:1348 ClientCommand.cpp:132 msgid "Attached {1} channel" msgid_plural "Attached {1} channels" msgstr[0] "Podłączony {1} kanał" @@ -280,11 +281,11 @@ msgstr[1] "" msgstr[2] "" msgstr[3] "" -#: Client.cpp:1359 +#: Client.cpp:1360 msgid "Usage: /detach <#chans>" msgstr "Użycie: /detach <#kanały>" -#: Client.cpp:1369 ClientCommand.cpp:154 +#: Client.cpp:1370 ClientCommand.cpp:154 msgid "Detached {1} channel" msgid_plural "Detached {1} channels" msgstr[0] "Odpięto kanał {1}" @@ -310,7 +311,7 @@ msgctxt "modhelpcmd" msgid "Generate this output" msgstr "Tworzy ten wynik" -#: Modules.cpp:573 ClientCommand.cpp:1904 +#: Modules.cpp:573 ClientCommand.cpp:1922 msgid "No matches for '{1}'" msgstr "Brak dopasowań dla '{1}'" @@ -421,11 +422,12 @@ msgid "Description" msgstr "Opis" #: ClientCommand.cpp:51 ClientCommand.cpp:115 ClientCommand.cpp:137 -#: ClientCommand.cpp:749 ClientCommand.cpp:768 ClientCommand.cpp:794 -#: ClientCommand.cpp:827 ClientCommand.cpp:840 ClientCommand.cpp:853 -#: ClientCommand.cpp:868 ClientCommand.cpp:1329 ClientCommand.cpp:1377 -#: ClientCommand.cpp:1409 ClientCommand.cpp:1420 ClientCommand.cpp:1429 -#: ClientCommand.cpp:1441 +#: ClientCommand.cpp:339 ClientCommand.cpp:390 ClientCommand.cpp:405 +#: ClientCommand.cpp:432 ClientCommand.cpp:459 ClientCommand.cpp:764 +#: ClientCommand.cpp:783 ClientCommand.cpp:809 ClientCommand.cpp:843 +#: ClientCommand.cpp:856 ClientCommand.cpp:869 ClientCommand.cpp:884 +#: ClientCommand.cpp:1345 ClientCommand.cpp:1393 ClientCommand.cpp:1425 +#: ClientCommand.cpp:1436 ClientCommand.cpp:1445 ClientCommand.cpp:1457 msgid "You must be connected with a network to use this command" msgstr "Aby korzystać z tego polecenia, musisz być podłączony z siecią" @@ -485,87 +487,252 @@ msgstr "Zapisano konfigurację do {1}" msgid "Error while trying to write config." msgstr "Błąd podczas próby zapisu konfiguracji." -#: ClientCommand.cpp:455 +#: ClientCommand.cpp:183 +msgid "Usage: ListClients" +msgstr "" + +#: ClientCommand.cpp:190 +msgid "No such user: {1}" +msgstr "" + +#: ClientCommand.cpp:198 +msgid "No clients are connected" +msgstr "" + +#: ClientCommand.cpp:203 ClientCommand.cpp:209 +msgctxt "listclientscmd" +msgid "Host" +msgstr "" + +#: ClientCommand.cpp:204 ClientCommand.cpp:212 +msgctxt "listclientscmd" +msgid "Network" +msgstr "" + +#: ClientCommand.cpp:205 ClientCommand.cpp:215 +msgctxt "listclientscmd" +msgid "Identifier" +msgstr "" + +#: ClientCommand.cpp:223 ClientCommand.cpp:229 +msgctxt "listuserscmd" +msgid "Username" +msgstr "" + +#: ClientCommand.cpp:224 ClientCommand.cpp:230 +msgctxt "listuserscmd" +msgid "Networks" +msgstr "" + +#: ClientCommand.cpp:225 ClientCommand.cpp:232 +msgctxt "listuserscmd" +msgid "Clients" +msgstr "" + +#: ClientCommand.cpp:240 ClientCommand.cpp:250 ClientCommand.cpp:260 +#: ClientCommand.cpp:263 +msgctxt "listallusernetworkscmd" +msgid "Username" +msgstr "" + +#: ClientCommand.cpp:241 ClientCommand.cpp:251 ClientCommand.cpp:266 +msgctxt "listallusernetworkscmd" +msgid "Network" +msgstr "" + +#: ClientCommand.cpp:242 ClientCommand.cpp:252 ClientCommand.cpp:268 +msgctxt "listallusernetworkscmd" +msgid "Clients" +msgstr "" + +#: ClientCommand.cpp:243 ClientCommand.cpp:271 ClientCommand.cpp:280 +msgctxt "listallusernetworkscmd" +msgid "On IRC" +msgstr "" + +#: ClientCommand.cpp:244 ClientCommand.cpp:273 +msgctxt "listallusernetworkscmd" +msgid "IRC Server" +msgstr "" + +#: ClientCommand.cpp:245 ClientCommand.cpp:275 +msgctxt "listallusernetworkscmd" +msgid "IRC User" +msgstr "" + +#: ClientCommand.cpp:246 ClientCommand.cpp:277 +msgctxt "listallusernetworkscmd" +msgid "Channels" +msgstr "" + +#: ClientCommand.cpp:251 +msgid "N/A" +msgstr "" + +#: ClientCommand.cpp:272 +msgctxt "listallusernetworkscmd" +msgid "Yes" +msgstr "" + +#: ClientCommand.cpp:281 +msgctxt "listallusernetworkscmd" +msgid "No" +msgstr "" + +#: ClientCommand.cpp:291 +msgid "Usage: SetMOTD " +msgstr "" + +#: ClientCommand.cpp:294 +msgid "MOTD set to: {1}" +msgstr "" + +#: ClientCommand.cpp:300 +msgid "Usage: AddMOTD " +msgstr "" + +#: ClientCommand.cpp:303 +msgid "Added [{1}] to MOTD" +msgstr "" + +#: ClientCommand.cpp:307 +msgid "Cleared MOTD" +msgstr "" + +#: ClientCommand.cpp:329 +msgid "" +"ERROR: Writing config file to disk failed! Aborting. Use {1} FORCE to ignore." +msgstr "" + +#: ClientCommand.cpp:344 ClientCommand.cpp:797 ClientCommand.cpp:838 +msgid "You don't have any servers added." +msgstr "Nie dodano żadnych serwerów." + +#: ClientCommand.cpp:355 +msgid "Server [{1}] not found" +msgstr "" + +#: ClientCommand.cpp:375 ClientCommand.cpp:380 +msgid "Connecting to {1}..." +msgstr "" + +#: ClientCommand.cpp:377 +msgid "Jumping to the next server in the list..." +msgstr "" + +#: ClientCommand.cpp:382 +msgid "Connecting..." +msgstr "" + +#: ClientCommand.cpp:400 +msgid "Disconnected from IRC. Use 'connect' to reconnect." +msgstr "" + +#: ClientCommand.cpp:412 +msgid "Usage: EnableChan <#chans>" +msgstr "" + +#: ClientCommand.cpp:426 +msgid "Enabled {1} channel" +msgid_plural "Enabled {1} channels" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" + +#: ClientCommand.cpp:439 +msgid "Usage: DisableChan <#chans>" +msgstr "" + +#: ClientCommand.cpp:453 +msgid "Disabled {1} channel" +msgid_plural "Disabled {1} channels" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" + +#: ClientCommand.cpp:470 msgid "Usage: ListChans" msgstr "Użycie: ListChans" -#: ClientCommand.cpp:462 +#: ClientCommand.cpp:477 msgid "No such user [{1}]" msgstr "Nie ma takiego użytkownika [{1}]" -#: ClientCommand.cpp:468 +#: ClientCommand.cpp:483 msgid "User [{1}] doesn't have network [{2}]" msgstr "Użytkownik [{1}] nie ma sieci [{2}]" -#: ClientCommand.cpp:479 +#: ClientCommand.cpp:494 msgid "There are no channels defined." msgstr "Nie ma zdefiniowanych kanałów." -#: ClientCommand.cpp:484 ClientCommand.cpp:500 +#: ClientCommand.cpp:499 ClientCommand.cpp:515 msgctxt "listchans" msgid "Name" msgstr "Nazwa" -#: ClientCommand.cpp:485 ClientCommand.cpp:503 +#: ClientCommand.cpp:500 ClientCommand.cpp:518 msgctxt "listchans" msgid "Status" msgstr "Status" -#: ClientCommand.cpp:486 ClientCommand.cpp:510 +#: ClientCommand.cpp:501 ClientCommand.cpp:525 msgctxt "listchans" msgid "In config" msgstr "W pliku konfiguracyjnym?" -#: ClientCommand.cpp:487 ClientCommand.cpp:512 +#: ClientCommand.cpp:502 ClientCommand.cpp:527 msgctxt "listchans" msgid "Buffer" msgstr "Bufor" -#: ClientCommand.cpp:488 ClientCommand.cpp:516 +#: ClientCommand.cpp:503 ClientCommand.cpp:531 msgctxt "listchans" msgid "Clear" msgstr "Czyszczenie bufora?" -#: ClientCommand.cpp:489 ClientCommand.cpp:521 +#: ClientCommand.cpp:504 ClientCommand.cpp:536 msgctxt "listchans" msgid "Modes" msgstr "Tryby" -#: ClientCommand.cpp:490 ClientCommand.cpp:522 +#: ClientCommand.cpp:505 ClientCommand.cpp:537 msgctxt "listchans" msgid "Users" msgstr "Użytkownicy" -#: ClientCommand.cpp:505 +#: ClientCommand.cpp:520 msgctxt "listchans" msgid "Detached" msgstr "Odpięto" -#: ClientCommand.cpp:506 +#: ClientCommand.cpp:521 msgctxt "listchans" msgid "Joined" msgstr "Dołączono" -#: ClientCommand.cpp:507 +#: ClientCommand.cpp:522 msgctxt "listchans" msgid "Disabled" msgstr "Wyłączono" -#: ClientCommand.cpp:508 +#: ClientCommand.cpp:523 msgctxt "listchans" msgid "Trying" msgstr "Próbowanie" -#: ClientCommand.cpp:511 ClientCommand.cpp:519 +#: ClientCommand.cpp:526 ClientCommand.cpp:534 msgctxt "listchans" msgid "yes" msgstr "tak" -#: ClientCommand.cpp:536 +#: ClientCommand.cpp:551 msgid "Total: {1}, Joined: {2}, Detached: {3}, Disabled: {4}" msgstr "Sumarycznie: {1}, Dołączonych: {2}, Odpiętych: {3}, Wyłączonych: {4}" -#: ClientCommand.cpp:541 +#: ClientCommand.cpp:556 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks using /znc DelNetwork " @@ -574,15 +741,15 @@ msgstr "" "limitu dla Ciebie lub usuń niepotrzebne sieci za pomocą /znc DelNetwork " "" -#: ClientCommand.cpp:550 +#: ClientCommand.cpp:565 msgid "Usage: AddNetwork " msgstr "Użycie: AddNetwork " -#: ClientCommand.cpp:554 +#: ClientCommand.cpp:569 msgid "Network name should be alphanumeric" msgstr "Nazwa sieci musi być alfanumeryczna" -#: ClientCommand.cpp:561 +#: ClientCommand.cpp:576 msgid "" "Network added. Use /znc JumpNetwork {1}, or connect to ZNC with username {2} " "(instead of just {3}) to connect to it." @@ -591,138 +758,138 @@ msgstr "" "zmodyfikowanej nazwy użytkownika {2} (zamiast tylko {3}), aby się połączyć z " "tą siecią." -#: ClientCommand.cpp:566 +#: ClientCommand.cpp:581 msgid "Unable to add that network" msgstr "Nie można dodać tej sieci" -#: ClientCommand.cpp:573 +#: ClientCommand.cpp:588 msgid "Usage: DelNetwork " msgstr "Użycie: DelNetwork " -#: ClientCommand.cpp:582 +#: ClientCommand.cpp:597 msgid "Network deleted" msgstr "Usunięto sieć" -#: ClientCommand.cpp:585 +#: ClientCommand.cpp:600 msgid "Failed to delete network, perhaps this network doesn't exist" msgstr "Nie udało się usunąć sieci, być może ta sieć nie istnieje" -#: ClientCommand.cpp:595 +#: ClientCommand.cpp:610 msgid "User {1} not found" msgstr "Użytkownik {1} nie odnaleziony" -#: ClientCommand.cpp:603 ClientCommand.cpp:611 +#: ClientCommand.cpp:618 ClientCommand.cpp:626 msgctxt "listnetworks" msgid "Network" msgstr "Sieć" -#: ClientCommand.cpp:604 ClientCommand.cpp:613 ClientCommand.cpp:622 +#: ClientCommand.cpp:619 ClientCommand.cpp:628 ClientCommand.cpp:637 msgctxt "listnetworks" msgid "On IRC" msgstr "Na IRC" -#: ClientCommand.cpp:605 ClientCommand.cpp:615 +#: ClientCommand.cpp:620 ClientCommand.cpp:630 msgctxt "listnetworks" msgid "IRC Server" msgstr "Serwer IRC" -#: ClientCommand.cpp:606 ClientCommand.cpp:617 +#: ClientCommand.cpp:621 ClientCommand.cpp:632 msgctxt "listnetworks" msgid "IRC User" msgstr "Użytkownik IRC" -#: ClientCommand.cpp:607 ClientCommand.cpp:619 +#: ClientCommand.cpp:622 ClientCommand.cpp:634 msgctxt "listnetworks" msgid "Channels" msgstr "Kanały" -#: ClientCommand.cpp:614 +#: ClientCommand.cpp:629 msgctxt "listnetworks" msgid "Yes" msgstr "Tak" -#: ClientCommand.cpp:623 +#: ClientCommand.cpp:638 msgctxt "listnetworks" msgid "No" msgstr "Nie" -#: ClientCommand.cpp:628 +#: ClientCommand.cpp:643 msgctxt "listnetworks" msgid "No networks" msgstr "Brak sieci" -#: ClientCommand.cpp:632 ClientCommand.cpp:936 +#: ClientCommand.cpp:647 ClientCommand.cpp:952 msgid "Access denied." msgstr "Odmowa dostępu." -#: ClientCommand.cpp:643 +#: ClientCommand.cpp:658 msgid "Usage: MoveNetwork [new network]" msgstr "" "Użycie: MoveNetwork " "[nowa_sieć]" -#: ClientCommand.cpp:653 +#: ClientCommand.cpp:668 msgid "Old user {1} not found." msgstr "Nie znaleziono starego użytkownika {1}." -#: ClientCommand.cpp:659 +#: ClientCommand.cpp:674 msgid "Old network {1} not found." msgstr "Nie znaleziono starej sieci {1}." -#: ClientCommand.cpp:665 +#: ClientCommand.cpp:680 msgid "New user {1} not found." msgstr "Nie znaleziono nowego użytkownika {1}." -#: ClientCommand.cpp:670 +#: ClientCommand.cpp:685 msgid "User {1} already has network {2}." msgstr "Użytkownik {1} ma już sieć {2}." -#: ClientCommand.cpp:676 +#: ClientCommand.cpp:691 msgid "Invalid network name [{1}]" msgstr "Nieprawidłowa nazwa sieci [{1}]" -#: ClientCommand.cpp:692 +#: ClientCommand.cpp:707 msgid "Some files seem to be in {1}. You might want to move them to {2}" msgstr "Niektóre pliki zdają się być w {1}. Może chcesz je przenieść do {2}" -#: ClientCommand.cpp:706 +#: ClientCommand.cpp:721 msgid "Error adding network: {1}" msgstr "Błąd podczas dodawania sieci: {1}" -#: ClientCommand.cpp:718 +#: ClientCommand.cpp:733 msgid "Success." msgstr "Powodzenie." -#: ClientCommand.cpp:721 +#: ClientCommand.cpp:736 msgid "Copied the network to new user, but failed to delete old network" msgstr "" "Skopiowano sieć do nowego użytkownika, ale nie udało się usunąć starej sieci" -#: ClientCommand.cpp:728 +#: ClientCommand.cpp:743 msgid "No network supplied." msgstr "Nie podano sieci." -#: ClientCommand.cpp:733 +#: ClientCommand.cpp:748 msgid "You are already connected with this network." msgstr "Jesteś już połączony z tą siecią." -#: ClientCommand.cpp:739 +#: ClientCommand.cpp:754 msgid "Switched to {1}" msgstr "Przełączono na {1}" -#: ClientCommand.cpp:742 +#: ClientCommand.cpp:757 msgid "You don't have a network named {1}" msgstr "Nie masz sieci pod nazwą {1}" -#: ClientCommand.cpp:754 +#: ClientCommand.cpp:769 msgid "Usage: AddServer [[+]port] [pass]" msgstr "Użycie: AddServer [[+]port] [hasło]" -#: ClientCommand.cpp:759 +#: ClientCommand.cpp:774 msgid "Server added" msgstr "Dodano serwer" -#: ClientCommand.cpp:762 +#: ClientCommand.cpp:777 msgid "" "Unable to add that server. Perhaps the server is already added or openssl is " "disabled?" @@ -730,239 +897,235 @@ msgstr "" "Nie można dodać tego serwera. Może serwer został już dodany lub OpenSSL jest " "wyłączony?" -#: ClientCommand.cpp:777 +#: ClientCommand.cpp:792 msgid "Usage: DelServer [port] [pass]" msgstr "Użycie: DelServer [port] [hasło]" -#: ClientCommand.cpp:782 ClientCommand.cpp:822 -msgid "You don't have any servers added." -msgstr "Nie dodano żadnych serwerów." - -#: ClientCommand.cpp:787 +#: ClientCommand.cpp:802 msgid "Server removed" msgstr "Usunięto serwer" -#: ClientCommand.cpp:789 +#: ClientCommand.cpp:804 msgid "No such server" msgstr "Nie ma takiego serwera" -#: ClientCommand.cpp:802 ClientCommand.cpp:809 +#: ClientCommand.cpp:817 ClientCommand.cpp:825 msgctxt "listservers" msgid "Host" msgstr "Host" -#: ClientCommand.cpp:803 ClientCommand.cpp:811 +#: ClientCommand.cpp:818 ClientCommand.cpp:827 msgctxt "listservers" msgid "Port" msgstr "Port" -#: ClientCommand.cpp:804 ClientCommand.cpp:814 +#: ClientCommand.cpp:819 ClientCommand.cpp:830 msgctxt "listservers" msgid "SSL" msgstr "SSL" -#: ClientCommand.cpp:805 ClientCommand.cpp:816 +#: ClientCommand.cpp:820 ClientCommand.cpp:832 msgctxt "listservers" msgid "Password" msgstr "Hasło" -#: ClientCommand.cpp:815 +#: ClientCommand.cpp:831 msgctxt "listservers|cell" msgid "SSL" msgstr "SSL" -#: ClientCommand.cpp:832 +#: ClientCommand.cpp:848 msgid "Usage: AddTrustedServerFingerprint " msgstr "Użycie: AddTrustedServerFingerprint " -#: ClientCommand.cpp:836 ClientCommand.cpp:849 +#: ClientCommand.cpp:852 ClientCommand.cpp:865 msgid "Done." msgstr "Zrobione." -#: ClientCommand.cpp:845 +#: ClientCommand.cpp:861 msgid "Usage: DelTrustedServerFingerprint " msgstr "Użycie: DelTrustedServerFingerprint " -#: ClientCommand.cpp:858 +#: ClientCommand.cpp:874 msgid "No fingerprints added." msgstr "Nie dodano odcisków palców." -#: ClientCommand.cpp:874 ClientCommand.cpp:880 +#: ClientCommand.cpp:890 ClientCommand.cpp:896 msgctxt "topicscmd" msgid "Channel" msgstr "Kanał" -#: ClientCommand.cpp:875 ClientCommand.cpp:881 +#: ClientCommand.cpp:891 ClientCommand.cpp:897 msgctxt "topicscmd" msgid "Set By" msgstr "Ustawiony przez" -#: ClientCommand.cpp:876 ClientCommand.cpp:882 +#: ClientCommand.cpp:892 ClientCommand.cpp:898 msgctxt "topicscmd" msgid "Topic" msgstr "Temat" -#: ClientCommand.cpp:889 ClientCommand.cpp:894 +#: ClientCommand.cpp:905 ClientCommand.cpp:910 msgctxt "listmods" msgid "Name" msgstr "Nazwa" -#: ClientCommand.cpp:890 ClientCommand.cpp:895 +#: ClientCommand.cpp:906 ClientCommand.cpp:911 msgctxt "listmods" msgid "Arguments" msgstr "Argumenty" -#: ClientCommand.cpp:904 +#: ClientCommand.cpp:920 msgid "No global modules loaded." msgstr "Nie załadowano żadnych modułów globalnych." -#: ClientCommand.cpp:906 ClientCommand.cpp:970 +#: ClientCommand.cpp:922 ClientCommand.cpp:986 msgid "Global modules:" msgstr "Moduły globalne:" -#: ClientCommand.cpp:915 +#: ClientCommand.cpp:931 msgid "Your user has no modules loaded." msgstr "Twój użytkownik nie ma załadowanych modułów." -#: ClientCommand.cpp:917 ClientCommand.cpp:982 +#: ClientCommand.cpp:933 ClientCommand.cpp:998 msgid "User modules:" msgstr "Moduły użytkownika:" -#: ClientCommand.cpp:925 +#: ClientCommand.cpp:941 msgid "This network has no modules loaded." msgstr "Ta sieć nie ma załadowanych modułów." -#: ClientCommand.cpp:927 ClientCommand.cpp:994 +#: ClientCommand.cpp:943 ClientCommand.cpp:1010 msgid "Network modules:" msgstr "Moduły sieci:" -#: ClientCommand.cpp:942 ClientCommand.cpp:949 +#: ClientCommand.cpp:958 ClientCommand.cpp:965 msgctxt "listavailmods" msgid "Name" msgstr "Nazwa" -#: ClientCommand.cpp:943 ClientCommand.cpp:954 +#: ClientCommand.cpp:959 ClientCommand.cpp:970 msgctxt "listavailmods" msgid "Description" msgstr "Opis" -#: ClientCommand.cpp:968 +#: ClientCommand.cpp:984 msgid "No global modules available." msgstr "Brak dostępnych modułów globalnych." -#: ClientCommand.cpp:980 +#: ClientCommand.cpp:996 msgid "No user modules available." msgstr "Brak dostępnych modułów użytkownika." -#: ClientCommand.cpp:992 +#: ClientCommand.cpp:1008 msgid "No network modules available." msgstr "Brak dostępnych modułów sieci." -#: ClientCommand.cpp:1020 +#: ClientCommand.cpp:1036 msgid "Unable to load {1}: Access denied." msgstr "Nie można załadować {1}: Odmowa dostępu." -#: ClientCommand.cpp:1026 +#: ClientCommand.cpp:1042 msgid "Usage: LoadMod [--type=global|user|network] [args]" msgstr "Użycie: LoadMod [--type=global|user|network] [argumenty]" -#: ClientCommand.cpp:1033 +#: ClientCommand.cpp:1049 msgid "Unable to load {1}: {2}" msgstr "Nie można załadować {1}: {2}" -#: ClientCommand.cpp:1043 +#: ClientCommand.cpp:1059 msgid "Unable to load global module {1}: Access denied." msgstr "Nie można załadować modułu globalnego {1}: Odmowa dostępu." -#: ClientCommand.cpp:1049 +#: ClientCommand.cpp:1065 msgid "Unable to load network module {1}: Not connected with a network." msgstr "Nie udało się załadować modułu sieci {1}: Nie połączono z siecią." -#: ClientCommand.cpp:1071 +#: ClientCommand.cpp:1087 msgid "Unknown module type" msgstr "Nieznany typ modułu" -#: ClientCommand.cpp:1076 +#: ClientCommand.cpp:1092 msgid "Loaded module {1}" msgstr "Załadowano moduł {1}" -#: ClientCommand.cpp:1078 +#: ClientCommand.cpp:1094 msgid "Loaded module {1}: {2}" msgstr "Załadowano moduł {1}: {2}" -#: ClientCommand.cpp:1081 +#: ClientCommand.cpp:1097 msgid "Unable to load module {1}: {2}" msgstr "Nie udało się załadować modułu {1}: {2}" -#: ClientCommand.cpp:1104 +#: ClientCommand.cpp:1120 msgid "Unable to unload {1}: Access denied." msgstr "Nie udało się wyładować {1}: Odmowa dostępu." -#: ClientCommand.cpp:1110 +#: ClientCommand.cpp:1126 msgid "Usage: UnloadMod [--type=global|user|network] " msgstr "Użycie: UnloadMod [--type=global|user|network] " -#: ClientCommand.cpp:1119 +#: ClientCommand.cpp:1135 msgid "Unable to determine type of {1}: {2}" msgstr "Nie można określić typu {1}: {2}" -#: ClientCommand.cpp:1127 +#: ClientCommand.cpp:1143 msgid "Unable to unload global module {1}: Access denied." msgstr "Nie można wyładować globalnego modułu {1}: Odmowa dostępu." -#: ClientCommand.cpp:1134 +#: ClientCommand.cpp:1150 msgid "Unable to unload network module {1}: Not connected with a network." msgstr "Nie udało się wyładować modułu sieciowego {1}: Nie połączono z siecią." -#: ClientCommand.cpp:1153 +#: ClientCommand.cpp:1169 msgid "Unable to unload module {1}: Unknown module type" msgstr "Nie udało się wyładować modułu {1}: nieznany typ modułu" -#: ClientCommand.cpp:1166 +#: ClientCommand.cpp:1182 msgid "Unable to reload modules. Access denied." msgstr "Nie udało się przeładować modułów. Brak dostępu." -#: ClientCommand.cpp:1187 +#: ClientCommand.cpp:1203 msgid "Usage: ReloadMod [--type=global|user|network] [args]" msgstr "Użycie: ReloadMod [--type=global|user|network] [argumenty]" -#: ClientCommand.cpp:1196 +#: ClientCommand.cpp:1212 msgid "Unable to reload {1}: {2}" msgstr "Nie udało się przeładować {1}: {2}" -#: ClientCommand.cpp:1204 +#: ClientCommand.cpp:1220 msgid "Unable to reload global module {1}: Access denied." msgstr "Nie udało się przeładować modułu ogólnego {1}: Odmowa dostępu." -#: ClientCommand.cpp:1211 +#: ClientCommand.cpp:1227 msgid "Unable to reload network module {1}: Not connected with a network." msgstr "" "Nie udało się przeładować modułu sieciowego {1}: Nie połączono z siecią." -#: ClientCommand.cpp:1233 +#: ClientCommand.cpp:1249 msgid "Unable to reload module {1}: Unknown module type" msgstr "Nie udało się przeładować modułu {1}: Nieznany typ modułu" -#: ClientCommand.cpp:1244 +#: ClientCommand.cpp:1260 msgid "Usage: UpdateMod " msgstr "Użycie: UpdateMod " -#: ClientCommand.cpp:1248 +#: ClientCommand.cpp:1264 msgid "Reloading {1} everywhere" msgstr "Przeładowywanie {1} wszędzie" -#: ClientCommand.cpp:1250 +#: ClientCommand.cpp:1266 msgid "Done" msgstr "Zrobione" -#: ClientCommand.cpp:1253 +#: ClientCommand.cpp:1269 msgid "" "Done, but there were errors, module {1} could not be reloaded everywhere." msgstr "" "Gotowe, ale wystąpiły błędy, modułu {1} nie można wszędzie załadować " "ponownie." -#: ClientCommand.cpp:1261 +#: ClientCommand.cpp:1277 msgid "" "You must be connected with a network to use this command. Try " "SetUserBindHost instead" @@ -970,27 +1133,27 @@ msgstr "" "Aby korzystać z tego polecenia, musisz być połączony z siecią. Zamiast tego " "wypróbuj SetUserBindHost" -#: ClientCommand.cpp:1268 +#: ClientCommand.cpp:1284 msgid "Usage: SetBindHost " msgstr "Użycie: SetBindHost " -#: ClientCommand.cpp:1273 ClientCommand.cpp:1290 +#: ClientCommand.cpp:1289 ClientCommand.cpp:1306 msgid "You already have this bind host!" msgstr "Już masz ten host przypięcia!" -#: ClientCommand.cpp:1278 +#: ClientCommand.cpp:1294 msgid "Set bind host for network {1} to {2}" msgstr "Ustaw host przypięcia dla sieci {1} na {2}" -#: ClientCommand.cpp:1285 +#: ClientCommand.cpp:1301 msgid "Usage: SetUserBindHost " msgstr "Użycie: SetUserBindHost " -#: ClientCommand.cpp:1295 +#: ClientCommand.cpp:1311 msgid "Set default bind host to {1}" msgstr "Ustaw domyślny host przypięcia na {1}" -#: ClientCommand.cpp:1301 +#: ClientCommand.cpp:1317 msgid "" "You must be connected with a network to use this command. Try " "ClearUserBindHost instead" @@ -998,59 +1161,59 @@ msgstr "" "Aby korzystać z tego polecenia, musisz być połączony z siecią. Zamiast tego " "wypróbuj ClearUserBindHost" -#: ClientCommand.cpp:1306 +#: ClientCommand.cpp:1322 msgid "Bind host cleared for this network." msgstr "Wyczyszczono host przypięcia dla tej sieci." -#: ClientCommand.cpp:1310 +#: ClientCommand.cpp:1326 msgid "Default bind host cleared for your user." msgstr "Wyczyszczono domyślny host przypięcia dla Twojego użytkownika." -#: ClientCommand.cpp:1313 +#: ClientCommand.cpp:1329 msgid "This user's default bind host not set" msgstr "Domyślny host przypięcia tego użytkownika nie jest ustawiony" -#: ClientCommand.cpp:1315 +#: ClientCommand.cpp:1331 msgid "This user's default bind host is {1}" msgstr "Domyślny host przypięcia tego użytkownika to {1}" -#: ClientCommand.cpp:1320 +#: ClientCommand.cpp:1336 msgid "This network's bind host not set" msgstr "Host przypięcia tej sieci nie został ustawiony" -#: ClientCommand.cpp:1322 +#: ClientCommand.cpp:1338 msgid "This network's default bind host is {1}" msgstr "Domyślny host przypięcia tej sieci to {1}" -#: ClientCommand.cpp:1336 +#: ClientCommand.cpp:1352 msgid "Usage: PlayBuffer <#chan|query>" msgstr "Użycie: PlayBuffer <#kanał|rozmowa>" -#: ClientCommand.cpp:1344 +#: ClientCommand.cpp:1360 msgid "You are not on {1}" msgstr "Nie jesteś na {1}" -#: ClientCommand.cpp:1349 +#: ClientCommand.cpp:1365 msgid "You are not on {1} (trying to join)" msgstr "Nie jesteś na {1} (próbujesz dołączyć)" -#: ClientCommand.cpp:1354 +#: ClientCommand.cpp:1370 msgid "The buffer for channel {1} is empty" msgstr "Bufor dla kanału {1} jest pusty" -#: ClientCommand.cpp:1363 +#: ClientCommand.cpp:1379 msgid "No active query with {1}" msgstr "Brak aktywnej rozmowy z {1}" -#: ClientCommand.cpp:1368 +#: ClientCommand.cpp:1384 msgid "The buffer for {1} is empty" msgstr "Bufor dla {1} jest pusty" -#: ClientCommand.cpp:1384 +#: ClientCommand.cpp:1400 msgid "Usage: ClearBuffer <#chan|query>" msgstr "Użycie: ClearBuffer <#kanał|rozmowa>" -#: ClientCommand.cpp:1403 +#: ClientCommand.cpp:1419 msgid "{1} buffer matching {2} has been cleared" msgid_plural "{1} buffers matching {2} have been cleared" msgstr[0] "{1} bufor pasujący do {2} został wyczyszczony" @@ -1058,23 +1221,23 @@ msgstr[1] "" msgstr[2] "" msgstr[3] "" -#: ClientCommand.cpp:1416 +#: ClientCommand.cpp:1432 msgid "All channel buffers have been cleared" msgstr "Wszystkie bufory kanałów zostały wyczyszczone" -#: ClientCommand.cpp:1425 +#: ClientCommand.cpp:1441 msgid "All query buffers have been cleared" msgstr "Wszystkie bufory rozmów zostały wyczyszczone" -#: ClientCommand.cpp:1437 +#: ClientCommand.cpp:1453 msgid "All buffers have been cleared" msgstr "Wszystkie bufory zostały wyczyszczone" -#: ClientCommand.cpp:1448 +#: ClientCommand.cpp:1464 msgid "Usage: SetBuffer <#chan|query> [linecount]" msgstr "Użycie: SetBuffer <#kanał|rozmowa> [liczba_linii]" -#: ClientCommand.cpp:1469 +#: ClientCommand.cpp:1485 msgid "Setting buffer size failed for {1} buffer" msgid_plural "Setting buffer size failed for {1} buffers" msgstr[0] "Ustawianie rozmiaru bufora nie powiodło się dla {1} bufora" @@ -1082,7 +1245,7 @@ msgstr[1] "Ustawianie rozmiaru bufora nie powiodło się dla {1} buforów" msgstr[2] "Ustawianie rozmiaru bufora nie powiodło się dla {1} buforów" msgstr[3] "Ustawianie rozmiaru bufora nie powiodło się dla {1} buforów" -#: ClientCommand.cpp:1472 +#: ClientCommand.cpp:1488 msgid "Maximum buffer size is {1} line" msgid_plural "Maximum buffer size is {1} lines" msgstr[0] "Maksymalny rozmiar bufora to {1} linia" @@ -1090,7 +1253,7 @@ msgstr[1] "Maksymalny rozmiar bufora to {1} linie" msgstr[2] "Maksymalny rozmiar bufora to {1} linii" msgstr[3] "Maksymalny rozmiar bufora to {1} linie/linii" -#: ClientCommand.cpp:1477 +#: ClientCommand.cpp:1493 msgid "Size of every buffer was set to {1} line" msgid_plural "Size of every buffer was set to {1} lines" msgstr[0] "Rozmiar każdego bufora został ustawiony na {1} linię" @@ -1098,166 +1261,166 @@ msgstr[1] "Rozmiar każdego bufora został ustawiony na {1} linie" msgstr[2] "Rozmiar każdego bufora został ustawiony na {1} linii" msgstr[3] "Rozmiar każdego bufora został ustawiony na {1} linię/linii" -#: ClientCommand.cpp:1487 ClientCommand.cpp:1494 ClientCommand.cpp:1505 -#: ClientCommand.cpp:1514 ClientCommand.cpp:1522 +#: ClientCommand.cpp:1503 ClientCommand.cpp:1510 ClientCommand.cpp:1521 +#: ClientCommand.cpp:1530 ClientCommand.cpp:1538 msgctxt "trafficcmd" msgid "Username" msgstr "Nazwa użytkownika" -#: ClientCommand.cpp:1488 ClientCommand.cpp:1495 ClientCommand.cpp:1507 -#: ClientCommand.cpp:1516 ClientCommand.cpp:1524 +#: ClientCommand.cpp:1504 ClientCommand.cpp:1511 ClientCommand.cpp:1523 +#: ClientCommand.cpp:1532 ClientCommand.cpp:1540 msgctxt "trafficcmd" msgid "In" msgstr "Przychodzący" -#: ClientCommand.cpp:1489 ClientCommand.cpp:1497 ClientCommand.cpp:1508 -#: ClientCommand.cpp:1517 ClientCommand.cpp:1525 +#: ClientCommand.cpp:1505 ClientCommand.cpp:1513 ClientCommand.cpp:1524 +#: ClientCommand.cpp:1533 ClientCommand.cpp:1541 msgctxt "trafficcmd" msgid "Out" msgstr "Wychodzący" -#: ClientCommand.cpp:1490 ClientCommand.cpp:1500 ClientCommand.cpp:1510 -#: ClientCommand.cpp:1518 ClientCommand.cpp:1527 +#: ClientCommand.cpp:1506 ClientCommand.cpp:1516 ClientCommand.cpp:1526 +#: ClientCommand.cpp:1534 ClientCommand.cpp:1543 msgctxt "trafficcmd" msgid "Total" msgstr "Suma" -#: ClientCommand.cpp:1506 +#: ClientCommand.cpp:1522 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1515 +#: ClientCommand.cpp:1531 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1523 +#: ClientCommand.cpp:1539 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1532 +#: ClientCommand.cpp:1548 msgid "Running for {1}" msgstr "Uruchomiono od {1}" -#: ClientCommand.cpp:1538 +#: ClientCommand.cpp:1554 msgid "Unknown command, try 'Help'" msgstr "Nieznane polecenie, spróbuj 'Help'" -#: ClientCommand.cpp:1547 ClientCommand.cpp:1558 +#: ClientCommand.cpp:1563 ClientCommand.cpp:1574 msgctxt "listports" msgid "Port" msgstr "Port" -#: ClientCommand.cpp:1548 ClientCommand.cpp:1559 +#: ClientCommand.cpp:1564 ClientCommand.cpp:1577 msgctxt "listports" msgid "BindHost" msgstr "HostPrzypięcia" -#: ClientCommand.cpp:1549 ClientCommand.cpp:1562 +#: ClientCommand.cpp:1565 ClientCommand.cpp:1580 msgctxt "listports" msgid "SSL" msgstr "SSL" -#: ClientCommand.cpp:1550 ClientCommand.cpp:1567 +#: ClientCommand.cpp:1566 ClientCommand.cpp:1585 msgctxt "listports" msgid "Protocol" msgstr "Protokół" -#: ClientCommand.cpp:1551 ClientCommand.cpp:1574 +#: ClientCommand.cpp:1567 ClientCommand.cpp:1592 msgctxt "listports" msgid "IRC" msgstr "IRC" -#: ClientCommand.cpp:1552 ClientCommand.cpp:1579 +#: ClientCommand.cpp:1568 ClientCommand.cpp:1597 msgctxt "listports" msgid "Web" msgstr "WWW?" -#: ClientCommand.cpp:1563 +#: ClientCommand.cpp:1581 msgctxt "listports|ssl" msgid "yes" msgstr "tak" -#: ClientCommand.cpp:1564 +#: ClientCommand.cpp:1582 msgctxt "listports|ssl" msgid "no" msgstr "nie" -#: ClientCommand.cpp:1568 +#: ClientCommand.cpp:1586 msgctxt "listports" msgid "IPv4 and IPv6" msgstr "IPv4 i IPv6" -#: ClientCommand.cpp:1570 +#: ClientCommand.cpp:1588 msgctxt "listports" msgid "IPv4" msgstr "IPv4" -#: ClientCommand.cpp:1571 +#: ClientCommand.cpp:1589 msgctxt "listports" msgid "IPv6" msgstr "IPv6" -#: ClientCommand.cpp:1577 +#: ClientCommand.cpp:1595 msgctxt "listports|irc" msgid "yes" msgstr "tak" -#: ClientCommand.cpp:1578 +#: ClientCommand.cpp:1596 msgctxt "listports|irc" msgid "no" msgstr "nie" -#: ClientCommand.cpp:1582 +#: ClientCommand.cpp:1600 msgctxt "listports|irc" msgid "yes, on {1}" msgstr "tak, na {1}" -#: ClientCommand.cpp:1584 +#: ClientCommand.cpp:1602 msgctxt "listports|web" msgid "no" msgstr "nie" -#: ClientCommand.cpp:1624 +#: ClientCommand.cpp:1642 msgid "" "Usage: AddPort <[+]port> [bindhost [uriprefix]]" msgstr "" "Użycie: AddPort <[+]port> [bindhost " "[uriprefix]]" -#: ClientCommand.cpp:1640 +#: ClientCommand.cpp:1658 msgid "Port added" msgstr "Port dodany" -#: ClientCommand.cpp:1642 +#: ClientCommand.cpp:1660 msgid "Couldn't add port" msgstr "Nie można dodać portu" -#: ClientCommand.cpp:1648 +#: ClientCommand.cpp:1666 msgid "Usage: DelPort [bindhost]" msgstr "Użycie: DelPort [bindhost]" -#: ClientCommand.cpp:1657 +#: ClientCommand.cpp:1675 msgid "Deleted Port" msgstr "Usunięto port" -#: ClientCommand.cpp:1659 +#: ClientCommand.cpp:1677 msgid "Unable to find a matching port" msgstr "Nie można znaleźć pasującego portu" -#: ClientCommand.cpp:1667 ClientCommand.cpp:1682 +#: ClientCommand.cpp:1685 ClientCommand.cpp:1700 msgctxt "helpcmd" msgid "Command" msgstr "Polecenie" -#: ClientCommand.cpp:1668 ClientCommand.cpp:1684 +#: ClientCommand.cpp:1686 ClientCommand.cpp:1702 msgctxt "helpcmd" msgid "Description" msgstr "Opis" -#: ClientCommand.cpp:1673 +#: ClientCommand.cpp:1691 msgid "" "In the following list all occurrences of <#chan> support wildcards (* and ?) " "except ListNicks" @@ -1265,87 +1428,87 @@ msgstr "" "Na poniższej liście wszystkie wystąpienia <#kanał> obsługują symbole " "wieloznaczne (* i ?) Oprócz ListNicks" -#: ClientCommand.cpp:1690 +#: ClientCommand.cpp:1708 msgctxt "helpcmd|Version|desc" msgid "Print which version of ZNC this is" msgstr "Wypisuje, która to jest wersja ZNC" -#: ClientCommand.cpp:1693 +#: ClientCommand.cpp:1711 msgctxt "helpcmd|ListMods|desc" msgid "List all loaded modules" msgstr "Lista wszystkich załadowanych modułów" -#: ClientCommand.cpp:1696 +#: ClientCommand.cpp:1714 msgctxt "helpcmd|ListAvailMods|desc" msgid "List all available modules" msgstr "Lista wszystkich dostępnych modułów" -#: ClientCommand.cpp:1700 ClientCommand.cpp:1886 +#: ClientCommand.cpp:1718 ClientCommand.cpp:1904 msgctxt "helpcmd|ListChans|desc" msgid "List all channels" msgstr "Lista wszystkich kanałów" -#: ClientCommand.cpp:1703 +#: ClientCommand.cpp:1721 msgctxt "helpcmd|ListNicks|args" msgid "<#chan>" msgstr "<#kanał>" -#: ClientCommand.cpp:1704 +#: ClientCommand.cpp:1722 msgctxt "helpcmd|ListNicks|desc" msgid "List all nicks on a channel" msgstr "Lista wszystkich pseudonimów na kanale" -#: ClientCommand.cpp:1707 +#: ClientCommand.cpp:1725 msgctxt "helpcmd|ListClients|desc" msgid "List all clients connected to your ZNC user" msgstr "Lista wszystkich klientów połączonych z Twoim użytkownikiem ZNC" -#: ClientCommand.cpp:1711 +#: ClientCommand.cpp:1729 msgctxt "helpcmd|ListServers|desc" msgid "List all servers of current IRC network" msgstr "Lista wszystkich serwerów bieżącej sieci IRC" -#: ClientCommand.cpp:1715 +#: ClientCommand.cpp:1733 msgctxt "helpcmd|AddNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1716 +#: ClientCommand.cpp:1734 msgctxt "helpcmd|AddNetwork|desc" msgid "Add a network to your user" msgstr "Dodaje sieć użytkownikowi" -#: ClientCommand.cpp:1718 +#: ClientCommand.cpp:1736 msgctxt "helpcmd|DelNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1719 +#: ClientCommand.cpp:1737 msgctxt "helpcmd|DelNetwork|desc" msgid "Delete a network from your user" msgstr "Usuwa sieć użytkownikowi" -#: ClientCommand.cpp:1721 +#: ClientCommand.cpp:1739 msgctxt "helpcmd|ListNetworks|desc" msgid "List all networks" msgstr "Lista wszystkich sieci" -#: ClientCommand.cpp:1724 +#: ClientCommand.cpp:1742 msgctxt "helpcmd|MoveNetwork|args" msgid " [new network]" msgstr " [nowa sieć]" -#: ClientCommand.cpp:1726 +#: ClientCommand.cpp:1744 msgctxt "helpcmd|MoveNetwork|desc" msgid "Move an IRC network from one user to another" msgstr "Przenosi sieć IRC od jednego użytkownika do innego użytkownika" -#: ClientCommand.cpp:1730 +#: ClientCommand.cpp:1748 msgctxt "helpcmd|JumpNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1731 +#: ClientCommand.cpp:1749 msgctxt "helpcmd|JumpNetwork|desc" msgid "" "Jump to another network (Alternatively, you can connect to ZNC several " @@ -1354,24 +1517,24 @@ msgstr "" "Przeskakuje do innej sieci (Alternatywnie możesz połączyć się z ZNC kilka " "razy, używając `user/network` jako nazwy użytkownika)" -#: ClientCommand.cpp:1736 +#: ClientCommand.cpp:1754 msgctxt "helpcmd|AddServer|args" msgid " [[+]port] [pass]" msgstr " [[+]port] [hasło]" -#: ClientCommand.cpp:1737 +#: ClientCommand.cpp:1755 msgctxt "helpcmd|AddServer|desc" msgid "" "Add a server to the list of alternate/backup servers of current IRC network." msgstr "" "Dodaje serwer do listy alternatywnych/zapasowych serwerów bieżącej sieci IRC." -#: ClientCommand.cpp:1741 +#: ClientCommand.cpp:1759 msgctxt "helpcmd|DelServer|args" msgid " [port] [pass]" msgstr " [port] [hasło]" -#: ClientCommand.cpp:1742 +#: ClientCommand.cpp:1760 msgctxt "helpcmd|DelServer|desc" msgid "" "Remove a server from the list of alternate/backup servers of current IRC " @@ -1379,12 +1542,12 @@ msgid "" msgstr "" "Usuwa serwer z listy alternatywnych/zapasowych serwerów bieżącej sieci IRC" -#: ClientCommand.cpp:1748 +#: ClientCommand.cpp:1766 msgctxt "helpcmd|AddTrustedServerFingerprint|args" msgid "" msgstr "" -#: ClientCommand.cpp:1749 +#: ClientCommand.cpp:1767 msgctxt "helpcmd|AddTrustedServerFingerprint|desc" msgid "" "Add a trusted server SSL certificate fingerprint (SHA-256) to current IRC " @@ -1393,338 +1556,338 @@ msgstr "" "Dodaj zaufany odciski certyfikatu SSL (SHA-256) serwera do bieżącej sieci " "IRC." -#: ClientCommand.cpp:1754 +#: ClientCommand.cpp:1772 msgctxt "helpcmd|DelTrustedServerFingerprint|args" msgid "" msgstr "" -#: ClientCommand.cpp:1755 +#: ClientCommand.cpp:1773 msgctxt "helpcmd|DelTrustedServerFingerprint|desc" msgid "Delete a trusted server SSL certificate from current IRC network." msgstr "Usuń zaufany odcisk SSL serwera z obecnej sieci IRC." -#: ClientCommand.cpp:1759 +#: ClientCommand.cpp:1777 msgctxt "helpcmd|ListTrustedServerFingerprints|desc" msgid "List all trusted server SSL certificates of current IRC network." msgstr "" "Lista wszystkich certyfikatów SSL zaufanego serwera dla bieżącej sieci IRC." -#: ClientCommand.cpp:1762 +#: ClientCommand.cpp:1780 msgctxt "helpcmd|EnableChan|args" msgid "<#chans>" msgstr "<#kanały>" -#: ClientCommand.cpp:1763 +#: ClientCommand.cpp:1781 msgctxt "helpcmd|EnableChan|desc" msgid "Enable channels" msgstr "Włącza kanał(y)" -#: ClientCommand.cpp:1764 +#: ClientCommand.cpp:1782 msgctxt "helpcmd|DisableChan|args" msgid "<#chans>" msgstr "<#kanały>" -#: ClientCommand.cpp:1765 +#: ClientCommand.cpp:1783 msgctxt "helpcmd|DisableChan|desc" msgid "Disable channels" msgstr "Wyłącza kanał(y)" -#: ClientCommand.cpp:1766 +#: ClientCommand.cpp:1784 msgctxt "helpcmd|Attach|args" msgid "<#chans>" msgstr "<#kanały>" -#: ClientCommand.cpp:1767 +#: ClientCommand.cpp:1785 msgctxt "helpcmd|Attach|desc" msgid "Attach to channels" msgstr "Dopina do kanałów" -#: ClientCommand.cpp:1768 +#: ClientCommand.cpp:1786 msgctxt "helpcmd|Detach|args" msgid "<#chans>" msgstr "<#kanały>" -#: ClientCommand.cpp:1769 +#: ClientCommand.cpp:1787 msgctxt "helpcmd|Detach|desc" msgid "Detach from channels" msgstr "Odpina od kanałów" -#: ClientCommand.cpp:1772 +#: ClientCommand.cpp:1790 msgctxt "helpcmd|Topics|desc" msgid "Show topics in all your channels" msgstr "Pokazuje tematy we wszystkich Twoich kanałach" -#: ClientCommand.cpp:1775 +#: ClientCommand.cpp:1793 msgctxt "helpcmd|PlayBuffer|args" msgid "<#chan|query>" msgstr "<#kanał|rozmowa>" -#: ClientCommand.cpp:1776 +#: ClientCommand.cpp:1794 msgctxt "helpcmd|PlayBuffer|desc" msgid "Play back the specified buffer" msgstr "Odtwarza określony bufor" -#: ClientCommand.cpp:1778 +#: ClientCommand.cpp:1796 msgctxt "helpcmd|ClearBuffer|args" msgid "<#chan|query>" msgstr "<#kanał|rozmowa>" -#: ClientCommand.cpp:1779 +#: ClientCommand.cpp:1797 msgctxt "helpcmd|ClearBuffer|desc" msgid "Clear the specified buffer" msgstr "Czyści określony bufor" -#: ClientCommand.cpp:1781 +#: ClientCommand.cpp:1799 msgctxt "helpcmd|ClearAllBuffers|desc" msgid "Clear all channel and query buffers" msgstr "Czyści wszystkie bufory kanałów i rozmów" -#: ClientCommand.cpp:1784 +#: ClientCommand.cpp:1802 msgctxt "helpcmd|ClearAllChannelBuffers|desc" msgid "Clear the channel buffers" msgstr "Czyści bufory kanału" -#: ClientCommand.cpp:1788 +#: ClientCommand.cpp:1806 msgctxt "helpcmd|ClearAllQueryBuffers|desc" msgid "Clear the query buffers" msgstr "Czyści bufory rozmów" -#: ClientCommand.cpp:1790 +#: ClientCommand.cpp:1808 msgctxt "helpcmd|SetBuffer|args" msgid "<#chan|query> [linecount]" msgstr "<#kanał|rozmowa> [liczba_linii]" -#: ClientCommand.cpp:1791 +#: ClientCommand.cpp:1809 msgctxt "helpcmd|SetBuffer|desc" msgid "Set the buffer count" msgstr "Ustawia rozmiar bufora" -#: ClientCommand.cpp:1795 +#: ClientCommand.cpp:1813 msgctxt "helpcmd|SetBindHost|args" msgid "" msgstr "" -#: ClientCommand.cpp:1796 +#: ClientCommand.cpp:1814 msgctxt "helpcmd|SetBindHost|desc" msgid "Set the bind host for this network" msgstr "Ustawia host przypięcia dla tej sieci" -#: ClientCommand.cpp:1800 +#: ClientCommand.cpp:1818 msgctxt "helpcmd|SetUserBindHost|args" msgid "" msgstr "" -#: ClientCommand.cpp:1801 +#: ClientCommand.cpp:1819 msgctxt "helpcmd|SetUserBindHost|desc" msgid "Set the default bind host for this user" msgstr "Ustawia domyślny host przypięcia dla tego użytkownika" -#: ClientCommand.cpp:1804 +#: ClientCommand.cpp:1822 msgctxt "helpcmd|ClearBindHost|desc" msgid "Clear the bind host for this network" msgstr "Czyści host przypięcia dla tej sieci" -#: ClientCommand.cpp:1807 +#: ClientCommand.cpp:1825 msgctxt "helpcmd|ClearUserBindHost|desc" msgid "Clear the default bind host for this user" msgstr "Czyści domyślny host przypięcia dla tego użytkownika" -#: ClientCommand.cpp:1813 +#: ClientCommand.cpp:1831 msgctxt "helpcmd|ShowBindHost|desc" msgid "Show currently selected bind host" msgstr "Pokazuje bieżąco wybrany host przypięcia" -#: ClientCommand.cpp:1815 +#: ClientCommand.cpp:1833 msgctxt "helpcmd|Jump|args" msgid "[server]" msgstr "[serwer]" -#: ClientCommand.cpp:1816 +#: ClientCommand.cpp:1834 msgctxt "helpcmd|Jump|desc" msgid "Jump to the next or the specified server" msgstr "Przeskakuje do następnego lub określonego serwera" -#: ClientCommand.cpp:1817 +#: ClientCommand.cpp:1835 msgctxt "helpcmd|Disconnect|args" msgid "[message]" msgstr "[wiadomość]" -#: ClientCommand.cpp:1818 +#: ClientCommand.cpp:1836 msgctxt "helpcmd|Disconnect|desc" msgid "Disconnect from IRC" msgstr "Rozłącza z IRC" -#: ClientCommand.cpp:1820 +#: ClientCommand.cpp:1838 msgctxt "helpcmd|Connect|desc" msgid "Reconnect to IRC" msgstr "Ponownie połącza z IRC" -#: ClientCommand.cpp:1823 +#: ClientCommand.cpp:1841 msgctxt "helpcmd|Uptime|desc" msgid "Show for how long ZNC has been running" msgstr "Pokazuje, jak długo działa ZNC" -#: ClientCommand.cpp:1827 +#: ClientCommand.cpp:1845 msgctxt "helpcmd|LoadMod|args" msgid "[--type=global|user|network] [args]" msgstr "[--type=global|user|network] [argumenty]" -#: ClientCommand.cpp:1829 +#: ClientCommand.cpp:1847 msgctxt "helpcmd|LoadMod|desc" msgid "Load a module" msgstr "Ładuje moduł" -#: ClientCommand.cpp:1831 +#: ClientCommand.cpp:1849 msgctxt "helpcmd|UnloadMod|args" msgid "[--type=global|user|network] " msgstr "[--type=global|user|network] " -#: ClientCommand.cpp:1833 +#: ClientCommand.cpp:1851 msgctxt "helpcmd|UnloadMod|desc" msgid "Unload a module" msgstr "Wyładowuje moduł" -#: ClientCommand.cpp:1835 +#: ClientCommand.cpp:1853 msgctxt "helpcmd|ReloadMod|args" msgid "[--type=global|user|network] [args]" msgstr "[--type=global|user|network] [argumenty]" -#: ClientCommand.cpp:1837 +#: ClientCommand.cpp:1855 msgctxt "helpcmd|ReloadMod|desc" msgid "Reload a module" msgstr "Przeładowuje moduł" -#: ClientCommand.cpp:1840 +#: ClientCommand.cpp:1858 msgctxt "helpcmd|UpdateMod|args" msgid "" msgstr "" -#: ClientCommand.cpp:1841 +#: ClientCommand.cpp:1859 msgctxt "helpcmd|UpdateMod|desc" msgid "Reload a module everywhere" msgstr "Przeładowuje moduł wszędzie" -#: ClientCommand.cpp:1847 +#: ClientCommand.cpp:1865 msgctxt "helpcmd|ShowMOTD|desc" msgid "Show ZNC's message of the day" msgstr "Pokazuje wiadomość dnia ZNC" -#: ClientCommand.cpp:1851 +#: ClientCommand.cpp:1869 msgctxt "helpcmd|SetMOTD|args" msgid "" msgstr "" -#: ClientCommand.cpp:1852 +#: ClientCommand.cpp:1870 msgctxt "helpcmd|SetMOTD|desc" msgid "Set ZNC's message of the day" msgstr "Ustawia wiadomość dnia ZNC" -#: ClientCommand.cpp:1854 +#: ClientCommand.cpp:1872 msgctxt "helpcmd|AddMOTD|args" msgid "" msgstr "" -#: ClientCommand.cpp:1855 +#: ClientCommand.cpp:1873 msgctxt "helpcmd|AddMOTD|desc" msgid "Append to ZNC's MOTD" msgstr "Dopisuje do wiadomości dnia ZNC" -#: ClientCommand.cpp:1857 +#: ClientCommand.cpp:1875 msgctxt "helpcmd|ClearMOTD|desc" msgid "Clear ZNC's MOTD" msgstr "Czyści wiadomość dnia ZNC" -#: ClientCommand.cpp:1860 +#: ClientCommand.cpp:1878 msgctxt "helpcmd|ListPorts|desc" msgid "Show all active listeners" msgstr "Pokazuje wszystkich aktywnych nasłuchiwaczy" -#: ClientCommand.cpp:1862 +#: ClientCommand.cpp:1880 msgctxt "helpcmd|AddPort|args" msgid "<[+]port> [bindhost [uriprefix]]" msgstr "<[+]port> [bindhost [przedrostek_uri]]" -#: ClientCommand.cpp:1865 +#: ClientCommand.cpp:1883 msgctxt "helpcmd|AddPort|desc" msgid "Add another port for ZNC to listen on" msgstr "Dodaje kolejny port nasłuchujący do ZNC" -#: ClientCommand.cpp:1869 +#: ClientCommand.cpp:1887 msgctxt "helpcmd|DelPort|args" msgid " [bindhost]" msgstr " [host_przypięcia]" -#: ClientCommand.cpp:1870 +#: ClientCommand.cpp:1888 msgctxt "helpcmd|DelPort|desc" msgid "Remove a port from ZNC" msgstr "Usuwa port z ZNC" -#: ClientCommand.cpp:1873 +#: ClientCommand.cpp:1891 msgctxt "helpcmd|Rehash|desc" msgid "Reload global settings, modules, and listeners from znc.conf" msgstr "Przeładowuje ustawienia globalne, moduły i nasłuchiwaczy z znc.conf" -#: ClientCommand.cpp:1876 +#: ClientCommand.cpp:1894 msgctxt "helpcmd|SaveConfig|desc" msgid "Save the current settings to disk" msgstr "Zapisuje bieżące ustawienia na dysk" -#: ClientCommand.cpp:1879 +#: ClientCommand.cpp:1897 msgctxt "helpcmd|ListUsers|desc" msgid "List all ZNC users and their connection status" msgstr "Lista wszystkich użytkowników ZNC i ich stan połączenia" -#: ClientCommand.cpp:1882 +#: ClientCommand.cpp:1900 msgctxt "helpcmd|ListAllUserNetworks|desc" msgid "List all ZNC users and their networks" msgstr "Lista wszystkich użytkowników i ich sieci" -#: ClientCommand.cpp:1885 +#: ClientCommand.cpp:1903 msgctxt "helpcmd|ListChans|args" msgid "[user ]" msgstr "[użytkownik ]" -#: ClientCommand.cpp:1888 +#: ClientCommand.cpp:1906 msgctxt "helpcmd|ListClients|args" msgid "[user]" msgstr "[użytkownik]" -#: ClientCommand.cpp:1889 +#: ClientCommand.cpp:1907 msgctxt "helpcmd|ListClients|desc" msgid "List all connected clients" msgstr "Lista wszystkich połączonych klientów" -#: ClientCommand.cpp:1891 +#: ClientCommand.cpp:1909 msgctxt "helpcmd|Traffic|desc" msgid "Show basic traffic stats for all ZNC users" msgstr "Pokazuje podstawowe statystyki ruchu dla wszystkich użytkowników ZNC" -#: ClientCommand.cpp:1893 +#: ClientCommand.cpp:1911 msgctxt "helpcmd|Broadcast|args" msgid "[message]" msgstr "[wiadomość]" -#: ClientCommand.cpp:1894 +#: ClientCommand.cpp:1912 msgctxt "helpcmd|Broadcast|desc" msgid "Broadcast a message to all ZNC users" msgstr "Rozgłasza wiadomość do wszystkich użytkowników ZNC" -#: ClientCommand.cpp:1897 +#: ClientCommand.cpp:1915 msgctxt "helpcmd|Shutdown|args" msgid "[message]" msgstr "[wiadomość]" -#: ClientCommand.cpp:1898 +#: ClientCommand.cpp:1916 msgctxt "helpcmd|Shutdown|desc" msgid "Shut down ZNC completely" msgstr "Zamyka całkowicie ZNC" -#: ClientCommand.cpp:1899 +#: ClientCommand.cpp:1917 msgctxt "helpcmd|Restart|args" msgid "[message]" msgstr "[wiadomość]" -#: ClientCommand.cpp:1900 +#: ClientCommand.cpp:1918 msgctxt "helpcmd|Restart|desc" msgid "Restart ZNC" msgstr "Uruchamia ponownie ZNC" diff --git a/src/po/znc.pot b/src/po/znc.pot index bcf7eb25..b959a8cd 100644 --- a/src/po/znc.pot +++ b/src/po/znc.pot @@ -62,7 +62,7 @@ msgstr "" msgid "Invalid port" msgstr "" -#: znc.cpp:1813 ClientCommand.cpp:1637 +#: znc.cpp:1813 ClientCommand.cpp:1655 msgid "Unable to bind: {1}" msgstr "" @@ -98,67 +98,67 @@ msgstr "" msgid "Some module aborted the connection attempt" msgstr "" -#: IRCSock.cpp:490 +#: IRCSock.cpp:492 msgid "Error from server: {1}" msgstr "" -#: IRCSock.cpp:692 +#: IRCSock.cpp:694 msgid "ZNC seems to be connected to itself, disconnecting..." msgstr "" -#: IRCSock.cpp:739 +#: IRCSock.cpp:741 msgid "Server {1} redirects us to {2}:{3} with reason: {4}" msgstr "" -#: IRCSock.cpp:743 +#: IRCSock.cpp:745 msgid "Perhaps you want to add it as a new server." msgstr "" -#: IRCSock.cpp:973 +#: IRCSock.cpp:975 msgid "Channel {1} is linked to another channel and was thus disabled." msgstr "" -#: IRCSock.cpp:985 +#: IRCSock.cpp:987 msgid "Switched to SSL (STARTTLS)" msgstr "" -#: IRCSock.cpp:1038 +#: IRCSock.cpp:1040 msgid "You quit: {1}" msgstr "" -#: IRCSock.cpp:1244 +#: IRCSock.cpp:1246 msgid "Disconnected from IRC. Reconnecting..." msgstr "" -#: IRCSock.cpp:1275 +#: IRCSock.cpp:1277 msgid "Cannot connect to IRC ({1}). Retrying..." msgstr "" -#: IRCSock.cpp:1278 +#: IRCSock.cpp:1280 msgid "Disconnected from IRC ({1}). Reconnecting..." msgstr "" -#: IRCSock.cpp:1314 +#: IRCSock.cpp:1316 msgid "If you trust this certificate, do /znc AddTrustedServerFingerprint {1}" msgstr "" -#: IRCSock.cpp:1323 +#: IRCSock.cpp:1325 msgid "IRC connection timed out. Reconnecting..." msgstr "" -#: IRCSock.cpp:1335 +#: IRCSock.cpp:1337 msgid "Connection Refused. Reconnecting..." msgstr "" -#: IRCSock.cpp:1343 +#: IRCSock.cpp:1345 msgid "Received a too long line from the IRC server!" msgstr "" -#: IRCSock.cpp:1447 +#: IRCSock.cpp:1449 msgid "No free nick available" msgstr "" -#: IRCSock.cpp:1455 +#: IRCSock.cpp:1457 msgid "No free nick found" msgstr "" @@ -210,47 +210,48 @@ msgid "" "You are being disconnected because another user just authenticated as you." msgstr "" -#: Client.cpp:1021 +#: Client.cpp:1022 msgid "Your CTCP to {1} got lost, you are not connected to IRC!" msgstr "" -#: Client.cpp:1147 +#: Client.cpp:1148 msgid "Your notice to {1} got lost, you are not connected to IRC!" msgstr "" -#: Client.cpp:1186 +#: Client.cpp:1187 msgid "Removing channel {1}" msgstr "" -#: Client.cpp:1264 +#: Client.cpp:1265 msgid "Your message to {1} got lost, you are not connected to IRC!" msgstr "" -#: Client.cpp:1317 Client.cpp:1323 +#: Client.cpp:1318 Client.cpp:1324 msgid "Hello. How may I help you?" msgstr "" -#: Client.cpp:1337 +#: Client.cpp:1338 msgid "Usage: /attach <#chans>" msgstr "" -#: Client.cpp:1344 Client.cpp:1366 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: Client.cpp:1345 Client.cpp:1367 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: ClientCommand.cpp:423 ClientCommand.cpp:450 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" msgstr[0] "" msgstr[1] "" -#: Client.cpp:1347 ClientCommand.cpp:132 +#: Client.cpp:1348 ClientCommand.cpp:132 msgid "Attached {1} channel" msgid_plural "Attached {1} channels" msgstr[0] "" msgstr[1] "" -#: Client.cpp:1359 +#: Client.cpp:1360 msgid "Usage: /detach <#chans>" msgstr "" -#: Client.cpp:1369 ClientCommand.cpp:154 +#: Client.cpp:1370 ClientCommand.cpp:154 msgid "Detached {1} channel" msgid_plural "Detached {1} channels" msgstr[0] "" @@ -274,7 +275,7 @@ msgctxt "modhelpcmd" msgid "Generate this output" msgstr "" -#: Modules.cpp:573 ClientCommand.cpp:1904 +#: Modules.cpp:573 ClientCommand.cpp:1922 msgid "No matches for '{1}'" msgstr "" @@ -379,11 +380,12 @@ msgid "Description" msgstr "" #: ClientCommand.cpp:51 ClientCommand.cpp:115 ClientCommand.cpp:137 -#: ClientCommand.cpp:749 ClientCommand.cpp:768 ClientCommand.cpp:794 -#: ClientCommand.cpp:827 ClientCommand.cpp:840 ClientCommand.cpp:853 -#: ClientCommand.cpp:868 ClientCommand.cpp:1329 ClientCommand.cpp:1377 -#: ClientCommand.cpp:1409 ClientCommand.cpp:1420 ClientCommand.cpp:1429 -#: ClientCommand.cpp:1441 +#: ClientCommand.cpp:339 ClientCommand.cpp:390 ClientCommand.cpp:405 +#: ClientCommand.cpp:432 ClientCommand.cpp:459 ClientCommand.cpp:764 +#: ClientCommand.cpp:783 ClientCommand.cpp:809 ClientCommand.cpp:843 +#: ClientCommand.cpp:856 ClientCommand.cpp:869 ClientCommand.cpp:884 +#: ClientCommand.cpp:1345 ClientCommand.cpp:1393 ClientCommand.cpp:1425 +#: ClientCommand.cpp:1436 ClientCommand.cpp:1445 ClientCommand.cpp:1457 msgid "You must be connected with a network to use this command" msgstr "" @@ -443,1209 +445,1366 @@ msgstr "" msgid "Error while trying to write config." msgstr "" -#: ClientCommand.cpp:455 +#: ClientCommand.cpp:183 +msgid "Usage: ListClients" +msgstr "" + +#: ClientCommand.cpp:190 +msgid "No such user: {1}" +msgstr "" + +#: ClientCommand.cpp:198 +msgid "No clients are connected" +msgstr "" + +#: ClientCommand.cpp:203 ClientCommand.cpp:209 +msgctxt "listclientscmd" +msgid "Host" +msgstr "" + +#: ClientCommand.cpp:204 ClientCommand.cpp:212 +msgctxt "listclientscmd" +msgid "Network" +msgstr "" + +#: ClientCommand.cpp:205 ClientCommand.cpp:215 +msgctxt "listclientscmd" +msgid "Identifier" +msgstr "" + +#: ClientCommand.cpp:223 ClientCommand.cpp:229 +msgctxt "listuserscmd" +msgid "Username" +msgstr "" + +#: ClientCommand.cpp:224 ClientCommand.cpp:230 +msgctxt "listuserscmd" +msgid "Networks" +msgstr "" + +#: ClientCommand.cpp:225 ClientCommand.cpp:232 +msgctxt "listuserscmd" +msgid "Clients" +msgstr "" + +#: ClientCommand.cpp:240 ClientCommand.cpp:250 ClientCommand.cpp:260 +#: ClientCommand.cpp:263 +msgctxt "listallusernetworkscmd" +msgid "Username" +msgstr "" + +#: ClientCommand.cpp:241 ClientCommand.cpp:251 ClientCommand.cpp:266 +msgctxt "listallusernetworkscmd" +msgid "Network" +msgstr "" + +#: ClientCommand.cpp:242 ClientCommand.cpp:252 ClientCommand.cpp:268 +msgctxt "listallusernetworkscmd" +msgid "Clients" +msgstr "" + +#: ClientCommand.cpp:243 ClientCommand.cpp:271 ClientCommand.cpp:280 +msgctxt "listallusernetworkscmd" +msgid "On IRC" +msgstr "" + +#: ClientCommand.cpp:244 ClientCommand.cpp:273 +msgctxt "listallusernetworkscmd" +msgid "IRC Server" +msgstr "" + +#: ClientCommand.cpp:245 ClientCommand.cpp:275 +msgctxt "listallusernetworkscmd" +msgid "IRC User" +msgstr "" + +#: ClientCommand.cpp:246 ClientCommand.cpp:277 +msgctxt "listallusernetworkscmd" +msgid "Channels" +msgstr "" + +#: ClientCommand.cpp:251 +msgid "N/A" +msgstr "" + +#: ClientCommand.cpp:272 +msgctxt "listallusernetworkscmd" +msgid "Yes" +msgstr "" + +#: ClientCommand.cpp:281 +msgctxt "listallusernetworkscmd" +msgid "No" +msgstr "" + +#: ClientCommand.cpp:291 +msgid "Usage: SetMOTD " +msgstr "" + +#: ClientCommand.cpp:294 +msgid "MOTD set to: {1}" +msgstr "" + +#: ClientCommand.cpp:300 +msgid "Usage: AddMOTD " +msgstr "" + +#: ClientCommand.cpp:303 +msgid "Added [{1}] to MOTD" +msgstr "" + +#: ClientCommand.cpp:307 +msgid "Cleared MOTD" +msgstr "" + +#: ClientCommand.cpp:329 +msgid "" +"ERROR: Writing config file to disk failed! Aborting. Use {1} FORCE to ignore." +msgstr "" + +#: ClientCommand.cpp:344 ClientCommand.cpp:797 ClientCommand.cpp:838 +msgid "You don't have any servers added." +msgstr "" + +#: ClientCommand.cpp:355 +msgid "Server [{1}] not found" +msgstr "" + +#: ClientCommand.cpp:375 ClientCommand.cpp:380 +msgid "Connecting to {1}..." +msgstr "" + +#: ClientCommand.cpp:377 +msgid "Jumping to the next server in the list..." +msgstr "" + +#: ClientCommand.cpp:382 +msgid "Connecting..." +msgstr "" + +#: ClientCommand.cpp:400 +msgid "Disconnected from IRC. Use 'connect' to reconnect." +msgstr "" + +#: ClientCommand.cpp:412 +msgid "Usage: EnableChan <#chans>" +msgstr "" + +#: ClientCommand.cpp:426 +msgid "Enabled {1} channel" +msgid_plural "Enabled {1} channels" +msgstr[0] "" +msgstr[1] "" + +#: ClientCommand.cpp:439 +msgid "Usage: DisableChan <#chans>" +msgstr "" + +#: ClientCommand.cpp:453 +msgid "Disabled {1} channel" +msgid_plural "Disabled {1} channels" +msgstr[0] "" +msgstr[1] "" + +#: ClientCommand.cpp:470 msgid "Usage: ListChans" msgstr "" -#: ClientCommand.cpp:462 +#: ClientCommand.cpp:477 msgid "No such user [{1}]" msgstr "" -#: ClientCommand.cpp:468 +#: ClientCommand.cpp:483 msgid "User [{1}] doesn't have network [{2}]" msgstr "" -#: ClientCommand.cpp:479 +#: ClientCommand.cpp:494 msgid "There are no channels defined." msgstr "" -#: ClientCommand.cpp:484 ClientCommand.cpp:500 +#: ClientCommand.cpp:499 ClientCommand.cpp:515 msgctxt "listchans" msgid "Name" msgstr "" -#: ClientCommand.cpp:485 ClientCommand.cpp:503 +#: ClientCommand.cpp:500 ClientCommand.cpp:518 msgctxt "listchans" msgid "Status" msgstr "" -#: ClientCommand.cpp:486 ClientCommand.cpp:510 +#: ClientCommand.cpp:501 ClientCommand.cpp:525 msgctxt "listchans" msgid "In config" msgstr "" -#: ClientCommand.cpp:487 ClientCommand.cpp:512 +#: ClientCommand.cpp:502 ClientCommand.cpp:527 msgctxt "listchans" msgid "Buffer" msgstr "" -#: ClientCommand.cpp:488 ClientCommand.cpp:516 +#: ClientCommand.cpp:503 ClientCommand.cpp:531 msgctxt "listchans" msgid "Clear" msgstr "" -#: ClientCommand.cpp:489 ClientCommand.cpp:521 +#: ClientCommand.cpp:504 ClientCommand.cpp:536 msgctxt "listchans" msgid "Modes" msgstr "" -#: ClientCommand.cpp:490 ClientCommand.cpp:522 +#: ClientCommand.cpp:505 ClientCommand.cpp:537 msgctxt "listchans" msgid "Users" msgstr "" -#: ClientCommand.cpp:505 +#: ClientCommand.cpp:520 msgctxt "listchans" msgid "Detached" msgstr "" -#: ClientCommand.cpp:506 +#: ClientCommand.cpp:521 msgctxt "listchans" msgid "Joined" msgstr "" -#: ClientCommand.cpp:507 +#: ClientCommand.cpp:522 msgctxt "listchans" msgid "Disabled" msgstr "" -#: ClientCommand.cpp:508 +#: ClientCommand.cpp:523 msgctxt "listchans" msgid "Trying" msgstr "" -#: ClientCommand.cpp:511 ClientCommand.cpp:519 +#: ClientCommand.cpp:526 ClientCommand.cpp:534 msgctxt "listchans" msgid "yes" msgstr "" -#: ClientCommand.cpp:536 +#: ClientCommand.cpp:551 msgid "Total: {1}, Joined: {2}, Detached: {3}, Disabled: {4}" msgstr "" -#: ClientCommand.cpp:541 +#: ClientCommand.cpp:556 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks using /znc DelNetwork " msgstr "" -#: ClientCommand.cpp:550 +#: ClientCommand.cpp:565 msgid "Usage: AddNetwork " msgstr "" -#: ClientCommand.cpp:554 +#: ClientCommand.cpp:569 msgid "Network name should be alphanumeric" msgstr "" -#: ClientCommand.cpp:561 +#: ClientCommand.cpp:576 msgid "" "Network added. Use /znc JumpNetwork {1}, or connect to ZNC with username {2} " "(instead of just {3}) to connect to it." msgstr "" -#: ClientCommand.cpp:566 +#: ClientCommand.cpp:581 msgid "Unable to add that network" msgstr "" -#: ClientCommand.cpp:573 +#: ClientCommand.cpp:588 msgid "Usage: DelNetwork " msgstr "" -#: ClientCommand.cpp:582 +#: ClientCommand.cpp:597 msgid "Network deleted" msgstr "" -#: ClientCommand.cpp:585 +#: ClientCommand.cpp:600 msgid "Failed to delete network, perhaps this network doesn't exist" msgstr "" -#: ClientCommand.cpp:595 +#: ClientCommand.cpp:610 msgid "User {1} not found" msgstr "" -#: ClientCommand.cpp:603 ClientCommand.cpp:611 +#: ClientCommand.cpp:618 ClientCommand.cpp:626 msgctxt "listnetworks" msgid "Network" msgstr "" -#: ClientCommand.cpp:604 ClientCommand.cpp:613 ClientCommand.cpp:622 +#: ClientCommand.cpp:619 ClientCommand.cpp:628 ClientCommand.cpp:637 msgctxt "listnetworks" msgid "On IRC" msgstr "" -#: ClientCommand.cpp:605 ClientCommand.cpp:615 +#: ClientCommand.cpp:620 ClientCommand.cpp:630 msgctxt "listnetworks" msgid "IRC Server" msgstr "" -#: ClientCommand.cpp:606 ClientCommand.cpp:617 +#: ClientCommand.cpp:621 ClientCommand.cpp:632 msgctxt "listnetworks" msgid "IRC User" msgstr "" -#: ClientCommand.cpp:607 ClientCommand.cpp:619 +#: ClientCommand.cpp:622 ClientCommand.cpp:634 msgctxt "listnetworks" msgid "Channels" msgstr "" -#: ClientCommand.cpp:614 +#: ClientCommand.cpp:629 msgctxt "listnetworks" msgid "Yes" msgstr "" -#: ClientCommand.cpp:623 +#: ClientCommand.cpp:638 msgctxt "listnetworks" msgid "No" msgstr "" -#: ClientCommand.cpp:628 +#: ClientCommand.cpp:643 msgctxt "listnetworks" msgid "No networks" msgstr "" -#: ClientCommand.cpp:632 ClientCommand.cpp:936 +#: ClientCommand.cpp:647 ClientCommand.cpp:952 msgid "Access denied." msgstr "" -#: ClientCommand.cpp:643 +#: ClientCommand.cpp:658 msgid "Usage: MoveNetwork [new network]" msgstr "" -#: ClientCommand.cpp:653 +#: ClientCommand.cpp:668 msgid "Old user {1} not found." msgstr "" -#: ClientCommand.cpp:659 +#: ClientCommand.cpp:674 msgid "Old network {1} not found." msgstr "" -#: ClientCommand.cpp:665 +#: ClientCommand.cpp:680 msgid "New user {1} not found." msgstr "" -#: ClientCommand.cpp:670 +#: ClientCommand.cpp:685 msgid "User {1} already has network {2}." msgstr "" -#: ClientCommand.cpp:676 +#: ClientCommand.cpp:691 msgid "Invalid network name [{1}]" msgstr "" -#: ClientCommand.cpp:692 +#: ClientCommand.cpp:707 msgid "Some files seem to be in {1}. You might want to move them to {2}" msgstr "" -#: ClientCommand.cpp:706 +#: ClientCommand.cpp:721 msgid "Error adding network: {1}" msgstr "" -#: ClientCommand.cpp:718 +#: ClientCommand.cpp:733 msgid "Success." msgstr "" -#: ClientCommand.cpp:721 +#: ClientCommand.cpp:736 msgid "Copied the network to new user, but failed to delete old network" msgstr "" -#: ClientCommand.cpp:728 +#: ClientCommand.cpp:743 msgid "No network supplied." msgstr "" -#: ClientCommand.cpp:733 +#: ClientCommand.cpp:748 msgid "You are already connected with this network." msgstr "" -#: ClientCommand.cpp:739 +#: ClientCommand.cpp:754 msgid "Switched to {1}" msgstr "" -#: ClientCommand.cpp:742 +#: ClientCommand.cpp:757 msgid "You don't have a network named {1}" msgstr "" -#: ClientCommand.cpp:754 +#: ClientCommand.cpp:769 msgid "Usage: AddServer [[+]port] [pass]" msgstr "" -#: ClientCommand.cpp:759 +#: ClientCommand.cpp:774 msgid "Server added" msgstr "" -#: ClientCommand.cpp:762 +#: ClientCommand.cpp:777 msgid "" "Unable to add that server. Perhaps the server is already added or openssl is " "disabled?" msgstr "" -#: ClientCommand.cpp:777 +#: ClientCommand.cpp:792 msgid "Usage: DelServer [port] [pass]" msgstr "" -#: ClientCommand.cpp:782 ClientCommand.cpp:822 -msgid "You don't have any servers added." -msgstr "" - -#: ClientCommand.cpp:787 +#: ClientCommand.cpp:802 msgid "Server removed" msgstr "" -#: ClientCommand.cpp:789 +#: ClientCommand.cpp:804 msgid "No such server" msgstr "" -#: ClientCommand.cpp:802 ClientCommand.cpp:809 +#: ClientCommand.cpp:817 ClientCommand.cpp:825 msgctxt "listservers" msgid "Host" msgstr "" -#: ClientCommand.cpp:803 ClientCommand.cpp:811 +#: ClientCommand.cpp:818 ClientCommand.cpp:827 msgctxt "listservers" msgid "Port" msgstr "" -#: ClientCommand.cpp:804 ClientCommand.cpp:814 +#: ClientCommand.cpp:819 ClientCommand.cpp:830 msgctxt "listservers" msgid "SSL" msgstr "" -#: ClientCommand.cpp:805 ClientCommand.cpp:816 +#: ClientCommand.cpp:820 ClientCommand.cpp:832 msgctxt "listservers" msgid "Password" msgstr "" -#: ClientCommand.cpp:815 +#: ClientCommand.cpp:831 msgctxt "listservers|cell" msgid "SSL" msgstr "" -#: ClientCommand.cpp:832 +#: ClientCommand.cpp:848 msgid "Usage: AddTrustedServerFingerprint " msgstr "" -#: ClientCommand.cpp:836 ClientCommand.cpp:849 +#: ClientCommand.cpp:852 ClientCommand.cpp:865 msgid "Done." msgstr "" -#: ClientCommand.cpp:845 +#: ClientCommand.cpp:861 msgid "Usage: DelTrustedServerFingerprint " msgstr "" -#: ClientCommand.cpp:858 +#: ClientCommand.cpp:874 msgid "No fingerprints added." msgstr "" -#: ClientCommand.cpp:874 ClientCommand.cpp:880 +#: ClientCommand.cpp:890 ClientCommand.cpp:896 msgctxt "topicscmd" msgid "Channel" msgstr "" -#: ClientCommand.cpp:875 ClientCommand.cpp:881 +#: ClientCommand.cpp:891 ClientCommand.cpp:897 msgctxt "topicscmd" msgid "Set By" msgstr "" -#: ClientCommand.cpp:876 ClientCommand.cpp:882 +#: ClientCommand.cpp:892 ClientCommand.cpp:898 msgctxt "topicscmd" msgid "Topic" msgstr "" -#: ClientCommand.cpp:889 ClientCommand.cpp:894 +#: ClientCommand.cpp:905 ClientCommand.cpp:910 msgctxt "listmods" msgid "Name" msgstr "" -#: ClientCommand.cpp:890 ClientCommand.cpp:895 +#: ClientCommand.cpp:906 ClientCommand.cpp:911 msgctxt "listmods" msgid "Arguments" msgstr "" -#: ClientCommand.cpp:904 +#: ClientCommand.cpp:920 msgid "No global modules loaded." msgstr "" -#: ClientCommand.cpp:906 ClientCommand.cpp:970 +#: ClientCommand.cpp:922 ClientCommand.cpp:986 msgid "Global modules:" msgstr "" -#: ClientCommand.cpp:915 +#: ClientCommand.cpp:931 msgid "Your user has no modules loaded." msgstr "" -#: ClientCommand.cpp:917 ClientCommand.cpp:982 +#: ClientCommand.cpp:933 ClientCommand.cpp:998 msgid "User modules:" msgstr "" -#: ClientCommand.cpp:925 +#: ClientCommand.cpp:941 msgid "This network has no modules loaded." msgstr "" -#: ClientCommand.cpp:927 ClientCommand.cpp:994 +#: ClientCommand.cpp:943 ClientCommand.cpp:1010 msgid "Network modules:" msgstr "" -#: ClientCommand.cpp:942 ClientCommand.cpp:949 +#: ClientCommand.cpp:958 ClientCommand.cpp:965 msgctxt "listavailmods" msgid "Name" msgstr "" -#: ClientCommand.cpp:943 ClientCommand.cpp:954 +#: ClientCommand.cpp:959 ClientCommand.cpp:970 msgctxt "listavailmods" msgid "Description" msgstr "" -#: ClientCommand.cpp:968 +#: ClientCommand.cpp:984 msgid "No global modules available." msgstr "" -#: ClientCommand.cpp:980 +#: ClientCommand.cpp:996 msgid "No user modules available." msgstr "" -#: ClientCommand.cpp:992 +#: ClientCommand.cpp:1008 msgid "No network modules available." msgstr "" -#: ClientCommand.cpp:1020 +#: ClientCommand.cpp:1036 msgid "Unable to load {1}: Access denied." msgstr "" -#: ClientCommand.cpp:1026 +#: ClientCommand.cpp:1042 msgid "Usage: LoadMod [--type=global|user|network] [args]" msgstr "" -#: ClientCommand.cpp:1033 +#: ClientCommand.cpp:1049 msgid "Unable to load {1}: {2}" msgstr "" -#: ClientCommand.cpp:1043 +#: ClientCommand.cpp:1059 msgid "Unable to load global module {1}: Access denied." msgstr "" -#: ClientCommand.cpp:1049 +#: ClientCommand.cpp:1065 msgid "Unable to load network module {1}: Not connected with a network." msgstr "" -#: ClientCommand.cpp:1071 +#: ClientCommand.cpp:1087 msgid "Unknown module type" msgstr "" -#: ClientCommand.cpp:1076 +#: ClientCommand.cpp:1092 msgid "Loaded module {1}" msgstr "" -#: ClientCommand.cpp:1078 +#: ClientCommand.cpp:1094 msgid "Loaded module {1}: {2}" msgstr "" -#: ClientCommand.cpp:1081 +#: ClientCommand.cpp:1097 msgid "Unable to load module {1}: {2}" msgstr "" -#: ClientCommand.cpp:1104 +#: ClientCommand.cpp:1120 msgid "Unable to unload {1}: Access denied." msgstr "" -#: ClientCommand.cpp:1110 +#: ClientCommand.cpp:1126 msgid "Usage: UnloadMod [--type=global|user|network] " msgstr "" -#: ClientCommand.cpp:1119 +#: ClientCommand.cpp:1135 msgid "Unable to determine type of {1}: {2}" msgstr "" -#: ClientCommand.cpp:1127 +#: ClientCommand.cpp:1143 msgid "Unable to unload global module {1}: Access denied." msgstr "" -#: ClientCommand.cpp:1134 +#: ClientCommand.cpp:1150 msgid "Unable to unload network module {1}: Not connected with a network." msgstr "" -#: ClientCommand.cpp:1153 +#: ClientCommand.cpp:1169 msgid "Unable to unload module {1}: Unknown module type" msgstr "" -#: ClientCommand.cpp:1166 +#: ClientCommand.cpp:1182 msgid "Unable to reload modules. Access denied." msgstr "" -#: ClientCommand.cpp:1187 +#: ClientCommand.cpp:1203 msgid "Usage: ReloadMod [--type=global|user|network] [args]" msgstr "" -#: ClientCommand.cpp:1196 +#: ClientCommand.cpp:1212 msgid "Unable to reload {1}: {2}" msgstr "" -#: ClientCommand.cpp:1204 +#: ClientCommand.cpp:1220 msgid "Unable to reload global module {1}: Access denied." msgstr "" -#: ClientCommand.cpp:1211 +#: ClientCommand.cpp:1227 msgid "Unable to reload network module {1}: Not connected with a network." msgstr "" -#: ClientCommand.cpp:1233 +#: ClientCommand.cpp:1249 msgid "Unable to reload module {1}: Unknown module type" msgstr "" -#: ClientCommand.cpp:1244 +#: ClientCommand.cpp:1260 msgid "Usage: UpdateMod " msgstr "" -#: ClientCommand.cpp:1248 +#: ClientCommand.cpp:1264 msgid "Reloading {1} everywhere" msgstr "" -#: ClientCommand.cpp:1250 +#: ClientCommand.cpp:1266 msgid "Done" msgstr "" -#: ClientCommand.cpp:1253 +#: ClientCommand.cpp:1269 msgid "" "Done, but there were errors, module {1} could not be reloaded everywhere." msgstr "" -#: ClientCommand.cpp:1261 +#: ClientCommand.cpp:1277 msgid "" "You must be connected with a network to use this command. Try " "SetUserBindHost instead" msgstr "" -#: ClientCommand.cpp:1268 +#: ClientCommand.cpp:1284 msgid "Usage: SetBindHost " msgstr "" -#: ClientCommand.cpp:1273 ClientCommand.cpp:1290 +#: ClientCommand.cpp:1289 ClientCommand.cpp:1306 msgid "You already have this bind host!" msgstr "" -#: ClientCommand.cpp:1278 +#: ClientCommand.cpp:1294 msgid "Set bind host for network {1} to {2}" msgstr "" -#: ClientCommand.cpp:1285 +#: ClientCommand.cpp:1301 msgid "Usage: SetUserBindHost " msgstr "" -#: ClientCommand.cpp:1295 +#: ClientCommand.cpp:1311 msgid "Set default bind host to {1}" msgstr "" -#: ClientCommand.cpp:1301 +#: ClientCommand.cpp:1317 msgid "" "You must be connected with a network to use this command. Try " "ClearUserBindHost instead" msgstr "" -#: ClientCommand.cpp:1306 +#: ClientCommand.cpp:1322 msgid "Bind host cleared for this network." msgstr "" -#: ClientCommand.cpp:1310 +#: ClientCommand.cpp:1326 msgid "Default bind host cleared for your user." msgstr "" -#: ClientCommand.cpp:1313 +#: ClientCommand.cpp:1329 msgid "This user's default bind host not set" msgstr "" -#: ClientCommand.cpp:1315 +#: ClientCommand.cpp:1331 msgid "This user's default bind host is {1}" msgstr "" -#: ClientCommand.cpp:1320 +#: ClientCommand.cpp:1336 msgid "This network's bind host not set" msgstr "" -#: ClientCommand.cpp:1322 +#: ClientCommand.cpp:1338 msgid "This network's default bind host is {1}" msgstr "" -#: ClientCommand.cpp:1336 +#: ClientCommand.cpp:1352 msgid "Usage: PlayBuffer <#chan|query>" msgstr "" -#: ClientCommand.cpp:1344 +#: ClientCommand.cpp:1360 msgid "You are not on {1}" msgstr "" -#: ClientCommand.cpp:1349 +#: ClientCommand.cpp:1365 msgid "You are not on {1} (trying to join)" msgstr "" -#: ClientCommand.cpp:1354 +#: ClientCommand.cpp:1370 msgid "The buffer for channel {1} is empty" msgstr "" -#: ClientCommand.cpp:1363 +#: ClientCommand.cpp:1379 msgid "No active query with {1}" msgstr "" -#: ClientCommand.cpp:1368 +#: ClientCommand.cpp:1384 msgid "The buffer for {1} is empty" msgstr "" -#: ClientCommand.cpp:1384 +#: ClientCommand.cpp:1400 msgid "Usage: ClearBuffer <#chan|query>" msgstr "" -#: ClientCommand.cpp:1403 +#: ClientCommand.cpp:1419 msgid "{1} buffer matching {2} has been cleared" msgid_plural "{1} buffers matching {2} have been cleared" msgstr[0] "" msgstr[1] "" -#: ClientCommand.cpp:1416 +#: ClientCommand.cpp:1432 msgid "All channel buffers have been cleared" msgstr "" -#: ClientCommand.cpp:1425 +#: ClientCommand.cpp:1441 msgid "All query buffers have been cleared" msgstr "" -#: ClientCommand.cpp:1437 +#: ClientCommand.cpp:1453 msgid "All buffers have been cleared" msgstr "" -#: ClientCommand.cpp:1448 +#: ClientCommand.cpp:1464 msgid "Usage: SetBuffer <#chan|query> [linecount]" msgstr "" -#: ClientCommand.cpp:1469 +#: ClientCommand.cpp:1485 msgid "Setting buffer size failed for {1} buffer" msgid_plural "Setting buffer size failed for {1} buffers" msgstr[0] "" msgstr[1] "" -#: ClientCommand.cpp:1472 +#: ClientCommand.cpp:1488 msgid "Maximum buffer size is {1} line" msgid_plural "Maximum buffer size is {1} lines" msgstr[0] "" msgstr[1] "" -#: ClientCommand.cpp:1477 +#: ClientCommand.cpp:1493 msgid "Size of every buffer was set to {1} line" msgid_plural "Size of every buffer was set to {1} lines" msgstr[0] "" msgstr[1] "" -#: ClientCommand.cpp:1487 ClientCommand.cpp:1494 ClientCommand.cpp:1505 -#: ClientCommand.cpp:1514 ClientCommand.cpp:1522 +#: ClientCommand.cpp:1503 ClientCommand.cpp:1510 ClientCommand.cpp:1521 +#: ClientCommand.cpp:1530 ClientCommand.cpp:1538 msgctxt "trafficcmd" msgid "Username" msgstr "" -#: ClientCommand.cpp:1488 ClientCommand.cpp:1495 ClientCommand.cpp:1507 -#: ClientCommand.cpp:1516 ClientCommand.cpp:1524 +#: ClientCommand.cpp:1504 ClientCommand.cpp:1511 ClientCommand.cpp:1523 +#: ClientCommand.cpp:1532 ClientCommand.cpp:1540 msgctxt "trafficcmd" msgid "In" msgstr "" -#: ClientCommand.cpp:1489 ClientCommand.cpp:1497 ClientCommand.cpp:1508 -#: ClientCommand.cpp:1517 ClientCommand.cpp:1525 +#: ClientCommand.cpp:1505 ClientCommand.cpp:1513 ClientCommand.cpp:1524 +#: ClientCommand.cpp:1533 ClientCommand.cpp:1541 msgctxt "trafficcmd" msgid "Out" msgstr "" -#: ClientCommand.cpp:1490 ClientCommand.cpp:1500 ClientCommand.cpp:1510 -#: ClientCommand.cpp:1518 ClientCommand.cpp:1527 +#: ClientCommand.cpp:1506 ClientCommand.cpp:1516 ClientCommand.cpp:1526 +#: ClientCommand.cpp:1534 ClientCommand.cpp:1543 msgctxt "trafficcmd" msgid "Total" msgstr "" -#: ClientCommand.cpp:1506 +#: ClientCommand.cpp:1522 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1515 +#: ClientCommand.cpp:1531 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1523 +#: ClientCommand.cpp:1539 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1532 +#: ClientCommand.cpp:1548 msgid "Running for {1}" msgstr "" -#: ClientCommand.cpp:1538 +#: ClientCommand.cpp:1554 msgid "Unknown command, try 'Help'" msgstr "" -#: ClientCommand.cpp:1547 ClientCommand.cpp:1558 +#: ClientCommand.cpp:1563 ClientCommand.cpp:1574 msgctxt "listports" msgid "Port" msgstr "" -#: ClientCommand.cpp:1548 ClientCommand.cpp:1559 +#: ClientCommand.cpp:1564 ClientCommand.cpp:1577 msgctxt "listports" msgid "BindHost" msgstr "" -#: ClientCommand.cpp:1549 ClientCommand.cpp:1562 +#: ClientCommand.cpp:1565 ClientCommand.cpp:1580 msgctxt "listports" msgid "SSL" msgstr "" -#: ClientCommand.cpp:1550 ClientCommand.cpp:1567 +#: ClientCommand.cpp:1566 ClientCommand.cpp:1585 msgctxt "listports" msgid "Protocol" msgstr "" -#: ClientCommand.cpp:1551 ClientCommand.cpp:1574 +#: ClientCommand.cpp:1567 ClientCommand.cpp:1592 msgctxt "listports" msgid "IRC" msgstr "" -#: ClientCommand.cpp:1552 ClientCommand.cpp:1579 +#: ClientCommand.cpp:1568 ClientCommand.cpp:1597 msgctxt "listports" msgid "Web" msgstr "" -#: ClientCommand.cpp:1563 +#: ClientCommand.cpp:1581 msgctxt "listports|ssl" msgid "yes" msgstr "" -#: ClientCommand.cpp:1564 +#: ClientCommand.cpp:1582 msgctxt "listports|ssl" msgid "no" msgstr "" -#: ClientCommand.cpp:1568 +#: ClientCommand.cpp:1586 msgctxt "listports" msgid "IPv4 and IPv6" msgstr "" -#: ClientCommand.cpp:1570 +#: ClientCommand.cpp:1588 msgctxt "listports" msgid "IPv4" msgstr "" -#: ClientCommand.cpp:1571 +#: ClientCommand.cpp:1589 msgctxt "listports" msgid "IPv6" msgstr "" -#: ClientCommand.cpp:1577 +#: ClientCommand.cpp:1595 msgctxt "listports|irc" msgid "yes" msgstr "" -#: ClientCommand.cpp:1578 +#: ClientCommand.cpp:1596 msgctxt "listports|irc" msgid "no" msgstr "" -#: ClientCommand.cpp:1582 +#: ClientCommand.cpp:1600 msgctxt "listports|irc" msgid "yes, on {1}" msgstr "" -#: ClientCommand.cpp:1584 +#: ClientCommand.cpp:1602 msgctxt "listports|web" msgid "no" msgstr "" -#: ClientCommand.cpp:1624 +#: ClientCommand.cpp:1642 msgid "" "Usage: AddPort <[+]port> [bindhost [uriprefix]]" msgstr "" -#: ClientCommand.cpp:1640 +#: ClientCommand.cpp:1658 msgid "Port added" msgstr "" -#: ClientCommand.cpp:1642 +#: ClientCommand.cpp:1660 msgid "Couldn't add port" msgstr "" -#: ClientCommand.cpp:1648 +#: ClientCommand.cpp:1666 msgid "Usage: DelPort [bindhost]" msgstr "" -#: ClientCommand.cpp:1657 +#: ClientCommand.cpp:1675 msgid "Deleted Port" msgstr "" -#: ClientCommand.cpp:1659 +#: ClientCommand.cpp:1677 msgid "Unable to find a matching port" msgstr "" -#: ClientCommand.cpp:1667 ClientCommand.cpp:1682 +#: ClientCommand.cpp:1685 ClientCommand.cpp:1700 msgctxt "helpcmd" msgid "Command" msgstr "" -#: ClientCommand.cpp:1668 ClientCommand.cpp:1684 +#: ClientCommand.cpp:1686 ClientCommand.cpp:1702 msgctxt "helpcmd" msgid "Description" msgstr "" -#: ClientCommand.cpp:1673 +#: ClientCommand.cpp:1691 msgid "" "In the following list all occurrences of <#chan> support wildcards (* and ?) " "except ListNicks" msgstr "" -#: ClientCommand.cpp:1690 +#: ClientCommand.cpp:1708 msgctxt "helpcmd|Version|desc" msgid "Print which version of ZNC this is" msgstr "" -#: ClientCommand.cpp:1693 +#: ClientCommand.cpp:1711 msgctxt "helpcmd|ListMods|desc" msgid "List all loaded modules" msgstr "" -#: ClientCommand.cpp:1696 +#: ClientCommand.cpp:1714 msgctxt "helpcmd|ListAvailMods|desc" msgid "List all available modules" msgstr "" -#: ClientCommand.cpp:1700 ClientCommand.cpp:1886 +#: ClientCommand.cpp:1718 ClientCommand.cpp:1904 msgctxt "helpcmd|ListChans|desc" msgid "List all channels" msgstr "" -#: ClientCommand.cpp:1703 +#: ClientCommand.cpp:1721 msgctxt "helpcmd|ListNicks|args" msgid "<#chan>" msgstr "" -#: ClientCommand.cpp:1704 +#: ClientCommand.cpp:1722 msgctxt "helpcmd|ListNicks|desc" msgid "List all nicks on a channel" msgstr "" -#: ClientCommand.cpp:1707 +#: ClientCommand.cpp:1725 msgctxt "helpcmd|ListClients|desc" msgid "List all clients connected to your ZNC user" msgstr "" -#: ClientCommand.cpp:1711 +#: ClientCommand.cpp:1729 msgctxt "helpcmd|ListServers|desc" msgid "List all servers of current IRC network" msgstr "" -#: ClientCommand.cpp:1715 +#: ClientCommand.cpp:1733 msgctxt "helpcmd|AddNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1716 +#: ClientCommand.cpp:1734 msgctxt "helpcmd|AddNetwork|desc" msgid "Add a network to your user" msgstr "" -#: ClientCommand.cpp:1718 +#: ClientCommand.cpp:1736 msgctxt "helpcmd|DelNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1719 +#: ClientCommand.cpp:1737 msgctxt "helpcmd|DelNetwork|desc" msgid "Delete a network from your user" msgstr "" -#: ClientCommand.cpp:1721 +#: ClientCommand.cpp:1739 msgctxt "helpcmd|ListNetworks|desc" msgid "List all networks" msgstr "" -#: ClientCommand.cpp:1724 +#: ClientCommand.cpp:1742 msgctxt "helpcmd|MoveNetwork|args" msgid " [new network]" msgstr "" -#: ClientCommand.cpp:1726 +#: ClientCommand.cpp:1744 msgctxt "helpcmd|MoveNetwork|desc" msgid "Move an IRC network from one user to another" msgstr "" -#: ClientCommand.cpp:1730 +#: ClientCommand.cpp:1748 msgctxt "helpcmd|JumpNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1731 +#: ClientCommand.cpp:1749 msgctxt "helpcmd|JumpNetwork|desc" msgid "" "Jump to another network (Alternatively, you can connect to ZNC several " "times, using `user/network` as username)" msgstr "" -#: ClientCommand.cpp:1736 +#: ClientCommand.cpp:1754 msgctxt "helpcmd|AddServer|args" msgid " [[+]port] [pass]" msgstr "" -#: ClientCommand.cpp:1737 +#: ClientCommand.cpp:1755 msgctxt "helpcmd|AddServer|desc" msgid "" "Add a server to the list of alternate/backup servers of current IRC network." msgstr "" -#: ClientCommand.cpp:1741 +#: ClientCommand.cpp:1759 msgctxt "helpcmd|DelServer|args" msgid " [port] [pass]" msgstr "" -#: ClientCommand.cpp:1742 +#: ClientCommand.cpp:1760 msgctxt "helpcmd|DelServer|desc" msgid "" "Remove a server from the list of alternate/backup servers of current IRC " "network" msgstr "" -#: ClientCommand.cpp:1748 +#: ClientCommand.cpp:1766 msgctxt "helpcmd|AddTrustedServerFingerprint|args" msgid "" msgstr "" -#: ClientCommand.cpp:1749 +#: ClientCommand.cpp:1767 msgctxt "helpcmd|AddTrustedServerFingerprint|desc" msgid "" "Add a trusted server SSL certificate fingerprint (SHA-256) to current IRC " "network." msgstr "" -#: ClientCommand.cpp:1754 +#: ClientCommand.cpp:1772 msgctxt "helpcmd|DelTrustedServerFingerprint|args" msgid "" msgstr "" -#: ClientCommand.cpp:1755 +#: ClientCommand.cpp:1773 msgctxt "helpcmd|DelTrustedServerFingerprint|desc" msgid "Delete a trusted server SSL certificate from current IRC network." msgstr "" -#: ClientCommand.cpp:1759 +#: ClientCommand.cpp:1777 msgctxt "helpcmd|ListTrustedServerFingerprints|desc" msgid "List all trusted server SSL certificates of current IRC network." msgstr "" -#: ClientCommand.cpp:1762 +#: ClientCommand.cpp:1780 msgctxt "helpcmd|EnableChan|args" msgid "<#chans>" msgstr "" -#: ClientCommand.cpp:1763 +#: ClientCommand.cpp:1781 msgctxt "helpcmd|EnableChan|desc" msgid "Enable channels" msgstr "" -#: ClientCommand.cpp:1764 +#: ClientCommand.cpp:1782 msgctxt "helpcmd|DisableChan|args" msgid "<#chans>" msgstr "" -#: ClientCommand.cpp:1765 +#: ClientCommand.cpp:1783 msgctxt "helpcmd|DisableChan|desc" msgid "Disable channels" msgstr "" -#: ClientCommand.cpp:1766 +#: ClientCommand.cpp:1784 msgctxt "helpcmd|Attach|args" msgid "<#chans>" msgstr "" -#: ClientCommand.cpp:1767 +#: ClientCommand.cpp:1785 msgctxt "helpcmd|Attach|desc" msgid "Attach to channels" msgstr "" -#: ClientCommand.cpp:1768 +#: ClientCommand.cpp:1786 msgctxt "helpcmd|Detach|args" msgid "<#chans>" msgstr "" -#: ClientCommand.cpp:1769 +#: ClientCommand.cpp:1787 msgctxt "helpcmd|Detach|desc" msgid "Detach from channels" msgstr "" -#: ClientCommand.cpp:1772 +#: ClientCommand.cpp:1790 msgctxt "helpcmd|Topics|desc" msgid "Show topics in all your channels" msgstr "" -#: ClientCommand.cpp:1775 +#: ClientCommand.cpp:1793 msgctxt "helpcmd|PlayBuffer|args" msgid "<#chan|query>" msgstr "" -#: ClientCommand.cpp:1776 +#: ClientCommand.cpp:1794 msgctxt "helpcmd|PlayBuffer|desc" msgid "Play back the specified buffer" msgstr "" -#: ClientCommand.cpp:1778 +#: ClientCommand.cpp:1796 msgctxt "helpcmd|ClearBuffer|args" msgid "<#chan|query>" msgstr "" -#: ClientCommand.cpp:1779 +#: ClientCommand.cpp:1797 msgctxt "helpcmd|ClearBuffer|desc" msgid "Clear the specified buffer" msgstr "" -#: ClientCommand.cpp:1781 +#: ClientCommand.cpp:1799 msgctxt "helpcmd|ClearAllBuffers|desc" msgid "Clear all channel and query buffers" msgstr "" -#: ClientCommand.cpp:1784 +#: ClientCommand.cpp:1802 msgctxt "helpcmd|ClearAllChannelBuffers|desc" msgid "Clear the channel buffers" msgstr "" -#: ClientCommand.cpp:1788 +#: ClientCommand.cpp:1806 msgctxt "helpcmd|ClearAllQueryBuffers|desc" msgid "Clear the query buffers" msgstr "" -#: ClientCommand.cpp:1790 +#: ClientCommand.cpp:1808 msgctxt "helpcmd|SetBuffer|args" msgid "<#chan|query> [linecount]" msgstr "" -#: ClientCommand.cpp:1791 +#: ClientCommand.cpp:1809 msgctxt "helpcmd|SetBuffer|desc" msgid "Set the buffer count" msgstr "" -#: ClientCommand.cpp:1795 +#: ClientCommand.cpp:1813 msgctxt "helpcmd|SetBindHost|args" msgid "" msgstr "" -#: ClientCommand.cpp:1796 +#: ClientCommand.cpp:1814 msgctxt "helpcmd|SetBindHost|desc" msgid "Set the bind host for this network" msgstr "" -#: ClientCommand.cpp:1800 +#: ClientCommand.cpp:1818 msgctxt "helpcmd|SetUserBindHost|args" msgid "" msgstr "" -#: ClientCommand.cpp:1801 +#: ClientCommand.cpp:1819 msgctxt "helpcmd|SetUserBindHost|desc" msgid "Set the default bind host for this user" msgstr "" -#: ClientCommand.cpp:1804 +#: ClientCommand.cpp:1822 msgctxt "helpcmd|ClearBindHost|desc" msgid "Clear the bind host for this network" msgstr "" -#: ClientCommand.cpp:1807 +#: ClientCommand.cpp:1825 msgctxt "helpcmd|ClearUserBindHost|desc" msgid "Clear the default bind host for this user" msgstr "" -#: ClientCommand.cpp:1813 +#: ClientCommand.cpp:1831 msgctxt "helpcmd|ShowBindHost|desc" msgid "Show currently selected bind host" msgstr "" -#: ClientCommand.cpp:1815 +#: ClientCommand.cpp:1833 msgctxt "helpcmd|Jump|args" msgid "[server]" msgstr "" -#: ClientCommand.cpp:1816 +#: ClientCommand.cpp:1834 msgctxt "helpcmd|Jump|desc" msgid "Jump to the next or the specified server" msgstr "" -#: ClientCommand.cpp:1817 +#: ClientCommand.cpp:1835 msgctxt "helpcmd|Disconnect|args" msgid "[message]" msgstr "" -#: ClientCommand.cpp:1818 +#: ClientCommand.cpp:1836 msgctxt "helpcmd|Disconnect|desc" msgid "Disconnect from IRC" msgstr "" -#: ClientCommand.cpp:1820 +#: ClientCommand.cpp:1838 msgctxt "helpcmd|Connect|desc" msgid "Reconnect to IRC" msgstr "" -#: ClientCommand.cpp:1823 +#: ClientCommand.cpp:1841 msgctxt "helpcmd|Uptime|desc" msgid "Show for how long ZNC has been running" msgstr "" -#: ClientCommand.cpp:1827 +#: ClientCommand.cpp:1845 msgctxt "helpcmd|LoadMod|args" msgid "[--type=global|user|network] [args]" msgstr "" -#: ClientCommand.cpp:1829 +#: ClientCommand.cpp:1847 msgctxt "helpcmd|LoadMod|desc" msgid "Load a module" msgstr "" -#: ClientCommand.cpp:1831 +#: ClientCommand.cpp:1849 msgctxt "helpcmd|UnloadMod|args" msgid "[--type=global|user|network] " msgstr "" -#: ClientCommand.cpp:1833 +#: ClientCommand.cpp:1851 msgctxt "helpcmd|UnloadMod|desc" msgid "Unload a module" msgstr "" -#: ClientCommand.cpp:1835 +#: ClientCommand.cpp:1853 msgctxt "helpcmd|ReloadMod|args" msgid "[--type=global|user|network] [args]" msgstr "" -#: ClientCommand.cpp:1837 +#: ClientCommand.cpp:1855 msgctxt "helpcmd|ReloadMod|desc" msgid "Reload a module" msgstr "" -#: ClientCommand.cpp:1840 +#: ClientCommand.cpp:1858 msgctxt "helpcmd|UpdateMod|args" msgid "" msgstr "" -#: ClientCommand.cpp:1841 +#: ClientCommand.cpp:1859 msgctxt "helpcmd|UpdateMod|desc" msgid "Reload a module everywhere" msgstr "" -#: ClientCommand.cpp:1847 +#: ClientCommand.cpp:1865 msgctxt "helpcmd|ShowMOTD|desc" msgid "Show ZNC's message of the day" msgstr "" -#: ClientCommand.cpp:1851 +#: ClientCommand.cpp:1869 msgctxt "helpcmd|SetMOTD|args" msgid "" msgstr "" -#: ClientCommand.cpp:1852 +#: ClientCommand.cpp:1870 msgctxt "helpcmd|SetMOTD|desc" msgid "Set ZNC's message of the day" msgstr "" -#: ClientCommand.cpp:1854 +#: ClientCommand.cpp:1872 msgctxt "helpcmd|AddMOTD|args" msgid "" msgstr "" -#: ClientCommand.cpp:1855 +#: ClientCommand.cpp:1873 msgctxt "helpcmd|AddMOTD|desc" msgid "Append to ZNC's MOTD" msgstr "" -#: ClientCommand.cpp:1857 +#: ClientCommand.cpp:1875 msgctxt "helpcmd|ClearMOTD|desc" msgid "Clear ZNC's MOTD" msgstr "" -#: ClientCommand.cpp:1860 +#: ClientCommand.cpp:1878 msgctxt "helpcmd|ListPorts|desc" msgid "Show all active listeners" msgstr "" -#: ClientCommand.cpp:1862 +#: ClientCommand.cpp:1880 msgctxt "helpcmd|AddPort|args" msgid "<[+]port> [bindhost [uriprefix]]" msgstr "" -#: ClientCommand.cpp:1865 +#: ClientCommand.cpp:1883 msgctxt "helpcmd|AddPort|desc" msgid "Add another port for ZNC to listen on" msgstr "" -#: ClientCommand.cpp:1869 +#: ClientCommand.cpp:1887 msgctxt "helpcmd|DelPort|args" msgid " [bindhost]" msgstr "" -#: ClientCommand.cpp:1870 +#: ClientCommand.cpp:1888 msgctxt "helpcmd|DelPort|desc" msgid "Remove a port from ZNC" msgstr "" -#: ClientCommand.cpp:1873 +#: ClientCommand.cpp:1891 msgctxt "helpcmd|Rehash|desc" msgid "Reload global settings, modules, and listeners from znc.conf" msgstr "" -#: ClientCommand.cpp:1876 +#: ClientCommand.cpp:1894 msgctxt "helpcmd|SaveConfig|desc" msgid "Save the current settings to disk" msgstr "" -#: ClientCommand.cpp:1879 +#: ClientCommand.cpp:1897 msgctxt "helpcmd|ListUsers|desc" msgid "List all ZNC users and their connection status" msgstr "" -#: ClientCommand.cpp:1882 +#: ClientCommand.cpp:1900 msgctxt "helpcmd|ListAllUserNetworks|desc" msgid "List all ZNC users and their networks" msgstr "" -#: ClientCommand.cpp:1885 +#: ClientCommand.cpp:1903 msgctxt "helpcmd|ListChans|args" msgid "[user ]" msgstr "" -#: ClientCommand.cpp:1888 +#: ClientCommand.cpp:1906 msgctxt "helpcmd|ListClients|args" msgid "[user]" msgstr "" -#: ClientCommand.cpp:1889 +#: ClientCommand.cpp:1907 msgctxt "helpcmd|ListClients|desc" msgid "List all connected clients" msgstr "" -#: ClientCommand.cpp:1891 +#: ClientCommand.cpp:1909 msgctxt "helpcmd|Traffic|desc" msgid "Show basic traffic stats for all ZNC users" msgstr "" -#: ClientCommand.cpp:1893 +#: ClientCommand.cpp:1911 msgctxt "helpcmd|Broadcast|args" msgid "[message]" msgstr "" -#: ClientCommand.cpp:1894 +#: ClientCommand.cpp:1912 msgctxt "helpcmd|Broadcast|desc" msgid "Broadcast a message to all ZNC users" msgstr "" -#: ClientCommand.cpp:1897 +#: ClientCommand.cpp:1915 msgctxt "helpcmd|Shutdown|args" msgid "[message]" msgstr "" -#: ClientCommand.cpp:1898 +#: ClientCommand.cpp:1916 msgctxt "helpcmd|Shutdown|desc" msgid "Shut down ZNC completely" msgstr "" -#: ClientCommand.cpp:1899 +#: ClientCommand.cpp:1917 msgctxt "helpcmd|Restart|args" msgid "[message]" msgstr "" -#: ClientCommand.cpp:1900 +#: ClientCommand.cpp:1918 msgctxt "helpcmd|Restart|desc" msgid "Restart ZNC" msgstr "" diff --git a/src/po/znc.pt_BR.po b/src/po/znc.pt_BR.po index 84cbffce..530fa936 100644 --- a/src/po/znc.pt_BR.po +++ b/src/po/znc.pt_BR.po @@ -75,7 +75,7 @@ msgstr "Falha ao localizar o arquivo PEM: {1}" msgid "Invalid port" msgstr "Porta inválida" -#: znc.cpp:1813 ClientCommand.cpp:1637 +#: znc.cpp:1813 ClientCommand.cpp:1655 msgid "Unable to bind: {1}" msgstr "Não foi possível vincular: {1}" @@ -114,68 +114,68 @@ msgstr "" msgid "Some module aborted the connection attempt" msgstr "Algum módulo cancelou a tentativa de conexão" -#: IRCSock.cpp:490 +#: IRCSock.cpp:492 msgid "Error from server: {1}" msgstr "Erro do servidor: {1}" -#: IRCSock.cpp:692 +#: IRCSock.cpp:694 msgid "ZNC seems to be connected to itself, disconnecting..." msgstr "Parece que o ZNC está conectado a si mesmo. Desconectando..." -#: IRCSock.cpp:739 +#: IRCSock.cpp:741 msgid "Server {1} redirects us to {2}:{3} with reason: {4}" msgstr "" -#: IRCSock.cpp:743 +#: IRCSock.cpp:745 msgid "Perhaps you want to add it as a new server." msgstr "Talvez você queira adicioná-lo como um novo servidor." -#: IRCSock.cpp:973 +#: IRCSock.cpp:975 msgid "Channel {1} is linked to another channel and was thus disabled." msgstr "O canal {1} foi desabilitado por estar vinculado a outro canal." -#: IRCSock.cpp:985 +#: IRCSock.cpp:987 msgid "Switched to SSL (STARTTLS)" msgstr "Alternado para SSL (STARTTLS)" -#: IRCSock.cpp:1038 +#: IRCSock.cpp:1040 msgid "You quit: {1}" msgstr "Você saiu: {1}" -#: IRCSock.cpp:1244 +#: IRCSock.cpp:1246 msgid "Disconnected from IRC. Reconnecting..." msgstr "Desconectado. Reconectando..." -#: IRCSock.cpp:1275 +#: IRCSock.cpp:1277 msgid "Cannot connect to IRC ({1}). Retrying..." msgstr "Não foi possível conectar-se ao IRC ({1}). Tentando novamente..." -#: IRCSock.cpp:1278 +#: IRCSock.cpp:1280 msgid "Disconnected from IRC ({1}). Reconnecting..." msgstr "Desconectado do IRC ({1}). Reconectando..." -#: IRCSock.cpp:1314 +#: IRCSock.cpp:1316 msgid "If you trust this certificate, do /znc AddTrustedServerFingerprint {1}" msgstr "" "Caso confie neste certificado, digite /znc AddTrustedServerFingerprint {1}" -#: IRCSock.cpp:1323 +#: IRCSock.cpp:1325 msgid "IRC connection timed out. Reconnecting..." msgstr "A conexão ao servidor expirou. Reconectando..." -#: IRCSock.cpp:1335 +#: IRCSock.cpp:1337 msgid "Connection Refused. Reconnecting..." msgstr "Conexão rejeitada. Reconectando..." -#: IRCSock.cpp:1343 +#: IRCSock.cpp:1345 msgid "Received a too long line from the IRC server!" msgstr "Uma linha muito longa foi recebida do servidor de IRC!" -#: IRCSock.cpp:1447 +#: IRCSock.cpp:1449 msgid "No free nick available" msgstr "Não há apelidos livres disponíveis" -#: IRCSock.cpp:1455 +#: IRCSock.cpp:1457 msgid "No free nick found" msgstr "Nenhum apelido livre foi encontrado" @@ -239,47 +239,48 @@ msgstr "" "Você está sendo desconectado porque outro usuário acabou de autenticar-se " "como você." -#: Client.cpp:1021 +#: Client.cpp:1022 msgid "Your CTCP to {1} got lost, you are not connected to IRC!" msgstr "O seu CTCP para {1} foi perdido, você não está conectado ao IRC!" -#: Client.cpp:1147 +#: Client.cpp:1148 msgid "Your notice to {1} got lost, you are not connected to IRC!" msgstr "O seu aviso para {1} foi perdido, você não está conectado ao IRC!" -#: Client.cpp:1186 +#: Client.cpp:1187 msgid "Removing channel {1}" msgstr "Removendo canal {1}" -#: Client.cpp:1264 +#: Client.cpp:1265 msgid "Your message to {1} got lost, you are not connected to IRC!" msgstr "Sua mensagem para {1} foi perdida, você não está conectado ao IRC!" -#: Client.cpp:1317 Client.cpp:1323 +#: Client.cpp:1318 Client.cpp:1324 msgid "Hello. How may I help you?" msgstr "Olá. Como posso ajudá-lo(a)?" -#: Client.cpp:1337 +#: Client.cpp:1338 msgid "Usage: /attach <#chans>" msgstr "Sintaxe: /attach <#canais>" -#: Client.cpp:1344 Client.cpp:1366 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: Client.cpp:1345 Client.cpp:1367 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: ClientCommand.cpp:423 ClientCommand.cpp:450 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" msgstr[0] "Foi encontrado {1} canal correspondente a [{2}]" msgstr[1] "Foi encontrado {1} canal correspondentes a [{2}]" -#: Client.cpp:1347 ClientCommand.cpp:132 +#: Client.cpp:1348 ClientCommand.cpp:132 msgid "Attached {1} channel" msgid_plural "Attached {1} channels" msgstr[0] "{1} canal foi anexado" msgstr[1] "{1} canais foram anexados" -#: Client.cpp:1359 +#: Client.cpp:1360 msgid "Usage: /detach <#chans>" msgstr "Sintaxe: /detach <#canais>" -#: Client.cpp:1369 ClientCommand.cpp:154 +#: Client.cpp:1370 ClientCommand.cpp:154 msgid "Detached {1} channel" msgid_plural "Detached {1} channels" msgstr[0] "{1} canal foi desanexado" @@ -303,7 +304,7 @@ msgctxt "modhelpcmd" msgid "Generate this output" msgstr "Gera essa saída" -#: Modules.cpp:573 ClientCommand.cpp:1904 +#: Modules.cpp:573 ClientCommand.cpp:1922 msgid "No matches for '{1}'" msgstr "Nenhuma correspondência para '{1}'" @@ -414,11 +415,12 @@ msgid "Description" msgstr "Descrição" #: ClientCommand.cpp:51 ClientCommand.cpp:115 ClientCommand.cpp:137 -#: ClientCommand.cpp:749 ClientCommand.cpp:768 ClientCommand.cpp:794 -#: ClientCommand.cpp:827 ClientCommand.cpp:840 ClientCommand.cpp:853 -#: ClientCommand.cpp:868 ClientCommand.cpp:1329 ClientCommand.cpp:1377 -#: ClientCommand.cpp:1409 ClientCommand.cpp:1420 ClientCommand.cpp:1429 -#: ClientCommand.cpp:1441 +#: ClientCommand.cpp:339 ClientCommand.cpp:390 ClientCommand.cpp:405 +#: ClientCommand.cpp:432 ClientCommand.cpp:459 ClientCommand.cpp:764 +#: ClientCommand.cpp:783 ClientCommand.cpp:809 ClientCommand.cpp:843 +#: ClientCommand.cpp:856 ClientCommand.cpp:869 ClientCommand.cpp:884 +#: ClientCommand.cpp:1345 ClientCommand.cpp:1393 ClientCommand.cpp:1425 +#: ClientCommand.cpp:1436 ClientCommand.cpp:1445 ClientCommand.cpp:1457 msgid "You must be connected with a network to use this command" msgstr "Você precisa estar conectado a uma rede para usar este comando" @@ -478,87 +480,248 @@ msgstr "Configuração salva em {1}" msgid "Error while trying to write config." msgstr "Erro ao tentar gravar as configurações." -#: ClientCommand.cpp:455 +#: ClientCommand.cpp:183 +msgid "Usage: ListClients" +msgstr "" + +#: ClientCommand.cpp:190 +msgid "No such user: {1}" +msgstr "" + +#: ClientCommand.cpp:198 +msgid "No clients are connected" +msgstr "" + +#: ClientCommand.cpp:203 ClientCommand.cpp:209 +msgctxt "listclientscmd" +msgid "Host" +msgstr "" + +#: ClientCommand.cpp:204 ClientCommand.cpp:212 +msgctxt "listclientscmd" +msgid "Network" +msgstr "" + +#: ClientCommand.cpp:205 ClientCommand.cpp:215 +msgctxt "listclientscmd" +msgid "Identifier" +msgstr "" + +#: ClientCommand.cpp:223 ClientCommand.cpp:229 +msgctxt "listuserscmd" +msgid "Username" +msgstr "" + +#: ClientCommand.cpp:224 ClientCommand.cpp:230 +msgctxt "listuserscmd" +msgid "Networks" +msgstr "" + +#: ClientCommand.cpp:225 ClientCommand.cpp:232 +msgctxt "listuserscmd" +msgid "Clients" +msgstr "" + +#: ClientCommand.cpp:240 ClientCommand.cpp:250 ClientCommand.cpp:260 +#: ClientCommand.cpp:263 +msgctxt "listallusernetworkscmd" +msgid "Username" +msgstr "" + +#: ClientCommand.cpp:241 ClientCommand.cpp:251 ClientCommand.cpp:266 +msgctxt "listallusernetworkscmd" +msgid "Network" +msgstr "" + +#: ClientCommand.cpp:242 ClientCommand.cpp:252 ClientCommand.cpp:268 +msgctxt "listallusernetworkscmd" +msgid "Clients" +msgstr "" + +#: ClientCommand.cpp:243 ClientCommand.cpp:271 ClientCommand.cpp:280 +msgctxt "listallusernetworkscmd" +msgid "On IRC" +msgstr "" + +#: ClientCommand.cpp:244 ClientCommand.cpp:273 +msgctxt "listallusernetworkscmd" +msgid "IRC Server" +msgstr "" + +#: ClientCommand.cpp:245 ClientCommand.cpp:275 +msgctxt "listallusernetworkscmd" +msgid "IRC User" +msgstr "" + +#: ClientCommand.cpp:246 ClientCommand.cpp:277 +msgctxt "listallusernetworkscmd" +msgid "Channels" +msgstr "" + +#: ClientCommand.cpp:251 +msgid "N/A" +msgstr "" + +#: ClientCommand.cpp:272 +msgctxt "listallusernetworkscmd" +msgid "Yes" +msgstr "" + +#: ClientCommand.cpp:281 +msgctxt "listallusernetworkscmd" +msgid "No" +msgstr "" + +#: ClientCommand.cpp:291 +msgid "Usage: SetMOTD " +msgstr "" + +#: ClientCommand.cpp:294 +msgid "MOTD set to: {1}" +msgstr "" + +#: ClientCommand.cpp:300 +msgid "Usage: AddMOTD " +msgstr "" + +#: ClientCommand.cpp:303 +msgid "Added [{1}] to MOTD" +msgstr "" + +#: ClientCommand.cpp:307 +msgid "Cleared MOTD" +msgstr "" + +#: ClientCommand.cpp:329 +msgid "" +"ERROR: Writing config file to disk failed! Aborting. Use {1} FORCE to ignore." +msgstr "" + +#: ClientCommand.cpp:344 ClientCommand.cpp:797 ClientCommand.cpp:838 +msgid "You don't have any servers added." +msgstr "Você não tem servidores adicionados." + +#: ClientCommand.cpp:355 +msgid "Server [{1}] not found" +msgstr "" + +#: ClientCommand.cpp:375 ClientCommand.cpp:380 +msgid "Connecting to {1}..." +msgstr "" + +#: ClientCommand.cpp:377 +msgid "Jumping to the next server in the list..." +msgstr "" + +#: ClientCommand.cpp:382 +msgid "Connecting..." +msgstr "" + +#: ClientCommand.cpp:400 +msgid "Disconnected from IRC. Use 'connect' to reconnect." +msgstr "" + +#: ClientCommand.cpp:412 +msgid "Usage: EnableChan <#chans>" +msgstr "" + +#: ClientCommand.cpp:426 +msgid "Enabled {1} channel" +msgid_plural "Enabled {1} channels" +msgstr[0] "" +msgstr[1] "" + +#: ClientCommand.cpp:439 +msgid "Usage: DisableChan <#chans>" +msgstr "" + +#: ClientCommand.cpp:453 +msgid "Disabled {1} channel" +msgid_plural "Disabled {1} channels" +msgstr[0] "" +msgstr[1] "" + +#: ClientCommand.cpp:470 msgid "Usage: ListChans" msgstr "Sintaxe: ListChans" -#: ClientCommand.cpp:462 +#: ClientCommand.cpp:477 msgid "No such user [{1}]" msgstr "Usuário não encontrado [{1}]" -#: ClientCommand.cpp:468 +#: ClientCommand.cpp:483 msgid "User [{1}] doesn't have network [{2}]" msgstr "Usuário [{1}] não tem uma rede [{2}]" -#: ClientCommand.cpp:479 +#: ClientCommand.cpp:494 msgid "There are no channels defined." msgstr "Não há canais definidos." -#: ClientCommand.cpp:484 ClientCommand.cpp:500 +#: ClientCommand.cpp:499 ClientCommand.cpp:515 msgctxt "listchans" msgid "Name" msgstr "Nome" -#: ClientCommand.cpp:485 ClientCommand.cpp:503 +#: ClientCommand.cpp:500 ClientCommand.cpp:518 msgctxt "listchans" msgid "Status" msgstr "Estado" -#: ClientCommand.cpp:486 ClientCommand.cpp:510 +#: ClientCommand.cpp:501 ClientCommand.cpp:525 msgctxt "listchans" msgid "In config" msgstr "Na configuração" -#: ClientCommand.cpp:487 ClientCommand.cpp:512 +#: ClientCommand.cpp:502 ClientCommand.cpp:527 msgctxt "listchans" msgid "Buffer" msgstr "Buffer" -#: ClientCommand.cpp:488 ClientCommand.cpp:516 +#: ClientCommand.cpp:503 ClientCommand.cpp:531 msgctxt "listchans" msgid "Clear" msgstr "Limpar" -#: ClientCommand.cpp:489 ClientCommand.cpp:521 +#: ClientCommand.cpp:504 ClientCommand.cpp:536 msgctxt "listchans" msgid "Modes" msgstr "Modos" -#: ClientCommand.cpp:490 ClientCommand.cpp:522 +#: ClientCommand.cpp:505 ClientCommand.cpp:537 msgctxt "listchans" msgid "Users" msgstr "Usuários" -#: ClientCommand.cpp:505 +#: ClientCommand.cpp:520 msgctxt "listchans" msgid "Detached" msgstr "Desanexado" -#: ClientCommand.cpp:506 +#: ClientCommand.cpp:521 msgctxt "listchans" msgid "Joined" msgstr "Entrou" -#: ClientCommand.cpp:507 +#: ClientCommand.cpp:522 msgctxt "listchans" msgid "Disabled" msgstr "Desabilitado" -#: ClientCommand.cpp:508 +#: ClientCommand.cpp:523 msgctxt "listchans" msgid "Trying" msgstr "Tentando" -#: ClientCommand.cpp:511 ClientCommand.cpp:519 +#: ClientCommand.cpp:526 ClientCommand.cpp:534 msgctxt "listchans" msgid "yes" msgstr "sim" -#: ClientCommand.cpp:536 +#: ClientCommand.cpp:551 msgid "Total: {1}, Joined: {2}, Detached: {3}, Disabled: {4}" msgstr "Total: {1}, Ingressados: {2}, Desanexados: {3}, Desativados: {4}" -#: ClientCommand.cpp:541 +#: ClientCommand.cpp:556 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks using /znc DelNetwork " @@ -567,15 +730,15 @@ msgstr "" "limite de redes, ou então exclua redes desnecessárias usando o comando /znc " "DelNetwork " -#: ClientCommand.cpp:550 +#: ClientCommand.cpp:565 msgid "Usage: AddNetwork " msgstr "Sintaxe: AddNetwork " -#: ClientCommand.cpp:554 +#: ClientCommand.cpp:569 msgid "Network name should be alphanumeric" msgstr "O nome da rede deve ser alfanumérico" -#: ClientCommand.cpp:561 +#: ClientCommand.cpp:576 msgid "" "Network added. Use /znc JumpNetwork {1}, or connect to ZNC with username {2} " "(instead of just {3}) to connect to it." @@ -583,140 +746,140 @@ msgstr "" "Rede adicionada. Use /znc JumpNetwork {1}, ou conecte-se ao ZNC com nome de " "usuário {2} (em vez de apenas {3}) para conectar-se a rede." -#: ClientCommand.cpp:566 +#: ClientCommand.cpp:581 msgid "Unable to add that network" msgstr "Não foi possível adicionar esta rede" -#: ClientCommand.cpp:573 +#: ClientCommand.cpp:588 msgid "Usage: DelNetwork " msgstr "Sintaxe: DelNetwork " -#: ClientCommand.cpp:582 +#: ClientCommand.cpp:597 msgid "Network deleted" msgstr "A rede foi excluída" -#: ClientCommand.cpp:585 +#: ClientCommand.cpp:600 msgid "Failed to delete network, perhaps this network doesn't exist" msgstr "Falha ao excluir rede. Talvez esta rede não existe." -#: ClientCommand.cpp:595 +#: ClientCommand.cpp:610 msgid "User {1} not found" msgstr "Usuário {1} não encontrado" -#: ClientCommand.cpp:603 ClientCommand.cpp:611 +#: ClientCommand.cpp:618 ClientCommand.cpp:626 msgctxt "listnetworks" msgid "Network" msgstr "Rede" -#: ClientCommand.cpp:604 ClientCommand.cpp:613 ClientCommand.cpp:622 +#: ClientCommand.cpp:619 ClientCommand.cpp:628 ClientCommand.cpp:637 msgctxt "listnetworks" msgid "On IRC" msgstr "No IRC" -#: ClientCommand.cpp:605 ClientCommand.cpp:615 +#: ClientCommand.cpp:620 ClientCommand.cpp:630 msgctxt "listnetworks" msgid "IRC Server" msgstr "Servidor IRC" -#: ClientCommand.cpp:606 ClientCommand.cpp:617 +#: ClientCommand.cpp:621 ClientCommand.cpp:632 msgctxt "listnetworks" msgid "IRC User" msgstr "Usuário IRC" -#: ClientCommand.cpp:607 ClientCommand.cpp:619 +#: ClientCommand.cpp:622 ClientCommand.cpp:634 msgctxt "listnetworks" msgid "Channels" msgstr "Canais" -#: ClientCommand.cpp:614 +#: ClientCommand.cpp:629 msgctxt "listnetworks" msgid "Yes" msgstr "Sim" -#: ClientCommand.cpp:623 +#: ClientCommand.cpp:638 msgctxt "listnetworks" msgid "No" msgstr "Não" -#: ClientCommand.cpp:628 +#: ClientCommand.cpp:643 msgctxt "listnetworks" msgid "No networks" msgstr "Não há redes disponíveis." -#: ClientCommand.cpp:632 ClientCommand.cpp:936 +#: ClientCommand.cpp:647 ClientCommand.cpp:952 msgid "Access denied." msgstr "Acesso negado." -#: ClientCommand.cpp:643 +#: ClientCommand.cpp:658 msgid "Usage: MoveNetwork [new network]" msgstr "" "Sintaxe: MoveNetwork [nova " "rede]" -#: ClientCommand.cpp:653 +#: ClientCommand.cpp:668 msgid "Old user {1} not found." msgstr "Usuário antigo [{1}] não foi encontrado." -#: ClientCommand.cpp:659 +#: ClientCommand.cpp:674 msgid "Old network {1} not found." msgstr "Rede antiga [{1}] não foi encontrada." -#: ClientCommand.cpp:665 +#: ClientCommand.cpp:680 msgid "New user {1} not found." msgstr "Novo usuário [{1}] não foi encontrado." -#: ClientCommand.cpp:670 +#: ClientCommand.cpp:685 msgid "User {1} already has network {2}." msgstr "O usuário {1} já possui a rede {2}." -#: ClientCommand.cpp:676 +#: ClientCommand.cpp:691 msgid "Invalid network name [{1}]" msgstr "Nome de rede inválido [{1}]" -#: ClientCommand.cpp:692 +#: ClientCommand.cpp:707 msgid "Some files seem to be in {1}. You might want to move them to {2}" msgstr "" "Alguns arquivos parecem estar em {1}. É recomendável que você mova-os para " "{2}" -#: ClientCommand.cpp:706 +#: ClientCommand.cpp:721 msgid "Error adding network: {1}" msgstr "Falha ao adicionar rede: {1}" -#: ClientCommand.cpp:718 +#: ClientCommand.cpp:733 msgid "Success." msgstr "Sucesso." -#: ClientCommand.cpp:721 +#: ClientCommand.cpp:736 msgid "Copied the network to new user, but failed to delete old network" msgstr "" "Rede copiada para o novo usuário, mas não foi possível deletar a rede antiga" -#: ClientCommand.cpp:728 +#: ClientCommand.cpp:743 msgid "No network supplied." msgstr "Nenhuma rede fornecida." -#: ClientCommand.cpp:733 +#: ClientCommand.cpp:748 msgid "You are already connected with this network." msgstr "Você já está conectado com esta rede." -#: ClientCommand.cpp:739 +#: ClientCommand.cpp:754 msgid "Switched to {1}" msgstr "Trocado para {1}" -#: ClientCommand.cpp:742 +#: ClientCommand.cpp:757 msgid "You don't have a network named {1}" msgstr "Você não tem uma rede chamada {1}" -#: ClientCommand.cpp:754 +#: ClientCommand.cpp:769 msgid "Usage: AddServer [[+]port] [pass]" msgstr "Sintaxe: AddServer [[+]porta] [senha]" -#: ClientCommand.cpp:759 +#: ClientCommand.cpp:774 msgid "Server added" msgstr "Servidor adicionado" -#: ClientCommand.cpp:762 +#: ClientCommand.cpp:777 msgid "" "Unable to add that server. Perhaps the server is already added or openssl is " "disabled?" @@ -724,238 +887,234 @@ msgstr "" "Não é possível adicionar esse servidor. Talvez o servidor já tenha sido " "adicionado ou o openssl esteja desativado?" -#: ClientCommand.cpp:777 +#: ClientCommand.cpp:792 msgid "Usage: DelServer [port] [pass]" msgstr "Sintaxe: DelServer [porta] [senha]" -#: ClientCommand.cpp:782 ClientCommand.cpp:822 -msgid "You don't have any servers added." -msgstr "Você não tem servidores adicionados." - -#: ClientCommand.cpp:787 +#: ClientCommand.cpp:802 msgid "Server removed" msgstr "Servidor removido" -#: ClientCommand.cpp:789 +#: ClientCommand.cpp:804 msgid "No such server" msgstr "Servidor não existe" -#: ClientCommand.cpp:802 ClientCommand.cpp:809 +#: ClientCommand.cpp:817 ClientCommand.cpp:825 msgctxt "listservers" msgid "Host" msgstr "Host" -#: ClientCommand.cpp:803 ClientCommand.cpp:811 +#: ClientCommand.cpp:818 ClientCommand.cpp:827 msgctxt "listservers" msgid "Port" msgstr "Porta" -#: ClientCommand.cpp:804 ClientCommand.cpp:814 +#: ClientCommand.cpp:819 ClientCommand.cpp:830 msgctxt "listservers" msgid "SSL" msgstr "SSL" -#: ClientCommand.cpp:805 ClientCommand.cpp:816 +#: ClientCommand.cpp:820 ClientCommand.cpp:832 msgctxt "listservers" msgid "Password" msgstr "Senha" -#: ClientCommand.cpp:815 +#: ClientCommand.cpp:831 msgctxt "listservers|cell" msgid "SSL" msgstr "SSL" -#: ClientCommand.cpp:832 +#: ClientCommand.cpp:848 msgid "Usage: AddTrustedServerFingerprint " msgstr "Sintaxe: AddTrustedServerFingerprint " -#: ClientCommand.cpp:836 ClientCommand.cpp:849 +#: ClientCommand.cpp:852 ClientCommand.cpp:865 msgid "Done." msgstr "Feito." -#: ClientCommand.cpp:845 +#: ClientCommand.cpp:861 msgid "Usage: DelTrustedServerFingerprint " msgstr "Sintaxe: AddTrustedServerFingerprint " -#: ClientCommand.cpp:858 +#: ClientCommand.cpp:874 msgid "No fingerprints added." msgstr "Nenhuma impressão digital adicionada." -#: ClientCommand.cpp:874 ClientCommand.cpp:880 +#: ClientCommand.cpp:890 ClientCommand.cpp:896 msgctxt "topicscmd" msgid "Channel" msgstr "Canal" -#: ClientCommand.cpp:875 ClientCommand.cpp:881 +#: ClientCommand.cpp:891 ClientCommand.cpp:897 msgctxt "topicscmd" msgid "Set By" msgstr "Definido por" -#: ClientCommand.cpp:876 ClientCommand.cpp:882 +#: ClientCommand.cpp:892 ClientCommand.cpp:898 msgctxt "topicscmd" msgid "Topic" msgstr "Tópico" -#: ClientCommand.cpp:889 ClientCommand.cpp:894 +#: ClientCommand.cpp:905 ClientCommand.cpp:910 msgctxt "listmods" msgid "Name" msgstr "Nome" -#: ClientCommand.cpp:890 ClientCommand.cpp:895 +#: ClientCommand.cpp:906 ClientCommand.cpp:911 msgctxt "listmods" msgid "Arguments" msgstr "Parâmetros" -#: ClientCommand.cpp:904 +#: ClientCommand.cpp:920 msgid "No global modules loaded." msgstr "Não há módulos globais carregados." -#: ClientCommand.cpp:906 ClientCommand.cpp:970 +#: ClientCommand.cpp:922 ClientCommand.cpp:986 msgid "Global modules:" msgstr "Módulos globais:" -#: ClientCommand.cpp:915 +#: ClientCommand.cpp:931 msgid "Your user has no modules loaded." msgstr "Seu usuário não possui módulos carregados." -#: ClientCommand.cpp:917 ClientCommand.cpp:982 +#: ClientCommand.cpp:933 ClientCommand.cpp:998 msgid "User modules:" msgstr "Módulos de usuário:" -#: ClientCommand.cpp:925 +#: ClientCommand.cpp:941 msgid "This network has no modules loaded." msgstr "Esta rede não possui módulos carregados." -#: ClientCommand.cpp:927 ClientCommand.cpp:994 +#: ClientCommand.cpp:943 ClientCommand.cpp:1010 msgid "Network modules:" msgstr "Módulos da rede:" -#: ClientCommand.cpp:942 ClientCommand.cpp:949 +#: ClientCommand.cpp:958 ClientCommand.cpp:965 msgctxt "listavailmods" msgid "Name" msgstr "Nome" -#: ClientCommand.cpp:943 ClientCommand.cpp:954 +#: ClientCommand.cpp:959 ClientCommand.cpp:970 msgctxt "listavailmods" msgid "Description" msgstr "Descrição" -#: ClientCommand.cpp:968 +#: ClientCommand.cpp:984 msgid "No global modules available." msgstr "Não há módulos globais disponíveis." -#: ClientCommand.cpp:980 +#: ClientCommand.cpp:996 msgid "No user modules available." msgstr "Não há módulos de usuário disponíveis." -#: ClientCommand.cpp:992 +#: ClientCommand.cpp:1008 msgid "No network modules available." msgstr "Não há módulos de rede disponíveis." -#: ClientCommand.cpp:1020 +#: ClientCommand.cpp:1036 msgid "Unable to load {1}: Access denied." msgstr "Falha ao carregar {1}: acesso negado." -#: ClientCommand.cpp:1026 +#: ClientCommand.cpp:1042 msgid "Usage: LoadMod [--type=global|user|network] [args]" msgstr "Sintaxe: LoadMod [--type=global|user|network] [parâmetros]" -#: ClientCommand.cpp:1033 +#: ClientCommand.cpp:1049 msgid "Unable to load {1}: {2}" msgstr "Não foi possível carregar {1}: {2}" -#: ClientCommand.cpp:1043 +#: ClientCommand.cpp:1059 msgid "Unable to load global module {1}: Access denied." msgstr "Falha ao carregar o módulo global {1}: acesso negado." -#: ClientCommand.cpp:1049 +#: ClientCommand.cpp:1065 msgid "Unable to load network module {1}: Not connected with a network." msgstr "Falha ao carregar o módulo de rede {1}: sem conexão com uma rede." -#: ClientCommand.cpp:1071 +#: ClientCommand.cpp:1087 msgid "Unknown module type" msgstr "Tipo de módulo desconhecido" -#: ClientCommand.cpp:1076 +#: ClientCommand.cpp:1092 msgid "Loaded module {1}" msgstr "Módulo {1} carregado" -#: ClientCommand.cpp:1078 +#: ClientCommand.cpp:1094 msgid "Loaded module {1}: {2}" msgstr "Módulo {1} carregado: {2}" -#: ClientCommand.cpp:1081 +#: ClientCommand.cpp:1097 msgid "Unable to load module {1}: {2}" msgstr "Falha ao carregar o módulo {1}: {2}" -#: ClientCommand.cpp:1104 +#: ClientCommand.cpp:1120 msgid "Unable to unload {1}: Access denied." msgstr "Falha ao descarregar {1}: acesso negado." -#: ClientCommand.cpp:1110 +#: ClientCommand.cpp:1126 msgid "Usage: UnloadMod [--type=global|user|network] " msgstr "Sintaxe: UnloadMod [--type=global|user|network] " -#: ClientCommand.cpp:1119 +#: ClientCommand.cpp:1135 msgid "Unable to determine type of {1}: {2}" msgstr "Falha ao determinar o tipo do módulo {1}: {2}" -#: ClientCommand.cpp:1127 +#: ClientCommand.cpp:1143 msgid "Unable to unload global module {1}: Access denied." msgstr "Falha ao descarregar o módulo global {1}: acesso negado." -#: ClientCommand.cpp:1134 +#: ClientCommand.cpp:1150 msgid "Unable to unload network module {1}: Not connected with a network." msgstr "Falha ao descarregar o módulo de rede {1}: sem conexão com uma rede." -#: ClientCommand.cpp:1153 +#: ClientCommand.cpp:1169 msgid "Unable to unload module {1}: Unknown module type" msgstr "Falha ao descarregar o módulo {1}: tipo de módulo desconhecido" -#: ClientCommand.cpp:1166 +#: ClientCommand.cpp:1182 msgid "Unable to reload modules. Access denied." msgstr "Falha ao recarregar módulos: acesso negado." -#: ClientCommand.cpp:1187 +#: ClientCommand.cpp:1203 msgid "Usage: ReloadMod [--type=global|user|network] [args]" msgstr "Sintaxe: ReloadMod [--type=global|user|network] [parâmetros]" -#: ClientCommand.cpp:1196 +#: ClientCommand.cpp:1212 msgid "Unable to reload {1}: {2}" msgstr "Falha ao recarregar {1}: {2}" -#: ClientCommand.cpp:1204 +#: ClientCommand.cpp:1220 msgid "Unable to reload global module {1}: Access denied." msgstr "Falha ao recarregar o módulo global {1}: acesso negado." -#: ClientCommand.cpp:1211 +#: ClientCommand.cpp:1227 msgid "Unable to reload network module {1}: Not connected with a network." msgstr "Falha ao recarregar o módulo de rede {1}: sem conexão com uma rede." -#: ClientCommand.cpp:1233 +#: ClientCommand.cpp:1249 msgid "Unable to reload module {1}: Unknown module type" msgstr "Falha ao recarregar o módulo {1}: tipo de módulo desconhecido" -#: ClientCommand.cpp:1244 +#: ClientCommand.cpp:1260 msgid "Usage: UpdateMod " msgstr "Sintaxe: UpdateMod " -#: ClientCommand.cpp:1248 +#: ClientCommand.cpp:1264 msgid "Reloading {1} everywhere" msgstr "Recarregando {1}" -#: ClientCommand.cpp:1250 +#: ClientCommand.cpp:1266 msgid "Done" msgstr "Feito" -#: ClientCommand.cpp:1253 +#: ClientCommand.cpp:1269 msgid "" "Done, but there were errors, module {1} could not be reloaded everywhere." msgstr "" "Concluído, porém com erros, o módulo {1} não pode ser recarregado em lugar " "nenhum." -#: ClientCommand.cpp:1261 +#: ClientCommand.cpp:1277 msgid "" "You must be connected with a network to use this command. Try " "SetUserBindHost instead" @@ -963,27 +1122,27 @@ msgstr "" "Você precisa estar conectado a uma rede para usar este comando. Tente " "SetUserBindHost" -#: ClientCommand.cpp:1268 +#: ClientCommand.cpp:1284 msgid "Usage: SetBindHost " msgstr "Sintaxe: SetBindHost " -#: ClientCommand.cpp:1273 ClientCommand.cpp:1290 +#: ClientCommand.cpp:1289 ClientCommand.cpp:1306 msgid "You already have this bind host!" msgstr "Você já está vinculado a este host!" -#: ClientCommand.cpp:1278 +#: ClientCommand.cpp:1294 msgid "Set bind host for network {1} to {2}" msgstr "Vincular o host {2} à rede {1}" -#: ClientCommand.cpp:1285 +#: ClientCommand.cpp:1301 msgid "Usage: SetUserBindHost " msgstr "Sintaxe: SetUserBindHost " -#: ClientCommand.cpp:1295 +#: ClientCommand.cpp:1311 msgid "Set default bind host to {1}" msgstr "Define o host padrão como {1}" -#: ClientCommand.cpp:1301 +#: ClientCommand.cpp:1317 msgid "" "You must be connected with a network to use this command. Try " "ClearUserBindHost instead" @@ -991,258 +1150,258 @@ msgstr "" "Você precisa estar conectado a uma rede para usar este comando. Tente " "SetUserBindHost" -#: ClientCommand.cpp:1306 +#: ClientCommand.cpp:1322 msgid "Bind host cleared for this network." msgstr "Host removido para esta rede." -#: ClientCommand.cpp:1310 +#: ClientCommand.cpp:1326 msgid "Default bind host cleared for your user." msgstr "Host padrão removido para seu usuário." -#: ClientCommand.cpp:1313 +#: ClientCommand.cpp:1329 msgid "This user's default bind host not set" msgstr "O host padrão deste usuário não está definido" -#: ClientCommand.cpp:1315 +#: ClientCommand.cpp:1331 msgid "This user's default bind host is {1}" msgstr "O host padrão vinculado a este usuário é {1}" -#: ClientCommand.cpp:1320 +#: ClientCommand.cpp:1336 msgid "This network's bind host not set" msgstr "Esta rede não possui hosts vinculados" -#: ClientCommand.cpp:1322 +#: ClientCommand.cpp:1338 msgid "This network's default bind host is {1}" msgstr "O host padrão vinculado a esta rede é {1}" -#: ClientCommand.cpp:1336 +#: ClientCommand.cpp:1352 msgid "Usage: PlayBuffer <#chan|query>" msgstr "Uso: PlayBuffer <#canal|query>" -#: ClientCommand.cpp:1344 +#: ClientCommand.cpp:1360 msgid "You are not on {1}" msgstr "Você não está em {1}" -#: ClientCommand.cpp:1349 +#: ClientCommand.cpp:1365 msgid "You are not on {1} (trying to join)" msgstr "Você não está em {1} (tentando entrar)" -#: ClientCommand.cpp:1354 +#: ClientCommand.cpp:1370 msgid "The buffer for channel {1} is empty" msgstr "O buffer para o canal {1} está vazio" -#: ClientCommand.cpp:1363 +#: ClientCommand.cpp:1379 msgid "No active query with {1}" msgstr "Nenhum query ativo com {1}" -#: ClientCommand.cpp:1368 +#: ClientCommand.cpp:1384 msgid "The buffer for {1} is empty" msgstr "O buffer para {1} está vazio" -#: ClientCommand.cpp:1384 +#: ClientCommand.cpp:1400 msgid "Usage: ClearBuffer <#chan|query>" msgstr "Uso: ClearBuffer <#canal|query>" -#: ClientCommand.cpp:1403 +#: ClientCommand.cpp:1419 msgid "{1} buffer matching {2} has been cleared" msgid_plural "{1} buffers matching {2} have been cleared" msgstr[0] "{1} buffer correspondente a {2} foi limpo" msgstr[1] "{1} buffers correspondentes a {2} foram limpos" -#: ClientCommand.cpp:1416 +#: ClientCommand.cpp:1432 msgid "All channel buffers have been cleared" msgstr "Todos os buffers de canais foram limpos" -#: ClientCommand.cpp:1425 +#: ClientCommand.cpp:1441 msgid "All query buffers have been cleared" msgstr "Todos os buffers de queries foram limpos" -#: ClientCommand.cpp:1437 +#: ClientCommand.cpp:1453 msgid "All buffers have been cleared" msgstr "Todos os buffers foram limpos" -#: ClientCommand.cpp:1448 +#: ClientCommand.cpp:1464 msgid "Usage: SetBuffer <#chan|query> [linecount]" msgstr "Uso: SetBuffer <#canal|query> [linecount]" -#: ClientCommand.cpp:1469 +#: ClientCommand.cpp:1485 msgid "Setting buffer size failed for {1} buffer" msgid_plural "Setting buffer size failed for {1} buffers" msgstr[0] "A configuração do tamanho de buffer para {1} buffer falhou" msgstr[1] "A configuração do tamanho de buffer para {1} buffers falharam" -#: ClientCommand.cpp:1472 +#: ClientCommand.cpp:1488 msgid "Maximum buffer size is {1} line" msgid_plural "Maximum buffer size is {1} lines" msgstr[0] "Tamanho mínimo de buffer é de {1} linha" msgstr[1] "Tamanho mínimo de buffer é de {1} linhas" -#: ClientCommand.cpp:1477 +#: ClientCommand.cpp:1493 msgid "Size of every buffer was set to {1} line" msgid_plural "Size of every buffer was set to {1} lines" msgstr[0] "O tamanho de cada buffer foi configurado para {1} linha" msgstr[1] "O tamanho de cada buffer foi configurado para {1} linhas" -#: ClientCommand.cpp:1487 ClientCommand.cpp:1494 ClientCommand.cpp:1505 -#: ClientCommand.cpp:1514 ClientCommand.cpp:1522 +#: ClientCommand.cpp:1503 ClientCommand.cpp:1510 ClientCommand.cpp:1521 +#: ClientCommand.cpp:1530 ClientCommand.cpp:1538 msgctxt "trafficcmd" msgid "Username" msgstr "Nome de usuário" -#: ClientCommand.cpp:1488 ClientCommand.cpp:1495 ClientCommand.cpp:1507 -#: ClientCommand.cpp:1516 ClientCommand.cpp:1524 +#: ClientCommand.cpp:1504 ClientCommand.cpp:1511 ClientCommand.cpp:1523 +#: ClientCommand.cpp:1532 ClientCommand.cpp:1540 msgctxt "trafficcmd" msgid "In" msgstr "Entrada" -#: ClientCommand.cpp:1489 ClientCommand.cpp:1497 ClientCommand.cpp:1508 -#: ClientCommand.cpp:1517 ClientCommand.cpp:1525 +#: ClientCommand.cpp:1505 ClientCommand.cpp:1513 ClientCommand.cpp:1524 +#: ClientCommand.cpp:1533 ClientCommand.cpp:1541 msgctxt "trafficcmd" msgid "Out" msgstr "Saída" -#: ClientCommand.cpp:1490 ClientCommand.cpp:1500 ClientCommand.cpp:1510 -#: ClientCommand.cpp:1518 ClientCommand.cpp:1527 +#: ClientCommand.cpp:1506 ClientCommand.cpp:1516 ClientCommand.cpp:1526 +#: ClientCommand.cpp:1534 ClientCommand.cpp:1543 msgctxt "trafficcmd" msgid "Total" msgstr "Total" -#: ClientCommand.cpp:1506 +#: ClientCommand.cpp:1522 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1515 +#: ClientCommand.cpp:1531 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1523 +#: ClientCommand.cpp:1539 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1532 +#: ClientCommand.cpp:1548 msgid "Running for {1}" msgstr "Rodando por {1}" -#: ClientCommand.cpp:1538 +#: ClientCommand.cpp:1554 msgid "Unknown command, try 'Help'" msgstr "Comando desconhecido, tente 'Help'" -#: ClientCommand.cpp:1547 ClientCommand.cpp:1558 +#: ClientCommand.cpp:1563 ClientCommand.cpp:1574 msgctxt "listports" msgid "Port" msgstr "Porta" -#: ClientCommand.cpp:1548 ClientCommand.cpp:1559 +#: ClientCommand.cpp:1564 ClientCommand.cpp:1577 msgctxt "listports" msgid "BindHost" msgstr "Host vinculado" -#: ClientCommand.cpp:1549 ClientCommand.cpp:1562 +#: ClientCommand.cpp:1565 ClientCommand.cpp:1580 msgctxt "listports" msgid "SSL" msgstr "SSL" -#: ClientCommand.cpp:1550 ClientCommand.cpp:1567 +#: ClientCommand.cpp:1566 ClientCommand.cpp:1585 msgctxt "listports" msgid "Protocol" msgstr "Protocolo" -#: ClientCommand.cpp:1551 ClientCommand.cpp:1574 +#: ClientCommand.cpp:1567 ClientCommand.cpp:1592 msgctxt "listports" msgid "IRC" msgstr "IRC" -#: ClientCommand.cpp:1552 ClientCommand.cpp:1579 +#: ClientCommand.cpp:1568 ClientCommand.cpp:1597 msgctxt "listports" msgid "Web" msgstr "Web" -#: ClientCommand.cpp:1563 +#: ClientCommand.cpp:1581 msgctxt "listports|ssl" msgid "yes" msgstr "sim" -#: ClientCommand.cpp:1564 +#: ClientCommand.cpp:1582 msgctxt "listports|ssl" msgid "no" msgstr "não" -#: ClientCommand.cpp:1568 +#: ClientCommand.cpp:1586 msgctxt "listports" msgid "IPv4 and IPv6" msgstr "IPv4 e IPv6" -#: ClientCommand.cpp:1570 +#: ClientCommand.cpp:1588 msgctxt "listports" msgid "IPv4" msgstr "IPv4" -#: ClientCommand.cpp:1571 +#: ClientCommand.cpp:1589 msgctxt "listports" msgid "IPv6" msgstr "IPv6" -#: ClientCommand.cpp:1577 +#: ClientCommand.cpp:1595 msgctxt "listports|irc" msgid "yes" msgstr "sim" -#: ClientCommand.cpp:1578 +#: ClientCommand.cpp:1596 msgctxt "listports|irc" msgid "no" msgstr "não" -#: ClientCommand.cpp:1582 +#: ClientCommand.cpp:1600 msgctxt "listports|irc" msgid "yes, on {1}" msgstr "sim, em {1}" -#: ClientCommand.cpp:1584 +#: ClientCommand.cpp:1602 msgctxt "listports|web" msgid "no" msgstr "não" -#: ClientCommand.cpp:1624 +#: ClientCommand.cpp:1642 msgid "" "Usage: AddPort <[+]port> [bindhost [uriprefix]]" msgstr "" "Sintaxe: AddPort <[+]porta> [host vinculado " "[prefixo de URI]]" -#: ClientCommand.cpp:1640 +#: ClientCommand.cpp:1658 msgid "Port added" msgstr "Porta adicionada" -#: ClientCommand.cpp:1642 +#: ClientCommand.cpp:1660 msgid "Couldn't add port" msgstr "Não foi possível adicionar esta porta" -#: ClientCommand.cpp:1648 +#: ClientCommand.cpp:1666 msgid "Usage: DelPort [bindhost]" msgstr "Sintaxe: DelPort [host vinculado]" -#: ClientCommand.cpp:1657 +#: ClientCommand.cpp:1675 msgid "Deleted Port" msgstr "Porta deletada" -#: ClientCommand.cpp:1659 +#: ClientCommand.cpp:1677 msgid "Unable to find a matching port" msgstr "Não foi possível encontrar uma porta correspondente" -#: ClientCommand.cpp:1667 ClientCommand.cpp:1682 +#: ClientCommand.cpp:1685 ClientCommand.cpp:1700 msgctxt "helpcmd" msgid "Command" msgstr "Comando" -#: ClientCommand.cpp:1668 ClientCommand.cpp:1684 +#: ClientCommand.cpp:1686 ClientCommand.cpp:1702 msgctxt "helpcmd" msgid "Description" msgstr "Descrição" -#: ClientCommand.cpp:1673 +#: ClientCommand.cpp:1691 msgid "" "In the following list all occurrences of <#chan> support wildcards (* and ?) " "except ListNicks" @@ -1250,87 +1409,87 @@ msgstr "" "Na lista a seguir, todas as ocorrências de <#chan> suportam wildcards (* " "e ?), exceto ListNicks" -#: ClientCommand.cpp:1690 +#: ClientCommand.cpp:1708 msgctxt "helpcmd|Version|desc" msgid "Print which version of ZNC this is" msgstr "Imprime qual é esta versão do ZNC" -#: ClientCommand.cpp:1693 +#: ClientCommand.cpp:1711 msgctxt "helpcmd|ListMods|desc" msgid "List all loaded modules" msgstr "Lista todos os módulos carregados" -#: ClientCommand.cpp:1696 +#: ClientCommand.cpp:1714 msgctxt "helpcmd|ListAvailMods|desc" msgid "List all available modules" msgstr "Lista todos os módulos disponíveis" -#: ClientCommand.cpp:1700 ClientCommand.cpp:1886 +#: ClientCommand.cpp:1718 ClientCommand.cpp:1904 msgctxt "helpcmd|ListChans|desc" msgid "List all channels" msgstr "Listar todos os canais" -#: ClientCommand.cpp:1703 +#: ClientCommand.cpp:1721 msgctxt "helpcmd|ListNicks|args" msgid "<#chan>" msgstr "<#canal>" -#: ClientCommand.cpp:1704 +#: ClientCommand.cpp:1722 msgctxt "helpcmd|ListNicks|desc" msgid "List all nicks on a channel" msgstr "Listar todos os apelidos em um canal" -#: ClientCommand.cpp:1707 +#: ClientCommand.cpp:1725 msgctxt "helpcmd|ListClients|desc" msgid "List all clients connected to your ZNC user" msgstr "Listar todos os clientes conectados ao seu usuário do ZNC" -#: ClientCommand.cpp:1711 +#: ClientCommand.cpp:1729 msgctxt "helpcmd|ListServers|desc" msgid "List all servers of current IRC network" msgstr "Listar todos os servidores da rede atual" -#: ClientCommand.cpp:1715 +#: ClientCommand.cpp:1733 msgctxt "helpcmd|AddNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1716 +#: ClientCommand.cpp:1734 msgctxt "helpcmd|AddNetwork|desc" msgid "Add a network to your user" msgstr "Adiciona uma rede ao seu usuário" -#: ClientCommand.cpp:1718 +#: ClientCommand.cpp:1736 msgctxt "helpcmd|DelNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1719 +#: ClientCommand.cpp:1737 msgctxt "helpcmd|DelNetwork|desc" msgid "Delete a network from your user" msgstr "Exclui uma rede do seu usuário" -#: ClientCommand.cpp:1721 +#: ClientCommand.cpp:1739 msgctxt "helpcmd|ListNetworks|desc" msgid "List all networks" msgstr "Listar todas as redes" -#: ClientCommand.cpp:1724 +#: ClientCommand.cpp:1742 msgctxt "helpcmd|MoveNetwork|args" msgid " [new network]" msgstr " [rede nova]" -#: ClientCommand.cpp:1726 +#: ClientCommand.cpp:1744 msgctxt "helpcmd|MoveNetwork|desc" msgid "Move an IRC network from one user to another" msgstr "Move uma rede de um usuário para outro" -#: ClientCommand.cpp:1730 +#: ClientCommand.cpp:1748 msgctxt "helpcmd|JumpNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1731 +#: ClientCommand.cpp:1749 msgctxt "helpcmd|JumpNetwork|desc" msgid "" "Jump to another network (Alternatively, you can connect to ZNC several " @@ -1339,35 +1498,35 @@ msgstr "" "Troca para outra rede (você pode também conectar ao ZNC várias vezes " "utilizando `usuário/rede` como nome de usuário)" -#: ClientCommand.cpp:1736 +#: ClientCommand.cpp:1754 msgctxt "helpcmd|AddServer|args" msgid " [[+]port] [pass]" msgstr " [[+]porta] [senha]" -#: ClientCommand.cpp:1737 +#: ClientCommand.cpp:1755 msgctxt "helpcmd|AddServer|desc" msgid "" "Add a server to the list of alternate/backup servers of current IRC network." msgstr "Adiciona um servidor à lista de servidores alternativos da rede atual." -#: ClientCommand.cpp:1741 +#: ClientCommand.cpp:1759 msgctxt "helpcmd|DelServer|args" msgid " [port] [pass]" msgstr " [porta] [senha]" -#: ClientCommand.cpp:1742 +#: ClientCommand.cpp:1760 msgctxt "helpcmd|DelServer|desc" msgid "" "Remove a server from the list of alternate/backup servers of current IRC " "network" msgstr "Remove um servidor da lista de servidores alternativos da rede atual." -#: ClientCommand.cpp:1748 +#: ClientCommand.cpp:1766 msgctxt "helpcmd|AddTrustedServerFingerprint|args" msgid "" msgstr "" -#: ClientCommand.cpp:1749 +#: ClientCommand.cpp:1767 msgctxt "helpcmd|AddTrustedServerFingerprint|desc" msgid "" "Add a trusted server SSL certificate fingerprint (SHA-256) to current IRC " @@ -1376,337 +1535,337 @@ msgstr "" "Adiciona a impressão digital (SHA-256) do certificado SSL confiável de um " "servidor à rede atual." -#: ClientCommand.cpp:1754 +#: ClientCommand.cpp:1772 msgctxt "helpcmd|DelTrustedServerFingerprint|args" msgid "" msgstr "" -#: ClientCommand.cpp:1755 +#: ClientCommand.cpp:1773 msgctxt "helpcmd|DelTrustedServerFingerprint|desc" msgid "Delete a trusted server SSL certificate from current IRC network." msgstr "Exclui um certificado SSL confiável da rede atual." -#: ClientCommand.cpp:1759 +#: ClientCommand.cpp:1777 msgctxt "helpcmd|ListTrustedServerFingerprints|desc" msgid "List all trusted server SSL certificates of current IRC network." msgstr "Lista todos os certificados SSL confiáveis da rede atual." -#: ClientCommand.cpp:1762 +#: ClientCommand.cpp:1780 msgctxt "helpcmd|EnableChan|args" msgid "<#chans>" msgstr "<#canais>" -#: ClientCommand.cpp:1763 +#: ClientCommand.cpp:1781 msgctxt "helpcmd|EnableChan|desc" msgid "Enable channels" msgstr "Habilitar canais" -#: ClientCommand.cpp:1764 +#: ClientCommand.cpp:1782 msgctxt "helpcmd|DisableChan|args" msgid "<#chans>" msgstr "<#canais>" -#: ClientCommand.cpp:1765 +#: ClientCommand.cpp:1783 msgctxt "helpcmd|DisableChan|desc" msgid "Disable channels" msgstr "Desativar canais" -#: ClientCommand.cpp:1766 +#: ClientCommand.cpp:1784 msgctxt "helpcmd|Attach|args" msgid "<#chans>" msgstr "<#canais>" -#: ClientCommand.cpp:1767 +#: ClientCommand.cpp:1785 msgctxt "helpcmd|Attach|desc" msgid "Attach to channels" msgstr "Anexar aos canais" -#: ClientCommand.cpp:1768 +#: ClientCommand.cpp:1786 msgctxt "helpcmd|Detach|args" msgid "<#chans>" msgstr "<#canais>" -#: ClientCommand.cpp:1769 +#: ClientCommand.cpp:1787 msgctxt "helpcmd|Detach|desc" msgid "Detach from channels" msgstr "Desconectar dos canais" -#: ClientCommand.cpp:1772 +#: ClientCommand.cpp:1790 msgctxt "helpcmd|Topics|desc" msgid "Show topics in all your channels" msgstr "Mostra tópicos em todos os seus canais" -#: ClientCommand.cpp:1775 +#: ClientCommand.cpp:1793 msgctxt "helpcmd|PlayBuffer|args" msgid "<#chan|query>" msgstr "" -#: ClientCommand.cpp:1776 +#: ClientCommand.cpp:1794 msgctxt "helpcmd|PlayBuffer|desc" msgid "Play back the specified buffer" msgstr "" -#: ClientCommand.cpp:1778 +#: ClientCommand.cpp:1796 msgctxt "helpcmd|ClearBuffer|args" msgid "<#chan|query>" msgstr "" -#: ClientCommand.cpp:1779 +#: ClientCommand.cpp:1797 msgctxt "helpcmd|ClearBuffer|desc" msgid "Clear the specified buffer" msgstr "" -#: ClientCommand.cpp:1781 +#: ClientCommand.cpp:1799 msgctxt "helpcmd|ClearAllBuffers|desc" msgid "Clear all channel and query buffers" msgstr "" -#: ClientCommand.cpp:1784 +#: ClientCommand.cpp:1802 msgctxt "helpcmd|ClearAllChannelBuffers|desc" msgid "Clear the channel buffers" msgstr "" -#: ClientCommand.cpp:1788 +#: ClientCommand.cpp:1806 msgctxt "helpcmd|ClearAllQueryBuffers|desc" msgid "Clear the query buffers" msgstr "" -#: ClientCommand.cpp:1790 +#: ClientCommand.cpp:1808 msgctxt "helpcmd|SetBuffer|args" msgid "<#chan|query> [linecount]" msgstr "" -#: ClientCommand.cpp:1791 +#: ClientCommand.cpp:1809 msgctxt "helpcmd|SetBuffer|desc" msgid "Set the buffer count" msgstr "Define a contagem do buffer" -#: ClientCommand.cpp:1795 +#: ClientCommand.cpp:1813 msgctxt "helpcmd|SetBindHost|args" msgid "" msgstr "" -#: ClientCommand.cpp:1796 +#: ClientCommand.cpp:1814 msgctxt "helpcmd|SetBindHost|desc" msgid "Set the bind host for this network" msgstr "Vincula o host especificado a esta rede" -#: ClientCommand.cpp:1800 +#: ClientCommand.cpp:1818 msgctxt "helpcmd|SetUserBindHost|args" msgid "" msgstr "" -#: ClientCommand.cpp:1801 +#: ClientCommand.cpp:1819 msgctxt "helpcmd|SetUserBindHost|desc" msgid "Set the default bind host for this user" msgstr "Vincula o host especificado a este usuário" -#: ClientCommand.cpp:1804 +#: ClientCommand.cpp:1822 msgctxt "helpcmd|ClearBindHost|desc" msgid "Clear the bind host for this network" msgstr "Limpa o host para esta rede" -#: ClientCommand.cpp:1807 +#: ClientCommand.cpp:1825 msgctxt "helpcmd|ClearUserBindHost|desc" msgid "Clear the default bind host for this user" msgstr "Limpa o host padrão para este usuário" -#: ClientCommand.cpp:1813 +#: ClientCommand.cpp:1831 msgctxt "helpcmd|ShowBindHost|desc" msgid "Show currently selected bind host" msgstr "Mostra host atualmente selecionado" -#: ClientCommand.cpp:1815 +#: ClientCommand.cpp:1833 msgctxt "helpcmd|Jump|args" msgid "[server]" msgstr "[servidor]" -#: ClientCommand.cpp:1816 +#: ClientCommand.cpp:1834 msgctxt "helpcmd|Jump|desc" msgid "Jump to the next or the specified server" msgstr "Pule para o próximo servidor ou para o servidor especificado" -#: ClientCommand.cpp:1817 +#: ClientCommand.cpp:1835 msgctxt "helpcmd|Disconnect|args" msgid "[message]" msgstr "[mensagem]" -#: ClientCommand.cpp:1818 +#: ClientCommand.cpp:1836 msgctxt "helpcmd|Disconnect|desc" msgid "Disconnect from IRC" msgstr "Desconecta do IRC" -#: ClientCommand.cpp:1820 +#: ClientCommand.cpp:1838 msgctxt "helpcmd|Connect|desc" msgid "Reconnect to IRC" msgstr "Reconecta ao IRC" -#: ClientCommand.cpp:1823 +#: ClientCommand.cpp:1841 msgctxt "helpcmd|Uptime|desc" msgid "Show for how long ZNC has been running" msgstr "Mostra por quanto tempo o ZNC está rodando" -#: ClientCommand.cpp:1827 +#: ClientCommand.cpp:1845 msgctxt "helpcmd|LoadMod|args" msgid "[--type=global|user|network] [args]" msgstr "" -#: ClientCommand.cpp:1829 +#: ClientCommand.cpp:1847 msgctxt "helpcmd|LoadMod|desc" msgid "Load a module" msgstr "Carrega um módulo" -#: ClientCommand.cpp:1831 +#: ClientCommand.cpp:1849 msgctxt "helpcmd|UnloadMod|args" msgid "[--type=global|user|network] " msgstr "[--type=global|user|network] " -#: ClientCommand.cpp:1833 +#: ClientCommand.cpp:1851 msgctxt "helpcmd|UnloadMod|desc" msgid "Unload a module" msgstr "Descarrega um módulo" -#: ClientCommand.cpp:1835 +#: ClientCommand.cpp:1853 msgctxt "helpcmd|ReloadMod|args" msgid "[--type=global|user|network] [args]" msgstr "" -#: ClientCommand.cpp:1837 +#: ClientCommand.cpp:1855 msgctxt "helpcmd|ReloadMod|desc" msgid "Reload a module" msgstr "Recarrega um módulo" -#: ClientCommand.cpp:1840 +#: ClientCommand.cpp:1858 msgctxt "helpcmd|UpdateMod|args" msgid "" msgstr "" -#: ClientCommand.cpp:1841 +#: ClientCommand.cpp:1859 msgctxt "helpcmd|UpdateMod|desc" msgid "Reload a module everywhere" msgstr "Recarrega um módulo em todos os lugares" -#: ClientCommand.cpp:1847 +#: ClientCommand.cpp:1865 msgctxt "helpcmd|ShowMOTD|desc" msgid "Show ZNC's message of the day" msgstr "Mostra a mensagem do dia do ZNC" -#: ClientCommand.cpp:1851 +#: ClientCommand.cpp:1869 msgctxt "helpcmd|SetMOTD|args" msgid "" msgstr "" -#: ClientCommand.cpp:1852 +#: ClientCommand.cpp:1870 msgctxt "helpcmd|SetMOTD|desc" msgid "Set ZNC's message of the day" msgstr "Configura a mensagem do dia do ZNC" -#: ClientCommand.cpp:1854 +#: ClientCommand.cpp:1872 msgctxt "helpcmd|AddMOTD|args" msgid "" msgstr "" -#: ClientCommand.cpp:1855 +#: ClientCommand.cpp:1873 msgctxt "helpcmd|AddMOTD|desc" msgid "Append to ZNC's MOTD" msgstr "Anexa ao MOTD do ZNC" -#: ClientCommand.cpp:1857 +#: ClientCommand.cpp:1875 msgctxt "helpcmd|ClearMOTD|desc" msgid "Clear ZNC's MOTD" msgstr "Limpa o MOTD do ZNC" -#: ClientCommand.cpp:1860 +#: ClientCommand.cpp:1878 msgctxt "helpcmd|ListPorts|desc" msgid "Show all active listeners" msgstr "Mostra todos os listeners ativos" -#: ClientCommand.cpp:1862 +#: ClientCommand.cpp:1880 msgctxt "helpcmd|AddPort|args" msgid "<[+]port> [bindhost [uriprefix]]" msgstr "<[+]porta> [bindhost [uriprefix]]" -#: ClientCommand.cpp:1865 +#: ClientCommand.cpp:1883 msgctxt "helpcmd|AddPort|desc" msgid "Add another port for ZNC to listen on" msgstr "Adiciona outra porta ao ZNC" -#: ClientCommand.cpp:1869 +#: ClientCommand.cpp:1887 msgctxt "helpcmd|DelPort|args" msgid " [bindhost]" msgstr " [bindhost]" -#: ClientCommand.cpp:1870 +#: ClientCommand.cpp:1888 msgctxt "helpcmd|DelPort|desc" msgid "Remove a port from ZNC" msgstr "Remove uma porta do ZNC" -#: ClientCommand.cpp:1873 +#: ClientCommand.cpp:1891 msgctxt "helpcmd|Rehash|desc" msgid "Reload global settings, modules, and listeners from znc.conf" msgstr "Recarrega configurações globais, módulos e listeners do znc.conf" -#: ClientCommand.cpp:1876 +#: ClientCommand.cpp:1894 msgctxt "helpcmd|SaveConfig|desc" msgid "Save the current settings to disk" msgstr "Grava as configurações atuais no disco" -#: ClientCommand.cpp:1879 +#: ClientCommand.cpp:1897 msgctxt "helpcmd|ListUsers|desc" msgid "List all ZNC users and their connection status" msgstr "Lista todos os usuários do ZNC e seus estados de conexão" -#: ClientCommand.cpp:1882 +#: ClientCommand.cpp:1900 msgctxt "helpcmd|ListAllUserNetworks|desc" msgid "List all ZNC users and their networks" msgstr "Lista todos os usuários ZNC e suas redes" -#: ClientCommand.cpp:1885 +#: ClientCommand.cpp:1903 msgctxt "helpcmd|ListChans|args" msgid "[user ]" msgstr "[usuário ]" -#: ClientCommand.cpp:1888 +#: ClientCommand.cpp:1906 msgctxt "helpcmd|ListClients|args" msgid "[user]" msgstr "[user]" -#: ClientCommand.cpp:1889 +#: ClientCommand.cpp:1907 msgctxt "helpcmd|ListClients|desc" msgid "List all connected clients" msgstr "Lista todos os clientes conectados" -#: ClientCommand.cpp:1891 +#: ClientCommand.cpp:1909 msgctxt "helpcmd|Traffic|desc" msgid "Show basic traffic stats for all ZNC users" msgstr "Mostra estatísticas básicas de trafego de todos os usuários do ZNC" -#: ClientCommand.cpp:1893 +#: ClientCommand.cpp:1911 msgctxt "helpcmd|Broadcast|args" msgid "[message]" msgstr "[message]" -#: ClientCommand.cpp:1894 +#: ClientCommand.cpp:1912 msgctxt "helpcmd|Broadcast|desc" msgid "Broadcast a message to all ZNC users" msgstr "Transmite uma mensagem para todos os usuários do ZNC" -#: ClientCommand.cpp:1897 +#: ClientCommand.cpp:1915 msgctxt "helpcmd|Shutdown|args" msgid "[message]" msgstr "[message]" -#: ClientCommand.cpp:1898 +#: ClientCommand.cpp:1916 msgctxt "helpcmd|Shutdown|desc" msgid "Shut down ZNC completely" msgstr "Desliga o ZNC completamente" -#: ClientCommand.cpp:1899 +#: ClientCommand.cpp:1917 msgctxt "helpcmd|Restart|args" msgid "[message]" msgstr "[message]" -#: ClientCommand.cpp:1900 +#: ClientCommand.cpp:1918 msgctxt "helpcmd|Restart|desc" msgid "Restart ZNC" msgstr "Reinicia o ZNC" diff --git a/src/po/znc.ru_RU.po b/src/po/znc.ru_RU.po index f2f250b7..f25f265e 100644 --- a/src/po/znc.ru_RU.po +++ b/src/po/znc.ru_RU.po @@ -77,7 +77,7 @@ msgstr "Не могу найти файл pem: {1}" msgid "Invalid port" msgstr "Некорректный порт" -#: znc.cpp:1813 ClientCommand.cpp:1637 +#: znc.cpp:1813 ClientCommand.cpp:1655 msgid "Unable to bind: {1}" msgstr "Не получилось слушать: {1}" @@ -113,69 +113,69 @@ msgstr "Не могу подключиться к {1}, т. к. ZNC собран msgid "Some module aborted the connection attempt" msgstr "Какой-то модуль оборвал попытку соединения" -#: IRCSock.cpp:490 +#: IRCSock.cpp:492 msgid "Error from server: {1}" msgstr "Ошибка от сервера: {1}" -#: IRCSock.cpp:692 +#: IRCSock.cpp:694 msgid "ZNC seems to be connected to itself, disconnecting..." msgstr "Похоже, ZNC подключён к самому себе, отключаюсь..." -#: IRCSock.cpp:739 +#: IRCSock.cpp:741 msgid "Server {1} redirects us to {2}:{3} with reason: {4}" msgstr "" -#: IRCSock.cpp:743 +#: IRCSock.cpp:745 msgid "Perhaps you want to add it as a new server." msgstr "Возможно, вам стоит добавить его в качестве нового сервера." -#: IRCSock.cpp:973 +#: IRCSock.cpp:975 msgid "Channel {1} is linked to another channel and was thus disabled." msgstr "Канал {1} отсылает к другому каналу и потому будет выключен." -#: IRCSock.cpp:985 +#: IRCSock.cpp:987 msgid "Switched to SSL (STARTTLS)" msgstr "Перешёл на SSL (STARTTLS)" -#: IRCSock.cpp:1038 +#: IRCSock.cpp:1040 msgid "You quit: {1}" msgstr "Вы вышли: {1}" -#: IRCSock.cpp:1244 +#: IRCSock.cpp:1246 msgid "Disconnected from IRC. Reconnecting..." msgstr "Отключён от IRC. Переподключаюсь..." -#: IRCSock.cpp:1275 +#: IRCSock.cpp:1277 msgid "Cannot connect to IRC ({1}). Retrying..." msgstr "Не могу подключиться к IRC ({1}). Пытаюсь ещё раз..." -#: IRCSock.cpp:1278 +#: IRCSock.cpp:1280 msgid "Disconnected from IRC ({1}). Reconnecting..." msgstr "Отключён от IRC ({1}). Переподключаюсь..." -#: IRCSock.cpp:1314 +#: IRCSock.cpp:1316 msgid "If you trust this certificate, do /znc AddTrustedServerFingerprint {1}" msgstr "" "Если вы доверяете этому сертификату, введите /znc " "AddTrustedServerFingerprint {1}" -#: IRCSock.cpp:1323 +#: IRCSock.cpp:1325 msgid "IRC connection timed out. Reconnecting..." msgstr "Подключение IRC завершилось по тайм-ауту. Переподключаюсь..." -#: IRCSock.cpp:1335 +#: IRCSock.cpp:1337 msgid "Connection Refused. Reconnecting..." msgstr "В соединении отказано. Переподключаюсь..." -#: IRCSock.cpp:1343 +#: IRCSock.cpp:1345 msgid "Received a too long line from the IRC server!" msgstr "От IRC-сервера получена слишком длинная строка!" -#: IRCSock.cpp:1447 +#: IRCSock.cpp:1449 msgid "No free nick available" msgstr "Не могу найти свободный ник" -#: IRCSock.cpp:1455 +#: IRCSock.cpp:1457 msgid "No free nick found" msgstr "Не могу найти свободный ник" @@ -234,31 +234,32 @@ msgid "" "You are being disconnected because another user just authenticated as you." msgstr "Другой пользователь зашёл под вашим именем, отключаем." -#: Client.cpp:1021 +#: Client.cpp:1022 msgid "Your CTCP to {1} got lost, you are not connected to IRC!" msgstr "Вы не подключены к IRC, ваш CTCP-запрос к {1} утерян!" -#: Client.cpp:1147 +#: Client.cpp:1148 msgid "Your notice to {1} got lost, you are not connected to IRC!" msgstr "Вы не подключены к IRC, ваше сообщение к {1} утеряно!" -#: Client.cpp:1186 +#: Client.cpp:1187 msgid "Removing channel {1}" msgstr "Убираю канал {1}" -#: Client.cpp:1264 +#: Client.cpp:1265 msgid "Your message to {1} got lost, you are not connected to IRC!" msgstr "Вы не подключены к IRC, ваше сообщение к {1} утеряно!" -#: Client.cpp:1317 Client.cpp:1323 +#: Client.cpp:1318 Client.cpp:1324 msgid "Hello. How may I help you?" msgstr "Привет, чем могу быть вам полезен?" -#: Client.cpp:1337 +#: Client.cpp:1338 msgid "Usage: /attach <#chans>" msgstr "Использование: /attach <#каналы>" -#: Client.cpp:1344 Client.cpp:1366 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: Client.cpp:1345 Client.cpp:1367 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: ClientCommand.cpp:423 ClientCommand.cpp:450 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" msgstr[0] "{1} канал подходит под маску [{2}]" @@ -266,7 +267,7 @@ msgstr[1] "{1} канала подходят под маску [{2}]" msgstr[2] "{1} каналов подходят под маску [{2}]" msgstr[3] "{1} каналов подходят под маску [{2}]" -#: Client.cpp:1347 ClientCommand.cpp:132 +#: Client.cpp:1348 ClientCommand.cpp:132 msgid "Attached {1} channel" msgid_plural "Attached {1} channels" msgstr[0] "Прицепляю {1} канал" @@ -274,11 +275,11 @@ msgstr[1] "Прицепляю {1} канала" msgstr[2] "Прицепляю {1} каналов" msgstr[3] "Прицепляю {1} каналов" -#: Client.cpp:1359 +#: Client.cpp:1360 msgid "Usage: /detach <#chans>" msgstr "Использование: /detach <#каналы>" -#: Client.cpp:1369 ClientCommand.cpp:154 +#: Client.cpp:1370 ClientCommand.cpp:154 msgid "Detached {1} channel" msgid_plural "Detached {1} channels" msgstr[0] "Отцепляю {1} канал" @@ -304,7 +305,7 @@ msgctxt "modhelpcmd" msgid "Generate this output" msgstr "Показать этот вывод" -#: Modules.cpp:573 ClientCommand.cpp:1904 +#: Modules.cpp:573 ClientCommand.cpp:1922 msgid "No matches for '{1}'" msgstr "Не нашёл «{1}»" @@ -414,11 +415,12 @@ msgid "Description" msgstr "Описание" #: ClientCommand.cpp:51 ClientCommand.cpp:115 ClientCommand.cpp:137 -#: ClientCommand.cpp:749 ClientCommand.cpp:768 ClientCommand.cpp:794 -#: ClientCommand.cpp:827 ClientCommand.cpp:840 ClientCommand.cpp:853 -#: ClientCommand.cpp:868 ClientCommand.cpp:1329 ClientCommand.cpp:1377 -#: ClientCommand.cpp:1409 ClientCommand.cpp:1420 ClientCommand.cpp:1429 -#: ClientCommand.cpp:1441 +#: ClientCommand.cpp:339 ClientCommand.cpp:390 ClientCommand.cpp:405 +#: ClientCommand.cpp:432 ClientCommand.cpp:459 ClientCommand.cpp:764 +#: ClientCommand.cpp:783 ClientCommand.cpp:809 ClientCommand.cpp:843 +#: ClientCommand.cpp:856 ClientCommand.cpp:869 ClientCommand.cpp:884 +#: ClientCommand.cpp:1345 ClientCommand.cpp:1393 ClientCommand.cpp:1425 +#: ClientCommand.cpp:1436 ClientCommand.cpp:1445 ClientCommand.cpp:1457 msgid "You must be connected with a network to use this command" msgstr "Чтобы использовать это команду, подключитесь к сети" @@ -478,87 +480,252 @@ msgstr "Конфигурация записана в {1}" msgid "Error while trying to write config." msgstr "При записи конфигурации произошла ошибка." -#: ClientCommand.cpp:455 +#: ClientCommand.cpp:183 +msgid "Usage: ListClients" +msgstr "" + +#: ClientCommand.cpp:190 +msgid "No such user: {1}" +msgstr "" + +#: ClientCommand.cpp:198 +msgid "No clients are connected" +msgstr "" + +#: ClientCommand.cpp:203 ClientCommand.cpp:209 +msgctxt "listclientscmd" +msgid "Host" +msgstr "" + +#: ClientCommand.cpp:204 ClientCommand.cpp:212 +msgctxt "listclientscmd" +msgid "Network" +msgstr "" + +#: ClientCommand.cpp:205 ClientCommand.cpp:215 +msgctxt "listclientscmd" +msgid "Identifier" +msgstr "" + +#: ClientCommand.cpp:223 ClientCommand.cpp:229 +msgctxt "listuserscmd" +msgid "Username" +msgstr "" + +#: ClientCommand.cpp:224 ClientCommand.cpp:230 +msgctxt "listuserscmd" +msgid "Networks" +msgstr "" + +#: ClientCommand.cpp:225 ClientCommand.cpp:232 +msgctxt "listuserscmd" +msgid "Clients" +msgstr "" + +#: ClientCommand.cpp:240 ClientCommand.cpp:250 ClientCommand.cpp:260 +#: ClientCommand.cpp:263 +msgctxt "listallusernetworkscmd" +msgid "Username" +msgstr "" + +#: ClientCommand.cpp:241 ClientCommand.cpp:251 ClientCommand.cpp:266 +msgctxt "listallusernetworkscmd" +msgid "Network" +msgstr "" + +#: ClientCommand.cpp:242 ClientCommand.cpp:252 ClientCommand.cpp:268 +msgctxt "listallusernetworkscmd" +msgid "Clients" +msgstr "" + +#: ClientCommand.cpp:243 ClientCommand.cpp:271 ClientCommand.cpp:280 +msgctxt "listallusernetworkscmd" +msgid "On IRC" +msgstr "" + +#: ClientCommand.cpp:244 ClientCommand.cpp:273 +msgctxt "listallusernetworkscmd" +msgid "IRC Server" +msgstr "" + +#: ClientCommand.cpp:245 ClientCommand.cpp:275 +msgctxt "listallusernetworkscmd" +msgid "IRC User" +msgstr "" + +#: ClientCommand.cpp:246 ClientCommand.cpp:277 +msgctxt "listallusernetworkscmd" +msgid "Channels" +msgstr "" + +#: ClientCommand.cpp:251 +msgid "N/A" +msgstr "" + +#: ClientCommand.cpp:272 +msgctxt "listallusernetworkscmd" +msgid "Yes" +msgstr "" + +#: ClientCommand.cpp:281 +msgctxt "listallusernetworkscmd" +msgid "No" +msgstr "" + +#: ClientCommand.cpp:291 +msgid "Usage: SetMOTD " +msgstr "" + +#: ClientCommand.cpp:294 +msgid "MOTD set to: {1}" +msgstr "" + +#: ClientCommand.cpp:300 +msgid "Usage: AddMOTD " +msgstr "" + +#: ClientCommand.cpp:303 +msgid "Added [{1}] to MOTD" +msgstr "" + +#: ClientCommand.cpp:307 +msgid "Cleared MOTD" +msgstr "" + +#: ClientCommand.cpp:329 +msgid "" +"ERROR: Writing config file to disk failed! Aborting. Use {1} FORCE to ignore." +msgstr "" + +#: ClientCommand.cpp:344 ClientCommand.cpp:797 ClientCommand.cpp:838 +msgid "You don't have any servers added." +msgstr "Вы не настроили ни один сервер." + +#: ClientCommand.cpp:355 +msgid "Server [{1}] not found" +msgstr "" + +#: ClientCommand.cpp:375 ClientCommand.cpp:380 +msgid "Connecting to {1}..." +msgstr "" + +#: ClientCommand.cpp:377 +msgid "Jumping to the next server in the list..." +msgstr "" + +#: ClientCommand.cpp:382 +msgid "Connecting..." +msgstr "" + +#: ClientCommand.cpp:400 +msgid "Disconnected from IRC. Use 'connect' to reconnect." +msgstr "" + +#: ClientCommand.cpp:412 +msgid "Usage: EnableChan <#chans>" +msgstr "" + +#: ClientCommand.cpp:426 +msgid "Enabled {1} channel" +msgid_plural "Enabled {1} channels" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" + +#: ClientCommand.cpp:439 +msgid "Usage: DisableChan <#chans>" +msgstr "" + +#: ClientCommand.cpp:453 +msgid "Disabled {1} channel" +msgid_plural "Disabled {1} channels" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" + +#: ClientCommand.cpp:470 msgid "Usage: ListChans" msgstr "Использование: ListChans" -#: ClientCommand.cpp:462 +#: ClientCommand.cpp:477 msgid "No such user [{1}]" msgstr "Нет такого пользователя [{1}]" -#: ClientCommand.cpp:468 +#: ClientCommand.cpp:483 msgid "User [{1}] doesn't have network [{2}]" msgstr "У пользователя [{1}] нет сети [{2}]" -#: ClientCommand.cpp:479 +#: ClientCommand.cpp:494 msgid "There are no channels defined." msgstr "Ни один канал не настроен." -#: ClientCommand.cpp:484 ClientCommand.cpp:500 +#: ClientCommand.cpp:499 ClientCommand.cpp:515 msgctxt "listchans" msgid "Name" msgstr "Название" -#: ClientCommand.cpp:485 ClientCommand.cpp:503 +#: ClientCommand.cpp:500 ClientCommand.cpp:518 msgctxt "listchans" msgid "Status" msgstr "Состояние" -#: ClientCommand.cpp:486 ClientCommand.cpp:510 +#: ClientCommand.cpp:501 ClientCommand.cpp:525 msgctxt "listchans" msgid "In config" msgstr "В конфигурации" -#: ClientCommand.cpp:487 ClientCommand.cpp:512 +#: ClientCommand.cpp:502 ClientCommand.cpp:527 msgctxt "listchans" msgid "Buffer" msgstr "Буфер" -#: ClientCommand.cpp:488 ClientCommand.cpp:516 +#: ClientCommand.cpp:503 ClientCommand.cpp:531 msgctxt "listchans" msgid "Clear" msgstr "Очистить" -#: ClientCommand.cpp:489 ClientCommand.cpp:521 +#: ClientCommand.cpp:504 ClientCommand.cpp:536 msgctxt "listchans" msgid "Modes" msgstr "Режимы" -#: ClientCommand.cpp:490 ClientCommand.cpp:522 +#: ClientCommand.cpp:505 ClientCommand.cpp:537 msgctxt "listchans" msgid "Users" msgstr "Пользователи" -#: ClientCommand.cpp:505 +#: ClientCommand.cpp:520 msgctxt "listchans" msgid "Detached" msgstr "Отцеплен" -#: ClientCommand.cpp:506 +#: ClientCommand.cpp:521 msgctxt "listchans" msgid "Joined" msgstr "На канале" -#: ClientCommand.cpp:507 +#: ClientCommand.cpp:522 msgctxt "listchans" msgid "Disabled" msgstr "Выключен" -#: ClientCommand.cpp:508 +#: ClientCommand.cpp:523 msgctxt "listchans" msgid "Trying" msgstr "Пытаюсь" -#: ClientCommand.cpp:511 ClientCommand.cpp:519 +#: ClientCommand.cpp:526 ClientCommand.cpp:534 msgctxt "listchans" msgid "yes" msgstr "да" -#: ClientCommand.cpp:536 +#: ClientCommand.cpp:551 msgid "Total: {1}, Joined: {2}, Detached: {3}, Disabled: {4}" msgstr "Всего: {1}, прицеплено: {2}, отцеплено: {3}, выключено: {4}" -#: ClientCommand.cpp:541 +#: ClientCommand.cpp:556 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks using /znc DelNetwork " @@ -566,15 +733,15 @@ msgstr "" "Достигнуто ограничение на количество сетей. Попросите администратора поднять " "вам лимит или удалите ненужные сети с помощью /znc DelNetwork <сеть>" -#: ClientCommand.cpp:550 +#: ClientCommand.cpp:565 msgid "Usage: AddNetwork " msgstr "Использование: AddNetwork <сеть>" -#: ClientCommand.cpp:554 +#: ClientCommand.cpp:569 msgid "Network name should be alphanumeric" msgstr "Название сети может содержать только цифры и латинские буквы" -#: ClientCommand.cpp:561 +#: ClientCommand.cpp:576 msgid "" "Network added. Use /znc JumpNetwork {1}, or connect to ZNC with username {2} " "(instead of just {3}) to connect to it." @@ -582,138 +749,138 @@ msgstr "" "Сеть добавлена. Чтобы подсоединиться к ней, введите /znc JumpNetwork {1} " "либо подключайтесь к ZNC с именем пользователя {2} вместо {3}." -#: ClientCommand.cpp:566 +#: ClientCommand.cpp:581 msgid "Unable to add that network" msgstr "Не могу добавить эту сеть" -#: ClientCommand.cpp:573 +#: ClientCommand.cpp:588 msgid "Usage: DelNetwork " msgstr "Использование: DelNetwork <сеть>" -#: ClientCommand.cpp:582 +#: ClientCommand.cpp:597 msgid "Network deleted" msgstr "Сеть удалена" -#: ClientCommand.cpp:585 +#: ClientCommand.cpp:600 msgid "Failed to delete network, perhaps this network doesn't exist" msgstr "Не могу удалить сеть, возможно, она не существует" -#: ClientCommand.cpp:595 +#: ClientCommand.cpp:610 msgid "User {1} not found" msgstr "Пользователь {1} не найден" -#: ClientCommand.cpp:603 ClientCommand.cpp:611 +#: ClientCommand.cpp:618 ClientCommand.cpp:626 msgctxt "listnetworks" msgid "Network" msgstr "Сеть" -#: ClientCommand.cpp:604 ClientCommand.cpp:613 ClientCommand.cpp:622 +#: ClientCommand.cpp:619 ClientCommand.cpp:628 ClientCommand.cpp:637 msgctxt "listnetworks" msgid "On IRC" msgstr "В сети" -#: ClientCommand.cpp:605 ClientCommand.cpp:615 +#: ClientCommand.cpp:620 ClientCommand.cpp:630 msgctxt "listnetworks" msgid "IRC Server" msgstr "IRC-сервер" -#: ClientCommand.cpp:606 ClientCommand.cpp:617 +#: ClientCommand.cpp:621 ClientCommand.cpp:632 msgctxt "listnetworks" msgid "IRC User" msgstr "Пользователь в IRC" -#: ClientCommand.cpp:607 ClientCommand.cpp:619 +#: ClientCommand.cpp:622 ClientCommand.cpp:634 msgctxt "listnetworks" msgid "Channels" msgstr "Каналов" -#: ClientCommand.cpp:614 +#: ClientCommand.cpp:629 msgctxt "listnetworks" msgid "Yes" msgstr "Да" -#: ClientCommand.cpp:623 +#: ClientCommand.cpp:638 msgctxt "listnetworks" msgid "No" msgstr "Нет" -#: ClientCommand.cpp:628 +#: ClientCommand.cpp:643 msgctxt "listnetworks" msgid "No networks" msgstr "Нет сетей" -#: ClientCommand.cpp:632 ClientCommand.cpp:936 +#: ClientCommand.cpp:647 ClientCommand.cpp:952 msgid "Access denied." msgstr "Доступ запрещён." -#: ClientCommand.cpp:643 +#: ClientCommand.cpp:658 msgid "Usage: MoveNetwork [new network]" msgstr "" "Использование: MoveNetwork <старый пользователь> <старая сеть> <новый " "пользователь> [новая сеть]" -#: ClientCommand.cpp:653 +#: ClientCommand.cpp:668 msgid "Old user {1} not found." msgstr "Старый пользователь {1} не найден." -#: ClientCommand.cpp:659 +#: ClientCommand.cpp:674 msgid "Old network {1} not found." msgstr "Старая сеть {1} не найдена." -#: ClientCommand.cpp:665 +#: ClientCommand.cpp:680 msgid "New user {1} not found." msgstr "Новый пользователь {1} не найден." -#: ClientCommand.cpp:670 +#: ClientCommand.cpp:685 msgid "User {1} already has network {2}." msgstr "У пользователя {1} уже есть сеть {2}." -#: ClientCommand.cpp:676 +#: ClientCommand.cpp:691 msgid "Invalid network name [{1}]" msgstr "Некорректное имя сети [{1}]" -#: ClientCommand.cpp:692 +#: ClientCommand.cpp:707 msgid "Some files seem to be in {1}. You might want to move them to {2}" msgstr "" "В {1} остались какие-то файлы. Возможно, вам нужно переместить их в {2}" -#: ClientCommand.cpp:706 +#: ClientCommand.cpp:721 msgid "Error adding network: {1}" msgstr "Ошибка при добавлении сети: {1}" -#: ClientCommand.cpp:718 +#: ClientCommand.cpp:733 msgid "Success." msgstr "Успех." -#: ClientCommand.cpp:721 +#: ClientCommand.cpp:736 msgid "Copied the network to new user, but failed to delete old network" msgstr "Сеть скопирована успешно, но не могу удалить старую сеть" -#: ClientCommand.cpp:728 +#: ClientCommand.cpp:743 msgid "No network supplied." msgstr "Сеть не указана." -#: ClientCommand.cpp:733 +#: ClientCommand.cpp:748 msgid "You are already connected with this network." msgstr "Вы уже подключены к этой сети." -#: ClientCommand.cpp:739 +#: ClientCommand.cpp:754 msgid "Switched to {1}" msgstr "Переключаю на {1}" -#: ClientCommand.cpp:742 +#: ClientCommand.cpp:757 msgid "You don't have a network named {1}" msgstr "У вас нет сети с названием {1}" -#: ClientCommand.cpp:754 +#: ClientCommand.cpp:769 msgid "Usage: AddServer [[+]port] [pass]" msgstr "Использование: AddServer <хост> [[+]порт] [пароль]" -#: ClientCommand.cpp:759 +#: ClientCommand.cpp:774 msgid "Server added" msgstr "Сервер добавлен" -#: ClientCommand.cpp:762 +#: ClientCommand.cpp:777 msgid "" "Unable to add that server. Perhaps the server is already added or openssl is " "disabled?" @@ -721,238 +888,234 @@ msgstr "" "Не могу добавить сервер. Возможно, он уже в списке, или поддержка openssl " "выключена?" -#: ClientCommand.cpp:777 +#: ClientCommand.cpp:792 msgid "Usage: DelServer [port] [pass]" msgstr "Использование: DelServer <хост> [порт] [пароль]" -#: ClientCommand.cpp:782 ClientCommand.cpp:822 -msgid "You don't have any servers added." -msgstr "Вы не настроили ни один сервер." - -#: ClientCommand.cpp:787 +#: ClientCommand.cpp:802 msgid "Server removed" msgstr "Сервер удалён" -#: ClientCommand.cpp:789 +#: ClientCommand.cpp:804 msgid "No such server" msgstr "Нет такого сервера" -#: ClientCommand.cpp:802 ClientCommand.cpp:809 +#: ClientCommand.cpp:817 ClientCommand.cpp:825 msgctxt "listservers" msgid "Host" msgstr "Хост" -#: ClientCommand.cpp:803 ClientCommand.cpp:811 +#: ClientCommand.cpp:818 ClientCommand.cpp:827 msgctxt "listservers" msgid "Port" msgstr "Порт" -#: ClientCommand.cpp:804 ClientCommand.cpp:814 +#: ClientCommand.cpp:819 ClientCommand.cpp:830 msgctxt "listservers" msgid "SSL" msgstr "SSL" -#: ClientCommand.cpp:805 ClientCommand.cpp:816 +#: ClientCommand.cpp:820 ClientCommand.cpp:832 msgctxt "listservers" msgid "Password" msgstr "Пароль" -#: ClientCommand.cpp:815 +#: ClientCommand.cpp:831 msgctxt "listservers|cell" msgid "SSL" msgstr "SSL" -#: ClientCommand.cpp:832 +#: ClientCommand.cpp:848 msgid "Usage: AddTrustedServerFingerprint " msgstr "Использование: AddTrustedServerFingerprint " -#: ClientCommand.cpp:836 ClientCommand.cpp:849 +#: ClientCommand.cpp:852 ClientCommand.cpp:865 msgid "Done." msgstr "Готово." -#: ClientCommand.cpp:845 +#: ClientCommand.cpp:861 msgid "Usage: DelTrustedServerFingerprint " msgstr "Использование: DelTrustedServerFingerprint " -#: ClientCommand.cpp:858 +#: ClientCommand.cpp:874 msgid "No fingerprints added." msgstr "Отпечатки не добавлены." -#: ClientCommand.cpp:874 ClientCommand.cpp:880 +#: ClientCommand.cpp:890 ClientCommand.cpp:896 msgctxt "topicscmd" msgid "Channel" msgstr "Канал" -#: ClientCommand.cpp:875 ClientCommand.cpp:881 +#: ClientCommand.cpp:891 ClientCommand.cpp:897 msgctxt "topicscmd" msgid "Set By" msgstr "Установлена" -#: ClientCommand.cpp:876 ClientCommand.cpp:882 +#: ClientCommand.cpp:892 ClientCommand.cpp:898 msgctxt "topicscmd" msgid "Topic" msgstr "Тема" -#: ClientCommand.cpp:889 ClientCommand.cpp:894 +#: ClientCommand.cpp:905 ClientCommand.cpp:910 msgctxt "listmods" msgid "Name" msgstr "Название" -#: ClientCommand.cpp:890 ClientCommand.cpp:895 +#: ClientCommand.cpp:906 ClientCommand.cpp:911 msgctxt "listmods" msgid "Arguments" msgstr "Параметры" -#: ClientCommand.cpp:904 +#: ClientCommand.cpp:920 msgid "No global modules loaded." msgstr "Глобальные модули не загружены." -#: ClientCommand.cpp:906 ClientCommand.cpp:970 +#: ClientCommand.cpp:922 ClientCommand.cpp:986 msgid "Global modules:" msgstr "Глобальные модули:" -#: ClientCommand.cpp:915 +#: ClientCommand.cpp:931 msgid "Your user has no modules loaded." msgstr "У вашего пользователя нет загруженных модулей." -#: ClientCommand.cpp:917 ClientCommand.cpp:982 +#: ClientCommand.cpp:933 ClientCommand.cpp:998 msgid "User modules:" msgstr "Пользовательские модули:" -#: ClientCommand.cpp:925 +#: ClientCommand.cpp:941 msgid "This network has no modules loaded." msgstr "У этой сети нет загруженных модулей." -#: ClientCommand.cpp:927 ClientCommand.cpp:994 +#: ClientCommand.cpp:943 ClientCommand.cpp:1010 msgid "Network modules:" msgstr "Сетевые модули:" -#: ClientCommand.cpp:942 ClientCommand.cpp:949 +#: ClientCommand.cpp:958 ClientCommand.cpp:965 msgctxt "listavailmods" msgid "Name" msgstr "Название" -#: ClientCommand.cpp:943 ClientCommand.cpp:954 +#: ClientCommand.cpp:959 ClientCommand.cpp:970 msgctxt "listavailmods" msgid "Description" msgstr "Описание" -#: ClientCommand.cpp:968 +#: ClientCommand.cpp:984 msgid "No global modules available." msgstr "Глобальные модули недоступны." -#: ClientCommand.cpp:980 +#: ClientCommand.cpp:996 msgid "No user modules available." msgstr "Пользовательские модули недоступны." -#: ClientCommand.cpp:992 +#: ClientCommand.cpp:1008 msgid "No network modules available." msgstr "Сетевые модули недоступны." -#: ClientCommand.cpp:1020 +#: ClientCommand.cpp:1036 msgid "Unable to load {1}: Access denied." msgstr "Не могу загрузить {1}: доступ запрещён." -#: ClientCommand.cpp:1026 +#: ClientCommand.cpp:1042 msgid "Usage: LoadMod [--type=global|user|network] [args]" msgstr "" "Использование: LoadMod [--type=global|user|network] <модуль> [параметры]" -#: ClientCommand.cpp:1033 +#: ClientCommand.cpp:1049 msgid "Unable to load {1}: {2}" msgstr "Не могу загрузить {1}: {2}" -#: ClientCommand.cpp:1043 +#: ClientCommand.cpp:1059 msgid "Unable to load global module {1}: Access denied." msgstr "Не могу загрузить глобальный модуль {1}: доступ запрещён." -#: ClientCommand.cpp:1049 +#: ClientCommand.cpp:1065 msgid "Unable to load network module {1}: Not connected with a network." msgstr "Не могу загрузить сетевой модуль {1}: клиент подключён без сети." -#: ClientCommand.cpp:1071 +#: ClientCommand.cpp:1087 msgid "Unknown module type" msgstr "Неизвестный тип модуля" -#: ClientCommand.cpp:1076 +#: ClientCommand.cpp:1092 msgid "Loaded module {1}" msgstr "Модуль {1} загружен" -#: ClientCommand.cpp:1078 +#: ClientCommand.cpp:1094 msgid "Loaded module {1}: {2}" msgstr "Модуль {1} загружен: {2}" -#: ClientCommand.cpp:1081 +#: ClientCommand.cpp:1097 msgid "Unable to load module {1}: {2}" msgstr "Не могу загрузить модуль {1}: {2}" -#: ClientCommand.cpp:1104 +#: ClientCommand.cpp:1120 msgid "Unable to unload {1}: Access denied." msgstr "Не могу выгрузить {1}: доступ запрещён." -#: ClientCommand.cpp:1110 +#: ClientCommand.cpp:1126 msgid "Usage: UnloadMod [--type=global|user|network] " msgstr "Использование: UnloadMod [--type=global|user|network] <модуль>" -#: ClientCommand.cpp:1119 +#: ClientCommand.cpp:1135 msgid "Unable to determine type of {1}: {2}" msgstr "Не могу определить тип {1}: {2}" -#: ClientCommand.cpp:1127 +#: ClientCommand.cpp:1143 msgid "Unable to unload global module {1}: Access denied." msgstr "Не могу выгрузить глобальный модуль {1}: доступ запрещён." -#: ClientCommand.cpp:1134 +#: ClientCommand.cpp:1150 msgid "Unable to unload network module {1}: Not connected with a network." msgstr "Не могу выгрузить сетевой модуль {1}: клиент подключён без сети." -#: ClientCommand.cpp:1153 +#: ClientCommand.cpp:1169 msgid "Unable to unload module {1}: Unknown module type" msgstr "Не могу выгрузить модуль {1}: неизвестный тип модуля" -#: ClientCommand.cpp:1166 +#: ClientCommand.cpp:1182 msgid "Unable to reload modules. Access denied." msgstr "Не могу перезагрузить модули: доступ запрещён." -#: ClientCommand.cpp:1187 +#: ClientCommand.cpp:1203 msgid "Usage: ReloadMod [--type=global|user|network] [args]" msgstr "" "Использование: ReloadMod [--type=global|user|network] <модуль> [параметры]" -#: ClientCommand.cpp:1196 +#: ClientCommand.cpp:1212 msgid "Unable to reload {1}: {2}" msgstr "Не могу перезагрузить {1}: {2}" -#: ClientCommand.cpp:1204 +#: ClientCommand.cpp:1220 msgid "Unable to reload global module {1}: Access denied." msgstr "Не могу перезагрузить глобальный модуль {1}: доступ запрещён." -#: ClientCommand.cpp:1211 +#: ClientCommand.cpp:1227 msgid "Unable to reload network module {1}: Not connected with a network." msgstr "Не могу перезагрузить сетевой модуль {1}: клиент подключён без сети." -#: ClientCommand.cpp:1233 +#: ClientCommand.cpp:1249 msgid "Unable to reload module {1}: Unknown module type" msgstr "Не могу перезагрузить модуль {1}: неизвестный тип модуля" -#: ClientCommand.cpp:1244 +#: ClientCommand.cpp:1260 msgid "Usage: UpdateMod " msgstr "Использование: UpdateMod <модуль>" -#: ClientCommand.cpp:1248 +#: ClientCommand.cpp:1264 msgid "Reloading {1} everywhere" msgstr "Перезагружаю {1} везде" -#: ClientCommand.cpp:1250 +#: ClientCommand.cpp:1266 msgid "Done" msgstr "Готово" -#: ClientCommand.cpp:1253 +#: ClientCommand.cpp:1269 msgid "" "Done, but there were errors, module {1} could not be reloaded everywhere." msgstr "Готово, но случились ошибки, модуль {1} перезагружен не везде." -#: ClientCommand.cpp:1261 +#: ClientCommand.cpp:1277 msgid "" "You must be connected with a network to use this command. Try " "SetUserBindHost instead" @@ -960,27 +1123,27 @@ msgstr "" "Чтобы использовать эту команду, нужна сеть. Попробуйте вместо этого " "SetUserBindHost" -#: ClientCommand.cpp:1268 +#: ClientCommand.cpp:1284 msgid "Usage: SetBindHost " msgstr "Использование: SetBindHost <хост>" -#: ClientCommand.cpp:1273 ClientCommand.cpp:1290 +#: ClientCommand.cpp:1289 ClientCommand.cpp:1306 msgid "You already have this bind host!" msgstr "У Вас уже установлен этот хост!" -#: ClientCommand.cpp:1278 +#: ClientCommand.cpp:1294 msgid "Set bind host for network {1} to {2}" msgstr "Соединения с сетью {1} будут идти через локальный адрес {2}" -#: ClientCommand.cpp:1285 +#: ClientCommand.cpp:1301 msgid "Usage: SetUserBindHost " msgstr "Использование: SetUserBindHost <хост>" -#: ClientCommand.cpp:1295 +#: ClientCommand.cpp:1311 msgid "Set default bind host to {1}" msgstr "По умолчанию соединения будут идти через локальный адрес {1}" -#: ClientCommand.cpp:1301 +#: ClientCommand.cpp:1317 msgid "" "You must be connected with a network to use this command. Try " "ClearUserBindHost instead" @@ -988,59 +1151,59 @@ msgstr "" "Чтобы использовать эту команду, нужна сеть. Попробуйте вместо этого " "ClearUserBindHost" -#: ClientCommand.cpp:1306 +#: ClientCommand.cpp:1322 msgid "Bind host cleared for this network." msgstr "Исходящий хост для этой сети очищен." -#: ClientCommand.cpp:1310 +#: ClientCommand.cpp:1326 msgid "Default bind host cleared for your user." msgstr "Исходящий хост для вашего пользователя очищен." -#: ClientCommand.cpp:1313 +#: ClientCommand.cpp:1329 msgid "This user's default bind host not set" msgstr "Исходящий хост по умолчанию для вашего пользователя не установлен" -#: ClientCommand.cpp:1315 +#: ClientCommand.cpp:1331 msgid "This user's default bind host is {1}" msgstr "Исходящий хост по умолчанию для вашего пользователя: {1}" -#: ClientCommand.cpp:1320 +#: ClientCommand.cpp:1336 msgid "This network's bind host not set" msgstr "Исходящий хост для этой сети не установлен" -#: ClientCommand.cpp:1322 +#: ClientCommand.cpp:1338 msgid "This network's default bind host is {1}" msgstr "Исходящий хост по умолчанию для этой сети: {1}" -#: ClientCommand.cpp:1336 +#: ClientCommand.cpp:1352 msgid "Usage: PlayBuffer <#chan|query>" msgstr "Использование: PlayBuffer <#канал|собеседник>" -#: ClientCommand.cpp:1344 +#: ClientCommand.cpp:1360 msgid "You are not on {1}" msgstr "Вы не на {1}" -#: ClientCommand.cpp:1349 +#: ClientCommand.cpp:1365 msgid "You are not on {1} (trying to join)" msgstr "Вы не на {1} (пытаюсь войти)" -#: ClientCommand.cpp:1354 +#: ClientCommand.cpp:1370 msgid "The buffer for channel {1} is empty" msgstr "Буфер канала {1} пуст" -#: ClientCommand.cpp:1363 +#: ClientCommand.cpp:1379 msgid "No active query with {1}" msgstr "Нет активной беседы с {1}" -#: ClientCommand.cpp:1368 +#: ClientCommand.cpp:1384 msgid "The buffer for {1} is empty" msgstr "Буфер для {1} пуст" -#: ClientCommand.cpp:1384 +#: ClientCommand.cpp:1400 msgid "Usage: ClearBuffer <#chan|query>" msgstr "Использование: ClearBuffer <#канал|собеседник>" -#: ClientCommand.cpp:1403 +#: ClientCommand.cpp:1419 msgid "{1} buffer matching {2} has been cleared" msgid_plural "{1} buffers matching {2} have been cleared" msgstr[0] "{1} буфер, подходящий под {2}, очищен" @@ -1048,23 +1211,23 @@ msgstr[1] "{1} буфера, подходящий под {2}, очищены" msgstr[2] "{1} буферов, подходящий под {2}, очищены" msgstr[3] "{1} буферов, подходящий под {2}, очищены" -#: ClientCommand.cpp:1416 +#: ClientCommand.cpp:1432 msgid "All channel buffers have been cleared" msgstr "Буферы всех каналов очищены" -#: ClientCommand.cpp:1425 +#: ClientCommand.cpp:1441 msgid "All query buffers have been cleared" msgstr "Буферы всех бесед очищены" -#: ClientCommand.cpp:1437 +#: ClientCommand.cpp:1453 msgid "All buffers have been cleared" msgstr "Все буферы очищены" -#: ClientCommand.cpp:1448 +#: ClientCommand.cpp:1464 msgid "Usage: SetBuffer <#chan|query> [linecount]" msgstr "Использование: SetBuffer <#канал|собеседник> [число_строк]" -#: ClientCommand.cpp:1469 +#: ClientCommand.cpp:1485 msgid "Setting buffer size failed for {1} buffer" msgid_plural "Setting buffer size failed for {1} buffers" msgstr[0] "Не удалось установить размер буфера для {1} канала" @@ -1072,7 +1235,7 @@ msgstr[1] "Не удалось установить размер буфера д msgstr[2] "Не удалось установить размер буфера для {1} каналов" msgstr[3] "Не удалось установить размер буфера для {1} каналов" -#: ClientCommand.cpp:1472 +#: ClientCommand.cpp:1488 msgid "Maximum buffer size is {1} line" msgid_plural "Maximum buffer size is {1} lines" msgstr[0] "Размер буфера не должен превышать {1} строку" @@ -1080,7 +1243,7 @@ msgstr[1] "Размер буфера не должен превышать {1} с msgstr[2] "Размер буфера не должен превышать {1} строк" msgstr[3] "Размер буфера не должен превышать {1} строк" -#: ClientCommand.cpp:1477 +#: ClientCommand.cpp:1493 msgid "Size of every buffer was set to {1} line" msgid_plural "Size of every buffer was set to {1} lines" msgstr[0] "Размер каждого буфера установлен в {1} строку" @@ -1088,625 +1251,625 @@ msgstr[1] "Размер каждого буфера установлен в {1} msgstr[2] "Размер каждого буфера установлен в {1} строк" msgstr[3] "Размер каждого буфера установлен в {1} строк" -#: ClientCommand.cpp:1487 ClientCommand.cpp:1494 ClientCommand.cpp:1505 -#: ClientCommand.cpp:1514 ClientCommand.cpp:1522 +#: ClientCommand.cpp:1503 ClientCommand.cpp:1510 ClientCommand.cpp:1521 +#: ClientCommand.cpp:1530 ClientCommand.cpp:1538 msgctxt "trafficcmd" msgid "Username" msgstr "Имя пользователя" -#: ClientCommand.cpp:1488 ClientCommand.cpp:1495 ClientCommand.cpp:1507 -#: ClientCommand.cpp:1516 ClientCommand.cpp:1524 +#: ClientCommand.cpp:1504 ClientCommand.cpp:1511 ClientCommand.cpp:1523 +#: ClientCommand.cpp:1532 ClientCommand.cpp:1540 msgctxt "trafficcmd" msgid "In" msgstr "Пришло" -#: ClientCommand.cpp:1489 ClientCommand.cpp:1497 ClientCommand.cpp:1508 -#: ClientCommand.cpp:1517 ClientCommand.cpp:1525 +#: ClientCommand.cpp:1505 ClientCommand.cpp:1513 ClientCommand.cpp:1524 +#: ClientCommand.cpp:1533 ClientCommand.cpp:1541 msgctxt "trafficcmd" msgid "Out" msgstr "Ушло" -#: ClientCommand.cpp:1490 ClientCommand.cpp:1500 ClientCommand.cpp:1510 -#: ClientCommand.cpp:1518 ClientCommand.cpp:1527 +#: ClientCommand.cpp:1506 ClientCommand.cpp:1516 ClientCommand.cpp:1526 +#: ClientCommand.cpp:1534 ClientCommand.cpp:1543 msgctxt "trafficcmd" msgid "Total" msgstr "Всего" -#: ClientCommand.cpp:1506 +#: ClientCommand.cpp:1522 msgctxt "trafficcmd" msgid "" msgstr "<Пользователи>" -#: ClientCommand.cpp:1515 +#: ClientCommand.cpp:1531 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1523 +#: ClientCommand.cpp:1539 msgctxt "trafficcmd" msgid "" msgstr "<Всего>" -#: ClientCommand.cpp:1532 +#: ClientCommand.cpp:1548 msgid "Running for {1}" msgstr "Запущен {1}" -#: ClientCommand.cpp:1538 +#: ClientCommand.cpp:1554 msgid "Unknown command, try 'Help'" msgstr "Неизвестная команда, попробуйте 'Help'" -#: ClientCommand.cpp:1547 ClientCommand.cpp:1558 +#: ClientCommand.cpp:1563 ClientCommand.cpp:1574 msgctxt "listports" msgid "Port" msgstr "Порт" -#: ClientCommand.cpp:1548 ClientCommand.cpp:1559 +#: ClientCommand.cpp:1564 ClientCommand.cpp:1577 msgctxt "listports" msgid "BindHost" msgstr "BindHost" -#: ClientCommand.cpp:1549 ClientCommand.cpp:1562 +#: ClientCommand.cpp:1565 ClientCommand.cpp:1580 msgctxt "listports" msgid "SSL" msgstr "SSL" -#: ClientCommand.cpp:1550 ClientCommand.cpp:1567 +#: ClientCommand.cpp:1566 ClientCommand.cpp:1585 msgctxt "listports" msgid "Protocol" msgstr "Протокол" -#: ClientCommand.cpp:1551 ClientCommand.cpp:1574 +#: ClientCommand.cpp:1567 ClientCommand.cpp:1592 msgctxt "listports" msgid "IRC" msgstr "IRC" -#: ClientCommand.cpp:1552 ClientCommand.cpp:1579 +#: ClientCommand.cpp:1568 ClientCommand.cpp:1597 msgctxt "listports" msgid "Web" msgstr "Веб" -#: ClientCommand.cpp:1563 +#: ClientCommand.cpp:1581 msgctxt "listports|ssl" msgid "yes" msgstr "да" -#: ClientCommand.cpp:1564 +#: ClientCommand.cpp:1582 msgctxt "listports|ssl" msgid "no" msgstr "нет" -#: ClientCommand.cpp:1568 +#: ClientCommand.cpp:1586 msgctxt "listports" msgid "IPv4 and IPv6" msgstr "IPv4 и IPv6" -#: ClientCommand.cpp:1570 +#: ClientCommand.cpp:1588 msgctxt "listports" msgid "IPv4" msgstr "IPv4" -#: ClientCommand.cpp:1571 +#: ClientCommand.cpp:1589 msgctxt "listports" msgid "IPv6" msgstr "IPv6" -#: ClientCommand.cpp:1577 +#: ClientCommand.cpp:1595 msgctxt "listports|irc" msgid "yes" msgstr "да" -#: ClientCommand.cpp:1578 +#: ClientCommand.cpp:1596 msgctxt "listports|irc" msgid "no" msgstr "нет" -#: ClientCommand.cpp:1582 +#: ClientCommand.cpp:1600 msgctxt "listports|irc" msgid "yes, on {1}" msgstr "да, на {1}" -#: ClientCommand.cpp:1584 +#: ClientCommand.cpp:1602 msgctxt "listports|web" msgid "no" msgstr "нет" -#: ClientCommand.cpp:1624 +#: ClientCommand.cpp:1642 msgid "" "Usage: AddPort <[+]port> [bindhost [uriprefix]]" msgstr "" "Использование: AddPort <[+]port> [bindhost " "[uriprefix]]" -#: ClientCommand.cpp:1640 +#: ClientCommand.cpp:1658 msgid "Port added" msgstr "Порт добавлен" -#: ClientCommand.cpp:1642 +#: ClientCommand.cpp:1660 msgid "Couldn't add port" msgstr "Невозможно добавить порт" -#: ClientCommand.cpp:1648 +#: ClientCommand.cpp:1666 msgid "Usage: DelPort [bindhost]" msgstr "Использование: DelPort [bindhost]" -#: ClientCommand.cpp:1657 +#: ClientCommand.cpp:1675 msgid "Deleted Port" msgstr "Удалён порт" -#: ClientCommand.cpp:1659 +#: ClientCommand.cpp:1677 msgid "Unable to find a matching port" msgstr "Не могу найти такой порт" -#: ClientCommand.cpp:1667 ClientCommand.cpp:1682 +#: ClientCommand.cpp:1685 ClientCommand.cpp:1700 msgctxt "helpcmd" msgid "Command" msgstr "Команда" -#: ClientCommand.cpp:1668 ClientCommand.cpp:1684 +#: ClientCommand.cpp:1686 ClientCommand.cpp:1702 msgctxt "helpcmd" msgid "Description" msgstr "Описание" -#: ClientCommand.cpp:1673 +#: ClientCommand.cpp:1691 msgid "" "In the following list all occurrences of <#chan> support wildcards (* and ?) " "except ListNicks" msgstr "" "В этом списке <#каналы> везде, кроме ListNicks, поддерживают шаблоны (* и ?)" -#: ClientCommand.cpp:1690 +#: ClientCommand.cpp:1708 msgctxt "helpcmd|Version|desc" msgid "Print which version of ZNC this is" msgstr "Показывает версию ZNC" -#: ClientCommand.cpp:1693 +#: ClientCommand.cpp:1711 msgctxt "helpcmd|ListMods|desc" msgid "List all loaded modules" msgstr "Список всех загруженных модулей" -#: ClientCommand.cpp:1696 +#: ClientCommand.cpp:1714 msgctxt "helpcmd|ListAvailMods|desc" msgid "List all available modules" msgstr "Список всех доступных модулей" -#: ClientCommand.cpp:1700 ClientCommand.cpp:1886 +#: ClientCommand.cpp:1718 ClientCommand.cpp:1904 msgctxt "helpcmd|ListChans|desc" msgid "List all channels" msgstr "Список всех каналов" -#: ClientCommand.cpp:1703 +#: ClientCommand.cpp:1721 msgctxt "helpcmd|ListNicks|args" msgid "<#chan>" msgstr "<#канал>" -#: ClientCommand.cpp:1704 +#: ClientCommand.cpp:1722 msgctxt "helpcmd|ListNicks|desc" msgid "List all nicks on a channel" msgstr "Список всех людей на канале" -#: ClientCommand.cpp:1707 +#: ClientCommand.cpp:1725 msgctxt "helpcmd|ListClients|desc" msgid "List all clients connected to your ZNC user" msgstr "Список всех клиентов, подключенных к вашему пользователю ZNC" -#: ClientCommand.cpp:1711 +#: ClientCommand.cpp:1729 msgctxt "helpcmd|ListServers|desc" msgid "List all servers of current IRC network" msgstr "Список всех серверов этой сети IRC" -#: ClientCommand.cpp:1715 +#: ClientCommand.cpp:1733 msgctxt "helpcmd|AddNetwork|args" msgid "" msgstr "<название>" -#: ClientCommand.cpp:1716 +#: ClientCommand.cpp:1734 msgctxt "helpcmd|AddNetwork|desc" msgid "Add a network to your user" msgstr "" -#: ClientCommand.cpp:1718 +#: ClientCommand.cpp:1736 msgctxt "helpcmd|DelNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1719 +#: ClientCommand.cpp:1737 msgctxt "helpcmd|DelNetwork|desc" msgid "Delete a network from your user" msgstr "" -#: ClientCommand.cpp:1721 +#: ClientCommand.cpp:1739 msgctxt "helpcmd|ListNetworks|desc" msgid "List all networks" msgstr "" -#: ClientCommand.cpp:1724 +#: ClientCommand.cpp:1742 msgctxt "helpcmd|MoveNetwork|args" msgid " [new network]" msgstr "<старый пользователь> <старая сеть> <новый пользователь> [новая сеть]" -#: ClientCommand.cpp:1726 +#: ClientCommand.cpp:1744 msgctxt "helpcmd|MoveNetwork|desc" msgid "Move an IRC network from one user to another" msgstr "" -#: ClientCommand.cpp:1730 +#: ClientCommand.cpp:1748 msgctxt "helpcmd|JumpNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1731 +#: ClientCommand.cpp:1749 msgctxt "helpcmd|JumpNetwork|desc" msgid "" "Jump to another network (Alternatively, you can connect to ZNC several " "times, using `user/network` as username)" msgstr "" -#: ClientCommand.cpp:1736 +#: ClientCommand.cpp:1754 msgctxt "helpcmd|AddServer|args" msgid " [[+]port] [pass]" msgstr "" -#: ClientCommand.cpp:1737 +#: ClientCommand.cpp:1755 msgctxt "helpcmd|AddServer|desc" msgid "" "Add a server to the list of alternate/backup servers of current IRC network." msgstr "" -#: ClientCommand.cpp:1741 +#: ClientCommand.cpp:1759 msgctxt "helpcmd|DelServer|args" msgid " [port] [pass]" msgstr "" -#: ClientCommand.cpp:1742 +#: ClientCommand.cpp:1760 msgctxt "helpcmd|DelServer|desc" msgid "" "Remove a server from the list of alternate/backup servers of current IRC " "network" msgstr "" -#: ClientCommand.cpp:1748 +#: ClientCommand.cpp:1766 msgctxt "helpcmd|AddTrustedServerFingerprint|args" msgid "" msgstr "" -#: ClientCommand.cpp:1749 +#: ClientCommand.cpp:1767 msgctxt "helpcmd|AddTrustedServerFingerprint|desc" msgid "" "Add a trusted server SSL certificate fingerprint (SHA-256) to current IRC " "network." msgstr "" -#: ClientCommand.cpp:1754 +#: ClientCommand.cpp:1772 msgctxt "helpcmd|DelTrustedServerFingerprint|args" msgid "" msgstr "" -#: ClientCommand.cpp:1755 +#: ClientCommand.cpp:1773 msgctxt "helpcmd|DelTrustedServerFingerprint|desc" msgid "Delete a trusted server SSL certificate from current IRC network." msgstr "" -#: ClientCommand.cpp:1759 +#: ClientCommand.cpp:1777 msgctxt "helpcmd|ListTrustedServerFingerprints|desc" msgid "List all trusted server SSL certificates of current IRC network." msgstr "" -#: ClientCommand.cpp:1762 +#: ClientCommand.cpp:1780 msgctxt "helpcmd|EnableChan|args" msgid "<#chans>" msgstr "" -#: ClientCommand.cpp:1763 +#: ClientCommand.cpp:1781 msgctxt "helpcmd|EnableChan|desc" msgid "Enable channels" msgstr "" -#: ClientCommand.cpp:1764 +#: ClientCommand.cpp:1782 msgctxt "helpcmd|DisableChan|args" msgid "<#chans>" msgstr "" -#: ClientCommand.cpp:1765 +#: ClientCommand.cpp:1783 msgctxt "helpcmd|DisableChan|desc" msgid "Disable channels" msgstr "" -#: ClientCommand.cpp:1766 +#: ClientCommand.cpp:1784 msgctxt "helpcmd|Attach|args" msgid "<#chans>" msgstr "<#каналы>" -#: ClientCommand.cpp:1767 +#: ClientCommand.cpp:1785 msgctxt "helpcmd|Attach|desc" msgid "Attach to channels" msgstr "" -#: ClientCommand.cpp:1768 +#: ClientCommand.cpp:1786 msgctxt "helpcmd|Detach|args" msgid "<#chans>" msgstr "" -#: ClientCommand.cpp:1769 +#: ClientCommand.cpp:1787 msgctxt "helpcmd|Detach|desc" msgid "Detach from channels" msgstr "" -#: ClientCommand.cpp:1772 +#: ClientCommand.cpp:1790 msgctxt "helpcmd|Topics|desc" msgid "Show topics in all your channels" msgstr "" -#: ClientCommand.cpp:1775 +#: ClientCommand.cpp:1793 msgctxt "helpcmd|PlayBuffer|args" msgid "<#chan|query>" msgstr "" -#: ClientCommand.cpp:1776 +#: ClientCommand.cpp:1794 msgctxt "helpcmd|PlayBuffer|desc" msgid "Play back the specified buffer" msgstr "" -#: ClientCommand.cpp:1778 +#: ClientCommand.cpp:1796 msgctxt "helpcmd|ClearBuffer|args" msgid "<#chan|query>" msgstr "" -#: ClientCommand.cpp:1779 +#: ClientCommand.cpp:1797 msgctxt "helpcmd|ClearBuffer|desc" msgid "Clear the specified buffer" msgstr "" -#: ClientCommand.cpp:1781 +#: ClientCommand.cpp:1799 msgctxt "helpcmd|ClearAllBuffers|desc" msgid "Clear all channel and query buffers" msgstr "" -#: ClientCommand.cpp:1784 +#: ClientCommand.cpp:1802 msgctxt "helpcmd|ClearAllChannelBuffers|desc" msgid "Clear the channel buffers" msgstr "" -#: ClientCommand.cpp:1788 +#: ClientCommand.cpp:1806 msgctxt "helpcmd|ClearAllQueryBuffers|desc" msgid "Clear the query buffers" msgstr "" -#: ClientCommand.cpp:1790 +#: ClientCommand.cpp:1808 msgctxt "helpcmd|SetBuffer|args" msgid "<#chan|query> [linecount]" msgstr "" -#: ClientCommand.cpp:1791 +#: ClientCommand.cpp:1809 msgctxt "helpcmd|SetBuffer|desc" msgid "Set the buffer count" msgstr "" -#: ClientCommand.cpp:1795 +#: ClientCommand.cpp:1813 msgctxt "helpcmd|SetBindHost|args" msgid "" msgstr "" -#: ClientCommand.cpp:1796 +#: ClientCommand.cpp:1814 msgctxt "helpcmd|SetBindHost|desc" msgid "Set the bind host for this network" msgstr "" -#: ClientCommand.cpp:1800 +#: ClientCommand.cpp:1818 msgctxt "helpcmd|SetUserBindHost|args" msgid "" msgstr "" -#: ClientCommand.cpp:1801 +#: ClientCommand.cpp:1819 msgctxt "helpcmd|SetUserBindHost|desc" msgid "Set the default bind host for this user" msgstr "" -#: ClientCommand.cpp:1804 +#: ClientCommand.cpp:1822 msgctxt "helpcmd|ClearBindHost|desc" msgid "Clear the bind host for this network" msgstr "" -#: ClientCommand.cpp:1807 +#: ClientCommand.cpp:1825 msgctxt "helpcmd|ClearUserBindHost|desc" msgid "Clear the default bind host for this user" msgstr "" -#: ClientCommand.cpp:1813 +#: ClientCommand.cpp:1831 msgctxt "helpcmd|ShowBindHost|desc" msgid "Show currently selected bind host" msgstr "" -#: ClientCommand.cpp:1815 +#: ClientCommand.cpp:1833 msgctxt "helpcmd|Jump|args" msgid "[server]" msgstr "" -#: ClientCommand.cpp:1816 +#: ClientCommand.cpp:1834 msgctxt "helpcmd|Jump|desc" msgid "Jump to the next or the specified server" msgstr "" -#: ClientCommand.cpp:1817 +#: ClientCommand.cpp:1835 msgctxt "helpcmd|Disconnect|args" msgid "[message]" msgstr "" -#: ClientCommand.cpp:1818 +#: ClientCommand.cpp:1836 msgctxt "helpcmd|Disconnect|desc" msgid "Disconnect from IRC" msgstr "" -#: ClientCommand.cpp:1820 +#: ClientCommand.cpp:1838 msgctxt "helpcmd|Connect|desc" msgid "Reconnect to IRC" msgstr "" -#: ClientCommand.cpp:1823 +#: ClientCommand.cpp:1841 msgctxt "helpcmd|Uptime|desc" msgid "Show for how long ZNC has been running" msgstr "" -#: ClientCommand.cpp:1827 +#: ClientCommand.cpp:1845 msgctxt "helpcmd|LoadMod|args" msgid "[--type=global|user|network] [args]" msgstr "" -#: ClientCommand.cpp:1829 +#: ClientCommand.cpp:1847 msgctxt "helpcmd|LoadMod|desc" msgid "Load a module" msgstr "" -#: ClientCommand.cpp:1831 +#: ClientCommand.cpp:1849 msgctxt "helpcmd|UnloadMod|args" msgid "[--type=global|user|network] " msgstr "" -#: ClientCommand.cpp:1833 +#: ClientCommand.cpp:1851 msgctxt "helpcmd|UnloadMod|desc" msgid "Unload a module" msgstr "" -#: ClientCommand.cpp:1835 +#: ClientCommand.cpp:1853 msgctxt "helpcmd|ReloadMod|args" msgid "[--type=global|user|network] [args]" msgstr "" -#: ClientCommand.cpp:1837 +#: ClientCommand.cpp:1855 msgctxt "helpcmd|ReloadMod|desc" msgid "Reload a module" msgstr "" -#: ClientCommand.cpp:1840 +#: ClientCommand.cpp:1858 msgctxt "helpcmd|UpdateMod|args" msgid "" msgstr "" -#: ClientCommand.cpp:1841 +#: ClientCommand.cpp:1859 msgctxt "helpcmd|UpdateMod|desc" msgid "Reload a module everywhere" msgstr "" -#: ClientCommand.cpp:1847 +#: ClientCommand.cpp:1865 msgctxt "helpcmd|ShowMOTD|desc" msgid "Show ZNC's message of the day" msgstr "" -#: ClientCommand.cpp:1851 +#: ClientCommand.cpp:1869 msgctxt "helpcmd|SetMOTD|args" msgid "" msgstr "" -#: ClientCommand.cpp:1852 +#: ClientCommand.cpp:1870 msgctxt "helpcmd|SetMOTD|desc" msgid "Set ZNC's message of the day" msgstr "" -#: ClientCommand.cpp:1854 +#: ClientCommand.cpp:1872 msgctxt "helpcmd|AddMOTD|args" msgid "" msgstr "" -#: ClientCommand.cpp:1855 +#: ClientCommand.cpp:1873 msgctxt "helpcmd|AddMOTD|desc" msgid "Append to ZNC's MOTD" msgstr "" -#: ClientCommand.cpp:1857 +#: ClientCommand.cpp:1875 msgctxt "helpcmd|ClearMOTD|desc" msgid "Clear ZNC's MOTD" msgstr "" -#: ClientCommand.cpp:1860 +#: ClientCommand.cpp:1878 msgctxt "helpcmd|ListPorts|desc" msgid "Show all active listeners" msgstr "" -#: ClientCommand.cpp:1862 +#: ClientCommand.cpp:1880 msgctxt "helpcmd|AddPort|args" msgid "<[+]port> [bindhost [uriprefix]]" msgstr "" -#: ClientCommand.cpp:1865 +#: ClientCommand.cpp:1883 msgctxt "helpcmd|AddPort|desc" msgid "Add another port for ZNC to listen on" msgstr "" -#: ClientCommand.cpp:1869 +#: ClientCommand.cpp:1887 msgctxt "helpcmd|DelPort|args" msgid " [bindhost]" msgstr "" -#: ClientCommand.cpp:1870 +#: ClientCommand.cpp:1888 msgctxt "helpcmd|DelPort|desc" msgid "Remove a port from ZNC" msgstr "" -#: ClientCommand.cpp:1873 +#: ClientCommand.cpp:1891 msgctxt "helpcmd|Rehash|desc" msgid "Reload global settings, modules, and listeners from znc.conf" msgstr "" -#: ClientCommand.cpp:1876 +#: ClientCommand.cpp:1894 msgctxt "helpcmd|SaveConfig|desc" msgid "Save the current settings to disk" msgstr "" -#: ClientCommand.cpp:1879 +#: ClientCommand.cpp:1897 msgctxt "helpcmd|ListUsers|desc" msgid "List all ZNC users and their connection status" msgstr "" -#: ClientCommand.cpp:1882 +#: ClientCommand.cpp:1900 msgctxt "helpcmd|ListAllUserNetworks|desc" msgid "List all ZNC users and their networks" msgstr "" -#: ClientCommand.cpp:1885 +#: ClientCommand.cpp:1903 msgctxt "helpcmd|ListChans|args" msgid "[user ]" msgstr "" -#: ClientCommand.cpp:1888 +#: ClientCommand.cpp:1906 msgctxt "helpcmd|ListClients|args" msgid "[user]" msgstr "" -#: ClientCommand.cpp:1889 +#: ClientCommand.cpp:1907 msgctxt "helpcmd|ListClients|desc" msgid "List all connected clients" msgstr "" -#: ClientCommand.cpp:1891 +#: ClientCommand.cpp:1909 msgctxt "helpcmd|Traffic|desc" msgid "Show basic traffic stats for all ZNC users" msgstr "" -#: ClientCommand.cpp:1893 +#: ClientCommand.cpp:1911 msgctxt "helpcmd|Broadcast|args" msgid "[message]" msgstr "" -#: ClientCommand.cpp:1894 +#: ClientCommand.cpp:1912 msgctxt "helpcmd|Broadcast|desc" msgid "Broadcast a message to all ZNC users" msgstr "" -#: ClientCommand.cpp:1897 +#: ClientCommand.cpp:1915 msgctxt "helpcmd|Shutdown|args" msgid "[message]" msgstr "" -#: ClientCommand.cpp:1898 +#: ClientCommand.cpp:1916 msgctxt "helpcmd|Shutdown|desc" msgid "Shut down ZNC completely" msgstr "" -#: ClientCommand.cpp:1899 +#: ClientCommand.cpp:1917 msgctxt "helpcmd|Restart|args" msgid "[message]" msgstr "" -#: ClientCommand.cpp:1900 +#: ClientCommand.cpp:1918 msgctxt "helpcmd|Restart|desc" msgid "Restart ZNC" msgstr "" From 700fdab3fb61061dd1b6ae46a191e040cc434c8d Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Mon, 10 Aug 2020 00:29:21 +0000 Subject: [PATCH 478/798] Update translations from Crowdin for de_DE --- src/po/znc.de_DE.po | 72 ++++++++++++++++++++++++--------------------- 1 file changed, 38 insertions(+), 34 deletions(-) diff --git a/src/po/znc.de_DE.po b/src/po/znc.de_DE.po index 7e8bbf1f..c126e12b 100644 --- a/src/po/znc.de_DE.po +++ b/src/po/znc.de_DE.po @@ -491,120 +491,122 @@ msgstr "Fehler beim Schreiben der Konfiguration." #: ClientCommand.cpp:183 msgid "Usage: ListClients" -msgstr "" +msgstr "Benutzung: ListClients" #: ClientCommand.cpp:190 msgid "No such user: {1}" -msgstr "" +msgstr "Kein Benutzer gefunden: {1}" #: ClientCommand.cpp:198 msgid "No clients are connected" -msgstr "" +msgstr "Keine Klienten verbunden" #: ClientCommand.cpp:203 ClientCommand.cpp:209 msgctxt "listclientscmd" msgid "Host" -msgstr "" +msgstr "Host" #: ClientCommand.cpp:204 ClientCommand.cpp:212 msgctxt "listclientscmd" msgid "Network" -msgstr "" +msgstr "Netzwerk" #: ClientCommand.cpp:205 ClientCommand.cpp:215 msgctxt "listclientscmd" msgid "Identifier" -msgstr "" +msgstr "Kennung" #: ClientCommand.cpp:223 ClientCommand.cpp:229 msgctxt "listuserscmd" msgid "Username" -msgstr "" +msgstr "Benutzername" #: ClientCommand.cpp:224 ClientCommand.cpp:230 msgctxt "listuserscmd" msgid "Networks" -msgstr "" +msgstr "Netzwerke" #: ClientCommand.cpp:225 ClientCommand.cpp:232 msgctxt "listuserscmd" msgid "Clients" -msgstr "" +msgstr "Klienten" #: ClientCommand.cpp:240 ClientCommand.cpp:250 ClientCommand.cpp:260 #: ClientCommand.cpp:263 msgctxt "listallusernetworkscmd" msgid "Username" -msgstr "" +msgstr "Benutzername" #: ClientCommand.cpp:241 ClientCommand.cpp:251 ClientCommand.cpp:266 msgctxt "listallusernetworkscmd" msgid "Network" -msgstr "" +msgstr "Netzwerk" #: ClientCommand.cpp:242 ClientCommand.cpp:252 ClientCommand.cpp:268 msgctxt "listallusernetworkscmd" msgid "Clients" -msgstr "" +msgstr "Klienten" #: ClientCommand.cpp:243 ClientCommand.cpp:271 ClientCommand.cpp:280 msgctxt "listallusernetworkscmd" msgid "On IRC" -msgstr "" +msgstr "Im IRC" #: ClientCommand.cpp:244 ClientCommand.cpp:273 msgctxt "listallusernetworkscmd" msgid "IRC Server" -msgstr "" +msgstr "IRC Server" #: ClientCommand.cpp:245 ClientCommand.cpp:275 msgctxt "listallusernetworkscmd" msgid "IRC User" -msgstr "" +msgstr "IRC Benutzer" #: ClientCommand.cpp:246 ClientCommand.cpp:277 msgctxt "listallusernetworkscmd" msgid "Channels" -msgstr "" +msgstr "Kanäle" #: ClientCommand.cpp:251 msgid "N/A" -msgstr "" +msgstr "N/A" #: ClientCommand.cpp:272 msgctxt "listallusernetworkscmd" msgid "Yes" -msgstr "" +msgstr "Ja" #: ClientCommand.cpp:281 msgctxt "listallusernetworkscmd" msgid "No" -msgstr "" +msgstr "Nein" #: ClientCommand.cpp:291 msgid "Usage: SetMOTD " -msgstr "" +msgstr "Benutzung: SetMOTD " #: ClientCommand.cpp:294 msgid "MOTD set to: {1}" -msgstr "" +msgstr "MOTD gesetzt auf: {1}" #: ClientCommand.cpp:300 msgid "Usage: AddMOTD " -msgstr "" +msgstr "Benutzung: AddMOTD " #: ClientCommand.cpp:303 msgid "Added [{1}] to MOTD" -msgstr "" +msgstr "[{1}] zur MOTD hinzugefügt" #: ClientCommand.cpp:307 msgid "Cleared MOTD" -msgstr "" +msgstr "MOTD geleert" #: ClientCommand.cpp:329 msgid "" "ERROR: Writing config file to disk failed! Aborting. Use {1} FORCE to ignore." msgstr "" +"FEHLER: Konnte Konfigurations-Datei nicht schreiben. Abbruch. Benutzer {1} " +"FORCE um den Fehler zu ignorieren." #: ClientCommand.cpp:344 ClientCommand.cpp:797 ClientCommand.cpp:838 msgid "You don't have any servers added." @@ -612,43 +614,45 @@ msgstr "Du hast keine Server hinzugefügt." #: ClientCommand.cpp:355 msgid "Server [{1}] not found" -msgstr "" +msgstr "Server [{1}] nicht gefunden" #: ClientCommand.cpp:375 ClientCommand.cpp:380 msgid "Connecting to {1}..." -msgstr "" +msgstr "Verbinde zu {1}..." #: ClientCommand.cpp:377 msgid "Jumping to the next server in the list..." -msgstr "" +msgstr "Springe zum nächsten Server in der Liste..." #: ClientCommand.cpp:382 msgid "Connecting..." -msgstr "" +msgstr "Verbinde..." #: ClientCommand.cpp:400 msgid "Disconnected from IRC. Use 'connect' to reconnect." msgstr "" +"Du bist zur Zeit nicht mit dem IRC verbunden. Verwende 'connect' zum " +"Verbinden." #: ClientCommand.cpp:412 msgid "Usage: EnableChan <#chans>" -msgstr "" +msgstr "Benutzung: EnableChan <#chans>" #: ClientCommand.cpp:426 msgid "Enabled {1} channel" msgid_plural "Enabled {1} channels" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "{1} Kanal aktiviert" +msgstr[1] "{1} Kanäle aktiviert" #: ClientCommand.cpp:439 msgid "Usage: DisableChan <#chans>" -msgstr "" +msgstr "Benutzung: DisableChan <#chans>" #: ClientCommand.cpp:453 msgid "Disabled {1} channel" msgid_plural "Disabled {1} channels" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "{1} Kanal deaktiviert" +msgstr[1] "{1} Kanäle deaktiviert" #: ClientCommand.cpp:470 msgid "Usage: ListChans" From 33f3b587fa9302886e60a3f160516b628c8196ec Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Sat, 29 Aug 2020 00:28:44 +0000 Subject: [PATCH 479/798] Update translations from Crowdin for el_GR --- modules/po/admindebug.el_GR.po | 59 + modules/po/adminlog.el_GR.po | 69 + modules/po/alias.el_GR.po | 123 ++ modules/po/autoattach.el_GR.po | 85 ++ modules/po/autocycle.el_GR.po | 69 + modules/po/autoop.el_GR.po | 168 +++ modules/po/autoreply.el_GR.po | 43 + modules/po/autovoice.el_GR.po | 111 ++ modules/po/awaystore.el_GR.po | 110 ++ modules/po/block_motd.el_GR.po | 35 + modules/po/blockuser.el_GR.po | 97 ++ modules/po/bouncedcc.el_GR.po | 131 ++ modules/po/buffextras.el_GR.po | 49 + modules/po/cert.el_GR.po | 75 + modules/po/certauth.el_GR.po | 108 ++ modules/po/chansaver.el_GR.po | 17 + modules/po/clearbufferonmsg.el_GR.po | 17 + modules/po/clientnotify.el_GR.po | 73 + modules/po/controlpanel.el_GR.po | 718 ++++++++++ modules/po/crypt.el_GR.po | 143 ++ modules/po/ctcpflood.el_GR.po | 69 + modules/po/cyrusauth.el_GR.po | 73 + modules/po/dcc.el_GR.po | 227 ++++ modules/po/disconkick.el_GR.po | 23 + modules/po/fail2ban.el_GR.po | 117 ++ modules/po/flooddetach.el_GR.po | 91 ++ modules/po/identfile.el_GR.po | 83 ++ modules/po/imapauth.el_GR.po | 21 + modules/po/keepnick.el_GR.po | 53 + modules/po/kickrejoin.el_GR.po | 61 + modules/po/lastseen.el_GR.po | 67 + modules/po/listsockets.el_GR.po | 113 ++ modules/po/log.el_GR.po | 148 ++ modules/po/missingmotd.el_GR.po | 17 + modules/po/modperl.el_GR.po | 17 + modules/po/modpython.el_GR.po | 17 + modules/po/modules_online.el_GR.po | 17 + modules/po/nickserv.el_GR.po | 79 ++ modules/po/notes.el_GR.po | 119 ++ modules/po/notify_connect.el_GR.po | 29 + modules/po/perform.el_GR.po | 108 ++ modules/po/perleval.el_GR.po | 31 + modules/po/pyeval.el_GR.po | 21 + modules/po/raw.el_GR.po | 17 + modules/po/route_replies.el_GR.po | 59 + modules/po/sample.el_GR.po | 119 ++ modules/po/samplewebapi.el_GR.po | 17 + modules/po/sasl.el_GR.po | 174 +++ modules/po/savebuff.el_GR.po | 62 + modules/po/send_raw.el_GR.po | 109 ++ modules/po/shell.el_GR.po | 29 + modules/po/simple_away.el_GR.po | 92 ++ modules/po/stickychan.el_GR.po | 102 ++ modules/po/stripcontrols.el_GR.po | 18 + modules/po/watch.el_GR.po | 193 +++ modules/po/webadmin.el_GR.po | 1209 +++++++++++++++++ src/po/znc.el_GR.po | 1885 ++++++++++++++++++++++++++ 57 files changed, 7986 insertions(+) create mode 100644 modules/po/admindebug.el_GR.po create mode 100644 modules/po/adminlog.el_GR.po create mode 100644 modules/po/alias.el_GR.po create mode 100644 modules/po/autoattach.el_GR.po create mode 100644 modules/po/autocycle.el_GR.po create mode 100644 modules/po/autoop.el_GR.po create mode 100644 modules/po/autoreply.el_GR.po create mode 100644 modules/po/autovoice.el_GR.po create mode 100644 modules/po/awaystore.el_GR.po create mode 100644 modules/po/block_motd.el_GR.po create mode 100644 modules/po/blockuser.el_GR.po create mode 100644 modules/po/bouncedcc.el_GR.po create mode 100644 modules/po/buffextras.el_GR.po create mode 100644 modules/po/cert.el_GR.po create mode 100644 modules/po/certauth.el_GR.po create mode 100644 modules/po/chansaver.el_GR.po create mode 100644 modules/po/clearbufferonmsg.el_GR.po create mode 100644 modules/po/clientnotify.el_GR.po create mode 100644 modules/po/controlpanel.el_GR.po create mode 100644 modules/po/crypt.el_GR.po create mode 100644 modules/po/ctcpflood.el_GR.po create mode 100644 modules/po/cyrusauth.el_GR.po create mode 100644 modules/po/dcc.el_GR.po create mode 100644 modules/po/disconkick.el_GR.po create mode 100644 modules/po/fail2ban.el_GR.po create mode 100644 modules/po/flooddetach.el_GR.po create mode 100644 modules/po/identfile.el_GR.po create mode 100644 modules/po/imapauth.el_GR.po create mode 100644 modules/po/keepnick.el_GR.po create mode 100644 modules/po/kickrejoin.el_GR.po create mode 100644 modules/po/lastseen.el_GR.po create mode 100644 modules/po/listsockets.el_GR.po create mode 100644 modules/po/log.el_GR.po create mode 100644 modules/po/missingmotd.el_GR.po create mode 100644 modules/po/modperl.el_GR.po create mode 100644 modules/po/modpython.el_GR.po create mode 100644 modules/po/modules_online.el_GR.po create mode 100644 modules/po/nickserv.el_GR.po create mode 100644 modules/po/notes.el_GR.po create mode 100644 modules/po/notify_connect.el_GR.po create mode 100644 modules/po/perform.el_GR.po create mode 100644 modules/po/perleval.el_GR.po create mode 100644 modules/po/pyeval.el_GR.po create mode 100644 modules/po/raw.el_GR.po create mode 100644 modules/po/route_replies.el_GR.po create mode 100644 modules/po/sample.el_GR.po create mode 100644 modules/po/samplewebapi.el_GR.po create mode 100644 modules/po/sasl.el_GR.po create mode 100644 modules/po/savebuff.el_GR.po create mode 100644 modules/po/send_raw.el_GR.po create mode 100644 modules/po/shell.el_GR.po create mode 100644 modules/po/simple_away.el_GR.po create mode 100644 modules/po/stickychan.el_GR.po create mode 100644 modules/po/stripcontrols.el_GR.po create mode 100644 modules/po/watch.el_GR.po create mode 100644 modules/po/webadmin.el_GR.po create mode 100644 src/po/znc.el_GR.po diff --git a/modules/po/admindebug.el_GR.po b/modules/po/admindebug.el_GR.po new file mode 100644 index 00000000..7e0ca9ab --- /dev/null +++ b/modules/po/admindebug.el_GR.po @@ -0,0 +1,59 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /1.8.x/modules/po/admindebug.pot\n" +"X-Crowdin-File-ID: 290\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: admindebug.cpp:30 +msgid "Enable Debug Mode" +msgstr "" + +#: admindebug.cpp:32 +msgid "Disable Debug Mode" +msgstr "" + +#: admindebug.cpp:34 +msgid "Show the Debug Mode status" +msgstr "" + +#: admindebug.cpp:40 admindebug.cpp:49 +msgid "Access denied!" +msgstr "" + +#: admindebug.cpp:58 +msgid "" +"Failure. We need to be running with a TTY. (is ZNC running with --" +"foreground?)" +msgstr "" + +#: admindebug.cpp:66 +msgid "Already enabled." +msgstr "" + +#: admindebug.cpp:68 +msgid "Already disabled." +msgstr "" + +#: admindebug.cpp:92 +msgid "Debugging mode is on." +msgstr "" + +#: admindebug.cpp:94 +msgid "Debugging mode is off." +msgstr "" + +#: admindebug.cpp:96 +msgid "Logging to: stdout." +msgstr "" + +#: admindebug.cpp:105 +msgid "Enable Debug mode dynamically." +msgstr "" diff --git a/modules/po/adminlog.el_GR.po b/modules/po/adminlog.el_GR.po new file mode 100644 index 00000000..51f263aa --- /dev/null +++ b/modules/po/adminlog.el_GR.po @@ -0,0 +1,69 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /1.8.x/modules/po/adminlog.pot\n" +"X-Crowdin-File-ID: 294\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: adminlog.cpp:29 +msgid "Show the logging target" +msgstr "" + +#: adminlog.cpp:31 +msgid " [path]" +msgstr "" + +#: adminlog.cpp:32 +msgid "Set the logging target" +msgstr "" + +#: adminlog.cpp:142 +msgid "Access denied" +msgstr "" + +#: adminlog.cpp:156 +msgid "Now logging to file" +msgstr "" + +#: adminlog.cpp:160 +msgid "Now only logging to syslog" +msgstr "" + +#: adminlog.cpp:164 +msgid "Now logging to syslog and file" +msgstr "" + +#: adminlog.cpp:168 +msgid "Usage: Target [path]" +msgstr "" + +#: adminlog.cpp:170 +msgid "Unknown target" +msgstr "" + +#: adminlog.cpp:192 +msgid "Logging is enabled for file" +msgstr "" + +#: adminlog.cpp:195 +msgid "Logging is enabled for syslog" +msgstr "" + +#: adminlog.cpp:198 +msgid "Logging is enabled for both, file and syslog" +msgstr "" + +#: adminlog.cpp:204 +msgid "Log file will be written to {1}" +msgstr "" + +#: adminlog.cpp:222 +msgid "Log ZNC events to file and/or syslog." +msgstr "" diff --git a/modules/po/alias.el_GR.po b/modules/po/alias.el_GR.po new file mode 100644 index 00000000..62fff54a --- /dev/null +++ b/modules/po/alias.el_GR.po @@ -0,0 +1,123 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /1.8.x/modules/po/alias.pot\n" +"X-Crowdin-File-ID: 292\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: alias.cpp:141 +msgid "missing required parameter: {1}" +msgstr "" + +#: alias.cpp:201 +msgid "Created alias: {1}" +msgstr "" + +#: alias.cpp:203 +msgid "Alias already exists." +msgstr "" + +#: alias.cpp:210 +msgid "Deleted alias: {1}" +msgstr "" + +#: alias.cpp:213 alias.cpp:224 alias.cpp:246 alias.cpp:265 alias.cpp:276 +#: alias.cpp:333 +msgid "Alias does not exist." +msgstr "" + +#: alias.cpp:222 alias.cpp:244 alias.cpp:263 alias.cpp:274 +msgid "Modified alias." +msgstr "" + +#: alias.cpp:236 alias.cpp:256 +msgid "Invalid index." +msgstr "" + +#: alias.cpp:282 alias.cpp:298 +msgid "There are no aliases." +msgstr "" + +#: alias.cpp:289 +msgid "The following aliases exist: {1}" +msgstr "" + +#: alias.cpp:290 +msgctxt "list|separator" +msgid ", " +msgstr "" + +#: alias.cpp:324 +msgid "Actions for alias {1}:" +msgstr "" + +#: alias.cpp:331 +msgid "End of actions for alias {1}." +msgstr "" + +#: alias.cpp:338 alias.cpp:341 alias.cpp:352 alias.cpp:357 +msgid "" +msgstr "" + +#: alias.cpp:339 +msgid "Creates a new, blank alias called name." +msgstr "" + +#: alias.cpp:341 +msgid "Deletes an existing alias." +msgstr "" + +#: alias.cpp:343 +msgid " " +msgstr "" + +#: alias.cpp:344 +msgid "Adds a line to an existing alias." +msgstr "" + +#: alias.cpp:346 +msgid " " +msgstr "" + +#: alias.cpp:347 +msgid "Inserts a line into an existing alias." +msgstr "" + +#: alias.cpp:349 +msgid " " +msgstr "" + +#: alias.cpp:350 +msgid "Removes a line from an existing alias." +msgstr "" + +#: alias.cpp:353 +msgid "Removes all lines from an existing alias." +msgstr "" + +#: alias.cpp:355 +msgid "Lists all aliases by name." +msgstr "" + +#: alias.cpp:358 +msgid "Reports the actions performed by an alias." +msgstr "" + +#: alias.cpp:362 +msgid "Generate a list of commands to copy your alias config." +msgstr "" + +#: alias.cpp:374 +msgid "Clearing all of them!" +msgstr "" + +#: alias.cpp:409 +msgid "Provides bouncer-side command alias support." +msgstr "" diff --git a/modules/po/autoattach.el_GR.po b/modules/po/autoattach.el_GR.po new file mode 100644 index 00000000..7c4d8270 --- /dev/null +++ b/modules/po/autoattach.el_GR.po @@ -0,0 +1,85 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /1.8.x/modules/po/autoattach.pot\n" +"X-Crowdin-File-ID: 298\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: autoattach.cpp:94 +msgid "Added to list" +msgstr "" + +#: autoattach.cpp:96 +msgid "{1} is already added" +msgstr "" + +#: autoattach.cpp:100 +msgid "Usage: Add [!]<#chan> " +msgstr "" + +#: autoattach.cpp:101 +msgid "Wildcards are allowed" +msgstr "" + +#: autoattach.cpp:113 +msgid "Removed {1} from list" +msgstr "" + +#: autoattach.cpp:115 +msgid "Usage: Del [!]<#chan> " +msgstr "" + +#: autoattach.cpp:121 autoattach.cpp:129 +msgid "Neg" +msgstr "" + +#: autoattach.cpp:122 autoattach.cpp:130 +msgid "Chan" +msgstr "" + +#: autoattach.cpp:123 autoattach.cpp:131 +msgid "Search" +msgstr "" + +#: autoattach.cpp:124 autoattach.cpp:132 +msgid "Host" +msgstr "" + +#: autoattach.cpp:138 +msgid "You have no entries." +msgstr "" + +#: autoattach.cpp:146 autoattach.cpp:149 +msgid "[!]<#chan> " +msgstr "" + +#: autoattach.cpp:147 +msgid "Add an entry, use !#chan to negate and * for wildcards" +msgstr "" + +#: autoattach.cpp:150 +msgid "Remove an entry, needs to be an exact match" +msgstr "" + +#: autoattach.cpp:152 +msgid "List all entries" +msgstr "" + +#: autoattach.cpp:171 +msgid "Unable to add [{1}]" +msgstr "" + +#: autoattach.cpp:283 +msgid "List of channel masks and channel masks with ! before them." +msgstr "" + +#: autoattach.cpp:286 +msgid "Reattaches you to channels on activity." +msgstr "" diff --git a/modules/po/autocycle.el_GR.po b/modules/po/autocycle.el_GR.po new file mode 100644 index 00000000..caebe35d --- /dev/null +++ b/modules/po/autocycle.el_GR.po @@ -0,0 +1,69 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /1.8.x/modules/po/autocycle.pot\n" +"X-Crowdin-File-ID: 300\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: autocycle.cpp:27 autocycle.cpp:30 +msgid "[!]<#chan>" +msgstr "" + +#: autocycle.cpp:28 +msgid "Add an entry, use !#chan to negate and * for wildcards" +msgstr "" + +#: autocycle.cpp:31 +msgid "Remove an entry, needs to be an exact match" +msgstr "" + +#: autocycle.cpp:33 +msgid "List all entries" +msgstr "" + +#: autocycle.cpp:46 +msgid "Unable to add {1}" +msgstr "" + +#: autocycle.cpp:66 +msgid "{1} is already added" +msgstr "" + +#: autocycle.cpp:68 +msgid "Added {1} to list" +msgstr "" + +#: autocycle.cpp:70 +msgid "Usage: Add [!]<#chan>" +msgstr "" + +#: autocycle.cpp:78 +msgid "Removed {1} from list" +msgstr "" + +#: autocycle.cpp:80 +msgid "Usage: Del [!]<#chan>" +msgstr "" + +#: autocycle.cpp:85 autocycle.cpp:90 autocycle.cpp:95 +msgid "Channel" +msgstr "" + +#: autocycle.cpp:101 +msgid "You have no entries." +msgstr "" + +#: autocycle.cpp:230 +msgid "List of channel masks and channel masks with ! before them." +msgstr "" + +#: autocycle.cpp:235 +msgid "Rejoins channels to gain Op if you're the only user left" +msgstr "" diff --git a/modules/po/autoop.el_GR.po b/modules/po/autoop.el_GR.po new file mode 100644 index 00000000..35129217 --- /dev/null +++ b/modules/po/autoop.el_GR.po @@ -0,0 +1,168 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /1.8.x/modules/po/autoop.pot\n" +"X-Crowdin-File-ID: 296\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: autoop.cpp:154 +msgid "List all users" +msgstr "" + +#: autoop.cpp:156 autoop.cpp:159 +msgid " [channel] ..." +msgstr "" + +#: autoop.cpp:157 +msgid "Adds channels to a user" +msgstr "" + +#: autoop.cpp:160 +msgid "Removes channels from a user" +msgstr "" + +#: autoop.cpp:162 autoop.cpp:165 +msgid " ,[mask] ..." +msgstr "" + +#: autoop.cpp:163 +msgid "Adds masks to a user" +msgstr "" + +#: autoop.cpp:166 +msgid "Removes masks from a user" +msgstr "" + +#: autoop.cpp:169 +msgid " [,...] [channels]" +msgstr "" + +#: autoop.cpp:170 +msgid "Adds a user" +msgstr "" + +#: autoop.cpp:172 +msgid "" +msgstr "" + +#: autoop.cpp:172 +msgid "Removes a user" +msgstr "" + +#: autoop.cpp:275 +msgid "Usage: AddUser [,...] [channels]" +msgstr "" + +#: autoop.cpp:291 +msgid "Usage: DelUser " +msgstr "" + +#: autoop.cpp:300 +msgid "There are no users defined" +msgstr "" + +#: autoop.cpp:306 autoop.cpp:317 autoop.cpp:321 autoop.cpp:323 +msgid "User" +msgstr "" + +#: autoop.cpp:307 autoop.cpp:325 +msgid "Hostmasks" +msgstr "" + +#: autoop.cpp:308 autoop.cpp:318 +msgid "Key" +msgstr "" + +#: autoop.cpp:309 autoop.cpp:319 +msgid "Channels" +msgstr "" + +#: autoop.cpp:337 +msgid "Usage: AddChans [channel] ..." +msgstr "" + +#: autoop.cpp:344 autoop.cpp:365 autoop.cpp:387 autoop.cpp:408 autoop.cpp:472 +msgid "No such user" +msgstr "" + +#: autoop.cpp:349 +msgid "Channel(s) added to user {1}" +msgstr "" + +#: autoop.cpp:358 +msgid "Usage: DelChans [channel] ..." +msgstr "" + +#: autoop.cpp:371 +msgid "Channel(s) Removed from user {1}" +msgstr "" + +#: autoop.cpp:380 +msgid "Usage: AddMasks ,[mask] ..." +msgstr "" + +#: autoop.cpp:392 +msgid "Hostmasks(s) added to user {1}" +msgstr "" + +#: autoop.cpp:401 +msgid "Usage: DelMasks ,[mask] ..." +msgstr "" + +#: autoop.cpp:413 +msgid "Removed user {1} with key {2} and channels {3}" +msgstr "" + +#: autoop.cpp:419 +msgid "Hostmasks(s) Removed from user {1}" +msgstr "" + +#: autoop.cpp:478 +msgid "User {1} removed" +msgstr "" + +#: autoop.cpp:484 +msgid "That user already exists" +msgstr "" + +#: autoop.cpp:490 +msgid "User {1} added with hostmask(s) {2}" +msgstr "" + +#: autoop.cpp:532 +msgid "" +"[{1}] sent us a challenge but they are not opped in any defined channels." +msgstr "" + +#: autoop.cpp:536 +msgid "[{1}] sent us a challenge but they do not match a defined user." +msgstr "" + +#: autoop.cpp:544 +msgid "WARNING! [{1}] sent an invalid challenge." +msgstr "" + +#: autoop.cpp:560 +msgid "[{1}] sent an unchallenged response. This could be due to lag." +msgstr "" + +#: autoop.cpp:577 +msgid "" +"WARNING! [{1}] sent a bad response. Please verify that you have their " +"correct password." +msgstr "" + +#: autoop.cpp:586 +msgid "WARNING! [{1}] sent a response but did not match any defined users." +msgstr "" + +#: autoop.cpp:644 +msgid "Auto op the good people" +msgstr "" diff --git a/modules/po/autoreply.el_GR.po b/modules/po/autoreply.el_GR.po new file mode 100644 index 00000000..b3df5e84 --- /dev/null +++ b/modules/po/autoreply.el_GR.po @@ -0,0 +1,43 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /1.8.x/modules/po/autoreply.pot\n" +"X-Crowdin-File-ID: 302\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: autoreply.cpp:25 +msgid "" +msgstr "" + +#: autoreply.cpp:25 +msgid "Sets a new reply" +msgstr "" + +#: autoreply.cpp:27 +msgid "Displays the current query reply" +msgstr "" + +#: autoreply.cpp:75 +msgid "Current reply is: {1} ({2})" +msgstr "" + +#: autoreply.cpp:81 +msgid "New reply set to: {1} ({2})" +msgstr "" + +#: autoreply.cpp:94 +msgid "" +"You might specify a reply text. It is used when automatically answering " +"queries, if you are not connected to ZNC." +msgstr "" + +#: autoreply.cpp:98 +msgid "Reply to queries when you are away" +msgstr "" diff --git a/modules/po/autovoice.el_GR.po b/modules/po/autovoice.el_GR.po new file mode 100644 index 00000000..9506e640 --- /dev/null +++ b/modules/po/autovoice.el_GR.po @@ -0,0 +1,111 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /1.8.x/modules/po/autovoice.pot\n" +"X-Crowdin-File-ID: 304\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: autovoice.cpp:120 +msgid "List all users" +msgstr "" + +#: autovoice.cpp:122 autovoice.cpp:125 +msgid " [channel] ..." +msgstr "" + +#: autovoice.cpp:123 +msgid "Adds channels to a user" +msgstr "" + +#: autovoice.cpp:126 +msgid "Removes channels from a user" +msgstr "" + +#: autovoice.cpp:128 +msgid " [channels]" +msgstr "" + +#: autovoice.cpp:129 +msgid "Adds a user" +msgstr "" + +#: autovoice.cpp:131 +msgid "" +msgstr "" + +#: autovoice.cpp:131 +msgid "Removes a user" +msgstr "" + +#: autovoice.cpp:215 +msgid "Usage: AddUser [channels]" +msgstr "" + +#: autovoice.cpp:229 +msgid "Usage: DelUser " +msgstr "" + +#: autovoice.cpp:238 +msgid "There are no users defined" +msgstr "" + +#: autovoice.cpp:244 autovoice.cpp:250 +msgid "User" +msgstr "" + +#: autovoice.cpp:245 autovoice.cpp:251 +msgid "Hostmask" +msgstr "" + +#: autovoice.cpp:246 autovoice.cpp:252 +msgid "Channels" +msgstr "" + +#: autovoice.cpp:263 +msgid "Usage: AddChans [channel] ..." +msgstr "" + +#: autovoice.cpp:270 autovoice.cpp:292 autovoice.cpp:329 +msgid "No such user" +msgstr "" + +#: autovoice.cpp:275 +msgid "Channel(s) added to user {1}" +msgstr "" + +#: autovoice.cpp:285 +msgid "Usage: DelChans [channel] ..." +msgstr "" + +#: autovoice.cpp:298 +msgid "Channel(s) Removed from user {1}" +msgstr "" + +#: autovoice.cpp:335 +msgid "User {1} removed" +msgstr "" + +#: autovoice.cpp:341 +msgid "That user already exists" +msgstr "" + +#: autovoice.cpp:347 +msgid "User {1} added with hostmask {2}" +msgstr "" + +#: autovoice.cpp:360 +msgid "" +"Each argument is either a channel you want autovoice for (which can include " +"wildcards) or, if it starts with !, it is an exception for autovoice." +msgstr "" + +#: autovoice.cpp:365 +msgid "Auto voice the good people" +msgstr "" diff --git a/modules/po/awaystore.el_GR.po b/modules/po/awaystore.el_GR.po new file mode 100644 index 00000000..99a32584 --- /dev/null +++ b/modules/po/awaystore.el_GR.po @@ -0,0 +1,110 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /1.8.x/modules/po/awaystore.pot\n" +"X-Crowdin-File-ID: 306\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: awaystore.cpp:67 +msgid "You have been marked as away" +msgstr "" + +#: awaystore.cpp:78 awaystore.cpp:385 awaystore.cpp:388 +msgid "Welcome back!" +msgstr "" + +#: awaystore.cpp:100 +msgid "Deleted {1} messages" +msgstr "" + +#: awaystore.cpp:104 +msgid "USAGE: delete " +msgstr "" + +#: awaystore.cpp:109 +msgid "Illegal message # requested" +msgstr "" + +#: awaystore.cpp:113 +msgid "Message erased" +msgstr "" + +#: awaystore.cpp:122 +msgid "Messages saved to disk" +msgstr "" + +#: awaystore.cpp:124 +msgid "There are no messages to save" +msgstr "" + +#: awaystore.cpp:135 +msgid "Password updated to [{1}]" +msgstr "" + +#: awaystore.cpp:147 +msgid "Corrupt message! [{1}]" +msgstr "" + +#: awaystore.cpp:159 +msgid "Corrupt time stamp! [{1}]" +msgstr "" + +#: awaystore.cpp:178 +msgid "#--- End of messages" +msgstr "" + +#: awaystore.cpp:183 +msgid "Timer set to 300 seconds" +msgstr "" + +#: awaystore.cpp:188 awaystore.cpp:197 +msgid "Timer disabled" +msgstr "" + +#: awaystore.cpp:199 +msgid "Timer set to {1} seconds" +msgstr "" + +#: awaystore.cpp:203 +msgid "Current timer setting: {1} seconds" +msgstr "" + +#: awaystore.cpp:278 +msgid "This module needs as an argument a keyphrase used for encryption" +msgstr "" + +#: awaystore.cpp:285 +msgid "" +"Failed to decrypt your saved messages - Did you give the right encryption " +"key as an argument to this module?" +msgstr "" + +#: awaystore.cpp:386 awaystore.cpp:389 +msgid "You have {1} messages!" +msgstr "" + +#: awaystore.cpp:456 +msgid "Unable to find buffer" +msgstr "" + +#: awaystore.cpp:469 +msgid "Unable to decode encrypted messages" +msgstr "" + +#: awaystore.cpp:516 +msgid "" +"[ -notimer | -timer N ] [-chans] passw0rd . N is number of seconds, 600 by " +"default." +msgstr "" + +#: awaystore.cpp:521 +msgid "" +"Adds auto-away with logging, useful when you use ZNC from different locations" +msgstr "" diff --git a/modules/po/block_motd.el_GR.po b/modules/po/block_motd.el_GR.po new file mode 100644 index 00000000..efc32981 --- /dev/null +++ b/modules/po/block_motd.el_GR.po @@ -0,0 +1,35 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /1.8.x/modules/po/block_motd.pot\n" +"X-Crowdin-File-ID: 310\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: block_motd.cpp:26 +msgid "[]" +msgstr "" + +#: block_motd.cpp:27 +msgid "" +"Override the block with this command. Can optionally specify which server to " +"query." +msgstr "" + +#: block_motd.cpp:36 +msgid "You are not connected to an IRC Server." +msgstr "" + +#: block_motd.cpp:58 +msgid "MOTD blocked by ZNC" +msgstr "" + +#: block_motd.cpp:104 +msgid "Block the MOTD from IRC so it's not sent to your client(s)." +msgstr "" diff --git a/modules/po/blockuser.el_GR.po b/modules/po/blockuser.el_GR.po new file mode 100644 index 00000000..57d29480 --- /dev/null +++ b/modules/po/blockuser.el_GR.po @@ -0,0 +1,97 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /1.8.x/modules/po/blockuser.pot\n" +"X-Crowdin-File-ID: 312\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: modules/po/../data/blockuser/tmpl/blockuser_WebadminUser.tmpl:9 +msgid "Account is blocked" +msgstr "" + +#: blockuser.cpp:23 +msgid "Your account has been disabled. Contact your administrator." +msgstr "" + +#: blockuser.cpp:29 +msgid "List blocked users" +msgstr "" + +#: blockuser.cpp:31 blockuser.cpp:33 +msgid "" +msgstr "" + +#: blockuser.cpp:31 +msgid "Block a user" +msgstr "" + +#: blockuser.cpp:33 +msgid "Unblock a user" +msgstr "" + +#: blockuser.cpp:55 +msgid "Could not block {1}" +msgstr "" + +#: blockuser.cpp:76 +msgid "Access denied" +msgstr "" + +#: blockuser.cpp:85 +msgid "No users are blocked" +msgstr "" + +#: blockuser.cpp:88 +msgid "Blocked users:" +msgstr "" + +#: blockuser.cpp:100 +msgid "Usage: Block " +msgstr "" + +#: blockuser.cpp:105 blockuser.cpp:147 +msgid "You can't block yourself" +msgstr "" + +#: blockuser.cpp:110 blockuser.cpp:152 +msgid "Blocked {1}" +msgstr "" + +#: blockuser.cpp:112 +msgid "Could not block {1} (misspelled?)" +msgstr "" + +#: blockuser.cpp:120 +msgid "Usage: Unblock " +msgstr "" + +#: blockuser.cpp:125 blockuser.cpp:161 +msgid "Unblocked {1}" +msgstr "" + +#: blockuser.cpp:127 +msgid "This user is not blocked" +msgstr "" + +#: blockuser.cpp:155 +msgid "Couldn't block {1}" +msgstr "" + +#: blockuser.cpp:164 +msgid "User {1} is not blocked" +msgstr "" + +#: blockuser.cpp:216 +msgid "Enter one or more user names. Separate them by spaces." +msgstr "" + +#: blockuser.cpp:219 +msgid "Block certain users from logging in." +msgstr "" diff --git a/modules/po/bouncedcc.el_GR.po b/modules/po/bouncedcc.el_GR.po new file mode 100644 index 00000000..69edccdd --- /dev/null +++ b/modules/po/bouncedcc.el_GR.po @@ -0,0 +1,131 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /1.8.x/modules/po/bouncedcc.pot\n" +"X-Crowdin-File-ID: 316\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: bouncedcc.cpp:101 bouncedcc.cpp:119 bouncedcc.cpp:121 +msgctxt "list" +msgid "Type" +msgstr "" + +#: bouncedcc.cpp:102 bouncedcc.cpp:132 +msgctxt "list" +msgid "State" +msgstr "" + +#: bouncedcc.cpp:103 +msgctxt "list" +msgid "Speed" +msgstr "" + +#: bouncedcc.cpp:104 bouncedcc.cpp:115 +msgctxt "list" +msgid "Nick" +msgstr "" + +#: bouncedcc.cpp:105 bouncedcc.cpp:116 +msgctxt "list" +msgid "IP" +msgstr "" + +#: bouncedcc.cpp:106 bouncedcc.cpp:122 +msgctxt "list" +msgid "File" +msgstr "" + +#: bouncedcc.cpp:119 +msgctxt "list" +msgid "Chat" +msgstr "" + +#: bouncedcc.cpp:121 +msgctxt "list" +msgid "Xfer" +msgstr "" + +#: bouncedcc.cpp:125 +msgid "Waiting" +msgstr "" + +#: bouncedcc.cpp:127 +msgid "Halfway" +msgstr "" + +#: bouncedcc.cpp:129 +msgid "Connected" +msgstr "" + +#: bouncedcc.cpp:137 +msgid "You have no active DCCs." +msgstr "" + +#: bouncedcc.cpp:148 +msgid "Use client IP: {1}" +msgstr "" + +#: bouncedcc.cpp:153 +msgid "List all active DCCs" +msgstr "" + +#: bouncedcc.cpp:156 +msgid "Change the option to use IP of client" +msgstr "" + +#: bouncedcc.cpp:383 bouncedcc.cpp:412 bouncedcc.cpp:436 bouncedcc.cpp:451 +msgctxt "type" +msgid "Chat" +msgstr "" + +#: bouncedcc.cpp:383 bouncedcc.cpp:412 bouncedcc.cpp:436 bouncedcc.cpp:451 +msgctxt "type" +msgid "Xfer" +msgstr "" + +#: bouncedcc.cpp:385 +msgid "DCC {1} Bounce ({2}): Too long line received" +msgstr "" + +#: bouncedcc.cpp:418 +msgid "DCC {1} Bounce ({2}): Timeout while connecting to {3} {4}" +msgstr "" + +#: bouncedcc.cpp:422 +msgid "DCC {1} Bounce ({2}): Timeout while connecting." +msgstr "" + +#: bouncedcc.cpp:427 +msgid "" +"DCC {1} Bounce ({2}): Timeout while waiting for incoming connection on {3} " +"{4}" +msgstr "" + +#: bouncedcc.cpp:440 +msgid "DCC {1} Bounce ({2}): Connection refused while connecting to {3} {4}" +msgstr "" + +#: bouncedcc.cpp:444 +msgid "DCC {1} Bounce ({2}): Connection refused while connecting." +msgstr "" + +#: bouncedcc.cpp:457 bouncedcc.cpp:465 +msgid "DCC {1} Bounce ({2}): Socket error on {3} {4}: {5}" +msgstr "" + +#: bouncedcc.cpp:460 +msgid "DCC {1} Bounce ({2}): Socket error: {3}" +msgstr "" + +#: bouncedcc.cpp:547 +msgid "" +"Bounces DCC transfers through ZNC instead of sending them directly to the " +"user. " +msgstr "" diff --git a/modules/po/buffextras.el_GR.po b/modules/po/buffextras.el_GR.po new file mode 100644 index 00000000..95ae1261 --- /dev/null +++ b/modules/po/buffextras.el_GR.po @@ -0,0 +1,49 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /1.8.x/modules/po/buffextras.pot\n" +"X-Crowdin-File-ID: 318\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: buffextras.cpp:45 +msgid "Server" +msgstr "" + +#: buffextras.cpp:47 +msgid "{1} set mode: {2} {3}" +msgstr "" + +#: buffextras.cpp:55 +msgid "{1} kicked {2} with reason: {3}" +msgstr "" + +#: buffextras.cpp:64 +msgid "{1} quit: {2}" +msgstr "" + +#: buffextras.cpp:73 +msgid "{1} joined" +msgstr "" + +#: buffextras.cpp:81 +msgid "{1} parted: {2}" +msgstr "" + +#: buffextras.cpp:90 +msgid "{1} is now known as {2}" +msgstr "" + +#: buffextras.cpp:100 +msgid "{1} changed the topic to: {2}" +msgstr "" + +#: buffextras.cpp:115 +msgid "Adds joins, parts etc. to the playback buffer" +msgstr "" diff --git a/modules/po/cert.el_GR.po b/modules/po/cert.el_GR.po new file mode 100644 index 00000000..81bbba86 --- /dev/null +++ b/modules/po/cert.el_GR.po @@ -0,0 +1,75 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /1.8.x/modules/po/cert.pot\n" +"X-Crowdin-File-ID: 322\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +# this text is inserted into `click here` in the other string +#: modules/po/../data/cert/tmpl/index.tmpl:5 +msgid "here" +msgstr "" + +# {1} is `here`, translateable in the other string +#: modules/po/../data/cert/tmpl/index.tmpl:6 +msgid "" +"You already have a certificate set, use the form below to overwrite the " +"current certificate. Alternatively click {1} to delete your certificate." +msgstr "" + +#: modules/po/../data/cert/tmpl/index.tmpl:8 +msgid "You do not have a certificate yet." +msgstr "" + +#: modules/po/../data/cert/tmpl/index.tmpl:14 cert.cpp:72 +msgid "Certificate" +msgstr "" + +#: modules/po/../data/cert/tmpl/index.tmpl:18 +msgid "PEM File:" +msgstr "" + +#: modules/po/../data/cert/tmpl/index.tmpl:22 +msgid "Update" +msgstr "" + +#: cert.cpp:28 +msgid "Pem file deleted" +msgstr "" + +#: cert.cpp:31 +msgid "The pem file doesn't exist or there was a error deleting the pem file." +msgstr "" + +#: cert.cpp:38 +msgid "You have a certificate in {1}" +msgstr "" + +#: cert.cpp:41 +msgid "" +"You do not have a certificate. Please use the web interface to add a " +"certificate" +msgstr "" + +#: cert.cpp:44 +msgid "Alternatively you can either place one at {1}" +msgstr "" + +#: cert.cpp:52 +msgid "Delete the current certificate" +msgstr "" + +#: cert.cpp:54 +msgid "Show the current certificate" +msgstr "" + +#: cert.cpp:105 +msgid "Use a ssl certificate to connect to a server" +msgstr "" diff --git a/modules/po/certauth.el_GR.po b/modules/po/certauth.el_GR.po new file mode 100644 index 00000000..21ae7363 --- /dev/null +++ b/modules/po/certauth.el_GR.po @@ -0,0 +1,108 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /1.8.x/modules/po/certauth.pot\n" +"X-Crowdin-File-ID: 324\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: modules/po/../data/certauth/tmpl/index.tmpl:7 +msgid "Add a key" +msgstr "" + +#: modules/po/../data/certauth/tmpl/index.tmpl:11 +msgid "Key:" +msgstr "" + +#: modules/po/../data/certauth/tmpl/index.tmpl:15 +msgid "Add Key" +msgstr "" + +#: modules/po/../data/certauth/tmpl/index.tmpl:23 +msgid "You have no keys." +msgstr "" + +#: modules/po/../data/certauth/tmpl/index.tmpl:30 +msgctxt "web" +msgid "Key" +msgstr "" + +#: modules/po/../data/certauth/tmpl/index.tmpl:36 +msgid "del" +msgstr "" + +#: certauth.cpp:31 +msgid "[pubkey]" +msgstr "" + +#: certauth.cpp:32 +msgid "Add a public key. If key is not provided will use the current key" +msgstr "" + +#: certauth.cpp:35 +msgid "id" +msgstr "" + +#: certauth.cpp:35 +msgid "Delete a key by its number in List" +msgstr "" + +#: certauth.cpp:37 +msgid "List your public keys" +msgstr "" + +#: certauth.cpp:39 +msgid "Print your current key" +msgstr "" + +#: certauth.cpp:142 +msgid "You are not connected with any valid public key" +msgstr "" + +#: certauth.cpp:144 +msgid "Your current public key is: {1}" +msgstr "" + +#: certauth.cpp:157 +msgid "You did not supply a public key or connect with one." +msgstr "" + +#: certauth.cpp:160 +msgid "Key '{1}' added." +msgstr "" + +#: certauth.cpp:162 +msgid "The key '{1}' is already added." +msgstr "" + +#: certauth.cpp:170 certauth.cpp:183 +msgctxt "list" +msgid "Id" +msgstr "" + +#: certauth.cpp:171 certauth.cpp:184 +msgctxt "list" +msgid "Key" +msgstr "" + +#: certauth.cpp:176 certauth.cpp:190 certauth.cpp:199 +msgid "No keys set for your user" +msgstr "" + +#: certauth.cpp:204 +msgid "Invalid #, check \"list\"" +msgstr "" + +#: certauth.cpp:216 +msgid "Removed" +msgstr "" + +#: certauth.cpp:291 +msgid "Allows users to authenticate via SSL client certificates." +msgstr "" diff --git a/modules/po/chansaver.el_GR.po b/modules/po/chansaver.el_GR.po new file mode 100644 index 00000000..d7db9979 --- /dev/null +++ b/modules/po/chansaver.el_GR.po @@ -0,0 +1,17 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /1.8.x/modules/po/chansaver.pot\n" +"X-Crowdin-File-ID: 326\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: chansaver.cpp:91 +msgid "Keeps config up-to-date when user joins/parts." +msgstr "" diff --git a/modules/po/clearbufferonmsg.el_GR.po b/modules/po/clearbufferonmsg.el_GR.po new file mode 100644 index 00000000..a5c4ff4c --- /dev/null +++ b/modules/po/clearbufferonmsg.el_GR.po @@ -0,0 +1,17 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /1.8.x/modules/po/clearbufferonmsg.pot\n" +"X-Crowdin-File-ID: 330\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: clearbufferonmsg.cpp:160 +msgid "Clears all channel and query buffers whenever the user does something" +msgstr "" diff --git a/modules/po/clientnotify.el_GR.po b/modules/po/clientnotify.el_GR.po new file mode 100644 index 00000000..40a78da8 --- /dev/null +++ b/modules/po/clientnotify.el_GR.po @@ -0,0 +1,73 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /1.8.x/modules/po/clientnotify.pot\n" +"X-Crowdin-File-ID: 328\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: clientnotify.cpp:47 +msgid "" +msgstr "" + +#: clientnotify.cpp:48 +msgid "Sets the notify method" +msgstr "" + +#: clientnotify.cpp:50 clientnotify.cpp:54 +msgid "" +msgstr "" + +#: clientnotify.cpp:51 +msgid "Turns notifications for unseen IP addresses on or off" +msgstr "" + +#: clientnotify.cpp:55 +msgid "Turns notifications for clients disconnecting on or off" +msgstr "" + +#: clientnotify.cpp:57 +msgid "Shows the current settings" +msgstr "" + +#: clientnotify.cpp:81 clientnotify.cpp:95 +msgid "" +msgid_plural "" +"Another client authenticated as your user. Use the 'ListClients' command to " +"see all {1} clients." +msgstr[0] "" +msgstr[1] "" + +#: clientnotify.cpp:108 +msgid "Usage: Method " +msgstr "" + +#: clientnotify.cpp:114 clientnotify.cpp:127 clientnotify.cpp:140 +msgid "Saved." +msgstr "" + +#: clientnotify.cpp:121 +msgid "Usage: NewOnly " +msgstr "" + +#: clientnotify.cpp:134 +msgid "Usage: OnDisconnect " +msgstr "" + +#: clientnotify.cpp:145 +msgid "" +"Current settings: Method: {1}, for unseen IP addresses only: {2}, notify on " +"disconnecting clients: {3}" +msgstr "" + +#: clientnotify.cpp:157 +msgid "" +"Notifies you when another IRC client logs into or out of your account. " +"Configurable." +msgstr "" diff --git a/modules/po/controlpanel.el_GR.po b/modules/po/controlpanel.el_GR.po new file mode 100644 index 00000000..7e175358 --- /dev/null +++ b/modules/po/controlpanel.el_GR.po @@ -0,0 +1,718 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /1.8.x/modules/po/controlpanel.pot\n" +"X-Crowdin-File-ID: 332\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: controlpanel.cpp:51 controlpanel.cpp:64 +msgctxt "helptable" +msgid "Type" +msgstr "" + +#: controlpanel.cpp:52 controlpanel.cpp:66 +msgctxt "helptable" +msgid "Variables" +msgstr "" + +#: controlpanel.cpp:78 +msgid "String" +msgstr "" + +#: controlpanel.cpp:79 +msgid "Boolean (true/false)" +msgstr "" + +#: controlpanel.cpp:80 +msgid "Integer" +msgstr "" + +#: controlpanel.cpp:81 +msgid "Number" +msgstr "" + +#: controlpanel.cpp:126 +msgid "The following variables are available when using the Set/Get commands:" +msgstr "" + +#: controlpanel.cpp:150 +msgid "" +"The following variables are available when using the SetNetwork/GetNetwork " +"commands:" +msgstr "" + +#: controlpanel.cpp:164 +msgid "" +"The following variables are available when using the SetChan/GetChan " +"commands:" +msgstr "" + +#: controlpanel.cpp:171 +msgid "" +"You can use $user as the user name and $network as the network name for " +"modifying your own user and network." +msgstr "" + +#: controlpanel.cpp:180 controlpanel.cpp:967 controlpanel.cpp:1004 +msgid "Error: User [{1}] does not exist!" +msgstr "" + +#: controlpanel.cpp:185 +msgid "Error: You need to have admin rights to modify other users!" +msgstr "" + +#: controlpanel.cpp:195 +msgid "Error: You cannot use $network to modify other users!" +msgstr "" + +#: controlpanel.cpp:203 +msgid "Error: User {1} does not have a network named [{2}]." +msgstr "" + +#: controlpanel.cpp:215 +msgid "Usage: Get [username]" +msgstr "" + +#: controlpanel.cpp:305 controlpanel.cpp:508 controlpanel.cpp:583 +#: controlpanel.cpp:659 controlpanel.cpp:794 controlpanel.cpp:879 +msgid "Error: Unknown variable" +msgstr "" + +#: controlpanel.cpp:314 +msgid "Usage: Set " +msgstr "" + +#: controlpanel.cpp:336 controlpanel.cpp:624 +msgid "This bind host is already set!" +msgstr "" + +#: controlpanel.cpp:343 controlpanel.cpp:355 controlpanel.cpp:363 +#: controlpanel.cpp:426 controlpanel.cpp:445 controlpanel.cpp:461 +#: controlpanel.cpp:471 controlpanel.cpp:631 +msgid "Access denied!" +msgstr "" + +#: controlpanel.cpp:377 controlpanel.cpp:386 controlpanel.cpp:843 +msgid "Setting failed, limit for buffer size is {1}" +msgstr "" + +#: controlpanel.cpp:406 +msgid "Password has been changed!" +msgstr "" + +#: controlpanel.cpp:414 +msgid "Timeout can't be less than 30 seconds!" +msgstr "" + +#: controlpanel.cpp:478 +msgid "That would be a bad idea!" +msgstr "" + +#: controlpanel.cpp:496 +msgid "Supported languages: {1}" +msgstr "" + +#: controlpanel.cpp:520 +msgid "Usage: GetNetwork [username] [network]" +msgstr "" + +#: controlpanel.cpp:539 +msgid "Error: A network must be specified to get another users settings." +msgstr "" + +#: controlpanel.cpp:545 +msgid "You are not currently attached to a network." +msgstr "" + +#: controlpanel.cpp:551 +msgid "Error: Invalid network." +msgstr "" + +#: controlpanel.cpp:595 +msgid "Usage: SetNetwork " +msgstr "" + +#: controlpanel.cpp:669 +msgid "Usage: AddChan " +msgstr "" + +#: controlpanel.cpp:682 +msgid "Error: User {1} already has a channel named {2}." +msgstr "" + +#: controlpanel.cpp:689 +msgid "Channel {1} for user {2} added to network {3}." +msgstr "" + +#: controlpanel.cpp:693 +msgid "" +"Could not add channel {1} for user {2} to network {3}, does it already exist?" +msgstr "" + +#: controlpanel.cpp:703 +msgid "Usage: DelChan " +msgstr "" + +#: controlpanel.cpp:718 +msgid "Error: User {1} does not have any channel matching [{2}] in network {3}" +msgstr "" + +#: controlpanel.cpp:731 +msgid "Channel {1} is deleted from network {2} of user {3}" +msgid_plural "Channels {1} are deleted from network {2} of user {3}" +msgstr[0] "" +msgstr[1] "" + +#: controlpanel.cpp:746 +msgid "Usage: GetChan " +msgstr "" + +#: controlpanel.cpp:760 controlpanel.cpp:824 +msgid "Error: No channels matching [{1}] found." +msgstr "" + +#: controlpanel.cpp:809 +msgid "Usage: SetChan " +msgstr "" + +#: controlpanel.cpp:890 controlpanel.cpp:900 +msgctxt "listusers" +msgid "Username" +msgstr "" + +#: controlpanel.cpp:891 controlpanel.cpp:901 +msgctxt "listusers" +msgid "Realname" +msgstr "" + +#: controlpanel.cpp:892 controlpanel.cpp:904 controlpanel.cpp:906 +msgctxt "listusers" +msgid "IsAdmin" +msgstr "" + +#: controlpanel.cpp:893 controlpanel.cpp:907 +msgctxt "listusers" +msgid "Nick" +msgstr "" + +#: controlpanel.cpp:894 controlpanel.cpp:908 +msgctxt "listusers" +msgid "AltNick" +msgstr "" + +#: controlpanel.cpp:895 controlpanel.cpp:909 +msgctxt "listusers" +msgid "Ident" +msgstr "" + +#: controlpanel.cpp:896 controlpanel.cpp:910 +msgctxt "listusers" +msgid "BindHost" +msgstr "" + +#: controlpanel.cpp:904 controlpanel.cpp:1144 +msgid "No" +msgstr "" + +#: controlpanel.cpp:906 controlpanel.cpp:1136 +msgid "Yes" +msgstr "" + +#: controlpanel.cpp:920 controlpanel.cpp:989 +msgid "Error: You need to have admin rights to add new users!" +msgstr "" + +#: controlpanel.cpp:926 +msgid "Usage: AddUser " +msgstr "" + +#: controlpanel.cpp:931 +msgid "Error: User {1} already exists!" +msgstr "" + +#: controlpanel.cpp:943 controlpanel.cpp:1018 +msgid "Error: User not added: {1}" +msgstr "" + +#: controlpanel.cpp:947 controlpanel.cpp:1022 +msgid "User {1} added!" +msgstr "" + +#: controlpanel.cpp:954 +msgid "Error: You need to have admin rights to delete users!" +msgstr "" + +#: controlpanel.cpp:960 +msgid "Usage: DelUser " +msgstr "" + +#: controlpanel.cpp:972 +msgid "Error: You can't delete yourself!" +msgstr "" + +#: controlpanel.cpp:978 +msgid "Error: Internal error!" +msgstr "" + +#: controlpanel.cpp:982 +msgid "User {1} deleted!" +msgstr "" + +#: controlpanel.cpp:997 +msgid "Usage: CloneUser " +msgstr "" + +#: controlpanel.cpp:1012 +msgid "Error: Cloning failed: {1}" +msgstr "" + +#: controlpanel.cpp:1041 +msgid "Usage: AddNetwork [user] network" +msgstr "" + +#: controlpanel.cpp:1047 +msgid "" +"Network number limit reached. Ask an admin to increase the limit for you, or " +"delete unneeded networks using /znc DelNetwork " +msgstr "" + +#: controlpanel.cpp:1055 +msgid "Error: User {1} already has a network with the name {2}" +msgstr "" + +#: controlpanel.cpp:1062 +msgid "Network {1} added to user {2}." +msgstr "" + +#: controlpanel.cpp:1066 +msgid "Error: Network [{1}] could not be added for user {2}: {3}" +msgstr "" + +#: controlpanel.cpp:1086 +msgid "Usage: DelNetwork [user] network" +msgstr "" + +#: controlpanel.cpp:1097 +msgid "The currently active network can be deleted via {1}status" +msgstr "" + +#: controlpanel.cpp:1103 +msgid "Network {1} deleted for user {2}." +msgstr "" + +#: controlpanel.cpp:1107 +msgid "Error: Network {1} could not be deleted for user {2}." +msgstr "" + +#: controlpanel.cpp:1126 controlpanel.cpp:1134 +msgctxt "listnetworks" +msgid "Network" +msgstr "" + +#: controlpanel.cpp:1127 controlpanel.cpp:1136 controlpanel.cpp:1144 +msgctxt "listnetworks" +msgid "OnIRC" +msgstr "" + +#: controlpanel.cpp:1128 controlpanel.cpp:1137 +msgctxt "listnetworks" +msgid "IRC Server" +msgstr "" + +#: controlpanel.cpp:1129 controlpanel.cpp:1139 +msgctxt "listnetworks" +msgid "IRC User" +msgstr "" + +#: controlpanel.cpp:1130 controlpanel.cpp:1141 +msgctxt "listnetworks" +msgid "Channels" +msgstr "" + +#: controlpanel.cpp:1149 +msgid "No networks" +msgstr "" + +#: controlpanel.cpp:1160 +msgid "Usage: AddServer [[+]port] [password]" +msgstr "" + +#: controlpanel.cpp:1174 +msgid "Added IRC Server {1} to network {2} for user {3}." +msgstr "" + +#: controlpanel.cpp:1178 +msgid "Error: Could not add IRC server {1} to network {2} for user {3}." +msgstr "" + +#: controlpanel.cpp:1191 +msgid "Usage: DelServer [[+]port] [password]" +msgstr "" + +#: controlpanel.cpp:1206 +msgid "Deleted IRC Server {1} from network {2} for user {3}." +msgstr "" + +#: controlpanel.cpp:1210 +msgid "Error: Could not delete IRC server {1} from network {2} for user {3}." +msgstr "" + +#: controlpanel.cpp:1220 +msgid "Usage: Reconnect " +msgstr "" + +#: controlpanel.cpp:1247 +msgid "Queued network {1} of user {2} for a reconnect." +msgstr "" + +#: controlpanel.cpp:1256 +msgid "Usage: Disconnect " +msgstr "" + +#: controlpanel.cpp:1271 +msgid "Closed IRC connection for network {1} of user {2}." +msgstr "" + +#: controlpanel.cpp:1286 controlpanel.cpp:1291 +msgctxt "listctcp" +msgid "Request" +msgstr "" + +#: controlpanel.cpp:1287 controlpanel.cpp:1292 +msgctxt "listctcp" +msgid "Reply" +msgstr "" + +#: controlpanel.cpp:1296 +msgid "No CTCP replies for user {1} are configured" +msgstr "" + +#: controlpanel.cpp:1299 +msgid "CTCP replies for user {1}:" +msgstr "" + +#: controlpanel.cpp:1315 +msgid "Usage: AddCTCP [user] [request] [reply]" +msgstr "" + +#: controlpanel.cpp:1317 +msgid "" +"This will cause ZNC to reply to the CTCP instead of forwarding it to clients." +msgstr "" + +#: controlpanel.cpp:1320 +msgid "An empty reply will cause the CTCP request to be blocked." +msgstr "" + +#: controlpanel.cpp:1329 +msgid "CTCP requests {1} to user {2} will now be blocked." +msgstr "" + +#: controlpanel.cpp:1333 +msgid "CTCP requests {1} to user {2} will now get reply: {3}" +msgstr "" + +#: controlpanel.cpp:1350 +msgid "Usage: DelCTCP [user] [request]" +msgstr "" + +#: controlpanel.cpp:1356 +msgid "CTCP requests {1} to user {2} will now be sent to IRC clients" +msgstr "" + +#: controlpanel.cpp:1360 +msgid "" +"CTCP requests {1} to user {2} will be sent to IRC clients (nothing has " +"changed)" +msgstr "" + +#: controlpanel.cpp:1370 controlpanel.cpp:1444 +msgid "Loading modules has been disabled." +msgstr "" + +#: controlpanel.cpp:1379 +msgid "Error: Unable to load module {1}: {2}" +msgstr "" + +#: controlpanel.cpp:1382 +msgid "Loaded module {1}" +msgstr "" + +#: controlpanel.cpp:1387 +msgid "Error: Unable to reload module {1}: {2}" +msgstr "" + +#: controlpanel.cpp:1390 +msgid "Reloaded module {1}" +msgstr "" + +#: controlpanel.cpp:1394 +msgid "Error: Unable to load module {1} because it is already loaded" +msgstr "" + +#: controlpanel.cpp:1405 +msgid "Usage: LoadModule [args]" +msgstr "" + +#: controlpanel.cpp:1424 +msgid "Usage: LoadNetModule [args]" +msgstr "" + +#: controlpanel.cpp:1449 +msgid "Please use /znc unloadmod {1}" +msgstr "" + +#: controlpanel.cpp:1455 +msgid "Error: Unable to unload module {1}: {2}" +msgstr "" + +#: controlpanel.cpp:1458 +msgid "Unloaded module {1}" +msgstr "" + +#: controlpanel.cpp:1467 +msgid "Usage: UnloadModule " +msgstr "" + +#: controlpanel.cpp:1484 +msgid "Usage: UnloadNetModule " +msgstr "" + +#: controlpanel.cpp:1501 controlpanel.cpp:1507 +msgctxt "listmodules" +msgid "Name" +msgstr "" + +#: controlpanel.cpp:1502 controlpanel.cpp:1508 +msgctxt "listmodules" +msgid "Arguments" +msgstr "" + +#: controlpanel.cpp:1527 +msgid "User {1} has no modules loaded." +msgstr "" + +#: controlpanel.cpp:1531 +msgid "Modules loaded for user {1}:" +msgstr "" + +#: controlpanel.cpp:1551 +msgid "Network {1} of user {2} has no modules loaded." +msgstr "" + +#: controlpanel.cpp:1556 +msgid "Modules loaded for network {1} of user {2}:" +msgstr "" + +#: controlpanel.cpp:1563 +msgid "[command] [variable]" +msgstr "" + +#: controlpanel.cpp:1564 +msgid "Prints help for matching commands and variables" +msgstr "" + +#: controlpanel.cpp:1567 +msgid " [username]" +msgstr "" + +#: controlpanel.cpp:1568 +msgid "Prints the variable's value for the given or current user" +msgstr "" + +#: controlpanel.cpp:1570 +msgid " " +msgstr "" + +#: controlpanel.cpp:1571 +msgid "Sets the variable's value for the given user" +msgstr "" + +#: controlpanel.cpp:1573 +msgid " [username] [network]" +msgstr "" + +#: controlpanel.cpp:1574 +msgid "Prints the variable's value for the given network" +msgstr "" + +#: controlpanel.cpp:1576 +msgid " " +msgstr "" + +#: controlpanel.cpp:1577 +msgid "Sets the variable's value for the given network" +msgstr "" + +#: controlpanel.cpp:1579 +msgid " [username] " +msgstr "" + +#: controlpanel.cpp:1580 +msgid "Prints the variable's value for the given channel" +msgstr "" + +#: controlpanel.cpp:1583 +msgid " " +msgstr "" + +#: controlpanel.cpp:1584 +msgid "Sets the variable's value for the given channel" +msgstr "" + +#: controlpanel.cpp:1586 controlpanel.cpp:1589 +msgid " " +msgstr "" + +#: controlpanel.cpp:1587 +msgid "Adds a new channel" +msgstr "" + +#: controlpanel.cpp:1590 +msgid "Deletes a channel" +msgstr "" + +#: controlpanel.cpp:1592 +msgid "Lists users" +msgstr "" + +#: controlpanel.cpp:1594 +msgid " " +msgstr "" + +#: controlpanel.cpp:1595 +msgid "Adds a new user" +msgstr "" + +#: controlpanel.cpp:1597 controlpanel.cpp:1620 controlpanel.cpp:1634 +msgid "" +msgstr "" + +#: controlpanel.cpp:1597 +msgid "Deletes a user" +msgstr "" + +#: controlpanel.cpp:1599 +msgid " " +msgstr "" + +#: controlpanel.cpp:1600 +msgid "Clones a user" +msgstr "" + +#: controlpanel.cpp:1602 controlpanel.cpp:1605 +msgid " " +msgstr "" + +#: controlpanel.cpp:1603 +msgid "Adds a new IRC server for the given or current user" +msgstr "" + +#: controlpanel.cpp:1606 +msgid "Deletes an IRC server from the given or current user" +msgstr "" + +#: controlpanel.cpp:1608 controlpanel.cpp:1611 controlpanel.cpp:1631 +msgid " " +msgstr "" + +#: controlpanel.cpp:1609 +msgid "Cycles the user's IRC server connection" +msgstr "" + +#: controlpanel.cpp:1612 +msgid "Disconnects the user from their IRC server" +msgstr "" + +#: controlpanel.cpp:1614 +msgid " [args]" +msgstr "" + +#: controlpanel.cpp:1615 +msgid "Loads a Module for a user" +msgstr "" + +#: controlpanel.cpp:1617 +msgid " " +msgstr "" + +#: controlpanel.cpp:1618 +msgid "Removes a Module of a user" +msgstr "" + +#: controlpanel.cpp:1621 +msgid "Get the list of modules for a user" +msgstr "" + +#: controlpanel.cpp:1624 +msgid " [args]" +msgstr "" + +#: controlpanel.cpp:1625 +msgid "Loads a Module for a network" +msgstr "" + +#: controlpanel.cpp:1628 +msgid " " +msgstr "" + +#: controlpanel.cpp:1629 +msgid "Removes a Module of a network" +msgstr "" + +#: controlpanel.cpp:1632 +msgid "Get the list of modules for a network" +msgstr "" + +#: controlpanel.cpp:1635 +msgid "List the configured CTCP replies" +msgstr "" + +#: controlpanel.cpp:1637 +msgid " [reply]" +msgstr "" + +#: controlpanel.cpp:1638 +msgid "Configure a new CTCP reply" +msgstr "" + +#: controlpanel.cpp:1640 +msgid " " +msgstr "" + +#: controlpanel.cpp:1641 +msgid "Remove a CTCP reply" +msgstr "" + +#: controlpanel.cpp:1645 controlpanel.cpp:1648 +msgid "[username] " +msgstr "" + +#: controlpanel.cpp:1646 +msgid "Add a network for a user" +msgstr "" + +#: controlpanel.cpp:1649 +msgid "Delete a network for a user" +msgstr "" + +#: controlpanel.cpp:1651 +msgid "[username]" +msgstr "" + +#: controlpanel.cpp:1652 +msgid "List all networks for a user" +msgstr "" + +#: controlpanel.cpp:1665 +msgid "" +"Dynamic configuration through IRC. Allows editing only yourself if you're " +"not ZNC admin." +msgstr "" diff --git a/modules/po/crypt.el_GR.po b/modules/po/crypt.el_GR.po new file mode 100644 index 00000000..e411e87a --- /dev/null +++ b/modules/po/crypt.el_GR.po @@ -0,0 +1,143 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /1.8.x/modules/po/crypt.pot\n" +"X-Crowdin-File-ID: 334\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: crypt.cpp:198 +msgid "<#chan|Nick>" +msgstr "" + +#: crypt.cpp:199 +msgid "Remove a key for nick or channel" +msgstr "" + +#: crypt.cpp:201 +msgid "<#chan|Nick> " +msgstr "" + +#: crypt.cpp:202 +msgid "Set a key for nick or channel" +msgstr "" + +#: crypt.cpp:204 +msgid "List all keys" +msgstr "" + +#: crypt.cpp:206 +msgid "" +msgstr "" + +#: crypt.cpp:207 +msgid "Start a DH1080 key exchange with nick" +msgstr "" + +#: crypt.cpp:210 +msgid "Get the nick prefix" +msgstr "" + +#: crypt.cpp:213 +msgid "[Prefix]" +msgstr "" + +#: crypt.cpp:214 +msgid "Set the nick prefix, with no argument it's disabled." +msgstr "" + +#: crypt.cpp:270 +msgid "Received DH1080 public key from {1}, sending mine..." +msgstr "" + +#: crypt.cpp:275 crypt.cpp:296 +msgid "Key for {1} successfully set." +msgstr "" + +#: crypt.cpp:278 crypt.cpp:299 +msgid "Error in {1} with {2}: {3}" +msgstr "" + +#: crypt.cpp:280 crypt.cpp:301 +msgid "no secret key computed" +msgstr "" + +#: crypt.cpp:395 +msgid "Target [{1}] deleted" +msgstr "" + +#: crypt.cpp:397 +msgid "Target [{1}] not found" +msgstr "" + +#: crypt.cpp:400 +msgid "Usage DelKey <#chan|Nick>" +msgstr "" + +#: crypt.cpp:415 +msgid "Set encryption key for [{1}] to [{2}]" +msgstr "" + +#: crypt.cpp:417 +msgid "Usage: SetKey <#chan|Nick> " +msgstr "" + +#: crypt.cpp:428 +msgid "Sent my DH1080 public key to {1}, waiting for reply ..." +msgstr "" + +#: crypt.cpp:430 +msgid "Error generating our keys, nothing sent." +msgstr "" + +#: crypt.cpp:433 +msgid "Usage: KeyX " +msgstr "" + +#: crypt.cpp:440 +msgid "Nick Prefix disabled." +msgstr "" + +#: crypt.cpp:442 +msgid "Nick Prefix: {1}" +msgstr "" + +#: crypt.cpp:451 +msgid "You cannot use :, even followed by other symbols, as Nick Prefix." +msgstr "" + +#: crypt.cpp:460 +msgid "Overlap with Status Prefix ({1}), this Nick Prefix will not be used!" +msgstr "" + +#: crypt.cpp:465 +msgid "Disabling Nick Prefix." +msgstr "" + +#: crypt.cpp:467 +msgid "Setting Nick Prefix to {1}" +msgstr "" + +#: crypt.cpp:474 crypt.cpp:481 +msgctxt "listkeys" +msgid "Target" +msgstr "" + +#: crypt.cpp:475 crypt.cpp:482 +msgctxt "listkeys" +msgid "Key" +msgstr "" + +#: crypt.cpp:486 +msgid "You have no encryption keys set." +msgstr "" + +#: crypt.cpp:508 +msgid "Encryption for channel/private messages" +msgstr "" diff --git a/modules/po/ctcpflood.el_GR.po b/modules/po/ctcpflood.el_GR.po new file mode 100644 index 00000000..6210410a --- /dev/null +++ b/modules/po/ctcpflood.el_GR.po @@ -0,0 +1,69 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /1.8.x/modules/po/ctcpflood.pot\n" +"X-Crowdin-File-ID: 336\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: ctcpflood.cpp:25 ctcpflood.cpp:27 +msgid "" +msgstr "" + +#: ctcpflood.cpp:25 +msgid "Set seconds limit" +msgstr "" + +#: ctcpflood.cpp:27 +msgid "Set lines limit" +msgstr "" + +#: ctcpflood.cpp:29 +msgid "Show the current limits" +msgstr "" + +#: ctcpflood.cpp:76 +msgid "Limit reached by {1}, blocking all CTCP" +msgstr "" + +#: ctcpflood.cpp:98 +msgid "Usage: Secs " +msgstr "" + +#: ctcpflood.cpp:113 +msgid "Usage: Lines " +msgstr "" + +#: ctcpflood.cpp:125 +msgid "1 CTCP message" +msgid_plural "{1} CTCP messages" +msgstr[0] "" +msgstr[1] "" + +#: ctcpflood.cpp:127 +msgid "every second" +msgid_plural "every {1} seconds" +msgstr[0] "" +msgstr[1] "" + +#: ctcpflood.cpp:129 +msgid "Current limit is {1} {2}" +msgstr "" + +#: ctcpflood.cpp:145 +msgid "" +"This user module takes none to two arguments. The first argument is the " +"number of lines after which the flood-protection is triggered. The second " +"argument is the time (sec) to in which the number of lines is reached. The " +"default setting is 4 CTCPs in 2 seconds" +msgstr "" + +#: ctcpflood.cpp:151 +msgid "Don't forward CTCP floods to clients" +msgstr "" diff --git a/modules/po/cyrusauth.el_GR.po b/modules/po/cyrusauth.el_GR.po new file mode 100644 index 00000000..3bd16831 --- /dev/null +++ b/modules/po/cyrusauth.el_GR.po @@ -0,0 +1,73 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /1.8.x/modules/po/cyrusauth.pot\n" +"X-Crowdin-File-ID: 338\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: cyrusauth.cpp:42 +msgid "Shows current settings" +msgstr "" + +#: cyrusauth.cpp:44 +msgid "yes|clone |no" +msgstr "" + +#: cyrusauth.cpp:45 +msgid "" +"Create ZNC users upon first successful login, optionally from a template" +msgstr "" + +#: cyrusauth.cpp:56 +msgid "Access denied" +msgstr "" + +#: cyrusauth.cpp:70 +msgid "Ignoring invalid SASL pwcheck method: {1}" +msgstr "" + +#: cyrusauth.cpp:71 +msgid "Ignored invalid SASL pwcheck method" +msgstr "" + +#: cyrusauth.cpp:79 +msgid "Need a pwcheck method as argument (saslauthd, auxprop)" +msgstr "" + +#: cyrusauth.cpp:84 +msgid "SASL Could Not Be Initialized - Halting Startup" +msgstr "" + +#: cyrusauth.cpp:171 cyrusauth.cpp:186 +msgid "We will not create users on their first login" +msgstr "" + +#: cyrusauth.cpp:174 cyrusauth.cpp:195 +msgid "" +"We will create users on their first login, using user [{1}] as a template" +msgstr "" + +#: cyrusauth.cpp:177 cyrusauth.cpp:190 +msgid "We will create users on their first login" +msgstr "" + +#: cyrusauth.cpp:199 +msgid "Usage: CreateUsers yes, CreateUsers no, or CreateUsers clone " +msgstr "" + +#: cyrusauth.cpp:232 +msgid "" +"This global module takes up to two arguments - the methods of authentication " +"- auxprop and saslauthd" +msgstr "" + +#: cyrusauth.cpp:238 +msgid "Allow users to authenticate via SASL password verification method" +msgstr "" diff --git a/modules/po/dcc.el_GR.po b/modules/po/dcc.el_GR.po new file mode 100644 index 00000000..6f9209d0 --- /dev/null +++ b/modules/po/dcc.el_GR.po @@ -0,0 +1,227 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /1.8.x/modules/po/dcc.pot\n" +"X-Crowdin-File-ID: 308\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: dcc.cpp:88 +msgid " " +msgstr "" + +#: dcc.cpp:89 +msgid "Send a file from ZNC to someone" +msgstr "" + +#: dcc.cpp:91 +msgid "" +msgstr "" + +#: dcc.cpp:92 +msgid "Send a file from ZNC to your client" +msgstr "" + +#: dcc.cpp:94 +msgid "List current transfers" +msgstr "" + +#: dcc.cpp:103 +msgid "You must be admin to use the DCC module" +msgstr "" + +#: dcc.cpp:140 +msgid "Attempting to send [{1}] to [{2}]." +msgstr "" + +#: dcc.cpp:149 dcc.cpp:554 +msgid "Receiving [{1}] from [{2}]: File already exists." +msgstr "" + +#: dcc.cpp:167 +msgid "" +"Attempting to connect to [{1} {2}] in order to download [{3}] from [{4}]." +msgstr "" + +#: dcc.cpp:179 +msgid "Usage: Send " +msgstr "" + +#: dcc.cpp:186 dcc.cpp:206 +msgid "Illegal path." +msgstr "" + +#: dcc.cpp:199 +msgid "Usage: Get " +msgstr "" + +#: dcc.cpp:215 dcc.cpp:232 dcc.cpp:234 +msgctxt "list" +msgid "Type" +msgstr "" + +#: dcc.cpp:216 dcc.cpp:238 dcc.cpp:241 +msgctxt "list" +msgid "State" +msgstr "" + +#: dcc.cpp:217 dcc.cpp:243 +msgctxt "list" +msgid "Speed" +msgstr "" + +#: dcc.cpp:218 dcc.cpp:227 +msgctxt "list" +msgid "Nick" +msgstr "" + +#: dcc.cpp:219 dcc.cpp:228 +msgctxt "list" +msgid "IP" +msgstr "" + +#: dcc.cpp:220 dcc.cpp:229 +msgctxt "list" +msgid "File" +msgstr "" + +#: dcc.cpp:232 +msgctxt "list-type" +msgid "Sending" +msgstr "" + +#: dcc.cpp:234 +msgctxt "list-type" +msgid "Getting" +msgstr "" + +#: dcc.cpp:239 +msgctxt "list-state" +msgid "Waiting" +msgstr "" + +#: dcc.cpp:244 +msgid "{1} KiB/s" +msgstr "" + +#: dcc.cpp:250 +msgid "You have no active DCC transfers." +msgstr "" + +#: dcc.cpp:267 +msgid "Attempting to resume send from position {1} of file [{2}] for [{3}]" +msgstr "" + +#: dcc.cpp:277 +msgid "Couldn't resume file [{1}] for [{2}]: not sending anything." +msgstr "" + +#: dcc.cpp:286 +msgid "Bad DCC file: {1}" +msgstr "" + +#: dcc.cpp:341 +msgid "Sending [{1}] to [{2}]: File not open!" +msgstr "" + +#: dcc.cpp:345 +msgid "Receiving [{1}] from [{2}]: File not open!" +msgstr "" + +#: dcc.cpp:385 +msgid "Sending [{1}] to [{2}]: Connection refused." +msgstr "" + +#: dcc.cpp:389 +msgid "Receiving [{1}] from [{2}]: Connection refused." +msgstr "" + +#: dcc.cpp:397 +msgid "Sending [{1}] to [{2}]: Timeout." +msgstr "" + +#: dcc.cpp:401 +msgid "Receiving [{1}] from [{2}]: Timeout." +msgstr "" + +#: dcc.cpp:411 +msgid "Sending [{1}] to [{2}]: Socket error {3}: {4}" +msgstr "" + +#: dcc.cpp:415 +msgid "Receiving [{1}] from [{2}]: Socket error {3}: {4}" +msgstr "" + +#: dcc.cpp:423 +msgid "Sending [{1}] to [{2}]: Transfer started." +msgstr "" + +#: dcc.cpp:427 +msgid "Receiving [{1}] from [{2}]: Transfer started." +msgstr "" + +#: dcc.cpp:446 +msgid "Sending [{1}] to [{2}]: Too much data!" +msgstr "" + +#: dcc.cpp:450 +msgid "Receiving [{1}] from [{2}]: Too much data!" +msgstr "" + +#: dcc.cpp:456 +msgid "Sending [{1}] to [{2}] completed at {3} KiB/s" +msgstr "" + +#: dcc.cpp:461 +msgid "Receiving [{1}] from [{2}] completed at {3} KiB/s" +msgstr "" + +#: dcc.cpp:474 +msgid "Sending [{1}] to [{2}]: File closed prematurely." +msgstr "" + +#: dcc.cpp:478 +msgid "Receiving [{1}] from [{2}]: File closed prematurely." +msgstr "" + +#: dcc.cpp:501 +msgid "Sending [{1}] to [{2}]: Error reading from file." +msgstr "" + +#: dcc.cpp:505 +msgid "Receiving [{1}] from [{2}]: Error reading from file." +msgstr "" + +#: dcc.cpp:537 +msgid "Sending [{1}] to [{2}]: Unable to open file." +msgstr "" + +#: dcc.cpp:541 +msgid "Receiving [{1}] from [{2}]: Unable to open file." +msgstr "" + +#: dcc.cpp:563 +msgid "Receiving [{1}] from [{2}]: Could not open file." +msgstr "" + +#: dcc.cpp:572 +msgid "Sending [{1}] to [{2}]: Not a file." +msgstr "" + +#: dcc.cpp:581 +msgid "Sending [{1}] to [{2}]: Could not open file." +msgstr "" + +#: dcc.cpp:593 +msgid "Sending [{1}] to [{2}]: File too large (>4 GiB)." +msgstr "" + +#: dcc.cpp:623 +msgid "This module allows you to transfer files to and from ZNC" +msgstr "" diff --git a/modules/po/disconkick.el_GR.po b/modules/po/disconkick.el_GR.po new file mode 100644 index 00000000..f08d8602 --- /dev/null +++ b/modules/po/disconkick.el_GR.po @@ -0,0 +1,23 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /1.8.x/modules/po/disconkick.pot\n" +"X-Crowdin-File-ID: 342\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: disconkick.cpp:32 +msgid "You have been disconnected from the IRC server" +msgstr "" + +#: disconkick.cpp:45 +msgid "" +"Kicks the client from all channels when the connection to the IRC server is " +"lost" +msgstr "" diff --git a/modules/po/fail2ban.el_GR.po b/modules/po/fail2ban.el_GR.po new file mode 100644 index 00000000..e3ba903e --- /dev/null +++ b/modules/po/fail2ban.el_GR.po @@ -0,0 +1,117 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /1.8.x/modules/po/fail2ban.pot\n" +"X-Crowdin-File-ID: 344\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: fail2ban.cpp:25 +msgid "[minutes]" +msgstr "" + +#: fail2ban.cpp:26 +msgid "The number of minutes IPs are blocked after a failed login." +msgstr "" + +#: fail2ban.cpp:28 +msgid "[count]" +msgstr "" + +#: fail2ban.cpp:29 +msgid "The number of allowed failed login attempts." +msgstr "" + +#: fail2ban.cpp:31 fail2ban.cpp:33 +msgid "" +msgstr "" + +#: fail2ban.cpp:31 +msgid "Ban the specified hosts." +msgstr "" + +#: fail2ban.cpp:33 +msgid "Unban the specified hosts." +msgstr "" + +#: fail2ban.cpp:35 +msgid "List banned hosts." +msgstr "" + +#: fail2ban.cpp:55 +msgid "" +"Invalid argument, must be the number of minutes IPs are blocked after a " +"failed login and can be followed by number of allowed failed login attempts" +msgstr "" + +#: fail2ban.cpp:77 fail2ban.cpp:100 fail2ban.cpp:123 fail2ban.cpp:146 +#: fail2ban.cpp:172 +msgid "Access denied" +msgstr "" + +#: fail2ban.cpp:86 +msgid "Usage: Timeout [minutes]" +msgstr "" + +#: fail2ban.cpp:91 fail2ban.cpp:94 +msgid "Timeout: {1} min" +msgstr "" + +#: fail2ban.cpp:109 +msgid "Usage: Attempts [count]" +msgstr "" + +#: fail2ban.cpp:114 fail2ban.cpp:117 +msgid "Attempts: {1}" +msgstr "" + +#: fail2ban.cpp:130 +msgid "Usage: Ban " +msgstr "" + +#: fail2ban.cpp:140 +msgid "Banned: {1}" +msgstr "" + +#: fail2ban.cpp:153 +msgid "Usage: Unban " +msgstr "" + +#: fail2ban.cpp:163 +msgid "Unbanned: {1}" +msgstr "" + +#: fail2ban.cpp:165 +msgid "Ignored: {1}" +msgstr "" + +#: fail2ban.cpp:177 fail2ban.cpp:183 +msgctxt "list" +msgid "Host" +msgstr "" + +#: fail2ban.cpp:178 fail2ban.cpp:184 +msgctxt "list" +msgid "Attempts" +msgstr "" + +#: fail2ban.cpp:188 +msgctxt "list" +msgid "No bans" +msgstr "" + +#: fail2ban.cpp:245 +msgid "" +"You might enter the time in minutes for the IP banning and the number of " +"failed logins before any action is taken." +msgstr "" + +#: fail2ban.cpp:250 +msgid "Block IPs for some time after a failed login." +msgstr "" diff --git a/modules/po/flooddetach.el_GR.po b/modules/po/flooddetach.el_GR.po new file mode 100644 index 00000000..3fc426c7 --- /dev/null +++ b/modules/po/flooddetach.el_GR.po @@ -0,0 +1,91 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /1.8.x/modules/po/flooddetach.pot\n" +"X-Crowdin-File-ID: 346\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: flooddetach.cpp:30 +msgid "Show current limits" +msgstr "" + +#: flooddetach.cpp:32 flooddetach.cpp:35 +msgid "[]" +msgstr "" + +#: flooddetach.cpp:33 +msgid "Show or set number of seconds in the time interval" +msgstr "" + +#: flooddetach.cpp:36 +msgid "Show or set number of lines in the time interval" +msgstr "" + +#: flooddetach.cpp:39 +msgid "Show or set whether to notify you about detaching and attaching back" +msgstr "" + +#: flooddetach.cpp:93 +msgid "Flood in {1} is over, reattaching..." +msgstr "" + +#: flooddetach.cpp:150 +msgid "Channel {1} was flooded, you've been detached" +msgstr "" + +#: flooddetach.cpp:187 +msgid "1 line" +msgid_plural "{1} lines" +msgstr[0] "" +msgstr[1] "" + +#: flooddetach.cpp:188 +msgid "every second" +msgid_plural "every {1} seconds" +msgstr[0] "" +msgstr[1] "" + +#: flooddetach.cpp:190 +msgid "Current limit is {1} {2}" +msgstr "" + +#: flooddetach.cpp:197 +msgid "Seconds limit is {1}" +msgstr "" + +#: flooddetach.cpp:202 +msgid "Set seconds limit to {1}" +msgstr "" + +#: flooddetach.cpp:211 +msgid "Lines limit is {1}" +msgstr "" + +#: flooddetach.cpp:216 +msgid "Set lines limit to {1}" +msgstr "" + +#: flooddetach.cpp:229 +msgid "Module messages are disabled" +msgstr "" + +#: flooddetach.cpp:231 +msgid "Module messages are enabled" +msgstr "" + +#: flooddetach.cpp:247 +msgid "" +"This user module takes up to two arguments. Arguments are numbers of " +"messages and seconds." +msgstr "" + +#: flooddetach.cpp:251 +msgid "Detach channels when flooded" +msgstr "" diff --git a/modules/po/identfile.el_GR.po b/modules/po/identfile.el_GR.po new file mode 100644 index 00000000..712b6b9e --- /dev/null +++ b/modules/po/identfile.el_GR.po @@ -0,0 +1,83 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /1.8.x/modules/po/identfile.pot\n" +"X-Crowdin-File-ID: 348\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: identfile.cpp:30 +msgid "Show file name" +msgstr "" + +#: identfile.cpp:32 +msgid "" +msgstr "" + +#: identfile.cpp:32 +msgid "Set file name" +msgstr "" + +#: identfile.cpp:34 +msgid "Show file format" +msgstr "" + +#: identfile.cpp:36 +msgid "" +msgstr "" + +#: identfile.cpp:36 +msgid "Set file format" +msgstr "" + +#: identfile.cpp:38 +msgid "Show current state" +msgstr "" + +#: identfile.cpp:48 +msgid "File is set to: {1}" +msgstr "" + +#: identfile.cpp:53 +msgid "File has been set to: {1}" +msgstr "" + +#: identfile.cpp:58 +msgid "Format has been set to: {1}" +msgstr "" + +#: identfile.cpp:59 identfile.cpp:65 +msgid "Format would be expanded to: {1}" +msgstr "" + +#: identfile.cpp:64 +msgid "Format is set to: {1}" +msgstr "" + +#: identfile.cpp:78 +msgid "identfile is free" +msgstr "" + +#: identfile.cpp:86 +msgid "Access denied" +msgstr "" + +#: identfile.cpp:181 +msgid "" +"Aborting connection, another user or network is currently connecting and " +"using the ident spoof file" +msgstr "" + +#: identfile.cpp:189 +msgid "[{1}] could not be written, retrying..." +msgstr "" + +#: identfile.cpp:223 +msgid "Write the ident of a user to a file when they are trying to connect." +msgstr "" diff --git a/modules/po/imapauth.el_GR.po b/modules/po/imapauth.el_GR.po new file mode 100644 index 00000000..8fdfffc6 --- /dev/null +++ b/modules/po/imapauth.el_GR.po @@ -0,0 +1,21 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /1.8.x/modules/po/imapauth.pot\n" +"X-Crowdin-File-ID: 352\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: imapauth.cpp:168 +msgid "[ server [+]port [ UserFormatString ] ]" +msgstr "" + +#: imapauth.cpp:171 +msgid "Allow users to authenticate via IMAP." +msgstr "" diff --git a/modules/po/keepnick.el_GR.po b/modules/po/keepnick.el_GR.po new file mode 100644 index 00000000..b6a1c5fc --- /dev/null +++ b/modules/po/keepnick.el_GR.po @@ -0,0 +1,53 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /1.8.x/modules/po/keepnick.pot\n" +"X-Crowdin-File-ID: 354\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: keepnick.cpp:39 +msgid "Try to get your primary nick" +msgstr "" + +#: keepnick.cpp:42 keepnick.cpp:196 +msgid "No longer trying to get your primary nick" +msgstr "" + +#: keepnick.cpp:44 +msgid "Show the current state" +msgstr "" + +#: keepnick.cpp:158 +msgid "ZNC is already trying to get this nickname" +msgstr "" + +#: keepnick.cpp:173 +msgid "Unable to obtain nick {1}: {2}, {3}" +msgstr "" + +#: keepnick.cpp:181 +msgid "Unable to obtain nick {1}" +msgstr "" + +#: keepnick.cpp:191 +msgid "Trying to get your primary nick" +msgstr "" + +#: keepnick.cpp:201 +msgid "Currently trying to get your primary nick" +msgstr "" + +#: keepnick.cpp:203 +msgid "Currently disabled, try 'enable'" +msgstr "" + +#: keepnick.cpp:224 +msgid "Keeps trying for your primary nick" +msgstr "" diff --git a/modules/po/kickrejoin.el_GR.po b/modules/po/kickrejoin.el_GR.po new file mode 100644 index 00000000..7423a40f --- /dev/null +++ b/modules/po/kickrejoin.el_GR.po @@ -0,0 +1,61 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /1.8.x/modules/po/kickrejoin.pot\n" +"X-Crowdin-File-ID: 356\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: kickrejoin.cpp:56 +msgid "" +msgstr "" + +#: kickrejoin.cpp:56 +msgid "Set the rejoin delay" +msgstr "" + +#: kickrejoin.cpp:58 +msgid "Show the rejoin delay" +msgstr "" + +#: kickrejoin.cpp:77 +msgid "Illegal argument, must be a positive number or 0" +msgstr "" + +#: kickrejoin.cpp:90 +msgid "Negative delays don't make any sense!" +msgstr "" + +#: kickrejoin.cpp:98 +msgid "Rejoin delay set to 1 second" +msgid_plural "Rejoin delay set to {1} seconds" +msgstr[0] "" +msgstr[1] "" + +#: kickrejoin.cpp:101 +msgid "Rejoin delay disabled" +msgstr "" + +#: kickrejoin.cpp:106 +msgid "Rejoin delay is set to 1 second" +msgid_plural "Rejoin delay is set to {1} seconds" +msgstr[0] "" +msgstr[1] "" + +#: kickrejoin.cpp:109 +msgid "Rejoin delay is disabled" +msgstr "" + +#: kickrejoin.cpp:131 +msgid "You might enter the number of seconds to wait before rejoining." +msgstr "" + +#: kickrejoin.cpp:134 +msgid "Autorejoins on kick" +msgstr "" diff --git a/modules/po/lastseen.el_GR.po b/modules/po/lastseen.el_GR.po new file mode 100644 index 00000000..f4d63244 --- /dev/null +++ b/modules/po/lastseen.el_GR.po @@ -0,0 +1,67 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /1.8.x/modules/po/lastseen.pot\n" +"X-Crowdin-File-ID: 358\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: modules/po/../data/lastseen/tmpl/index.tmpl:8 +msgid "User" +msgstr "" + +#: modules/po/../data/lastseen/tmpl/index.tmpl:9 lastseen.cpp:99 +msgid "Last Seen" +msgstr "" + +#: modules/po/../data/lastseen/tmpl/index.tmpl:10 +msgid "Info" +msgstr "" + +#: modules/po/../data/lastseen/tmpl/index.tmpl:11 +msgid "Action" +msgstr "" + +#: modules/po/../data/lastseen/tmpl/index.tmpl:21 +msgid "Edit" +msgstr "" + +#: modules/po/../data/lastseen/tmpl/index.tmpl:22 +msgid "Delete" +msgstr "" + +#: modules/po/../data/lastseen/tmpl/lastseen_WebadminUser.tmpl:6 +msgid "Last login time:" +msgstr "" + +#: lastseen.cpp:53 +msgid "Access denied" +msgstr "" + +#: lastseen.cpp:61 lastseen.cpp:67 +msgctxt "show" +msgid "User" +msgstr "" + +#: lastseen.cpp:62 lastseen.cpp:68 +msgctxt "show" +msgid "Last Seen" +msgstr "" + +#: lastseen.cpp:69 lastseen.cpp:125 +msgid "never" +msgstr "" + +#: lastseen.cpp:79 +msgid "Shows list of users and when they last logged in" +msgstr "" + +#: lastseen.cpp:154 +msgid "Collects data about when a user last logged in." +msgstr "" diff --git a/modules/po/listsockets.el_GR.po b/modules/po/listsockets.el_GR.po new file mode 100644 index 00000000..8d3a4e65 --- /dev/null +++ b/modules/po/listsockets.el_GR.po @@ -0,0 +1,113 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /1.8.x/modules/po/listsockets.pot\n" +"X-Crowdin-File-ID: 360\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:7 listsockets.cpp:213 +#: listsockets.cpp:229 +msgid "Name" +msgstr "" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:8 listsockets.cpp:214 +#: listsockets.cpp:230 +msgid "Created" +msgstr "" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:9 listsockets.cpp:215 +#: listsockets.cpp:231 +msgid "State" +msgstr "" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:10 listsockets.cpp:217 +#: listsockets.cpp:234 +msgid "SSL" +msgstr "" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:11 listsockets.cpp:219 +#: listsockets.cpp:239 +msgid "Local" +msgstr "" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:12 listsockets.cpp:220 +#: listsockets.cpp:241 +msgid "Remote" +msgstr "" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:13 +msgid "Data In" +msgstr "" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:14 +msgid "Data Out" +msgstr "" + +#: listsockets.cpp:62 +msgid "[-n]" +msgstr "" + +#: listsockets.cpp:62 +msgid "Shows the list of active sockets. Pass -n to show IP addresses" +msgstr "" + +#: listsockets.cpp:70 +msgid "You must be admin to use this module" +msgstr "" + +#: listsockets.cpp:95 +msgid "List sockets" +msgstr "" + +#: listsockets.cpp:115 listsockets.cpp:235 +msgctxt "ssl" +msgid "Yes" +msgstr "" + +#: listsockets.cpp:115 listsockets.cpp:236 +msgctxt "ssl" +msgid "No" +msgstr "" + +#: listsockets.cpp:141 +msgid "Listener" +msgstr "" + +#: listsockets.cpp:143 +msgid "Inbound" +msgstr "" + +#: listsockets.cpp:146 +msgid "Outbound" +msgstr "" + +#: listsockets.cpp:148 +msgid "Connecting" +msgstr "" + +#: listsockets.cpp:151 +msgid "UNKNOWN" +msgstr "" + +#: listsockets.cpp:206 +msgid "You have no open sockets." +msgstr "" + +#: listsockets.cpp:221 listsockets.cpp:243 +msgid "In" +msgstr "" + +#: listsockets.cpp:222 listsockets.cpp:245 +msgid "Out" +msgstr "" + +#: listsockets.cpp:261 +msgid "Lists active sockets" +msgstr "" diff --git a/modules/po/log.el_GR.po b/modules/po/log.el_GR.po new file mode 100644 index 00000000..ab3db67a --- /dev/null +++ b/modules/po/log.el_GR.po @@ -0,0 +1,148 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /1.8.x/modules/po/log.pot\n" +"X-Crowdin-File-ID: 314\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: log.cpp:59 +msgid "" +msgstr "" + +#: log.cpp:60 +msgid "Set logging rules, use !#chan or !query to negate and * " +msgstr "" + +#: log.cpp:62 +msgid "Clear all logging rules" +msgstr "" + +#: log.cpp:64 +msgid "List all logging rules" +msgstr "" + +#: log.cpp:67 +msgid " true|false" +msgstr "" + +#: log.cpp:68 +msgid "Set one of the following options: joins, quits, nickchanges" +msgstr "" + +#: log.cpp:71 +msgid "Show current settings set by Set command" +msgstr "" + +#: log.cpp:143 +msgid "Usage: SetRules " +msgstr "" + +#: log.cpp:144 +msgid "Wildcards are allowed" +msgstr "" + +#: log.cpp:156 log.cpp:179 +msgid "No logging rules. Everything is logged." +msgstr "" + +#: log.cpp:161 +msgid "1 rule removed: {2}" +msgid_plural "{1} rules removed: {2}" +msgstr[0] "" +msgstr[1] "" + +#: log.cpp:168 log.cpp:174 +msgctxt "listrules" +msgid "Rule" +msgstr "" + +#: log.cpp:169 log.cpp:175 +msgctxt "listrules" +msgid "Logging enabled" +msgstr "" + +#: log.cpp:190 +msgid "" +"Usage: Set true|false, where is one of: joins, quits, nickchanges" +msgstr "" + +#: log.cpp:197 +msgid "Will log joins" +msgstr "" + +#: log.cpp:197 +msgid "Will not log joins" +msgstr "" + +#: log.cpp:198 +msgid "Will log quits" +msgstr "" + +#: log.cpp:198 +msgid "Will not log quits" +msgstr "" + +#: log.cpp:200 +msgid "Will log nick changes" +msgstr "" + +#: log.cpp:200 +msgid "Will not log nick changes" +msgstr "" + +#: log.cpp:204 +msgid "Unknown variable. Known variables: joins, quits, nickchanges" +msgstr "" + +#: log.cpp:212 +msgid "Logging joins" +msgstr "" + +#: log.cpp:212 +msgid "Not logging joins" +msgstr "" + +#: log.cpp:213 +msgid "Logging quits" +msgstr "" + +#: log.cpp:213 +msgid "Not logging quits" +msgstr "" + +#: log.cpp:214 +msgid "Logging nick changes" +msgstr "" + +#: log.cpp:215 +msgid "Not logging nick changes" +msgstr "" + +#: log.cpp:352 +msgid "" +"Invalid args [{1}]. Only one log path allowed. Check that there are no " +"spaces in the path." +msgstr "" + +#: log.cpp:402 +msgid "Invalid log path [{1}]" +msgstr "" + +#: log.cpp:405 +msgid "Logging to [{1}]. Using timestamp format '{2}'" +msgstr "" + +#: log.cpp:560 +msgid "[-sanitize] Optional path where to store logs." +msgstr "" + +#: log.cpp:564 +msgid "Writes IRC logs." +msgstr "" diff --git a/modules/po/missingmotd.el_GR.po b/modules/po/missingmotd.el_GR.po new file mode 100644 index 00000000..ec79245d --- /dev/null +++ b/modules/po/missingmotd.el_GR.po @@ -0,0 +1,17 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /1.8.x/modules/po/missingmotd.pot\n" +"X-Crowdin-File-ID: 362\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: missingmotd.cpp:36 +msgid "Sends 422 to clients when they login" +msgstr "" diff --git a/modules/po/modperl.el_GR.po b/modules/po/modperl.el_GR.po new file mode 100644 index 00000000..3967255c --- /dev/null +++ b/modules/po/modperl.el_GR.po @@ -0,0 +1,17 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /1.8.x/modules/po/modperl.pot\n" +"X-Crowdin-File-ID: 340\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: modperl.cpp:382 +msgid "Loads perl scripts as ZNC modules" +msgstr "" diff --git a/modules/po/modpython.el_GR.po b/modules/po/modpython.el_GR.po new file mode 100644 index 00000000..c51b5f4a --- /dev/null +++ b/modules/po/modpython.el_GR.po @@ -0,0 +1,17 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /1.8.x/modules/po/modpython.pot\n" +"X-Crowdin-File-ID: 364\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: modpython.cpp:512 +msgid "Loads python scripts as ZNC modules" +msgstr "" diff --git a/modules/po/modules_online.el_GR.po b/modules/po/modules_online.el_GR.po new file mode 100644 index 00000000..4e2d634c --- /dev/null +++ b/modules/po/modules_online.el_GR.po @@ -0,0 +1,17 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /1.8.x/modules/po/modules_online.pot\n" +"X-Crowdin-File-ID: 366\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: modules_online.cpp:117 +msgid "Makes ZNC's *modules to be \"online\"." +msgstr "" diff --git a/modules/po/nickserv.el_GR.po b/modules/po/nickserv.el_GR.po new file mode 100644 index 00000000..6643edda --- /dev/null +++ b/modules/po/nickserv.el_GR.po @@ -0,0 +1,79 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /1.8.x/modules/po/nickserv.pot\n" +"X-Crowdin-File-ID: 368\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: nickserv.cpp:31 +msgid "Password set" +msgstr "" + +#: nickserv.cpp:36 nickserv.cpp:46 +msgid "Done" +msgstr "" + +#: nickserv.cpp:41 +msgid "NickServ name set" +msgstr "" + +#: nickserv.cpp:60 +msgid "No such editable command. See ViewCommands for list." +msgstr "" + +#: nickserv.cpp:63 +msgid "Ok" +msgstr "" + +#: nickserv.cpp:68 +msgid "password" +msgstr "" + +#: nickserv.cpp:68 +msgid "Set your nickserv password" +msgstr "" + +#: nickserv.cpp:70 +msgid "Clear your nickserv password" +msgstr "" + +#: nickserv.cpp:72 +msgid "nickname" +msgstr "" + +#: nickserv.cpp:73 +msgid "" +"Set NickServ name (Useful on networks like EpiKnet, where NickServ is named " +"Themis" +msgstr "" + +#: nickserv.cpp:77 +msgid "Reset NickServ name to default (NickServ)" +msgstr "" + +#: nickserv.cpp:81 +msgid "Show patterns for lines, which are being sent to NickServ" +msgstr "" + +#: nickserv.cpp:83 +msgid "cmd new-pattern" +msgstr "" + +#: nickserv.cpp:84 +msgid "Set pattern for commands" +msgstr "" + +#: nickserv.cpp:146 +msgid "Please enter your nickserv password." +msgstr "" + +#: nickserv.cpp:150 +msgid "Auths you with NickServ (prefer SASL module instead)" +msgstr "" diff --git a/modules/po/notes.el_GR.po b/modules/po/notes.el_GR.po new file mode 100644 index 00000000..80f743c9 --- /dev/null +++ b/modules/po/notes.el_GR.po @@ -0,0 +1,119 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /1.8.x/modules/po/notes.pot\n" +"X-Crowdin-File-ID: 350\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: modules/po/../data/notes/tmpl/index.tmpl:7 +msgid "Add A Note" +msgstr "" + +#: modules/po/../data/notes/tmpl/index.tmpl:11 +msgid "Key:" +msgstr "" + +#: modules/po/../data/notes/tmpl/index.tmpl:15 +msgid "Note:" +msgstr "" + +#: modules/po/../data/notes/tmpl/index.tmpl:19 +msgid "Add Note" +msgstr "" + +#: modules/po/../data/notes/tmpl/index.tmpl:27 +msgid "You have no notes to display." +msgstr "" + +#: modules/po/../data/notes/tmpl/index.tmpl:34 notes.cpp:164 notes.cpp:170 +msgid "Key" +msgstr "" + +#: modules/po/../data/notes/tmpl/index.tmpl:35 notes.cpp:165 notes.cpp:171 +msgid "Note" +msgstr "" + +#: modules/po/../data/notes/tmpl/index.tmpl:41 +msgid "[del]" +msgstr "" + +#: notes.cpp:32 +msgid "That note already exists. Use MOD to overwrite." +msgstr "" + +#: notes.cpp:35 notes.cpp:137 +msgid "Added note {1}" +msgstr "" + +#: notes.cpp:37 notes.cpp:48 notes.cpp:142 +msgid "Unable to add note {1}" +msgstr "" + +#: notes.cpp:46 notes.cpp:139 +msgid "Set note for {1}" +msgstr "" + +#: notes.cpp:56 +msgid "This note doesn't exist." +msgstr "" + +#: notes.cpp:66 notes.cpp:116 +msgid "Deleted note {1}" +msgstr "" + +#: notes.cpp:68 notes.cpp:118 +msgid "Unable to delete note {1}" +msgstr "" + +#: notes.cpp:75 +msgid "List notes" +msgstr "" + +#: notes.cpp:77 notes.cpp:81 +msgid " " +msgstr "" + +#: notes.cpp:77 +msgid "Add a note" +msgstr "" + +#: notes.cpp:79 notes.cpp:83 +msgid "" +msgstr "" + +#: notes.cpp:79 +msgid "Delete a note" +msgstr "" + +#: notes.cpp:81 +msgid "Modify a note" +msgstr "" + +#: notes.cpp:94 +msgid "Notes" +msgstr "" + +#: notes.cpp:133 +msgid "That note already exists. Use /#+ to overwrite." +msgstr "" + +#: notes.cpp:186 notes.cpp:188 +msgid "You have no entries." +msgstr "" + +#: notes.cpp:224 +msgid "" +"This user module takes up to one arguments. It can be -disableNotesOnLogin " +"not to show notes upon client login" +msgstr "" + +#: notes.cpp:228 +msgid "Keep and replay notes" +msgstr "" diff --git a/modules/po/notify_connect.el_GR.po b/modules/po/notify_connect.el_GR.po new file mode 100644 index 00000000..d385dd99 --- /dev/null +++ b/modules/po/notify_connect.el_GR.po @@ -0,0 +1,29 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /1.8.x/modules/po/notify_connect.pot\n" +"X-Crowdin-File-ID: 370\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: notify_connect.cpp:24 +msgid "attached" +msgstr "" + +#: notify_connect.cpp:26 +msgid "detached" +msgstr "" + +#: notify_connect.cpp:41 +msgid "{1} {2} from {3}" +msgstr "" + +#: notify_connect.cpp:52 +msgid "Notifies all admin users when a client connects or disconnects." +msgstr "" diff --git a/modules/po/perform.el_GR.po b/modules/po/perform.el_GR.po new file mode 100644 index 00000000..1b052b2f --- /dev/null +++ b/modules/po/perform.el_GR.po @@ -0,0 +1,108 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /1.8.x/modules/po/perform.pot\n" +"X-Crowdin-File-ID: 372\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: modules/po/../data/perform/tmpl/index.tmpl:7 perform.cpp:143 +msgid "Perform" +msgstr "" + +#: modules/po/../data/perform/tmpl/index.tmpl:11 +msgid "Perform commands:" +msgstr "" + +#: modules/po/../data/perform/tmpl/index.tmpl:15 +msgid "Commands sent to the IRC server on connect, one per line." +msgstr "" + +#: modules/po/../data/perform/tmpl/index.tmpl:18 +msgid "Save" +msgstr "" + +#: perform.cpp:24 +msgid "Usage: add " +msgstr "" + +#: perform.cpp:29 +msgid "Added!" +msgstr "" + +#: perform.cpp:37 perform.cpp:82 +msgid "Illegal # Requested" +msgstr "" + +#: perform.cpp:41 +msgid "Command Erased." +msgstr "" + +#: perform.cpp:50 perform.cpp:56 +msgctxt "list" +msgid "Id" +msgstr "" + +#: perform.cpp:51 perform.cpp:57 +msgctxt "list" +msgid "Perform" +msgstr "" + +#: perform.cpp:52 perform.cpp:62 +msgctxt "list" +msgid "Expanded" +msgstr "" + +#: perform.cpp:67 +msgid "No commands in your perform list." +msgstr "" + +#: perform.cpp:73 +msgid "perform commands sent" +msgstr "" + +#: perform.cpp:86 +msgid "Commands Swapped." +msgstr "" + +#: perform.cpp:95 +msgid "" +msgstr "" + +#: perform.cpp:96 +msgid "Adds perform command to be sent to the server on connect" +msgstr "" + +#: perform.cpp:98 +msgid "" +msgstr "" + +#: perform.cpp:98 +msgid "Delete a perform command" +msgstr "" + +#: perform.cpp:100 +msgid "List the perform commands" +msgstr "" + +#: perform.cpp:103 +msgid "Send the perform commands to the server now" +msgstr "" + +#: perform.cpp:105 +msgid " " +msgstr "" + +#: perform.cpp:106 +msgid "Swap two perform commands" +msgstr "" + +#: perform.cpp:192 +msgid "Keeps a list of commands to be executed when ZNC connects to IRC." +msgstr "" diff --git a/modules/po/perleval.el_GR.po b/modules/po/perleval.el_GR.po new file mode 100644 index 00000000..ca6c2b9f --- /dev/null +++ b/modules/po/perleval.el_GR.po @@ -0,0 +1,31 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /1.8.x/modules/po/perleval.pot\n" +"X-Crowdin-File-ID: 374\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: perleval.pm:23 +msgid "Evaluates perl code" +msgstr "" + +#: perleval.pm:33 +msgid "Only admin can load this module" +msgstr "" + +#: perleval.pm:44 +#, perl-format +msgid "Error: %s" +msgstr "" + +#: perleval.pm:46 +#, perl-format +msgid "Result: %s" +msgstr "" diff --git a/modules/po/pyeval.el_GR.po b/modules/po/pyeval.el_GR.po new file mode 100644 index 00000000..0984a513 --- /dev/null +++ b/modules/po/pyeval.el_GR.po @@ -0,0 +1,21 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /1.8.x/modules/po/pyeval.pot\n" +"X-Crowdin-File-ID: 376\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: pyeval.py:49 +msgid "You must have admin privileges to load this module." +msgstr "" + +#: pyeval.py:82 +msgid "Evaluates python code" +msgstr "" diff --git a/modules/po/raw.el_GR.po b/modules/po/raw.el_GR.po new file mode 100644 index 00000000..1477a448 --- /dev/null +++ b/modules/po/raw.el_GR.po @@ -0,0 +1,17 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /1.8.x/modules/po/raw.pot\n" +"X-Crowdin-File-ID: 320\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: raw.cpp:43 +msgid "View all of the raw traffic" +msgstr "" diff --git a/modules/po/route_replies.el_GR.po b/modules/po/route_replies.el_GR.po new file mode 100644 index 00000000..e288fffa --- /dev/null +++ b/modules/po/route_replies.el_GR.po @@ -0,0 +1,59 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /1.8.x/modules/po/route_replies.pot\n" +"X-Crowdin-File-ID: 378\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: route_replies.cpp:215 +msgid "[yes|no]" +msgstr "" + +#: route_replies.cpp:216 +msgid "Decides whether to show the timeout messages or not" +msgstr "" + +#: route_replies.cpp:356 +msgid "This module hit a timeout which is probably a connectivity issue." +msgstr "" + +#: route_replies.cpp:359 +msgid "" +"However, if you can provide steps to reproduce this issue, please do report " +"a bug." +msgstr "" + +#: route_replies.cpp:362 +msgid "To disable this message, do \"/msg {1} silent yes\"" +msgstr "" + +#: route_replies.cpp:364 +msgid "Last request: {1}" +msgstr "" + +#: route_replies.cpp:365 +msgid "Expected replies:" +msgstr "" + +#: route_replies.cpp:369 +msgid "{1} (last)" +msgstr "" + +#: route_replies.cpp:441 +msgid "Timeout messages are disabled." +msgstr "" + +#: route_replies.cpp:442 +msgid "Timeout messages are enabled." +msgstr "" + +#: route_replies.cpp:463 +msgid "Send replies (e.g. to /who) to the right client only" +msgstr "" diff --git a/modules/po/sample.el_GR.po b/modules/po/sample.el_GR.po new file mode 100644 index 00000000..f38ca0c8 --- /dev/null +++ b/modules/po/sample.el_GR.po @@ -0,0 +1,119 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /1.8.x/modules/po/sample.pot\n" +"X-Crowdin-File-ID: 380\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: sample.cpp:31 +msgid "Sample job cancelled" +msgstr "" + +#: sample.cpp:33 +msgid "Sample job destroyed" +msgstr "" + +#: sample.cpp:50 +msgid "Sample job done" +msgstr "" + +#: sample.cpp:65 +msgid "TEST!!!!" +msgstr "" + +#: sample.cpp:74 +msgid "I'm being loaded with the arguments: {1}" +msgstr "" + +#: sample.cpp:85 +msgid "I'm being unloaded!" +msgstr "" + +#: sample.cpp:94 +msgid "You got connected BoyOh." +msgstr "" + +#: sample.cpp:98 +msgid "You got disconnected BoyOh." +msgstr "" + +#: sample.cpp:116 +msgid "{1} {2} set mode on {3} {4}{5} {6}" +msgstr "" + +#: sample.cpp:123 +msgid "{1} {2} opped {3} on {4}" +msgstr "" + +#: sample.cpp:129 +msgid "{1} {2} deopped {3} on {4}" +msgstr "" + +#: sample.cpp:135 +msgid "{1} {2} voiced {3} on {4}" +msgstr "" + +#: sample.cpp:141 +msgid "{1} {2} devoiced {3} on {4}" +msgstr "" + +#: sample.cpp:147 +msgid "* {1} sets mode: {2} {3} on {4}" +msgstr "" + +#: sample.cpp:163 +msgid "{1} kicked {2} from {3} with the msg {4}" +msgstr "" + +#: sample.cpp:169 +msgid "* {1} ({2}@{3}) quits ({4}) from channel: {6}" +msgid_plural "* {1} ({2}@{3}) quits ({4}) from {5} channels: {6}" +msgstr[0] "" +msgstr[1] "" + +#: sample.cpp:177 +msgid "Attempting to join {1}" +msgstr "" + +#: sample.cpp:182 +msgid "* {1} ({2}@{3}) joins {4}" +msgstr "" + +#: sample.cpp:189 +msgid "* {1} ({2}@{3}) parts {4}" +msgstr "" + +#: sample.cpp:196 +msgid "{1} invited us to {2}, ignoring invites to {2}" +msgstr "" + +#: sample.cpp:201 +msgid "{1} invited us to {2}" +msgstr "" + +#: sample.cpp:207 +msgid "{1} is now known as {2}" +msgstr "" + +#: sample.cpp:269 sample.cpp:276 +msgid "{1} changes topic on {2} to {3}" +msgstr "" + +#: sample.cpp:317 +msgid "Hi, I'm your friendly sample module." +msgstr "" + +#: sample.cpp:330 +msgid "Description of module arguments goes here." +msgstr "" + +#: sample.cpp:333 +msgid "To be used as a sample for writing modules" +msgstr "" diff --git a/modules/po/samplewebapi.el_GR.po b/modules/po/samplewebapi.el_GR.po new file mode 100644 index 00000000..2cf9a264 --- /dev/null +++ b/modules/po/samplewebapi.el_GR.po @@ -0,0 +1,17 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /1.8.x/modules/po/samplewebapi.pot\n" +"X-Crowdin-File-ID: 382\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: samplewebapi.cpp:59 +msgid "Sample Web API module." +msgstr "" diff --git a/modules/po/sasl.el_GR.po b/modules/po/sasl.el_GR.po new file mode 100644 index 00000000..d93472c1 --- /dev/null +++ b/modules/po/sasl.el_GR.po @@ -0,0 +1,174 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /1.8.x/modules/po/sasl.pot\n" +"X-Crowdin-File-ID: 384\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:301 +msgid "SASL" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:11 +msgid "Username:" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:13 +msgid "Please enter a username." +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:16 +msgid "Password:" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:18 +msgid "Please enter a password." +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:22 +msgid "Options" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:25 +msgid "Connect only if SASL authentication succeeds." +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:27 +msgid "Require authentication" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:35 +msgid "Mechanisms" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:42 +msgid "Name" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:43 sasl.cpp:89 sasl.cpp:95 +msgid "Description" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:57 +msgid "Selected mechanisms and their order:" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:74 +msgid "Save" +msgstr "" + +#: sasl.cpp:54 +msgid "TLS certificate, for use with the *cert module" +msgstr "" + +#: sasl.cpp:56 +msgid "" +"Plain text negotiation, this should work always if the network supports SASL" +msgstr "" + +#: sasl.cpp:62 +msgid "search" +msgstr "" + +#: sasl.cpp:62 +msgid "Generate this output" +msgstr "" + +#: sasl.cpp:64 +msgid "[ []]" +msgstr "" + +#: sasl.cpp:65 +msgid "" +"Set username and password for the mechanisms that need them. Password is " +"optional. Without parameters, returns information about current settings." +msgstr "" + +#: sasl.cpp:69 +msgid "[mechanism[ ...]]" +msgstr "" + +#: sasl.cpp:70 +msgid "Set the mechanisms to be attempted (in order)" +msgstr "" + +#: sasl.cpp:72 +msgid "[yes|no]" +msgstr "" + +#: sasl.cpp:73 +msgid "Don't connect unless SASL authentication succeeds" +msgstr "" + +#: sasl.cpp:88 sasl.cpp:94 +msgid "Mechanism" +msgstr "" + +#: sasl.cpp:99 +msgid "The following mechanisms are available:" +msgstr "" + +#: sasl.cpp:109 +msgid "Username is currently not set" +msgstr "" + +#: sasl.cpp:111 +msgid "Username is currently set to '{1}'" +msgstr "" + +#: sasl.cpp:114 +msgid "Password was not supplied" +msgstr "" + +#: sasl.cpp:116 +msgid "Password was supplied" +msgstr "" + +#: sasl.cpp:124 +msgid "Username has been set to [{1}]" +msgstr "" + +#: sasl.cpp:125 +msgid "Password has been set to [{1}]" +msgstr "" + +#: sasl.cpp:145 +msgid "Current mechanisms set: {1}" +msgstr "" + +#: sasl.cpp:154 +msgid "We require SASL negotiation to connect" +msgstr "" + +#: sasl.cpp:156 +msgid "We will connect even if SASL fails" +msgstr "" + +#: sasl.cpp:193 +msgid "Disabling network, we require authentication." +msgstr "" + +#: sasl.cpp:194 +msgid "Use 'RequireAuth no' to disable." +msgstr "" + +#: sasl.cpp:256 +msgid "{1} mechanism succeeded." +msgstr "" + +#: sasl.cpp:268 +msgid "{1} mechanism failed." +msgstr "" + +#: sasl.cpp:346 +msgid "" +"Adds support for sasl authentication capability to authenticate to an IRC " +"server" +msgstr "" diff --git a/modules/po/savebuff.el_GR.po b/modules/po/savebuff.el_GR.po new file mode 100644 index 00000000..951a905f --- /dev/null +++ b/modules/po/savebuff.el_GR.po @@ -0,0 +1,62 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /1.8.x/modules/po/savebuff.pot\n" +"X-Crowdin-File-ID: 386\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: savebuff.cpp:65 +msgid "" +msgstr "" + +#: savebuff.cpp:65 +msgid "Sets the password" +msgstr "" + +#: savebuff.cpp:67 +msgid "" +msgstr "" + +#: savebuff.cpp:67 +msgid "Replays the buffer" +msgstr "" + +#: savebuff.cpp:69 +msgid "Saves all buffers" +msgstr "" + +#: savebuff.cpp:221 +msgid "" +"Password is unset usually meaning the decryption failed. You can setpass to " +"the appropriate pass and things should start working, or setpass to a new " +"pass and save to reinstantiate" +msgstr "" + +#: savebuff.cpp:232 +msgid "Password set to [{1}]" +msgstr "" + +#: savebuff.cpp:262 +msgid "Replayed {1}" +msgstr "" + +#: savebuff.cpp:341 +msgid "Unable to decode Encrypted file {1}" +msgstr "" + +#: savebuff.cpp:358 +msgid "" +"This user module takes up to one arguments. Either --ask-pass or the " +"password itself (which may contain spaces) or nothing" +msgstr "" + +#: savebuff.cpp:363 +msgid "Stores channel and query buffers to disk, encrypted" +msgstr "" diff --git a/modules/po/send_raw.el_GR.po b/modules/po/send_raw.el_GR.po new file mode 100644 index 00000000..53f74c4e --- /dev/null +++ b/modules/po/send_raw.el_GR.po @@ -0,0 +1,109 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /1.8.x/modules/po/send_raw.pot\n" +"X-Crowdin-File-ID: 388\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:9 +msgid "Send a raw IRC line" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:14 +msgid "User:" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:15 +msgid "To change user, click to Network selector" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:19 +msgid "User/Network:" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:32 +msgid "Send to:" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:34 +msgid "Client" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:35 +msgid "Server" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:40 +msgid "Line:" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:45 +msgid "Send" +msgstr "" + +#: send_raw.cpp:32 +msgid "Sent [{1}] to {2}/{3}" +msgstr "" + +#: send_raw.cpp:36 send_raw.cpp:56 +msgid "Network {1} not found for user {2}" +msgstr "" + +#: send_raw.cpp:40 send_raw.cpp:60 +msgid "User {1} not found" +msgstr "" + +#: send_raw.cpp:52 +msgid "Sent [{1}] to IRC server of {2}/{3}" +msgstr "" + +#: send_raw.cpp:75 +msgid "You must have admin privileges to load this module" +msgstr "" + +#: send_raw.cpp:82 +msgid "Send Raw" +msgstr "" + +#: send_raw.cpp:92 +msgid "User not found" +msgstr "" + +#: send_raw.cpp:99 +msgid "Network not found" +msgstr "" + +#: send_raw.cpp:116 +msgid "Line sent" +msgstr "" + +#: send_raw.cpp:140 send_raw.cpp:143 +msgid "[user] [network] [data to send]" +msgstr "" + +#: send_raw.cpp:141 +msgid "The data will be sent to the user's IRC client(s)" +msgstr "" + +#: send_raw.cpp:144 +msgid "The data will be sent to the IRC server the user is connected to" +msgstr "" + +#: send_raw.cpp:147 +msgid "[data to send]" +msgstr "" + +#: send_raw.cpp:148 +msgid "The data will be sent to your current client" +msgstr "" + +#: send_raw.cpp:159 +msgid "Lets you send some raw IRC lines as/to someone else" +msgstr "" diff --git a/modules/po/shell.el_GR.po b/modules/po/shell.el_GR.po new file mode 100644 index 00000000..0fdd271a --- /dev/null +++ b/modules/po/shell.el_GR.po @@ -0,0 +1,29 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /1.8.x/modules/po/shell.pot\n" +"X-Crowdin-File-ID: 390\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: shell.cpp:37 +msgid "Failed to execute: {1}" +msgstr "" + +#: shell.cpp:75 +msgid "You must be admin to use the shell module" +msgstr "" + +#: shell.cpp:169 +msgid "Gives shell access" +msgstr "" + +#: shell.cpp:172 +msgid "Gives shell access. Only ZNC admins can use it." +msgstr "" diff --git a/modules/po/simple_away.el_GR.po b/modules/po/simple_away.el_GR.po new file mode 100644 index 00000000..92815271 --- /dev/null +++ b/modules/po/simple_away.el_GR.po @@ -0,0 +1,92 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /1.8.x/modules/po/simple_away.pot\n" +"X-Crowdin-File-ID: 392\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: simple_away.cpp:56 +msgid "[]" +msgstr "" + +#: simple_away.cpp:57 +#, c-format +msgid "" +"Prints or sets the away reason (%awaytime% is replaced with the time you " +"were set away, supports substitutions using ExpandString)" +msgstr "" + +#: simple_away.cpp:63 +msgid "Prints the current time to wait before setting you away" +msgstr "" + +#: simple_away.cpp:65 +msgid "" +msgstr "" + +#: simple_away.cpp:66 +msgid "Sets the time to wait before setting you away" +msgstr "" + +#: simple_away.cpp:69 +msgid "Disables the wait time before setting you away" +msgstr "" + +#: simple_away.cpp:73 +msgid "Get or set the minimum number of clients before going away" +msgstr "" + +#: simple_away.cpp:136 +msgid "Away reason set" +msgstr "" + +#: simple_away.cpp:138 +msgid "Away reason: {1}" +msgstr "" + +#: simple_away.cpp:139 +msgid "Current away reason would be: {1}" +msgstr "" + +#: simple_away.cpp:144 +msgid "Current timer setting: 1 second" +msgid_plural "Current timer setting: {1} seconds" +msgstr[0] "" +msgstr[1] "" + +#: simple_away.cpp:153 simple_away.cpp:161 +msgid "Timer disabled" +msgstr "" + +#: simple_away.cpp:155 +msgid "Timer set to 1 second" +msgid_plural "Timer set to: {1} seconds" +msgstr[0] "" +msgstr[1] "" + +#: simple_away.cpp:166 +msgid "Current MinClients setting: {1}" +msgstr "" + +#: simple_away.cpp:169 +msgid "MinClients set to {1}" +msgstr "" + +#: simple_away.cpp:248 +msgid "" +"You might enter up to 3 arguments, like -notimer awaymessage or -timer 5 " +"awaymessage." +msgstr "" + +#: simple_away.cpp:253 +msgid "" +"This module will automatically set you away on IRC while you are " +"disconnected from the bouncer." +msgstr "" diff --git a/modules/po/stickychan.el_GR.po b/modules/po/stickychan.el_GR.po new file mode 100644 index 00000000..72ba814d --- /dev/null +++ b/modules/po/stickychan.el_GR.po @@ -0,0 +1,102 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /1.8.x/modules/po/stickychan.pot\n" +"X-Crowdin-File-ID: 394\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: modules/po/../data/stickychan/tmpl/index.tmpl:9 +msgid "Name" +msgstr "" + +#: modules/po/../data/stickychan/tmpl/index.tmpl:10 +msgid "Sticky" +msgstr "" + +#: modules/po/../data/stickychan/tmpl/index.tmpl:25 +msgid "Save" +msgstr "" + +#: modules/po/../data/stickychan/tmpl/stickychan_WebadminChan.tmpl:8 +msgid "Channel is sticky" +msgstr "" + +#: stickychan.cpp:28 +msgid "<#channel> [key]" +msgstr "" + +#: stickychan.cpp:28 +msgid "Sticks a channel" +msgstr "" + +#: stickychan.cpp:30 +msgid "<#channel>" +msgstr "" + +#: stickychan.cpp:30 +msgid "Unsticks a channel" +msgstr "" + +#: stickychan.cpp:32 +msgid "Lists sticky channels" +msgstr "" + +#: stickychan.cpp:75 +msgid "Usage: Stick <#channel> [key]" +msgstr "" + +#: stickychan.cpp:79 +msgid "Stuck {1}" +msgstr "" + +#: stickychan.cpp:85 +msgid "Usage: Unstick <#channel>" +msgstr "" + +#: stickychan.cpp:89 +msgid "Unstuck {1}" +msgstr "" + +#: stickychan.cpp:101 +msgid " -- End of List" +msgstr "" + +#: stickychan.cpp:115 +msgid "Could not join {1} (# prefix missing?)" +msgstr "" + +#: stickychan.cpp:128 +msgid "Sticky Channels" +msgstr "" + +#: stickychan.cpp:160 +msgid "Changes have been saved!" +msgstr "" + +#: stickychan.cpp:185 +msgid "Channel became sticky!" +msgstr "" + +#: stickychan.cpp:189 +msgid "Channel stopped being sticky!" +msgstr "" + +#: stickychan.cpp:209 +msgid "" +"Channel {1} cannot be joined, it is an illegal channel name. Unsticking." +msgstr "" + +#: stickychan.cpp:246 +msgid "List of channels, separated by comma." +msgstr "" + +#: stickychan.cpp:251 +msgid "configless sticky chans, keeps you there very stickily even" +msgstr "" diff --git a/modules/po/stripcontrols.el_GR.po b/modules/po/stripcontrols.el_GR.po new file mode 100644 index 00000000..b8b8173c --- /dev/null +++ b/modules/po/stripcontrols.el_GR.po @@ -0,0 +1,18 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /1.8.x/modules/po/stripcontrols.pot\n" +"X-Crowdin-File-ID: 398\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: stripcontrols.cpp:63 +msgid "" +"Strips control codes (Colors, Bold, ..) from channel and private messages." +msgstr "" diff --git a/modules/po/watch.el_GR.po b/modules/po/watch.el_GR.po new file mode 100644 index 00000000..66fe16bd --- /dev/null +++ b/modules/po/watch.el_GR.po @@ -0,0 +1,193 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /1.8.x/modules/po/watch.pot\n" +"X-Crowdin-File-ID: 396\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: watch.cpp:178 +msgid " [Target] [Pattern]" +msgstr "" + +#: watch.cpp:178 +msgid "Used to add an entry to watch for." +msgstr "" + +#: watch.cpp:180 +msgid "List all entries being watched." +msgstr "" + +#: watch.cpp:182 +msgid "Dump a list of all current entries to be used later." +msgstr "" + +#: watch.cpp:184 +msgid "" +msgstr "" + +#: watch.cpp:184 +msgid "Deletes Id from the list of watched entries." +msgstr "" + +#: watch.cpp:186 +msgid "Delete all entries." +msgstr "" + +#: watch.cpp:188 watch.cpp:190 +msgid "" +msgstr "" + +#: watch.cpp:188 +msgid "Enable a disabled entry." +msgstr "" + +#: watch.cpp:190 +msgid "Disable (but don't delete) an entry." +msgstr "" + +#: watch.cpp:192 watch.cpp:194 +msgid " " +msgstr "" + +#: watch.cpp:192 +msgid "Enable or disable detached client only for an entry." +msgstr "" + +#: watch.cpp:194 +msgid "Enable or disable detached channel only for an entry." +msgstr "" + +#: watch.cpp:196 +msgid " [#chan priv #foo* !#bar]" +msgstr "" + +#: watch.cpp:196 +msgid "Set the source channels that you care about." +msgstr "" + +#: watch.cpp:237 +msgid "WARNING: malformed entry found while loading" +msgstr "" + +#: watch.cpp:382 +msgid "Disabled all entries." +msgstr "" + +#: watch.cpp:383 +msgid "Enabled all entries." +msgstr "" + +#: watch.cpp:390 watch.cpp:432 watch.cpp:474 watch.cpp:577 watch.cpp:619 +msgid "Invalid Id" +msgstr "" + +#: watch.cpp:399 +msgid "Id {1} disabled" +msgstr "" + +#: watch.cpp:401 +msgid "Id {1} enabled" +msgstr "" + +#: watch.cpp:423 +msgid "Set DetachedClientOnly for all entries to Yes" +msgstr "" + +#: watch.cpp:425 +msgid "Set DetachedClientOnly for all entries to No" +msgstr "" + +#: watch.cpp:441 watch.cpp:483 +msgid "Id {1} set to Yes" +msgstr "" + +#: watch.cpp:443 watch.cpp:485 +msgid "Id {1} set to No" +msgstr "" + +#: watch.cpp:465 +msgid "Set DetachedChannelOnly for all entries to Yes" +msgstr "" + +#: watch.cpp:467 +msgid "Set DetachedChannelOnly for all entries to No" +msgstr "" + +#: watch.cpp:491 watch.cpp:507 +msgid "Id" +msgstr "" + +#: watch.cpp:492 watch.cpp:508 +msgid "HostMask" +msgstr "" + +#: watch.cpp:493 watch.cpp:509 +msgid "Target" +msgstr "" + +#: watch.cpp:494 watch.cpp:510 +msgid "Pattern" +msgstr "" + +#: watch.cpp:495 watch.cpp:511 +msgid "Sources" +msgstr "" + +#: watch.cpp:496 watch.cpp:512 watch.cpp:513 +msgid "Off" +msgstr "" + +#: watch.cpp:497 watch.cpp:515 +msgid "DetachedClientOnly" +msgstr "" + +#: watch.cpp:498 watch.cpp:518 +msgid "DetachedChannelOnly" +msgstr "" + +#: watch.cpp:516 watch.cpp:519 +msgid "Yes" +msgstr "" + +#: watch.cpp:516 watch.cpp:519 +msgid "No" +msgstr "" + +#: watch.cpp:525 watch.cpp:531 +msgid "You have no entries." +msgstr "" + +#: watch.cpp:585 +msgid "Sources set for Id {1}." +msgstr "" + +#: watch.cpp:609 +msgid "All entries cleared." +msgstr "" + +#: watch.cpp:627 +msgid "Id {1} removed." +msgstr "" + +#: watch.cpp:646 +msgid "Entry for {1} already exists." +msgstr "" + +#: watch.cpp:654 +msgid "Adding entry: {1} watching for [{2}] -> {3}" +msgstr "" + +#: watch.cpp:660 +msgid "Watch: Not enough arguments. Try Help" +msgstr "" + +#: watch.cpp:702 +msgid "Copy activity from a specific user into a separate window" +msgstr "" diff --git a/modules/po/webadmin.el_GR.po b/modules/po/webadmin.el_GR.po new file mode 100644 index 00000000..d0a53996 --- /dev/null +++ b/modules/po/webadmin.el_GR.po @@ -0,0 +1,1209 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /1.8.x/modules/po/webadmin.pot\n" +"X-Crowdin-File-ID: 400\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:12 +msgid "Channel Info" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:17 +msgid "Channel Name:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:19 +msgid "The channel name." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:24 +msgid "Key:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:26 +msgid "The password of the channel, if there is one." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:30 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:241 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:260 +msgid "Buffer Size:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:32 +msgid "The buffer count." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:36 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:235 +msgid "Default Modes:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:38 +msgid "The default modes of the channel." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:46 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:270 +msgid "Flags" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:51 +msgid "Save to config" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:67 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:282 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:410 +msgid "Module {1}" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:75 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:290 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:419 +msgid "Save and return" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:76 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:291 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:420 +msgid "Save and continue" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:78 +msgid "Add Channel and return" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:79 +msgid "Add Channel and continue" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:8 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:11 +msgid "<password>" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:11 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:12 +msgid "<network>" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:14 +msgid "" +"To connect to this network from your IRC client, you can set the server " +"password field as {1} or username field as {2}" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:24 +msgid "Network Info" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:25 +msgid "" +"Nick, AltNick, Ident, RealName, BindHost can be left empty to use the value " +"from the user." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:29 +msgid "Network Name:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:31 +msgid "The name of the IRC network." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:35 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:69 +msgid "Nickname:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:37 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:71 +msgid "Your nickname on IRC." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:40 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:74 +msgid "Alt. Nickname:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:42 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:76 +msgid "Your secondary nickname, if the first is not available on IRC." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:46 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:80 +msgid "Ident:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:48 +msgid "Your ident." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:51 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:91 +msgid "Realname:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:53 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:93 +msgid "Your real name." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:58 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:99 +msgid "BindHost:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:65 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:112 +msgid "Quit Message:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:67 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:114 +msgid "You may define a Message shown, when you quit IRC." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:71 +msgid "Active:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:73 +msgid "Connect to IRC & automatically re-connect" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:77 +msgid "Trust all certs:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:79 +msgid "" +"Disable certificate validation (takes precedence over TrustPKI). INSECURE!" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:83 +msgid "Automatically detect trusted certificates (Trust the PKI):" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:85 +msgid "" +"When disabled, manually whitelist all server fingerprints, even if the " +"certificate is valid" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:89 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:96 +msgid "Servers of this IRC network:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:93 +msgid "One server per line, “host [[+]port] [password]”, + means SSL" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:101 +msgid "Hostname" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:102 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:13 +msgid "Port" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:103 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:15 +msgid "SSL" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:104 +msgid "Password" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:116 +msgid "SHA-256 fingerprints of trusted SSL certificates of this IRC network:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:120 +msgid "" +"When these certificates are encountered, checks for hostname, expiration " +"date, CA are skipped" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:124 +msgid "Flood protection:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:127 +msgid "" +"You might enable the flood protection. This prevents “excess flood” errors, " +"which occur, when your IRC bot is command flooded or spammed. After changing " +"this, reconnect ZNC to server." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:130 +msgctxt "Flood Protection" +msgid "Enabled" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:134 +msgid "Flood protection rate:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:137 +msgid "" +"The number of seconds per line. After changing this, reconnect ZNC to server." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:140 +msgid "{1} seconds per line" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:144 +msgid "Flood protection burst:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:147 +msgid "" +"Defines the number of lines, which can be sent immediately. After changing " +"this, reconnect ZNC to server." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:150 +msgid "{1} lines can be sent immediately" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:154 +msgid "Channel join delay:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:157 +msgid "" +"Defines the delay in seconds, until channels are joined after getting " +"connected." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:160 +msgid "{1} seconds" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:165 +msgid "Character encoding used between ZNC and IRC server." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:166 +msgid "Server encoding:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:176 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:231 +msgid "Channels" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:178 +msgid "" +"You will be able to add + modify channels here after you created the network." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:185 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:129 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:354 +#: modules/po/../data/webadmin/tmpl/listusers.tmpl:15 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:72 +msgid "Add" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:187 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:430 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:237 +msgid "Save" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:188 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:228 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:131 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:174 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:176 +msgid "Name" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:189 +msgid "CurModes" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:190 +msgid "DefModes" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:191 +msgid "BufferSize" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:192 +msgid "Options" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:194 +msgid "← Add a channel (opens in same page)" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:204 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:146 +#: modules/po/../data/webadmin/tmpl/listusers.tmpl:27 +msgid "Edit" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:204 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:146 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:53 +msgid "Del" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:222 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:168 +msgid "Modules" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:229 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:175 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:177 +msgid "Arguments" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:230 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:176 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:178 +msgid "Description" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:231 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:177 +msgid "Loaded globally" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:232 +msgid "Loaded by user" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:293 +msgid "Add Network and return" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:294 +msgid "Add Network and continue" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:15 +msgid "Authentication" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:19 +msgid "Username:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:29 +msgid "Please enter a username." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:34 +msgid "Password:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:36 +msgid "Please enter a password." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:39 +msgid "Confirm password:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:41 +msgid "Please re-type the above password." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:44 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:151 +msgid "Auth Only Via Module:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:46 +msgid "" +"Allow user authentication by external modules only, disabling built-in " +"password authentication." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:50 +msgid "Allowed IPs:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:54 +msgid "" +"Leave empty to allow connections from all IPs.
Otherwise, one entry per " +"line, wildcards * and ? are available." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:62 +msgid "IRC Information" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:64 +msgid "" +"Nick, AltNick, Ident, RealName and QuitMsg can be left empty to use default " +"values." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:82 +msgid "The Ident is sent to server as username." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:85 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:102 +msgid "Status Prefix:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:87 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:104 +msgid "The prefix for the status and module queries." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:105 +msgid "DCCBindHost:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:122 +#: modules/po/../data/webadmin/tmpl/listusers.tmpl:17 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:39 +msgid "Networks" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:132 +#: modules/po/../data/webadmin/tmpl/listusers.tmpl:18 +msgid "Clients" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:133 +msgid "Current Server" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:134 +msgid "Nick" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:136 +msgid "← Add a network (opens in same page)" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:160 +msgid "" +"You will be able to add + modify networks here after you have cloned the " +"user." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:162 +msgid "" +"You will be able to add + modify networks here after you have created the " +"user." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:178 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:179 +msgid "Loaded by networks" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:237 +msgid "" +"These are the default modes ZNC will set when you join an empty channel." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:238 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:244 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:263 +msgid "Empty = use standard value" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:243 +msgid "" +"This is the amount of lines that the playback buffer will store for channels " +"before dropping off the oldest line. The buffers are stored in the memory by " +"default." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:251 +msgid "Queries" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:255 +msgid "Max Buffers:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:257 +msgid "Maximum number of query buffers. 0 is unlimited." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:262 +msgid "" +"This is the amount of lines that the playback buffer will store for queries " +"before dropping off the oldest line. The buffers are stored in the memory by " +"default." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:285 +msgid "ZNC Behavior" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:286 +msgid "" +"Any of the following text boxes can be left empty to use their default value." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:290 +msgid "Timestamp Format:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:292 +msgid "" +"The format for the timestamps used in buffers, for example [%H:%M:%S]. This " +"setting is ignored in new IRC clients, which use server-time. If your client " +"supports server-time, change timestamp format in client settings instead." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:295 +msgid "Timezone:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:298 +msgid "E.g. Europe/Berlin, or GMT-6" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:306 +msgid "Character encoding used between IRC client and ZNC." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:307 +msgid "Client encoding:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:312 +msgid "Join Tries:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:314 +msgid "" +"This defines how many times ZNC tries to join a channel, if the first join " +"failed, e.g. due to channel mode +i/+k or if you are banned." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:317 +msgid "Join speed:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:319 +msgid "" +"How many channels are joined in one JOIN command. 0 is unlimited (default). " +"Set to small positive value if you get disconnected with “Max SendQ Exceeded”" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:322 +msgid "Timeout before reconnect:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:324 +msgid "" +"How much time ZNC waits (in seconds) until it receives something from " +"network or declares the connection timeout. This happens after attempts to " +"ping the peer." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:327 +msgid "Max IRC Networks Number:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:329 +msgid "Maximum number of IRC networks allowed for this user." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:332 +msgid "Substitutions" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:334 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:342 +msgid "CTCP Replies:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:338 +msgid "One reply per line. Example: TIME Buy a watch!" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:339 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:355 +msgid "{1} are available" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:341 +msgid "Empty value means this CTCP request will be ignored" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:347 +msgid "Request" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:348 +msgid "Response" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:373 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:90 +msgid "Skin:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:377 +msgid "- Global -" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:379 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:94 +msgid "Default" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:383 +msgid "No other skins found" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:389 +msgid "Language:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:422 +msgid "Clone and return" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:423 +msgid "Clone and continue" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:425 +msgid "Create and return" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:426 +msgid "Create and continue" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:432 +#: modules/po/../data/webadmin/tmpl/listusers.tmpl:28 +msgid "Clone" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:434 +msgid "Create" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/del_network.tmpl:5 +msgid "Confirm Network Deletion" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/del_network.tmpl:9 +msgid "Are you sure you want to delete network “{2}” of user “{1}”?" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/del_network.tmpl:14 +#: modules/po/../data/webadmin/tmpl/del_user.tmpl:14 +msgid "Yes" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/del_network.tmpl:17 +#: modules/po/../data/webadmin/tmpl/del_user.tmpl:17 +msgid "No" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/del_user.tmpl:5 +msgid "Confirm User Deletion" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/del_user.tmpl:9 +msgid "Are you sure you want to delete user “{1}”?" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:6 +msgid "ZNC is compiled without encodings support. {1} is required for it." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:11 +msgid "Legacy mode is disabled by modpython." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:18 +msgid "Don't ensure any encoding at all (legacy mode, not recommended)" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:22 +msgid "Try to parse as UTF-8 and as {1}, send as UTF-8 (recommended)" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:26 +msgid "Try to parse as UTF-8 and as {1}, send as {1}" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:30 +msgid "Parse and send as {1} only" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:36 +msgid "E.g. UTF-8, or ISO-8859-15" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/index.tmpl:5 +msgid "Welcome to the ZNC webadmin module." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/index.tmpl:6 +msgid "" +"All changes you make will be in effect immediately after you submitted them." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/listusers.tmpl:16 +msgid "Username" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/listusers.tmpl:29 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:21 +msgid "Delete" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:6 +msgid "Listen Port(s)" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:14 +msgid "BindHost" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:16 +msgid "IPv4" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:17 +msgid "IPv6" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:18 +msgid "IRC" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:19 +msgid "HTTP" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:20 +msgid "URIPrefix" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:56 +msgid "" +"To delete port which you use to access webadmin itself, either connect to " +"webadmin via another port, or do it in IRC (/znc DelPort)" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:56 +msgid "Current" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:86 +msgid "Settings" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:105 +msgid "Default for new users only." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:110 +msgid "Maximum Buffer Size:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:112 +msgid "Sets the global Max Buffer Size a user can have." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:117 +msgid "Connect Delay:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:119 +msgid "" +"The time between connection attempts to IRC servers, in seconds. This " +"affects the connection between ZNC and the IRC server; not the connection " +"between your IRC client and ZNC." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:124 +msgid "Server Throttle:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:126 +msgid "" +"The minimal time between two connect attempts to the same hostname, in " +"seconds. Some servers refuse your connection if you reconnect too fast." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:131 +msgid "Anonymous Connection Limit per IP:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:133 +msgid "Limits the number of unidentified connections per IP." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:138 +msgid "Protect Web Sessions:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:140 +msgid "Disallow IP changing during each web session" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:145 +msgid "Hide ZNC Version:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:147 +msgid "Hide version number from non-ZNC users" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:153 +msgid "Allow user authentication by external modules only" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:158 +msgid "MOTD:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:162 +msgid "“Message of the Day”, sent to all ZNC users on connect." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:170 +msgid "Global Modules" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:180 +msgid "Loaded by users" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:7 +msgid "Information" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:13 +msgid "Uptime" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:18 +msgid "Total Users" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:22 +msgid "Total Networks" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:26 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:43 +msgid "Attached Networks" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:30 +msgid "Total Client Connections" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:34 +msgid "Total IRC Connections" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:47 +msgid "Client Connections" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:51 +msgid "IRC Connections" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:63 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:72 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:89 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:117 +msgid "Total" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:70 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:115 +msgctxt "Traffic" +msgid "In" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:71 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:116 +msgctxt "Traffic" +msgid "Out" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:77 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:104 +msgid "Users" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:106 +msgid "Traffic" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:113 +msgid "User" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:114 +msgid "Network" +msgstr "" + +#: webadmin.cpp:91 webadmin.cpp:1872 +msgid "Global Settings" +msgstr "" + +#: webadmin.cpp:93 +msgid "Your Settings" +msgstr "" + +#: webadmin.cpp:94 webadmin.cpp:1684 +msgid "Traffic Info" +msgstr "" + +#: webadmin.cpp:97 webadmin.cpp:1663 +msgid "Manage Users" +msgstr "" + +#: webadmin.cpp:188 +msgid "Invalid Submission [Username is required]" +msgstr "" + +#: webadmin.cpp:201 +msgid "Invalid Submission [Passwords do not match]" +msgstr "" + +#: webadmin.cpp:323 +msgid "Timeout can't be less than 30 seconds!" +msgstr "" + +#: webadmin.cpp:407 webadmin.cpp:435 webadmin.cpp:1182 webadmin.cpp:2057 +msgid "Unable to load module [{1}]: {2}" +msgstr "" + +#: webadmin.cpp:412 webadmin.cpp:440 +msgid "Unable to load module [{1}] with arguments [{2}]" +msgstr "" + +#: webadmin.cpp:521 webadmin.cpp:625 webadmin.cpp:650 webadmin.cpp:672 +#: webadmin.cpp:706 webadmin.cpp:1249 +msgid "No such user" +msgstr "" + +#: webadmin.cpp:534 webadmin.cpp:566 webadmin.cpp:595 webadmin.cpp:611 +msgid "No such user or network" +msgstr "" + +#: webadmin.cpp:576 +msgid "No such channel" +msgstr "" + +#: webadmin.cpp:642 +msgid "Please don't delete yourself, suicide is not the answer!" +msgstr "" + +#: webadmin.cpp:715 webadmin.cpp:972 webadmin.cpp:1314 +msgid "Edit User [{1}]" +msgstr "" + +#: webadmin.cpp:719 webadmin.cpp:906 +msgid "Edit Network [{1}]" +msgstr "" + +#: webadmin.cpp:729 +msgid "Edit Channel [{1}] of Network [{2}] of User [{3}]" +msgstr "" + +#: webadmin.cpp:736 +msgid "Edit Channel [{1}]" +msgstr "" + +#: webadmin.cpp:744 +msgid "Add Channel to Network [{1}] of User [{2}]" +msgstr "" + +#: webadmin.cpp:749 +msgid "Add Channel" +msgstr "" + +#: webadmin.cpp:756 webadmin.cpp:1510 +msgid "Auto Clear Chan Buffer" +msgstr "" + +#: webadmin.cpp:758 +msgid "Automatically Clear Channel Buffer After Playback" +msgstr "" + +#: webadmin.cpp:766 +msgid "Detached" +msgstr "" + +#: webadmin.cpp:773 +msgid "Enabled" +msgstr "" + +#: webadmin.cpp:797 +msgid "Channel name is a required argument" +msgstr "" + +#: webadmin.cpp:806 +msgid "Channel [{1}] already exists" +msgstr "" + +#: webadmin.cpp:813 +msgid "Could not add channel [{1}]" +msgstr "" + +#: webadmin.cpp:861 +msgid "Channel was added/modified, but config file was not written" +msgstr "" + +#: webadmin.cpp:888 +msgid "" +"Network number limit reached. Ask an admin to increase the limit for you, or " +"delete unneeded networks from Your Settings." +msgstr "" + +#: webadmin.cpp:903 +msgid "Edit Network [{1}] of User [{2}]" +msgstr "" + +#: webadmin.cpp:910 +msgid "Add Network for User [{1}]" +msgstr "" + +#: webadmin.cpp:911 +msgid "Add Network" +msgstr "" + +#: webadmin.cpp:1073 +msgid "Network name is a required argument" +msgstr "" + +#: webadmin.cpp:1189 webadmin.cpp:2064 +msgid "Unable to reload module [{1}]: {2}" +msgstr "" + +#: webadmin.cpp:1226 +msgid "Network was added/modified, but config file was not written" +msgstr "" + +#: webadmin.cpp:1255 +msgid "That network doesn't exist for this user" +msgstr "" + +#: webadmin.cpp:1272 +msgid "Network was deleted, but config file was not written" +msgstr "" + +#: webadmin.cpp:1286 +msgid "That channel doesn't exist for this network" +msgstr "" + +#: webadmin.cpp:1295 +msgid "Channel was deleted, but config file was not written" +msgstr "" + +#: webadmin.cpp:1323 +msgid "Clone User [{1}]" +msgstr "" + +#: webadmin.cpp:1512 +msgid "" +"Automatically Clear Channel Buffer After Playback (the default value for new " +"channels)" +msgstr "" + +#: webadmin.cpp:1522 +msgid "Multi Clients" +msgstr "" + +#: webadmin.cpp:1529 +msgid "Append Timestamps" +msgstr "" + +#: webadmin.cpp:1536 +msgid "Prepend Timestamps" +msgstr "" + +#: webadmin.cpp:1544 +msgid "Deny LoadMod" +msgstr "" + +#: webadmin.cpp:1551 +msgid "Admin (dangerous! may gain shell access)" +msgstr "" + +#: webadmin.cpp:1561 +msgid "Deny SetBindHost" +msgstr "" + +#: webadmin.cpp:1569 +msgid "Auto Clear Query Buffer" +msgstr "" + +#: webadmin.cpp:1571 +msgid "Automatically Clear Query Buffer After Playback" +msgstr "" + +#: webadmin.cpp:1595 +msgid "Invalid Submission: User {1} already exists" +msgstr "" + +#: webadmin.cpp:1617 webadmin.cpp:1628 +msgid "Invalid submission: {1}" +msgstr "" + +#: webadmin.cpp:1623 +msgid "User was added, but config file was not written" +msgstr "" + +#: webadmin.cpp:1634 +msgid "User was edited, but config file was not written" +msgstr "" + +#: webadmin.cpp:1792 +msgid "Choose either IPv4 or IPv6 or both." +msgstr "" + +#: webadmin.cpp:1809 +msgid "Choose either IRC or HTTP or both." +msgstr "" + +#: webadmin.cpp:1822 webadmin.cpp:1858 +msgid "Port was changed, but config file was not written" +msgstr "" + +#: webadmin.cpp:1848 +msgid "Invalid request." +msgstr "" + +#: webadmin.cpp:1862 +msgid "The specified listener was not found." +msgstr "" + +#: webadmin.cpp:2093 +msgid "Settings were changed, but config file was not written" +msgstr "" diff --git a/src/po/znc.el_GR.po b/src/po/znc.el_GR.po new file mode 100644 index 00000000..63bb984b --- /dev/null +++ b/src/po/znc.el_GR.po @@ -0,0 +1,1885 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /1.8.x/src/po/znc.pot\n" +"X-Crowdin-File-ID: 284\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: webskins/_default_/tmpl/InfoBar.tmpl:6 +msgid "Logged in as: {1}" +msgstr "" + +#: webskins/_default_/tmpl/InfoBar.tmpl:8 +msgid "Not logged in" +msgstr "" + +#: webskins/_default_/tmpl/LoginBar.tmpl:3 +msgid "Logout" +msgstr "" + +#: webskins/_default_/tmpl/Menu.tmpl:4 +msgid "Home" +msgstr "" + +#: webskins/_default_/tmpl/Menu.tmpl:7 +msgid "Global Modules" +msgstr "" + +#: webskins/_default_/tmpl/Menu.tmpl:20 +msgid "User Modules" +msgstr "" + +#: webskins/_default_/tmpl/Menu.tmpl:35 +msgid "Network Modules ({1})" +msgstr "" + +#: webskins/_default_/tmpl/index.tmpl:6 +msgid "Welcome to ZNC's web interface!" +msgstr "" + +#: webskins/_default_/tmpl/index.tmpl:11 +msgid "" +"No Web-enabled modules have been loaded. Load modules from IRC (“/msg " +"*status help” and “/msg *status loadmod <module>”). Once you have loaded some Web-enabled modules, the menu will expand." +msgstr "" + +#: znc.cpp:1562 +msgid "User already exists" +msgstr "" + +#: znc.cpp:1670 +msgid "IPv6 is not enabled" +msgstr "" + +#: znc.cpp:1678 +msgid "SSL is not enabled" +msgstr "" + +#: znc.cpp:1686 +msgid "Unable to locate pem file: {1}" +msgstr "" + +#: znc.cpp:1705 +msgid "Invalid port" +msgstr "" + +#: znc.cpp:1821 ClientCommand.cpp:1655 +msgid "Unable to bind: {1}" +msgstr "" + +#: IRCNetwork.cpp:235 +msgid "Jumping servers because this server is no longer in the list" +msgstr "" + +#: IRCNetwork.cpp:669 User.cpp:678 +msgid "Welcome to ZNC" +msgstr "" + +#: IRCNetwork.cpp:757 +msgid "You are currently disconnected from IRC. Use 'connect' to reconnect." +msgstr "" + +#: IRCNetwork.cpp:787 +msgid "This network is being deleted or moved to another user." +msgstr "" + +#: IRCNetwork.cpp:1016 +msgid "The channel {1} could not be joined, disabling it." +msgstr "" + +#: IRCNetwork.cpp:1145 +msgid "Your current server was removed, jumping..." +msgstr "" + +#: IRCNetwork.cpp:1308 +msgid "Cannot connect to {1}, because ZNC is not compiled with SSL support." +msgstr "" + +#: IRCNetwork.cpp:1329 +msgid "Some module aborted the connection attempt" +msgstr "" + +#: IRCSock.cpp:490 +msgid "Error from server: {1}" +msgstr "" + +#: IRCSock.cpp:692 +msgid "ZNC seems to be connected to itself, disconnecting..." +msgstr "" + +#: IRCSock.cpp:739 +msgid "Server {1} redirects us to {2}:{3} with reason: {4}" +msgstr "" + +#: IRCSock.cpp:743 +msgid "Perhaps you want to add it as a new server." +msgstr "" + +#: IRCSock.cpp:973 +msgid "Channel {1} is linked to another channel and was thus disabled." +msgstr "" + +#: IRCSock.cpp:985 +msgid "Switched to SSL (STARTTLS)" +msgstr "" + +#: IRCSock.cpp:1038 +msgid "You quit: {1}" +msgstr "" + +#: IRCSock.cpp:1244 +msgid "Disconnected from IRC. Reconnecting..." +msgstr "" + +#: IRCSock.cpp:1275 +msgid "Cannot connect to IRC ({1}). Retrying..." +msgstr "" + +#: IRCSock.cpp:1278 +msgid "Disconnected from IRC ({1}). Reconnecting..." +msgstr "" + +#: IRCSock.cpp:1314 +msgid "If you trust this certificate, do /znc AddTrustedServerFingerprint {1}" +msgstr "" + +#: IRCSock.cpp:1323 +msgid "IRC connection timed out. Reconnecting..." +msgstr "" + +#: IRCSock.cpp:1335 +msgid "Connection Refused. Reconnecting..." +msgstr "" + +#: IRCSock.cpp:1343 +msgid "Received a too long line from the IRC server!" +msgstr "" + +#: IRCSock.cpp:1447 +msgid "No free nick available" +msgstr "" + +#: IRCSock.cpp:1455 +msgid "No free nick found" +msgstr "" + +#: Client.cpp:74 +msgid "No such module {1}" +msgstr "" + +#: Client.cpp:359 +msgid "A client from {1} attempted to login as you, but was rejected: {2}" +msgstr "" + +#: Client.cpp:394 +msgid "Network {1} doesn't exist." +msgstr "" + +#: Client.cpp:408 +msgid "" +"You have several networks configured, but no network was specified for the " +"connection." +msgstr "" + +#: Client.cpp:411 +msgid "" +"Selecting network {1}. To see list of all configured networks, use /znc " +"ListNetworks" +msgstr "" + +#: Client.cpp:414 +msgid "" +"If you want to choose another network, use /znc JumpNetwork , or " +"connect to ZNC with username {1}/ (instead of just {1})" +msgstr "" + +#: Client.cpp:420 +msgid "" +"You have no networks configured. Use /znc AddNetwork to add one." +msgstr "" + +#: Client.cpp:431 +msgid "Closing link: Timeout" +msgstr "" + +#: Client.cpp:453 +msgid "Closing link: Too long raw line" +msgstr "" + +#: Client.cpp:460 +msgid "" +"You are being disconnected because another user just authenticated as you." +msgstr "" + +#: Client.cpp:1021 +msgid "Your CTCP to {1} got lost, you are not connected to IRC!" +msgstr "" + +#: Client.cpp:1147 +msgid "Your notice to {1} got lost, you are not connected to IRC!" +msgstr "" + +#: Client.cpp:1186 +msgid "Removing channel {1}" +msgstr "" + +#: Client.cpp:1264 +msgid "Your message to {1} got lost, you are not connected to IRC!" +msgstr "" + +#: Client.cpp:1317 Client.cpp:1323 +msgid "Hello. How may I help you?" +msgstr "" + +#: Client.cpp:1337 +msgid "Usage: /attach <#chans>" +msgstr "" + +#: Client.cpp:1344 Client.cpp:1366 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: ClientCommand.cpp:423 ClientCommand.cpp:450 +msgid "There was {1} channel matching [{2}]" +msgid_plural "There were {1} channels matching [{2}]" +msgstr[0] "" +msgstr[1] "" + +#: Client.cpp:1347 ClientCommand.cpp:132 +msgid "Attached {1} channel" +msgid_plural "Attached {1} channels" +msgstr[0] "" +msgstr[1] "" + +#: Client.cpp:1359 +msgid "Usage: /detach <#chans>" +msgstr "" + +#: Client.cpp:1369 ClientCommand.cpp:154 +msgid "Detached {1} channel" +msgid_plural "Detached {1} channels" +msgstr[0] "" +msgstr[1] "" + +#: Chan.cpp:678 +msgid "Buffer Playback..." +msgstr "" + +#: Chan.cpp:716 +msgid "Playback Complete." +msgstr "" + +#: Modules.cpp:528 +msgctxt "modhelpcmd" +msgid "" +msgstr "" + +#: Modules.cpp:529 +msgctxt "modhelpcmd" +msgid "Generate this output" +msgstr "" + +#: Modules.cpp:573 ClientCommand.cpp:1922 +msgid "No matches for '{1}'" +msgstr "" + +#: Modules.cpp:691 +msgid "This module doesn't implement any commands." +msgstr "" + +#: Modules.cpp:693 +msgid "Unknown command!" +msgstr "" + +#: Modules.cpp:1633 +msgid "" +"Module names can only contain letters, numbers and underscores, [{1}] is " +"invalid" +msgstr "" + +#: Modules.cpp:1652 +msgid "Module {1} already loaded." +msgstr "" + +#: Modules.cpp:1666 +msgid "Unable to find module {1}" +msgstr "" + +#: Modules.cpp:1678 +msgid "Module {1} does not support module type {2}." +msgstr "" + +#: Modules.cpp:1685 +msgid "Module {1} requires a user." +msgstr "" + +#: Modules.cpp:1691 +msgid "Module {1} requires a network." +msgstr "" + +#: Modules.cpp:1707 +msgid "Caught an exception" +msgstr "" + +#: Modules.cpp:1713 +msgid "Module {1} aborted: {2}" +msgstr "" + +#: Modules.cpp:1715 +msgid "Module {1} aborted." +msgstr "" + +#: Modules.cpp:1739 Modules.cpp:1781 +msgid "Module [{1}] not loaded." +msgstr "" + +#: Modules.cpp:1763 +msgid "Module {1} unloaded." +msgstr "" + +#: Modules.cpp:1768 +msgid "Unable to unload module {1}." +msgstr "" + +#: Modules.cpp:1797 +msgid "Reloaded module {1}." +msgstr "" + +#: Modules.cpp:1816 +msgid "Unable to find module {1}." +msgstr "" + +#: Modules.cpp:1963 +msgid "Unknown error" +msgstr "" + +#: Modules.cpp:1964 +msgid "Unable to open module {1}: {2}" +msgstr "" + +#: Modules.cpp:1973 +msgid "Could not find ZNCModuleEntry in module {1}" +msgstr "" + +#: Modules.cpp:1981 +msgid "" +"Version mismatch for module {1}: core is {2}, module is built for {3}. " +"Recompile this module." +msgstr "" + +#: Modules.cpp:1992 +msgid "" +"Module {1} is built incompatibly: core is '{2}', module is '{3}'. Recompile " +"this module." +msgstr "" + +#: Modules.cpp:2023 Modules.cpp:2029 +msgctxt "modhelpcmd" +msgid "Command" +msgstr "" + +#: Modules.cpp:2024 Modules.cpp:2031 +msgctxt "modhelpcmd" +msgid "Description" +msgstr "" + +#: ClientCommand.cpp:51 ClientCommand.cpp:115 ClientCommand.cpp:137 +#: ClientCommand.cpp:339 ClientCommand.cpp:390 ClientCommand.cpp:405 +#: ClientCommand.cpp:432 ClientCommand.cpp:459 ClientCommand.cpp:764 +#: ClientCommand.cpp:783 ClientCommand.cpp:809 ClientCommand.cpp:843 +#: ClientCommand.cpp:856 ClientCommand.cpp:869 ClientCommand.cpp:884 +#: ClientCommand.cpp:1345 ClientCommand.cpp:1393 ClientCommand.cpp:1425 +#: ClientCommand.cpp:1436 ClientCommand.cpp:1445 ClientCommand.cpp:1457 +msgid "You must be connected with a network to use this command" +msgstr "" + +#: ClientCommand.cpp:58 +msgid "Usage: ListNicks <#chan>" +msgstr "" + +#: ClientCommand.cpp:65 +msgid "You are not on [{1}]" +msgstr "" + +#: ClientCommand.cpp:70 +msgid "You are not on [{1}] (trying)" +msgstr "" + +#: ClientCommand.cpp:79 +msgid "No nicks on [{1}]" +msgstr "" + +#: ClientCommand.cpp:91 ClientCommand.cpp:106 +msgid "Nick" +msgstr "" + +#: ClientCommand.cpp:92 ClientCommand.cpp:107 +msgid "Ident" +msgstr "" + +#: ClientCommand.cpp:93 ClientCommand.cpp:108 +msgid "Host" +msgstr "" + +#: ClientCommand.cpp:122 +msgid "Usage: Attach <#chans>" +msgstr "" + +#: ClientCommand.cpp:144 +msgid "Usage: Detach <#chans>" +msgstr "" + +#: ClientCommand.cpp:161 +msgid "There is no MOTD set." +msgstr "" + +#: ClientCommand.cpp:167 +msgid "Rehashing succeeded!" +msgstr "" + +#: ClientCommand.cpp:169 +msgid "Rehashing failed: {1}" +msgstr "" + +#: ClientCommand.cpp:173 +msgid "Wrote config to {1}" +msgstr "" + +#: ClientCommand.cpp:175 +msgid "Error while trying to write config." +msgstr "" + +#: ClientCommand.cpp:183 +msgid "Usage: ListClients" +msgstr "" + +#: ClientCommand.cpp:190 +msgid "No such user: {1}" +msgstr "" + +#: ClientCommand.cpp:198 +msgid "No clients are connected" +msgstr "" + +#: ClientCommand.cpp:203 ClientCommand.cpp:209 +msgctxt "listclientscmd" +msgid "Host" +msgstr "" + +#: ClientCommand.cpp:204 ClientCommand.cpp:212 +msgctxt "listclientscmd" +msgid "Network" +msgstr "" + +#: ClientCommand.cpp:205 ClientCommand.cpp:215 +msgctxt "listclientscmd" +msgid "Identifier" +msgstr "" + +#: ClientCommand.cpp:223 ClientCommand.cpp:229 +msgctxt "listuserscmd" +msgid "Username" +msgstr "" + +#: ClientCommand.cpp:224 ClientCommand.cpp:230 +msgctxt "listuserscmd" +msgid "Networks" +msgstr "" + +#: ClientCommand.cpp:225 ClientCommand.cpp:232 +msgctxt "listuserscmd" +msgid "Clients" +msgstr "" + +#: ClientCommand.cpp:240 ClientCommand.cpp:250 ClientCommand.cpp:260 +#: ClientCommand.cpp:263 +msgctxt "listallusernetworkscmd" +msgid "Username" +msgstr "" + +#: ClientCommand.cpp:241 ClientCommand.cpp:251 ClientCommand.cpp:266 +msgctxt "listallusernetworkscmd" +msgid "Network" +msgstr "" + +#: ClientCommand.cpp:242 ClientCommand.cpp:252 ClientCommand.cpp:268 +msgctxt "listallusernetworkscmd" +msgid "Clients" +msgstr "" + +#: ClientCommand.cpp:243 ClientCommand.cpp:271 ClientCommand.cpp:280 +msgctxt "listallusernetworkscmd" +msgid "On IRC" +msgstr "" + +#: ClientCommand.cpp:244 ClientCommand.cpp:273 +msgctxt "listallusernetworkscmd" +msgid "IRC Server" +msgstr "" + +#: ClientCommand.cpp:245 ClientCommand.cpp:275 +msgctxt "listallusernetworkscmd" +msgid "IRC User" +msgstr "" + +#: ClientCommand.cpp:246 ClientCommand.cpp:277 +msgctxt "listallusernetworkscmd" +msgid "Channels" +msgstr "" + +#: ClientCommand.cpp:251 +msgid "N/A" +msgstr "" + +#: ClientCommand.cpp:272 +msgctxt "listallusernetworkscmd" +msgid "Yes" +msgstr "" + +#: ClientCommand.cpp:281 +msgctxt "listallusernetworkscmd" +msgid "No" +msgstr "" + +#: ClientCommand.cpp:291 +msgid "Usage: SetMOTD " +msgstr "" + +#: ClientCommand.cpp:294 +msgid "MOTD set to: {1}" +msgstr "" + +#: ClientCommand.cpp:300 +msgid "Usage: AddMOTD " +msgstr "" + +#: ClientCommand.cpp:303 +msgid "Added [{1}] to MOTD" +msgstr "" + +#: ClientCommand.cpp:307 +msgid "Cleared MOTD" +msgstr "" + +#: ClientCommand.cpp:329 +msgid "" +"ERROR: Writing config file to disk failed! Aborting. Use {1} FORCE to ignore." +msgstr "" + +#: ClientCommand.cpp:344 ClientCommand.cpp:797 ClientCommand.cpp:838 +msgid "You don't have any servers added." +msgstr "" + +#: ClientCommand.cpp:355 +msgid "Server [{1}] not found" +msgstr "" + +#: ClientCommand.cpp:375 ClientCommand.cpp:380 +msgid "Connecting to {1}..." +msgstr "" + +#: ClientCommand.cpp:377 +msgid "Jumping to the next server in the list..." +msgstr "" + +#: ClientCommand.cpp:382 +msgid "Connecting..." +msgstr "" + +#: ClientCommand.cpp:400 +msgid "Disconnected from IRC. Use 'connect' to reconnect." +msgstr "" + +#: ClientCommand.cpp:412 +msgid "Usage: EnableChan <#chans>" +msgstr "" + +#: ClientCommand.cpp:426 +msgid "Enabled {1} channel" +msgid_plural "Enabled {1} channels" +msgstr[0] "" +msgstr[1] "" + +#: ClientCommand.cpp:439 +msgid "Usage: DisableChan <#chans>" +msgstr "" + +#: ClientCommand.cpp:453 +msgid "Disabled {1} channel" +msgid_plural "Disabled {1} channels" +msgstr[0] "" +msgstr[1] "" + +#: ClientCommand.cpp:470 +msgid "Usage: ListChans" +msgstr "" + +#: ClientCommand.cpp:477 +msgid "No such user [{1}]" +msgstr "" + +#: ClientCommand.cpp:483 +msgid "User [{1}] doesn't have network [{2}]" +msgstr "" + +#: ClientCommand.cpp:494 +msgid "There are no channels defined." +msgstr "" + +#: ClientCommand.cpp:499 ClientCommand.cpp:515 +msgctxt "listchans" +msgid "Name" +msgstr "" + +#: ClientCommand.cpp:500 ClientCommand.cpp:518 +msgctxt "listchans" +msgid "Status" +msgstr "" + +#: ClientCommand.cpp:501 ClientCommand.cpp:525 +msgctxt "listchans" +msgid "In config" +msgstr "" + +#: ClientCommand.cpp:502 ClientCommand.cpp:527 +msgctxt "listchans" +msgid "Buffer" +msgstr "" + +#: ClientCommand.cpp:503 ClientCommand.cpp:531 +msgctxt "listchans" +msgid "Clear" +msgstr "" + +#: ClientCommand.cpp:504 ClientCommand.cpp:536 +msgctxt "listchans" +msgid "Modes" +msgstr "" + +#: ClientCommand.cpp:505 ClientCommand.cpp:537 +msgctxt "listchans" +msgid "Users" +msgstr "" + +#: ClientCommand.cpp:520 +msgctxt "listchans" +msgid "Detached" +msgstr "" + +#: ClientCommand.cpp:521 +msgctxt "listchans" +msgid "Joined" +msgstr "" + +#: ClientCommand.cpp:522 +msgctxt "listchans" +msgid "Disabled" +msgstr "" + +#: ClientCommand.cpp:523 +msgctxt "listchans" +msgid "Trying" +msgstr "" + +#: ClientCommand.cpp:526 ClientCommand.cpp:534 +msgctxt "listchans" +msgid "yes" +msgstr "" + +#: ClientCommand.cpp:551 +msgid "Total: {1}, Joined: {2}, Detached: {3}, Disabled: {4}" +msgstr "" + +#: ClientCommand.cpp:556 +msgid "" +"Network number limit reached. Ask an admin to increase the limit for you, or " +"delete unneeded networks using /znc DelNetwork " +msgstr "" + +#: ClientCommand.cpp:565 +msgid "Usage: AddNetwork " +msgstr "" + +#: ClientCommand.cpp:569 +msgid "Network name should be alphanumeric" +msgstr "" + +#: ClientCommand.cpp:576 +msgid "" +"Network added. Use /znc JumpNetwork {1}, or connect to ZNC with username {2} " +"(instead of just {3}) to connect to it." +msgstr "" + +#: ClientCommand.cpp:581 +msgid "Unable to add that network" +msgstr "" + +#: ClientCommand.cpp:588 +msgid "Usage: DelNetwork " +msgstr "" + +#: ClientCommand.cpp:597 +msgid "Network deleted" +msgstr "" + +#: ClientCommand.cpp:600 +msgid "Failed to delete network, perhaps this network doesn't exist" +msgstr "" + +#: ClientCommand.cpp:610 +msgid "User {1} not found" +msgstr "" + +#: ClientCommand.cpp:618 ClientCommand.cpp:626 +msgctxt "listnetworks" +msgid "Network" +msgstr "" + +#: ClientCommand.cpp:619 ClientCommand.cpp:628 ClientCommand.cpp:637 +msgctxt "listnetworks" +msgid "On IRC" +msgstr "" + +#: ClientCommand.cpp:620 ClientCommand.cpp:630 +msgctxt "listnetworks" +msgid "IRC Server" +msgstr "" + +#: ClientCommand.cpp:621 ClientCommand.cpp:632 +msgctxt "listnetworks" +msgid "IRC User" +msgstr "" + +#: ClientCommand.cpp:622 ClientCommand.cpp:634 +msgctxt "listnetworks" +msgid "Channels" +msgstr "" + +#: ClientCommand.cpp:629 +msgctxt "listnetworks" +msgid "Yes" +msgstr "" + +#: ClientCommand.cpp:638 +msgctxt "listnetworks" +msgid "No" +msgstr "" + +#: ClientCommand.cpp:643 +msgctxt "listnetworks" +msgid "No networks" +msgstr "" + +#: ClientCommand.cpp:647 ClientCommand.cpp:952 +msgid "Access denied." +msgstr "" + +#: ClientCommand.cpp:658 +msgid "Usage: MoveNetwork [new network]" +msgstr "" + +#: ClientCommand.cpp:668 +msgid "Old user {1} not found." +msgstr "" + +#: ClientCommand.cpp:674 +msgid "Old network {1} not found." +msgstr "" + +#: ClientCommand.cpp:680 +msgid "New user {1} not found." +msgstr "" + +#: ClientCommand.cpp:685 +msgid "User {1} already has network {2}." +msgstr "" + +#: ClientCommand.cpp:691 +msgid "Invalid network name [{1}]" +msgstr "" + +#: ClientCommand.cpp:707 +msgid "Some files seem to be in {1}. You might want to move them to {2}" +msgstr "" + +#: ClientCommand.cpp:721 +msgid "Error adding network: {1}" +msgstr "" + +#: ClientCommand.cpp:733 +msgid "Success." +msgstr "" + +#: ClientCommand.cpp:736 +msgid "Copied the network to new user, but failed to delete old network" +msgstr "" + +#: ClientCommand.cpp:743 +msgid "No network supplied." +msgstr "" + +#: ClientCommand.cpp:748 +msgid "You are already connected with this network." +msgstr "" + +#: ClientCommand.cpp:754 +msgid "Switched to {1}" +msgstr "" + +#: ClientCommand.cpp:757 +msgid "You don't have a network named {1}" +msgstr "" + +#: ClientCommand.cpp:769 +msgid "Usage: AddServer [[+]port] [pass]" +msgstr "" + +#: ClientCommand.cpp:774 +msgid "Server added" +msgstr "" + +#: ClientCommand.cpp:777 +msgid "" +"Unable to add that server. Perhaps the server is already added or openssl is " +"disabled?" +msgstr "" + +#: ClientCommand.cpp:792 +msgid "Usage: DelServer [port] [pass]" +msgstr "" + +#: ClientCommand.cpp:802 +msgid "Server removed" +msgstr "" + +#: ClientCommand.cpp:804 +msgid "No such server" +msgstr "" + +#: ClientCommand.cpp:817 ClientCommand.cpp:825 +msgctxt "listservers" +msgid "Host" +msgstr "" + +#: ClientCommand.cpp:818 ClientCommand.cpp:827 +msgctxt "listservers" +msgid "Port" +msgstr "" + +#: ClientCommand.cpp:819 ClientCommand.cpp:830 +msgctxt "listservers" +msgid "SSL" +msgstr "" + +#: ClientCommand.cpp:820 ClientCommand.cpp:832 +msgctxt "listservers" +msgid "Password" +msgstr "" + +#: ClientCommand.cpp:831 +msgctxt "listservers|cell" +msgid "SSL" +msgstr "" + +#: ClientCommand.cpp:848 +msgid "Usage: AddTrustedServerFingerprint " +msgstr "" + +#: ClientCommand.cpp:852 ClientCommand.cpp:865 +msgid "Done." +msgstr "" + +#: ClientCommand.cpp:861 +msgid "Usage: DelTrustedServerFingerprint " +msgstr "" + +#: ClientCommand.cpp:874 +msgid "No fingerprints added." +msgstr "" + +#: ClientCommand.cpp:890 ClientCommand.cpp:896 +msgctxt "topicscmd" +msgid "Channel" +msgstr "" + +#: ClientCommand.cpp:891 ClientCommand.cpp:897 +msgctxt "topicscmd" +msgid "Set By" +msgstr "" + +#: ClientCommand.cpp:892 ClientCommand.cpp:898 +msgctxt "topicscmd" +msgid "Topic" +msgstr "" + +#: ClientCommand.cpp:905 ClientCommand.cpp:910 +msgctxt "listmods" +msgid "Name" +msgstr "" + +#: ClientCommand.cpp:906 ClientCommand.cpp:911 +msgctxt "listmods" +msgid "Arguments" +msgstr "" + +#: ClientCommand.cpp:920 +msgid "No global modules loaded." +msgstr "" + +#: ClientCommand.cpp:922 ClientCommand.cpp:986 +msgid "Global modules:" +msgstr "" + +#: ClientCommand.cpp:931 +msgid "Your user has no modules loaded." +msgstr "" + +#: ClientCommand.cpp:933 ClientCommand.cpp:998 +msgid "User modules:" +msgstr "" + +#: ClientCommand.cpp:941 +msgid "This network has no modules loaded." +msgstr "" + +#: ClientCommand.cpp:943 ClientCommand.cpp:1010 +msgid "Network modules:" +msgstr "" + +#: ClientCommand.cpp:958 ClientCommand.cpp:965 +msgctxt "listavailmods" +msgid "Name" +msgstr "" + +#: ClientCommand.cpp:959 ClientCommand.cpp:970 +msgctxt "listavailmods" +msgid "Description" +msgstr "" + +#: ClientCommand.cpp:984 +msgid "No global modules available." +msgstr "" + +#: ClientCommand.cpp:996 +msgid "No user modules available." +msgstr "" + +#: ClientCommand.cpp:1008 +msgid "No network modules available." +msgstr "" + +#: ClientCommand.cpp:1036 +msgid "Unable to load {1}: Access denied." +msgstr "" + +#: ClientCommand.cpp:1042 +msgid "Usage: LoadMod [--type=global|user|network] [args]" +msgstr "" + +#: ClientCommand.cpp:1049 +msgid "Unable to load {1}: {2}" +msgstr "" + +#: ClientCommand.cpp:1059 +msgid "Unable to load global module {1}: Access denied." +msgstr "" + +#: ClientCommand.cpp:1065 +msgid "Unable to load network module {1}: Not connected with a network." +msgstr "" + +#: ClientCommand.cpp:1087 +msgid "Unknown module type" +msgstr "" + +#: ClientCommand.cpp:1092 +msgid "Loaded module {1}" +msgstr "" + +#: ClientCommand.cpp:1094 +msgid "Loaded module {1}: {2}" +msgstr "" + +#: ClientCommand.cpp:1097 +msgid "Unable to load module {1}: {2}" +msgstr "" + +#: ClientCommand.cpp:1120 +msgid "Unable to unload {1}: Access denied." +msgstr "" + +#: ClientCommand.cpp:1126 +msgid "Usage: UnloadMod [--type=global|user|network] " +msgstr "" + +#: ClientCommand.cpp:1135 +msgid "Unable to determine type of {1}: {2}" +msgstr "" + +#: ClientCommand.cpp:1143 +msgid "Unable to unload global module {1}: Access denied." +msgstr "" + +#: ClientCommand.cpp:1150 +msgid "Unable to unload network module {1}: Not connected with a network." +msgstr "" + +#: ClientCommand.cpp:1169 +msgid "Unable to unload module {1}: Unknown module type" +msgstr "" + +#: ClientCommand.cpp:1182 +msgid "Unable to reload modules. Access denied." +msgstr "" + +#: ClientCommand.cpp:1203 +msgid "Usage: ReloadMod [--type=global|user|network] [args]" +msgstr "" + +#: ClientCommand.cpp:1212 +msgid "Unable to reload {1}: {2}" +msgstr "" + +#: ClientCommand.cpp:1220 +msgid "Unable to reload global module {1}: Access denied." +msgstr "" + +#: ClientCommand.cpp:1227 +msgid "Unable to reload network module {1}: Not connected with a network." +msgstr "" + +#: ClientCommand.cpp:1249 +msgid "Unable to reload module {1}: Unknown module type" +msgstr "" + +#: ClientCommand.cpp:1260 +msgid "Usage: UpdateMod " +msgstr "" + +#: ClientCommand.cpp:1264 +msgid "Reloading {1} everywhere" +msgstr "" + +#: ClientCommand.cpp:1266 +msgid "Done" +msgstr "" + +#: ClientCommand.cpp:1269 +msgid "" +"Done, but there were errors, module {1} could not be reloaded everywhere." +msgstr "" + +#: ClientCommand.cpp:1277 +msgid "" +"You must be connected with a network to use this command. Try " +"SetUserBindHost instead" +msgstr "" + +#: ClientCommand.cpp:1284 +msgid "Usage: SetBindHost " +msgstr "" + +#: ClientCommand.cpp:1289 ClientCommand.cpp:1306 +msgid "You already have this bind host!" +msgstr "" + +#: ClientCommand.cpp:1294 +msgid "Set bind host for network {1} to {2}" +msgstr "" + +#: ClientCommand.cpp:1301 +msgid "Usage: SetUserBindHost " +msgstr "" + +#: ClientCommand.cpp:1311 +msgid "Set default bind host to {1}" +msgstr "" + +#: ClientCommand.cpp:1317 +msgid "" +"You must be connected with a network to use this command. Try " +"ClearUserBindHost instead" +msgstr "" + +#: ClientCommand.cpp:1322 +msgid "Bind host cleared for this network." +msgstr "" + +#: ClientCommand.cpp:1326 +msgid "Default bind host cleared for your user." +msgstr "" + +#: ClientCommand.cpp:1329 +msgid "This user's default bind host not set" +msgstr "" + +#: ClientCommand.cpp:1331 +msgid "This user's default bind host is {1}" +msgstr "" + +#: ClientCommand.cpp:1336 +msgid "This network's bind host not set" +msgstr "" + +#: ClientCommand.cpp:1338 +msgid "This network's default bind host is {1}" +msgstr "" + +#: ClientCommand.cpp:1352 +msgid "Usage: PlayBuffer <#chan|query>" +msgstr "" + +#: ClientCommand.cpp:1360 +msgid "You are not on {1}" +msgstr "" + +#: ClientCommand.cpp:1365 +msgid "You are not on {1} (trying to join)" +msgstr "" + +#: ClientCommand.cpp:1370 +msgid "The buffer for channel {1} is empty" +msgstr "" + +#: ClientCommand.cpp:1379 +msgid "No active query with {1}" +msgstr "" + +#: ClientCommand.cpp:1384 +msgid "The buffer for {1} is empty" +msgstr "" + +#: ClientCommand.cpp:1400 +msgid "Usage: ClearBuffer <#chan|query>" +msgstr "" + +#: ClientCommand.cpp:1419 +msgid "{1} buffer matching {2} has been cleared" +msgid_plural "{1} buffers matching {2} have been cleared" +msgstr[0] "" +msgstr[1] "" + +#: ClientCommand.cpp:1432 +msgid "All channel buffers have been cleared" +msgstr "" + +#: ClientCommand.cpp:1441 +msgid "All query buffers have been cleared" +msgstr "" + +#: ClientCommand.cpp:1453 +msgid "All buffers have been cleared" +msgstr "" + +#: ClientCommand.cpp:1464 +msgid "Usage: SetBuffer <#chan|query> [linecount]" +msgstr "" + +#: ClientCommand.cpp:1485 +msgid "Setting buffer size failed for {1} buffer" +msgid_plural "Setting buffer size failed for {1} buffers" +msgstr[0] "" +msgstr[1] "" + +#: ClientCommand.cpp:1488 +msgid "Maximum buffer size is {1} line" +msgid_plural "Maximum buffer size is {1} lines" +msgstr[0] "" +msgstr[1] "" + +#: ClientCommand.cpp:1493 +msgid "Size of every buffer was set to {1} line" +msgid_plural "Size of every buffer was set to {1} lines" +msgstr[0] "" +msgstr[1] "" + +#: ClientCommand.cpp:1503 ClientCommand.cpp:1510 ClientCommand.cpp:1521 +#: ClientCommand.cpp:1530 ClientCommand.cpp:1538 +msgctxt "trafficcmd" +msgid "Username" +msgstr "" + +#: ClientCommand.cpp:1504 ClientCommand.cpp:1511 ClientCommand.cpp:1523 +#: ClientCommand.cpp:1532 ClientCommand.cpp:1540 +msgctxt "trafficcmd" +msgid "In" +msgstr "" + +#: ClientCommand.cpp:1505 ClientCommand.cpp:1513 ClientCommand.cpp:1524 +#: ClientCommand.cpp:1533 ClientCommand.cpp:1541 +msgctxt "trafficcmd" +msgid "Out" +msgstr "" + +#: ClientCommand.cpp:1506 ClientCommand.cpp:1516 ClientCommand.cpp:1526 +#: ClientCommand.cpp:1534 ClientCommand.cpp:1543 +msgctxt "trafficcmd" +msgid "Total" +msgstr "" + +#: ClientCommand.cpp:1522 +msgctxt "trafficcmd" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1531 +msgctxt "trafficcmd" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1539 +msgctxt "trafficcmd" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1548 +msgid "Running for {1}" +msgstr "" + +#: ClientCommand.cpp:1554 +msgid "Unknown command, try 'Help'" +msgstr "" + +#: ClientCommand.cpp:1563 ClientCommand.cpp:1574 +msgctxt "listports" +msgid "Port" +msgstr "" + +#: ClientCommand.cpp:1564 ClientCommand.cpp:1577 +msgctxt "listports" +msgid "BindHost" +msgstr "" + +#: ClientCommand.cpp:1565 ClientCommand.cpp:1580 +msgctxt "listports" +msgid "SSL" +msgstr "" + +#: ClientCommand.cpp:1566 ClientCommand.cpp:1585 +msgctxt "listports" +msgid "Protocol" +msgstr "" + +#: ClientCommand.cpp:1567 ClientCommand.cpp:1592 +msgctxt "listports" +msgid "IRC" +msgstr "" + +#: ClientCommand.cpp:1568 ClientCommand.cpp:1597 +msgctxt "listports" +msgid "Web" +msgstr "" + +#: ClientCommand.cpp:1581 +msgctxt "listports|ssl" +msgid "yes" +msgstr "" + +#: ClientCommand.cpp:1582 +msgctxt "listports|ssl" +msgid "no" +msgstr "" + +#: ClientCommand.cpp:1586 +msgctxt "listports" +msgid "IPv4 and IPv6" +msgstr "" + +#: ClientCommand.cpp:1588 +msgctxt "listports" +msgid "IPv4" +msgstr "" + +#: ClientCommand.cpp:1589 +msgctxt "listports" +msgid "IPv6" +msgstr "" + +#: ClientCommand.cpp:1595 +msgctxt "listports|irc" +msgid "yes" +msgstr "" + +#: ClientCommand.cpp:1596 +msgctxt "listports|irc" +msgid "no" +msgstr "" + +#: ClientCommand.cpp:1600 +msgctxt "listports|irc" +msgid "yes, on {1}" +msgstr "" + +#: ClientCommand.cpp:1602 +msgctxt "listports|web" +msgid "no" +msgstr "" + +#: ClientCommand.cpp:1642 +msgid "" +"Usage: AddPort <[+]port> [bindhost [uriprefix]]" +msgstr "" + +#: ClientCommand.cpp:1658 +msgid "Port added" +msgstr "" + +#: ClientCommand.cpp:1660 +msgid "Couldn't add port" +msgstr "" + +#: ClientCommand.cpp:1666 +msgid "Usage: DelPort [bindhost]" +msgstr "" + +#: ClientCommand.cpp:1675 +msgid "Deleted Port" +msgstr "" + +#: ClientCommand.cpp:1677 +msgid "Unable to find a matching port" +msgstr "" + +#: ClientCommand.cpp:1685 ClientCommand.cpp:1700 +msgctxt "helpcmd" +msgid "Command" +msgstr "" + +#: ClientCommand.cpp:1686 ClientCommand.cpp:1702 +msgctxt "helpcmd" +msgid "Description" +msgstr "" + +#: ClientCommand.cpp:1691 +msgid "" +"In the following list all occurrences of <#chan> support wildcards (* and ?) " +"except ListNicks" +msgstr "" + +#: ClientCommand.cpp:1708 +msgctxt "helpcmd|Version|desc" +msgid "Print which version of ZNC this is" +msgstr "" + +#: ClientCommand.cpp:1711 +msgctxt "helpcmd|ListMods|desc" +msgid "List all loaded modules" +msgstr "" + +#: ClientCommand.cpp:1714 +msgctxt "helpcmd|ListAvailMods|desc" +msgid "List all available modules" +msgstr "" + +#: ClientCommand.cpp:1718 ClientCommand.cpp:1904 +msgctxt "helpcmd|ListChans|desc" +msgid "List all channels" +msgstr "" + +#: ClientCommand.cpp:1721 +msgctxt "helpcmd|ListNicks|args" +msgid "<#chan>" +msgstr "" + +#: ClientCommand.cpp:1722 +msgctxt "helpcmd|ListNicks|desc" +msgid "List all nicks on a channel" +msgstr "" + +#: ClientCommand.cpp:1725 +msgctxt "helpcmd|ListClients|desc" +msgid "List all clients connected to your ZNC user" +msgstr "" + +#: ClientCommand.cpp:1729 +msgctxt "helpcmd|ListServers|desc" +msgid "List all servers of current IRC network" +msgstr "" + +#: ClientCommand.cpp:1733 +msgctxt "helpcmd|AddNetwork|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1734 +msgctxt "helpcmd|AddNetwork|desc" +msgid "Add a network to your user" +msgstr "" + +#: ClientCommand.cpp:1736 +msgctxt "helpcmd|DelNetwork|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1737 +msgctxt "helpcmd|DelNetwork|desc" +msgid "Delete a network from your user" +msgstr "" + +#: ClientCommand.cpp:1739 +msgctxt "helpcmd|ListNetworks|desc" +msgid "List all networks" +msgstr "" + +#: ClientCommand.cpp:1742 +msgctxt "helpcmd|MoveNetwork|args" +msgid " [new network]" +msgstr "" + +#: ClientCommand.cpp:1744 +msgctxt "helpcmd|MoveNetwork|desc" +msgid "Move an IRC network from one user to another" +msgstr "" + +#: ClientCommand.cpp:1748 +msgctxt "helpcmd|JumpNetwork|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1749 +msgctxt "helpcmd|JumpNetwork|desc" +msgid "" +"Jump to another network (Alternatively, you can connect to ZNC several " +"times, using `user/network` as username)" +msgstr "" + +#: ClientCommand.cpp:1754 +msgctxt "helpcmd|AddServer|args" +msgid " [[+]port] [pass]" +msgstr "" + +#: ClientCommand.cpp:1755 +msgctxt "helpcmd|AddServer|desc" +msgid "" +"Add a server to the list of alternate/backup servers of current IRC network." +msgstr "" + +#: ClientCommand.cpp:1759 +msgctxt "helpcmd|DelServer|args" +msgid " [port] [pass]" +msgstr "" + +#: ClientCommand.cpp:1760 +msgctxt "helpcmd|DelServer|desc" +msgid "" +"Remove a server from the list of alternate/backup servers of current IRC " +"network" +msgstr "" + +#: ClientCommand.cpp:1766 +msgctxt "helpcmd|AddTrustedServerFingerprint|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1767 +msgctxt "helpcmd|AddTrustedServerFingerprint|desc" +msgid "" +"Add a trusted server SSL certificate fingerprint (SHA-256) to current IRC " +"network." +msgstr "" + +#: ClientCommand.cpp:1772 +msgctxt "helpcmd|DelTrustedServerFingerprint|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1773 +msgctxt "helpcmd|DelTrustedServerFingerprint|desc" +msgid "Delete a trusted server SSL certificate from current IRC network." +msgstr "" + +#: ClientCommand.cpp:1777 +msgctxt "helpcmd|ListTrustedServerFingerprints|desc" +msgid "List all trusted server SSL certificates of current IRC network." +msgstr "" + +#: ClientCommand.cpp:1780 +msgctxt "helpcmd|EnableChan|args" +msgid "<#chans>" +msgstr "" + +#: ClientCommand.cpp:1781 +msgctxt "helpcmd|EnableChan|desc" +msgid "Enable channels" +msgstr "" + +#: ClientCommand.cpp:1782 +msgctxt "helpcmd|DisableChan|args" +msgid "<#chans>" +msgstr "" + +#: ClientCommand.cpp:1783 +msgctxt "helpcmd|DisableChan|desc" +msgid "Disable channels" +msgstr "" + +#: ClientCommand.cpp:1784 +msgctxt "helpcmd|Attach|args" +msgid "<#chans>" +msgstr "" + +#: ClientCommand.cpp:1785 +msgctxt "helpcmd|Attach|desc" +msgid "Attach to channels" +msgstr "" + +#: ClientCommand.cpp:1786 +msgctxt "helpcmd|Detach|args" +msgid "<#chans>" +msgstr "" + +#: ClientCommand.cpp:1787 +msgctxt "helpcmd|Detach|desc" +msgid "Detach from channels" +msgstr "" + +#: ClientCommand.cpp:1790 +msgctxt "helpcmd|Topics|desc" +msgid "Show topics in all your channels" +msgstr "" + +#: ClientCommand.cpp:1793 +msgctxt "helpcmd|PlayBuffer|args" +msgid "<#chan|query>" +msgstr "" + +#: ClientCommand.cpp:1794 +msgctxt "helpcmd|PlayBuffer|desc" +msgid "Play back the specified buffer" +msgstr "" + +#: ClientCommand.cpp:1796 +msgctxt "helpcmd|ClearBuffer|args" +msgid "<#chan|query>" +msgstr "" + +#: ClientCommand.cpp:1797 +msgctxt "helpcmd|ClearBuffer|desc" +msgid "Clear the specified buffer" +msgstr "" + +#: ClientCommand.cpp:1799 +msgctxt "helpcmd|ClearAllBuffers|desc" +msgid "Clear all channel and query buffers" +msgstr "" + +#: ClientCommand.cpp:1802 +msgctxt "helpcmd|ClearAllChannelBuffers|desc" +msgid "Clear the channel buffers" +msgstr "" + +#: ClientCommand.cpp:1806 +msgctxt "helpcmd|ClearAllQueryBuffers|desc" +msgid "Clear the query buffers" +msgstr "" + +#: ClientCommand.cpp:1808 +msgctxt "helpcmd|SetBuffer|args" +msgid "<#chan|query> [linecount]" +msgstr "" + +#: ClientCommand.cpp:1809 +msgctxt "helpcmd|SetBuffer|desc" +msgid "Set the buffer count" +msgstr "" + +#: ClientCommand.cpp:1813 +msgctxt "helpcmd|SetBindHost|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1814 +msgctxt "helpcmd|SetBindHost|desc" +msgid "Set the bind host for this network" +msgstr "" + +#: ClientCommand.cpp:1818 +msgctxt "helpcmd|SetUserBindHost|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1819 +msgctxt "helpcmd|SetUserBindHost|desc" +msgid "Set the default bind host for this user" +msgstr "" + +#: ClientCommand.cpp:1822 +msgctxt "helpcmd|ClearBindHost|desc" +msgid "Clear the bind host for this network" +msgstr "" + +#: ClientCommand.cpp:1825 +msgctxt "helpcmd|ClearUserBindHost|desc" +msgid "Clear the default bind host for this user" +msgstr "" + +#: ClientCommand.cpp:1831 +msgctxt "helpcmd|ShowBindHost|desc" +msgid "Show currently selected bind host" +msgstr "" + +#: ClientCommand.cpp:1833 +msgctxt "helpcmd|Jump|args" +msgid "[server]" +msgstr "" + +#: ClientCommand.cpp:1834 +msgctxt "helpcmd|Jump|desc" +msgid "Jump to the next or the specified server" +msgstr "" + +#: ClientCommand.cpp:1835 +msgctxt "helpcmd|Disconnect|args" +msgid "[message]" +msgstr "" + +#: ClientCommand.cpp:1836 +msgctxt "helpcmd|Disconnect|desc" +msgid "Disconnect from IRC" +msgstr "" + +#: ClientCommand.cpp:1838 +msgctxt "helpcmd|Connect|desc" +msgid "Reconnect to IRC" +msgstr "" + +#: ClientCommand.cpp:1841 +msgctxt "helpcmd|Uptime|desc" +msgid "Show for how long ZNC has been running" +msgstr "" + +#: ClientCommand.cpp:1845 +msgctxt "helpcmd|LoadMod|args" +msgid "[--type=global|user|network] [args]" +msgstr "" + +#: ClientCommand.cpp:1847 +msgctxt "helpcmd|LoadMod|desc" +msgid "Load a module" +msgstr "" + +#: ClientCommand.cpp:1849 +msgctxt "helpcmd|UnloadMod|args" +msgid "[--type=global|user|network] " +msgstr "" + +#: ClientCommand.cpp:1851 +msgctxt "helpcmd|UnloadMod|desc" +msgid "Unload a module" +msgstr "" + +#: ClientCommand.cpp:1853 +msgctxt "helpcmd|ReloadMod|args" +msgid "[--type=global|user|network] [args]" +msgstr "" + +#: ClientCommand.cpp:1855 +msgctxt "helpcmd|ReloadMod|desc" +msgid "Reload a module" +msgstr "" + +#: ClientCommand.cpp:1858 +msgctxt "helpcmd|UpdateMod|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1859 +msgctxt "helpcmd|UpdateMod|desc" +msgid "Reload a module everywhere" +msgstr "" + +#: ClientCommand.cpp:1865 +msgctxt "helpcmd|ShowMOTD|desc" +msgid "Show ZNC's message of the day" +msgstr "" + +#: ClientCommand.cpp:1869 +msgctxt "helpcmd|SetMOTD|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1870 +msgctxt "helpcmd|SetMOTD|desc" +msgid "Set ZNC's message of the day" +msgstr "" + +#: ClientCommand.cpp:1872 +msgctxt "helpcmd|AddMOTD|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1873 +msgctxt "helpcmd|AddMOTD|desc" +msgid "Append to ZNC's MOTD" +msgstr "" + +#: ClientCommand.cpp:1875 +msgctxt "helpcmd|ClearMOTD|desc" +msgid "Clear ZNC's MOTD" +msgstr "" + +#: ClientCommand.cpp:1878 +msgctxt "helpcmd|ListPorts|desc" +msgid "Show all active listeners" +msgstr "" + +#: ClientCommand.cpp:1880 +msgctxt "helpcmd|AddPort|args" +msgid "<[+]port> [bindhost [uriprefix]]" +msgstr "" + +#: ClientCommand.cpp:1883 +msgctxt "helpcmd|AddPort|desc" +msgid "Add another port for ZNC to listen on" +msgstr "" + +#: ClientCommand.cpp:1887 +msgctxt "helpcmd|DelPort|args" +msgid " [bindhost]" +msgstr "" + +#: ClientCommand.cpp:1888 +msgctxt "helpcmd|DelPort|desc" +msgid "Remove a port from ZNC" +msgstr "" + +#: ClientCommand.cpp:1891 +msgctxt "helpcmd|Rehash|desc" +msgid "Reload global settings, modules, and listeners from znc.conf" +msgstr "" + +#: ClientCommand.cpp:1894 +msgctxt "helpcmd|SaveConfig|desc" +msgid "Save the current settings to disk" +msgstr "" + +#: ClientCommand.cpp:1897 +msgctxt "helpcmd|ListUsers|desc" +msgid "List all ZNC users and their connection status" +msgstr "" + +#: ClientCommand.cpp:1900 +msgctxt "helpcmd|ListAllUserNetworks|desc" +msgid "List all ZNC users and their networks" +msgstr "" + +#: ClientCommand.cpp:1903 +msgctxt "helpcmd|ListChans|args" +msgid "[user ]" +msgstr "" + +#: ClientCommand.cpp:1906 +msgctxt "helpcmd|ListClients|args" +msgid "[user]" +msgstr "" + +#: ClientCommand.cpp:1907 +msgctxt "helpcmd|ListClients|desc" +msgid "List all connected clients" +msgstr "" + +#: ClientCommand.cpp:1909 +msgctxt "helpcmd|Traffic|desc" +msgid "Show basic traffic stats for all ZNC users" +msgstr "" + +#: ClientCommand.cpp:1911 +msgctxt "helpcmd|Broadcast|args" +msgid "[message]" +msgstr "" + +#: ClientCommand.cpp:1912 +msgctxt "helpcmd|Broadcast|desc" +msgid "Broadcast a message to all ZNC users" +msgstr "" + +#: ClientCommand.cpp:1915 +msgctxt "helpcmd|Shutdown|args" +msgid "[message]" +msgstr "" + +#: ClientCommand.cpp:1916 +msgctxt "helpcmd|Shutdown|desc" +msgid "Shut down ZNC completely" +msgstr "" + +#: ClientCommand.cpp:1917 +msgctxt "helpcmd|Restart|args" +msgid "[message]" +msgstr "" + +#: ClientCommand.cpp:1918 +msgctxt "helpcmd|Restart|desc" +msgid "Restart ZNC" +msgstr "" + +#: Socket.cpp:342 +msgid "Can't resolve server hostname" +msgstr "" + +#: Socket.cpp:349 +msgid "" +"Can't resolve bind hostname. Try /znc ClearBindHost and /znc " +"ClearUserBindHost" +msgstr "" + +#: Socket.cpp:354 +msgid "Server address is IPv4-only, but bindhost is IPv6-only" +msgstr "" + +#: Socket.cpp:363 +msgid "Server address is IPv6-only, but bindhost is IPv4-only" +msgstr "" + +#: Socket.cpp:521 +msgid "Some socket reached its max buffer limit and was closed!" +msgstr "" + +#: SSLVerifyHost.cpp:481 +msgid "hostname doesn't match" +msgstr "" + +#: SSLVerifyHost.cpp:485 +msgid "malformed hostname in certificate" +msgstr "" + +#: SSLVerifyHost.cpp:489 +msgid "hostname verification error" +msgstr "" + +#: User.cpp:507 +msgid "" +"Invalid network name. It should be alphanumeric. Not to be confused with " +"server name" +msgstr "" + +#: User.cpp:511 +msgid "Network {1} already exists" +msgstr "" + +#: User.cpp:777 +msgid "" +"You are being disconnected because your IP is no longer allowed to connect " +"to this user" +msgstr "" + +#: User.cpp:912 +msgid "Password is empty" +msgstr "" + +#: User.cpp:917 +msgid "Username is empty" +msgstr "" + +#: User.cpp:922 +msgid "Username is invalid" +msgstr "" + +#: User.cpp:1199 +msgid "Unable to find modinfo {1}: {2}" +msgstr "" From 1b53306424c07652206ff8ee71d6c7406abdc6e8 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Sat, 29 Aug 2020 00:28:45 +0000 Subject: [PATCH 480/798] Update translations from Crowdin for el_GR --- modules/po/admindebug.el_GR.po | 59 + modules/po/adminlog.el_GR.po | 69 + modules/po/alias.el_GR.po | 123 ++ modules/po/autoattach.el_GR.po | 85 ++ modules/po/autocycle.el_GR.po | 69 + modules/po/autoop.el_GR.po | 168 +++ modules/po/autoreply.el_GR.po | 43 + modules/po/autovoice.el_GR.po | 111 ++ modules/po/awaystore.el_GR.po | 110 ++ modules/po/block_motd.el_GR.po | 35 + modules/po/blockuser.el_GR.po | 97 ++ modules/po/bouncedcc.el_GR.po | 131 ++ modules/po/buffextras.el_GR.po | 49 + modules/po/cert.el_GR.po | 75 + modules/po/certauth.el_GR.po | 108 ++ modules/po/chansaver.el_GR.po | 17 + modules/po/clearbufferonmsg.el_GR.po | 17 + modules/po/clientnotify.el_GR.po | 73 + modules/po/controlpanel.el_GR.po | 718 ++++++++++ modules/po/crypt.el_GR.po | 143 ++ modules/po/ctcpflood.el_GR.po | 69 + modules/po/cyrusauth.el_GR.po | 73 + modules/po/dcc.el_GR.po | 227 ++++ modules/po/disconkick.el_GR.po | 23 + modules/po/fail2ban.el_GR.po | 117 ++ modules/po/flooddetach.el_GR.po | 91 ++ modules/po/identfile.el_GR.po | 83 ++ modules/po/imapauth.el_GR.po | 21 + modules/po/keepnick.el_GR.po | 53 + modules/po/kickrejoin.el_GR.po | 61 + modules/po/lastseen.el_GR.po | 67 + modules/po/listsockets.el_GR.po | 113 ++ modules/po/log.el_GR.po | 148 ++ modules/po/missingmotd.el_GR.po | 17 + modules/po/modperl.el_GR.po | 17 + modules/po/modpython.el_GR.po | 17 + modules/po/modules_online.el_GR.po | 17 + modules/po/nickserv.el_GR.po | 79 ++ modules/po/notes.el_GR.po | 119 ++ modules/po/notify_connect.el_GR.po | 29 + modules/po/perform.el_GR.po | 108 ++ modules/po/perleval.el_GR.po | 31 + modules/po/pyeval.el_GR.po | 21 + modules/po/raw.el_GR.po | 17 + modules/po/route_replies.el_GR.po | 59 + modules/po/sample.el_GR.po | 119 ++ modules/po/samplewebapi.el_GR.po | 17 + modules/po/sasl.el_GR.po | 174 +++ modules/po/savebuff.el_GR.po | 62 + modules/po/send_raw.el_GR.po | 109 ++ modules/po/shell.el_GR.po | 29 + modules/po/simple_away.el_GR.po | 92 ++ modules/po/stickychan.el_GR.po | 102 ++ modules/po/stripcontrols.el_GR.po | 18 + modules/po/watch.el_GR.po | 193 +++ modules/po/webadmin.el_GR.po | 1209 +++++++++++++++++ src/po/znc.el_GR.po | 1885 ++++++++++++++++++++++++++ 57 files changed, 7986 insertions(+) create mode 100644 modules/po/admindebug.el_GR.po create mode 100644 modules/po/adminlog.el_GR.po create mode 100644 modules/po/alias.el_GR.po create mode 100644 modules/po/autoattach.el_GR.po create mode 100644 modules/po/autocycle.el_GR.po create mode 100644 modules/po/autoop.el_GR.po create mode 100644 modules/po/autoreply.el_GR.po create mode 100644 modules/po/autovoice.el_GR.po create mode 100644 modules/po/awaystore.el_GR.po create mode 100644 modules/po/block_motd.el_GR.po create mode 100644 modules/po/blockuser.el_GR.po create mode 100644 modules/po/bouncedcc.el_GR.po create mode 100644 modules/po/buffextras.el_GR.po create mode 100644 modules/po/cert.el_GR.po create mode 100644 modules/po/certauth.el_GR.po create mode 100644 modules/po/chansaver.el_GR.po create mode 100644 modules/po/clearbufferonmsg.el_GR.po create mode 100644 modules/po/clientnotify.el_GR.po create mode 100644 modules/po/controlpanel.el_GR.po create mode 100644 modules/po/crypt.el_GR.po create mode 100644 modules/po/ctcpflood.el_GR.po create mode 100644 modules/po/cyrusauth.el_GR.po create mode 100644 modules/po/dcc.el_GR.po create mode 100644 modules/po/disconkick.el_GR.po create mode 100644 modules/po/fail2ban.el_GR.po create mode 100644 modules/po/flooddetach.el_GR.po create mode 100644 modules/po/identfile.el_GR.po create mode 100644 modules/po/imapauth.el_GR.po create mode 100644 modules/po/keepnick.el_GR.po create mode 100644 modules/po/kickrejoin.el_GR.po create mode 100644 modules/po/lastseen.el_GR.po create mode 100644 modules/po/listsockets.el_GR.po create mode 100644 modules/po/log.el_GR.po create mode 100644 modules/po/missingmotd.el_GR.po create mode 100644 modules/po/modperl.el_GR.po create mode 100644 modules/po/modpython.el_GR.po create mode 100644 modules/po/modules_online.el_GR.po create mode 100644 modules/po/nickserv.el_GR.po create mode 100644 modules/po/notes.el_GR.po create mode 100644 modules/po/notify_connect.el_GR.po create mode 100644 modules/po/perform.el_GR.po create mode 100644 modules/po/perleval.el_GR.po create mode 100644 modules/po/pyeval.el_GR.po create mode 100644 modules/po/raw.el_GR.po create mode 100644 modules/po/route_replies.el_GR.po create mode 100644 modules/po/sample.el_GR.po create mode 100644 modules/po/samplewebapi.el_GR.po create mode 100644 modules/po/sasl.el_GR.po create mode 100644 modules/po/savebuff.el_GR.po create mode 100644 modules/po/send_raw.el_GR.po create mode 100644 modules/po/shell.el_GR.po create mode 100644 modules/po/simple_away.el_GR.po create mode 100644 modules/po/stickychan.el_GR.po create mode 100644 modules/po/stripcontrols.el_GR.po create mode 100644 modules/po/watch.el_GR.po create mode 100644 modules/po/webadmin.el_GR.po create mode 100644 src/po/znc.el_GR.po diff --git a/modules/po/admindebug.el_GR.po b/modules/po/admindebug.el_GR.po new file mode 100644 index 00000000..bd301950 --- /dev/null +++ b/modules/po/admindebug.el_GR.po @@ -0,0 +1,59 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /master/modules/po/admindebug.pot\n" +"X-Crowdin-File-ID: 273\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: admindebug.cpp:30 +msgid "Enable Debug Mode" +msgstr "" + +#: admindebug.cpp:32 +msgid "Disable Debug Mode" +msgstr "" + +#: admindebug.cpp:34 +msgid "Show the Debug Mode status" +msgstr "" + +#: admindebug.cpp:40 admindebug.cpp:49 +msgid "Access denied!" +msgstr "" + +#: admindebug.cpp:58 +msgid "" +"Failure. We need to be running with a TTY. (is ZNC running with --" +"foreground?)" +msgstr "" + +#: admindebug.cpp:66 +msgid "Already enabled." +msgstr "" + +#: admindebug.cpp:68 +msgid "Already disabled." +msgstr "" + +#: admindebug.cpp:92 +msgid "Debugging mode is on." +msgstr "" + +#: admindebug.cpp:94 +msgid "Debugging mode is off." +msgstr "" + +#: admindebug.cpp:96 +msgid "Logging to: stdout." +msgstr "" + +#: admindebug.cpp:105 +msgid "Enable Debug mode dynamically." +msgstr "" diff --git a/modules/po/adminlog.el_GR.po b/modules/po/adminlog.el_GR.po new file mode 100644 index 00000000..6f9ddd5f --- /dev/null +++ b/modules/po/adminlog.el_GR.po @@ -0,0 +1,69 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /master/modules/po/adminlog.pot\n" +"X-Crowdin-File-ID: 149\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: adminlog.cpp:29 +msgid "Show the logging target" +msgstr "" + +#: adminlog.cpp:31 +msgid " [path]" +msgstr "" + +#: adminlog.cpp:32 +msgid "Set the logging target" +msgstr "" + +#: adminlog.cpp:142 +msgid "Access denied" +msgstr "" + +#: adminlog.cpp:156 +msgid "Now logging to file" +msgstr "" + +#: adminlog.cpp:160 +msgid "Now only logging to syslog" +msgstr "" + +#: adminlog.cpp:164 +msgid "Now logging to syslog and file" +msgstr "" + +#: adminlog.cpp:168 +msgid "Usage: Target [path]" +msgstr "" + +#: adminlog.cpp:170 +msgid "Unknown target" +msgstr "" + +#: adminlog.cpp:192 +msgid "Logging is enabled for file" +msgstr "" + +#: adminlog.cpp:195 +msgid "Logging is enabled for syslog" +msgstr "" + +#: adminlog.cpp:198 +msgid "Logging is enabled for both, file and syslog" +msgstr "" + +#: adminlog.cpp:204 +msgid "Log file will be written to {1}" +msgstr "" + +#: adminlog.cpp:222 +msgid "Log ZNC events to file and/or syslog." +msgstr "" diff --git a/modules/po/alias.el_GR.po b/modules/po/alias.el_GR.po new file mode 100644 index 00000000..cfe724da --- /dev/null +++ b/modules/po/alias.el_GR.po @@ -0,0 +1,123 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /master/modules/po/alias.pot\n" +"X-Crowdin-File-ID: 150\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: alias.cpp:141 +msgid "missing required parameter: {1}" +msgstr "" + +#: alias.cpp:201 +msgid "Created alias: {1}" +msgstr "" + +#: alias.cpp:203 +msgid "Alias already exists." +msgstr "" + +#: alias.cpp:210 +msgid "Deleted alias: {1}" +msgstr "" + +#: alias.cpp:213 alias.cpp:224 alias.cpp:246 alias.cpp:265 alias.cpp:276 +#: alias.cpp:333 +msgid "Alias does not exist." +msgstr "" + +#: alias.cpp:222 alias.cpp:244 alias.cpp:263 alias.cpp:274 +msgid "Modified alias." +msgstr "" + +#: alias.cpp:236 alias.cpp:256 +msgid "Invalid index." +msgstr "" + +#: alias.cpp:282 alias.cpp:298 +msgid "There are no aliases." +msgstr "" + +#: alias.cpp:289 +msgid "The following aliases exist: {1}" +msgstr "" + +#: alias.cpp:290 +msgctxt "list|separator" +msgid ", " +msgstr "" + +#: alias.cpp:324 +msgid "Actions for alias {1}:" +msgstr "" + +#: alias.cpp:331 +msgid "End of actions for alias {1}." +msgstr "" + +#: alias.cpp:338 alias.cpp:341 alias.cpp:352 alias.cpp:357 +msgid "" +msgstr "" + +#: alias.cpp:339 +msgid "Creates a new, blank alias called name." +msgstr "" + +#: alias.cpp:341 +msgid "Deletes an existing alias." +msgstr "" + +#: alias.cpp:343 +msgid " " +msgstr "" + +#: alias.cpp:344 +msgid "Adds a line to an existing alias." +msgstr "" + +#: alias.cpp:346 +msgid " " +msgstr "" + +#: alias.cpp:347 +msgid "Inserts a line into an existing alias." +msgstr "" + +#: alias.cpp:349 +msgid " " +msgstr "" + +#: alias.cpp:350 +msgid "Removes a line from an existing alias." +msgstr "" + +#: alias.cpp:353 +msgid "Removes all lines from an existing alias." +msgstr "" + +#: alias.cpp:355 +msgid "Lists all aliases by name." +msgstr "" + +#: alias.cpp:358 +msgid "Reports the actions performed by an alias." +msgstr "" + +#: alias.cpp:362 +msgid "Generate a list of commands to copy your alias config." +msgstr "" + +#: alias.cpp:374 +msgid "Clearing all of them!" +msgstr "" + +#: alias.cpp:409 +msgid "Provides bouncer-side command alias support." +msgstr "" diff --git a/modules/po/autoattach.el_GR.po b/modules/po/autoattach.el_GR.po new file mode 100644 index 00000000..c0234927 --- /dev/null +++ b/modules/po/autoattach.el_GR.po @@ -0,0 +1,85 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /master/modules/po/autoattach.pot\n" +"X-Crowdin-File-ID: 151\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: autoattach.cpp:94 +msgid "Added to list" +msgstr "" + +#: autoattach.cpp:96 +msgid "{1} is already added" +msgstr "" + +#: autoattach.cpp:100 +msgid "Usage: Add [!]<#chan> " +msgstr "" + +#: autoattach.cpp:101 +msgid "Wildcards are allowed" +msgstr "" + +#: autoattach.cpp:113 +msgid "Removed {1} from list" +msgstr "" + +#: autoattach.cpp:115 +msgid "Usage: Del [!]<#chan> " +msgstr "" + +#: autoattach.cpp:121 autoattach.cpp:129 +msgid "Neg" +msgstr "" + +#: autoattach.cpp:122 autoattach.cpp:130 +msgid "Chan" +msgstr "" + +#: autoattach.cpp:123 autoattach.cpp:131 +msgid "Search" +msgstr "" + +#: autoattach.cpp:124 autoattach.cpp:132 +msgid "Host" +msgstr "" + +#: autoattach.cpp:138 +msgid "You have no entries." +msgstr "" + +#: autoattach.cpp:146 autoattach.cpp:149 +msgid "[!]<#chan> " +msgstr "" + +#: autoattach.cpp:147 +msgid "Add an entry, use !#chan to negate and * for wildcards" +msgstr "" + +#: autoattach.cpp:150 +msgid "Remove an entry, needs to be an exact match" +msgstr "" + +#: autoattach.cpp:152 +msgid "List all entries" +msgstr "" + +#: autoattach.cpp:171 +msgid "Unable to add [{1}]" +msgstr "" + +#: autoattach.cpp:283 +msgid "List of channel masks and channel masks with ! before them." +msgstr "" + +#: autoattach.cpp:286 +msgid "Reattaches you to channels on activity." +msgstr "" diff --git a/modules/po/autocycle.el_GR.po b/modules/po/autocycle.el_GR.po new file mode 100644 index 00000000..7f8c640d --- /dev/null +++ b/modules/po/autocycle.el_GR.po @@ -0,0 +1,69 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /master/modules/po/autocycle.pot\n" +"X-Crowdin-File-ID: 207\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: autocycle.cpp:27 autocycle.cpp:30 +msgid "[!]<#chan>" +msgstr "" + +#: autocycle.cpp:28 +msgid "Add an entry, use !#chan to negate and * for wildcards" +msgstr "" + +#: autocycle.cpp:31 +msgid "Remove an entry, needs to be an exact match" +msgstr "" + +#: autocycle.cpp:33 +msgid "List all entries" +msgstr "" + +#: autocycle.cpp:46 +msgid "Unable to add {1}" +msgstr "" + +#: autocycle.cpp:66 +msgid "{1} is already added" +msgstr "" + +#: autocycle.cpp:68 +msgid "Added {1} to list" +msgstr "" + +#: autocycle.cpp:70 +msgid "Usage: Add [!]<#chan>" +msgstr "" + +#: autocycle.cpp:78 +msgid "Removed {1} from list" +msgstr "" + +#: autocycle.cpp:80 +msgid "Usage: Del [!]<#chan>" +msgstr "" + +#: autocycle.cpp:85 autocycle.cpp:90 autocycle.cpp:95 +msgid "Channel" +msgstr "" + +#: autocycle.cpp:101 +msgid "You have no entries." +msgstr "" + +#: autocycle.cpp:230 +msgid "List of channel masks and channel masks with ! before them." +msgstr "" + +#: autocycle.cpp:235 +msgid "Rejoins channels to gain Op if you're the only user left" +msgstr "" diff --git a/modules/po/autoop.el_GR.po b/modules/po/autoop.el_GR.po new file mode 100644 index 00000000..fcfb96db --- /dev/null +++ b/modules/po/autoop.el_GR.po @@ -0,0 +1,168 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /master/modules/po/autoop.pot\n" +"X-Crowdin-File-ID: 153\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: autoop.cpp:154 +msgid "List all users" +msgstr "" + +#: autoop.cpp:156 autoop.cpp:159 +msgid " [channel] ..." +msgstr "" + +#: autoop.cpp:157 +msgid "Adds channels to a user" +msgstr "" + +#: autoop.cpp:160 +msgid "Removes channels from a user" +msgstr "" + +#: autoop.cpp:162 autoop.cpp:165 +msgid " ,[mask] ..." +msgstr "" + +#: autoop.cpp:163 +msgid "Adds masks to a user" +msgstr "" + +#: autoop.cpp:166 +msgid "Removes masks from a user" +msgstr "" + +#: autoop.cpp:169 +msgid " [,...] [channels]" +msgstr "" + +#: autoop.cpp:170 +msgid "Adds a user" +msgstr "" + +#: autoop.cpp:172 +msgid "" +msgstr "" + +#: autoop.cpp:172 +msgid "Removes a user" +msgstr "" + +#: autoop.cpp:275 +msgid "Usage: AddUser [,...] [channels]" +msgstr "" + +#: autoop.cpp:291 +msgid "Usage: DelUser " +msgstr "" + +#: autoop.cpp:300 +msgid "There are no users defined" +msgstr "" + +#: autoop.cpp:306 autoop.cpp:317 autoop.cpp:321 autoop.cpp:323 +msgid "User" +msgstr "" + +#: autoop.cpp:307 autoop.cpp:325 +msgid "Hostmasks" +msgstr "" + +#: autoop.cpp:308 autoop.cpp:318 +msgid "Key" +msgstr "" + +#: autoop.cpp:309 autoop.cpp:319 +msgid "Channels" +msgstr "" + +#: autoop.cpp:337 +msgid "Usage: AddChans [channel] ..." +msgstr "" + +#: autoop.cpp:344 autoop.cpp:365 autoop.cpp:387 autoop.cpp:408 autoop.cpp:472 +msgid "No such user" +msgstr "" + +#: autoop.cpp:349 +msgid "Channel(s) added to user {1}" +msgstr "" + +#: autoop.cpp:358 +msgid "Usage: DelChans [channel] ..." +msgstr "" + +#: autoop.cpp:371 +msgid "Channel(s) Removed from user {1}" +msgstr "" + +#: autoop.cpp:380 +msgid "Usage: AddMasks ,[mask] ..." +msgstr "" + +#: autoop.cpp:392 +msgid "Hostmasks(s) added to user {1}" +msgstr "" + +#: autoop.cpp:401 +msgid "Usage: DelMasks ,[mask] ..." +msgstr "" + +#: autoop.cpp:413 +msgid "Removed user {1} with key {2} and channels {3}" +msgstr "" + +#: autoop.cpp:419 +msgid "Hostmasks(s) Removed from user {1}" +msgstr "" + +#: autoop.cpp:478 +msgid "User {1} removed" +msgstr "" + +#: autoop.cpp:484 +msgid "That user already exists" +msgstr "" + +#: autoop.cpp:490 +msgid "User {1} added with hostmask(s) {2}" +msgstr "" + +#: autoop.cpp:532 +msgid "" +"[{1}] sent us a challenge but they are not opped in any defined channels." +msgstr "" + +#: autoop.cpp:536 +msgid "[{1}] sent us a challenge but they do not match a defined user." +msgstr "" + +#: autoop.cpp:544 +msgid "WARNING! [{1}] sent an invalid challenge." +msgstr "" + +#: autoop.cpp:560 +msgid "[{1}] sent an unchallenged response. This could be due to lag." +msgstr "" + +#: autoop.cpp:577 +msgid "" +"WARNING! [{1}] sent a bad response. Please verify that you have their " +"correct password." +msgstr "" + +#: autoop.cpp:586 +msgid "WARNING! [{1}] sent a response but did not match any defined users." +msgstr "" + +#: autoop.cpp:644 +msgid "Auto op the good people" +msgstr "" diff --git a/modules/po/autoreply.el_GR.po b/modules/po/autoreply.el_GR.po new file mode 100644 index 00000000..51bab427 --- /dev/null +++ b/modules/po/autoreply.el_GR.po @@ -0,0 +1,43 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /master/modules/po/autoreply.pot\n" +"X-Crowdin-File-ID: 154\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: autoreply.cpp:25 +msgid "" +msgstr "" + +#: autoreply.cpp:25 +msgid "Sets a new reply" +msgstr "" + +#: autoreply.cpp:27 +msgid "Displays the current query reply" +msgstr "" + +#: autoreply.cpp:75 +msgid "Current reply is: {1} ({2})" +msgstr "" + +#: autoreply.cpp:81 +msgid "New reply set to: {1} ({2})" +msgstr "" + +#: autoreply.cpp:94 +msgid "" +"You might specify a reply text. It is used when automatically answering " +"queries, if you are not connected to ZNC." +msgstr "" + +#: autoreply.cpp:98 +msgid "Reply to queries when you are away" +msgstr "" diff --git a/modules/po/autovoice.el_GR.po b/modules/po/autovoice.el_GR.po new file mode 100644 index 00000000..d20a6574 --- /dev/null +++ b/modules/po/autovoice.el_GR.po @@ -0,0 +1,111 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /master/modules/po/autovoice.pot\n" +"X-Crowdin-File-ID: 155\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: autovoice.cpp:120 +msgid "List all users" +msgstr "" + +#: autovoice.cpp:122 autovoice.cpp:125 +msgid " [channel] ..." +msgstr "" + +#: autovoice.cpp:123 +msgid "Adds channels to a user" +msgstr "" + +#: autovoice.cpp:126 +msgid "Removes channels from a user" +msgstr "" + +#: autovoice.cpp:128 +msgid " [channels]" +msgstr "" + +#: autovoice.cpp:129 +msgid "Adds a user" +msgstr "" + +#: autovoice.cpp:131 +msgid "" +msgstr "" + +#: autovoice.cpp:131 +msgid "Removes a user" +msgstr "" + +#: autovoice.cpp:215 +msgid "Usage: AddUser [channels]" +msgstr "" + +#: autovoice.cpp:229 +msgid "Usage: DelUser " +msgstr "" + +#: autovoice.cpp:238 +msgid "There are no users defined" +msgstr "" + +#: autovoice.cpp:244 autovoice.cpp:250 +msgid "User" +msgstr "" + +#: autovoice.cpp:245 autovoice.cpp:251 +msgid "Hostmask" +msgstr "" + +#: autovoice.cpp:246 autovoice.cpp:252 +msgid "Channels" +msgstr "" + +#: autovoice.cpp:263 +msgid "Usage: AddChans [channel] ..." +msgstr "" + +#: autovoice.cpp:270 autovoice.cpp:292 autovoice.cpp:329 +msgid "No such user" +msgstr "" + +#: autovoice.cpp:275 +msgid "Channel(s) added to user {1}" +msgstr "" + +#: autovoice.cpp:285 +msgid "Usage: DelChans [channel] ..." +msgstr "" + +#: autovoice.cpp:298 +msgid "Channel(s) Removed from user {1}" +msgstr "" + +#: autovoice.cpp:335 +msgid "User {1} removed" +msgstr "" + +#: autovoice.cpp:341 +msgid "That user already exists" +msgstr "" + +#: autovoice.cpp:347 +msgid "User {1} added with hostmask {2}" +msgstr "" + +#: autovoice.cpp:360 +msgid "" +"Each argument is either a channel you want autovoice for (which can include " +"wildcards) or, if it starts with !, it is an exception for autovoice." +msgstr "" + +#: autovoice.cpp:365 +msgid "Auto voice the good people" +msgstr "" diff --git a/modules/po/awaystore.el_GR.po b/modules/po/awaystore.el_GR.po new file mode 100644 index 00000000..707849e8 --- /dev/null +++ b/modules/po/awaystore.el_GR.po @@ -0,0 +1,110 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /master/modules/po/awaystore.pot\n" +"X-Crowdin-File-ID: 156\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: awaystore.cpp:67 +msgid "You have been marked as away" +msgstr "" + +#: awaystore.cpp:78 awaystore.cpp:385 awaystore.cpp:388 +msgid "Welcome back!" +msgstr "" + +#: awaystore.cpp:100 +msgid "Deleted {1} messages" +msgstr "" + +#: awaystore.cpp:104 +msgid "USAGE: delete " +msgstr "" + +#: awaystore.cpp:109 +msgid "Illegal message # requested" +msgstr "" + +#: awaystore.cpp:113 +msgid "Message erased" +msgstr "" + +#: awaystore.cpp:122 +msgid "Messages saved to disk" +msgstr "" + +#: awaystore.cpp:124 +msgid "There are no messages to save" +msgstr "" + +#: awaystore.cpp:135 +msgid "Password updated to [{1}]" +msgstr "" + +#: awaystore.cpp:147 +msgid "Corrupt message! [{1}]" +msgstr "" + +#: awaystore.cpp:159 +msgid "Corrupt time stamp! [{1}]" +msgstr "" + +#: awaystore.cpp:178 +msgid "#--- End of messages" +msgstr "" + +#: awaystore.cpp:183 +msgid "Timer set to 300 seconds" +msgstr "" + +#: awaystore.cpp:188 awaystore.cpp:197 +msgid "Timer disabled" +msgstr "" + +#: awaystore.cpp:199 +msgid "Timer set to {1} seconds" +msgstr "" + +#: awaystore.cpp:203 +msgid "Current timer setting: {1} seconds" +msgstr "" + +#: awaystore.cpp:278 +msgid "This module needs as an argument a keyphrase used for encryption" +msgstr "" + +#: awaystore.cpp:285 +msgid "" +"Failed to decrypt your saved messages - Did you give the right encryption " +"key as an argument to this module?" +msgstr "" + +#: awaystore.cpp:386 awaystore.cpp:389 +msgid "You have {1} messages!" +msgstr "" + +#: awaystore.cpp:456 +msgid "Unable to find buffer" +msgstr "" + +#: awaystore.cpp:469 +msgid "Unable to decode encrypted messages" +msgstr "" + +#: awaystore.cpp:516 +msgid "" +"[ -notimer | -timer N ] [-chans] passw0rd . N is number of seconds, 600 by " +"default." +msgstr "" + +#: awaystore.cpp:521 +msgid "" +"Adds auto-away with logging, useful when you use ZNC from different locations" +msgstr "" diff --git a/modules/po/block_motd.el_GR.po b/modules/po/block_motd.el_GR.po new file mode 100644 index 00000000..5e3f2e34 --- /dev/null +++ b/modules/po/block_motd.el_GR.po @@ -0,0 +1,35 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /master/modules/po/block_motd.pot\n" +"X-Crowdin-File-ID: 157\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: block_motd.cpp:26 +msgid "[]" +msgstr "" + +#: block_motd.cpp:27 +msgid "" +"Override the block with this command. Can optionally specify which server to " +"query." +msgstr "" + +#: block_motd.cpp:36 +msgid "You are not connected to an IRC Server." +msgstr "" + +#: block_motd.cpp:58 +msgid "MOTD blocked by ZNC" +msgstr "" + +#: block_motd.cpp:104 +msgid "Block the MOTD from IRC so it's not sent to your client(s)." +msgstr "" diff --git a/modules/po/blockuser.el_GR.po b/modules/po/blockuser.el_GR.po new file mode 100644 index 00000000..5152a5f8 --- /dev/null +++ b/modules/po/blockuser.el_GR.po @@ -0,0 +1,97 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /master/modules/po/blockuser.pot\n" +"X-Crowdin-File-ID: 158\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: modules/po/../data/blockuser/tmpl/blockuser_WebadminUser.tmpl:9 +msgid "Account is blocked" +msgstr "" + +#: blockuser.cpp:23 +msgid "Your account has been disabled. Contact your administrator." +msgstr "" + +#: blockuser.cpp:29 +msgid "List blocked users" +msgstr "" + +#: blockuser.cpp:31 blockuser.cpp:33 +msgid "" +msgstr "" + +#: blockuser.cpp:31 +msgid "Block a user" +msgstr "" + +#: blockuser.cpp:33 +msgid "Unblock a user" +msgstr "" + +#: blockuser.cpp:55 +msgid "Could not block {1}" +msgstr "" + +#: blockuser.cpp:76 +msgid "Access denied" +msgstr "" + +#: blockuser.cpp:85 +msgid "No users are blocked" +msgstr "" + +#: blockuser.cpp:88 +msgid "Blocked users:" +msgstr "" + +#: blockuser.cpp:100 +msgid "Usage: Block " +msgstr "" + +#: blockuser.cpp:105 blockuser.cpp:147 +msgid "You can't block yourself" +msgstr "" + +#: blockuser.cpp:110 blockuser.cpp:152 +msgid "Blocked {1}" +msgstr "" + +#: blockuser.cpp:112 +msgid "Could not block {1} (misspelled?)" +msgstr "" + +#: blockuser.cpp:120 +msgid "Usage: Unblock " +msgstr "" + +#: blockuser.cpp:125 blockuser.cpp:161 +msgid "Unblocked {1}" +msgstr "" + +#: blockuser.cpp:127 +msgid "This user is not blocked" +msgstr "" + +#: blockuser.cpp:155 +msgid "Couldn't block {1}" +msgstr "" + +#: blockuser.cpp:164 +msgid "User {1} is not blocked" +msgstr "" + +#: blockuser.cpp:216 +msgid "Enter one or more user names. Separate them by spaces." +msgstr "" + +#: blockuser.cpp:219 +msgid "Block certain users from logging in." +msgstr "" diff --git a/modules/po/bouncedcc.el_GR.po b/modules/po/bouncedcc.el_GR.po new file mode 100644 index 00000000..4209466e --- /dev/null +++ b/modules/po/bouncedcc.el_GR.po @@ -0,0 +1,131 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /master/modules/po/bouncedcc.pot\n" +"X-Crowdin-File-ID: 159\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: bouncedcc.cpp:101 bouncedcc.cpp:119 bouncedcc.cpp:121 +msgctxt "list" +msgid "Type" +msgstr "" + +#: bouncedcc.cpp:102 bouncedcc.cpp:132 +msgctxt "list" +msgid "State" +msgstr "" + +#: bouncedcc.cpp:103 +msgctxt "list" +msgid "Speed" +msgstr "" + +#: bouncedcc.cpp:104 bouncedcc.cpp:115 +msgctxt "list" +msgid "Nick" +msgstr "" + +#: bouncedcc.cpp:105 bouncedcc.cpp:116 +msgctxt "list" +msgid "IP" +msgstr "" + +#: bouncedcc.cpp:106 bouncedcc.cpp:122 +msgctxt "list" +msgid "File" +msgstr "" + +#: bouncedcc.cpp:119 +msgctxt "list" +msgid "Chat" +msgstr "" + +#: bouncedcc.cpp:121 +msgctxt "list" +msgid "Xfer" +msgstr "" + +#: bouncedcc.cpp:125 +msgid "Waiting" +msgstr "" + +#: bouncedcc.cpp:127 +msgid "Halfway" +msgstr "" + +#: bouncedcc.cpp:129 +msgid "Connected" +msgstr "" + +#: bouncedcc.cpp:137 +msgid "You have no active DCCs." +msgstr "" + +#: bouncedcc.cpp:148 +msgid "Use client IP: {1}" +msgstr "" + +#: bouncedcc.cpp:153 +msgid "List all active DCCs" +msgstr "" + +#: bouncedcc.cpp:156 +msgid "Change the option to use IP of client" +msgstr "" + +#: bouncedcc.cpp:383 bouncedcc.cpp:412 bouncedcc.cpp:436 bouncedcc.cpp:451 +msgctxt "type" +msgid "Chat" +msgstr "" + +#: bouncedcc.cpp:383 bouncedcc.cpp:412 bouncedcc.cpp:436 bouncedcc.cpp:451 +msgctxt "type" +msgid "Xfer" +msgstr "" + +#: bouncedcc.cpp:385 +msgid "DCC {1} Bounce ({2}): Too long line received" +msgstr "" + +#: bouncedcc.cpp:418 +msgid "DCC {1} Bounce ({2}): Timeout while connecting to {3} {4}" +msgstr "" + +#: bouncedcc.cpp:422 +msgid "DCC {1} Bounce ({2}): Timeout while connecting." +msgstr "" + +#: bouncedcc.cpp:427 +msgid "" +"DCC {1} Bounce ({2}): Timeout while waiting for incoming connection on {3} " +"{4}" +msgstr "" + +#: bouncedcc.cpp:440 +msgid "DCC {1} Bounce ({2}): Connection refused while connecting to {3} {4}" +msgstr "" + +#: bouncedcc.cpp:444 +msgid "DCC {1} Bounce ({2}): Connection refused while connecting." +msgstr "" + +#: bouncedcc.cpp:457 bouncedcc.cpp:465 +msgid "DCC {1} Bounce ({2}): Socket error on {3} {4}: {5}" +msgstr "" + +#: bouncedcc.cpp:460 +msgid "DCC {1} Bounce ({2}): Socket error: {3}" +msgstr "" + +#: bouncedcc.cpp:547 +msgid "" +"Bounces DCC transfers through ZNC instead of sending them directly to the " +"user. " +msgstr "" diff --git a/modules/po/buffextras.el_GR.po b/modules/po/buffextras.el_GR.po new file mode 100644 index 00000000..101fd0ef --- /dev/null +++ b/modules/po/buffextras.el_GR.po @@ -0,0 +1,49 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /master/modules/po/buffextras.pot\n" +"X-Crowdin-File-ID: 160\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: buffextras.cpp:45 +msgid "Server" +msgstr "" + +#: buffextras.cpp:47 +msgid "{1} set mode: {2} {3}" +msgstr "" + +#: buffextras.cpp:55 +msgid "{1} kicked {2} with reason: {3}" +msgstr "" + +#: buffextras.cpp:64 +msgid "{1} quit: {2}" +msgstr "" + +#: buffextras.cpp:73 +msgid "{1} joined" +msgstr "" + +#: buffextras.cpp:81 +msgid "{1} parted: {2}" +msgstr "" + +#: buffextras.cpp:90 +msgid "{1} is now known as {2}" +msgstr "" + +#: buffextras.cpp:100 +msgid "{1} changed the topic to: {2}" +msgstr "" + +#: buffextras.cpp:115 +msgid "Adds joins, parts etc. to the playback buffer" +msgstr "" diff --git a/modules/po/cert.el_GR.po b/modules/po/cert.el_GR.po new file mode 100644 index 00000000..ff584ea8 --- /dev/null +++ b/modules/po/cert.el_GR.po @@ -0,0 +1,75 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /master/modules/po/cert.pot\n" +"X-Crowdin-File-ID: 161\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +# this text is inserted into `click here` in the other string +#: modules/po/../data/cert/tmpl/index.tmpl:5 +msgid "here" +msgstr "" + +# {1} is `here`, translateable in the other string +#: modules/po/../data/cert/tmpl/index.tmpl:6 +msgid "" +"You already have a certificate set, use the form below to overwrite the " +"current certificate. Alternatively click {1} to delete your certificate." +msgstr "" + +#: modules/po/../data/cert/tmpl/index.tmpl:8 +msgid "You do not have a certificate yet." +msgstr "" + +#: modules/po/../data/cert/tmpl/index.tmpl:14 cert.cpp:72 +msgid "Certificate" +msgstr "" + +#: modules/po/../data/cert/tmpl/index.tmpl:18 +msgid "PEM File:" +msgstr "" + +#: modules/po/../data/cert/tmpl/index.tmpl:22 +msgid "Update" +msgstr "" + +#: cert.cpp:28 +msgid "Pem file deleted" +msgstr "" + +#: cert.cpp:31 +msgid "The pem file doesn't exist or there was a error deleting the pem file." +msgstr "" + +#: cert.cpp:38 +msgid "You have a certificate in {1}" +msgstr "" + +#: cert.cpp:41 +msgid "" +"You do not have a certificate. Please use the web interface to add a " +"certificate" +msgstr "" + +#: cert.cpp:44 +msgid "Alternatively you can either place one at {1}" +msgstr "" + +#: cert.cpp:52 +msgid "Delete the current certificate" +msgstr "" + +#: cert.cpp:54 +msgid "Show the current certificate" +msgstr "" + +#: cert.cpp:105 +msgid "Use a ssl certificate to connect to a server" +msgstr "" diff --git a/modules/po/certauth.el_GR.po b/modules/po/certauth.el_GR.po new file mode 100644 index 00000000..fe40e707 --- /dev/null +++ b/modules/po/certauth.el_GR.po @@ -0,0 +1,108 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /master/modules/po/certauth.pot\n" +"X-Crowdin-File-ID: 162\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: modules/po/../data/certauth/tmpl/index.tmpl:7 +msgid "Add a key" +msgstr "" + +#: modules/po/../data/certauth/tmpl/index.tmpl:11 +msgid "Key:" +msgstr "" + +#: modules/po/../data/certauth/tmpl/index.tmpl:15 +msgid "Add Key" +msgstr "" + +#: modules/po/../data/certauth/tmpl/index.tmpl:23 +msgid "You have no keys." +msgstr "" + +#: modules/po/../data/certauth/tmpl/index.tmpl:30 +msgctxt "web" +msgid "Key" +msgstr "" + +#: modules/po/../data/certauth/tmpl/index.tmpl:36 +msgid "del" +msgstr "" + +#: certauth.cpp:31 +msgid "[pubkey]" +msgstr "" + +#: certauth.cpp:32 +msgid "Add a public key. If key is not provided will use the current key" +msgstr "" + +#: certauth.cpp:35 +msgid "id" +msgstr "" + +#: certauth.cpp:35 +msgid "Delete a key by its number in List" +msgstr "" + +#: certauth.cpp:37 +msgid "List your public keys" +msgstr "" + +#: certauth.cpp:39 +msgid "Print your current key" +msgstr "" + +#: certauth.cpp:142 +msgid "You are not connected with any valid public key" +msgstr "" + +#: certauth.cpp:144 +msgid "Your current public key is: {1}" +msgstr "" + +#: certauth.cpp:157 +msgid "You did not supply a public key or connect with one." +msgstr "" + +#: certauth.cpp:160 +msgid "Key '{1}' added." +msgstr "" + +#: certauth.cpp:162 +msgid "The key '{1}' is already added." +msgstr "" + +#: certauth.cpp:170 certauth.cpp:183 +msgctxt "list" +msgid "Id" +msgstr "" + +#: certauth.cpp:171 certauth.cpp:184 +msgctxt "list" +msgid "Key" +msgstr "" + +#: certauth.cpp:176 certauth.cpp:190 certauth.cpp:199 +msgid "No keys set for your user" +msgstr "" + +#: certauth.cpp:204 +msgid "Invalid #, check \"list\"" +msgstr "" + +#: certauth.cpp:216 +msgid "Removed" +msgstr "" + +#: certauth.cpp:291 +msgid "Allows users to authenticate via SSL client certificates." +msgstr "" diff --git a/modules/po/chansaver.el_GR.po b/modules/po/chansaver.el_GR.po new file mode 100644 index 00000000..b8417b0a --- /dev/null +++ b/modules/po/chansaver.el_GR.po @@ -0,0 +1,17 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /master/modules/po/chansaver.pot\n" +"X-Crowdin-File-ID: 163\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: chansaver.cpp:91 +msgid "Keeps config up-to-date when user joins/parts." +msgstr "" diff --git a/modules/po/clearbufferonmsg.el_GR.po b/modules/po/clearbufferonmsg.el_GR.po new file mode 100644 index 00000000..c952a957 --- /dev/null +++ b/modules/po/clearbufferonmsg.el_GR.po @@ -0,0 +1,17 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /master/modules/po/clearbufferonmsg.pot\n" +"X-Crowdin-File-ID: 164\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: clearbufferonmsg.cpp:160 +msgid "Clears all channel and query buffers whenever the user does something" +msgstr "" diff --git a/modules/po/clientnotify.el_GR.po b/modules/po/clientnotify.el_GR.po new file mode 100644 index 00000000..441f91b6 --- /dev/null +++ b/modules/po/clientnotify.el_GR.po @@ -0,0 +1,73 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /master/modules/po/clientnotify.pot\n" +"X-Crowdin-File-ID: 165\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: clientnotify.cpp:47 +msgid "" +msgstr "" + +#: clientnotify.cpp:48 +msgid "Sets the notify method" +msgstr "" + +#: clientnotify.cpp:50 clientnotify.cpp:54 +msgid "" +msgstr "" + +#: clientnotify.cpp:51 +msgid "Turns notifications for unseen IP addresses on or off" +msgstr "" + +#: clientnotify.cpp:55 +msgid "Turns notifications for clients disconnecting on or off" +msgstr "" + +#: clientnotify.cpp:57 +msgid "Shows the current settings" +msgstr "" + +#: clientnotify.cpp:81 clientnotify.cpp:95 +msgid "" +msgid_plural "" +"Another client authenticated as your user. Use the 'ListClients' command to " +"see all {1} clients." +msgstr[0] "" +msgstr[1] "" + +#: clientnotify.cpp:108 +msgid "Usage: Method " +msgstr "" + +#: clientnotify.cpp:114 clientnotify.cpp:127 clientnotify.cpp:140 +msgid "Saved." +msgstr "" + +#: clientnotify.cpp:121 +msgid "Usage: NewOnly " +msgstr "" + +#: clientnotify.cpp:134 +msgid "Usage: OnDisconnect " +msgstr "" + +#: clientnotify.cpp:145 +msgid "" +"Current settings: Method: {1}, for unseen IP addresses only: {2}, notify on " +"disconnecting clients: {3}" +msgstr "" + +#: clientnotify.cpp:157 +msgid "" +"Notifies you when another IRC client logs into or out of your account. " +"Configurable." +msgstr "" diff --git a/modules/po/controlpanel.el_GR.po b/modules/po/controlpanel.el_GR.po new file mode 100644 index 00000000..7a1c68b1 --- /dev/null +++ b/modules/po/controlpanel.el_GR.po @@ -0,0 +1,718 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /master/modules/po/controlpanel.pot\n" +"X-Crowdin-File-ID: 166\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: controlpanel.cpp:51 controlpanel.cpp:64 +msgctxt "helptable" +msgid "Type" +msgstr "" + +#: controlpanel.cpp:52 controlpanel.cpp:66 +msgctxt "helptable" +msgid "Variables" +msgstr "" + +#: controlpanel.cpp:78 +msgid "String" +msgstr "" + +#: controlpanel.cpp:79 +msgid "Boolean (true/false)" +msgstr "" + +#: controlpanel.cpp:80 +msgid "Integer" +msgstr "" + +#: controlpanel.cpp:81 +msgid "Number" +msgstr "" + +#: controlpanel.cpp:126 +msgid "The following variables are available when using the Set/Get commands:" +msgstr "" + +#: controlpanel.cpp:150 +msgid "" +"The following variables are available when using the SetNetwork/GetNetwork " +"commands:" +msgstr "" + +#: controlpanel.cpp:164 +msgid "" +"The following variables are available when using the SetChan/GetChan " +"commands:" +msgstr "" + +#: controlpanel.cpp:171 +msgid "" +"You can use $user as the user name and $network as the network name for " +"modifying your own user and network." +msgstr "" + +#: controlpanel.cpp:180 controlpanel.cpp:967 controlpanel.cpp:1004 +msgid "Error: User [{1}] does not exist!" +msgstr "" + +#: controlpanel.cpp:185 +msgid "Error: You need to have admin rights to modify other users!" +msgstr "" + +#: controlpanel.cpp:195 +msgid "Error: You cannot use $network to modify other users!" +msgstr "" + +#: controlpanel.cpp:203 +msgid "Error: User {1} does not have a network named [{2}]." +msgstr "" + +#: controlpanel.cpp:215 +msgid "Usage: Get [username]" +msgstr "" + +#: controlpanel.cpp:305 controlpanel.cpp:508 controlpanel.cpp:583 +#: controlpanel.cpp:659 controlpanel.cpp:794 controlpanel.cpp:879 +msgid "Error: Unknown variable" +msgstr "" + +#: controlpanel.cpp:314 +msgid "Usage: Set " +msgstr "" + +#: controlpanel.cpp:336 controlpanel.cpp:624 +msgid "This bind host is already set!" +msgstr "" + +#: controlpanel.cpp:343 controlpanel.cpp:355 controlpanel.cpp:363 +#: controlpanel.cpp:426 controlpanel.cpp:445 controlpanel.cpp:461 +#: controlpanel.cpp:471 controlpanel.cpp:631 +msgid "Access denied!" +msgstr "" + +#: controlpanel.cpp:377 controlpanel.cpp:386 controlpanel.cpp:843 +msgid "Setting failed, limit for buffer size is {1}" +msgstr "" + +#: controlpanel.cpp:406 +msgid "Password has been changed!" +msgstr "" + +#: controlpanel.cpp:414 +msgid "Timeout can't be less than 30 seconds!" +msgstr "" + +#: controlpanel.cpp:478 +msgid "That would be a bad idea!" +msgstr "" + +#: controlpanel.cpp:496 +msgid "Supported languages: {1}" +msgstr "" + +#: controlpanel.cpp:520 +msgid "Usage: GetNetwork [username] [network]" +msgstr "" + +#: controlpanel.cpp:539 +msgid "Error: A network must be specified to get another users settings." +msgstr "" + +#: controlpanel.cpp:545 +msgid "You are not currently attached to a network." +msgstr "" + +#: controlpanel.cpp:551 +msgid "Error: Invalid network." +msgstr "" + +#: controlpanel.cpp:595 +msgid "Usage: SetNetwork " +msgstr "" + +#: controlpanel.cpp:669 +msgid "Usage: AddChan " +msgstr "" + +#: controlpanel.cpp:682 +msgid "Error: User {1} already has a channel named {2}." +msgstr "" + +#: controlpanel.cpp:689 +msgid "Channel {1} for user {2} added to network {3}." +msgstr "" + +#: controlpanel.cpp:693 +msgid "" +"Could not add channel {1} for user {2} to network {3}, does it already exist?" +msgstr "" + +#: controlpanel.cpp:703 +msgid "Usage: DelChan " +msgstr "" + +#: controlpanel.cpp:718 +msgid "Error: User {1} does not have any channel matching [{2}] in network {3}" +msgstr "" + +#: controlpanel.cpp:731 +msgid "Channel {1} is deleted from network {2} of user {3}" +msgid_plural "Channels {1} are deleted from network {2} of user {3}" +msgstr[0] "" +msgstr[1] "" + +#: controlpanel.cpp:746 +msgid "Usage: GetChan " +msgstr "" + +#: controlpanel.cpp:760 controlpanel.cpp:824 +msgid "Error: No channels matching [{1}] found." +msgstr "" + +#: controlpanel.cpp:809 +msgid "Usage: SetChan " +msgstr "" + +#: controlpanel.cpp:890 controlpanel.cpp:900 +msgctxt "listusers" +msgid "Username" +msgstr "" + +#: controlpanel.cpp:891 controlpanel.cpp:901 +msgctxt "listusers" +msgid "Realname" +msgstr "" + +#: controlpanel.cpp:892 controlpanel.cpp:904 controlpanel.cpp:906 +msgctxt "listusers" +msgid "IsAdmin" +msgstr "" + +#: controlpanel.cpp:893 controlpanel.cpp:907 +msgctxt "listusers" +msgid "Nick" +msgstr "" + +#: controlpanel.cpp:894 controlpanel.cpp:908 +msgctxt "listusers" +msgid "AltNick" +msgstr "" + +#: controlpanel.cpp:895 controlpanel.cpp:909 +msgctxt "listusers" +msgid "Ident" +msgstr "" + +#: controlpanel.cpp:896 controlpanel.cpp:910 +msgctxt "listusers" +msgid "BindHost" +msgstr "" + +#: controlpanel.cpp:904 controlpanel.cpp:1144 +msgid "No" +msgstr "" + +#: controlpanel.cpp:906 controlpanel.cpp:1136 +msgid "Yes" +msgstr "" + +#: controlpanel.cpp:920 controlpanel.cpp:989 +msgid "Error: You need to have admin rights to add new users!" +msgstr "" + +#: controlpanel.cpp:926 +msgid "Usage: AddUser " +msgstr "" + +#: controlpanel.cpp:931 +msgid "Error: User {1} already exists!" +msgstr "" + +#: controlpanel.cpp:943 controlpanel.cpp:1018 +msgid "Error: User not added: {1}" +msgstr "" + +#: controlpanel.cpp:947 controlpanel.cpp:1022 +msgid "User {1} added!" +msgstr "" + +#: controlpanel.cpp:954 +msgid "Error: You need to have admin rights to delete users!" +msgstr "" + +#: controlpanel.cpp:960 +msgid "Usage: DelUser " +msgstr "" + +#: controlpanel.cpp:972 +msgid "Error: You can't delete yourself!" +msgstr "" + +#: controlpanel.cpp:978 +msgid "Error: Internal error!" +msgstr "" + +#: controlpanel.cpp:982 +msgid "User {1} deleted!" +msgstr "" + +#: controlpanel.cpp:997 +msgid "Usage: CloneUser " +msgstr "" + +#: controlpanel.cpp:1012 +msgid "Error: Cloning failed: {1}" +msgstr "" + +#: controlpanel.cpp:1041 +msgid "Usage: AddNetwork [user] network" +msgstr "" + +#: controlpanel.cpp:1047 +msgid "" +"Network number limit reached. Ask an admin to increase the limit for you, or " +"delete unneeded networks using /znc DelNetwork " +msgstr "" + +#: controlpanel.cpp:1055 +msgid "Error: User {1} already has a network with the name {2}" +msgstr "" + +#: controlpanel.cpp:1062 +msgid "Network {1} added to user {2}." +msgstr "" + +#: controlpanel.cpp:1066 +msgid "Error: Network [{1}] could not be added for user {2}: {3}" +msgstr "" + +#: controlpanel.cpp:1086 +msgid "Usage: DelNetwork [user] network" +msgstr "" + +#: controlpanel.cpp:1097 +msgid "The currently active network can be deleted via {1}status" +msgstr "" + +#: controlpanel.cpp:1103 +msgid "Network {1} deleted for user {2}." +msgstr "" + +#: controlpanel.cpp:1107 +msgid "Error: Network {1} could not be deleted for user {2}." +msgstr "" + +#: controlpanel.cpp:1126 controlpanel.cpp:1134 +msgctxt "listnetworks" +msgid "Network" +msgstr "" + +#: controlpanel.cpp:1127 controlpanel.cpp:1136 controlpanel.cpp:1144 +msgctxt "listnetworks" +msgid "OnIRC" +msgstr "" + +#: controlpanel.cpp:1128 controlpanel.cpp:1137 +msgctxt "listnetworks" +msgid "IRC Server" +msgstr "" + +#: controlpanel.cpp:1129 controlpanel.cpp:1139 +msgctxt "listnetworks" +msgid "IRC User" +msgstr "" + +#: controlpanel.cpp:1130 controlpanel.cpp:1141 +msgctxt "listnetworks" +msgid "Channels" +msgstr "" + +#: controlpanel.cpp:1149 +msgid "No networks" +msgstr "" + +#: controlpanel.cpp:1160 +msgid "Usage: AddServer [[+]port] [password]" +msgstr "" + +#: controlpanel.cpp:1174 +msgid "Added IRC Server {1} to network {2} for user {3}." +msgstr "" + +#: controlpanel.cpp:1178 +msgid "Error: Could not add IRC server {1} to network {2} for user {3}." +msgstr "" + +#: controlpanel.cpp:1191 +msgid "Usage: DelServer [[+]port] [password]" +msgstr "" + +#: controlpanel.cpp:1206 +msgid "Deleted IRC Server {1} from network {2} for user {3}." +msgstr "" + +#: controlpanel.cpp:1210 +msgid "Error: Could not delete IRC server {1} from network {2} for user {3}." +msgstr "" + +#: controlpanel.cpp:1220 +msgid "Usage: Reconnect " +msgstr "" + +#: controlpanel.cpp:1247 +msgid "Queued network {1} of user {2} for a reconnect." +msgstr "" + +#: controlpanel.cpp:1256 +msgid "Usage: Disconnect " +msgstr "" + +#: controlpanel.cpp:1271 +msgid "Closed IRC connection for network {1} of user {2}." +msgstr "" + +#: controlpanel.cpp:1286 controlpanel.cpp:1291 +msgctxt "listctcp" +msgid "Request" +msgstr "" + +#: controlpanel.cpp:1287 controlpanel.cpp:1292 +msgctxt "listctcp" +msgid "Reply" +msgstr "" + +#: controlpanel.cpp:1296 +msgid "No CTCP replies for user {1} are configured" +msgstr "" + +#: controlpanel.cpp:1299 +msgid "CTCP replies for user {1}:" +msgstr "" + +#: controlpanel.cpp:1315 +msgid "Usage: AddCTCP [user] [request] [reply]" +msgstr "" + +#: controlpanel.cpp:1317 +msgid "" +"This will cause ZNC to reply to the CTCP instead of forwarding it to clients." +msgstr "" + +#: controlpanel.cpp:1320 +msgid "An empty reply will cause the CTCP request to be blocked." +msgstr "" + +#: controlpanel.cpp:1329 +msgid "CTCP requests {1} to user {2} will now be blocked." +msgstr "" + +#: controlpanel.cpp:1333 +msgid "CTCP requests {1} to user {2} will now get reply: {3}" +msgstr "" + +#: controlpanel.cpp:1350 +msgid "Usage: DelCTCP [user] [request]" +msgstr "" + +#: controlpanel.cpp:1356 +msgid "CTCP requests {1} to user {2} will now be sent to IRC clients" +msgstr "" + +#: controlpanel.cpp:1360 +msgid "" +"CTCP requests {1} to user {2} will be sent to IRC clients (nothing has " +"changed)" +msgstr "" + +#: controlpanel.cpp:1370 controlpanel.cpp:1444 +msgid "Loading modules has been disabled." +msgstr "" + +#: controlpanel.cpp:1379 +msgid "Error: Unable to load module {1}: {2}" +msgstr "" + +#: controlpanel.cpp:1382 +msgid "Loaded module {1}" +msgstr "" + +#: controlpanel.cpp:1387 +msgid "Error: Unable to reload module {1}: {2}" +msgstr "" + +#: controlpanel.cpp:1390 +msgid "Reloaded module {1}" +msgstr "" + +#: controlpanel.cpp:1394 +msgid "Error: Unable to load module {1} because it is already loaded" +msgstr "" + +#: controlpanel.cpp:1405 +msgid "Usage: LoadModule [args]" +msgstr "" + +#: controlpanel.cpp:1424 +msgid "Usage: LoadNetModule [args]" +msgstr "" + +#: controlpanel.cpp:1449 +msgid "Please use /znc unloadmod {1}" +msgstr "" + +#: controlpanel.cpp:1455 +msgid "Error: Unable to unload module {1}: {2}" +msgstr "" + +#: controlpanel.cpp:1458 +msgid "Unloaded module {1}" +msgstr "" + +#: controlpanel.cpp:1467 +msgid "Usage: UnloadModule " +msgstr "" + +#: controlpanel.cpp:1484 +msgid "Usage: UnloadNetModule " +msgstr "" + +#: controlpanel.cpp:1501 controlpanel.cpp:1507 +msgctxt "listmodules" +msgid "Name" +msgstr "" + +#: controlpanel.cpp:1502 controlpanel.cpp:1508 +msgctxt "listmodules" +msgid "Arguments" +msgstr "" + +#: controlpanel.cpp:1527 +msgid "User {1} has no modules loaded." +msgstr "" + +#: controlpanel.cpp:1531 +msgid "Modules loaded for user {1}:" +msgstr "" + +#: controlpanel.cpp:1551 +msgid "Network {1} of user {2} has no modules loaded." +msgstr "" + +#: controlpanel.cpp:1556 +msgid "Modules loaded for network {1} of user {2}:" +msgstr "" + +#: controlpanel.cpp:1563 +msgid "[command] [variable]" +msgstr "" + +#: controlpanel.cpp:1564 +msgid "Prints help for matching commands and variables" +msgstr "" + +#: controlpanel.cpp:1567 +msgid " [username]" +msgstr "" + +#: controlpanel.cpp:1568 +msgid "Prints the variable's value for the given or current user" +msgstr "" + +#: controlpanel.cpp:1570 +msgid " " +msgstr "" + +#: controlpanel.cpp:1571 +msgid "Sets the variable's value for the given user" +msgstr "" + +#: controlpanel.cpp:1573 +msgid " [username] [network]" +msgstr "" + +#: controlpanel.cpp:1574 +msgid "Prints the variable's value for the given network" +msgstr "" + +#: controlpanel.cpp:1576 +msgid " " +msgstr "" + +#: controlpanel.cpp:1577 +msgid "Sets the variable's value for the given network" +msgstr "" + +#: controlpanel.cpp:1579 +msgid " [username] " +msgstr "" + +#: controlpanel.cpp:1580 +msgid "Prints the variable's value for the given channel" +msgstr "" + +#: controlpanel.cpp:1583 +msgid " " +msgstr "" + +#: controlpanel.cpp:1584 +msgid "Sets the variable's value for the given channel" +msgstr "" + +#: controlpanel.cpp:1586 controlpanel.cpp:1589 +msgid " " +msgstr "" + +#: controlpanel.cpp:1587 +msgid "Adds a new channel" +msgstr "" + +#: controlpanel.cpp:1590 +msgid "Deletes a channel" +msgstr "" + +#: controlpanel.cpp:1592 +msgid "Lists users" +msgstr "" + +#: controlpanel.cpp:1594 +msgid " " +msgstr "" + +#: controlpanel.cpp:1595 +msgid "Adds a new user" +msgstr "" + +#: controlpanel.cpp:1597 controlpanel.cpp:1620 controlpanel.cpp:1634 +msgid "" +msgstr "" + +#: controlpanel.cpp:1597 +msgid "Deletes a user" +msgstr "" + +#: controlpanel.cpp:1599 +msgid " " +msgstr "" + +#: controlpanel.cpp:1600 +msgid "Clones a user" +msgstr "" + +#: controlpanel.cpp:1602 controlpanel.cpp:1605 +msgid " " +msgstr "" + +#: controlpanel.cpp:1603 +msgid "Adds a new IRC server for the given or current user" +msgstr "" + +#: controlpanel.cpp:1606 +msgid "Deletes an IRC server from the given or current user" +msgstr "" + +#: controlpanel.cpp:1608 controlpanel.cpp:1611 controlpanel.cpp:1631 +msgid " " +msgstr "" + +#: controlpanel.cpp:1609 +msgid "Cycles the user's IRC server connection" +msgstr "" + +#: controlpanel.cpp:1612 +msgid "Disconnects the user from their IRC server" +msgstr "" + +#: controlpanel.cpp:1614 +msgid " [args]" +msgstr "" + +#: controlpanel.cpp:1615 +msgid "Loads a Module for a user" +msgstr "" + +#: controlpanel.cpp:1617 +msgid " " +msgstr "" + +#: controlpanel.cpp:1618 +msgid "Removes a Module of a user" +msgstr "" + +#: controlpanel.cpp:1621 +msgid "Get the list of modules for a user" +msgstr "" + +#: controlpanel.cpp:1624 +msgid " [args]" +msgstr "" + +#: controlpanel.cpp:1625 +msgid "Loads a Module for a network" +msgstr "" + +#: controlpanel.cpp:1628 +msgid " " +msgstr "" + +#: controlpanel.cpp:1629 +msgid "Removes a Module of a network" +msgstr "" + +#: controlpanel.cpp:1632 +msgid "Get the list of modules for a network" +msgstr "" + +#: controlpanel.cpp:1635 +msgid "List the configured CTCP replies" +msgstr "" + +#: controlpanel.cpp:1637 +msgid " [reply]" +msgstr "" + +#: controlpanel.cpp:1638 +msgid "Configure a new CTCP reply" +msgstr "" + +#: controlpanel.cpp:1640 +msgid " " +msgstr "" + +#: controlpanel.cpp:1641 +msgid "Remove a CTCP reply" +msgstr "" + +#: controlpanel.cpp:1645 controlpanel.cpp:1648 +msgid "[username] " +msgstr "" + +#: controlpanel.cpp:1646 +msgid "Add a network for a user" +msgstr "" + +#: controlpanel.cpp:1649 +msgid "Delete a network for a user" +msgstr "" + +#: controlpanel.cpp:1651 +msgid "[username]" +msgstr "" + +#: controlpanel.cpp:1652 +msgid "List all networks for a user" +msgstr "" + +#: controlpanel.cpp:1665 +msgid "" +"Dynamic configuration through IRC. Allows editing only yourself if you're " +"not ZNC admin." +msgstr "" diff --git a/modules/po/crypt.el_GR.po b/modules/po/crypt.el_GR.po new file mode 100644 index 00000000..fb8cadaa --- /dev/null +++ b/modules/po/crypt.el_GR.po @@ -0,0 +1,143 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /master/modules/po/crypt.pot\n" +"X-Crowdin-File-ID: 167\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: crypt.cpp:198 +msgid "<#chan|Nick>" +msgstr "" + +#: crypt.cpp:199 +msgid "Remove a key for nick or channel" +msgstr "" + +#: crypt.cpp:201 +msgid "<#chan|Nick> " +msgstr "" + +#: crypt.cpp:202 +msgid "Set a key for nick or channel" +msgstr "" + +#: crypt.cpp:204 +msgid "List all keys" +msgstr "" + +#: crypt.cpp:206 +msgid "" +msgstr "" + +#: crypt.cpp:207 +msgid "Start a DH1080 key exchange with nick" +msgstr "" + +#: crypt.cpp:210 +msgid "Get the nick prefix" +msgstr "" + +#: crypt.cpp:213 +msgid "[Prefix]" +msgstr "" + +#: crypt.cpp:214 +msgid "Set the nick prefix, with no argument it's disabled." +msgstr "" + +#: crypt.cpp:270 +msgid "Received DH1080 public key from {1}, sending mine..." +msgstr "" + +#: crypt.cpp:275 crypt.cpp:296 +msgid "Key for {1} successfully set." +msgstr "" + +#: crypt.cpp:278 crypt.cpp:299 +msgid "Error in {1} with {2}: {3}" +msgstr "" + +#: crypt.cpp:280 crypt.cpp:301 +msgid "no secret key computed" +msgstr "" + +#: crypt.cpp:395 +msgid "Target [{1}] deleted" +msgstr "" + +#: crypt.cpp:397 +msgid "Target [{1}] not found" +msgstr "" + +#: crypt.cpp:400 +msgid "Usage DelKey <#chan|Nick>" +msgstr "" + +#: crypt.cpp:415 +msgid "Set encryption key for [{1}] to [{2}]" +msgstr "" + +#: crypt.cpp:417 +msgid "Usage: SetKey <#chan|Nick> " +msgstr "" + +#: crypt.cpp:428 +msgid "Sent my DH1080 public key to {1}, waiting for reply ..." +msgstr "" + +#: crypt.cpp:430 +msgid "Error generating our keys, nothing sent." +msgstr "" + +#: crypt.cpp:433 +msgid "Usage: KeyX " +msgstr "" + +#: crypt.cpp:440 +msgid "Nick Prefix disabled." +msgstr "" + +#: crypt.cpp:442 +msgid "Nick Prefix: {1}" +msgstr "" + +#: crypt.cpp:451 +msgid "You cannot use :, even followed by other symbols, as Nick Prefix." +msgstr "" + +#: crypt.cpp:460 +msgid "Overlap with Status Prefix ({1}), this Nick Prefix will not be used!" +msgstr "" + +#: crypt.cpp:465 +msgid "Disabling Nick Prefix." +msgstr "" + +#: crypt.cpp:467 +msgid "Setting Nick Prefix to {1}" +msgstr "" + +#: crypt.cpp:474 crypt.cpp:481 +msgctxt "listkeys" +msgid "Target" +msgstr "" + +#: crypt.cpp:475 crypt.cpp:482 +msgctxt "listkeys" +msgid "Key" +msgstr "" + +#: crypt.cpp:486 +msgid "You have no encryption keys set." +msgstr "" + +#: crypt.cpp:508 +msgid "Encryption for channel/private messages" +msgstr "" diff --git a/modules/po/ctcpflood.el_GR.po b/modules/po/ctcpflood.el_GR.po new file mode 100644 index 00000000..1f402808 --- /dev/null +++ b/modules/po/ctcpflood.el_GR.po @@ -0,0 +1,69 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /master/modules/po/ctcpflood.pot\n" +"X-Crowdin-File-ID: 168\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: ctcpflood.cpp:25 ctcpflood.cpp:27 +msgid "" +msgstr "" + +#: ctcpflood.cpp:25 +msgid "Set seconds limit" +msgstr "" + +#: ctcpflood.cpp:27 +msgid "Set lines limit" +msgstr "" + +#: ctcpflood.cpp:29 +msgid "Show the current limits" +msgstr "" + +#: ctcpflood.cpp:76 +msgid "Limit reached by {1}, blocking all CTCP" +msgstr "" + +#: ctcpflood.cpp:98 +msgid "Usage: Secs " +msgstr "" + +#: ctcpflood.cpp:113 +msgid "Usage: Lines " +msgstr "" + +#: ctcpflood.cpp:125 +msgid "1 CTCP message" +msgid_plural "{1} CTCP messages" +msgstr[0] "" +msgstr[1] "" + +#: ctcpflood.cpp:127 +msgid "every second" +msgid_plural "every {1} seconds" +msgstr[0] "" +msgstr[1] "" + +#: ctcpflood.cpp:129 +msgid "Current limit is {1} {2}" +msgstr "" + +#: ctcpflood.cpp:145 +msgid "" +"This user module takes none to two arguments. The first argument is the " +"number of lines after which the flood-protection is triggered. The second " +"argument is the time (sec) to in which the number of lines is reached. The " +"default setting is 4 CTCPs in 2 seconds" +msgstr "" + +#: ctcpflood.cpp:151 +msgid "Don't forward CTCP floods to clients" +msgstr "" diff --git a/modules/po/cyrusauth.el_GR.po b/modules/po/cyrusauth.el_GR.po new file mode 100644 index 00000000..f64deed7 --- /dev/null +++ b/modules/po/cyrusauth.el_GR.po @@ -0,0 +1,73 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /master/modules/po/cyrusauth.pot\n" +"X-Crowdin-File-ID: 169\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: cyrusauth.cpp:42 +msgid "Shows current settings" +msgstr "" + +#: cyrusauth.cpp:44 +msgid "yes|clone |no" +msgstr "" + +#: cyrusauth.cpp:45 +msgid "" +"Create ZNC users upon first successful login, optionally from a template" +msgstr "" + +#: cyrusauth.cpp:56 +msgid "Access denied" +msgstr "" + +#: cyrusauth.cpp:70 +msgid "Ignoring invalid SASL pwcheck method: {1}" +msgstr "" + +#: cyrusauth.cpp:71 +msgid "Ignored invalid SASL pwcheck method" +msgstr "" + +#: cyrusauth.cpp:79 +msgid "Need a pwcheck method as argument (saslauthd, auxprop)" +msgstr "" + +#: cyrusauth.cpp:84 +msgid "SASL Could Not Be Initialized - Halting Startup" +msgstr "" + +#: cyrusauth.cpp:171 cyrusauth.cpp:186 +msgid "We will not create users on their first login" +msgstr "" + +#: cyrusauth.cpp:174 cyrusauth.cpp:195 +msgid "" +"We will create users on their first login, using user [{1}] as a template" +msgstr "" + +#: cyrusauth.cpp:177 cyrusauth.cpp:190 +msgid "We will create users on their first login" +msgstr "" + +#: cyrusauth.cpp:199 +msgid "Usage: CreateUsers yes, CreateUsers no, or CreateUsers clone " +msgstr "" + +#: cyrusauth.cpp:232 +msgid "" +"This global module takes up to two arguments - the methods of authentication " +"- auxprop and saslauthd" +msgstr "" + +#: cyrusauth.cpp:238 +msgid "Allow users to authenticate via SASL password verification method" +msgstr "" diff --git a/modules/po/dcc.el_GR.po b/modules/po/dcc.el_GR.po new file mode 100644 index 00000000..36879684 --- /dev/null +++ b/modules/po/dcc.el_GR.po @@ -0,0 +1,227 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /master/modules/po/dcc.pot\n" +"X-Crowdin-File-ID: 170\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: dcc.cpp:88 +msgid " " +msgstr "" + +#: dcc.cpp:89 +msgid "Send a file from ZNC to someone" +msgstr "" + +#: dcc.cpp:91 +msgid "" +msgstr "" + +#: dcc.cpp:92 +msgid "Send a file from ZNC to your client" +msgstr "" + +#: dcc.cpp:94 +msgid "List current transfers" +msgstr "" + +#: dcc.cpp:103 +msgid "You must be admin to use the DCC module" +msgstr "" + +#: dcc.cpp:140 +msgid "Attempting to send [{1}] to [{2}]." +msgstr "" + +#: dcc.cpp:149 dcc.cpp:554 +msgid "Receiving [{1}] from [{2}]: File already exists." +msgstr "" + +#: dcc.cpp:167 +msgid "" +"Attempting to connect to [{1} {2}] in order to download [{3}] from [{4}]." +msgstr "" + +#: dcc.cpp:179 +msgid "Usage: Send " +msgstr "" + +#: dcc.cpp:186 dcc.cpp:206 +msgid "Illegal path." +msgstr "" + +#: dcc.cpp:199 +msgid "Usage: Get " +msgstr "" + +#: dcc.cpp:215 dcc.cpp:232 dcc.cpp:234 +msgctxt "list" +msgid "Type" +msgstr "" + +#: dcc.cpp:216 dcc.cpp:238 dcc.cpp:241 +msgctxt "list" +msgid "State" +msgstr "" + +#: dcc.cpp:217 dcc.cpp:243 +msgctxt "list" +msgid "Speed" +msgstr "" + +#: dcc.cpp:218 dcc.cpp:227 +msgctxt "list" +msgid "Nick" +msgstr "" + +#: dcc.cpp:219 dcc.cpp:228 +msgctxt "list" +msgid "IP" +msgstr "" + +#: dcc.cpp:220 dcc.cpp:229 +msgctxt "list" +msgid "File" +msgstr "" + +#: dcc.cpp:232 +msgctxt "list-type" +msgid "Sending" +msgstr "" + +#: dcc.cpp:234 +msgctxt "list-type" +msgid "Getting" +msgstr "" + +#: dcc.cpp:239 +msgctxt "list-state" +msgid "Waiting" +msgstr "" + +#: dcc.cpp:244 +msgid "{1} KiB/s" +msgstr "" + +#: dcc.cpp:250 +msgid "You have no active DCC transfers." +msgstr "" + +#: dcc.cpp:267 +msgid "Attempting to resume send from position {1} of file [{2}] for [{3}]" +msgstr "" + +#: dcc.cpp:277 +msgid "Couldn't resume file [{1}] for [{2}]: not sending anything." +msgstr "" + +#: dcc.cpp:286 +msgid "Bad DCC file: {1}" +msgstr "" + +#: dcc.cpp:341 +msgid "Sending [{1}] to [{2}]: File not open!" +msgstr "" + +#: dcc.cpp:345 +msgid "Receiving [{1}] from [{2}]: File not open!" +msgstr "" + +#: dcc.cpp:385 +msgid "Sending [{1}] to [{2}]: Connection refused." +msgstr "" + +#: dcc.cpp:389 +msgid "Receiving [{1}] from [{2}]: Connection refused." +msgstr "" + +#: dcc.cpp:397 +msgid "Sending [{1}] to [{2}]: Timeout." +msgstr "" + +#: dcc.cpp:401 +msgid "Receiving [{1}] from [{2}]: Timeout." +msgstr "" + +#: dcc.cpp:411 +msgid "Sending [{1}] to [{2}]: Socket error {3}: {4}" +msgstr "" + +#: dcc.cpp:415 +msgid "Receiving [{1}] from [{2}]: Socket error {3}: {4}" +msgstr "" + +#: dcc.cpp:423 +msgid "Sending [{1}] to [{2}]: Transfer started." +msgstr "" + +#: dcc.cpp:427 +msgid "Receiving [{1}] from [{2}]: Transfer started." +msgstr "" + +#: dcc.cpp:446 +msgid "Sending [{1}] to [{2}]: Too much data!" +msgstr "" + +#: dcc.cpp:450 +msgid "Receiving [{1}] from [{2}]: Too much data!" +msgstr "" + +#: dcc.cpp:456 +msgid "Sending [{1}] to [{2}] completed at {3} KiB/s" +msgstr "" + +#: dcc.cpp:461 +msgid "Receiving [{1}] from [{2}] completed at {3} KiB/s" +msgstr "" + +#: dcc.cpp:474 +msgid "Sending [{1}] to [{2}]: File closed prematurely." +msgstr "" + +#: dcc.cpp:478 +msgid "Receiving [{1}] from [{2}]: File closed prematurely." +msgstr "" + +#: dcc.cpp:501 +msgid "Sending [{1}] to [{2}]: Error reading from file." +msgstr "" + +#: dcc.cpp:505 +msgid "Receiving [{1}] from [{2}]: Error reading from file." +msgstr "" + +#: dcc.cpp:537 +msgid "Sending [{1}] to [{2}]: Unable to open file." +msgstr "" + +#: dcc.cpp:541 +msgid "Receiving [{1}] from [{2}]: Unable to open file." +msgstr "" + +#: dcc.cpp:563 +msgid "Receiving [{1}] from [{2}]: Could not open file." +msgstr "" + +#: dcc.cpp:572 +msgid "Sending [{1}] to [{2}]: Not a file." +msgstr "" + +#: dcc.cpp:581 +msgid "Sending [{1}] to [{2}]: Could not open file." +msgstr "" + +#: dcc.cpp:593 +msgid "Sending [{1}] to [{2}]: File too large (>4 GiB)." +msgstr "" + +#: dcc.cpp:623 +msgid "This module allows you to transfer files to and from ZNC" +msgstr "" diff --git a/modules/po/disconkick.el_GR.po b/modules/po/disconkick.el_GR.po new file mode 100644 index 00000000..ac1ebcc4 --- /dev/null +++ b/modules/po/disconkick.el_GR.po @@ -0,0 +1,23 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /master/modules/po/disconkick.pot\n" +"X-Crowdin-File-ID: 171\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: disconkick.cpp:32 +msgid "You have been disconnected from the IRC server" +msgstr "" + +#: disconkick.cpp:45 +msgid "" +"Kicks the client from all channels when the connection to the IRC server is " +"lost" +msgstr "" diff --git a/modules/po/fail2ban.el_GR.po b/modules/po/fail2ban.el_GR.po new file mode 100644 index 00000000..55826ee8 --- /dev/null +++ b/modules/po/fail2ban.el_GR.po @@ -0,0 +1,117 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /master/modules/po/fail2ban.pot\n" +"X-Crowdin-File-ID: 172\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: fail2ban.cpp:25 +msgid "[minutes]" +msgstr "" + +#: fail2ban.cpp:26 +msgid "The number of minutes IPs are blocked after a failed login." +msgstr "" + +#: fail2ban.cpp:28 +msgid "[count]" +msgstr "" + +#: fail2ban.cpp:29 +msgid "The number of allowed failed login attempts." +msgstr "" + +#: fail2ban.cpp:31 fail2ban.cpp:33 +msgid "" +msgstr "" + +#: fail2ban.cpp:31 +msgid "Ban the specified hosts." +msgstr "" + +#: fail2ban.cpp:33 +msgid "Unban the specified hosts." +msgstr "" + +#: fail2ban.cpp:35 +msgid "List banned hosts." +msgstr "" + +#: fail2ban.cpp:55 +msgid "" +"Invalid argument, must be the number of minutes IPs are blocked after a " +"failed login and can be followed by number of allowed failed login attempts" +msgstr "" + +#: fail2ban.cpp:77 fail2ban.cpp:100 fail2ban.cpp:123 fail2ban.cpp:146 +#: fail2ban.cpp:172 +msgid "Access denied" +msgstr "" + +#: fail2ban.cpp:86 +msgid "Usage: Timeout [minutes]" +msgstr "" + +#: fail2ban.cpp:91 fail2ban.cpp:94 +msgid "Timeout: {1} min" +msgstr "" + +#: fail2ban.cpp:109 +msgid "Usage: Attempts [count]" +msgstr "" + +#: fail2ban.cpp:114 fail2ban.cpp:117 +msgid "Attempts: {1}" +msgstr "" + +#: fail2ban.cpp:130 +msgid "Usage: Ban " +msgstr "" + +#: fail2ban.cpp:140 +msgid "Banned: {1}" +msgstr "" + +#: fail2ban.cpp:153 +msgid "Usage: Unban " +msgstr "" + +#: fail2ban.cpp:163 +msgid "Unbanned: {1}" +msgstr "" + +#: fail2ban.cpp:165 +msgid "Ignored: {1}" +msgstr "" + +#: fail2ban.cpp:177 fail2ban.cpp:183 +msgctxt "list" +msgid "Host" +msgstr "" + +#: fail2ban.cpp:178 fail2ban.cpp:184 +msgctxt "list" +msgid "Attempts" +msgstr "" + +#: fail2ban.cpp:188 +msgctxt "list" +msgid "No bans" +msgstr "" + +#: fail2ban.cpp:245 +msgid "" +"You might enter the time in minutes for the IP banning and the number of " +"failed logins before any action is taken." +msgstr "" + +#: fail2ban.cpp:250 +msgid "Block IPs for some time after a failed login." +msgstr "" diff --git a/modules/po/flooddetach.el_GR.po b/modules/po/flooddetach.el_GR.po new file mode 100644 index 00000000..76f27c6a --- /dev/null +++ b/modules/po/flooddetach.el_GR.po @@ -0,0 +1,91 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /master/modules/po/flooddetach.pot\n" +"X-Crowdin-File-ID: 173\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: flooddetach.cpp:30 +msgid "Show current limits" +msgstr "" + +#: flooddetach.cpp:32 flooddetach.cpp:35 +msgid "[]" +msgstr "" + +#: flooddetach.cpp:33 +msgid "Show or set number of seconds in the time interval" +msgstr "" + +#: flooddetach.cpp:36 +msgid "Show or set number of lines in the time interval" +msgstr "" + +#: flooddetach.cpp:39 +msgid "Show or set whether to notify you about detaching and attaching back" +msgstr "" + +#: flooddetach.cpp:93 +msgid "Flood in {1} is over, reattaching..." +msgstr "" + +#: flooddetach.cpp:150 +msgid "Channel {1} was flooded, you've been detached" +msgstr "" + +#: flooddetach.cpp:187 +msgid "1 line" +msgid_plural "{1} lines" +msgstr[0] "" +msgstr[1] "" + +#: flooddetach.cpp:188 +msgid "every second" +msgid_plural "every {1} seconds" +msgstr[0] "" +msgstr[1] "" + +#: flooddetach.cpp:190 +msgid "Current limit is {1} {2}" +msgstr "" + +#: flooddetach.cpp:197 +msgid "Seconds limit is {1}" +msgstr "" + +#: flooddetach.cpp:202 +msgid "Set seconds limit to {1}" +msgstr "" + +#: flooddetach.cpp:211 +msgid "Lines limit is {1}" +msgstr "" + +#: flooddetach.cpp:216 +msgid "Set lines limit to {1}" +msgstr "" + +#: flooddetach.cpp:229 +msgid "Module messages are disabled" +msgstr "" + +#: flooddetach.cpp:231 +msgid "Module messages are enabled" +msgstr "" + +#: flooddetach.cpp:247 +msgid "" +"This user module takes up to two arguments. Arguments are numbers of " +"messages and seconds." +msgstr "" + +#: flooddetach.cpp:251 +msgid "Detach channels when flooded" +msgstr "" diff --git a/modules/po/identfile.el_GR.po b/modules/po/identfile.el_GR.po new file mode 100644 index 00000000..1735ebde --- /dev/null +++ b/modules/po/identfile.el_GR.po @@ -0,0 +1,83 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /master/modules/po/identfile.pot\n" +"X-Crowdin-File-ID: 174\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: identfile.cpp:30 +msgid "Show file name" +msgstr "" + +#: identfile.cpp:32 +msgid "" +msgstr "" + +#: identfile.cpp:32 +msgid "Set file name" +msgstr "" + +#: identfile.cpp:34 +msgid "Show file format" +msgstr "" + +#: identfile.cpp:36 +msgid "" +msgstr "" + +#: identfile.cpp:36 +msgid "Set file format" +msgstr "" + +#: identfile.cpp:38 +msgid "Show current state" +msgstr "" + +#: identfile.cpp:48 +msgid "File is set to: {1}" +msgstr "" + +#: identfile.cpp:53 +msgid "File has been set to: {1}" +msgstr "" + +#: identfile.cpp:58 +msgid "Format has been set to: {1}" +msgstr "" + +#: identfile.cpp:59 identfile.cpp:65 +msgid "Format would be expanded to: {1}" +msgstr "" + +#: identfile.cpp:64 +msgid "Format is set to: {1}" +msgstr "" + +#: identfile.cpp:78 +msgid "identfile is free" +msgstr "" + +#: identfile.cpp:86 +msgid "Access denied" +msgstr "" + +#: identfile.cpp:181 +msgid "" +"Aborting connection, another user or network is currently connecting and " +"using the ident spoof file" +msgstr "" + +#: identfile.cpp:189 +msgid "[{1}] could not be written, retrying..." +msgstr "" + +#: identfile.cpp:223 +msgid "Write the ident of a user to a file when they are trying to connect." +msgstr "" diff --git a/modules/po/imapauth.el_GR.po b/modules/po/imapauth.el_GR.po new file mode 100644 index 00000000..3884d567 --- /dev/null +++ b/modules/po/imapauth.el_GR.po @@ -0,0 +1,21 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /master/modules/po/imapauth.pot\n" +"X-Crowdin-File-ID: 175\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: imapauth.cpp:168 +msgid "[ server [+]port [ UserFormatString ] ]" +msgstr "" + +#: imapauth.cpp:171 +msgid "Allow users to authenticate via IMAP." +msgstr "" diff --git a/modules/po/keepnick.el_GR.po b/modules/po/keepnick.el_GR.po new file mode 100644 index 00000000..102e4625 --- /dev/null +++ b/modules/po/keepnick.el_GR.po @@ -0,0 +1,53 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /master/modules/po/keepnick.pot\n" +"X-Crowdin-File-ID: 176\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: keepnick.cpp:39 +msgid "Try to get your primary nick" +msgstr "" + +#: keepnick.cpp:42 keepnick.cpp:196 +msgid "No longer trying to get your primary nick" +msgstr "" + +#: keepnick.cpp:44 +msgid "Show the current state" +msgstr "" + +#: keepnick.cpp:158 +msgid "ZNC is already trying to get this nickname" +msgstr "" + +#: keepnick.cpp:173 +msgid "Unable to obtain nick {1}: {2}, {3}" +msgstr "" + +#: keepnick.cpp:181 +msgid "Unable to obtain nick {1}" +msgstr "" + +#: keepnick.cpp:191 +msgid "Trying to get your primary nick" +msgstr "" + +#: keepnick.cpp:201 +msgid "Currently trying to get your primary nick" +msgstr "" + +#: keepnick.cpp:203 +msgid "Currently disabled, try 'enable'" +msgstr "" + +#: keepnick.cpp:224 +msgid "Keeps trying for your primary nick" +msgstr "" diff --git a/modules/po/kickrejoin.el_GR.po b/modules/po/kickrejoin.el_GR.po new file mode 100644 index 00000000..639e2f0a --- /dev/null +++ b/modules/po/kickrejoin.el_GR.po @@ -0,0 +1,61 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /master/modules/po/kickrejoin.pot\n" +"X-Crowdin-File-ID: 177\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: kickrejoin.cpp:56 +msgid "" +msgstr "" + +#: kickrejoin.cpp:56 +msgid "Set the rejoin delay" +msgstr "" + +#: kickrejoin.cpp:58 +msgid "Show the rejoin delay" +msgstr "" + +#: kickrejoin.cpp:77 +msgid "Illegal argument, must be a positive number or 0" +msgstr "" + +#: kickrejoin.cpp:90 +msgid "Negative delays don't make any sense!" +msgstr "" + +#: kickrejoin.cpp:98 +msgid "Rejoin delay set to 1 second" +msgid_plural "Rejoin delay set to {1} seconds" +msgstr[0] "" +msgstr[1] "" + +#: kickrejoin.cpp:101 +msgid "Rejoin delay disabled" +msgstr "" + +#: kickrejoin.cpp:106 +msgid "Rejoin delay is set to 1 second" +msgid_plural "Rejoin delay is set to {1} seconds" +msgstr[0] "" +msgstr[1] "" + +#: kickrejoin.cpp:109 +msgid "Rejoin delay is disabled" +msgstr "" + +#: kickrejoin.cpp:131 +msgid "You might enter the number of seconds to wait before rejoining." +msgstr "" + +#: kickrejoin.cpp:134 +msgid "Autorejoins on kick" +msgstr "" diff --git a/modules/po/lastseen.el_GR.po b/modules/po/lastseen.el_GR.po new file mode 100644 index 00000000..9856a914 --- /dev/null +++ b/modules/po/lastseen.el_GR.po @@ -0,0 +1,67 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /master/modules/po/lastseen.pot\n" +"X-Crowdin-File-ID: 178\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: modules/po/../data/lastseen/tmpl/index.tmpl:8 +msgid "User" +msgstr "" + +#: modules/po/../data/lastseen/tmpl/index.tmpl:9 lastseen.cpp:99 +msgid "Last Seen" +msgstr "" + +#: modules/po/../data/lastseen/tmpl/index.tmpl:10 +msgid "Info" +msgstr "" + +#: modules/po/../data/lastseen/tmpl/index.tmpl:11 +msgid "Action" +msgstr "" + +#: modules/po/../data/lastseen/tmpl/index.tmpl:21 +msgid "Edit" +msgstr "" + +#: modules/po/../data/lastseen/tmpl/index.tmpl:22 +msgid "Delete" +msgstr "" + +#: modules/po/../data/lastseen/tmpl/lastseen_WebadminUser.tmpl:6 +msgid "Last login time:" +msgstr "" + +#: lastseen.cpp:53 +msgid "Access denied" +msgstr "" + +#: lastseen.cpp:61 lastseen.cpp:67 +msgctxt "show" +msgid "User" +msgstr "" + +#: lastseen.cpp:62 lastseen.cpp:68 +msgctxt "show" +msgid "Last Seen" +msgstr "" + +#: lastseen.cpp:69 lastseen.cpp:125 +msgid "never" +msgstr "" + +#: lastseen.cpp:79 +msgid "Shows list of users and when they last logged in" +msgstr "" + +#: lastseen.cpp:154 +msgid "Collects data about when a user last logged in." +msgstr "" diff --git a/modules/po/listsockets.el_GR.po b/modules/po/listsockets.el_GR.po new file mode 100644 index 00000000..f5832b23 --- /dev/null +++ b/modules/po/listsockets.el_GR.po @@ -0,0 +1,113 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /master/modules/po/listsockets.pot\n" +"X-Crowdin-File-ID: 179\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:7 listsockets.cpp:213 +#: listsockets.cpp:229 +msgid "Name" +msgstr "" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:8 listsockets.cpp:214 +#: listsockets.cpp:230 +msgid "Created" +msgstr "" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:9 listsockets.cpp:215 +#: listsockets.cpp:231 +msgid "State" +msgstr "" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:10 listsockets.cpp:217 +#: listsockets.cpp:234 +msgid "SSL" +msgstr "" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:11 listsockets.cpp:219 +#: listsockets.cpp:239 +msgid "Local" +msgstr "" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:12 listsockets.cpp:220 +#: listsockets.cpp:241 +msgid "Remote" +msgstr "" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:13 +msgid "Data In" +msgstr "" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:14 +msgid "Data Out" +msgstr "" + +#: listsockets.cpp:62 +msgid "[-n]" +msgstr "" + +#: listsockets.cpp:62 +msgid "Shows the list of active sockets. Pass -n to show IP addresses" +msgstr "" + +#: listsockets.cpp:70 +msgid "You must be admin to use this module" +msgstr "" + +#: listsockets.cpp:95 +msgid "List sockets" +msgstr "" + +#: listsockets.cpp:115 listsockets.cpp:235 +msgctxt "ssl" +msgid "Yes" +msgstr "" + +#: listsockets.cpp:115 listsockets.cpp:236 +msgctxt "ssl" +msgid "No" +msgstr "" + +#: listsockets.cpp:141 +msgid "Listener" +msgstr "" + +#: listsockets.cpp:143 +msgid "Inbound" +msgstr "" + +#: listsockets.cpp:146 +msgid "Outbound" +msgstr "" + +#: listsockets.cpp:148 +msgid "Connecting" +msgstr "" + +#: listsockets.cpp:151 +msgid "UNKNOWN" +msgstr "" + +#: listsockets.cpp:206 +msgid "You have no open sockets." +msgstr "" + +#: listsockets.cpp:221 listsockets.cpp:243 +msgid "In" +msgstr "" + +#: listsockets.cpp:222 listsockets.cpp:245 +msgid "Out" +msgstr "" + +#: listsockets.cpp:261 +msgid "Lists active sockets" +msgstr "" diff --git a/modules/po/log.el_GR.po b/modules/po/log.el_GR.po new file mode 100644 index 00000000..3e2747d2 --- /dev/null +++ b/modules/po/log.el_GR.po @@ -0,0 +1,148 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /master/modules/po/log.pot\n" +"X-Crowdin-File-ID: 180\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: log.cpp:59 +msgid "" +msgstr "" + +#: log.cpp:60 +msgid "Set logging rules, use !#chan or !query to negate and * " +msgstr "" + +#: log.cpp:62 +msgid "Clear all logging rules" +msgstr "" + +#: log.cpp:64 +msgid "List all logging rules" +msgstr "" + +#: log.cpp:67 +msgid " true|false" +msgstr "" + +#: log.cpp:68 +msgid "Set one of the following options: joins, quits, nickchanges" +msgstr "" + +#: log.cpp:71 +msgid "Show current settings set by Set command" +msgstr "" + +#: log.cpp:143 +msgid "Usage: SetRules " +msgstr "" + +#: log.cpp:144 +msgid "Wildcards are allowed" +msgstr "" + +#: log.cpp:156 log.cpp:179 +msgid "No logging rules. Everything is logged." +msgstr "" + +#: log.cpp:161 +msgid "1 rule removed: {2}" +msgid_plural "{1} rules removed: {2}" +msgstr[0] "" +msgstr[1] "" + +#: log.cpp:168 log.cpp:174 +msgctxt "listrules" +msgid "Rule" +msgstr "" + +#: log.cpp:169 log.cpp:175 +msgctxt "listrules" +msgid "Logging enabled" +msgstr "" + +#: log.cpp:190 +msgid "" +"Usage: Set true|false, where is one of: joins, quits, nickchanges" +msgstr "" + +#: log.cpp:197 +msgid "Will log joins" +msgstr "" + +#: log.cpp:197 +msgid "Will not log joins" +msgstr "" + +#: log.cpp:198 +msgid "Will log quits" +msgstr "" + +#: log.cpp:198 +msgid "Will not log quits" +msgstr "" + +#: log.cpp:200 +msgid "Will log nick changes" +msgstr "" + +#: log.cpp:200 +msgid "Will not log nick changes" +msgstr "" + +#: log.cpp:204 +msgid "Unknown variable. Known variables: joins, quits, nickchanges" +msgstr "" + +#: log.cpp:212 +msgid "Logging joins" +msgstr "" + +#: log.cpp:212 +msgid "Not logging joins" +msgstr "" + +#: log.cpp:213 +msgid "Logging quits" +msgstr "" + +#: log.cpp:213 +msgid "Not logging quits" +msgstr "" + +#: log.cpp:214 +msgid "Logging nick changes" +msgstr "" + +#: log.cpp:215 +msgid "Not logging nick changes" +msgstr "" + +#: log.cpp:352 +msgid "" +"Invalid args [{1}]. Only one log path allowed. Check that there are no " +"spaces in the path." +msgstr "" + +#: log.cpp:402 +msgid "Invalid log path [{1}]" +msgstr "" + +#: log.cpp:405 +msgid "Logging to [{1}]. Using timestamp format '{2}'" +msgstr "" + +#: log.cpp:560 +msgid "[-sanitize] Optional path where to store logs." +msgstr "" + +#: log.cpp:564 +msgid "Writes IRC logs." +msgstr "" diff --git a/modules/po/missingmotd.el_GR.po b/modules/po/missingmotd.el_GR.po new file mode 100644 index 00000000..9a535b42 --- /dev/null +++ b/modules/po/missingmotd.el_GR.po @@ -0,0 +1,17 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /master/modules/po/missingmotd.pot\n" +"X-Crowdin-File-ID: 181\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: missingmotd.cpp:36 +msgid "Sends 422 to clients when they login" +msgstr "" diff --git a/modules/po/modperl.el_GR.po b/modules/po/modperl.el_GR.po new file mode 100644 index 00000000..31388f30 --- /dev/null +++ b/modules/po/modperl.el_GR.po @@ -0,0 +1,17 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /master/modules/po/modperl.pot\n" +"X-Crowdin-File-ID: 182\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: modperl.cpp:382 +msgid "Loads perl scripts as ZNC modules" +msgstr "" diff --git a/modules/po/modpython.el_GR.po b/modules/po/modpython.el_GR.po new file mode 100644 index 00000000..0adfefbb --- /dev/null +++ b/modules/po/modpython.el_GR.po @@ -0,0 +1,17 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /master/modules/po/modpython.pot\n" +"X-Crowdin-File-ID: 183\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: modpython.cpp:513 +msgid "Loads python scripts as ZNC modules" +msgstr "" diff --git a/modules/po/modules_online.el_GR.po b/modules/po/modules_online.el_GR.po new file mode 100644 index 00000000..6ad10602 --- /dev/null +++ b/modules/po/modules_online.el_GR.po @@ -0,0 +1,17 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /master/modules/po/modules_online.pot\n" +"X-Crowdin-File-ID: 184\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: modules_online.cpp:117 +msgid "Makes ZNC's *modules to be \"online\"." +msgstr "" diff --git a/modules/po/nickserv.el_GR.po b/modules/po/nickserv.el_GR.po new file mode 100644 index 00000000..cb1b0386 --- /dev/null +++ b/modules/po/nickserv.el_GR.po @@ -0,0 +1,79 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /master/modules/po/nickserv.pot\n" +"X-Crowdin-File-ID: 185\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: nickserv.cpp:31 +msgid "Password set" +msgstr "" + +#: nickserv.cpp:36 nickserv.cpp:46 +msgid "Done" +msgstr "" + +#: nickserv.cpp:41 +msgid "NickServ name set" +msgstr "" + +#: nickserv.cpp:60 +msgid "No such editable command. See ViewCommands for list." +msgstr "" + +#: nickserv.cpp:63 +msgid "Ok" +msgstr "" + +#: nickserv.cpp:68 +msgid "password" +msgstr "" + +#: nickserv.cpp:68 +msgid "Set your nickserv password" +msgstr "" + +#: nickserv.cpp:70 +msgid "Clear your nickserv password" +msgstr "" + +#: nickserv.cpp:72 +msgid "nickname" +msgstr "" + +#: nickserv.cpp:73 +msgid "" +"Set NickServ name (Useful on networks like EpiKnet, where NickServ is named " +"Themis" +msgstr "" + +#: nickserv.cpp:77 +msgid "Reset NickServ name to default (NickServ)" +msgstr "" + +#: nickserv.cpp:81 +msgid "Show patterns for lines, which are being sent to NickServ" +msgstr "" + +#: nickserv.cpp:83 +msgid "cmd new-pattern" +msgstr "" + +#: nickserv.cpp:84 +msgid "Set pattern for commands" +msgstr "" + +#: nickserv.cpp:146 +msgid "Please enter your nickserv password." +msgstr "" + +#: nickserv.cpp:150 +msgid "Auths you with NickServ (prefer SASL module instead)" +msgstr "" diff --git a/modules/po/notes.el_GR.po b/modules/po/notes.el_GR.po new file mode 100644 index 00000000..337ddeae --- /dev/null +++ b/modules/po/notes.el_GR.po @@ -0,0 +1,119 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /master/modules/po/notes.pot\n" +"X-Crowdin-File-ID: 186\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: modules/po/../data/notes/tmpl/index.tmpl:7 +msgid "Add A Note" +msgstr "" + +#: modules/po/../data/notes/tmpl/index.tmpl:11 +msgid "Key:" +msgstr "" + +#: modules/po/../data/notes/tmpl/index.tmpl:15 +msgid "Note:" +msgstr "" + +#: modules/po/../data/notes/tmpl/index.tmpl:19 +msgid "Add Note" +msgstr "" + +#: modules/po/../data/notes/tmpl/index.tmpl:27 +msgid "You have no notes to display." +msgstr "" + +#: modules/po/../data/notes/tmpl/index.tmpl:34 notes.cpp:164 notes.cpp:170 +msgid "Key" +msgstr "" + +#: modules/po/../data/notes/tmpl/index.tmpl:35 notes.cpp:165 notes.cpp:171 +msgid "Note" +msgstr "" + +#: modules/po/../data/notes/tmpl/index.tmpl:41 +msgid "[del]" +msgstr "" + +#: notes.cpp:32 +msgid "That note already exists. Use MOD to overwrite." +msgstr "" + +#: notes.cpp:35 notes.cpp:137 +msgid "Added note {1}" +msgstr "" + +#: notes.cpp:37 notes.cpp:48 notes.cpp:142 +msgid "Unable to add note {1}" +msgstr "" + +#: notes.cpp:46 notes.cpp:139 +msgid "Set note for {1}" +msgstr "" + +#: notes.cpp:56 +msgid "This note doesn't exist." +msgstr "" + +#: notes.cpp:66 notes.cpp:116 +msgid "Deleted note {1}" +msgstr "" + +#: notes.cpp:68 notes.cpp:118 +msgid "Unable to delete note {1}" +msgstr "" + +#: notes.cpp:75 +msgid "List notes" +msgstr "" + +#: notes.cpp:77 notes.cpp:81 +msgid " " +msgstr "" + +#: notes.cpp:77 +msgid "Add a note" +msgstr "" + +#: notes.cpp:79 notes.cpp:83 +msgid "" +msgstr "" + +#: notes.cpp:79 +msgid "Delete a note" +msgstr "" + +#: notes.cpp:81 +msgid "Modify a note" +msgstr "" + +#: notes.cpp:94 +msgid "Notes" +msgstr "" + +#: notes.cpp:133 +msgid "That note already exists. Use /#+ to overwrite." +msgstr "" + +#: notes.cpp:186 notes.cpp:188 +msgid "You have no entries." +msgstr "" + +#: notes.cpp:224 +msgid "" +"This user module takes up to one arguments. It can be -disableNotesOnLogin " +"not to show notes upon client login" +msgstr "" + +#: notes.cpp:228 +msgid "Keep and replay notes" +msgstr "" diff --git a/modules/po/notify_connect.el_GR.po b/modules/po/notify_connect.el_GR.po new file mode 100644 index 00000000..c28d462d --- /dev/null +++ b/modules/po/notify_connect.el_GR.po @@ -0,0 +1,29 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /master/modules/po/notify_connect.pot\n" +"X-Crowdin-File-ID: 187\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: notify_connect.cpp:24 +msgid "attached" +msgstr "" + +#: notify_connect.cpp:26 +msgid "detached" +msgstr "" + +#: notify_connect.cpp:41 +msgid "{1} {2} from {3}" +msgstr "" + +#: notify_connect.cpp:52 +msgid "Notifies all admin users when a client connects or disconnects." +msgstr "" diff --git a/modules/po/perform.el_GR.po b/modules/po/perform.el_GR.po new file mode 100644 index 00000000..884bb292 --- /dev/null +++ b/modules/po/perform.el_GR.po @@ -0,0 +1,108 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /master/modules/po/perform.pot\n" +"X-Crowdin-File-ID: 189\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: modules/po/../data/perform/tmpl/index.tmpl:7 perform.cpp:143 +msgid "Perform" +msgstr "" + +#: modules/po/../data/perform/tmpl/index.tmpl:11 +msgid "Perform commands:" +msgstr "" + +#: modules/po/../data/perform/tmpl/index.tmpl:15 +msgid "Commands sent to the IRC server on connect, one per line." +msgstr "" + +#: modules/po/../data/perform/tmpl/index.tmpl:18 +msgid "Save" +msgstr "" + +#: perform.cpp:24 +msgid "Usage: add " +msgstr "" + +#: perform.cpp:29 +msgid "Added!" +msgstr "" + +#: perform.cpp:37 perform.cpp:82 +msgid "Illegal # Requested" +msgstr "" + +#: perform.cpp:41 +msgid "Command Erased." +msgstr "" + +#: perform.cpp:50 perform.cpp:56 +msgctxt "list" +msgid "Id" +msgstr "" + +#: perform.cpp:51 perform.cpp:57 +msgctxt "list" +msgid "Perform" +msgstr "" + +#: perform.cpp:52 perform.cpp:62 +msgctxt "list" +msgid "Expanded" +msgstr "" + +#: perform.cpp:67 +msgid "No commands in your perform list." +msgstr "" + +#: perform.cpp:73 +msgid "perform commands sent" +msgstr "" + +#: perform.cpp:86 +msgid "Commands Swapped." +msgstr "" + +#: perform.cpp:95 +msgid "" +msgstr "" + +#: perform.cpp:96 +msgid "Adds perform command to be sent to the server on connect" +msgstr "" + +#: perform.cpp:98 +msgid "" +msgstr "" + +#: perform.cpp:98 +msgid "Delete a perform command" +msgstr "" + +#: perform.cpp:100 +msgid "List the perform commands" +msgstr "" + +#: perform.cpp:103 +msgid "Send the perform commands to the server now" +msgstr "" + +#: perform.cpp:105 +msgid " " +msgstr "" + +#: perform.cpp:106 +msgid "Swap two perform commands" +msgstr "" + +#: perform.cpp:192 +msgid "Keeps a list of commands to be executed when ZNC connects to IRC." +msgstr "" diff --git a/modules/po/perleval.el_GR.po b/modules/po/perleval.el_GR.po new file mode 100644 index 00000000..d7c0afef --- /dev/null +++ b/modules/po/perleval.el_GR.po @@ -0,0 +1,31 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /master/modules/po/perleval.pot\n" +"X-Crowdin-File-ID: 190\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: perleval.pm:23 +msgid "Evaluates perl code" +msgstr "" + +#: perleval.pm:33 +msgid "Only admin can load this module" +msgstr "" + +#: perleval.pm:44 +#, perl-format +msgid "Error: %s" +msgstr "" + +#: perleval.pm:46 +#, perl-format +msgid "Result: %s" +msgstr "" diff --git a/modules/po/pyeval.el_GR.po b/modules/po/pyeval.el_GR.po new file mode 100644 index 00000000..66b35ef6 --- /dev/null +++ b/modules/po/pyeval.el_GR.po @@ -0,0 +1,21 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /master/modules/po/pyeval.pot\n" +"X-Crowdin-File-ID: 191\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: pyeval.py:49 +msgid "You must have admin privileges to load this module." +msgstr "" + +#: pyeval.py:82 +msgid "Evaluates python code" +msgstr "" diff --git a/modules/po/raw.el_GR.po b/modules/po/raw.el_GR.po new file mode 100644 index 00000000..96733d9d --- /dev/null +++ b/modules/po/raw.el_GR.po @@ -0,0 +1,17 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /master/modules/po/raw.pot\n" +"X-Crowdin-File-ID: 193\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: raw.cpp:43 +msgid "View all of the raw traffic" +msgstr "" diff --git a/modules/po/route_replies.el_GR.po b/modules/po/route_replies.el_GR.po new file mode 100644 index 00000000..5ca3f819 --- /dev/null +++ b/modules/po/route_replies.el_GR.po @@ -0,0 +1,59 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /master/modules/po/route_replies.pot\n" +"X-Crowdin-File-ID: 194\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: route_replies.cpp:215 +msgid "[yes|no]" +msgstr "" + +#: route_replies.cpp:216 +msgid "Decides whether to show the timeout messages or not" +msgstr "" + +#: route_replies.cpp:356 +msgid "This module hit a timeout which is probably a connectivity issue." +msgstr "" + +#: route_replies.cpp:359 +msgid "" +"However, if you can provide steps to reproduce this issue, please do report " +"a bug." +msgstr "" + +#: route_replies.cpp:362 +msgid "To disable this message, do \"/msg {1} silent yes\"" +msgstr "" + +#: route_replies.cpp:364 +msgid "Last request: {1}" +msgstr "" + +#: route_replies.cpp:365 +msgid "Expected replies:" +msgstr "" + +#: route_replies.cpp:369 +msgid "{1} (last)" +msgstr "" + +#: route_replies.cpp:441 +msgid "Timeout messages are disabled." +msgstr "" + +#: route_replies.cpp:442 +msgid "Timeout messages are enabled." +msgstr "" + +#: route_replies.cpp:463 +msgid "Send replies (e.g. to /who) to the right client only" +msgstr "" diff --git a/modules/po/sample.el_GR.po b/modules/po/sample.el_GR.po new file mode 100644 index 00000000..43e512fc --- /dev/null +++ b/modules/po/sample.el_GR.po @@ -0,0 +1,119 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /master/modules/po/sample.pot\n" +"X-Crowdin-File-ID: 195\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: sample.cpp:31 +msgid "Sample job cancelled" +msgstr "" + +#: sample.cpp:33 +msgid "Sample job destroyed" +msgstr "" + +#: sample.cpp:50 +msgid "Sample job done" +msgstr "" + +#: sample.cpp:65 +msgid "TEST!!!!" +msgstr "" + +#: sample.cpp:74 +msgid "I'm being loaded with the arguments: {1}" +msgstr "" + +#: sample.cpp:85 +msgid "I'm being unloaded!" +msgstr "" + +#: sample.cpp:94 +msgid "You got connected BoyOh." +msgstr "" + +#: sample.cpp:98 +msgid "You got disconnected BoyOh." +msgstr "" + +#: sample.cpp:116 +msgid "{1} {2} set mode on {3} {4}{5} {6}" +msgstr "" + +#: sample.cpp:123 +msgid "{1} {2} opped {3} on {4}" +msgstr "" + +#: sample.cpp:129 +msgid "{1} {2} deopped {3} on {4}" +msgstr "" + +#: sample.cpp:135 +msgid "{1} {2} voiced {3} on {4}" +msgstr "" + +#: sample.cpp:141 +msgid "{1} {2} devoiced {3} on {4}" +msgstr "" + +#: sample.cpp:147 +msgid "* {1} sets mode: {2} {3} on {4}" +msgstr "" + +#: sample.cpp:163 +msgid "{1} kicked {2} from {3} with the msg {4}" +msgstr "" + +#: sample.cpp:169 +msgid "* {1} ({2}@{3}) quits ({4}) from channel: {6}" +msgid_plural "* {1} ({2}@{3}) quits ({4}) from {5} channels: {6}" +msgstr[0] "" +msgstr[1] "" + +#: sample.cpp:177 +msgid "Attempting to join {1}" +msgstr "" + +#: sample.cpp:182 +msgid "* {1} ({2}@{3}) joins {4}" +msgstr "" + +#: sample.cpp:189 +msgid "* {1} ({2}@{3}) parts {4}" +msgstr "" + +#: sample.cpp:196 +msgid "{1} invited us to {2}, ignoring invites to {2}" +msgstr "" + +#: sample.cpp:201 +msgid "{1} invited us to {2}" +msgstr "" + +#: sample.cpp:207 +msgid "{1} is now known as {2}" +msgstr "" + +#: sample.cpp:269 sample.cpp:276 +msgid "{1} changes topic on {2} to {3}" +msgstr "" + +#: sample.cpp:317 +msgid "Hi, I'm your friendly sample module." +msgstr "" + +#: sample.cpp:330 +msgid "Description of module arguments goes here." +msgstr "" + +#: sample.cpp:333 +msgid "To be used as a sample for writing modules" +msgstr "" diff --git a/modules/po/samplewebapi.el_GR.po b/modules/po/samplewebapi.el_GR.po new file mode 100644 index 00000000..ed7db2bc --- /dev/null +++ b/modules/po/samplewebapi.el_GR.po @@ -0,0 +1,17 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /master/modules/po/samplewebapi.pot\n" +"X-Crowdin-File-ID: 196\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: samplewebapi.cpp:59 +msgid "Sample Web API module." +msgstr "" diff --git a/modules/po/sasl.el_GR.po b/modules/po/sasl.el_GR.po new file mode 100644 index 00000000..6e3bf511 --- /dev/null +++ b/modules/po/sasl.el_GR.po @@ -0,0 +1,174 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /master/modules/po/sasl.pot\n" +"X-Crowdin-File-ID: 197\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:301 +msgid "SASL" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:11 +msgid "Username:" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:13 +msgid "Please enter a username." +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:16 +msgid "Password:" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:18 +msgid "Please enter a password." +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:22 +msgid "Options" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:25 +msgid "Connect only if SASL authentication succeeds." +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:27 +msgid "Require authentication" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:35 +msgid "Mechanisms" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:42 +msgid "Name" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:43 sasl.cpp:89 sasl.cpp:95 +msgid "Description" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:57 +msgid "Selected mechanisms and their order:" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:74 +msgid "Save" +msgstr "" + +#: sasl.cpp:54 +msgid "TLS certificate, for use with the *cert module" +msgstr "" + +#: sasl.cpp:56 +msgid "" +"Plain text negotiation, this should work always if the network supports SASL" +msgstr "" + +#: sasl.cpp:62 +msgid "search" +msgstr "" + +#: sasl.cpp:62 +msgid "Generate this output" +msgstr "" + +#: sasl.cpp:64 +msgid "[ []]" +msgstr "" + +#: sasl.cpp:65 +msgid "" +"Set username and password for the mechanisms that need them. Password is " +"optional. Without parameters, returns information about current settings." +msgstr "" + +#: sasl.cpp:69 +msgid "[mechanism[ ...]]" +msgstr "" + +#: sasl.cpp:70 +msgid "Set the mechanisms to be attempted (in order)" +msgstr "" + +#: sasl.cpp:72 +msgid "[yes|no]" +msgstr "" + +#: sasl.cpp:73 +msgid "Don't connect unless SASL authentication succeeds" +msgstr "" + +#: sasl.cpp:88 sasl.cpp:94 +msgid "Mechanism" +msgstr "" + +#: sasl.cpp:99 +msgid "The following mechanisms are available:" +msgstr "" + +#: sasl.cpp:109 +msgid "Username is currently not set" +msgstr "" + +#: sasl.cpp:111 +msgid "Username is currently set to '{1}'" +msgstr "" + +#: sasl.cpp:114 +msgid "Password was not supplied" +msgstr "" + +#: sasl.cpp:116 +msgid "Password was supplied" +msgstr "" + +#: sasl.cpp:124 +msgid "Username has been set to [{1}]" +msgstr "" + +#: sasl.cpp:125 +msgid "Password has been set to [{1}]" +msgstr "" + +#: sasl.cpp:145 +msgid "Current mechanisms set: {1}" +msgstr "" + +#: sasl.cpp:154 +msgid "We require SASL negotiation to connect" +msgstr "" + +#: sasl.cpp:156 +msgid "We will connect even if SASL fails" +msgstr "" + +#: sasl.cpp:193 +msgid "Disabling network, we require authentication." +msgstr "" + +#: sasl.cpp:194 +msgid "Use 'RequireAuth no' to disable." +msgstr "" + +#: sasl.cpp:256 +msgid "{1} mechanism succeeded." +msgstr "" + +#: sasl.cpp:268 +msgid "{1} mechanism failed." +msgstr "" + +#: sasl.cpp:346 +msgid "" +"Adds support for sasl authentication capability to authenticate to an IRC " +"server" +msgstr "" diff --git a/modules/po/savebuff.el_GR.po b/modules/po/savebuff.el_GR.po new file mode 100644 index 00000000..bcb7f39d --- /dev/null +++ b/modules/po/savebuff.el_GR.po @@ -0,0 +1,62 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /master/modules/po/savebuff.pot\n" +"X-Crowdin-File-ID: 198\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: savebuff.cpp:65 +msgid "" +msgstr "" + +#: savebuff.cpp:65 +msgid "Sets the password" +msgstr "" + +#: savebuff.cpp:67 +msgid "" +msgstr "" + +#: savebuff.cpp:67 +msgid "Replays the buffer" +msgstr "" + +#: savebuff.cpp:69 +msgid "Saves all buffers" +msgstr "" + +#: savebuff.cpp:221 +msgid "" +"Password is unset usually meaning the decryption failed. You can setpass to " +"the appropriate pass and things should start working, or setpass to a new " +"pass and save to reinstantiate" +msgstr "" + +#: savebuff.cpp:232 +msgid "Password set to [{1}]" +msgstr "" + +#: savebuff.cpp:262 +msgid "Replayed {1}" +msgstr "" + +#: savebuff.cpp:341 +msgid "Unable to decode Encrypted file {1}" +msgstr "" + +#: savebuff.cpp:358 +msgid "" +"This user module takes up to one arguments. Either --ask-pass or the " +"password itself (which may contain spaces) or nothing" +msgstr "" + +#: savebuff.cpp:363 +msgid "Stores channel and query buffers to disk, encrypted" +msgstr "" diff --git a/modules/po/send_raw.el_GR.po b/modules/po/send_raw.el_GR.po new file mode 100644 index 00000000..7ef48c45 --- /dev/null +++ b/modules/po/send_raw.el_GR.po @@ -0,0 +1,109 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /master/modules/po/send_raw.pot\n" +"X-Crowdin-File-ID: 199\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:9 +msgid "Send a raw IRC line" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:14 +msgid "User:" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:15 +msgid "To change user, click to Network selector" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:19 +msgid "User/Network:" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:32 +msgid "Send to:" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:34 +msgid "Client" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:35 +msgid "Server" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:40 +msgid "Line:" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:45 +msgid "Send" +msgstr "" + +#: send_raw.cpp:32 +msgid "Sent [{1}] to {2}/{3}" +msgstr "" + +#: send_raw.cpp:36 send_raw.cpp:56 +msgid "Network {1} not found for user {2}" +msgstr "" + +#: send_raw.cpp:40 send_raw.cpp:60 +msgid "User {1} not found" +msgstr "" + +#: send_raw.cpp:52 +msgid "Sent [{1}] to IRC server of {2}/{3}" +msgstr "" + +#: send_raw.cpp:75 +msgid "You must have admin privileges to load this module" +msgstr "" + +#: send_raw.cpp:82 +msgid "Send Raw" +msgstr "" + +#: send_raw.cpp:92 +msgid "User not found" +msgstr "" + +#: send_raw.cpp:99 +msgid "Network not found" +msgstr "" + +#: send_raw.cpp:116 +msgid "Line sent" +msgstr "" + +#: send_raw.cpp:140 send_raw.cpp:143 +msgid "[user] [network] [data to send]" +msgstr "" + +#: send_raw.cpp:141 +msgid "The data will be sent to the user's IRC client(s)" +msgstr "" + +#: send_raw.cpp:144 +msgid "The data will be sent to the IRC server the user is connected to" +msgstr "" + +#: send_raw.cpp:147 +msgid "[data to send]" +msgstr "" + +#: send_raw.cpp:148 +msgid "The data will be sent to your current client" +msgstr "" + +#: send_raw.cpp:159 +msgid "Lets you send some raw IRC lines as/to someone else" +msgstr "" diff --git a/modules/po/shell.el_GR.po b/modules/po/shell.el_GR.po new file mode 100644 index 00000000..d5ea962c --- /dev/null +++ b/modules/po/shell.el_GR.po @@ -0,0 +1,29 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /master/modules/po/shell.pot\n" +"X-Crowdin-File-ID: 200\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: shell.cpp:37 +msgid "Failed to execute: {1}" +msgstr "" + +#: shell.cpp:75 +msgid "You must be admin to use the shell module" +msgstr "" + +#: shell.cpp:169 +msgid "Gives shell access" +msgstr "" + +#: shell.cpp:172 +msgid "Gives shell access. Only ZNC admins can use it." +msgstr "" diff --git a/modules/po/simple_away.el_GR.po b/modules/po/simple_away.el_GR.po new file mode 100644 index 00000000..fefd754d --- /dev/null +++ b/modules/po/simple_away.el_GR.po @@ -0,0 +1,92 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /master/modules/po/simple_away.pot\n" +"X-Crowdin-File-ID: 201\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: simple_away.cpp:56 +msgid "[]" +msgstr "" + +#: simple_away.cpp:57 +#, c-format +msgid "" +"Prints or sets the away reason (%awaytime% is replaced with the time you " +"were set away, supports substitutions using ExpandString)" +msgstr "" + +#: simple_away.cpp:63 +msgid "Prints the current time to wait before setting you away" +msgstr "" + +#: simple_away.cpp:65 +msgid "" +msgstr "" + +#: simple_away.cpp:66 +msgid "Sets the time to wait before setting you away" +msgstr "" + +#: simple_away.cpp:69 +msgid "Disables the wait time before setting you away" +msgstr "" + +#: simple_away.cpp:73 +msgid "Get or set the minimum number of clients before going away" +msgstr "" + +#: simple_away.cpp:136 +msgid "Away reason set" +msgstr "" + +#: simple_away.cpp:138 +msgid "Away reason: {1}" +msgstr "" + +#: simple_away.cpp:139 +msgid "Current away reason would be: {1}" +msgstr "" + +#: simple_away.cpp:144 +msgid "Current timer setting: 1 second" +msgid_plural "Current timer setting: {1} seconds" +msgstr[0] "" +msgstr[1] "" + +#: simple_away.cpp:153 simple_away.cpp:161 +msgid "Timer disabled" +msgstr "" + +#: simple_away.cpp:155 +msgid "Timer set to 1 second" +msgid_plural "Timer set to: {1} seconds" +msgstr[0] "" +msgstr[1] "" + +#: simple_away.cpp:166 +msgid "Current MinClients setting: {1}" +msgstr "" + +#: simple_away.cpp:169 +msgid "MinClients set to {1}" +msgstr "" + +#: simple_away.cpp:248 +msgid "" +"You might enter up to 3 arguments, like -notimer awaymessage or -timer 5 " +"awaymessage." +msgstr "" + +#: simple_away.cpp:253 +msgid "" +"This module will automatically set you away on IRC while you are " +"disconnected from the bouncer." +msgstr "" diff --git a/modules/po/stickychan.el_GR.po b/modules/po/stickychan.el_GR.po new file mode 100644 index 00000000..21cc43b6 --- /dev/null +++ b/modules/po/stickychan.el_GR.po @@ -0,0 +1,102 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /master/modules/po/stickychan.pot\n" +"X-Crowdin-File-ID: 202\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: modules/po/../data/stickychan/tmpl/index.tmpl:9 +msgid "Name" +msgstr "" + +#: modules/po/../data/stickychan/tmpl/index.tmpl:10 +msgid "Sticky" +msgstr "" + +#: modules/po/../data/stickychan/tmpl/index.tmpl:25 +msgid "Save" +msgstr "" + +#: modules/po/../data/stickychan/tmpl/stickychan_WebadminChan.tmpl:8 +msgid "Channel is sticky" +msgstr "" + +#: stickychan.cpp:28 +msgid "<#channel> [key]" +msgstr "" + +#: stickychan.cpp:28 +msgid "Sticks a channel" +msgstr "" + +#: stickychan.cpp:30 +msgid "<#channel>" +msgstr "" + +#: stickychan.cpp:30 +msgid "Unsticks a channel" +msgstr "" + +#: stickychan.cpp:32 +msgid "Lists sticky channels" +msgstr "" + +#: stickychan.cpp:75 +msgid "Usage: Stick <#channel> [key]" +msgstr "" + +#: stickychan.cpp:79 +msgid "Stuck {1}" +msgstr "" + +#: stickychan.cpp:85 +msgid "Usage: Unstick <#channel>" +msgstr "" + +#: stickychan.cpp:89 +msgid "Unstuck {1}" +msgstr "" + +#: stickychan.cpp:101 +msgid " -- End of List" +msgstr "" + +#: stickychan.cpp:115 +msgid "Could not join {1} (# prefix missing?)" +msgstr "" + +#: stickychan.cpp:128 +msgid "Sticky Channels" +msgstr "" + +#: stickychan.cpp:160 +msgid "Changes have been saved!" +msgstr "" + +#: stickychan.cpp:185 +msgid "Channel became sticky!" +msgstr "" + +#: stickychan.cpp:189 +msgid "Channel stopped being sticky!" +msgstr "" + +#: stickychan.cpp:209 +msgid "" +"Channel {1} cannot be joined, it is an illegal channel name. Unsticking." +msgstr "" + +#: stickychan.cpp:246 +msgid "List of channels, separated by comma." +msgstr "" + +#: stickychan.cpp:251 +msgid "configless sticky chans, keeps you there very stickily even" +msgstr "" diff --git a/modules/po/stripcontrols.el_GR.po b/modules/po/stripcontrols.el_GR.po new file mode 100644 index 00000000..d529d0d1 --- /dev/null +++ b/modules/po/stripcontrols.el_GR.po @@ -0,0 +1,18 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /master/modules/po/stripcontrols.pot\n" +"X-Crowdin-File-ID: 203\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: stripcontrols.cpp:63 +msgid "" +"Strips control codes (Colors, Bold, ..) from channel and private messages." +msgstr "" diff --git a/modules/po/watch.el_GR.po b/modules/po/watch.el_GR.po new file mode 100644 index 00000000..705ee409 --- /dev/null +++ b/modules/po/watch.el_GR.po @@ -0,0 +1,193 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /master/modules/po/watch.pot\n" +"X-Crowdin-File-ID: 204\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: watch.cpp:178 +msgid " [Target] [Pattern]" +msgstr "" + +#: watch.cpp:178 +msgid "Used to add an entry to watch for." +msgstr "" + +#: watch.cpp:180 +msgid "List all entries being watched." +msgstr "" + +#: watch.cpp:182 +msgid "Dump a list of all current entries to be used later." +msgstr "" + +#: watch.cpp:184 +msgid "" +msgstr "" + +#: watch.cpp:184 +msgid "Deletes Id from the list of watched entries." +msgstr "" + +#: watch.cpp:186 +msgid "Delete all entries." +msgstr "" + +#: watch.cpp:188 watch.cpp:190 +msgid "" +msgstr "" + +#: watch.cpp:188 +msgid "Enable a disabled entry." +msgstr "" + +#: watch.cpp:190 +msgid "Disable (but don't delete) an entry." +msgstr "" + +#: watch.cpp:192 watch.cpp:194 +msgid " " +msgstr "" + +#: watch.cpp:192 +msgid "Enable or disable detached client only for an entry." +msgstr "" + +#: watch.cpp:194 +msgid "Enable or disable detached channel only for an entry." +msgstr "" + +#: watch.cpp:196 +msgid " [#chan priv #foo* !#bar]" +msgstr "" + +#: watch.cpp:196 +msgid "Set the source channels that you care about." +msgstr "" + +#: watch.cpp:237 +msgid "WARNING: malformed entry found while loading" +msgstr "" + +#: watch.cpp:382 +msgid "Disabled all entries." +msgstr "" + +#: watch.cpp:383 +msgid "Enabled all entries." +msgstr "" + +#: watch.cpp:390 watch.cpp:432 watch.cpp:474 watch.cpp:577 watch.cpp:619 +msgid "Invalid Id" +msgstr "" + +#: watch.cpp:399 +msgid "Id {1} disabled" +msgstr "" + +#: watch.cpp:401 +msgid "Id {1} enabled" +msgstr "" + +#: watch.cpp:423 +msgid "Set DetachedClientOnly for all entries to Yes" +msgstr "" + +#: watch.cpp:425 +msgid "Set DetachedClientOnly for all entries to No" +msgstr "" + +#: watch.cpp:441 watch.cpp:483 +msgid "Id {1} set to Yes" +msgstr "" + +#: watch.cpp:443 watch.cpp:485 +msgid "Id {1} set to No" +msgstr "" + +#: watch.cpp:465 +msgid "Set DetachedChannelOnly for all entries to Yes" +msgstr "" + +#: watch.cpp:467 +msgid "Set DetachedChannelOnly for all entries to No" +msgstr "" + +#: watch.cpp:491 watch.cpp:507 +msgid "Id" +msgstr "" + +#: watch.cpp:492 watch.cpp:508 +msgid "HostMask" +msgstr "" + +#: watch.cpp:493 watch.cpp:509 +msgid "Target" +msgstr "" + +#: watch.cpp:494 watch.cpp:510 +msgid "Pattern" +msgstr "" + +#: watch.cpp:495 watch.cpp:511 +msgid "Sources" +msgstr "" + +#: watch.cpp:496 watch.cpp:512 watch.cpp:513 +msgid "Off" +msgstr "" + +#: watch.cpp:497 watch.cpp:515 +msgid "DetachedClientOnly" +msgstr "" + +#: watch.cpp:498 watch.cpp:518 +msgid "DetachedChannelOnly" +msgstr "" + +#: watch.cpp:516 watch.cpp:519 +msgid "Yes" +msgstr "" + +#: watch.cpp:516 watch.cpp:519 +msgid "No" +msgstr "" + +#: watch.cpp:525 watch.cpp:531 +msgid "You have no entries." +msgstr "" + +#: watch.cpp:585 +msgid "Sources set for Id {1}." +msgstr "" + +#: watch.cpp:609 +msgid "All entries cleared." +msgstr "" + +#: watch.cpp:627 +msgid "Id {1} removed." +msgstr "" + +#: watch.cpp:646 +msgid "Entry for {1} already exists." +msgstr "" + +#: watch.cpp:654 +msgid "Adding entry: {1} watching for [{2}] -> {3}" +msgstr "" + +#: watch.cpp:660 +msgid "Watch: Not enough arguments. Try Help" +msgstr "" + +#: watch.cpp:702 +msgid "Copy activity from a specific user into a separate window" +msgstr "" diff --git a/modules/po/webadmin.el_GR.po b/modules/po/webadmin.el_GR.po new file mode 100644 index 00000000..7b10252b --- /dev/null +++ b/modules/po/webadmin.el_GR.po @@ -0,0 +1,1209 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /master/modules/po/webadmin.pot\n" +"X-Crowdin-File-ID: 205\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:12 +msgid "Channel Info" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:17 +msgid "Channel Name:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:19 +msgid "The channel name." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:24 +msgid "Key:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:26 +msgid "The password of the channel, if there is one." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:30 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:241 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:260 +msgid "Buffer Size:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:32 +msgid "The buffer count." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:36 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:235 +msgid "Default Modes:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:38 +msgid "The default modes of the channel." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:46 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:270 +msgid "Flags" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:51 +msgid "Save to config" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:67 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:282 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:410 +msgid "Module {1}" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:75 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:290 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:419 +msgid "Save and return" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:76 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:291 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:420 +msgid "Save and continue" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:78 +msgid "Add Channel and return" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:79 +msgid "Add Channel and continue" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:8 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:11 +msgid "<password>" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:11 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:12 +msgid "<network>" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:14 +msgid "" +"To connect to this network from your IRC client, you can set the server " +"password field as {1} or username field as {2}" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:24 +msgid "Network Info" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:25 +msgid "" +"Nick, AltNick, Ident, RealName, BindHost can be left empty to use the value " +"from the user." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:29 +msgid "Network Name:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:31 +msgid "The name of the IRC network." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:35 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:69 +msgid "Nickname:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:37 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:71 +msgid "Your nickname on IRC." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:40 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:74 +msgid "Alt. Nickname:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:42 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:76 +msgid "Your secondary nickname, if the first is not available on IRC." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:46 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:80 +msgid "Ident:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:48 +msgid "Your ident." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:51 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:91 +msgid "Realname:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:53 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:93 +msgid "Your real name." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:58 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:99 +msgid "BindHost:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:65 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:112 +msgid "Quit Message:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:67 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:114 +msgid "You may define a Message shown, when you quit IRC." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:71 +msgid "Active:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:73 +msgid "Connect to IRC & automatically re-connect" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:77 +msgid "Trust all certs:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:79 +msgid "" +"Disable certificate validation (takes precedence over TrustPKI). INSECURE!" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:83 +msgid "Automatically detect trusted certificates (Trust the PKI):" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:85 +msgid "" +"When disabled, manually whitelist all server fingerprints, even if the " +"certificate is valid" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:89 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:96 +msgid "Servers of this IRC network:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:93 +msgid "One server per line, “host [[+]port] [password]”, + means SSL" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:101 +msgid "Hostname" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:102 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:13 +msgid "Port" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:103 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:15 +msgid "SSL" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:104 +msgid "Password" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:116 +msgid "SHA-256 fingerprints of trusted SSL certificates of this IRC network:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:120 +msgid "" +"When these certificates are encountered, checks for hostname, expiration " +"date, CA are skipped" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:124 +msgid "Flood protection:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:127 +msgid "" +"You might enable the flood protection. This prevents “excess flood” errors, " +"which occur, when your IRC bot is command flooded or spammed. After changing " +"this, reconnect ZNC to server." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:130 +msgctxt "Flood Protection" +msgid "Enabled" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:134 +msgid "Flood protection rate:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:137 +msgid "" +"The number of seconds per line. After changing this, reconnect ZNC to server." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:140 +msgid "{1} seconds per line" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:144 +msgid "Flood protection burst:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:147 +msgid "" +"Defines the number of lines, which can be sent immediately. After changing " +"this, reconnect ZNC to server." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:150 +msgid "{1} lines can be sent immediately" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:154 +msgid "Channel join delay:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:157 +msgid "" +"Defines the delay in seconds, until channels are joined after getting " +"connected." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:160 +msgid "{1} seconds" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:165 +msgid "Character encoding used between ZNC and IRC server." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:166 +msgid "Server encoding:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:176 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:231 +msgid "Channels" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:178 +msgid "" +"You will be able to add + modify channels here after you created the network." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:185 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:129 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:354 +#: modules/po/../data/webadmin/tmpl/listusers.tmpl:15 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:72 +msgid "Add" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:187 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:430 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:237 +msgid "Save" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:188 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:228 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:131 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:174 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:176 +msgid "Name" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:189 +msgid "CurModes" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:190 +msgid "DefModes" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:191 +msgid "BufferSize" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:192 +msgid "Options" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:194 +msgid "← Add a channel (opens in same page)" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:204 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:146 +#: modules/po/../data/webadmin/tmpl/listusers.tmpl:27 +msgid "Edit" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:204 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:146 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:53 +msgid "Del" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:222 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:168 +msgid "Modules" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:229 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:175 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:177 +msgid "Arguments" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:230 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:176 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:178 +msgid "Description" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:231 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:177 +msgid "Loaded globally" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:232 +msgid "Loaded by user" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:293 +msgid "Add Network and return" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:294 +msgid "Add Network and continue" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:15 +msgid "Authentication" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:19 +msgid "Username:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:29 +msgid "Please enter a username." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:34 +msgid "Password:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:36 +msgid "Please enter a password." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:39 +msgid "Confirm password:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:41 +msgid "Please re-type the above password." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:44 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:151 +msgid "Auth Only Via Module:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:46 +msgid "" +"Allow user authentication by external modules only, disabling built-in " +"password authentication." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:50 +msgid "Allowed IPs:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:54 +msgid "" +"Leave empty to allow connections from all IPs.
Otherwise, one entry per " +"line, wildcards * and ? are available." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:62 +msgid "IRC Information" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:64 +msgid "" +"Nick, AltNick, Ident, RealName and QuitMsg can be left empty to use default " +"values." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:82 +msgid "The Ident is sent to server as username." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:85 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:102 +msgid "Status Prefix:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:87 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:104 +msgid "The prefix for the status and module queries." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:105 +msgid "DCCBindHost:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:122 +#: modules/po/../data/webadmin/tmpl/listusers.tmpl:17 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:39 +msgid "Networks" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:132 +#: modules/po/../data/webadmin/tmpl/listusers.tmpl:18 +msgid "Clients" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:133 +msgid "Current Server" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:134 +msgid "Nick" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:136 +msgid "← Add a network (opens in same page)" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:160 +msgid "" +"You will be able to add + modify networks here after you have cloned the " +"user." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:162 +msgid "" +"You will be able to add + modify networks here after you have created the " +"user." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:178 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:179 +msgid "Loaded by networks" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:237 +msgid "" +"These are the default modes ZNC will set when you join an empty channel." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:238 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:244 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:263 +msgid "Empty = use standard value" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:243 +msgid "" +"This is the amount of lines that the playback buffer will store for channels " +"before dropping off the oldest line. The buffers are stored in the memory by " +"default." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:251 +msgid "Queries" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:255 +msgid "Max Buffers:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:257 +msgid "Maximum number of query buffers. 0 is unlimited." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:262 +msgid "" +"This is the amount of lines that the playback buffer will store for queries " +"before dropping off the oldest line. The buffers are stored in the memory by " +"default." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:285 +msgid "ZNC Behavior" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:286 +msgid "" +"Any of the following text boxes can be left empty to use their default value." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:290 +msgid "Timestamp Format:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:292 +msgid "" +"The format for the timestamps used in buffers, for example [%H:%M:%S]. This " +"setting is ignored in new IRC clients, which use server-time. If your client " +"supports server-time, change timestamp format in client settings instead." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:295 +msgid "Timezone:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:298 +msgid "E.g. Europe/Berlin, or GMT-6" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:306 +msgid "Character encoding used between IRC client and ZNC." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:307 +msgid "Client encoding:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:312 +msgid "Join Tries:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:314 +msgid "" +"This defines how many times ZNC tries to join a channel, if the first join " +"failed, e.g. due to channel mode +i/+k or if you are banned." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:317 +msgid "Join speed:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:319 +msgid "" +"How many channels are joined in one JOIN command. 0 is unlimited (default). " +"Set to small positive value if you get disconnected with “Max SendQ Exceeded”" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:322 +msgid "Timeout before reconnect:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:324 +msgid "" +"How much time ZNC waits (in seconds) until it receives something from " +"network or declares the connection timeout. This happens after attempts to " +"ping the peer." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:327 +msgid "Max IRC Networks Number:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:329 +msgid "Maximum number of IRC networks allowed for this user." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:332 +msgid "Substitutions" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:334 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:342 +msgid "CTCP Replies:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:338 +msgid "One reply per line. Example: TIME Buy a watch!" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:339 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:355 +msgid "{1} are available" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:341 +msgid "Empty value means this CTCP request will be ignored" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:347 +msgid "Request" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:348 +msgid "Response" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:373 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:90 +msgid "Skin:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:377 +msgid "- Global -" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:379 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:94 +msgid "Default" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:383 +msgid "No other skins found" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:389 +msgid "Language:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:422 +msgid "Clone and return" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:423 +msgid "Clone and continue" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:425 +msgid "Create and return" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:426 +msgid "Create and continue" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:432 +#: modules/po/../data/webadmin/tmpl/listusers.tmpl:28 +msgid "Clone" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:434 +msgid "Create" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/del_network.tmpl:5 +msgid "Confirm Network Deletion" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/del_network.tmpl:9 +msgid "Are you sure you want to delete network “{2}” of user “{1}”?" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/del_network.tmpl:14 +#: modules/po/../data/webadmin/tmpl/del_user.tmpl:14 +msgid "Yes" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/del_network.tmpl:17 +#: modules/po/../data/webadmin/tmpl/del_user.tmpl:17 +msgid "No" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/del_user.tmpl:5 +msgid "Confirm User Deletion" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/del_user.tmpl:9 +msgid "Are you sure you want to delete user “{1}”?" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:6 +msgid "ZNC is compiled without encodings support. {1} is required for it." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:11 +msgid "Legacy mode is disabled by modpython." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:18 +msgid "Don't ensure any encoding at all (legacy mode, not recommended)" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:22 +msgid "Try to parse as UTF-8 and as {1}, send as UTF-8 (recommended)" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:26 +msgid "Try to parse as UTF-8 and as {1}, send as {1}" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:30 +msgid "Parse and send as {1} only" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:36 +msgid "E.g. UTF-8, or ISO-8859-15" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/index.tmpl:5 +msgid "Welcome to the ZNC webadmin module." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/index.tmpl:6 +msgid "" +"All changes you make will be in effect immediately after you submitted them." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/listusers.tmpl:16 +msgid "Username" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/listusers.tmpl:29 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:21 +msgid "Delete" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:6 +msgid "Listen Port(s)" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:14 +msgid "BindHost" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:16 +msgid "IPv4" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:17 +msgid "IPv6" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:18 +msgid "IRC" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:19 +msgid "HTTP" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:20 +msgid "URIPrefix" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:56 +msgid "" +"To delete port which you use to access webadmin itself, either connect to " +"webadmin via another port, or do it in IRC (/znc DelPort)" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:56 +msgid "Current" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:86 +msgid "Settings" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:105 +msgid "Default for new users only." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:110 +msgid "Maximum Buffer Size:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:112 +msgid "Sets the global Max Buffer Size a user can have." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:117 +msgid "Connect Delay:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:119 +msgid "" +"The time between connection attempts to IRC servers, in seconds. This " +"affects the connection between ZNC and the IRC server; not the connection " +"between your IRC client and ZNC." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:124 +msgid "Server Throttle:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:126 +msgid "" +"The minimal time between two connect attempts to the same hostname, in " +"seconds. Some servers refuse your connection if you reconnect too fast." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:131 +msgid "Anonymous Connection Limit per IP:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:133 +msgid "Limits the number of unidentified connections per IP." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:138 +msgid "Protect Web Sessions:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:140 +msgid "Disallow IP changing during each web session" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:145 +msgid "Hide ZNC Version:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:147 +msgid "Hide version number from non-ZNC users" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:153 +msgid "Allow user authentication by external modules only" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:158 +msgid "MOTD:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:162 +msgid "“Message of the Day”, sent to all ZNC users on connect." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:170 +msgid "Global Modules" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:180 +msgid "Loaded by users" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:7 +msgid "Information" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:13 +msgid "Uptime" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:18 +msgid "Total Users" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:22 +msgid "Total Networks" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:26 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:43 +msgid "Attached Networks" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:30 +msgid "Total Client Connections" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:34 +msgid "Total IRC Connections" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:47 +msgid "Client Connections" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:51 +msgid "IRC Connections" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:63 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:72 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:89 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:117 +msgid "Total" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:70 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:115 +msgctxt "Traffic" +msgid "In" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:71 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:116 +msgctxt "Traffic" +msgid "Out" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:77 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:104 +msgid "Users" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:106 +msgid "Traffic" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:113 +msgid "User" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:114 +msgid "Network" +msgstr "" + +#: webadmin.cpp:91 webadmin.cpp:1872 +msgid "Global Settings" +msgstr "" + +#: webadmin.cpp:93 +msgid "Your Settings" +msgstr "" + +#: webadmin.cpp:94 webadmin.cpp:1684 +msgid "Traffic Info" +msgstr "" + +#: webadmin.cpp:97 webadmin.cpp:1663 +msgid "Manage Users" +msgstr "" + +#: webadmin.cpp:188 +msgid "Invalid Submission [Username is required]" +msgstr "" + +#: webadmin.cpp:201 +msgid "Invalid Submission [Passwords do not match]" +msgstr "" + +#: webadmin.cpp:323 +msgid "Timeout can't be less than 30 seconds!" +msgstr "" + +#: webadmin.cpp:407 webadmin.cpp:435 webadmin.cpp:1182 webadmin.cpp:2057 +msgid "Unable to load module [{1}]: {2}" +msgstr "" + +#: webadmin.cpp:412 webadmin.cpp:440 +msgid "Unable to load module [{1}] with arguments [{2}]" +msgstr "" + +#: webadmin.cpp:521 webadmin.cpp:625 webadmin.cpp:650 webadmin.cpp:672 +#: webadmin.cpp:706 webadmin.cpp:1249 +msgid "No such user" +msgstr "" + +#: webadmin.cpp:534 webadmin.cpp:566 webadmin.cpp:595 webadmin.cpp:611 +msgid "No such user or network" +msgstr "" + +#: webadmin.cpp:576 +msgid "No such channel" +msgstr "" + +#: webadmin.cpp:642 +msgid "Please don't delete yourself, suicide is not the answer!" +msgstr "" + +#: webadmin.cpp:715 webadmin.cpp:972 webadmin.cpp:1314 +msgid "Edit User [{1}]" +msgstr "" + +#: webadmin.cpp:719 webadmin.cpp:906 +msgid "Edit Network [{1}]" +msgstr "" + +#: webadmin.cpp:729 +msgid "Edit Channel [{1}] of Network [{2}] of User [{3}]" +msgstr "" + +#: webadmin.cpp:736 +msgid "Edit Channel [{1}]" +msgstr "" + +#: webadmin.cpp:744 +msgid "Add Channel to Network [{1}] of User [{2}]" +msgstr "" + +#: webadmin.cpp:749 +msgid "Add Channel" +msgstr "" + +#: webadmin.cpp:756 webadmin.cpp:1510 +msgid "Auto Clear Chan Buffer" +msgstr "" + +#: webadmin.cpp:758 +msgid "Automatically Clear Channel Buffer After Playback" +msgstr "" + +#: webadmin.cpp:766 +msgid "Detached" +msgstr "" + +#: webadmin.cpp:773 +msgid "Enabled" +msgstr "" + +#: webadmin.cpp:797 +msgid "Channel name is a required argument" +msgstr "" + +#: webadmin.cpp:806 +msgid "Channel [{1}] already exists" +msgstr "" + +#: webadmin.cpp:813 +msgid "Could not add channel [{1}]" +msgstr "" + +#: webadmin.cpp:861 +msgid "Channel was added/modified, but config file was not written" +msgstr "" + +#: webadmin.cpp:888 +msgid "" +"Network number limit reached. Ask an admin to increase the limit for you, or " +"delete unneeded networks from Your Settings." +msgstr "" + +#: webadmin.cpp:903 +msgid "Edit Network [{1}] of User [{2}]" +msgstr "" + +#: webadmin.cpp:910 +msgid "Add Network for User [{1}]" +msgstr "" + +#: webadmin.cpp:911 +msgid "Add Network" +msgstr "" + +#: webadmin.cpp:1073 +msgid "Network name is a required argument" +msgstr "" + +#: webadmin.cpp:1189 webadmin.cpp:2064 +msgid "Unable to reload module [{1}]: {2}" +msgstr "" + +#: webadmin.cpp:1226 +msgid "Network was added/modified, but config file was not written" +msgstr "" + +#: webadmin.cpp:1255 +msgid "That network doesn't exist for this user" +msgstr "" + +#: webadmin.cpp:1272 +msgid "Network was deleted, but config file was not written" +msgstr "" + +#: webadmin.cpp:1286 +msgid "That channel doesn't exist for this network" +msgstr "" + +#: webadmin.cpp:1295 +msgid "Channel was deleted, but config file was not written" +msgstr "" + +#: webadmin.cpp:1323 +msgid "Clone User [{1}]" +msgstr "" + +#: webadmin.cpp:1512 +msgid "" +"Automatically Clear Channel Buffer After Playback (the default value for new " +"channels)" +msgstr "" + +#: webadmin.cpp:1522 +msgid "Multi Clients" +msgstr "" + +#: webadmin.cpp:1529 +msgid "Append Timestamps" +msgstr "" + +#: webadmin.cpp:1536 +msgid "Prepend Timestamps" +msgstr "" + +#: webadmin.cpp:1544 +msgid "Deny LoadMod" +msgstr "" + +#: webadmin.cpp:1551 +msgid "Admin (dangerous! may gain shell access)" +msgstr "" + +#: webadmin.cpp:1561 +msgid "Deny SetBindHost" +msgstr "" + +#: webadmin.cpp:1569 +msgid "Auto Clear Query Buffer" +msgstr "" + +#: webadmin.cpp:1571 +msgid "Automatically Clear Query Buffer After Playback" +msgstr "" + +#: webadmin.cpp:1595 +msgid "Invalid Submission: User {1} already exists" +msgstr "" + +#: webadmin.cpp:1617 webadmin.cpp:1628 +msgid "Invalid submission: {1}" +msgstr "" + +#: webadmin.cpp:1623 +msgid "User was added, but config file was not written" +msgstr "" + +#: webadmin.cpp:1634 +msgid "User was edited, but config file was not written" +msgstr "" + +#: webadmin.cpp:1792 +msgid "Choose either IPv4 or IPv6 or both." +msgstr "" + +#: webadmin.cpp:1809 +msgid "Choose either IRC or HTTP or both." +msgstr "" + +#: webadmin.cpp:1822 webadmin.cpp:1858 +msgid "Port was changed, but config file was not written" +msgstr "" + +#: webadmin.cpp:1848 +msgid "Invalid request." +msgstr "" + +#: webadmin.cpp:1862 +msgid "The specified listener was not found." +msgstr "" + +#: webadmin.cpp:2093 +msgid "Settings were changed, but config file was not written" +msgstr "" diff --git a/src/po/znc.el_GR.po b/src/po/znc.el_GR.po new file mode 100644 index 00000000..b15a1e56 --- /dev/null +++ b/src/po/znc.el_GR.po @@ -0,0 +1,1885 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: el\n" +"X-Crowdin-File: /master/src/po/znc.pot\n" +"X-Crowdin-File-ID: 146\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Greek\n" +"Language: el_GR\n" + +#: webskins/_default_/tmpl/InfoBar.tmpl:6 +msgid "Logged in as: {1}" +msgstr "" + +#: webskins/_default_/tmpl/InfoBar.tmpl:8 +msgid "Not logged in" +msgstr "" + +#: webskins/_default_/tmpl/LoginBar.tmpl:3 +msgid "Logout" +msgstr "" + +#: webskins/_default_/tmpl/Menu.tmpl:4 +msgid "Home" +msgstr "" + +#: webskins/_default_/tmpl/Menu.tmpl:7 +msgid "Global Modules" +msgstr "" + +#: webskins/_default_/tmpl/Menu.tmpl:20 +msgid "User Modules" +msgstr "" + +#: webskins/_default_/tmpl/Menu.tmpl:35 +msgid "Network Modules ({1})" +msgstr "" + +#: webskins/_default_/tmpl/index.tmpl:6 +msgid "Welcome to ZNC's web interface!" +msgstr "" + +#: webskins/_default_/tmpl/index.tmpl:11 +msgid "" +"No Web-enabled modules have been loaded. Load modules from IRC (“/msg " +"*status help” and “/msg *status loadmod <module>”). Once you have loaded some Web-enabled modules, the menu will expand." +msgstr "" + +#: znc.cpp:1554 +msgid "User already exists" +msgstr "" + +#: znc.cpp:1662 +msgid "IPv6 is not enabled" +msgstr "" + +#: znc.cpp:1670 +msgid "SSL is not enabled" +msgstr "" + +#: znc.cpp:1678 +msgid "Unable to locate pem file: {1}" +msgstr "" + +#: znc.cpp:1697 +msgid "Invalid port" +msgstr "" + +#: znc.cpp:1813 ClientCommand.cpp:1655 +msgid "Unable to bind: {1}" +msgstr "" + +#: IRCNetwork.cpp:235 +msgid "Jumping servers because this server is no longer in the list" +msgstr "" + +#: IRCNetwork.cpp:669 User.cpp:678 +msgid "Welcome to ZNC" +msgstr "" + +#: IRCNetwork.cpp:757 +msgid "You are currently disconnected from IRC. Use 'connect' to reconnect." +msgstr "" + +#: IRCNetwork.cpp:787 +msgid "This network is being deleted or moved to another user." +msgstr "" + +#: IRCNetwork.cpp:1016 +msgid "The channel {1} could not be joined, disabling it." +msgstr "" + +#: IRCNetwork.cpp:1145 +msgid "Your current server was removed, jumping..." +msgstr "" + +#: IRCNetwork.cpp:1308 +msgid "Cannot connect to {1}, because ZNC is not compiled with SSL support." +msgstr "" + +#: IRCNetwork.cpp:1329 +msgid "Some module aborted the connection attempt" +msgstr "" + +#: IRCSock.cpp:492 +msgid "Error from server: {1}" +msgstr "" + +#: IRCSock.cpp:694 +msgid "ZNC seems to be connected to itself, disconnecting..." +msgstr "" + +#: IRCSock.cpp:741 +msgid "Server {1} redirects us to {2}:{3} with reason: {4}" +msgstr "" + +#: IRCSock.cpp:745 +msgid "Perhaps you want to add it as a new server." +msgstr "" + +#: IRCSock.cpp:975 +msgid "Channel {1} is linked to another channel and was thus disabled." +msgstr "" + +#: IRCSock.cpp:987 +msgid "Switched to SSL (STARTTLS)" +msgstr "" + +#: IRCSock.cpp:1040 +msgid "You quit: {1}" +msgstr "" + +#: IRCSock.cpp:1246 +msgid "Disconnected from IRC. Reconnecting..." +msgstr "" + +#: IRCSock.cpp:1277 +msgid "Cannot connect to IRC ({1}). Retrying..." +msgstr "" + +#: IRCSock.cpp:1280 +msgid "Disconnected from IRC ({1}). Reconnecting..." +msgstr "" + +#: IRCSock.cpp:1316 +msgid "If you trust this certificate, do /znc AddTrustedServerFingerprint {1}" +msgstr "" + +#: IRCSock.cpp:1325 +msgid "IRC connection timed out. Reconnecting..." +msgstr "" + +#: IRCSock.cpp:1337 +msgid "Connection Refused. Reconnecting..." +msgstr "" + +#: IRCSock.cpp:1345 +msgid "Received a too long line from the IRC server!" +msgstr "" + +#: IRCSock.cpp:1449 +msgid "No free nick available" +msgstr "" + +#: IRCSock.cpp:1457 +msgid "No free nick found" +msgstr "" + +#: Client.cpp:74 +msgid "No such module {1}" +msgstr "" + +#: Client.cpp:359 +msgid "A client from {1} attempted to login as you, but was rejected: {2}" +msgstr "" + +#: Client.cpp:394 +msgid "Network {1} doesn't exist." +msgstr "" + +#: Client.cpp:408 +msgid "" +"You have several networks configured, but no network was specified for the " +"connection." +msgstr "" + +#: Client.cpp:411 +msgid "" +"Selecting network {1}. To see list of all configured networks, use /znc " +"ListNetworks" +msgstr "" + +#: Client.cpp:414 +msgid "" +"If you want to choose another network, use /znc JumpNetwork , or " +"connect to ZNC with username {1}/ (instead of just {1})" +msgstr "" + +#: Client.cpp:420 +msgid "" +"You have no networks configured. Use /znc AddNetwork to add one." +msgstr "" + +#: Client.cpp:431 +msgid "Closing link: Timeout" +msgstr "" + +#: Client.cpp:453 +msgid "Closing link: Too long raw line" +msgstr "" + +#: Client.cpp:460 +msgid "" +"You are being disconnected because another user just authenticated as you." +msgstr "" + +#: Client.cpp:1022 +msgid "Your CTCP to {1} got lost, you are not connected to IRC!" +msgstr "" + +#: Client.cpp:1148 +msgid "Your notice to {1} got lost, you are not connected to IRC!" +msgstr "" + +#: Client.cpp:1187 +msgid "Removing channel {1}" +msgstr "" + +#: Client.cpp:1265 +msgid "Your message to {1} got lost, you are not connected to IRC!" +msgstr "" + +#: Client.cpp:1318 Client.cpp:1324 +msgid "Hello. How may I help you?" +msgstr "" + +#: Client.cpp:1338 +msgid "Usage: /attach <#chans>" +msgstr "" + +#: Client.cpp:1345 Client.cpp:1367 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: ClientCommand.cpp:423 ClientCommand.cpp:450 +msgid "There was {1} channel matching [{2}]" +msgid_plural "There were {1} channels matching [{2}]" +msgstr[0] "" +msgstr[1] "" + +#: Client.cpp:1348 ClientCommand.cpp:132 +msgid "Attached {1} channel" +msgid_plural "Attached {1} channels" +msgstr[0] "" +msgstr[1] "" + +#: Client.cpp:1360 +msgid "Usage: /detach <#chans>" +msgstr "" + +#: Client.cpp:1370 ClientCommand.cpp:154 +msgid "Detached {1} channel" +msgid_plural "Detached {1} channels" +msgstr[0] "" +msgstr[1] "" + +#: Chan.cpp:678 +msgid "Buffer Playback..." +msgstr "" + +#: Chan.cpp:716 +msgid "Playback Complete." +msgstr "" + +#: Modules.cpp:528 +msgctxt "modhelpcmd" +msgid "" +msgstr "" + +#: Modules.cpp:529 +msgctxt "modhelpcmd" +msgid "Generate this output" +msgstr "" + +#: Modules.cpp:573 ClientCommand.cpp:1922 +msgid "No matches for '{1}'" +msgstr "" + +#: Modules.cpp:691 +msgid "This module doesn't implement any commands." +msgstr "" + +#: Modules.cpp:693 +msgid "Unknown command!" +msgstr "" + +#: Modules.cpp:1633 +msgid "" +"Module names can only contain letters, numbers and underscores, [{1}] is " +"invalid" +msgstr "" + +#: Modules.cpp:1652 +msgid "Module {1} already loaded." +msgstr "" + +#: Modules.cpp:1666 +msgid "Unable to find module {1}" +msgstr "" + +#: Modules.cpp:1678 +msgid "Module {1} does not support module type {2}." +msgstr "" + +#: Modules.cpp:1685 +msgid "Module {1} requires a user." +msgstr "" + +#: Modules.cpp:1691 +msgid "Module {1} requires a network." +msgstr "" + +#: Modules.cpp:1707 +msgid "Caught an exception" +msgstr "" + +#: Modules.cpp:1713 +msgid "Module {1} aborted: {2}" +msgstr "" + +#: Modules.cpp:1715 +msgid "Module {1} aborted." +msgstr "" + +#: Modules.cpp:1739 Modules.cpp:1781 +msgid "Module [{1}] not loaded." +msgstr "" + +#: Modules.cpp:1763 +msgid "Module {1} unloaded." +msgstr "" + +#: Modules.cpp:1768 +msgid "Unable to unload module {1}." +msgstr "" + +#: Modules.cpp:1797 +msgid "Reloaded module {1}." +msgstr "" + +#: Modules.cpp:1816 +msgid "Unable to find module {1}." +msgstr "" + +#: Modules.cpp:1963 +msgid "Unknown error" +msgstr "" + +#: Modules.cpp:1964 +msgid "Unable to open module {1}: {2}" +msgstr "" + +#: Modules.cpp:1973 +msgid "Could not find ZNCModuleEntry in module {1}" +msgstr "" + +#: Modules.cpp:1981 +msgid "" +"Version mismatch for module {1}: core is {2}, module is built for {3}. " +"Recompile this module." +msgstr "" + +#: Modules.cpp:1992 +msgid "" +"Module {1} is built incompatibly: core is '{2}', module is '{3}'. Recompile " +"this module." +msgstr "" + +#: Modules.cpp:2023 Modules.cpp:2029 +msgctxt "modhelpcmd" +msgid "Command" +msgstr "" + +#: Modules.cpp:2024 Modules.cpp:2031 +msgctxt "modhelpcmd" +msgid "Description" +msgstr "" + +#: ClientCommand.cpp:51 ClientCommand.cpp:115 ClientCommand.cpp:137 +#: ClientCommand.cpp:339 ClientCommand.cpp:390 ClientCommand.cpp:405 +#: ClientCommand.cpp:432 ClientCommand.cpp:459 ClientCommand.cpp:764 +#: ClientCommand.cpp:783 ClientCommand.cpp:809 ClientCommand.cpp:843 +#: ClientCommand.cpp:856 ClientCommand.cpp:869 ClientCommand.cpp:884 +#: ClientCommand.cpp:1345 ClientCommand.cpp:1393 ClientCommand.cpp:1425 +#: ClientCommand.cpp:1436 ClientCommand.cpp:1445 ClientCommand.cpp:1457 +msgid "You must be connected with a network to use this command" +msgstr "" + +#: ClientCommand.cpp:58 +msgid "Usage: ListNicks <#chan>" +msgstr "" + +#: ClientCommand.cpp:65 +msgid "You are not on [{1}]" +msgstr "" + +#: ClientCommand.cpp:70 +msgid "You are not on [{1}] (trying)" +msgstr "" + +#: ClientCommand.cpp:79 +msgid "No nicks on [{1}]" +msgstr "" + +#: ClientCommand.cpp:91 ClientCommand.cpp:106 +msgid "Nick" +msgstr "" + +#: ClientCommand.cpp:92 ClientCommand.cpp:107 +msgid "Ident" +msgstr "" + +#: ClientCommand.cpp:93 ClientCommand.cpp:108 +msgid "Host" +msgstr "" + +#: ClientCommand.cpp:122 +msgid "Usage: Attach <#chans>" +msgstr "" + +#: ClientCommand.cpp:144 +msgid "Usage: Detach <#chans>" +msgstr "" + +#: ClientCommand.cpp:161 +msgid "There is no MOTD set." +msgstr "" + +#: ClientCommand.cpp:167 +msgid "Rehashing succeeded!" +msgstr "" + +#: ClientCommand.cpp:169 +msgid "Rehashing failed: {1}" +msgstr "" + +#: ClientCommand.cpp:173 +msgid "Wrote config to {1}" +msgstr "" + +#: ClientCommand.cpp:175 +msgid "Error while trying to write config." +msgstr "" + +#: ClientCommand.cpp:183 +msgid "Usage: ListClients" +msgstr "" + +#: ClientCommand.cpp:190 +msgid "No such user: {1}" +msgstr "" + +#: ClientCommand.cpp:198 +msgid "No clients are connected" +msgstr "" + +#: ClientCommand.cpp:203 ClientCommand.cpp:209 +msgctxt "listclientscmd" +msgid "Host" +msgstr "" + +#: ClientCommand.cpp:204 ClientCommand.cpp:212 +msgctxt "listclientscmd" +msgid "Network" +msgstr "" + +#: ClientCommand.cpp:205 ClientCommand.cpp:215 +msgctxt "listclientscmd" +msgid "Identifier" +msgstr "" + +#: ClientCommand.cpp:223 ClientCommand.cpp:229 +msgctxt "listuserscmd" +msgid "Username" +msgstr "" + +#: ClientCommand.cpp:224 ClientCommand.cpp:230 +msgctxt "listuserscmd" +msgid "Networks" +msgstr "" + +#: ClientCommand.cpp:225 ClientCommand.cpp:232 +msgctxt "listuserscmd" +msgid "Clients" +msgstr "" + +#: ClientCommand.cpp:240 ClientCommand.cpp:250 ClientCommand.cpp:260 +#: ClientCommand.cpp:263 +msgctxt "listallusernetworkscmd" +msgid "Username" +msgstr "" + +#: ClientCommand.cpp:241 ClientCommand.cpp:251 ClientCommand.cpp:266 +msgctxt "listallusernetworkscmd" +msgid "Network" +msgstr "" + +#: ClientCommand.cpp:242 ClientCommand.cpp:252 ClientCommand.cpp:268 +msgctxt "listallusernetworkscmd" +msgid "Clients" +msgstr "" + +#: ClientCommand.cpp:243 ClientCommand.cpp:271 ClientCommand.cpp:280 +msgctxt "listallusernetworkscmd" +msgid "On IRC" +msgstr "" + +#: ClientCommand.cpp:244 ClientCommand.cpp:273 +msgctxt "listallusernetworkscmd" +msgid "IRC Server" +msgstr "" + +#: ClientCommand.cpp:245 ClientCommand.cpp:275 +msgctxt "listallusernetworkscmd" +msgid "IRC User" +msgstr "" + +#: ClientCommand.cpp:246 ClientCommand.cpp:277 +msgctxt "listallusernetworkscmd" +msgid "Channels" +msgstr "" + +#: ClientCommand.cpp:251 +msgid "N/A" +msgstr "" + +#: ClientCommand.cpp:272 +msgctxt "listallusernetworkscmd" +msgid "Yes" +msgstr "" + +#: ClientCommand.cpp:281 +msgctxt "listallusernetworkscmd" +msgid "No" +msgstr "" + +#: ClientCommand.cpp:291 +msgid "Usage: SetMOTD " +msgstr "" + +#: ClientCommand.cpp:294 +msgid "MOTD set to: {1}" +msgstr "" + +#: ClientCommand.cpp:300 +msgid "Usage: AddMOTD " +msgstr "" + +#: ClientCommand.cpp:303 +msgid "Added [{1}] to MOTD" +msgstr "" + +#: ClientCommand.cpp:307 +msgid "Cleared MOTD" +msgstr "" + +#: ClientCommand.cpp:329 +msgid "" +"ERROR: Writing config file to disk failed! Aborting. Use {1} FORCE to ignore." +msgstr "" + +#: ClientCommand.cpp:344 ClientCommand.cpp:797 ClientCommand.cpp:838 +msgid "You don't have any servers added." +msgstr "" + +#: ClientCommand.cpp:355 +msgid "Server [{1}] not found" +msgstr "" + +#: ClientCommand.cpp:375 ClientCommand.cpp:380 +msgid "Connecting to {1}..." +msgstr "" + +#: ClientCommand.cpp:377 +msgid "Jumping to the next server in the list..." +msgstr "" + +#: ClientCommand.cpp:382 +msgid "Connecting..." +msgstr "" + +#: ClientCommand.cpp:400 +msgid "Disconnected from IRC. Use 'connect' to reconnect." +msgstr "" + +#: ClientCommand.cpp:412 +msgid "Usage: EnableChan <#chans>" +msgstr "" + +#: ClientCommand.cpp:426 +msgid "Enabled {1} channel" +msgid_plural "Enabled {1} channels" +msgstr[0] "" +msgstr[1] "" + +#: ClientCommand.cpp:439 +msgid "Usage: DisableChan <#chans>" +msgstr "" + +#: ClientCommand.cpp:453 +msgid "Disabled {1} channel" +msgid_plural "Disabled {1} channels" +msgstr[0] "" +msgstr[1] "" + +#: ClientCommand.cpp:470 +msgid "Usage: ListChans" +msgstr "" + +#: ClientCommand.cpp:477 +msgid "No such user [{1}]" +msgstr "" + +#: ClientCommand.cpp:483 +msgid "User [{1}] doesn't have network [{2}]" +msgstr "" + +#: ClientCommand.cpp:494 +msgid "There are no channels defined." +msgstr "" + +#: ClientCommand.cpp:499 ClientCommand.cpp:515 +msgctxt "listchans" +msgid "Name" +msgstr "" + +#: ClientCommand.cpp:500 ClientCommand.cpp:518 +msgctxt "listchans" +msgid "Status" +msgstr "" + +#: ClientCommand.cpp:501 ClientCommand.cpp:525 +msgctxt "listchans" +msgid "In config" +msgstr "" + +#: ClientCommand.cpp:502 ClientCommand.cpp:527 +msgctxt "listchans" +msgid "Buffer" +msgstr "" + +#: ClientCommand.cpp:503 ClientCommand.cpp:531 +msgctxt "listchans" +msgid "Clear" +msgstr "" + +#: ClientCommand.cpp:504 ClientCommand.cpp:536 +msgctxt "listchans" +msgid "Modes" +msgstr "" + +#: ClientCommand.cpp:505 ClientCommand.cpp:537 +msgctxt "listchans" +msgid "Users" +msgstr "" + +#: ClientCommand.cpp:520 +msgctxt "listchans" +msgid "Detached" +msgstr "" + +#: ClientCommand.cpp:521 +msgctxt "listchans" +msgid "Joined" +msgstr "" + +#: ClientCommand.cpp:522 +msgctxt "listchans" +msgid "Disabled" +msgstr "" + +#: ClientCommand.cpp:523 +msgctxt "listchans" +msgid "Trying" +msgstr "" + +#: ClientCommand.cpp:526 ClientCommand.cpp:534 +msgctxt "listchans" +msgid "yes" +msgstr "" + +#: ClientCommand.cpp:551 +msgid "Total: {1}, Joined: {2}, Detached: {3}, Disabled: {4}" +msgstr "" + +#: ClientCommand.cpp:556 +msgid "" +"Network number limit reached. Ask an admin to increase the limit for you, or " +"delete unneeded networks using /znc DelNetwork " +msgstr "" + +#: ClientCommand.cpp:565 +msgid "Usage: AddNetwork " +msgstr "" + +#: ClientCommand.cpp:569 +msgid "Network name should be alphanumeric" +msgstr "" + +#: ClientCommand.cpp:576 +msgid "" +"Network added. Use /znc JumpNetwork {1}, or connect to ZNC with username {2} " +"(instead of just {3}) to connect to it." +msgstr "" + +#: ClientCommand.cpp:581 +msgid "Unable to add that network" +msgstr "" + +#: ClientCommand.cpp:588 +msgid "Usage: DelNetwork " +msgstr "" + +#: ClientCommand.cpp:597 +msgid "Network deleted" +msgstr "" + +#: ClientCommand.cpp:600 +msgid "Failed to delete network, perhaps this network doesn't exist" +msgstr "" + +#: ClientCommand.cpp:610 +msgid "User {1} not found" +msgstr "" + +#: ClientCommand.cpp:618 ClientCommand.cpp:626 +msgctxt "listnetworks" +msgid "Network" +msgstr "" + +#: ClientCommand.cpp:619 ClientCommand.cpp:628 ClientCommand.cpp:637 +msgctxt "listnetworks" +msgid "On IRC" +msgstr "" + +#: ClientCommand.cpp:620 ClientCommand.cpp:630 +msgctxt "listnetworks" +msgid "IRC Server" +msgstr "" + +#: ClientCommand.cpp:621 ClientCommand.cpp:632 +msgctxt "listnetworks" +msgid "IRC User" +msgstr "" + +#: ClientCommand.cpp:622 ClientCommand.cpp:634 +msgctxt "listnetworks" +msgid "Channels" +msgstr "" + +#: ClientCommand.cpp:629 +msgctxt "listnetworks" +msgid "Yes" +msgstr "" + +#: ClientCommand.cpp:638 +msgctxt "listnetworks" +msgid "No" +msgstr "" + +#: ClientCommand.cpp:643 +msgctxt "listnetworks" +msgid "No networks" +msgstr "" + +#: ClientCommand.cpp:647 ClientCommand.cpp:952 +msgid "Access denied." +msgstr "" + +#: ClientCommand.cpp:658 +msgid "Usage: MoveNetwork [new network]" +msgstr "" + +#: ClientCommand.cpp:668 +msgid "Old user {1} not found." +msgstr "" + +#: ClientCommand.cpp:674 +msgid "Old network {1} not found." +msgstr "" + +#: ClientCommand.cpp:680 +msgid "New user {1} not found." +msgstr "" + +#: ClientCommand.cpp:685 +msgid "User {1} already has network {2}." +msgstr "" + +#: ClientCommand.cpp:691 +msgid "Invalid network name [{1}]" +msgstr "" + +#: ClientCommand.cpp:707 +msgid "Some files seem to be in {1}. You might want to move them to {2}" +msgstr "" + +#: ClientCommand.cpp:721 +msgid "Error adding network: {1}" +msgstr "" + +#: ClientCommand.cpp:733 +msgid "Success." +msgstr "" + +#: ClientCommand.cpp:736 +msgid "Copied the network to new user, but failed to delete old network" +msgstr "" + +#: ClientCommand.cpp:743 +msgid "No network supplied." +msgstr "" + +#: ClientCommand.cpp:748 +msgid "You are already connected with this network." +msgstr "" + +#: ClientCommand.cpp:754 +msgid "Switched to {1}" +msgstr "" + +#: ClientCommand.cpp:757 +msgid "You don't have a network named {1}" +msgstr "" + +#: ClientCommand.cpp:769 +msgid "Usage: AddServer [[+]port] [pass]" +msgstr "" + +#: ClientCommand.cpp:774 +msgid "Server added" +msgstr "" + +#: ClientCommand.cpp:777 +msgid "" +"Unable to add that server. Perhaps the server is already added or openssl is " +"disabled?" +msgstr "" + +#: ClientCommand.cpp:792 +msgid "Usage: DelServer [port] [pass]" +msgstr "" + +#: ClientCommand.cpp:802 +msgid "Server removed" +msgstr "" + +#: ClientCommand.cpp:804 +msgid "No such server" +msgstr "" + +#: ClientCommand.cpp:817 ClientCommand.cpp:825 +msgctxt "listservers" +msgid "Host" +msgstr "" + +#: ClientCommand.cpp:818 ClientCommand.cpp:827 +msgctxt "listservers" +msgid "Port" +msgstr "" + +#: ClientCommand.cpp:819 ClientCommand.cpp:830 +msgctxt "listservers" +msgid "SSL" +msgstr "" + +#: ClientCommand.cpp:820 ClientCommand.cpp:832 +msgctxt "listservers" +msgid "Password" +msgstr "" + +#: ClientCommand.cpp:831 +msgctxt "listservers|cell" +msgid "SSL" +msgstr "" + +#: ClientCommand.cpp:848 +msgid "Usage: AddTrustedServerFingerprint " +msgstr "" + +#: ClientCommand.cpp:852 ClientCommand.cpp:865 +msgid "Done." +msgstr "" + +#: ClientCommand.cpp:861 +msgid "Usage: DelTrustedServerFingerprint " +msgstr "" + +#: ClientCommand.cpp:874 +msgid "No fingerprints added." +msgstr "" + +#: ClientCommand.cpp:890 ClientCommand.cpp:896 +msgctxt "topicscmd" +msgid "Channel" +msgstr "" + +#: ClientCommand.cpp:891 ClientCommand.cpp:897 +msgctxt "topicscmd" +msgid "Set By" +msgstr "" + +#: ClientCommand.cpp:892 ClientCommand.cpp:898 +msgctxt "topicscmd" +msgid "Topic" +msgstr "" + +#: ClientCommand.cpp:905 ClientCommand.cpp:910 +msgctxt "listmods" +msgid "Name" +msgstr "" + +#: ClientCommand.cpp:906 ClientCommand.cpp:911 +msgctxt "listmods" +msgid "Arguments" +msgstr "" + +#: ClientCommand.cpp:920 +msgid "No global modules loaded." +msgstr "" + +#: ClientCommand.cpp:922 ClientCommand.cpp:986 +msgid "Global modules:" +msgstr "" + +#: ClientCommand.cpp:931 +msgid "Your user has no modules loaded." +msgstr "" + +#: ClientCommand.cpp:933 ClientCommand.cpp:998 +msgid "User modules:" +msgstr "" + +#: ClientCommand.cpp:941 +msgid "This network has no modules loaded." +msgstr "" + +#: ClientCommand.cpp:943 ClientCommand.cpp:1010 +msgid "Network modules:" +msgstr "" + +#: ClientCommand.cpp:958 ClientCommand.cpp:965 +msgctxt "listavailmods" +msgid "Name" +msgstr "" + +#: ClientCommand.cpp:959 ClientCommand.cpp:970 +msgctxt "listavailmods" +msgid "Description" +msgstr "" + +#: ClientCommand.cpp:984 +msgid "No global modules available." +msgstr "" + +#: ClientCommand.cpp:996 +msgid "No user modules available." +msgstr "" + +#: ClientCommand.cpp:1008 +msgid "No network modules available." +msgstr "" + +#: ClientCommand.cpp:1036 +msgid "Unable to load {1}: Access denied." +msgstr "" + +#: ClientCommand.cpp:1042 +msgid "Usage: LoadMod [--type=global|user|network] [args]" +msgstr "" + +#: ClientCommand.cpp:1049 +msgid "Unable to load {1}: {2}" +msgstr "" + +#: ClientCommand.cpp:1059 +msgid "Unable to load global module {1}: Access denied." +msgstr "" + +#: ClientCommand.cpp:1065 +msgid "Unable to load network module {1}: Not connected with a network." +msgstr "" + +#: ClientCommand.cpp:1087 +msgid "Unknown module type" +msgstr "" + +#: ClientCommand.cpp:1092 +msgid "Loaded module {1}" +msgstr "" + +#: ClientCommand.cpp:1094 +msgid "Loaded module {1}: {2}" +msgstr "" + +#: ClientCommand.cpp:1097 +msgid "Unable to load module {1}: {2}" +msgstr "" + +#: ClientCommand.cpp:1120 +msgid "Unable to unload {1}: Access denied." +msgstr "" + +#: ClientCommand.cpp:1126 +msgid "Usage: UnloadMod [--type=global|user|network] " +msgstr "" + +#: ClientCommand.cpp:1135 +msgid "Unable to determine type of {1}: {2}" +msgstr "" + +#: ClientCommand.cpp:1143 +msgid "Unable to unload global module {1}: Access denied." +msgstr "" + +#: ClientCommand.cpp:1150 +msgid "Unable to unload network module {1}: Not connected with a network." +msgstr "" + +#: ClientCommand.cpp:1169 +msgid "Unable to unload module {1}: Unknown module type" +msgstr "" + +#: ClientCommand.cpp:1182 +msgid "Unable to reload modules. Access denied." +msgstr "" + +#: ClientCommand.cpp:1203 +msgid "Usage: ReloadMod [--type=global|user|network] [args]" +msgstr "" + +#: ClientCommand.cpp:1212 +msgid "Unable to reload {1}: {2}" +msgstr "" + +#: ClientCommand.cpp:1220 +msgid "Unable to reload global module {1}: Access denied." +msgstr "" + +#: ClientCommand.cpp:1227 +msgid "Unable to reload network module {1}: Not connected with a network." +msgstr "" + +#: ClientCommand.cpp:1249 +msgid "Unable to reload module {1}: Unknown module type" +msgstr "" + +#: ClientCommand.cpp:1260 +msgid "Usage: UpdateMod " +msgstr "" + +#: ClientCommand.cpp:1264 +msgid "Reloading {1} everywhere" +msgstr "" + +#: ClientCommand.cpp:1266 +msgid "Done" +msgstr "" + +#: ClientCommand.cpp:1269 +msgid "" +"Done, but there were errors, module {1} could not be reloaded everywhere." +msgstr "" + +#: ClientCommand.cpp:1277 +msgid "" +"You must be connected with a network to use this command. Try " +"SetUserBindHost instead" +msgstr "" + +#: ClientCommand.cpp:1284 +msgid "Usage: SetBindHost " +msgstr "" + +#: ClientCommand.cpp:1289 ClientCommand.cpp:1306 +msgid "You already have this bind host!" +msgstr "" + +#: ClientCommand.cpp:1294 +msgid "Set bind host for network {1} to {2}" +msgstr "" + +#: ClientCommand.cpp:1301 +msgid "Usage: SetUserBindHost " +msgstr "" + +#: ClientCommand.cpp:1311 +msgid "Set default bind host to {1}" +msgstr "" + +#: ClientCommand.cpp:1317 +msgid "" +"You must be connected with a network to use this command. Try " +"ClearUserBindHost instead" +msgstr "" + +#: ClientCommand.cpp:1322 +msgid "Bind host cleared for this network." +msgstr "" + +#: ClientCommand.cpp:1326 +msgid "Default bind host cleared for your user." +msgstr "" + +#: ClientCommand.cpp:1329 +msgid "This user's default bind host not set" +msgstr "" + +#: ClientCommand.cpp:1331 +msgid "This user's default bind host is {1}" +msgstr "" + +#: ClientCommand.cpp:1336 +msgid "This network's bind host not set" +msgstr "" + +#: ClientCommand.cpp:1338 +msgid "This network's default bind host is {1}" +msgstr "" + +#: ClientCommand.cpp:1352 +msgid "Usage: PlayBuffer <#chan|query>" +msgstr "" + +#: ClientCommand.cpp:1360 +msgid "You are not on {1}" +msgstr "" + +#: ClientCommand.cpp:1365 +msgid "You are not on {1} (trying to join)" +msgstr "" + +#: ClientCommand.cpp:1370 +msgid "The buffer for channel {1} is empty" +msgstr "" + +#: ClientCommand.cpp:1379 +msgid "No active query with {1}" +msgstr "" + +#: ClientCommand.cpp:1384 +msgid "The buffer for {1} is empty" +msgstr "" + +#: ClientCommand.cpp:1400 +msgid "Usage: ClearBuffer <#chan|query>" +msgstr "" + +#: ClientCommand.cpp:1419 +msgid "{1} buffer matching {2} has been cleared" +msgid_plural "{1} buffers matching {2} have been cleared" +msgstr[0] "" +msgstr[1] "" + +#: ClientCommand.cpp:1432 +msgid "All channel buffers have been cleared" +msgstr "" + +#: ClientCommand.cpp:1441 +msgid "All query buffers have been cleared" +msgstr "" + +#: ClientCommand.cpp:1453 +msgid "All buffers have been cleared" +msgstr "" + +#: ClientCommand.cpp:1464 +msgid "Usage: SetBuffer <#chan|query> [linecount]" +msgstr "" + +#: ClientCommand.cpp:1485 +msgid "Setting buffer size failed for {1} buffer" +msgid_plural "Setting buffer size failed for {1} buffers" +msgstr[0] "" +msgstr[1] "" + +#: ClientCommand.cpp:1488 +msgid "Maximum buffer size is {1} line" +msgid_plural "Maximum buffer size is {1} lines" +msgstr[0] "" +msgstr[1] "" + +#: ClientCommand.cpp:1493 +msgid "Size of every buffer was set to {1} line" +msgid_plural "Size of every buffer was set to {1} lines" +msgstr[0] "" +msgstr[1] "" + +#: ClientCommand.cpp:1503 ClientCommand.cpp:1510 ClientCommand.cpp:1521 +#: ClientCommand.cpp:1530 ClientCommand.cpp:1538 +msgctxt "trafficcmd" +msgid "Username" +msgstr "" + +#: ClientCommand.cpp:1504 ClientCommand.cpp:1511 ClientCommand.cpp:1523 +#: ClientCommand.cpp:1532 ClientCommand.cpp:1540 +msgctxt "trafficcmd" +msgid "In" +msgstr "" + +#: ClientCommand.cpp:1505 ClientCommand.cpp:1513 ClientCommand.cpp:1524 +#: ClientCommand.cpp:1533 ClientCommand.cpp:1541 +msgctxt "trafficcmd" +msgid "Out" +msgstr "" + +#: ClientCommand.cpp:1506 ClientCommand.cpp:1516 ClientCommand.cpp:1526 +#: ClientCommand.cpp:1534 ClientCommand.cpp:1543 +msgctxt "trafficcmd" +msgid "Total" +msgstr "" + +#: ClientCommand.cpp:1522 +msgctxt "trafficcmd" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1531 +msgctxt "trafficcmd" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1539 +msgctxt "trafficcmd" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1548 +msgid "Running for {1}" +msgstr "" + +#: ClientCommand.cpp:1554 +msgid "Unknown command, try 'Help'" +msgstr "" + +#: ClientCommand.cpp:1563 ClientCommand.cpp:1574 +msgctxt "listports" +msgid "Port" +msgstr "" + +#: ClientCommand.cpp:1564 ClientCommand.cpp:1577 +msgctxt "listports" +msgid "BindHost" +msgstr "" + +#: ClientCommand.cpp:1565 ClientCommand.cpp:1580 +msgctxt "listports" +msgid "SSL" +msgstr "" + +#: ClientCommand.cpp:1566 ClientCommand.cpp:1585 +msgctxt "listports" +msgid "Protocol" +msgstr "" + +#: ClientCommand.cpp:1567 ClientCommand.cpp:1592 +msgctxt "listports" +msgid "IRC" +msgstr "" + +#: ClientCommand.cpp:1568 ClientCommand.cpp:1597 +msgctxt "listports" +msgid "Web" +msgstr "" + +#: ClientCommand.cpp:1581 +msgctxt "listports|ssl" +msgid "yes" +msgstr "" + +#: ClientCommand.cpp:1582 +msgctxt "listports|ssl" +msgid "no" +msgstr "" + +#: ClientCommand.cpp:1586 +msgctxt "listports" +msgid "IPv4 and IPv6" +msgstr "" + +#: ClientCommand.cpp:1588 +msgctxt "listports" +msgid "IPv4" +msgstr "" + +#: ClientCommand.cpp:1589 +msgctxt "listports" +msgid "IPv6" +msgstr "" + +#: ClientCommand.cpp:1595 +msgctxt "listports|irc" +msgid "yes" +msgstr "" + +#: ClientCommand.cpp:1596 +msgctxt "listports|irc" +msgid "no" +msgstr "" + +#: ClientCommand.cpp:1600 +msgctxt "listports|irc" +msgid "yes, on {1}" +msgstr "" + +#: ClientCommand.cpp:1602 +msgctxt "listports|web" +msgid "no" +msgstr "" + +#: ClientCommand.cpp:1642 +msgid "" +"Usage: AddPort <[+]port> [bindhost [uriprefix]]" +msgstr "" + +#: ClientCommand.cpp:1658 +msgid "Port added" +msgstr "" + +#: ClientCommand.cpp:1660 +msgid "Couldn't add port" +msgstr "" + +#: ClientCommand.cpp:1666 +msgid "Usage: DelPort [bindhost]" +msgstr "" + +#: ClientCommand.cpp:1675 +msgid "Deleted Port" +msgstr "" + +#: ClientCommand.cpp:1677 +msgid "Unable to find a matching port" +msgstr "" + +#: ClientCommand.cpp:1685 ClientCommand.cpp:1700 +msgctxt "helpcmd" +msgid "Command" +msgstr "" + +#: ClientCommand.cpp:1686 ClientCommand.cpp:1702 +msgctxt "helpcmd" +msgid "Description" +msgstr "" + +#: ClientCommand.cpp:1691 +msgid "" +"In the following list all occurrences of <#chan> support wildcards (* and ?) " +"except ListNicks" +msgstr "" + +#: ClientCommand.cpp:1708 +msgctxt "helpcmd|Version|desc" +msgid "Print which version of ZNC this is" +msgstr "" + +#: ClientCommand.cpp:1711 +msgctxt "helpcmd|ListMods|desc" +msgid "List all loaded modules" +msgstr "" + +#: ClientCommand.cpp:1714 +msgctxt "helpcmd|ListAvailMods|desc" +msgid "List all available modules" +msgstr "" + +#: ClientCommand.cpp:1718 ClientCommand.cpp:1904 +msgctxt "helpcmd|ListChans|desc" +msgid "List all channels" +msgstr "" + +#: ClientCommand.cpp:1721 +msgctxt "helpcmd|ListNicks|args" +msgid "<#chan>" +msgstr "" + +#: ClientCommand.cpp:1722 +msgctxt "helpcmd|ListNicks|desc" +msgid "List all nicks on a channel" +msgstr "" + +#: ClientCommand.cpp:1725 +msgctxt "helpcmd|ListClients|desc" +msgid "List all clients connected to your ZNC user" +msgstr "" + +#: ClientCommand.cpp:1729 +msgctxt "helpcmd|ListServers|desc" +msgid "List all servers of current IRC network" +msgstr "" + +#: ClientCommand.cpp:1733 +msgctxt "helpcmd|AddNetwork|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1734 +msgctxt "helpcmd|AddNetwork|desc" +msgid "Add a network to your user" +msgstr "" + +#: ClientCommand.cpp:1736 +msgctxt "helpcmd|DelNetwork|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1737 +msgctxt "helpcmd|DelNetwork|desc" +msgid "Delete a network from your user" +msgstr "" + +#: ClientCommand.cpp:1739 +msgctxt "helpcmd|ListNetworks|desc" +msgid "List all networks" +msgstr "" + +#: ClientCommand.cpp:1742 +msgctxt "helpcmd|MoveNetwork|args" +msgid " [new network]" +msgstr "" + +#: ClientCommand.cpp:1744 +msgctxt "helpcmd|MoveNetwork|desc" +msgid "Move an IRC network from one user to another" +msgstr "" + +#: ClientCommand.cpp:1748 +msgctxt "helpcmd|JumpNetwork|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1749 +msgctxt "helpcmd|JumpNetwork|desc" +msgid "" +"Jump to another network (Alternatively, you can connect to ZNC several " +"times, using `user/network` as username)" +msgstr "" + +#: ClientCommand.cpp:1754 +msgctxt "helpcmd|AddServer|args" +msgid " [[+]port] [pass]" +msgstr "" + +#: ClientCommand.cpp:1755 +msgctxt "helpcmd|AddServer|desc" +msgid "" +"Add a server to the list of alternate/backup servers of current IRC network." +msgstr "" + +#: ClientCommand.cpp:1759 +msgctxt "helpcmd|DelServer|args" +msgid " [port] [pass]" +msgstr "" + +#: ClientCommand.cpp:1760 +msgctxt "helpcmd|DelServer|desc" +msgid "" +"Remove a server from the list of alternate/backup servers of current IRC " +"network" +msgstr "" + +#: ClientCommand.cpp:1766 +msgctxt "helpcmd|AddTrustedServerFingerprint|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1767 +msgctxt "helpcmd|AddTrustedServerFingerprint|desc" +msgid "" +"Add a trusted server SSL certificate fingerprint (SHA-256) to current IRC " +"network." +msgstr "" + +#: ClientCommand.cpp:1772 +msgctxt "helpcmd|DelTrustedServerFingerprint|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1773 +msgctxt "helpcmd|DelTrustedServerFingerprint|desc" +msgid "Delete a trusted server SSL certificate from current IRC network." +msgstr "" + +#: ClientCommand.cpp:1777 +msgctxt "helpcmd|ListTrustedServerFingerprints|desc" +msgid "List all trusted server SSL certificates of current IRC network." +msgstr "" + +#: ClientCommand.cpp:1780 +msgctxt "helpcmd|EnableChan|args" +msgid "<#chans>" +msgstr "" + +#: ClientCommand.cpp:1781 +msgctxt "helpcmd|EnableChan|desc" +msgid "Enable channels" +msgstr "" + +#: ClientCommand.cpp:1782 +msgctxt "helpcmd|DisableChan|args" +msgid "<#chans>" +msgstr "" + +#: ClientCommand.cpp:1783 +msgctxt "helpcmd|DisableChan|desc" +msgid "Disable channels" +msgstr "" + +#: ClientCommand.cpp:1784 +msgctxt "helpcmd|Attach|args" +msgid "<#chans>" +msgstr "" + +#: ClientCommand.cpp:1785 +msgctxt "helpcmd|Attach|desc" +msgid "Attach to channels" +msgstr "" + +#: ClientCommand.cpp:1786 +msgctxt "helpcmd|Detach|args" +msgid "<#chans>" +msgstr "" + +#: ClientCommand.cpp:1787 +msgctxt "helpcmd|Detach|desc" +msgid "Detach from channels" +msgstr "" + +#: ClientCommand.cpp:1790 +msgctxt "helpcmd|Topics|desc" +msgid "Show topics in all your channels" +msgstr "" + +#: ClientCommand.cpp:1793 +msgctxt "helpcmd|PlayBuffer|args" +msgid "<#chan|query>" +msgstr "" + +#: ClientCommand.cpp:1794 +msgctxt "helpcmd|PlayBuffer|desc" +msgid "Play back the specified buffer" +msgstr "" + +#: ClientCommand.cpp:1796 +msgctxt "helpcmd|ClearBuffer|args" +msgid "<#chan|query>" +msgstr "" + +#: ClientCommand.cpp:1797 +msgctxt "helpcmd|ClearBuffer|desc" +msgid "Clear the specified buffer" +msgstr "" + +#: ClientCommand.cpp:1799 +msgctxt "helpcmd|ClearAllBuffers|desc" +msgid "Clear all channel and query buffers" +msgstr "" + +#: ClientCommand.cpp:1802 +msgctxt "helpcmd|ClearAllChannelBuffers|desc" +msgid "Clear the channel buffers" +msgstr "" + +#: ClientCommand.cpp:1806 +msgctxt "helpcmd|ClearAllQueryBuffers|desc" +msgid "Clear the query buffers" +msgstr "" + +#: ClientCommand.cpp:1808 +msgctxt "helpcmd|SetBuffer|args" +msgid "<#chan|query> [linecount]" +msgstr "" + +#: ClientCommand.cpp:1809 +msgctxt "helpcmd|SetBuffer|desc" +msgid "Set the buffer count" +msgstr "" + +#: ClientCommand.cpp:1813 +msgctxt "helpcmd|SetBindHost|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1814 +msgctxt "helpcmd|SetBindHost|desc" +msgid "Set the bind host for this network" +msgstr "" + +#: ClientCommand.cpp:1818 +msgctxt "helpcmd|SetUserBindHost|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1819 +msgctxt "helpcmd|SetUserBindHost|desc" +msgid "Set the default bind host for this user" +msgstr "" + +#: ClientCommand.cpp:1822 +msgctxt "helpcmd|ClearBindHost|desc" +msgid "Clear the bind host for this network" +msgstr "" + +#: ClientCommand.cpp:1825 +msgctxt "helpcmd|ClearUserBindHost|desc" +msgid "Clear the default bind host for this user" +msgstr "" + +#: ClientCommand.cpp:1831 +msgctxt "helpcmd|ShowBindHost|desc" +msgid "Show currently selected bind host" +msgstr "" + +#: ClientCommand.cpp:1833 +msgctxt "helpcmd|Jump|args" +msgid "[server]" +msgstr "" + +#: ClientCommand.cpp:1834 +msgctxt "helpcmd|Jump|desc" +msgid "Jump to the next or the specified server" +msgstr "" + +#: ClientCommand.cpp:1835 +msgctxt "helpcmd|Disconnect|args" +msgid "[message]" +msgstr "" + +#: ClientCommand.cpp:1836 +msgctxt "helpcmd|Disconnect|desc" +msgid "Disconnect from IRC" +msgstr "" + +#: ClientCommand.cpp:1838 +msgctxt "helpcmd|Connect|desc" +msgid "Reconnect to IRC" +msgstr "" + +#: ClientCommand.cpp:1841 +msgctxt "helpcmd|Uptime|desc" +msgid "Show for how long ZNC has been running" +msgstr "" + +#: ClientCommand.cpp:1845 +msgctxt "helpcmd|LoadMod|args" +msgid "[--type=global|user|network] [args]" +msgstr "" + +#: ClientCommand.cpp:1847 +msgctxt "helpcmd|LoadMod|desc" +msgid "Load a module" +msgstr "" + +#: ClientCommand.cpp:1849 +msgctxt "helpcmd|UnloadMod|args" +msgid "[--type=global|user|network] " +msgstr "" + +#: ClientCommand.cpp:1851 +msgctxt "helpcmd|UnloadMod|desc" +msgid "Unload a module" +msgstr "" + +#: ClientCommand.cpp:1853 +msgctxt "helpcmd|ReloadMod|args" +msgid "[--type=global|user|network] [args]" +msgstr "" + +#: ClientCommand.cpp:1855 +msgctxt "helpcmd|ReloadMod|desc" +msgid "Reload a module" +msgstr "" + +#: ClientCommand.cpp:1858 +msgctxt "helpcmd|UpdateMod|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1859 +msgctxt "helpcmd|UpdateMod|desc" +msgid "Reload a module everywhere" +msgstr "" + +#: ClientCommand.cpp:1865 +msgctxt "helpcmd|ShowMOTD|desc" +msgid "Show ZNC's message of the day" +msgstr "" + +#: ClientCommand.cpp:1869 +msgctxt "helpcmd|SetMOTD|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1870 +msgctxt "helpcmd|SetMOTD|desc" +msgid "Set ZNC's message of the day" +msgstr "" + +#: ClientCommand.cpp:1872 +msgctxt "helpcmd|AddMOTD|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1873 +msgctxt "helpcmd|AddMOTD|desc" +msgid "Append to ZNC's MOTD" +msgstr "" + +#: ClientCommand.cpp:1875 +msgctxt "helpcmd|ClearMOTD|desc" +msgid "Clear ZNC's MOTD" +msgstr "" + +#: ClientCommand.cpp:1878 +msgctxt "helpcmd|ListPorts|desc" +msgid "Show all active listeners" +msgstr "" + +#: ClientCommand.cpp:1880 +msgctxt "helpcmd|AddPort|args" +msgid "<[+]port> [bindhost [uriprefix]]" +msgstr "" + +#: ClientCommand.cpp:1883 +msgctxt "helpcmd|AddPort|desc" +msgid "Add another port for ZNC to listen on" +msgstr "" + +#: ClientCommand.cpp:1887 +msgctxt "helpcmd|DelPort|args" +msgid " [bindhost]" +msgstr "" + +#: ClientCommand.cpp:1888 +msgctxt "helpcmd|DelPort|desc" +msgid "Remove a port from ZNC" +msgstr "" + +#: ClientCommand.cpp:1891 +msgctxt "helpcmd|Rehash|desc" +msgid "Reload global settings, modules, and listeners from znc.conf" +msgstr "" + +#: ClientCommand.cpp:1894 +msgctxt "helpcmd|SaveConfig|desc" +msgid "Save the current settings to disk" +msgstr "" + +#: ClientCommand.cpp:1897 +msgctxt "helpcmd|ListUsers|desc" +msgid "List all ZNC users and their connection status" +msgstr "" + +#: ClientCommand.cpp:1900 +msgctxt "helpcmd|ListAllUserNetworks|desc" +msgid "List all ZNC users and their networks" +msgstr "" + +#: ClientCommand.cpp:1903 +msgctxt "helpcmd|ListChans|args" +msgid "[user ]" +msgstr "" + +#: ClientCommand.cpp:1906 +msgctxt "helpcmd|ListClients|args" +msgid "[user]" +msgstr "" + +#: ClientCommand.cpp:1907 +msgctxt "helpcmd|ListClients|desc" +msgid "List all connected clients" +msgstr "" + +#: ClientCommand.cpp:1909 +msgctxt "helpcmd|Traffic|desc" +msgid "Show basic traffic stats for all ZNC users" +msgstr "" + +#: ClientCommand.cpp:1911 +msgctxt "helpcmd|Broadcast|args" +msgid "[message]" +msgstr "" + +#: ClientCommand.cpp:1912 +msgctxt "helpcmd|Broadcast|desc" +msgid "Broadcast a message to all ZNC users" +msgstr "" + +#: ClientCommand.cpp:1915 +msgctxt "helpcmd|Shutdown|args" +msgid "[message]" +msgstr "" + +#: ClientCommand.cpp:1916 +msgctxt "helpcmd|Shutdown|desc" +msgid "Shut down ZNC completely" +msgstr "" + +#: ClientCommand.cpp:1917 +msgctxt "helpcmd|Restart|args" +msgid "[message]" +msgstr "" + +#: ClientCommand.cpp:1918 +msgctxt "helpcmd|Restart|desc" +msgid "Restart ZNC" +msgstr "" + +#: Socket.cpp:342 +msgid "Can't resolve server hostname" +msgstr "" + +#: Socket.cpp:349 +msgid "" +"Can't resolve bind hostname. Try /znc ClearBindHost and /znc " +"ClearUserBindHost" +msgstr "" + +#: Socket.cpp:354 +msgid "Server address is IPv4-only, but bindhost is IPv6-only" +msgstr "" + +#: Socket.cpp:363 +msgid "Server address is IPv6-only, but bindhost is IPv4-only" +msgstr "" + +#: Socket.cpp:521 +msgid "Some socket reached its max buffer limit and was closed!" +msgstr "" + +#: SSLVerifyHost.cpp:481 +msgid "hostname doesn't match" +msgstr "" + +#: SSLVerifyHost.cpp:485 +msgid "malformed hostname in certificate" +msgstr "" + +#: SSLVerifyHost.cpp:489 +msgid "hostname verification error" +msgstr "" + +#: User.cpp:507 +msgid "" +"Invalid network name. It should be alphanumeric. Not to be confused with " +"server name" +msgstr "" + +#: User.cpp:511 +msgid "Network {1} already exists" +msgstr "" + +#: User.cpp:777 +msgid "" +"You are being disconnected because your IP is no longer allowed to connect " +"to this user" +msgstr "" + +#: User.cpp:912 +msgid "Password is empty" +msgstr "" + +#: User.cpp:917 +msgid "Username is empty" +msgstr "" + +#: User.cpp:922 +msgid "Username is invalid" +msgstr "" + +#: User.cpp:1199 +msgid "Unable to find modinfo {1}: {2}" +msgstr "" From 9f62facd042a27315d2b04a8291fb735c1ca1c2c Mon Sep 17 00:00:00 2001 From: Casper <38324207+csprr@users.noreply.github.com> Date: Fri, 21 Aug 2020 12:31:39 +0200 Subject: [PATCH 481/798] Update del_network.tmpl Default action for 'no' to go to the edituser page instead of listusers page. Close #1751 --- modules/data/webadmin/tmpl/del_network.tmpl | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/modules/data/webadmin/tmpl/del_network.tmpl b/modules/data/webadmin/tmpl/del_network.tmpl index 00ff85cf..886efbc0 100644 --- a/modules/data/webadmin/tmpl/del_network.tmpl +++ b/modules/data/webadmin/tmpl/del_network.tmpl @@ -13,7 +13,7 @@
"/>
-
+
"/>
From 85ca183add65abea722ab29ac58fff43eed9d5ed Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Sun, 30 Aug 2020 20:02:06 +0100 Subject: [PATCH 482/798] Remove de.zip again It sometimes appears here because of bugs in the translation pipeline --- de.zip | 5 ----- 1 file changed, 5 deletions(-) delete mode 100644 de.zip diff --git a/de.zip b/de.zip deleted file mode 100644 index c92a8386..00000000 --- a/de.zip +++ /dev/null @@ -1,5 +0,0 @@ - - - 8 - File was not found - From 132f474cedcb50504829f18c8b3cc77816292422 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Sun, 30 Aug 2020 20:02:38 +0100 Subject: [PATCH 483/798] ZNC 1.8.2-rc1 --- CMakeLists.txt | 8 ++++---- configure.ac | 4 ++-- include/znc/version.h | 4 ++-- 3 files changed, 8 insertions(+), 8 deletions(-) diff --git a/CMakeLists.txt b/CMakeLists.txt index 7c8dd49a..e231f0d0 100644 --- a/CMakeLists.txt +++ b/CMakeLists.txt @@ -15,10 +15,10 @@ # cmake_minimum_required(VERSION 3.1) -project(ZNC VERSION 1.8.1 LANGUAGES CXX) -set(ZNC_VERSION 1.8.x) -set(append_git_version true) -set(alpha_version "") # e.g. "-rc1" +project(ZNC VERSION 1.8.2 LANGUAGES CXX) +set(ZNC_VERSION 1.8.2) +set(append_git_version false) +set(alpha_version "-rc1") # e.g. "-rc1" set(VERSION_EXTRA "" CACHE STRING "Additional string appended to version, e.g. to mark distribution") diff --git a/configure.ac b/configure.ac index 2dd5b1d3..690f58f8 100644 --- a/configure.ac +++ b/configure.ac @@ -7,8 +7,8 @@ AC_DEFUN([AC_PROG_CC], [m4_errprint(__file__:__line__[: Something is trying to u dnl Needed for AC_PATH_PROGS_FEATURE_CHECK which was added in 2.62 AC_PREREQ([2.62]) dnl Keep the version number in sync with version.h! -AC_INIT([znc], [1.8.x]) -LIBZNC_VERSION=1.8.x +AC_INIT([znc], [1.8.2-rc1]) +LIBZNC_VERSION=1.8.2 AC_CONFIG_MACRO_DIR([m4]) AC_CONFIG_SRCDIR([src/znc.cpp]) AC_LANG([C++]) diff --git a/include/znc/version.h b/include/znc/version.h index d40ea5f6..9a3d641b 100644 --- a/include/znc/version.h +++ b/include/znc/version.h @@ -20,9 +20,9 @@ limitations under the License. // The following defines are for #if comparison (preprocessor only likes ints) #define VERSION_MAJOR 1 #define VERSION_MINOR 8 -#define VERSION_PATCH -1 +#define VERSION_PATCH 2 // This one is for display purpose and to check ABI compatibility of modules -#define VERSION_STR "1.8.x" +#define VERSION_STR "1.8.2" #endif // Don't use this one From 777c6821d8a4556f39508e7b52f18131fe660fba Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Wed, 2 Sep 2020 00:29:42 +0000 Subject: [PATCH 484/798] Update translations from Crowdin for --- src/po/znc.pot | 8 -------- 1 file changed, 8 deletions(-) diff --git a/src/po/znc.pot b/src/po/znc.pot index 32ebc7e3..b959a8cd 100644 --- a/src/po/znc.pot +++ b/src/po/znc.pot @@ -62,11 +62,7 @@ msgstr "" msgid "Invalid port" msgstr "" -<<<<<<< HEAD #: znc.cpp:1813 ClientCommand.cpp:1655 -======= -#: znc.cpp:1821 ClientCommand.cpp:1655 ->>>>>>> 1.8.x msgid "Unable to bind: {1}" msgstr "" @@ -238,11 +234,7 @@ msgstr "" msgid "Usage: /attach <#chans>" msgstr "" -<<<<<<< HEAD #: Client.cpp:1345 Client.cpp:1367 ClientCommand.cpp:129 ClientCommand.cpp:151 -======= -#: Client.cpp:1344 Client.cpp:1366 ClientCommand.cpp:129 ClientCommand.cpp:151 ->>>>>>> 1.8.x #: ClientCommand.cpp:423 ClientCommand.cpp:450 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" From 0a940c814622e12f6caa81781fb4a03cba8194d4 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Wed, 2 Sep 2020 00:29:43 +0000 Subject: [PATCH 485/798] Update translations from Crowdin for de_DE --- modules/po/admindebug.de_DE.po | 10 +- modules/po/adminlog.de_DE.po | 10 +- modules/po/alias.de_DE.po | 10 +- modules/po/autoattach.de_DE.po | 10 +- modules/po/autocycle.de_DE.po | 10 +- modules/po/autoop.de_DE.po | 10 +- modules/po/autoreply.de_DE.po | 10 +- modules/po/autovoice.de_DE.po | 10 +- modules/po/awaystore.de_DE.po | 10 +- modules/po/block_motd.de_DE.po | 10 +- modules/po/blockuser.de_DE.po | 10 +- modules/po/bouncedcc.de_DE.po | 10 +- modules/po/buffextras.de_DE.po | 10 +- modules/po/cert.de_DE.po | 10 +- modules/po/certauth.de_DE.po | 10 +- modules/po/chansaver.de_DE.po | 10 +- modules/po/clearbufferonmsg.de_DE.po | 10 +- modules/po/clientnotify.de_DE.po | 10 +- modules/po/controlpanel.de_DE.po | 10 +- modules/po/crypt.de_DE.po | 74 ++++---- modules/po/ctcpflood.de_DE.po | 10 +- modules/po/cyrusauth.de_DE.po | 10 +- modules/po/dcc.de_DE.po | 109 ++++++------ modules/po/disconkick.de_DE.po | 10 +- modules/po/fail2ban.de_DE.po | 10 +- modules/po/flooddetach.de_DE.po | 13 +- modules/po/identfile.de_DE.po | 10 +- modules/po/imapauth.de_DE.po | 10 +- modules/po/keepnick.de_DE.po | 10 +- modules/po/kickrejoin.de_DE.po | 10 +- modules/po/lastseen.de_DE.po | 10 +- modules/po/listsockets.de_DE.po | 10 +- modules/po/log.de_DE.po | 12 +- modules/po/missingmotd.de_DE.po | 10 +- modules/po/modperl.de_DE.po | 10 +- modules/po/modpython.de_DE.po | 10 +- modules/po/modules_online.de_DE.po | 12 +- modules/po/nickserv.de_DE.po | 12 +- modules/po/notes.de_DE.po | 60 ++++--- modules/po/notify_connect.de_DE.po | 10 +- modules/po/perform.de_DE.po | 55 +++--- modules/po/perleval.de_DE.po | 10 +- modules/po/pyeval.de_DE.po | 10 +- modules/po/raw.de_DE.po | 10 +- modules/po/route_replies.de_DE.po | 10 +- modules/po/sample.de_DE.po | 42 ++--- modules/po/samplewebapi.de_DE.po | 10 +- modules/po/sasl.de_DE.po | 89 +++++----- modules/po/savebuff.de_DE.po | 10 +- modules/po/send_raw.de_DE.po | 56 +++--- modules/po/shell.de_DE.po | 10 +- modules/po/simple_away.de_DE.po | 47 ++--- modules/po/stickychan.de_DE.po | 53 +++--- modules/po/stripcontrols.de_DE.po | 10 +- modules/po/watch.de_DE.po | 96 ++++++----- modules/po/webadmin.de_DE.po | 245 ++++++++++++++++----------- src/po/znc.de_DE.po | 87 ++++------ 57 files changed, 819 insertions(+), 653 deletions(-) diff --git a/modules/po/admindebug.de_DE.po b/modules/po/admindebug.de_DE.po index cfeab62b..7eae2d83 100644 --- a/modules/po/admindebug.de_DE.po +++ b/modules/po/admindebug.de_DE.po @@ -1,14 +1,16 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" -"X-Crowdin-File: /master/modules/po/admindebug.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/admindebug.pot\n" +"X-Crowdin-File-ID: 290\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: admindebug.cpp:30 msgid "Enable Debug Mode" diff --git a/modules/po/adminlog.de_DE.po b/modules/po/adminlog.de_DE.po index 56e0bb1d..74d694d0 100644 --- a/modules/po/adminlog.de_DE.po +++ b/modules/po/adminlog.de_DE.po @@ -1,14 +1,16 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" -"X-Crowdin-File: /master/modules/po/adminlog.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/adminlog.pot\n" +"X-Crowdin-File-ID: 294\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: adminlog.cpp:29 msgid "Show the logging target" diff --git a/modules/po/alias.de_DE.po b/modules/po/alias.de_DE.po index 9d0b59d4..213605eb 100644 --- a/modules/po/alias.de_DE.po +++ b/modules/po/alias.de_DE.po @@ -1,14 +1,16 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" -"X-Crowdin-File: /master/modules/po/alias.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/alias.pot\n" +"X-Crowdin-File-ID: 292\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: alias.cpp:141 msgid "missing required parameter: {1}" diff --git a/modules/po/autoattach.de_DE.po b/modules/po/autoattach.de_DE.po index 90849a82..fa0b6395 100644 --- a/modules/po/autoattach.de_DE.po +++ b/modules/po/autoattach.de_DE.po @@ -1,14 +1,16 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" -"X-Crowdin-File: /master/modules/po/autoattach.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/autoattach.pot\n" +"X-Crowdin-File-ID: 298\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: autoattach.cpp:94 msgid "Added to list" diff --git a/modules/po/autocycle.de_DE.po b/modules/po/autocycle.de_DE.po index 3f60a7c5..0c2530c5 100644 --- a/modules/po/autocycle.de_DE.po +++ b/modules/po/autocycle.de_DE.po @@ -1,14 +1,16 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" -"X-Crowdin-File: /master/modules/po/autocycle.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/autocycle.pot\n" +"X-Crowdin-File-ID: 300\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: autocycle.cpp:27 autocycle.cpp:30 msgid "[!]<#chan>" diff --git a/modules/po/autoop.de_DE.po b/modules/po/autoop.de_DE.po index fa3d9b4a..7a2a0c91 100644 --- a/modules/po/autoop.de_DE.po +++ b/modules/po/autoop.de_DE.po @@ -1,14 +1,16 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" -"X-Crowdin-File: /master/modules/po/autoop.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/autoop.pot\n" +"X-Crowdin-File-ID: 296\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: autoop.cpp:154 msgid "List all users" diff --git a/modules/po/autoreply.de_DE.po b/modules/po/autoreply.de_DE.po index 7f18507f..ca5b5c12 100644 --- a/modules/po/autoreply.de_DE.po +++ b/modules/po/autoreply.de_DE.po @@ -1,14 +1,16 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" -"X-Crowdin-File: /master/modules/po/autoreply.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/autoreply.pot\n" +"X-Crowdin-File-ID: 302\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: autoreply.cpp:25 msgid "" diff --git a/modules/po/autovoice.de_DE.po b/modules/po/autovoice.de_DE.po index 2e51d5d3..5217d770 100644 --- a/modules/po/autovoice.de_DE.po +++ b/modules/po/autovoice.de_DE.po @@ -1,14 +1,16 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" -"X-Crowdin-File: /master/modules/po/autovoice.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/autovoice.pot\n" +"X-Crowdin-File-ID: 304\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: autovoice.cpp:120 msgid "List all users" diff --git a/modules/po/awaystore.de_DE.po b/modules/po/awaystore.de_DE.po index c1f192fb..a5e5d8b0 100644 --- a/modules/po/awaystore.de_DE.po +++ b/modules/po/awaystore.de_DE.po @@ -1,14 +1,16 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" -"X-Crowdin-File: /master/modules/po/awaystore.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/awaystore.pot\n" +"X-Crowdin-File-ID: 306\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: awaystore.cpp:67 msgid "You have been marked as away" diff --git a/modules/po/block_motd.de_DE.po b/modules/po/block_motd.de_DE.po index e2e6928c..1ef19f7d 100644 --- a/modules/po/block_motd.de_DE.po +++ b/modules/po/block_motd.de_DE.po @@ -1,14 +1,16 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" -"X-Crowdin-File: /master/modules/po/block_motd.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/block_motd.pot\n" +"X-Crowdin-File-ID: 310\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: block_motd.cpp:26 msgid "[]" diff --git a/modules/po/blockuser.de_DE.po b/modules/po/blockuser.de_DE.po index e12d0797..c4c9a546 100644 --- a/modules/po/blockuser.de_DE.po +++ b/modules/po/blockuser.de_DE.po @@ -1,14 +1,16 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" -"X-Crowdin-File: /master/modules/po/blockuser.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/blockuser.pot\n" +"X-Crowdin-File-ID: 312\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: modules/po/../data/blockuser/tmpl/blockuser_WebadminUser.tmpl:9 msgid "Account is blocked" diff --git a/modules/po/bouncedcc.de_DE.po b/modules/po/bouncedcc.de_DE.po index d7aed1d8..b09aebaa 100644 --- a/modules/po/bouncedcc.de_DE.po +++ b/modules/po/bouncedcc.de_DE.po @@ -1,14 +1,16 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" -"X-Crowdin-File: /master/modules/po/bouncedcc.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/bouncedcc.pot\n" +"X-Crowdin-File-ID: 316\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: bouncedcc.cpp:101 bouncedcc.cpp:119 bouncedcc.cpp:121 msgctxt "list" diff --git a/modules/po/buffextras.de_DE.po b/modules/po/buffextras.de_DE.po index 5ca39879..db06dca1 100644 --- a/modules/po/buffextras.de_DE.po +++ b/modules/po/buffextras.de_DE.po @@ -1,14 +1,16 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" -"X-Crowdin-File: /master/modules/po/buffextras.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/buffextras.pot\n" +"X-Crowdin-File-ID: 318\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: buffextras.cpp:45 msgid "Server" diff --git a/modules/po/cert.de_DE.po b/modules/po/cert.de_DE.po index 5062ad1f..65afc05d 100644 --- a/modules/po/cert.de_DE.po +++ b/modules/po/cert.de_DE.po @@ -1,14 +1,16 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" -"X-Crowdin-File: /master/modules/po/cert.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/cert.pot\n" +"X-Crowdin-File-ID: 322\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" # this text is inserted into `click here` in the other string #: modules/po/../data/cert/tmpl/index.tmpl:5 diff --git a/modules/po/certauth.de_DE.po b/modules/po/certauth.de_DE.po index 26348b98..93d6d7b3 100644 --- a/modules/po/certauth.de_DE.po +++ b/modules/po/certauth.de_DE.po @@ -1,14 +1,16 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" -"X-Crowdin-File: /master/modules/po/certauth.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/certauth.pot\n" +"X-Crowdin-File-ID: 324\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: modules/po/../data/certauth/tmpl/index.tmpl:7 msgid "Add a key" diff --git a/modules/po/chansaver.de_DE.po b/modules/po/chansaver.de_DE.po index 5dee37de..0512d2e3 100644 --- a/modules/po/chansaver.de_DE.po +++ b/modules/po/chansaver.de_DE.po @@ -1,14 +1,16 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" -"X-Crowdin-File: /master/modules/po/chansaver.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/chansaver.pot\n" +"X-Crowdin-File-ID: 326\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: chansaver.cpp:91 msgid "Keeps config up-to-date when user joins/parts." diff --git a/modules/po/clearbufferonmsg.de_DE.po b/modules/po/clearbufferonmsg.de_DE.po index 20fce3b2..615d5828 100644 --- a/modules/po/clearbufferonmsg.de_DE.po +++ b/modules/po/clearbufferonmsg.de_DE.po @@ -1,14 +1,16 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" -"X-Crowdin-File: /master/modules/po/clearbufferonmsg.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/clearbufferonmsg.pot\n" +"X-Crowdin-File-ID: 330\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: clearbufferonmsg.cpp:160 msgid "Clears all channel and query buffers whenever the user does something" diff --git a/modules/po/clientnotify.de_DE.po b/modules/po/clientnotify.de_DE.po index d02dc204..45d15640 100644 --- a/modules/po/clientnotify.de_DE.po +++ b/modules/po/clientnotify.de_DE.po @@ -1,14 +1,16 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" -"X-Crowdin-File: /master/modules/po/clientnotify.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/clientnotify.pot\n" +"X-Crowdin-File-ID: 328\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: clientnotify.cpp:47 msgid "" diff --git a/modules/po/controlpanel.de_DE.po b/modules/po/controlpanel.de_DE.po index 5967ce99..ca1b69c8 100644 --- a/modules/po/controlpanel.de_DE.po +++ b/modules/po/controlpanel.de_DE.po @@ -1,14 +1,16 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" -"X-Crowdin-File: /master/modules/po/controlpanel.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/controlpanel.pot\n" +"X-Crowdin-File-ID: 332\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: controlpanel.cpp:51 controlpanel.cpp:64 msgctxt "helptable" diff --git a/modules/po/crypt.de_DE.po b/modules/po/crypt.de_DE.po index d9dbd2b0..aaedca25 100644 --- a/modules/po/crypt.de_DE.po +++ b/modules/po/crypt.de_DE.po @@ -1,141 +1,149 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" -"X-Crowdin-File: /master/modules/po/crypt.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/crypt.pot\n" +"X-Crowdin-File-ID: 334\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: crypt.cpp:198 msgid "<#chan|Nick>" -msgstr "" +msgstr "<#chan|Nick>" #: crypt.cpp:199 msgid "Remove a key for nick or channel" -msgstr "" +msgstr "Einen Schlüssel für Nick oder Kanal entfernen" #: crypt.cpp:201 msgid "<#chan|Nick> " -msgstr "" +msgstr "<#chan|Nick> " #: crypt.cpp:202 msgid "Set a key for nick or channel" -msgstr "" +msgstr "Einen Schlüssel für Nick oder Kanal setzen" #: crypt.cpp:204 msgid "List all keys" -msgstr "" +msgstr "Alle Schlüssel auflisten" #: crypt.cpp:206 msgid "" -msgstr "" +msgstr "" #: crypt.cpp:207 msgid "Start a DH1080 key exchange with nick" -msgstr "" +msgstr "Starte DH1080 Schlüsselaustausch mit Nick" #: crypt.cpp:210 msgid "Get the nick prefix" -msgstr "" +msgstr "Nick Präfix anzeigen" #: crypt.cpp:213 msgid "[Prefix]" -msgstr "" +msgstr "[Präfix]" #: crypt.cpp:214 msgid "Set the nick prefix, with no argument it's disabled." -msgstr "" +msgstr "Die Nick Präfix setzen; ohne Argument wird sie deaktiviert." #: crypt.cpp:270 msgid "Received DH1080 public key from {1}, sending mine..." -msgstr "" +msgstr "DH1080 Public Key von {1} empfangen, sende meinen..." #: crypt.cpp:275 crypt.cpp:296 msgid "Key for {1} successfully set." -msgstr "" +msgstr "Schlüssel für {1} erfolgreich gesetzt." #: crypt.cpp:278 crypt.cpp:299 msgid "Error in {1} with {2}: {3}" -msgstr "" +msgstr "Fehler in {1} mit {2}: {3}" #: crypt.cpp:280 crypt.cpp:301 msgid "no secret key computed" -msgstr "" +msgstr "keinen Geheim-Schlüssel generiert" #: crypt.cpp:395 msgid "Target [{1}] deleted" -msgstr "" +msgstr "Ziel [{1}] gelöscht" #: crypt.cpp:397 msgid "Target [{1}] not found" -msgstr "" +msgstr "Ziel [{1}] nicht gefunden" #: crypt.cpp:400 msgid "Usage DelKey <#chan|Nick>" -msgstr "" +msgstr "Benutzung DelKey <#chan|Nick>" #: crypt.cpp:415 msgid "Set encryption key for [{1}] to [{2}]" -msgstr "" +msgstr "Setze Verschlüsselungs-Schlüssel für [{1}] auf [{2}]" #: crypt.cpp:417 msgid "Usage: SetKey <#chan|Nick> " -msgstr "" +msgstr "Benutzung SetKey <#chan|Nick> " #: crypt.cpp:428 msgid "Sent my DH1080 public key to {1}, waiting for reply ..." msgstr "" +"Mein öffentlicher DH1080 Schlüssel wurde an {1} gesendet, warte auf " +"Antwort..." #: crypt.cpp:430 msgid "Error generating our keys, nothing sent." -msgstr "" +msgstr "Fehler beim generieren unserer Schlüssel, nichts gesendet." #: crypt.cpp:433 msgid "Usage: KeyX " -msgstr "" +msgstr "Benutzung: KeyX " #: crypt.cpp:440 msgid "Nick Prefix disabled." -msgstr "" +msgstr "Nick Präfix deaktiviert." #: crypt.cpp:442 msgid "Nick Prefix: {1}" -msgstr "" +msgstr "Nick Präfix: {1}" #: crypt.cpp:451 msgid "You cannot use :, even followed by other symbols, as Nick Prefix." msgstr "" +"Du kannst \":;\" nicht als Nick Präfix nutzen, auch nicht gefolgt von " +"anderen Zeichen." #: crypt.cpp:460 msgid "Overlap with Status Prefix ({1}), this Nick Prefix will not be used!" msgstr "" +"Überschneidung mit Status Präfix ({1}). Dieser Nick Präfix wird nicht " +"genutzt werden!" #: crypt.cpp:465 msgid "Disabling Nick Prefix." -msgstr "" +msgstr "Nick Präfix deaktivieren." #: crypt.cpp:467 msgid "Setting Nick Prefix to {1}" -msgstr "" +msgstr "Setze Nick Präfix auf {1}" #: crypt.cpp:474 crypt.cpp:481 msgctxt "listkeys" msgid "Target" -msgstr "" +msgstr "Ziel" #: crypt.cpp:475 crypt.cpp:482 msgctxt "listkeys" msgid "Key" -msgstr "" +msgstr "Schlüssel" #: crypt.cpp:486 msgid "You have no encryption keys set." -msgstr "" +msgstr "Du hast kein Verschlüsselungsschlüsselsatz." #: crypt.cpp:508 msgid "Encryption for channel/private messages" -msgstr "" +msgstr "Verschlüsselung für Räume/private Nachrichten" diff --git a/modules/po/ctcpflood.de_DE.po b/modules/po/ctcpflood.de_DE.po index 2bbcc5d7..6745bd59 100644 --- a/modules/po/ctcpflood.de_DE.po +++ b/modules/po/ctcpflood.de_DE.po @@ -1,14 +1,16 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" -"X-Crowdin-File: /master/modules/po/ctcpflood.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/ctcpflood.pot\n" +"X-Crowdin-File-ID: 336\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: ctcpflood.cpp:25 ctcpflood.cpp:27 msgid "" diff --git a/modules/po/cyrusauth.de_DE.po b/modules/po/cyrusauth.de_DE.po index cce79204..1e9f0aa5 100644 --- a/modules/po/cyrusauth.de_DE.po +++ b/modules/po/cyrusauth.de_DE.po @@ -1,14 +1,16 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" -"X-Crowdin-File: /master/modules/po/cyrusauth.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/cyrusauth.pot\n" +"X-Crowdin-File-ID: 338\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: cyrusauth.cpp:42 msgid "Shows current settings" diff --git a/modules/po/dcc.de_DE.po b/modules/po/dcc.de_DE.po index 39f53c07..8ad879a5 100644 --- a/modules/po/dcc.de_DE.po +++ b/modules/po/dcc.de_DE.po @@ -1,225 +1,230 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" -"X-Crowdin-File: /master/modules/po/dcc.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/dcc.pot\n" +"X-Crowdin-File-ID: 308\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: dcc.cpp:88 msgid " " -msgstr "" +msgstr " " #: dcc.cpp:89 msgid "Send a file from ZNC to someone" -msgstr "" +msgstr "Sende Datei von ZNC zu jemandem" #: dcc.cpp:91 msgid "" -msgstr "" +msgstr "" #: dcc.cpp:92 msgid "Send a file from ZNC to your client" -msgstr "" +msgstr "Sende eine Datei von ZNC zu deinem Klienten" #: dcc.cpp:94 msgid "List current transfers" -msgstr "" +msgstr "Zeige momentane Transfers" #: dcc.cpp:103 msgid "You must be admin to use the DCC module" -msgstr "" +msgstr "Du musst Administrator sein, um das DCC Modul zu verwenden" #: dcc.cpp:140 msgid "Attempting to send [{1}] to [{2}]." -msgstr "" +msgstr "Versuche [{1}] an [{2}] zu senden." #: dcc.cpp:149 dcc.cpp:554 msgid "Receiving [{1}] from [{2}]: File already exists." -msgstr "" +msgstr "Empfange [{1}] von [{2}]: Datei existiert bereits." #: dcc.cpp:167 msgid "" "Attempting to connect to [{1} {2}] in order to download [{3}] from [{4}]." msgstr "" +"Versuche zu [{1} {2}] zu verbinden um [{3}] von [{4}] herunter zu laden." #: dcc.cpp:179 msgid "Usage: Send " -msgstr "" +msgstr "Benutzung: Send " #: dcc.cpp:186 dcc.cpp:206 msgid "Illegal path." -msgstr "" +msgstr "Ungültiger Pfad." #: dcc.cpp:199 msgid "Usage: Get " -msgstr "" +msgstr "Benutzung: Get " #: dcc.cpp:215 dcc.cpp:232 dcc.cpp:234 msgctxt "list" msgid "Type" -msgstr "" +msgstr "Typ" #: dcc.cpp:216 dcc.cpp:238 dcc.cpp:241 msgctxt "list" msgid "State" -msgstr "" +msgstr "Status" #: dcc.cpp:217 dcc.cpp:243 msgctxt "list" msgid "Speed" -msgstr "" +msgstr "Geschwindigkeit" #: dcc.cpp:218 dcc.cpp:227 msgctxt "list" msgid "Nick" -msgstr "" +msgstr "Nick" #: dcc.cpp:219 dcc.cpp:228 msgctxt "list" msgid "IP" -msgstr "" +msgstr "IP" #: dcc.cpp:220 dcc.cpp:229 msgctxt "list" msgid "File" -msgstr "" +msgstr "Datei" #: dcc.cpp:232 msgctxt "list-type" msgid "Sending" -msgstr "" +msgstr "Sende" #: dcc.cpp:234 msgctxt "list-type" msgid "Getting" -msgstr "" +msgstr "Empfange" #: dcc.cpp:239 msgctxt "list-state" msgid "Waiting" -msgstr "" +msgstr "Warte" #: dcc.cpp:244 msgid "{1} KiB/s" -msgstr "" +msgstr "{1} KiB/s" #: dcc.cpp:250 msgid "You have no active DCC transfers." -msgstr "" +msgstr "Du hast keine aktiven DCC Transfers." #: dcc.cpp:267 msgid "Attempting to resume send from position {1} of file [{2}] for [{3}]" msgstr "" +"Versuche eine Wiederaufnahme von Position {1} der Datei [{2}] für [{3}]" #: dcc.cpp:277 msgid "Couldn't resume file [{1}] for [{2}]: not sending anything." msgstr "" +"Konnte Versand von [{1}] an [{2}] nicht wiederaufnehmen: Nichts gesendet." #: dcc.cpp:286 msgid "Bad DCC file: {1}" -msgstr "" +msgstr "Fehlerhafte DCC Datei: {1}" #: dcc.cpp:341 msgid "Sending [{1}] to [{2}]: File not open!" -msgstr "" +msgstr "Sende [{1}] an [{2}]: Datei nicht geöffnet!" #: dcc.cpp:345 msgid "Receiving [{1}] from [{2}]: File not open!" -msgstr "" +msgstr "Empfange [{1}] von [{2}]: Datei nicht geöffnet!" #: dcc.cpp:385 msgid "Sending [{1}] to [{2}]: Connection refused." -msgstr "" +msgstr "Sende [{1}] an [{2}]: Verbindung verweigert." #: dcc.cpp:389 msgid "Receiving [{1}] from [{2}]: Connection refused." -msgstr "" +msgstr "Empfange [{1}] von [{2}]: Verbindung verweigert." #: dcc.cpp:397 msgid "Sending [{1}] to [{2}]: Timeout." -msgstr "" +msgstr "Sende [{1}] an [{2}]: Zeitüberschreitung." #: dcc.cpp:401 msgid "Receiving [{1}] from [{2}]: Timeout." -msgstr "" +msgstr "Empfangen von [{1}] von [{2}]: Zeitüberschreitung." #: dcc.cpp:411 msgid "Sending [{1}] to [{2}]: Socket error {3}: {4}" -msgstr "" +msgstr "Sende [{1}] zu [{2}]: Socket Fehler {3}: {4}" #: dcc.cpp:415 msgid "Receiving [{1}] from [{2}]: Socket error {3}: {4}" -msgstr "" +msgstr "Empfange [{1}] von [{2}]: Socket Fehler {3}: {4}" #: dcc.cpp:423 msgid "Sending [{1}] to [{2}]: Transfer started." -msgstr "" +msgstr "Sende [{1}] zu [{2}]: Übertragung gestartet." #: dcc.cpp:427 msgid "Receiving [{1}] from [{2}]: Transfer started." -msgstr "" +msgstr "Empfang [{1}] von [{2}]: Übertragung gestartet." #: dcc.cpp:446 msgid "Sending [{1}] to [{2}]: Too much data!" -msgstr "" +msgstr "Sende [{1}] an [{2}]: Zu viele Daten!" #: dcc.cpp:450 msgid "Receiving [{1}] from [{2}]: Too much data!" -msgstr "" +msgstr "Empfange [{1}] von [{2}]: Zu viele Daten!" #: dcc.cpp:456 msgid "Sending [{1}] to [{2}] completed at {3} KiB/s" -msgstr "" +msgstr "Senden von [{1}] an [{2}] vervollständigt mit {3} KiB/s" #: dcc.cpp:461 msgid "Receiving [{1}] from [{2}] completed at {3} KiB/s" -msgstr "" +msgstr "Empfangen von [{1}] an [{2}] vervollständigt mit {3} KiB/s" #: dcc.cpp:474 msgid "Sending [{1}] to [{2}]: File closed prematurely." -msgstr "" +msgstr "Sende [{1}] an [{2}]: Datei vorzeitig geschlossen." #: dcc.cpp:478 msgid "Receiving [{1}] from [{2}]: File closed prematurely." -msgstr "" +msgstr "Empfange [{1}] von [{2}]: Datei vorzeitig geschlossen." #: dcc.cpp:501 msgid "Sending [{1}] to [{2}]: Error reading from file." -msgstr "" +msgstr "Sende [{1}] an [{2}]: Fehler beim Lesen der Datei." #: dcc.cpp:505 msgid "Receiving [{1}] from [{2}]: Error reading from file." -msgstr "" +msgstr "Empfange [{1}] von [{2}]: Fehler beim Lesen der Datei." #: dcc.cpp:537 msgid "Sending [{1}] to [{2}]: Unable to open file." -msgstr "" +msgstr "Sende [{1}] an [{2}]: Kann Datei nicht öffnen." #: dcc.cpp:541 msgid "Receiving [{1}] from [{2}]: Unable to open file." -msgstr "" +msgstr "Empfange [{1}] von [{2}]: Kann Datei nicht öffnen." #: dcc.cpp:563 msgid "Receiving [{1}] from [{2}]: Could not open file." -msgstr "" +msgstr "Empfange [{1}] von [{2}]: Kann Datei nicht öffnen." #: dcc.cpp:572 msgid "Sending [{1}] to [{2}]: Not a file." -msgstr "" +msgstr "Sende [{1}] an [{2}]: Keine Datei." #: dcc.cpp:581 msgid "Sending [{1}] to [{2}]: Could not open file." -msgstr "" +msgstr "Sende [{1}] an [{2}]: Kann Datei nicht öffnen." #: dcc.cpp:593 msgid "Sending [{1}] to [{2}]: File too large (>4 GiB)." -msgstr "" +msgstr "Sende [{1}] an [{2}]: Datei ist zu groß (>4 GiB)." #: dcc.cpp:623 msgid "This module allows you to transfer files to and from ZNC" -msgstr "" +msgstr "Dieses Modul erlaubt es dir Datei von und zu ZNC zu übertragen" diff --git a/modules/po/disconkick.de_DE.po b/modules/po/disconkick.de_DE.po index f66f1ab4..e0c1a0d8 100644 --- a/modules/po/disconkick.de_DE.po +++ b/modules/po/disconkick.de_DE.po @@ -1,14 +1,16 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" -"X-Crowdin-File: /master/modules/po/disconkick.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/disconkick.pot\n" +"X-Crowdin-File-ID: 342\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: disconkick.cpp:32 msgid "You have been disconnected from the IRC server" diff --git a/modules/po/fail2ban.de_DE.po b/modules/po/fail2ban.de_DE.po index 9aa1dba5..930c8c45 100644 --- a/modules/po/fail2ban.de_DE.po +++ b/modules/po/fail2ban.de_DE.po @@ -1,14 +1,16 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" -"X-Crowdin-File: /master/modules/po/fail2ban.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/fail2ban.pot\n" +"X-Crowdin-File-ID: 344\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: fail2ban.cpp:25 msgid "[minutes]" diff --git a/modules/po/flooddetach.de_DE.po b/modules/po/flooddetach.de_DE.po index a2923fe2..4f4ce1c3 100644 --- a/modules/po/flooddetach.de_DE.po +++ b/modules/po/flooddetach.de_DE.po @@ -1,14 +1,16 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" -"X-Crowdin-File: /master/modules/po/flooddetach.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/flooddetach.pot\n" +"X-Crowdin-File-ID: 346\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: flooddetach.cpp:30 msgid "Show current limits" @@ -24,11 +26,12 @@ msgstr "Zeige oder Setze die Anzahl an Sekunden im Zeitinterval" #: flooddetach.cpp:36 msgid "Show or set number of lines in the time interval" -msgstr "" +msgstr "Zeige oder Setze die Anzahl an Sekunden im Interval" #: flooddetach.cpp:39 msgid "Show or set whether to notify you about detaching and attaching back" msgstr "" +"Zeige oder Setze ob du über das Trennen und Neuverbinden benachrichtigt wirst" #: flooddetach.cpp:93 msgid "Flood in {1} is over, reattaching..." diff --git a/modules/po/identfile.de_DE.po b/modules/po/identfile.de_DE.po index a98b3f3a..a1cd9adc 100644 --- a/modules/po/identfile.de_DE.po +++ b/modules/po/identfile.de_DE.po @@ -1,14 +1,16 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" -"X-Crowdin-File: /master/modules/po/identfile.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/identfile.pot\n" +"X-Crowdin-File-ID: 348\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: identfile.cpp:30 msgid "Show file name" diff --git a/modules/po/imapauth.de_DE.po b/modules/po/imapauth.de_DE.po index b99b5015..60521435 100644 --- a/modules/po/imapauth.de_DE.po +++ b/modules/po/imapauth.de_DE.po @@ -1,14 +1,16 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" -"X-Crowdin-File: /master/modules/po/imapauth.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/imapauth.pot\n" +"X-Crowdin-File-ID: 352\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: imapauth.cpp:168 msgid "[ server [+]port [ UserFormatString ] ]" diff --git a/modules/po/keepnick.de_DE.po b/modules/po/keepnick.de_DE.po index cef55b94..7e2fa096 100644 --- a/modules/po/keepnick.de_DE.po +++ b/modules/po/keepnick.de_DE.po @@ -1,14 +1,16 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" -"X-Crowdin-File: /master/modules/po/keepnick.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/keepnick.pot\n" +"X-Crowdin-File-ID: 354\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: keepnick.cpp:39 msgid "Try to get your primary nick" diff --git a/modules/po/kickrejoin.de_DE.po b/modules/po/kickrejoin.de_DE.po index a335d7c5..cdbbc8b8 100644 --- a/modules/po/kickrejoin.de_DE.po +++ b/modules/po/kickrejoin.de_DE.po @@ -1,14 +1,16 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" -"X-Crowdin-File: /master/modules/po/kickrejoin.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/kickrejoin.pot\n" +"X-Crowdin-File-ID: 356\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: kickrejoin.cpp:56 msgid "" diff --git a/modules/po/lastseen.de_DE.po b/modules/po/lastseen.de_DE.po index a4c117d0..19aef5c5 100644 --- a/modules/po/lastseen.de_DE.po +++ b/modules/po/lastseen.de_DE.po @@ -1,14 +1,16 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" -"X-Crowdin-File: /master/modules/po/lastseen.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/lastseen.pot\n" +"X-Crowdin-File-ID: 358\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: modules/po/../data/lastseen/tmpl/index.tmpl:8 msgid "User" diff --git a/modules/po/listsockets.de_DE.po b/modules/po/listsockets.de_DE.po index 865499ba..b0cb2d4e 100644 --- a/modules/po/listsockets.de_DE.po +++ b/modules/po/listsockets.de_DE.po @@ -1,14 +1,16 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" -"X-Crowdin-File: /master/modules/po/listsockets.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/listsockets.pot\n" +"X-Crowdin-File-ID: 360\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: modules/po/../data/listsockets/tmpl/index.tmpl:7 listsockets.cpp:213 #: listsockets.cpp:229 diff --git a/modules/po/log.de_DE.po b/modules/po/log.de_DE.po index ea54f91b..684aa82b 100644 --- a/modules/po/log.de_DE.po +++ b/modules/po/log.de_DE.po @@ -1,14 +1,16 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" -"X-Crowdin-File: /master/modules/po/log.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/log.pot\n" +"X-Crowdin-File-ID: 314\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: log.cpp:59 msgid "" @@ -53,7 +55,7 @@ msgstr "Keine Logging-Regeln - alles wird geloggt." #: log.cpp:161 msgid "1 rule removed: {2}" msgid_plural "{1} rules removed: {2}" -msgstr[0] "" +msgstr[0] "1 Regel entfernt: {2}" msgstr[1] "{1} Regeln entfernt: {2}" #: log.cpp:168 log.cpp:174 diff --git a/modules/po/missingmotd.de_DE.po b/modules/po/missingmotd.de_DE.po index 64c410e7..2db7aee3 100644 --- a/modules/po/missingmotd.de_DE.po +++ b/modules/po/missingmotd.de_DE.po @@ -1,14 +1,16 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" -"X-Crowdin-File: /master/modules/po/missingmotd.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/missingmotd.pot\n" +"X-Crowdin-File-ID: 362\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: missingmotd.cpp:36 msgid "Sends 422 to clients when they login" diff --git a/modules/po/modperl.de_DE.po b/modules/po/modperl.de_DE.po index 627e5b14..1224646e 100644 --- a/modules/po/modperl.de_DE.po +++ b/modules/po/modperl.de_DE.po @@ -1,14 +1,16 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" -"X-Crowdin-File: /master/modules/po/modperl.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/modperl.pot\n" +"X-Crowdin-File-ID: 340\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: modperl.cpp:382 msgid "Loads perl scripts as ZNC modules" diff --git a/modules/po/modpython.de_DE.po b/modules/po/modpython.de_DE.po index faf22341..70066f64 100644 --- a/modules/po/modpython.de_DE.po +++ b/modules/po/modpython.de_DE.po @@ -1,14 +1,16 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" -"X-Crowdin-File: /master/modules/po/modpython.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/modpython.pot\n" +"X-Crowdin-File-ID: 364\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: modpython.cpp:512 msgid "Loads python scripts as ZNC modules" diff --git a/modules/po/modules_online.de_DE.po b/modules/po/modules_online.de_DE.po index 61a988bb..8346c558 100644 --- a/modules/po/modules_online.de_DE.po +++ b/modules/po/modules_online.de_DE.po @@ -1,15 +1,17 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" -"X-Crowdin-File: /master/modules/po/modules_online.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/modules_online.pot\n" +"X-Crowdin-File-ID: 366\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: modules_online.cpp:117 msgid "Makes ZNC's *modules to be \"online\"." -msgstr "" +msgstr "Macht ZNC *module \"online\"." diff --git a/modules/po/nickserv.de_DE.po b/modules/po/nickserv.de_DE.po index b0c1f1d8..c1b7284c 100644 --- a/modules/po/nickserv.de_DE.po +++ b/modules/po/nickserv.de_DE.po @@ -1,14 +1,16 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" -"X-Crowdin-File: /master/modules/po/nickserv.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/nickserv.pot\n" +"X-Crowdin-File-ID: 368\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: nickserv.cpp:31 msgid "Password set" @@ -16,7 +18,7 @@ msgstr "Passwort gesetzt" #: nickserv.cpp:36 nickserv.cpp:46 msgid "Done" -msgstr "" +msgstr "Erledigt" #: nickserv.cpp:41 msgid "NickServ name set" diff --git a/modules/po/notes.de_DE.po b/modules/po/notes.de_DE.po index f3677de5..ddf056b1 100644 --- a/modules/po/notes.de_DE.po +++ b/modules/po/notes.de_DE.po @@ -1,117 +1,123 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" -"X-Crowdin-File: /master/modules/po/notes.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/notes.pot\n" +"X-Crowdin-File-ID: 350\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: modules/po/../data/notes/tmpl/index.tmpl:7 msgid "Add A Note" -msgstr "" +msgstr "Notiz hinzufügen" #: modules/po/../data/notes/tmpl/index.tmpl:11 msgid "Key:" -msgstr "" +msgstr "Schlüssel:" #: modules/po/../data/notes/tmpl/index.tmpl:15 msgid "Note:" -msgstr "" +msgstr "Notiz:" #: modules/po/../data/notes/tmpl/index.tmpl:19 msgid "Add Note" -msgstr "" +msgstr "Notiz hinzufügen" #: modules/po/../data/notes/tmpl/index.tmpl:27 msgid "You have no notes to display." -msgstr "" +msgstr "Du hast keine Notizen." #: modules/po/../data/notes/tmpl/index.tmpl:34 notes.cpp:164 notes.cpp:170 msgid "Key" -msgstr "" +msgstr "Schlüssel" #: modules/po/../data/notes/tmpl/index.tmpl:35 notes.cpp:165 notes.cpp:171 msgid "Note" -msgstr "" +msgstr "Notiz" #: modules/po/../data/notes/tmpl/index.tmpl:41 msgid "[del]" -msgstr "" +msgstr "[del]" #: notes.cpp:32 msgid "That note already exists. Use MOD to overwrite." msgstr "" +"Diese Notiz existiert bereits. Benutze MOD zum überschreiben." #: notes.cpp:35 notes.cpp:137 msgid "Added note {1}" -msgstr "" +msgstr "Notiz hinzugefügt {1}" #: notes.cpp:37 notes.cpp:48 notes.cpp:142 msgid "Unable to add note {1}" -msgstr "" +msgstr "Kann Notiz nicht hinzufügen {1}" #: notes.cpp:46 notes.cpp:139 msgid "Set note for {1}" -msgstr "" +msgstr "Notiz für {1} gesetzt" #: notes.cpp:56 msgid "This note doesn't exist." -msgstr "" +msgstr "Diese Notiz existiert nicht." #: notes.cpp:66 notes.cpp:116 msgid "Deleted note {1}" -msgstr "" +msgstr "Notiz gelöscht {1}" #: notes.cpp:68 notes.cpp:118 msgid "Unable to delete note {1}" -msgstr "" +msgstr "Kann Notiz nicht löschen {1}" #: notes.cpp:75 msgid "List notes" -msgstr "" +msgstr "Notizen anzeigen" #: notes.cpp:77 notes.cpp:81 msgid " " -msgstr "" +msgstr " " #: notes.cpp:77 msgid "Add a note" -msgstr "" +msgstr "Notiz hinzufügen" #: notes.cpp:79 notes.cpp:83 msgid "" -msgstr "" +msgstr "" #: notes.cpp:79 msgid "Delete a note" -msgstr "" +msgstr "Notiz löschen" #: notes.cpp:81 msgid "Modify a note" -msgstr "" +msgstr "Notiz modifizieren" #: notes.cpp:94 msgid "Notes" -msgstr "" +msgstr "Notizen" #: notes.cpp:133 msgid "That note already exists. Use /#+ to overwrite." msgstr "" +"Diese Notiz existiert bereits. Benutze MOD zum überschreiben." #: notes.cpp:186 notes.cpp:188 msgid "You have no entries." -msgstr "" +msgstr "Du hast keine Einträge." #: notes.cpp:224 msgid "" "This user module takes up to one arguments. It can be -disableNotesOnLogin " "not to show notes upon client login" msgstr "" +"Dieses Benutzer-Modul erkennt bis zu einem Argument. Es kann -" +"disableNotesOnLogin sein, um keine Notizen beim Klient-Login anzuzeigen" #: notes.cpp:228 msgid "Keep and replay notes" -msgstr "" +msgstr "Behalte und Wiederhole Notizen" diff --git a/modules/po/notify_connect.de_DE.po b/modules/po/notify_connect.de_DE.po index cc2540dc..8e5eaa0b 100644 --- a/modules/po/notify_connect.de_DE.po +++ b/modules/po/notify_connect.de_DE.po @@ -1,14 +1,16 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" -"X-Crowdin-File: /master/modules/po/notify_connect.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/notify_connect.pot\n" +"X-Crowdin-File-ID: 370\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: notify_connect.cpp:24 msgid "attached" diff --git a/modules/po/perform.de_DE.po b/modules/po/perform.de_DE.po index c99da3b9..278c64fd 100644 --- a/modules/po/perform.de_DE.po +++ b/modules/po/perform.de_DE.po @@ -1,106 +1,113 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" -"X-Crowdin-File: /master/modules/po/perform.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/perform.pot\n" +"X-Crowdin-File-ID: 372\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: modules/po/../data/perform/tmpl/index.tmpl:7 perform.cpp:143 msgid "Perform" -msgstr "" +msgstr "Perform" #: modules/po/../data/perform/tmpl/index.tmpl:11 msgid "Perform commands:" -msgstr "" +msgstr "Perform Befehle:" #: modules/po/../data/perform/tmpl/index.tmpl:15 msgid "Commands sent to the IRC server on connect, one per line." msgstr "" +"Befehle die zum IRC-Server beim verbinden gesendet werden, einer pro Zeile." #: modules/po/../data/perform/tmpl/index.tmpl:18 msgid "Save" -msgstr "" +msgstr "Speichern" #: perform.cpp:24 msgid "Usage: add " -msgstr "" +msgstr "Benutzung: add " #: perform.cpp:29 msgid "Added!" -msgstr "" +msgstr "Hinzugefügt!" #: perform.cpp:37 perform.cpp:82 msgid "Illegal # Requested" -msgstr "" +msgstr "Ungültige # angefragt" #: perform.cpp:41 msgid "Command Erased." -msgstr "" +msgstr "Befehl gelöscht." #: perform.cpp:50 perform.cpp:56 msgctxt "list" msgid "Id" -msgstr "" +msgstr "Id" #: perform.cpp:51 perform.cpp:57 msgctxt "list" msgid "Perform" -msgstr "" +msgstr "Perform" #: perform.cpp:52 perform.cpp:62 msgctxt "list" msgid "Expanded" -msgstr "" +msgstr "Erweitert" #: perform.cpp:67 msgid "No commands in your perform list." -msgstr "" +msgstr "Keine Befehle in deiner Perform-Liste." #: perform.cpp:73 msgid "perform commands sent" -msgstr "" +msgstr "Perform Befehle gesendet" #: perform.cpp:86 msgid "Commands Swapped." -msgstr "" +msgstr "Befehle getauscht." #: perform.cpp:95 msgid "" -msgstr "" +msgstr "" #: perform.cpp:96 msgid "Adds perform command to be sent to the server on connect" msgstr "" +"Fügt einen Perform-Befehl hinzu, der bei der Verbindung zum Server gesendet " +"wird" #: perform.cpp:98 msgid "" -msgstr "" +msgstr "" #: perform.cpp:98 msgid "Delete a perform command" -msgstr "" +msgstr "Einen Perform-Befehl löschen" #: perform.cpp:100 msgid "List the perform commands" -msgstr "" +msgstr "Perform-Befehle auflisten" #: perform.cpp:103 msgid "Send the perform commands to the server now" -msgstr "" +msgstr "Sende die Perform-Befehle jetzt an den Server" #: perform.cpp:105 msgid " " -msgstr "" +msgstr " " #: perform.cpp:106 msgid "Swap two perform commands" -msgstr "" +msgstr "Tausche zwei Perform-Befehle" #: perform.cpp:192 msgid "Keeps a list of commands to be executed when ZNC connects to IRC." msgstr "" +"Speichert eine Anzahl an Befehlen die bei der Verbindung von ZNC zum IRC-" +"Server gesendet werden." diff --git a/modules/po/perleval.de_DE.po b/modules/po/perleval.de_DE.po index 74018aa8..e471167e 100644 --- a/modules/po/perleval.de_DE.po +++ b/modules/po/perleval.de_DE.po @@ -1,14 +1,16 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" -"X-Crowdin-File: /master/modules/po/perleval.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/perleval.pot\n" +"X-Crowdin-File-ID: 374\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: perleval.pm:23 msgid "Evaluates perl code" diff --git a/modules/po/pyeval.de_DE.po b/modules/po/pyeval.de_DE.po index 129d2b0e..df721eab 100644 --- a/modules/po/pyeval.de_DE.po +++ b/modules/po/pyeval.de_DE.po @@ -1,14 +1,16 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" -"X-Crowdin-File: /master/modules/po/pyeval.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/pyeval.pot\n" +"X-Crowdin-File-ID: 376\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: pyeval.py:49 msgid "You must have admin privileges to load this module." diff --git a/modules/po/raw.de_DE.po b/modules/po/raw.de_DE.po index 305f5a52..19a94f69 100644 --- a/modules/po/raw.de_DE.po +++ b/modules/po/raw.de_DE.po @@ -1,14 +1,16 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" -"X-Crowdin-File: /master/modules/po/raw.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/raw.pot\n" +"X-Crowdin-File-ID: 320\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: raw.cpp:43 msgid "View all of the raw traffic" diff --git a/modules/po/route_replies.de_DE.po b/modules/po/route_replies.de_DE.po index 63657f81..5551405d 100644 --- a/modules/po/route_replies.de_DE.po +++ b/modules/po/route_replies.de_DE.po @@ -1,14 +1,16 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" -"X-Crowdin-File: /master/modules/po/route_replies.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/route_replies.pot\n" +"X-Crowdin-File-ID: 378\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: route_replies.cpp:215 msgid "[yes|no]" diff --git a/modules/po/sample.de_DE.po b/modules/po/sample.de_DE.po index b2bc692f..a48bd701 100644 --- a/modules/po/sample.de_DE.po +++ b/modules/po/sample.de_DE.po @@ -1,14 +1,16 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" -"X-Crowdin-File: /master/modules/po/sample.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/sample.pot\n" +"X-Crowdin-File-ID: 380\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: sample.cpp:31 msgid "Sample job cancelled" @@ -36,65 +38,65 @@ msgstr "Ich bin entladen!" #: sample.cpp:94 msgid "You got connected BoyOh." -msgstr "" +msgstr "Du wurdest verbunden BoyOh." #: sample.cpp:98 msgid "You got disconnected BoyOh." -msgstr "" +msgstr "Du wurdest getrennt BoyOh." #: sample.cpp:116 msgid "{1} {2} set mode on {3} {4}{5} {6}" -msgstr "" +msgstr "{1} {2} setzt Modus in {3} {4}{5} {6}" #: sample.cpp:123 msgid "{1} {2} opped {3} on {4}" -msgstr "" +msgstr "{1} {2} opped {3} in {4}" #: sample.cpp:129 msgid "{1} {2} deopped {3} on {4}" -msgstr "" +msgstr "{1} {2} deopped {3} in {4}" #: sample.cpp:135 msgid "{1} {2} voiced {3} on {4}" -msgstr "" +msgstr "{1} {2} voiced {3} in {4}" #: sample.cpp:141 msgid "{1} {2} devoiced {3} on {4}" -msgstr "" +msgstr "{1} {2} devoiced {3} in {4}" #: sample.cpp:147 msgid "* {1} sets mode: {2} {3} on {4}" -msgstr "" +msgstr "* {1} setzt Modus: {2} {3} in {4}" #: sample.cpp:163 msgid "{1} kicked {2} from {3} with the msg {4}" -msgstr "" +msgstr "{1} kicked {2} aus {3} mit der Nachricht {4}" #: sample.cpp:169 msgid "* {1} ({2}@{3}) quits ({4}) from channel: {6}" msgid_plural "* {1} ({2}@{3}) quits ({4}) from {5} channels: {6}" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "* {1} ({2}@{3}) verlässt ({4}) den Kanal: {6}" +msgstr[1] "* {1} ({2}@{3}) verlässt ({4}) {5} Kanäle: {6}" #: sample.cpp:177 msgid "Attempting to join {1}" -msgstr "" +msgstr "Versuche {1} beizutreten" #: sample.cpp:182 msgid "* {1} ({2}@{3}) joins {4}" -msgstr "" +msgstr "* {1} ({2}@{3}) joins {4}" #: sample.cpp:189 msgid "* {1} ({2}@{3}) parts {4}" -msgstr "" +msgstr "* {1} ({2}@{3}) parts {4}" #: sample.cpp:196 msgid "{1} invited us to {2}, ignoring invites to {2}" -msgstr "" +msgstr "{1} lädt uns ein zu {2}, ignoriere Einladungen zu {2}" #: sample.cpp:201 msgid "{1} invited us to {2}" -msgstr "" +msgstr "{1} hat uns zu {2} eingeladen" #: sample.cpp:207 msgid "{1} is now known as {2}" diff --git a/modules/po/samplewebapi.de_DE.po b/modules/po/samplewebapi.de_DE.po index 4a2d9449..c36e988d 100644 --- a/modules/po/samplewebapi.de_DE.po +++ b/modules/po/samplewebapi.de_DE.po @@ -1,14 +1,16 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" -"X-Crowdin-File: /master/modules/po/samplewebapi.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/samplewebapi.pot\n" +"X-Crowdin-File-ID: 382\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: samplewebapi.cpp:59 msgid "Sample Web API module." diff --git a/modules/po/sasl.de_DE.po b/modules/po/sasl.de_DE.po index 651846c6..0c066f3a 100644 --- a/modules/po/sasl.de_DE.po +++ b/modules/po/sasl.de_DE.po @@ -1,172 +1,179 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" -"X-Crowdin-File: /master/modules/po/sasl.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/sasl.pot\n" +"X-Crowdin-File-ID: 384\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:301 msgid "SASL" -msgstr "" +msgstr "SASL" #: modules/po/../data/sasl/tmpl/index.tmpl:11 msgid "Username:" -msgstr "" +msgstr "Benutzername:" #: modules/po/../data/sasl/tmpl/index.tmpl:13 msgid "Please enter a username." -msgstr "" +msgstr "Bitte gib einen Benutzernamen ein." #: modules/po/../data/sasl/tmpl/index.tmpl:16 msgid "Password:" -msgstr "" +msgstr "Passwort:" #: modules/po/../data/sasl/tmpl/index.tmpl:18 msgid "Please enter a password." -msgstr "" +msgstr "Bitte gib ein Passwort ein." #: modules/po/../data/sasl/tmpl/index.tmpl:22 msgid "Options" -msgstr "" +msgstr "Optionen" #: modules/po/../data/sasl/tmpl/index.tmpl:25 msgid "Connect only if SASL authentication succeeds." -msgstr "" +msgstr "Verbinde nur wenn die SASL-Authentifizierung erfolgreich ist." #: modules/po/../data/sasl/tmpl/index.tmpl:27 msgid "Require authentication" -msgstr "" +msgstr "Erfordert Authentifizierung" #: modules/po/../data/sasl/tmpl/index.tmpl:35 msgid "Mechanisms" -msgstr "" +msgstr "Mechanismen" #: modules/po/../data/sasl/tmpl/index.tmpl:42 msgid "Name" -msgstr "" +msgstr "Name" #: modules/po/../data/sasl/tmpl/index.tmpl:43 sasl.cpp:89 sasl.cpp:95 msgid "Description" -msgstr "" +msgstr "Beschreibung" #: modules/po/../data/sasl/tmpl/index.tmpl:57 msgid "Selected mechanisms and their order:" -msgstr "" +msgstr "Wähle Mechanismen und deren Reihenfolge:" #: modules/po/../data/sasl/tmpl/index.tmpl:74 msgid "Save" -msgstr "" +msgstr "Speichern" #: sasl.cpp:54 msgid "TLS certificate, for use with the *cert module" -msgstr "" +msgstr "TLS Zertifikat, zur Nutzung mit dem *cert Modul" #: sasl.cpp:56 msgid "" "Plain text negotiation, this should work always if the network supports SASL" msgstr "" +"Klartext Übertragung, dies sollte immer funktionieren wenn das Netzwerk SASL " +"unterstützt" #: sasl.cpp:62 msgid "search" -msgstr "" +msgstr "suchen" #: sasl.cpp:62 msgid "Generate this output" -msgstr "" +msgstr "Erzeuge diese Ausgabe" #: sasl.cpp:64 msgid "[ []]" -msgstr "" +msgstr "[ []]" #: sasl.cpp:65 msgid "" "Set username and password for the mechanisms that need them. Password is " "optional. Without parameters, returns information about current settings." msgstr "" +"Setze Benutzername und Passwort für die Mechanismen, die diese benötigen. " +"Passwort ist optional. Ohne Parameter werden momentane Einstellungen " +"angezeigt." #: sasl.cpp:69 msgid "[mechanism[ ...]]" -msgstr "" +msgstr "[mechanism[ ...]]" #: sasl.cpp:70 msgid "Set the mechanisms to be attempted (in order)" -msgstr "" +msgstr "Setzt die versuchten Mechanismen (in Reihenfolge)" #: sasl.cpp:72 msgid "[yes|no]" -msgstr "" +msgstr "[yes|no]" #: sasl.cpp:73 msgid "Don't connect unless SASL authentication succeeds" -msgstr "" +msgstr "Verbinde nur wenn die SASL-Authentifizierung erfolgreich ist" #: sasl.cpp:88 sasl.cpp:94 msgid "Mechanism" -msgstr "" +msgstr "Mechanismen" #: sasl.cpp:99 msgid "The following mechanisms are available:" -msgstr "" +msgstr "Die folgenden Mechanismen stehen zur Verfügung:" #: sasl.cpp:109 msgid "Username is currently not set" -msgstr "" +msgstr "Momentan ist kein Benutzername gesetzt" #: sasl.cpp:111 msgid "Username is currently set to '{1}'" -msgstr "" +msgstr "Benutzername ist momentan auf '{1}' gesetzt" #: sasl.cpp:114 msgid "Password was not supplied" -msgstr "" +msgstr "Passwort wurde nicht bereitgestellt" #: sasl.cpp:116 msgid "Password was supplied" -msgstr "" +msgstr "Passwort wurde bereitgestellt" #: sasl.cpp:124 msgid "Username has been set to [{1}]" -msgstr "" +msgstr "Benutzername wurde auf [{1}] gesetzt" #: sasl.cpp:125 msgid "Password has been set to [{1}]" -msgstr "" +msgstr "Passwort wurde auf [{1}] gesetzt" #: sasl.cpp:145 msgid "Current mechanisms set: {1}" -msgstr "" +msgstr "Momentan gesetzter Mechanismus: {1}" #: sasl.cpp:154 msgid "We require SASL negotiation to connect" -msgstr "" +msgstr "We benötigen eine SASL-Verhandlung zum Verbinden" #: sasl.cpp:156 msgid "We will connect even if SASL fails" -msgstr "" +msgstr "Wir werden auch verbinden, wenn SASL fehlschlägt" #: sasl.cpp:193 msgid "Disabling network, we require authentication." -msgstr "" +msgstr "Netzwerk deaktivieren, wir benötigen Authentifizierung." #: sasl.cpp:194 msgid "Use 'RequireAuth no' to disable." -msgstr "" +msgstr "Benutzer 'RequireAuth no' zum deaktivieren." #: sasl.cpp:256 msgid "{1} mechanism succeeded." -msgstr "" +msgstr "{1} Mechanismus erfolgreich." #: sasl.cpp:268 msgid "{1} mechanism failed." -msgstr "" +msgstr "{1} Mechanismus fehlgeschlagen." #: sasl.cpp:346 msgid "" "Adds support for sasl authentication capability to authenticate to an IRC " "server" -msgstr "" +msgstr "Erlaubt Unterstützung für SASL-Authentifizierungen an IRC-Servern" diff --git a/modules/po/savebuff.de_DE.po b/modules/po/savebuff.de_DE.po index 7573e115..ce14c546 100644 --- a/modules/po/savebuff.de_DE.po +++ b/modules/po/savebuff.de_DE.po @@ -1,14 +1,16 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" -"X-Crowdin-File: /master/modules/po/savebuff.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/savebuff.pot\n" +"X-Crowdin-File-ID: 386\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: savebuff.cpp:65 msgid "" diff --git a/modules/po/send_raw.de_DE.po b/modules/po/send_raw.de_DE.po index af215c7c..73611e61 100644 --- a/modules/po/send_raw.de_DE.po +++ b/modules/po/send_raw.de_DE.po @@ -1,107 +1,111 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" -"X-Crowdin-File: /master/modules/po/send_raw.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/send_raw.pot\n" +"X-Crowdin-File-ID: 388\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: modules/po/../data/send_raw/tmpl/index.tmpl:9 msgid "Send a raw IRC line" -msgstr "" +msgstr "Sendet eine unverarbeitete IRC Zeile" #: modules/po/../data/send_raw/tmpl/index.tmpl:14 msgid "User:" -msgstr "" +msgstr "Benutzer:" #: modules/po/../data/send_raw/tmpl/index.tmpl:15 msgid "To change user, click to Network selector" -msgstr "" +msgstr "Um den Benutzer zu ändern, klicke auf den Netzwerk-Auswähler" #: modules/po/../data/send_raw/tmpl/index.tmpl:19 msgid "User/Network:" -msgstr "" +msgstr "Benutzer/Netzwerk:" #: modules/po/../data/send_raw/tmpl/index.tmpl:32 msgid "Send to:" -msgstr "" +msgstr "Sende an:" #: modules/po/../data/send_raw/tmpl/index.tmpl:34 msgid "Client" -msgstr "" +msgstr "Klient" #: modules/po/../data/send_raw/tmpl/index.tmpl:35 msgid "Server" -msgstr "" +msgstr "Server" #: modules/po/../data/send_raw/tmpl/index.tmpl:40 msgid "Line:" -msgstr "" +msgstr "Zeile:" #: modules/po/../data/send_raw/tmpl/index.tmpl:45 msgid "Send" -msgstr "" +msgstr "Senden" #: send_raw.cpp:32 msgid "Sent [{1}] to {2}/{3}" -msgstr "" +msgstr "[{1}] gesendet an {2}/{3}" #: send_raw.cpp:36 send_raw.cpp:56 msgid "Network {1} not found for user {2}" -msgstr "" +msgstr "Netzwerk {1} für Benutzer {2} nicht gefunden" #: send_raw.cpp:40 send_raw.cpp:60 msgid "User {1} not found" -msgstr "" +msgstr "Benutzer {1} nicht gefunden" #: send_raw.cpp:52 msgid "Sent [{1}] to IRC server of {2}/{3}" -msgstr "" +msgstr "[{1}] gesendet an IRC-Server von {2}/{3}" #: send_raw.cpp:75 msgid "You must have admin privileges to load this module" -msgstr "" +msgstr "Du benötigst Administratorrechte um dieses Modul zu laden" #: send_raw.cpp:82 msgid "Send Raw" -msgstr "" +msgstr "Sende unverarbeitet" #: send_raw.cpp:92 msgid "User not found" -msgstr "" +msgstr "Benutzer nicht gefunden" #: send_raw.cpp:99 msgid "Network not found" -msgstr "" +msgstr "Netzwerk nicht gefunden" #: send_raw.cpp:116 msgid "Line sent" -msgstr "" +msgstr "Zeile gesendet" #: send_raw.cpp:140 send_raw.cpp:143 msgid "[user] [network] [data to send]" -msgstr "" +msgstr "[user] [network] [data to send]" #: send_raw.cpp:141 msgid "The data will be sent to the user's IRC client(s)" -msgstr "" +msgstr "Diese Daten werden an die Klient(en) des Benutzers geschickt" #: send_raw.cpp:144 msgid "The data will be sent to the IRC server the user is connected to" msgstr "" +"Diese Daten werden an den verbundenen IRC-Server des Benutzers geschickt" #: send_raw.cpp:147 msgid "[data to send]" -msgstr "" +msgstr "[data to send]" #: send_raw.cpp:148 msgid "The data will be sent to your current client" -msgstr "" +msgstr "Diese Daten werden an deinen momentanen Klienten geschickt" #: send_raw.cpp:159 msgid "Lets you send some raw IRC lines as/to someone else" msgstr "" +"Erlaubt es dir unverarbeitete IRC Zeilen an/von jemand anderen zu senden" diff --git a/modules/po/shell.de_DE.po b/modules/po/shell.de_DE.po index 5ab861c2..c2690e5a 100644 --- a/modules/po/shell.de_DE.po +++ b/modules/po/shell.de_DE.po @@ -1,14 +1,16 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" -"X-Crowdin-File: /master/modules/po/shell.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/shell.pot\n" +"X-Crowdin-File-ID: 390\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: shell.cpp:37 msgid "Failed to execute: {1}" diff --git a/modules/po/simple_away.de_DE.po b/modules/po/simple_away.de_DE.po index 73f67b29..048d9219 100644 --- a/modules/po/simple_away.de_DE.po +++ b/modules/po/simple_away.de_DE.po @@ -1,18 +1,20 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" -"X-Crowdin-File: /master/modules/po/simple_away.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/simple_away.pot\n" +"X-Crowdin-File-ID: 392\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: simple_away.cpp:56 msgid "[]" -msgstr "" +msgstr "[]" #: simple_away.cpp:57 #, c-format @@ -20,71 +22,78 @@ msgid "" "Prints or sets the away reason (%awaytime% is replaced with the time you " "were set away, supports substitutions using ExpandString)" msgstr "" +"Zeigt oder setzt Away-Grund (%awaytime% wird mit der Away-Zeit ersetzt, " +"unterstützt weitere Variablen mit ExpandString)" #: simple_away.cpp:63 msgid "Prints the current time to wait before setting you away" -msgstr "" +msgstr "Zeigt die momentane Wartezeit bevor du away gesetzt wirst" #: simple_away.cpp:65 msgid "" -msgstr "" +msgstr "" #: simple_away.cpp:66 msgid "Sets the time to wait before setting you away" -msgstr "" +msgstr "Setzt die Wartezeit bevor du away gesetzt wirst" #: simple_away.cpp:69 msgid "Disables the wait time before setting you away" -msgstr "" +msgstr "Deaktiviert die Wartezeit bis du away gesetzt wirst" #: simple_away.cpp:73 msgid "Get or set the minimum number of clients before going away" msgstr "" +"Hole oder setze die Minimal-Anzahl an Klienten bevor du away gesetzt wirst" #: simple_away.cpp:136 msgid "Away reason set" -msgstr "" +msgstr "Away Grund gespeichert" #: simple_away.cpp:138 msgid "Away reason: {1}" -msgstr "" +msgstr "Away Grund: {1}" #: simple_away.cpp:139 msgid "Current away reason would be: {1}" -msgstr "" +msgstr "Momentan Away Grund wäre: {1}" #: simple_away.cpp:144 msgid "Current timer setting: 1 second" msgid_plural "Current timer setting: {1} seconds" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "Momentane Wartezeit: 1 Sekunde" +msgstr[1] "Momentane Wartezeit: {1} seconds" #: simple_away.cpp:153 simple_away.cpp:161 msgid "Timer disabled" -msgstr "" +msgstr "Wartezeit deaktiviert" #: simple_away.cpp:155 msgid "Timer set to 1 second" msgid_plural "Timer set to: {1} seconds" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "Wartezeit auf 1 Sekunde gesetzt" +msgstr[1] "Wartezeit auf {1} Sekunden gesetzt" #: simple_away.cpp:166 msgid "Current MinClients setting: {1}" -msgstr "" +msgstr "Momentane MinClients Einstellung: {1}" #: simple_away.cpp:169 msgid "MinClients set to {1}" -msgstr "" +msgstr "MinClients auf {1} gesetzt" #: simple_away.cpp:248 msgid "" "You might enter up to 3 arguments, like -notimer awaymessage or -timer 5 " "awaymessage." msgstr "" +"Du kannst bis zu 3 Parameter angeben, z.B. \"-notimer awaymessage\" oder \"-" +"timer 5 awaymessage\"." #: simple_away.cpp:253 msgid "" "This module will automatically set you away on IRC while you are " "disconnected from the bouncer." msgstr "" +"Dieses Modul setzt dich automatisch auf \"away\", wenn du die Verbindung " +"trennst." diff --git a/modules/po/stickychan.de_DE.po b/modules/po/stickychan.de_DE.po index abb16677..dff9b032 100644 --- a/modules/po/stickychan.de_DE.po +++ b/modules/po/stickychan.de_DE.po @@ -1,100 +1,103 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" -"X-Crowdin-File: /master/modules/po/stickychan.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/stickychan.pot\n" +"X-Crowdin-File-ID: 394\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: modules/po/../data/stickychan/tmpl/index.tmpl:9 msgid "Name" -msgstr "" +msgstr "Name" #: modules/po/../data/stickychan/tmpl/index.tmpl:10 msgid "Sticky" -msgstr "" +msgstr "Angepinnt" #: modules/po/../data/stickychan/tmpl/index.tmpl:25 msgid "Save" -msgstr "" +msgstr "Speichern" #: modules/po/../data/stickychan/tmpl/stickychan_WebadminChan.tmpl:8 msgid "Channel is sticky" -msgstr "" +msgstr "Kanal ist angepinnt" #: stickychan.cpp:28 msgid "<#channel> [key]" -msgstr "" +msgstr "<#channel> [key]" #: stickychan.cpp:28 msgid "Sticks a channel" -msgstr "" +msgstr "Pinnt einen Kanal" #: stickychan.cpp:30 msgid "<#channel>" -msgstr "" +msgstr "<#channel>" #: stickychan.cpp:30 msgid "Unsticks a channel" -msgstr "" +msgstr "Unpinnt einen Kanal" #: stickychan.cpp:32 msgid "Lists sticky channels" -msgstr "" +msgstr "Zeigt alle gepinnten Kanäle" #: stickychan.cpp:75 msgid "Usage: Stick <#channel> [key]" -msgstr "" +msgstr "Benutzung: Stick <#channel> [key]" #: stickychan.cpp:79 msgid "Stuck {1}" -msgstr "" +msgstr "{1} angepinnt" #: stickychan.cpp:85 msgid "Usage: Unstick <#channel>" -msgstr "" +msgstr "Benutzung: Unstick <#channel>" #: stickychan.cpp:89 msgid "Unstuck {1}" -msgstr "" +msgstr "{1} ungepinnt" #: stickychan.cpp:101 msgid " -- End of List" -msgstr "" +msgstr " -- Ende der Liste" #: stickychan.cpp:115 msgid "Could not join {1} (# prefix missing?)" -msgstr "" +msgstr "Konnte {1} nicht beitreten (# Präfix fehlt?)" #: stickychan.cpp:128 msgid "Sticky Channels" -msgstr "" +msgstr "Angepinnte Kanäle" #: stickychan.cpp:160 msgid "Changes have been saved!" -msgstr "" +msgstr "Änderungen wurden gespeichert!" #: stickychan.cpp:185 msgid "Channel became sticky!" -msgstr "" +msgstr "Kanal ist nun angepinnt!" #: stickychan.cpp:189 msgid "Channel stopped being sticky!" -msgstr "" +msgstr "Kanal ist nicht mehr angepinnt!" #: stickychan.cpp:209 msgid "" "Channel {1} cannot be joined, it is an illegal channel name. Unsticking." msgstr "" +"Kanal {1} konnte nicht beigetreten werden, es ist ein ungültiger Kanalname." #: stickychan.cpp:246 msgid "List of channels, separated by comma." -msgstr "" +msgstr "Liste von Kanälen, komma-getrennt." #: stickychan.cpp:251 msgid "configless sticky chans, keeps you there very stickily even" -msgstr "" +msgstr "konfigurationslose angepinnte Kanäle" diff --git a/modules/po/stripcontrols.de_DE.po b/modules/po/stripcontrols.de_DE.po index 1276ae84..d1d77bd9 100644 --- a/modules/po/stripcontrols.de_DE.po +++ b/modules/po/stripcontrols.de_DE.po @@ -1,14 +1,16 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" -"X-Crowdin-File: /master/modules/po/stripcontrols.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/stripcontrols.pot\n" +"X-Crowdin-File-ID: 398\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: stripcontrols.cpp:63 msgid "" diff --git a/modules/po/watch.de_DE.po b/modules/po/watch.de_DE.po index 7dc742c2..e2ab6626 100644 --- a/modules/po/watch.de_DE.po +++ b/modules/po/watch.de_DE.po @@ -1,191 +1,197 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" -"X-Crowdin-File: /master/modules/po/watch.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/watch.pot\n" +"X-Crowdin-File-ID: 396\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: watch.cpp:178 msgid " [Target] [Pattern]" -msgstr "" +msgstr " [Target] [Pattern]" #: watch.cpp:178 msgid "Used to add an entry to watch for." -msgstr "" +msgstr "Benutzt um einen zusätzlich Überwachungs-Eintrag hinzuzufügen." #: watch.cpp:180 msgid "List all entries being watched." -msgstr "" +msgstr "Alle Überwachungs-Einträge auflisten." #: watch.cpp:182 msgid "Dump a list of all current entries to be used later." msgstr "" +"Zeigt eine Liste von allen momentanen Einträgen, die später genutzt werden." #: watch.cpp:184 msgid "" -msgstr "" +msgstr "" #: watch.cpp:184 msgid "Deletes Id from the list of watched entries." -msgstr "" +msgstr "Entfernt Id von der Liste von Überwachungs-Einträgen." #: watch.cpp:186 msgid "Delete all entries." -msgstr "" +msgstr "Löscht alle Einträge." #: watch.cpp:188 watch.cpp:190 msgid "" -msgstr "" +msgstr "" #: watch.cpp:188 msgid "Enable a disabled entry." -msgstr "" +msgstr "Aktiviert einen deaktivierten Eintrag." #: watch.cpp:190 msgid "Disable (but don't delete) an entry." -msgstr "" +msgstr "Deaktiviere (nicht löschen) einen Eintrag." #: watch.cpp:192 watch.cpp:194 msgid " " -msgstr "" +msgstr " " #: watch.cpp:192 msgid "Enable or disable detached client only for an entry." msgstr "" +"Aktiviere oder deaktiviere einen getrennten Klienten nur für einen Eintrag." #: watch.cpp:194 msgid "Enable or disable detached channel only for an entry." msgstr "" +"Aktiviere oder Deaktiviere einen getrennten Kanal nur für einen Eintrag." #: watch.cpp:196 msgid " [#chan priv #foo* !#bar]" -msgstr "" +msgstr " [#chan priv #foo* !#bar]" #: watch.cpp:196 msgid "Set the source channels that you care about." -msgstr "" +msgstr "Setzt die Quell-Kanäle, die dich interessieren." #: watch.cpp:237 msgid "WARNING: malformed entry found while loading" -msgstr "" +msgstr "WARNUNG: Fehlerhaften Eintrag während des Ladens gefunden" #: watch.cpp:382 msgid "Disabled all entries." -msgstr "" +msgstr "Deaktivere alle Einträge." #: watch.cpp:383 msgid "Enabled all entries." -msgstr "" +msgstr "Aktiviere alle Einträge." #: watch.cpp:390 watch.cpp:432 watch.cpp:474 watch.cpp:577 watch.cpp:619 msgid "Invalid Id" -msgstr "" +msgstr "Ungültige Id" #: watch.cpp:399 msgid "Id {1} disabled" -msgstr "" +msgstr "Id {1} deaktiviert" #: watch.cpp:401 msgid "Id {1} enabled" -msgstr "" +msgstr "Id {1} aktiviert" #: watch.cpp:423 msgid "Set DetachedClientOnly for all entries to Yes" -msgstr "" +msgstr "Setzte DetachedClientOnly für alle Einträge auf Ja" #: watch.cpp:425 msgid "Set DetachedClientOnly for all entries to No" -msgstr "" +msgstr "Setzte DetachedClientOnly für alle Einträge auf Nein" #: watch.cpp:441 watch.cpp:483 msgid "Id {1} set to Yes" -msgstr "" +msgstr "Id {1} auf Yes gesetzt" #: watch.cpp:443 watch.cpp:485 msgid "Id {1} set to No" -msgstr "" +msgstr "Id {1} auf No gesetzt" #: watch.cpp:465 msgid "Set DetachedChannelOnly for all entries to Yes" -msgstr "" +msgstr "Setzte DetachedChannelOnly für alle Einträge auf Ja" #: watch.cpp:467 msgid "Set DetachedChannelOnly for all entries to No" -msgstr "" +msgstr "Setzte DetachedChannelOnly für alle Einträge auf Nein" #: watch.cpp:491 watch.cpp:507 msgid "Id" -msgstr "" +msgstr "Id" #: watch.cpp:492 watch.cpp:508 msgid "HostMask" -msgstr "" +msgstr "HostMask" #: watch.cpp:493 watch.cpp:509 msgid "Target" -msgstr "" +msgstr "Ziel" #: watch.cpp:494 watch.cpp:510 msgid "Pattern" -msgstr "" +msgstr "Muster" #: watch.cpp:495 watch.cpp:511 msgid "Sources" -msgstr "" +msgstr "Quellen" #: watch.cpp:496 watch.cpp:512 watch.cpp:513 msgid "Off" -msgstr "" +msgstr "Aus" #: watch.cpp:497 watch.cpp:515 msgid "DetachedClientOnly" -msgstr "" +msgstr "DetachedClientOnly" #: watch.cpp:498 watch.cpp:518 msgid "DetachedChannelOnly" -msgstr "" +msgstr "DetachedChannelOnly" #: watch.cpp:516 watch.cpp:519 msgid "Yes" -msgstr "" +msgstr "Ja" #: watch.cpp:516 watch.cpp:519 msgid "No" -msgstr "" +msgstr "Nein" #: watch.cpp:525 watch.cpp:531 msgid "You have no entries." -msgstr "" +msgstr "Du hast keine Einträge." #: watch.cpp:585 msgid "Sources set for Id {1}." -msgstr "" +msgstr "Quellen für Id {1} gesetzt." #: watch.cpp:609 msgid "All entries cleared." -msgstr "" +msgstr "Alle Einträge geleert." #: watch.cpp:627 msgid "Id {1} removed." -msgstr "" +msgstr "Id {1} entfernt." #: watch.cpp:646 msgid "Entry for {1} already exists." -msgstr "" +msgstr "Eintrag für {1} existiert bereits." #: watch.cpp:654 msgid "Adding entry: {1} watching for [{2}] -> {3}" -msgstr "" +msgstr "Füge Eintrag hinzu: {1} überwacht [{2}] -> {3}" #: watch.cpp:660 msgid "Watch: Not enough arguments. Try Help" -msgstr "" +msgstr "Überwachung: Nicht ausreichen Argumente. Nutze Help" #: watch.cpp:702 msgid "Copy activity from a specific user into a separate window" msgstr "" +"Kopiert Aktivität eines spezifischen Benutzers in ein separates Fenster" diff --git a/modules/po/webadmin.de_DE.po b/modules/po/webadmin.de_DE.po index c533f79d..7733f1bd 100644 --- a/modules/po/webadmin.de_DE.po +++ b/modules/po/webadmin.de_DE.po @@ -1,14 +1,16 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" -"X-Crowdin-File: /master/modules/po/webadmin.pot\n" +"X-Crowdin-File: /1.8.x/modules/po/webadmin.pot\n" +"X-Crowdin-File-ID: 400\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:12 msgid "Channel Info" @@ -199,13 +201,15 @@ msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:83 msgid "Automatically detect trusted certificates (Trust the PKI):" -msgstr "" +msgstr "Entdecke automatisch vertrauenswürdige Zertifikate (Vertraue der PKI):" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:85 msgid "" "When disabled, manually whitelist all server fingerprints, even if the " "certificate is valid" msgstr "" +"Wenn deaktiviert, erlaube alle Server-Fingerprints, auch wenn das Zertifikat " +"gültig ist" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:89 #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:96 @@ -265,66 +269,74 @@ msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:130 msgctxt "Flood Protection" msgid "Enabled" -msgstr "" +msgstr "Aktiviert" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:134 msgid "Flood protection rate:" -msgstr "" +msgstr "Flood Schutz Rate:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:137 msgid "" "The number of seconds per line. After changing this, reconnect ZNC to server." msgstr "" +"Anzahl an Sekunden pro Zeile. Nach dem Ändern, verbinde ZNC erneut mit dem " +"Server." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:140 msgid "{1} seconds per line" -msgstr "" +msgstr "{1} Sekunden pro Zeile" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:144 msgid "Flood protection burst:" -msgstr "" +msgstr "Flood Schutz Burst:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:147 msgid "" "Defines the number of lines, which can be sent immediately. After changing " "this, reconnect ZNC to server." msgstr "" +"Definiert die Anzahl an Zeilen welche sofort gesendet werden können. Nach " +"dem Ändern, verbinde ZNC erneut zum Server." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:150 msgid "{1} lines can be sent immediately" -msgstr "" +msgstr "{1} Zeilen können sofort gesendet werden" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:154 msgid "Channel join delay:" -msgstr "" +msgstr "Kanal-Beitritts Verzögerung:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:157 msgid "" "Defines the delay in seconds, until channels are joined after getting " "connected." msgstr "" +"Definiert die Verzögerung in Sekunden bis Kanäle nach der Verbindung werden " +"beigetreten werden." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:160 msgid "{1} seconds" -msgstr "" +msgstr "{1} Sekunden" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:165 msgid "Character encoding used between ZNC and IRC server." -msgstr "" +msgstr "Zeichen-Kodierung zwischen ZNC und IRC-Server." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:166 msgid "Server encoding:" -msgstr "" +msgstr "Server Kodierung:" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:176 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:231 msgid "Channels" -msgstr "" +msgstr "Kanäle" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:178 msgid "" "You will be able to add + modify channels here after you created the network." msgstr "" +"Du kannst hier Kanäle hinzufügen und bearbeiten nachdem Du das Netzwerk " +"erstellt hast." #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:185 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:129 @@ -332,13 +344,13 @@ msgstr "" #: modules/po/../data/webadmin/tmpl/listusers.tmpl:15 #: modules/po/../data/webadmin/tmpl/settings.tmpl:72 msgid "Add" -msgstr "" +msgstr "Hinzufügen" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:187 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:430 #: modules/po/../data/webadmin/tmpl/settings.tmpl:237 msgid "Save" -msgstr "" +msgstr "Speichern" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:188 #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:228 @@ -346,161 +358,167 @@ msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:174 #: modules/po/../data/webadmin/tmpl/settings.tmpl:176 msgid "Name" -msgstr "" +msgstr "Name" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:189 msgid "CurModes" -msgstr "" +msgstr "CurModes" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:190 msgid "DefModes" -msgstr "" +msgstr "DefModes" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:191 msgid "BufferSize" -msgstr "" +msgstr "BufferSize" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:192 msgid "Options" -msgstr "" +msgstr "Optionen" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:194 msgid "← Add a channel (opens in same page)" -msgstr "" +msgstr "← Ein Netzwerk hinzufügen (öffnet sich in diesem Tab)" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:204 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:146 #: modules/po/../data/webadmin/tmpl/listusers.tmpl:27 msgid "Edit" -msgstr "" +msgstr "Bearbeiten" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:204 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:146 #: modules/po/../data/webadmin/tmpl/settings.tmpl:53 msgid "Del" -msgstr "" +msgstr "Löschen" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:222 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:168 msgid "Modules" -msgstr "" +msgstr "Module" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:229 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:175 #: modules/po/../data/webadmin/tmpl/settings.tmpl:177 msgid "Arguments" -msgstr "" +msgstr "Argumente" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:230 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:176 #: modules/po/../data/webadmin/tmpl/settings.tmpl:178 msgid "Description" -msgstr "" +msgstr "Beschreibung" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:231 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:177 msgid "Loaded globally" -msgstr "" +msgstr "Global geladen" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:232 msgid "Loaded by user" -msgstr "" +msgstr "Geladen von Benutzer" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:293 msgid "Add Network and return" -msgstr "" +msgstr "Netzwerk hinzufügen und zurück" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:294 msgid "Add Network and continue" -msgstr "" +msgstr "Netzwerk hinzufügen und fortfahren" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:15 msgid "Authentication" -msgstr "" +msgstr "Authentifizierung" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:19 msgid "Username:" -msgstr "" +msgstr "Benutzername:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:29 msgid "Please enter a username." -msgstr "" +msgstr "Bitte gib einen Benutzernamen ein." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:34 msgid "Password:" -msgstr "" +msgstr "Passwort:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:36 msgid "Please enter a password." -msgstr "" +msgstr "Bitte gib ein Passwort ein." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:39 msgid "Confirm password:" -msgstr "" +msgstr "Passwort bestätigen:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:41 msgid "Please re-type the above password." -msgstr "" +msgstr "Bitte gib das gleiche Passwort noch einmal ein." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:44 #: modules/po/../data/webadmin/tmpl/settings.tmpl:151 msgid "Auth Only Via Module:" -msgstr "" +msgstr "Authentifizierung nur durch Modul:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:46 msgid "" "Allow user authentication by external modules only, disabling built-in " "password authentication." msgstr "" +"Erlaube Benutzer-Authentifizierung ausschließlich durch externe Module. Die " +"eingebaute Passwort-Authentifizierung wird deaktiviert." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:50 msgid "Allowed IPs:" -msgstr "" +msgstr "Erlaubte IPs:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:54 msgid "" "Leave empty to allow connections from all IPs.
Otherwise, one entry per " "line, wildcards * and ? are available." msgstr "" +"Leer lassen um Verbindungen von allen IPs zu erlauben
Andernfalls: Ein " +"Eintrag pro Zeile, Wildcards * und ? sind möglich." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:62 msgid "IRC Information" -msgstr "" +msgstr "IRC Information" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:64 msgid "" "Nick, AltNick, Ident, RealName and QuitMsg can be left empty to use default " "values." msgstr "" +"Nick, AltNick, Ident, RealName und QuitMsg können leer gelassen werden, um " +"die Standardeinstellungen zu nutzen." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:82 msgid "The Ident is sent to server as username." -msgstr "" +msgstr "Die Ident wird als Benutzername an den Server gesendet." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:85 #: modules/po/../data/webadmin/tmpl/settings.tmpl:102 msgid "Status Prefix:" -msgstr "" +msgstr "Status Präfix:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:87 #: modules/po/../data/webadmin/tmpl/settings.tmpl:104 msgid "The prefix for the status and module queries." -msgstr "" +msgstr "Die Präfix für die Status- und Modul-Nachrichten." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:105 msgid "DCCBindHost:" -msgstr "" +msgstr "DCCBindHost:" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:122 #: modules/po/../data/webadmin/tmpl/listusers.tmpl:17 #: modules/po/../data/webadmin/tmpl/traffic.tmpl:39 msgid "Networks" -msgstr "" +msgstr "Netzwerke" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:132 #: modules/po/../data/webadmin/tmpl/listusers.tmpl:18 msgid "Clients" -msgstr "" +msgstr "Klienten" #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:133 msgid "Current Server" @@ -768,119 +786,124 @@ msgstr "Ja" #: modules/po/../data/webadmin/tmpl/del_network.tmpl:17 #: modules/po/../data/webadmin/tmpl/del_user.tmpl:17 msgid "No" -msgstr "" +msgstr "Nein" #: modules/po/../data/webadmin/tmpl/del_user.tmpl:5 msgid "Confirm User Deletion" -msgstr "" +msgstr "Löschen des Benutzers bestätigen" #: modules/po/../data/webadmin/tmpl/del_user.tmpl:9 msgid "Are you sure you want to delete user “{1}”?" -msgstr "" +msgstr "Bist Du sicher, dass du Benutzer \"{1}\" löschen möchtest?" #: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:6 msgid "ZNC is compiled without encodings support. {1} is required for it." msgstr "" +"ZNC ist ohne Kodierungsunterstützung kompiliert. {1} ist dafür notwendig." #: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:11 msgid "Legacy mode is disabled by modpython." -msgstr "" +msgstr "Legacy mode ist von modpython deaktiviert." #: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:18 msgid "Don't ensure any encoding at all (legacy mode, not recommended)" -msgstr "" +msgstr "Überprüfe gar keine Kodierung (Altes System, nicht empfohlen)" #: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:22 msgid "Try to parse as UTF-8 and as {1}, send as UTF-8 (recommended)" -msgstr "" +msgstr "Versuche als UTF-8 und als {1} zu parsen, sende als UTF-8 (empfohlen)" #: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:26 msgid "Try to parse as UTF-8 and as {1}, send as {1}" -msgstr "" +msgstr "Versuche als UTF-8 und als {1} zu parsen, sende als {1}" #: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:30 msgid "Parse and send as {1} only" -msgstr "" +msgstr "Parsen und senden nur als {1}" #: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:36 msgid "E.g. UTF-8, or ISO-8859-15" -msgstr "" +msgstr "z.B. UTF-8 oder ISO-8859-15" #: modules/po/../data/webadmin/tmpl/index.tmpl:5 msgid "Welcome to the ZNC webadmin module." -msgstr "" +msgstr "Willkommen im ZNC Webadmin Modul." #: modules/po/../data/webadmin/tmpl/index.tmpl:6 msgid "" "All changes you make will be in effect immediately after you submitted them." msgstr "" +"Alle hier erfolgten Änderungen werden sofort nach dem Absenden übernommen." #: modules/po/../data/webadmin/tmpl/listusers.tmpl:16 msgid "Username" -msgstr "" +msgstr "Benutzername" #: modules/po/../data/webadmin/tmpl/listusers.tmpl:29 #: modules/po/../data/webadmin/tmpl/settings.tmpl:21 msgid "Delete" -msgstr "" +msgstr "Löschen" #: modules/po/../data/webadmin/tmpl/settings.tmpl:6 msgid "Listen Port(s)" -msgstr "" +msgstr "Lauschende Port(s)" #: modules/po/../data/webadmin/tmpl/settings.tmpl:14 msgid "BindHost" -msgstr "" +msgstr "BindHost" #: modules/po/../data/webadmin/tmpl/settings.tmpl:16 msgid "IPv4" -msgstr "" +msgstr "IPv4" #: modules/po/../data/webadmin/tmpl/settings.tmpl:17 msgid "IPv6" -msgstr "" +msgstr "IPv6" #: modules/po/../data/webadmin/tmpl/settings.tmpl:18 msgid "IRC" -msgstr "" +msgstr "IRC" #: modules/po/../data/webadmin/tmpl/settings.tmpl:19 msgid "HTTP" -msgstr "" +msgstr "HTTP" #: modules/po/../data/webadmin/tmpl/settings.tmpl:20 msgid "URIPrefix" -msgstr "" +msgstr "URIPrefix" #: modules/po/../data/webadmin/tmpl/settings.tmpl:56 msgid "" "To delete port which you use to access webadmin itself, either connect to " "webadmin via another port, or do it in IRC (/znc DelPort)" msgstr "" +"Um einen Port zu löschen, den du gerade nutzt um auf Webadmin zuzugreifen, " +"verbinde dich entweder zu Webadmin durch einen anderen Port, oder nutze IRC " +"(/znc DelPort)" #: modules/po/../data/webadmin/tmpl/settings.tmpl:56 msgid "Current" -msgstr "" +msgstr "Aktuell" #: modules/po/../data/webadmin/tmpl/settings.tmpl:86 msgid "Settings" -msgstr "" +msgstr "Einstellungen" #: modules/po/../data/webadmin/tmpl/settings.tmpl:105 msgid "Default for new users only." -msgstr "" +msgstr "Standard nur für neue Benutzer." #: modules/po/../data/webadmin/tmpl/settings.tmpl:110 msgid "Maximum Buffer Size:" -msgstr "" +msgstr "Maximale Puffergröße:" #: modules/po/../data/webadmin/tmpl/settings.tmpl:112 msgid "Sets the global Max Buffer Size a user can have." -msgstr "" +msgstr "Setzt die globale maximale Puffergröße, die ein Benutzer haben kann." #: modules/po/../data/webadmin/tmpl/settings.tmpl:117 msgid "Connect Delay:" -msgstr "" +msgstr "Verbindungsverzögerung:" #: modules/po/../data/webadmin/tmpl/settings.tmpl:119 msgid "" @@ -888,93 +911,101 @@ msgid "" "affects the connection between ZNC and the IRC server; not the connection " "between your IRC client and ZNC." msgstr "" +"Die Zeit zwischen Verbindungsversuchen zu IRC-Servern in Sekunden. Dies " +"bezieht sich auf die Verbindung zwischen ZNC und dem IRC-Server und nicht " +"die Verbindung zwischen deinem IRC-Klienten und ZNC." #: modules/po/../data/webadmin/tmpl/settings.tmpl:124 msgid "Server Throttle:" -msgstr "" +msgstr "Server Drossel:" #: modules/po/../data/webadmin/tmpl/settings.tmpl:126 msgid "" "The minimal time between two connect attempts to the same hostname, in " "seconds. Some servers refuse your connection if you reconnect too fast." msgstr "" +"Die minimale Zeit zwischen zwei Verbindungsversuchen zum gleichen Hostnamen " +"in Sekunden. Einige Server verweigern die Verbindung wenn eine Neu-" +"Verbindung zu schnell erfolgt." #: modules/po/../data/webadmin/tmpl/settings.tmpl:131 msgid "Anonymous Connection Limit per IP:" -msgstr "" +msgstr "Anonymes Verbindungslimit pro IP:" #: modules/po/../data/webadmin/tmpl/settings.tmpl:133 msgid "Limits the number of unidentified connections per IP." -msgstr "" +msgstr "Limitiert die Anzahl an nicht identifizierten Verbindungen pro IP." #: modules/po/../data/webadmin/tmpl/settings.tmpl:138 msgid "Protect Web Sessions:" -msgstr "" +msgstr "Web Sitzungen schützen:" #: modules/po/../data/webadmin/tmpl/settings.tmpl:140 msgid "Disallow IP changing during each web session" -msgstr "" +msgstr "Verbiete IP Änderungen während einer Web Sitzung" #: modules/po/../data/webadmin/tmpl/settings.tmpl:145 msgid "Hide ZNC Version:" -msgstr "" +msgstr "ZNC Version verstecken:" #: modules/po/../data/webadmin/tmpl/settings.tmpl:147 msgid "Hide version number from non-ZNC users" -msgstr "" +msgstr "Verstecke Versions-Nummer vor nicht-ZNC-Benutzern" #: modules/po/../data/webadmin/tmpl/settings.tmpl:153 msgid "Allow user authentication by external modules only" -msgstr "" +msgstr "Erlaube Benutzer Authentifizierung nur durch externe Module" #: modules/po/../data/webadmin/tmpl/settings.tmpl:158 msgid "MOTD:" -msgstr "" +msgstr "MOTD:" #: modules/po/../data/webadmin/tmpl/settings.tmpl:162 msgid "“Message of the Day”, sent to all ZNC users on connect." msgstr "" +"\"Nachricht des Tages\", wird an alle ZNC Benutzer bei der Verbindung " +"gesendet." #: modules/po/../data/webadmin/tmpl/settings.tmpl:170 msgid "Global Modules" -msgstr "" +msgstr "Globale Module" #: modules/po/../data/webadmin/tmpl/settings.tmpl:180 msgid "Loaded by users" -msgstr "" +msgstr "Geladen von Benutzern" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:7 msgid "Information" -msgstr "" +msgstr "Information" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:13 msgid "Uptime" -msgstr "" +msgstr "Laufzeit" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:18 msgid "Total Users" -msgstr "" +msgstr "Anzahl der Benutzer" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:22 msgid "Total Networks" -msgstr "" +msgstr "Anzahl der Netzwerke" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:26 #: modules/po/../data/webadmin/tmpl/traffic.tmpl:43 msgid "Attached Networks" -msgstr "" +msgstr "Angebundene Netzwerke" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:30 msgid "Total Client Connections" -msgstr "" +msgstr "Gesamtanzahl Verbindungen" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:34 msgid "Total IRC Connections" -msgstr "" +msgstr "Gesamtanzahl IRC Verbindungen" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:47 msgid "Client Connections" -msgstr "" +msgstr "Klienten Verbindungen" #: modules/po/../data/webadmin/tmpl/traffic.tmpl:51 msgid "IRC Connections" @@ -1202,64 +1233,72 @@ msgstr "Zeitstempel am Ende anfügen" #: webadmin.cpp:1536 msgid "Prepend Timestamps" -msgstr "" +msgstr "Zeitstempel am Ende anfügen" #: webadmin.cpp:1544 msgid "Deny LoadMod" -msgstr "" +msgstr "LoadMod verbieten" #: webadmin.cpp:1551 msgid "Admin (dangerous! may gain shell access)" -msgstr "" +msgstr "Admin (gefährlich! Könnte Shell-Zugang erhalten)" #: webadmin.cpp:1561 msgid "Deny SetBindHost" -msgstr "" +msgstr "SetBindHost verbieten" #: webadmin.cpp:1569 msgid "Auto Clear Query Buffer" -msgstr "" +msgstr "Automatisch Kanal-Puffer leeren" #: webadmin.cpp:1571 msgid "Automatically Clear Query Buffer After Playback" msgstr "" +"Den Playback-Puffer eines Kanals automatisch nach dem Wiedergeben leeren" #: webadmin.cpp:1595 msgid "Invalid Submission: User {1} already exists" -msgstr "" +msgstr "Ungültige Übertragung: Benutzer {1} existiert bereits" #: webadmin.cpp:1617 webadmin.cpp:1628 msgid "Invalid submission: {1}" -msgstr "" +msgstr "Ungültige Übertragung: {1}" #: webadmin.cpp:1623 msgid "User was added, but config file was not written" msgstr "" +"Benutzer wurde hinzugefügt, aber die Konfigurationsdatei wurde nicht " +"gespeichert" #: webadmin.cpp:1634 msgid "User was edited, but config file was not written" msgstr "" +"Benutzer wurde bearbeitet, aber die Konfigurationsdatei wurde nicht " +"gespeichert" #: webadmin.cpp:1792 msgid "Choose either IPv4 or IPv6 or both." -msgstr "" +msgstr "Wähle entweder IPv4, IPv6 oder beides." #: webadmin.cpp:1809 msgid "Choose either IRC or HTTP or both." -msgstr "" +msgstr "Wähle entweder IRC, HTTP oder beides." #: webadmin.cpp:1822 webadmin.cpp:1858 msgid "Port was changed, but config file was not written" msgstr "" +"Port wurde geändert, aber die Konfigurationsdatei wurde nicht gespeichert" #: webadmin.cpp:1848 msgid "Invalid request." -msgstr "" +msgstr "Ungültiger Aufruf." #: webadmin.cpp:1862 msgid "The specified listener was not found." -msgstr "" +msgstr "Der ausgewählte Listener wurde nicht gefunden." #: webadmin.cpp:2093 msgid "Settings were changed, but config file was not written" msgstr "" +"Einstellungen wurden geändert, aber die Konfigurationsdatei wurde nicht " +"gespeichert" diff --git a/src/po/znc.de_DE.po b/src/po/znc.de_DE.po index 3dbb4051..9a370c37 100644 --- a/src/po/znc.de_DE.po +++ b/src/po/znc.de_DE.po @@ -1,14 +1,16 @@ msgid "" msgstr "" -"Project-Id-Version: znc-bouncer\n" -"Language-Team: German\n" -"Language: de_DE\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" "X-Crowdin-Language: de\n" -"X-Crowdin-File: /master/src/po/znc.pot\n" +"X-Crowdin-File: /1.8.x/src/po/znc.pot\n" +"X-Crowdin-File-ID: 284\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: German\n" +"Language: de_DE\n" #: webskins/_default_/tmpl/InfoBar.tmpl:6 msgid "Logged in as: {1}" @@ -488,63 +490,54 @@ msgid "Error while trying to write config." msgstr "Fehler beim Schreiben der Konfiguration." #: ClientCommand.cpp:183 -#, fuzzy msgid "Usage: ListClients" -msgstr "Verwendung: ListChans" +msgstr "Benutzung: ListClients" #: ClientCommand.cpp:190 -#, fuzzy msgid "No such user: {1}" -msgstr "Kein solcher Benutzer [{1}]" +msgstr "Kein Benutzer gefunden: {1}" #: ClientCommand.cpp:198 msgid "No clients are connected" -msgstr "" +msgstr "Keine Klienten verbunden" #: ClientCommand.cpp:203 ClientCommand.cpp:209 -#, fuzzy msgctxt "listclientscmd" msgid "Host" msgstr "Host" #: ClientCommand.cpp:204 ClientCommand.cpp:212 -#, fuzzy msgctxt "listclientscmd" msgid "Network" msgstr "Netzwerk" #: ClientCommand.cpp:205 ClientCommand.cpp:215 -#, fuzzy msgctxt "listclientscmd" msgid "Identifier" -msgstr "Ident" +msgstr "Kennung" #: ClientCommand.cpp:223 ClientCommand.cpp:229 -#, fuzzy msgctxt "listuserscmd" msgid "Username" msgstr "Benutzername" #: ClientCommand.cpp:224 ClientCommand.cpp:230 -#, fuzzy msgctxt "listuserscmd" msgid "Networks" -msgstr "Netzwerk" +msgstr "Netzwerke" #: ClientCommand.cpp:225 ClientCommand.cpp:232 msgctxt "listuserscmd" msgid "Clients" -msgstr "" +msgstr "Klienten" #: ClientCommand.cpp:240 ClientCommand.cpp:250 ClientCommand.cpp:260 #: ClientCommand.cpp:263 -#, fuzzy msgctxt "listallusernetworkscmd" msgid "Username" msgstr "Benutzername" #: ClientCommand.cpp:241 ClientCommand.cpp:251 ClientCommand.cpp:266 -#, fuzzy msgctxt "listallusernetworkscmd" msgid "Network" msgstr "Netzwerk" @@ -552,128 +545,114 @@ msgstr "Netzwerk" #: ClientCommand.cpp:242 ClientCommand.cpp:252 ClientCommand.cpp:268 msgctxt "listallusernetworkscmd" msgid "Clients" -msgstr "" +msgstr "Klienten" #: ClientCommand.cpp:243 ClientCommand.cpp:271 ClientCommand.cpp:280 -#, fuzzy msgctxt "listallusernetworkscmd" msgid "On IRC" msgstr "Im IRC" #: ClientCommand.cpp:244 ClientCommand.cpp:273 -#, fuzzy msgctxt "listallusernetworkscmd" msgid "IRC Server" -msgstr "IRC-Server" +msgstr "IRC Server" #: ClientCommand.cpp:245 ClientCommand.cpp:275 -#, fuzzy msgctxt "listallusernetworkscmd" msgid "IRC User" -msgstr "IRC-Benutzer" +msgstr "IRC Benutzer" #: ClientCommand.cpp:246 ClientCommand.cpp:277 -#, fuzzy msgctxt "listallusernetworkscmd" msgid "Channels" msgstr "Kanäle" #: ClientCommand.cpp:251 msgid "N/A" -msgstr "" +msgstr "N/A" #: ClientCommand.cpp:272 -#, fuzzy msgctxt "listallusernetworkscmd" msgid "Yes" msgstr "Ja" #: ClientCommand.cpp:281 -#, fuzzy msgctxt "listallusernetworkscmd" msgid "No" msgstr "Nein" #: ClientCommand.cpp:291 msgid "Usage: SetMOTD " -msgstr "" +msgstr "Benutzung: SetMOTD " #: ClientCommand.cpp:294 msgid "MOTD set to: {1}" -msgstr "" +msgstr "MOTD gesetzt auf: {1}" #: ClientCommand.cpp:300 -#, fuzzy msgid "Usage: AddMOTD " -msgstr "Verwendung: AddNetwork " +msgstr "Benutzung: AddMOTD " #: ClientCommand.cpp:303 msgid "Added [{1}] to MOTD" -msgstr "" +msgstr "[{1}] zur MOTD hinzugefügt" #: ClientCommand.cpp:307 -#, fuzzy msgid "Cleared MOTD" -msgstr "Lösche ZNCs MOTD" +msgstr "MOTD geleert" #: ClientCommand.cpp:329 msgid "" "ERROR: Writing config file to disk failed! Aborting. Use {1} FORCE to ignore." msgstr "" +"FEHLER: Konnte Konfigurations-Datei nicht schreiben. Abbruch. Benutzer {1} " +"FORCE um den Fehler zu ignorieren." #: ClientCommand.cpp:344 ClientCommand.cpp:797 ClientCommand.cpp:838 msgid "You don't have any servers added." msgstr "Du hast keine Server hinzugefügt." #: ClientCommand.cpp:355 -#, fuzzy msgid "Server [{1}] not found" -msgstr "Benutzer {1} nicht gefunden" +msgstr "Server [{1}] nicht gefunden" #: ClientCommand.cpp:375 ClientCommand.cpp:380 -#, fuzzy msgid "Connecting to {1}..." -msgstr "Laufe seit {1}" +msgstr "Verbinde zu {1}..." #: ClientCommand.cpp:377 -#, fuzzy msgid "Jumping to the next server in the list..." -msgstr "Springe zum nächsten oder dem angegebenen Server" +msgstr "Springe zum nächsten Server in der Liste..." #: ClientCommand.cpp:382 msgid "Connecting..." -msgstr "" +msgstr "Verbinde..." #: ClientCommand.cpp:400 -#, fuzzy msgid "Disconnected from IRC. Use 'connect' to reconnect." msgstr "" "Du bist zur Zeit nicht mit dem IRC verbunden. Verwende 'connect' zum " "Verbinden." #: ClientCommand.cpp:412 -#, fuzzy msgid "Usage: EnableChan <#chans>" -msgstr "Verwendung: Attach <#Kanäle>" +msgstr "Benutzung: EnableChan <#chans>" #: ClientCommand.cpp:426 -#, fuzzy msgid "Enabled {1} channel" msgid_plural "Enabled {1} channels" -msgstr[0] "Aktivierte Kanäle" -msgstr[1] "Aktivierte Kanäle" +msgstr[0] "{1} Kanal aktiviert" +msgstr[1] "{1} Kanäle aktiviert" #: ClientCommand.cpp:439 -#, fuzzy msgid "Usage: DisableChan <#chans>" -msgstr "Verwendung: Detach <#Kanäle>" +msgstr "Benutzung: DisableChan <#chans>" #: ClientCommand.cpp:453 -#, fuzzy msgid "Disabled {1} channel" msgid_plural "Disabled {1} channels" -msgstr[0] "Deaktiviere Kanäle" -msgstr[1] "Deaktiviere Kanäle" +msgstr[0] "{1} Kanal deaktiviert" +msgstr[1] "{1} Kanäle deaktiviert" #: ClientCommand.cpp:470 msgid "Usage: ListChans" From 926d140a47019305bf9c21d2c30f52a23c08e928 Mon Sep 17 00:00:00 2001 From: njhanley Date: Sun, 30 Aug 2020 18:13:39 -0400 Subject: [PATCH 486/798] Respect order of subconfigs in znc.conf --- include/znc/Config.h | 25 +++++++++++++++---------- src/Config.cpp | 11 +++++++---- test/ConfigTest.cpp | 8 ++++++-- 3 files changed, 28 insertions(+), 16 deletions(-) diff --git a/include/znc/Config.h b/include/znc/Config.h index dc18ad1b..17783bc7 100644 --- a/include/znc/Config.h +++ b/include/znc/Config.h @@ -35,10 +35,11 @@ struct CConfigEntry { class CConfig { public: - CConfig() : m_ConfigEntries(), m_SubConfigs() {} + CConfig() : m_ConfigEntries(), m_SubConfigs(), m_SubConfigNameSets() {} typedef std::map EntryMap; - typedef std::map SubConfig; + typedef std::pair SubConfigEntry; + typedef std::vector SubConfig; typedef std::map SubConfigMap; typedef EntryMap::const_iterator EntryMapIterator; @@ -62,14 +63,13 @@ class CConfig { bool AddSubConfig(const CString& sTag, const CString& sName, CConfig Config) { - SubConfig& conf = m_SubConfigs[sTag]; - SubConfig::const_iterator it = conf.find(sName); + auto& nameset = m_SubConfigNameSets[sTag]; - if (it != conf.end()) { - return false; - } + if (nameset.find(sName) != nameset.end()) return false; + + nameset.insert(sName); + m_SubConfigs[sTag].emplace_back(sName, Config); - conf[sName] = Config; return true; } @@ -142,9 +142,9 @@ class CConfig { return false; } - bool FindSubConfig(const CString& sName, SubConfig& Config, + bool FindSubConfig(const CString& sTag, SubConfig& Config, bool bErase = true) { - SubConfigMap::iterator it = m_SubConfigs.find(sName); + auto it = m_SubConfigs.find(sTag); if (it == m_SubConfigs.end()) { Config.clear(); return false; @@ -153,6 +153,7 @@ class CConfig { if (bErase) { m_SubConfigs.erase(it); + m_SubConfigNameSets.erase(sTag); } return true; @@ -166,8 +167,12 @@ class CConfig { void Write(CFile& file, unsigned int iIndentation = 0); private: + typedef SCString SubConfigNameSet; + typedef std::map SubConfigNameSetMap; + EntryMap m_ConfigEntries; SubConfigMap m_SubConfigs; + SubConfigNameSetMap m_SubConfigNameSets; }; #endif // !ZNC_CONFIG_H diff --git a/src/Config.cpp b/src/Config.cpp index 520e4139..a3df463a 100644 --- a/src/Config.cpp +++ b/src/Config.cpp @@ -68,6 +68,7 @@ bool CConfig::Parse(CFile& file, CString& sErrorMsg) { std::stringstream stream; \ stream << "Error on line " << uLineNum << ": " << arg; \ sErrorMsg = stream.str(); \ + m_SubConfigNameSets.clear(); \ m_SubConfigs.clear(); \ m_ConfigEntries.clear(); \ return false; \ @@ -122,14 +123,16 @@ bool CConfig::Parse(CFile& file, CString& sErrorMsg) { else pActiveConfig = &ConfigStack.top().Config; - SubConfig& conf = pActiveConfig->m_SubConfigs[sTag.AsLower()]; - SubConfig::const_iterator it = conf.find(sName); + const auto sTagLower = sTag.AsLower(); + auto& nameset = pActiveConfig->m_SubConfigNameSets[sTagLower]; - if (it != conf.end()) + if (nameset.find(sName) != nameset.end()) ERROR("Duplicate entry for tag \"" << sTag << "\" name \"" << sName << "\"."); - conf[sName] = CConfigEntry(myConfig); + nameset.insert(sName); + pActiveConfig->m_SubConfigs[sTagLower].emplace_back(sName, + myConfig); } else { if (sValue.empty()) ERROR("Empty block name at begin of block."); diff --git a/test/ConfigTest.cpp b/test/ConfigTest.cpp index 3795ea10..30533536 100644 --- a/test/ConfigTest.cpp +++ b/test/ConfigTest.cpp @@ -87,8 +87,7 @@ class CConfigSuccessTest : public CConfigTest { CConfig::SubConfigMapIterator it2 = conf.BeginSubConfigs(); while (it2 != conf.EndSubConfigs()) { - std::map::const_iterator it3 = - it2->second.begin(); + auto it3 = it2->second.begin(); while (it3 != it2->second.end()) { sRes += "->" + it2->first + "/" + it3->first + "\n"; @@ -146,6 +145,11 @@ TEST_F(CConfigSuccessTest, SubConf8) { TEST_SUCCESS(" \t \nfoo = bar\n\tFooO = bar\n", "->a/B\nfoo=bar\nfooo=bar\n<-\n"); } +// ensure order is preserved i.e. subconfigs should not be sorted by name +TEST_F(CConfigSuccessTest, SubConf9) { + TEST_SUCCESS("\n\n\n", + "->foo/b\n<-\n->foo/a\n<-\n"); +} /* comments */ TEST_F(CConfigSuccessTest, Comment1) { From dbd47b2418624935b6be2a7b6bfaebb0a58f28c1 Mon Sep 17 00:00:00 2001 From: njhanley Date: Sun, 30 Aug 2020 18:15:22 -0400 Subject: [PATCH 487/798] Show channel indexes in ListChans command --- src/ClientCommand.cpp | 7 ++++++- 1 file changed, 6 insertions(+), 1 deletion(-) diff --git a/src/ClientCommand.cpp b/src/ClientCommand.cpp index abfd0531..0809304f 100644 --- a/src/ClientCommand.cpp +++ b/src/ClientCommand.cpp @@ -496,6 +496,7 @@ void CClient::UserCommand(CString& sLine) { } CTable Table; + Table.AddColumn(t_s("Index", "listchans")); Table.AddColumn(t_s("Name", "listchans")); Table.AddColumn(t_s("Status", "listchans")); Table.AddColumn(t_s("In config", "listchans")); @@ -508,10 +509,12 @@ void CClient::UserCommand(CString& sLine) { Table.AddColumn(CString(cPerm)); } - unsigned int uNumDetached = 0, uNumDisabled = 0, uNumJoined = 0; + unsigned int uNumDetached = 0, uNumDisabled = 0, uNumJoined = 0, + uChanIndex = 1; for (const CChan* pChan : vChans) { Table.AddRow(); + Table.SetCell(t_s("Index", "listchans"), CString(uChanIndex)); Table.SetCell(t_s("Name", "listchans"), pChan->GetPermStr() + pChan->GetName()); Table.SetCell( @@ -545,6 +548,8 @@ void CClient::UserCommand(CString& sLine) { if (pChan->IsDetached()) uNumDetached++; if (pChan->IsOn()) uNumJoined++; if (pChan->IsDisabled()) uNumDisabled++; + + uChanIndex++; } PutStatus(Table); From 7fa213a0d4c6cd15a8ffa14443b9c93bd4489645 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Mon, 7 Sep 2020 00:28:32 +0000 Subject: [PATCH 488/798] Update translations from Crowdin for pl_PL --- modules/po/perleval.pl_PL.po | 4 +-- modules/po/pyeval.pl_PL.po | 2 +- modules/po/sample.pl_PL.po | 2 +- src/po/znc.pl_PL.po | 66 ++++++++++++++++++------------------ 4 files changed, 37 insertions(+), 37 deletions(-) diff --git a/modules/po/perleval.pl_PL.po b/modules/po/perleval.pl_PL.po index 2601ed3a..a926d20a 100644 --- a/modules/po/perleval.pl_PL.po +++ b/modules/po/perleval.pl_PL.po @@ -25,9 +25,9 @@ msgstr "" #: perleval.pm:44 #, perl-format msgid "Error: %s" -msgstr "" +msgstr "Błąd: %s" #: perleval.pm:46 #, perl-format msgid "Result: %s" -msgstr "" +msgstr "Wynik: %s" diff --git a/modules/po/pyeval.pl_PL.po b/modules/po/pyeval.pl_PL.po index 7babdb95..a20b3d69 100644 --- a/modules/po/pyeval.pl_PL.po +++ b/modules/po/pyeval.pl_PL.po @@ -16,7 +16,7 @@ msgstr "" #: pyeval.py:49 msgid "You must have admin privileges to load this module." -msgstr "" +msgstr "Musisz mieć uprawnienia administratora, aby załadować ten moduł." #: pyeval.py:82 msgid "Evaluates python code" diff --git a/modules/po/sample.pl_PL.po b/modules/po/sample.pl_PL.po index 63385242..4704d93a 100644 --- a/modules/po/sample.pl_PL.po +++ b/modules/po/sample.pl_PL.po @@ -84,7 +84,7 @@ msgstr[3] "* {1} ({2}@{3}) opuszcza IRC ({4}) z kanałów: {6}" #: sample.cpp:177 msgid "Attempting to join {1}" -msgstr "" +msgstr "Próbowanie dołączenia do {1}" #: sample.cpp:182 msgid "* {1} ({2}@{3}) joins {4}" diff --git a/src/po/znc.pl_PL.po b/src/po/znc.pl_PL.po index 175a4904..b823d4af 100644 --- a/src/po/znc.pl_PL.po +++ b/src/po/znc.pl_PL.po @@ -489,25 +489,25 @@ msgstr "Błąd podczas próby zapisu konfiguracji." #: ClientCommand.cpp:183 msgid "Usage: ListClients" -msgstr "" +msgstr "Użycie: ListClients" #: ClientCommand.cpp:190 msgid "No such user: {1}" -msgstr "" +msgstr "Nie ma takiego użytkownika: {1}" #: ClientCommand.cpp:198 msgid "No clients are connected" -msgstr "" +msgstr "Żaden klient nie jest połączony" #: ClientCommand.cpp:203 ClientCommand.cpp:209 msgctxt "listclientscmd" msgid "Host" -msgstr "" +msgstr "Host" #: ClientCommand.cpp:204 ClientCommand.cpp:212 msgctxt "listclientscmd" msgid "Network" -msgstr "" +msgstr "Sieć" #: ClientCommand.cpp:205 ClientCommand.cpp:215 msgctxt "listclientscmd" @@ -517,53 +517,53 @@ msgstr "" #: ClientCommand.cpp:223 ClientCommand.cpp:229 msgctxt "listuserscmd" msgid "Username" -msgstr "" +msgstr "Nazwa użytkownika" #: ClientCommand.cpp:224 ClientCommand.cpp:230 msgctxt "listuserscmd" msgid "Networks" -msgstr "" +msgstr "Sieci" #: ClientCommand.cpp:225 ClientCommand.cpp:232 msgctxt "listuserscmd" msgid "Clients" -msgstr "" +msgstr "Klienci" #: ClientCommand.cpp:240 ClientCommand.cpp:250 ClientCommand.cpp:260 #: ClientCommand.cpp:263 msgctxt "listallusernetworkscmd" msgid "Username" -msgstr "" +msgstr "Nazwa użytkownika" #: ClientCommand.cpp:241 ClientCommand.cpp:251 ClientCommand.cpp:266 msgctxt "listallusernetworkscmd" msgid "Network" -msgstr "" +msgstr "Sieć" #: ClientCommand.cpp:242 ClientCommand.cpp:252 ClientCommand.cpp:268 msgctxt "listallusernetworkscmd" msgid "Clients" -msgstr "" +msgstr "Klienci" #: ClientCommand.cpp:243 ClientCommand.cpp:271 ClientCommand.cpp:280 msgctxt "listallusernetworkscmd" msgid "On IRC" -msgstr "" +msgstr "Na IRC?" #: ClientCommand.cpp:244 ClientCommand.cpp:273 msgctxt "listallusernetworkscmd" msgid "IRC Server" -msgstr "" +msgstr "Serwer IRC" #: ClientCommand.cpp:245 ClientCommand.cpp:275 msgctxt "listallusernetworkscmd" msgid "IRC User" -msgstr "" +msgstr "Użytkownik IRC" #: ClientCommand.cpp:246 ClientCommand.cpp:277 msgctxt "listallusernetworkscmd" msgid "Channels" -msgstr "" +msgstr "Kanały" #: ClientCommand.cpp:251 msgid "N/A" @@ -572,32 +572,32 @@ msgstr "" #: ClientCommand.cpp:272 msgctxt "listallusernetworkscmd" msgid "Yes" -msgstr "" +msgstr "Tak" #: ClientCommand.cpp:281 msgctxt "listallusernetworkscmd" msgid "No" -msgstr "" +msgstr "Nie" #: ClientCommand.cpp:291 msgid "Usage: SetMOTD " -msgstr "" +msgstr "Użycie: SetMOTD " #: ClientCommand.cpp:294 msgid "MOTD set to: {1}" -msgstr "" +msgstr "MOTD ustawiony na: {1}" #: ClientCommand.cpp:300 msgid "Usage: AddMOTD " -msgstr "" +msgstr "Użycie: AddMOTD " #: ClientCommand.cpp:303 msgid "Added [{1}] to MOTD" -msgstr "" +msgstr "Dodano [{1}] do MOTD" #: ClientCommand.cpp:307 msgid "Cleared MOTD" -msgstr "" +msgstr "Wyczyszczono MOTD" #: ClientCommand.cpp:329 msgid "" @@ -610,27 +610,27 @@ msgstr "Nie dodano żadnych serwerów." #: ClientCommand.cpp:355 msgid "Server [{1}] not found" -msgstr "" +msgstr "Serwer [{1}] nie znaleziony" #: ClientCommand.cpp:375 ClientCommand.cpp:380 msgid "Connecting to {1}..." -msgstr "" +msgstr "Łączenie się z {1}..." #: ClientCommand.cpp:377 msgid "Jumping to the next server in the list..." -msgstr "" +msgstr "Przeskakiwanie do następnego serwera na liście..." #: ClientCommand.cpp:382 msgid "Connecting..." -msgstr "" +msgstr "Łączenie..." #: ClientCommand.cpp:400 msgid "Disconnected from IRC. Use 'connect' to reconnect." -msgstr "" +msgstr "Rozłączono z IRC. Użyj 'connect', aby połączyć się ponownie." #: ClientCommand.cpp:412 msgid "Usage: EnableChan <#chans>" -msgstr "" +msgstr "Użycie: EnableChan <#kanały>" #: ClientCommand.cpp:426 msgid "Enabled {1} channel" @@ -642,15 +642,15 @@ msgstr[3] "" #: ClientCommand.cpp:439 msgid "Usage: DisableChan <#chans>" -msgstr "" +msgstr "Użycie: DisableChan <#kanały>" #: ClientCommand.cpp:453 msgid "Disabled {1} channel" msgid_plural "Disabled {1} channels" -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" -msgstr[3] "" +msgstr[0] "Wyłączono {1} kanał" +msgstr[1] "Wyłączono {1} kanały" +msgstr[2] "Wyłączono {1} kanałów" +msgstr[3] "Wyłączono {1} kanałów/y" #: ClientCommand.cpp:470 msgid "Usage: ListChans" From f1b56b74e2a91e630a4007f45a9f3740a480db9d Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Mon, 7 Sep 2020 00:29:58 +0000 Subject: [PATCH 489/798] Update translations from Crowdin for pl_PL --- modules/po/perleval.pl_PL.po | 4 +-- modules/po/pyeval.pl_PL.po | 2 +- modules/po/sample.pl_PL.po | 2 +- src/po/znc.pl_PL.po | 66 ++++++++++++++++++------------------ 4 files changed, 37 insertions(+), 37 deletions(-) diff --git a/modules/po/perleval.pl_PL.po b/modules/po/perleval.pl_PL.po index 4cfff577..7d5d3b40 100644 --- a/modules/po/perleval.pl_PL.po +++ b/modules/po/perleval.pl_PL.po @@ -25,9 +25,9 @@ msgstr "" #: perleval.pm:44 #, perl-format msgid "Error: %s" -msgstr "" +msgstr "Błąd: %s" #: perleval.pm:46 #, perl-format msgid "Result: %s" -msgstr "" +msgstr "Wynik: %s" diff --git a/modules/po/pyeval.pl_PL.po b/modules/po/pyeval.pl_PL.po index f3961f05..4a18b617 100644 --- a/modules/po/pyeval.pl_PL.po +++ b/modules/po/pyeval.pl_PL.po @@ -16,7 +16,7 @@ msgstr "" #: pyeval.py:49 msgid "You must have admin privileges to load this module." -msgstr "" +msgstr "Musisz mieć uprawnienia administratora, aby załadować ten moduł." #: pyeval.py:82 msgid "Evaluates python code" diff --git a/modules/po/sample.pl_PL.po b/modules/po/sample.pl_PL.po index 9da3158b..9faaf42b 100644 --- a/modules/po/sample.pl_PL.po +++ b/modules/po/sample.pl_PL.po @@ -84,7 +84,7 @@ msgstr[3] "* {1} ({2}@{3}) opuszcza IRC ({4}) z kanałów: {6}" #: sample.cpp:177 msgid "Attempting to join {1}" -msgstr "" +msgstr "Próbowanie dołączenia do {1}" #: sample.cpp:182 msgid "* {1} ({2}@{3}) joins {4}" diff --git a/src/po/znc.pl_PL.po b/src/po/znc.pl_PL.po index 37df678d..8dadd8c1 100644 --- a/src/po/znc.pl_PL.po +++ b/src/po/znc.pl_PL.po @@ -489,25 +489,25 @@ msgstr "Błąd podczas próby zapisu konfiguracji." #: ClientCommand.cpp:183 msgid "Usage: ListClients" -msgstr "" +msgstr "Użycie: ListClients" #: ClientCommand.cpp:190 msgid "No such user: {1}" -msgstr "" +msgstr "Nie ma takiego użytkownika: {1}" #: ClientCommand.cpp:198 msgid "No clients are connected" -msgstr "" +msgstr "Żaden klient nie jest połączony" #: ClientCommand.cpp:203 ClientCommand.cpp:209 msgctxt "listclientscmd" msgid "Host" -msgstr "" +msgstr "Host" #: ClientCommand.cpp:204 ClientCommand.cpp:212 msgctxt "listclientscmd" msgid "Network" -msgstr "" +msgstr "Sieć" #: ClientCommand.cpp:205 ClientCommand.cpp:215 msgctxt "listclientscmd" @@ -517,53 +517,53 @@ msgstr "" #: ClientCommand.cpp:223 ClientCommand.cpp:229 msgctxt "listuserscmd" msgid "Username" -msgstr "" +msgstr "Nazwa użytkownika" #: ClientCommand.cpp:224 ClientCommand.cpp:230 msgctxt "listuserscmd" msgid "Networks" -msgstr "" +msgstr "Sieci" #: ClientCommand.cpp:225 ClientCommand.cpp:232 msgctxt "listuserscmd" msgid "Clients" -msgstr "" +msgstr "Klienci" #: ClientCommand.cpp:240 ClientCommand.cpp:250 ClientCommand.cpp:260 #: ClientCommand.cpp:263 msgctxt "listallusernetworkscmd" msgid "Username" -msgstr "" +msgstr "Nazwa użytkownika" #: ClientCommand.cpp:241 ClientCommand.cpp:251 ClientCommand.cpp:266 msgctxt "listallusernetworkscmd" msgid "Network" -msgstr "" +msgstr "Sieć" #: ClientCommand.cpp:242 ClientCommand.cpp:252 ClientCommand.cpp:268 msgctxt "listallusernetworkscmd" msgid "Clients" -msgstr "" +msgstr "Klienci" #: ClientCommand.cpp:243 ClientCommand.cpp:271 ClientCommand.cpp:280 msgctxt "listallusernetworkscmd" msgid "On IRC" -msgstr "" +msgstr "Na IRC?" #: ClientCommand.cpp:244 ClientCommand.cpp:273 msgctxt "listallusernetworkscmd" msgid "IRC Server" -msgstr "" +msgstr "Serwer IRC" #: ClientCommand.cpp:245 ClientCommand.cpp:275 msgctxt "listallusernetworkscmd" msgid "IRC User" -msgstr "" +msgstr "Użytkownik IRC" #: ClientCommand.cpp:246 ClientCommand.cpp:277 msgctxt "listallusernetworkscmd" msgid "Channels" -msgstr "" +msgstr "Kanały" #: ClientCommand.cpp:251 msgid "N/A" @@ -572,32 +572,32 @@ msgstr "" #: ClientCommand.cpp:272 msgctxt "listallusernetworkscmd" msgid "Yes" -msgstr "" +msgstr "Tak" #: ClientCommand.cpp:281 msgctxt "listallusernetworkscmd" msgid "No" -msgstr "" +msgstr "Nie" #: ClientCommand.cpp:291 msgid "Usage: SetMOTD " -msgstr "" +msgstr "Użycie: SetMOTD " #: ClientCommand.cpp:294 msgid "MOTD set to: {1}" -msgstr "" +msgstr "MOTD ustawiony na: {1}" #: ClientCommand.cpp:300 msgid "Usage: AddMOTD " -msgstr "" +msgstr "Użycie: AddMOTD " #: ClientCommand.cpp:303 msgid "Added [{1}] to MOTD" -msgstr "" +msgstr "Dodano [{1}] do MOTD" #: ClientCommand.cpp:307 msgid "Cleared MOTD" -msgstr "" +msgstr "Wyczyszczono MOTD" #: ClientCommand.cpp:329 msgid "" @@ -610,27 +610,27 @@ msgstr "Nie dodano żadnych serwerów." #: ClientCommand.cpp:355 msgid "Server [{1}] not found" -msgstr "" +msgstr "Serwer [{1}] nie znaleziony" #: ClientCommand.cpp:375 ClientCommand.cpp:380 msgid "Connecting to {1}..." -msgstr "" +msgstr "Łączenie się z {1}..." #: ClientCommand.cpp:377 msgid "Jumping to the next server in the list..." -msgstr "" +msgstr "Przeskakiwanie do następnego serwera na liście..." #: ClientCommand.cpp:382 msgid "Connecting..." -msgstr "" +msgstr "Łączenie..." #: ClientCommand.cpp:400 msgid "Disconnected from IRC. Use 'connect' to reconnect." -msgstr "" +msgstr "Rozłączono z IRC. Użyj 'connect', aby połączyć się ponownie." #: ClientCommand.cpp:412 msgid "Usage: EnableChan <#chans>" -msgstr "" +msgstr "Użycie: EnableChan <#kanały>" #: ClientCommand.cpp:426 msgid "Enabled {1} channel" @@ -642,15 +642,15 @@ msgstr[3] "" #: ClientCommand.cpp:439 msgid "Usage: DisableChan <#chans>" -msgstr "" +msgstr "Użycie: DisableChan <#kanały>" #: ClientCommand.cpp:453 msgid "Disabled {1} channel" msgid_plural "Disabled {1} channels" -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" -msgstr[3] "" +msgstr[0] "Wyłączono {1} kanał" +msgstr[1] "Wyłączono {1} kanały" +msgstr[2] "Wyłączono {1} kanałów" +msgstr[3] "Wyłączono {1} kanałów/y" #: ClientCommand.cpp:470 msgid "Usage: ListChans" From bf253640d33d03331310778e001fb6f5aba2989e Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Mon, 7 Sep 2020 23:57:31 +0100 Subject: [PATCH 490/798] Increase the version number to 1.8.2 --- CMakeLists.txt | 2 +- ChangeLog.md | 13 +++++++++++++ configure.ac | 2 +- 3 files changed, 15 insertions(+), 2 deletions(-) diff --git a/CMakeLists.txt b/CMakeLists.txt index e231f0d0..e2612f54 100644 --- a/CMakeLists.txt +++ b/CMakeLists.txt @@ -18,7 +18,7 @@ cmake_minimum_required(VERSION 3.1) project(ZNC VERSION 1.8.2 LANGUAGES CXX) set(ZNC_VERSION 1.8.2) set(append_git_version false) -set(alpha_version "-rc1") # e.g. "-rc1" +set(alpha_version "") # e.g. "-rc1" set(VERSION_EXTRA "" CACHE STRING "Additional string appended to version, e.g. to mark distribution") diff --git a/ChangeLog.md b/ChangeLog.md index 997cccd3..604ec4de 100644 --- a/ChangeLog.md +++ b/ChangeLog.md @@ -1,3 +1,16 @@ +# ZNC 1.8.2 (2020-07-07) + +## New +* Polish translation +* List names of translators in TRANSLATORS.md file in source, as this contribution isn't directly reflected in git log +* During --makeconf warn about listening on port 6697 too, not only about 6667 + +## Fixes +* webadmin: When confirming deletion of a network and selecting No, redirect to the edituser page instead of listusers page +* Make more client command results translateable, which were missed before + + + # ZNC 1.8.1 (2020-05-07) Fixed bug introduced in ZNC 1.8.0: diff --git a/configure.ac b/configure.ac index 690f58f8..cd2070fc 100644 --- a/configure.ac +++ b/configure.ac @@ -7,7 +7,7 @@ AC_DEFUN([AC_PROG_CC], [m4_errprint(__file__:__line__[: Something is trying to u dnl Needed for AC_PATH_PROGS_FEATURE_CHECK which was added in 2.62 AC_PREREQ([2.62]) dnl Keep the version number in sync with version.h! -AC_INIT([znc], [1.8.2-rc1]) +AC_INIT([znc], [1.8.2]) LIBZNC_VERSION=1.8.2 AC_CONFIG_MACRO_DIR([m4]) AC_CONFIG_SRCDIR([src/znc.cpp]) From a11866feb94ca13df05ff67e85d8e86fdffe7038 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Tue, 8 Sep 2020 00:01:10 +0100 Subject: [PATCH 491/798] Use 1.8.x again --- CMakeLists.txt | 4 ++-- configure.ac | 4 ++-- include/znc/version.h | 4 ++-- 3 files changed, 6 insertions(+), 6 deletions(-) diff --git a/CMakeLists.txt b/CMakeLists.txt index e2612f54..edd3b02c 100644 --- a/CMakeLists.txt +++ b/CMakeLists.txt @@ -16,8 +16,8 @@ cmake_minimum_required(VERSION 3.1) project(ZNC VERSION 1.8.2 LANGUAGES CXX) -set(ZNC_VERSION 1.8.2) -set(append_git_version false) +set(ZNC_VERSION 1.8.x) +set(append_git_version true) set(alpha_version "") # e.g. "-rc1" set(VERSION_EXTRA "" CACHE STRING "Additional string appended to version, e.g. to mark distribution") diff --git a/configure.ac b/configure.ac index cd2070fc..2dd5b1d3 100644 --- a/configure.ac +++ b/configure.ac @@ -7,8 +7,8 @@ AC_DEFUN([AC_PROG_CC], [m4_errprint(__file__:__line__[: Something is trying to u dnl Needed for AC_PATH_PROGS_FEATURE_CHECK which was added in 2.62 AC_PREREQ([2.62]) dnl Keep the version number in sync with version.h! -AC_INIT([znc], [1.8.2]) -LIBZNC_VERSION=1.8.2 +AC_INIT([znc], [1.8.x]) +LIBZNC_VERSION=1.8.x AC_CONFIG_MACRO_DIR([m4]) AC_CONFIG_SRCDIR([src/znc.cpp]) AC_LANG([C++]) diff --git a/include/znc/version.h b/include/znc/version.h index 9a3d641b..d40ea5f6 100644 --- a/include/znc/version.h +++ b/include/znc/version.h @@ -20,9 +20,9 @@ limitations under the License. // The following defines are for #if comparison (preprocessor only likes ints) #define VERSION_MAJOR 1 #define VERSION_MINOR 8 -#define VERSION_PATCH 2 +#define VERSION_PATCH -1 // This one is for display purpose and to check ABI compatibility of modules -#define VERSION_STR "1.8.2" +#define VERSION_STR "1.8.x" #endif // Don't use this one From 127688b7927eb0f19d002683bf4ccadc29959268 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Tue, 8 Sep 2020 00:28:53 +0000 Subject: [PATCH 492/798] Update translations from Crowdin for pl_PL --- src/po/znc.pl_PL.po | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/src/po/znc.pl_PL.po b/src/po/znc.pl_PL.po index b823d4af..b9cfed03 100644 --- a/src/po/znc.pl_PL.po +++ b/src/po/znc.pl_PL.po @@ -246,7 +246,8 @@ msgstr "Twoje CTCP do {1} zostało zgubione, nie jesteś połączony z IRC!" #: Client.cpp:1147 msgid "Your notice to {1} got lost, you are not connected to IRC!" -msgstr "Twoje powiadomienie do {1} zostało zgubione, nie połączono z IRC!" +msgstr "" +"Twoje powiadomienie do {1} zostało zgubione, nie jesteś połączony z IRC!" #: Client.cpp:1186 msgid "Removing channel {1}" From 73cf99c60cce652b969fd62f2c41a6c639806042 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Tue, 8 Sep 2020 00:28:54 +0000 Subject: [PATCH 493/798] Update translations from Crowdin for pl_PL --- src/po/znc.pl_PL.po | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/src/po/znc.pl_PL.po b/src/po/znc.pl_PL.po index 8dadd8c1..4ae07497 100644 --- a/src/po/znc.pl_PL.po +++ b/src/po/znc.pl_PL.po @@ -246,7 +246,8 @@ msgstr "Twoje CTCP do {1} zostało zgubione, nie jesteś połączony z IRC!" #: Client.cpp:1148 msgid "Your notice to {1} got lost, you are not connected to IRC!" -msgstr "Twoje powiadomienie do {1} zostało zgubione, nie połączono z IRC!" +msgstr "" +"Twoje powiadomienie do {1} zostało zgubione, nie jesteś połączony z IRC!" #: Client.cpp:1187 msgid "Removing channel {1}" From eeea60f5d96b3417039bb62daa2512fc690d7c7c Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Tue, 8 Sep 2020 19:45:57 +0100 Subject: [PATCH 494/798] Dockerfile: upgrade Alpine to 3.12 --- Dockerfile | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/Dockerfile b/Dockerfile index 1f896b41..e7ffd0e7 100644 --- a/Dockerfile +++ b/Dockerfile @@ -1,4 +1,4 @@ -FROM alpine:3.11 +FROM alpine:3.12 ARG VERSION_EXTRA="" From f9fc9b40446829031e454f769ac569362bf901de Mon Sep 17 00:00:00 2001 From: Kyle Fuller Date: Fri, 11 Sep 2020 18:44:10 +0100 Subject: [PATCH 495/798] sasl: don't forward 908 numeric to clienT --- modules/sasl.cpp | 2 ++ 1 file changed, 2 insertions(+) diff --git a/modules/sasl.cpp b/modules/sasl.cpp index 15fc2a99..34da0dca 100644 --- a/modules/sasl.cpp +++ b/modules/sasl.cpp @@ -283,6 +283,8 @@ class CSASLMod : public CModule { m_bAuthenticated = true; GetNetwork()->GetIRCSock()->ResumeCap(); DEBUG("sasl: Received 907 -- We are already registered"); + } else if (msg.GetCode() == 908) { + return HALT; } else { return CONTINUE; } From 38081d5aeddad7408f9b109a73b9af5d4955773f Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Thu, 17 Sep 2020 22:33:29 +0100 Subject: [PATCH 496/798] WIP fix autotop --- modules/autoop.cpp | 7 ++++--- 1 file changed, 4 insertions(+), 3 deletions(-) diff --git a/modules/autoop.cpp b/modules/autoop.cpp index 12553c49..87800543 100644 --- a/modules/autoop.cpp +++ b/modules/autoop.cpp @@ -132,7 +132,8 @@ class CAutoOpUser { bool FromString(const CString& sLine) { m_sUsername = sLine.Token(0, false, "\t"); - sLine.Token(1, false, "\t").Split(",", m_ssHostmasks); + // Trim because there was a bug which caused spaces in the hostname + sLine.Token(1, false, "\t").Trim_n().Split(",", m_ssHostmasks); m_sUserKey = sLine.Token(2, false, "\t"); sLine.Token(3, false, "\t").Split(" ", m_ssChans); @@ -374,7 +375,7 @@ class CAutoOpMod : public CModule { void OnAddMasksCommand(const CString& sLine) { CString sUser = sLine.Token(1); - CString sHostmasks = sLine.Token(2, true); + CString sHostmasks = sLine.Token(2); if (sHostmasks.empty()) { PutModule(t_s("Usage: AddMasks ,[mask] ...")); @@ -395,7 +396,7 @@ class CAutoOpMod : public CModule { void OnDelMasksCommand(const CString& sLine) { CString sUser = sLine.Token(1); - CString sHostmasks = sLine.Token(2, true); + CString sHostmasks = sLine.Token(2); if (sHostmasks.empty()) { PutModule(t_s("Usage: DelMasks ,[mask] ...")); From 47e633b2678fcd2d5c14a2455147c2f7a4557462 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Thu, 17 Sep 2020 23:02:22 +0100 Subject: [PATCH 497/798] Don't load modperl as a python module Close #1757 --- modules/modpython/znc.py | 5 +++++ test/integration/tests/scripting.cpp | 17 +++++++++++++++++ 2 files changed, 22 insertions(+) diff --git a/modules/modpython/znc.py b/modules/modpython/znc.py index feb98fda..5f0784f3 100644 --- a/modules/modpython/znc.py +++ b/modules/modpython/znc.py @@ -768,6 +768,11 @@ def find_open(modname): module = importlib.import_module(fullname) except ImportError: return (None, None) + if not isinstance(module.__loader__, ZNCModuleLoader): + # If modname/ is a directory, it was "loaded" using _NamespaceLoader. + # This is the case for e.g. modperl. + # https://github.com/znc/znc/issues/1757 + return (None, None) return (module, os.path.join(module.__loader__._datadir, modname)) def load_module(modname, args, module_type, user, network, retmsg, modpython): diff --git a/test/integration/tests/scripting.cpp b/test/integration/tests/scripting.cpp index e4dcfc8e..d269b1d7 100644 --- a/test/integration/tests/scripting.cpp +++ b/test/integration/tests/scripting.cpp @@ -279,5 +279,22 @@ TEST_F(ZNCTest, ModpythonPackage) { client.ReadUntil("value = b"); } +TEST_F(ZNCTest, ModpythonModperl) { + if (QProcessEnvironment::systemEnvironment().value( + "DISABLED_ZNC_PERL_PYTHON_TEST") == "1") { + return; + } + auto znc = Run(); + znc->CanLeak(); + + auto ircd = ConnectIRCd(); + auto client = LoginClient(); + // https://github.com/znc/znc/issues/1757 + client.Write("znc loadmod modpython"); + client.ReadUntil("Loaded module modpython"); + client.Write("znc loadmod modperl"); + client.ReadUntil("Loaded module modperl"); +} + } // namespace } // namespace znc_inttest From d4bfd143b4b12f6e6695878cc1b5168cc31c362c Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Tue, 22 Sep 2020 10:20:47 +0100 Subject: [PATCH 498/798] Fix path in systemd service (which shouldn't be here at all) https://bugs.gentoo.org/743856 --- znc.service.in | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/znc.service.in b/znc.service.in index a6c9e68d..7accad90 100644 --- a/znc.service.in +++ b/znc.service.in @@ -3,7 +3,7 @@ Description=ZNC, an advanced IRC bouncer After=network.target [Service] -ExecStart=@CMAKE_INSTALL_FULL_BINDIR@/znc -f +ExecStart=@CMAKE_INSTALL_FULL_BINDIR@/znc -f --datadir=/var/lib/znc User=znc [Install] From 1b8654fe45f42ff936806d4a75ae9713660b2f16 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Wed, 23 Sep 2020 00:28:55 +0000 Subject: [PATCH 499/798] Update translations from Crowdin for bg_BG de_DE el_GR es_ES fr_FR id_ID it_IT nl_NL pl_PL pt_BR ru_RU --- modules/po/autoop.bg_BG.po | 76 +++++++++++++++++++------------------- modules/po/autoop.de_DE.po | 76 +++++++++++++++++++------------------- modules/po/autoop.el_GR.po | 76 +++++++++++++++++++------------------- modules/po/autoop.es_ES.po | 76 +++++++++++++++++++------------------- modules/po/autoop.fr_FR.po | 76 +++++++++++++++++++------------------- modules/po/autoop.id_ID.po | 76 +++++++++++++++++++------------------- modules/po/autoop.it_IT.po | 76 +++++++++++++++++++------------------- modules/po/autoop.nl_NL.po | 76 +++++++++++++++++++------------------- modules/po/autoop.pl_PL.po | 76 +++++++++++++++++++------------------- modules/po/autoop.pot | 76 +++++++++++++++++++------------------- modules/po/autoop.pt_BR.po | 76 +++++++++++++++++++------------------- modules/po/autoop.ru_RU.po | 76 +++++++++++++++++++------------------- 12 files changed, 456 insertions(+), 456 deletions(-) diff --git a/modules/po/autoop.bg_BG.po b/modules/po/autoop.bg_BG.po index bf9c2a91..bae86fe0 100644 --- a/modules/po/autoop.bg_BG.po +++ b/modules/po/autoop.bg_BG.po @@ -12,157 +12,157 @@ msgstr "" "Language-Team: Bulgarian\n" "Language: bg_BG\n" -#: autoop.cpp:154 +#: autoop.cpp:155 msgid "List all users" msgstr "" -#: autoop.cpp:156 autoop.cpp:159 +#: autoop.cpp:157 autoop.cpp:160 msgid " [channel] ..." msgstr "" -#: autoop.cpp:157 +#: autoop.cpp:158 msgid "Adds channels to a user" msgstr "" -#: autoop.cpp:160 +#: autoop.cpp:161 msgid "Removes channels from a user" msgstr "" -#: autoop.cpp:162 autoop.cpp:165 +#: autoop.cpp:163 autoop.cpp:166 msgid " ,[mask] ..." msgstr "" -#: autoop.cpp:163 +#: autoop.cpp:164 msgid "Adds masks to a user" msgstr "" -#: autoop.cpp:166 +#: autoop.cpp:167 msgid "Removes masks from a user" msgstr "" -#: autoop.cpp:169 +#: autoop.cpp:170 msgid " [,...] [channels]" msgstr "" -#: autoop.cpp:170 +#: autoop.cpp:171 msgid "Adds a user" msgstr "" -#: autoop.cpp:172 +#: autoop.cpp:173 msgid "" msgstr "" -#: autoop.cpp:172 +#: autoop.cpp:173 msgid "Removes a user" msgstr "" -#: autoop.cpp:275 +#: autoop.cpp:276 msgid "Usage: AddUser [,...] [channels]" msgstr "" -#: autoop.cpp:291 +#: autoop.cpp:292 msgid "Usage: DelUser " msgstr "" -#: autoop.cpp:300 +#: autoop.cpp:301 msgid "There are no users defined" msgstr "" -#: autoop.cpp:306 autoop.cpp:317 autoop.cpp:321 autoop.cpp:323 +#: autoop.cpp:307 autoop.cpp:318 autoop.cpp:322 autoop.cpp:324 msgid "User" msgstr "" -#: autoop.cpp:307 autoop.cpp:325 +#: autoop.cpp:308 autoop.cpp:326 msgid "Hostmasks" msgstr "" -#: autoop.cpp:308 autoop.cpp:318 +#: autoop.cpp:309 autoop.cpp:319 msgid "Key" msgstr "" -#: autoop.cpp:309 autoop.cpp:319 +#: autoop.cpp:310 autoop.cpp:320 msgid "Channels" msgstr "" -#: autoop.cpp:337 +#: autoop.cpp:338 msgid "Usage: AddChans [channel] ..." msgstr "" -#: autoop.cpp:344 autoop.cpp:365 autoop.cpp:387 autoop.cpp:408 autoop.cpp:472 +#: autoop.cpp:345 autoop.cpp:366 autoop.cpp:388 autoop.cpp:409 autoop.cpp:473 msgid "No such user" msgstr "" -#: autoop.cpp:349 +#: autoop.cpp:350 msgid "Channel(s) added to user {1}" msgstr "" -#: autoop.cpp:358 +#: autoop.cpp:359 msgid "Usage: DelChans [channel] ..." msgstr "" -#: autoop.cpp:371 +#: autoop.cpp:372 msgid "Channel(s) Removed from user {1}" msgstr "" -#: autoop.cpp:380 +#: autoop.cpp:381 msgid "Usage: AddMasks ,[mask] ..." msgstr "" -#: autoop.cpp:392 +#: autoop.cpp:393 msgid "Hostmasks(s) added to user {1}" msgstr "" -#: autoop.cpp:401 +#: autoop.cpp:402 msgid "Usage: DelMasks ,[mask] ..." msgstr "" -#: autoop.cpp:413 +#: autoop.cpp:414 msgid "Removed user {1} with key {2} and channels {3}" msgstr "" -#: autoop.cpp:419 +#: autoop.cpp:420 msgid "Hostmasks(s) Removed from user {1}" msgstr "" -#: autoop.cpp:478 +#: autoop.cpp:479 msgid "User {1} removed" msgstr "" -#: autoop.cpp:484 +#: autoop.cpp:485 msgid "That user already exists" msgstr "" -#: autoop.cpp:490 +#: autoop.cpp:491 msgid "User {1} added with hostmask(s) {2}" msgstr "" -#: autoop.cpp:532 +#: autoop.cpp:533 msgid "" "[{1}] sent us a challenge but they are not opped in any defined channels." msgstr "" -#: autoop.cpp:536 +#: autoop.cpp:537 msgid "[{1}] sent us a challenge but they do not match a defined user." msgstr "" -#: autoop.cpp:544 +#: autoop.cpp:545 msgid "WARNING! [{1}] sent an invalid challenge." msgstr "" -#: autoop.cpp:560 +#: autoop.cpp:561 msgid "[{1}] sent an unchallenged response. This could be due to lag." msgstr "" -#: autoop.cpp:577 +#: autoop.cpp:578 msgid "" "WARNING! [{1}] sent a bad response. Please verify that you have their " "correct password." msgstr "" -#: autoop.cpp:586 +#: autoop.cpp:587 msgid "WARNING! [{1}] sent a response but did not match any defined users." msgstr "" -#: autoop.cpp:644 +#: autoop.cpp:645 msgid "Auto op the good people" msgstr "" diff --git a/modules/po/autoop.de_DE.po b/modules/po/autoop.de_DE.po index 7a2a0c91..8165268a 100644 --- a/modules/po/autoop.de_DE.po +++ b/modules/po/autoop.de_DE.po @@ -12,155 +12,155 @@ msgstr "" "Language-Team: German\n" "Language: de_DE\n" -#: autoop.cpp:154 +#: autoop.cpp:155 msgid "List all users" msgstr "Zeige alle Benutzer an" -#: autoop.cpp:156 autoop.cpp:159 +#: autoop.cpp:157 autoop.cpp:160 msgid " [channel] ..." msgstr " [Kanal] ..." -#: autoop.cpp:157 +#: autoop.cpp:158 msgid "Adds channels to a user" msgstr "Fügt Kanäle zu Benutzern hinzu" -#: autoop.cpp:160 +#: autoop.cpp:161 msgid "Removes channels from a user" msgstr "Entfernt Kanäle von Benutzern" -#: autoop.cpp:162 autoop.cpp:165 +#: autoop.cpp:163 autoop.cpp:166 msgid " ,[mask] ..." msgstr " ,[Maske] ..." -#: autoop.cpp:163 +#: autoop.cpp:164 msgid "Adds masks to a user" msgstr "Fügt Masken zu Benutzern hinzu" -#: autoop.cpp:166 +#: autoop.cpp:167 msgid "Removes masks from a user" msgstr "Entfernt Masken von Benutzern" -#: autoop.cpp:169 +#: autoop.cpp:170 msgid " [,...] [channels]" msgstr " [,...] [Kanäle]" -#: autoop.cpp:170 +#: autoop.cpp:171 msgid "Adds a user" msgstr "Fügt einen Benutzer hinzu" -#: autoop.cpp:172 +#: autoop.cpp:173 msgid "" msgstr "" -#: autoop.cpp:172 +#: autoop.cpp:173 msgid "Removes a user" msgstr "Entfernt einen Benutzer" -#: autoop.cpp:275 +#: autoop.cpp:276 msgid "Usage: AddUser [,...] [channels]" msgstr "" "Verwendung: AddUser [,...] " "[Kanäle]" -#: autoop.cpp:291 +#: autoop.cpp:292 msgid "Usage: DelUser " msgstr "Verwendung: DelUser " -#: autoop.cpp:300 +#: autoop.cpp:301 msgid "There are no users defined" msgstr "Es sind keine Benutzer definiert" -#: autoop.cpp:306 autoop.cpp:317 autoop.cpp:321 autoop.cpp:323 +#: autoop.cpp:307 autoop.cpp:318 autoop.cpp:322 autoop.cpp:324 msgid "User" msgstr "Benutzer" -#: autoop.cpp:307 autoop.cpp:325 +#: autoop.cpp:308 autoop.cpp:326 msgid "Hostmasks" msgstr "Hostmasken" -#: autoop.cpp:308 autoop.cpp:318 +#: autoop.cpp:309 autoop.cpp:319 msgid "Key" msgstr "Schlüssel" -#: autoop.cpp:309 autoop.cpp:319 +#: autoop.cpp:310 autoop.cpp:320 msgid "Channels" msgstr "Kanäle" -#: autoop.cpp:337 +#: autoop.cpp:338 msgid "Usage: AddChans [channel] ..." msgstr "Verwendung: AddChans [Kanal] ..." -#: autoop.cpp:344 autoop.cpp:365 autoop.cpp:387 autoop.cpp:408 autoop.cpp:472 +#: autoop.cpp:345 autoop.cpp:366 autoop.cpp:388 autoop.cpp:409 autoop.cpp:473 msgid "No such user" msgstr "Kein solcher Benutzer" -#: autoop.cpp:349 +#: autoop.cpp:350 msgid "Channel(s) added to user {1}" msgstr "Kanal/Kanäle zu Benutzer {1} hinzugefügt" -#: autoop.cpp:358 +#: autoop.cpp:359 msgid "Usage: DelChans [channel] ..." msgstr "Verwendung: DelChans [Kanal] ..." -#: autoop.cpp:371 +#: autoop.cpp:372 msgid "Channel(s) Removed from user {1}" msgstr "Kanal/Kanäle von Benutzer {1} entfernt" -#: autoop.cpp:380 +#: autoop.cpp:381 msgid "Usage: AddMasks ,[mask] ..." msgstr "Verwendung: AddMasks ,[Maske] ..." -#: autoop.cpp:392 +#: autoop.cpp:393 msgid "Hostmasks(s) added to user {1}" msgstr "Hostmaske(n) zu Benutzer {1} hinzugefügt" -#: autoop.cpp:401 +#: autoop.cpp:402 msgid "Usage: DelMasks ,[mask] ..." msgstr "Verwendung: DelMasks ,[Maske] ..." -#: autoop.cpp:413 +#: autoop.cpp:414 msgid "Removed user {1} with key {2} and channels {3}" msgstr "Benutzer {1} mit Schlüssel {2} und Kanälen {3} entfernt" -#: autoop.cpp:419 +#: autoop.cpp:420 msgid "Hostmasks(s) Removed from user {1}" msgstr "Hostmaske(n) von Benutzer {1} entfernt" -#: autoop.cpp:478 +#: autoop.cpp:479 msgid "User {1} removed" msgstr "Benutzer {1} entfernt" -#: autoop.cpp:484 +#: autoop.cpp:485 msgid "That user already exists" msgstr "Dieser Benutzer ist bereits vorhanden" -#: autoop.cpp:490 +#: autoop.cpp:491 msgid "User {1} added with hostmask(s) {2}" msgstr "Benutzer {1} mit Hostmaske(n) {2} hinzugefügt" -#: autoop.cpp:532 +#: autoop.cpp:533 msgid "" "[{1}] sent us a challenge but they are not opped in any defined channels." msgstr "" "[{1}] hat uns eine Challenge gesendet, aber ist in keinem der definierten " "Kanäle geopt." -#: autoop.cpp:536 +#: autoop.cpp:537 msgid "[{1}] sent us a challenge but they do not match a defined user." msgstr "" "[{1}] hat uns eine Challenge gesendet, aber entspricht keinem definierten " "Benutzer." -#: autoop.cpp:544 +#: autoop.cpp:545 msgid "WARNING! [{1}] sent an invalid challenge." msgstr "WARNUNG! [{1}] hat eine ungültige Challenge gesendet." -#: autoop.cpp:560 +#: autoop.cpp:561 msgid "[{1}] sent an unchallenged response. This could be due to lag." msgstr "" "[{1}] hat eine unangeforderte Antwort gesendet. Dies könnte an Lag liegen." -#: autoop.cpp:577 +#: autoop.cpp:578 msgid "" "WARNING! [{1}] sent a bad response. Please verify that you have their " "correct password." @@ -168,12 +168,12 @@ msgstr "" "WARNUNG! [{1}] hat eine schlechte Antwort gesendet. Bitte überprüfe, dass du " "deren korrektes Passwort hast." -#: autoop.cpp:586 +#: autoop.cpp:587 msgid "WARNING! [{1}] sent a response but did not match any defined users." msgstr "" "WARNUNG! [{1}] hat eine Antwort gesendet, aber entspricht keinem definierten " "Benutzer." -#: autoop.cpp:644 +#: autoop.cpp:645 msgid "Auto op the good people" msgstr "Gebe automatisch Op an die guten Leute" diff --git a/modules/po/autoop.el_GR.po b/modules/po/autoop.el_GR.po index 35129217..821a1fd6 100644 --- a/modules/po/autoop.el_GR.po +++ b/modules/po/autoop.el_GR.po @@ -12,157 +12,157 @@ msgstr "" "Language-Team: Greek\n" "Language: el_GR\n" -#: autoop.cpp:154 +#: autoop.cpp:155 msgid "List all users" msgstr "" -#: autoop.cpp:156 autoop.cpp:159 +#: autoop.cpp:157 autoop.cpp:160 msgid " [channel] ..." msgstr "" -#: autoop.cpp:157 +#: autoop.cpp:158 msgid "Adds channels to a user" msgstr "" -#: autoop.cpp:160 +#: autoop.cpp:161 msgid "Removes channels from a user" msgstr "" -#: autoop.cpp:162 autoop.cpp:165 +#: autoop.cpp:163 autoop.cpp:166 msgid " ,[mask] ..." msgstr "" -#: autoop.cpp:163 +#: autoop.cpp:164 msgid "Adds masks to a user" msgstr "" -#: autoop.cpp:166 +#: autoop.cpp:167 msgid "Removes masks from a user" msgstr "" -#: autoop.cpp:169 +#: autoop.cpp:170 msgid " [,...] [channels]" msgstr "" -#: autoop.cpp:170 +#: autoop.cpp:171 msgid "Adds a user" msgstr "" -#: autoop.cpp:172 +#: autoop.cpp:173 msgid "" msgstr "" -#: autoop.cpp:172 +#: autoop.cpp:173 msgid "Removes a user" msgstr "" -#: autoop.cpp:275 +#: autoop.cpp:276 msgid "Usage: AddUser [,...] [channels]" msgstr "" -#: autoop.cpp:291 +#: autoop.cpp:292 msgid "Usage: DelUser " msgstr "" -#: autoop.cpp:300 +#: autoop.cpp:301 msgid "There are no users defined" msgstr "" -#: autoop.cpp:306 autoop.cpp:317 autoop.cpp:321 autoop.cpp:323 +#: autoop.cpp:307 autoop.cpp:318 autoop.cpp:322 autoop.cpp:324 msgid "User" msgstr "" -#: autoop.cpp:307 autoop.cpp:325 +#: autoop.cpp:308 autoop.cpp:326 msgid "Hostmasks" msgstr "" -#: autoop.cpp:308 autoop.cpp:318 +#: autoop.cpp:309 autoop.cpp:319 msgid "Key" msgstr "" -#: autoop.cpp:309 autoop.cpp:319 +#: autoop.cpp:310 autoop.cpp:320 msgid "Channels" msgstr "" -#: autoop.cpp:337 +#: autoop.cpp:338 msgid "Usage: AddChans [channel] ..." msgstr "" -#: autoop.cpp:344 autoop.cpp:365 autoop.cpp:387 autoop.cpp:408 autoop.cpp:472 +#: autoop.cpp:345 autoop.cpp:366 autoop.cpp:388 autoop.cpp:409 autoop.cpp:473 msgid "No such user" msgstr "" -#: autoop.cpp:349 +#: autoop.cpp:350 msgid "Channel(s) added to user {1}" msgstr "" -#: autoop.cpp:358 +#: autoop.cpp:359 msgid "Usage: DelChans [channel] ..." msgstr "" -#: autoop.cpp:371 +#: autoop.cpp:372 msgid "Channel(s) Removed from user {1}" msgstr "" -#: autoop.cpp:380 +#: autoop.cpp:381 msgid "Usage: AddMasks ,[mask] ..." msgstr "" -#: autoop.cpp:392 +#: autoop.cpp:393 msgid "Hostmasks(s) added to user {1}" msgstr "" -#: autoop.cpp:401 +#: autoop.cpp:402 msgid "Usage: DelMasks ,[mask] ..." msgstr "" -#: autoop.cpp:413 +#: autoop.cpp:414 msgid "Removed user {1} with key {2} and channels {3}" msgstr "" -#: autoop.cpp:419 +#: autoop.cpp:420 msgid "Hostmasks(s) Removed from user {1}" msgstr "" -#: autoop.cpp:478 +#: autoop.cpp:479 msgid "User {1} removed" msgstr "" -#: autoop.cpp:484 +#: autoop.cpp:485 msgid "That user already exists" msgstr "" -#: autoop.cpp:490 +#: autoop.cpp:491 msgid "User {1} added with hostmask(s) {2}" msgstr "" -#: autoop.cpp:532 +#: autoop.cpp:533 msgid "" "[{1}] sent us a challenge but they are not opped in any defined channels." msgstr "" -#: autoop.cpp:536 +#: autoop.cpp:537 msgid "[{1}] sent us a challenge but they do not match a defined user." msgstr "" -#: autoop.cpp:544 +#: autoop.cpp:545 msgid "WARNING! [{1}] sent an invalid challenge." msgstr "" -#: autoop.cpp:560 +#: autoop.cpp:561 msgid "[{1}] sent an unchallenged response. This could be due to lag." msgstr "" -#: autoop.cpp:577 +#: autoop.cpp:578 msgid "" "WARNING! [{1}] sent a bad response. Please verify that you have their " "correct password." msgstr "" -#: autoop.cpp:586 +#: autoop.cpp:587 msgid "WARNING! [{1}] sent a response but did not match any defined users." msgstr "" -#: autoop.cpp:644 +#: autoop.cpp:645 msgid "Auto op the good people" msgstr "" diff --git a/modules/po/autoop.es_ES.po b/modules/po/autoop.es_ES.po index 3027dd35..8446b235 100644 --- a/modules/po/autoop.es_ES.po +++ b/modules/po/autoop.es_ES.po @@ -12,148 +12,148 @@ msgstr "" "Language-Team: Spanish\n" "Language: es_ES\n" -#: autoop.cpp:154 +#: autoop.cpp:155 msgid "List all users" msgstr "Muestra todos los usuarios" -#: autoop.cpp:156 autoop.cpp:159 +#: autoop.cpp:157 autoop.cpp:160 msgid " [channel] ..." msgstr " [canal] ..." -#: autoop.cpp:157 +#: autoop.cpp:158 msgid "Adds channels to a user" msgstr "Añade canales a un usuario" -#: autoop.cpp:160 +#: autoop.cpp:161 msgid "Removes channels from a user" msgstr "Borra canales de un usuario" -#: autoop.cpp:162 autoop.cpp:165 +#: autoop.cpp:163 autoop.cpp:166 msgid " ,[mask] ..." msgstr " ,[máscara] ..." -#: autoop.cpp:163 +#: autoop.cpp:164 msgid "Adds masks to a user" msgstr "Añade máscaras a un usuario" -#: autoop.cpp:166 +#: autoop.cpp:167 msgid "Removes masks from a user" msgstr "Borra máscaras de un usuario" -#: autoop.cpp:169 +#: autoop.cpp:170 msgid " [,...] [channels]" msgstr " [,...] [canales]" -#: autoop.cpp:170 +#: autoop.cpp:171 msgid "Adds a user" msgstr "Añade un usuario" -#: autoop.cpp:172 +#: autoop.cpp:173 msgid "" msgstr "" -#: autoop.cpp:172 +#: autoop.cpp:173 msgid "Removes a user" msgstr "Borra un usuario" -#: autoop.cpp:275 +#: autoop.cpp:276 msgid "Usage: AddUser [,...] [channels]" msgstr "Uso: AddUser [,...] [canales]" -#: autoop.cpp:291 +#: autoop.cpp:292 msgid "Usage: DelUser " msgstr "Uso: DelUser " -#: autoop.cpp:300 +#: autoop.cpp:301 msgid "There are no users defined" msgstr "No hay usuarios definidos" -#: autoop.cpp:306 autoop.cpp:317 autoop.cpp:321 autoop.cpp:323 +#: autoop.cpp:307 autoop.cpp:318 autoop.cpp:322 autoop.cpp:324 msgid "User" msgstr "Usuario" -#: autoop.cpp:307 autoop.cpp:325 +#: autoop.cpp:308 autoop.cpp:326 msgid "Hostmasks" msgstr "Máscaras" -#: autoop.cpp:308 autoop.cpp:318 +#: autoop.cpp:309 autoop.cpp:319 msgid "Key" msgstr "Clave" -#: autoop.cpp:309 autoop.cpp:319 +#: autoop.cpp:310 autoop.cpp:320 msgid "Channels" msgstr "Canales" -#: autoop.cpp:337 +#: autoop.cpp:338 msgid "Usage: AddChans [channel] ..." msgstr "Uso: AddChans [canal]" -#: autoop.cpp:344 autoop.cpp:365 autoop.cpp:387 autoop.cpp:408 autoop.cpp:472 +#: autoop.cpp:345 autoop.cpp:366 autoop.cpp:388 autoop.cpp:409 autoop.cpp:473 msgid "No such user" msgstr "No existe el usuario" -#: autoop.cpp:349 +#: autoop.cpp:350 msgid "Channel(s) added to user {1}" msgstr "Canal(es) añadido(s) al usuario {1}" -#: autoop.cpp:358 +#: autoop.cpp:359 msgid "Usage: DelChans [channel] ..." msgstr "Uso: DelChans [canal] ..." -#: autoop.cpp:371 +#: autoop.cpp:372 msgid "Channel(s) Removed from user {1}" msgstr "Canal(es) borrado(s) del usuario {1}" -#: autoop.cpp:380 +#: autoop.cpp:381 msgid "Usage: AddMasks ,[mask] ..." msgstr "Uso: AddMasks ,[máscara] ..." -#: autoop.cpp:392 +#: autoop.cpp:393 msgid "Hostmasks(s) added to user {1}" msgstr "Máscara(s) añadida(s) al usuario {1}" -#: autoop.cpp:401 +#: autoop.cpp:402 msgid "Usage: DelMasks ,[mask] ..." msgstr "Uso: DelMasks ,[máscara] ..." -#: autoop.cpp:413 +#: autoop.cpp:414 msgid "Removed user {1} with key {2} and channels {3}" msgstr "Borrado usuario {1} con clave {2} y canales {3}" -#: autoop.cpp:419 +#: autoop.cpp:420 msgid "Hostmasks(s) Removed from user {1}" msgstr "Máscara(s) borrada(s) del usuario {1}" -#: autoop.cpp:478 +#: autoop.cpp:479 msgid "User {1} removed" msgstr "Usuario {1} eliminado" -#: autoop.cpp:484 +#: autoop.cpp:485 msgid "That user already exists" msgstr "Ese usuario ya existe" -#: autoop.cpp:490 +#: autoop.cpp:491 msgid "User {1} added with hostmask(s) {2}" msgstr "Usuario {1} añadido con la(s) máscara(s) {2}" -#: autoop.cpp:532 +#: autoop.cpp:533 msgid "" "[{1}] sent us a challenge but they are not opped in any defined channels." msgstr "[{1}] nos ha enviado un reto pero no tiene op en ningún canal." -#: autoop.cpp:536 +#: autoop.cpp:537 msgid "[{1}] sent us a challenge but they do not match a defined user." msgstr "[{1}] nos ha enviado un reto pero no coincide con ningún usuario." -#: autoop.cpp:544 +#: autoop.cpp:545 msgid "WARNING! [{1}] sent an invalid challenge." msgstr "¡ATENCIÓN! [{1}] ha enviado un reto no válido." -#: autoop.cpp:560 +#: autoop.cpp:561 msgid "[{1}] sent an unchallenged response. This could be due to lag." msgstr "[{1}] ha enviado una respuesta sin reto. Esto podría deberse a lag." -#: autoop.cpp:577 +#: autoop.cpp:578 msgid "" "WARNING! [{1}] sent a bad response. Please verify that you have their " "correct password." @@ -161,10 +161,10 @@ msgstr "" "¡ATENCIÓN! [{1}] ha enviado un respuesta incorrecta. Por favor, verifica que " "tienes su contraseña correcta." -#: autoop.cpp:586 +#: autoop.cpp:587 msgid "WARNING! [{1}] sent a response but did not match any defined users." msgstr "¡ATENCIÓN! [{1}] ha respondido pero no coincide con ningún usuario" -#: autoop.cpp:644 +#: autoop.cpp:645 msgid "Auto op the good people" msgstr "AutoOp a gente conocida" diff --git a/modules/po/autoop.fr_FR.po b/modules/po/autoop.fr_FR.po index 293b2202..049a6d81 100644 --- a/modules/po/autoop.fr_FR.po +++ b/modules/po/autoop.fr_FR.po @@ -12,156 +12,156 @@ msgstr "" "Language-Team: French\n" "Language: fr_FR\n" -#: autoop.cpp:154 +#: autoop.cpp:155 msgid "List all users" msgstr "Lister tous les utilisateurs" -#: autoop.cpp:156 autoop.cpp:159 +#: autoop.cpp:157 autoop.cpp:160 msgid " [channel] ..." msgstr " [channel]..." -#: autoop.cpp:157 +#: autoop.cpp:158 msgid "Adds channels to a user" msgstr "Ajoute des salons à un utilisateur" -#: autoop.cpp:160 +#: autoop.cpp:161 msgid "Removes channels from a user" msgstr "Retire des salons d'un utilisateur" -#: autoop.cpp:162 autoop.cpp:165 +#: autoop.cpp:163 autoop.cpp:166 msgid " ,[mask] ..." msgstr " ,[mask] ..." -#: autoop.cpp:163 +#: autoop.cpp:164 msgid "Adds masks to a user" msgstr "Ajoute des masques à un utilisateur" -#: autoop.cpp:166 +#: autoop.cpp:167 msgid "Removes masks from a user" msgstr "Supprime des masques d'un utilisateur" -#: autoop.cpp:169 +#: autoop.cpp:170 msgid " [,...] [channels]" msgstr " [,...] [channels]" -#: autoop.cpp:170 +#: autoop.cpp:171 msgid "Adds a user" msgstr "Ajoute un utilisateur" -#: autoop.cpp:172 +#: autoop.cpp:173 msgid "" msgstr "" -#: autoop.cpp:172 +#: autoop.cpp:173 msgid "Removes a user" msgstr "Supprime un utilisateur" -#: autoop.cpp:275 +#: autoop.cpp:276 msgid "Usage: AddUser [,...] [channels]" msgstr "" "Utilisation : AddUser [,...] " " [channels]" -#: autoop.cpp:291 +#: autoop.cpp:292 msgid "Usage: DelUser " msgstr "Utilisation : DelUser " -#: autoop.cpp:300 +#: autoop.cpp:301 msgid "There are no users defined" msgstr "Il n'y a pas d'utilisateurs définis" -#: autoop.cpp:306 autoop.cpp:317 autoop.cpp:321 autoop.cpp:323 +#: autoop.cpp:307 autoop.cpp:318 autoop.cpp:322 autoop.cpp:324 msgid "User" msgstr "Utilisateur" -#: autoop.cpp:307 autoop.cpp:325 +#: autoop.cpp:308 autoop.cpp:326 msgid "Hostmasks" msgstr "Masque réseau" -#: autoop.cpp:308 autoop.cpp:318 +#: autoop.cpp:309 autoop.cpp:319 msgid "Key" msgstr "Clé" -#: autoop.cpp:309 autoop.cpp:319 +#: autoop.cpp:310 autoop.cpp:320 msgid "Channels" msgstr "Salons" -#: autoop.cpp:337 +#: autoop.cpp:338 msgid "Usage: AddChans [channel] ..." msgstr "Utilisation : AddChans [channel] ..." -#: autoop.cpp:344 autoop.cpp:365 autoop.cpp:387 autoop.cpp:408 autoop.cpp:472 +#: autoop.cpp:345 autoop.cpp:366 autoop.cpp:388 autoop.cpp:409 autoop.cpp:473 msgid "No such user" msgstr "Utilisateur inconnu" -#: autoop.cpp:349 +#: autoop.cpp:350 msgid "Channel(s) added to user {1}" msgstr "Salon(s) ajouté(s) à l'utilisateur {1}" -#: autoop.cpp:358 +#: autoop.cpp:359 msgid "Usage: DelChans [channel] ..." msgstr "Utilisation : DelChans [channel] ..." -#: autoop.cpp:371 +#: autoop.cpp:372 msgid "Channel(s) Removed from user {1}" msgstr "Salons(s) supprimés de l'utilisateur {1}" -#: autoop.cpp:380 +#: autoop.cpp:381 msgid "Usage: AddMasks ,[mask] ..." msgstr "Utilisation : AddMasks ,[mask] ..." -#: autoop.cpp:392 +#: autoop.cpp:393 msgid "Hostmasks(s) added to user {1}" msgstr "Masques(s) ajouté(s) à l'utilisateur {1}" -#: autoop.cpp:401 +#: autoop.cpp:402 msgid "Usage: DelMasks ,[mask] ..." msgstr "Utilisation : DelMasks ,[mask] ..." -#: autoop.cpp:413 +#: autoop.cpp:414 msgid "Removed user {1} with key {2} and channels {3}" msgstr "Utilisateur {1} avec la clé {2} et les salons {3} supprimé" -#: autoop.cpp:419 +#: autoop.cpp:420 msgid "Hostmasks(s) Removed from user {1}" msgstr "Masques(s) supprimé(s) de l'utilisateur {1}" -#: autoop.cpp:478 +#: autoop.cpp:479 msgid "User {1} removed" msgstr "Utilisateur {1} supprimé" -#: autoop.cpp:484 +#: autoop.cpp:485 msgid "That user already exists" msgstr "Cet utilisateur existe déjà" -#: autoop.cpp:490 +#: autoop.cpp:491 msgid "User {1} added with hostmask(s) {2}" msgstr "Utilisateur {1} ajouté avec le(s) masque(s) {2}" -#: autoop.cpp:532 +#: autoop.cpp:533 msgid "" "[{1}] sent us a challenge but they are not opped in any defined channels." msgstr "" "[{1}] nous ont envoyé une sollicitation mais ils ne sont opérateurs dans " "aucun des salons définis." -#: autoop.cpp:536 +#: autoop.cpp:537 msgid "[{1}] sent us a challenge but they do not match a defined user." msgstr "" "[{1}] nous ont envoyé une sollicitation mais ils ne correspondent à aucun " "utilisateur défini." -#: autoop.cpp:544 +#: autoop.cpp:545 msgid "WARNING! [{1}] sent an invalid challenge." msgstr "ATTENTION ! [{1}] a envoyé une sollicitation erronée." -#: autoop.cpp:560 +#: autoop.cpp:561 msgid "[{1}] sent an unchallenged response. This could be due to lag." msgstr "" "[{1}] a envoyé une réponse non sollicitée. Cela peut être dû à une mauvaise " "connexion." -#: autoop.cpp:577 +#: autoop.cpp:578 msgid "" "WARNING! [{1}] sent a bad response. Please verify that you have their " "correct password." @@ -169,12 +169,12 @@ msgstr "" "ATTENTION ! [{1}] a envoyé une mauvaise réponse. Veuillez vérifier que vous " "avez le bon mot de passe." -#: autoop.cpp:586 +#: autoop.cpp:587 msgid "WARNING! [{1}] sent a response but did not match any defined users." msgstr "" "ATTENTION ! [{1}] a envoyé une réponse mais ne correspond à aucun des " "utilisateurs définis." -#: autoop.cpp:644 +#: autoop.cpp:645 msgid "Auto op the good people" msgstr "Donne le statut d'opérateur automatiquement aux bonnes personnes" diff --git a/modules/po/autoop.id_ID.po b/modules/po/autoop.id_ID.po index 14c2e79a..ebb5862a 100644 --- a/modules/po/autoop.id_ID.po +++ b/modules/po/autoop.id_ID.po @@ -12,157 +12,157 @@ msgstr "" "Language-Team: Indonesian\n" "Language: id_ID\n" -#: autoop.cpp:154 +#: autoop.cpp:155 msgid "List all users" msgstr "" -#: autoop.cpp:156 autoop.cpp:159 +#: autoop.cpp:157 autoop.cpp:160 msgid " [channel] ..." msgstr "" -#: autoop.cpp:157 +#: autoop.cpp:158 msgid "Adds channels to a user" msgstr "" -#: autoop.cpp:160 +#: autoop.cpp:161 msgid "Removes channels from a user" msgstr "" -#: autoop.cpp:162 autoop.cpp:165 +#: autoop.cpp:163 autoop.cpp:166 msgid " ,[mask] ..." msgstr "" -#: autoop.cpp:163 +#: autoop.cpp:164 msgid "Adds masks to a user" msgstr "" -#: autoop.cpp:166 +#: autoop.cpp:167 msgid "Removes masks from a user" msgstr "" -#: autoop.cpp:169 +#: autoop.cpp:170 msgid " [,...] [channels]" msgstr "" -#: autoop.cpp:170 +#: autoop.cpp:171 msgid "Adds a user" msgstr "" -#: autoop.cpp:172 +#: autoop.cpp:173 msgid "" msgstr "" -#: autoop.cpp:172 +#: autoop.cpp:173 msgid "Removes a user" msgstr "" -#: autoop.cpp:275 +#: autoop.cpp:276 msgid "Usage: AddUser [,...] [channels]" msgstr "" -#: autoop.cpp:291 +#: autoop.cpp:292 msgid "Usage: DelUser " msgstr "" -#: autoop.cpp:300 +#: autoop.cpp:301 msgid "There are no users defined" msgstr "" -#: autoop.cpp:306 autoop.cpp:317 autoop.cpp:321 autoop.cpp:323 +#: autoop.cpp:307 autoop.cpp:318 autoop.cpp:322 autoop.cpp:324 msgid "User" msgstr "" -#: autoop.cpp:307 autoop.cpp:325 +#: autoop.cpp:308 autoop.cpp:326 msgid "Hostmasks" msgstr "" -#: autoop.cpp:308 autoop.cpp:318 +#: autoop.cpp:309 autoop.cpp:319 msgid "Key" msgstr "" -#: autoop.cpp:309 autoop.cpp:319 +#: autoop.cpp:310 autoop.cpp:320 msgid "Channels" msgstr "" -#: autoop.cpp:337 +#: autoop.cpp:338 msgid "Usage: AddChans [channel] ..." msgstr "" -#: autoop.cpp:344 autoop.cpp:365 autoop.cpp:387 autoop.cpp:408 autoop.cpp:472 +#: autoop.cpp:345 autoop.cpp:366 autoop.cpp:388 autoop.cpp:409 autoop.cpp:473 msgid "No such user" msgstr "" -#: autoop.cpp:349 +#: autoop.cpp:350 msgid "Channel(s) added to user {1}" msgstr "" -#: autoop.cpp:358 +#: autoop.cpp:359 msgid "Usage: DelChans [channel] ..." msgstr "" -#: autoop.cpp:371 +#: autoop.cpp:372 msgid "Channel(s) Removed from user {1}" msgstr "" -#: autoop.cpp:380 +#: autoop.cpp:381 msgid "Usage: AddMasks ,[mask] ..." msgstr "" -#: autoop.cpp:392 +#: autoop.cpp:393 msgid "Hostmasks(s) added to user {1}" msgstr "" -#: autoop.cpp:401 +#: autoop.cpp:402 msgid "Usage: DelMasks ,[mask] ..." msgstr "" -#: autoop.cpp:413 +#: autoop.cpp:414 msgid "Removed user {1} with key {2} and channels {3}" msgstr "" -#: autoop.cpp:419 +#: autoop.cpp:420 msgid "Hostmasks(s) Removed from user {1}" msgstr "" -#: autoop.cpp:478 +#: autoop.cpp:479 msgid "User {1} removed" msgstr "" -#: autoop.cpp:484 +#: autoop.cpp:485 msgid "That user already exists" msgstr "" -#: autoop.cpp:490 +#: autoop.cpp:491 msgid "User {1} added with hostmask(s) {2}" msgstr "" -#: autoop.cpp:532 +#: autoop.cpp:533 msgid "" "[{1}] sent us a challenge but they are not opped in any defined channels." msgstr "" -#: autoop.cpp:536 +#: autoop.cpp:537 msgid "[{1}] sent us a challenge but they do not match a defined user." msgstr "" -#: autoop.cpp:544 +#: autoop.cpp:545 msgid "WARNING! [{1}] sent an invalid challenge." msgstr "" -#: autoop.cpp:560 +#: autoop.cpp:561 msgid "[{1}] sent an unchallenged response. This could be due to lag." msgstr "" -#: autoop.cpp:577 +#: autoop.cpp:578 msgid "" "WARNING! [{1}] sent a bad response. Please verify that you have their " "correct password." msgstr "" -#: autoop.cpp:586 +#: autoop.cpp:587 msgid "WARNING! [{1}] sent a response but did not match any defined users." msgstr "" -#: autoop.cpp:644 +#: autoop.cpp:645 msgid "Auto op the good people" msgstr "" diff --git a/modules/po/autoop.it_IT.po b/modules/po/autoop.it_IT.po index 2de05256..2f042a95 100644 --- a/modules/po/autoop.it_IT.po +++ b/modules/po/autoop.it_IT.po @@ -12,154 +12,154 @@ msgstr "" "Language-Team: Italian\n" "Language: it_IT\n" -#: autoop.cpp:154 +#: autoop.cpp:155 msgid "List all users" msgstr "Elenca tutti gli utenti" -#: autoop.cpp:156 autoop.cpp:159 +#: autoop.cpp:157 autoop.cpp:160 msgid " [channel] ..." msgstr " [canale] ..." -#: autoop.cpp:157 +#: autoop.cpp:158 msgid "Adds channels to a user" msgstr "Aggiunge canali ad un utente" -#: autoop.cpp:160 +#: autoop.cpp:161 msgid "Removes channels from a user" msgstr "Rimuove canali da un utente" -#: autoop.cpp:162 autoop.cpp:165 +#: autoop.cpp:163 autoop.cpp:166 msgid " ,[mask] ..." msgstr " ,[maschera] ..." -#: autoop.cpp:163 +#: autoop.cpp:164 msgid "Adds masks to a user" msgstr "Aggiunge una maschera (mask) ad un utente" -#: autoop.cpp:166 +#: autoop.cpp:167 msgid "Removes masks from a user" msgstr "Rimuove una maschera (mask) da un utente" -#: autoop.cpp:169 +#: autoop.cpp:170 msgid " [,...] [channels]" msgstr " [,...] [canali]" -#: autoop.cpp:170 +#: autoop.cpp:171 msgid "Adds a user" msgstr "Aggiunge un utente" -#: autoop.cpp:172 +#: autoop.cpp:173 msgid "" msgstr "" -#: autoop.cpp:172 +#: autoop.cpp:173 msgid "Removes a user" msgstr "Rimuove un utente" -#: autoop.cpp:275 +#: autoop.cpp:276 msgid "Usage: AddUser [,...] [channels]" msgstr "Utilizzo: AddUser [,...] [channels]" -#: autoop.cpp:291 +#: autoop.cpp:292 msgid "Usage: DelUser " msgstr "Utilizzo: DelUser " -#: autoop.cpp:300 +#: autoop.cpp:301 msgid "There are no users defined" msgstr "Non ci sono utenti definiti" -#: autoop.cpp:306 autoop.cpp:317 autoop.cpp:321 autoop.cpp:323 +#: autoop.cpp:307 autoop.cpp:318 autoop.cpp:322 autoop.cpp:324 msgid "User" msgstr "Utente" -#: autoop.cpp:307 autoop.cpp:325 +#: autoop.cpp:308 autoop.cpp:326 msgid "Hostmasks" msgstr "Hostmasks" -#: autoop.cpp:308 autoop.cpp:318 +#: autoop.cpp:309 autoop.cpp:319 msgid "Key" msgstr "Key" -#: autoop.cpp:309 autoop.cpp:319 +#: autoop.cpp:310 autoop.cpp:320 msgid "Channels" msgstr "Canali" -#: autoop.cpp:337 +#: autoop.cpp:338 msgid "Usage: AddChans [channel] ..." msgstr "Usa: AddChans [channel] ..." -#: autoop.cpp:344 autoop.cpp:365 autoop.cpp:387 autoop.cpp:408 autoop.cpp:472 +#: autoop.cpp:345 autoop.cpp:366 autoop.cpp:388 autoop.cpp:409 autoop.cpp:473 msgid "No such user" msgstr "Utente inesistente" -#: autoop.cpp:349 +#: autoop.cpp:350 msgid "Channel(s) added to user {1}" msgstr "Canali aggiunti all'utente {1}" -#: autoop.cpp:358 +#: autoop.cpp:359 msgid "Usage: DelChans [channel] ..." msgstr "Utilizzo: DelChans [channel] ..." -#: autoop.cpp:371 +#: autoop.cpp:372 msgid "Channel(s) Removed from user {1}" msgstr "Canali rimossi dall'utente {1}" -#: autoop.cpp:380 +#: autoop.cpp:381 msgid "Usage: AddMasks ,[mask] ..." msgstr "Usa: AddMasks ,[mask] ..." -#: autoop.cpp:392 +#: autoop.cpp:393 msgid "Hostmasks(s) added to user {1}" msgstr "Hostmasks(s) Aggiunta all'utente {1}" -#: autoop.cpp:401 +#: autoop.cpp:402 msgid "Usage: DelMasks ,[mask] ..." msgstr "Usa: DelMasks ,[mask] ..." -#: autoop.cpp:413 +#: autoop.cpp:414 msgid "Removed user {1} with key {2} and channels {3}" msgstr "Utente rimosso {1} con chiave {2} e canali {3}" -#: autoop.cpp:419 +#: autoop.cpp:420 msgid "Hostmasks(s) Removed from user {1}" msgstr "Hostmasks(s) Rimossa dall'utente {1}" -#: autoop.cpp:478 +#: autoop.cpp:479 msgid "User {1} removed" msgstr "Rimosso l'utente {1}" -#: autoop.cpp:484 +#: autoop.cpp:485 msgid "That user already exists" msgstr "Questo utente esiste già" -#: autoop.cpp:490 +#: autoop.cpp:491 msgid "User {1} added with hostmask(s) {2}" msgstr "L'utente {1} viene aggiunto con la hostmask(s) {2}" -#: autoop.cpp:532 +#: autoop.cpp:533 msgid "" "[{1}] sent us a challenge but they are not opped in any defined channels." msgstr "" "[{1}] ci ha inviato una challenge ma loro non sono operatori in nessuno dei " "canali definiti." -#: autoop.cpp:536 +#: autoop.cpp:537 msgid "[{1}] sent us a challenge but they do not match a defined user." msgstr "" "[{1}] ci ha inviato una challenge ma loro non corrispondono a nessuno degli " "utenti definiti." -#: autoop.cpp:544 +#: autoop.cpp:545 msgid "WARNING! [{1}] sent an invalid challenge." msgstr "ATTENZIONE! [{1}] ha inviato una challenge non valida." -#: autoop.cpp:560 +#: autoop.cpp:561 msgid "[{1}] sent an unchallenged response. This could be due to lag." msgstr "" "[{1}] ha inviato una risposta in contrastante. Questo potrebbe essere " "dovuto ad un ritardo (lag)." -#: autoop.cpp:577 +#: autoop.cpp:578 msgid "" "WARNING! [{1}] sent a bad response. Please verify that you have their " "correct password." @@ -167,12 +167,12 @@ msgstr "" "ATTENZIONE! [{1}] inviato una risposta errata. Per favore verifica di avere " "la loro password corretta." -#: autoop.cpp:586 +#: autoop.cpp:587 msgid "WARNING! [{1}] sent a response but did not match any defined users." msgstr "" "ATTENZIONE! [{1}] ha inviato una risposta, ma non corrisponde ad alcun " "utente definito." -#: autoop.cpp:644 +#: autoop.cpp:645 msgid "Auto op the good people" msgstr "Auto Op le buone persone" diff --git a/modules/po/autoop.nl_NL.po b/modules/po/autoop.nl_NL.po index 748b7167..e5c160a3 100644 --- a/modules/po/autoop.nl_NL.po +++ b/modules/po/autoop.nl_NL.po @@ -12,155 +12,155 @@ msgstr "" "Language-Team: Dutch\n" "Language: nl_NL\n" -#: autoop.cpp:154 +#: autoop.cpp:155 msgid "List all users" msgstr "Laat alle gebruikers zien" -#: autoop.cpp:156 autoop.cpp:159 +#: autoop.cpp:157 autoop.cpp:160 msgid " [channel] ..." msgstr " [kanaal] ..." -#: autoop.cpp:157 +#: autoop.cpp:158 msgid "Adds channels to a user" msgstr "Voegt kanaal toe aan een gebruiker" -#: autoop.cpp:160 +#: autoop.cpp:161 msgid "Removes channels from a user" msgstr "Verwijdert kanaal van een gebruiker" -#: autoop.cpp:162 autoop.cpp:165 +#: autoop.cpp:163 autoop.cpp:166 msgid " ,[mask] ..." msgstr " ,[masker] ..." -#: autoop.cpp:163 +#: autoop.cpp:164 msgid "Adds masks to a user" msgstr "Voegt masker toe aan gebruiker" -#: autoop.cpp:166 +#: autoop.cpp:167 msgid "Removes masks from a user" msgstr "Verwijdert masker van gebruiker" -#: autoop.cpp:169 +#: autoop.cpp:170 msgid " [,...] [channels]" msgstr " [,...] [kanalen]" -#: autoop.cpp:170 +#: autoop.cpp:171 msgid "Adds a user" msgstr "Voegt een gebruiker toe" -#: autoop.cpp:172 +#: autoop.cpp:173 msgid "" msgstr "" -#: autoop.cpp:172 +#: autoop.cpp:173 msgid "Removes a user" msgstr "Verwijdert een gebruiker" -#: autoop.cpp:275 +#: autoop.cpp:276 msgid "Usage: AddUser [,...] [channels]" msgstr "" "Gebruik: AddUser [,...] " "[kanalen]" -#: autoop.cpp:291 +#: autoop.cpp:292 msgid "Usage: DelUser " msgstr "Gebruik: DelUser " -#: autoop.cpp:300 +#: autoop.cpp:301 msgid "There are no users defined" msgstr "Er zijn geen gebruikers gedefinieerd" -#: autoop.cpp:306 autoop.cpp:317 autoop.cpp:321 autoop.cpp:323 +#: autoop.cpp:307 autoop.cpp:318 autoop.cpp:322 autoop.cpp:324 msgid "User" msgstr "Gebruiker" -#: autoop.cpp:307 autoop.cpp:325 +#: autoop.cpp:308 autoop.cpp:326 msgid "Hostmasks" msgstr "Hostmaskers" -#: autoop.cpp:308 autoop.cpp:318 +#: autoop.cpp:309 autoop.cpp:319 msgid "Key" msgstr "Sleutel" -#: autoop.cpp:309 autoop.cpp:319 +#: autoop.cpp:310 autoop.cpp:320 msgid "Channels" msgstr "Kanalen" -#: autoop.cpp:337 +#: autoop.cpp:338 msgid "Usage: AddChans [channel] ..." msgstr "Gebruik: AddChans [kanaal] ..." -#: autoop.cpp:344 autoop.cpp:365 autoop.cpp:387 autoop.cpp:408 autoop.cpp:472 +#: autoop.cpp:345 autoop.cpp:366 autoop.cpp:388 autoop.cpp:409 autoop.cpp:473 msgid "No such user" msgstr "Gebruiker onbekend" -#: autoop.cpp:349 +#: autoop.cpp:350 msgid "Channel(s) added to user {1}" msgstr "Kana(a)l(en) toegevoegd aan gebruiker {1}" -#: autoop.cpp:358 +#: autoop.cpp:359 msgid "Usage: DelChans [channel] ..." msgstr "Gebruik: DelChans [kanaal] ..." -#: autoop.cpp:371 +#: autoop.cpp:372 msgid "Channel(s) Removed from user {1}" msgstr "Kana(a)l(en) verwijderd van gebruiker {1}" -#: autoop.cpp:380 +#: autoop.cpp:381 msgid "Usage: AddMasks ,[mask] ..." msgstr "Gebruik: AddMasks ,[masker] ..." -#: autoop.cpp:392 +#: autoop.cpp:393 msgid "Hostmasks(s) added to user {1}" msgstr "Hostmasker(s) toegevoegd aan gebruiker {1}" -#: autoop.cpp:401 +#: autoop.cpp:402 msgid "Usage: DelMasks ,[mask] ..." msgstr "Gebruik: DelMasks ,[masker] ..." -#: autoop.cpp:413 +#: autoop.cpp:414 msgid "Removed user {1} with key {2} and channels {3}" msgstr "Gebruiker {1} met sleutel {2} en kanalen {3} verwijderd" -#: autoop.cpp:419 +#: autoop.cpp:420 msgid "Hostmasks(s) Removed from user {1}" msgstr "Hostmasker(s) verwijderd van gebruiker {1}" -#: autoop.cpp:478 +#: autoop.cpp:479 msgid "User {1} removed" msgstr "Gebruiker {1} verwijderd" -#: autoop.cpp:484 +#: autoop.cpp:485 msgid "That user already exists" msgstr "Die gebruiker bestaat al" -#: autoop.cpp:490 +#: autoop.cpp:491 msgid "User {1} added with hostmask(s) {2}" msgstr "Gebruiker {1} toegevoegd met hostmasker(s) {2}" -#: autoop.cpp:532 +#: autoop.cpp:533 msgid "" "[{1}] sent us a challenge but they are not opped in any defined channels." msgstr "" "[{1}] heeft ons een uitdaging gestuurd maar zijn geen beheerder in enige " "gedefinieerde kanalen." -#: autoop.cpp:536 +#: autoop.cpp:537 msgid "[{1}] sent us a challenge but they do not match a defined user." msgstr "" "[{1}] heeft ons een uitdaging gestuurd maar past niet bij een gedefinieerde " "gebruiker." -#: autoop.cpp:544 +#: autoop.cpp:545 msgid "WARNING! [{1}] sent an invalid challenge." msgstr "WAARSCHUWING! [{1}] heeft een ongeldige uitdaging gestuurd." -#: autoop.cpp:560 +#: autoop.cpp:561 msgid "[{1}] sent an unchallenged response. This could be due to lag." msgstr "" "[{1}] heeft een ongeldige uitdaging gestuurd. Dit kan door vertraging komen." -#: autoop.cpp:577 +#: autoop.cpp:578 msgid "" "WARNING! [{1}] sent a bad response. Please verify that you have their " "correct password." @@ -168,12 +168,12 @@ msgstr "" "WAARSCHUWING! [{1}] heeft een verkeerd antwoord gestuurd. Controleer of je " "hun juiste wachtwoord hebt." -#: autoop.cpp:586 +#: autoop.cpp:587 msgid "WARNING! [{1}] sent a response but did not match any defined users." msgstr "" "WAARSCHUWING! [{1}] heeft een antwoord verstuurd maar past niet bij een " "gedefinieerde gebruiker." -#: autoop.cpp:644 +#: autoop.cpp:645 msgid "Auto op the good people" msgstr "Geeft goede gebruikers automatisch beheerderrechten" diff --git a/modules/po/autoop.pl_PL.po b/modules/po/autoop.pl_PL.po index 84af3625..18bbeb40 100644 --- a/modules/po/autoop.pl_PL.po +++ b/modules/po/autoop.pl_PL.po @@ -14,155 +14,155 @@ msgstr "" "Language-Team: Polish\n" "Language: pl_PL\n" -#: autoop.cpp:154 +#: autoop.cpp:155 msgid "List all users" msgstr "Lista wszystkich użytkowników" -#: autoop.cpp:156 autoop.cpp:159 +#: autoop.cpp:157 autoop.cpp:160 msgid " [channel] ..." msgstr " [kanał] ..." -#: autoop.cpp:157 +#: autoop.cpp:158 msgid "Adds channels to a user" msgstr "Dodaje kanały do użytkownika" -#: autoop.cpp:160 +#: autoop.cpp:161 msgid "Removes channels from a user" msgstr "Usuwa kanały z użytkownika" -#: autoop.cpp:162 autoop.cpp:165 +#: autoop.cpp:163 autoop.cpp:166 msgid " ,[mask] ..." msgstr " ,[maska] ..." -#: autoop.cpp:163 +#: autoop.cpp:164 msgid "Adds masks to a user" msgstr "Dodaje maski do użytkownika" -#: autoop.cpp:166 +#: autoop.cpp:167 msgid "Removes masks from a user" msgstr "Usuwa maski użytkownika" -#: autoop.cpp:169 +#: autoop.cpp:170 msgid " [,...] [channels]" msgstr " [,...] [kanały]" -#: autoop.cpp:170 +#: autoop.cpp:171 msgid "Adds a user" msgstr "Dodaje użytkownika" -#: autoop.cpp:172 +#: autoop.cpp:173 msgid "" msgstr "" -#: autoop.cpp:172 +#: autoop.cpp:173 msgid "Removes a user" msgstr "Usuwa użytkownika" -#: autoop.cpp:275 +#: autoop.cpp:276 msgid "Usage: AddUser [,...] [channels]" msgstr "" "Użycie: AddUser [,...] " "[kanały]" -#: autoop.cpp:291 +#: autoop.cpp:292 msgid "Usage: DelUser " msgstr "Użycie: DelUser " -#: autoop.cpp:300 +#: autoop.cpp:301 msgid "There are no users defined" msgstr "Brak zdefiniowanych użytkowników" -#: autoop.cpp:306 autoop.cpp:317 autoop.cpp:321 autoop.cpp:323 +#: autoop.cpp:307 autoop.cpp:318 autoop.cpp:322 autoop.cpp:324 msgid "User" msgstr "Użytkownik" -#: autoop.cpp:307 autoop.cpp:325 +#: autoop.cpp:308 autoop.cpp:326 msgid "Hostmasks" msgstr "Maski hosta" -#: autoop.cpp:308 autoop.cpp:318 +#: autoop.cpp:309 autoop.cpp:319 msgid "Key" msgstr "Klucz" -#: autoop.cpp:309 autoop.cpp:319 +#: autoop.cpp:310 autoop.cpp:320 msgid "Channels" msgstr "Kanały" -#: autoop.cpp:337 +#: autoop.cpp:338 msgid "Usage: AddChans [channel] ..." msgstr "Użycie: AddChans [kanał] ..." -#: autoop.cpp:344 autoop.cpp:365 autoop.cpp:387 autoop.cpp:408 autoop.cpp:472 +#: autoop.cpp:345 autoop.cpp:366 autoop.cpp:388 autoop.cpp:409 autoop.cpp:473 msgid "No such user" msgstr "Nie ma takiego użytkownika" -#: autoop.cpp:349 +#: autoop.cpp:350 msgid "Channel(s) added to user {1}" msgstr "Kanał(y) został(y) dodane/y do użytkownika {1}" -#: autoop.cpp:358 +#: autoop.cpp:359 msgid "Usage: DelChans [channel] ..." msgstr "Użycie: DelChans [kanał] ..." -#: autoop.cpp:371 +#: autoop.cpp:372 msgid "Channel(s) Removed from user {1}" msgstr "Kanał(y) został(y) usunięte/y od użytkownika {1}" -#: autoop.cpp:380 +#: autoop.cpp:381 msgid "Usage: AddMasks ,[mask] ..." msgstr "Użycie: AddMasks ,[maska] ..." -#: autoop.cpp:392 +#: autoop.cpp:393 msgid "Hostmasks(s) added to user {1}" msgstr "Dodano maskę/i hosta do użytkownika {1}" -#: autoop.cpp:401 +#: autoop.cpp:402 msgid "Usage: DelMasks ,[mask] ..." msgstr "Użycie: DelMasks ,[maska] ..." -#: autoop.cpp:413 +#: autoop.cpp:414 msgid "Removed user {1} with key {2} and channels {3}" msgstr "Usunięto użytkownika {1} z kluczem {2} i kanałami {3}" -#: autoop.cpp:419 +#: autoop.cpp:420 msgid "Hostmasks(s) Removed from user {1}" msgstr "Usunięto maski hosta użytkownikowi {1}" -#: autoop.cpp:478 +#: autoop.cpp:479 msgid "User {1} removed" msgstr "Użytkownik {1} usunięty" -#: autoop.cpp:484 +#: autoop.cpp:485 msgid "That user already exists" msgstr "Ten użytkownik już istnieje" -#: autoop.cpp:490 +#: autoop.cpp:491 msgid "User {1} added with hostmask(s) {2}" msgstr "Użytkownik {1} został dodany z maską/maskami {2}" -#: autoop.cpp:532 +#: autoop.cpp:533 msgid "" "[{1}] sent us a challenge but they are not opped in any defined channels." msgstr "" "[{1}] wysłał nam wyzwanie, ale nie są operatorami w żadnych zdefiniowanych " "kanałach." -#: autoop.cpp:536 +#: autoop.cpp:537 msgid "[{1}] sent us a challenge but they do not match a defined user." msgstr "" "[{1}] wysłał nam wyzwanie, ale nie pasuje do zdefiniowanego użytkownika." -#: autoop.cpp:544 +#: autoop.cpp:545 msgid "WARNING! [{1}] sent an invalid challenge." msgstr "OSTRZEŻENIE! [{1}] wysłał nieprawidłowe wyzwanie." -#: autoop.cpp:560 +#: autoop.cpp:561 msgid "[{1}] sent an unchallenged response. This could be due to lag." msgstr "" "[{1}] wysłał nieprawidłową odpowiedź na wyzwanie. Może to być spowodowane " "opóźnieniem." -#: autoop.cpp:577 +#: autoop.cpp:578 msgid "" "WARNING! [{1}] sent a bad response. Please verify that you have their " "correct password." @@ -170,12 +170,12 @@ msgstr "" "OSTRZEŻENIE! [{1}] wysłał złą odpowiedź. Zweryfikuj, czy masz ich poprawne " "hasło." -#: autoop.cpp:586 +#: autoop.cpp:587 msgid "WARNING! [{1}] sent a response but did not match any defined users." msgstr "" "OSTRZEŻENIE! [{1}] wysłał odpowiedź, ale nie pasował do żadnego " "zdefiniowanego użytkownika." -#: autoop.cpp:644 +#: autoop.cpp:645 msgid "Auto op the good people" msgstr "Automatyczne przydzielanie operatora dobrym ludziom" diff --git a/modules/po/autoop.pot b/modules/po/autoop.pot index 0666903f..9e9e00dd 100644 --- a/modules/po/autoop.pot +++ b/modules/po/autoop.pot @@ -3,157 +3,157 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -#: autoop.cpp:154 +#: autoop.cpp:155 msgid "List all users" msgstr "" -#: autoop.cpp:156 autoop.cpp:159 +#: autoop.cpp:157 autoop.cpp:160 msgid " [channel] ..." msgstr "" -#: autoop.cpp:157 +#: autoop.cpp:158 msgid "Adds channels to a user" msgstr "" -#: autoop.cpp:160 +#: autoop.cpp:161 msgid "Removes channels from a user" msgstr "" -#: autoop.cpp:162 autoop.cpp:165 +#: autoop.cpp:163 autoop.cpp:166 msgid " ,[mask] ..." msgstr "" -#: autoop.cpp:163 +#: autoop.cpp:164 msgid "Adds masks to a user" msgstr "" -#: autoop.cpp:166 +#: autoop.cpp:167 msgid "Removes masks from a user" msgstr "" -#: autoop.cpp:169 +#: autoop.cpp:170 msgid " [,...] [channels]" msgstr "" -#: autoop.cpp:170 +#: autoop.cpp:171 msgid "Adds a user" msgstr "" -#: autoop.cpp:172 +#: autoop.cpp:173 msgid "" msgstr "" -#: autoop.cpp:172 +#: autoop.cpp:173 msgid "Removes a user" msgstr "" -#: autoop.cpp:275 +#: autoop.cpp:276 msgid "Usage: AddUser [,...] [channels]" msgstr "" -#: autoop.cpp:291 +#: autoop.cpp:292 msgid "Usage: DelUser " msgstr "" -#: autoop.cpp:300 +#: autoop.cpp:301 msgid "There are no users defined" msgstr "" -#: autoop.cpp:306 autoop.cpp:317 autoop.cpp:321 autoop.cpp:323 +#: autoop.cpp:307 autoop.cpp:318 autoop.cpp:322 autoop.cpp:324 msgid "User" msgstr "" -#: autoop.cpp:307 autoop.cpp:325 +#: autoop.cpp:308 autoop.cpp:326 msgid "Hostmasks" msgstr "" -#: autoop.cpp:308 autoop.cpp:318 +#: autoop.cpp:309 autoop.cpp:319 msgid "Key" msgstr "" -#: autoop.cpp:309 autoop.cpp:319 +#: autoop.cpp:310 autoop.cpp:320 msgid "Channels" msgstr "" -#: autoop.cpp:337 +#: autoop.cpp:338 msgid "Usage: AddChans [channel] ..." msgstr "" -#: autoop.cpp:344 autoop.cpp:365 autoop.cpp:387 autoop.cpp:408 autoop.cpp:472 +#: autoop.cpp:345 autoop.cpp:366 autoop.cpp:388 autoop.cpp:409 autoop.cpp:473 msgid "No such user" msgstr "" -#: autoop.cpp:349 +#: autoop.cpp:350 msgid "Channel(s) added to user {1}" msgstr "" -#: autoop.cpp:358 +#: autoop.cpp:359 msgid "Usage: DelChans [channel] ..." msgstr "" -#: autoop.cpp:371 +#: autoop.cpp:372 msgid "Channel(s) Removed from user {1}" msgstr "" -#: autoop.cpp:380 +#: autoop.cpp:381 msgid "Usage: AddMasks ,[mask] ..." msgstr "" -#: autoop.cpp:392 +#: autoop.cpp:393 msgid "Hostmasks(s) added to user {1}" msgstr "" -#: autoop.cpp:401 +#: autoop.cpp:402 msgid "Usage: DelMasks ,[mask] ..." msgstr "" -#: autoop.cpp:413 +#: autoop.cpp:414 msgid "Removed user {1} with key {2} and channels {3}" msgstr "" -#: autoop.cpp:419 +#: autoop.cpp:420 msgid "Hostmasks(s) Removed from user {1}" msgstr "" -#: autoop.cpp:478 +#: autoop.cpp:479 msgid "User {1} removed" msgstr "" -#: autoop.cpp:484 +#: autoop.cpp:485 msgid "That user already exists" msgstr "" -#: autoop.cpp:490 +#: autoop.cpp:491 msgid "User {1} added with hostmask(s) {2}" msgstr "" -#: autoop.cpp:532 +#: autoop.cpp:533 msgid "" "[{1}] sent us a challenge but they are not opped in any defined channels." msgstr "" -#: autoop.cpp:536 +#: autoop.cpp:537 msgid "[{1}] sent us a challenge but they do not match a defined user." msgstr "" -#: autoop.cpp:544 +#: autoop.cpp:545 msgid "WARNING! [{1}] sent an invalid challenge." msgstr "" -#: autoop.cpp:560 +#: autoop.cpp:561 msgid "[{1}] sent an unchallenged response. This could be due to lag." msgstr "" -#: autoop.cpp:577 +#: autoop.cpp:578 msgid "" "WARNING! [{1}] sent a bad response. Please verify that you have their " "correct password." msgstr "" -#: autoop.cpp:586 +#: autoop.cpp:587 msgid "WARNING! [{1}] sent a response but did not match any defined users." msgstr "" -#: autoop.cpp:644 +#: autoop.cpp:645 msgid "Auto op the good people" msgstr "" diff --git a/modules/po/autoop.pt_BR.po b/modules/po/autoop.pt_BR.po index 1dbaa8ef..778a4818 100644 --- a/modules/po/autoop.pt_BR.po +++ b/modules/po/autoop.pt_BR.po @@ -12,154 +12,154 @@ msgstr "" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" -#: autoop.cpp:154 +#: autoop.cpp:155 msgid "List all users" msgstr "Lista todos os usuários" -#: autoop.cpp:156 autoop.cpp:159 +#: autoop.cpp:157 autoop.cpp:160 msgid " [channel] ..." msgstr " [channel] ..." -#: autoop.cpp:157 +#: autoop.cpp:158 msgid "Adds channels to a user" msgstr "Adiciona canais a um usuário" -#: autoop.cpp:160 +#: autoop.cpp:161 msgid "Removes channels from a user" msgstr "Remove canais de um usuário" -#: autoop.cpp:162 autoop.cpp:165 +#: autoop.cpp:163 autoop.cpp:166 msgid " ,[mask] ..." msgstr " ,[mask] ..." -#: autoop.cpp:163 +#: autoop.cpp:164 msgid "Adds masks to a user" msgstr "Adiciona uma máscara a um usuário" -#: autoop.cpp:166 +#: autoop.cpp:167 msgid "Removes masks from a user" msgstr "Remove máscaras de um usuário" -#: autoop.cpp:169 +#: autoop.cpp:170 msgid " [,...] [channels]" msgstr " [,...] [channels]" -#: autoop.cpp:170 +#: autoop.cpp:171 msgid "Adds a user" msgstr "Adiciona um usuário" -#: autoop.cpp:172 +#: autoop.cpp:173 msgid "" msgstr "" -#: autoop.cpp:172 +#: autoop.cpp:173 msgid "Removes a user" msgstr "Remove um usuário" -#: autoop.cpp:275 +#: autoop.cpp:276 msgid "Usage: AddUser [,...] [channels]" msgstr "" "Sintaxe: AddUser [,...] " " [canais]" -#: autoop.cpp:291 +#: autoop.cpp:292 msgid "Usage: DelUser " msgstr "Sintaxe: DelUser " -#: autoop.cpp:300 +#: autoop.cpp:301 msgid "There are no users defined" msgstr "Não há usuários definidos" -#: autoop.cpp:306 autoop.cpp:317 autoop.cpp:321 autoop.cpp:323 +#: autoop.cpp:307 autoop.cpp:318 autoop.cpp:322 autoop.cpp:324 msgid "User" msgstr "Usuário" -#: autoop.cpp:307 autoop.cpp:325 +#: autoop.cpp:308 autoop.cpp:326 msgid "Hostmasks" msgstr "Máscaras de Host" -#: autoop.cpp:308 autoop.cpp:318 +#: autoop.cpp:309 autoop.cpp:319 msgid "Key" msgstr "Chave" -#: autoop.cpp:309 autoop.cpp:319 +#: autoop.cpp:310 autoop.cpp:320 msgid "Channels" msgstr "Canais" -#: autoop.cpp:337 +#: autoop.cpp:338 msgid "Usage: AddChans [channel] ..." msgstr "Sintaxe: AddChans [canal] ..." -#: autoop.cpp:344 autoop.cpp:365 autoop.cpp:387 autoop.cpp:408 autoop.cpp:472 +#: autoop.cpp:345 autoop.cpp:366 autoop.cpp:388 autoop.cpp:409 autoop.cpp:473 msgid "No such user" msgstr "Nenhum usuário encontrado" -#: autoop.cpp:349 +#: autoop.cpp:350 msgid "Channel(s) added to user {1}" msgstr "Canal(ais) adicionado(s) ao usuário {1}" -#: autoop.cpp:358 +#: autoop.cpp:359 msgid "Usage: DelChans [channel] ..." msgstr "Sintaxe: DelChans [canal] ..." -#: autoop.cpp:371 +#: autoop.cpp:372 msgid "Channel(s) Removed from user {1}" msgstr "Canal(ais) removido(s) do usuário {1}" -#: autoop.cpp:380 +#: autoop.cpp:381 msgid "Usage: AddMasks ,[mask] ..." msgstr "Sintaxe: AddMasks ,[máscara] ..." -#: autoop.cpp:392 +#: autoop.cpp:393 msgid "Hostmasks(s) added to user {1}" msgstr "Máscara(s) de host adicionada(s) ao usuário {1}" -#: autoop.cpp:401 +#: autoop.cpp:402 msgid "Usage: DelMasks ,[mask] ..." msgstr "Sintaxe: DelMasks ,[máscara] ..." -#: autoop.cpp:413 +#: autoop.cpp:414 msgid "Removed user {1} with key {2} and channels {3}" msgstr "Usuário {1} com chave {2} e {3} canais foi removido" -#: autoop.cpp:419 +#: autoop.cpp:420 msgid "Hostmasks(s) Removed from user {1}" msgstr "Máscara(s) de host removida(s) do usuário {1}" -#: autoop.cpp:478 +#: autoop.cpp:479 msgid "User {1} removed" msgstr "Usuário {1} removido" -#: autoop.cpp:484 +#: autoop.cpp:485 msgid "That user already exists" msgstr "Esse usuário já existe" -#: autoop.cpp:490 +#: autoop.cpp:491 msgid "User {1} added with hostmask(s) {2}" msgstr "Usuário {1} adicionado com a(s) máscara(s) de host {2}" -#: autoop.cpp:532 +#: autoop.cpp:533 msgid "" "[{1}] sent us a challenge but they are not opped in any defined channels." msgstr "" "[{1}] enviou um desafio, mas não possui status de operador em qualquer canal " "definido." -#: autoop.cpp:536 +#: autoop.cpp:537 msgid "[{1}] sent us a challenge but they do not match a defined user." msgstr "" "[{1}] enviou um desafio, mas não corresponde a qualquer usuário definido." -#: autoop.cpp:544 +#: autoop.cpp:545 msgid "WARNING! [{1}] sent an invalid challenge." msgstr "AVISO! [{1}] enviou um desafio inválido." -#: autoop.cpp:560 +#: autoop.cpp:561 msgid "[{1}] sent an unchallenged response. This could be due to lag." msgstr "" "[{1}] enviou uma resposta sem desafio. Isso pode ocorrer devido a um lag." -#: autoop.cpp:577 +#: autoop.cpp:578 msgid "" "WARNING! [{1}] sent a bad response. Please verify that you have their " "correct password." @@ -167,12 +167,12 @@ msgstr "" "AVISO! [{1}] enviou uma má resposta. Por favor, verifique se você tem a " "senha correta." -#: autoop.cpp:586 +#: autoop.cpp:587 msgid "WARNING! [{1}] sent a response but did not match any defined users." msgstr "" "WARNING! [{1}] enviou uma resposta mas não corresponde a qualquer usuário " "definido." -#: autoop.cpp:644 +#: autoop.cpp:645 msgid "Auto op the good people" msgstr "Automaticamente torna operador as pessoas boas" diff --git a/modules/po/autoop.ru_RU.po b/modules/po/autoop.ru_RU.po index 046eac02..1ecf4f48 100644 --- a/modules/po/autoop.ru_RU.po +++ b/modules/po/autoop.ru_RU.po @@ -14,157 +14,157 @@ msgstr "" "Language-Team: Russian\n" "Language: ru_RU\n" -#: autoop.cpp:154 +#: autoop.cpp:155 msgid "List all users" msgstr "" -#: autoop.cpp:156 autoop.cpp:159 +#: autoop.cpp:157 autoop.cpp:160 msgid " [channel] ..." msgstr "" -#: autoop.cpp:157 +#: autoop.cpp:158 msgid "Adds channels to a user" msgstr "" -#: autoop.cpp:160 +#: autoop.cpp:161 msgid "Removes channels from a user" msgstr "" -#: autoop.cpp:162 autoop.cpp:165 +#: autoop.cpp:163 autoop.cpp:166 msgid " ,[mask] ..." msgstr "" -#: autoop.cpp:163 +#: autoop.cpp:164 msgid "Adds masks to a user" msgstr "" -#: autoop.cpp:166 +#: autoop.cpp:167 msgid "Removes masks from a user" msgstr "" -#: autoop.cpp:169 +#: autoop.cpp:170 msgid " [,...] [channels]" msgstr "" -#: autoop.cpp:170 +#: autoop.cpp:171 msgid "Adds a user" msgstr "" -#: autoop.cpp:172 +#: autoop.cpp:173 msgid "" msgstr "" -#: autoop.cpp:172 +#: autoop.cpp:173 msgid "Removes a user" msgstr "" -#: autoop.cpp:275 +#: autoop.cpp:276 msgid "Usage: AddUser [,...] [channels]" msgstr "" -#: autoop.cpp:291 +#: autoop.cpp:292 msgid "Usage: DelUser " msgstr "" -#: autoop.cpp:300 +#: autoop.cpp:301 msgid "There are no users defined" msgstr "" -#: autoop.cpp:306 autoop.cpp:317 autoop.cpp:321 autoop.cpp:323 +#: autoop.cpp:307 autoop.cpp:318 autoop.cpp:322 autoop.cpp:324 msgid "User" msgstr "" -#: autoop.cpp:307 autoop.cpp:325 +#: autoop.cpp:308 autoop.cpp:326 msgid "Hostmasks" msgstr "" -#: autoop.cpp:308 autoop.cpp:318 +#: autoop.cpp:309 autoop.cpp:319 msgid "Key" msgstr "" -#: autoop.cpp:309 autoop.cpp:319 +#: autoop.cpp:310 autoop.cpp:320 msgid "Channels" msgstr "" -#: autoop.cpp:337 +#: autoop.cpp:338 msgid "Usage: AddChans [channel] ..." msgstr "" -#: autoop.cpp:344 autoop.cpp:365 autoop.cpp:387 autoop.cpp:408 autoop.cpp:472 +#: autoop.cpp:345 autoop.cpp:366 autoop.cpp:388 autoop.cpp:409 autoop.cpp:473 msgid "No such user" msgstr "" -#: autoop.cpp:349 +#: autoop.cpp:350 msgid "Channel(s) added to user {1}" msgstr "" -#: autoop.cpp:358 +#: autoop.cpp:359 msgid "Usage: DelChans [channel] ..." msgstr "" -#: autoop.cpp:371 +#: autoop.cpp:372 msgid "Channel(s) Removed from user {1}" msgstr "" -#: autoop.cpp:380 +#: autoop.cpp:381 msgid "Usage: AddMasks ,[mask] ..." msgstr "" -#: autoop.cpp:392 +#: autoop.cpp:393 msgid "Hostmasks(s) added to user {1}" msgstr "" -#: autoop.cpp:401 +#: autoop.cpp:402 msgid "Usage: DelMasks ,[mask] ..." msgstr "" -#: autoop.cpp:413 +#: autoop.cpp:414 msgid "Removed user {1} with key {2} and channels {3}" msgstr "" -#: autoop.cpp:419 +#: autoop.cpp:420 msgid "Hostmasks(s) Removed from user {1}" msgstr "" -#: autoop.cpp:478 +#: autoop.cpp:479 msgid "User {1} removed" msgstr "" -#: autoop.cpp:484 +#: autoop.cpp:485 msgid "That user already exists" msgstr "" -#: autoop.cpp:490 +#: autoop.cpp:491 msgid "User {1} added with hostmask(s) {2}" msgstr "" -#: autoop.cpp:532 +#: autoop.cpp:533 msgid "" "[{1}] sent us a challenge but they are not opped in any defined channels." msgstr "" -#: autoop.cpp:536 +#: autoop.cpp:537 msgid "[{1}] sent us a challenge but they do not match a defined user." msgstr "" -#: autoop.cpp:544 +#: autoop.cpp:545 msgid "WARNING! [{1}] sent an invalid challenge." msgstr "" -#: autoop.cpp:560 +#: autoop.cpp:561 msgid "[{1}] sent an unchallenged response. This could be due to lag." msgstr "" -#: autoop.cpp:577 +#: autoop.cpp:578 msgid "" "WARNING! [{1}] sent a bad response. Please verify that you have their " "correct password." msgstr "" -#: autoop.cpp:586 +#: autoop.cpp:587 msgid "WARNING! [{1}] sent a response but did not match any defined users." msgstr "" -#: autoop.cpp:644 +#: autoop.cpp:645 msgid "Auto op the good people" msgstr "" From b80d674cfcb43d425f7b168fecf3911641c965dd Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Thu, 24 Sep 2020 10:10:43 +0100 Subject: [PATCH 500/798] Update default SSL settings from Mozilla recommmendations Disable TLSv1.0 and TLSv1.1 by default Ref #1758 --- src/Socket.cpp | 18 ++++++------------ src/znc.cpp | 2 +- 2 files changed, 7 insertions(+), 13 deletions(-) diff --git a/src/Socket.cpp b/src/Socket.cpp index 206ddef2..ad0f918a 100644 --- a/src/Socket.cpp +++ b/src/Socket.cpp @@ -30,19 +30,13 @@ #ifdef HAVE_LIBSSL // Copypasted from // https://wiki.mozilla.org/Security/Server_Side_TLS#Intermediate_compatibility_.28default.29 -// at 2018-04-01 +// at 2020-09-24 static CString ZNC_DefaultCipher() { - return "ECDHE-ECDSA-CHACHA20-POLY1305:ECDHE-RSA-CHACHA20-POLY1305:ECDHE-" - "ECDSA-AES128-GCM-SHA256:ECDHE-RSA-AES128-GCM-SHA256:ECDHE-ECDSA-" - "AES256-GCM-SHA384:ECDHE-RSA-AES256-GCM-SHA384:DHE-RSA-AES128-GCM-" - "SHA256:DHE-RSA-AES256-GCM-SHA384:ECDHE-ECDSA-AES128-SHA256:ECDHE-" - "RSA-AES128-SHA256:ECDHE-ECDSA-AES128-SHA:ECDHE-RSA-AES256-SHA384:" - "ECDHE-RSA-AES128-SHA:ECDHE-ECDSA-AES256-SHA384:ECDHE-ECDSA-AES256-" - "SHA:ECDHE-RSA-AES256-SHA:DHE-RSA-AES128-SHA256:DHE-RSA-AES128-SHA:" - "DHE-RSA-AES256-SHA256:DHE-RSA-AES256-SHA:ECDHE-ECDSA-DES-CBC3-SHA:" - "ECDHE-RSA-DES-CBC3-SHA:EDH-RSA-DES-CBC3-SHA:AES128-GCM-SHA256:" - "AES256-GCM-SHA384:AES128-SHA256:AES256-SHA256:AES128-SHA:AES256-" - "SHA:DES-CBC3-SHA:!DSS"; + // This is TLS1.2 only, because TLS1.3 ciphers are probably not configurable here yet + return "ECDHE-ECDSA-AES128-GCM-SHA256:ECDHE-RSA-AES128-GCM-SHA256:" + "ECDHE-ECDSA-AES256-GCM-SHA384:ECDHE-RSA-AES256-GCM-SHA384:" + "ECDHE-ECDSA-CHACHA20-POLY1305:ECDHE-RSA-CHACHA20-POLY1305:" + "DHE-RSA-AES128-GCM-SHA256:DHE-RSA-AES256-GCM-SHA384"; } #endif diff --git a/src/znc.cpp b/src/znc.cpp index 481534e5..88a4e688 100644 --- a/src/znc.cpp +++ b/src/znc.cpp @@ -59,7 +59,7 @@ CZNC::CZNC() m_uiConnectDelay(5), m_uiAnonIPLimit(10), m_uiMaxBufferSize(500), - m_uDisabledSSLProtocols(Csock::EDP_SSL), + m_uDisabledSSLProtocols(Csock::EDP_SSL | Csock::EDP_TLSv1 | Csock::EDP_TLSv1_1), m_pModules(new CModules), m_uBytesRead(0), m_uBytesWritten(0), From 998e00feabd67a145b5828f41aa55f65b9b22d5f Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Fri, 25 Sep 2020 00:29:29 +0000 Subject: [PATCH 501/798] Update translations from Crowdin for bg_BG de_DE el_GR es_ES fr_FR id_ID it_IT nl_NL pl_PL pt_BR ru_RU --- src/po/znc.bg_BG.po | 10 +++++----- src/po/znc.de_DE.po | 10 +++++----- src/po/znc.el_GR.po | 10 +++++----- src/po/znc.es_ES.po | 10 +++++----- src/po/znc.fr_FR.po | 10 +++++----- src/po/znc.id_ID.po | 10 +++++----- src/po/znc.it_IT.po | 10 +++++----- src/po/znc.nl_NL.po | 10 +++++----- src/po/znc.pl_PL.po | 10 +++++----- src/po/znc.pot | 10 +++++----- src/po/znc.pt_BR.po | 10 +++++----- src/po/znc.ru_RU.po | 10 +++++----- 12 files changed, 60 insertions(+), 60 deletions(-) diff --git a/src/po/znc.bg_BG.po b/src/po/znc.bg_BG.po index d50838d0..5d7c37c4 100644 --- a/src/po/znc.bg_BG.po +++ b/src/po/znc.bg_BG.po @@ -1818,25 +1818,25 @@ msgctxt "helpcmd|Restart|desc" msgid "Restart ZNC" msgstr "" -#: Socket.cpp:342 +#: Socket.cpp:336 msgid "Can't resolve server hostname" msgstr "" -#: Socket.cpp:349 +#: Socket.cpp:343 msgid "" "Can't resolve bind hostname. Try /znc ClearBindHost and /znc " "ClearUserBindHost" msgstr "" -#: Socket.cpp:354 +#: Socket.cpp:348 msgid "Server address is IPv4-only, but bindhost is IPv6-only" msgstr "" -#: Socket.cpp:363 +#: Socket.cpp:357 msgid "Server address is IPv6-only, but bindhost is IPv4-only" msgstr "" -#: Socket.cpp:521 +#: Socket.cpp:515 msgid "Some socket reached its max buffer limit and was closed!" msgstr "" diff --git a/src/po/znc.de_DE.po b/src/po/znc.de_DE.po index 9a370c37..89d6e180 100644 --- a/src/po/znc.de_DE.po +++ b/src/po/znc.de_DE.po @@ -1894,11 +1894,11 @@ msgctxt "helpcmd|Restart|desc" msgid "Restart ZNC" msgstr "Starte ZNC neu" -#: Socket.cpp:342 +#: Socket.cpp:336 msgid "Can't resolve server hostname" msgstr "Kann den Hostnamen des Servers nicht auflösen" -#: Socket.cpp:349 +#: Socket.cpp:343 msgid "" "Can't resolve bind hostname. Try /znc ClearBindHost and /znc " "ClearUserBindHost" @@ -1906,15 +1906,15 @@ msgstr "" "Kann Binde-Hostnamen nicht auflösen. Versuche /znc ClearBindHost und /znc " "ClearUserBindHost" -#: Socket.cpp:354 +#: Socket.cpp:348 msgid "Server address is IPv4-only, but bindhost is IPv6-only" msgstr "Server hat nur eine IPv4-Adresse, aber Binde-Hostname ist nur IPv6" -#: Socket.cpp:363 +#: Socket.cpp:357 msgid "Server address is IPv6-only, but bindhost is IPv4-only" msgstr "Server hat nur eine IPv6-Adresse, aber Binde-Hostname ist nur IPv4" -#: Socket.cpp:521 +#: Socket.cpp:515 msgid "Some socket reached its max buffer limit and was closed!" msgstr "" "Eine Verbindung hat ihre maximale Puffergrenze erreicht und wurde " diff --git a/src/po/znc.el_GR.po b/src/po/znc.el_GR.po index 63bb984b..1312dae5 100644 --- a/src/po/znc.el_GR.po +++ b/src/po/znc.el_GR.po @@ -1818,25 +1818,25 @@ msgctxt "helpcmd|Restart|desc" msgid "Restart ZNC" msgstr "" -#: Socket.cpp:342 +#: Socket.cpp:336 msgid "Can't resolve server hostname" msgstr "" -#: Socket.cpp:349 +#: Socket.cpp:343 msgid "" "Can't resolve bind hostname. Try /znc ClearBindHost and /znc " "ClearUserBindHost" msgstr "" -#: Socket.cpp:354 +#: Socket.cpp:348 msgid "Server address is IPv4-only, but bindhost is IPv6-only" msgstr "" -#: Socket.cpp:363 +#: Socket.cpp:357 msgid "Server address is IPv6-only, but bindhost is IPv4-only" msgstr "" -#: Socket.cpp:521 +#: Socket.cpp:515 msgid "Some socket reached its max buffer limit and was closed!" msgstr "" diff --git a/src/po/znc.es_ES.po b/src/po/znc.es_ES.po index 02286524..67c1b8a7 100644 --- a/src/po/znc.es_ES.po +++ b/src/po/znc.es_ES.po @@ -1873,11 +1873,11 @@ msgctxt "helpcmd|Restart|desc" msgid "Restart ZNC" msgstr "Reiniciar ZNC" -#: Socket.cpp:342 +#: Socket.cpp:336 msgid "Can't resolve server hostname" msgstr "No se puede resolver el hostname del servidor" -#: Socket.cpp:349 +#: Socket.cpp:343 msgid "" "Can't resolve bind hostname. Try /znc ClearBindHost and /znc " "ClearUserBindHost" @@ -1885,15 +1885,15 @@ msgstr "" "No se puede resolver el bindhost. Prueba /znc ClearBindHost y /znc " "ClearUserBindHost" -#: Socket.cpp:354 +#: Socket.cpp:348 msgid "Server address is IPv4-only, but bindhost is IPv6-only" msgstr "La dirección del servidor es solo-IPv4, pero el bindhost es solo-IPv6" -#: Socket.cpp:363 +#: Socket.cpp:357 msgid "Server address is IPv6-only, but bindhost is IPv4-only" msgstr "La dirección del servidor es solo-IPv6, pero el bindhost es solo-IPv4" -#: Socket.cpp:521 +#: Socket.cpp:515 msgid "Some socket reached its max buffer limit and was closed!" msgstr "" "¡Algún socket ha alcanzado el límite de su búfer máximo y se ha cerrado!" diff --git a/src/po/znc.fr_FR.po b/src/po/znc.fr_FR.po index ee345c59..252c5275 100644 --- a/src/po/znc.fr_FR.po +++ b/src/po/znc.fr_FR.po @@ -1885,11 +1885,11 @@ msgctxt "helpcmd|Restart|desc" msgid "Restart ZNC" msgstr "Redémarre ZNC" -#: Socket.cpp:342 +#: Socket.cpp:336 msgid "Can't resolve server hostname" msgstr "Impossible de résoudre le nom de domaine" -#: Socket.cpp:349 +#: Socket.cpp:343 msgid "" "Can't resolve bind hostname. Try /znc ClearBindHost and /znc " "ClearUserBindHost" @@ -1897,17 +1897,17 @@ msgstr "" "Impossible de résoudre le nom de domaine de l'hôte. Essayez /znc " "ClearBindHost et /znc ClearUserBindHost" -#: Socket.cpp:354 +#: Socket.cpp:348 msgid "Server address is IPv4-only, but bindhost is IPv6-only" msgstr "" "L'adresse du serveur est IPv4 uniquement, mais l'hôte lié est IPv6 seulement" -#: Socket.cpp:363 +#: Socket.cpp:357 msgid "Server address is IPv6-only, but bindhost is IPv4-only" msgstr "" "L'adresse du serveur est IPv6 uniquement, mais l'hôte lié est IPv4 seulement" -#: Socket.cpp:521 +#: Socket.cpp:515 msgid "Some socket reached its max buffer limit and was closed!" msgstr "Un socket a atteint sa limite maximale de tampon et s'est fermé !" diff --git a/src/po/znc.id_ID.po b/src/po/znc.id_ID.po index 56500af5..85ed0112 100644 --- a/src/po/znc.id_ID.po +++ b/src/po/znc.id_ID.po @@ -1825,25 +1825,25 @@ msgctxt "helpcmd|Restart|desc" msgid "Restart ZNC" msgstr "" -#: Socket.cpp:342 +#: Socket.cpp:336 msgid "Can't resolve server hostname" msgstr "" -#: Socket.cpp:349 +#: Socket.cpp:343 msgid "" "Can't resolve bind hostname. Try /znc ClearBindHost and /znc " "ClearUserBindHost" msgstr "" -#: Socket.cpp:354 +#: Socket.cpp:348 msgid "Server address is IPv4-only, but bindhost is IPv6-only" msgstr "" -#: Socket.cpp:363 +#: Socket.cpp:357 msgid "Server address is IPv6-only, but bindhost is IPv4-only" msgstr "" -#: Socket.cpp:521 +#: Socket.cpp:515 msgid "Some socket reached its max buffer limit and was closed!" msgstr "" diff --git a/src/po/znc.it_IT.po b/src/po/znc.it_IT.po index a2da852d..54fd1060 100644 --- a/src/po/znc.it_IT.po +++ b/src/po/znc.it_IT.po @@ -1883,11 +1883,11 @@ msgctxt "helpcmd|Restart|desc" msgid "Restart ZNC" msgstr "Riavvia lo ZNC" -#: Socket.cpp:342 +#: Socket.cpp:336 msgid "Can't resolve server hostname" msgstr "Impossibile risolvere il nome dell'host del server" -#: Socket.cpp:349 +#: Socket.cpp:343 msgid "" "Can't resolve bind hostname. Try /znc ClearBindHost and /znc " "ClearUserBindHost" @@ -1895,15 +1895,15 @@ msgstr "" "Impossibile risolvere l'hostname allegato. Prova /znc ClearBindHost e /znc " "ClearUserBindHost" -#: Socket.cpp:354 +#: Socket.cpp:348 msgid "Server address is IPv4-only, but bindhost is IPv6-only" msgstr "L'indirizzo del server è IPv4-only, ma il bindhost è IPv6-only" -#: Socket.cpp:363 +#: Socket.cpp:357 msgid "Server address is IPv6-only, but bindhost is IPv4-only" msgstr "L'indirizzo del server è IPv6-only, ma il bindhost è IPv4-only" -#: Socket.cpp:521 +#: Socket.cpp:515 msgid "Some socket reached its max buffer limit and was closed!" msgstr "" "Alcuni socket hanno raggiunto il limite massimo di buffer e sono stati " diff --git a/src/po/znc.nl_NL.po b/src/po/znc.nl_NL.po index d5b32487..273be5a1 100644 --- a/src/po/znc.nl_NL.po +++ b/src/po/znc.nl_NL.po @@ -1889,11 +1889,11 @@ msgctxt "helpcmd|Restart|desc" msgid "Restart ZNC" msgstr "Herstart ZNC" -#: Socket.cpp:342 +#: Socket.cpp:336 msgid "Can't resolve server hostname" msgstr "Kan server hostnaam niet oplossen" -#: Socket.cpp:349 +#: Socket.cpp:343 msgid "" "Can't resolve bind hostname. Try /znc ClearBindHost and /znc " "ClearUserBindHost" @@ -1901,15 +1901,15 @@ msgstr "" "Kan bindhostnaam niet oplossen. Probeer /znc ClearBindHost en /znc " "ClearUserBindHost" -#: Socket.cpp:354 +#: Socket.cpp:348 msgid "Server address is IPv4-only, but bindhost is IPv6-only" msgstr "Server adres is alleen IPv4, maar de bindhost is alleen IPv6" -#: Socket.cpp:363 +#: Socket.cpp:357 msgid "Server address is IPv6-only, but bindhost is IPv4-only" msgstr "Server adres is alleen IPv6, maar de bindhost is alleen IPv4" -#: Socket.cpp:521 +#: Socket.cpp:515 msgid "Some socket reached its max buffer limit and was closed!" msgstr "" "Een of andere socket heeft de maximale buffer limiet bereikt en was " diff --git a/src/po/znc.pl_PL.po b/src/po/znc.pl_PL.po index b9cfed03..10806f58 100644 --- a/src/po/znc.pl_PL.po +++ b/src/po/znc.pl_PL.po @@ -1893,11 +1893,11 @@ msgctxt "helpcmd|Restart|desc" msgid "Restart ZNC" msgstr "Uruchamia ponownie ZNC" -#: Socket.cpp:342 +#: Socket.cpp:336 msgid "Can't resolve server hostname" msgstr "Nie można rozwiązać nazwy hosta serwera" -#: Socket.cpp:349 +#: Socket.cpp:343 msgid "" "Can't resolve bind hostname. Try /znc ClearBindHost and /znc " "ClearUserBindHost" @@ -1905,15 +1905,15 @@ msgstr "" "Nie mogę rozwiązać nazwy hosta. Spróbuj /znc ClearBindHost oraz /znc " "ClearUserBindHost" -#: Socket.cpp:354 +#: Socket.cpp:348 msgid "Server address is IPv4-only, but bindhost is IPv6-only" msgstr "Adres serwera jest tylko IPv4, ale podłączony host jest tylko IPv6" -#: Socket.cpp:363 +#: Socket.cpp:357 msgid "Server address is IPv6-only, but bindhost is IPv4-only" msgstr "Adres serwera jest tylko IPv6, ale podłączony host jest tylko IPv4" -#: Socket.cpp:521 +#: Socket.cpp:515 msgid "Some socket reached its max buffer limit and was closed!" msgstr "" "Niektóre gniazda osiągnęły limit swego maksymalnego bufora i zostały " diff --git a/src/po/znc.pot b/src/po/znc.pot index c2310a9b..28938799 100644 --- a/src/po/znc.pot +++ b/src/po/znc.pot @@ -1809,25 +1809,25 @@ msgctxt "helpcmd|Restart|desc" msgid "Restart ZNC" msgstr "" -#: Socket.cpp:342 +#: Socket.cpp:336 msgid "Can't resolve server hostname" msgstr "" -#: Socket.cpp:349 +#: Socket.cpp:343 msgid "" "Can't resolve bind hostname. Try /znc ClearBindHost and /znc " "ClearUserBindHost" msgstr "" -#: Socket.cpp:354 +#: Socket.cpp:348 msgid "Server address is IPv4-only, but bindhost is IPv6-only" msgstr "" -#: Socket.cpp:363 +#: Socket.cpp:357 msgid "Server address is IPv6-only, but bindhost is IPv4-only" msgstr "" -#: Socket.cpp:521 +#: Socket.cpp:515 msgid "Some socket reached its max buffer limit and was closed!" msgstr "" diff --git a/src/po/znc.pt_BR.po b/src/po/znc.pt_BR.po index 1a7f5198..3c5805fc 100644 --- a/src/po/znc.pt_BR.po +++ b/src/po/znc.pt_BR.po @@ -1870,11 +1870,11 @@ msgctxt "helpcmd|Restart|desc" msgid "Restart ZNC" msgstr "Reinicia o ZNC" -#: Socket.cpp:342 +#: Socket.cpp:336 msgid "Can't resolve server hostname" msgstr "Não é possível resolver o nome do host do servidor" -#: Socket.cpp:349 +#: Socket.cpp:343 msgid "" "Can't resolve bind hostname. Try /znc ClearBindHost and /znc " "ClearUserBindHost" @@ -1882,17 +1882,17 @@ msgstr "" "Não é possível resolver o nome do host de ligação (BindHost). Tente /znc " "ClearBindHost e /znc ClearUserBindHost" -#: Socket.cpp:354 +#: Socket.cpp:348 msgid "Server address is IPv4-only, but bindhost is IPv6-only" msgstr "" "O endereço do servidor permite apenas IPv4, mas o bindhost é apenas IPv6" -#: Socket.cpp:363 +#: Socket.cpp:357 msgid "Server address is IPv6-only, but bindhost is IPv4-only" msgstr "" "O endereço do servidor permite apenas IPv6, mas o bindhost é apenas IPv4" -#: Socket.cpp:521 +#: Socket.cpp:515 msgid "Some socket reached its max buffer limit and was closed!" msgstr "Algum socket atingiu seu limite máximo de buffer e foi fechado!" diff --git a/src/po/znc.ru_RU.po b/src/po/znc.ru_RU.po index d66c087f..5c1bf77a 100644 --- a/src/po/znc.ru_RU.po +++ b/src/po/znc.ru_RU.po @@ -1874,25 +1874,25 @@ msgctxt "helpcmd|Restart|desc" msgid "Restart ZNC" msgstr "" -#: Socket.cpp:342 +#: Socket.cpp:336 msgid "Can't resolve server hostname" msgstr "" -#: Socket.cpp:349 +#: Socket.cpp:343 msgid "" "Can't resolve bind hostname. Try /znc ClearBindHost and /znc " "ClearUserBindHost" msgstr "" -#: Socket.cpp:354 +#: Socket.cpp:348 msgid "Server address is IPv4-only, but bindhost is IPv6-only" msgstr "" -#: Socket.cpp:363 +#: Socket.cpp:357 msgid "Server address is IPv6-only, but bindhost is IPv4-only" msgstr "" -#: Socket.cpp:521 +#: Socket.cpp:515 msgid "Some socket reached its max buffer limit and was closed!" msgstr "" From a2d26af4413fa56f3c711c887fd2925cd96902d8 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Fri, 25 Sep 2020 00:29:30 +0000 Subject: [PATCH 502/798] Update translations from Crowdin for bg_BG de_DE el_GR es_ES fr_FR id_ID it_IT nl_NL pl_PL pt_BR ru_RU --- src/po/znc.bg_BG.po | 10 +++++----- src/po/znc.de_DE.po | 10 +++++----- src/po/znc.el_GR.po | 10 +++++----- src/po/znc.es_ES.po | 10 +++++----- src/po/znc.fr_FR.po | 10 +++++----- src/po/znc.id_ID.po | 10 +++++----- src/po/znc.it_IT.po | 10 +++++----- src/po/znc.nl_NL.po | 10 +++++----- src/po/znc.pl_PL.po | 10 +++++----- src/po/znc.pot | 10 +++++----- src/po/znc.pt_BR.po | 10 +++++----- src/po/znc.ru_RU.po | 10 +++++----- 12 files changed, 60 insertions(+), 60 deletions(-) diff --git a/src/po/znc.bg_BG.po b/src/po/znc.bg_BG.po index 84226c14..0f9a95db 100644 --- a/src/po/znc.bg_BG.po +++ b/src/po/znc.bg_BG.po @@ -1818,25 +1818,25 @@ msgctxt "helpcmd|Restart|desc" msgid "Restart ZNC" msgstr "" -#: Socket.cpp:342 +#: Socket.cpp:336 msgid "Can't resolve server hostname" msgstr "" -#: Socket.cpp:349 +#: Socket.cpp:343 msgid "" "Can't resolve bind hostname. Try /znc ClearBindHost and /znc " "ClearUserBindHost" msgstr "" -#: Socket.cpp:354 +#: Socket.cpp:348 msgid "Server address is IPv4-only, but bindhost is IPv6-only" msgstr "" -#: Socket.cpp:363 +#: Socket.cpp:357 msgid "Server address is IPv6-only, but bindhost is IPv4-only" msgstr "" -#: Socket.cpp:521 +#: Socket.cpp:515 msgid "Some socket reached its max buffer limit and was closed!" msgstr "" diff --git a/src/po/znc.de_DE.po b/src/po/znc.de_DE.po index c126e12b..5ee22eb9 100644 --- a/src/po/znc.de_DE.po +++ b/src/po/znc.de_DE.po @@ -1894,11 +1894,11 @@ msgctxt "helpcmd|Restart|desc" msgid "Restart ZNC" msgstr "Starte ZNC neu" -#: Socket.cpp:342 +#: Socket.cpp:336 msgid "Can't resolve server hostname" msgstr "Kann den Hostnamen des Servers nicht auflösen" -#: Socket.cpp:349 +#: Socket.cpp:343 msgid "" "Can't resolve bind hostname. Try /znc ClearBindHost and /znc " "ClearUserBindHost" @@ -1906,15 +1906,15 @@ msgstr "" "Kann Binde-Hostnamen nicht auflösen. Versuche /znc ClearBindHost und /znc " "ClearUserBindHost" -#: Socket.cpp:354 +#: Socket.cpp:348 msgid "Server address is IPv4-only, but bindhost is IPv6-only" msgstr "Server hat nur eine IPv4-Adresse, aber Binde-Hostname ist nur IPv6" -#: Socket.cpp:363 +#: Socket.cpp:357 msgid "Server address is IPv6-only, but bindhost is IPv4-only" msgstr "Server hat nur eine IPv6-Adresse, aber Binde-Hostname ist nur IPv4" -#: Socket.cpp:521 +#: Socket.cpp:515 msgid "Some socket reached its max buffer limit and was closed!" msgstr "" "Eine Verbindung hat ihre maximale Puffergrenze erreicht und wurde " diff --git a/src/po/znc.el_GR.po b/src/po/znc.el_GR.po index b15a1e56..d8fdf2ec 100644 --- a/src/po/znc.el_GR.po +++ b/src/po/znc.el_GR.po @@ -1818,25 +1818,25 @@ msgctxt "helpcmd|Restart|desc" msgid "Restart ZNC" msgstr "" -#: Socket.cpp:342 +#: Socket.cpp:336 msgid "Can't resolve server hostname" msgstr "" -#: Socket.cpp:349 +#: Socket.cpp:343 msgid "" "Can't resolve bind hostname. Try /znc ClearBindHost and /znc " "ClearUserBindHost" msgstr "" -#: Socket.cpp:354 +#: Socket.cpp:348 msgid "Server address is IPv4-only, but bindhost is IPv6-only" msgstr "" -#: Socket.cpp:363 +#: Socket.cpp:357 msgid "Server address is IPv6-only, but bindhost is IPv4-only" msgstr "" -#: Socket.cpp:521 +#: Socket.cpp:515 msgid "Some socket reached its max buffer limit and was closed!" msgstr "" diff --git a/src/po/znc.es_ES.po b/src/po/znc.es_ES.po index 918e7af4..65a1b22f 100644 --- a/src/po/znc.es_ES.po +++ b/src/po/znc.es_ES.po @@ -1873,11 +1873,11 @@ msgctxt "helpcmd|Restart|desc" msgid "Restart ZNC" msgstr "Reiniciar ZNC" -#: Socket.cpp:342 +#: Socket.cpp:336 msgid "Can't resolve server hostname" msgstr "No se puede resolver el hostname del servidor" -#: Socket.cpp:349 +#: Socket.cpp:343 msgid "" "Can't resolve bind hostname. Try /znc ClearBindHost and /znc " "ClearUserBindHost" @@ -1885,15 +1885,15 @@ msgstr "" "No se puede resolver el bindhost. Prueba /znc ClearBindHost y /znc " "ClearUserBindHost" -#: Socket.cpp:354 +#: Socket.cpp:348 msgid "Server address is IPv4-only, but bindhost is IPv6-only" msgstr "La dirección del servidor es solo-IPv4, pero el bindhost es solo-IPv6" -#: Socket.cpp:363 +#: Socket.cpp:357 msgid "Server address is IPv6-only, but bindhost is IPv4-only" msgstr "La dirección del servidor es solo-IPv6, pero el bindhost es solo-IPv4" -#: Socket.cpp:521 +#: Socket.cpp:515 msgid "Some socket reached its max buffer limit and was closed!" msgstr "" "¡Algún socket ha alcanzado el límite de su búfer máximo y se ha cerrado!" diff --git a/src/po/znc.fr_FR.po b/src/po/znc.fr_FR.po index 7584e394..b6c1cb1f 100644 --- a/src/po/znc.fr_FR.po +++ b/src/po/znc.fr_FR.po @@ -1885,11 +1885,11 @@ msgctxt "helpcmd|Restart|desc" msgid "Restart ZNC" msgstr "Redémarre ZNC" -#: Socket.cpp:342 +#: Socket.cpp:336 msgid "Can't resolve server hostname" msgstr "Impossible de résoudre le nom de domaine" -#: Socket.cpp:349 +#: Socket.cpp:343 msgid "" "Can't resolve bind hostname. Try /znc ClearBindHost and /znc " "ClearUserBindHost" @@ -1897,17 +1897,17 @@ msgstr "" "Impossible de résoudre le nom de domaine de l'hôte. Essayez /znc " "ClearBindHost et /znc ClearUserBindHost" -#: Socket.cpp:354 +#: Socket.cpp:348 msgid "Server address is IPv4-only, but bindhost is IPv6-only" msgstr "" "L'adresse du serveur est IPv4 uniquement, mais l'hôte lié est IPv6 seulement" -#: Socket.cpp:363 +#: Socket.cpp:357 msgid "Server address is IPv6-only, but bindhost is IPv4-only" msgstr "" "L'adresse du serveur est IPv6 uniquement, mais l'hôte lié est IPv4 seulement" -#: Socket.cpp:521 +#: Socket.cpp:515 msgid "Some socket reached its max buffer limit and was closed!" msgstr "Un socket a atteint sa limite maximale de tampon et s'est fermé !" diff --git a/src/po/znc.id_ID.po b/src/po/znc.id_ID.po index 5572706b..972b8399 100644 --- a/src/po/znc.id_ID.po +++ b/src/po/znc.id_ID.po @@ -1825,25 +1825,25 @@ msgctxt "helpcmd|Restart|desc" msgid "Restart ZNC" msgstr "" -#: Socket.cpp:342 +#: Socket.cpp:336 msgid "Can't resolve server hostname" msgstr "" -#: Socket.cpp:349 +#: Socket.cpp:343 msgid "" "Can't resolve bind hostname. Try /znc ClearBindHost and /znc " "ClearUserBindHost" msgstr "" -#: Socket.cpp:354 +#: Socket.cpp:348 msgid "Server address is IPv4-only, but bindhost is IPv6-only" msgstr "" -#: Socket.cpp:363 +#: Socket.cpp:357 msgid "Server address is IPv6-only, but bindhost is IPv4-only" msgstr "" -#: Socket.cpp:521 +#: Socket.cpp:515 msgid "Some socket reached its max buffer limit and was closed!" msgstr "" diff --git a/src/po/znc.it_IT.po b/src/po/znc.it_IT.po index 90c14ced..c33ff6cd 100644 --- a/src/po/znc.it_IT.po +++ b/src/po/znc.it_IT.po @@ -1883,11 +1883,11 @@ msgctxt "helpcmd|Restart|desc" msgid "Restart ZNC" msgstr "Riavvia lo ZNC" -#: Socket.cpp:342 +#: Socket.cpp:336 msgid "Can't resolve server hostname" msgstr "Impossibile risolvere il nome dell'host del server" -#: Socket.cpp:349 +#: Socket.cpp:343 msgid "" "Can't resolve bind hostname. Try /znc ClearBindHost and /znc " "ClearUserBindHost" @@ -1895,15 +1895,15 @@ msgstr "" "Impossibile risolvere l'hostname allegato. Prova /znc ClearBindHost e /znc " "ClearUserBindHost" -#: Socket.cpp:354 +#: Socket.cpp:348 msgid "Server address is IPv4-only, but bindhost is IPv6-only" msgstr "L'indirizzo del server è IPv4-only, ma il bindhost è IPv6-only" -#: Socket.cpp:363 +#: Socket.cpp:357 msgid "Server address is IPv6-only, but bindhost is IPv4-only" msgstr "L'indirizzo del server è IPv6-only, ma il bindhost è IPv4-only" -#: Socket.cpp:521 +#: Socket.cpp:515 msgid "Some socket reached its max buffer limit and was closed!" msgstr "" "Alcuni socket hanno raggiunto il limite massimo di buffer e sono stati " diff --git a/src/po/znc.nl_NL.po b/src/po/znc.nl_NL.po index fbd8a166..53381a8e 100644 --- a/src/po/znc.nl_NL.po +++ b/src/po/znc.nl_NL.po @@ -1889,11 +1889,11 @@ msgctxt "helpcmd|Restart|desc" msgid "Restart ZNC" msgstr "Herstart ZNC" -#: Socket.cpp:342 +#: Socket.cpp:336 msgid "Can't resolve server hostname" msgstr "Kan server hostnaam niet oplossen" -#: Socket.cpp:349 +#: Socket.cpp:343 msgid "" "Can't resolve bind hostname. Try /znc ClearBindHost and /znc " "ClearUserBindHost" @@ -1901,15 +1901,15 @@ msgstr "" "Kan bindhostnaam niet oplossen. Probeer /znc ClearBindHost en /znc " "ClearUserBindHost" -#: Socket.cpp:354 +#: Socket.cpp:348 msgid "Server address is IPv4-only, but bindhost is IPv6-only" msgstr "Server adres is alleen IPv4, maar de bindhost is alleen IPv6" -#: Socket.cpp:363 +#: Socket.cpp:357 msgid "Server address is IPv6-only, but bindhost is IPv4-only" msgstr "Server adres is alleen IPv6, maar de bindhost is alleen IPv4" -#: Socket.cpp:521 +#: Socket.cpp:515 msgid "Some socket reached its max buffer limit and was closed!" msgstr "" "Een of andere socket heeft de maximale buffer limiet bereikt en was " diff --git a/src/po/znc.pl_PL.po b/src/po/znc.pl_PL.po index 4ae07497..f35d5418 100644 --- a/src/po/znc.pl_PL.po +++ b/src/po/znc.pl_PL.po @@ -1893,11 +1893,11 @@ msgctxt "helpcmd|Restart|desc" msgid "Restart ZNC" msgstr "Uruchamia ponownie ZNC" -#: Socket.cpp:342 +#: Socket.cpp:336 msgid "Can't resolve server hostname" msgstr "Nie można rozwiązać nazwy hosta serwera" -#: Socket.cpp:349 +#: Socket.cpp:343 msgid "" "Can't resolve bind hostname. Try /znc ClearBindHost and /znc " "ClearUserBindHost" @@ -1905,15 +1905,15 @@ msgstr "" "Nie mogę rozwiązać nazwy hosta. Spróbuj /znc ClearBindHost oraz /znc " "ClearUserBindHost" -#: Socket.cpp:354 +#: Socket.cpp:348 msgid "Server address is IPv4-only, but bindhost is IPv6-only" msgstr "Adres serwera jest tylko IPv4, ale podłączony host jest tylko IPv6" -#: Socket.cpp:363 +#: Socket.cpp:357 msgid "Server address is IPv6-only, but bindhost is IPv4-only" msgstr "Adres serwera jest tylko IPv6, ale podłączony host jest tylko IPv4" -#: Socket.cpp:521 +#: Socket.cpp:515 msgid "Some socket reached its max buffer limit and was closed!" msgstr "" "Niektóre gniazda osiągnęły limit swego maksymalnego bufora i zostały " diff --git a/src/po/znc.pot b/src/po/znc.pot index b959a8cd..dc6f9be2 100644 --- a/src/po/znc.pot +++ b/src/po/znc.pot @@ -1809,25 +1809,25 @@ msgctxt "helpcmd|Restart|desc" msgid "Restart ZNC" msgstr "" -#: Socket.cpp:342 +#: Socket.cpp:336 msgid "Can't resolve server hostname" msgstr "" -#: Socket.cpp:349 +#: Socket.cpp:343 msgid "" "Can't resolve bind hostname. Try /znc ClearBindHost and /znc " "ClearUserBindHost" msgstr "" -#: Socket.cpp:354 +#: Socket.cpp:348 msgid "Server address is IPv4-only, but bindhost is IPv6-only" msgstr "" -#: Socket.cpp:363 +#: Socket.cpp:357 msgid "Server address is IPv6-only, but bindhost is IPv4-only" msgstr "" -#: Socket.cpp:521 +#: Socket.cpp:515 msgid "Some socket reached its max buffer limit and was closed!" msgstr "" diff --git a/src/po/znc.pt_BR.po b/src/po/znc.pt_BR.po index 530fa936..609bd0db 100644 --- a/src/po/znc.pt_BR.po +++ b/src/po/znc.pt_BR.po @@ -1870,11 +1870,11 @@ msgctxt "helpcmd|Restart|desc" msgid "Restart ZNC" msgstr "Reinicia o ZNC" -#: Socket.cpp:342 +#: Socket.cpp:336 msgid "Can't resolve server hostname" msgstr "Não é possível resolver o nome do host do servidor" -#: Socket.cpp:349 +#: Socket.cpp:343 msgid "" "Can't resolve bind hostname. Try /znc ClearBindHost and /znc " "ClearUserBindHost" @@ -1882,17 +1882,17 @@ msgstr "" "Não é possível resolver o nome do host de ligação (BindHost). Tente /znc " "ClearBindHost e /znc ClearUserBindHost" -#: Socket.cpp:354 +#: Socket.cpp:348 msgid "Server address is IPv4-only, but bindhost is IPv6-only" msgstr "" "O endereço do servidor permite apenas IPv4, mas o bindhost é apenas IPv6" -#: Socket.cpp:363 +#: Socket.cpp:357 msgid "Server address is IPv6-only, but bindhost is IPv4-only" msgstr "" "O endereço do servidor permite apenas IPv6, mas o bindhost é apenas IPv4" -#: Socket.cpp:521 +#: Socket.cpp:515 msgid "Some socket reached its max buffer limit and was closed!" msgstr "Algum socket atingiu seu limite máximo de buffer e foi fechado!" diff --git a/src/po/znc.ru_RU.po b/src/po/znc.ru_RU.po index f25f265e..e566e757 100644 --- a/src/po/znc.ru_RU.po +++ b/src/po/znc.ru_RU.po @@ -1874,25 +1874,25 @@ msgctxt "helpcmd|Restart|desc" msgid "Restart ZNC" msgstr "" -#: Socket.cpp:342 +#: Socket.cpp:336 msgid "Can't resolve server hostname" msgstr "" -#: Socket.cpp:349 +#: Socket.cpp:343 msgid "" "Can't resolve bind hostname. Try /znc ClearBindHost and /znc " "ClearUserBindHost" msgstr "" -#: Socket.cpp:354 +#: Socket.cpp:348 msgid "Server address is IPv4-only, but bindhost is IPv6-only" msgstr "" -#: Socket.cpp:363 +#: Socket.cpp:357 msgid "Server address is IPv6-only, but bindhost is IPv4-only" msgstr "" -#: Socket.cpp:521 +#: Socket.cpp:515 msgid "Some socket reached its max buffer limit and was closed!" msgstr "" From 1b96a0671971b576d7d0928c0145a67369093833 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Mon, 28 Sep 2020 00:29:28 +0000 Subject: [PATCH 503/798] Update translations from Crowdin for bg_BG de_DE el_GR es_ES fr_FR id_ID it_IT nl_NL pl_PL pt_BR ru_RU --- modules/po/sasl.bg_BG.po | 4 ++-- modules/po/sasl.de_DE.po | 4 ++-- modules/po/sasl.el_GR.po | 4 ++-- modules/po/sasl.es_ES.po | 4 ++-- modules/po/sasl.fr_FR.po | 4 ++-- modules/po/sasl.id_ID.po | 4 ++-- modules/po/sasl.it_IT.po | 4 ++-- modules/po/sasl.nl_NL.po | 4 ++-- modules/po/sasl.pl_PL.po | 4 ++-- modules/po/sasl.pot | 4 ++-- modules/po/sasl.pt_BR.po | 4 ++-- modules/po/sasl.ru_RU.po | 4 ++-- 12 files changed, 24 insertions(+), 24 deletions(-) diff --git a/modules/po/sasl.bg_BG.po b/modules/po/sasl.bg_BG.po index d898b9a2..3e908491 100644 --- a/modules/po/sasl.bg_BG.po +++ b/modules/po/sasl.bg_BG.po @@ -12,7 +12,7 @@ msgstr "" "Language-Team: Bulgarian\n" "Language: bg_BG\n" -#: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:301 +#: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:303 msgid "SASL" msgstr "" @@ -167,7 +167,7 @@ msgstr "" msgid "{1} mechanism failed." msgstr "" -#: sasl.cpp:346 +#: sasl.cpp:348 msgid "" "Adds support for sasl authentication capability to authenticate to an IRC " "server" diff --git a/modules/po/sasl.de_DE.po b/modules/po/sasl.de_DE.po index 2ffbde9a..8f195343 100644 --- a/modules/po/sasl.de_DE.po +++ b/modules/po/sasl.de_DE.po @@ -12,7 +12,7 @@ msgstr "" "Language-Team: German\n" "Language: de_DE\n" -#: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:301 +#: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:303 msgid "SASL" msgstr "SASL" @@ -172,7 +172,7 @@ msgstr "{1} Mechanismus erfolgreich." msgid "{1} mechanism failed." msgstr "{1} Mechanismus fehlgeschlagen." -#: sasl.cpp:346 +#: sasl.cpp:348 msgid "" "Adds support for sasl authentication capability to authenticate to an IRC " "server" diff --git a/modules/po/sasl.el_GR.po b/modules/po/sasl.el_GR.po index 6e3bf511..fc7b3c9b 100644 --- a/modules/po/sasl.el_GR.po +++ b/modules/po/sasl.el_GR.po @@ -12,7 +12,7 @@ msgstr "" "Language-Team: Greek\n" "Language: el_GR\n" -#: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:301 +#: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:303 msgid "SASL" msgstr "" @@ -167,7 +167,7 @@ msgstr "" msgid "{1} mechanism failed." msgstr "" -#: sasl.cpp:346 +#: sasl.cpp:348 msgid "" "Adds support for sasl authentication capability to authenticate to an IRC " "server" diff --git a/modules/po/sasl.es_ES.po b/modules/po/sasl.es_ES.po index ac778e0d..6572ead4 100644 --- a/modules/po/sasl.es_ES.po +++ b/modules/po/sasl.es_ES.po @@ -12,7 +12,7 @@ msgstr "" "Language-Team: Spanish\n" "Language: es_ES\n" -#: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:301 +#: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:303 msgid "SASL" msgstr "SASL" @@ -171,7 +171,7 @@ msgstr "Mecanismo {1} conseguido." msgid "{1} mechanism failed." msgstr "Mecanismo {1} fallido." -#: sasl.cpp:346 +#: sasl.cpp:348 msgid "" "Adds support for sasl authentication capability to authenticate to an IRC " "server" diff --git a/modules/po/sasl.fr_FR.po b/modules/po/sasl.fr_FR.po index 14db9a8e..7c59f77c 100644 --- a/modules/po/sasl.fr_FR.po +++ b/modules/po/sasl.fr_FR.po @@ -12,7 +12,7 @@ msgstr "" "Language-Team: French\n" "Language: fr_FR\n" -#: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:301 +#: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:303 msgid "SASL" msgstr "" @@ -167,7 +167,7 @@ msgstr "" msgid "{1} mechanism failed." msgstr "" -#: sasl.cpp:346 +#: sasl.cpp:348 msgid "" "Adds support for sasl authentication capability to authenticate to an IRC " "server" diff --git a/modules/po/sasl.id_ID.po b/modules/po/sasl.id_ID.po index cf7fffdc..ec80c47b 100644 --- a/modules/po/sasl.id_ID.po +++ b/modules/po/sasl.id_ID.po @@ -12,7 +12,7 @@ msgstr "" "Language-Team: Indonesian\n" "Language: id_ID\n" -#: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:301 +#: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:303 msgid "SASL" msgstr "" @@ -167,7 +167,7 @@ msgstr "" msgid "{1} mechanism failed." msgstr "" -#: sasl.cpp:346 +#: sasl.cpp:348 msgid "" "Adds support for sasl authentication capability to authenticate to an IRC " "server" diff --git a/modules/po/sasl.it_IT.po b/modules/po/sasl.it_IT.po index b6aba7be..586c8aaf 100644 --- a/modules/po/sasl.it_IT.po +++ b/modules/po/sasl.it_IT.po @@ -12,7 +12,7 @@ msgstr "" "Language-Team: Italian\n" "Language: it_IT\n" -#: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:301 +#: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:303 msgid "SASL" msgstr "SASL" @@ -172,7 +172,7 @@ msgstr "{1} meccanismo riuscito." msgid "{1} mechanism failed." msgstr "{1} meccanismo fallito." -#: sasl.cpp:346 +#: sasl.cpp:348 msgid "" "Adds support for sasl authentication capability to authenticate to an IRC " "server" diff --git a/modules/po/sasl.nl_NL.po b/modules/po/sasl.nl_NL.po index 714d1753..db2150e6 100644 --- a/modules/po/sasl.nl_NL.po +++ b/modules/po/sasl.nl_NL.po @@ -12,7 +12,7 @@ msgstr "" "Language-Team: Dutch\n" "Language: nl_NL\n" -#: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:301 +#: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:303 msgid "SASL" msgstr "SASL" @@ -172,7 +172,7 @@ msgstr "{1} mechanisme gelukt." msgid "{1} mechanism failed." msgstr "{1} mechanisme gefaalt." -#: sasl.cpp:346 +#: sasl.cpp:348 msgid "" "Adds support for sasl authentication capability to authenticate to an IRC " "server" diff --git a/modules/po/sasl.pl_PL.po b/modules/po/sasl.pl_PL.po index 87badb6d..5797b2c2 100644 --- a/modules/po/sasl.pl_PL.po +++ b/modules/po/sasl.pl_PL.po @@ -14,7 +14,7 @@ msgstr "" "Language-Team: Polish\n" "Language: pl_PL\n" -#: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:301 +#: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:303 msgid "SASL" msgstr "SASL" @@ -173,7 +173,7 @@ msgstr "Mechanizm {1} zadziałał." msgid "{1} mechanism failed." msgstr "Mechanizm {1} nie powiódł się." -#: sasl.cpp:346 +#: sasl.cpp:348 msgid "" "Adds support for sasl authentication capability to authenticate to an IRC " "server" diff --git a/modules/po/sasl.pot b/modules/po/sasl.pot index b88abff9..15aa4e9c 100644 --- a/modules/po/sasl.pot +++ b/modules/po/sasl.pot @@ -3,7 +3,7 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -#: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:301 +#: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:303 msgid "SASL" msgstr "" @@ -158,7 +158,7 @@ msgstr "" msgid "{1} mechanism failed." msgstr "" -#: sasl.cpp:346 +#: sasl.cpp:348 msgid "" "Adds support for sasl authentication capability to authenticate to an IRC " "server" diff --git a/modules/po/sasl.pt_BR.po b/modules/po/sasl.pt_BR.po index 9197a66b..83719c19 100644 --- a/modules/po/sasl.pt_BR.po +++ b/modules/po/sasl.pt_BR.po @@ -12,7 +12,7 @@ msgstr "" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" -#: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:301 +#: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:303 msgid "SASL" msgstr "" @@ -167,7 +167,7 @@ msgstr "" msgid "{1} mechanism failed." msgstr "" -#: sasl.cpp:346 +#: sasl.cpp:348 msgid "" "Adds support for sasl authentication capability to authenticate to an IRC " "server" diff --git a/modules/po/sasl.ru_RU.po b/modules/po/sasl.ru_RU.po index b8e9d533..5fe10b10 100644 --- a/modules/po/sasl.ru_RU.po +++ b/modules/po/sasl.ru_RU.po @@ -14,7 +14,7 @@ msgstr "" "Language-Team: Russian\n" "Language: ru_RU\n" -#: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:301 +#: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:303 msgid "SASL" msgstr "" @@ -169,7 +169,7 @@ msgstr "" msgid "{1} mechanism failed." msgstr "" -#: sasl.cpp:346 +#: sasl.cpp:348 msgid "" "Adds support for sasl authentication capability to authenticate to an IRC " "server" From 99b33eade933b9dc1fb77ddfdd58039888f04e68 Mon Sep 17 00:00:00 2001 From: njhanley Date: Sun, 30 Aug 2020 18:20:36 -0400 Subject: [PATCH 504/798] Add MoveChan and SwapChans commands --- include/znc/IRCNetwork.h | 3 +++ src/ClientCommand.cpp | 45 +++++++++++++++++++++++++++++++++ src/IRCNetwork.cpp | 43 +++++++++++++++++++++++++++++++ test/integration/tests/core.cpp | 36 ++++++++++++++++++++++++++ 4 files changed, 127 insertions(+) diff --git a/include/znc/IRCNetwork.h b/include/znc/IRCNetwork.h index a9c3deee..6be95631 100644 --- a/include/znc/IRCNetwork.h +++ b/include/znc/IRCNetwork.h @@ -93,6 +93,9 @@ class CIRCNetwork : private CCoreTranslationMixin { bool AddChan(CChan* pChan); bool AddChan(const CString& sName, bool bInConfig); bool DelChan(const CString& sName); + bool MoveChan(const CString& sChan, unsigned int index, CString& sError); + bool SwapChans(const CString& sChan1, const CString& sChan2, + CString& sError); void JoinChans(); void JoinChans(std::set& sChans); diff --git a/src/ClientCommand.cpp b/src/ClientCommand.cpp index 0809304f..cd768af0 100644 --- a/src/ClientCommand.cpp +++ b/src/ClientCommand.cpp @@ -453,6 +453,46 @@ void CClient::UserCommand(CString& sLine) { PutStatus(t_p("Disabled {1} channel", "Disabled {1} channels", uDisabled)(uDisabled)); } + } else if (sCommand.Equals("MOVECHAN")) { + if (!m_pNetwork) { + PutStatus(t_s( + "You must be connected with a network to use this command")); + return; + } + + const auto sChan = sLine.Token(1); + const auto sTarget = sLine.Token(2); + if (sChan.empty() || sTarget.empty()) { + PutStatus(t_s("Usage: MoveChan <#chan> ")); + return; + } + + unsigned int uIndex = sTarget.ToUInt(); + + CString sError; + if (m_pNetwork->MoveChan(sChan, uIndex - 1, sError)) + PutStatus(t_f("Moved channel {1} to index {2}")(sChan, uIndex)); + else + PutStatus(sError); + } else if (sCommand.Equals("SWAPCHANS")) { + if (!m_pNetwork) { + PutStatus(t_s( + "You must be connected with a network to use this command")); + return; + } + + const auto sChan1 = sLine.Token(1); + const auto sChan2 = sLine.Token(2); + if (sChan1.empty() || sChan2.empty()) { + PutStatus(t_s("Usage: SwapChans <#chan1> <#chan2>")); + return; + } + + CString sError; + if (m_pNetwork->SwapChans(sChan1, sChan2, sError)) + PutStatus(t_f("Swapped channels {1} and {2}")(sChan1, sChan2)); + else + PutStatus(sError); } else if (sCommand.Equals("LISTCHANS")) { if (!m_pNetwork) { PutStatus(t_s( @@ -1786,6 +1826,11 @@ void CClient::HelpUser(const CString& sFilter) { t_s("Enable channels", "helpcmd|EnableChan|desc")); AddCommandHelp("DisableChan", t_s("<#chans>", "helpcmd|DisableChan|args"), t_s("Disable channels", "helpcmd|DisableChan|desc")); + AddCommandHelp("MoveChan", t_s("<#chan> ", "helpcmd|MoveChan|args"), + t_s("Move channel in sort order", "helpcmd|MoveChan|desc")); + AddCommandHelp( + "SwapChans", t_s("<#chan1> <#chan2>", "helpcmd|SwapChans|args"), + t_s("Swap channels in sort order", "helpcmd|SwapChans|desc")); AddCommandHelp("Attach", t_s("<#chans>", "helpcmd|Attach|args"), t_s("Attach to channels", "helpcmd|Attach|desc")); AddCommandHelp("Detach", t_s("<#chans>", "helpcmd|Detach|args"), diff --git a/src/IRCNetwork.cpp b/src/IRCNetwork.cpp index 2855f526..cbe0d538 100644 --- a/src/IRCNetwork.cpp +++ b/src/IRCNetwork.cpp @@ -942,6 +942,49 @@ bool CIRCNetwork::DelChan(const CString& sName) { return false; } +bool CIRCNetwork::MoveChan(const CString& sChan, unsigned int uIndex, + CString& sError) { + if (uIndex >= m_vChans.size()) { + sError = t_s("Invalid index"); + return false; + } + + auto it = m_vChans.begin(); + for (; it != m_vChans.end(); ++it) + if ((*it)->GetName().Equals(sChan)) break; + if (it == m_vChans.end()) { + sError = t_f("You are not on {1}")(sChan); + return false; + } + + const auto pChan = *it; + m_vChans.erase(it); + m_vChans.insert(m_vChans.begin() + uIndex, pChan); + return true; +} + +bool CIRCNetwork::SwapChans(const CString& sChan1, const CString& sChan2, + CString& sError) { + auto it1 = m_vChans.begin(); + for (; it1 != m_vChans.end(); ++it1) + if ((*it1)->GetName().Equals(sChan1)) break; + if (it1 == m_vChans.end()) { + sError = t_f("You are not on {1}")(sChan1); + return false; + } + + auto it2 = m_vChans.begin(); + for (; it2 != m_vChans.end(); ++it2) + if ((*it2)->GetName().Equals(sChan2)) break; + if (it2 == m_vChans.end()) { + sError = t_f("You are not on {1}")(sChan2); + return false; + } + + std::swap(*it1, *it2); + return true; +} + void CIRCNetwork::JoinChans() { // Avoid divsion by zero, it's bad! if (m_vChans.empty()) return; diff --git a/test/integration/tests/core.cpp b/test/integration/tests/core.cpp index f50a32c7..c5531d05 100644 --- a/test/integration/tests/core.cpp +++ b/test/integration/tests/core.cpp @@ -307,5 +307,41 @@ TEST_F(ZNCTest, StatusEchoMessage) { client3.ReadUntil(":*status!znc@znc.in PRIVMSG nick :Unknown command"); } +TEST_F(ZNCTest, MoveChannels) { + auto znc = Run(); + auto ircd = ConnectIRCd(); + + auto client = LoginClient(); + client.Write("JOIN #foo,#bar"); + client.Close(); + + ircd.Write(":server 001 nick :Hello"); + ircd.ReadUntil("JOIN #foo,#bar"); + ircd.Write(":nick JOIN :#foo"); + ircd.Write(":server 353 nick #foo :nick"); + ircd.Write(":server 366 nick #foo :End of /NAMES list"); + ircd.Write(":nick JOIN :#bar"); + ircd.Write(":server 353 nick #bar :nick"); + ircd.Write(":server 366 nick #bar :End of /NAMES list"); + + client = LoginClient(); + client.ReadUntil(":nick JOIN :#foo"); + client.ReadUntil(":nick JOIN :#bar"); + client.Write("znc movechan #foo 2"); + client.ReadUntil("Moved channel #foo to index 2"); + client.Close(); + + client = LoginClient(); + client.ReadUntil(":nick JOIN :#bar"); + client.ReadUntil(":nick JOIN :#foo"); + client.Write("znc swapchans #foo #bar"); + client.ReadUntil("Swapped channels #foo and #bar"); + client.Close(); + + client = LoginClient(); + client.ReadUntil(":nick JOIN :#foo"); + client.ReadUntil(":nick JOIN :#bar"); +} + } // namespace } // namespace znc_inttest From 3ff5aaf49e5cbbf4f8688916f2b11a438bef8389 Mon Sep 17 00:00:00 2001 From: njhanley Date: Mon, 31 Aug 2020 23:48:18 -0400 Subject: [PATCH 505/798] List channels in order in webadmin --- modules/data/webadmin/tmpl/add_edit_network.tmpl | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/modules/data/webadmin/tmpl/add_edit_network.tmpl b/modules/data/webadmin/tmpl/add_edit_network.tmpl index 93312b57..c0e4462d 100644 --- a/modules/data/webadmin/tmpl/add_edit_network.tmpl +++ b/modules/data/webadmin/tmpl/add_edit_network.tmpl @@ -197,7 +197,7 @@ - + From 92d04e6ad917b30cb632e02a19099520ae21d270 Mon Sep 17 00:00:00 2001 From: njhanley Date: Thu, 3 Sep 2020 00:06:36 -0400 Subject: [PATCH 506/798] Allow reordering of channels in webadmin --- modules/data/webadmin/files/webadmin.js | 25 +++++++++++++++++++ .../data/webadmin/tmpl/add_edit_network.tmpl | 5 +++- modules/webadmin.cpp | 11 ++++++++ webskins/_default_/pub/_default_.css | 5 ++++ 4 files changed, 45 insertions(+), 1 deletion(-) diff --git a/modules/data/webadmin/files/webadmin.js b/modules/data/webadmin/files/webadmin.js index ba2ff687..f9774d5d 100644 --- a/modules/data/webadmin/files/webadmin.js +++ b/modules/data/webadmin/files/webadmin.js @@ -165,6 +165,31 @@ function serverlist_init($) { })(); } +function channellist_init($) { + function update_rows() { + $("#channels > tr").each(function(i) { + $(this).toggleClass("evenrow", i % 2 === 1).toggleClass("oddrow", i % 2 === 0); + $(this).find(".channel_index").val(i + 1); + }); + } + $("#channels").sortable({ + axis: "y", + update: update_rows + }); + $(".channel_index").change(function() { + var src = $(this).closest("tr").detach(); + var rows = $("#channels > tr"); + var dst = rows[this.value - 1]; + + if (dst) + src.insertBefore(dst); + else + src.insertAfter(rows.last()); + + update_rows(); + }); +} + function ctcpreplies_init($) { function serialize() { var text = ""; diff --git a/modules/data/webadmin/tmpl/add_edit_network.tmpl b/modules/data/webadmin/tmpl/add_edit_network.tmpl index c0e4462d..9a1a9870 100644 --- a/modules/data/webadmin/tmpl/add_edit_network.tmpl +++ b/modules/data/webadmin/tmpl/add_edit_network.tmpl @@ -184,6 +184,7 @@ [] + @@ -196,13 +197,14 @@ - + [] [] + checked="checked" /> @@ -213,6 +215,7 @@ + diff --git a/modules/webadmin.cpp b/modules/webadmin.cpp index 7fada328..7671eb8b 100644 --- a/modules/webadmin.cpp +++ b/modules/webadmin.cpp @@ -1001,6 +1001,7 @@ class CWebAdminMod : public CModule { } const vector& Channels = pNetwork->GetChans(); + unsigned int uIndex = 1; for (const CChan* pChan : Channels) { CTemplate& l = Tmpl.AddRow("ChannelLoop"); @@ -1021,6 +1022,9 @@ class CWebAdminMod : public CModule { if (pChan->InConfig()) { l["InConfig"] = "true"; } + + l["MaxIndex"] = CString(Channels.size()); + l["Index"] = CString(uIndex++); } for (const CString& sFP : pNetwork->GetTrustedFingerprints()) { CTemplate& l = Tmpl.AddRow("TrustedFingerprints"); @@ -1157,6 +1161,13 @@ class CWebAdminMod : public CModule { for (const CString& sChan : vsArgs) { CChan* pChan = pNetwork->FindChan(sChan.TrimRight_n("\r")); if (pChan) { + CString sError; + if (!pNetwork->MoveChan( + sChan, WebSock.GetParam("index_" + sChan).ToUInt() - 1, + sError)) { + WebSock.PrintErrorPage(sError); + return true; + } pChan->SetInConfig(WebSock.GetParam("save_" + sChan).ToBool()); } } diff --git a/webskins/_default_/pub/_default_.css b/webskins/_default_/pub/_default_.css index e1cae329..78528a72 100644 --- a/webskins/_default_/pub/_default_.css +++ b/webskins/_default_/pub/_default_.css @@ -393,3 +393,8 @@ td { .textsection p { margin-bottom: 0.7em; } + +input.channel_index { + width: 3em; + min-width: unset; +} From d505a6d4dbbd73decbf014359abf0c77c594b611 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Sun, 4 Oct 2020 21:01:15 +0100 Subject: [PATCH 507/798] Fix other skins for #1744 --- webskins/dark-clouds/pub/dark-clouds.css | 4 ++++ webskins/ice/pub/ice.css | 4 ++++ 2 files changed, 8 insertions(+) diff --git a/webskins/dark-clouds/pub/dark-clouds.css b/webskins/dark-clouds/pub/dark-clouds.css index 0c5feb25..a563c551 100644 --- a/webskins/dark-clouds/pub/dark-clouds.css +++ b/webskins/dark-clouds/pub/dark-clouds.css @@ -407,3 +407,7 @@ table thead th a:hover { margin-bottom: 0.7em; } +input.channel_index { + width: 3em; + min-width: unset; +} diff --git a/webskins/ice/pub/ice.css b/webskins/ice/pub/ice.css index 1daf57bf..d64fd406 100644 --- a/webskins/ice/pub/ice.css +++ b/webskins/ice/pub/ice.css @@ -381,3 +381,7 @@ div.submitline { margin-bottom: 0.7em; } +input.channel_index { + width: 3em; + min-width: unset; +} From 6cd80535c064e91155468e79f50fc1c3f3c0f3e5 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Mon, 5 Oct 2020 00:30:31 +0000 Subject: [PATCH 508/798] Update translations from Crowdin for bg_BG de_DE el_GR es_ES fr_FR id_ID it_IT nl_NL pl_PL pt_BR ru_RU --- modules/po/webadmin.bg_BG.po | 110 +++---- modules/po/webadmin.de_DE.po | 110 +++---- modules/po/webadmin.el_GR.po | 110 +++---- modules/po/webadmin.es_ES.po | 110 +++---- modules/po/webadmin.fr_FR.po | 110 +++---- modules/po/webadmin.id_ID.po | 110 +++---- modules/po/webadmin.it_IT.po | 110 +++---- modules/po/webadmin.nl_NL.po | 110 +++---- modules/po/webadmin.pl_PL.po | 110 +++---- modules/po/webadmin.pot | 110 +++---- modules/po/webadmin.pt_BR.po | 110 +++---- modules/po/webadmin.ru_RU.po | 110 +++---- src/po/znc.bg_BG.po | 597 +++++++++++++++++++---------------- src/po/znc.de_DE.po | 597 +++++++++++++++++++---------------- src/po/znc.el_GR.po | 597 +++++++++++++++++++---------------- src/po/znc.es_ES.po | 597 +++++++++++++++++++---------------- src/po/znc.fr_FR.po | 597 +++++++++++++++++++---------------- src/po/znc.id_ID.po | 597 +++++++++++++++++++---------------- src/po/znc.it_IT.po | 597 +++++++++++++++++++---------------- src/po/znc.nl_NL.po | 597 +++++++++++++++++++---------------- src/po/znc.pl_PL.po | 597 +++++++++++++++++++---------------- src/po/znc.pot | 597 +++++++++++++++++++---------------- src/po/znc.pt_BR.po | 597 +++++++++++++++++++---------------- src/po/znc.ru_RU.po | 597 +++++++++++++++++++---------------- 24 files changed, 4548 insertions(+), 3936 deletions(-) diff --git a/modules/po/webadmin.bg_BG.po b/modules/po/webadmin.bg_BG.po index 34003085..75dbafdb 100644 --- a/modules/po/webadmin.bg_BG.po +++ b/modules/po/webadmin.bg_BG.po @@ -61,19 +61,19 @@ msgid "Save to config" msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:67 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:282 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:285 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:410 msgid "Module {1}" msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:75 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:290 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:293 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:419 msgid "Save and return" msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:76 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:291 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:294 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:420 msgid "Save and continue" msgstr "" @@ -322,82 +322,86 @@ msgid "Add" msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:187 +msgid "Index" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:188 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:430 #: modules/po/../data/webadmin/tmpl/settings.tmpl:237 msgid "Save" msgstr "" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:188 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:228 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:189 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:231 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:131 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:174 #: modules/po/../data/webadmin/tmpl/settings.tmpl:176 msgid "Name" msgstr "" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:189 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:190 msgid "CurModes" msgstr "" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:190 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:191 msgid "DefModes" msgstr "" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:191 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:192 msgid "BufferSize" msgstr "" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:192 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:193 msgid "Options" msgstr "" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:194 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:195 msgid "← Add a channel (opens in same page)" msgstr "" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:204 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:205 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:146 #: modules/po/../data/webadmin/tmpl/listusers.tmpl:27 msgid "Edit" msgstr "" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:204 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:205 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:146 #: modules/po/../data/webadmin/tmpl/settings.tmpl:53 msgid "Del" msgstr "" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:222 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:225 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:168 msgid "Modules" msgstr "" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:229 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:232 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:175 #: modules/po/../data/webadmin/tmpl/settings.tmpl:177 msgid "Arguments" msgstr "" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:230 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:233 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:176 #: modules/po/../data/webadmin/tmpl/settings.tmpl:178 msgid "Description" msgstr "" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:231 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:234 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:177 msgid "Loaded globally" msgstr "" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:232 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:235 msgid "Loaded by user" msgstr "" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:293 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:296 msgid "Add Network and return" msgstr "" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:294 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:297 msgid "Add Network and continue" msgstr "" @@ -971,7 +975,7 @@ msgstr "" msgid "Network" msgstr "" -#: webadmin.cpp:91 webadmin.cpp:1872 +#: webadmin.cpp:91 webadmin.cpp:1883 msgid "Global Settings" msgstr "" @@ -979,11 +983,11 @@ msgstr "" msgid "Your Settings" msgstr "" -#: webadmin.cpp:94 webadmin.cpp:1684 +#: webadmin.cpp:94 webadmin.cpp:1695 msgid "Traffic Info" msgstr "" -#: webadmin.cpp:97 webadmin.cpp:1663 +#: webadmin.cpp:97 webadmin.cpp:1674 msgid "Manage Users" msgstr "" @@ -999,7 +1003,7 @@ msgstr "" msgid "Timeout can't be less than 30 seconds!" msgstr "" -#: webadmin.cpp:407 webadmin.cpp:435 webadmin.cpp:1182 webadmin.cpp:2057 +#: webadmin.cpp:407 webadmin.cpp:435 webadmin.cpp:1193 webadmin.cpp:2068 msgid "Unable to load module [{1}]: {2}" msgstr "" @@ -1008,7 +1012,7 @@ msgid "Unable to load module [{1}] with arguments [{2}]" msgstr "" #: webadmin.cpp:521 webadmin.cpp:625 webadmin.cpp:650 webadmin.cpp:672 -#: webadmin.cpp:706 webadmin.cpp:1249 +#: webadmin.cpp:706 webadmin.cpp:1260 msgid "No such user" msgstr "" @@ -1024,7 +1028,7 @@ msgstr "" msgid "Please don't delete yourself, suicide is not the answer!" msgstr "" -#: webadmin.cpp:715 webadmin.cpp:972 webadmin.cpp:1314 +#: webadmin.cpp:715 webadmin.cpp:972 webadmin.cpp:1325 msgid "Edit User [{1}]" msgstr "" @@ -1048,7 +1052,7 @@ msgstr "" msgid "Add Channel" msgstr "" -#: webadmin.cpp:756 webadmin.cpp:1510 +#: webadmin.cpp:756 webadmin.cpp:1521 msgid "Auto Clear Chan Buffer" msgstr "" @@ -1098,112 +1102,112 @@ msgstr "" msgid "Add Network" msgstr "" -#: webadmin.cpp:1073 +#: webadmin.cpp:1077 msgid "Network name is a required argument" msgstr "" -#: webadmin.cpp:1189 webadmin.cpp:2064 +#: webadmin.cpp:1200 webadmin.cpp:2075 msgid "Unable to reload module [{1}]: {2}" msgstr "" -#: webadmin.cpp:1226 +#: webadmin.cpp:1237 msgid "Network was added/modified, but config file was not written" msgstr "" -#: webadmin.cpp:1255 +#: webadmin.cpp:1266 msgid "That network doesn't exist for this user" msgstr "" -#: webadmin.cpp:1272 +#: webadmin.cpp:1283 msgid "Network was deleted, but config file was not written" msgstr "" -#: webadmin.cpp:1286 +#: webadmin.cpp:1297 msgid "That channel doesn't exist for this network" msgstr "" -#: webadmin.cpp:1295 +#: webadmin.cpp:1306 msgid "Channel was deleted, but config file was not written" msgstr "" -#: webadmin.cpp:1323 +#: webadmin.cpp:1334 msgid "Clone User [{1}]" msgstr "" -#: webadmin.cpp:1512 +#: webadmin.cpp:1523 msgid "" "Automatically Clear Channel Buffer After Playback (the default value for new " "channels)" msgstr "" -#: webadmin.cpp:1522 +#: webadmin.cpp:1533 msgid "Multi Clients" msgstr "" -#: webadmin.cpp:1529 +#: webadmin.cpp:1540 msgid "Append Timestamps" msgstr "" -#: webadmin.cpp:1536 +#: webadmin.cpp:1547 msgid "Prepend Timestamps" msgstr "" -#: webadmin.cpp:1544 +#: webadmin.cpp:1555 msgid "Deny LoadMod" msgstr "" -#: webadmin.cpp:1551 +#: webadmin.cpp:1562 msgid "Admin (dangerous! may gain shell access)" msgstr "" -#: webadmin.cpp:1561 +#: webadmin.cpp:1572 msgid "Deny SetBindHost" msgstr "" -#: webadmin.cpp:1569 +#: webadmin.cpp:1580 msgid "Auto Clear Query Buffer" msgstr "" -#: webadmin.cpp:1571 +#: webadmin.cpp:1582 msgid "Automatically Clear Query Buffer After Playback" msgstr "" -#: webadmin.cpp:1595 +#: webadmin.cpp:1606 msgid "Invalid Submission: User {1} already exists" msgstr "" -#: webadmin.cpp:1617 webadmin.cpp:1628 +#: webadmin.cpp:1628 webadmin.cpp:1639 msgid "Invalid submission: {1}" msgstr "" -#: webadmin.cpp:1623 +#: webadmin.cpp:1634 msgid "User was added, but config file was not written" msgstr "" -#: webadmin.cpp:1634 +#: webadmin.cpp:1645 msgid "User was edited, but config file was not written" msgstr "" -#: webadmin.cpp:1792 +#: webadmin.cpp:1803 msgid "Choose either IPv4 or IPv6 or both." msgstr "" -#: webadmin.cpp:1809 +#: webadmin.cpp:1820 msgid "Choose either IRC or HTTP or both." msgstr "" -#: webadmin.cpp:1822 webadmin.cpp:1858 +#: webadmin.cpp:1833 webadmin.cpp:1869 msgid "Port was changed, but config file was not written" msgstr "" -#: webadmin.cpp:1848 +#: webadmin.cpp:1859 msgid "Invalid request." msgstr "" -#: webadmin.cpp:1862 +#: webadmin.cpp:1873 msgid "The specified listener was not found." msgstr "" -#: webadmin.cpp:2093 +#: webadmin.cpp:2104 msgid "Settings were changed, but config file was not written" msgstr "" diff --git a/modules/po/webadmin.de_DE.po b/modules/po/webadmin.de_DE.po index 6e4fc452..8a7798f0 100644 --- a/modules/po/webadmin.de_DE.po +++ b/modules/po/webadmin.de_DE.po @@ -61,19 +61,19 @@ msgid "Save to config" msgstr "In der ZNC-Konfiguration speichern" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:67 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:282 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:285 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:410 msgid "Module {1}" msgstr "Modul {1}" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:75 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:290 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:293 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:419 msgid "Save and return" msgstr "Speichern und zurück" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:76 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:291 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:294 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:420 msgid "Save and continue" msgstr "Speichern und fortfahren" @@ -347,82 +347,86 @@ msgid "Add" msgstr "Hinzufügen" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:187 +msgid "Index" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:188 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:430 #: modules/po/../data/webadmin/tmpl/settings.tmpl:237 msgid "Save" msgstr "Speichern" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:188 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:228 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:189 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:231 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:131 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:174 #: modules/po/../data/webadmin/tmpl/settings.tmpl:176 msgid "Name" msgstr "Name" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:189 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:190 msgid "CurModes" msgstr "CurModes" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:190 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:191 msgid "DefModes" msgstr "DefModes" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:191 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:192 msgid "BufferSize" msgstr "BufferSize" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:192 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:193 msgid "Options" msgstr "Optionen" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:194 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:195 msgid "← Add a channel (opens in same page)" msgstr "← Ein Netzwerk hinzufügen (öffnet sich in diesem Tab)" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:204 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:205 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:146 #: modules/po/../data/webadmin/tmpl/listusers.tmpl:27 msgid "Edit" msgstr "Bearbeiten" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:204 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:205 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:146 #: modules/po/../data/webadmin/tmpl/settings.tmpl:53 msgid "Del" msgstr "Löschen" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:222 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:225 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:168 msgid "Modules" msgstr "Module" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:229 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:232 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:175 #: modules/po/../data/webadmin/tmpl/settings.tmpl:177 msgid "Arguments" msgstr "Argumente" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:230 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:233 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:176 #: modules/po/../data/webadmin/tmpl/settings.tmpl:178 msgid "Description" msgstr "Beschreibung" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:231 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:234 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:177 msgid "Loaded globally" msgstr "Global geladen" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:232 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:235 msgid "Loaded by user" msgstr "Geladen von Benutzer" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:293 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:296 msgid "Add Network and return" msgstr "Netzwerk hinzufügen und zurück" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:294 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:297 msgid "Add Network and continue" msgstr "Netzwerk hinzufügen und fortfahren" @@ -1047,7 +1051,7 @@ msgstr "Benutzer" msgid "Network" msgstr "Netzwerk" -#: webadmin.cpp:91 webadmin.cpp:1872 +#: webadmin.cpp:91 webadmin.cpp:1883 msgid "Global Settings" msgstr "Globale Einstellungen" @@ -1055,11 +1059,11 @@ msgstr "Globale Einstellungen" msgid "Your Settings" msgstr "Deine Einstellungen" -#: webadmin.cpp:94 webadmin.cpp:1684 +#: webadmin.cpp:94 webadmin.cpp:1695 msgid "Traffic Info" msgstr "Traffic-Zähler" -#: webadmin.cpp:97 webadmin.cpp:1663 +#: webadmin.cpp:97 webadmin.cpp:1674 msgid "Manage Users" msgstr "Benutzer verwalten" @@ -1075,7 +1079,7 @@ msgstr "Ungültige Daten [Passwörter stimmen nicht überein]" msgid "Timeout can't be less than 30 seconds!" msgstr "Zeitüberschreitung darf nicht weniger als 30 Sekunden sein!" -#: webadmin.cpp:407 webadmin.cpp:435 webadmin.cpp:1182 webadmin.cpp:2057 +#: webadmin.cpp:407 webadmin.cpp:435 webadmin.cpp:1193 webadmin.cpp:2068 msgid "Unable to load module [{1}]: {2}" msgstr "Kann Modul {1} nicht laden: {2}" @@ -1084,7 +1088,7 @@ msgid "Unable to load module [{1}] with arguments [{2}]" msgstr "Kann Modul {1} mit Argumenten {2} nicht laden" #: webadmin.cpp:521 webadmin.cpp:625 webadmin.cpp:650 webadmin.cpp:672 -#: webadmin.cpp:706 webadmin.cpp:1249 +#: webadmin.cpp:706 webadmin.cpp:1260 msgid "No such user" msgstr "Benutzer existiert nicht" @@ -1100,7 +1104,7 @@ msgstr "Kanal existiert nicht" msgid "Please don't delete yourself, suicide is not the answer!" msgstr "Bitte lösche Dich nicht, Suizid ist keine Lösung!" -#: webadmin.cpp:715 webadmin.cpp:972 webadmin.cpp:1314 +#: webadmin.cpp:715 webadmin.cpp:972 webadmin.cpp:1325 msgid "Edit User [{1}]" msgstr "Benutzer [{1}] bearbeiten" @@ -1124,7 +1128,7 @@ msgstr "Kanal zum Netzwerk [{1}] von Benutzer [{2}] hinzufügen" msgid "Add Channel" msgstr "Kanal hinzufügen" -#: webadmin.cpp:756 webadmin.cpp:1510 +#: webadmin.cpp:756 webadmin.cpp:1521 msgid "Auto Clear Chan Buffer" msgstr "Automatisch Kanal-Puffer leeren" @@ -1180,124 +1184,124 @@ msgstr "Netzwerk für Benutzer [{1}] hinzufügen" msgid "Add Network" msgstr "Netzwerk hinzufügen" -#: webadmin.cpp:1073 +#: webadmin.cpp:1077 msgid "Network name is a required argument" msgstr "Netzwerkname ist ein notwendiger Parameter" -#: webadmin.cpp:1189 webadmin.cpp:2064 +#: webadmin.cpp:1200 webadmin.cpp:2075 msgid "Unable to reload module [{1}]: {2}" msgstr "Kann Modul {1} nicht neu laden: {2}" -#: webadmin.cpp:1226 +#: webadmin.cpp:1237 msgid "Network was added/modified, but config file was not written" msgstr "" "Netzwerk wurde hinzugefügt/bearbeitet, aber die Konfigurationsdatei wurde " "nicht gespeichert" -#: webadmin.cpp:1255 +#: webadmin.cpp:1266 msgid "That network doesn't exist for this user" msgstr "Dieser Nutzer hat dieses Netzwerk nicht" -#: webadmin.cpp:1272 +#: webadmin.cpp:1283 msgid "Network was deleted, but config file was not written" msgstr "" "Netzwerk wurde entfernt, aber die Konfigurationsdatei wurde nicht gespeichert" -#: webadmin.cpp:1286 +#: webadmin.cpp:1297 msgid "That channel doesn't exist for this network" msgstr "Dieser Kanal existiert in diesem Netzwerk nicht" -#: webadmin.cpp:1295 +#: webadmin.cpp:1306 msgid "Channel was deleted, but config file was not written" msgstr "" "Kanal wurde entfernt, aber die Konfigurationsdatei wurde nicht gespeichert" -#: webadmin.cpp:1323 +#: webadmin.cpp:1334 msgid "Clone User [{1}]" msgstr "Benutzer [{1}] klonen" -#: webadmin.cpp:1512 +#: webadmin.cpp:1523 msgid "" "Automatically Clear Channel Buffer After Playback (the default value for new " "channels)" msgstr "" "Kanal-Puffer nach Wiedergabe automatisch leeren (Vorgabewert für neue Kanäle)" -#: webadmin.cpp:1522 +#: webadmin.cpp:1533 msgid "Multi Clients" msgstr "Erlaube mehrere Clients" -#: webadmin.cpp:1529 +#: webadmin.cpp:1540 msgid "Append Timestamps" msgstr "Zeitstempel am Ende anfügen" -#: webadmin.cpp:1536 +#: webadmin.cpp:1547 msgid "Prepend Timestamps" msgstr "Zeitstempel am Ende anfügen" -#: webadmin.cpp:1544 +#: webadmin.cpp:1555 msgid "Deny LoadMod" msgstr "LoadMod verbieten" -#: webadmin.cpp:1551 +#: webadmin.cpp:1562 msgid "Admin (dangerous! may gain shell access)" msgstr "Admin (gefährlich! Könnte Shell-Zugang erhalten)" -#: webadmin.cpp:1561 +#: webadmin.cpp:1572 msgid "Deny SetBindHost" msgstr "SetBindHost verbieten" -#: webadmin.cpp:1569 +#: webadmin.cpp:1580 msgid "Auto Clear Query Buffer" msgstr "Automatisch Kanal-Puffer leeren" -#: webadmin.cpp:1571 +#: webadmin.cpp:1582 msgid "Automatically Clear Query Buffer After Playback" msgstr "" "Den Playback-Puffer eines Kanals automatisch nach dem Wiedergeben leeren" -#: webadmin.cpp:1595 +#: webadmin.cpp:1606 msgid "Invalid Submission: User {1} already exists" msgstr "Ungültige Übertragung: Benutzer {1} existiert bereits" -#: webadmin.cpp:1617 webadmin.cpp:1628 +#: webadmin.cpp:1628 webadmin.cpp:1639 msgid "Invalid submission: {1}" msgstr "Ungültige Übertragung: {1}" -#: webadmin.cpp:1623 +#: webadmin.cpp:1634 msgid "User was added, but config file was not written" msgstr "" "Benutzer wurde hinzugefügt, aber die Konfigurationsdatei wurde nicht " "gespeichert" -#: webadmin.cpp:1634 +#: webadmin.cpp:1645 msgid "User was edited, but config file was not written" msgstr "" "Benutzer wurde bearbeitet, aber die Konfigurationsdatei wurde nicht " "gespeichert" -#: webadmin.cpp:1792 +#: webadmin.cpp:1803 msgid "Choose either IPv4 or IPv6 or both." msgstr "Wähle entweder IPv4, IPv6 oder beides." -#: webadmin.cpp:1809 +#: webadmin.cpp:1820 msgid "Choose either IRC or HTTP or both." msgstr "Wähle entweder IRC, HTTP oder beides." -#: webadmin.cpp:1822 webadmin.cpp:1858 +#: webadmin.cpp:1833 webadmin.cpp:1869 msgid "Port was changed, but config file was not written" msgstr "" "Port wurde geändert, aber die Konfigurationsdatei wurde nicht gespeichert" -#: webadmin.cpp:1848 +#: webadmin.cpp:1859 msgid "Invalid request." msgstr "Ungültiger Aufruf." -#: webadmin.cpp:1862 +#: webadmin.cpp:1873 msgid "The specified listener was not found." msgstr "Der ausgewählte Listener wurde nicht gefunden." -#: webadmin.cpp:2093 +#: webadmin.cpp:2104 msgid "Settings were changed, but config file was not written" msgstr "" "Einstellungen wurden geändert, aber die Konfigurationsdatei wurde nicht " diff --git a/modules/po/webadmin.el_GR.po b/modules/po/webadmin.el_GR.po index 7b10252b..a149dd09 100644 --- a/modules/po/webadmin.el_GR.po +++ b/modules/po/webadmin.el_GR.po @@ -61,19 +61,19 @@ msgid "Save to config" msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:67 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:282 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:285 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:410 msgid "Module {1}" msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:75 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:290 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:293 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:419 msgid "Save and return" msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:76 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:291 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:294 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:420 msgid "Save and continue" msgstr "" @@ -322,82 +322,86 @@ msgid "Add" msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:187 +msgid "Index" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:188 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:430 #: modules/po/../data/webadmin/tmpl/settings.tmpl:237 msgid "Save" msgstr "" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:188 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:228 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:189 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:231 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:131 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:174 #: modules/po/../data/webadmin/tmpl/settings.tmpl:176 msgid "Name" msgstr "" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:189 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:190 msgid "CurModes" msgstr "" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:190 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:191 msgid "DefModes" msgstr "" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:191 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:192 msgid "BufferSize" msgstr "" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:192 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:193 msgid "Options" msgstr "" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:194 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:195 msgid "← Add a channel (opens in same page)" msgstr "" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:204 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:205 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:146 #: modules/po/../data/webadmin/tmpl/listusers.tmpl:27 msgid "Edit" msgstr "" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:204 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:205 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:146 #: modules/po/../data/webadmin/tmpl/settings.tmpl:53 msgid "Del" msgstr "" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:222 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:225 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:168 msgid "Modules" msgstr "" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:229 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:232 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:175 #: modules/po/../data/webadmin/tmpl/settings.tmpl:177 msgid "Arguments" msgstr "" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:230 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:233 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:176 #: modules/po/../data/webadmin/tmpl/settings.tmpl:178 msgid "Description" msgstr "" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:231 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:234 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:177 msgid "Loaded globally" msgstr "" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:232 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:235 msgid "Loaded by user" msgstr "" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:293 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:296 msgid "Add Network and return" msgstr "" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:294 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:297 msgid "Add Network and continue" msgstr "" @@ -971,7 +975,7 @@ msgstr "" msgid "Network" msgstr "" -#: webadmin.cpp:91 webadmin.cpp:1872 +#: webadmin.cpp:91 webadmin.cpp:1883 msgid "Global Settings" msgstr "" @@ -979,11 +983,11 @@ msgstr "" msgid "Your Settings" msgstr "" -#: webadmin.cpp:94 webadmin.cpp:1684 +#: webadmin.cpp:94 webadmin.cpp:1695 msgid "Traffic Info" msgstr "" -#: webadmin.cpp:97 webadmin.cpp:1663 +#: webadmin.cpp:97 webadmin.cpp:1674 msgid "Manage Users" msgstr "" @@ -999,7 +1003,7 @@ msgstr "" msgid "Timeout can't be less than 30 seconds!" msgstr "" -#: webadmin.cpp:407 webadmin.cpp:435 webadmin.cpp:1182 webadmin.cpp:2057 +#: webadmin.cpp:407 webadmin.cpp:435 webadmin.cpp:1193 webadmin.cpp:2068 msgid "Unable to load module [{1}]: {2}" msgstr "" @@ -1008,7 +1012,7 @@ msgid "Unable to load module [{1}] with arguments [{2}]" msgstr "" #: webadmin.cpp:521 webadmin.cpp:625 webadmin.cpp:650 webadmin.cpp:672 -#: webadmin.cpp:706 webadmin.cpp:1249 +#: webadmin.cpp:706 webadmin.cpp:1260 msgid "No such user" msgstr "" @@ -1024,7 +1028,7 @@ msgstr "" msgid "Please don't delete yourself, suicide is not the answer!" msgstr "" -#: webadmin.cpp:715 webadmin.cpp:972 webadmin.cpp:1314 +#: webadmin.cpp:715 webadmin.cpp:972 webadmin.cpp:1325 msgid "Edit User [{1}]" msgstr "" @@ -1048,7 +1052,7 @@ msgstr "" msgid "Add Channel" msgstr "" -#: webadmin.cpp:756 webadmin.cpp:1510 +#: webadmin.cpp:756 webadmin.cpp:1521 msgid "Auto Clear Chan Buffer" msgstr "" @@ -1098,112 +1102,112 @@ msgstr "" msgid "Add Network" msgstr "" -#: webadmin.cpp:1073 +#: webadmin.cpp:1077 msgid "Network name is a required argument" msgstr "" -#: webadmin.cpp:1189 webadmin.cpp:2064 +#: webadmin.cpp:1200 webadmin.cpp:2075 msgid "Unable to reload module [{1}]: {2}" msgstr "" -#: webadmin.cpp:1226 +#: webadmin.cpp:1237 msgid "Network was added/modified, but config file was not written" msgstr "" -#: webadmin.cpp:1255 +#: webadmin.cpp:1266 msgid "That network doesn't exist for this user" msgstr "" -#: webadmin.cpp:1272 +#: webadmin.cpp:1283 msgid "Network was deleted, but config file was not written" msgstr "" -#: webadmin.cpp:1286 +#: webadmin.cpp:1297 msgid "That channel doesn't exist for this network" msgstr "" -#: webadmin.cpp:1295 +#: webadmin.cpp:1306 msgid "Channel was deleted, but config file was not written" msgstr "" -#: webadmin.cpp:1323 +#: webadmin.cpp:1334 msgid "Clone User [{1}]" msgstr "" -#: webadmin.cpp:1512 +#: webadmin.cpp:1523 msgid "" "Automatically Clear Channel Buffer After Playback (the default value for new " "channels)" msgstr "" -#: webadmin.cpp:1522 +#: webadmin.cpp:1533 msgid "Multi Clients" msgstr "" -#: webadmin.cpp:1529 +#: webadmin.cpp:1540 msgid "Append Timestamps" msgstr "" -#: webadmin.cpp:1536 +#: webadmin.cpp:1547 msgid "Prepend Timestamps" msgstr "" -#: webadmin.cpp:1544 +#: webadmin.cpp:1555 msgid "Deny LoadMod" msgstr "" -#: webadmin.cpp:1551 +#: webadmin.cpp:1562 msgid "Admin (dangerous! may gain shell access)" msgstr "" -#: webadmin.cpp:1561 +#: webadmin.cpp:1572 msgid "Deny SetBindHost" msgstr "" -#: webadmin.cpp:1569 +#: webadmin.cpp:1580 msgid "Auto Clear Query Buffer" msgstr "" -#: webadmin.cpp:1571 +#: webadmin.cpp:1582 msgid "Automatically Clear Query Buffer After Playback" msgstr "" -#: webadmin.cpp:1595 +#: webadmin.cpp:1606 msgid "Invalid Submission: User {1} already exists" msgstr "" -#: webadmin.cpp:1617 webadmin.cpp:1628 +#: webadmin.cpp:1628 webadmin.cpp:1639 msgid "Invalid submission: {1}" msgstr "" -#: webadmin.cpp:1623 +#: webadmin.cpp:1634 msgid "User was added, but config file was not written" msgstr "" -#: webadmin.cpp:1634 +#: webadmin.cpp:1645 msgid "User was edited, but config file was not written" msgstr "" -#: webadmin.cpp:1792 +#: webadmin.cpp:1803 msgid "Choose either IPv4 or IPv6 or both." msgstr "" -#: webadmin.cpp:1809 +#: webadmin.cpp:1820 msgid "Choose either IRC or HTTP or both." msgstr "" -#: webadmin.cpp:1822 webadmin.cpp:1858 +#: webadmin.cpp:1833 webadmin.cpp:1869 msgid "Port was changed, but config file was not written" msgstr "" -#: webadmin.cpp:1848 +#: webadmin.cpp:1859 msgid "Invalid request." msgstr "" -#: webadmin.cpp:1862 +#: webadmin.cpp:1873 msgid "The specified listener was not found." msgstr "" -#: webadmin.cpp:2093 +#: webadmin.cpp:2104 msgid "Settings were changed, but config file was not written" msgstr "" diff --git a/modules/po/webadmin.es_ES.po b/modules/po/webadmin.es_ES.po index 6b048b25..c280ba68 100644 --- a/modules/po/webadmin.es_ES.po +++ b/modules/po/webadmin.es_ES.po @@ -61,19 +61,19 @@ msgid "Save to config" msgstr "Guardar configuración" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:67 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:282 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:285 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:410 msgid "Module {1}" msgstr "Módulo {1}" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:75 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:290 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:293 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:419 msgid "Save and return" msgstr "Guardar y volver" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:76 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:291 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:294 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:420 msgid "Save and continue" msgstr "Guardar y continuar" @@ -341,82 +341,86 @@ msgid "Add" msgstr "Añadir" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:187 +msgid "Index" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:188 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:430 #: modules/po/../data/webadmin/tmpl/settings.tmpl:237 msgid "Save" msgstr "Guardar" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:188 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:228 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:189 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:231 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:131 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:174 #: modules/po/../data/webadmin/tmpl/settings.tmpl:176 msgid "Name" msgstr "Nombre" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:189 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:190 msgid "CurModes" msgstr "Modos" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:190 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:191 msgid "DefModes" msgstr "ModosPredet" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:191 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:192 msgid "BufferSize" msgstr "Tamaño búfer" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:192 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:193 msgid "Options" msgstr "Opciones" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:194 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:195 msgid "← Add a channel (opens in same page)" msgstr "← Añade un canal (abre en la misma página)" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:204 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:205 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:146 #: modules/po/../data/webadmin/tmpl/listusers.tmpl:27 msgid "Edit" msgstr "Editar" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:204 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:205 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:146 #: modules/po/../data/webadmin/tmpl/settings.tmpl:53 msgid "Del" msgstr "Borrar" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:222 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:225 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:168 msgid "Modules" msgstr "Módulos" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:229 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:232 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:175 #: modules/po/../data/webadmin/tmpl/settings.tmpl:177 msgid "Arguments" msgstr "Parámetros" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:230 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:233 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:176 #: modules/po/../data/webadmin/tmpl/settings.tmpl:178 msgid "Description" msgstr "Descripción" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:231 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:234 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:177 msgid "Loaded globally" msgstr "Cargado globalmente" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:232 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:235 msgid "Loaded by user" msgstr "Cargado por el usuario" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:293 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:296 msgid "Add Network and return" msgstr "Añadir red y volver" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:294 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:297 msgid "Add Network and continue" msgstr "Añadir red y continuar" @@ -1027,7 +1031,7 @@ msgstr "Usuario" msgid "Network" msgstr "Red" -#: webadmin.cpp:91 webadmin.cpp:1872 +#: webadmin.cpp:91 webadmin.cpp:1883 msgid "Global Settings" msgstr "Ajustes globales" @@ -1035,11 +1039,11 @@ msgstr "Ajustes globales" msgid "Your Settings" msgstr "Tus ajustes" -#: webadmin.cpp:94 webadmin.cpp:1684 +#: webadmin.cpp:94 webadmin.cpp:1695 msgid "Traffic Info" msgstr "Info de tráfico" -#: webadmin.cpp:97 webadmin.cpp:1663 +#: webadmin.cpp:97 webadmin.cpp:1674 msgid "Manage Users" msgstr "Gestionar usuarios" @@ -1055,7 +1059,7 @@ msgstr "Envío no válido [Las contraseñas no coinciden]" msgid "Timeout can't be less than 30 seconds!" msgstr "¡El tiempo de espera no puede ser inferior a 30 segundos!" -#: webadmin.cpp:407 webadmin.cpp:435 webadmin.cpp:1182 webadmin.cpp:2057 +#: webadmin.cpp:407 webadmin.cpp:435 webadmin.cpp:1193 webadmin.cpp:2068 msgid "Unable to load module [{1}]: {2}" msgstr "No se ha podido cargar el módulo [{1}]: {2}" @@ -1064,7 +1068,7 @@ msgid "Unable to load module [{1}] with arguments [{2}]" msgstr "No se ha podido cargar el módulo [{1}] con parámetros {2}" #: webadmin.cpp:521 webadmin.cpp:625 webadmin.cpp:650 webadmin.cpp:672 -#: webadmin.cpp:706 webadmin.cpp:1249 +#: webadmin.cpp:706 webadmin.cpp:1260 msgid "No such user" msgstr "No existe el usuario" @@ -1080,7 +1084,7 @@ msgstr "No existe el canal" msgid "Please don't delete yourself, suicide is not the answer!" msgstr "No te elimines a ti mismo, el suicidio no es la solución" -#: webadmin.cpp:715 webadmin.cpp:972 webadmin.cpp:1314 +#: webadmin.cpp:715 webadmin.cpp:972 webadmin.cpp:1325 msgid "Edit User [{1}]" msgstr "Editar usuario [{1}]" @@ -1104,7 +1108,7 @@ msgstr "Añadir canal a red [{1}] del usuario [{2}]" msgid "Add Channel" msgstr "Añadir canal" -#: webadmin.cpp:756 webadmin.cpp:1510 +#: webadmin.cpp:756 webadmin.cpp:1521 msgid "Auto Clear Chan Buffer" msgstr "Autoborrar búfer de canal" @@ -1158,45 +1162,45 @@ msgstr "Añadir red para el usuario [{1}]" msgid "Add Network" msgstr "Añadir red" -#: webadmin.cpp:1073 +#: webadmin.cpp:1077 msgid "Network name is a required argument" msgstr "El nombre de la red es un parámetro obligatorio" -#: webadmin.cpp:1189 webadmin.cpp:2064 +#: webadmin.cpp:1200 webadmin.cpp:2075 msgid "Unable to reload module [{1}]: {2}" msgstr "No se ha podido recargar el módulo [{1}]: {2}" -#: webadmin.cpp:1226 +#: webadmin.cpp:1237 msgid "Network was added/modified, but config file was not written" msgstr "" "La red fue añadida/modificada, pero el fichero de configuración no se ha " "podido escribir" -#: webadmin.cpp:1255 +#: webadmin.cpp:1266 msgid "That network doesn't exist for this user" msgstr "La red no existe para este usuario" -#: webadmin.cpp:1272 +#: webadmin.cpp:1283 msgid "Network was deleted, but config file was not written" msgstr "" "La red fue eliminada, pero el fichero de configuración no se ha podido " "escribir" -#: webadmin.cpp:1286 +#: webadmin.cpp:1297 msgid "That channel doesn't exist for this network" msgstr "Ese canal no existe para esta red" -#: webadmin.cpp:1295 +#: webadmin.cpp:1306 msgid "Channel was deleted, but config file was not written" msgstr "" "El canal fue eliminado, pero el fichero de configuración no se ha podido " "escribir" -#: webadmin.cpp:1323 +#: webadmin.cpp:1334 msgid "Clone User [{1}]" msgstr "Clonar usuario [{1}]" -#: webadmin.cpp:1512 +#: webadmin.cpp:1523 msgid "" "Automatically Clear Channel Buffer After Playback (the default value for new " "channels)" @@ -1204,81 +1208,81 @@ msgstr "" "Borrar automáticamente búfers de canales tras reproducirlos (el valor " "predeterminado para nuevos canales)" -#: webadmin.cpp:1522 +#: webadmin.cpp:1533 msgid "Multi Clients" msgstr "Multi clientes" -#: webadmin.cpp:1529 +#: webadmin.cpp:1540 msgid "Append Timestamps" msgstr "Anexar marcas de tiempo" -#: webadmin.cpp:1536 +#: webadmin.cpp:1547 msgid "Prepend Timestamps" msgstr "Preceder marcas de tiempo" -#: webadmin.cpp:1544 +#: webadmin.cpp:1555 msgid "Deny LoadMod" msgstr "Bloquear LoadMod" -#: webadmin.cpp:1551 +#: webadmin.cpp:1562 msgid "Admin (dangerous! may gain shell access)" msgstr "" -#: webadmin.cpp:1561 +#: webadmin.cpp:1572 msgid "Deny SetBindHost" msgstr "Bloquear SetBindHost" -#: webadmin.cpp:1569 +#: webadmin.cpp:1580 msgid "Auto Clear Query Buffer" msgstr "Autoborrar búfer de privados" -#: webadmin.cpp:1571 +#: webadmin.cpp:1582 msgid "Automatically Clear Query Buffer After Playback" msgstr "Borrar automáticamente búfers de privados tras reproducirlos" -#: webadmin.cpp:1595 +#: webadmin.cpp:1606 msgid "Invalid Submission: User {1} already exists" msgstr "Envío no válido: el usuario {1} ya existe" -#: webadmin.cpp:1617 webadmin.cpp:1628 +#: webadmin.cpp:1628 webadmin.cpp:1639 msgid "Invalid submission: {1}" msgstr "Envío no válido: {1}" -#: webadmin.cpp:1623 +#: webadmin.cpp:1634 msgid "User was added, but config file was not written" msgstr "" "El usuario fue añadido, pero el fichero de configuración no se ha podido " "escribir" -#: webadmin.cpp:1634 +#: webadmin.cpp:1645 msgid "User was edited, but config file was not written" msgstr "" "El usuario fue editado, pero el fichero de configuración no se ha podido " "escribir" -#: webadmin.cpp:1792 +#: webadmin.cpp:1803 msgid "Choose either IPv4 or IPv6 or both." msgstr "Elige IPv4, IPv6 o ambos." -#: webadmin.cpp:1809 +#: webadmin.cpp:1820 msgid "Choose either IRC or HTTP or both." msgstr "Elige IRC, HTTP o ambos." -#: webadmin.cpp:1822 webadmin.cpp:1858 +#: webadmin.cpp:1833 webadmin.cpp:1869 msgid "Port was changed, but config file was not written" msgstr "" "El puerto fue cambiado, pero el fichero de configuración no se ha podido " "escribir" -#: webadmin.cpp:1848 +#: webadmin.cpp:1859 msgid "Invalid request." msgstr "Petición inválida." -#: webadmin.cpp:1862 +#: webadmin.cpp:1873 msgid "The specified listener was not found." msgstr "El puerto de escucha especificado no se ha encontrado." -#: webadmin.cpp:2093 +#: webadmin.cpp:2104 msgid "Settings were changed, but config file was not written" msgstr "" "Los ajustes fueron cambiados, pero el fichero de configuración no se ha " diff --git a/modules/po/webadmin.fr_FR.po b/modules/po/webadmin.fr_FR.po index 506c0b66..23ba4131 100644 --- a/modules/po/webadmin.fr_FR.po +++ b/modules/po/webadmin.fr_FR.po @@ -61,19 +61,19 @@ msgid "Save to config" msgstr "Sauvegarder la configuration" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:67 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:282 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:285 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:410 msgid "Module {1}" msgstr "Module {1}" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:75 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:290 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:293 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:419 msgid "Save and return" msgstr "Sauvegarder et revenir" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:76 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:291 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:294 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:420 msgid "Save and continue" msgstr "Sauvegarder et continuer" @@ -345,82 +345,86 @@ msgid "Add" msgstr "Ajouter" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:187 +msgid "Index" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:188 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:430 #: modules/po/../data/webadmin/tmpl/settings.tmpl:237 msgid "Save" msgstr "Sauvegarder" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:188 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:228 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:189 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:231 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:131 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:174 #: modules/po/../data/webadmin/tmpl/settings.tmpl:176 msgid "Name" msgstr "Nom" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:189 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:190 msgid "CurModes" msgstr "CurModes" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:190 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:191 msgid "DefModes" msgstr "DefModes" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:191 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:192 msgid "BufferSize" msgstr "Taille du tampon" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:192 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:193 msgid "Options" msgstr "Paramètres" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:194 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:195 msgid "← Add a channel (opens in same page)" msgstr "← Ajouter un salon (s'ouvre dans la même page)" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:204 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:205 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:146 #: modules/po/../data/webadmin/tmpl/listusers.tmpl:27 msgid "Edit" msgstr "Modifier" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:204 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:205 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:146 #: modules/po/../data/webadmin/tmpl/settings.tmpl:53 msgid "Del" msgstr "Supprimer" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:222 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:225 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:168 msgid "Modules" msgstr "Modules" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:229 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:232 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:175 #: modules/po/../data/webadmin/tmpl/settings.tmpl:177 msgid "Arguments" msgstr "Arguments" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:230 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:233 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:176 #: modules/po/../data/webadmin/tmpl/settings.tmpl:178 msgid "Description" msgstr "Description" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:231 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:234 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:177 msgid "Loaded globally" msgstr "Chargé globalement" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:232 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:235 msgid "Loaded by user" msgstr "Chargé par l'utilisateur" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:293 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:296 msgid "Add Network and return" msgstr "Ajouter le réseau et revenir" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:294 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:297 msgid "Add Network and continue" msgstr "Ajouter le réseau et continuer" @@ -1046,7 +1050,7 @@ msgstr "Utilisateur" msgid "Network" msgstr "Réseau" -#: webadmin.cpp:91 webadmin.cpp:1872 +#: webadmin.cpp:91 webadmin.cpp:1883 msgid "Global Settings" msgstr "Paramètres globaux" @@ -1054,11 +1058,11 @@ msgstr "Paramètres globaux" msgid "Your Settings" msgstr "Vos paramètres" -#: webadmin.cpp:94 webadmin.cpp:1684 +#: webadmin.cpp:94 webadmin.cpp:1695 msgid "Traffic Info" msgstr "Informations sur le trafic" -#: webadmin.cpp:97 webadmin.cpp:1663 +#: webadmin.cpp:97 webadmin.cpp:1674 msgid "Manage Users" msgstr "Gérer les utilisateurs" @@ -1074,7 +1078,7 @@ msgstr "Soumission invalide [les mots de passe ne correspondent pas]" msgid "Timeout can't be less than 30 seconds!" msgstr "Le délai d'expiration ne peut être inférieur à 30 secondes !" -#: webadmin.cpp:407 webadmin.cpp:435 webadmin.cpp:1182 webadmin.cpp:2057 +#: webadmin.cpp:407 webadmin.cpp:435 webadmin.cpp:1193 webadmin.cpp:2068 msgid "Unable to load module [{1}]: {2}" msgstr "Impossible de charger le module [{1}] : {2}" @@ -1083,7 +1087,7 @@ msgid "Unable to load module [{1}] with arguments [{2}]" msgstr "Impossible de charger le module [{1}] avec les arguments [{2}]" #: webadmin.cpp:521 webadmin.cpp:625 webadmin.cpp:650 webadmin.cpp:672 -#: webadmin.cpp:706 webadmin.cpp:1249 +#: webadmin.cpp:706 webadmin.cpp:1260 msgid "No such user" msgstr "Utilisateur inconnu" @@ -1099,7 +1103,7 @@ msgstr "Salon inconnu" msgid "Please don't delete yourself, suicide is not the answer!" msgstr "Veuillez ne pas vous supprimer, le suicide n'est pas la solution !" -#: webadmin.cpp:715 webadmin.cpp:972 webadmin.cpp:1314 +#: webadmin.cpp:715 webadmin.cpp:972 webadmin.cpp:1325 msgid "Edit User [{1}]" msgstr "Modifier l'utilisateur [{1}]" @@ -1123,7 +1127,7 @@ msgstr "Ajouter un salon au réseau [{1}] de l'utilisateur [{2}]" msgid "Add Channel" msgstr "Ajouter un salon" -#: webadmin.cpp:756 webadmin.cpp:1510 +#: webadmin.cpp:756 webadmin.cpp:1521 msgid "Auto Clear Chan Buffer" msgstr "Vider automatiquement le tampon des salons" @@ -1178,43 +1182,43 @@ msgstr "Ajouter un réseau pour l'utilisateur [{1}]" msgid "Add Network" msgstr "Ajouter un réseau" -#: webadmin.cpp:1073 +#: webadmin.cpp:1077 msgid "Network name is a required argument" msgstr "Le nom du réseau est un argument requis" -#: webadmin.cpp:1189 webadmin.cpp:2064 +#: webadmin.cpp:1200 webadmin.cpp:2075 msgid "Unable to reload module [{1}]: {2}" msgstr "Impossible de recharger le module [{1}] : {2}" -#: webadmin.cpp:1226 +#: webadmin.cpp:1237 msgid "Network was added/modified, but config file was not written" msgstr "" "Le réseau a été ajouté ou modifié, mais la configuration n'a pas pu être " "sauvegardée" -#: webadmin.cpp:1255 +#: webadmin.cpp:1266 msgid "That network doesn't exist for this user" msgstr "Le réseau n'existe pas pour cet utilisateur" -#: webadmin.cpp:1272 +#: webadmin.cpp:1283 msgid "Network was deleted, but config file was not written" msgstr "" "Le réseau a été supprimé, mais la configuration n'a pas pu être sauvegardée" -#: webadmin.cpp:1286 +#: webadmin.cpp:1297 msgid "That channel doesn't exist for this network" msgstr "Le salon n'existe pas pour ce réseau" -#: webadmin.cpp:1295 +#: webadmin.cpp:1306 msgid "Channel was deleted, but config file was not written" msgstr "" "Le salon a été supprimé, mais la configuration n'a pas pu être sauvegardée" -#: webadmin.cpp:1323 +#: webadmin.cpp:1334 msgid "Clone User [{1}]" msgstr "Dupliquer l'utilisateur [{1}]" -#: webadmin.cpp:1512 +#: webadmin.cpp:1523 msgid "" "Automatically Clear Channel Buffer After Playback (the default value for new " "channels)" @@ -1222,80 +1226,80 @@ msgstr "" "Vider automatiquement le tampon des salons après l'avoir rejoué (valeur par " "défaut pour les nouveaux salons)" -#: webadmin.cpp:1522 +#: webadmin.cpp:1533 msgid "Multi Clients" msgstr "Multi Clients" -#: webadmin.cpp:1529 +#: webadmin.cpp:1540 msgid "Append Timestamps" msgstr "Ajouter un horodatage après" -#: webadmin.cpp:1536 +#: webadmin.cpp:1547 msgid "Prepend Timestamps" msgstr "Ajouter un horodatage avant" -#: webadmin.cpp:1544 +#: webadmin.cpp:1555 msgid "Deny LoadMod" msgstr "Interdire LoadMod" -#: webadmin.cpp:1551 +#: webadmin.cpp:1562 msgid "Admin (dangerous! may gain shell access)" msgstr "" -#: webadmin.cpp:1561 +#: webadmin.cpp:1572 msgid "Deny SetBindHost" msgstr "Interdire SetBindHost" -#: webadmin.cpp:1569 +#: webadmin.cpp:1580 msgid "Auto Clear Query Buffer" msgstr "Vider automatiquement le tampon des messages privés" -#: webadmin.cpp:1571 +#: webadmin.cpp:1582 msgid "Automatically Clear Query Buffer After Playback" msgstr "" "Vider automatiquement le tampon des messages privés après l'avoir rejoué" -#: webadmin.cpp:1595 +#: webadmin.cpp:1606 msgid "Invalid Submission: User {1} already exists" msgstr "Requête invalide : l'utilisateur {1} existe déjà" -#: webadmin.cpp:1617 webadmin.cpp:1628 +#: webadmin.cpp:1628 webadmin.cpp:1639 msgid "Invalid submission: {1}" msgstr "Requête invalide : {1}" -#: webadmin.cpp:1623 +#: webadmin.cpp:1634 msgid "User was added, but config file was not written" msgstr "" "L'utilisateur a été ajouté, mais la configuration n'a pas pu être sauvegardée" -#: webadmin.cpp:1634 +#: webadmin.cpp:1645 msgid "User was edited, but config file was not written" msgstr "" "L'utilisateur a été modifié, mais la configuration n'a pas pu être " "sauvegardée" -#: webadmin.cpp:1792 +#: webadmin.cpp:1803 msgid "Choose either IPv4 or IPv6 or both." msgstr "Choisissez IPv4 ou IPv6 (ou les deux)." -#: webadmin.cpp:1809 +#: webadmin.cpp:1820 msgid "Choose either IRC or HTTP or both." msgstr "Choisissez IRC ou HTTP (ou les deux)." -#: webadmin.cpp:1822 webadmin.cpp:1858 +#: webadmin.cpp:1833 webadmin.cpp:1869 msgid "Port was changed, but config file was not written" msgstr "" "Le port a été modifié, mais la configuration n'a pas pu être sauvegardée" -#: webadmin.cpp:1848 +#: webadmin.cpp:1859 msgid "Invalid request." msgstr "Requête non valide." -#: webadmin.cpp:1862 +#: webadmin.cpp:1873 msgid "The specified listener was not found." msgstr "Le canal d'écoute spécifié est introuvable." -#: webadmin.cpp:2093 +#: webadmin.cpp:2104 msgid "Settings were changed, but config file was not written" msgstr "" "Les paramètres ont été changés, mais la configuration n'a pas pu être " diff --git a/modules/po/webadmin.id_ID.po b/modules/po/webadmin.id_ID.po index 3ca4da6e..5d3a1f5b 100644 --- a/modules/po/webadmin.id_ID.po +++ b/modules/po/webadmin.id_ID.po @@ -61,19 +61,19 @@ msgid "Save to config" msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:67 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:282 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:285 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:410 msgid "Module {1}" msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:75 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:290 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:293 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:419 msgid "Save and return" msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:76 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:291 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:294 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:420 msgid "Save and continue" msgstr "" @@ -322,82 +322,86 @@ msgid "Add" msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:187 +msgid "Index" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:188 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:430 #: modules/po/../data/webadmin/tmpl/settings.tmpl:237 msgid "Save" msgstr "" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:188 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:228 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:189 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:231 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:131 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:174 #: modules/po/../data/webadmin/tmpl/settings.tmpl:176 msgid "Name" msgstr "" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:189 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:190 msgid "CurModes" msgstr "" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:190 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:191 msgid "DefModes" msgstr "" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:191 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:192 msgid "BufferSize" msgstr "" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:192 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:193 msgid "Options" msgstr "" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:194 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:195 msgid "← Add a channel (opens in same page)" msgstr "" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:204 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:205 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:146 #: modules/po/../data/webadmin/tmpl/listusers.tmpl:27 msgid "Edit" msgstr "" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:204 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:205 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:146 #: modules/po/../data/webadmin/tmpl/settings.tmpl:53 msgid "Del" msgstr "" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:222 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:225 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:168 msgid "Modules" msgstr "" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:229 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:232 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:175 #: modules/po/../data/webadmin/tmpl/settings.tmpl:177 msgid "Arguments" msgstr "" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:230 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:233 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:176 #: modules/po/../data/webadmin/tmpl/settings.tmpl:178 msgid "Description" msgstr "" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:231 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:234 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:177 msgid "Loaded globally" msgstr "" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:232 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:235 msgid "Loaded by user" msgstr "" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:293 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:296 msgid "Add Network and return" msgstr "" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:294 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:297 msgid "Add Network and continue" msgstr "" @@ -971,7 +975,7 @@ msgstr "" msgid "Network" msgstr "" -#: webadmin.cpp:91 webadmin.cpp:1872 +#: webadmin.cpp:91 webadmin.cpp:1883 msgid "Global Settings" msgstr "" @@ -979,11 +983,11 @@ msgstr "" msgid "Your Settings" msgstr "" -#: webadmin.cpp:94 webadmin.cpp:1684 +#: webadmin.cpp:94 webadmin.cpp:1695 msgid "Traffic Info" msgstr "" -#: webadmin.cpp:97 webadmin.cpp:1663 +#: webadmin.cpp:97 webadmin.cpp:1674 msgid "Manage Users" msgstr "" @@ -999,7 +1003,7 @@ msgstr "" msgid "Timeout can't be less than 30 seconds!" msgstr "" -#: webadmin.cpp:407 webadmin.cpp:435 webadmin.cpp:1182 webadmin.cpp:2057 +#: webadmin.cpp:407 webadmin.cpp:435 webadmin.cpp:1193 webadmin.cpp:2068 msgid "Unable to load module [{1}]: {2}" msgstr "" @@ -1008,7 +1012,7 @@ msgid "Unable to load module [{1}] with arguments [{2}]" msgstr "" #: webadmin.cpp:521 webadmin.cpp:625 webadmin.cpp:650 webadmin.cpp:672 -#: webadmin.cpp:706 webadmin.cpp:1249 +#: webadmin.cpp:706 webadmin.cpp:1260 msgid "No such user" msgstr "" @@ -1024,7 +1028,7 @@ msgstr "" msgid "Please don't delete yourself, suicide is not the answer!" msgstr "" -#: webadmin.cpp:715 webadmin.cpp:972 webadmin.cpp:1314 +#: webadmin.cpp:715 webadmin.cpp:972 webadmin.cpp:1325 msgid "Edit User [{1}]" msgstr "" @@ -1048,7 +1052,7 @@ msgstr "" msgid "Add Channel" msgstr "" -#: webadmin.cpp:756 webadmin.cpp:1510 +#: webadmin.cpp:756 webadmin.cpp:1521 msgid "Auto Clear Chan Buffer" msgstr "" @@ -1098,112 +1102,112 @@ msgstr "" msgid "Add Network" msgstr "" -#: webadmin.cpp:1073 +#: webadmin.cpp:1077 msgid "Network name is a required argument" msgstr "" -#: webadmin.cpp:1189 webadmin.cpp:2064 +#: webadmin.cpp:1200 webadmin.cpp:2075 msgid "Unable to reload module [{1}]: {2}" msgstr "" -#: webadmin.cpp:1226 +#: webadmin.cpp:1237 msgid "Network was added/modified, but config file was not written" msgstr "" -#: webadmin.cpp:1255 +#: webadmin.cpp:1266 msgid "That network doesn't exist for this user" msgstr "" -#: webadmin.cpp:1272 +#: webadmin.cpp:1283 msgid "Network was deleted, but config file was not written" msgstr "" -#: webadmin.cpp:1286 +#: webadmin.cpp:1297 msgid "That channel doesn't exist for this network" msgstr "" -#: webadmin.cpp:1295 +#: webadmin.cpp:1306 msgid "Channel was deleted, but config file was not written" msgstr "" -#: webadmin.cpp:1323 +#: webadmin.cpp:1334 msgid "Clone User [{1}]" msgstr "" -#: webadmin.cpp:1512 +#: webadmin.cpp:1523 msgid "" "Automatically Clear Channel Buffer After Playback (the default value for new " "channels)" msgstr "" -#: webadmin.cpp:1522 +#: webadmin.cpp:1533 msgid "Multi Clients" msgstr "" -#: webadmin.cpp:1529 +#: webadmin.cpp:1540 msgid "Append Timestamps" msgstr "" -#: webadmin.cpp:1536 +#: webadmin.cpp:1547 msgid "Prepend Timestamps" msgstr "" -#: webadmin.cpp:1544 +#: webadmin.cpp:1555 msgid "Deny LoadMod" msgstr "" -#: webadmin.cpp:1551 +#: webadmin.cpp:1562 msgid "Admin (dangerous! may gain shell access)" msgstr "" -#: webadmin.cpp:1561 +#: webadmin.cpp:1572 msgid "Deny SetBindHost" msgstr "" -#: webadmin.cpp:1569 +#: webadmin.cpp:1580 msgid "Auto Clear Query Buffer" msgstr "" -#: webadmin.cpp:1571 +#: webadmin.cpp:1582 msgid "Automatically Clear Query Buffer After Playback" msgstr "" -#: webadmin.cpp:1595 +#: webadmin.cpp:1606 msgid "Invalid Submission: User {1} already exists" msgstr "" -#: webadmin.cpp:1617 webadmin.cpp:1628 +#: webadmin.cpp:1628 webadmin.cpp:1639 msgid "Invalid submission: {1}" msgstr "" -#: webadmin.cpp:1623 +#: webadmin.cpp:1634 msgid "User was added, but config file was not written" msgstr "" -#: webadmin.cpp:1634 +#: webadmin.cpp:1645 msgid "User was edited, but config file was not written" msgstr "" -#: webadmin.cpp:1792 +#: webadmin.cpp:1803 msgid "Choose either IPv4 or IPv6 or both." msgstr "" -#: webadmin.cpp:1809 +#: webadmin.cpp:1820 msgid "Choose either IRC or HTTP or both." msgstr "" -#: webadmin.cpp:1822 webadmin.cpp:1858 +#: webadmin.cpp:1833 webadmin.cpp:1869 msgid "Port was changed, but config file was not written" msgstr "" -#: webadmin.cpp:1848 +#: webadmin.cpp:1859 msgid "Invalid request." msgstr "" -#: webadmin.cpp:1862 +#: webadmin.cpp:1873 msgid "The specified listener was not found." msgstr "" -#: webadmin.cpp:2093 +#: webadmin.cpp:2104 msgid "Settings were changed, but config file was not written" msgstr "" diff --git a/modules/po/webadmin.it_IT.po b/modules/po/webadmin.it_IT.po index 552ec006..ef271399 100644 --- a/modules/po/webadmin.it_IT.po +++ b/modules/po/webadmin.it_IT.po @@ -63,19 +63,19 @@ msgid "Save to config" msgstr "Salva in confg" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:67 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:282 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:285 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:410 msgid "Module {1}" msgstr "Modulo {1}" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:75 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:290 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:293 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:419 msgid "Save and return" msgstr "Salva e ritorna" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:76 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:291 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:294 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:420 msgid "Save and continue" msgstr "Salva e continua" @@ -360,82 +360,86 @@ msgid "Add" msgstr "Inserisci" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:187 +msgid "Index" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:188 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:430 #: modules/po/../data/webadmin/tmpl/settings.tmpl:237 msgid "Save" msgstr "Salva" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:188 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:228 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:189 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:231 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:131 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:174 #: modules/po/../data/webadmin/tmpl/settings.tmpl:176 msgid "Name" msgstr "Nome" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:189 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:190 msgid "CurModes" msgstr "Modes correnti" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:190 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:191 msgid "DefModes" msgstr "Modes di default" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:191 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:192 msgid "BufferSize" msgstr "Dimensione Buffer" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:192 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:193 msgid "Options" msgstr "Opzioni" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:194 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:195 msgid "← Add a channel (opens in same page)" msgstr "← Aggiungi un canale (si apre nella stessa pagina)" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:204 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:205 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:146 #: modules/po/../data/webadmin/tmpl/listusers.tmpl:27 msgid "Edit" msgstr "Modifica" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:204 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:205 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:146 #: modules/po/../data/webadmin/tmpl/settings.tmpl:53 msgid "Del" msgstr "Elimina" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:222 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:225 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:168 msgid "Modules" msgstr "Moduli" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:229 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:232 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:175 #: modules/po/../data/webadmin/tmpl/settings.tmpl:177 msgid "Arguments" msgstr "Argomenti" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:230 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:233 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:176 #: modules/po/../data/webadmin/tmpl/settings.tmpl:178 msgid "Description" msgstr "Descrizione" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:231 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:234 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:177 msgid "Loaded globally" msgstr "Caricato globalmente" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:232 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:235 msgid "Loaded by user" msgstr "Caricato dell'utente" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:293 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:296 msgid "Add Network and return" msgstr "Aggiungi Network e ritorna" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:294 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:297 msgid "Add Network and continue" msgstr "Aggiungi Network e continua" @@ -1059,7 +1063,7 @@ msgstr "Utente" msgid "Network" msgstr "Network" -#: webadmin.cpp:91 webadmin.cpp:1872 +#: webadmin.cpp:91 webadmin.cpp:1883 msgid "Global Settings" msgstr "Impostazione moduli" @@ -1067,11 +1071,11 @@ msgstr "Impostazione moduli" msgid "Your Settings" msgstr "Le tue impostazioni" -#: webadmin.cpp:94 webadmin.cpp:1684 +#: webadmin.cpp:94 webadmin.cpp:1695 msgid "Traffic Info" msgstr "Informazioni del traffico" -#: webadmin.cpp:97 webadmin.cpp:1663 +#: webadmin.cpp:97 webadmin.cpp:1674 msgid "Manage Users" msgstr "Gestione utenti" @@ -1087,7 +1091,7 @@ msgstr "Invio non valido [Le password non corrispondono]" msgid "Timeout can't be less than 30 seconds!" msgstr "Il timeout non può essere inferiore a 30 secondi!" -#: webadmin.cpp:407 webadmin.cpp:435 webadmin.cpp:1182 webadmin.cpp:2057 +#: webadmin.cpp:407 webadmin.cpp:435 webadmin.cpp:1193 webadmin.cpp:2068 msgid "Unable to load module [{1}]: {2}" msgstr "Impossibile caricare il modulo [{1}]: {2}" @@ -1096,7 +1100,7 @@ msgid "Unable to load module [{1}] with arguments [{2}]" msgstr "Impossibile caricare il modulo [{1}] con gli argomenti [{2}]" #: webadmin.cpp:521 webadmin.cpp:625 webadmin.cpp:650 webadmin.cpp:672 -#: webadmin.cpp:706 webadmin.cpp:1249 +#: webadmin.cpp:706 webadmin.cpp:1260 msgid "No such user" msgstr "Nessun utente" @@ -1112,7 +1116,7 @@ msgstr "Nessun canale" msgid "Please don't delete yourself, suicide is not the answer!" msgstr "Per favore, non cancellarti, il suicidio non è la risposta!" -#: webadmin.cpp:715 webadmin.cpp:972 webadmin.cpp:1314 +#: webadmin.cpp:715 webadmin.cpp:972 webadmin.cpp:1325 msgid "Edit User [{1}]" msgstr "Modifica utente [{1}]" @@ -1136,7 +1140,7 @@ msgstr "Aggiungi canale al Network [{1}] dell'utente [{2}]" msgid "Add Channel" msgstr "Aggiungi canale" -#: webadmin.cpp:756 webadmin.cpp:1510 +#: webadmin.cpp:756 webadmin.cpp:1521 msgid "Auto Clear Chan Buffer" msgstr "Auto cancellazione del Buffer sui canali" @@ -1192,44 +1196,44 @@ msgstr "Aggiungi Network per l'utente [{1}]" msgid "Add Network" msgstr "Aggiungi Network" -#: webadmin.cpp:1073 +#: webadmin.cpp:1077 msgid "Network name is a required argument" msgstr "Il nome del network è un argomento richiesto" -#: webadmin.cpp:1189 webadmin.cpp:2064 +#: webadmin.cpp:1200 webadmin.cpp:2075 msgid "Unable to reload module [{1}]: {2}" msgstr "Impossibile ricaricare il modulo [{1}]: {2}" -#: webadmin.cpp:1226 +#: webadmin.cpp:1237 msgid "Network was added/modified, but config file was not written" msgstr "" "Il network è stato aggiunto/modificato, ma il file di configurazione non è " "stato scritto" -#: webadmin.cpp:1255 +#: webadmin.cpp:1266 msgid "That network doesn't exist for this user" msgstr "Quel canale non esiste per questo utente" -#: webadmin.cpp:1272 +#: webadmin.cpp:1283 msgid "Network was deleted, but config file was not written" msgstr "" "Il network è stato eliminato, ma il file di configurazione non è stato " "scritto" -#: webadmin.cpp:1286 +#: webadmin.cpp:1297 msgid "That channel doesn't exist for this network" msgstr "Quel canale non esiste per questo network" -#: webadmin.cpp:1295 +#: webadmin.cpp:1306 msgid "Channel was deleted, but config file was not written" msgstr "" "Il canale è stato eliminato, ma il file di configurazione non è stato scritto" -#: webadmin.cpp:1323 +#: webadmin.cpp:1334 msgid "Clone User [{1}]" msgstr "Clona l'utente [{1}]" -#: webadmin.cpp:1512 +#: webadmin.cpp:1523 msgid "" "Automatically Clear Channel Buffer After Playback (the default value for new " "channels)" @@ -1237,80 +1241,80 @@ msgstr "" "Cancella automaticamente il buffer del canale dopo la riproduzione " "(Playback) (valore di default per i nuovi canali)" -#: webadmin.cpp:1522 +#: webadmin.cpp:1533 msgid "Multi Clients" msgstr "Clients multipli" -#: webadmin.cpp:1529 +#: webadmin.cpp:1540 msgid "Append Timestamps" msgstr "Aggiungi Timestamps (orologio)" -#: webadmin.cpp:1536 +#: webadmin.cpp:1547 msgid "Prepend Timestamps" msgstr "Anteponi il Timestamps" -#: webadmin.cpp:1544 +#: webadmin.cpp:1555 msgid "Deny LoadMod" msgstr "Nega LoadMod" -#: webadmin.cpp:1551 +#: webadmin.cpp:1562 msgid "Admin (dangerous! may gain shell access)" msgstr "" -#: webadmin.cpp:1561 +#: webadmin.cpp:1572 msgid "Deny SetBindHost" msgstr "Nega SetBindHost" -#: webadmin.cpp:1569 +#: webadmin.cpp:1580 msgid "Auto Clear Query Buffer" msgstr "Auto cancellazione del Buffer sulle Query" -#: webadmin.cpp:1571 +#: webadmin.cpp:1582 msgid "Automatically Clear Query Buffer After Playback" msgstr "" "Cancella automaticamente il buffer della Query dopo la riproduzione " "(Playback)" -#: webadmin.cpp:1595 +#: webadmin.cpp:1606 msgid "Invalid Submission: User {1} already exists" msgstr "Invio non valido: L'utente {1} è già esistente" -#: webadmin.cpp:1617 webadmin.cpp:1628 +#: webadmin.cpp:1628 webadmin.cpp:1639 msgid "Invalid submission: {1}" msgstr "Invio non valido: {1}" -#: webadmin.cpp:1623 +#: webadmin.cpp:1634 msgid "User was added, but config file was not written" msgstr "" "L'utente è stato aggiunto, ma il file di configurazione non è stato scritto" -#: webadmin.cpp:1634 +#: webadmin.cpp:1645 msgid "User was edited, but config file was not written" msgstr "" "L'utente è stato modificato, ma il file di configurazione non è stato scritto" -#: webadmin.cpp:1792 +#: webadmin.cpp:1803 msgid "Choose either IPv4 or IPv6 or both." msgstr "Scegli tra IPv4 o IPv6 o entrambi." -#: webadmin.cpp:1809 +#: webadmin.cpp:1820 msgid "Choose either IRC or HTTP or both." msgstr "Scegli tra IRC o HTTP o entrambi." -#: webadmin.cpp:1822 webadmin.cpp:1858 +#: webadmin.cpp:1833 webadmin.cpp:1869 msgid "Port was changed, but config file was not written" msgstr "" "La porta è stata cambiata, ma il file di configurazione non è stato scritto" -#: webadmin.cpp:1848 +#: webadmin.cpp:1859 msgid "Invalid request." msgstr "Richiesta non valida." -#: webadmin.cpp:1862 +#: webadmin.cpp:1873 msgid "The specified listener was not found." msgstr "L'ascoltatore specificato non è stato trovato." -#: webadmin.cpp:2093 +#: webadmin.cpp:2104 msgid "Settings were changed, but config file was not written" msgstr "" "Le impostazioni sono state cambiate, ma il file di configurazione non è " diff --git a/modules/po/webadmin.nl_NL.po b/modules/po/webadmin.nl_NL.po index 60b1cd68..1edbf9e6 100644 --- a/modules/po/webadmin.nl_NL.po +++ b/modules/po/webadmin.nl_NL.po @@ -61,19 +61,19 @@ msgid "Save to config" msgstr "Opslaan naar configuratie" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:67 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:282 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:285 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:410 msgid "Module {1}" msgstr "Module {1}" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:75 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:290 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:293 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:419 msgid "Save and return" msgstr "Opslaan en terugkeren" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:76 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:291 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:294 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:420 msgid "Save and continue" msgstr "Opslaan en doorgaan" @@ -344,82 +344,86 @@ msgid "Add" msgstr "Toevoegen" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:187 +msgid "Index" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:188 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:430 #: modules/po/../data/webadmin/tmpl/settings.tmpl:237 msgid "Save" msgstr "Opslaan" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:188 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:228 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:189 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:231 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:131 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:174 #: modules/po/../data/webadmin/tmpl/settings.tmpl:176 msgid "Name" msgstr "Naam" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:189 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:190 msgid "CurModes" msgstr "CurModes" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:190 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:191 msgid "DefModes" msgstr "DefModes" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:191 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:192 msgid "BufferSize" msgstr "BufferSize" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:192 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:193 msgid "Options" msgstr "Opties" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:194 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:195 msgid "← Add a channel (opens in same page)" msgstr "← Voeg een kanaal toe (opent op dezelfde pagina)" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:204 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:205 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:146 #: modules/po/../data/webadmin/tmpl/listusers.tmpl:27 msgid "Edit" msgstr "Bewerk" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:204 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:205 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:146 #: modules/po/../data/webadmin/tmpl/settings.tmpl:53 msgid "Del" msgstr "Verwijder" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:222 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:225 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:168 msgid "Modules" msgstr "Modulen" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:229 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:232 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:175 #: modules/po/../data/webadmin/tmpl/settings.tmpl:177 msgid "Arguments" msgstr "Argumenten" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:230 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:233 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:176 #: modules/po/../data/webadmin/tmpl/settings.tmpl:178 msgid "Description" msgstr "Beschrijving" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:231 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:234 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:177 msgid "Loaded globally" msgstr "Algemeen geladen" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:232 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:235 msgid "Loaded by user" msgstr "Geladen door gebruiker" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:293 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:296 msgid "Add Network and return" msgstr "Voeg netwerk toe en keer terug" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:294 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:297 msgid "Add Network and continue" msgstr "Voeg netwerk toe en ga verder" @@ -1039,7 +1043,7 @@ msgstr "Gebruiker" msgid "Network" msgstr "Netwerk" -#: webadmin.cpp:91 webadmin.cpp:1872 +#: webadmin.cpp:91 webadmin.cpp:1883 msgid "Global Settings" msgstr "Algemene instellingen" @@ -1047,11 +1051,11 @@ msgstr "Algemene instellingen" msgid "Your Settings" msgstr "Jouw instellingen" -#: webadmin.cpp:94 webadmin.cpp:1684 +#: webadmin.cpp:94 webadmin.cpp:1695 msgid "Traffic Info" msgstr "Verkeer informatie" -#: webadmin.cpp:97 webadmin.cpp:1663 +#: webadmin.cpp:97 webadmin.cpp:1674 msgid "Manage Users" msgstr "Beheer gebruikers" @@ -1067,7 +1071,7 @@ msgstr "Ongeldige inzending [Wachtwoord komt niet overeen]" msgid "Timeout can't be less than 30 seconds!" msgstr "Time-out mag niet minder zijn dan 30 seconden!" -#: webadmin.cpp:407 webadmin.cpp:435 webadmin.cpp:1182 webadmin.cpp:2057 +#: webadmin.cpp:407 webadmin.cpp:435 webadmin.cpp:1193 webadmin.cpp:2068 msgid "Unable to load module [{1}]: {2}" msgstr "Niet mogelijk module te laden [{1}]: {2}" @@ -1076,7 +1080,7 @@ msgid "Unable to load module [{1}] with arguments [{2}]" msgstr "Niet mogelijk module te laden [{1}] met argumenten [{2}]" #: webadmin.cpp:521 webadmin.cpp:625 webadmin.cpp:650 webadmin.cpp:672 -#: webadmin.cpp:706 webadmin.cpp:1249 +#: webadmin.cpp:706 webadmin.cpp:1260 msgid "No such user" msgstr "Gebruiker onbekend" @@ -1092,7 +1096,7 @@ msgstr "Kanaal onbekend" msgid "Please don't delete yourself, suicide is not the answer!" msgstr "Verwijder jezelf alsjeblieft niet, zelfmoord is niet het antwoord!" -#: webadmin.cpp:715 webadmin.cpp:972 webadmin.cpp:1314 +#: webadmin.cpp:715 webadmin.cpp:972 webadmin.cpp:1325 msgid "Edit User [{1}]" msgstr "Bewerk gebruiker [{1}]" @@ -1116,7 +1120,7 @@ msgstr "Voeg kanaal aan netwerk [{1}] van gebruiker [{2}]" msgid "Add Channel" msgstr "Voeg kanaal toe" -#: webadmin.cpp:756 webadmin.cpp:1510 +#: webadmin.cpp:756 webadmin.cpp:1521 msgid "Auto Clear Chan Buffer" msgstr "Automatisch kanaalbuffer legen" @@ -1168,39 +1172,39 @@ msgstr "Voeg netwerk toe voor gebruiker [{1}]" msgid "Add Network" msgstr "Voeg netwerk toe" -#: webadmin.cpp:1073 +#: webadmin.cpp:1077 msgid "Network name is a required argument" msgstr "Netwerknaam is een vereist argument" -#: webadmin.cpp:1189 webadmin.cpp:2064 +#: webadmin.cpp:1200 webadmin.cpp:2075 msgid "Unable to reload module [{1}]: {2}" msgstr "Niet mogelijk module te herladen [{1}]: {2}" -#: webadmin.cpp:1226 +#: webadmin.cpp:1237 msgid "Network was added/modified, but config file was not written" msgstr "Netwerk was toegevoegd/aangepast maar configuratie was niet opgeslagen" -#: webadmin.cpp:1255 +#: webadmin.cpp:1266 msgid "That network doesn't exist for this user" msgstr "Dat netwerk bestaat niet voor deze gebruiker" -#: webadmin.cpp:1272 +#: webadmin.cpp:1283 msgid "Network was deleted, but config file was not written" msgstr "Netwerk was verwijderd maar configuratie was niet opgeslagen" -#: webadmin.cpp:1286 +#: webadmin.cpp:1297 msgid "That channel doesn't exist for this network" msgstr "Dat kanaal bestaat niet voor dit netwerk" -#: webadmin.cpp:1295 +#: webadmin.cpp:1306 msgid "Channel was deleted, but config file was not written" msgstr "Kanaal was verwijderd maar configuratie was niet opgeslagen" -#: webadmin.cpp:1323 +#: webadmin.cpp:1334 msgid "Clone User [{1}]" msgstr "Kloon gebruiker [{1}]" -#: webadmin.cpp:1512 +#: webadmin.cpp:1523 msgid "" "Automatically Clear Channel Buffer After Playback (the default value for new " "channels)" @@ -1208,74 +1212,74 @@ msgstr "" "Leeg kanaal buffer automatisch na afspelen (standaard waarde voor nieuwe " "kanalen)" -#: webadmin.cpp:1522 +#: webadmin.cpp:1533 msgid "Multi Clients" msgstr "Meerdere clients" -#: webadmin.cpp:1529 +#: webadmin.cpp:1540 msgid "Append Timestamps" msgstr "Tijdstempel toevoegen" -#: webadmin.cpp:1536 +#: webadmin.cpp:1547 msgid "Prepend Timestamps" msgstr "Tijdstempel voorvoegen" -#: webadmin.cpp:1544 +#: webadmin.cpp:1555 msgid "Deny LoadMod" msgstr "Sta LoadMod niet toe" -#: webadmin.cpp:1551 +#: webadmin.cpp:1562 msgid "Admin (dangerous! may gain shell access)" msgstr "Administrator (Gevaarlijk! Kan hierdoor shell toegang verkrijgen)" -#: webadmin.cpp:1561 +#: webadmin.cpp:1572 msgid "Deny SetBindHost" msgstr "Sta SetBindHost niet toe" -#: webadmin.cpp:1569 +#: webadmin.cpp:1580 msgid "Auto Clear Query Buffer" msgstr "Automatisch privéberichtbuffer legen" -#: webadmin.cpp:1571 +#: webadmin.cpp:1582 msgid "Automatically Clear Query Buffer After Playback" msgstr "Leegt automatisch de privéberichtbuffer na het afspelen" -#: webadmin.cpp:1595 +#: webadmin.cpp:1606 msgid "Invalid Submission: User {1} already exists" msgstr "Ongeldige inzending: Gebruiker {1} bestaat al" -#: webadmin.cpp:1617 webadmin.cpp:1628 +#: webadmin.cpp:1628 webadmin.cpp:1639 msgid "Invalid submission: {1}" msgstr "Ongeldige inzending: {1}" -#: webadmin.cpp:1623 +#: webadmin.cpp:1634 msgid "User was added, but config file was not written" msgstr "Gebruiker was toegevoegd maar configuratie was niet opgeslagen" -#: webadmin.cpp:1634 +#: webadmin.cpp:1645 msgid "User was edited, but config file was not written" msgstr "Gebruiker was aangepast maar configuratie was niet opgeslagen" -#: webadmin.cpp:1792 +#: webadmin.cpp:1803 msgid "Choose either IPv4 or IPv6 or both." msgstr "Kies IPv4 of IPv6 of beide." -#: webadmin.cpp:1809 +#: webadmin.cpp:1820 msgid "Choose either IRC or HTTP or both." msgstr "Kies IRC of HTTP of beide." -#: webadmin.cpp:1822 webadmin.cpp:1858 +#: webadmin.cpp:1833 webadmin.cpp:1869 msgid "Port was changed, but config file was not written" msgstr "Poort was aangepast maar configuratie was niet opgeslagen" -#: webadmin.cpp:1848 +#: webadmin.cpp:1859 msgid "Invalid request." msgstr "Ongeldig verzoek." -#: webadmin.cpp:1862 +#: webadmin.cpp:1873 msgid "The specified listener was not found." msgstr "De opgegeven luisteraar was niet gevonden." -#: webadmin.cpp:2093 +#: webadmin.cpp:2104 msgid "Settings were changed, but config file was not written" msgstr "Instellingen waren aangepast maar configuratie was niet opgeslagen" diff --git a/modules/po/webadmin.pl_PL.po b/modules/po/webadmin.pl_PL.po index 8b9ddbe0..d07b8b06 100644 --- a/modules/po/webadmin.pl_PL.po +++ b/modules/po/webadmin.pl_PL.po @@ -63,19 +63,19 @@ msgid "Save to config" msgstr "Zapisz do konfiguracji" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:67 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:282 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:285 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:410 msgid "Module {1}" msgstr "Moduł {1}" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:75 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:290 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:293 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:419 msgid "Save and return" msgstr "Zapisz i wróć" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:76 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:291 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:294 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:420 msgid "Save and continue" msgstr "Zapisz i kontynuuj" @@ -344,82 +344,86 @@ msgid "Add" msgstr "Dodaj" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:187 +msgid "Index" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:188 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:430 #: modules/po/../data/webadmin/tmpl/settings.tmpl:237 msgid "Save" msgstr "Zapisz" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:188 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:228 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:189 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:231 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:131 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:174 #: modules/po/../data/webadmin/tmpl/settings.tmpl:176 msgid "Name" msgstr "Nazwa" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:189 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:190 msgid "CurModes" msgstr "AktualneTryby" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:190 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:191 msgid "DefModes" msgstr "DomyślneTryby" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:191 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:192 msgid "BufferSize" msgstr "RozmiarBufora" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:192 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:193 msgid "Options" msgstr "Opcje" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:194 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:195 msgid "← Add a channel (opens in same page)" msgstr "← Dodaj kanał (otwiera się na tej samej stronie)" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:204 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:205 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:146 #: modules/po/../data/webadmin/tmpl/listusers.tmpl:27 msgid "Edit" msgstr "Edytuj" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:204 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:205 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:146 #: modules/po/../data/webadmin/tmpl/settings.tmpl:53 msgid "Del" msgstr "Usuń" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:222 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:225 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:168 msgid "Modules" msgstr "Moduły" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:229 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:232 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:175 #: modules/po/../data/webadmin/tmpl/settings.tmpl:177 msgid "Arguments" msgstr "Argumenty" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:230 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:233 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:176 #: modules/po/../data/webadmin/tmpl/settings.tmpl:178 msgid "Description" msgstr "Opis" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:231 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:234 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:177 msgid "Loaded globally" msgstr "Załadowany globalnie" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:232 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:235 msgid "Loaded by user" msgstr "Załadowany przez użytkownika" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:293 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:296 msgid "Add Network and return" msgstr "Dodaj sieć i wróć" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:294 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:297 msgid "Add Network and continue" msgstr "Dodaj sieć i kontynuuj" @@ -1031,7 +1035,7 @@ msgstr "Użytkownik" msgid "Network" msgstr "Sieć" -#: webadmin.cpp:91 webadmin.cpp:1872 +#: webadmin.cpp:91 webadmin.cpp:1883 msgid "Global Settings" msgstr "Ustawienia globalne" @@ -1039,11 +1043,11 @@ msgstr "Ustawienia globalne" msgid "Your Settings" msgstr "Twoje ustawienia" -#: webadmin.cpp:94 webadmin.cpp:1684 +#: webadmin.cpp:94 webadmin.cpp:1695 msgid "Traffic Info" msgstr "Informacje o ruchu sieciowym" -#: webadmin.cpp:97 webadmin.cpp:1663 +#: webadmin.cpp:97 webadmin.cpp:1674 msgid "Manage Users" msgstr "Zarządzanie użytkownikami" @@ -1059,7 +1063,7 @@ msgstr "Niepoprawne przesłanie [Hasła do siebie nie pasują]" msgid "Timeout can't be less than 30 seconds!" msgstr "Limit czasu nie może być krótszy niż 30 sekund!" -#: webadmin.cpp:407 webadmin.cpp:435 webadmin.cpp:1182 webadmin.cpp:2057 +#: webadmin.cpp:407 webadmin.cpp:435 webadmin.cpp:1193 webadmin.cpp:2068 msgid "Unable to load module [{1}]: {2}" msgstr "Nie można załadować modułu [{1}]: {2}" @@ -1068,7 +1072,7 @@ msgid "Unable to load module [{1}] with arguments [{2}]" msgstr "Nie można załadować modułu [{1}] z argumentami [{2}]" #: webadmin.cpp:521 webadmin.cpp:625 webadmin.cpp:650 webadmin.cpp:672 -#: webadmin.cpp:706 webadmin.cpp:1249 +#: webadmin.cpp:706 webadmin.cpp:1260 msgid "No such user" msgstr "Nie ma takiego użytkownika" @@ -1084,7 +1088,7 @@ msgstr "Nie ma takiego kanału" msgid "Please don't delete yourself, suicide is not the answer!" msgstr "Nie usuwaj siebie, samobójstwo nie jest odpowiedzią!" -#: webadmin.cpp:715 webadmin.cpp:972 webadmin.cpp:1314 +#: webadmin.cpp:715 webadmin.cpp:972 webadmin.cpp:1325 msgid "Edit User [{1}]" msgstr "Edytuj użytkownika [{1}]" @@ -1108,7 +1112,7 @@ msgstr "Dodaj kanał do sieci [{1}] użytkownika [{2}]" msgid "Add Channel" msgstr "Dodaj kanał" -#: webadmin.cpp:756 webadmin.cpp:1510 +#: webadmin.cpp:756 webadmin.cpp:1521 msgid "Auto Clear Chan Buffer" msgstr "Automatycznie czyść bufor kanału" @@ -1162,41 +1166,41 @@ msgstr "Dodaj sieć dla użytkownika [{1}]" msgid "Add Network" msgstr "Dodaj sieć" -#: webadmin.cpp:1073 +#: webadmin.cpp:1077 msgid "Network name is a required argument" msgstr "Nazwa sieci jest wymaganym argumentem" -#: webadmin.cpp:1189 webadmin.cpp:2064 +#: webadmin.cpp:1200 webadmin.cpp:2075 msgid "Unable to reload module [{1}]: {2}" msgstr "Nie można przeładować modułu [{1}]: {2}" -#: webadmin.cpp:1226 +#: webadmin.cpp:1237 msgid "Network was added/modified, but config file was not written" msgstr "" "Sieć została dodana/zmodyfikowana, ale plik konfiguracyjny nie został " "zapisany" -#: webadmin.cpp:1255 +#: webadmin.cpp:1266 msgid "That network doesn't exist for this user" msgstr "Ta sieć nie istnieje dla tego użytkownika" -#: webadmin.cpp:1272 +#: webadmin.cpp:1283 msgid "Network was deleted, but config file was not written" msgstr "Sieć została usunięta, ale plik konfiguracyjny nie został zapisany" -#: webadmin.cpp:1286 +#: webadmin.cpp:1297 msgid "That channel doesn't exist for this network" msgstr "Ten kanał nie istnieje dla tej sieci" -#: webadmin.cpp:1295 +#: webadmin.cpp:1306 msgid "Channel was deleted, but config file was not written" msgstr "Kanał został usunięty, ale plik konfiguracyjny nie został zapisany" -#: webadmin.cpp:1323 +#: webadmin.cpp:1334 msgid "Clone User [{1}]" msgstr "Sklonuj użytkownika [{1}]" -#: webadmin.cpp:1512 +#: webadmin.cpp:1523 msgid "" "Automatically Clear Channel Buffer After Playback (the default value for new " "channels)" @@ -1204,75 +1208,75 @@ msgstr "" "Automatycznie wyczyść bufor kanału po odtworzeniu (wartość domyślna dla " "nowych kanałów)" -#: webadmin.cpp:1522 +#: webadmin.cpp:1533 msgid "Multi Clients" msgstr "Wielu klientów może się zalogować na tego użytkownika" -#: webadmin.cpp:1529 +#: webadmin.cpp:1540 msgid "Append Timestamps" msgstr "Dopisz po znacznik czasu" -#: webadmin.cpp:1536 +#: webadmin.cpp:1547 msgid "Prepend Timestamps" msgstr "Dopisz przed znacznik czasu" -#: webadmin.cpp:1544 +#: webadmin.cpp:1555 msgid "Deny LoadMod" msgstr "Odmawiaj LoadMod" -#: webadmin.cpp:1551 +#: webadmin.cpp:1562 msgid "Admin (dangerous! may gain shell access)" msgstr "Administrator (niebezpieczne! Może uzyskać dostęp do powłoki)" -#: webadmin.cpp:1561 +#: webadmin.cpp:1572 msgid "Deny SetBindHost" msgstr "Odmawiaj SetBindHost" -#: webadmin.cpp:1569 +#: webadmin.cpp:1580 msgid "Auto Clear Query Buffer" msgstr "Automatycznie czyść bufor rozmów" -#: webadmin.cpp:1571 +#: webadmin.cpp:1582 msgid "Automatically Clear Query Buffer After Playback" msgstr "Automatycznie czyści bufor rozmów po odtworzeniu" -#: webadmin.cpp:1595 +#: webadmin.cpp:1606 msgid "Invalid Submission: User {1} already exists" msgstr "Niepoprawne przesłanie: Użytkownik {1} już istnieje" -#: webadmin.cpp:1617 webadmin.cpp:1628 +#: webadmin.cpp:1628 webadmin.cpp:1639 msgid "Invalid submission: {1}" msgstr "Niepoprawne przesłanie: {1}" -#: webadmin.cpp:1623 +#: webadmin.cpp:1634 msgid "User was added, but config file was not written" msgstr "Użytkownik został dodany, ale konfiguracja nie została zapisana" -#: webadmin.cpp:1634 +#: webadmin.cpp:1645 msgid "User was edited, but config file was not written" msgstr "Użytkownik został zedytowany, ale konfiguracja nie została zapisana" -#: webadmin.cpp:1792 +#: webadmin.cpp:1803 msgid "Choose either IPv4 or IPv6 or both." msgstr "Wybierz IPv4 lub IPv6 lub oba." -#: webadmin.cpp:1809 +#: webadmin.cpp:1820 msgid "Choose either IRC or HTTP or both." msgstr "Wybierz IRC, HTTP lub oba." -#: webadmin.cpp:1822 webadmin.cpp:1858 +#: webadmin.cpp:1833 webadmin.cpp:1869 msgid "Port was changed, but config file was not written" msgstr "Port został zmieniony, ale plik konfiguracyjny nie został zapisany" -#: webadmin.cpp:1848 +#: webadmin.cpp:1859 msgid "Invalid request." msgstr "Nieprawidłowe zapytanie." -#: webadmin.cpp:1862 +#: webadmin.cpp:1873 msgid "The specified listener was not found." msgstr "Określony nasłuchiwacz nie został znaleziony." -#: webadmin.cpp:2093 +#: webadmin.cpp:2104 msgid "Settings were changed, but config file was not written" msgstr "" "Ustawienia zostały zmienione, ale plik konfiguracyjny nie został zapisany" diff --git a/modules/po/webadmin.pot b/modules/po/webadmin.pot index b0f1bdca..535289e4 100644 --- a/modules/po/webadmin.pot +++ b/modules/po/webadmin.pot @@ -52,19 +52,19 @@ msgid "Save to config" msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:67 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:282 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:285 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:410 msgid "Module {1}" msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:75 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:290 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:293 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:419 msgid "Save and return" msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:76 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:291 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:294 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:420 msgid "Save and continue" msgstr "" @@ -313,82 +313,86 @@ msgid "Add" msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:187 +msgid "Index" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:188 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:430 #: modules/po/../data/webadmin/tmpl/settings.tmpl:237 msgid "Save" msgstr "" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:188 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:228 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:189 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:231 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:131 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:174 #: modules/po/../data/webadmin/tmpl/settings.tmpl:176 msgid "Name" msgstr "" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:189 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:190 msgid "CurModes" msgstr "" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:190 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:191 msgid "DefModes" msgstr "" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:191 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:192 msgid "BufferSize" msgstr "" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:192 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:193 msgid "Options" msgstr "" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:194 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:195 msgid "← Add a channel (opens in same page)" msgstr "" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:204 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:205 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:146 #: modules/po/../data/webadmin/tmpl/listusers.tmpl:27 msgid "Edit" msgstr "" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:204 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:205 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:146 #: modules/po/../data/webadmin/tmpl/settings.tmpl:53 msgid "Del" msgstr "" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:222 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:225 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:168 msgid "Modules" msgstr "" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:229 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:232 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:175 #: modules/po/../data/webadmin/tmpl/settings.tmpl:177 msgid "Arguments" msgstr "" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:230 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:233 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:176 #: modules/po/../data/webadmin/tmpl/settings.tmpl:178 msgid "Description" msgstr "" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:231 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:234 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:177 msgid "Loaded globally" msgstr "" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:232 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:235 msgid "Loaded by user" msgstr "" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:293 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:296 msgid "Add Network and return" msgstr "" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:294 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:297 msgid "Add Network and continue" msgstr "" @@ -962,7 +966,7 @@ msgstr "" msgid "Network" msgstr "" -#: webadmin.cpp:91 webadmin.cpp:1872 +#: webadmin.cpp:91 webadmin.cpp:1883 msgid "Global Settings" msgstr "" @@ -970,11 +974,11 @@ msgstr "" msgid "Your Settings" msgstr "" -#: webadmin.cpp:94 webadmin.cpp:1684 +#: webadmin.cpp:94 webadmin.cpp:1695 msgid "Traffic Info" msgstr "" -#: webadmin.cpp:97 webadmin.cpp:1663 +#: webadmin.cpp:97 webadmin.cpp:1674 msgid "Manage Users" msgstr "" @@ -990,7 +994,7 @@ msgstr "" msgid "Timeout can't be less than 30 seconds!" msgstr "" -#: webadmin.cpp:407 webadmin.cpp:435 webadmin.cpp:1182 webadmin.cpp:2057 +#: webadmin.cpp:407 webadmin.cpp:435 webadmin.cpp:1193 webadmin.cpp:2068 msgid "Unable to load module [{1}]: {2}" msgstr "" @@ -999,7 +1003,7 @@ msgid "Unable to load module [{1}] with arguments [{2}]" msgstr "" #: webadmin.cpp:521 webadmin.cpp:625 webadmin.cpp:650 webadmin.cpp:672 -#: webadmin.cpp:706 webadmin.cpp:1249 +#: webadmin.cpp:706 webadmin.cpp:1260 msgid "No such user" msgstr "" @@ -1015,7 +1019,7 @@ msgstr "" msgid "Please don't delete yourself, suicide is not the answer!" msgstr "" -#: webadmin.cpp:715 webadmin.cpp:972 webadmin.cpp:1314 +#: webadmin.cpp:715 webadmin.cpp:972 webadmin.cpp:1325 msgid "Edit User [{1}]" msgstr "" @@ -1039,7 +1043,7 @@ msgstr "" msgid "Add Channel" msgstr "" -#: webadmin.cpp:756 webadmin.cpp:1510 +#: webadmin.cpp:756 webadmin.cpp:1521 msgid "Auto Clear Chan Buffer" msgstr "" @@ -1089,112 +1093,112 @@ msgstr "" msgid "Add Network" msgstr "" -#: webadmin.cpp:1073 +#: webadmin.cpp:1077 msgid "Network name is a required argument" msgstr "" -#: webadmin.cpp:1189 webadmin.cpp:2064 +#: webadmin.cpp:1200 webadmin.cpp:2075 msgid "Unable to reload module [{1}]: {2}" msgstr "" -#: webadmin.cpp:1226 +#: webadmin.cpp:1237 msgid "Network was added/modified, but config file was not written" msgstr "" -#: webadmin.cpp:1255 +#: webadmin.cpp:1266 msgid "That network doesn't exist for this user" msgstr "" -#: webadmin.cpp:1272 +#: webadmin.cpp:1283 msgid "Network was deleted, but config file was not written" msgstr "" -#: webadmin.cpp:1286 +#: webadmin.cpp:1297 msgid "That channel doesn't exist for this network" msgstr "" -#: webadmin.cpp:1295 +#: webadmin.cpp:1306 msgid "Channel was deleted, but config file was not written" msgstr "" -#: webadmin.cpp:1323 +#: webadmin.cpp:1334 msgid "Clone User [{1}]" msgstr "" -#: webadmin.cpp:1512 +#: webadmin.cpp:1523 msgid "" "Automatically Clear Channel Buffer After Playback (the default value for new " "channels)" msgstr "" -#: webadmin.cpp:1522 +#: webadmin.cpp:1533 msgid "Multi Clients" msgstr "" -#: webadmin.cpp:1529 +#: webadmin.cpp:1540 msgid "Append Timestamps" msgstr "" -#: webadmin.cpp:1536 +#: webadmin.cpp:1547 msgid "Prepend Timestamps" msgstr "" -#: webadmin.cpp:1544 +#: webadmin.cpp:1555 msgid "Deny LoadMod" msgstr "" -#: webadmin.cpp:1551 +#: webadmin.cpp:1562 msgid "Admin (dangerous! may gain shell access)" msgstr "" -#: webadmin.cpp:1561 +#: webadmin.cpp:1572 msgid "Deny SetBindHost" msgstr "" -#: webadmin.cpp:1569 +#: webadmin.cpp:1580 msgid "Auto Clear Query Buffer" msgstr "" -#: webadmin.cpp:1571 +#: webadmin.cpp:1582 msgid "Automatically Clear Query Buffer After Playback" msgstr "" -#: webadmin.cpp:1595 +#: webadmin.cpp:1606 msgid "Invalid Submission: User {1} already exists" msgstr "" -#: webadmin.cpp:1617 webadmin.cpp:1628 +#: webadmin.cpp:1628 webadmin.cpp:1639 msgid "Invalid submission: {1}" msgstr "" -#: webadmin.cpp:1623 +#: webadmin.cpp:1634 msgid "User was added, but config file was not written" msgstr "" -#: webadmin.cpp:1634 +#: webadmin.cpp:1645 msgid "User was edited, but config file was not written" msgstr "" -#: webadmin.cpp:1792 +#: webadmin.cpp:1803 msgid "Choose either IPv4 or IPv6 or both." msgstr "" -#: webadmin.cpp:1809 +#: webadmin.cpp:1820 msgid "Choose either IRC or HTTP or both." msgstr "" -#: webadmin.cpp:1822 webadmin.cpp:1858 +#: webadmin.cpp:1833 webadmin.cpp:1869 msgid "Port was changed, but config file was not written" msgstr "" -#: webadmin.cpp:1848 +#: webadmin.cpp:1859 msgid "Invalid request." msgstr "" -#: webadmin.cpp:1862 +#: webadmin.cpp:1873 msgid "The specified listener was not found." msgstr "" -#: webadmin.cpp:2093 +#: webadmin.cpp:2104 msgid "Settings were changed, but config file was not written" msgstr "" diff --git a/modules/po/webadmin.pt_BR.po b/modules/po/webadmin.pt_BR.po index 30420399..bc25729d 100644 --- a/modules/po/webadmin.pt_BR.po +++ b/modules/po/webadmin.pt_BR.po @@ -61,19 +61,19 @@ msgid "Save to config" msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:67 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:282 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:285 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:410 msgid "Module {1}" msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:75 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:290 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:293 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:419 msgid "Save and return" msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:76 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:291 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:294 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:420 msgid "Save and continue" msgstr "" @@ -322,82 +322,86 @@ msgid "Add" msgstr "" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:187 +msgid "Index" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:188 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:430 #: modules/po/../data/webadmin/tmpl/settings.tmpl:237 msgid "Save" msgstr "" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:188 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:228 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:189 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:231 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:131 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:174 #: modules/po/../data/webadmin/tmpl/settings.tmpl:176 msgid "Name" msgstr "" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:189 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:190 msgid "CurModes" msgstr "" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:190 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:191 msgid "DefModes" msgstr "" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:191 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:192 msgid "BufferSize" msgstr "" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:192 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:193 msgid "Options" msgstr "" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:194 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:195 msgid "← Add a channel (opens in same page)" msgstr "" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:204 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:205 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:146 #: modules/po/../data/webadmin/tmpl/listusers.tmpl:27 msgid "Edit" msgstr "" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:204 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:205 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:146 #: modules/po/../data/webadmin/tmpl/settings.tmpl:53 msgid "Del" msgstr "" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:222 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:225 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:168 msgid "Modules" msgstr "" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:229 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:232 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:175 #: modules/po/../data/webadmin/tmpl/settings.tmpl:177 msgid "Arguments" msgstr "" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:230 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:233 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:176 #: modules/po/../data/webadmin/tmpl/settings.tmpl:178 msgid "Description" msgstr "" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:231 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:234 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:177 msgid "Loaded globally" msgstr "" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:232 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:235 msgid "Loaded by user" msgstr "" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:293 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:296 msgid "Add Network and return" msgstr "" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:294 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:297 msgid "Add Network and continue" msgstr "" @@ -971,7 +975,7 @@ msgstr "" msgid "Network" msgstr "" -#: webadmin.cpp:91 webadmin.cpp:1872 +#: webadmin.cpp:91 webadmin.cpp:1883 msgid "Global Settings" msgstr "" @@ -979,11 +983,11 @@ msgstr "" msgid "Your Settings" msgstr "" -#: webadmin.cpp:94 webadmin.cpp:1684 +#: webadmin.cpp:94 webadmin.cpp:1695 msgid "Traffic Info" msgstr "" -#: webadmin.cpp:97 webadmin.cpp:1663 +#: webadmin.cpp:97 webadmin.cpp:1674 msgid "Manage Users" msgstr "" @@ -999,7 +1003,7 @@ msgstr "" msgid "Timeout can't be less than 30 seconds!" msgstr "" -#: webadmin.cpp:407 webadmin.cpp:435 webadmin.cpp:1182 webadmin.cpp:2057 +#: webadmin.cpp:407 webadmin.cpp:435 webadmin.cpp:1193 webadmin.cpp:2068 msgid "Unable to load module [{1}]: {2}" msgstr "" @@ -1008,7 +1012,7 @@ msgid "Unable to load module [{1}] with arguments [{2}]" msgstr "" #: webadmin.cpp:521 webadmin.cpp:625 webadmin.cpp:650 webadmin.cpp:672 -#: webadmin.cpp:706 webadmin.cpp:1249 +#: webadmin.cpp:706 webadmin.cpp:1260 msgid "No such user" msgstr "" @@ -1024,7 +1028,7 @@ msgstr "" msgid "Please don't delete yourself, suicide is not the answer!" msgstr "" -#: webadmin.cpp:715 webadmin.cpp:972 webadmin.cpp:1314 +#: webadmin.cpp:715 webadmin.cpp:972 webadmin.cpp:1325 msgid "Edit User [{1}]" msgstr "" @@ -1048,7 +1052,7 @@ msgstr "" msgid "Add Channel" msgstr "" -#: webadmin.cpp:756 webadmin.cpp:1510 +#: webadmin.cpp:756 webadmin.cpp:1521 msgid "Auto Clear Chan Buffer" msgstr "" @@ -1098,112 +1102,112 @@ msgstr "" msgid "Add Network" msgstr "" -#: webadmin.cpp:1073 +#: webadmin.cpp:1077 msgid "Network name is a required argument" msgstr "" -#: webadmin.cpp:1189 webadmin.cpp:2064 +#: webadmin.cpp:1200 webadmin.cpp:2075 msgid "Unable to reload module [{1}]: {2}" msgstr "" -#: webadmin.cpp:1226 +#: webadmin.cpp:1237 msgid "Network was added/modified, but config file was not written" msgstr "" -#: webadmin.cpp:1255 +#: webadmin.cpp:1266 msgid "That network doesn't exist for this user" msgstr "" -#: webadmin.cpp:1272 +#: webadmin.cpp:1283 msgid "Network was deleted, but config file was not written" msgstr "" -#: webadmin.cpp:1286 +#: webadmin.cpp:1297 msgid "That channel doesn't exist for this network" msgstr "" -#: webadmin.cpp:1295 +#: webadmin.cpp:1306 msgid "Channel was deleted, but config file was not written" msgstr "" -#: webadmin.cpp:1323 +#: webadmin.cpp:1334 msgid "Clone User [{1}]" msgstr "" -#: webadmin.cpp:1512 +#: webadmin.cpp:1523 msgid "" "Automatically Clear Channel Buffer After Playback (the default value for new " "channels)" msgstr "" -#: webadmin.cpp:1522 +#: webadmin.cpp:1533 msgid "Multi Clients" msgstr "" -#: webadmin.cpp:1529 +#: webadmin.cpp:1540 msgid "Append Timestamps" msgstr "" -#: webadmin.cpp:1536 +#: webadmin.cpp:1547 msgid "Prepend Timestamps" msgstr "" -#: webadmin.cpp:1544 +#: webadmin.cpp:1555 msgid "Deny LoadMod" msgstr "" -#: webadmin.cpp:1551 +#: webadmin.cpp:1562 msgid "Admin (dangerous! may gain shell access)" msgstr "" -#: webadmin.cpp:1561 +#: webadmin.cpp:1572 msgid "Deny SetBindHost" msgstr "" -#: webadmin.cpp:1569 +#: webadmin.cpp:1580 msgid "Auto Clear Query Buffer" msgstr "" -#: webadmin.cpp:1571 +#: webadmin.cpp:1582 msgid "Automatically Clear Query Buffer After Playback" msgstr "" -#: webadmin.cpp:1595 +#: webadmin.cpp:1606 msgid "Invalid Submission: User {1} already exists" msgstr "" -#: webadmin.cpp:1617 webadmin.cpp:1628 +#: webadmin.cpp:1628 webadmin.cpp:1639 msgid "Invalid submission: {1}" msgstr "" -#: webadmin.cpp:1623 +#: webadmin.cpp:1634 msgid "User was added, but config file was not written" msgstr "" -#: webadmin.cpp:1634 +#: webadmin.cpp:1645 msgid "User was edited, but config file was not written" msgstr "" -#: webadmin.cpp:1792 +#: webadmin.cpp:1803 msgid "Choose either IPv4 or IPv6 or both." msgstr "" -#: webadmin.cpp:1809 +#: webadmin.cpp:1820 msgid "Choose either IRC or HTTP or both." msgstr "" -#: webadmin.cpp:1822 webadmin.cpp:1858 +#: webadmin.cpp:1833 webadmin.cpp:1869 msgid "Port was changed, but config file was not written" msgstr "" -#: webadmin.cpp:1848 +#: webadmin.cpp:1859 msgid "Invalid request." msgstr "" -#: webadmin.cpp:1862 +#: webadmin.cpp:1873 msgid "The specified listener was not found." msgstr "" -#: webadmin.cpp:2093 +#: webadmin.cpp:2104 msgid "Settings were changed, but config file was not written" msgstr "" diff --git a/modules/po/webadmin.ru_RU.po b/modules/po/webadmin.ru_RU.po index 38416529..b3e2647e 100644 --- a/modules/po/webadmin.ru_RU.po +++ b/modules/po/webadmin.ru_RU.po @@ -63,19 +63,19 @@ msgid "Save to config" msgstr "Сохранять в файл конфигурации" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:67 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:282 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:285 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:410 msgid "Module {1}" msgstr "Модуль {1}" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:75 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:290 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:293 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:419 msgid "Save and return" msgstr "Сохранить и вернуться" #: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:76 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:291 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:294 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:420 msgid "Save and continue" msgstr "Сохранить и продолжить" @@ -344,82 +344,86 @@ msgid "Add" msgstr "Добавить" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:187 +msgid "Index" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:188 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:430 #: modules/po/../data/webadmin/tmpl/settings.tmpl:237 msgid "Save" msgstr "Сохранить" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:188 -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:228 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:189 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:231 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:131 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:174 #: modules/po/../data/webadmin/tmpl/settings.tmpl:176 msgid "Name" msgstr "Название" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:189 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:190 msgid "CurModes" msgstr "Текущие режимы" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:190 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:191 msgid "DefModes" msgstr "Режимы по умолчанию" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:191 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:192 msgid "BufferSize" msgstr "Размер буфера" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:192 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:193 msgid "Options" msgstr "Опции" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:194 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:195 msgid "← Add a channel (opens in same page)" msgstr "← Новый канал (открывается на той же странице)" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:204 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:205 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:146 #: modules/po/../data/webadmin/tmpl/listusers.tmpl:27 msgid "Edit" msgstr "Изменить" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:204 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:205 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:146 #: modules/po/../data/webadmin/tmpl/settings.tmpl:53 msgid "Del" msgstr "Удалить" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:222 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:225 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:168 msgid "Modules" msgstr "Модули" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:229 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:232 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:175 #: modules/po/../data/webadmin/tmpl/settings.tmpl:177 msgid "Arguments" msgstr "Параметры" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:230 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:233 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:176 #: modules/po/../data/webadmin/tmpl/settings.tmpl:178 msgid "Description" msgstr "Описание" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:231 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:234 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:177 msgid "Loaded globally" msgstr "Загру­жено гло­бально" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:232 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:235 msgid "Loaded by user" msgstr "Загру­жено пользо­вателем" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:293 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:296 msgid "Add Network and return" msgstr "Добавить сеть и вернуться" -#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:294 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:297 msgid "Add Network and continue" msgstr "Добавить сеть и продолжить" @@ -1028,7 +1032,7 @@ msgstr "Пользователь" msgid "Network" msgstr "Сеть" -#: webadmin.cpp:91 webadmin.cpp:1872 +#: webadmin.cpp:91 webadmin.cpp:1883 msgid "Global Settings" msgstr "Глобальные настройки" @@ -1036,11 +1040,11 @@ msgstr "Глобальные настройки" msgid "Your Settings" msgstr "Мои настройки" -#: webadmin.cpp:94 webadmin.cpp:1684 +#: webadmin.cpp:94 webadmin.cpp:1695 msgid "Traffic Info" msgstr "Трафик" -#: webadmin.cpp:97 webadmin.cpp:1663 +#: webadmin.cpp:97 webadmin.cpp:1674 msgid "Manage Users" msgstr "Пользователи" @@ -1056,7 +1060,7 @@ msgstr "Ошибка: пароли не совпадают" msgid "Timeout can't be less than 30 seconds!" msgstr "Время ожидания не может быть меньше 30 секунд!" -#: webadmin.cpp:407 webadmin.cpp:435 webadmin.cpp:1182 webadmin.cpp:2057 +#: webadmin.cpp:407 webadmin.cpp:435 webadmin.cpp:1193 webadmin.cpp:2068 msgid "Unable to load module [{1}]: {2}" msgstr "Не могу загрузить модуль [{1}]: {2}" @@ -1065,7 +1069,7 @@ msgid "Unable to load module [{1}] with arguments [{2}]" msgstr "Не могу загрузить модуль [{1}] с аргументами [{2}]" #: webadmin.cpp:521 webadmin.cpp:625 webadmin.cpp:650 webadmin.cpp:672 -#: webadmin.cpp:706 webadmin.cpp:1249 +#: webadmin.cpp:706 webadmin.cpp:1260 msgid "No such user" msgstr "Нет такого пользователя" @@ -1081,7 +1085,7 @@ msgstr "Нет такого канала" msgid "Please don't delete yourself, suicide is not the answer!" msgstr "Пожалуйста, не удаляйте себя, самоубийство — не ответ!" -#: webadmin.cpp:715 webadmin.cpp:972 webadmin.cpp:1314 +#: webadmin.cpp:715 webadmin.cpp:972 webadmin.cpp:1325 msgid "Edit User [{1}]" msgstr "Пользователь [{1}]" @@ -1105,7 +1109,7 @@ msgstr "Новый канал для сети [{1}] пользователя [{2 msgid "Add Channel" msgstr "Новый канал" -#: webadmin.cpp:756 webadmin.cpp:1510 +#: webadmin.cpp:756 webadmin.cpp:1521 msgid "Auto Clear Chan Buffer" msgstr "Автоматически очищать буфер канала" @@ -1157,39 +1161,39 @@ msgstr "Новая сеть пользователя [{1}]" msgid "Add Network" msgstr "Новая сеть" -#: webadmin.cpp:1073 +#: webadmin.cpp:1077 msgid "Network name is a required argument" msgstr "Необходимо имя сети" -#: webadmin.cpp:1189 webadmin.cpp:2064 +#: webadmin.cpp:1200 webadmin.cpp:2075 msgid "Unable to reload module [{1}]: {2}" msgstr "Не могу перегрузить модуль [{1}]: {2}" -#: webadmin.cpp:1226 +#: webadmin.cpp:1237 msgid "Network was added/modified, but config file was not written" msgstr "Сеть добавлена/изменена, но записать конфигурацию в файл не удалось" -#: webadmin.cpp:1255 +#: webadmin.cpp:1266 msgid "That network doesn't exist for this user" msgstr "У этого пользователя нет такой сети" -#: webadmin.cpp:1272 +#: webadmin.cpp:1283 msgid "Network was deleted, but config file was not written" msgstr "Сеть удалена, но записать конфигурацию в файл не удалось" -#: webadmin.cpp:1286 +#: webadmin.cpp:1297 msgid "That channel doesn't exist for this network" msgstr "В этой сети нет такого канала" -#: webadmin.cpp:1295 +#: webadmin.cpp:1306 msgid "Channel was deleted, but config file was not written" msgstr "Канал удалён, но записать конфигурацию в файл не удалось" -#: webadmin.cpp:1323 +#: webadmin.cpp:1334 msgid "Clone User [{1}]" msgstr "Клон пользователя [{1}]" -#: webadmin.cpp:1512 +#: webadmin.cpp:1523 msgid "" "Automatically Clear Channel Buffer After Playback (the default value for new " "channels)" @@ -1197,74 +1201,74 @@ msgstr "" "Автоматически очищать буфер канала после воспроизведения (значение по " "умолчанию для новых каналов)" -#: webadmin.cpp:1522 +#: webadmin.cpp:1533 msgid "Multi Clients" msgstr "Много клиентов" -#: webadmin.cpp:1529 +#: webadmin.cpp:1540 msgid "Append Timestamps" msgstr "Метка времени в конце" -#: webadmin.cpp:1536 +#: webadmin.cpp:1547 msgid "Prepend Timestamps" msgstr "Метка времени в начале" -#: webadmin.cpp:1544 +#: webadmin.cpp:1555 msgid "Deny LoadMod" msgstr "Запрет загрузки модулей" -#: webadmin.cpp:1551 +#: webadmin.cpp:1562 msgid "Admin (dangerous! may gain shell access)" msgstr "" -#: webadmin.cpp:1561 +#: webadmin.cpp:1572 msgid "Deny SetBindHost" msgstr "Запрет смены хоста" -#: webadmin.cpp:1569 +#: webadmin.cpp:1580 msgid "Auto Clear Query Buffer" msgstr "Автоматически очищать буфер личных сообщений" -#: webadmin.cpp:1571 +#: webadmin.cpp:1582 msgid "Automatically Clear Query Buffer After Playback" msgstr "Автоматически очищать буфер личных сообщений после воспроизведения" -#: webadmin.cpp:1595 +#: webadmin.cpp:1606 msgid "Invalid Submission: User {1} already exists" msgstr "Ошибка: пользователь {1} уже существует" -#: webadmin.cpp:1617 webadmin.cpp:1628 +#: webadmin.cpp:1628 webadmin.cpp:1639 msgid "Invalid submission: {1}" msgstr "Ошибка: {1}" -#: webadmin.cpp:1623 +#: webadmin.cpp:1634 msgid "User was added, but config file was not written" msgstr "Пользователь добавлен, но записать конфигурацию в файл не удалось" -#: webadmin.cpp:1634 +#: webadmin.cpp:1645 msgid "User was edited, but config file was not written" msgstr "Пользователь изменён, но записать конфигурацию в файл не удалось" -#: webadmin.cpp:1792 +#: webadmin.cpp:1803 msgid "Choose either IPv4 or IPv6 or both." msgstr "Выберите IPv4, IPv6 или и то, и другое." -#: webadmin.cpp:1809 +#: webadmin.cpp:1820 msgid "Choose either IRC or HTTP or both." msgstr "Выберите IRC, HTTP или и то, и другое." -#: webadmin.cpp:1822 webadmin.cpp:1858 +#: webadmin.cpp:1833 webadmin.cpp:1869 msgid "Port was changed, but config file was not written" msgstr "Порт изменён, но записать конфигурацию в файл не удалось" -#: webadmin.cpp:1848 +#: webadmin.cpp:1859 msgid "Invalid request." msgstr "Некорректный запрос." -#: webadmin.cpp:1862 +#: webadmin.cpp:1873 msgid "The specified listener was not found." msgstr "Указанный порт не найден." -#: webadmin.cpp:2093 +#: webadmin.cpp:2104 msgid "Settings were changed, but config file was not written" msgstr "Настройки изменены, но записать конфигурацию в файл не удалось" diff --git a/src/po/znc.bg_BG.po b/src/po/znc.bg_BG.po index 0f9a95db..6a99ec67 100644 --- a/src/po/znc.bg_BG.po +++ b/src/po/znc.bg_BG.po @@ -71,7 +71,7 @@ msgstr "" msgid "Invalid port" msgstr "" -#: znc.cpp:1813 ClientCommand.cpp:1655 +#: znc.cpp:1813 ClientCommand.cpp:1700 msgid "Unable to bind: {1}" msgstr "" @@ -91,19 +91,28 @@ msgstr "" msgid "This network is being deleted or moved to another user." msgstr "" -#: IRCNetwork.cpp:1016 +#: IRCNetwork.cpp:948 +msgid "Invalid index" +msgstr "" + +#: IRCNetwork.cpp:956 IRCNetwork.cpp:972 IRCNetwork.cpp:980 +#: ClientCommand.cpp:1405 +msgid "You are not on {1}" +msgstr "" + +#: IRCNetwork.cpp:1059 msgid "The channel {1} could not be joined, disabling it." msgstr "" -#: IRCNetwork.cpp:1145 +#: IRCNetwork.cpp:1188 msgid "Your current server was removed, jumping..." msgstr "" -#: IRCNetwork.cpp:1308 +#: IRCNetwork.cpp:1351 msgid "Cannot connect to {1}, because ZNC is not compiled with SSL support." msgstr "" -#: IRCNetwork.cpp:1329 +#: IRCNetwork.cpp:1372 msgid "Some module aborted the connection attempt" msgstr "" @@ -284,7 +293,7 @@ msgctxt "modhelpcmd" msgid "Generate this output" msgstr "" -#: Modules.cpp:573 ClientCommand.cpp:1922 +#: Modules.cpp:573 ClientCommand.cpp:1972 msgid "No matches for '{1}'" msgstr "" @@ -390,11 +399,12 @@ msgstr "" #: ClientCommand.cpp:51 ClientCommand.cpp:115 ClientCommand.cpp:137 #: ClientCommand.cpp:339 ClientCommand.cpp:390 ClientCommand.cpp:405 -#: ClientCommand.cpp:432 ClientCommand.cpp:459 ClientCommand.cpp:764 -#: ClientCommand.cpp:783 ClientCommand.cpp:809 ClientCommand.cpp:843 -#: ClientCommand.cpp:856 ClientCommand.cpp:869 ClientCommand.cpp:884 -#: ClientCommand.cpp:1345 ClientCommand.cpp:1393 ClientCommand.cpp:1425 -#: ClientCommand.cpp:1436 ClientCommand.cpp:1445 ClientCommand.cpp:1457 +#: ClientCommand.cpp:432 ClientCommand.cpp:459 ClientCommand.cpp:480 +#: ClientCommand.cpp:499 ClientCommand.cpp:809 ClientCommand.cpp:828 +#: ClientCommand.cpp:854 ClientCommand.cpp:888 ClientCommand.cpp:901 +#: ClientCommand.cpp:914 ClientCommand.cpp:929 ClientCommand.cpp:1390 +#: ClientCommand.cpp:1438 ClientCommand.cpp:1470 ClientCommand.cpp:1481 +#: ClientCommand.cpp:1490 ClientCommand.cpp:1502 msgid "You must be connected with a network to use this command" msgstr "" @@ -571,7 +581,7 @@ msgid "" "ERROR: Writing config file to disk failed! Aborting. Use {1} FORCE to ignore." msgstr "" -#: ClientCommand.cpp:344 ClientCommand.cpp:797 ClientCommand.cpp:838 +#: ClientCommand.cpp:344 ClientCommand.cpp:842 ClientCommand.cpp:883 msgid "You don't have any servers added." msgstr "" @@ -615,1205 +625,1242 @@ msgid_plural "Disabled {1} channels" msgstr[0] "" msgstr[1] "" -#: ClientCommand.cpp:470 +#: ClientCommand.cpp:466 +msgid "Usage: MoveChan <#chan> " +msgstr "" + +#: ClientCommand.cpp:474 +msgid "Moved channel {1} to index {2}" +msgstr "" + +#: ClientCommand.cpp:487 +msgid "Usage: SwapChans <#chan1> <#chan2>" +msgstr "" + +#: ClientCommand.cpp:493 +msgid "Swapped channels {1} and {2}" +msgstr "" + +#: ClientCommand.cpp:510 msgid "Usage: ListChans" msgstr "" -#: ClientCommand.cpp:477 +#: ClientCommand.cpp:517 msgid "No such user [{1}]" msgstr "" -#: ClientCommand.cpp:483 +#: ClientCommand.cpp:523 msgid "User [{1}] doesn't have network [{2}]" msgstr "" -#: ClientCommand.cpp:494 +#: ClientCommand.cpp:534 msgid "There are no channels defined." msgstr "" -#: ClientCommand.cpp:499 ClientCommand.cpp:515 +#: ClientCommand.cpp:539 ClientCommand.cpp:557 +msgctxt "listchans" +msgid "Index" +msgstr "" + +#: ClientCommand.cpp:540 ClientCommand.cpp:558 msgctxt "listchans" msgid "Name" msgstr "" -#: ClientCommand.cpp:500 ClientCommand.cpp:518 +#: ClientCommand.cpp:541 ClientCommand.cpp:561 msgctxt "listchans" msgid "Status" msgstr "" -#: ClientCommand.cpp:501 ClientCommand.cpp:525 +#: ClientCommand.cpp:542 ClientCommand.cpp:568 msgctxt "listchans" msgid "In config" msgstr "" -#: ClientCommand.cpp:502 ClientCommand.cpp:527 +#: ClientCommand.cpp:543 ClientCommand.cpp:570 msgctxt "listchans" msgid "Buffer" msgstr "" -#: ClientCommand.cpp:503 ClientCommand.cpp:531 +#: ClientCommand.cpp:544 ClientCommand.cpp:574 msgctxt "listchans" msgid "Clear" msgstr "" -#: ClientCommand.cpp:504 ClientCommand.cpp:536 +#: ClientCommand.cpp:545 ClientCommand.cpp:579 msgctxt "listchans" msgid "Modes" msgstr "" -#: ClientCommand.cpp:505 ClientCommand.cpp:537 +#: ClientCommand.cpp:546 ClientCommand.cpp:580 msgctxt "listchans" msgid "Users" msgstr "" -#: ClientCommand.cpp:520 +#: ClientCommand.cpp:563 msgctxt "listchans" msgid "Detached" msgstr "" -#: ClientCommand.cpp:521 +#: ClientCommand.cpp:564 msgctxt "listchans" msgid "Joined" msgstr "" -#: ClientCommand.cpp:522 +#: ClientCommand.cpp:565 msgctxt "listchans" msgid "Disabled" msgstr "" -#: ClientCommand.cpp:523 +#: ClientCommand.cpp:566 msgctxt "listchans" msgid "Trying" msgstr "" -#: ClientCommand.cpp:526 ClientCommand.cpp:534 +#: ClientCommand.cpp:569 ClientCommand.cpp:577 msgctxt "listchans" msgid "yes" msgstr "" -#: ClientCommand.cpp:551 +#: ClientCommand.cpp:596 msgid "Total: {1}, Joined: {2}, Detached: {3}, Disabled: {4}" msgstr "" -#: ClientCommand.cpp:556 +#: ClientCommand.cpp:601 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks using /znc DelNetwork " msgstr "" -#: ClientCommand.cpp:565 +#: ClientCommand.cpp:610 msgid "Usage: AddNetwork " msgstr "" -#: ClientCommand.cpp:569 +#: ClientCommand.cpp:614 msgid "Network name should be alphanumeric" msgstr "" -#: ClientCommand.cpp:576 +#: ClientCommand.cpp:621 msgid "" "Network added. Use /znc JumpNetwork {1}, or connect to ZNC with username {2} " "(instead of just {3}) to connect to it." msgstr "" -#: ClientCommand.cpp:581 +#: ClientCommand.cpp:626 msgid "Unable to add that network" msgstr "" -#: ClientCommand.cpp:588 +#: ClientCommand.cpp:633 msgid "Usage: DelNetwork " msgstr "" -#: ClientCommand.cpp:597 +#: ClientCommand.cpp:642 msgid "Network deleted" msgstr "" -#: ClientCommand.cpp:600 +#: ClientCommand.cpp:645 msgid "Failed to delete network, perhaps this network doesn't exist" msgstr "" -#: ClientCommand.cpp:610 +#: ClientCommand.cpp:655 msgid "User {1} not found" msgstr "" -#: ClientCommand.cpp:618 ClientCommand.cpp:626 +#: ClientCommand.cpp:663 ClientCommand.cpp:671 msgctxt "listnetworks" msgid "Network" msgstr "" -#: ClientCommand.cpp:619 ClientCommand.cpp:628 ClientCommand.cpp:637 +#: ClientCommand.cpp:664 ClientCommand.cpp:673 ClientCommand.cpp:682 msgctxt "listnetworks" msgid "On IRC" msgstr "" -#: ClientCommand.cpp:620 ClientCommand.cpp:630 +#: ClientCommand.cpp:665 ClientCommand.cpp:675 msgctxt "listnetworks" msgid "IRC Server" msgstr "" -#: ClientCommand.cpp:621 ClientCommand.cpp:632 +#: ClientCommand.cpp:666 ClientCommand.cpp:677 msgctxt "listnetworks" msgid "IRC User" msgstr "" -#: ClientCommand.cpp:622 ClientCommand.cpp:634 +#: ClientCommand.cpp:667 ClientCommand.cpp:679 msgctxt "listnetworks" msgid "Channels" msgstr "" -#: ClientCommand.cpp:629 +#: ClientCommand.cpp:674 msgctxt "listnetworks" msgid "Yes" msgstr "" -#: ClientCommand.cpp:638 +#: ClientCommand.cpp:683 msgctxt "listnetworks" msgid "No" msgstr "" -#: ClientCommand.cpp:643 +#: ClientCommand.cpp:688 msgctxt "listnetworks" msgid "No networks" msgstr "" -#: ClientCommand.cpp:647 ClientCommand.cpp:952 +#: ClientCommand.cpp:692 ClientCommand.cpp:997 msgid "Access denied." msgstr "" -#: ClientCommand.cpp:658 +#: ClientCommand.cpp:703 msgid "Usage: MoveNetwork [new network]" msgstr "" -#: ClientCommand.cpp:668 +#: ClientCommand.cpp:713 msgid "Old user {1} not found." msgstr "" -#: ClientCommand.cpp:674 +#: ClientCommand.cpp:719 msgid "Old network {1} not found." msgstr "" -#: ClientCommand.cpp:680 +#: ClientCommand.cpp:725 msgid "New user {1} not found." msgstr "" -#: ClientCommand.cpp:685 +#: ClientCommand.cpp:730 msgid "User {1} already has network {2}." msgstr "" -#: ClientCommand.cpp:691 +#: ClientCommand.cpp:736 msgid "Invalid network name [{1}]" msgstr "" -#: ClientCommand.cpp:707 +#: ClientCommand.cpp:752 msgid "Some files seem to be in {1}. You might want to move them to {2}" msgstr "" -#: ClientCommand.cpp:721 +#: ClientCommand.cpp:766 msgid "Error adding network: {1}" msgstr "" -#: ClientCommand.cpp:733 +#: ClientCommand.cpp:778 msgid "Success." msgstr "" -#: ClientCommand.cpp:736 +#: ClientCommand.cpp:781 msgid "Copied the network to new user, but failed to delete old network" msgstr "" -#: ClientCommand.cpp:743 +#: ClientCommand.cpp:788 msgid "No network supplied." msgstr "" -#: ClientCommand.cpp:748 +#: ClientCommand.cpp:793 msgid "You are already connected with this network." msgstr "" -#: ClientCommand.cpp:754 +#: ClientCommand.cpp:799 msgid "Switched to {1}" msgstr "" -#: ClientCommand.cpp:757 +#: ClientCommand.cpp:802 msgid "You don't have a network named {1}" msgstr "" -#: ClientCommand.cpp:769 +#: ClientCommand.cpp:814 msgid "Usage: AddServer [[+]port] [pass]" msgstr "" -#: ClientCommand.cpp:774 +#: ClientCommand.cpp:819 msgid "Server added" msgstr "" -#: ClientCommand.cpp:777 +#: ClientCommand.cpp:822 msgid "" "Unable to add that server. Perhaps the server is already added or openssl is " "disabled?" msgstr "" -#: ClientCommand.cpp:792 +#: ClientCommand.cpp:837 msgid "Usage: DelServer [port] [pass]" msgstr "" -#: ClientCommand.cpp:802 +#: ClientCommand.cpp:847 msgid "Server removed" msgstr "" -#: ClientCommand.cpp:804 +#: ClientCommand.cpp:849 msgid "No such server" msgstr "" -#: ClientCommand.cpp:817 ClientCommand.cpp:825 +#: ClientCommand.cpp:862 ClientCommand.cpp:870 msgctxt "listservers" msgid "Host" msgstr "" -#: ClientCommand.cpp:818 ClientCommand.cpp:827 +#: ClientCommand.cpp:863 ClientCommand.cpp:872 msgctxt "listservers" msgid "Port" msgstr "" -#: ClientCommand.cpp:819 ClientCommand.cpp:830 +#: ClientCommand.cpp:864 ClientCommand.cpp:875 msgctxt "listservers" msgid "SSL" msgstr "" -#: ClientCommand.cpp:820 ClientCommand.cpp:832 +#: ClientCommand.cpp:865 ClientCommand.cpp:877 msgctxt "listservers" msgid "Password" msgstr "" -#: ClientCommand.cpp:831 +#: ClientCommand.cpp:876 msgctxt "listservers|cell" msgid "SSL" msgstr "" -#: ClientCommand.cpp:848 +#: ClientCommand.cpp:893 msgid "Usage: AddTrustedServerFingerprint " msgstr "" -#: ClientCommand.cpp:852 ClientCommand.cpp:865 +#: ClientCommand.cpp:897 ClientCommand.cpp:910 msgid "Done." msgstr "" -#: ClientCommand.cpp:861 +#: ClientCommand.cpp:906 msgid "Usage: DelTrustedServerFingerprint " msgstr "" -#: ClientCommand.cpp:874 +#: ClientCommand.cpp:919 msgid "No fingerprints added." msgstr "" -#: ClientCommand.cpp:890 ClientCommand.cpp:896 +#: ClientCommand.cpp:935 ClientCommand.cpp:941 msgctxt "topicscmd" msgid "Channel" msgstr "" -#: ClientCommand.cpp:891 ClientCommand.cpp:897 +#: ClientCommand.cpp:936 ClientCommand.cpp:942 msgctxt "topicscmd" msgid "Set By" msgstr "" -#: ClientCommand.cpp:892 ClientCommand.cpp:898 +#: ClientCommand.cpp:937 ClientCommand.cpp:943 msgctxt "topicscmd" msgid "Topic" msgstr "" -#: ClientCommand.cpp:905 ClientCommand.cpp:910 +#: ClientCommand.cpp:950 ClientCommand.cpp:955 msgctxt "listmods" msgid "Name" msgstr "" -#: ClientCommand.cpp:906 ClientCommand.cpp:911 +#: ClientCommand.cpp:951 ClientCommand.cpp:956 msgctxt "listmods" msgid "Arguments" msgstr "" -#: ClientCommand.cpp:920 +#: ClientCommand.cpp:965 msgid "No global modules loaded." msgstr "" -#: ClientCommand.cpp:922 ClientCommand.cpp:986 +#: ClientCommand.cpp:967 ClientCommand.cpp:1031 msgid "Global modules:" msgstr "" -#: ClientCommand.cpp:931 +#: ClientCommand.cpp:976 msgid "Your user has no modules loaded." msgstr "" -#: ClientCommand.cpp:933 ClientCommand.cpp:998 +#: ClientCommand.cpp:978 ClientCommand.cpp:1043 msgid "User modules:" msgstr "" -#: ClientCommand.cpp:941 +#: ClientCommand.cpp:986 msgid "This network has no modules loaded." msgstr "" -#: ClientCommand.cpp:943 ClientCommand.cpp:1010 +#: ClientCommand.cpp:988 ClientCommand.cpp:1055 msgid "Network modules:" msgstr "" -#: ClientCommand.cpp:958 ClientCommand.cpp:965 +#: ClientCommand.cpp:1003 ClientCommand.cpp:1010 msgctxt "listavailmods" msgid "Name" msgstr "" -#: ClientCommand.cpp:959 ClientCommand.cpp:970 +#: ClientCommand.cpp:1004 ClientCommand.cpp:1015 msgctxt "listavailmods" msgid "Description" msgstr "" -#: ClientCommand.cpp:984 +#: ClientCommand.cpp:1029 msgid "No global modules available." msgstr "" -#: ClientCommand.cpp:996 +#: ClientCommand.cpp:1041 msgid "No user modules available." msgstr "" -#: ClientCommand.cpp:1008 +#: ClientCommand.cpp:1053 msgid "No network modules available." msgstr "" -#: ClientCommand.cpp:1036 +#: ClientCommand.cpp:1081 msgid "Unable to load {1}: Access denied." msgstr "" -#: ClientCommand.cpp:1042 +#: ClientCommand.cpp:1087 msgid "Usage: LoadMod [--type=global|user|network] [args]" msgstr "" -#: ClientCommand.cpp:1049 +#: ClientCommand.cpp:1094 msgid "Unable to load {1}: {2}" msgstr "" -#: ClientCommand.cpp:1059 +#: ClientCommand.cpp:1104 msgid "Unable to load global module {1}: Access denied." msgstr "" -#: ClientCommand.cpp:1065 +#: ClientCommand.cpp:1110 msgid "Unable to load network module {1}: Not connected with a network." msgstr "" -#: ClientCommand.cpp:1087 +#: ClientCommand.cpp:1132 msgid "Unknown module type" msgstr "" -#: ClientCommand.cpp:1092 +#: ClientCommand.cpp:1137 msgid "Loaded module {1}" msgstr "" -#: ClientCommand.cpp:1094 +#: ClientCommand.cpp:1139 msgid "Loaded module {1}: {2}" msgstr "" -#: ClientCommand.cpp:1097 +#: ClientCommand.cpp:1142 msgid "Unable to load module {1}: {2}" msgstr "" -#: ClientCommand.cpp:1120 +#: ClientCommand.cpp:1165 msgid "Unable to unload {1}: Access denied." msgstr "" -#: ClientCommand.cpp:1126 +#: ClientCommand.cpp:1171 msgid "Usage: UnloadMod [--type=global|user|network] " msgstr "" -#: ClientCommand.cpp:1135 +#: ClientCommand.cpp:1180 msgid "Unable to determine type of {1}: {2}" msgstr "" -#: ClientCommand.cpp:1143 +#: ClientCommand.cpp:1188 msgid "Unable to unload global module {1}: Access denied." msgstr "" -#: ClientCommand.cpp:1150 +#: ClientCommand.cpp:1195 msgid "Unable to unload network module {1}: Not connected with a network." msgstr "" -#: ClientCommand.cpp:1169 +#: ClientCommand.cpp:1214 msgid "Unable to unload module {1}: Unknown module type" msgstr "" -#: ClientCommand.cpp:1182 +#: ClientCommand.cpp:1227 msgid "Unable to reload modules. Access denied." msgstr "" -#: ClientCommand.cpp:1203 +#: ClientCommand.cpp:1248 msgid "Usage: ReloadMod [--type=global|user|network] [args]" msgstr "" -#: ClientCommand.cpp:1212 +#: ClientCommand.cpp:1257 msgid "Unable to reload {1}: {2}" msgstr "" -#: ClientCommand.cpp:1220 +#: ClientCommand.cpp:1265 msgid "Unable to reload global module {1}: Access denied." msgstr "" -#: ClientCommand.cpp:1227 +#: ClientCommand.cpp:1272 msgid "Unable to reload network module {1}: Not connected with a network." msgstr "" -#: ClientCommand.cpp:1249 +#: ClientCommand.cpp:1294 msgid "Unable to reload module {1}: Unknown module type" msgstr "" -#: ClientCommand.cpp:1260 +#: ClientCommand.cpp:1305 msgid "Usage: UpdateMod " msgstr "" -#: ClientCommand.cpp:1264 +#: ClientCommand.cpp:1309 msgid "Reloading {1} everywhere" msgstr "" -#: ClientCommand.cpp:1266 +#: ClientCommand.cpp:1311 msgid "Done" msgstr "" -#: ClientCommand.cpp:1269 +#: ClientCommand.cpp:1314 msgid "" "Done, but there were errors, module {1} could not be reloaded everywhere." msgstr "" -#: ClientCommand.cpp:1277 +#: ClientCommand.cpp:1322 msgid "" "You must be connected with a network to use this command. Try " "SetUserBindHost instead" msgstr "" -#: ClientCommand.cpp:1284 +#: ClientCommand.cpp:1329 msgid "Usage: SetBindHost " msgstr "" -#: ClientCommand.cpp:1289 ClientCommand.cpp:1306 +#: ClientCommand.cpp:1334 ClientCommand.cpp:1351 msgid "You already have this bind host!" msgstr "" -#: ClientCommand.cpp:1294 +#: ClientCommand.cpp:1339 msgid "Set bind host for network {1} to {2}" msgstr "" -#: ClientCommand.cpp:1301 +#: ClientCommand.cpp:1346 msgid "Usage: SetUserBindHost " msgstr "" -#: ClientCommand.cpp:1311 +#: ClientCommand.cpp:1356 msgid "Set default bind host to {1}" msgstr "" -#: ClientCommand.cpp:1317 +#: ClientCommand.cpp:1362 msgid "" "You must be connected with a network to use this command. Try " "ClearUserBindHost instead" msgstr "" -#: ClientCommand.cpp:1322 +#: ClientCommand.cpp:1367 msgid "Bind host cleared for this network." msgstr "" -#: ClientCommand.cpp:1326 +#: ClientCommand.cpp:1371 msgid "Default bind host cleared for your user." msgstr "" -#: ClientCommand.cpp:1329 +#: ClientCommand.cpp:1374 msgid "This user's default bind host not set" msgstr "" -#: ClientCommand.cpp:1331 +#: ClientCommand.cpp:1376 msgid "This user's default bind host is {1}" msgstr "" -#: ClientCommand.cpp:1336 +#: ClientCommand.cpp:1381 msgid "This network's bind host not set" msgstr "" -#: ClientCommand.cpp:1338 +#: ClientCommand.cpp:1383 msgid "This network's default bind host is {1}" msgstr "" -#: ClientCommand.cpp:1352 +#: ClientCommand.cpp:1397 msgid "Usage: PlayBuffer <#chan|query>" msgstr "" -#: ClientCommand.cpp:1360 -msgid "You are not on {1}" -msgstr "" - -#: ClientCommand.cpp:1365 +#: ClientCommand.cpp:1410 msgid "You are not on {1} (trying to join)" msgstr "" -#: ClientCommand.cpp:1370 +#: ClientCommand.cpp:1415 msgid "The buffer for channel {1} is empty" msgstr "" -#: ClientCommand.cpp:1379 +#: ClientCommand.cpp:1424 msgid "No active query with {1}" msgstr "" -#: ClientCommand.cpp:1384 +#: ClientCommand.cpp:1429 msgid "The buffer for {1} is empty" msgstr "" -#: ClientCommand.cpp:1400 +#: ClientCommand.cpp:1445 msgid "Usage: ClearBuffer <#chan|query>" msgstr "" -#: ClientCommand.cpp:1419 +#: ClientCommand.cpp:1464 msgid "{1} buffer matching {2} has been cleared" msgid_plural "{1} buffers matching {2} have been cleared" msgstr[0] "" msgstr[1] "" -#: ClientCommand.cpp:1432 +#: ClientCommand.cpp:1477 msgid "All channel buffers have been cleared" msgstr "" -#: ClientCommand.cpp:1441 +#: ClientCommand.cpp:1486 msgid "All query buffers have been cleared" msgstr "" -#: ClientCommand.cpp:1453 +#: ClientCommand.cpp:1498 msgid "All buffers have been cleared" msgstr "" -#: ClientCommand.cpp:1464 +#: ClientCommand.cpp:1509 msgid "Usage: SetBuffer <#chan|query> [linecount]" msgstr "" -#: ClientCommand.cpp:1485 +#: ClientCommand.cpp:1530 msgid "Setting buffer size failed for {1} buffer" msgid_plural "Setting buffer size failed for {1} buffers" msgstr[0] "" msgstr[1] "" -#: ClientCommand.cpp:1488 +#: ClientCommand.cpp:1533 msgid "Maximum buffer size is {1} line" msgid_plural "Maximum buffer size is {1} lines" msgstr[0] "" msgstr[1] "" -#: ClientCommand.cpp:1493 +#: ClientCommand.cpp:1538 msgid "Size of every buffer was set to {1} line" msgid_plural "Size of every buffer was set to {1} lines" msgstr[0] "" msgstr[1] "" -#: ClientCommand.cpp:1503 ClientCommand.cpp:1510 ClientCommand.cpp:1521 -#: ClientCommand.cpp:1530 ClientCommand.cpp:1538 +#: ClientCommand.cpp:1548 ClientCommand.cpp:1555 ClientCommand.cpp:1566 +#: ClientCommand.cpp:1575 ClientCommand.cpp:1583 msgctxt "trafficcmd" msgid "Username" msgstr "" -#: ClientCommand.cpp:1504 ClientCommand.cpp:1511 ClientCommand.cpp:1523 -#: ClientCommand.cpp:1532 ClientCommand.cpp:1540 +#: ClientCommand.cpp:1549 ClientCommand.cpp:1556 ClientCommand.cpp:1568 +#: ClientCommand.cpp:1577 ClientCommand.cpp:1585 msgctxt "trafficcmd" msgid "In" msgstr "" -#: ClientCommand.cpp:1505 ClientCommand.cpp:1513 ClientCommand.cpp:1524 -#: ClientCommand.cpp:1533 ClientCommand.cpp:1541 +#: ClientCommand.cpp:1550 ClientCommand.cpp:1558 ClientCommand.cpp:1569 +#: ClientCommand.cpp:1578 ClientCommand.cpp:1586 msgctxt "trafficcmd" msgid "Out" msgstr "" -#: ClientCommand.cpp:1506 ClientCommand.cpp:1516 ClientCommand.cpp:1526 -#: ClientCommand.cpp:1534 ClientCommand.cpp:1543 +#: ClientCommand.cpp:1551 ClientCommand.cpp:1561 ClientCommand.cpp:1571 +#: ClientCommand.cpp:1579 ClientCommand.cpp:1588 msgctxt "trafficcmd" msgid "Total" msgstr "" -#: ClientCommand.cpp:1522 +#: ClientCommand.cpp:1567 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1531 +#: ClientCommand.cpp:1576 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1539 +#: ClientCommand.cpp:1584 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1548 +#: ClientCommand.cpp:1593 msgid "Running for {1}" msgstr "" -#: ClientCommand.cpp:1554 +#: ClientCommand.cpp:1599 msgid "Unknown command, try 'Help'" msgstr "" -#: ClientCommand.cpp:1563 ClientCommand.cpp:1574 +#: ClientCommand.cpp:1608 ClientCommand.cpp:1619 msgctxt "listports" msgid "Port" msgstr "" -#: ClientCommand.cpp:1564 ClientCommand.cpp:1577 +#: ClientCommand.cpp:1609 ClientCommand.cpp:1622 msgctxt "listports" msgid "BindHost" msgstr "" -#: ClientCommand.cpp:1565 ClientCommand.cpp:1580 +#: ClientCommand.cpp:1610 ClientCommand.cpp:1625 msgctxt "listports" msgid "SSL" msgstr "" -#: ClientCommand.cpp:1566 ClientCommand.cpp:1585 +#: ClientCommand.cpp:1611 ClientCommand.cpp:1630 msgctxt "listports" msgid "Protocol" msgstr "" -#: ClientCommand.cpp:1567 ClientCommand.cpp:1592 +#: ClientCommand.cpp:1612 ClientCommand.cpp:1637 msgctxt "listports" msgid "IRC" msgstr "" -#: ClientCommand.cpp:1568 ClientCommand.cpp:1597 +#: ClientCommand.cpp:1613 ClientCommand.cpp:1642 msgctxt "listports" msgid "Web" msgstr "" -#: ClientCommand.cpp:1581 +#: ClientCommand.cpp:1626 msgctxt "listports|ssl" msgid "yes" msgstr "" -#: ClientCommand.cpp:1582 +#: ClientCommand.cpp:1627 msgctxt "listports|ssl" msgid "no" msgstr "" -#: ClientCommand.cpp:1586 +#: ClientCommand.cpp:1631 msgctxt "listports" msgid "IPv4 and IPv6" msgstr "" -#: ClientCommand.cpp:1588 +#: ClientCommand.cpp:1633 msgctxt "listports" msgid "IPv4" msgstr "" -#: ClientCommand.cpp:1589 +#: ClientCommand.cpp:1634 msgctxt "listports" msgid "IPv6" msgstr "" -#: ClientCommand.cpp:1595 +#: ClientCommand.cpp:1640 msgctxt "listports|irc" msgid "yes" msgstr "" -#: ClientCommand.cpp:1596 +#: ClientCommand.cpp:1641 msgctxt "listports|irc" msgid "no" msgstr "" -#: ClientCommand.cpp:1600 +#: ClientCommand.cpp:1645 msgctxt "listports|irc" msgid "yes, on {1}" msgstr "" -#: ClientCommand.cpp:1602 +#: ClientCommand.cpp:1647 msgctxt "listports|web" msgid "no" msgstr "" -#: ClientCommand.cpp:1642 +#: ClientCommand.cpp:1687 msgid "" "Usage: AddPort <[+]port> [bindhost [uriprefix]]" msgstr "" -#: ClientCommand.cpp:1658 +#: ClientCommand.cpp:1703 msgid "Port added" msgstr "" -#: ClientCommand.cpp:1660 +#: ClientCommand.cpp:1705 msgid "Couldn't add port" msgstr "" -#: ClientCommand.cpp:1666 +#: ClientCommand.cpp:1711 msgid "Usage: DelPort [bindhost]" msgstr "" -#: ClientCommand.cpp:1675 +#: ClientCommand.cpp:1720 msgid "Deleted Port" msgstr "" -#: ClientCommand.cpp:1677 +#: ClientCommand.cpp:1722 msgid "Unable to find a matching port" msgstr "" -#: ClientCommand.cpp:1685 ClientCommand.cpp:1700 +#: ClientCommand.cpp:1730 ClientCommand.cpp:1745 msgctxt "helpcmd" msgid "Command" msgstr "" -#: ClientCommand.cpp:1686 ClientCommand.cpp:1702 +#: ClientCommand.cpp:1731 ClientCommand.cpp:1747 msgctxt "helpcmd" msgid "Description" msgstr "" -#: ClientCommand.cpp:1691 +#: ClientCommand.cpp:1736 msgid "" "In the following list all occurrences of <#chan> support wildcards (* and ?) " "except ListNicks" msgstr "" -#: ClientCommand.cpp:1708 +#: ClientCommand.cpp:1753 msgctxt "helpcmd|Version|desc" msgid "Print which version of ZNC this is" msgstr "" -#: ClientCommand.cpp:1711 +#: ClientCommand.cpp:1756 msgctxt "helpcmd|ListMods|desc" msgid "List all loaded modules" msgstr "" -#: ClientCommand.cpp:1714 +#: ClientCommand.cpp:1759 msgctxt "helpcmd|ListAvailMods|desc" msgid "List all available modules" msgstr "" -#: ClientCommand.cpp:1718 ClientCommand.cpp:1904 +#: ClientCommand.cpp:1763 ClientCommand.cpp:1954 msgctxt "helpcmd|ListChans|desc" msgid "List all channels" msgstr "" -#: ClientCommand.cpp:1721 +#: ClientCommand.cpp:1766 msgctxt "helpcmd|ListNicks|args" msgid "<#chan>" msgstr "" -#: ClientCommand.cpp:1722 +#: ClientCommand.cpp:1767 msgctxt "helpcmd|ListNicks|desc" msgid "List all nicks on a channel" msgstr "" -#: ClientCommand.cpp:1725 +#: ClientCommand.cpp:1770 msgctxt "helpcmd|ListClients|desc" msgid "List all clients connected to your ZNC user" msgstr "" -#: ClientCommand.cpp:1729 +#: ClientCommand.cpp:1774 msgctxt "helpcmd|ListServers|desc" msgid "List all servers of current IRC network" msgstr "" -#: ClientCommand.cpp:1733 +#: ClientCommand.cpp:1778 msgctxt "helpcmd|AddNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1734 +#: ClientCommand.cpp:1779 msgctxt "helpcmd|AddNetwork|desc" msgid "Add a network to your user" msgstr "" -#: ClientCommand.cpp:1736 +#: ClientCommand.cpp:1781 msgctxt "helpcmd|DelNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1737 +#: ClientCommand.cpp:1782 msgctxt "helpcmd|DelNetwork|desc" msgid "Delete a network from your user" msgstr "" -#: ClientCommand.cpp:1739 +#: ClientCommand.cpp:1784 msgctxt "helpcmd|ListNetworks|desc" msgid "List all networks" msgstr "" -#: ClientCommand.cpp:1742 +#: ClientCommand.cpp:1787 msgctxt "helpcmd|MoveNetwork|args" msgid " [new network]" msgstr "" -#: ClientCommand.cpp:1744 +#: ClientCommand.cpp:1789 msgctxt "helpcmd|MoveNetwork|desc" msgid "Move an IRC network from one user to another" msgstr "" -#: ClientCommand.cpp:1748 +#: ClientCommand.cpp:1793 msgctxt "helpcmd|JumpNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1749 +#: ClientCommand.cpp:1794 msgctxt "helpcmd|JumpNetwork|desc" msgid "" "Jump to another network (Alternatively, you can connect to ZNC several " "times, using `user/network` as username)" msgstr "" -#: ClientCommand.cpp:1754 +#: ClientCommand.cpp:1799 msgctxt "helpcmd|AddServer|args" msgid " [[+]port] [pass]" msgstr "" -#: ClientCommand.cpp:1755 +#: ClientCommand.cpp:1800 msgctxt "helpcmd|AddServer|desc" msgid "" "Add a server to the list of alternate/backup servers of current IRC network." msgstr "" -#: ClientCommand.cpp:1759 +#: ClientCommand.cpp:1804 msgctxt "helpcmd|DelServer|args" msgid " [port] [pass]" msgstr "" -#: ClientCommand.cpp:1760 +#: ClientCommand.cpp:1805 msgctxt "helpcmd|DelServer|desc" msgid "" "Remove a server from the list of alternate/backup servers of current IRC " "network" msgstr "" -#: ClientCommand.cpp:1766 +#: ClientCommand.cpp:1811 msgctxt "helpcmd|AddTrustedServerFingerprint|args" msgid "" msgstr "" -#: ClientCommand.cpp:1767 +#: ClientCommand.cpp:1812 msgctxt "helpcmd|AddTrustedServerFingerprint|desc" msgid "" "Add a trusted server SSL certificate fingerprint (SHA-256) to current IRC " "network." msgstr "" -#: ClientCommand.cpp:1772 +#: ClientCommand.cpp:1817 msgctxt "helpcmd|DelTrustedServerFingerprint|args" msgid "" msgstr "" -#: ClientCommand.cpp:1773 +#: ClientCommand.cpp:1818 msgctxt "helpcmd|DelTrustedServerFingerprint|desc" msgid "Delete a trusted server SSL certificate from current IRC network." msgstr "" -#: ClientCommand.cpp:1777 +#: ClientCommand.cpp:1822 msgctxt "helpcmd|ListTrustedServerFingerprints|desc" msgid "List all trusted server SSL certificates of current IRC network." msgstr "" -#: ClientCommand.cpp:1780 +#: ClientCommand.cpp:1825 msgctxt "helpcmd|EnableChan|args" msgid "<#chans>" msgstr "" -#: ClientCommand.cpp:1781 +#: ClientCommand.cpp:1826 msgctxt "helpcmd|EnableChan|desc" msgid "Enable channels" msgstr "" -#: ClientCommand.cpp:1782 +#: ClientCommand.cpp:1827 msgctxt "helpcmd|DisableChan|args" msgid "<#chans>" msgstr "" -#: ClientCommand.cpp:1783 +#: ClientCommand.cpp:1828 msgctxt "helpcmd|DisableChan|desc" msgid "Disable channels" msgstr "" -#: ClientCommand.cpp:1784 +#: ClientCommand.cpp:1829 +msgctxt "helpcmd|MoveChan|args" +msgid "<#chan> " +msgstr "" + +#: ClientCommand.cpp:1830 +msgctxt "helpcmd|MoveChan|desc" +msgid "Move channel in sort order" +msgstr "" + +#: ClientCommand.cpp:1832 +msgctxt "helpcmd|SwapChans|args" +msgid "<#chan1> <#chan2>" +msgstr "" + +#: ClientCommand.cpp:1833 +msgctxt "helpcmd|SwapChans|desc" +msgid "Swap channels in sort order" +msgstr "" + +#: ClientCommand.cpp:1834 msgctxt "helpcmd|Attach|args" msgid "<#chans>" msgstr "" -#: ClientCommand.cpp:1785 +#: ClientCommand.cpp:1835 msgctxt "helpcmd|Attach|desc" msgid "Attach to channels" msgstr "" -#: ClientCommand.cpp:1786 +#: ClientCommand.cpp:1836 msgctxt "helpcmd|Detach|args" msgid "<#chans>" msgstr "" -#: ClientCommand.cpp:1787 +#: ClientCommand.cpp:1837 msgctxt "helpcmd|Detach|desc" msgid "Detach from channels" msgstr "" -#: ClientCommand.cpp:1790 +#: ClientCommand.cpp:1840 msgctxt "helpcmd|Topics|desc" msgid "Show topics in all your channels" msgstr "" -#: ClientCommand.cpp:1793 +#: ClientCommand.cpp:1843 msgctxt "helpcmd|PlayBuffer|args" msgid "<#chan|query>" msgstr "" -#: ClientCommand.cpp:1794 +#: ClientCommand.cpp:1844 msgctxt "helpcmd|PlayBuffer|desc" msgid "Play back the specified buffer" msgstr "" -#: ClientCommand.cpp:1796 +#: ClientCommand.cpp:1846 msgctxt "helpcmd|ClearBuffer|args" msgid "<#chan|query>" msgstr "" -#: ClientCommand.cpp:1797 +#: ClientCommand.cpp:1847 msgctxt "helpcmd|ClearBuffer|desc" msgid "Clear the specified buffer" msgstr "" -#: ClientCommand.cpp:1799 +#: ClientCommand.cpp:1849 msgctxt "helpcmd|ClearAllBuffers|desc" msgid "Clear all channel and query buffers" msgstr "" -#: ClientCommand.cpp:1802 +#: ClientCommand.cpp:1852 msgctxt "helpcmd|ClearAllChannelBuffers|desc" msgid "Clear the channel buffers" msgstr "" -#: ClientCommand.cpp:1806 +#: ClientCommand.cpp:1856 msgctxt "helpcmd|ClearAllQueryBuffers|desc" msgid "Clear the query buffers" msgstr "" -#: ClientCommand.cpp:1808 +#: ClientCommand.cpp:1858 msgctxt "helpcmd|SetBuffer|args" msgid "<#chan|query> [linecount]" msgstr "" -#: ClientCommand.cpp:1809 +#: ClientCommand.cpp:1859 msgctxt "helpcmd|SetBuffer|desc" msgid "Set the buffer count" msgstr "" -#: ClientCommand.cpp:1813 +#: ClientCommand.cpp:1863 msgctxt "helpcmd|SetBindHost|args" msgid "" msgstr "" -#: ClientCommand.cpp:1814 +#: ClientCommand.cpp:1864 msgctxt "helpcmd|SetBindHost|desc" msgid "Set the bind host for this network" msgstr "" -#: ClientCommand.cpp:1818 +#: ClientCommand.cpp:1868 msgctxt "helpcmd|SetUserBindHost|args" msgid "" msgstr "" -#: ClientCommand.cpp:1819 +#: ClientCommand.cpp:1869 msgctxt "helpcmd|SetUserBindHost|desc" msgid "Set the default bind host for this user" msgstr "" -#: ClientCommand.cpp:1822 +#: ClientCommand.cpp:1872 msgctxt "helpcmd|ClearBindHost|desc" msgid "Clear the bind host for this network" msgstr "" -#: ClientCommand.cpp:1825 +#: ClientCommand.cpp:1875 msgctxt "helpcmd|ClearUserBindHost|desc" msgid "Clear the default bind host for this user" msgstr "" -#: ClientCommand.cpp:1831 +#: ClientCommand.cpp:1881 msgctxt "helpcmd|ShowBindHost|desc" msgid "Show currently selected bind host" msgstr "" -#: ClientCommand.cpp:1833 +#: ClientCommand.cpp:1883 msgctxt "helpcmd|Jump|args" msgid "[server]" msgstr "" -#: ClientCommand.cpp:1834 +#: ClientCommand.cpp:1884 msgctxt "helpcmd|Jump|desc" msgid "Jump to the next or the specified server" msgstr "" -#: ClientCommand.cpp:1835 +#: ClientCommand.cpp:1885 msgctxt "helpcmd|Disconnect|args" msgid "[message]" msgstr "" -#: ClientCommand.cpp:1836 +#: ClientCommand.cpp:1886 msgctxt "helpcmd|Disconnect|desc" msgid "Disconnect from IRC" msgstr "" -#: ClientCommand.cpp:1838 +#: ClientCommand.cpp:1888 msgctxt "helpcmd|Connect|desc" msgid "Reconnect to IRC" msgstr "" -#: ClientCommand.cpp:1841 +#: ClientCommand.cpp:1891 msgctxt "helpcmd|Uptime|desc" msgid "Show for how long ZNC has been running" msgstr "" -#: ClientCommand.cpp:1845 +#: ClientCommand.cpp:1895 msgctxt "helpcmd|LoadMod|args" msgid "[--type=global|user|network] [args]" msgstr "" -#: ClientCommand.cpp:1847 +#: ClientCommand.cpp:1897 msgctxt "helpcmd|LoadMod|desc" msgid "Load a module" msgstr "" -#: ClientCommand.cpp:1849 +#: ClientCommand.cpp:1899 msgctxt "helpcmd|UnloadMod|args" msgid "[--type=global|user|network] " msgstr "" -#: ClientCommand.cpp:1851 +#: ClientCommand.cpp:1901 msgctxt "helpcmd|UnloadMod|desc" msgid "Unload a module" msgstr "" -#: ClientCommand.cpp:1853 +#: ClientCommand.cpp:1903 msgctxt "helpcmd|ReloadMod|args" msgid "[--type=global|user|network] [args]" msgstr "" -#: ClientCommand.cpp:1855 +#: ClientCommand.cpp:1905 msgctxt "helpcmd|ReloadMod|desc" msgid "Reload a module" msgstr "" -#: ClientCommand.cpp:1858 +#: ClientCommand.cpp:1908 msgctxt "helpcmd|UpdateMod|args" msgid "" msgstr "" -#: ClientCommand.cpp:1859 +#: ClientCommand.cpp:1909 msgctxt "helpcmd|UpdateMod|desc" msgid "Reload a module everywhere" msgstr "" -#: ClientCommand.cpp:1865 +#: ClientCommand.cpp:1915 msgctxt "helpcmd|ShowMOTD|desc" msgid "Show ZNC's message of the day" msgstr "" -#: ClientCommand.cpp:1869 +#: ClientCommand.cpp:1919 msgctxt "helpcmd|SetMOTD|args" msgid "" msgstr "" -#: ClientCommand.cpp:1870 +#: ClientCommand.cpp:1920 msgctxt "helpcmd|SetMOTD|desc" msgid "Set ZNC's message of the day" msgstr "" -#: ClientCommand.cpp:1872 +#: ClientCommand.cpp:1922 msgctxt "helpcmd|AddMOTD|args" msgid "" msgstr "" -#: ClientCommand.cpp:1873 +#: ClientCommand.cpp:1923 msgctxt "helpcmd|AddMOTD|desc" msgid "Append to ZNC's MOTD" msgstr "" -#: ClientCommand.cpp:1875 +#: ClientCommand.cpp:1925 msgctxt "helpcmd|ClearMOTD|desc" msgid "Clear ZNC's MOTD" msgstr "" -#: ClientCommand.cpp:1878 +#: ClientCommand.cpp:1928 msgctxt "helpcmd|ListPorts|desc" msgid "Show all active listeners" msgstr "" -#: ClientCommand.cpp:1880 +#: ClientCommand.cpp:1930 msgctxt "helpcmd|AddPort|args" msgid "<[+]port> [bindhost [uriprefix]]" msgstr "" -#: ClientCommand.cpp:1883 +#: ClientCommand.cpp:1933 msgctxt "helpcmd|AddPort|desc" msgid "Add another port for ZNC to listen on" msgstr "" -#: ClientCommand.cpp:1887 +#: ClientCommand.cpp:1937 msgctxt "helpcmd|DelPort|args" msgid " [bindhost]" msgstr "" -#: ClientCommand.cpp:1888 +#: ClientCommand.cpp:1938 msgctxt "helpcmd|DelPort|desc" msgid "Remove a port from ZNC" msgstr "" -#: ClientCommand.cpp:1891 +#: ClientCommand.cpp:1941 msgctxt "helpcmd|Rehash|desc" msgid "Reload global settings, modules, and listeners from znc.conf" msgstr "" -#: ClientCommand.cpp:1894 +#: ClientCommand.cpp:1944 msgctxt "helpcmd|SaveConfig|desc" msgid "Save the current settings to disk" msgstr "" -#: ClientCommand.cpp:1897 +#: ClientCommand.cpp:1947 msgctxt "helpcmd|ListUsers|desc" msgid "List all ZNC users and their connection status" msgstr "" -#: ClientCommand.cpp:1900 +#: ClientCommand.cpp:1950 msgctxt "helpcmd|ListAllUserNetworks|desc" msgid "List all ZNC users and their networks" msgstr "" -#: ClientCommand.cpp:1903 +#: ClientCommand.cpp:1953 msgctxt "helpcmd|ListChans|args" msgid "[user ]" msgstr "" -#: ClientCommand.cpp:1906 +#: ClientCommand.cpp:1956 msgctxt "helpcmd|ListClients|args" msgid "[user]" msgstr "" -#: ClientCommand.cpp:1907 +#: ClientCommand.cpp:1957 msgctxt "helpcmd|ListClients|desc" msgid "List all connected clients" msgstr "" -#: ClientCommand.cpp:1909 +#: ClientCommand.cpp:1959 msgctxt "helpcmd|Traffic|desc" msgid "Show basic traffic stats for all ZNC users" msgstr "" -#: ClientCommand.cpp:1911 +#: ClientCommand.cpp:1961 msgctxt "helpcmd|Broadcast|args" msgid "[message]" msgstr "" -#: ClientCommand.cpp:1912 +#: ClientCommand.cpp:1962 msgctxt "helpcmd|Broadcast|desc" msgid "Broadcast a message to all ZNC users" msgstr "" -#: ClientCommand.cpp:1915 +#: ClientCommand.cpp:1965 msgctxt "helpcmd|Shutdown|args" msgid "[message]" msgstr "" -#: ClientCommand.cpp:1916 +#: ClientCommand.cpp:1966 msgctxt "helpcmd|Shutdown|desc" msgid "Shut down ZNC completely" msgstr "" -#: ClientCommand.cpp:1917 +#: ClientCommand.cpp:1967 msgctxt "helpcmd|Restart|args" msgid "[message]" msgstr "" -#: ClientCommand.cpp:1918 +#: ClientCommand.cpp:1968 msgctxt "helpcmd|Restart|desc" msgid "Restart ZNC" msgstr "" diff --git a/src/po/znc.de_DE.po b/src/po/znc.de_DE.po index 5ee22eb9..72b48925 100644 --- a/src/po/znc.de_DE.po +++ b/src/po/znc.de_DE.po @@ -75,7 +75,7 @@ msgstr "Kann PEM-Datei nicht finden: {1}" msgid "Invalid port" msgstr "Ungültiger Port" -#: znc.cpp:1813 ClientCommand.cpp:1655 +#: znc.cpp:1813 ClientCommand.cpp:1700 msgid "Unable to bind: {1}" msgstr "Kann nicht horchen: {1}" @@ -99,20 +99,29 @@ msgid "This network is being deleted or moved to another user." msgstr "" "Dieses Netzwerk wird gelöscht oder zu einem anderen Benutzer verschoben." -#: IRCNetwork.cpp:1016 +#: IRCNetwork.cpp:948 +msgid "Invalid index" +msgstr "" + +#: IRCNetwork.cpp:956 IRCNetwork.cpp:972 IRCNetwork.cpp:980 +#: ClientCommand.cpp:1405 +msgid "You are not on {1}" +msgstr "Du bist nicht in {1}" + +#: IRCNetwork.cpp:1059 msgid "The channel {1} could not be joined, disabling it." msgstr "Der Kanal {1} konnte nicht betreten werden und wird deaktiviert." -#: IRCNetwork.cpp:1145 +#: IRCNetwork.cpp:1188 msgid "Your current server was removed, jumping..." msgstr "Dein aktueller Server wurde entfernt, springe..." -#: IRCNetwork.cpp:1308 +#: IRCNetwork.cpp:1351 msgid "Cannot connect to {1}, because ZNC is not compiled with SSL support." msgstr "" "Kann nicht zu {1} verbinden, da ZNC ohne SSL-Unterstützung gebaut wurde." -#: IRCNetwork.cpp:1329 +#: IRCNetwork.cpp:1372 msgid "Some module aborted the connection attempt" msgstr "Ein Modul hat den Verbindungsversuch abgebrochen" @@ -312,7 +321,7 @@ msgctxt "modhelpcmd" msgid "Generate this output" msgstr "Erzeuge diese Ausgabe" -#: Modules.cpp:573 ClientCommand.cpp:1922 +#: Modules.cpp:573 ClientCommand.cpp:1972 msgid "No matches for '{1}'" msgstr "Keine Treffer für '{1}'" @@ -424,11 +433,12 @@ msgstr "Beschreibung" #: ClientCommand.cpp:51 ClientCommand.cpp:115 ClientCommand.cpp:137 #: ClientCommand.cpp:339 ClientCommand.cpp:390 ClientCommand.cpp:405 -#: ClientCommand.cpp:432 ClientCommand.cpp:459 ClientCommand.cpp:764 -#: ClientCommand.cpp:783 ClientCommand.cpp:809 ClientCommand.cpp:843 -#: ClientCommand.cpp:856 ClientCommand.cpp:869 ClientCommand.cpp:884 -#: ClientCommand.cpp:1345 ClientCommand.cpp:1393 ClientCommand.cpp:1425 -#: ClientCommand.cpp:1436 ClientCommand.cpp:1445 ClientCommand.cpp:1457 +#: ClientCommand.cpp:432 ClientCommand.cpp:459 ClientCommand.cpp:480 +#: ClientCommand.cpp:499 ClientCommand.cpp:809 ClientCommand.cpp:828 +#: ClientCommand.cpp:854 ClientCommand.cpp:888 ClientCommand.cpp:901 +#: ClientCommand.cpp:914 ClientCommand.cpp:929 ClientCommand.cpp:1390 +#: ClientCommand.cpp:1438 ClientCommand.cpp:1470 ClientCommand.cpp:1481 +#: ClientCommand.cpp:1490 ClientCommand.cpp:1502 msgid "You must be connected with a network to use this command" msgstr "" "Sie müssen mit einem Netzwerk verbunden sein um diesen Befehl zu verwenden" @@ -608,7 +618,7 @@ msgstr "" "FEHLER: Konnte Konfigurations-Datei nicht schreiben. Abbruch. Benutzer {1} " "FORCE um den Fehler zu ignorieren." -#: ClientCommand.cpp:344 ClientCommand.cpp:797 ClientCommand.cpp:838 +#: ClientCommand.cpp:344 ClientCommand.cpp:842 ClientCommand.cpp:883 msgid "You don't have any servers added." msgstr "Du hast keine Server hinzugefügt." @@ -654,87 +664,108 @@ msgid_plural "Disabled {1} channels" msgstr[0] "{1} Kanal deaktiviert" msgstr[1] "{1} Kanäle deaktiviert" -#: ClientCommand.cpp:470 +#: ClientCommand.cpp:466 +msgid "Usage: MoveChan <#chan> " +msgstr "" + +#: ClientCommand.cpp:474 +msgid "Moved channel {1} to index {2}" +msgstr "" + +#: ClientCommand.cpp:487 +msgid "Usage: SwapChans <#chan1> <#chan2>" +msgstr "" + +#: ClientCommand.cpp:493 +msgid "Swapped channels {1} and {2}" +msgstr "" + +#: ClientCommand.cpp:510 msgid "Usage: ListChans" msgstr "Verwendung: ListChans" -#: ClientCommand.cpp:477 +#: ClientCommand.cpp:517 msgid "No such user [{1}]" msgstr "Kein solcher Benutzer [{1}]" -#: ClientCommand.cpp:483 +#: ClientCommand.cpp:523 msgid "User [{1}] doesn't have network [{2}]" msgstr "Benutzer [{1}] hat kein Netzwerk [{2}]" -#: ClientCommand.cpp:494 +#: ClientCommand.cpp:534 msgid "There are no channels defined." msgstr "Es wurden noch keine Kanäle definiert." -#: ClientCommand.cpp:499 ClientCommand.cpp:515 +#: ClientCommand.cpp:539 ClientCommand.cpp:557 +msgctxt "listchans" +msgid "Index" +msgstr "" + +#: ClientCommand.cpp:540 ClientCommand.cpp:558 msgctxt "listchans" msgid "Name" msgstr "Name" -#: ClientCommand.cpp:500 ClientCommand.cpp:518 +#: ClientCommand.cpp:541 ClientCommand.cpp:561 msgctxt "listchans" msgid "Status" msgstr "Status" -#: ClientCommand.cpp:501 ClientCommand.cpp:525 +#: ClientCommand.cpp:542 ClientCommand.cpp:568 msgctxt "listchans" msgid "In config" msgstr "In Konfig" -#: ClientCommand.cpp:502 ClientCommand.cpp:527 +#: ClientCommand.cpp:543 ClientCommand.cpp:570 msgctxt "listchans" msgid "Buffer" msgstr "Puffer" -#: ClientCommand.cpp:503 ClientCommand.cpp:531 +#: ClientCommand.cpp:544 ClientCommand.cpp:574 msgctxt "listchans" msgid "Clear" msgstr "Lösche" -#: ClientCommand.cpp:504 ClientCommand.cpp:536 +#: ClientCommand.cpp:545 ClientCommand.cpp:579 msgctxt "listchans" msgid "Modes" msgstr "Modi" -#: ClientCommand.cpp:505 ClientCommand.cpp:537 +#: ClientCommand.cpp:546 ClientCommand.cpp:580 msgctxt "listchans" msgid "Users" msgstr "Benutzer" -#: ClientCommand.cpp:520 +#: ClientCommand.cpp:563 msgctxt "listchans" msgid "Detached" msgstr "Getrennt" -#: ClientCommand.cpp:521 +#: ClientCommand.cpp:564 msgctxt "listchans" msgid "Joined" msgstr "Betreten" -#: ClientCommand.cpp:522 +#: ClientCommand.cpp:565 msgctxt "listchans" msgid "Disabled" msgstr "Deaktiviert" -#: ClientCommand.cpp:523 +#: ClientCommand.cpp:566 msgctxt "listchans" msgid "Trying" msgstr "Versuche" -#: ClientCommand.cpp:526 ClientCommand.cpp:534 +#: ClientCommand.cpp:569 ClientCommand.cpp:577 msgctxt "listchans" msgid "yes" msgstr "ja" -#: ClientCommand.cpp:551 +#: ClientCommand.cpp:596 msgid "Total: {1}, Joined: {2}, Detached: {3}, Disabled: {4}" msgstr "Gesamt: {1}, Betreten: {2}, Getrennt: {3}, Deaktiviert: {4}" -#: ClientCommand.cpp:556 +#: ClientCommand.cpp:601 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks using /znc DelNetwork " @@ -742,15 +773,15 @@ msgstr "" "Netzwerk-Anzahl-Limit erreicht. Bitte einen Administrator deinen Grenzwert " "zu erhöhen, oder lösche nicht benötigte Netzwerke mit /znc DelNetwork " -#: ClientCommand.cpp:565 +#: ClientCommand.cpp:610 msgid "Usage: AddNetwork " msgstr "Verwendung: AddNetwork " -#: ClientCommand.cpp:569 +#: ClientCommand.cpp:614 msgid "Network name should be alphanumeric" msgstr "Netzwerknamen müssen alphanumerisch sein" -#: ClientCommand.cpp:576 +#: ClientCommand.cpp:621 msgid "" "Network added. Use /znc JumpNetwork {1}, or connect to ZNC with username {2} " "(instead of just {3}) to connect to it." @@ -758,141 +789,141 @@ msgstr "" "Netzwerk hinzugefügt. Verwende /znc JumpNetwork {1}, oder verbinde dich zu " "ZNC mit Benutzername {2} (statt nur {3}) um mit dem Netzwerk zu verbinden." -#: ClientCommand.cpp:581 +#: ClientCommand.cpp:626 msgid "Unable to add that network" msgstr "Dieses Netzwerk kann nicht hinzugefügt werden" -#: ClientCommand.cpp:588 +#: ClientCommand.cpp:633 msgid "Usage: DelNetwork " msgstr "Verwendung: DelNetwork " -#: ClientCommand.cpp:597 +#: ClientCommand.cpp:642 msgid "Network deleted" msgstr "Netzwerk gelöscht" -#: ClientCommand.cpp:600 +#: ClientCommand.cpp:645 msgid "Failed to delete network, perhaps this network doesn't exist" msgstr "Kann das Netzwerk nicht löschen, vielleicht existiert es nicht" -#: ClientCommand.cpp:610 +#: ClientCommand.cpp:655 msgid "User {1} not found" msgstr "Benutzer {1} nicht gefunden" -#: ClientCommand.cpp:618 ClientCommand.cpp:626 +#: ClientCommand.cpp:663 ClientCommand.cpp:671 msgctxt "listnetworks" msgid "Network" msgstr "Netzwerk" -#: ClientCommand.cpp:619 ClientCommand.cpp:628 ClientCommand.cpp:637 +#: ClientCommand.cpp:664 ClientCommand.cpp:673 ClientCommand.cpp:682 msgctxt "listnetworks" msgid "On IRC" msgstr "Im IRC" -#: ClientCommand.cpp:620 ClientCommand.cpp:630 +#: ClientCommand.cpp:665 ClientCommand.cpp:675 msgctxt "listnetworks" msgid "IRC Server" msgstr "IRC-Server" -#: ClientCommand.cpp:621 ClientCommand.cpp:632 +#: ClientCommand.cpp:666 ClientCommand.cpp:677 msgctxt "listnetworks" msgid "IRC User" msgstr "IRC-Benutzer" -#: ClientCommand.cpp:622 ClientCommand.cpp:634 +#: ClientCommand.cpp:667 ClientCommand.cpp:679 msgctxt "listnetworks" msgid "Channels" msgstr "Kanäle" -#: ClientCommand.cpp:629 +#: ClientCommand.cpp:674 msgctxt "listnetworks" msgid "Yes" msgstr "Ja" -#: ClientCommand.cpp:638 +#: ClientCommand.cpp:683 msgctxt "listnetworks" msgid "No" msgstr "Nein" -#: ClientCommand.cpp:643 +#: ClientCommand.cpp:688 msgctxt "listnetworks" msgid "No networks" msgstr "Keine Netzwerke" -#: ClientCommand.cpp:647 ClientCommand.cpp:952 +#: ClientCommand.cpp:692 ClientCommand.cpp:997 msgid "Access denied." msgstr "Zugriff verweigert." -#: ClientCommand.cpp:658 +#: ClientCommand.cpp:703 msgid "Usage: MoveNetwork [new network]" msgstr "" "Verwendung: MoveNetwork " "[neues Netzwerk]" -#: ClientCommand.cpp:668 +#: ClientCommand.cpp:713 msgid "Old user {1} not found." msgstr "Alter Benutzer {1} nicht gefunden." -#: ClientCommand.cpp:674 +#: ClientCommand.cpp:719 msgid "Old network {1} not found." msgstr "Altes Netzwerk {1} nicht gefunden." -#: ClientCommand.cpp:680 +#: ClientCommand.cpp:725 msgid "New user {1} not found." msgstr "Neuer Benutzer {1} nicht gefunden." -#: ClientCommand.cpp:685 +#: ClientCommand.cpp:730 msgid "User {1} already has network {2}." msgstr "Benutzer {1} hat bereits ein Netzwerk {2}." -#: ClientCommand.cpp:691 +#: ClientCommand.cpp:736 msgid "Invalid network name [{1}]" msgstr "Ungültiger Netzwerkname [{1}]" -#: ClientCommand.cpp:707 +#: ClientCommand.cpp:752 msgid "Some files seem to be in {1}. You might want to move them to {2}" msgstr "" "Einige Dateien scheinen in {1} zu sein. Du könntest sie nach {2} verschieben " "wollen" -#: ClientCommand.cpp:721 +#: ClientCommand.cpp:766 msgid "Error adding network: {1}" msgstr "Fehler beim Netzwerk-Hinzufügen: {1}" -#: ClientCommand.cpp:733 +#: ClientCommand.cpp:778 msgid "Success." msgstr "Geschafft." -#: ClientCommand.cpp:736 +#: ClientCommand.cpp:781 msgid "Copied the network to new user, but failed to delete old network" msgstr "" "Das Netzwerk wurde zum neuen Benutzer kopiert, aber das alte Netzwerk konnte " "nicht gelöscht werden" -#: ClientCommand.cpp:743 +#: ClientCommand.cpp:788 msgid "No network supplied." msgstr "Kein Netzwerk angegeben." -#: ClientCommand.cpp:748 +#: ClientCommand.cpp:793 msgid "You are already connected with this network." msgstr "Du bist bereits mit diesem Netzwerk verbunden." -#: ClientCommand.cpp:754 +#: ClientCommand.cpp:799 msgid "Switched to {1}" msgstr "Zu {1} gewechselt" -#: ClientCommand.cpp:757 +#: ClientCommand.cpp:802 msgid "You don't have a network named {1}" msgstr "Du hast kein Netzwerk namens {1}" -#: ClientCommand.cpp:769 +#: ClientCommand.cpp:814 msgid "Usage: AddServer [[+]port] [pass]" msgstr "Verwendung: AddServer [[+]Port] [Pass]" -#: ClientCommand.cpp:774 +#: ClientCommand.cpp:819 msgid "Server added" msgstr "Server hinzugefügt" -#: ClientCommand.cpp:777 +#: ClientCommand.cpp:822 msgid "" "Unable to add that server. Perhaps the server is already added or openssl is " "disabled?" @@ -900,237 +931,237 @@ msgstr "" "Kann den Server nicht hinzufügen. Vielleicht ist dieser Server bereits " "hinzugefügt oder openssl ist deaktiviert?" -#: ClientCommand.cpp:792 +#: ClientCommand.cpp:837 msgid "Usage: DelServer [port] [pass]" msgstr "Verwendung: DelServer [Port] [Pass]" -#: ClientCommand.cpp:802 +#: ClientCommand.cpp:847 msgid "Server removed" msgstr "Server entfernt" -#: ClientCommand.cpp:804 +#: ClientCommand.cpp:849 msgid "No such server" msgstr "Kein solcher Server" -#: ClientCommand.cpp:817 ClientCommand.cpp:825 +#: ClientCommand.cpp:862 ClientCommand.cpp:870 msgctxt "listservers" msgid "Host" msgstr "Host" -#: ClientCommand.cpp:818 ClientCommand.cpp:827 +#: ClientCommand.cpp:863 ClientCommand.cpp:872 msgctxt "listservers" msgid "Port" msgstr "Port" -#: ClientCommand.cpp:819 ClientCommand.cpp:830 +#: ClientCommand.cpp:864 ClientCommand.cpp:875 msgctxt "listservers" msgid "SSL" msgstr "SSL" -#: ClientCommand.cpp:820 ClientCommand.cpp:832 +#: ClientCommand.cpp:865 ClientCommand.cpp:877 msgctxt "listservers" msgid "Password" msgstr "Passwort" -#: ClientCommand.cpp:831 +#: ClientCommand.cpp:876 msgctxt "listservers|cell" msgid "SSL" msgstr "SSL" -#: ClientCommand.cpp:848 +#: ClientCommand.cpp:893 msgid "Usage: AddTrustedServerFingerprint " msgstr "Verwendung: AddTrustedServerFingerprint " -#: ClientCommand.cpp:852 ClientCommand.cpp:865 +#: ClientCommand.cpp:897 ClientCommand.cpp:910 msgid "Done." msgstr "Erledigt." -#: ClientCommand.cpp:861 +#: ClientCommand.cpp:906 msgid "Usage: DelTrustedServerFingerprint " msgstr "Verwendung: DelTrustedServerFingerprint " -#: ClientCommand.cpp:874 +#: ClientCommand.cpp:919 msgid "No fingerprints added." msgstr "Keine Fingerabdrücke hinzugefügt." -#: ClientCommand.cpp:890 ClientCommand.cpp:896 +#: ClientCommand.cpp:935 ClientCommand.cpp:941 msgctxt "topicscmd" msgid "Channel" msgstr "Kanal" -#: ClientCommand.cpp:891 ClientCommand.cpp:897 +#: ClientCommand.cpp:936 ClientCommand.cpp:942 msgctxt "topicscmd" msgid "Set By" msgstr "Gesetzt von" -#: ClientCommand.cpp:892 ClientCommand.cpp:898 +#: ClientCommand.cpp:937 ClientCommand.cpp:943 msgctxt "topicscmd" msgid "Topic" msgstr "Thema" -#: ClientCommand.cpp:905 ClientCommand.cpp:910 +#: ClientCommand.cpp:950 ClientCommand.cpp:955 msgctxt "listmods" msgid "Name" msgstr "Name" -#: ClientCommand.cpp:906 ClientCommand.cpp:911 +#: ClientCommand.cpp:951 ClientCommand.cpp:956 msgctxt "listmods" msgid "Arguments" msgstr "Argumente" -#: ClientCommand.cpp:920 +#: ClientCommand.cpp:965 msgid "No global modules loaded." msgstr "Keine globalen Module geladen." -#: ClientCommand.cpp:922 ClientCommand.cpp:986 +#: ClientCommand.cpp:967 ClientCommand.cpp:1031 msgid "Global modules:" msgstr "Globale Module:" -#: ClientCommand.cpp:931 +#: ClientCommand.cpp:976 msgid "Your user has no modules loaded." msgstr "Dein Benutzer hat keine Module geladen." -#: ClientCommand.cpp:933 ClientCommand.cpp:998 +#: ClientCommand.cpp:978 ClientCommand.cpp:1043 msgid "User modules:" msgstr "Benutzer-Module:" -#: ClientCommand.cpp:941 +#: ClientCommand.cpp:986 msgid "This network has no modules loaded." msgstr "Dieses Netzwerk hat keine Module geladen." -#: ClientCommand.cpp:943 ClientCommand.cpp:1010 +#: ClientCommand.cpp:988 ClientCommand.cpp:1055 msgid "Network modules:" msgstr "Netzwerk-Module:" -#: ClientCommand.cpp:958 ClientCommand.cpp:965 +#: ClientCommand.cpp:1003 ClientCommand.cpp:1010 msgctxt "listavailmods" msgid "Name" msgstr "Name" -#: ClientCommand.cpp:959 ClientCommand.cpp:970 +#: ClientCommand.cpp:1004 ClientCommand.cpp:1015 msgctxt "listavailmods" msgid "Description" msgstr "Beschreibung" -#: ClientCommand.cpp:984 +#: ClientCommand.cpp:1029 msgid "No global modules available." msgstr "Keine globalen Module verfügbar." -#: ClientCommand.cpp:996 +#: ClientCommand.cpp:1041 msgid "No user modules available." msgstr "Keine Benutzer-Module verfügbar." -#: ClientCommand.cpp:1008 +#: ClientCommand.cpp:1053 msgid "No network modules available." msgstr "Keine Netzwerk-Module verfügbar." -#: ClientCommand.cpp:1036 +#: ClientCommand.cpp:1081 msgid "Unable to load {1}: Access denied." msgstr "Kann {1} nicht laden: Zugriff verweigert." -#: ClientCommand.cpp:1042 +#: ClientCommand.cpp:1087 msgid "Usage: LoadMod [--type=global|user|network] [args]" msgstr "Verwendung: LoadMod [--type=global|user|network] [Argumente]" -#: ClientCommand.cpp:1049 +#: ClientCommand.cpp:1094 msgid "Unable to load {1}: {2}" msgstr "Kann {1} nicht laden: {2}" -#: ClientCommand.cpp:1059 +#: ClientCommand.cpp:1104 msgid "Unable to load global module {1}: Access denied." msgstr "Kann globales Modul {1} nicht laden: Zugriff verweigert." -#: ClientCommand.cpp:1065 +#: ClientCommand.cpp:1110 msgid "Unable to load network module {1}: Not connected with a network." msgstr "" "Kann Netzwerk-Module {1} nicht laden: Nicht mit einem Netzwerk verbunden." -#: ClientCommand.cpp:1087 +#: ClientCommand.cpp:1132 msgid "Unknown module type" msgstr "Unbekannter Modul-Typ" -#: ClientCommand.cpp:1092 +#: ClientCommand.cpp:1137 msgid "Loaded module {1}" msgstr "Module {1} geladen" -#: ClientCommand.cpp:1094 +#: ClientCommand.cpp:1139 msgid "Loaded module {1}: {2}" msgstr "Modul {1} geladen: {2}" -#: ClientCommand.cpp:1097 +#: ClientCommand.cpp:1142 msgid "Unable to load module {1}: {2}" msgstr "Kann Modul {1} nicht laden: {2}" -#: ClientCommand.cpp:1120 +#: ClientCommand.cpp:1165 msgid "Unable to unload {1}: Access denied." msgstr "Kann Modul {1} nicht entladen: Zugriff verweigert." -#: ClientCommand.cpp:1126 +#: ClientCommand.cpp:1171 msgid "Usage: UnloadMod [--type=global|user|network] " msgstr "Verwendung: UnloadMod [--type=global|user|network] " -#: ClientCommand.cpp:1135 +#: ClientCommand.cpp:1180 msgid "Unable to determine type of {1}: {2}" msgstr "Kann Typ von {1} nicht feststellen: {2}" -#: ClientCommand.cpp:1143 +#: ClientCommand.cpp:1188 msgid "Unable to unload global module {1}: Access denied." msgstr "Kann globales Modul {1} nicht entladen: Zugriff verweigert." -#: ClientCommand.cpp:1150 +#: ClientCommand.cpp:1195 msgid "Unable to unload network module {1}: Not connected with a network." msgstr "" "Kann Netzwerk-Module {1} nicht entladen: Nicht mit einem Netzwerk verbunden." -#: ClientCommand.cpp:1169 +#: ClientCommand.cpp:1214 msgid "Unable to unload module {1}: Unknown module type" msgstr "Kann Modul {1} nicht entladen: Unbekannter Modul-Typ" -#: ClientCommand.cpp:1182 +#: ClientCommand.cpp:1227 msgid "Unable to reload modules. Access denied." msgstr "Kann Module nicht neu laden: Zugriff verweigert." -#: ClientCommand.cpp:1203 +#: ClientCommand.cpp:1248 msgid "Usage: ReloadMod [--type=global|user|network] [args]" msgstr "Verwendung: ReloadMod [--type=global|user|network] [Argumente]" -#: ClientCommand.cpp:1212 +#: ClientCommand.cpp:1257 msgid "Unable to reload {1}: {2}" msgstr "Kann {1} nicht neu laden: {2}" -#: ClientCommand.cpp:1220 +#: ClientCommand.cpp:1265 msgid "Unable to reload global module {1}: Access denied." msgstr "Kann globales Modul {1} nicht neu laden: Zugriff verweigert." -#: ClientCommand.cpp:1227 +#: ClientCommand.cpp:1272 msgid "Unable to reload network module {1}: Not connected with a network." msgstr "" "Kann Netzwerk-Module {1} nicht neu laden: Nicht mit einem Netzwerk verbunden." -#: ClientCommand.cpp:1249 +#: ClientCommand.cpp:1294 msgid "Unable to reload module {1}: Unknown module type" msgstr "Kann Modul {1} nicht neu laden: Unbekannter Modul-Typ" -#: ClientCommand.cpp:1260 +#: ClientCommand.cpp:1305 msgid "Usage: UpdateMod " msgstr "Verwendung: UpdateMod " -#: ClientCommand.cpp:1264 +#: ClientCommand.cpp:1309 msgid "Reloading {1} everywhere" msgstr "Lade {1} überall neu" -#: ClientCommand.cpp:1266 +#: ClientCommand.cpp:1311 msgid "Done" msgstr "Erledigt" -#: ClientCommand.cpp:1269 +#: ClientCommand.cpp:1314 msgid "" "Done, but there were errors, module {1} could not be reloaded everywhere." msgstr "" "Erledigt, aber es gab Fehler, Modul {1} konnte nicht überall neu geladen " "werden." -#: ClientCommand.cpp:1277 +#: ClientCommand.cpp:1322 msgid "" "You must be connected with a network to use this command. Try " "SetUserBindHost instead" @@ -1138,27 +1169,27 @@ msgstr "" "Du musst mit einem Netzwerk verbunden sein um diesen Befehl zu verwenden. " "Versuche SetUserBindHost statt dessen" -#: ClientCommand.cpp:1284 +#: ClientCommand.cpp:1329 msgid "Usage: SetBindHost " msgstr "Verwendung: SetBindHost " -#: ClientCommand.cpp:1289 ClientCommand.cpp:1306 +#: ClientCommand.cpp:1334 ClientCommand.cpp:1351 msgid "You already have this bind host!" msgstr "Du hast bereits diesen Bindhost!" -#: ClientCommand.cpp:1294 +#: ClientCommand.cpp:1339 msgid "Set bind host for network {1} to {2}" msgstr "Setze Bindhost für Netzwerk {1} auf {2}" -#: ClientCommand.cpp:1301 +#: ClientCommand.cpp:1346 msgid "Usage: SetUserBindHost " msgstr "Verwendung: SetUserBindHost " -#: ClientCommand.cpp:1311 +#: ClientCommand.cpp:1356 msgid "Set default bind host to {1}" msgstr "Setze Standard-Bindhost auf {1}" -#: ClientCommand.cpp:1317 +#: ClientCommand.cpp:1362 msgid "" "You must be connected with a network to use this command. Try " "ClearUserBindHost instead" @@ -1166,258 +1197,254 @@ msgstr "" "Du musst mit einem Netzwerk verbunden sein um diesen Befehl zu verwenden. " "Versuche ClearUserBindHost statt dessen" -#: ClientCommand.cpp:1322 +#: ClientCommand.cpp:1367 msgid "Bind host cleared for this network." msgstr "Bindhost für dieses Netzwerk gelöscht." -#: ClientCommand.cpp:1326 +#: ClientCommand.cpp:1371 msgid "Default bind host cleared for your user." msgstr "Standard-Bindhost für deinen Benutzer gelöscht." -#: ClientCommand.cpp:1329 +#: ClientCommand.cpp:1374 msgid "This user's default bind host not set" msgstr "Der Benutzer hat keinen Bindhost gesetzt" -#: ClientCommand.cpp:1331 +#: ClientCommand.cpp:1376 msgid "This user's default bind host is {1}" msgstr "Der Standard-Bindhost des Benutzers ist {1}" -#: ClientCommand.cpp:1336 +#: ClientCommand.cpp:1381 msgid "This network's bind host not set" msgstr "Dieses Netzwerk hat keinen Standard-Bindhost gesetzt" -#: ClientCommand.cpp:1338 +#: ClientCommand.cpp:1383 msgid "This network's default bind host is {1}" msgstr "Der Standard-Bindhost dieses Netzwerkes ist {1}" -#: ClientCommand.cpp:1352 +#: ClientCommand.cpp:1397 msgid "Usage: PlayBuffer <#chan|query>" msgstr "Verwendung: PlayBuffer <#chan|query>" -#: ClientCommand.cpp:1360 -msgid "You are not on {1}" -msgstr "Du bist nicht in {1}" - -#: ClientCommand.cpp:1365 +#: ClientCommand.cpp:1410 msgid "You are not on {1} (trying to join)" msgstr "Du bist nicht in {1} (versuche zu betreten)" -#: ClientCommand.cpp:1370 +#: ClientCommand.cpp:1415 msgid "The buffer for channel {1} is empty" msgstr "Der Puffer für Kanal {1} ist leer" -#: ClientCommand.cpp:1379 +#: ClientCommand.cpp:1424 msgid "No active query with {1}" msgstr "Kein aktivier Query mit {1}" -#: ClientCommand.cpp:1384 +#: ClientCommand.cpp:1429 msgid "The buffer for {1} is empty" msgstr "Der Puffer für {1} ist leer" -#: ClientCommand.cpp:1400 +#: ClientCommand.cpp:1445 msgid "Usage: ClearBuffer <#chan|query>" msgstr "Verwendung: ClearBuffer <#chan|query>" -#: ClientCommand.cpp:1419 +#: ClientCommand.cpp:1464 msgid "{1} buffer matching {2} has been cleared" msgid_plural "{1} buffers matching {2} have been cleared" msgstr[0] "{1} Puffer, der auf {2} passt, wurde gelöscht" msgstr[1] "{1} Puffer, die auf {2} passen, wurden gelöscht" -#: ClientCommand.cpp:1432 +#: ClientCommand.cpp:1477 msgid "All channel buffers have been cleared" msgstr "Alle Kanalpuffer wurden gelöscht" -#: ClientCommand.cpp:1441 +#: ClientCommand.cpp:1486 msgid "All query buffers have been cleared" msgstr "Alle Querypuffer wurden gelöscht" -#: ClientCommand.cpp:1453 +#: ClientCommand.cpp:1498 msgid "All buffers have been cleared" msgstr "Alle Puffer wurden gelöscht" -#: ClientCommand.cpp:1464 +#: ClientCommand.cpp:1509 msgid "Usage: SetBuffer <#chan|query> [linecount]" msgstr "Verwendung: SetBuffer <#chan|query> [Anzahl Zeilen]" -#: ClientCommand.cpp:1485 +#: ClientCommand.cpp:1530 msgid "Setting buffer size failed for {1} buffer" msgid_plural "Setting buffer size failed for {1} buffers" msgstr[0] "Setzen der Puffergröße schlug für {1} Puffer fehl" msgstr[1] "Setzen der Puffergröße schlug für {1} Puffer fehl" -#: ClientCommand.cpp:1488 +#: ClientCommand.cpp:1533 msgid "Maximum buffer size is {1} line" msgid_plural "Maximum buffer size is {1} lines" msgstr[0] "Maximale Puffergröße ist {1} Zeile" msgstr[1] "Maximale Puffergröße ist {1} Zeilen" -#: ClientCommand.cpp:1493 +#: ClientCommand.cpp:1538 msgid "Size of every buffer was set to {1} line" msgid_plural "Size of every buffer was set to {1} lines" msgstr[0] "Größe jedes Puffers wurde auf {1} Zeile gesetzt" msgstr[1] "Größe jedes Puffers wurde auf {1} Zeilen gesetzt" -#: ClientCommand.cpp:1503 ClientCommand.cpp:1510 ClientCommand.cpp:1521 -#: ClientCommand.cpp:1530 ClientCommand.cpp:1538 +#: ClientCommand.cpp:1548 ClientCommand.cpp:1555 ClientCommand.cpp:1566 +#: ClientCommand.cpp:1575 ClientCommand.cpp:1583 msgctxt "trafficcmd" msgid "Username" msgstr "Benutzername" -#: ClientCommand.cpp:1504 ClientCommand.cpp:1511 ClientCommand.cpp:1523 -#: ClientCommand.cpp:1532 ClientCommand.cpp:1540 +#: ClientCommand.cpp:1549 ClientCommand.cpp:1556 ClientCommand.cpp:1568 +#: ClientCommand.cpp:1577 ClientCommand.cpp:1585 msgctxt "trafficcmd" msgid "In" msgstr "Ein" -#: ClientCommand.cpp:1505 ClientCommand.cpp:1513 ClientCommand.cpp:1524 -#: ClientCommand.cpp:1533 ClientCommand.cpp:1541 +#: ClientCommand.cpp:1550 ClientCommand.cpp:1558 ClientCommand.cpp:1569 +#: ClientCommand.cpp:1578 ClientCommand.cpp:1586 msgctxt "trafficcmd" msgid "Out" msgstr "Aus" -#: ClientCommand.cpp:1506 ClientCommand.cpp:1516 ClientCommand.cpp:1526 -#: ClientCommand.cpp:1534 ClientCommand.cpp:1543 +#: ClientCommand.cpp:1551 ClientCommand.cpp:1561 ClientCommand.cpp:1571 +#: ClientCommand.cpp:1579 ClientCommand.cpp:1588 msgctxt "trafficcmd" msgid "Total" msgstr "Gesamt" -#: ClientCommand.cpp:1522 +#: ClientCommand.cpp:1567 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1531 +#: ClientCommand.cpp:1576 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1539 +#: ClientCommand.cpp:1584 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1548 +#: ClientCommand.cpp:1593 msgid "Running for {1}" msgstr "Laufe seit {1}" -#: ClientCommand.cpp:1554 +#: ClientCommand.cpp:1599 msgid "Unknown command, try 'Help'" msgstr "Unbekanntes Kommando, versuche 'Help'" -#: ClientCommand.cpp:1563 ClientCommand.cpp:1574 +#: ClientCommand.cpp:1608 ClientCommand.cpp:1619 msgctxt "listports" msgid "Port" msgstr "Port" -#: ClientCommand.cpp:1564 ClientCommand.cpp:1577 +#: ClientCommand.cpp:1609 ClientCommand.cpp:1622 msgctxt "listports" msgid "BindHost" msgstr "Bindhost" -#: ClientCommand.cpp:1565 ClientCommand.cpp:1580 +#: ClientCommand.cpp:1610 ClientCommand.cpp:1625 msgctxt "listports" msgid "SSL" msgstr "SSL" -#: ClientCommand.cpp:1566 ClientCommand.cpp:1585 +#: ClientCommand.cpp:1611 ClientCommand.cpp:1630 msgctxt "listports" msgid "Protocol" msgstr "Protokol" -#: ClientCommand.cpp:1567 ClientCommand.cpp:1592 +#: ClientCommand.cpp:1612 ClientCommand.cpp:1637 msgctxt "listports" msgid "IRC" msgstr "IRC" -#: ClientCommand.cpp:1568 ClientCommand.cpp:1597 +#: ClientCommand.cpp:1613 ClientCommand.cpp:1642 msgctxt "listports" msgid "Web" msgstr "Web" -#: ClientCommand.cpp:1581 +#: ClientCommand.cpp:1626 msgctxt "listports|ssl" msgid "yes" msgstr "ja" -#: ClientCommand.cpp:1582 +#: ClientCommand.cpp:1627 msgctxt "listports|ssl" msgid "no" msgstr "nein" -#: ClientCommand.cpp:1586 +#: ClientCommand.cpp:1631 msgctxt "listports" msgid "IPv4 and IPv6" msgstr "IPv4 und IPv6" -#: ClientCommand.cpp:1588 +#: ClientCommand.cpp:1633 msgctxt "listports" msgid "IPv4" msgstr "IPv4" -#: ClientCommand.cpp:1589 +#: ClientCommand.cpp:1634 msgctxt "listports" msgid "IPv6" msgstr "IPv6" -#: ClientCommand.cpp:1595 +#: ClientCommand.cpp:1640 msgctxt "listports|irc" msgid "yes" msgstr "ja" -#: ClientCommand.cpp:1596 +#: ClientCommand.cpp:1641 msgctxt "listports|irc" msgid "no" msgstr "nein" -#: ClientCommand.cpp:1600 +#: ClientCommand.cpp:1645 msgctxt "listports|irc" msgid "yes, on {1}" msgstr "ja, unter {1}" -#: ClientCommand.cpp:1602 +#: ClientCommand.cpp:1647 msgctxt "listports|web" msgid "no" msgstr "nein" -#: ClientCommand.cpp:1642 +#: ClientCommand.cpp:1687 msgid "" "Usage: AddPort <[+]port> [bindhost [uriprefix]]" msgstr "" "Verwendung: AddPort <[+]port> [Bindhost " "[URIPrefix]]" -#: ClientCommand.cpp:1658 +#: ClientCommand.cpp:1703 msgid "Port added" msgstr "Port hinzugefügt" -#: ClientCommand.cpp:1660 +#: ClientCommand.cpp:1705 msgid "Couldn't add port" msgstr "Konnte Port nicht hinzufügen" -#: ClientCommand.cpp:1666 +#: ClientCommand.cpp:1711 msgid "Usage: DelPort [bindhost]" msgstr "Verwendung: DelPort [Bindhost]" -#: ClientCommand.cpp:1675 +#: ClientCommand.cpp:1720 msgid "Deleted Port" msgstr "Port gelöscht" -#: ClientCommand.cpp:1677 +#: ClientCommand.cpp:1722 msgid "Unable to find a matching port" msgstr "Konnte keinen passenden Port finden" -#: ClientCommand.cpp:1685 ClientCommand.cpp:1700 +#: ClientCommand.cpp:1730 ClientCommand.cpp:1745 msgctxt "helpcmd" msgid "Command" msgstr "Befehl" -#: ClientCommand.cpp:1686 ClientCommand.cpp:1702 +#: ClientCommand.cpp:1731 ClientCommand.cpp:1747 msgctxt "helpcmd" msgid "Description" msgstr "Beschreibung" -#: ClientCommand.cpp:1691 +#: ClientCommand.cpp:1736 msgid "" "In the following list all occurrences of <#chan> support wildcards (* and ?) " "except ListNicks" @@ -1425,87 +1452,87 @@ msgstr "" "In der folgenden Liste unterstützen alle vorkommen von <#chan> Wildcards (* " "und ?), außer ListNicks" -#: ClientCommand.cpp:1708 +#: ClientCommand.cpp:1753 msgctxt "helpcmd|Version|desc" msgid "Print which version of ZNC this is" msgstr "Zeige die Version von ZNC an" -#: ClientCommand.cpp:1711 +#: ClientCommand.cpp:1756 msgctxt "helpcmd|ListMods|desc" msgid "List all loaded modules" msgstr "Zeige alle geladenen Module" -#: ClientCommand.cpp:1714 +#: ClientCommand.cpp:1759 msgctxt "helpcmd|ListAvailMods|desc" msgid "List all available modules" msgstr "Zeige alle verfügbaren Module" -#: ClientCommand.cpp:1718 ClientCommand.cpp:1904 +#: ClientCommand.cpp:1763 ClientCommand.cpp:1954 msgctxt "helpcmd|ListChans|desc" msgid "List all channels" msgstr "Zeige alle Kanäle" -#: ClientCommand.cpp:1721 +#: ClientCommand.cpp:1766 msgctxt "helpcmd|ListNicks|args" msgid "<#chan>" msgstr "<#Kanal>" -#: ClientCommand.cpp:1722 +#: ClientCommand.cpp:1767 msgctxt "helpcmd|ListNicks|desc" msgid "List all nicks on a channel" msgstr "Alle Nicks eines Kanals auflisten" -#: ClientCommand.cpp:1725 +#: ClientCommand.cpp:1770 msgctxt "helpcmd|ListClients|desc" msgid "List all clients connected to your ZNC user" msgstr "Alle Clients auflisten, die zu deinem ZNC-Benutzer verbunden sind" -#: ClientCommand.cpp:1729 +#: ClientCommand.cpp:1774 msgctxt "helpcmd|ListServers|desc" msgid "List all servers of current IRC network" msgstr "Zeige alle Server des aktuellen IRC-Netzwerkes" -#: ClientCommand.cpp:1733 +#: ClientCommand.cpp:1778 msgctxt "helpcmd|AddNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1734 +#: ClientCommand.cpp:1779 msgctxt "helpcmd|AddNetwork|desc" msgid "Add a network to your user" msgstr "Füge ein Netzwerk zu deinem Benutzer hinzu" -#: ClientCommand.cpp:1736 +#: ClientCommand.cpp:1781 msgctxt "helpcmd|DelNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1737 +#: ClientCommand.cpp:1782 msgctxt "helpcmd|DelNetwork|desc" msgid "Delete a network from your user" msgstr "Lösche ein Netzwerk von deinem Benutzer" -#: ClientCommand.cpp:1739 +#: ClientCommand.cpp:1784 msgctxt "helpcmd|ListNetworks|desc" msgid "List all networks" msgstr "Alle Netzwerke auflisten" -#: ClientCommand.cpp:1742 +#: ClientCommand.cpp:1787 msgctxt "helpcmd|MoveNetwork|args" msgid " [new network]" msgstr " [neues Netzwerk]" -#: ClientCommand.cpp:1744 +#: ClientCommand.cpp:1789 msgctxt "helpcmd|MoveNetwork|desc" msgid "Move an IRC network from one user to another" msgstr "Verschiebe ein IRC-Netzwerk von einem Benutzer zu einem anderen" -#: ClientCommand.cpp:1748 +#: ClientCommand.cpp:1793 msgctxt "helpcmd|JumpNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1749 +#: ClientCommand.cpp:1794 msgctxt "helpcmd|JumpNetwork|desc" msgid "" "Jump to another network (Alternatively, you can connect to ZNC several " @@ -1514,12 +1541,12 @@ msgstr "" "Springe zu einem anderen Netzwerk (alternativ kannst du auch mehrfach zu ZNC " "verbinden und `Benutzer/Netzwerk` als Benutzername verwenden)" -#: ClientCommand.cpp:1754 +#: ClientCommand.cpp:1799 msgctxt "helpcmd|AddServer|args" msgid " [[+]port] [pass]" msgstr " [[+]Port] [Pass]" -#: ClientCommand.cpp:1755 +#: ClientCommand.cpp:1800 msgctxt "helpcmd|AddServer|desc" msgid "" "Add a server to the list of alternate/backup servers of current IRC network." @@ -1527,12 +1554,12 @@ msgstr "" "Füge einen Server zur Liste der alternativen/backup Server des aktuellen IRC-" "Netzwerkes hinzu." -#: ClientCommand.cpp:1759 +#: ClientCommand.cpp:1804 msgctxt "helpcmd|DelServer|args" msgid " [port] [pass]" msgstr " [Port] [Pass]" -#: ClientCommand.cpp:1760 +#: ClientCommand.cpp:1805 msgctxt "helpcmd|DelServer|desc" msgid "" "Remove a server from the list of alternate/backup servers of current IRC " @@ -1541,12 +1568,12 @@ msgstr "" "Lösche einen Server von der Liste der alternativen/backup Server des " "aktuellen IRC-Netzwerkes" -#: ClientCommand.cpp:1766 +#: ClientCommand.cpp:1811 msgctxt "helpcmd|AddTrustedServerFingerprint|args" msgid "" msgstr "" -#: ClientCommand.cpp:1767 +#: ClientCommand.cpp:1812 msgctxt "helpcmd|AddTrustedServerFingerprint|desc" msgid "" "Add a trusted server SSL certificate fingerprint (SHA-256) to current IRC " @@ -1555,341 +1582,361 @@ msgstr "" "Füge den Fingerabdruck (SHA-256) eines vertrauenswürdigen SSL-Zertifikates " "zum aktuellen IRC-Netzwerk hinzu." -#: ClientCommand.cpp:1772 +#: ClientCommand.cpp:1817 msgctxt "helpcmd|DelTrustedServerFingerprint|args" msgid "" msgstr "" -#: ClientCommand.cpp:1773 +#: ClientCommand.cpp:1818 msgctxt "helpcmd|DelTrustedServerFingerprint|desc" msgid "Delete a trusted server SSL certificate from current IRC network." msgstr "" "Lösche ein vertrauenswürdiges Server-SSL-Zertifikat vom aktuellen IRC-" "Netzwerk." -#: ClientCommand.cpp:1777 +#: ClientCommand.cpp:1822 msgctxt "helpcmd|ListTrustedServerFingerprints|desc" msgid "List all trusted server SSL certificates of current IRC network." msgstr "" "Zeige alle vertrauenswürdigen Server-SSL-Zertifikate des aktuellen IRC-" "Netzwerkes an." -#: ClientCommand.cpp:1780 +#: ClientCommand.cpp:1825 msgctxt "helpcmd|EnableChan|args" msgid "<#chans>" msgstr "<#Kanäle>" -#: ClientCommand.cpp:1781 +#: ClientCommand.cpp:1826 msgctxt "helpcmd|EnableChan|desc" msgid "Enable channels" msgstr "Aktivierte Kanäle" -#: ClientCommand.cpp:1782 +#: ClientCommand.cpp:1827 msgctxt "helpcmd|DisableChan|args" msgid "<#chans>" msgstr "<#Kanäle>" -#: ClientCommand.cpp:1783 +#: ClientCommand.cpp:1828 msgctxt "helpcmd|DisableChan|desc" msgid "Disable channels" msgstr "Deaktiviere Kanäle" -#: ClientCommand.cpp:1784 +#: ClientCommand.cpp:1829 +msgctxt "helpcmd|MoveChan|args" +msgid "<#chan> " +msgstr "" + +#: ClientCommand.cpp:1830 +msgctxt "helpcmd|MoveChan|desc" +msgid "Move channel in sort order" +msgstr "" + +#: ClientCommand.cpp:1832 +msgctxt "helpcmd|SwapChans|args" +msgid "<#chan1> <#chan2>" +msgstr "" + +#: ClientCommand.cpp:1833 +msgctxt "helpcmd|SwapChans|desc" +msgid "Swap channels in sort order" +msgstr "" + +#: ClientCommand.cpp:1834 msgctxt "helpcmd|Attach|args" msgid "<#chans>" msgstr "<#Kanäle>" -#: ClientCommand.cpp:1785 +#: ClientCommand.cpp:1835 msgctxt "helpcmd|Attach|desc" msgid "Attach to channels" msgstr "Verbinde zu Kanälen" -#: ClientCommand.cpp:1786 +#: ClientCommand.cpp:1836 msgctxt "helpcmd|Detach|args" msgid "<#chans>" msgstr "<#Kanäle>" -#: ClientCommand.cpp:1787 +#: ClientCommand.cpp:1837 msgctxt "helpcmd|Detach|desc" msgid "Detach from channels" msgstr "Trenne von Kanälen" -#: ClientCommand.cpp:1790 +#: ClientCommand.cpp:1840 msgctxt "helpcmd|Topics|desc" msgid "Show topics in all your channels" msgstr "Zeige die Themen aller deiner Kanäle" -#: ClientCommand.cpp:1793 +#: ClientCommand.cpp:1843 msgctxt "helpcmd|PlayBuffer|args" msgid "<#chan|query>" msgstr "<#Kanal|Query>" -#: ClientCommand.cpp:1794 +#: ClientCommand.cpp:1844 msgctxt "helpcmd|PlayBuffer|desc" msgid "Play back the specified buffer" msgstr "Spiele den angegebenen Puffer ab" -#: ClientCommand.cpp:1796 +#: ClientCommand.cpp:1846 msgctxt "helpcmd|ClearBuffer|args" msgid "<#chan|query>" msgstr "<#Kanal|Query>" -#: ClientCommand.cpp:1797 +#: ClientCommand.cpp:1847 msgctxt "helpcmd|ClearBuffer|desc" msgid "Clear the specified buffer" msgstr "Lösche den angegebenen Puffer" -#: ClientCommand.cpp:1799 +#: ClientCommand.cpp:1849 msgctxt "helpcmd|ClearAllBuffers|desc" msgid "Clear all channel and query buffers" msgstr "Lösche alle Kanal- und Querypuffer" -#: ClientCommand.cpp:1802 +#: ClientCommand.cpp:1852 msgctxt "helpcmd|ClearAllChannelBuffers|desc" msgid "Clear the channel buffers" msgstr "Lösche alle Kanalpuffer" -#: ClientCommand.cpp:1806 +#: ClientCommand.cpp:1856 msgctxt "helpcmd|ClearAllQueryBuffers|desc" msgid "Clear the query buffers" msgstr "Lösche alle Querypuffer" -#: ClientCommand.cpp:1808 +#: ClientCommand.cpp:1858 msgctxt "helpcmd|SetBuffer|args" msgid "<#chan|query> [linecount]" msgstr "<#Kanal|Query> [Zeilenzahl]" -#: ClientCommand.cpp:1809 +#: ClientCommand.cpp:1859 msgctxt "helpcmd|SetBuffer|desc" msgid "Set the buffer count" msgstr "Setze die Puffergröße" -#: ClientCommand.cpp:1813 +#: ClientCommand.cpp:1863 msgctxt "helpcmd|SetBindHost|args" msgid "" msgstr "" -#: ClientCommand.cpp:1814 +#: ClientCommand.cpp:1864 msgctxt "helpcmd|SetBindHost|desc" msgid "Set the bind host for this network" msgstr "Setze den Bindhost für dieses Netzwerk" -#: ClientCommand.cpp:1818 +#: ClientCommand.cpp:1868 msgctxt "helpcmd|SetUserBindHost|args" msgid "" msgstr "" -#: ClientCommand.cpp:1819 +#: ClientCommand.cpp:1869 msgctxt "helpcmd|SetUserBindHost|desc" msgid "Set the default bind host for this user" msgstr "Setze den Standard-Bindhost für diesen Benutzer" -#: ClientCommand.cpp:1822 +#: ClientCommand.cpp:1872 msgctxt "helpcmd|ClearBindHost|desc" msgid "Clear the bind host for this network" msgstr "Lösche den Bindhost für dieses Netzwerk" -#: ClientCommand.cpp:1825 +#: ClientCommand.cpp:1875 msgctxt "helpcmd|ClearUserBindHost|desc" msgid "Clear the default bind host for this user" msgstr "Lösche den Standard-Bindhost für diesen Benutzer" -#: ClientCommand.cpp:1831 +#: ClientCommand.cpp:1881 msgctxt "helpcmd|ShowBindHost|desc" msgid "Show currently selected bind host" msgstr "Zeige den aktuell gewählten Bindhost" -#: ClientCommand.cpp:1833 +#: ClientCommand.cpp:1883 msgctxt "helpcmd|Jump|args" msgid "[server]" msgstr "[Server]" -#: ClientCommand.cpp:1834 +#: ClientCommand.cpp:1884 msgctxt "helpcmd|Jump|desc" msgid "Jump to the next or the specified server" msgstr "Springe zum nächsten oder dem angegebenen Server" -#: ClientCommand.cpp:1835 +#: ClientCommand.cpp:1885 msgctxt "helpcmd|Disconnect|args" msgid "[message]" msgstr "[Nachricht]" -#: ClientCommand.cpp:1836 +#: ClientCommand.cpp:1886 msgctxt "helpcmd|Disconnect|desc" msgid "Disconnect from IRC" msgstr "Trenne die IRC-Verbindung" -#: ClientCommand.cpp:1838 +#: ClientCommand.cpp:1888 msgctxt "helpcmd|Connect|desc" msgid "Reconnect to IRC" msgstr "Baue eine neue IRC-Verbindung auf" -#: ClientCommand.cpp:1841 +#: ClientCommand.cpp:1891 msgctxt "helpcmd|Uptime|desc" msgid "Show for how long ZNC has been running" msgstr "Zeige wie lange ZNC schon läuft" -#: ClientCommand.cpp:1845 +#: ClientCommand.cpp:1895 msgctxt "helpcmd|LoadMod|args" msgid "[--type=global|user|network] [args]" msgstr "[--type=global|user|network] [args]" -#: ClientCommand.cpp:1847 +#: ClientCommand.cpp:1897 msgctxt "helpcmd|LoadMod|desc" msgid "Load a module" msgstr "Lade ein Modul" -#: ClientCommand.cpp:1849 +#: ClientCommand.cpp:1899 msgctxt "helpcmd|UnloadMod|args" msgid "[--type=global|user|network] " msgstr "[--type=global|user|network] " -#: ClientCommand.cpp:1851 +#: ClientCommand.cpp:1901 msgctxt "helpcmd|UnloadMod|desc" msgid "Unload a module" msgstr "Entlade ein Modul" -#: ClientCommand.cpp:1853 +#: ClientCommand.cpp:1903 msgctxt "helpcmd|ReloadMod|args" msgid "[--type=global|user|network] [args]" msgstr "[--type=global|user|network] [args]" -#: ClientCommand.cpp:1855 +#: ClientCommand.cpp:1905 msgctxt "helpcmd|ReloadMod|desc" msgid "Reload a module" msgstr "Ein Modul neu laden" -#: ClientCommand.cpp:1858 +#: ClientCommand.cpp:1908 msgctxt "helpcmd|UpdateMod|args" msgid "" msgstr "" -#: ClientCommand.cpp:1859 +#: ClientCommand.cpp:1909 msgctxt "helpcmd|UpdateMod|desc" msgid "Reload a module everywhere" msgstr "Lade ein Modul überall neu" -#: ClientCommand.cpp:1865 +#: ClientCommand.cpp:1915 msgctxt "helpcmd|ShowMOTD|desc" msgid "Show ZNC's message of the day" msgstr "Zeige ZNCs Nachricht des Tages an" -#: ClientCommand.cpp:1869 +#: ClientCommand.cpp:1919 msgctxt "helpcmd|SetMOTD|args" msgid "" msgstr "" -#: ClientCommand.cpp:1870 +#: ClientCommand.cpp:1920 msgctxt "helpcmd|SetMOTD|desc" msgid "Set ZNC's message of the day" msgstr "Setze ZNCs Nachricht des Tages" -#: ClientCommand.cpp:1872 +#: ClientCommand.cpp:1922 msgctxt "helpcmd|AddMOTD|args" msgid "" msgstr "" -#: ClientCommand.cpp:1873 +#: ClientCommand.cpp:1923 msgctxt "helpcmd|AddMOTD|desc" msgid "Append to ZNC's MOTD" msgstr "Hänge an ZNCs MOTD an" -#: ClientCommand.cpp:1875 +#: ClientCommand.cpp:1925 msgctxt "helpcmd|ClearMOTD|desc" msgid "Clear ZNC's MOTD" msgstr "Lösche ZNCs MOTD" -#: ClientCommand.cpp:1878 +#: ClientCommand.cpp:1928 msgctxt "helpcmd|ListPorts|desc" msgid "Show all active listeners" msgstr "Zeige alle aktiven Listener" -#: ClientCommand.cpp:1880 +#: ClientCommand.cpp:1930 msgctxt "helpcmd|AddPort|args" msgid "<[+]port> [bindhost [uriprefix]]" msgstr "<[+]Port> [Bindhost [uriprefix]]" -#: ClientCommand.cpp:1883 +#: ClientCommand.cpp:1933 msgctxt "helpcmd|AddPort|desc" msgid "Add another port for ZNC to listen on" msgstr "Füge einen weiteren Port zum Horchen zu ZNC hinzu" -#: ClientCommand.cpp:1887 +#: ClientCommand.cpp:1937 msgctxt "helpcmd|DelPort|args" msgid " [bindhost]" msgstr " [Bindhost]" -#: ClientCommand.cpp:1888 +#: ClientCommand.cpp:1938 msgctxt "helpcmd|DelPort|desc" msgid "Remove a port from ZNC" msgstr "Entferne einen Port von ZNC" -#: ClientCommand.cpp:1891 +#: ClientCommand.cpp:1941 msgctxt "helpcmd|Rehash|desc" msgid "Reload global settings, modules, and listeners from znc.conf" msgstr "Lade globale Einstellungen, Module und Listener neu von znc.conf" -#: ClientCommand.cpp:1894 +#: ClientCommand.cpp:1944 msgctxt "helpcmd|SaveConfig|desc" msgid "Save the current settings to disk" msgstr "Speichere die aktuellen Einstellungen auf der Festplatte" -#: ClientCommand.cpp:1897 +#: ClientCommand.cpp:1947 msgctxt "helpcmd|ListUsers|desc" msgid "List all ZNC users and their connection status" msgstr "Zeige alle ZNC-Benutzer und deren Verbindungsstatus" -#: ClientCommand.cpp:1900 +#: ClientCommand.cpp:1950 msgctxt "helpcmd|ListAllUserNetworks|desc" msgid "List all ZNC users and their networks" msgstr "Zeige alle ZNC-Benutzer und deren Netzwerke" -#: ClientCommand.cpp:1903 +#: ClientCommand.cpp:1953 msgctxt "helpcmd|ListChans|args" msgid "[user ]" msgstr "[Benutzer ]" -#: ClientCommand.cpp:1906 +#: ClientCommand.cpp:1956 msgctxt "helpcmd|ListClients|args" msgid "[user]" msgstr "[Benutzer]" -#: ClientCommand.cpp:1907 +#: ClientCommand.cpp:1957 msgctxt "helpcmd|ListClients|desc" msgid "List all connected clients" msgstr "Zeige alle verbunden Klienten" -#: ClientCommand.cpp:1909 +#: ClientCommand.cpp:1959 msgctxt "helpcmd|Traffic|desc" msgid "Show basic traffic stats for all ZNC users" msgstr "Zeige grundlegende Verkehrsstatistiken aller ZNC-Benutzer an" -#: ClientCommand.cpp:1911 +#: ClientCommand.cpp:1961 msgctxt "helpcmd|Broadcast|args" msgid "[message]" msgstr "[Nachricht]" -#: ClientCommand.cpp:1912 +#: ClientCommand.cpp:1962 msgctxt "helpcmd|Broadcast|desc" msgid "Broadcast a message to all ZNC users" msgstr "Sende eine Nachricht an alle ZNC-Benutzer" -#: ClientCommand.cpp:1915 +#: ClientCommand.cpp:1965 msgctxt "helpcmd|Shutdown|args" msgid "[message]" msgstr "[Nachricht]" -#: ClientCommand.cpp:1916 +#: ClientCommand.cpp:1966 msgctxt "helpcmd|Shutdown|desc" msgid "Shut down ZNC completely" msgstr "Beende ZNC komplett" -#: ClientCommand.cpp:1917 +#: ClientCommand.cpp:1967 msgctxt "helpcmd|Restart|args" msgid "[message]" msgstr "[Nachricht]" -#: ClientCommand.cpp:1918 +#: ClientCommand.cpp:1968 msgctxt "helpcmd|Restart|desc" msgid "Restart ZNC" msgstr "Starte ZNC neu" diff --git a/src/po/znc.el_GR.po b/src/po/znc.el_GR.po index d8fdf2ec..f45cf6a4 100644 --- a/src/po/znc.el_GR.po +++ b/src/po/znc.el_GR.po @@ -71,7 +71,7 @@ msgstr "" msgid "Invalid port" msgstr "" -#: znc.cpp:1813 ClientCommand.cpp:1655 +#: znc.cpp:1813 ClientCommand.cpp:1700 msgid "Unable to bind: {1}" msgstr "" @@ -91,19 +91,28 @@ msgstr "" msgid "This network is being deleted or moved to another user." msgstr "" -#: IRCNetwork.cpp:1016 +#: IRCNetwork.cpp:948 +msgid "Invalid index" +msgstr "" + +#: IRCNetwork.cpp:956 IRCNetwork.cpp:972 IRCNetwork.cpp:980 +#: ClientCommand.cpp:1405 +msgid "You are not on {1}" +msgstr "" + +#: IRCNetwork.cpp:1059 msgid "The channel {1} could not be joined, disabling it." msgstr "" -#: IRCNetwork.cpp:1145 +#: IRCNetwork.cpp:1188 msgid "Your current server was removed, jumping..." msgstr "" -#: IRCNetwork.cpp:1308 +#: IRCNetwork.cpp:1351 msgid "Cannot connect to {1}, because ZNC is not compiled with SSL support." msgstr "" -#: IRCNetwork.cpp:1329 +#: IRCNetwork.cpp:1372 msgid "Some module aborted the connection attempt" msgstr "" @@ -284,7 +293,7 @@ msgctxt "modhelpcmd" msgid "Generate this output" msgstr "" -#: Modules.cpp:573 ClientCommand.cpp:1922 +#: Modules.cpp:573 ClientCommand.cpp:1972 msgid "No matches for '{1}'" msgstr "" @@ -390,11 +399,12 @@ msgstr "" #: ClientCommand.cpp:51 ClientCommand.cpp:115 ClientCommand.cpp:137 #: ClientCommand.cpp:339 ClientCommand.cpp:390 ClientCommand.cpp:405 -#: ClientCommand.cpp:432 ClientCommand.cpp:459 ClientCommand.cpp:764 -#: ClientCommand.cpp:783 ClientCommand.cpp:809 ClientCommand.cpp:843 -#: ClientCommand.cpp:856 ClientCommand.cpp:869 ClientCommand.cpp:884 -#: ClientCommand.cpp:1345 ClientCommand.cpp:1393 ClientCommand.cpp:1425 -#: ClientCommand.cpp:1436 ClientCommand.cpp:1445 ClientCommand.cpp:1457 +#: ClientCommand.cpp:432 ClientCommand.cpp:459 ClientCommand.cpp:480 +#: ClientCommand.cpp:499 ClientCommand.cpp:809 ClientCommand.cpp:828 +#: ClientCommand.cpp:854 ClientCommand.cpp:888 ClientCommand.cpp:901 +#: ClientCommand.cpp:914 ClientCommand.cpp:929 ClientCommand.cpp:1390 +#: ClientCommand.cpp:1438 ClientCommand.cpp:1470 ClientCommand.cpp:1481 +#: ClientCommand.cpp:1490 ClientCommand.cpp:1502 msgid "You must be connected with a network to use this command" msgstr "" @@ -571,7 +581,7 @@ msgid "" "ERROR: Writing config file to disk failed! Aborting. Use {1} FORCE to ignore." msgstr "" -#: ClientCommand.cpp:344 ClientCommand.cpp:797 ClientCommand.cpp:838 +#: ClientCommand.cpp:344 ClientCommand.cpp:842 ClientCommand.cpp:883 msgid "You don't have any servers added." msgstr "" @@ -615,1205 +625,1242 @@ msgid_plural "Disabled {1} channels" msgstr[0] "" msgstr[1] "" -#: ClientCommand.cpp:470 +#: ClientCommand.cpp:466 +msgid "Usage: MoveChan <#chan> " +msgstr "" + +#: ClientCommand.cpp:474 +msgid "Moved channel {1} to index {2}" +msgstr "" + +#: ClientCommand.cpp:487 +msgid "Usage: SwapChans <#chan1> <#chan2>" +msgstr "" + +#: ClientCommand.cpp:493 +msgid "Swapped channels {1} and {2}" +msgstr "" + +#: ClientCommand.cpp:510 msgid "Usage: ListChans" msgstr "" -#: ClientCommand.cpp:477 +#: ClientCommand.cpp:517 msgid "No such user [{1}]" msgstr "" -#: ClientCommand.cpp:483 +#: ClientCommand.cpp:523 msgid "User [{1}] doesn't have network [{2}]" msgstr "" -#: ClientCommand.cpp:494 +#: ClientCommand.cpp:534 msgid "There are no channels defined." msgstr "" -#: ClientCommand.cpp:499 ClientCommand.cpp:515 +#: ClientCommand.cpp:539 ClientCommand.cpp:557 +msgctxt "listchans" +msgid "Index" +msgstr "" + +#: ClientCommand.cpp:540 ClientCommand.cpp:558 msgctxt "listchans" msgid "Name" msgstr "" -#: ClientCommand.cpp:500 ClientCommand.cpp:518 +#: ClientCommand.cpp:541 ClientCommand.cpp:561 msgctxt "listchans" msgid "Status" msgstr "" -#: ClientCommand.cpp:501 ClientCommand.cpp:525 +#: ClientCommand.cpp:542 ClientCommand.cpp:568 msgctxt "listchans" msgid "In config" msgstr "" -#: ClientCommand.cpp:502 ClientCommand.cpp:527 +#: ClientCommand.cpp:543 ClientCommand.cpp:570 msgctxt "listchans" msgid "Buffer" msgstr "" -#: ClientCommand.cpp:503 ClientCommand.cpp:531 +#: ClientCommand.cpp:544 ClientCommand.cpp:574 msgctxt "listchans" msgid "Clear" msgstr "" -#: ClientCommand.cpp:504 ClientCommand.cpp:536 +#: ClientCommand.cpp:545 ClientCommand.cpp:579 msgctxt "listchans" msgid "Modes" msgstr "" -#: ClientCommand.cpp:505 ClientCommand.cpp:537 +#: ClientCommand.cpp:546 ClientCommand.cpp:580 msgctxt "listchans" msgid "Users" msgstr "" -#: ClientCommand.cpp:520 +#: ClientCommand.cpp:563 msgctxt "listchans" msgid "Detached" msgstr "" -#: ClientCommand.cpp:521 +#: ClientCommand.cpp:564 msgctxt "listchans" msgid "Joined" msgstr "" -#: ClientCommand.cpp:522 +#: ClientCommand.cpp:565 msgctxt "listchans" msgid "Disabled" msgstr "" -#: ClientCommand.cpp:523 +#: ClientCommand.cpp:566 msgctxt "listchans" msgid "Trying" msgstr "" -#: ClientCommand.cpp:526 ClientCommand.cpp:534 +#: ClientCommand.cpp:569 ClientCommand.cpp:577 msgctxt "listchans" msgid "yes" msgstr "" -#: ClientCommand.cpp:551 +#: ClientCommand.cpp:596 msgid "Total: {1}, Joined: {2}, Detached: {3}, Disabled: {4}" msgstr "" -#: ClientCommand.cpp:556 +#: ClientCommand.cpp:601 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks using /znc DelNetwork " msgstr "" -#: ClientCommand.cpp:565 +#: ClientCommand.cpp:610 msgid "Usage: AddNetwork " msgstr "" -#: ClientCommand.cpp:569 +#: ClientCommand.cpp:614 msgid "Network name should be alphanumeric" msgstr "" -#: ClientCommand.cpp:576 +#: ClientCommand.cpp:621 msgid "" "Network added. Use /znc JumpNetwork {1}, or connect to ZNC with username {2} " "(instead of just {3}) to connect to it." msgstr "" -#: ClientCommand.cpp:581 +#: ClientCommand.cpp:626 msgid "Unable to add that network" msgstr "" -#: ClientCommand.cpp:588 +#: ClientCommand.cpp:633 msgid "Usage: DelNetwork " msgstr "" -#: ClientCommand.cpp:597 +#: ClientCommand.cpp:642 msgid "Network deleted" msgstr "" -#: ClientCommand.cpp:600 +#: ClientCommand.cpp:645 msgid "Failed to delete network, perhaps this network doesn't exist" msgstr "" -#: ClientCommand.cpp:610 +#: ClientCommand.cpp:655 msgid "User {1} not found" msgstr "" -#: ClientCommand.cpp:618 ClientCommand.cpp:626 +#: ClientCommand.cpp:663 ClientCommand.cpp:671 msgctxt "listnetworks" msgid "Network" msgstr "" -#: ClientCommand.cpp:619 ClientCommand.cpp:628 ClientCommand.cpp:637 +#: ClientCommand.cpp:664 ClientCommand.cpp:673 ClientCommand.cpp:682 msgctxt "listnetworks" msgid "On IRC" msgstr "" -#: ClientCommand.cpp:620 ClientCommand.cpp:630 +#: ClientCommand.cpp:665 ClientCommand.cpp:675 msgctxt "listnetworks" msgid "IRC Server" msgstr "" -#: ClientCommand.cpp:621 ClientCommand.cpp:632 +#: ClientCommand.cpp:666 ClientCommand.cpp:677 msgctxt "listnetworks" msgid "IRC User" msgstr "" -#: ClientCommand.cpp:622 ClientCommand.cpp:634 +#: ClientCommand.cpp:667 ClientCommand.cpp:679 msgctxt "listnetworks" msgid "Channels" msgstr "" -#: ClientCommand.cpp:629 +#: ClientCommand.cpp:674 msgctxt "listnetworks" msgid "Yes" msgstr "" -#: ClientCommand.cpp:638 +#: ClientCommand.cpp:683 msgctxt "listnetworks" msgid "No" msgstr "" -#: ClientCommand.cpp:643 +#: ClientCommand.cpp:688 msgctxt "listnetworks" msgid "No networks" msgstr "" -#: ClientCommand.cpp:647 ClientCommand.cpp:952 +#: ClientCommand.cpp:692 ClientCommand.cpp:997 msgid "Access denied." msgstr "" -#: ClientCommand.cpp:658 +#: ClientCommand.cpp:703 msgid "Usage: MoveNetwork [new network]" msgstr "" -#: ClientCommand.cpp:668 +#: ClientCommand.cpp:713 msgid "Old user {1} not found." msgstr "" -#: ClientCommand.cpp:674 +#: ClientCommand.cpp:719 msgid "Old network {1} not found." msgstr "" -#: ClientCommand.cpp:680 +#: ClientCommand.cpp:725 msgid "New user {1} not found." msgstr "" -#: ClientCommand.cpp:685 +#: ClientCommand.cpp:730 msgid "User {1} already has network {2}." msgstr "" -#: ClientCommand.cpp:691 +#: ClientCommand.cpp:736 msgid "Invalid network name [{1}]" msgstr "" -#: ClientCommand.cpp:707 +#: ClientCommand.cpp:752 msgid "Some files seem to be in {1}. You might want to move them to {2}" msgstr "" -#: ClientCommand.cpp:721 +#: ClientCommand.cpp:766 msgid "Error adding network: {1}" msgstr "" -#: ClientCommand.cpp:733 +#: ClientCommand.cpp:778 msgid "Success." msgstr "" -#: ClientCommand.cpp:736 +#: ClientCommand.cpp:781 msgid "Copied the network to new user, but failed to delete old network" msgstr "" -#: ClientCommand.cpp:743 +#: ClientCommand.cpp:788 msgid "No network supplied." msgstr "" -#: ClientCommand.cpp:748 +#: ClientCommand.cpp:793 msgid "You are already connected with this network." msgstr "" -#: ClientCommand.cpp:754 +#: ClientCommand.cpp:799 msgid "Switched to {1}" msgstr "" -#: ClientCommand.cpp:757 +#: ClientCommand.cpp:802 msgid "You don't have a network named {1}" msgstr "" -#: ClientCommand.cpp:769 +#: ClientCommand.cpp:814 msgid "Usage: AddServer [[+]port] [pass]" msgstr "" -#: ClientCommand.cpp:774 +#: ClientCommand.cpp:819 msgid "Server added" msgstr "" -#: ClientCommand.cpp:777 +#: ClientCommand.cpp:822 msgid "" "Unable to add that server. Perhaps the server is already added or openssl is " "disabled?" msgstr "" -#: ClientCommand.cpp:792 +#: ClientCommand.cpp:837 msgid "Usage: DelServer [port] [pass]" msgstr "" -#: ClientCommand.cpp:802 +#: ClientCommand.cpp:847 msgid "Server removed" msgstr "" -#: ClientCommand.cpp:804 +#: ClientCommand.cpp:849 msgid "No such server" msgstr "" -#: ClientCommand.cpp:817 ClientCommand.cpp:825 +#: ClientCommand.cpp:862 ClientCommand.cpp:870 msgctxt "listservers" msgid "Host" msgstr "" -#: ClientCommand.cpp:818 ClientCommand.cpp:827 +#: ClientCommand.cpp:863 ClientCommand.cpp:872 msgctxt "listservers" msgid "Port" msgstr "" -#: ClientCommand.cpp:819 ClientCommand.cpp:830 +#: ClientCommand.cpp:864 ClientCommand.cpp:875 msgctxt "listservers" msgid "SSL" msgstr "" -#: ClientCommand.cpp:820 ClientCommand.cpp:832 +#: ClientCommand.cpp:865 ClientCommand.cpp:877 msgctxt "listservers" msgid "Password" msgstr "" -#: ClientCommand.cpp:831 +#: ClientCommand.cpp:876 msgctxt "listservers|cell" msgid "SSL" msgstr "" -#: ClientCommand.cpp:848 +#: ClientCommand.cpp:893 msgid "Usage: AddTrustedServerFingerprint " msgstr "" -#: ClientCommand.cpp:852 ClientCommand.cpp:865 +#: ClientCommand.cpp:897 ClientCommand.cpp:910 msgid "Done." msgstr "" -#: ClientCommand.cpp:861 +#: ClientCommand.cpp:906 msgid "Usage: DelTrustedServerFingerprint " msgstr "" -#: ClientCommand.cpp:874 +#: ClientCommand.cpp:919 msgid "No fingerprints added." msgstr "" -#: ClientCommand.cpp:890 ClientCommand.cpp:896 +#: ClientCommand.cpp:935 ClientCommand.cpp:941 msgctxt "topicscmd" msgid "Channel" msgstr "" -#: ClientCommand.cpp:891 ClientCommand.cpp:897 +#: ClientCommand.cpp:936 ClientCommand.cpp:942 msgctxt "topicscmd" msgid "Set By" msgstr "" -#: ClientCommand.cpp:892 ClientCommand.cpp:898 +#: ClientCommand.cpp:937 ClientCommand.cpp:943 msgctxt "topicscmd" msgid "Topic" msgstr "" -#: ClientCommand.cpp:905 ClientCommand.cpp:910 +#: ClientCommand.cpp:950 ClientCommand.cpp:955 msgctxt "listmods" msgid "Name" msgstr "" -#: ClientCommand.cpp:906 ClientCommand.cpp:911 +#: ClientCommand.cpp:951 ClientCommand.cpp:956 msgctxt "listmods" msgid "Arguments" msgstr "" -#: ClientCommand.cpp:920 +#: ClientCommand.cpp:965 msgid "No global modules loaded." msgstr "" -#: ClientCommand.cpp:922 ClientCommand.cpp:986 +#: ClientCommand.cpp:967 ClientCommand.cpp:1031 msgid "Global modules:" msgstr "" -#: ClientCommand.cpp:931 +#: ClientCommand.cpp:976 msgid "Your user has no modules loaded." msgstr "" -#: ClientCommand.cpp:933 ClientCommand.cpp:998 +#: ClientCommand.cpp:978 ClientCommand.cpp:1043 msgid "User modules:" msgstr "" -#: ClientCommand.cpp:941 +#: ClientCommand.cpp:986 msgid "This network has no modules loaded." msgstr "" -#: ClientCommand.cpp:943 ClientCommand.cpp:1010 +#: ClientCommand.cpp:988 ClientCommand.cpp:1055 msgid "Network modules:" msgstr "" -#: ClientCommand.cpp:958 ClientCommand.cpp:965 +#: ClientCommand.cpp:1003 ClientCommand.cpp:1010 msgctxt "listavailmods" msgid "Name" msgstr "" -#: ClientCommand.cpp:959 ClientCommand.cpp:970 +#: ClientCommand.cpp:1004 ClientCommand.cpp:1015 msgctxt "listavailmods" msgid "Description" msgstr "" -#: ClientCommand.cpp:984 +#: ClientCommand.cpp:1029 msgid "No global modules available." msgstr "" -#: ClientCommand.cpp:996 +#: ClientCommand.cpp:1041 msgid "No user modules available." msgstr "" -#: ClientCommand.cpp:1008 +#: ClientCommand.cpp:1053 msgid "No network modules available." msgstr "" -#: ClientCommand.cpp:1036 +#: ClientCommand.cpp:1081 msgid "Unable to load {1}: Access denied." msgstr "" -#: ClientCommand.cpp:1042 +#: ClientCommand.cpp:1087 msgid "Usage: LoadMod [--type=global|user|network] [args]" msgstr "" -#: ClientCommand.cpp:1049 +#: ClientCommand.cpp:1094 msgid "Unable to load {1}: {2}" msgstr "" -#: ClientCommand.cpp:1059 +#: ClientCommand.cpp:1104 msgid "Unable to load global module {1}: Access denied." msgstr "" -#: ClientCommand.cpp:1065 +#: ClientCommand.cpp:1110 msgid "Unable to load network module {1}: Not connected with a network." msgstr "" -#: ClientCommand.cpp:1087 +#: ClientCommand.cpp:1132 msgid "Unknown module type" msgstr "" -#: ClientCommand.cpp:1092 +#: ClientCommand.cpp:1137 msgid "Loaded module {1}" msgstr "" -#: ClientCommand.cpp:1094 +#: ClientCommand.cpp:1139 msgid "Loaded module {1}: {2}" msgstr "" -#: ClientCommand.cpp:1097 +#: ClientCommand.cpp:1142 msgid "Unable to load module {1}: {2}" msgstr "" -#: ClientCommand.cpp:1120 +#: ClientCommand.cpp:1165 msgid "Unable to unload {1}: Access denied." msgstr "" -#: ClientCommand.cpp:1126 +#: ClientCommand.cpp:1171 msgid "Usage: UnloadMod [--type=global|user|network] " msgstr "" -#: ClientCommand.cpp:1135 +#: ClientCommand.cpp:1180 msgid "Unable to determine type of {1}: {2}" msgstr "" -#: ClientCommand.cpp:1143 +#: ClientCommand.cpp:1188 msgid "Unable to unload global module {1}: Access denied." msgstr "" -#: ClientCommand.cpp:1150 +#: ClientCommand.cpp:1195 msgid "Unable to unload network module {1}: Not connected with a network." msgstr "" -#: ClientCommand.cpp:1169 +#: ClientCommand.cpp:1214 msgid "Unable to unload module {1}: Unknown module type" msgstr "" -#: ClientCommand.cpp:1182 +#: ClientCommand.cpp:1227 msgid "Unable to reload modules. Access denied." msgstr "" -#: ClientCommand.cpp:1203 +#: ClientCommand.cpp:1248 msgid "Usage: ReloadMod [--type=global|user|network] [args]" msgstr "" -#: ClientCommand.cpp:1212 +#: ClientCommand.cpp:1257 msgid "Unable to reload {1}: {2}" msgstr "" -#: ClientCommand.cpp:1220 +#: ClientCommand.cpp:1265 msgid "Unable to reload global module {1}: Access denied." msgstr "" -#: ClientCommand.cpp:1227 +#: ClientCommand.cpp:1272 msgid "Unable to reload network module {1}: Not connected with a network." msgstr "" -#: ClientCommand.cpp:1249 +#: ClientCommand.cpp:1294 msgid "Unable to reload module {1}: Unknown module type" msgstr "" -#: ClientCommand.cpp:1260 +#: ClientCommand.cpp:1305 msgid "Usage: UpdateMod " msgstr "" -#: ClientCommand.cpp:1264 +#: ClientCommand.cpp:1309 msgid "Reloading {1} everywhere" msgstr "" -#: ClientCommand.cpp:1266 +#: ClientCommand.cpp:1311 msgid "Done" msgstr "" -#: ClientCommand.cpp:1269 +#: ClientCommand.cpp:1314 msgid "" "Done, but there were errors, module {1} could not be reloaded everywhere." msgstr "" -#: ClientCommand.cpp:1277 +#: ClientCommand.cpp:1322 msgid "" "You must be connected with a network to use this command. Try " "SetUserBindHost instead" msgstr "" -#: ClientCommand.cpp:1284 +#: ClientCommand.cpp:1329 msgid "Usage: SetBindHost " msgstr "" -#: ClientCommand.cpp:1289 ClientCommand.cpp:1306 +#: ClientCommand.cpp:1334 ClientCommand.cpp:1351 msgid "You already have this bind host!" msgstr "" -#: ClientCommand.cpp:1294 +#: ClientCommand.cpp:1339 msgid "Set bind host for network {1} to {2}" msgstr "" -#: ClientCommand.cpp:1301 +#: ClientCommand.cpp:1346 msgid "Usage: SetUserBindHost " msgstr "" -#: ClientCommand.cpp:1311 +#: ClientCommand.cpp:1356 msgid "Set default bind host to {1}" msgstr "" -#: ClientCommand.cpp:1317 +#: ClientCommand.cpp:1362 msgid "" "You must be connected with a network to use this command. Try " "ClearUserBindHost instead" msgstr "" -#: ClientCommand.cpp:1322 +#: ClientCommand.cpp:1367 msgid "Bind host cleared for this network." msgstr "" -#: ClientCommand.cpp:1326 +#: ClientCommand.cpp:1371 msgid "Default bind host cleared for your user." msgstr "" -#: ClientCommand.cpp:1329 +#: ClientCommand.cpp:1374 msgid "This user's default bind host not set" msgstr "" -#: ClientCommand.cpp:1331 +#: ClientCommand.cpp:1376 msgid "This user's default bind host is {1}" msgstr "" -#: ClientCommand.cpp:1336 +#: ClientCommand.cpp:1381 msgid "This network's bind host not set" msgstr "" -#: ClientCommand.cpp:1338 +#: ClientCommand.cpp:1383 msgid "This network's default bind host is {1}" msgstr "" -#: ClientCommand.cpp:1352 +#: ClientCommand.cpp:1397 msgid "Usage: PlayBuffer <#chan|query>" msgstr "" -#: ClientCommand.cpp:1360 -msgid "You are not on {1}" -msgstr "" - -#: ClientCommand.cpp:1365 +#: ClientCommand.cpp:1410 msgid "You are not on {1} (trying to join)" msgstr "" -#: ClientCommand.cpp:1370 +#: ClientCommand.cpp:1415 msgid "The buffer for channel {1} is empty" msgstr "" -#: ClientCommand.cpp:1379 +#: ClientCommand.cpp:1424 msgid "No active query with {1}" msgstr "" -#: ClientCommand.cpp:1384 +#: ClientCommand.cpp:1429 msgid "The buffer for {1} is empty" msgstr "" -#: ClientCommand.cpp:1400 +#: ClientCommand.cpp:1445 msgid "Usage: ClearBuffer <#chan|query>" msgstr "" -#: ClientCommand.cpp:1419 +#: ClientCommand.cpp:1464 msgid "{1} buffer matching {2} has been cleared" msgid_plural "{1} buffers matching {2} have been cleared" msgstr[0] "" msgstr[1] "" -#: ClientCommand.cpp:1432 +#: ClientCommand.cpp:1477 msgid "All channel buffers have been cleared" msgstr "" -#: ClientCommand.cpp:1441 +#: ClientCommand.cpp:1486 msgid "All query buffers have been cleared" msgstr "" -#: ClientCommand.cpp:1453 +#: ClientCommand.cpp:1498 msgid "All buffers have been cleared" msgstr "" -#: ClientCommand.cpp:1464 +#: ClientCommand.cpp:1509 msgid "Usage: SetBuffer <#chan|query> [linecount]" msgstr "" -#: ClientCommand.cpp:1485 +#: ClientCommand.cpp:1530 msgid "Setting buffer size failed for {1} buffer" msgid_plural "Setting buffer size failed for {1} buffers" msgstr[0] "" msgstr[1] "" -#: ClientCommand.cpp:1488 +#: ClientCommand.cpp:1533 msgid "Maximum buffer size is {1} line" msgid_plural "Maximum buffer size is {1} lines" msgstr[0] "" msgstr[1] "" -#: ClientCommand.cpp:1493 +#: ClientCommand.cpp:1538 msgid "Size of every buffer was set to {1} line" msgid_plural "Size of every buffer was set to {1} lines" msgstr[0] "" msgstr[1] "" -#: ClientCommand.cpp:1503 ClientCommand.cpp:1510 ClientCommand.cpp:1521 -#: ClientCommand.cpp:1530 ClientCommand.cpp:1538 +#: ClientCommand.cpp:1548 ClientCommand.cpp:1555 ClientCommand.cpp:1566 +#: ClientCommand.cpp:1575 ClientCommand.cpp:1583 msgctxt "trafficcmd" msgid "Username" msgstr "" -#: ClientCommand.cpp:1504 ClientCommand.cpp:1511 ClientCommand.cpp:1523 -#: ClientCommand.cpp:1532 ClientCommand.cpp:1540 +#: ClientCommand.cpp:1549 ClientCommand.cpp:1556 ClientCommand.cpp:1568 +#: ClientCommand.cpp:1577 ClientCommand.cpp:1585 msgctxt "trafficcmd" msgid "In" msgstr "" -#: ClientCommand.cpp:1505 ClientCommand.cpp:1513 ClientCommand.cpp:1524 -#: ClientCommand.cpp:1533 ClientCommand.cpp:1541 +#: ClientCommand.cpp:1550 ClientCommand.cpp:1558 ClientCommand.cpp:1569 +#: ClientCommand.cpp:1578 ClientCommand.cpp:1586 msgctxt "trafficcmd" msgid "Out" msgstr "" -#: ClientCommand.cpp:1506 ClientCommand.cpp:1516 ClientCommand.cpp:1526 -#: ClientCommand.cpp:1534 ClientCommand.cpp:1543 +#: ClientCommand.cpp:1551 ClientCommand.cpp:1561 ClientCommand.cpp:1571 +#: ClientCommand.cpp:1579 ClientCommand.cpp:1588 msgctxt "trafficcmd" msgid "Total" msgstr "" -#: ClientCommand.cpp:1522 +#: ClientCommand.cpp:1567 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1531 +#: ClientCommand.cpp:1576 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1539 +#: ClientCommand.cpp:1584 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1548 +#: ClientCommand.cpp:1593 msgid "Running for {1}" msgstr "" -#: ClientCommand.cpp:1554 +#: ClientCommand.cpp:1599 msgid "Unknown command, try 'Help'" msgstr "" -#: ClientCommand.cpp:1563 ClientCommand.cpp:1574 +#: ClientCommand.cpp:1608 ClientCommand.cpp:1619 msgctxt "listports" msgid "Port" msgstr "" -#: ClientCommand.cpp:1564 ClientCommand.cpp:1577 +#: ClientCommand.cpp:1609 ClientCommand.cpp:1622 msgctxt "listports" msgid "BindHost" msgstr "" -#: ClientCommand.cpp:1565 ClientCommand.cpp:1580 +#: ClientCommand.cpp:1610 ClientCommand.cpp:1625 msgctxt "listports" msgid "SSL" msgstr "" -#: ClientCommand.cpp:1566 ClientCommand.cpp:1585 +#: ClientCommand.cpp:1611 ClientCommand.cpp:1630 msgctxt "listports" msgid "Protocol" msgstr "" -#: ClientCommand.cpp:1567 ClientCommand.cpp:1592 +#: ClientCommand.cpp:1612 ClientCommand.cpp:1637 msgctxt "listports" msgid "IRC" msgstr "" -#: ClientCommand.cpp:1568 ClientCommand.cpp:1597 +#: ClientCommand.cpp:1613 ClientCommand.cpp:1642 msgctxt "listports" msgid "Web" msgstr "" -#: ClientCommand.cpp:1581 +#: ClientCommand.cpp:1626 msgctxt "listports|ssl" msgid "yes" msgstr "" -#: ClientCommand.cpp:1582 +#: ClientCommand.cpp:1627 msgctxt "listports|ssl" msgid "no" msgstr "" -#: ClientCommand.cpp:1586 +#: ClientCommand.cpp:1631 msgctxt "listports" msgid "IPv4 and IPv6" msgstr "" -#: ClientCommand.cpp:1588 +#: ClientCommand.cpp:1633 msgctxt "listports" msgid "IPv4" msgstr "" -#: ClientCommand.cpp:1589 +#: ClientCommand.cpp:1634 msgctxt "listports" msgid "IPv6" msgstr "" -#: ClientCommand.cpp:1595 +#: ClientCommand.cpp:1640 msgctxt "listports|irc" msgid "yes" msgstr "" -#: ClientCommand.cpp:1596 +#: ClientCommand.cpp:1641 msgctxt "listports|irc" msgid "no" msgstr "" -#: ClientCommand.cpp:1600 +#: ClientCommand.cpp:1645 msgctxt "listports|irc" msgid "yes, on {1}" msgstr "" -#: ClientCommand.cpp:1602 +#: ClientCommand.cpp:1647 msgctxt "listports|web" msgid "no" msgstr "" -#: ClientCommand.cpp:1642 +#: ClientCommand.cpp:1687 msgid "" "Usage: AddPort <[+]port> [bindhost [uriprefix]]" msgstr "" -#: ClientCommand.cpp:1658 +#: ClientCommand.cpp:1703 msgid "Port added" msgstr "" -#: ClientCommand.cpp:1660 +#: ClientCommand.cpp:1705 msgid "Couldn't add port" msgstr "" -#: ClientCommand.cpp:1666 +#: ClientCommand.cpp:1711 msgid "Usage: DelPort [bindhost]" msgstr "" -#: ClientCommand.cpp:1675 +#: ClientCommand.cpp:1720 msgid "Deleted Port" msgstr "" -#: ClientCommand.cpp:1677 +#: ClientCommand.cpp:1722 msgid "Unable to find a matching port" msgstr "" -#: ClientCommand.cpp:1685 ClientCommand.cpp:1700 +#: ClientCommand.cpp:1730 ClientCommand.cpp:1745 msgctxt "helpcmd" msgid "Command" msgstr "" -#: ClientCommand.cpp:1686 ClientCommand.cpp:1702 +#: ClientCommand.cpp:1731 ClientCommand.cpp:1747 msgctxt "helpcmd" msgid "Description" msgstr "" -#: ClientCommand.cpp:1691 +#: ClientCommand.cpp:1736 msgid "" "In the following list all occurrences of <#chan> support wildcards (* and ?) " "except ListNicks" msgstr "" -#: ClientCommand.cpp:1708 +#: ClientCommand.cpp:1753 msgctxt "helpcmd|Version|desc" msgid "Print which version of ZNC this is" msgstr "" -#: ClientCommand.cpp:1711 +#: ClientCommand.cpp:1756 msgctxt "helpcmd|ListMods|desc" msgid "List all loaded modules" msgstr "" -#: ClientCommand.cpp:1714 +#: ClientCommand.cpp:1759 msgctxt "helpcmd|ListAvailMods|desc" msgid "List all available modules" msgstr "" -#: ClientCommand.cpp:1718 ClientCommand.cpp:1904 +#: ClientCommand.cpp:1763 ClientCommand.cpp:1954 msgctxt "helpcmd|ListChans|desc" msgid "List all channels" msgstr "" -#: ClientCommand.cpp:1721 +#: ClientCommand.cpp:1766 msgctxt "helpcmd|ListNicks|args" msgid "<#chan>" msgstr "" -#: ClientCommand.cpp:1722 +#: ClientCommand.cpp:1767 msgctxt "helpcmd|ListNicks|desc" msgid "List all nicks on a channel" msgstr "" -#: ClientCommand.cpp:1725 +#: ClientCommand.cpp:1770 msgctxt "helpcmd|ListClients|desc" msgid "List all clients connected to your ZNC user" msgstr "" -#: ClientCommand.cpp:1729 +#: ClientCommand.cpp:1774 msgctxt "helpcmd|ListServers|desc" msgid "List all servers of current IRC network" msgstr "" -#: ClientCommand.cpp:1733 +#: ClientCommand.cpp:1778 msgctxt "helpcmd|AddNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1734 +#: ClientCommand.cpp:1779 msgctxt "helpcmd|AddNetwork|desc" msgid "Add a network to your user" msgstr "" -#: ClientCommand.cpp:1736 +#: ClientCommand.cpp:1781 msgctxt "helpcmd|DelNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1737 +#: ClientCommand.cpp:1782 msgctxt "helpcmd|DelNetwork|desc" msgid "Delete a network from your user" msgstr "" -#: ClientCommand.cpp:1739 +#: ClientCommand.cpp:1784 msgctxt "helpcmd|ListNetworks|desc" msgid "List all networks" msgstr "" -#: ClientCommand.cpp:1742 +#: ClientCommand.cpp:1787 msgctxt "helpcmd|MoveNetwork|args" msgid " [new network]" msgstr "" -#: ClientCommand.cpp:1744 +#: ClientCommand.cpp:1789 msgctxt "helpcmd|MoveNetwork|desc" msgid "Move an IRC network from one user to another" msgstr "" -#: ClientCommand.cpp:1748 +#: ClientCommand.cpp:1793 msgctxt "helpcmd|JumpNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1749 +#: ClientCommand.cpp:1794 msgctxt "helpcmd|JumpNetwork|desc" msgid "" "Jump to another network (Alternatively, you can connect to ZNC several " "times, using `user/network` as username)" msgstr "" -#: ClientCommand.cpp:1754 +#: ClientCommand.cpp:1799 msgctxt "helpcmd|AddServer|args" msgid " [[+]port] [pass]" msgstr "" -#: ClientCommand.cpp:1755 +#: ClientCommand.cpp:1800 msgctxt "helpcmd|AddServer|desc" msgid "" "Add a server to the list of alternate/backup servers of current IRC network." msgstr "" -#: ClientCommand.cpp:1759 +#: ClientCommand.cpp:1804 msgctxt "helpcmd|DelServer|args" msgid " [port] [pass]" msgstr "" -#: ClientCommand.cpp:1760 +#: ClientCommand.cpp:1805 msgctxt "helpcmd|DelServer|desc" msgid "" "Remove a server from the list of alternate/backup servers of current IRC " "network" msgstr "" -#: ClientCommand.cpp:1766 +#: ClientCommand.cpp:1811 msgctxt "helpcmd|AddTrustedServerFingerprint|args" msgid "" msgstr "" -#: ClientCommand.cpp:1767 +#: ClientCommand.cpp:1812 msgctxt "helpcmd|AddTrustedServerFingerprint|desc" msgid "" "Add a trusted server SSL certificate fingerprint (SHA-256) to current IRC " "network." msgstr "" -#: ClientCommand.cpp:1772 +#: ClientCommand.cpp:1817 msgctxt "helpcmd|DelTrustedServerFingerprint|args" msgid "" msgstr "" -#: ClientCommand.cpp:1773 +#: ClientCommand.cpp:1818 msgctxt "helpcmd|DelTrustedServerFingerprint|desc" msgid "Delete a trusted server SSL certificate from current IRC network." msgstr "" -#: ClientCommand.cpp:1777 +#: ClientCommand.cpp:1822 msgctxt "helpcmd|ListTrustedServerFingerprints|desc" msgid "List all trusted server SSL certificates of current IRC network." msgstr "" -#: ClientCommand.cpp:1780 +#: ClientCommand.cpp:1825 msgctxt "helpcmd|EnableChan|args" msgid "<#chans>" msgstr "" -#: ClientCommand.cpp:1781 +#: ClientCommand.cpp:1826 msgctxt "helpcmd|EnableChan|desc" msgid "Enable channels" msgstr "" -#: ClientCommand.cpp:1782 +#: ClientCommand.cpp:1827 msgctxt "helpcmd|DisableChan|args" msgid "<#chans>" msgstr "" -#: ClientCommand.cpp:1783 +#: ClientCommand.cpp:1828 msgctxt "helpcmd|DisableChan|desc" msgid "Disable channels" msgstr "" -#: ClientCommand.cpp:1784 +#: ClientCommand.cpp:1829 +msgctxt "helpcmd|MoveChan|args" +msgid "<#chan> " +msgstr "" + +#: ClientCommand.cpp:1830 +msgctxt "helpcmd|MoveChan|desc" +msgid "Move channel in sort order" +msgstr "" + +#: ClientCommand.cpp:1832 +msgctxt "helpcmd|SwapChans|args" +msgid "<#chan1> <#chan2>" +msgstr "" + +#: ClientCommand.cpp:1833 +msgctxt "helpcmd|SwapChans|desc" +msgid "Swap channels in sort order" +msgstr "" + +#: ClientCommand.cpp:1834 msgctxt "helpcmd|Attach|args" msgid "<#chans>" msgstr "" -#: ClientCommand.cpp:1785 +#: ClientCommand.cpp:1835 msgctxt "helpcmd|Attach|desc" msgid "Attach to channels" msgstr "" -#: ClientCommand.cpp:1786 +#: ClientCommand.cpp:1836 msgctxt "helpcmd|Detach|args" msgid "<#chans>" msgstr "" -#: ClientCommand.cpp:1787 +#: ClientCommand.cpp:1837 msgctxt "helpcmd|Detach|desc" msgid "Detach from channels" msgstr "" -#: ClientCommand.cpp:1790 +#: ClientCommand.cpp:1840 msgctxt "helpcmd|Topics|desc" msgid "Show topics in all your channels" msgstr "" -#: ClientCommand.cpp:1793 +#: ClientCommand.cpp:1843 msgctxt "helpcmd|PlayBuffer|args" msgid "<#chan|query>" msgstr "" -#: ClientCommand.cpp:1794 +#: ClientCommand.cpp:1844 msgctxt "helpcmd|PlayBuffer|desc" msgid "Play back the specified buffer" msgstr "" -#: ClientCommand.cpp:1796 +#: ClientCommand.cpp:1846 msgctxt "helpcmd|ClearBuffer|args" msgid "<#chan|query>" msgstr "" -#: ClientCommand.cpp:1797 +#: ClientCommand.cpp:1847 msgctxt "helpcmd|ClearBuffer|desc" msgid "Clear the specified buffer" msgstr "" -#: ClientCommand.cpp:1799 +#: ClientCommand.cpp:1849 msgctxt "helpcmd|ClearAllBuffers|desc" msgid "Clear all channel and query buffers" msgstr "" -#: ClientCommand.cpp:1802 +#: ClientCommand.cpp:1852 msgctxt "helpcmd|ClearAllChannelBuffers|desc" msgid "Clear the channel buffers" msgstr "" -#: ClientCommand.cpp:1806 +#: ClientCommand.cpp:1856 msgctxt "helpcmd|ClearAllQueryBuffers|desc" msgid "Clear the query buffers" msgstr "" -#: ClientCommand.cpp:1808 +#: ClientCommand.cpp:1858 msgctxt "helpcmd|SetBuffer|args" msgid "<#chan|query> [linecount]" msgstr "" -#: ClientCommand.cpp:1809 +#: ClientCommand.cpp:1859 msgctxt "helpcmd|SetBuffer|desc" msgid "Set the buffer count" msgstr "" -#: ClientCommand.cpp:1813 +#: ClientCommand.cpp:1863 msgctxt "helpcmd|SetBindHost|args" msgid "" msgstr "" -#: ClientCommand.cpp:1814 +#: ClientCommand.cpp:1864 msgctxt "helpcmd|SetBindHost|desc" msgid "Set the bind host for this network" msgstr "" -#: ClientCommand.cpp:1818 +#: ClientCommand.cpp:1868 msgctxt "helpcmd|SetUserBindHost|args" msgid "" msgstr "" -#: ClientCommand.cpp:1819 +#: ClientCommand.cpp:1869 msgctxt "helpcmd|SetUserBindHost|desc" msgid "Set the default bind host for this user" msgstr "" -#: ClientCommand.cpp:1822 +#: ClientCommand.cpp:1872 msgctxt "helpcmd|ClearBindHost|desc" msgid "Clear the bind host for this network" msgstr "" -#: ClientCommand.cpp:1825 +#: ClientCommand.cpp:1875 msgctxt "helpcmd|ClearUserBindHost|desc" msgid "Clear the default bind host for this user" msgstr "" -#: ClientCommand.cpp:1831 +#: ClientCommand.cpp:1881 msgctxt "helpcmd|ShowBindHost|desc" msgid "Show currently selected bind host" msgstr "" -#: ClientCommand.cpp:1833 +#: ClientCommand.cpp:1883 msgctxt "helpcmd|Jump|args" msgid "[server]" msgstr "" -#: ClientCommand.cpp:1834 +#: ClientCommand.cpp:1884 msgctxt "helpcmd|Jump|desc" msgid "Jump to the next or the specified server" msgstr "" -#: ClientCommand.cpp:1835 +#: ClientCommand.cpp:1885 msgctxt "helpcmd|Disconnect|args" msgid "[message]" msgstr "" -#: ClientCommand.cpp:1836 +#: ClientCommand.cpp:1886 msgctxt "helpcmd|Disconnect|desc" msgid "Disconnect from IRC" msgstr "" -#: ClientCommand.cpp:1838 +#: ClientCommand.cpp:1888 msgctxt "helpcmd|Connect|desc" msgid "Reconnect to IRC" msgstr "" -#: ClientCommand.cpp:1841 +#: ClientCommand.cpp:1891 msgctxt "helpcmd|Uptime|desc" msgid "Show for how long ZNC has been running" msgstr "" -#: ClientCommand.cpp:1845 +#: ClientCommand.cpp:1895 msgctxt "helpcmd|LoadMod|args" msgid "[--type=global|user|network] [args]" msgstr "" -#: ClientCommand.cpp:1847 +#: ClientCommand.cpp:1897 msgctxt "helpcmd|LoadMod|desc" msgid "Load a module" msgstr "" -#: ClientCommand.cpp:1849 +#: ClientCommand.cpp:1899 msgctxt "helpcmd|UnloadMod|args" msgid "[--type=global|user|network] " msgstr "" -#: ClientCommand.cpp:1851 +#: ClientCommand.cpp:1901 msgctxt "helpcmd|UnloadMod|desc" msgid "Unload a module" msgstr "" -#: ClientCommand.cpp:1853 +#: ClientCommand.cpp:1903 msgctxt "helpcmd|ReloadMod|args" msgid "[--type=global|user|network] [args]" msgstr "" -#: ClientCommand.cpp:1855 +#: ClientCommand.cpp:1905 msgctxt "helpcmd|ReloadMod|desc" msgid "Reload a module" msgstr "" -#: ClientCommand.cpp:1858 +#: ClientCommand.cpp:1908 msgctxt "helpcmd|UpdateMod|args" msgid "" msgstr "" -#: ClientCommand.cpp:1859 +#: ClientCommand.cpp:1909 msgctxt "helpcmd|UpdateMod|desc" msgid "Reload a module everywhere" msgstr "" -#: ClientCommand.cpp:1865 +#: ClientCommand.cpp:1915 msgctxt "helpcmd|ShowMOTD|desc" msgid "Show ZNC's message of the day" msgstr "" -#: ClientCommand.cpp:1869 +#: ClientCommand.cpp:1919 msgctxt "helpcmd|SetMOTD|args" msgid "" msgstr "" -#: ClientCommand.cpp:1870 +#: ClientCommand.cpp:1920 msgctxt "helpcmd|SetMOTD|desc" msgid "Set ZNC's message of the day" msgstr "" -#: ClientCommand.cpp:1872 +#: ClientCommand.cpp:1922 msgctxt "helpcmd|AddMOTD|args" msgid "" msgstr "" -#: ClientCommand.cpp:1873 +#: ClientCommand.cpp:1923 msgctxt "helpcmd|AddMOTD|desc" msgid "Append to ZNC's MOTD" msgstr "" -#: ClientCommand.cpp:1875 +#: ClientCommand.cpp:1925 msgctxt "helpcmd|ClearMOTD|desc" msgid "Clear ZNC's MOTD" msgstr "" -#: ClientCommand.cpp:1878 +#: ClientCommand.cpp:1928 msgctxt "helpcmd|ListPorts|desc" msgid "Show all active listeners" msgstr "" -#: ClientCommand.cpp:1880 +#: ClientCommand.cpp:1930 msgctxt "helpcmd|AddPort|args" msgid "<[+]port> [bindhost [uriprefix]]" msgstr "" -#: ClientCommand.cpp:1883 +#: ClientCommand.cpp:1933 msgctxt "helpcmd|AddPort|desc" msgid "Add another port for ZNC to listen on" msgstr "" -#: ClientCommand.cpp:1887 +#: ClientCommand.cpp:1937 msgctxt "helpcmd|DelPort|args" msgid " [bindhost]" msgstr "" -#: ClientCommand.cpp:1888 +#: ClientCommand.cpp:1938 msgctxt "helpcmd|DelPort|desc" msgid "Remove a port from ZNC" msgstr "" -#: ClientCommand.cpp:1891 +#: ClientCommand.cpp:1941 msgctxt "helpcmd|Rehash|desc" msgid "Reload global settings, modules, and listeners from znc.conf" msgstr "" -#: ClientCommand.cpp:1894 +#: ClientCommand.cpp:1944 msgctxt "helpcmd|SaveConfig|desc" msgid "Save the current settings to disk" msgstr "" -#: ClientCommand.cpp:1897 +#: ClientCommand.cpp:1947 msgctxt "helpcmd|ListUsers|desc" msgid "List all ZNC users and their connection status" msgstr "" -#: ClientCommand.cpp:1900 +#: ClientCommand.cpp:1950 msgctxt "helpcmd|ListAllUserNetworks|desc" msgid "List all ZNC users and their networks" msgstr "" -#: ClientCommand.cpp:1903 +#: ClientCommand.cpp:1953 msgctxt "helpcmd|ListChans|args" msgid "[user ]" msgstr "" -#: ClientCommand.cpp:1906 +#: ClientCommand.cpp:1956 msgctxt "helpcmd|ListClients|args" msgid "[user]" msgstr "" -#: ClientCommand.cpp:1907 +#: ClientCommand.cpp:1957 msgctxt "helpcmd|ListClients|desc" msgid "List all connected clients" msgstr "" -#: ClientCommand.cpp:1909 +#: ClientCommand.cpp:1959 msgctxt "helpcmd|Traffic|desc" msgid "Show basic traffic stats for all ZNC users" msgstr "" -#: ClientCommand.cpp:1911 +#: ClientCommand.cpp:1961 msgctxt "helpcmd|Broadcast|args" msgid "[message]" msgstr "" -#: ClientCommand.cpp:1912 +#: ClientCommand.cpp:1962 msgctxt "helpcmd|Broadcast|desc" msgid "Broadcast a message to all ZNC users" msgstr "" -#: ClientCommand.cpp:1915 +#: ClientCommand.cpp:1965 msgctxt "helpcmd|Shutdown|args" msgid "[message]" msgstr "" -#: ClientCommand.cpp:1916 +#: ClientCommand.cpp:1966 msgctxt "helpcmd|Shutdown|desc" msgid "Shut down ZNC completely" msgstr "" -#: ClientCommand.cpp:1917 +#: ClientCommand.cpp:1967 msgctxt "helpcmd|Restart|args" msgid "[message]" msgstr "" -#: ClientCommand.cpp:1918 +#: ClientCommand.cpp:1968 msgctxt "helpcmd|Restart|desc" msgid "Restart ZNC" msgstr "" diff --git a/src/po/znc.es_ES.po b/src/po/znc.es_ES.po index 65a1b22f..fe4ff22f 100644 --- a/src/po/znc.es_ES.po +++ b/src/po/znc.es_ES.po @@ -74,7 +74,7 @@ msgstr "No se ha localizado el fichero pem: {1}" msgid "Invalid port" msgstr "Puerto no válido" -#: znc.cpp:1813 ClientCommand.cpp:1655 +#: znc.cpp:1813 ClientCommand.cpp:1700 msgid "Unable to bind: {1}" msgstr "Imposible enlazar: {1}" @@ -94,20 +94,29 @@ msgstr "Estás desconectado del IRC. Usa 'connect' para reconectar." msgid "This network is being deleted or moved to another user." msgstr "Esta red está siendo eliminada o movida a otro usuario." -#: IRCNetwork.cpp:1016 +#: IRCNetwork.cpp:948 +msgid "Invalid index" +msgstr "" + +#: IRCNetwork.cpp:956 IRCNetwork.cpp:972 IRCNetwork.cpp:980 +#: ClientCommand.cpp:1405 +msgid "You are not on {1}" +msgstr "No estás en {1}" + +#: IRCNetwork.cpp:1059 msgid "The channel {1} could not be joined, disabling it." msgstr "El canal {1} no es accesible, deshabilitado." -#: IRCNetwork.cpp:1145 +#: IRCNetwork.cpp:1188 msgid "Your current server was removed, jumping..." msgstr "Tu servidor actual ha sido eliminado. Cambiando de servidor..." -#: IRCNetwork.cpp:1308 +#: IRCNetwork.cpp:1351 msgid "Cannot connect to {1}, because ZNC is not compiled with SSL support." msgstr "" "No se puede conectar a {1} porque ZNC no se ha compilado con soporte SSL." -#: IRCNetwork.cpp:1329 +#: IRCNetwork.cpp:1372 msgid "Some module aborted the connection attempt" msgstr "Algún módulo ha abortado el intento de conexión" @@ -300,7 +309,7 @@ msgctxt "modhelpcmd" msgid "Generate this output" msgstr "Generar esta salida" -#: Modules.cpp:573 ClientCommand.cpp:1922 +#: Modules.cpp:573 ClientCommand.cpp:1972 msgid "No matches for '{1}'" msgstr "No hay coincidencias para '{1}'" @@ -412,11 +421,12 @@ msgstr "Descripción" #: ClientCommand.cpp:51 ClientCommand.cpp:115 ClientCommand.cpp:137 #: ClientCommand.cpp:339 ClientCommand.cpp:390 ClientCommand.cpp:405 -#: ClientCommand.cpp:432 ClientCommand.cpp:459 ClientCommand.cpp:764 -#: ClientCommand.cpp:783 ClientCommand.cpp:809 ClientCommand.cpp:843 -#: ClientCommand.cpp:856 ClientCommand.cpp:869 ClientCommand.cpp:884 -#: ClientCommand.cpp:1345 ClientCommand.cpp:1393 ClientCommand.cpp:1425 -#: ClientCommand.cpp:1436 ClientCommand.cpp:1445 ClientCommand.cpp:1457 +#: ClientCommand.cpp:432 ClientCommand.cpp:459 ClientCommand.cpp:480 +#: ClientCommand.cpp:499 ClientCommand.cpp:809 ClientCommand.cpp:828 +#: ClientCommand.cpp:854 ClientCommand.cpp:888 ClientCommand.cpp:901 +#: ClientCommand.cpp:914 ClientCommand.cpp:929 ClientCommand.cpp:1390 +#: ClientCommand.cpp:1438 ClientCommand.cpp:1470 ClientCommand.cpp:1481 +#: ClientCommand.cpp:1490 ClientCommand.cpp:1502 msgid "You must be connected with a network to use this command" msgstr "Debes estar conectado a una red para usar este comando" @@ -593,7 +603,7 @@ msgid "" "ERROR: Writing config file to disk failed! Aborting. Use {1} FORCE to ignore." msgstr "" -#: ClientCommand.cpp:344 ClientCommand.cpp:797 ClientCommand.cpp:838 +#: ClientCommand.cpp:344 ClientCommand.cpp:842 ClientCommand.cpp:883 msgid "You don't have any servers added." msgstr "No tienes ningún servidor añadido." @@ -637,87 +647,108 @@ msgid_plural "Disabled {1} channels" msgstr[0] "" msgstr[1] "" -#: ClientCommand.cpp:470 +#: ClientCommand.cpp:466 +msgid "Usage: MoveChan <#chan> " +msgstr "" + +#: ClientCommand.cpp:474 +msgid "Moved channel {1} to index {2}" +msgstr "" + +#: ClientCommand.cpp:487 +msgid "Usage: SwapChans <#chan1> <#chan2>" +msgstr "" + +#: ClientCommand.cpp:493 +msgid "Swapped channels {1} and {2}" +msgstr "" + +#: ClientCommand.cpp:510 msgid "Usage: ListChans" msgstr "Uso: ListChans" -#: ClientCommand.cpp:477 +#: ClientCommand.cpp:517 msgid "No such user [{1}]" msgstr "Usuario no encontrado [{1}]" -#: ClientCommand.cpp:483 +#: ClientCommand.cpp:523 msgid "User [{1}] doesn't have network [{2}]" msgstr "El usuario [{1}] no tiene red [{2}]" -#: ClientCommand.cpp:494 +#: ClientCommand.cpp:534 msgid "There are no channels defined." msgstr "No hay canales definidos." -#: ClientCommand.cpp:499 ClientCommand.cpp:515 +#: ClientCommand.cpp:539 ClientCommand.cpp:557 +msgctxt "listchans" +msgid "Index" +msgstr "" + +#: ClientCommand.cpp:540 ClientCommand.cpp:558 msgctxt "listchans" msgid "Name" msgstr "Nombre" -#: ClientCommand.cpp:500 ClientCommand.cpp:518 +#: ClientCommand.cpp:541 ClientCommand.cpp:561 msgctxt "listchans" msgid "Status" msgstr "Estado" -#: ClientCommand.cpp:501 ClientCommand.cpp:525 +#: ClientCommand.cpp:542 ClientCommand.cpp:568 msgctxt "listchans" msgid "In config" msgstr "En configuración" -#: ClientCommand.cpp:502 ClientCommand.cpp:527 +#: ClientCommand.cpp:543 ClientCommand.cpp:570 msgctxt "listchans" msgid "Buffer" msgstr "Búfer" -#: ClientCommand.cpp:503 ClientCommand.cpp:531 +#: ClientCommand.cpp:544 ClientCommand.cpp:574 msgctxt "listchans" msgid "Clear" msgstr "Borrar" -#: ClientCommand.cpp:504 ClientCommand.cpp:536 +#: ClientCommand.cpp:545 ClientCommand.cpp:579 msgctxt "listchans" msgid "Modes" msgstr "Modos" -#: ClientCommand.cpp:505 ClientCommand.cpp:537 +#: ClientCommand.cpp:546 ClientCommand.cpp:580 msgctxt "listchans" msgid "Users" msgstr "Usuarios" -#: ClientCommand.cpp:520 +#: ClientCommand.cpp:563 msgctxt "listchans" msgid "Detached" msgstr "Desvinculado" -#: ClientCommand.cpp:521 +#: ClientCommand.cpp:564 msgctxt "listchans" msgid "Joined" msgstr "Unido" -#: ClientCommand.cpp:522 +#: ClientCommand.cpp:565 msgctxt "listchans" msgid "Disabled" msgstr "Deshabilitado" -#: ClientCommand.cpp:523 +#: ClientCommand.cpp:566 msgctxt "listchans" msgid "Trying" msgstr "Probando" -#: ClientCommand.cpp:526 ClientCommand.cpp:534 +#: ClientCommand.cpp:569 ClientCommand.cpp:577 msgctxt "listchans" msgid "yes" msgstr "sí" -#: ClientCommand.cpp:551 +#: ClientCommand.cpp:596 msgid "Total: {1}, Joined: {2}, Detached: {3}, Disabled: {4}" msgstr "Total: {1}, Unidos: {2}, Separados: {3}, Deshabilitados: {4}" -#: ClientCommand.cpp:556 +#: ClientCommand.cpp:601 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks using /znc DelNetwork " @@ -725,15 +756,15 @@ msgstr "" "Limite de redes alcanzado. Píde a un administrador que te incremente el " "límite, o elimina redes innecesarias usando /znc DelNetwork " -#: ClientCommand.cpp:565 +#: ClientCommand.cpp:610 msgid "Usage: AddNetwork " msgstr "Uso: AddNetwork " -#: ClientCommand.cpp:569 +#: ClientCommand.cpp:614 msgid "Network name should be alphanumeric" msgstr "El nombre de la red debe ser alfanumérico" -#: ClientCommand.cpp:576 +#: ClientCommand.cpp:621 msgid "" "Network added. Use /znc JumpNetwork {1}, or connect to ZNC with username {2} " "(instead of just {3}) to connect to it." @@ -741,139 +772,139 @@ msgstr "" "Red añadida. Utiliza /znc JumpNetwork {1}, o conecta a ZNC con el usuario " "{2} (en vez de solo {3}) para conectar a la red." -#: ClientCommand.cpp:581 +#: ClientCommand.cpp:626 msgid "Unable to add that network" msgstr "No se ha podido añadir esta red" -#: ClientCommand.cpp:588 +#: ClientCommand.cpp:633 msgid "Usage: DelNetwork " msgstr "Uso: DelNetwork " -#: ClientCommand.cpp:597 +#: ClientCommand.cpp:642 msgid "Network deleted" msgstr "Red eliminada" -#: ClientCommand.cpp:600 +#: ClientCommand.cpp:645 msgid "Failed to delete network, perhaps this network doesn't exist" msgstr "Fallo al eliminar la red, puede que esta red no exista" -#: ClientCommand.cpp:610 +#: ClientCommand.cpp:655 msgid "User {1} not found" msgstr "Usuario {1} no encontrado" -#: ClientCommand.cpp:618 ClientCommand.cpp:626 +#: ClientCommand.cpp:663 ClientCommand.cpp:671 msgctxt "listnetworks" msgid "Network" msgstr "Red" -#: ClientCommand.cpp:619 ClientCommand.cpp:628 ClientCommand.cpp:637 +#: ClientCommand.cpp:664 ClientCommand.cpp:673 ClientCommand.cpp:682 msgctxt "listnetworks" msgid "On IRC" msgstr "En IRC" -#: ClientCommand.cpp:620 ClientCommand.cpp:630 +#: ClientCommand.cpp:665 ClientCommand.cpp:675 msgctxt "listnetworks" msgid "IRC Server" msgstr "Servidor IRC" -#: ClientCommand.cpp:621 ClientCommand.cpp:632 +#: ClientCommand.cpp:666 ClientCommand.cpp:677 msgctxt "listnetworks" msgid "IRC User" msgstr "Usuario IRC" -#: ClientCommand.cpp:622 ClientCommand.cpp:634 +#: ClientCommand.cpp:667 ClientCommand.cpp:679 msgctxt "listnetworks" msgid "Channels" msgstr "Canales" -#: ClientCommand.cpp:629 +#: ClientCommand.cpp:674 msgctxt "listnetworks" msgid "Yes" msgstr "Sí" -#: ClientCommand.cpp:638 +#: ClientCommand.cpp:683 msgctxt "listnetworks" msgid "No" msgstr "No" -#: ClientCommand.cpp:643 +#: ClientCommand.cpp:688 msgctxt "listnetworks" msgid "No networks" msgstr "No hay redes" -#: ClientCommand.cpp:647 ClientCommand.cpp:952 +#: ClientCommand.cpp:692 ClientCommand.cpp:997 msgid "Access denied." msgstr "Acceso denegado." -#: ClientCommand.cpp:658 +#: ClientCommand.cpp:703 msgid "Usage: MoveNetwork [new network]" msgstr "" "Uso: MoveNetwork [nueva " "red]" -#: ClientCommand.cpp:668 +#: ClientCommand.cpp:713 msgid "Old user {1} not found." msgstr "Anterior usuario {1} no encontrado." -#: ClientCommand.cpp:674 +#: ClientCommand.cpp:719 msgid "Old network {1} not found." msgstr "Anterior red {1} no encontrada." -#: ClientCommand.cpp:680 +#: ClientCommand.cpp:725 msgid "New user {1} not found." msgstr "Nuevo usuario {1} no encontrado." -#: ClientCommand.cpp:685 +#: ClientCommand.cpp:730 msgid "User {1} already has network {2}." msgstr "El usuario {1} ya tiene una red {2}." -#: ClientCommand.cpp:691 +#: ClientCommand.cpp:736 msgid "Invalid network name [{1}]" msgstr "Nombre de red no válido [{1}]" -#: ClientCommand.cpp:707 +#: ClientCommand.cpp:752 msgid "Some files seem to be in {1}. You might want to move them to {2}" msgstr "" "Algunos archivos parece que están en {1}. Puede que quieras moverlos a {2}" -#: ClientCommand.cpp:721 +#: ClientCommand.cpp:766 msgid "Error adding network: {1}" msgstr "Error al añadir la red: {1}" -#: ClientCommand.cpp:733 +#: ClientCommand.cpp:778 msgid "Success." msgstr "Completado." -#: ClientCommand.cpp:736 +#: ClientCommand.cpp:781 msgid "Copied the network to new user, but failed to delete old network" msgstr "" "Copiada la red al nuevo usuario, pero se ha fallado al borrar la anterior red" -#: ClientCommand.cpp:743 +#: ClientCommand.cpp:788 msgid "No network supplied." msgstr "No se ha proporcionado una red." -#: ClientCommand.cpp:748 +#: ClientCommand.cpp:793 msgid "You are already connected with this network." msgstr "Ya estás conectado con esta red." -#: ClientCommand.cpp:754 +#: ClientCommand.cpp:799 msgid "Switched to {1}" msgstr "Cambiado a {1}" -#: ClientCommand.cpp:757 +#: ClientCommand.cpp:802 msgid "You don't have a network named {1}" msgstr "No tienes una red llamada {1}" -#: ClientCommand.cpp:769 +#: ClientCommand.cpp:814 msgid "Usage: AddServer [[+]port] [pass]" msgstr "Uso: AddServer [[+]puerto] [contraseña]" -#: ClientCommand.cpp:774 +#: ClientCommand.cpp:819 msgid "Server added" msgstr "Servidor añadido" -#: ClientCommand.cpp:777 +#: ClientCommand.cpp:822 msgid "" "Unable to add that server. Perhaps the server is already added or openssl is " "disabled?" @@ -881,239 +912,239 @@ msgstr "" "No se ha podido añadir el servidor. ¿Quizá el servidor ya está añadido o el " "openssl está deshabilitado?" -#: ClientCommand.cpp:792 +#: ClientCommand.cpp:837 msgid "Usage: DelServer [port] [pass]" msgstr "Uso: DelServer [puerto] [contraseña]" -#: ClientCommand.cpp:802 +#: ClientCommand.cpp:847 msgid "Server removed" msgstr "Servidor eliminado" -#: ClientCommand.cpp:804 +#: ClientCommand.cpp:849 msgid "No such server" msgstr "No existe el servidor" -#: ClientCommand.cpp:817 ClientCommand.cpp:825 +#: ClientCommand.cpp:862 ClientCommand.cpp:870 msgctxt "listservers" msgid "Host" msgstr "Servidor" -#: ClientCommand.cpp:818 ClientCommand.cpp:827 +#: ClientCommand.cpp:863 ClientCommand.cpp:872 msgctxt "listservers" msgid "Port" msgstr "Puerto" -#: ClientCommand.cpp:819 ClientCommand.cpp:830 +#: ClientCommand.cpp:864 ClientCommand.cpp:875 msgctxt "listservers" msgid "SSL" msgstr "SSL" -#: ClientCommand.cpp:820 ClientCommand.cpp:832 +#: ClientCommand.cpp:865 ClientCommand.cpp:877 msgctxt "listservers" msgid "Password" msgstr "Contraseña" -#: ClientCommand.cpp:831 +#: ClientCommand.cpp:876 msgctxt "listservers|cell" msgid "SSL" msgstr "SSL" -#: ClientCommand.cpp:848 +#: ClientCommand.cpp:893 msgid "Usage: AddTrustedServerFingerprint " msgstr "Uso: AddTrustedServerFingerprint " -#: ClientCommand.cpp:852 ClientCommand.cpp:865 +#: ClientCommand.cpp:897 ClientCommand.cpp:910 msgid "Done." msgstr "Hecho." -#: ClientCommand.cpp:861 +#: ClientCommand.cpp:906 msgid "Usage: DelTrustedServerFingerprint " msgstr "Uso: DelTrustedServerFingerprint " -#: ClientCommand.cpp:874 +#: ClientCommand.cpp:919 msgid "No fingerprints added." msgstr "No se han añadido huellas." -#: ClientCommand.cpp:890 ClientCommand.cpp:896 +#: ClientCommand.cpp:935 ClientCommand.cpp:941 msgctxt "topicscmd" msgid "Channel" msgstr "Canal" -#: ClientCommand.cpp:891 ClientCommand.cpp:897 +#: ClientCommand.cpp:936 ClientCommand.cpp:942 msgctxt "topicscmd" msgid "Set By" msgstr "Puesto por" -#: ClientCommand.cpp:892 ClientCommand.cpp:898 +#: ClientCommand.cpp:937 ClientCommand.cpp:943 msgctxt "topicscmd" msgid "Topic" msgstr "Tema" -#: ClientCommand.cpp:905 ClientCommand.cpp:910 +#: ClientCommand.cpp:950 ClientCommand.cpp:955 msgctxt "listmods" msgid "Name" msgstr "Nombre" -#: ClientCommand.cpp:906 ClientCommand.cpp:911 +#: ClientCommand.cpp:951 ClientCommand.cpp:956 msgctxt "listmods" msgid "Arguments" msgstr "Parámetros" -#: ClientCommand.cpp:920 +#: ClientCommand.cpp:965 msgid "No global modules loaded." msgstr "No se han cargado módulos globales." -#: ClientCommand.cpp:922 ClientCommand.cpp:986 +#: ClientCommand.cpp:967 ClientCommand.cpp:1031 msgid "Global modules:" msgstr "Módulos globales:" -#: ClientCommand.cpp:931 +#: ClientCommand.cpp:976 msgid "Your user has no modules loaded." msgstr "Tu usuario no tiene módulos cargados." -#: ClientCommand.cpp:933 ClientCommand.cpp:998 +#: ClientCommand.cpp:978 ClientCommand.cpp:1043 msgid "User modules:" msgstr "Módulos de usuario:" -#: ClientCommand.cpp:941 +#: ClientCommand.cpp:986 msgid "This network has no modules loaded." msgstr "Esta red no tiene módulos cargados." -#: ClientCommand.cpp:943 ClientCommand.cpp:1010 +#: ClientCommand.cpp:988 ClientCommand.cpp:1055 msgid "Network modules:" msgstr "Módulos de red:" -#: ClientCommand.cpp:958 ClientCommand.cpp:965 +#: ClientCommand.cpp:1003 ClientCommand.cpp:1010 msgctxt "listavailmods" msgid "Name" msgstr "Nombre" -#: ClientCommand.cpp:959 ClientCommand.cpp:970 +#: ClientCommand.cpp:1004 ClientCommand.cpp:1015 msgctxt "listavailmods" msgid "Description" msgstr "Descripción" -#: ClientCommand.cpp:984 +#: ClientCommand.cpp:1029 msgid "No global modules available." msgstr "No hay disponibles módulos globales." -#: ClientCommand.cpp:996 +#: ClientCommand.cpp:1041 msgid "No user modules available." msgstr "No hay disponibles módulos de usuario." -#: ClientCommand.cpp:1008 +#: ClientCommand.cpp:1053 msgid "No network modules available." msgstr "No hay módulos de red disponibles." -#: ClientCommand.cpp:1036 +#: ClientCommand.cpp:1081 msgid "Unable to load {1}: Access denied." msgstr "No se ha podido cargar {1}: acceso denegado." -#: ClientCommand.cpp:1042 +#: ClientCommand.cpp:1087 msgid "Usage: LoadMod [--type=global|user|network] [args]" msgstr "Uso: LoadMod [--type=global|user|network] [parámetros]" -#: ClientCommand.cpp:1049 +#: ClientCommand.cpp:1094 msgid "Unable to load {1}: {2}" msgstr "No se ha podido cargar {1}: {2}" -#: ClientCommand.cpp:1059 +#: ClientCommand.cpp:1104 msgid "Unable to load global module {1}: Access denied." msgstr "No se ha podido cargar el módulo global {1}: acceso denegado." -#: ClientCommand.cpp:1065 +#: ClientCommand.cpp:1110 msgid "Unable to load network module {1}: Not connected with a network." msgstr "" "No se ha podido cargar el módulo de red {1}: no estás conectado con una red." -#: ClientCommand.cpp:1087 +#: ClientCommand.cpp:1132 msgid "Unknown module type" msgstr "Tipo de módulo desconocido" -#: ClientCommand.cpp:1092 +#: ClientCommand.cpp:1137 msgid "Loaded module {1}" msgstr "Cargado módulo {1}" -#: ClientCommand.cpp:1094 +#: ClientCommand.cpp:1139 msgid "Loaded module {1}: {2}" msgstr "Cargado módulo {1}: {2}" -#: ClientCommand.cpp:1097 +#: ClientCommand.cpp:1142 msgid "Unable to load module {1}: {2}" msgstr "No se ha podido cargar el módulo {1}: {2}" -#: ClientCommand.cpp:1120 +#: ClientCommand.cpp:1165 msgid "Unable to unload {1}: Access denied." msgstr "No se ha podido descargar {1}: acceso denegado." -#: ClientCommand.cpp:1126 +#: ClientCommand.cpp:1171 msgid "Usage: UnloadMod [--type=global|user|network] " msgstr "Uso: UnLoadMod [--type=global|user|network] " -#: ClientCommand.cpp:1135 +#: ClientCommand.cpp:1180 msgid "Unable to determine type of {1}: {2}" msgstr "No se ha podido determinar el tipo de {1}: {2}" -#: ClientCommand.cpp:1143 +#: ClientCommand.cpp:1188 msgid "Unable to unload global module {1}: Access denied." msgstr "No se ha podido descargar el módulo global {1}: acceso denegado." -#: ClientCommand.cpp:1150 +#: ClientCommand.cpp:1195 msgid "Unable to unload network module {1}: Not connected with a network." msgstr "" "No se ha podido descargar el módulo de red {1}: no estás conectado con una " "red." -#: ClientCommand.cpp:1169 +#: ClientCommand.cpp:1214 msgid "Unable to unload module {1}: Unknown module type" msgstr "No se ha podido descargar el módulo {1}: tipo de módulo desconocido" -#: ClientCommand.cpp:1182 +#: ClientCommand.cpp:1227 msgid "Unable to reload modules. Access denied." msgstr "No se han podido recargar los módulos: acceso denegado." -#: ClientCommand.cpp:1203 +#: ClientCommand.cpp:1248 msgid "Usage: ReloadMod [--type=global|user|network] [args]" msgstr "Uso: ReoadMod [--type=global|user|network] [parámetros]" -#: ClientCommand.cpp:1212 +#: ClientCommand.cpp:1257 msgid "Unable to reload {1}: {2}" msgstr "No se ha podido recargar {1}: {2}" -#: ClientCommand.cpp:1220 +#: ClientCommand.cpp:1265 msgid "Unable to reload global module {1}: Access denied." msgstr "No se ha podido recargar el módulo global {1}: acceso denegado." -#: ClientCommand.cpp:1227 +#: ClientCommand.cpp:1272 msgid "Unable to reload network module {1}: Not connected with a network." msgstr "" "No se ha podido recargar el módulo de red {1}: no estás conectado con una " "red." -#: ClientCommand.cpp:1249 +#: ClientCommand.cpp:1294 msgid "Unable to reload module {1}: Unknown module type" msgstr "No se ha podido recargar el módulo {1}: tipo de módulo desconocido" -#: ClientCommand.cpp:1260 +#: ClientCommand.cpp:1305 msgid "Usage: UpdateMod " msgstr "Uso: UpdateMod " -#: ClientCommand.cpp:1264 +#: ClientCommand.cpp:1309 msgid "Reloading {1} everywhere" msgstr "Recargando {1} en todas partes" -#: ClientCommand.cpp:1266 +#: ClientCommand.cpp:1311 msgid "Done" msgstr "Hecho" -#: ClientCommand.cpp:1269 +#: ClientCommand.cpp:1314 msgid "" "Done, but there were errors, module {1} could not be reloaded everywhere." msgstr "" "Hecho, pero hay errores, el módulo {1} no se ha podido recargar en todas " "partes." -#: ClientCommand.cpp:1277 +#: ClientCommand.cpp:1322 msgid "" "You must be connected with a network to use this command. Try " "SetUserBindHost instead" @@ -1121,27 +1152,27 @@ msgstr "" "Debes estar conectado a una red para usar este comando. Prueba " "SetUserBindHost" -#: ClientCommand.cpp:1284 +#: ClientCommand.cpp:1329 msgid "Usage: SetBindHost " msgstr "Uso: SetBindHost " -#: ClientCommand.cpp:1289 ClientCommand.cpp:1306 +#: ClientCommand.cpp:1334 ClientCommand.cpp:1351 msgid "You already have this bind host!" msgstr "¡Ya tienes este host vinculado!" -#: ClientCommand.cpp:1294 +#: ClientCommand.cpp:1339 msgid "Set bind host for network {1} to {2}" msgstr "Modificado bind host para la red {1} a {2}" -#: ClientCommand.cpp:1301 +#: ClientCommand.cpp:1346 msgid "Usage: SetUserBindHost " msgstr "Uso: SetUserBindHost " -#: ClientCommand.cpp:1311 +#: ClientCommand.cpp:1356 msgid "Set default bind host to {1}" msgstr "Configurado bind host predeterminado a {1}" -#: ClientCommand.cpp:1317 +#: ClientCommand.cpp:1362 msgid "" "You must be connected with a network to use this command. Try " "ClearUserBindHost instead" @@ -1149,258 +1180,254 @@ msgstr "" "Debes estar conectado a una red para usar este comando. Prueba " "ClearUserBindHost" -#: ClientCommand.cpp:1322 +#: ClientCommand.cpp:1367 msgid "Bind host cleared for this network." msgstr "Borrado bindhost para esta red." -#: ClientCommand.cpp:1326 +#: ClientCommand.cpp:1371 msgid "Default bind host cleared for your user." msgstr "Borrado bindhost predeterminado para tu usuario." -#: ClientCommand.cpp:1329 +#: ClientCommand.cpp:1374 msgid "This user's default bind host not set" msgstr "Este usuario no tiene un bindhost predeterminado" -#: ClientCommand.cpp:1331 +#: ClientCommand.cpp:1376 msgid "This user's default bind host is {1}" msgstr "El bindhost predeterminado de este usuario es {1}" -#: ClientCommand.cpp:1336 +#: ClientCommand.cpp:1381 msgid "This network's bind host not set" msgstr "Esta red no tiene un bindhost" -#: ClientCommand.cpp:1338 +#: ClientCommand.cpp:1383 msgid "This network's default bind host is {1}" msgstr "El bindhost predeterminado de esta red es {1}" -#: ClientCommand.cpp:1352 +#: ClientCommand.cpp:1397 msgid "Usage: PlayBuffer <#chan|query>" msgstr "Uso: PlayBuffer <#canal|privado>" -#: ClientCommand.cpp:1360 -msgid "You are not on {1}" -msgstr "No estás en {1}" - -#: ClientCommand.cpp:1365 +#: ClientCommand.cpp:1410 msgid "You are not on {1} (trying to join)" msgstr "No estás en {1} (intentando entrar)" -#: ClientCommand.cpp:1370 +#: ClientCommand.cpp:1415 msgid "The buffer for channel {1} is empty" msgstr "El búfer del canal {1} está vacio" -#: ClientCommand.cpp:1379 +#: ClientCommand.cpp:1424 msgid "No active query with {1}" msgstr "No hay un privado activo con {1}" -#: ClientCommand.cpp:1384 +#: ClientCommand.cpp:1429 msgid "The buffer for {1} is empty" msgstr "El búfer de {1} está vacio" -#: ClientCommand.cpp:1400 +#: ClientCommand.cpp:1445 msgid "Usage: ClearBuffer <#chan|query>" msgstr "Uso: ClearBuffer <#canal|privado>" -#: ClientCommand.cpp:1419 +#: ClientCommand.cpp:1464 msgid "{1} buffer matching {2} has been cleared" msgid_plural "{1} buffers matching {2} have been cleared" msgstr[0] "{1} búfer coincidente con {2} ha sido borrado" msgstr[1] "{1} búfers coincidentes con {2} han sido borrados" -#: ClientCommand.cpp:1432 +#: ClientCommand.cpp:1477 msgid "All channel buffers have been cleared" msgstr "Todos los búfers de canales han sido borrados" -#: ClientCommand.cpp:1441 +#: ClientCommand.cpp:1486 msgid "All query buffers have been cleared" msgstr "Todos los búfers de privados han sido borrados" -#: ClientCommand.cpp:1453 +#: ClientCommand.cpp:1498 msgid "All buffers have been cleared" msgstr "Todos los búfers han sido borrados" -#: ClientCommand.cpp:1464 +#: ClientCommand.cpp:1509 msgid "Usage: SetBuffer <#chan|query> [linecount]" msgstr "Uso: SetBuffer <#canal|privado> [lineas]" -#: ClientCommand.cpp:1485 +#: ClientCommand.cpp:1530 msgid "Setting buffer size failed for {1} buffer" msgid_plural "Setting buffer size failed for {1} buffers" msgstr[0] "Fallo al definir el tamaño para el búfer {1}" msgstr[1] "Fallo al definir el tamaño para los búfers {1}" -#: ClientCommand.cpp:1488 +#: ClientCommand.cpp:1533 msgid "Maximum buffer size is {1} line" msgid_plural "Maximum buffer size is {1} lines" msgstr[0] "El tamaño máximo de búfer es {1} línea" msgstr[1] "El tamaño máximo de búfer es {1} líneas" -#: ClientCommand.cpp:1493 +#: ClientCommand.cpp:1538 msgid "Size of every buffer was set to {1} line" msgid_plural "Size of every buffer was set to {1} lines" msgstr[0] "El tamaño de cada búfer se ha cambiado a {1} línea" msgstr[1] "El tamaño de cada búfer se ha cambiado a {1} líneas" -#: ClientCommand.cpp:1503 ClientCommand.cpp:1510 ClientCommand.cpp:1521 -#: ClientCommand.cpp:1530 ClientCommand.cpp:1538 +#: ClientCommand.cpp:1548 ClientCommand.cpp:1555 ClientCommand.cpp:1566 +#: ClientCommand.cpp:1575 ClientCommand.cpp:1583 msgctxt "trafficcmd" msgid "Username" msgstr "Usuario" -#: ClientCommand.cpp:1504 ClientCommand.cpp:1511 ClientCommand.cpp:1523 -#: ClientCommand.cpp:1532 ClientCommand.cpp:1540 +#: ClientCommand.cpp:1549 ClientCommand.cpp:1556 ClientCommand.cpp:1568 +#: ClientCommand.cpp:1577 ClientCommand.cpp:1585 msgctxt "trafficcmd" msgid "In" msgstr "Entrada" -#: ClientCommand.cpp:1505 ClientCommand.cpp:1513 ClientCommand.cpp:1524 -#: ClientCommand.cpp:1533 ClientCommand.cpp:1541 +#: ClientCommand.cpp:1550 ClientCommand.cpp:1558 ClientCommand.cpp:1569 +#: ClientCommand.cpp:1578 ClientCommand.cpp:1586 msgctxt "trafficcmd" msgid "Out" msgstr "Salida" -#: ClientCommand.cpp:1506 ClientCommand.cpp:1516 ClientCommand.cpp:1526 -#: ClientCommand.cpp:1534 ClientCommand.cpp:1543 +#: ClientCommand.cpp:1551 ClientCommand.cpp:1561 ClientCommand.cpp:1571 +#: ClientCommand.cpp:1579 ClientCommand.cpp:1588 msgctxt "trafficcmd" msgid "Total" msgstr "Total" -#: ClientCommand.cpp:1522 +#: ClientCommand.cpp:1567 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1531 +#: ClientCommand.cpp:1576 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1539 +#: ClientCommand.cpp:1584 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1548 +#: ClientCommand.cpp:1593 msgid "Running for {1}" msgstr "Ejecutado desde {1}" -#: ClientCommand.cpp:1554 +#: ClientCommand.cpp:1599 msgid "Unknown command, try 'Help'" msgstr "Comando desconocido, prueba 'Help'" -#: ClientCommand.cpp:1563 ClientCommand.cpp:1574 +#: ClientCommand.cpp:1608 ClientCommand.cpp:1619 msgctxt "listports" msgid "Port" msgstr "Puerto" -#: ClientCommand.cpp:1564 ClientCommand.cpp:1577 +#: ClientCommand.cpp:1609 ClientCommand.cpp:1622 msgctxt "listports" msgid "BindHost" msgstr "BindHost" -#: ClientCommand.cpp:1565 ClientCommand.cpp:1580 +#: ClientCommand.cpp:1610 ClientCommand.cpp:1625 msgctxt "listports" msgid "SSL" msgstr "SSL" -#: ClientCommand.cpp:1566 ClientCommand.cpp:1585 +#: ClientCommand.cpp:1611 ClientCommand.cpp:1630 msgctxt "listports" msgid "Protocol" msgstr "Protocolo" -#: ClientCommand.cpp:1567 ClientCommand.cpp:1592 +#: ClientCommand.cpp:1612 ClientCommand.cpp:1637 msgctxt "listports" msgid "IRC" msgstr "IRC" -#: ClientCommand.cpp:1568 ClientCommand.cpp:1597 +#: ClientCommand.cpp:1613 ClientCommand.cpp:1642 msgctxt "listports" msgid "Web" msgstr "Web" -#: ClientCommand.cpp:1581 +#: ClientCommand.cpp:1626 msgctxt "listports|ssl" msgid "yes" msgstr "sí" -#: ClientCommand.cpp:1582 +#: ClientCommand.cpp:1627 msgctxt "listports|ssl" msgid "no" msgstr "no" -#: ClientCommand.cpp:1586 +#: ClientCommand.cpp:1631 msgctxt "listports" msgid "IPv4 and IPv6" msgstr "IPv4 y IPv6" -#: ClientCommand.cpp:1588 +#: ClientCommand.cpp:1633 msgctxt "listports" msgid "IPv4" msgstr "IPv4" -#: ClientCommand.cpp:1589 +#: ClientCommand.cpp:1634 msgctxt "listports" msgid "IPv6" msgstr "IPv6" -#: ClientCommand.cpp:1595 +#: ClientCommand.cpp:1640 msgctxt "listports|irc" msgid "yes" msgstr "sí" -#: ClientCommand.cpp:1596 +#: ClientCommand.cpp:1641 msgctxt "listports|irc" msgid "no" msgstr "no" -#: ClientCommand.cpp:1600 +#: ClientCommand.cpp:1645 msgctxt "listports|irc" msgid "yes, on {1}" msgstr "sí, en {1}" -#: ClientCommand.cpp:1602 +#: ClientCommand.cpp:1647 msgctxt "listports|web" msgid "no" msgstr "no" -#: ClientCommand.cpp:1642 +#: ClientCommand.cpp:1687 msgid "" "Usage: AddPort <[+]port> [bindhost [uriprefix]]" msgstr "" "Uso: AddPort <[+]puerto> [bindhost " "[prefijourl]]" -#: ClientCommand.cpp:1658 +#: ClientCommand.cpp:1703 msgid "Port added" msgstr "Puerto añadido" -#: ClientCommand.cpp:1660 +#: ClientCommand.cpp:1705 msgid "Couldn't add port" msgstr "No se puede añadir el puerto" -#: ClientCommand.cpp:1666 +#: ClientCommand.cpp:1711 msgid "Usage: DelPort [bindhost]" msgstr "Uso: DelPort [bindhost]" -#: ClientCommand.cpp:1675 +#: ClientCommand.cpp:1720 msgid "Deleted Port" msgstr "Puerto eliminado" -#: ClientCommand.cpp:1677 +#: ClientCommand.cpp:1722 msgid "Unable to find a matching port" msgstr "No se ha encontrado un puerto que coincida" -#: ClientCommand.cpp:1685 ClientCommand.cpp:1700 +#: ClientCommand.cpp:1730 ClientCommand.cpp:1745 msgctxt "helpcmd" msgid "Command" msgstr "Comando" -#: ClientCommand.cpp:1686 ClientCommand.cpp:1702 +#: ClientCommand.cpp:1731 ClientCommand.cpp:1747 msgctxt "helpcmd" msgid "Description" msgstr "Descripción" -#: ClientCommand.cpp:1691 +#: ClientCommand.cpp:1736 msgid "" "In the following list all occurrences of <#chan> support wildcards (* and ?) " "except ListNicks" @@ -1408,87 +1435,87 @@ msgstr "" "En la siguiente lista todas las coincidencias de <#canal> soportan comodines " "(* y ?) excepto ListNicks" -#: ClientCommand.cpp:1708 +#: ClientCommand.cpp:1753 msgctxt "helpcmd|Version|desc" msgid "Print which version of ZNC this is" msgstr "Imprime la versión de ZNC" -#: ClientCommand.cpp:1711 +#: ClientCommand.cpp:1756 msgctxt "helpcmd|ListMods|desc" msgid "List all loaded modules" msgstr "Lista todos los módulos cargados" -#: ClientCommand.cpp:1714 +#: ClientCommand.cpp:1759 msgctxt "helpcmd|ListAvailMods|desc" msgid "List all available modules" msgstr "Lista todos los módulos disponibles" -#: ClientCommand.cpp:1718 ClientCommand.cpp:1904 +#: ClientCommand.cpp:1763 ClientCommand.cpp:1954 msgctxt "helpcmd|ListChans|desc" msgid "List all channels" msgstr "Lista todos los canales" -#: ClientCommand.cpp:1721 +#: ClientCommand.cpp:1766 msgctxt "helpcmd|ListNicks|args" msgid "<#chan>" msgstr "<#canal>" -#: ClientCommand.cpp:1722 +#: ClientCommand.cpp:1767 msgctxt "helpcmd|ListNicks|desc" msgid "List all nicks on a channel" msgstr "Lista todos los nicks de un canal" -#: ClientCommand.cpp:1725 +#: ClientCommand.cpp:1770 msgctxt "helpcmd|ListClients|desc" msgid "List all clients connected to your ZNC user" msgstr "Lista todos los clientes conectados en tu usuario de ZNC" -#: ClientCommand.cpp:1729 +#: ClientCommand.cpp:1774 msgctxt "helpcmd|ListServers|desc" msgid "List all servers of current IRC network" msgstr "Lista todos los servidores de la red IRC actual" -#: ClientCommand.cpp:1733 +#: ClientCommand.cpp:1778 msgctxt "helpcmd|AddNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1734 +#: ClientCommand.cpp:1779 msgctxt "helpcmd|AddNetwork|desc" msgid "Add a network to your user" msgstr "Añade una red a tu usario" -#: ClientCommand.cpp:1736 +#: ClientCommand.cpp:1781 msgctxt "helpcmd|DelNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1737 +#: ClientCommand.cpp:1782 msgctxt "helpcmd|DelNetwork|desc" msgid "Delete a network from your user" msgstr "Elimina una red de tu usuario" -#: ClientCommand.cpp:1739 +#: ClientCommand.cpp:1784 msgctxt "helpcmd|ListNetworks|desc" msgid "List all networks" msgstr "Lista todas las redes" -#: ClientCommand.cpp:1742 +#: ClientCommand.cpp:1787 msgctxt "helpcmd|MoveNetwork|args" msgid " [new network]" msgstr " [nueva red]" -#: ClientCommand.cpp:1744 +#: ClientCommand.cpp:1789 msgctxt "helpcmd|MoveNetwork|desc" msgid "Move an IRC network from one user to another" msgstr "Mueve una red de IRC de un usuario a otro" -#: ClientCommand.cpp:1748 +#: ClientCommand.cpp:1793 msgctxt "helpcmd|JumpNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1749 +#: ClientCommand.cpp:1794 msgctxt "helpcmd|JumpNetwork|desc" msgid "" "Jump to another network (Alternatively, you can connect to ZNC several " @@ -1497,24 +1524,24 @@ msgstr "" "Saltar a otra red (alternativamente, puedes conectar a ZNC varias veces, " "usando `usuario/red` como nombre de usuario)" -#: ClientCommand.cpp:1754 +#: ClientCommand.cpp:1799 msgctxt "helpcmd|AddServer|args" msgid " [[+]port] [pass]" msgstr " [[+]puerto] [contraseña]" -#: ClientCommand.cpp:1755 +#: ClientCommand.cpp:1800 msgctxt "helpcmd|AddServer|desc" msgid "" "Add a server to the list of alternate/backup servers of current IRC network." msgstr "" "Añade un servidor a la lista de servidores alternativos de la red IRC actual." -#: ClientCommand.cpp:1759 +#: ClientCommand.cpp:1804 msgctxt "helpcmd|DelServer|args" msgid " [port] [pass]" msgstr " [puerto] [contraseña]" -#: ClientCommand.cpp:1760 +#: ClientCommand.cpp:1805 msgctxt "helpcmd|DelServer|desc" msgid "" "Remove a server from the list of alternate/backup servers of current IRC " @@ -1523,12 +1550,12 @@ msgstr "" "Elimina un servidor de la lista de servidores alternativos de la red IRC " "actual" -#: ClientCommand.cpp:1766 +#: ClientCommand.cpp:1811 msgctxt "helpcmd|AddTrustedServerFingerprint|args" msgid "" msgstr "" -#: ClientCommand.cpp:1767 +#: ClientCommand.cpp:1812 msgctxt "helpcmd|AddTrustedServerFingerprint|desc" msgid "" "Add a trusted server SSL certificate fingerprint (SHA-256) to current IRC " @@ -1537,338 +1564,358 @@ msgstr "" "Añade un certificado digital (SHA-256) de confianza del servidor SSL a la " "red IRC actual." -#: ClientCommand.cpp:1772 +#: ClientCommand.cpp:1817 msgctxt "helpcmd|DelTrustedServerFingerprint|args" msgid "" msgstr "" -#: ClientCommand.cpp:1773 +#: ClientCommand.cpp:1818 msgctxt "helpcmd|DelTrustedServerFingerprint|desc" msgid "Delete a trusted server SSL certificate from current IRC network." msgstr "Elimina un certificado digital de confianza de la red IRC actual." -#: ClientCommand.cpp:1777 +#: ClientCommand.cpp:1822 msgctxt "helpcmd|ListTrustedServerFingerprints|desc" msgid "List all trusted server SSL certificates of current IRC network." msgstr "Lista todos los certificados SSL de confianza de la red IRC actual." -#: ClientCommand.cpp:1780 +#: ClientCommand.cpp:1825 msgctxt "helpcmd|EnableChan|args" msgid "<#chans>" msgstr "<#canales>" -#: ClientCommand.cpp:1781 +#: ClientCommand.cpp:1826 msgctxt "helpcmd|EnableChan|desc" msgid "Enable channels" msgstr "Habilita canales" -#: ClientCommand.cpp:1782 +#: ClientCommand.cpp:1827 msgctxt "helpcmd|DisableChan|args" msgid "<#chans>" msgstr "<#canales>" -#: ClientCommand.cpp:1783 +#: ClientCommand.cpp:1828 msgctxt "helpcmd|DisableChan|desc" msgid "Disable channels" msgstr "Deshabilita canales" -#: ClientCommand.cpp:1784 +#: ClientCommand.cpp:1829 +msgctxt "helpcmd|MoveChan|args" +msgid "<#chan> " +msgstr "" + +#: ClientCommand.cpp:1830 +msgctxt "helpcmd|MoveChan|desc" +msgid "Move channel in sort order" +msgstr "" + +#: ClientCommand.cpp:1832 +msgctxt "helpcmd|SwapChans|args" +msgid "<#chan1> <#chan2>" +msgstr "" + +#: ClientCommand.cpp:1833 +msgctxt "helpcmd|SwapChans|desc" +msgid "Swap channels in sort order" +msgstr "" + +#: ClientCommand.cpp:1834 msgctxt "helpcmd|Attach|args" msgid "<#chans>" msgstr "<#canales>" -#: ClientCommand.cpp:1785 +#: ClientCommand.cpp:1835 msgctxt "helpcmd|Attach|desc" msgid "Attach to channels" msgstr "Unirse a canales" -#: ClientCommand.cpp:1786 +#: ClientCommand.cpp:1836 msgctxt "helpcmd|Detach|args" msgid "<#chans>" msgstr "<#canales>" -#: ClientCommand.cpp:1787 +#: ClientCommand.cpp:1837 msgctxt "helpcmd|Detach|desc" msgid "Detach from channels" msgstr "Separarse de canales" -#: ClientCommand.cpp:1790 +#: ClientCommand.cpp:1840 msgctxt "helpcmd|Topics|desc" msgid "Show topics in all your channels" msgstr "Mostrar topics de tus canales" -#: ClientCommand.cpp:1793 +#: ClientCommand.cpp:1843 msgctxt "helpcmd|PlayBuffer|args" msgid "<#chan|query>" msgstr "<#canal|privado>" -#: ClientCommand.cpp:1794 +#: ClientCommand.cpp:1844 msgctxt "helpcmd|PlayBuffer|desc" msgid "Play back the specified buffer" msgstr "Reproduce el búfer especificado" -#: ClientCommand.cpp:1796 +#: ClientCommand.cpp:1846 msgctxt "helpcmd|ClearBuffer|args" msgid "<#chan|query>" msgstr "<#canal|privado>" -#: ClientCommand.cpp:1797 +#: ClientCommand.cpp:1847 msgctxt "helpcmd|ClearBuffer|desc" msgid "Clear the specified buffer" msgstr "Borra el búfer especificado" -#: ClientCommand.cpp:1799 +#: ClientCommand.cpp:1849 msgctxt "helpcmd|ClearAllBuffers|desc" msgid "Clear all channel and query buffers" msgstr "Borra todos los búfers de canales y privados" -#: ClientCommand.cpp:1802 +#: ClientCommand.cpp:1852 msgctxt "helpcmd|ClearAllChannelBuffers|desc" msgid "Clear the channel buffers" msgstr "Borrar todos los búfers de canales" -#: ClientCommand.cpp:1806 +#: ClientCommand.cpp:1856 msgctxt "helpcmd|ClearAllQueryBuffers|desc" msgid "Clear the query buffers" msgstr "Borrar todos los búfers de privados" -#: ClientCommand.cpp:1808 +#: ClientCommand.cpp:1858 msgctxt "helpcmd|SetBuffer|args" msgid "<#chan|query> [linecount]" msgstr "<#canal|privado> [lineas]" -#: ClientCommand.cpp:1809 +#: ClientCommand.cpp:1859 msgctxt "helpcmd|SetBuffer|desc" msgid "Set the buffer count" msgstr "Ajusta las líneas de búfer" -#: ClientCommand.cpp:1813 +#: ClientCommand.cpp:1863 msgctxt "helpcmd|SetBindHost|args" msgid "" msgstr "" -#: ClientCommand.cpp:1814 +#: ClientCommand.cpp:1864 msgctxt "helpcmd|SetBindHost|desc" msgid "Set the bind host for this network" msgstr "Define el bind host para esta red" -#: ClientCommand.cpp:1818 +#: ClientCommand.cpp:1868 msgctxt "helpcmd|SetUserBindHost|args" msgid "" msgstr "" -#: ClientCommand.cpp:1819 +#: ClientCommand.cpp:1869 msgctxt "helpcmd|SetUserBindHost|desc" msgid "Set the default bind host for this user" msgstr "Define el bind host predeterminado para este usuario" -#: ClientCommand.cpp:1822 +#: ClientCommand.cpp:1872 msgctxt "helpcmd|ClearBindHost|desc" msgid "Clear the bind host for this network" msgstr "Borrar el bind host para esta red" -#: ClientCommand.cpp:1825 +#: ClientCommand.cpp:1875 msgctxt "helpcmd|ClearUserBindHost|desc" msgid "Clear the default bind host for this user" msgstr "Borrar el bind host predeterminado para este usuario" -#: ClientCommand.cpp:1831 +#: ClientCommand.cpp:1881 msgctxt "helpcmd|ShowBindHost|desc" msgid "Show currently selected bind host" msgstr "Mostrar el bind host seleccionado" -#: ClientCommand.cpp:1833 +#: ClientCommand.cpp:1883 msgctxt "helpcmd|Jump|args" msgid "[server]" msgstr "[servidor]" -#: ClientCommand.cpp:1834 +#: ClientCommand.cpp:1884 msgctxt "helpcmd|Jump|desc" msgid "Jump to the next or the specified server" msgstr "Saltar al siguiente servidor" -#: ClientCommand.cpp:1835 +#: ClientCommand.cpp:1885 msgctxt "helpcmd|Disconnect|args" msgid "[message]" msgstr "[mensaje]" -#: ClientCommand.cpp:1836 +#: ClientCommand.cpp:1886 msgctxt "helpcmd|Disconnect|desc" msgid "Disconnect from IRC" msgstr "Desconectar del IRC" -#: ClientCommand.cpp:1838 +#: ClientCommand.cpp:1888 msgctxt "helpcmd|Connect|desc" msgid "Reconnect to IRC" msgstr "Reconectar al IRC" -#: ClientCommand.cpp:1841 +#: ClientCommand.cpp:1891 msgctxt "helpcmd|Uptime|desc" msgid "Show for how long ZNC has been running" msgstr "Mostrar cuanto tiempo lleva ZNC ejecutándose" -#: ClientCommand.cpp:1845 +#: ClientCommand.cpp:1895 msgctxt "helpcmd|LoadMod|args" msgid "[--type=global|user|network] [args]" msgstr "" -#: ClientCommand.cpp:1847 +#: ClientCommand.cpp:1897 msgctxt "helpcmd|LoadMod|desc" msgid "Load a module" msgstr "Cargar un módulo" -#: ClientCommand.cpp:1849 +#: ClientCommand.cpp:1899 msgctxt "helpcmd|UnloadMod|args" msgid "[--type=global|user|network] " msgstr "[--type=global|user|network] " -#: ClientCommand.cpp:1851 +#: ClientCommand.cpp:1901 msgctxt "helpcmd|UnloadMod|desc" msgid "Unload a module" msgstr "Descargar un módulo" -#: ClientCommand.cpp:1853 +#: ClientCommand.cpp:1903 msgctxt "helpcmd|ReloadMod|args" msgid "[--type=global|user|network] [args]" msgstr "" -#: ClientCommand.cpp:1855 +#: ClientCommand.cpp:1905 msgctxt "helpcmd|ReloadMod|desc" msgid "Reload a module" msgstr "Recargar un módulo" -#: ClientCommand.cpp:1858 +#: ClientCommand.cpp:1908 msgctxt "helpcmd|UpdateMod|args" msgid "" msgstr "" -#: ClientCommand.cpp:1859 +#: ClientCommand.cpp:1909 msgctxt "helpcmd|UpdateMod|desc" msgid "Reload a module everywhere" msgstr "Recargar un módulo en todas partes" -#: ClientCommand.cpp:1865 +#: ClientCommand.cpp:1915 msgctxt "helpcmd|ShowMOTD|desc" msgid "Show ZNC's message of the day" msgstr "Mostrar el mensaje del día de ZNC" -#: ClientCommand.cpp:1869 +#: ClientCommand.cpp:1919 msgctxt "helpcmd|SetMOTD|args" msgid "" msgstr "" -#: ClientCommand.cpp:1870 +#: ClientCommand.cpp:1920 msgctxt "helpcmd|SetMOTD|desc" msgid "Set ZNC's message of the day" msgstr "Definir el mensaje del día de ZNC" -#: ClientCommand.cpp:1872 +#: ClientCommand.cpp:1922 msgctxt "helpcmd|AddMOTD|args" msgid "" msgstr "" -#: ClientCommand.cpp:1873 +#: ClientCommand.cpp:1923 msgctxt "helpcmd|AddMOTD|desc" msgid "Append to ZNC's MOTD" msgstr "Añadir un al MOTD de ZNC" -#: ClientCommand.cpp:1875 +#: ClientCommand.cpp:1925 msgctxt "helpcmd|ClearMOTD|desc" msgid "Clear ZNC's MOTD" msgstr "Borrar el MOTD de ZNC" -#: ClientCommand.cpp:1878 +#: ClientCommand.cpp:1928 msgctxt "helpcmd|ListPorts|desc" msgid "Show all active listeners" msgstr "Mostrar todos los puertos en escucha" -#: ClientCommand.cpp:1880 +#: ClientCommand.cpp:1930 msgctxt "helpcmd|AddPort|args" msgid "<[+]port> [bindhost [uriprefix]]" msgstr "<[+]puerto> [bindhost [prefijouri]]" -#: ClientCommand.cpp:1883 +#: ClientCommand.cpp:1933 msgctxt "helpcmd|AddPort|desc" msgid "Add another port for ZNC to listen on" msgstr "Añadir otro puerto de escucha a ZNC" -#: ClientCommand.cpp:1887 +#: ClientCommand.cpp:1937 msgctxt "helpcmd|DelPort|args" msgid " [bindhost]" msgstr " [bindhost]" -#: ClientCommand.cpp:1888 +#: ClientCommand.cpp:1938 msgctxt "helpcmd|DelPort|desc" msgid "Remove a port from ZNC" msgstr "Eliminar un puerto de ZNC" -#: ClientCommand.cpp:1891 +#: ClientCommand.cpp:1941 msgctxt "helpcmd|Rehash|desc" msgid "Reload global settings, modules, and listeners from znc.conf" msgstr "" "Recargar ajustes globales, módulos, y puertos de escucha desde znc.conf" -#: ClientCommand.cpp:1894 +#: ClientCommand.cpp:1944 msgctxt "helpcmd|SaveConfig|desc" msgid "Save the current settings to disk" msgstr "Guardar la configuración actual en disco" -#: ClientCommand.cpp:1897 +#: ClientCommand.cpp:1947 msgctxt "helpcmd|ListUsers|desc" msgid "List all ZNC users and their connection status" msgstr "Mostrar todos los usuarios de ZNC y su estado de conexión" -#: ClientCommand.cpp:1900 +#: ClientCommand.cpp:1950 msgctxt "helpcmd|ListAllUserNetworks|desc" msgid "List all ZNC users and their networks" msgstr "Mostrar todos los usuarios de ZNC y sus redes" -#: ClientCommand.cpp:1903 +#: ClientCommand.cpp:1953 msgctxt "helpcmd|ListChans|args" msgid "[user ]" msgstr "[usuario ]" -#: ClientCommand.cpp:1906 +#: ClientCommand.cpp:1956 msgctxt "helpcmd|ListClients|args" msgid "[user]" msgstr "[usuario]" -#: ClientCommand.cpp:1907 +#: ClientCommand.cpp:1957 msgctxt "helpcmd|ListClients|desc" msgid "List all connected clients" msgstr "Mostrar todos los clientes conectados" -#: ClientCommand.cpp:1909 +#: ClientCommand.cpp:1959 msgctxt "helpcmd|Traffic|desc" msgid "Show basic traffic stats for all ZNC users" msgstr "Mostrar estadísticas de tráfico de todos los usuarios de ZNC" -#: ClientCommand.cpp:1911 +#: ClientCommand.cpp:1961 msgctxt "helpcmd|Broadcast|args" msgid "[message]" msgstr "[mensaje]" -#: ClientCommand.cpp:1912 +#: ClientCommand.cpp:1962 msgctxt "helpcmd|Broadcast|desc" msgid "Broadcast a message to all ZNC users" msgstr "Difundir un mensaje a todos los usuarios de ZNC" -#: ClientCommand.cpp:1915 +#: ClientCommand.cpp:1965 msgctxt "helpcmd|Shutdown|args" msgid "[message]" msgstr "[mensaje]" -#: ClientCommand.cpp:1916 +#: ClientCommand.cpp:1966 msgctxt "helpcmd|Shutdown|desc" msgid "Shut down ZNC completely" msgstr "Cerrar ZNC completamente" -#: ClientCommand.cpp:1917 +#: ClientCommand.cpp:1967 msgctxt "helpcmd|Restart|args" msgid "[message]" msgstr "[mensaje]" -#: ClientCommand.cpp:1918 +#: ClientCommand.cpp:1968 msgctxt "helpcmd|Restart|desc" msgid "Restart ZNC" msgstr "Reiniciar ZNC" diff --git a/src/po/znc.fr_FR.po b/src/po/znc.fr_FR.po index b6c1cb1f..a7e4748e 100644 --- a/src/po/znc.fr_FR.po +++ b/src/po/znc.fr_FR.po @@ -75,7 +75,7 @@ msgstr "Impossible de trouver le fichier pem : {1}" msgid "Invalid port" msgstr "Port invalide" -#: znc.cpp:1813 ClientCommand.cpp:1655 +#: znc.cpp:1813 ClientCommand.cpp:1700 msgid "Unable to bind: {1}" msgstr "Impossible d'utiliser le port : {1}" @@ -99,21 +99,30 @@ msgid "This network is being deleted or moved to another user." msgstr "" "Ce réseau est en train d'être supprimé ou déplacé vers un autre utilisateur." -#: IRCNetwork.cpp:1016 +#: IRCNetwork.cpp:948 +msgid "Invalid index" +msgstr "" + +#: IRCNetwork.cpp:956 IRCNetwork.cpp:972 IRCNetwork.cpp:980 +#: ClientCommand.cpp:1405 +msgid "You are not on {1}" +msgstr "Vous n'êtes pas sur {1}" + +#: IRCNetwork.cpp:1059 msgid "The channel {1} could not be joined, disabling it." msgstr "Impossible de rejoindre le salon {1}, il est désormais désactivé." -#: IRCNetwork.cpp:1145 +#: IRCNetwork.cpp:1188 msgid "Your current server was removed, jumping..." msgstr "Le serveur actuel a été supprimé. Changement en cours..." -#: IRCNetwork.cpp:1308 +#: IRCNetwork.cpp:1351 msgid "Cannot connect to {1}, because ZNC is not compiled with SSL support." msgstr "" "Impossible de se connecter à {1}, car ZNC n'a pas été compilé avec le " "support SSL." -#: IRCNetwork.cpp:1329 +#: IRCNetwork.cpp:1372 msgid "Some module aborted the connection attempt" msgstr "Un module a annulé la tentative de connexion" @@ -309,7 +318,7 @@ msgctxt "modhelpcmd" msgid "Generate this output" msgstr "Générer cette sortie" -#: Modules.cpp:573 ClientCommand.cpp:1922 +#: Modules.cpp:573 ClientCommand.cpp:1972 msgid "No matches for '{1}'" msgstr "Aucune correspondance pour '{1}'" @@ -421,11 +430,12 @@ msgstr "Description" #: ClientCommand.cpp:51 ClientCommand.cpp:115 ClientCommand.cpp:137 #: ClientCommand.cpp:339 ClientCommand.cpp:390 ClientCommand.cpp:405 -#: ClientCommand.cpp:432 ClientCommand.cpp:459 ClientCommand.cpp:764 -#: ClientCommand.cpp:783 ClientCommand.cpp:809 ClientCommand.cpp:843 -#: ClientCommand.cpp:856 ClientCommand.cpp:869 ClientCommand.cpp:884 -#: ClientCommand.cpp:1345 ClientCommand.cpp:1393 ClientCommand.cpp:1425 -#: ClientCommand.cpp:1436 ClientCommand.cpp:1445 ClientCommand.cpp:1457 +#: ClientCommand.cpp:432 ClientCommand.cpp:459 ClientCommand.cpp:480 +#: ClientCommand.cpp:499 ClientCommand.cpp:809 ClientCommand.cpp:828 +#: ClientCommand.cpp:854 ClientCommand.cpp:888 ClientCommand.cpp:901 +#: ClientCommand.cpp:914 ClientCommand.cpp:929 ClientCommand.cpp:1390 +#: ClientCommand.cpp:1438 ClientCommand.cpp:1470 ClientCommand.cpp:1481 +#: ClientCommand.cpp:1490 ClientCommand.cpp:1502 msgid "You must be connected with a network to use this command" msgstr "Vous devez être connecté à un réseau pour utiliser cette commande" @@ -602,7 +612,7 @@ msgid "" "ERROR: Writing config file to disk failed! Aborting. Use {1} FORCE to ignore." msgstr "" -#: ClientCommand.cpp:344 ClientCommand.cpp:797 ClientCommand.cpp:838 +#: ClientCommand.cpp:344 ClientCommand.cpp:842 ClientCommand.cpp:883 msgid "You don't have any servers added." msgstr "Vous n'avez aucun serveur." @@ -646,87 +656,108 @@ msgid_plural "Disabled {1} channels" msgstr[0] "" msgstr[1] "" -#: ClientCommand.cpp:470 +#: ClientCommand.cpp:466 +msgid "Usage: MoveChan <#chan> " +msgstr "" + +#: ClientCommand.cpp:474 +msgid "Moved channel {1} to index {2}" +msgstr "" + +#: ClientCommand.cpp:487 +msgid "Usage: SwapChans <#chan1> <#chan2>" +msgstr "" + +#: ClientCommand.cpp:493 +msgid "Swapped channels {1} and {2}" +msgstr "" + +#: ClientCommand.cpp:510 msgid "Usage: ListChans" msgstr "Utilisation : ListChans" -#: ClientCommand.cpp:477 +#: ClientCommand.cpp:517 msgid "No such user [{1}]" msgstr "L'utilisateur [{1}] n'existe pas" -#: ClientCommand.cpp:483 +#: ClientCommand.cpp:523 msgid "User [{1}] doesn't have network [{2}]" msgstr "L'utilisateur [{1}] n'a pas de réseau [{2}]" -#: ClientCommand.cpp:494 +#: ClientCommand.cpp:534 msgid "There are no channels defined." msgstr "Aucun salon n'a été configuré." -#: ClientCommand.cpp:499 ClientCommand.cpp:515 +#: ClientCommand.cpp:539 ClientCommand.cpp:557 +msgctxt "listchans" +msgid "Index" +msgstr "" + +#: ClientCommand.cpp:540 ClientCommand.cpp:558 msgctxt "listchans" msgid "Name" msgstr "Nom" -#: ClientCommand.cpp:500 ClientCommand.cpp:518 +#: ClientCommand.cpp:541 ClientCommand.cpp:561 msgctxt "listchans" msgid "Status" msgstr "Statut" -#: ClientCommand.cpp:501 ClientCommand.cpp:525 +#: ClientCommand.cpp:542 ClientCommand.cpp:568 msgctxt "listchans" msgid "In config" msgstr "Configuré" -#: ClientCommand.cpp:502 ClientCommand.cpp:527 +#: ClientCommand.cpp:543 ClientCommand.cpp:570 msgctxt "listchans" msgid "Buffer" msgstr "Tampon" -#: ClientCommand.cpp:503 ClientCommand.cpp:531 +#: ClientCommand.cpp:544 ClientCommand.cpp:574 msgctxt "listchans" msgid "Clear" msgstr "Vider" -#: ClientCommand.cpp:504 ClientCommand.cpp:536 +#: ClientCommand.cpp:545 ClientCommand.cpp:579 msgctxt "listchans" msgid "Modes" msgstr "Modes" -#: ClientCommand.cpp:505 ClientCommand.cpp:537 +#: ClientCommand.cpp:546 ClientCommand.cpp:580 msgctxt "listchans" msgid "Users" msgstr "Utilisateurs" -#: ClientCommand.cpp:520 +#: ClientCommand.cpp:563 msgctxt "listchans" msgid "Detached" msgstr "Détaché" -#: ClientCommand.cpp:521 +#: ClientCommand.cpp:564 msgctxt "listchans" msgid "Joined" msgstr "Rejoint" -#: ClientCommand.cpp:522 +#: ClientCommand.cpp:565 msgctxt "listchans" msgid "Disabled" msgstr "Désactivé" -#: ClientCommand.cpp:523 +#: ClientCommand.cpp:566 msgctxt "listchans" msgid "Trying" msgstr "Essai" -#: ClientCommand.cpp:526 ClientCommand.cpp:534 +#: ClientCommand.cpp:569 ClientCommand.cpp:577 msgctxt "listchans" msgid "yes" msgstr "oui" -#: ClientCommand.cpp:551 +#: ClientCommand.cpp:596 msgid "Total: {1}, Joined: {2}, Detached: {3}, Disabled: {4}" msgstr "Total : {1}, Rejoint : {2}, Détaché : {3}, Désactivé : {4}" -#: ClientCommand.cpp:556 +#: ClientCommand.cpp:601 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks using /znc DelNetwork " @@ -735,15 +766,15 @@ msgstr "" "augmenter cette limite ou supprimez des réseaux obsolètes avec /znc " "DelNetwork " -#: ClientCommand.cpp:565 +#: ClientCommand.cpp:610 msgid "Usage: AddNetwork " msgstr "Utilisation : AddNetwork " -#: ClientCommand.cpp:569 +#: ClientCommand.cpp:614 msgid "Network name should be alphanumeric" msgstr "Le nom du réseau ne doit contenir que des caractères alphanumériques" -#: ClientCommand.cpp:576 +#: ClientCommand.cpp:621 msgid "" "Network added. Use /znc JumpNetwork {1}, or connect to ZNC with username {2} " "(instead of just {3}) to connect to it." @@ -751,140 +782,140 @@ msgstr "" "Réseau ajouté. Utilisez /znc JumpNetwork {1} ou connectez-vous à ZNC avec " "l'identifiant {2} (au lieu de {3}) pour vous y connecter." -#: ClientCommand.cpp:581 +#: ClientCommand.cpp:626 msgid "Unable to add that network" msgstr "Ce réseau n'a pas pu être ajouté" -#: ClientCommand.cpp:588 +#: ClientCommand.cpp:633 msgid "Usage: DelNetwork " msgstr "Utilisation : DelNetwork " -#: ClientCommand.cpp:597 +#: ClientCommand.cpp:642 msgid "Network deleted" msgstr "Réseau supprimé" -#: ClientCommand.cpp:600 +#: ClientCommand.cpp:645 msgid "Failed to delete network, perhaps this network doesn't exist" msgstr "Le réseau n'a pas pu être supprimé, peut-être qu'il n'existe pas" -#: ClientCommand.cpp:610 +#: ClientCommand.cpp:655 msgid "User {1} not found" msgstr "L'utilisateur {1} n'a pas été trouvé" -#: ClientCommand.cpp:618 ClientCommand.cpp:626 +#: ClientCommand.cpp:663 ClientCommand.cpp:671 msgctxt "listnetworks" msgid "Network" msgstr "Réseau" -#: ClientCommand.cpp:619 ClientCommand.cpp:628 ClientCommand.cpp:637 +#: ClientCommand.cpp:664 ClientCommand.cpp:673 ClientCommand.cpp:682 msgctxt "listnetworks" msgid "On IRC" msgstr "Sur IRC" -#: ClientCommand.cpp:620 ClientCommand.cpp:630 +#: ClientCommand.cpp:665 ClientCommand.cpp:675 msgctxt "listnetworks" msgid "IRC Server" msgstr "Serveur IRC" -#: ClientCommand.cpp:621 ClientCommand.cpp:632 +#: ClientCommand.cpp:666 ClientCommand.cpp:677 msgctxt "listnetworks" msgid "IRC User" msgstr "Utilisateur IRC" -#: ClientCommand.cpp:622 ClientCommand.cpp:634 +#: ClientCommand.cpp:667 ClientCommand.cpp:679 msgctxt "listnetworks" msgid "Channels" msgstr "Salons" -#: ClientCommand.cpp:629 +#: ClientCommand.cpp:674 msgctxt "listnetworks" msgid "Yes" msgstr "Oui" -#: ClientCommand.cpp:638 +#: ClientCommand.cpp:683 msgctxt "listnetworks" msgid "No" msgstr "Non" -#: ClientCommand.cpp:643 +#: ClientCommand.cpp:688 msgctxt "listnetworks" msgid "No networks" msgstr "Aucun réseau" -#: ClientCommand.cpp:647 ClientCommand.cpp:952 +#: ClientCommand.cpp:692 ClientCommand.cpp:997 msgid "Access denied." msgstr "Accès refusé." -#: ClientCommand.cpp:658 +#: ClientCommand.cpp:703 msgid "Usage: MoveNetwork [new network]" msgstr "" "Utilisation : MoveNetwork [nouveau réseau]" -#: ClientCommand.cpp:668 +#: ClientCommand.cpp:713 msgid "Old user {1} not found." msgstr "L'ancien utilisateur {1} n'a pas été trouvé." -#: ClientCommand.cpp:674 +#: ClientCommand.cpp:719 msgid "Old network {1} not found." msgstr "L'ancien réseau {1} n'a pas été trouvé." -#: ClientCommand.cpp:680 +#: ClientCommand.cpp:725 msgid "New user {1} not found." msgstr "Le nouvel utilisateur {1} n'a pas été trouvé." -#: ClientCommand.cpp:685 +#: ClientCommand.cpp:730 msgid "User {1} already has network {2}." msgstr "L'utilisateur {1} possède déjà le réseau {2}." -#: ClientCommand.cpp:691 +#: ClientCommand.cpp:736 msgid "Invalid network name [{1}]" msgstr "Le nom de réseau [{1}] est invalide" -#: ClientCommand.cpp:707 +#: ClientCommand.cpp:752 msgid "Some files seem to be in {1}. You might want to move them to {2}" msgstr "" "Certains fichiers semblent être dans {1}. Vous pouvez les déplacer dans {2}" -#: ClientCommand.cpp:721 +#: ClientCommand.cpp:766 msgid "Error adding network: {1}" msgstr "Erreur lors de l'ajout du réseau : {1}" -#: ClientCommand.cpp:733 +#: ClientCommand.cpp:778 msgid "Success." msgstr "Succès." -#: ClientCommand.cpp:736 +#: ClientCommand.cpp:781 msgid "Copied the network to new user, but failed to delete old network" msgstr "" "Le réseau a bien été copié vers le nouvel utilisateur, mais l'ancien réseau " "n'a pas pu être supprimé" -#: ClientCommand.cpp:743 +#: ClientCommand.cpp:788 msgid "No network supplied." msgstr "Aucun réseau spécifié." -#: ClientCommand.cpp:748 +#: ClientCommand.cpp:793 msgid "You are already connected with this network." msgstr "Vous êtes déjà connecté à ce réseau." -#: ClientCommand.cpp:754 +#: ClientCommand.cpp:799 msgid "Switched to {1}" msgstr "Migration vers {1}" -#: ClientCommand.cpp:757 +#: ClientCommand.cpp:802 msgid "You don't have a network named {1}" msgstr "Vous n'avez aucun réseau nommé {1}" -#: ClientCommand.cpp:769 +#: ClientCommand.cpp:814 msgid "Usage: AddServer [[+]port] [pass]" msgstr "Utilisation : AddServer [[+]port] [pass]" -#: ClientCommand.cpp:774 +#: ClientCommand.cpp:819 msgid "Server added" msgstr "Serveur ajouté" -#: ClientCommand.cpp:777 +#: ClientCommand.cpp:822 msgid "" "Unable to add that server. Perhaps the server is already added or openssl is " "disabled?" @@ -892,239 +923,239 @@ msgstr "" "Impossible d'ajouter ce serveur. Peut-être ce serveur existe déjà ou SSL est " "désactivé ?" -#: ClientCommand.cpp:792 +#: ClientCommand.cpp:837 msgid "Usage: DelServer [port] [pass]" msgstr "Utilisation : DelServer [port] [pass]" -#: ClientCommand.cpp:802 +#: ClientCommand.cpp:847 msgid "Server removed" msgstr "Serveur supprimé" -#: ClientCommand.cpp:804 +#: ClientCommand.cpp:849 msgid "No such server" msgstr "Ce serveur n'existe pas" -#: ClientCommand.cpp:817 ClientCommand.cpp:825 +#: ClientCommand.cpp:862 ClientCommand.cpp:870 msgctxt "listservers" msgid "Host" msgstr "Hôte" -#: ClientCommand.cpp:818 ClientCommand.cpp:827 +#: ClientCommand.cpp:863 ClientCommand.cpp:872 msgctxt "listservers" msgid "Port" msgstr "Port" -#: ClientCommand.cpp:819 ClientCommand.cpp:830 +#: ClientCommand.cpp:864 ClientCommand.cpp:875 msgctxt "listservers" msgid "SSL" msgstr "SSL" -#: ClientCommand.cpp:820 ClientCommand.cpp:832 +#: ClientCommand.cpp:865 ClientCommand.cpp:877 msgctxt "listservers" msgid "Password" msgstr "Mot de passe" -#: ClientCommand.cpp:831 +#: ClientCommand.cpp:876 msgctxt "listservers|cell" msgid "SSL" msgstr "SSL" -#: ClientCommand.cpp:848 +#: ClientCommand.cpp:893 msgid "Usage: AddTrustedServerFingerprint " msgstr "Utilisation : AddTrustedServerFingerprint " -#: ClientCommand.cpp:852 ClientCommand.cpp:865 +#: ClientCommand.cpp:897 ClientCommand.cpp:910 msgid "Done." msgstr "Fait." -#: ClientCommand.cpp:861 +#: ClientCommand.cpp:906 msgid "Usage: DelTrustedServerFingerprint " msgstr "Utilisation : DelTrustedServerFingerprint " -#: ClientCommand.cpp:874 +#: ClientCommand.cpp:919 msgid "No fingerprints added." msgstr "Aucune empreinte ajoutée." -#: ClientCommand.cpp:890 ClientCommand.cpp:896 +#: ClientCommand.cpp:935 ClientCommand.cpp:941 msgctxt "topicscmd" msgid "Channel" msgstr "Salon" -#: ClientCommand.cpp:891 ClientCommand.cpp:897 +#: ClientCommand.cpp:936 ClientCommand.cpp:942 msgctxt "topicscmd" msgid "Set By" msgstr "Défini par" -#: ClientCommand.cpp:892 ClientCommand.cpp:898 +#: ClientCommand.cpp:937 ClientCommand.cpp:943 msgctxt "topicscmd" msgid "Topic" msgstr "Sujet" -#: ClientCommand.cpp:905 ClientCommand.cpp:910 +#: ClientCommand.cpp:950 ClientCommand.cpp:955 msgctxt "listmods" msgid "Name" msgstr "Nom" -#: ClientCommand.cpp:906 ClientCommand.cpp:911 +#: ClientCommand.cpp:951 ClientCommand.cpp:956 msgctxt "listmods" msgid "Arguments" msgstr "Arguments" -#: ClientCommand.cpp:920 +#: ClientCommand.cpp:965 msgid "No global modules loaded." msgstr "Aucun module global chargé." -#: ClientCommand.cpp:922 ClientCommand.cpp:986 +#: ClientCommand.cpp:967 ClientCommand.cpp:1031 msgid "Global modules:" msgstr "Module globaux :" -#: ClientCommand.cpp:931 +#: ClientCommand.cpp:976 msgid "Your user has no modules loaded." msgstr "Votre utilisateur n'a chargé aucun module." -#: ClientCommand.cpp:933 ClientCommand.cpp:998 +#: ClientCommand.cpp:978 ClientCommand.cpp:1043 msgid "User modules:" msgstr "Modules utilisateur :" -#: ClientCommand.cpp:941 +#: ClientCommand.cpp:986 msgid "This network has no modules loaded." msgstr "Ce réseau n'a chargé aucun module." -#: ClientCommand.cpp:943 ClientCommand.cpp:1010 +#: ClientCommand.cpp:988 ClientCommand.cpp:1055 msgid "Network modules:" msgstr "Modules de réseau :" -#: ClientCommand.cpp:958 ClientCommand.cpp:965 +#: ClientCommand.cpp:1003 ClientCommand.cpp:1010 msgctxt "listavailmods" msgid "Name" msgstr "Nom" -#: ClientCommand.cpp:959 ClientCommand.cpp:970 +#: ClientCommand.cpp:1004 ClientCommand.cpp:1015 msgctxt "listavailmods" msgid "Description" msgstr "Description" -#: ClientCommand.cpp:984 +#: ClientCommand.cpp:1029 msgid "No global modules available." msgstr "Aucun module global disponible." -#: ClientCommand.cpp:996 +#: ClientCommand.cpp:1041 msgid "No user modules available." msgstr "Aucun module utilisateur disponible." -#: ClientCommand.cpp:1008 +#: ClientCommand.cpp:1053 msgid "No network modules available." msgstr "Aucun module de réseau disponible." -#: ClientCommand.cpp:1036 +#: ClientCommand.cpp:1081 msgid "Unable to load {1}: Access denied." msgstr "Impossible de charger {1} : accès refusé." -#: ClientCommand.cpp:1042 +#: ClientCommand.cpp:1087 msgid "Usage: LoadMod [--type=global|user|network] [args]" msgstr "Utilisation : LoadMod [--type=global|user|network] [args]" -#: ClientCommand.cpp:1049 +#: ClientCommand.cpp:1094 msgid "Unable to load {1}: {2}" msgstr "Impossible de charger {1} : {2}" -#: ClientCommand.cpp:1059 +#: ClientCommand.cpp:1104 msgid "Unable to load global module {1}: Access denied." msgstr "Impossible de charger le module global {1} : accès refusé." -#: ClientCommand.cpp:1065 +#: ClientCommand.cpp:1110 msgid "Unable to load network module {1}: Not connected with a network." msgstr "" "Impossible de chargé le module de réseau {1} : aucune connexion à un réseau." -#: ClientCommand.cpp:1087 +#: ClientCommand.cpp:1132 msgid "Unknown module type" msgstr "Type de module inconnu" -#: ClientCommand.cpp:1092 +#: ClientCommand.cpp:1137 msgid "Loaded module {1}" msgstr "Le module {1} a été chargé" -#: ClientCommand.cpp:1094 +#: ClientCommand.cpp:1139 msgid "Loaded module {1}: {2}" msgstr "Le module {1} a été chargé : {2}" -#: ClientCommand.cpp:1097 +#: ClientCommand.cpp:1142 msgid "Unable to load module {1}: {2}" msgstr "Impossible de charger le module {1} : {2}" -#: ClientCommand.cpp:1120 +#: ClientCommand.cpp:1165 msgid "Unable to unload {1}: Access denied." msgstr "Impossible de décharger {1} : accès refusé." -#: ClientCommand.cpp:1126 +#: ClientCommand.cpp:1171 msgid "Usage: UnloadMod [--type=global|user|network] " msgstr "Utilisation : UnloadMod [--type=global|user|network] " -#: ClientCommand.cpp:1135 +#: ClientCommand.cpp:1180 msgid "Unable to determine type of {1}: {2}" msgstr "Impossible de déterminer le type de {1} : {2}" -#: ClientCommand.cpp:1143 +#: ClientCommand.cpp:1188 msgid "Unable to unload global module {1}: Access denied." msgstr "Impossible de décharger le module global {1} : accès refusé." -#: ClientCommand.cpp:1150 +#: ClientCommand.cpp:1195 msgid "Unable to unload network module {1}: Not connected with a network." msgstr "" "Impossible de décharger le module de réseau {1} : aucune connexion à un " "réseau." -#: ClientCommand.cpp:1169 +#: ClientCommand.cpp:1214 msgid "Unable to unload module {1}: Unknown module type" msgstr "Impossible de décharger le module {1} : type de module inconnu" -#: ClientCommand.cpp:1182 +#: ClientCommand.cpp:1227 msgid "Unable to reload modules. Access denied." msgstr "Impossible de recharger les modules : accès refusé." -#: ClientCommand.cpp:1203 +#: ClientCommand.cpp:1248 msgid "Usage: ReloadMod [--type=global|user|network] [args]" msgstr "Utilisation : ReloadMod [--type=global|user|network] [args]" -#: ClientCommand.cpp:1212 +#: ClientCommand.cpp:1257 msgid "Unable to reload {1}: {2}" msgstr "Impossible de recharger {1} : {2}" -#: ClientCommand.cpp:1220 +#: ClientCommand.cpp:1265 msgid "Unable to reload global module {1}: Access denied." msgstr "Impossible de recharger le module global {1} : accès refusé." -#: ClientCommand.cpp:1227 +#: ClientCommand.cpp:1272 msgid "Unable to reload network module {1}: Not connected with a network." msgstr "" "Impossible de recharger le module de réseau {1} : vous n'êtes pas connecté à " "un réseau." -#: ClientCommand.cpp:1249 +#: ClientCommand.cpp:1294 msgid "Unable to reload module {1}: Unknown module type" msgstr "Impossible de recharger le module {1} : type de module inconnu" -#: ClientCommand.cpp:1260 +#: ClientCommand.cpp:1305 msgid "Usage: UpdateMod " msgstr "Utilisation : UpdateMod " -#: ClientCommand.cpp:1264 +#: ClientCommand.cpp:1309 msgid "Reloading {1} everywhere" msgstr "Rechargement de {1} partout" -#: ClientCommand.cpp:1266 +#: ClientCommand.cpp:1311 msgid "Done" msgstr "Fait" -#: ClientCommand.cpp:1269 +#: ClientCommand.cpp:1314 msgid "" "Done, but there were errors, module {1} could not be reloaded everywhere." msgstr "" "Fait, mais des erreurs ont eu lieu, le module {1} n'a pas pu être rechargé " "partout." -#: ClientCommand.cpp:1277 +#: ClientCommand.cpp:1322 msgid "" "You must be connected with a network to use this command. Try " "SetUserBindHost instead" @@ -1132,27 +1163,27 @@ msgstr "" "Vous devez être connecté à un réseau pour utiliser cette commande. Essayez " "SetUserBindHost à la place" -#: ClientCommand.cpp:1284 +#: ClientCommand.cpp:1329 msgid "Usage: SetBindHost " msgstr "Utilisation : SetBindHost " -#: ClientCommand.cpp:1289 ClientCommand.cpp:1306 +#: ClientCommand.cpp:1334 ClientCommand.cpp:1351 msgid "You already have this bind host!" msgstr "Vous êtes déjà lié à cet hôte !" -#: ClientCommand.cpp:1294 +#: ClientCommand.cpp:1339 msgid "Set bind host for network {1} to {2}" msgstr "Lie l'hôte {2} au réseau {1}" -#: ClientCommand.cpp:1301 +#: ClientCommand.cpp:1346 msgid "Usage: SetUserBindHost " msgstr "Utilisation : SetUserBindHost " -#: ClientCommand.cpp:1311 +#: ClientCommand.cpp:1356 msgid "Set default bind host to {1}" msgstr "Définit l'hôte par défaut à {1}" -#: ClientCommand.cpp:1317 +#: ClientCommand.cpp:1362 msgid "" "You must be connected with a network to use this command. Try " "ClearUserBindHost instead" @@ -1160,258 +1191,254 @@ msgstr "" "Vous devez être connecté à un réseau pour utiliser cette commande. Essayez " "ClearUserBindHost à la place" -#: ClientCommand.cpp:1322 +#: ClientCommand.cpp:1367 msgid "Bind host cleared for this network." msgstr "L'hôte lié à ce réseau a été supprimé." -#: ClientCommand.cpp:1326 +#: ClientCommand.cpp:1371 msgid "Default bind host cleared for your user." msgstr "L'hôte lié par défaut a été supprimé pour votre utilisateur." -#: ClientCommand.cpp:1329 +#: ClientCommand.cpp:1374 msgid "This user's default bind host not set" msgstr "L'hôte lié par défaut pour cet utilisateur n'a pas été configuré" -#: ClientCommand.cpp:1331 +#: ClientCommand.cpp:1376 msgid "This user's default bind host is {1}" msgstr "L'hôte lié par défaut pour cet utilisateur est {1}" -#: ClientCommand.cpp:1336 +#: ClientCommand.cpp:1381 msgid "This network's bind host not set" msgstr "L'hôte lié pour ce réseau n'est pas défini" -#: ClientCommand.cpp:1338 +#: ClientCommand.cpp:1383 msgid "This network's default bind host is {1}" msgstr "L'hôte lié par défaut pour ce réseau est {1}" -#: ClientCommand.cpp:1352 +#: ClientCommand.cpp:1397 msgid "Usage: PlayBuffer <#chan|query>" msgstr "Utilisation : PlayBuffer <#salon|privé>" -#: ClientCommand.cpp:1360 -msgid "You are not on {1}" -msgstr "Vous n'êtes pas sur {1}" - -#: ClientCommand.cpp:1365 +#: ClientCommand.cpp:1410 msgid "You are not on {1} (trying to join)" msgstr "Vous n'êtes pas sur {1} (en cours de connexion)" -#: ClientCommand.cpp:1370 +#: ClientCommand.cpp:1415 msgid "The buffer for channel {1} is empty" msgstr "Le tampon du salon {1} est vide" -#: ClientCommand.cpp:1379 +#: ClientCommand.cpp:1424 msgid "No active query with {1}" msgstr "Aucune session privée avec {1}" -#: ClientCommand.cpp:1384 +#: ClientCommand.cpp:1429 msgid "The buffer for {1} is empty" msgstr "Le tampon pour {1} est vide" -#: ClientCommand.cpp:1400 +#: ClientCommand.cpp:1445 msgid "Usage: ClearBuffer <#chan|query>" msgstr "Utilisation : ClearBuffer <#salon|privé>" -#: ClientCommand.cpp:1419 +#: ClientCommand.cpp:1464 msgid "{1} buffer matching {2} has been cleared" msgid_plural "{1} buffers matching {2} have been cleared" msgstr[0] "Le tampon {1} correspondant à {2} a été vidé" msgstr[1] "Les tampons {1} correspondant à {2} ont été vidés" -#: ClientCommand.cpp:1432 +#: ClientCommand.cpp:1477 msgid "All channel buffers have been cleared" msgstr "Les tampons de tous les salons ont été vidés" -#: ClientCommand.cpp:1441 +#: ClientCommand.cpp:1486 msgid "All query buffers have been cleared" msgstr "Les tampons de toutes les sessions privées ont été vidés" -#: ClientCommand.cpp:1453 +#: ClientCommand.cpp:1498 msgid "All buffers have been cleared" msgstr "Tous les tampons ont été vidés" -#: ClientCommand.cpp:1464 +#: ClientCommand.cpp:1509 msgid "Usage: SetBuffer <#chan|query> [linecount]" msgstr "Utilisation : SetBuffer <#salon|privé> [lignes]" -#: ClientCommand.cpp:1485 +#: ClientCommand.cpp:1530 msgid "Setting buffer size failed for {1} buffer" msgid_plural "Setting buffer size failed for {1} buffers" msgstr[0] "La configuration de la taille du tampon a échoué pour {1}" msgstr[1] "La configuration de la taille du tampon a échoué pour {1}" -#: ClientCommand.cpp:1488 +#: ClientCommand.cpp:1533 msgid "Maximum buffer size is {1} line" msgid_plural "Maximum buffer size is {1} lines" msgstr[0] "La taille maximale du tampon est de {1} ligne" msgstr[1] "La taille maximale du tampon est de {1} lignes" -#: ClientCommand.cpp:1493 +#: ClientCommand.cpp:1538 msgid "Size of every buffer was set to {1} line" msgid_plural "Size of every buffer was set to {1} lines" msgstr[0] "La taille de tous les tampons a été définie à {1} ligne" msgstr[1] "La taille de tous les tampons a été définie à {1} lignes" -#: ClientCommand.cpp:1503 ClientCommand.cpp:1510 ClientCommand.cpp:1521 -#: ClientCommand.cpp:1530 ClientCommand.cpp:1538 +#: ClientCommand.cpp:1548 ClientCommand.cpp:1555 ClientCommand.cpp:1566 +#: ClientCommand.cpp:1575 ClientCommand.cpp:1583 msgctxt "trafficcmd" msgid "Username" msgstr "Nom d'utilisateur" -#: ClientCommand.cpp:1504 ClientCommand.cpp:1511 ClientCommand.cpp:1523 -#: ClientCommand.cpp:1532 ClientCommand.cpp:1540 +#: ClientCommand.cpp:1549 ClientCommand.cpp:1556 ClientCommand.cpp:1568 +#: ClientCommand.cpp:1577 ClientCommand.cpp:1585 msgctxt "trafficcmd" msgid "In" msgstr "Entrée" -#: ClientCommand.cpp:1505 ClientCommand.cpp:1513 ClientCommand.cpp:1524 -#: ClientCommand.cpp:1533 ClientCommand.cpp:1541 +#: ClientCommand.cpp:1550 ClientCommand.cpp:1558 ClientCommand.cpp:1569 +#: ClientCommand.cpp:1578 ClientCommand.cpp:1586 msgctxt "trafficcmd" msgid "Out" msgstr "Sortie" -#: ClientCommand.cpp:1506 ClientCommand.cpp:1516 ClientCommand.cpp:1526 -#: ClientCommand.cpp:1534 ClientCommand.cpp:1543 +#: ClientCommand.cpp:1551 ClientCommand.cpp:1561 ClientCommand.cpp:1571 +#: ClientCommand.cpp:1579 ClientCommand.cpp:1588 msgctxt "trafficcmd" msgid "Total" msgstr "Total" -#: ClientCommand.cpp:1522 +#: ClientCommand.cpp:1567 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1531 +#: ClientCommand.cpp:1576 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1539 +#: ClientCommand.cpp:1584 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1548 +#: ClientCommand.cpp:1593 msgid "Running for {1}" msgstr "Actif pour {1}" -#: ClientCommand.cpp:1554 +#: ClientCommand.cpp:1599 msgid "Unknown command, try 'Help'" msgstr "Commande inconnue, essayez 'Help'" -#: ClientCommand.cpp:1563 ClientCommand.cpp:1574 +#: ClientCommand.cpp:1608 ClientCommand.cpp:1619 msgctxt "listports" msgid "Port" msgstr "Port" -#: ClientCommand.cpp:1564 ClientCommand.cpp:1577 +#: ClientCommand.cpp:1609 ClientCommand.cpp:1622 msgctxt "listports" msgid "BindHost" msgstr "BindHost" -#: ClientCommand.cpp:1565 ClientCommand.cpp:1580 +#: ClientCommand.cpp:1610 ClientCommand.cpp:1625 msgctxt "listports" msgid "SSL" msgstr "SSL" -#: ClientCommand.cpp:1566 ClientCommand.cpp:1585 +#: ClientCommand.cpp:1611 ClientCommand.cpp:1630 msgctxt "listports" msgid "Protocol" msgstr "Protocole" -#: ClientCommand.cpp:1567 ClientCommand.cpp:1592 +#: ClientCommand.cpp:1612 ClientCommand.cpp:1637 msgctxt "listports" msgid "IRC" msgstr "IRC" -#: ClientCommand.cpp:1568 ClientCommand.cpp:1597 +#: ClientCommand.cpp:1613 ClientCommand.cpp:1642 msgctxt "listports" msgid "Web" msgstr "Web" -#: ClientCommand.cpp:1581 +#: ClientCommand.cpp:1626 msgctxt "listports|ssl" msgid "yes" msgstr "oui" -#: ClientCommand.cpp:1582 +#: ClientCommand.cpp:1627 msgctxt "listports|ssl" msgid "no" msgstr "non" -#: ClientCommand.cpp:1586 +#: ClientCommand.cpp:1631 msgctxt "listports" msgid "IPv4 and IPv6" msgstr "IPv4 et IPv6" -#: ClientCommand.cpp:1588 +#: ClientCommand.cpp:1633 msgctxt "listports" msgid "IPv4" msgstr "IPv4" -#: ClientCommand.cpp:1589 +#: ClientCommand.cpp:1634 msgctxt "listports" msgid "IPv6" msgstr "IPv6" -#: ClientCommand.cpp:1595 +#: ClientCommand.cpp:1640 msgctxt "listports|irc" msgid "yes" msgstr "oui" -#: ClientCommand.cpp:1596 +#: ClientCommand.cpp:1641 msgctxt "listports|irc" msgid "no" msgstr "non" -#: ClientCommand.cpp:1600 +#: ClientCommand.cpp:1645 msgctxt "listports|irc" msgid "yes, on {1}" msgstr "oui, sur {1}" -#: ClientCommand.cpp:1602 +#: ClientCommand.cpp:1647 msgctxt "listports|web" msgid "no" msgstr "non" -#: ClientCommand.cpp:1642 +#: ClientCommand.cpp:1687 msgid "" "Usage: AddPort <[+]port> [bindhost [uriprefix]]" msgstr "" "Utilisation : AddPort <[+]port> [bindhost " "[uriprefix]]" -#: ClientCommand.cpp:1658 +#: ClientCommand.cpp:1703 msgid "Port added" msgstr "Port ajouté" -#: ClientCommand.cpp:1660 +#: ClientCommand.cpp:1705 msgid "Couldn't add port" msgstr "Le port n'a pas pu être ajouté" -#: ClientCommand.cpp:1666 +#: ClientCommand.cpp:1711 msgid "Usage: DelPort [bindhost]" msgstr "Utilisation : DelPort [bindhost]" -#: ClientCommand.cpp:1675 +#: ClientCommand.cpp:1720 msgid "Deleted Port" msgstr "Port supprimé" -#: ClientCommand.cpp:1677 +#: ClientCommand.cpp:1722 msgid "Unable to find a matching port" msgstr "Impossible de trouver un port correspondant" -#: ClientCommand.cpp:1685 ClientCommand.cpp:1700 +#: ClientCommand.cpp:1730 ClientCommand.cpp:1745 msgctxt "helpcmd" msgid "Command" msgstr "Commande" -#: ClientCommand.cpp:1686 ClientCommand.cpp:1702 +#: ClientCommand.cpp:1731 ClientCommand.cpp:1747 msgctxt "helpcmd" msgid "Description" msgstr "Description" -#: ClientCommand.cpp:1691 +#: ClientCommand.cpp:1736 msgid "" "In the following list all occurrences of <#chan> support wildcards (* and ?) " "except ListNicks" @@ -1419,88 +1446,88 @@ msgstr "" "Dans la liste ci-dessous, les occurrences de <#salon> supportent les jokers " "(* et ?), sauf ListNicks" -#: ClientCommand.cpp:1708 +#: ClientCommand.cpp:1753 msgctxt "helpcmd|Version|desc" msgid "Print which version of ZNC this is" msgstr "Affiche la version de ZNC" -#: ClientCommand.cpp:1711 +#: ClientCommand.cpp:1756 msgctxt "helpcmd|ListMods|desc" msgid "List all loaded modules" msgstr "Liste les modules chargés" -#: ClientCommand.cpp:1714 +#: ClientCommand.cpp:1759 msgctxt "helpcmd|ListAvailMods|desc" msgid "List all available modules" msgstr "Liste les modules disponibles" -#: ClientCommand.cpp:1718 ClientCommand.cpp:1904 +#: ClientCommand.cpp:1763 ClientCommand.cpp:1954 msgctxt "helpcmd|ListChans|desc" msgid "List all channels" msgstr "Liste les salons" -#: ClientCommand.cpp:1721 +#: ClientCommand.cpp:1766 msgctxt "helpcmd|ListNicks|args" msgid "<#chan>" msgstr "<#salon>" -#: ClientCommand.cpp:1722 +#: ClientCommand.cpp:1767 msgctxt "helpcmd|ListNicks|desc" msgid "List all nicks on a channel" msgstr "Liste les pseudonymes d'un salon" -#: ClientCommand.cpp:1725 +#: ClientCommand.cpp:1770 msgctxt "helpcmd|ListClients|desc" msgid "List all clients connected to your ZNC user" msgstr "Liste les clients connectés à votre utilisateur ZNC" -#: ClientCommand.cpp:1729 +#: ClientCommand.cpp:1774 msgctxt "helpcmd|ListServers|desc" msgid "List all servers of current IRC network" msgstr "Liste les serveurs du réseau IRC actuel" -#: ClientCommand.cpp:1733 +#: ClientCommand.cpp:1778 msgctxt "helpcmd|AddNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1734 +#: ClientCommand.cpp:1779 msgctxt "helpcmd|AddNetwork|desc" msgid "Add a network to your user" msgstr "Ajoute un réseau à votre utilisateur" -#: ClientCommand.cpp:1736 +#: ClientCommand.cpp:1781 msgctxt "helpcmd|DelNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1737 +#: ClientCommand.cpp:1782 msgctxt "helpcmd|DelNetwork|desc" msgid "Delete a network from your user" msgstr "Supprime un réseau de votre utilisateur" -#: ClientCommand.cpp:1739 +#: ClientCommand.cpp:1784 msgctxt "helpcmd|ListNetworks|desc" msgid "List all networks" msgstr "Liste les réseaux" -#: ClientCommand.cpp:1742 +#: ClientCommand.cpp:1787 msgctxt "helpcmd|MoveNetwork|args" msgid " [new network]" msgstr "" " [nouveau réseau]" -#: ClientCommand.cpp:1744 +#: ClientCommand.cpp:1789 msgctxt "helpcmd|MoveNetwork|desc" msgid "Move an IRC network from one user to another" msgstr "Migre un réseau IRC d'un utilisateur à l'autre" -#: ClientCommand.cpp:1748 +#: ClientCommand.cpp:1793 msgctxt "helpcmd|JumpNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1749 +#: ClientCommand.cpp:1794 msgctxt "helpcmd|JumpNetwork|desc" msgid "" "Jump to another network (Alternatively, you can connect to ZNC several " @@ -1509,12 +1536,12 @@ msgstr "" "Migre vers un autre réseau (alternativement, vous pouvez vous connectez à " "ZNC à plusieurs reprises en utilisant 'utilisateur/réseau' comme identifiant)" -#: ClientCommand.cpp:1754 +#: ClientCommand.cpp:1799 msgctxt "helpcmd|AddServer|args" msgid " [[+]port] [pass]" msgstr " [[+]port] [pass]" -#: ClientCommand.cpp:1755 +#: ClientCommand.cpp:1800 msgctxt "helpcmd|AddServer|desc" msgid "" "Add a server to the list of alternate/backup servers of current IRC network." @@ -1522,12 +1549,12 @@ msgstr "" "Ajoute un serveur à la liste des serveurs alternatifs pour le réseau IRC " "actuel." -#: ClientCommand.cpp:1759 +#: ClientCommand.cpp:1804 msgctxt "helpcmd|DelServer|args" msgid " [port] [pass]" msgstr " [port] [pass]" -#: ClientCommand.cpp:1760 +#: ClientCommand.cpp:1805 msgctxt "helpcmd|DelServer|desc" msgid "" "Remove a server from the list of alternate/backup servers of current IRC " @@ -1535,12 +1562,12 @@ msgid "" msgstr "" "Supprime un serveur de la liste des serveurs alternatifs du réseau IRC actuel" -#: ClientCommand.cpp:1766 +#: ClientCommand.cpp:1811 msgctxt "helpcmd|AddTrustedServerFingerprint|args" msgid "" msgstr "" -#: ClientCommand.cpp:1767 +#: ClientCommand.cpp:1812 msgctxt "helpcmd|AddTrustedServerFingerprint|desc" msgid "" "Add a trusted server SSL certificate fingerprint (SHA-256) to current IRC " @@ -1549,338 +1576,358 @@ msgstr "" "Ajoute l'empreinte (SHA-256) d'un certificat SSL de confiance au réseau IRC " "actuel." -#: ClientCommand.cpp:1772 +#: ClientCommand.cpp:1817 msgctxt "helpcmd|DelTrustedServerFingerprint|args" msgid "" msgstr "" -#: ClientCommand.cpp:1773 +#: ClientCommand.cpp:1818 msgctxt "helpcmd|DelTrustedServerFingerprint|desc" msgid "Delete a trusted server SSL certificate from current IRC network." msgstr "Supprime un certificat SSL de confiance du réseau IRC actuel." -#: ClientCommand.cpp:1777 +#: ClientCommand.cpp:1822 msgctxt "helpcmd|ListTrustedServerFingerprints|desc" msgid "List all trusted server SSL certificates of current IRC network." msgstr "Liste les certificats SSL de confiance du réseau IRC actuel." -#: ClientCommand.cpp:1780 +#: ClientCommand.cpp:1825 msgctxt "helpcmd|EnableChan|args" msgid "<#chans>" msgstr "<#salons>" -#: ClientCommand.cpp:1781 +#: ClientCommand.cpp:1826 msgctxt "helpcmd|EnableChan|desc" msgid "Enable channels" msgstr "Active les salons" -#: ClientCommand.cpp:1782 +#: ClientCommand.cpp:1827 msgctxt "helpcmd|DisableChan|args" msgid "<#chans>" msgstr "<#salons>" -#: ClientCommand.cpp:1783 +#: ClientCommand.cpp:1828 msgctxt "helpcmd|DisableChan|desc" msgid "Disable channels" msgstr "Désactive les salons" -#: ClientCommand.cpp:1784 +#: ClientCommand.cpp:1829 +msgctxt "helpcmd|MoveChan|args" +msgid "<#chan> " +msgstr "" + +#: ClientCommand.cpp:1830 +msgctxt "helpcmd|MoveChan|desc" +msgid "Move channel in sort order" +msgstr "" + +#: ClientCommand.cpp:1832 +msgctxt "helpcmd|SwapChans|args" +msgid "<#chan1> <#chan2>" +msgstr "" + +#: ClientCommand.cpp:1833 +msgctxt "helpcmd|SwapChans|desc" +msgid "Swap channels in sort order" +msgstr "" + +#: ClientCommand.cpp:1834 msgctxt "helpcmd|Attach|args" msgid "<#chans>" msgstr "<#salons>" -#: ClientCommand.cpp:1785 +#: ClientCommand.cpp:1835 msgctxt "helpcmd|Attach|desc" msgid "Attach to channels" msgstr "Attache les salons" -#: ClientCommand.cpp:1786 +#: ClientCommand.cpp:1836 msgctxt "helpcmd|Detach|args" msgid "<#chans>" msgstr "<#salons>" -#: ClientCommand.cpp:1787 +#: ClientCommand.cpp:1837 msgctxt "helpcmd|Detach|desc" msgid "Detach from channels" msgstr "Se détacher des salons" -#: ClientCommand.cpp:1790 +#: ClientCommand.cpp:1840 msgctxt "helpcmd|Topics|desc" msgid "Show topics in all your channels" msgstr "Afficher le sujet dans tous les salons" -#: ClientCommand.cpp:1793 +#: ClientCommand.cpp:1843 msgctxt "helpcmd|PlayBuffer|args" msgid "<#chan|query>" msgstr "<#salon|privé>" -#: ClientCommand.cpp:1794 +#: ClientCommand.cpp:1844 msgctxt "helpcmd|PlayBuffer|desc" msgid "Play back the specified buffer" msgstr "Rejouer le tampon spécifié" -#: ClientCommand.cpp:1796 +#: ClientCommand.cpp:1846 msgctxt "helpcmd|ClearBuffer|args" msgid "<#chan|query>" msgstr "<#salon|privé>" -#: ClientCommand.cpp:1797 +#: ClientCommand.cpp:1847 msgctxt "helpcmd|ClearBuffer|desc" msgid "Clear the specified buffer" msgstr "Vider le tampon spécifié" -#: ClientCommand.cpp:1799 +#: ClientCommand.cpp:1849 msgctxt "helpcmd|ClearAllBuffers|desc" msgid "Clear all channel and query buffers" msgstr "Vider tous les tampons de salons et de sessions privées" -#: ClientCommand.cpp:1802 +#: ClientCommand.cpp:1852 msgctxt "helpcmd|ClearAllChannelBuffers|desc" msgid "Clear the channel buffers" msgstr "Vider tous les tampons de salon" -#: ClientCommand.cpp:1806 +#: ClientCommand.cpp:1856 msgctxt "helpcmd|ClearAllQueryBuffers|desc" msgid "Clear the query buffers" msgstr "Vider tous les tampons de session privée" -#: ClientCommand.cpp:1808 +#: ClientCommand.cpp:1858 msgctxt "helpcmd|SetBuffer|args" msgid "<#chan|query> [linecount]" msgstr "<#salon|privé> [lignes]" -#: ClientCommand.cpp:1809 +#: ClientCommand.cpp:1859 msgctxt "helpcmd|SetBuffer|desc" msgid "Set the buffer count" msgstr "Définir le nombre de tampons" -#: ClientCommand.cpp:1813 +#: ClientCommand.cpp:1863 msgctxt "helpcmd|SetBindHost|args" msgid "" msgstr "" -#: ClientCommand.cpp:1814 +#: ClientCommand.cpp:1864 msgctxt "helpcmd|SetBindHost|desc" msgid "Set the bind host for this network" msgstr "Définir le bindhost pour ce réseau" -#: ClientCommand.cpp:1818 +#: ClientCommand.cpp:1868 msgctxt "helpcmd|SetUserBindHost|args" msgid "" msgstr "" -#: ClientCommand.cpp:1819 +#: ClientCommand.cpp:1869 msgctxt "helpcmd|SetUserBindHost|desc" msgid "Set the default bind host for this user" msgstr "Définir l'hôte lié pour cet utilisateur" -#: ClientCommand.cpp:1822 +#: ClientCommand.cpp:1872 msgctxt "helpcmd|ClearBindHost|desc" msgid "Clear the bind host for this network" msgstr "Vider l'hôte lié pour ce réseau" -#: ClientCommand.cpp:1825 +#: ClientCommand.cpp:1875 msgctxt "helpcmd|ClearUserBindHost|desc" msgid "Clear the default bind host for this user" msgstr "Vider l'hôte lié pour cet utilisateur" -#: ClientCommand.cpp:1831 +#: ClientCommand.cpp:1881 msgctxt "helpcmd|ShowBindHost|desc" msgid "Show currently selected bind host" msgstr "Afficher l'hôte actuellement lié" -#: ClientCommand.cpp:1833 +#: ClientCommand.cpp:1883 msgctxt "helpcmd|Jump|args" msgid "[server]" msgstr "[serveur]" -#: ClientCommand.cpp:1834 +#: ClientCommand.cpp:1884 msgctxt "helpcmd|Jump|desc" msgid "Jump to the next or the specified server" msgstr "Passer au serveur sélectionné ou au suivant" -#: ClientCommand.cpp:1835 +#: ClientCommand.cpp:1885 msgctxt "helpcmd|Disconnect|args" msgid "[message]" msgstr "[message]" -#: ClientCommand.cpp:1836 +#: ClientCommand.cpp:1886 msgctxt "helpcmd|Disconnect|desc" msgid "Disconnect from IRC" msgstr "Déconnexion d'IRC" -#: ClientCommand.cpp:1838 +#: ClientCommand.cpp:1888 msgctxt "helpcmd|Connect|desc" msgid "Reconnect to IRC" msgstr "Reconnexion à IRC" -#: ClientCommand.cpp:1841 +#: ClientCommand.cpp:1891 msgctxt "helpcmd|Uptime|desc" msgid "Show for how long ZNC has been running" msgstr "Afficher le temps écoulé depuis le lancement de ZNC" -#: ClientCommand.cpp:1845 +#: ClientCommand.cpp:1895 msgctxt "helpcmd|LoadMod|args" msgid "[--type=global|user|network] [args]" msgstr "[--type=global|utilisateur|réseau] [arguments]" -#: ClientCommand.cpp:1847 +#: ClientCommand.cpp:1897 msgctxt "helpcmd|LoadMod|desc" msgid "Load a module" msgstr "Charger un module" -#: ClientCommand.cpp:1849 +#: ClientCommand.cpp:1899 msgctxt "helpcmd|UnloadMod|args" msgid "[--type=global|user|network] " msgstr "[--type=global|user|network] " -#: ClientCommand.cpp:1851 +#: ClientCommand.cpp:1901 msgctxt "helpcmd|UnloadMod|desc" msgid "Unload a module" msgstr "Désactiver un module" -#: ClientCommand.cpp:1853 +#: ClientCommand.cpp:1903 msgctxt "helpcmd|ReloadMod|args" msgid "[--type=global|user|network] [args]" msgstr "[--type=global|utilisateur|réseau] [arguments]" -#: ClientCommand.cpp:1855 +#: ClientCommand.cpp:1905 msgctxt "helpcmd|ReloadMod|desc" msgid "Reload a module" msgstr "Recharger un module" -#: ClientCommand.cpp:1858 +#: ClientCommand.cpp:1908 msgctxt "helpcmd|UpdateMod|args" msgid "" msgstr "" -#: ClientCommand.cpp:1859 +#: ClientCommand.cpp:1909 msgctxt "helpcmd|UpdateMod|desc" msgid "Reload a module everywhere" msgstr "Recharger un module partout" -#: ClientCommand.cpp:1865 +#: ClientCommand.cpp:1915 msgctxt "helpcmd|ShowMOTD|desc" msgid "Show ZNC's message of the day" msgstr "Afficher le message du jour de ZNC" -#: ClientCommand.cpp:1869 +#: ClientCommand.cpp:1919 msgctxt "helpcmd|SetMOTD|args" msgid "" msgstr "" -#: ClientCommand.cpp:1870 +#: ClientCommand.cpp:1920 msgctxt "helpcmd|SetMOTD|desc" msgid "Set ZNC's message of the day" msgstr "Configurer le message du jour de ZNC" -#: ClientCommand.cpp:1872 +#: ClientCommand.cpp:1922 msgctxt "helpcmd|AddMOTD|args" msgid "" msgstr "" -#: ClientCommand.cpp:1873 +#: ClientCommand.cpp:1923 msgctxt "helpcmd|AddMOTD|desc" msgid "Append to ZNC's MOTD" msgstr "Ajouter au message du jour de ZNC" -#: ClientCommand.cpp:1875 +#: ClientCommand.cpp:1925 msgctxt "helpcmd|ClearMOTD|desc" msgid "Clear ZNC's MOTD" msgstr "Vider le message du jour de ZNC" -#: ClientCommand.cpp:1878 +#: ClientCommand.cpp:1928 msgctxt "helpcmd|ListPorts|desc" msgid "Show all active listeners" msgstr "Afficher tous les clients actifs" -#: ClientCommand.cpp:1880 +#: ClientCommand.cpp:1930 msgctxt "helpcmd|AddPort|args" msgid "<[+]port> [bindhost [uriprefix]]" msgstr "<[+]port> [bindhost [uriprefix]]" -#: ClientCommand.cpp:1883 +#: ClientCommand.cpp:1933 msgctxt "helpcmd|AddPort|desc" msgid "Add another port for ZNC to listen on" msgstr "Ajouter un port d'écoute à ZNC" -#: ClientCommand.cpp:1887 +#: ClientCommand.cpp:1937 msgctxt "helpcmd|DelPort|args" msgid " [bindhost]" msgstr " [bindhost]" -#: ClientCommand.cpp:1888 +#: ClientCommand.cpp:1938 msgctxt "helpcmd|DelPort|desc" msgid "Remove a port from ZNC" msgstr "Supprimer un port de ZNC" -#: ClientCommand.cpp:1891 +#: ClientCommand.cpp:1941 msgctxt "helpcmd|Rehash|desc" msgid "Reload global settings, modules, and listeners from znc.conf" msgstr "" "Recharger la configuration globale, les modules et les clients de znc.conf" -#: ClientCommand.cpp:1894 +#: ClientCommand.cpp:1944 msgctxt "helpcmd|SaveConfig|desc" msgid "Save the current settings to disk" msgstr "Sauvegarder la configuration sur le disque" -#: ClientCommand.cpp:1897 +#: ClientCommand.cpp:1947 msgctxt "helpcmd|ListUsers|desc" msgid "List all ZNC users and their connection status" msgstr "Lister les utilisateurs de ZNC et leur statut" -#: ClientCommand.cpp:1900 +#: ClientCommand.cpp:1950 msgctxt "helpcmd|ListAllUserNetworks|desc" msgid "List all ZNC users and their networks" msgstr "Lister les utilisateurs de ZNC et leurs réseaux" -#: ClientCommand.cpp:1903 +#: ClientCommand.cpp:1953 msgctxt "helpcmd|ListChans|args" msgid "[user ]" msgstr "[utilisateur ]" -#: ClientCommand.cpp:1906 +#: ClientCommand.cpp:1956 msgctxt "helpcmd|ListClients|args" msgid "[user]" msgstr "[utilisateur]" -#: ClientCommand.cpp:1907 +#: ClientCommand.cpp:1957 msgctxt "helpcmd|ListClients|desc" msgid "List all connected clients" msgstr "Liste les clients connectés" -#: ClientCommand.cpp:1909 +#: ClientCommand.cpp:1959 msgctxt "helpcmd|Traffic|desc" msgid "Show basic traffic stats for all ZNC users" msgstr "Affiche des statistiques basiques de trafic pour les utilisateurs ZNC" -#: ClientCommand.cpp:1911 +#: ClientCommand.cpp:1961 msgctxt "helpcmd|Broadcast|args" msgid "[message]" msgstr "[message]" -#: ClientCommand.cpp:1912 +#: ClientCommand.cpp:1962 msgctxt "helpcmd|Broadcast|desc" msgid "Broadcast a message to all ZNC users" msgstr "Diffuse un message à tous les utilisateurs de ZNC" -#: ClientCommand.cpp:1915 +#: ClientCommand.cpp:1965 msgctxt "helpcmd|Shutdown|args" msgid "[message]" msgstr "[message]" -#: ClientCommand.cpp:1916 +#: ClientCommand.cpp:1966 msgctxt "helpcmd|Shutdown|desc" msgid "Shut down ZNC completely" msgstr "Éteint complètement ZNC" -#: ClientCommand.cpp:1917 +#: ClientCommand.cpp:1967 msgctxt "helpcmd|Restart|args" msgid "[message]" msgstr "[message]" -#: ClientCommand.cpp:1918 +#: ClientCommand.cpp:1968 msgctxt "helpcmd|Restart|desc" msgid "Restart ZNC" msgstr "Redémarre ZNC" diff --git a/src/po/znc.id_ID.po b/src/po/znc.id_ID.po index 972b8399..b0a33fca 100644 --- a/src/po/znc.id_ID.po +++ b/src/po/znc.id_ID.po @@ -74,7 +74,7 @@ msgstr "Tidak dapat menemukan berkas pem: {1}" msgid "Invalid port" msgstr "Port tidak valid" -#: znc.cpp:1813 ClientCommand.cpp:1655 +#: znc.cpp:1813 ClientCommand.cpp:1700 msgid "Unable to bind: {1}" msgstr "Tidak dapat mengikat: {1}" @@ -95,21 +95,30 @@ msgstr "" msgid "This network is being deleted or moved to another user." msgstr "Jaringan ini sedang dihapus atau dipindahkan ke pengguna lain." -#: IRCNetwork.cpp:1016 +#: IRCNetwork.cpp:948 +msgid "Invalid index" +msgstr "" + +#: IRCNetwork.cpp:956 IRCNetwork.cpp:972 IRCNetwork.cpp:980 +#: ClientCommand.cpp:1405 +msgid "You are not on {1}" +msgstr "" + +#: IRCNetwork.cpp:1059 msgid "The channel {1} could not be joined, disabling it." msgstr "Tidak dapat join ke channel {1}. menonaktifkan." -#: IRCNetwork.cpp:1145 +#: IRCNetwork.cpp:1188 msgid "Your current server was removed, jumping..." msgstr "Server anda saat ini dihapus, melompati..." -#: IRCNetwork.cpp:1308 +#: IRCNetwork.cpp:1351 msgid "Cannot connect to {1}, because ZNC is not compiled with SSL support." msgstr "" "Tidak dapat terhubung ke {1}, karena ZNC tidak dikompilasi dengan dukungan " "SSL." -#: IRCNetwork.cpp:1329 +#: IRCNetwork.cpp:1372 msgid "Some module aborted the connection attempt" msgstr "Beberapa modul membatalkan upaya koneksi" @@ -297,7 +306,7 @@ msgctxt "modhelpcmd" msgid "Generate this output" msgstr "" -#: Modules.cpp:573 ClientCommand.cpp:1922 +#: Modules.cpp:573 ClientCommand.cpp:1972 msgid "No matches for '{1}'" msgstr "" @@ -403,11 +412,12 @@ msgstr "" #: ClientCommand.cpp:51 ClientCommand.cpp:115 ClientCommand.cpp:137 #: ClientCommand.cpp:339 ClientCommand.cpp:390 ClientCommand.cpp:405 -#: ClientCommand.cpp:432 ClientCommand.cpp:459 ClientCommand.cpp:764 -#: ClientCommand.cpp:783 ClientCommand.cpp:809 ClientCommand.cpp:843 -#: ClientCommand.cpp:856 ClientCommand.cpp:869 ClientCommand.cpp:884 -#: ClientCommand.cpp:1345 ClientCommand.cpp:1393 ClientCommand.cpp:1425 -#: ClientCommand.cpp:1436 ClientCommand.cpp:1445 ClientCommand.cpp:1457 +#: ClientCommand.cpp:432 ClientCommand.cpp:459 ClientCommand.cpp:480 +#: ClientCommand.cpp:499 ClientCommand.cpp:809 ClientCommand.cpp:828 +#: ClientCommand.cpp:854 ClientCommand.cpp:888 ClientCommand.cpp:901 +#: ClientCommand.cpp:914 ClientCommand.cpp:929 ClientCommand.cpp:1390 +#: ClientCommand.cpp:1438 ClientCommand.cpp:1470 ClientCommand.cpp:1481 +#: ClientCommand.cpp:1490 ClientCommand.cpp:1502 msgid "You must be connected with a network to use this command" msgstr "" @@ -584,7 +594,7 @@ msgid "" "ERROR: Writing config file to disk failed! Aborting. Use {1} FORCE to ignore." msgstr "" -#: ClientCommand.cpp:344 ClientCommand.cpp:797 ClientCommand.cpp:838 +#: ClientCommand.cpp:344 ClientCommand.cpp:842 ClientCommand.cpp:883 msgid "You don't have any servers added." msgstr "" @@ -626,1201 +636,1238 @@ msgid "Disabled {1} channel" msgid_plural "Disabled {1} channels" msgstr[0] "" -#: ClientCommand.cpp:470 +#: ClientCommand.cpp:466 +msgid "Usage: MoveChan <#chan> " +msgstr "" + +#: ClientCommand.cpp:474 +msgid "Moved channel {1} to index {2}" +msgstr "" + +#: ClientCommand.cpp:487 +msgid "Usage: SwapChans <#chan1> <#chan2>" +msgstr "" + +#: ClientCommand.cpp:493 +msgid "Swapped channels {1} and {2}" +msgstr "" + +#: ClientCommand.cpp:510 msgid "Usage: ListChans" msgstr "" -#: ClientCommand.cpp:477 +#: ClientCommand.cpp:517 msgid "No such user [{1}]" msgstr "" -#: ClientCommand.cpp:483 +#: ClientCommand.cpp:523 msgid "User [{1}] doesn't have network [{2}]" msgstr "" -#: ClientCommand.cpp:494 +#: ClientCommand.cpp:534 msgid "There are no channels defined." msgstr "" -#: ClientCommand.cpp:499 ClientCommand.cpp:515 +#: ClientCommand.cpp:539 ClientCommand.cpp:557 +msgctxt "listchans" +msgid "Index" +msgstr "" + +#: ClientCommand.cpp:540 ClientCommand.cpp:558 msgctxt "listchans" msgid "Name" msgstr "" -#: ClientCommand.cpp:500 ClientCommand.cpp:518 +#: ClientCommand.cpp:541 ClientCommand.cpp:561 msgctxt "listchans" msgid "Status" msgstr "" -#: ClientCommand.cpp:501 ClientCommand.cpp:525 +#: ClientCommand.cpp:542 ClientCommand.cpp:568 msgctxt "listchans" msgid "In config" msgstr "" -#: ClientCommand.cpp:502 ClientCommand.cpp:527 +#: ClientCommand.cpp:543 ClientCommand.cpp:570 msgctxt "listchans" msgid "Buffer" msgstr "" -#: ClientCommand.cpp:503 ClientCommand.cpp:531 +#: ClientCommand.cpp:544 ClientCommand.cpp:574 msgctxt "listchans" msgid "Clear" msgstr "" -#: ClientCommand.cpp:504 ClientCommand.cpp:536 +#: ClientCommand.cpp:545 ClientCommand.cpp:579 msgctxt "listchans" msgid "Modes" msgstr "" -#: ClientCommand.cpp:505 ClientCommand.cpp:537 +#: ClientCommand.cpp:546 ClientCommand.cpp:580 msgctxt "listchans" msgid "Users" msgstr "" -#: ClientCommand.cpp:520 +#: ClientCommand.cpp:563 msgctxt "listchans" msgid "Detached" msgstr "" -#: ClientCommand.cpp:521 +#: ClientCommand.cpp:564 msgctxt "listchans" msgid "Joined" msgstr "" -#: ClientCommand.cpp:522 +#: ClientCommand.cpp:565 msgctxt "listchans" msgid "Disabled" msgstr "" -#: ClientCommand.cpp:523 +#: ClientCommand.cpp:566 msgctxt "listchans" msgid "Trying" msgstr "" -#: ClientCommand.cpp:526 ClientCommand.cpp:534 +#: ClientCommand.cpp:569 ClientCommand.cpp:577 msgctxt "listchans" msgid "yes" msgstr "" -#: ClientCommand.cpp:551 +#: ClientCommand.cpp:596 msgid "Total: {1}, Joined: {2}, Detached: {3}, Disabled: {4}" msgstr "" -#: ClientCommand.cpp:556 +#: ClientCommand.cpp:601 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks using /znc DelNetwork " msgstr "" -#: ClientCommand.cpp:565 +#: ClientCommand.cpp:610 msgid "Usage: AddNetwork " msgstr "" -#: ClientCommand.cpp:569 +#: ClientCommand.cpp:614 msgid "Network name should be alphanumeric" msgstr "" -#: ClientCommand.cpp:576 +#: ClientCommand.cpp:621 msgid "" "Network added. Use /znc JumpNetwork {1}, or connect to ZNC with username {2} " "(instead of just {3}) to connect to it." msgstr "" -#: ClientCommand.cpp:581 +#: ClientCommand.cpp:626 msgid "Unable to add that network" msgstr "" -#: ClientCommand.cpp:588 +#: ClientCommand.cpp:633 msgid "Usage: DelNetwork " msgstr "" -#: ClientCommand.cpp:597 +#: ClientCommand.cpp:642 msgid "Network deleted" msgstr "" -#: ClientCommand.cpp:600 +#: ClientCommand.cpp:645 msgid "Failed to delete network, perhaps this network doesn't exist" msgstr "" -#: ClientCommand.cpp:610 +#: ClientCommand.cpp:655 msgid "User {1} not found" msgstr "" -#: ClientCommand.cpp:618 ClientCommand.cpp:626 +#: ClientCommand.cpp:663 ClientCommand.cpp:671 msgctxt "listnetworks" msgid "Network" msgstr "" -#: ClientCommand.cpp:619 ClientCommand.cpp:628 ClientCommand.cpp:637 +#: ClientCommand.cpp:664 ClientCommand.cpp:673 ClientCommand.cpp:682 msgctxt "listnetworks" msgid "On IRC" msgstr "" -#: ClientCommand.cpp:620 ClientCommand.cpp:630 +#: ClientCommand.cpp:665 ClientCommand.cpp:675 msgctxt "listnetworks" msgid "IRC Server" msgstr "" -#: ClientCommand.cpp:621 ClientCommand.cpp:632 +#: ClientCommand.cpp:666 ClientCommand.cpp:677 msgctxt "listnetworks" msgid "IRC User" msgstr "" -#: ClientCommand.cpp:622 ClientCommand.cpp:634 +#: ClientCommand.cpp:667 ClientCommand.cpp:679 msgctxt "listnetworks" msgid "Channels" msgstr "" -#: ClientCommand.cpp:629 +#: ClientCommand.cpp:674 msgctxt "listnetworks" msgid "Yes" msgstr "" -#: ClientCommand.cpp:638 +#: ClientCommand.cpp:683 msgctxt "listnetworks" msgid "No" msgstr "" -#: ClientCommand.cpp:643 +#: ClientCommand.cpp:688 msgctxt "listnetworks" msgid "No networks" msgstr "" -#: ClientCommand.cpp:647 ClientCommand.cpp:952 +#: ClientCommand.cpp:692 ClientCommand.cpp:997 msgid "Access denied." msgstr "" -#: ClientCommand.cpp:658 +#: ClientCommand.cpp:703 msgid "Usage: MoveNetwork [new network]" msgstr "" -#: ClientCommand.cpp:668 +#: ClientCommand.cpp:713 msgid "Old user {1} not found." msgstr "" -#: ClientCommand.cpp:674 +#: ClientCommand.cpp:719 msgid "Old network {1} not found." msgstr "" -#: ClientCommand.cpp:680 +#: ClientCommand.cpp:725 msgid "New user {1} not found." msgstr "" -#: ClientCommand.cpp:685 +#: ClientCommand.cpp:730 msgid "User {1} already has network {2}." msgstr "" -#: ClientCommand.cpp:691 +#: ClientCommand.cpp:736 msgid "Invalid network name [{1}]" msgstr "" -#: ClientCommand.cpp:707 +#: ClientCommand.cpp:752 msgid "Some files seem to be in {1}. You might want to move them to {2}" msgstr "" -#: ClientCommand.cpp:721 +#: ClientCommand.cpp:766 msgid "Error adding network: {1}" msgstr "" -#: ClientCommand.cpp:733 +#: ClientCommand.cpp:778 msgid "Success." msgstr "" -#: ClientCommand.cpp:736 +#: ClientCommand.cpp:781 msgid "Copied the network to new user, but failed to delete old network" msgstr "" -#: ClientCommand.cpp:743 +#: ClientCommand.cpp:788 msgid "No network supplied." msgstr "" -#: ClientCommand.cpp:748 +#: ClientCommand.cpp:793 msgid "You are already connected with this network." msgstr "" -#: ClientCommand.cpp:754 +#: ClientCommand.cpp:799 msgid "Switched to {1}" msgstr "" -#: ClientCommand.cpp:757 +#: ClientCommand.cpp:802 msgid "You don't have a network named {1}" msgstr "" -#: ClientCommand.cpp:769 +#: ClientCommand.cpp:814 msgid "Usage: AddServer [[+]port] [pass]" msgstr "" -#: ClientCommand.cpp:774 +#: ClientCommand.cpp:819 msgid "Server added" msgstr "" -#: ClientCommand.cpp:777 +#: ClientCommand.cpp:822 msgid "" "Unable to add that server. Perhaps the server is already added or openssl is " "disabled?" msgstr "" -#: ClientCommand.cpp:792 +#: ClientCommand.cpp:837 msgid "Usage: DelServer [port] [pass]" msgstr "" -#: ClientCommand.cpp:802 +#: ClientCommand.cpp:847 msgid "Server removed" msgstr "" -#: ClientCommand.cpp:804 +#: ClientCommand.cpp:849 msgid "No such server" msgstr "" -#: ClientCommand.cpp:817 ClientCommand.cpp:825 +#: ClientCommand.cpp:862 ClientCommand.cpp:870 msgctxt "listservers" msgid "Host" msgstr "" -#: ClientCommand.cpp:818 ClientCommand.cpp:827 +#: ClientCommand.cpp:863 ClientCommand.cpp:872 msgctxt "listservers" msgid "Port" msgstr "" -#: ClientCommand.cpp:819 ClientCommand.cpp:830 +#: ClientCommand.cpp:864 ClientCommand.cpp:875 msgctxt "listservers" msgid "SSL" msgstr "" -#: ClientCommand.cpp:820 ClientCommand.cpp:832 +#: ClientCommand.cpp:865 ClientCommand.cpp:877 msgctxt "listservers" msgid "Password" msgstr "" -#: ClientCommand.cpp:831 +#: ClientCommand.cpp:876 msgctxt "listservers|cell" msgid "SSL" msgstr "" -#: ClientCommand.cpp:848 +#: ClientCommand.cpp:893 msgid "Usage: AddTrustedServerFingerprint " msgstr "" -#: ClientCommand.cpp:852 ClientCommand.cpp:865 +#: ClientCommand.cpp:897 ClientCommand.cpp:910 msgid "Done." msgstr "" -#: ClientCommand.cpp:861 +#: ClientCommand.cpp:906 msgid "Usage: DelTrustedServerFingerprint " msgstr "" -#: ClientCommand.cpp:874 +#: ClientCommand.cpp:919 msgid "No fingerprints added." msgstr "" -#: ClientCommand.cpp:890 ClientCommand.cpp:896 +#: ClientCommand.cpp:935 ClientCommand.cpp:941 msgctxt "topicscmd" msgid "Channel" msgstr "" -#: ClientCommand.cpp:891 ClientCommand.cpp:897 +#: ClientCommand.cpp:936 ClientCommand.cpp:942 msgctxt "topicscmd" msgid "Set By" msgstr "" -#: ClientCommand.cpp:892 ClientCommand.cpp:898 +#: ClientCommand.cpp:937 ClientCommand.cpp:943 msgctxt "topicscmd" msgid "Topic" msgstr "" -#: ClientCommand.cpp:905 ClientCommand.cpp:910 +#: ClientCommand.cpp:950 ClientCommand.cpp:955 msgctxt "listmods" msgid "Name" msgstr "" -#: ClientCommand.cpp:906 ClientCommand.cpp:911 +#: ClientCommand.cpp:951 ClientCommand.cpp:956 msgctxt "listmods" msgid "Arguments" msgstr "" -#: ClientCommand.cpp:920 +#: ClientCommand.cpp:965 msgid "No global modules loaded." msgstr "" -#: ClientCommand.cpp:922 ClientCommand.cpp:986 +#: ClientCommand.cpp:967 ClientCommand.cpp:1031 msgid "Global modules:" msgstr "" -#: ClientCommand.cpp:931 +#: ClientCommand.cpp:976 msgid "Your user has no modules loaded." msgstr "" -#: ClientCommand.cpp:933 ClientCommand.cpp:998 +#: ClientCommand.cpp:978 ClientCommand.cpp:1043 msgid "User modules:" msgstr "" -#: ClientCommand.cpp:941 +#: ClientCommand.cpp:986 msgid "This network has no modules loaded." msgstr "" -#: ClientCommand.cpp:943 ClientCommand.cpp:1010 +#: ClientCommand.cpp:988 ClientCommand.cpp:1055 msgid "Network modules:" msgstr "" -#: ClientCommand.cpp:958 ClientCommand.cpp:965 +#: ClientCommand.cpp:1003 ClientCommand.cpp:1010 msgctxt "listavailmods" msgid "Name" msgstr "" -#: ClientCommand.cpp:959 ClientCommand.cpp:970 +#: ClientCommand.cpp:1004 ClientCommand.cpp:1015 msgctxt "listavailmods" msgid "Description" msgstr "" -#: ClientCommand.cpp:984 +#: ClientCommand.cpp:1029 msgid "No global modules available." msgstr "" -#: ClientCommand.cpp:996 +#: ClientCommand.cpp:1041 msgid "No user modules available." msgstr "" -#: ClientCommand.cpp:1008 +#: ClientCommand.cpp:1053 msgid "No network modules available." msgstr "" -#: ClientCommand.cpp:1036 +#: ClientCommand.cpp:1081 msgid "Unable to load {1}: Access denied." msgstr "" -#: ClientCommand.cpp:1042 +#: ClientCommand.cpp:1087 msgid "Usage: LoadMod [--type=global|user|network] [args]" msgstr "" -#: ClientCommand.cpp:1049 +#: ClientCommand.cpp:1094 msgid "Unable to load {1}: {2}" msgstr "" -#: ClientCommand.cpp:1059 +#: ClientCommand.cpp:1104 msgid "Unable to load global module {1}: Access denied." msgstr "" -#: ClientCommand.cpp:1065 +#: ClientCommand.cpp:1110 msgid "Unable to load network module {1}: Not connected with a network." msgstr "" -#: ClientCommand.cpp:1087 +#: ClientCommand.cpp:1132 msgid "Unknown module type" msgstr "" -#: ClientCommand.cpp:1092 +#: ClientCommand.cpp:1137 msgid "Loaded module {1}" msgstr "" -#: ClientCommand.cpp:1094 +#: ClientCommand.cpp:1139 msgid "Loaded module {1}: {2}" msgstr "" -#: ClientCommand.cpp:1097 +#: ClientCommand.cpp:1142 msgid "Unable to load module {1}: {2}" msgstr "" -#: ClientCommand.cpp:1120 +#: ClientCommand.cpp:1165 msgid "Unable to unload {1}: Access denied." msgstr "" -#: ClientCommand.cpp:1126 +#: ClientCommand.cpp:1171 msgid "Usage: UnloadMod [--type=global|user|network] " msgstr "" -#: ClientCommand.cpp:1135 +#: ClientCommand.cpp:1180 msgid "Unable to determine type of {1}: {2}" msgstr "" -#: ClientCommand.cpp:1143 +#: ClientCommand.cpp:1188 msgid "Unable to unload global module {1}: Access denied." msgstr "" -#: ClientCommand.cpp:1150 +#: ClientCommand.cpp:1195 msgid "Unable to unload network module {1}: Not connected with a network." msgstr "" -#: ClientCommand.cpp:1169 +#: ClientCommand.cpp:1214 msgid "Unable to unload module {1}: Unknown module type" msgstr "" -#: ClientCommand.cpp:1182 +#: ClientCommand.cpp:1227 msgid "Unable to reload modules. Access denied." msgstr "" -#: ClientCommand.cpp:1203 +#: ClientCommand.cpp:1248 msgid "Usage: ReloadMod [--type=global|user|network] [args]" msgstr "" -#: ClientCommand.cpp:1212 +#: ClientCommand.cpp:1257 msgid "Unable to reload {1}: {2}" msgstr "" -#: ClientCommand.cpp:1220 +#: ClientCommand.cpp:1265 msgid "Unable to reload global module {1}: Access denied." msgstr "" -#: ClientCommand.cpp:1227 +#: ClientCommand.cpp:1272 msgid "Unable to reload network module {1}: Not connected with a network." msgstr "" -#: ClientCommand.cpp:1249 +#: ClientCommand.cpp:1294 msgid "Unable to reload module {1}: Unknown module type" msgstr "" -#: ClientCommand.cpp:1260 +#: ClientCommand.cpp:1305 msgid "Usage: UpdateMod " msgstr "" -#: ClientCommand.cpp:1264 +#: ClientCommand.cpp:1309 msgid "Reloading {1} everywhere" msgstr "" -#: ClientCommand.cpp:1266 +#: ClientCommand.cpp:1311 msgid "Done" msgstr "" -#: ClientCommand.cpp:1269 +#: ClientCommand.cpp:1314 msgid "" "Done, but there were errors, module {1} could not be reloaded everywhere." msgstr "" -#: ClientCommand.cpp:1277 +#: ClientCommand.cpp:1322 msgid "" "You must be connected with a network to use this command. Try " "SetUserBindHost instead" msgstr "" -#: ClientCommand.cpp:1284 +#: ClientCommand.cpp:1329 msgid "Usage: SetBindHost " msgstr "" -#: ClientCommand.cpp:1289 ClientCommand.cpp:1306 +#: ClientCommand.cpp:1334 ClientCommand.cpp:1351 msgid "You already have this bind host!" msgstr "" -#: ClientCommand.cpp:1294 +#: ClientCommand.cpp:1339 msgid "Set bind host for network {1} to {2}" msgstr "" -#: ClientCommand.cpp:1301 +#: ClientCommand.cpp:1346 msgid "Usage: SetUserBindHost " msgstr "" -#: ClientCommand.cpp:1311 +#: ClientCommand.cpp:1356 msgid "Set default bind host to {1}" msgstr "" -#: ClientCommand.cpp:1317 +#: ClientCommand.cpp:1362 msgid "" "You must be connected with a network to use this command. Try " "ClearUserBindHost instead" msgstr "" -#: ClientCommand.cpp:1322 +#: ClientCommand.cpp:1367 msgid "Bind host cleared for this network." msgstr "" -#: ClientCommand.cpp:1326 +#: ClientCommand.cpp:1371 msgid "Default bind host cleared for your user." msgstr "" -#: ClientCommand.cpp:1329 +#: ClientCommand.cpp:1374 msgid "This user's default bind host not set" msgstr "" -#: ClientCommand.cpp:1331 +#: ClientCommand.cpp:1376 msgid "This user's default bind host is {1}" msgstr "" -#: ClientCommand.cpp:1336 +#: ClientCommand.cpp:1381 msgid "This network's bind host not set" msgstr "" -#: ClientCommand.cpp:1338 +#: ClientCommand.cpp:1383 msgid "This network's default bind host is {1}" msgstr "" -#: ClientCommand.cpp:1352 +#: ClientCommand.cpp:1397 msgid "Usage: PlayBuffer <#chan|query>" msgstr "" -#: ClientCommand.cpp:1360 -msgid "You are not on {1}" -msgstr "" - -#: ClientCommand.cpp:1365 +#: ClientCommand.cpp:1410 msgid "You are not on {1} (trying to join)" msgstr "" -#: ClientCommand.cpp:1370 +#: ClientCommand.cpp:1415 msgid "The buffer for channel {1} is empty" msgstr "" -#: ClientCommand.cpp:1379 +#: ClientCommand.cpp:1424 msgid "No active query with {1}" msgstr "" -#: ClientCommand.cpp:1384 +#: ClientCommand.cpp:1429 msgid "The buffer for {1} is empty" msgstr "" -#: ClientCommand.cpp:1400 +#: ClientCommand.cpp:1445 msgid "Usage: ClearBuffer <#chan|query>" msgstr "" -#: ClientCommand.cpp:1419 +#: ClientCommand.cpp:1464 msgid "{1} buffer matching {2} has been cleared" msgid_plural "{1} buffers matching {2} have been cleared" msgstr[0] "" -#: ClientCommand.cpp:1432 +#: ClientCommand.cpp:1477 msgid "All channel buffers have been cleared" msgstr "" -#: ClientCommand.cpp:1441 +#: ClientCommand.cpp:1486 msgid "All query buffers have been cleared" msgstr "" -#: ClientCommand.cpp:1453 +#: ClientCommand.cpp:1498 msgid "All buffers have been cleared" msgstr "" -#: ClientCommand.cpp:1464 +#: ClientCommand.cpp:1509 msgid "Usage: SetBuffer <#chan|query> [linecount]" msgstr "" -#: ClientCommand.cpp:1485 +#: ClientCommand.cpp:1530 msgid "Setting buffer size failed for {1} buffer" msgid_plural "Setting buffer size failed for {1} buffers" msgstr[0] "" -#: ClientCommand.cpp:1488 +#: ClientCommand.cpp:1533 msgid "Maximum buffer size is {1} line" msgid_plural "Maximum buffer size is {1} lines" msgstr[0] "" -#: ClientCommand.cpp:1493 +#: ClientCommand.cpp:1538 msgid "Size of every buffer was set to {1} line" msgid_plural "Size of every buffer was set to {1} lines" msgstr[0] "" -#: ClientCommand.cpp:1503 ClientCommand.cpp:1510 ClientCommand.cpp:1521 -#: ClientCommand.cpp:1530 ClientCommand.cpp:1538 +#: ClientCommand.cpp:1548 ClientCommand.cpp:1555 ClientCommand.cpp:1566 +#: ClientCommand.cpp:1575 ClientCommand.cpp:1583 msgctxt "trafficcmd" msgid "Username" msgstr "" -#: ClientCommand.cpp:1504 ClientCommand.cpp:1511 ClientCommand.cpp:1523 -#: ClientCommand.cpp:1532 ClientCommand.cpp:1540 +#: ClientCommand.cpp:1549 ClientCommand.cpp:1556 ClientCommand.cpp:1568 +#: ClientCommand.cpp:1577 ClientCommand.cpp:1585 msgctxt "trafficcmd" msgid "In" msgstr "" -#: ClientCommand.cpp:1505 ClientCommand.cpp:1513 ClientCommand.cpp:1524 -#: ClientCommand.cpp:1533 ClientCommand.cpp:1541 +#: ClientCommand.cpp:1550 ClientCommand.cpp:1558 ClientCommand.cpp:1569 +#: ClientCommand.cpp:1578 ClientCommand.cpp:1586 msgctxt "trafficcmd" msgid "Out" msgstr "" -#: ClientCommand.cpp:1506 ClientCommand.cpp:1516 ClientCommand.cpp:1526 -#: ClientCommand.cpp:1534 ClientCommand.cpp:1543 +#: ClientCommand.cpp:1551 ClientCommand.cpp:1561 ClientCommand.cpp:1571 +#: ClientCommand.cpp:1579 ClientCommand.cpp:1588 msgctxt "trafficcmd" msgid "Total" msgstr "" -#: ClientCommand.cpp:1522 +#: ClientCommand.cpp:1567 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1531 +#: ClientCommand.cpp:1576 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1539 +#: ClientCommand.cpp:1584 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1548 +#: ClientCommand.cpp:1593 msgid "Running for {1}" msgstr "" -#: ClientCommand.cpp:1554 +#: ClientCommand.cpp:1599 msgid "Unknown command, try 'Help'" msgstr "" -#: ClientCommand.cpp:1563 ClientCommand.cpp:1574 +#: ClientCommand.cpp:1608 ClientCommand.cpp:1619 msgctxt "listports" msgid "Port" msgstr "" -#: ClientCommand.cpp:1564 ClientCommand.cpp:1577 +#: ClientCommand.cpp:1609 ClientCommand.cpp:1622 msgctxt "listports" msgid "BindHost" msgstr "" -#: ClientCommand.cpp:1565 ClientCommand.cpp:1580 +#: ClientCommand.cpp:1610 ClientCommand.cpp:1625 msgctxt "listports" msgid "SSL" msgstr "" -#: ClientCommand.cpp:1566 ClientCommand.cpp:1585 +#: ClientCommand.cpp:1611 ClientCommand.cpp:1630 msgctxt "listports" msgid "Protocol" msgstr "" -#: ClientCommand.cpp:1567 ClientCommand.cpp:1592 +#: ClientCommand.cpp:1612 ClientCommand.cpp:1637 msgctxt "listports" msgid "IRC" msgstr "" -#: ClientCommand.cpp:1568 ClientCommand.cpp:1597 +#: ClientCommand.cpp:1613 ClientCommand.cpp:1642 msgctxt "listports" msgid "Web" msgstr "" -#: ClientCommand.cpp:1581 +#: ClientCommand.cpp:1626 msgctxt "listports|ssl" msgid "yes" msgstr "" -#: ClientCommand.cpp:1582 +#: ClientCommand.cpp:1627 msgctxt "listports|ssl" msgid "no" msgstr "" -#: ClientCommand.cpp:1586 +#: ClientCommand.cpp:1631 msgctxt "listports" msgid "IPv4 and IPv6" msgstr "" -#: ClientCommand.cpp:1588 +#: ClientCommand.cpp:1633 msgctxt "listports" msgid "IPv4" msgstr "" -#: ClientCommand.cpp:1589 +#: ClientCommand.cpp:1634 msgctxt "listports" msgid "IPv6" msgstr "" -#: ClientCommand.cpp:1595 +#: ClientCommand.cpp:1640 msgctxt "listports|irc" msgid "yes" msgstr "" -#: ClientCommand.cpp:1596 +#: ClientCommand.cpp:1641 msgctxt "listports|irc" msgid "no" msgstr "" -#: ClientCommand.cpp:1600 +#: ClientCommand.cpp:1645 msgctxt "listports|irc" msgid "yes, on {1}" msgstr "" -#: ClientCommand.cpp:1602 +#: ClientCommand.cpp:1647 msgctxt "listports|web" msgid "no" msgstr "" -#: ClientCommand.cpp:1642 +#: ClientCommand.cpp:1687 msgid "" "Usage: AddPort <[+]port> [bindhost [uriprefix]]" msgstr "" -#: ClientCommand.cpp:1658 +#: ClientCommand.cpp:1703 msgid "Port added" msgstr "" -#: ClientCommand.cpp:1660 +#: ClientCommand.cpp:1705 msgid "Couldn't add port" msgstr "" -#: ClientCommand.cpp:1666 +#: ClientCommand.cpp:1711 msgid "Usage: DelPort [bindhost]" msgstr "" -#: ClientCommand.cpp:1675 +#: ClientCommand.cpp:1720 msgid "Deleted Port" msgstr "" -#: ClientCommand.cpp:1677 +#: ClientCommand.cpp:1722 msgid "Unable to find a matching port" msgstr "" -#: ClientCommand.cpp:1685 ClientCommand.cpp:1700 +#: ClientCommand.cpp:1730 ClientCommand.cpp:1745 msgctxt "helpcmd" msgid "Command" msgstr "" -#: ClientCommand.cpp:1686 ClientCommand.cpp:1702 +#: ClientCommand.cpp:1731 ClientCommand.cpp:1747 msgctxt "helpcmd" msgid "Description" msgstr "" -#: ClientCommand.cpp:1691 +#: ClientCommand.cpp:1736 msgid "" "In the following list all occurrences of <#chan> support wildcards (* and ?) " "except ListNicks" msgstr "" -#: ClientCommand.cpp:1708 +#: ClientCommand.cpp:1753 msgctxt "helpcmd|Version|desc" msgid "Print which version of ZNC this is" msgstr "" -#: ClientCommand.cpp:1711 +#: ClientCommand.cpp:1756 msgctxt "helpcmd|ListMods|desc" msgid "List all loaded modules" msgstr "" -#: ClientCommand.cpp:1714 +#: ClientCommand.cpp:1759 msgctxt "helpcmd|ListAvailMods|desc" msgid "List all available modules" msgstr "" -#: ClientCommand.cpp:1718 ClientCommand.cpp:1904 +#: ClientCommand.cpp:1763 ClientCommand.cpp:1954 msgctxt "helpcmd|ListChans|desc" msgid "List all channels" msgstr "" -#: ClientCommand.cpp:1721 +#: ClientCommand.cpp:1766 msgctxt "helpcmd|ListNicks|args" msgid "<#chan>" msgstr "" -#: ClientCommand.cpp:1722 +#: ClientCommand.cpp:1767 msgctxt "helpcmd|ListNicks|desc" msgid "List all nicks on a channel" msgstr "" -#: ClientCommand.cpp:1725 +#: ClientCommand.cpp:1770 msgctxt "helpcmd|ListClients|desc" msgid "List all clients connected to your ZNC user" msgstr "" -#: ClientCommand.cpp:1729 +#: ClientCommand.cpp:1774 msgctxt "helpcmd|ListServers|desc" msgid "List all servers of current IRC network" msgstr "" -#: ClientCommand.cpp:1733 +#: ClientCommand.cpp:1778 msgctxt "helpcmd|AddNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1734 +#: ClientCommand.cpp:1779 msgctxt "helpcmd|AddNetwork|desc" msgid "Add a network to your user" msgstr "" -#: ClientCommand.cpp:1736 +#: ClientCommand.cpp:1781 msgctxt "helpcmd|DelNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1737 +#: ClientCommand.cpp:1782 msgctxt "helpcmd|DelNetwork|desc" msgid "Delete a network from your user" msgstr "" -#: ClientCommand.cpp:1739 +#: ClientCommand.cpp:1784 msgctxt "helpcmd|ListNetworks|desc" msgid "List all networks" msgstr "" -#: ClientCommand.cpp:1742 +#: ClientCommand.cpp:1787 msgctxt "helpcmd|MoveNetwork|args" msgid " [new network]" msgstr "" -#: ClientCommand.cpp:1744 +#: ClientCommand.cpp:1789 msgctxt "helpcmd|MoveNetwork|desc" msgid "Move an IRC network from one user to another" msgstr "" -#: ClientCommand.cpp:1748 +#: ClientCommand.cpp:1793 msgctxt "helpcmd|JumpNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1749 +#: ClientCommand.cpp:1794 msgctxt "helpcmd|JumpNetwork|desc" msgid "" "Jump to another network (Alternatively, you can connect to ZNC several " "times, using `user/network` as username)" msgstr "" -#: ClientCommand.cpp:1754 +#: ClientCommand.cpp:1799 msgctxt "helpcmd|AddServer|args" msgid " [[+]port] [pass]" msgstr "" -#: ClientCommand.cpp:1755 +#: ClientCommand.cpp:1800 msgctxt "helpcmd|AddServer|desc" msgid "" "Add a server to the list of alternate/backup servers of current IRC network." msgstr "" -#: ClientCommand.cpp:1759 +#: ClientCommand.cpp:1804 msgctxt "helpcmd|DelServer|args" msgid " [port] [pass]" msgstr "" -#: ClientCommand.cpp:1760 +#: ClientCommand.cpp:1805 msgctxt "helpcmd|DelServer|desc" msgid "" "Remove a server from the list of alternate/backup servers of current IRC " "network" msgstr "" -#: ClientCommand.cpp:1766 +#: ClientCommand.cpp:1811 msgctxt "helpcmd|AddTrustedServerFingerprint|args" msgid "" msgstr "" -#: ClientCommand.cpp:1767 +#: ClientCommand.cpp:1812 msgctxt "helpcmd|AddTrustedServerFingerprint|desc" msgid "" "Add a trusted server SSL certificate fingerprint (SHA-256) to current IRC " "network." msgstr "" -#: ClientCommand.cpp:1772 +#: ClientCommand.cpp:1817 msgctxt "helpcmd|DelTrustedServerFingerprint|args" msgid "" msgstr "" -#: ClientCommand.cpp:1773 +#: ClientCommand.cpp:1818 msgctxt "helpcmd|DelTrustedServerFingerprint|desc" msgid "Delete a trusted server SSL certificate from current IRC network." msgstr "" -#: ClientCommand.cpp:1777 +#: ClientCommand.cpp:1822 msgctxt "helpcmd|ListTrustedServerFingerprints|desc" msgid "List all trusted server SSL certificates of current IRC network." msgstr "" -#: ClientCommand.cpp:1780 +#: ClientCommand.cpp:1825 msgctxt "helpcmd|EnableChan|args" msgid "<#chans>" msgstr "" -#: ClientCommand.cpp:1781 +#: ClientCommand.cpp:1826 msgctxt "helpcmd|EnableChan|desc" msgid "Enable channels" msgstr "" -#: ClientCommand.cpp:1782 +#: ClientCommand.cpp:1827 msgctxt "helpcmd|DisableChan|args" msgid "<#chans>" msgstr "" -#: ClientCommand.cpp:1783 +#: ClientCommand.cpp:1828 msgctxt "helpcmd|DisableChan|desc" msgid "Disable channels" msgstr "" -#: ClientCommand.cpp:1784 +#: ClientCommand.cpp:1829 +msgctxt "helpcmd|MoveChan|args" +msgid "<#chan> " +msgstr "" + +#: ClientCommand.cpp:1830 +msgctxt "helpcmd|MoveChan|desc" +msgid "Move channel in sort order" +msgstr "" + +#: ClientCommand.cpp:1832 +msgctxt "helpcmd|SwapChans|args" +msgid "<#chan1> <#chan2>" +msgstr "" + +#: ClientCommand.cpp:1833 +msgctxt "helpcmd|SwapChans|desc" +msgid "Swap channels in sort order" +msgstr "" + +#: ClientCommand.cpp:1834 msgctxt "helpcmd|Attach|args" msgid "<#chans>" msgstr "" -#: ClientCommand.cpp:1785 +#: ClientCommand.cpp:1835 msgctxt "helpcmd|Attach|desc" msgid "Attach to channels" msgstr "" -#: ClientCommand.cpp:1786 +#: ClientCommand.cpp:1836 msgctxt "helpcmd|Detach|args" msgid "<#chans>" msgstr "" -#: ClientCommand.cpp:1787 +#: ClientCommand.cpp:1837 msgctxt "helpcmd|Detach|desc" msgid "Detach from channels" msgstr "" -#: ClientCommand.cpp:1790 +#: ClientCommand.cpp:1840 msgctxt "helpcmd|Topics|desc" msgid "Show topics in all your channels" msgstr "" -#: ClientCommand.cpp:1793 +#: ClientCommand.cpp:1843 msgctxt "helpcmd|PlayBuffer|args" msgid "<#chan|query>" msgstr "" -#: ClientCommand.cpp:1794 +#: ClientCommand.cpp:1844 msgctxt "helpcmd|PlayBuffer|desc" msgid "Play back the specified buffer" msgstr "" -#: ClientCommand.cpp:1796 +#: ClientCommand.cpp:1846 msgctxt "helpcmd|ClearBuffer|args" msgid "<#chan|query>" msgstr "" -#: ClientCommand.cpp:1797 +#: ClientCommand.cpp:1847 msgctxt "helpcmd|ClearBuffer|desc" msgid "Clear the specified buffer" msgstr "" -#: ClientCommand.cpp:1799 +#: ClientCommand.cpp:1849 msgctxt "helpcmd|ClearAllBuffers|desc" msgid "Clear all channel and query buffers" msgstr "" -#: ClientCommand.cpp:1802 +#: ClientCommand.cpp:1852 msgctxt "helpcmd|ClearAllChannelBuffers|desc" msgid "Clear the channel buffers" msgstr "" -#: ClientCommand.cpp:1806 +#: ClientCommand.cpp:1856 msgctxt "helpcmd|ClearAllQueryBuffers|desc" msgid "Clear the query buffers" msgstr "" -#: ClientCommand.cpp:1808 +#: ClientCommand.cpp:1858 msgctxt "helpcmd|SetBuffer|args" msgid "<#chan|query> [linecount]" msgstr "" -#: ClientCommand.cpp:1809 +#: ClientCommand.cpp:1859 msgctxt "helpcmd|SetBuffer|desc" msgid "Set the buffer count" msgstr "" -#: ClientCommand.cpp:1813 +#: ClientCommand.cpp:1863 msgctxt "helpcmd|SetBindHost|args" msgid "" msgstr "" -#: ClientCommand.cpp:1814 +#: ClientCommand.cpp:1864 msgctxt "helpcmd|SetBindHost|desc" msgid "Set the bind host for this network" msgstr "" -#: ClientCommand.cpp:1818 +#: ClientCommand.cpp:1868 msgctxt "helpcmd|SetUserBindHost|args" msgid "" msgstr "" -#: ClientCommand.cpp:1819 +#: ClientCommand.cpp:1869 msgctxt "helpcmd|SetUserBindHost|desc" msgid "Set the default bind host for this user" msgstr "" -#: ClientCommand.cpp:1822 +#: ClientCommand.cpp:1872 msgctxt "helpcmd|ClearBindHost|desc" msgid "Clear the bind host for this network" msgstr "" -#: ClientCommand.cpp:1825 +#: ClientCommand.cpp:1875 msgctxt "helpcmd|ClearUserBindHost|desc" msgid "Clear the default bind host for this user" msgstr "" -#: ClientCommand.cpp:1831 +#: ClientCommand.cpp:1881 msgctxt "helpcmd|ShowBindHost|desc" msgid "Show currently selected bind host" msgstr "" -#: ClientCommand.cpp:1833 +#: ClientCommand.cpp:1883 msgctxt "helpcmd|Jump|args" msgid "[server]" msgstr "" -#: ClientCommand.cpp:1834 +#: ClientCommand.cpp:1884 msgctxt "helpcmd|Jump|desc" msgid "Jump to the next or the specified server" msgstr "" -#: ClientCommand.cpp:1835 +#: ClientCommand.cpp:1885 msgctxt "helpcmd|Disconnect|args" msgid "[message]" msgstr "" -#: ClientCommand.cpp:1836 +#: ClientCommand.cpp:1886 msgctxt "helpcmd|Disconnect|desc" msgid "Disconnect from IRC" msgstr "" -#: ClientCommand.cpp:1838 +#: ClientCommand.cpp:1888 msgctxt "helpcmd|Connect|desc" msgid "Reconnect to IRC" msgstr "" -#: ClientCommand.cpp:1841 +#: ClientCommand.cpp:1891 msgctxt "helpcmd|Uptime|desc" msgid "Show for how long ZNC has been running" msgstr "" -#: ClientCommand.cpp:1845 +#: ClientCommand.cpp:1895 msgctxt "helpcmd|LoadMod|args" msgid "[--type=global|user|network] [args]" msgstr "" -#: ClientCommand.cpp:1847 +#: ClientCommand.cpp:1897 msgctxt "helpcmd|LoadMod|desc" msgid "Load a module" msgstr "" -#: ClientCommand.cpp:1849 +#: ClientCommand.cpp:1899 msgctxt "helpcmd|UnloadMod|args" msgid "[--type=global|user|network] " msgstr "" -#: ClientCommand.cpp:1851 +#: ClientCommand.cpp:1901 msgctxt "helpcmd|UnloadMod|desc" msgid "Unload a module" msgstr "" -#: ClientCommand.cpp:1853 +#: ClientCommand.cpp:1903 msgctxt "helpcmd|ReloadMod|args" msgid "[--type=global|user|network] [args]" msgstr "" -#: ClientCommand.cpp:1855 +#: ClientCommand.cpp:1905 msgctxt "helpcmd|ReloadMod|desc" msgid "Reload a module" msgstr "" -#: ClientCommand.cpp:1858 +#: ClientCommand.cpp:1908 msgctxt "helpcmd|UpdateMod|args" msgid "" msgstr "" -#: ClientCommand.cpp:1859 +#: ClientCommand.cpp:1909 msgctxt "helpcmd|UpdateMod|desc" msgid "Reload a module everywhere" msgstr "" -#: ClientCommand.cpp:1865 +#: ClientCommand.cpp:1915 msgctxt "helpcmd|ShowMOTD|desc" msgid "Show ZNC's message of the day" msgstr "" -#: ClientCommand.cpp:1869 +#: ClientCommand.cpp:1919 msgctxt "helpcmd|SetMOTD|args" msgid "" msgstr "" -#: ClientCommand.cpp:1870 +#: ClientCommand.cpp:1920 msgctxt "helpcmd|SetMOTD|desc" msgid "Set ZNC's message of the day" msgstr "" -#: ClientCommand.cpp:1872 +#: ClientCommand.cpp:1922 msgctxt "helpcmd|AddMOTD|args" msgid "" msgstr "" -#: ClientCommand.cpp:1873 +#: ClientCommand.cpp:1923 msgctxt "helpcmd|AddMOTD|desc" msgid "Append to ZNC's MOTD" msgstr "" -#: ClientCommand.cpp:1875 +#: ClientCommand.cpp:1925 msgctxt "helpcmd|ClearMOTD|desc" msgid "Clear ZNC's MOTD" msgstr "" -#: ClientCommand.cpp:1878 +#: ClientCommand.cpp:1928 msgctxt "helpcmd|ListPorts|desc" msgid "Show all active listeners" msgstr "" -#: ClientCommand.cpp:1880 +#: ClientCommand.cpp:1930 msgctxt "helpcmd|AddPort|args" msgid "<[+]port> [bindhost [uriprefix]]" msgstr "" -#: ClientCommand.cpp:1883 +#: ClientCommand.cpp:1933 msgctxt "helpcmd|AddPort|desc" msgid "Add another port for ZNC to listen on" msgstr "" -#: ClientCommand.cpp:1887 +#: ClientCommand.cpp:1937 msgctxt "helpcmd|DelPort|args" msgid " [bindhost]" msgstr "" -#: ClientCommand.cpp:1888 +#: ClientCommand.cpp:1938 msgctxt "helpcmd|DelPort|desc" msgid "Remove a port from ZNC" msgstr "" -#: ClientCommand.cpp:1891 +#: ClientCommand.cpp:1941 msgctxt "helpcmd|Rehash|desc" msgid "Reload global settings, modules, and listeners from znc.conf" msgstr "" -#: ClientCommand.cpp:1894 +#: ClientCommand.cpp:1944 msgctxt "helpcmd|SaveConfig|desc" msgid "Save the current settings to disk" msgstr "" -#: ClientCommand.cpp:1897 +#: ClientCommand.cpp:1947 msgctxt "helpcmd|ListUsers|desc" msgid "List all ZNC users and their connection status" msgstr "" -#: ClientCommand.cpp:1900 +#: ClientCommand.cpp:1950 msgctxt "helpcmd|ListAllUserNetworks|desc" msgid "List all ZNC users and their networks" msgstr "" -#: ClientCommand.cpp:1903 +#: ClientCommand.cpp:1953 msgctxt "helpcmd|ListChans|args" msgid "[user ]" msgstr "" -#: ClientCommand.cpp:1906 +#: ClientCommand.cpp:1956 msgctxt "helpcmd|ListClients|args" msgid "[user]" msgstr "" -#: ClientCommand.cpp:1907 +#: ClientCommand.cpp:1957 msgctxt "helpcmd|ListClients|desc" msgid "List all connected clients" msgstr "" -#: ClientCommand.cpp:1909 +#: ClientCommand.cpp:1959 msgctxt "helpcmd|Traffic|desc" msgid "Show basic traffic stats for all ZNC users" msgstr "" -#: ClientCommand.cpp:1911 +#: ClientCommand.cpp:1961 msgctxt "helpcmd|Broadcast|args" msgid "[message]" msgstr "" -#: ClientCommand.cpp:1912 +#: ClientCommand.cpp:1962 msgctxt "helpcmd|Broadcast|desc" msgid "Broadcast a message to all ZNC users" msgstr "" -#: ClientCommand.cpp:1915 +#: ClientCommand.cpp:1965 msgctxt "helpcmd|Shutdown|args" msgid "[message]" msgstr "" -#: ClientCommand.cpp:1916 +#: ClientCommand.cpp:1966 msgctxt "helpcmd|Shutdown|desc" msgid "Shut down ZNC completely" msgstr "" -#: ClientCommand.cpp:1917 +#: ClientCommand.cpp:1967 msgctxt "helpcmd|Restart|args" msgid "[message]" msgstr "" -#: ClientCommand.cpp:1918 +#: ClientCommand.cpp:1968 msgctxt "helpcmd|Restart|desc" msgid "Restart ZNC" msgstr "" diff --git a/src/po/znc.it_IT.po b/src/po/znc.it_IT.po index c33ff6cd..9941a377 100644 --- a/src/po/znc.it_IT.po +++ b/src/po/znc.it_IT.po @@ -75,7 +75,7 @@ msgstr "Impossibile localizzare il file pem: {1}" msgid "Invalid port" msgstr "Porta non valida" -#: znc.cpp:1813 ClientCommand.cpp:1655 +#: znc.cpp:1813 ClientCommand.cpp:1700 msgid "Unable to bind: {1}" msgstr "Impossibile associare: {1}" @@ -95,21 +95,30 @@ msgstr "Sei attualmente disconnesso da IRC. Usa 'connect' per riconnetterti." msgid "This network is being deleted or moved to another user." msgstr "Questo network può essere eliminato o spostato ad un altro utente." -#: IRCNetwork.cpp:1016 +#: IRCNetwork.cpp:948 +msgid "Invalid index" +msgstr "" + +#: IRCNetwork.cpp:956 IRCNetwork.cpp:972 IRCNetwork.cpp:980 +#: ClientCommand.cpp:1405 +msgid "You are not on {1}" +msgstr "Non sei su {1}" + +#: IRCNetwork.cpp:1059 msgid "The channel {1} could not be joined, disabling it." msgstr "Disabilitandolo, il canale {1} potrebbe non essere più accessibile." -#: IRCNetwork.cpp:1145 +#: IRCNetwork.cpp:1188 msgid "Your current server was removed, jumping..." msgstr "Il server attuale è stato rimosso, salta..." -#: IRCNetwork.cpp:1308 +#: IRCNetwork.cpp:1351 msgid "Cannot connect to {1}, because ZNC is not compiled with SSL support." msgstr "" "Non posso collegarmi a {1}, perché lo ZNC non è compilato con il supporto " "SSL." -#: IRCNetwork.cpp:1329 +#: IRCNetwork.cpp:1372 msgid "Some module aborted the connection attempt" msgstr "Qualche modulo ha annullato il tentativo di connessione" @@ -305,7 +314,7 @@ msgctxt "modhelpcmd" msgid "Generate this output" msgstr "Genera questo output" -#: Modules.cpp:573 ClientCommand.cpp:1922 +#: Modules.cpp:573 ClientCommand.cpp:1972 msgid "No matches for '{1}'" msgstr "Nessuna corrispondenza per '{1}'" @@ -417,11 +426,12 @@ msgstr "Descrizione" #: ClientCommand.cpp:51 ClientCommand.cpp:115 ClientCommand.cpp:137 #: ClientCommand.cpp:339 ClientCommand.cpp:390 ClientCommand.cpp:405 -#: ClientCommand.cpp:432 ClientCommand.cpp:459 ClientCommand.cpp:764 -#: ClientCommand.cpp:783 ClientCommand.cpp:809 ClientCommand.cpp:843 -#: ClientCommand.cpp:856 ClientCommand.cpp:869 ClientCommand.cpp:884 -#: ClientCommand.cpp:1345 ClientCommand.cpp:1393 ClientCommand.cpp:1425 -#: ClientCommand.cpp:1436 ClientCommand.cpp:1445 ClientCommand.cpp:1457 +#: ClientCommand.cpp:432 ClientCommand.cpp:459 ClientCommand.cpp:480 +#: ClientCommand.cpp:499 ClientCommand.cpp:809 ClientCommand.cpp:828 +#: ClientCommand.cpp:854 ClientCommand.cpp:888 ClientCommand.cpp:901 +#: ClientCommand.cpp:914 ClientCommand.cpp:929 ClientCommand.cpp:1390 +#: ClientCommand.cpp:1438 ClientCommand.cpp:1470 ClientCommand.cpp:1481 +#: ClientCommand.cpp:1490 ClientCommand.cpp:1502 msgid "You must be connected with a network to use this command" msgstr "Devi essere connesso ad un network per usare questo comando" @@ -598,7 +608,7 @@ msgid "" "ERROR: Writing config file to disk failed! Aborting. Use {1} FORCE to ignore." msgstr "" -#: ClientCommand.cpp:344 ClientCommand.cpp:797 ClientCommand.cpp:838 +#: ClientCommand.cpp:344 ClientCommand.cpp:842 ClientCommand.cpp:883 msgid "You don't have any servers added." msgstr "Non hai nessun server aggiunto." @@ -642,87 +652,108 @@ msgid_plural "Disabled {1} channels" msgstr[0] "" msgstr[1] "" -#: ClientCommand.cpp:470 +#: ClientCommand.cpp:466 +msgid "Usage: MoveChan <#chan> " +msgstr "" + +#: ClientCommand.cpp:474 +msgid "Moved channel {1} to index {2}" +msgstr "" + +#: ClientCommand.cpp:487 +msgid "Usage: SwapChans <#chan1> <#chan2>" +msgstr "" + +#: ClientCommand.cpp:493 +msgid "Swapped channels {1} and {2}" +msgstr "" + +#: ClientCommand.cpp:510 msgid "Usage: ListChans" msgstr "Usa: ListChans" -#: ClientCommand.cpp:477 +#: ClientCommand.cpp:517 msgid "No such user [{1}]" msgstr "Nessun utente [{1}]" -#: ClientCommand.cpp:483 +#: ClientCommand.cpp:523 msgid "User [{1}] doesn't have network [{2}]" msgstr "L'utente [{1}] non ha network [{2}]" -#: ClientCommand.cpp:494 +#: ClientCommand.cpp:534 msgid "There are no channels defined." msgstr "Non ci sono canali definiti." -#: ClientCommand.cpp:499 ClientCommand.cpp:515 +#: ClientCommand.cpp:539 ClientCommand.cpp:557 +msgctxt "listchans" +msgid "Index" +msgstr "" + +#: ClientCommand.cpp:540 ClientCommand.cpp:558 msgctxt "listchans" msgid "Name" msgstr "Nome" -#: ClientCommand.cpp:500 ClientCommand.cpp:518 +#: ClientCommand.cpp:541 ClientCommand.cpp:561 msgctxt "listchans" msgid "Status" msgstr "Stato" -#: ClientCommand.cpp:501 ClientCommand.cpp:525 +#: ClientCommand.cpp:542 ClientCommand.cpp:568 msgctxt "listchans" msgid "In config" msgstr "In configurazione" -#: ClientCommand.cpp:502 ClientCommand.cpp:527 +#: ClientCommand.cpp:543 ClientCommand.cpp:570 msgctxt "listchans" msgid "Buffer" msgstr "Buffer" -#: ClientCommand.cpp:503 ClientCommand.cpp:531 +#: ClientCommand.cpp:544 ClientCommand.cpp:574 msgctxt "listchans" msgid "Clear" msgstr "Annulla" -#: ClientCommand.cpp:504 ClientCommand.cpp:536 +#: ClientCommand.cpp:545 ClientCommand.cpp:579 msgctxt "listchans" msgid "Modes" msgstr "Modi" -#: ClientCommand.cpp:505 ClientCommand.cpp:537 +#: ClientCommand.cpp:546 ClientCommand.cpp:580 msgctxt "listchans" msgid "Users" msgstr "Utenti" -#: ClientCommand.cpp:520 +#: ClientCommand.cpp:563 msgctxt "listchans" msgid "Detached" msgstr "Scollegati" -#: ClientCommand.cpp:521 +#: ClientCommand.cpp:564 msgctxt "listchans" msgid "Joined" msgstr "Dentro" -#: ClientCommand.cpp:522 +#: ClientCommand.cpp:565 msgctxt "listchans" msgid "Disabled" msgstr "Disabilitati" -#: ClientCommand.cpp:523 +#: ClientCommand.cpp:566 msgctxt "listchans" msgid "Trying" msgstr "Provando" -#: ClientCommand.cpp:526 ClientCommand.cpp:534 +#: ClientCommand.cpp:569 ClientCommand.cpp:577 msgctxt "listchans" msgid "yes" msgstr "si" -#: ClientCommand.cpp:551 +#: ClientCommand.cpp:596 msgid "Total: {1}, Joined: {2}, Detached: {3}, Disabled: {4}" msgstr "Totale: {1}, Joined: {2}, Scollegati: {3}, Disabilitati: {4}" -#: ClientCommand.cpp:556 +#: ClientCommand.cpp:601 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks using /znc DelNetwork " @@ -730,15 +761,15 @@ msgstr "" "Numero limite per network raggiunto. Chiedi ad un amministratore di " "aumentare il limite per te o elimina i networks usando /znc DelNetwork " -#: ClientCommand.cpp:565 +#: ClientCommand.cpp:610 msgid "Usage: AddNetwork " msgstr "Usa: AddNetwork " -#: ClientCommand.cpp:569 +#: ClientCommand.cpp:614 msgid "Network name should be alphanumeric" msgstr "Il nome del network deve essere alfanumerico" -#: ClientCommand.cpp:576 +#: ClientCommand.cpp:621 msgid "" "Network added. Use /znc JumpNetwork {1}, or connect to ZNC with username {2} " "(instead of just {3}) to connect to it." @@ -746,139 +777,139 @@ msgstr "" "Network aggiunto. Usa /znc JumpNetwork {1}, o connettiti allo ZNC con " "username {2} (al posto di {3}) per connetterlo." -#: ClientCommand.cpp:581 +#: ClientCommand.cpp:626 msgid "Unable to add that network" msgstr "Impossibile aggiungerge questo network" -#: ClientCommand.cpp:588 +#: ClientCommand.cpp:633 msgid "Usage: DelNetwork " msgstr "Usa: DelNetwork " -#: ClientCommand.cpp:597 +#: ClientCommand.cpp:642 msgid "Network deleted" msgstr "Network cancellato" -#: ClientCommand.cpp:600 +#: ClientCommand.cpp:645 msgid "Failed to delete network, perhaps this network doesn't exist" msgstr "Impossibile eliminare il network, forse questo network non esiste" -#: ClientCommand.cpp:610 +#: ClientCommand.cpp:655 msgid "User {1} not found" msgstr "Utente {1} non trovato" -#: ClientCommand.cpp:618 ClientCommand.cpp:626 +#: ClientCommand.cpp:663 ClientCommand.cpp:671 msgctxt "listnetworks" msgid "Network" msgstr "Rete (Network)" -#: ClientCommand.cpp:619 ClientCommand.cpp:628 ClientCommand.cpp:637 +#: ClientCommand.cpp:664 ClientCommand.cpp:673 ClientCommand.cpp:682 msgctxt "listnetworks" msgid "On IRC" msgstr "Su IRC" -#: ClientCommand.cpp:620 ClientCommand.cpp:630 +#: ClientCommand.cpp:665 ClientCommand.cpp:675 msgctxt "listnetworks" msgid "IRC Server" msgstr "Server IRC" -#: ClientCommand.cpp:621 ClientCommand.cpp:632 +#: ClientCommand.cpp:666 ClientCommand.cpp:677 msgctxt "listnetworks" msgid "IRC User" msgstr "Utente IRC" -#: ClientCommand.cpp:622 ClientCommand.cpp:634 +#: ClientCommand.cpp:667 ClientCommand.cpp:679 msgctxt "listnetworks" msgid "Channels" msgstr "Canali" -#: ClientCommand.cpp:629 +#: ClientCommand.cpp:674 msgctxt "listnetworks" msgid "Yes" msgstr "Si" -#: ClientCommand.cpp:638 +#: ClientCommand.cpp:683 msgctxt "listnetworks" msgid "No" msgstr "No" -#: ClientCommand.cpp:643 +#: ClientCommand.cpp:688 msgctxt "listnetworks" msgid "No networks" msgstr "Nessun networks" -#: ClientCommand.cpp:647 ClientCommand.cpp:952 +#: ClientCommand.cpp:692 ClientCommand.cpp:997 msgid "Access denied." msgstr "Accesso negato." -#: ClientCommand.cpp:658 +#: ClientCommand.cpp:703 msgid "Usage: MoveNetwork [new network]" msgstr "" "Usa: MoveNetwork [nuovo " "network]" -#: ClientCommand.cpp:668 +#: ClientCommand.cpp:713 msgid "Old user {1} not found." msgstr "Vecchio utente {1} non trovato." -#: ClientCommand.cpp:674 +#: ClientCommand.cpp:719 msgid "Old network {1} not found." msgstr "Vecchio network {1} non trovato." -#: ClientCommand.cpp:680 +#: ClientCommand.cpp:725 msgid "New user {1} not found." msgstr "Nuovo utente {1} non trovato." -#: ClientCommand.cpp:685 +#: ClientCommand.cpp:730 msgid "User {1} already has network {2}." msgstr "L'utente {1} ha già un network chiamato {2}." -#: ClientCommand.cpp:691 +#: ClientCommand.cpp:736 msgid "Invalid network name [{1}]" msgstr "Nome del network [{1}] non valido" -#: ClientCommand.cpp:707 +#: ClientCommand.cpp:752 msgid "Some files seem to be in {1}. You might want to move them to {2}" msgstr "Alcuni files sembrano essere in {1}. Forse dovresti spostarli in {2}" -#: ClientCommand.cpp:721 +#: ClientCommand.cpp:766 msgid "Error adding network: {1}" msgstr "Errore durante l'aggiunta del network: {1}" -#: ClientCommand.cpp:733 +#: ClientCommand.cpp:778 msgid "Success." msgstr "Completato." -#: ClientCommand.cpp:736 +#: ClientCommand.cpp:781 msgid "Copied the network to new user, but failed to delete old network" msgstr "" "Il network è stato copiato nel nuovo utente, ma non è stato possibile " "eliminare il vecchio network" -#: ClientCommand.cpp:743 +#: ClientCommand.cpp:788 msgid "No network supplied." msgstr "Nessun network fornito." -#: ClientCommand.cpp:748 +#: ClientCommand.cpp:793 msgid "You are already connected with this network." msgstr "Sei già connesso con questo network." -#: ClientCommand.cpp:754 +#: ClientCommand.cpp:799 msgid "Switched to {1}" msgstr "Passato a {1}" -#: ClientCommand.cpp:757 +#: ClientCommand.cpp:802 msgid "You don't have a network named {1}" msgstr "Non hai un network chiamato {1}" -#: ClientCommand.cpp:769 +#: ClientCommand.cpp:814 msgid "Usage: AddServer [[+]port] [pass]" msgstr "Usa: AddServer [[+]porta] [password]" -#: ClientCommand.cpp:774 +#: ClientCommand.cpp:819 msgid "Server added" msgstr "Server aggiunto" -#: ClientCommand.cpp:777 +#: ClientCommand.cpp:822 msgid "" "Unable to add that server. Perhaps the server is already added or openssl is " "disabled?" @@ -886,240 +917,240 @@ msgstr "" "Impossibile aggiungere il server. Forse il server è già aggiunto oppure " "openssl è disabilitato?" -#: ClientCommand.cpp:792 +#: ClientCommand.cpp:837 msgid "Usage: DelServer [port] [pass]" msgstr "Usa: DelServer [porta] [password]" -#: ClientCommand.cpp:802 +#: ClientCommand.cpp:847 msgid "Server removed" msgstr "Server rimosso" -#: ClientCommand.cpp:804 +#: ClientCommand.cpp:849 msgid "No such server" msgstr "Nessun server" -#: ClientCommand.cpp:817 ClientCommand.cpp:825 +#: ClientCommand.cpp:862 ClientCommand.cpp:870 msgctxt "listservers" msgid "Host" msgstr "Host" -#: ClientCommand.cpp:818 ClientCommand.cpp:827 +#: ClientCommand.cpp:863 ClientCommand.cpp:872 msgctxt "listservers" msgid "Port" msgstr "Porta" -#: ClientCommand.cpp:819 ClientCommand.cpp:830 +#: ClientCommand.cpp:864 ClientCommand.cpp:875 msgctxt "listservers" msgid "SSL" msgstr "SSL" -#: ClientCommand.cpp:820 ClientCommand.cpp:832 +#: ClientCommand.cpp:865 ClientCommand.cpp:877 msgctxt "listservers" msgid "Password" msgstr "Password" -#: ClientCommand.cpp:831 +#: ClientCommand.cpp:876 msgctxt "listservers|cell" msgid "SSL" msgstr "SSL" -#: ClientCommand.cpp:848 +#: ClientCommand.cpp:893 msgid "Usage: AddTrustedServerFingerprint " msgstr "Usa: AddTrustedServerFingerprint " -#: ClientCommand.cpp:852 ClientCommand.cpp:865 +#: ClientCommand.cpp:897 ClientCommand.cpp:910 msgid "Done." msgstr "Fatto." -#: ClientCommand.cpp:861 +#: ClientCommand.cpp:906 msgid "Usage: DelTrustedServerFingerprint " msgstr "Usa: DelTrustedServerFingerprint " -#: ClientCommand.cpp:874 +#: ClientCommand.cpp:919 msgid "No fingerprints added." msgstr "Nessun fingerprints aggiunto." -#: ClientCommand.cpp:890 ClientCommand.cpp:896 +#: ClientCommand.cpp:935 ClientCommand.cpp:941 msgctxt "topicscmd" msgid "Channel" msgstr "Canale" -#: ClientCommand.cpp:891 ClientCommand.cpp:897 +#: ClientCommand.cpp:936 ClientCommand.cpp:942 msgctxt "topicscmd" msgid "Set By" msgstr "Impostato da" -#: ClientCommand.cpp:892 ClientCommand.cpp:898 +#: ClientCommand.cpp:937 ClientCommand.cpp:943 msgctxt "topicscmd" msgid "Topic" msgstr "Topic" -#: ClientCommand.cpp:905 ClientCommand.cpp:910 +#: ClientCommand.cpp:950 ClientCommand.cpp:955 msgctxt "listmods" msgid "Name" msgstr "Nome" -#: ClientCommand.cpp:906 ClientCommand.cpp:911 +#: ClientCommand.cpp:951 ClientCommand.cpp:956 msgctxt "listmods" msgid "Arguments" msgstr "Argomenti" -#: ClientCommand.cpp:920 +#: ClientCommand.cpp:965 msgid "No global modules loaded." msgstr "Nessun modulo globale caricato." -#: ClientCommand.cpp:922 ClientCommand.cpp:986 +#: ClientCommand.cpp:967 ClientCommand.cpp:1031 msgid "Global modules:" msgstr "Moduli globali:" -#: ClientCommand.cpp:931 +#: ClientCommand.cpp:976 msgid "Your user has no modules loaded." msgstr "Il tuo utente non ha moduli caricati." -#: ClientCommand.cpp:933 ClientCommand.cpp:998 +#: ClientCommand.cpp:978 ClientCommand.cpp:1043 msgid "User modules:" msgstr "Moduli per l'utente:" -#: ClientCommand.cpp:941 +#: ClientCommand.cpp:986 msgid "This network has no modules loaded." msgstr "Questo network non ha moduli caricati." -#: ClientCommand.cpp:943 ClientCommand.cpp:1010 +#: ClientCommand.cpp:988 ClientCommand.cpp:1055 msgid "Network modules:" msgstr "Moduli per il network:" -#: ClientCommand.cpp:958 ClientCommand.cpp:965 +#: ClientCommand.cpp:1003 ClientCommand.cpp:1010 msgctxt "listavailmods" msgid "Name" msgstr "Nome" -#: ClientCommand.cpp:959 ClientCommand.cpp:970 +#: ClientCommand.cpp:1004 ClientCommand.cpp:1015 msgctxt "listavailmods" msgid "Description" msgstr "Descrizione" -#: ClientCommand.cpp:984 +#: ClientCommand.cpp:1029 msgid "No global modules available." msgstr "Nessun modulo globale disponibile." -#: ClientCommand.cpp:996 +#: ClientCommand.cpp:1041 msgid "No user modules available." msgstr "Nessun modulo utente disponibile." -#: ClientCommand.cpp:1008 +#: ClientCommand.cpp:1053 msgid "No network modules available." msgstr "Nessun modulo per network disponibile." -#: ClientCommand.cpp:1036 +#: ClientCommand.cpp:1081 msgid "Unable to load {1}: Access denied." msgstr "Impossibile caricare {1}: Accesso negato." -#: ClientCommand.cpp:1042 +#: ClientCommand.cpp:1087 msgid "Usage: LoadMod [--type=global|user|network] [args]" msgstr "Usa: LoadMod [--type=global|user|network] [argomenti]" -#: ClientCommand.cpp:1049 +#: ClientCommand.cpp:1094 msgid "Unable to load {1}: {2}" msgstr "Impossibile caricare {1}: {2}" -#: ClientCommand.cpp:1059 +#: ClientCommand.cpp:1104 msgid "Unable to load global module {1}: Access denied." msgstr "Impossibile caricare il modulo globale {1}: Accesso negato." -#: ClientCommand.cpp:1065 +#: ClientCommand.cpp:1110 msgid "Unable to load network module {1}: Not connected with a network." msgstr "" "Impossibile caricare il modulo di tipo network {1}: Non sei connesso ad " "alcun network." -#: ClientCommand.cpp:1087 +#: ClientCommand.cpp:1132 msgid "Unknown module type" msgstr "Tipo di modulo sconosciuto" -#: ClientCommand.cpp:1092 +#: ClientCommand.cpp:1137 msgid "Loaded module {1}" msgstr "Modulo caricato {1}" -#: ClientCommand.cpp:1094 +#: ClientCommand.cpp:1139 msgid "Loaded module {1}: {2}" msgstr "Modulo caricato {1}: {2}" -#: ClientCommand.cpp:1097 +#: ClientCommand.cpp:1142 msgid "Unable to load module {1}: {2}" msgstr "Impossibile caricare il modulo {1}: {2}" -#: ClientCommand.cpp:1120 +#: ClientCommand.cpp:1165 msgid "Unable to unload {1}: Access denied." msgstr "Impossibile scaricare {1}: Accesso negato." -#: ClientCommand.cpp:1126 +#: ClientCommand.cpp:1171 msgid "Usage: UnloadMod [--type=global|user|network] " msgstr "Usa: UnloadMod [--type=global|user|network] " -#: ClientCommand.cpp:1135 +#: ClientCommand.cpp:1180 msgid "Unable to determine type of {1}: {2}" msgstr "Impossibile determinare tipo di {1}: {2}" -#: ClientCommand.cpp:1143 +#: ClientCommand.cpp:1188 msgid "Unable to unload global module {1}: Access denied." msgstr "Impossibile rimuovere il modulo di tipo globale {1}: Accesso negato." -#: ClientCommand.cpp:1150 +#: ClientCommand.cpp:1195 msgid "Unable to unload network module {1}: Not connected with a network." msgstr "" "Impossibile rimuovere il modulo di tipo network {1}: Non sei connesso ad " "alcun network." -#: ClientCommand.cpp:1169 +#: ClientCommand.cpp:1214 msgid "Unable to unload module {1}: Unknown module type" msgstr "Impossibile rimuovere il modulo {1}: Tipo di modulo sconosciuto" -#: ClientCommand.cpp:1182 +#: ClientCommand.cpp:1227 msgid "Unable to reload modules. Access denied." msgstr "Impossibile ricaricare i moduli. Accesso negato." -#: ClientCommand.cpp:1203 +#: ClientCommand.cpp:1248 msgid "Usage: ReloadMod [--type=global|user|network] [args]" msgstr "Usa: ReloadMod [--type=global|user|network] [argomenti]" -#: ClientCommand.cpp:1212 +#: ClientCommand.cpp:1257 msgid "Unable to reload {1}: {2}" msgstr "Impossibile ricaricare {1}: {2}" -#: ClientCommand.cpp:1220 +#: ClientCommand.cpp:1265 msgid "Unable to reload global module {1}: Access denied." msgstr "Impossibile ricaricare il modulo tipo globale {1}: Accesso negato." -#: ClientCommand.cpp:1227 +#: ClientCommand.cpp:1272 msgid "Unable to reload network module {1}: Not connected with a network." msgstr "" "Impossibile ricaricare il modulo di tipo network {1}: Non sei connesso ad " "alcun network." -#: ClientCommand.cpp:1249 +#: ClientCommand.cpp:1294 msgid "Unable to reload module {1}: Unknown module type" msgstr "Impossibile ricaricare il modulo {1}: Tipo di modulo sconosciuto" -#: ClientCommand.cpp:1260 +#: ClientCommand.cpp:1305 msgid "Usage: UpdateMod " msgstr "Usa: UpdateMod " -#: ClientCommand.cpp:1264 +#: ClientCommand.cpp:1309 msgid "Reloading {1} everywhere" msgstr "Ricarica {1} ovunque" -#: ClientCommand.cpp:1266 +#: ClientCommand.cpp:1311 msgid "Done" msgstr "Fatto" -#: ClientCommand.cpp:1269 +#: ClientCommand.cpp:1314 msgid "" "Done, but there were errors, module {1} could not be reloaded everywhere." msgstr "" "Fatto, si sono verificati errori. Il modulo {1} non può essere ricaricato " "ovunque." -#: ClientCommand.cpp:1277 +#: ClientCommand.cpp:1322 msgid "" "You must be connected with a network to use this command. Try " "SetUserBindHost instead" @@ -1127,27 +1158,27 @@ msgstr "" "Devi essere connesso ad un network per usare questo comando. Prova invece " "SetUserBindHost" -#: ClientCommand.cpp:1284 +#: ClientCommand.cpp:1329 msgid "Usage: SetBindHost " msgstr "Usa: SetBindHost " -#: ClientCommand.cpp:1289 ClientCommand.cpp:1306 +#: ClientCommand.cpp:1334 ClientCommand.cpp:1351 msgid "You already have this bind host!" msgstr "Hai già questo bind host!" -#: ClientCommand.cpp:1294 +#: ClientCommand.cpp:1339 msgid "Set bind host for network {1} to {2}" msgstr "Impostato il bind host per il network {1} a {2}" -#: ClientCommand.cpp:1301 +#: ClientCommand.cpp:1346 msgid "Usage: SetUserBindHost " msgstr "Usa: SetUserBindHost " -#: ClientCommand.cpp:1311 +#: ClientCommand.cpp:1356 msgid "Set default bind host to {1}" msgstr "Imposta il bind host di default a {1}" -#: ClientCommand.cpp:1317 +#: ClientCommand.cpp:1362 msgid "" "You must be connected with a network to use this command. Try " "ClearUserBindHost instead" @@ -1155,81 +1186,77 @@ msgstr "" "Devi essere connesso ad un network per usare questo comando. Prova invece " "ClearUserBindHost" -#: ClientCommand.cpp:1322 +#: ClientCommand.cpp:1367 msgid "Bind host cleared for this network." msgstr "Bind host cancellato per questo network." -#: ClientCommand.cpp:1326 +#: ClientCommand.cpp:1371 msgid "Default bind host cleared for your user." msgstr "Bind host di default cancellato per questo utente." -#: ClientCommand.cpp:1329 +#: ClientCommand.cpp:1374 msgid "This user's default bind host not set" msgstr "Il bind host predefinito per questo utente non è stato configurato" -#: ClientCommand.cpp:1331 +#: ClientCommand.cpp:1376 msgid "This user's default bind host is {1}" msgstr "Il bind host predefinito per questo utente è {1}" -#: ClientCommand.cpp:1336 +#: ClientCommand.cpp:1381 msgid "This network's bind host not set" msgstr "Il bind host di questo network non è impostato" -#: ClientCommand.cpp:1338 +#: ClientCommand.cpp:1383 msgid "This network's default bind host is {1}" msgstr "Il bind host predefinito per questo network è {1}" -#: ClientCommand.cpp:1352 +#: ClientCommand.cpp:1397 msgid "Usage: PlayBuffer <#chan|query>" msgstr "Usa: PlayBuffer <#canale|query>" -#: ClientCommand.cpp:1360 -msgid "You are not on {1}" -msgstr "Non sei su {1}" - -#: ClientCommand.cpp:1365 +#: ClientCommand.cpp:1410 msgid "You are not on {1} (trying to join)" msgstr "Non sei su {1} (prova ad entrare)" -#: ClientCommand.cpp:1370 +#: ClientCommand.cpp:1415 msgid "The buffer for channel {1} is empty" msgstr "Il buffer del canale {1} è vuoto" -#: ClientCommand.cpp:1379 +#: ClientCommand.cpp:1424 msgid "No active query with {1}" msgstr "Nessuna query attiva per {1}" -#: ClientCommand.cpp:1384 +#: ClientCommand.cpp:1429 msgid "The buffer for {1} is empty" msgstr "Il buffer per {1} è vuoto" -#: ClientCommand.cpp:1400 +#: ClientCommand.cpp:1445 msgid "Usage: ClearBuffer <#chan|query>" msgstr "Usa: ClearBuffer <#canale|query>" -#: ClientCommand.cpp:1419 +#: ClientCommand.cpp:1464 msgid "{1} buffer matching {2} has been cleared" msgid_plural "{1} buffers matching {2} have been cleared" msgstr[0] "{1} corrispondenza del buffer {2} è stato cancellata" msgstr[1] "{1} corrispondenze del buffers {2} sono state cancellate" -#: ClientCommand.cpp:1432 +#: ClientCommand.cpp:1477 msgid "All channel buffers have been cleared" msgstr "I buffers di tutti i canali sono stati cancellati" -#: ClientCommand.cpp:1441 +#: ClientCommand.cpp:1486 msgid "All query buffers have been cleared" msgstr "I buffers di tutte le query sono state cancellate" -#: ClientCommand.cpp:1453 +#: ClientCommand.cpp:1498 msgid "All buffers have been cleared" msgstr "Tutti i buffers sono stati cancellati" -#: ClientCommand.cpp:1464 +#: ClientCommand.cpp:1509 msgid "Usage: SetBuffer <#chan|query> [linecount]" msgstr "Usa: SetBuffer <#canale|query> [numero linee]" -#: ClientCommand.cpp:1485 +#: ClientCommand.cpp:1530 msgid "Setting buffer size failed for {1} buffer" msgid_plural "Setting buffer size failed for {1} buffers" msgstr[0] "" @@ -1237,177 +1264,177 @@ msgstr[0] "" msgstr[1] "" "Impostazione della dimensione del buffer non riuscita per i buffers {1}" -#: ClientCommand.cpp:1488 +#: ClientCommand.cpp:1533 msgid "Maximum buffer size is {1} line" msgid_plural "Maximum buffer size is {1} lines" msgstr[0] "La dimensione massima del buffer è {1} linea" msgstr[1] "La dimensione massima del buffer è {1} linee" -#: ClientCommand.cpp:1493 +#: ClientCommand.cpp:1538 msgid "Size of every buffer was set to {1} line" msgid_plural "Size of every buffer was set to {1} lines" msgstr[0] "La dimensione di tutti i buffer è stata impostata a {1} linea" msgstr[1] "La dimensione di tutti i buffer è stata impostata a {1} linee" -#: ClientCommand.cpp:1503 ClientCommand.cpp:1510 ClientCommand.cpp:1521 -#: ClientCommand.cpp:1530 ClientCommand.cpp:1538 +#: ClientCommand.cpp:1548 ClientCommand.cpp:1555 ClientCommand.cpp:1566 +#: ClientCommand.cpp:1575 ClientCommand.cpp:1583 msgctxt "trafficcmd" msgid "Username" msgstr "Nome Utente" -#: ClientCommand.cpp:1504 ClientCommand.cpp:1511 ClientCommand.cpp:1523 -#: ClientCommand.cpp:1532 ClientCommand.cpp:1540 +#: ClientCommand.cpp:1549 ClientCommand.cpp:1556 ClientCommand.cpp:1568 +#: ClientCommand.cpp:1577 ClientCommand.cpp:1585 msgctxt "trafficcmd" msgid "In" msgstr "Dentro (In)" -#: ClientCommand.cpp:1505 ClientCommand.cpp:1513 ClientCommand.cpp:1524 -#: ClientCommand.cpp:1533 ClientCommand.cpp:1541 +#: ClientCommand.cpp:1550 ClientCommand.cpp:1558 ClientCommand.cpp:1569 +#: ClientCommand.cpp:1578 ClientCommand.cpp:1586 msgctxt "trafficcmd" msgid "Out" msgstr "Fuori (Out)" -#: ClientCommand.cpp:1506 ClientCommand.cpp:1516 ClientCommand.cpp:1526 -#: ClientCommand.cpp:1534 ClientCommand.cpp:1543 +#: ClientCommand.cpp:1551 ClientCommand.cpp:1561 ClientCommand.cpp:1571 +#: ClientCommand.cpp:1579 ClientCommand.cpp:1588 msgctxt "trafficcmd" msgid "Total" msgstr "Totale" -#: ClientCommand.cpp:1522 +#: ClientCommand.cpp:1567 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1531 +#: ClientCommand.cpp:1576 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1539 +#: ClientCommand.cpp:1584 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1548 +#: ClientCommand.cpp:1593 msgid "Running for {1}" msgstr "Opertivo da {1}" -#: ClientCommand.cpp:1554 +#: ClientCommand.cpp:1599 msgid "Unknown command, try 'Help'" msgstr "Comando sconosciuto, prova 'Help'" -#: ClientCommand.cpp:1563 ClientCommand.cpp:1574 +#: ClientCommand.cpp:1608 ClientCommand.cpp:1619 msgctxt "listports" msgid "Port" msgstr "Porta" -#: ClientCommand.cpp:1564 ClientCommand.cpp:1577 +#: ClientCommand.cpp:1609 ClientCommand.cpp:1622 msgctxt "listports" msgid "BindHost" msgstr "BindHost" -#: ClientCommand.cpp:1565 ClientCommand.cpp:1580 +#: ClientCommand.cpp:1610 ClientCommand.cpp:1625 msgctxt "listports" msgid "SSL" msgstr "SSL" -#: ClientCommand.cpp:1566 ClientCommand.cpp:1585 +#: ClientCommand.cpp:1611 ClientCommand.cpp:1630 msgctxt "listports" msgid "Protocol" msgstr "Protocollo" -#: ClientCommand.cpp:1567 ClientCommand.cpp:1592 +#: ClientCommand.cpp:1612 ClientCommand.cpp:1637 msgctxt "listports" msgid "IRC" msgstr "IRC" -#: ClientCommand.cpp:1568 ClientCommand.cpp:1597 +#: ClientCommand.cpp:1613 ClientCommand.cpp:1642 msgctxt "listports" msgid "Web" msgstr "Web" -#: ClientCommand.cpp:1581 +#: ClientCommand.cpp:1626 msgctxt "listports|ssl" msgid "yes" msgstr "si" -#: ClientCommand.cpp:1582 +#: ClientCommand.cpp:1627 msgctxt "listports|ssl" msgid "no" msgstr "no" -#: ClientCommand.cpp:1586 +#: ClientCommand.cpp:1631 msgctxt "listports" msgid "IPv4 and IPv6" msgstr "IPv4 e IPv6" -#: ClientCommand.cpp:1588 +#: ClientCommand.cpp:1633 msgctxt "listports" msgid "IPv4" msgstr "IPv4" -#: ClientCommand.cpp:1589 +#: ClientCommand.cpp:1634 msgctxt "listports" msgid "IPv6" msgstr "IPv6" -#: ClientCommand.cpp:1595 +#: ClientCommand.cpp:1640 msgctxt "listports|irc" msgid "yes" msgstr "si" -#: ClientCommand.cpp:1596 +#: ClientCommand.cpp:1641 msgctxt "listports|irc" msgid "no" msgstr "no" -#: ClientCommand.cpp:1600 +#: ClientCommand.cpp:1645 msgctxt "listports|irc" msgid "yes, on {1}" msgstr "si, su {1}" -#: ClientCommand.cpp:1602 +#: ClientCommand.cpp:1647 msgctxt "listports|web" msgid "no" msgstr "no" -#: ClientCommand.cpp:1642 +#: ClientCommand.cpp:1687 msgid "" "Usage: AddPort <[+]port> [bindhost [uriprefix]]" msgstr "" "Usa: AddPort <[+]porta> [bindhost [uriprefix]]" -#: ClientCommand.cpp:1658 +#: ClientCommand.cpp:1703 msgid "Port added" msgstr "Porta aggiunta" -#: ClientCommand.cpp:1660 +#: ClientCommand.cpp:1705 msgid "Couldn't add port" msgstr "Impossibile aggiungere la porta" -#: ClientCommand.cpp:1666 +#: ClientCommand.cpp:1711 msgid "Usage: DelPort [bindhost]" msgstr "Usa: DelPort [bindhost]" -#: ClientCommand.cpp:1675 +#: ClientCommand.cpp:1720 msgid "Deleted Port" msgstr "Porta eliminata" -#: ClientCommand.cpp:1677 +#: ClientCommand.cpp:1722 msgid "Unable to find a matching port" msgstr "Impossibile trovare una porta corrispondente" -#: ClientCommand.cpp:1685 ClientCommand.cpp:1700 +#: ClientCommand.cpp:1730 ClientCommand.cpp:1745 msgctxt "helpcmd" msgid "Command" msgstr "Comando" -#: ClientCommand.cpp:1686 ClientCommand.cpp:1702 +#: ClientCommand.cpp:1731 ClientCommand.cpp:1747 msgctxt "helpcmd" msgid "Description" msgstr "Descrizione" -#: ClientCommand.cpp:1691 +#: ClientCommand.cpp:1736 msgid "" "In the following list all occurrences of <#chan> support wildcards (* and ?) " "except ListNicks" @@ -1415,87 +1442,87 @@ msgstr "" "Nella seguente lista tutte le occorrenze di <#canale> supportano le " "wildcards (* e ?) eccetto ListNicks" -#: ClientCommand.cpp:1708 +#: ClientCommand.cpp:1753 msgctxt "helpcmd|Version|desc" msgid "Print which version of ZNC this is" msgstr "Mostra la versione di questo ZNC" -#: ClientCommand.cpp:1711 +#: ClientCommand.cpp:1756 msgctxt "helpcmd|ListMods|desc" msgid "List all loaded modules" msgstr "Elenca tutti i moduli caricati" -#: ClientCommand.cpp:1714 +#: ClientCommand.cpp:1759 msgctxt "helpcmd|ListAvailMods|desc" msgid "List all available modules" msgstr "Elenca tutti i moduli disponibili" -#: ClientCommand.cpp:1718 ClientCommand.cpp:1904 +#: ClientCommand.cpp:1763 ClientCommand.cpp:1954 msgctxt "helpcmd|ListChans|desc" msgid "List all channels" msgstr "Elenca tutti i canali" -#: ClientCommand.cpp:1721 +#: ClientCommand.cpp:1766 msgctxt "helpcmd|ListNicks|args" msgid "<#chan>" msgstr "<#canale>" -#: ClientCommand.cpp:1722 +#: ClientCommand.cpp:1767 msgctxt "helpcmd|ListNicks|desc" msgid "List all nicks on a channel" msgstr "Elenca tutti i nickname su un canale" -#: ClientCommand.cpp:1725 +#: ClientCommand.cpp:1770 msgctxt "helpcmd|ListClients|desc" msgid "List all clients connected to your ZNC user" msgstr "Elenca tutti i client connessi al tuo utente ZNC" -#: ClientCommand.cpp:1729 +#: ClientCommand.cpp:1774 msgctxt "helpcmd|ListServers|desc" msgid "List all servers of current IRC network" msgstr "Elenca tutti i servers del network IRC corrente" -#: ClientCommand.cpp:1733 +#: ClientCommand.cpp:1778 msgctxt "helpcmd|AddNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1734 +#: ClientCommand.cpp:1779 msgctxt "helpcmd|AddNetwork|desc" msgid "Add a network to your user" msgstr "Aggiungi un network al tuo account" -#: ClientCommand.cpp:1736 +#: ClientCommand.cpp:1781 msgctxt "helpcmd|DelNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1737 +#: ClientCommand.cpp:1782 msgctxt "helpcmd|DelNetwork|desc" msgid "Delete a network from your user" msgstr "Elimina un network dal tuo utente" -#: ClientCommand.cpp:1739 +#: ClientCommand.cpp:1784 msgctxt "helpcmd|ListNetworks|desc" msgid "List all networks" msgstr "Elenca tutti i networks" -#: ClientCommand.cpp:1742 +#: ClientCommand.cpp:1787 msgctxt "helpcmd|MoveNetwork|args" msgid " [new network]" msgstr " [nuovo network]" -#: ClientCommand.cpp:1744 +#: ClientCommand.cpp:1789 msgctxt "helpcmd|MoveNetwork|desc" msgid "Move an IRC network from one user to another" msgstr "Sposta un network IRC da un utente ad un altro" -#: ClientCommand.cpp:1748 +#: ClientCommand.cpp:1793 msgctxt "helpcmd|JumpNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1749 +#: ClientCommand.cpp:1794 msgctxt "helpcmd|JumpNetwork|desc" msgid "" "Jump to another network (Alternatively, you can connect to ZNC several " @@ -1504,12 +1531,12 @@ msgstr "" "Passa ad un altro network (Alternativamente, puoi connetterti più volte allo " "ZNC, usando `user/network` come username)" -#: ClientCommand.cpp:1754 +#: ClientCommand.cpp:1799 msgctxt "helpcmd|AddServer|args" msgid " [[+]port] [pass]" msgstr " [[+]porta] [password]" -#: ClientCommand.cpp:1755 +#: ClientCommand.cpp:1800 msgctxt "helpcmd|AddServer|desc" msgid "" "Add a server to the list of alternate/backup servers of current IRC network." @@ -1517,12 +1544,12 @@ msgstr "" "Aggiunge un server all'elenco server alternativi/backup del network IRC " "corrente." -#: ClientCommand.cpp:1759 +#: ClientCommand.cpp:1804 msgctxt "helpcmd|DelServer|args" msgid " [port] [pass]" msgstr " [porta] [password]" -#: ClientCommand.cpp:1760 +#: ClientCommand.cpp:1805 msgctxt "helpcmd|DelServer|desc" msgid "" "Remove a server from the list of alternate/backup servers of current IRC " @@ -1531,12 +1558,12 @@ msgstr "" "Rimuove un server all'elenco server alternativi/backup dell'IRC network " "corrente" -#: ClientCommand.cpp:1766 +#: ClientCommand.cpp:1811 msgctxt "helpcmd|AddTrustedServerFingerprint|args" msgid "" msgstr "" -#: ClientCommand.cpp:1767 +#: ClientCommand.cpp:1812 msgctxt "helpcmd|AddTrustedServerFingerprint|desc" msgid "" "Add a trusted server SSL certificate fingerprint (SHA-256) to current IRC " @@ -1545,340 +1572,360 @@ msgstr "" "Aggiunge un'impronta digitale attendibile del certificato SSL del server " "(SHA-256) al network IRC corrente." -#: ClientCommand.cpp:1772 +#: ClientCommand.cpp:1817 msgctxt "helpcmd|DelTrustedServerFingerprint|args" msgid "" msgstr "" -#: ClientCommand.cpp:1773 +#: ClientCommand.cpp:1818 msgctxt "helpcmd|DelTrustedServerFingerprint|desc" msgid "Delete a trusted server SSL certificate from current IRC network." msgstr "Elimina un certificato SSL attendibile dal network IRC corrente." -#: ClientCommand.cpp:1777 +#: ClientCommand.cpp:1822 msgctxt "helpcmd|ListTrustedServerFingerprints|desc" msgid "List all trusted server SSL certificates of current IRC network." msgstr "" "Elenca tutti i certificati SSL fidati del server per il corrente network IRC." -#: ClientCommand.cpp:1780 +#: ClientCommand.cpp:1825 msgctxt "helpcmd|EnableChan|args" msgid "<#chans>" msgstr "<#canali>" -#: ClientCommand.cpp:1781 +#: ClientCommand.cpp:1826 msgctxt "helpcmd|EnableChan|desc" msgid "Enable channels" msgstr "Abilita canali" -#: ClientCommand.cpp:1782 +#: ClientCommand.cpp:1827 msgctxt "helpcmd|DisableChan|args" msgid "<#chans>" msgstr "<#canali>" -#: ClientCommand.cpp:1783 +#: ClientCommand.cpp:1828 msgctxt "helpcmd|DisableChan|desc" msgid "Disable channels" msgstr "Disabilita canali" -#: ClientCommand.cpp:1784 +#: ClientCommand.cpp:1829 +msgctxt "helpcmd|MoveChan|args" +msgid "<#chan> " +msgstr "" + +#: ClientCommand.cpp:1830 +msgctxt "helpcmd|MoveChan|desc" +msgid "Move channel in sort order" +msgstr "" + +#: ClientCommand.cpp:1832 +msgctxt "helpcmd|SwapChans|args" +msgid "<#chan1> <#chan2>" +msgstr "" + +#: ClientCommand.cpp:1833 +msgctxt "helpcmd|SwapChans|desc" +msgid "Swap channels in sort order" +msgstr "" + +#: ClientCommand.cpp:1834 msgctxt "helpcmd|Attach|args" msgid "<#chans>" msgstr "<#canali>" -#: ClientCommand.cpp:1785 +#: ClientCommand.cpp:1835 msgctxt "helpcmd|Attach|desc" msgid "Attach to channels" msgstr "Ricollega ai canali (attach)" -#: ClientCommand.cpp:1786 +#: ClientCommand.cpp:1836 msgctxt "helpcmd|Detach|args" msgid "<#chans>" msgstr "<#canali>" -#: ClientCommand.cpp:1787 +#: ClientCommand.cpp:1837 msgctxt "helpcmd|Detach|desc" msgid "Detach from channels" msgstr "Scollega dai cananli (detach)" -#: ClientCommand.cpp:1790 +#: ClientCommand.cpp:1840 msgctxt "helpcmd|Topics|desc" msgid "Show topics in all your channels" msgstr "Mostra i topics di tutti i tuoi canali" -#: ClientCommand.cpp:1793 +#: ClientCommand.cpp:1843 msgctxt "helpcmd|PlayBuffer|args" msgid "<#chan|query>" msgstr "<#canale|query>" -#: ClientCommand.cpp:1794 +#: ClientCommand.cpp:1844 msgctxt "helpcmd|PlayBuffer|desc" msgid "Play back the specified buffer" msgstr "Riproduce il buffer specificato" -#: ClientCommand.cpp:1796 +#: ClientCommand.cpp:1846 msgctxt "helpcmd|ClearBuffer|args" msgid "<#chan|query>" msgstr "<#canale|query>" -#: ClientCommand.cpp:1797 +#: ClientCommand.cpp:1847 msgctxt "helpcmd|ClearBuffer|desc" msgid "Clear the specified buffer" msgstr "Cancella il buffer specificato" -#: ClientCommand.cpp:1799 +#: ClientCommand.cpp:1849 msgctxt "helpcmd|ClearAllBuffers|desc" msgid "Clear all channel and query buffers" msgstr "Cancella il buffers da tutti i canali e tute le query" -#: ClientCommand.cpp:1802 +#: ClientCommand.cpp:1852 msgctxt "helpcmd|ClearAllChannelBuffers|desc" msgid "Clear the channel buffers" msgstr "Cancella il buffer del canale" -#: ClientCommand.cpp:1806 +#: ClientCommand.cpp:1856 msgctxt "helpcmd|ClearAllQueryBuffers|desc" msgid "Clear the query buffers" msgstr "Cancella il buffer della query" -#: ClientCommand.cpp:1808 +#: ClientCommand.cpp:1858 msgctxt "helpcmd|SetBuffer|args" msgid "<#chan|query> [linecount]" msgstr "<#canale|query> [linecount]" -#: ClientCommand.cpp:1809 +#: ClientCommand.cpp:1859 msgctxt "helpcmd|SetBuffer|desc" msgid "Set the buffer count" msgstr "Imposta il conteggio del buffer" -#: ClientCommand.cpp:1813 +#: ClientCommand.cpp:1863 msgctxt "helpcmd|SetBindHost|args" msgid "" msgstr "" -#: ClientCommand.cpp:1814 +#: ClientCommand.cpp:1864 msgctxt "helpcmd|SetBindHost|desc" msgid "Set the bind host for this network" msgstr "Imposta il bind host per questo network" -#: ClientCommand.cpp:1818 +#: ClientCommand.cpp:1868 msgctxt "helpcmd|SetUserBindHost|args" msgid "" msgstr "" -#: ClientCommand.cpp:1819 +#: ClientCommand.cpp:1869 msgctxt "helpcmd|SetUserBindHost|desc" msgid "Set the default bind host for this user" msgstr "Imposta il bind host di default per questo utente" -#: ClientCommand.cpp:1822 +#: ClientCommand.cpp:1872 msgctxt "helpcmd|ClearBindHost|desc" msgid "Clear the bind host for this network" msgstr "Cancella il bind host per questo network" -#: ClientCommand.cpp:1825 +#: ClientCommand.cpp:1875 msgctxt "helpcmd|ClearUserBindHost|desc" msgid "Clear the default bind host for this user" msgstr "Cancella il bind host di default per questo utente" -#: ClientCommand.cpp:1831 +#: ClientCommand.cpp:1881 msgctxt "helpcmd|ShowBindHost|desc" msgid "Show currently selected bind host" msgstr "Mostra il bind host attualmente selezionato" -#: ClientCommand.cpp:1833 +#: ClientCommand.cpp:1883 msgctxt "helpcmd|Jump|args" msgid "[server]" msgstr "[server]" -#: ClientCommand.cpp:1834 +#: ClientCommand.cpp:1884 msgctxt "helpcmd|Jump|desc" msgid "Jump to the next or the specified server" msgstr "Passa al server successivo o a quello indicato" -#: ClientCommand.cpp:1835 +#: ClientCommand.cpp:1885 msgctxt "helpcmd|Disconnect|args" msgid "[message]" msgstr "[messaggio]" -#: ClientCommand.cpp:1836 +#: ClientCommand.cpp:1886 msgctxt "helpcmd|Disconnect|desc" msgid "Disconnect from IRC" msgstr "Disconnetti da IRC" -#: ClientCommand.cpp:1838 +#: ClientCommand.cpp:1888 msgctxt "helpcmd|Connect|desc" msgid "Reconnect to IRC" msgstr "Riconnette ad IRC" -#: ClientCommand.cpp:1841 +#: ClientCommand.cpp:1891 msgctxt "helpcmd|Uptime|desc" msgid "Show for how long ZNC has been running" msgstr "Mostra da quanto tempo lo ZNC è in esecuzione" -#: ClientCommand.cpp:1845 +#: ClientCommand.cpp:1895 msgctxt "helpcmd|LoadMod|args" msgid "[--type=global|user|network] [args]" msgstr "[--type=global|user|network] [argomenti]" -#: ClientCommand.cpp:1847 +#: ClientCommand.cpp:1897 msgctxt "helpcmd|LoadMod|desc" msgid "Load a module" msgstr "Carica un modulo" -#: ClientCommand.cpp:1849 +#: ClientCommand.cpp:1899 msgctxt "helpcmd|UnloadMod|args" msgid "[--type=global|user|network] " msgstr "[--type=global|user|network] " -#: ClientCommand.cpp:1851 +#: ClientCommand.cpp:1901 msgctxt "helpcmd|UnloadMod|desc" msgid "Unload a module" msgstr "Scarica un modulo" -#: ClientCommand.cpp:1853 +#: ClientCommand.cpp:1903 msgctxt "helpcmd|ReloadMod|args" msgid "[--type=global|user|network] [args]" msgstr "[--type=global|user|network] [argomenti]" -#: ClientCommand.cpp:1855 +#: ClientCommand.cpp:1905 msgctxt "helpcmd|ReloadMod|desc" msgid "Reload a module" msgstr "Ricarica un modulo" -#: ClientCommand.cpp:1858 +#: ClientCommand.cpp:1908 msgctxt "helpcmd|UpdateMod|args" msgid "" msgstr "" -#: ClientCommand.cpp:1859 +#: ClientCommand.cpp:1909 msgctxt "helpcmd|UpdateMod|desc" msgid "Reload a module everywhere" msgstr "Ricarica un modulo ovunque" -#: ClientCommand.cpp:1865 +#: ClientCommand.cpp:1915 msgctxt "helpcmd|ShowMOTD|desc" msgid "Show ZNC's message of the day" msgstr "Mostra il messaggio del giorno dello ZNC's" -#: ClientCommand.cpp:1869 +#: ClientCommand.cpp:1919 msgctxt "helpcmd|SetMOTD|args" msgid "" msgstr "" -#: ClientCommand.cpp:1870 +#: ClientCommand.cpp:1920 msgctxt "helpcmd|SetMOTD|desc" msgid "Set ZNC's message of the day" msgstr "Imposta il messaggio del giorno dello ZNC's" -#: ClientCommand.cpp:1872 +#: ClientCommand.cpp:1922 msgctxt "helpcmd|AddMOTD|args" msgid "" msgstr "" -#: ClientCommand.cpp:1873 +#: ClientCommand.cpp:1923 msgctxt "helpcmd|AddMOTD|desc" msgid "Append to ZNC's MOTD" msgstr "Aggiungi al MOTD dello ZNC's" -#: ClientCommand.cpp:1875 +#: ClientCommand.cpp:1925 msgctxt "helpcmd|ClearMOTD|desc" msgid "Clear ZNC's MOTD" msgstr "Cancella il MOTD dello ZNC's" -#: ClientCommand.cpp:1878 +#: ClientCommand.cpp:1928 msgctxt "helpcmd|ListPorts|desc" msgid "Show all active listeners" msgstr "Mostra tutti gli ascoltatori attivi" -#: ClientCommand.cpp:1880 +#: ClientCommand.cpp:1930 msgctxt "helpcmd|AddPort|args" msgid "<[+]port> [bindhost [uriprefix]]" msgstr "<[+]porta> [bindhost [uriprefix]]" -#: ClientCommand.cpp:1883 +#: ClientCommand.cpp:1933 msgctxt "helpcmd|AddPort|desc" msgid "Add another port for ZNC to listen on" msgstr "Aggiunge un'altra porta di ascolto allo ZNC" -#: ClientCommand.cpp:1887 +#: ClientCommand.cpp:1937 msgctxt "helpcmd|DelPort|args" msgid " [bindhost]" msgstr " [bindhost]" -#: ClientCommand.cpp:1888 +#: ClientCommand.cpp:1938 msgctxt "helpcmd|DelPort|desc" msgid "Remove a port from ZNC" msgstr "Rimuove una porta dallo ZNC" -#: ClientCommand.cpp:1891 +#: ClientCommand.cpp:1941 msgctxt "helpcmd|Rehash|desc" msgid "Reload global settings, modules, and listeners from znc.conf" msgstr "" "Ricarica le impostazioni globali, i moduli e le porte di ascolto dallo znc." "conf" -#: ClientCommand.cpp:1894 +#: ClientCommand.cpp:1944 msgctxt "helpcmd|SaveConfig|desc" msgid "Save the current settings to disk" msgstr "Salve le impostazioni correnti sul disco" -#: ClientCommand.cpp:1897 +#: ClientCommand.cpp:1947 msgctxt "helpcmd|ListUsers|desc" msgid "List all ZNC users and their connection status" msgstr "Elenca tutti gli utenti dello ZNC e lo stato della loro connessione" -#: ClientCommand.cpp:1900 +#: ClientCommand.cpp:1950 msgctxt "helpcmd|ListAllUserNetworks|desc" msgid "List all ZNC users and their networks" msgstr "Elenca tutti gli utenti dello ZNC ed i loro networks" -#: ClientCommand.cpp:1903 +#: ClientCommand.cpp:1953 msgctxt "helpcmd|ListChans|args" msgid "[user ]" msgstr "[utente ]" -#: ClientCommand.cpp:1906 +#: ClientCommand.cpp:1956 msgctxt "helpcmd|ListClients|args" msgid "[user]" msgstr "[utente]" -#: ClientCommand.cpp:1907 +#: ClientCommand.cpp:1957 msgctxt "helpcmd|ListClients|desc" msgid "List all connected clients" msgstr "Elenca tutti i client connessi" -#: ClientCommand.cpp:1909 +#: ClientCommand.cpp:1959 msgctxt "helpcmd|Traffic|desc" msgid "Show basic traffic stats for all ZNC users" msgstr "Mostra le statistiche base sul traffico di tutti gli utenti dello ZNC" -#: ClientCommand.cpp:1911 +#: ClientCommand.cpp:1961 msgctxt "helpcmd|Broadcast|args" msgid "[message]" msgstr "[messaggio]" -#: ClientCommand.cpp:1912 +#: ClientCommand.cpp:1962 msgctxt "helpcmd|Broadcast|desc" msgid "Broadcast a message to all ZNC users" msgstr "Trasmetti un messaggio a tutti gli utenti dello ZNC" -#: ClientCommand.cpp:1915 +#: ClientCommand.cpp:1965 msgctxt "helpcmd|Shutdown|args" msgid "[message]" msgstr "[messaggio]" -#: ClientCommand.cpp:1916 +#: ClientCommand.cpp:1966 msgctxt "helpcmd|Shutdown|desc" msgid "Shut down ZNC completely" msgstr "Spegni completamente lo ZNC" -#: ClientCommand.cpp:1917 +#: ClientCommand.cpp:1967 msgctxt "helpcmd|Restart|args" msgid "[message]" msgstr "[messaggio]" -#: ClientCommand.cpp:1918 +#: ClientCommand.cpp:1968 msgctxt "helpcmd|Restart|desc" msgid "Restart ZNC" msgstr "Riavvia lo ZNC" diff --git a/src/po/znc.nl_NL.po b/src/po/znc.nl_NL.po index 53381a8e..6592b635 100644 --- a/src/po/znc.nl_NL.po +++ b/src/po/znc.nl_NL.po @@ -74,7 +74,7 @@ msgstr "Kan PEM bestand niet vinden: {1}" msgid "Invalid port" msgstr "Ongeldige poort" -#: znc.cpp:1813 ClientCommand.cpp:1655 +#: znc.cpp:1813 ClientCommand.cpp:1700 msgid "Unable to bind: {1}" msgstr "Kan niet binden: {1}" @@ -100,22 +100,31 @@ msgstr "" "Dit netwerk wordt op dit moment verwijderd of verplaatst door een andere " "gebruiker." -#: IRCNetwork.cpp:1016 +#: IRCNetwork.cpp:948 +msgid "Invalid index" +msgstr "" + +#: IRCNetwork.cpp:956 IRCNetwork.cpp:972 IRCNetwork.cpp:980 +#: ClientCommand.cpp:1405 +msgid "You are not on {1}" +msgstr "Je bent niet in {1}" + +#: IRCNetwork.cpp:1059 msgid "The channel {1} could not be joined, disabling it." msgstr "Het kanaal {1} kan niet toegetreden worden, deze wordt uitgeschakeld." -#: IRCNetwork.cpp:1145 +#: IRCNetwork.cpp:1188 msgid "Your current server was removed, jumping..." msgstr "" "Je huidige server was verwijderd, we schakelen over naar een andere server..." -#: IRCNetwork.cpp:1308 +#: IRCNetwork.cpp:1351 msgid "Cannot connect to {1}, because ZNC is not compiled with SSL support." msgstr "" "Kan niet verbinden naar {1} omdat ZNC niet gecompileerd is met SSL " "ondersteuning." -#: IRCNetwork.cpp:1329 +#: IRCNetwork.cpp:1372 msgid "Some module aborted the connection attempt" msgstr "Een module heeft de verbindingspoging afgebroken" @@ -315,7 +324,7 @@ msgctxt "modhelpcmd" msgid "Generate this output" msgstr "Genereer deze output" -#: Modules.cpp:573 ClientCommand.cpp:1922 +#: Modules.cpp:573 ClientCommand.cpp:1972 msgid "No matches for '{1}'" msgstr "Geen overeenkomsten voor '{1}'" @@ -427,11 +436,12 @@ msgstr "Beschrijving" #: ClientCommand.cpp:51 ClientCommand.cpp:115 ClientCommand.cpp:137 #: ClientCommand.cpp:339 ClientCommand.cpp:390 ClientCommand.cpp:405 -#: ClientCommand.cpp:432 ClientCommand.cpp:459 ClientCommand.cpp:764 -#: ClientCommand.cpp:783 ClientCommand.cpp:809 ClientCommand.cpp:843 -#: ClientCommand.cpp:856 ClientCommand.cpp:869 ClientCommand.cpp:884 -#: ClientCommand.cpp:1345 ClientCommand.cpp:1393 ClientCommand.cpp:1425 -#: ClientCommand.cpp:1436 ClientCommand.cpp:1445 ClientCommand.cpp:1457 +#: ClientCommand.cpp:432 ClientCommand.cpp:459 ClientCommand.cpp:480 +#: ClientCommand.cpp:499 ClientCommand.cpp:809 ClientCommand.cpp:828 +#: ClientCommand.cpp:854 ClientCommand.cpp:888 ClientCommand.cpp:901 +#: ClientCommand.cpp:914 ClientCommand.cpp:929 ClientCommand.cpp:1390 +#: ClientCommand.cpp:1438 ClientCommand.cpp:1470 ClientCommand.cpp:1481 +#: ClientCommand.cpp:1490 ClientCommand.cpp:1502 msgid "You must be connected with a network to use this command" msgstr "Je moet verbonden zijn met een netwerk om dit commando te gebruiken" @@ -608,7 +618,7 @@ msgid "" "ERROR: Writing config file to disk failed! Aborting. Use {1} FORCE to ignore." msgstr "" -#: ClientCommand.cpp:344 ClientCommand.cpp:797 ClientCommand.cpp:838 +#: ClientCommand.cpp:344 ClientCommand.cpp:842 ClientCommand.cpp:883 msgid "You don't have any servers added." msgstr "Je hebt geen servers toegevoegd." @@ -652,87 +662,108 @@ msgid_plural "Disabled {1} channels" msgstr[0] "" msgstr[1] "" -#: ClientCommand.cpp:470 +#: ClientCommand.cpp:466 +msgid "Usage: MoveChan <#chan> " +msgstr "" + +#: ClientCommand.cpp:474 +msgid "Moved channel {1} to index {2}" +msgstr "" + +#: ClientCommand.cpp:487 +msgid "Usage: SwapChans <#chan1> <#chan2>" +msgstr "" + +#: ClientCommand.cpp:493 +msgid "Swapped channels {1} and {2}" +msgstr "" + +#: ClientCommand.cpp:510 msgid "Usage: ListChans" msgstr "Gebruik: ListChans" -#: ClientCommand.cpp:477 +#: ClientCommand.cpp:517 msgid "No such user [{1}]" msgstr "Gebruiker onbekend [{1}]" -#: ClientCommand.cpp:483 +#: ClientCommand.cpp:523 msgid "User [{1}] doesn't have network [{2}]" msgstr "Gebruiker [{1}] heeft geen netwerk genaamd [{2}]" -#: ClientCommand.cpp:494 +#: ClientCommand.cpp:534 msgid "There are no channels defined." msgstr "Er zijn geen kanalen geconfigureerd." -#: ClientCommand.cpp:499 ClientCommand.cpp:515 +#: ClientCommand.cpp:539 ClientCommand.cpp:557 +msgctxt "listchans" +msgid "Index" +msgstr "" + +#: ClientCommand.cpp:540 ClientCommand.cpp:558 msgctxt "listchans" msgid "Name" msgstr "Naam" -#: ClientCommand.cpp:500 ClientCommand.cpp:518 +#: ClientCommand.cpp:541 ClientCommand.cpp:561 msgctxt "listchans" msgid "Status" msgstr "Status" -#: ClientCommand.cpp:501 ClientCommand.cpp:525 +#: ClientCommand.cpp:542 ClientCommand.cpp:568 msgctxt "listchans" msgid "In config" msgstr "In configuratie" -#: ClientCommand.cpp:502 ClientCommand.cpp:527 +#: ClientCommand.cpp:543 ClientCommand.cpp:570 msgctxt "listchans" msgid "Buffer" msgstr "Buffer" -#: ClientCommand.cpp:503 ClientCommand.cpp:531 +#: ClientCommand.cpp:544 ClientCommand.cpp:574 msgctxt "listchans" msgid "Clear" msgstr "Wissen" -#: ClientCommand.cpp:504 ClientCommand.cpp:536 +#: ClientCommand.cpp:545 ClientCommand.cpp:579 msgctxt "listchans" msgid "Modes" msgstr "Modes" -#: ClientCommand.cpp:505 ClientCommand.cpp:537 +#: ClientCommand.cpp:546 ClientCommand.cpp:580 msgctxt "listchans" msgid "Users" msgstr "Gebruikers" -#: ClientCommand.cpp:520 +#: ClientCommand.cpp:563 msgctxt "listchans" msgid "Detached" msgstr "Losgekoppeld" -#: ClientCommand.cpp:521 +#: ClientCommand.cpp:564 msgctxt "listchans" msgid "Joined" msgstr "Toegetreden" -#: ClientCommand.cpp:522 +#: ClientCommand.cpp:565 msgctxt "listchans" msgid "Disabled" msgstr "Uitgeschakeld" -#: ClientCommand.cpp:523 +#: ClientCommand.cpp:566 msgctxt "listchans" msgid "Trying" msgstr "Proberen" -#: ClientCommand.cpp:526 ClientCommand.cpp:534 +#: ClientCommand.cpp:569 ClientCommand.cpp:577 msgctxt "listchans" msgid "yes" msgstr "ja" -#: ClientCommand.cpp:551 +#: ClientCommand.cpp:596 msgid "Total: {1}, Joined: {2}, Detached: {3}, Disabled: {4}" msgstr "Totaal: {1}, toegetreden: {2}, losgekoppeld: {3}, uitgeschakeld: {4}" -#: ClientCommand.cpp:556 +#: ClientCommand.cpp:601 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks using /znc DelNetwork " @@ -741,15 +772,15 @@ msgstr "" "te passen voor je, of verwijder onnodige netwerken door middel van /znc " "DelNetwork " -#: ClientCommand.cpp:565 +#: ClientCommand.cpp:610 msgid "Usage: AddNetwork " msgstr "Gebruik: AddNetwork " -#: ClientCommand.cpp:569 +#: ClientCommand.cpp:614 msgid "Network name should be alphanumeric" msgstr "Netwerk naam moet alfanumeriek zijn" -#: ClientCommand.cpp:576 +#: ClientCommand.cpp:621 msgid "" "Network added. Use /znc JumpNetwork {1}, or connect to ZNC with username {2} " "(instead of just {3}) to connect to it." @@ -758,141 +789,141 @@ msgstr "" "gebruikersnaam {2} (in plaats van alleen {3}) om hier verbinding mee te " "maken." -#: ClientCommand.cpp:581 +#: ClientCommand.cpp:626 msgid "Unable to add that network" msgstr "Kan dat netwerk niet toevoegen" -#: ClientCommand.cpp:588 +#: ClientCommand.cpp:633 msgid "Usage: DelNetwork " msgstr "Gebruik: DelNetwork " -#: ClientCommand.cpp:597 +#: ClientCommand.cpp:642 msgid "Network deleted" msgstr "Netwerk verwijderd" -#: ClientCommand.cpp:600 +#: ClientCommand.cpp:645 msgid "Failed to delete network, perhaps this network doesn't exist" msgstr "Mislukt om netwerk te verwijderen, misschien bestaat dit netwerk niet" -#: ClientCommand.cpp:610 +#: ClientCommand.cpp:655 msgid "User {1} not found" msgstr "Gebruiker {1} niet gevonden" -#: ClientCommand.cpp:618 ClientCommand.cpp:626 +#: ClientCommand.cpp:663 ClientCommand.cpp:671 msgctxt "listnetworks" msgid "Network" msgstr "Netwerk" -#: ClientCommand.cpp:619 ClientCommand.cpp:628 ClientCommand.cpp:637 +#: ClientCommand.cpp:664 ClientCommand.cpp:673 ClientCommand.cpp:682 msgctxt "listnetworks" msgid "On IRC" msgstr "Op IRC" -#: ClientCommand.cpp:620 ClientCommand.cpp:630 +#: ClientCommand.cpp:665 ClientCommand.cpp:675 msgctxt "listnetworks" msgid "IRC Server" msgstr "IRC Server" -#: ClientCommand.cpp:621 ClientCommand.cpp:632 +#: ClientCommand.cpp:666 ClientCommand.cpp:677 msgctxt "listnetworks" msgid "IRC User" msgstr "IRC Gebruiker" -#: ClientCommand.cpp:622 ClientCommand.cpp:634 +#: ClientCommand.cpp:667 ClientCommand.cpp:679 msgctxt "listnetworks" msgid "Channels" msgstr "Kanalen" -#: ClientCommand.cpp:629 +#: ClientCommand.cpp:674 msgctxt "listnetworks" msgid "Yes" msgstr "Ja" -#: ClientCommand.cpp:638 +#: ClientCommand.cpp:683 msgctxt "listnetworks" msgid "No" msgstr "Nee" -#: ClientCommand.cpp:643 +#: ClientCommand.cpp:688 msgctxt "listnetworks" msgid "No networks" msgstr "Geen netwerken" -#: ClientCommand.cpp:647 ClientCommand.cpp:952 +#: ClientCommand.cpp:692 ClientCommand.cpp:997 msgid "Access denied." msgstr "Toegang geweigerd." -#: ClientCommand.cpp:658 +#: ClientCommand.cpp:703 msgid "Usage: MoveNetwork [new network]" msgstr "" "Gebruik: MoveNetwerk " "[nieuw netwerk]" -#: ClientCommand.cpp:668 +#: ClientCommand.cpp:713 msgid "Old user {1} not found." msgstr "Oude gebruiker {1} niet gevonden." -#: ClientCommand.cpp:674 +#: ClientCommand.cpp:719 msgid "Old network {1} not found." msgstr "Oud netwerk {1} niet gevonden." -#: ClientCommand.cpp:680 +#: ClientCommand.cpp:725 msgid "New user {1} not found." msgstr "Nieuwe gebruiker {1} niet gevonden." -#: ClientCommand.cpp:685 +#: ClientCommand.cpp:730 msgid "User {1} already has network {2}." msgstr "Gebruiker {1} heeft al een netwerk genaamd {2}." -#: ClientCommand.cpp:691 +#: ClientCommand.cpp:736 msgid "Invalid network name [{1}]" msgstr "Ongeldige netwerknaam [{1}]" -#: ClientCommand.cpp:707 +#: ClientCommand.cpp:752 msgid "Some files seem to be in {1}. You might want to move them to {2}" msgstr "" "Sommige bestanden lijken in {1} te zijn. Misschien wil je ze verplaatsen " "naar {2}" -#: ClientCommand.cpp:721 +#: ClientCommand.cpp:766 msgid "Error adding network: {1}" msgstr "Fout bij het toevoegen van netwerk: {1}" -#: ClientCommand.cpp:733 +#: ClientCommand.cpp:778 msgid "Success." msgstr "Geslaagd." -#: ClientCommand.cpp:736 +#: ClientCommand.cpp:781 msgid "Copied the network to new user, but failed to delete old network" msgstr "" "Netwerk gekopieërd naar nieuwe gebruiker maar mislukt om het oude netwerk te " "verwijderen" -#: ClientCommand.cpp:743 +#: ClientCommand.cpp:788 msgid "No network supplied." msgstr "Geen netwerk ingevoerd." -#: ClientCommand.cpp:748 +#: ClientCommand.cpp:793 msgid "You are already connected with this network." msgstr "Je bent al verbonden met dit netwerk." -#: ClientCommand.cpp:754 +#: ClientCommand.cpp:799 msgid "Switched to {1}" msgstr "Geschakeld naar {1}" -#: ClientCommand.cpp:757 +#: ClientCommand.cpp:802 msgid "You don't have a network named {1}" msgstr "Je hebt geen netwerk genaamd {1}" -#: ClientCommand.cpp:769 +#: ClientCommand.cpp:814 msgid "Usage: AddServer [[+]port] [pass]" msgstr "Gebruik: AddServer [[+]poort] [wachtwoord]" -#: ClientCommand.cpp:774 +#: ClientCommand.cpp:819 msgid "Server added" msgstr "Server toegevoegd" -#: ClientCommand.cpp:777 +#: ClientCommand.cpp:822 msgid "" "Unable to add that server. Perhaps the server is already added or openssl is " "disabled?" @@ -900,236 +931,236 @@ msgstr "" "Niet mogelijk die server toe te voegen. Misschien is de server al toegevoegd " "of is OpenSSL uitgeschakeld?" -#: ClientCommand.cpp:792 +#: ClientCommand.cpp:837 msgid "Usage: DelServer [port] [pass]" msgstr "Gebruik: DelServer [poort] [wachtwoord]" -#: ClientCommand.cpp:802 +#: ClientCommand.cpp:847 msgid "Server removed" msgstr "Server verwijderd" -#: ClientCommand.cpp:804 +#: ClientCommand.cpp:849 msgid "No such server" msgstr "Server niet gevonden" -#: ClientCommand.cpp:817 ClientCommand.cpp:825 +#: ClientCommand.cpp:862 ClientCommand.cpp:870 msgctxt "listservers" msgid "Host" msgstr "Host" -#: ClientCommand.cpp:818 ClientCommand.cpp:827 +#: ClientCommand.cpp:863 ClientCommand.cpp:872 msgctxt "listservers" msgid "Port" msgstr "Poort" -#: ClientCommand.cpp:819 ClientCommand.cpp:830 +#: ClientCommand.cpp:864 ClientCommand.cpp:875 msgctxt "listservers" msgid "SSL" msgstr "SSL" -#: ClientCommand.cpp:820 ClientCommand.cpp:832 +#: ClientCommand.cpp:865 ClientCommand.cpp:877 msgctxt "listservers" msgid "Password" msgstr "Wachtwoord" -#: ClientCommand.cpp:831 +#: ClientCommand.cpp:876 msgctxt "listservers|cell" msgid "SSL" msgstr "SSL" -#: ClientCommand.cpp:848 +#: ClientCommand.cpp:893 msgid "Usage: AddTrustedServerFingerprint " msgstr "Gebruik: AddTrustedServerFingerprint " -#: ClientCommand.cpp:852 ClientCommand.cpp:865 +#: ClientCommand.cpp:897 ClientCommand.cpp:910 msgid "Done." msgstr "Klaar." -#: ClientCommand.cpp:861 +#: ClientCommand.cpp:906 msgid "Usage: DelTrustedServerFingerprint " msgstr "Gebruik: DelTrustedServerFingerprint " -#: ClientCommand.cpp:874 +#: ClientCommand.cpp:919 msgid "No fingerprints added." msgstr "Geen vingerafdrukken toegevoegd." -#: ClientCommand.cpp:890 ClientCommand.cpp:896 +#: ClientCommand.cpp:935 ClientCommand.cpp:941 msgctxt "topicscmd" msgid "Channel" msgstr "Kanaal" -#: ClientCommand.cpp:891 ClientCommand.cpp:897 +#: ClientCommand.cpp:936 ClientCommand.cpp:942 msgctxt "topicscmd" msgid "Set By" msgstr "Ingesteld door" -#: ClientCommand.cpp:892 ClientCommand.cpp:898 +#: ClientCommand.cpp:937 ClientCommand.cpp:943 msgctxt "topicscmd" msgid "Topic" msgstr "Onderwerp" -#: ClientCommand.cpp:905 ClientCommand.cpp:910 +#: ClientCommand.cpp:950 ClientCommand.cpp:955 msgctxt "listmods" msgid "Name" msgstr "Naam" -#: ClientCommand.cpp:906 ClientCommand.cpp:911 +#: ClientCommand.cpp:951 ClientCommand.cpp:956 msgctxt "listmods" msgid "Arguments" msgstr "Argumenten" -#: ClientCommand.cpp:920 +#: ClientCommand.cpp:965 msgid "No global modules loaded." msgstr "Geen algemene modules geladen." -#: ClientCommand.cpp:922 ClientCommand.cpp:986 +#: ClientCommand.cpp:967 ClientCommand.cpp:1031 msgid "Global modules:" msgstr "Algemene modules:" -#: ClientCommand.cpp:931 +#: ClientCommand.cpp:976 msgid "Your user has no modules loaded." msgstr "Je gebruiker heeft geen modules geladen." -#: ClientCommand.cpp:933 ClientCommand.cpp:998 +#: ClientCommand.cpp:978 ClientCommand.cpp:1043 msgid "User modules:" msgstr "Gebruiker modules:" -#: ClientCommand.cpp:941 +#: ClientCommand.cpp:986 msgid "This network has no modules loaded." msgstr "Dit netwerk heeft geen modules geladen." -#: ClientCommand.cpp:943 ClientCommand.cpp:1010 +#: ClientCommand.cpp:988 ClientCommand.cpp:1055 msgid "Network modules:" msgstr "Netwerk modules:" -#: ClientCommand.cpp:958 ClientCommand.cpp:965 +#: ClientCommand.cpp:1003 ClientCommand.cpp:1010 msgctxt "listavailmods" msgid "Name" msgstr "Naam" -#: ClientCommand.cpp:959 ClientCommand.cpp:970 +#: ClientCommand.cpp:1004 ClientCommand.cpp:1015 msgctxt "listavailmods" msgid "Description" msgstr "Beschrijving" -#: ClientCommand.cpp:984 +#: ClientCommand.cpp:1029 msgid "No global modules available." msgstr "Geen algemene modules beschikbaar." -#: ClientCommand.cpp:996 +#: ClientCommand.cpp:1041 msgid "No user modules available." msgstr "Geen gebruikermodules beschikbaar." -#: ClientCommand.cpp:1008 +#: ClientCommand.cpp:1053 msgid "No network modules available." msgstr "Geen netwerkmodules beschikbaar." -#: ClientCommand.cpp:1036 +#: ClientCommand.cpp:1081 msgid "Unable to load {1}: Access denied." msgstr "Niet mogelijk om {1} te laden: Toegang geweigerd." -#: ClientCommand.cpp:1042 +#: ClientCommand.cpp:1087 msgid "Usage: LoadMod [--type=global|user|network] [args]" msgstr "Gebruik: LoadMod [--type=global|user|network] [argumenten]" -#: ClientCommand.cpp:1049 +#: ClientCommand.cpp:1094 msgid "Unable to load {1}: {2}" msgstr "Niet mogelijk module te laden {1}: {2}" -#: ClientCommand.cpp:1059 +#: ClientCommand.cpp:1104 msgid "Unable to load global module {1}: Access denied." msgstr "Niet mogelijk algemene module te laden {1}: Toegang geweigerd." -#: ClientCommand.cpp:1065 +#: ClientCommand.cpp:1110 msgid "Unable to load network module {1}: Not connected with a network." msgstr "" "Niet mogelijk netwerk module te laden {1}: Niet verbonden met een netwerk." -#: ClientCommand.cpp:1087 +#: ClientCommand.cpp:1132 msgid "Unknown module type" msgstr "Onbekend type module" -#: ClientCommand.cpp:1092 +#: ClientCommand.cpp:1137 msgid "Loaded module {1}" msgstr "Module {1} geladen" -#: ClientCommand.cpp:1094 +#: ClientCommand.cpp:1139 msgid "Loaded module {1}: {2}" msgstr "Module {1} geladen: {2}" -#: ClientCommand.cpp:1097 +#: ClientCommand.cpp:1142 msgid "Unable to load module {1}: {2}" msgstr "Niet mogelijk module te laden {1}: {2}" -#: ClientCommand.cpp:1120 +#: ClientCommand.cpp:1165 msgid "Unable to unload {1}: Access denied." msgstr "Niet mogelijk om {1} te stoppen: Toegang geweigerd." -#: ClientCommand.cpp:1126 +#: ClientCommand.cpp:1171 msgid "Usage: UnloadMod [--type=global|user|network] " msgstr "Gebruik: UnloadMod [--type=global|user|network] " -#: ClientCommand.cpp:1135 +#: ClientCommand.cpp:1180 msgid "Unable to determine type of {1}: {2}" msgstr "Niet mogelijk om het type te bepalen van {1}: {2}" -#: ClientCommand.cpp:1143 +#: ClientCommand.cpp:1188 msgid "Unable to unload global module {1}: Access denied." msgstr "Niet mogelijk algemene module te stoppen {1}: Toegang geweigerd." -#: ClientCommand.cpp:1150 +#: ClientCommand.cpp:1195 msgid "Unable to unload network module {1}: Not connected with a network." msgstr "" "Niet mogelijk netwerk module te stoppen {1}: Niet verbonden met een netwerk." -#: ClientCommand.cpp:1169 +#: ClientCommand.cpp:1214 msgid "Unable to unload module {1}: Unknown module type" msgstr "Niet mogelijk module te stopped {1}: Onbekend type module" -#: ClientCommand.cpp:1182 +#: ClientCommand.cpp:1227 msgid "Unable to reload modules. Access denied." msgstr "Niet mogelijk modules te herladen. Toegang geweigerd." -#: ClientCommand.cpp:1203 +#: ClientCommand.cpp:1248 msgid "Usage: ReloadMod [--type=global|user|network] [args]" msgstr "Gebruik: ReloadMod [--type=global|user|network] [argumenten]" -#: ClientCommand.cpp:1212 +#: ClientCommand.cpp:1257 msgid "Unable to reload {1}: {2}" msgstr "Niet mogelijk module te herladen {1}: {2}" -#: ClientCommand.cpp:1220 +#: ClientCommand.cpp:1265 msgid "Unable to reload global module {1}: Access denied." msgstr "Niet mogelijk algemene module te herladen {1}: Toegang geweigerd." -#: ClientCommand.cpp:1227 +#: ClientCommand.cpp:1272 msgid "Unable to reload network module {1}: Not connected with a network." msgstr "" "Niet mogelijk netwerk module te herladen {1}: Niet verbonden met een netwerk." -#: ClientCommand.cpp:1249 +#: ClientCommand.cpp:1294 msgid "Unable to reload module {1}: Unknown module type" msgstr "Niet mogelijk module te herladen {1}: Onbekend type module" -#: ClientCommand.cpp:1260 +#: ClientCommand.cpp:1305 msgid "Usage: UpdateMod " msgstr "Gebruik: UpdateMod " -#: ClientCommand.cpp:1264 +#: ClientCommand.cpp:1309 msgid "Reloading {1} everywhere" msgstr "Overal {1} herladen" -#: ClientCommand.cpp:1266 +#: ClientCommand.cpp:1311 msgid "Done" msgstr "Klaar" -#: ClientCommand.cpp:1269 +#: ClientCommand.cpp:1314 msgid "" "Done, but there were errors, module {1} could not be reloaded everywhere." msgstr "" "Klaar, maar er waren fouten, module {1} kon niet overal herladen worden." -#: ClientCommand.cpp:1277 +#: ClientCommand.cpp:1322 msgid "" "You must be connected with a network to use this command. Try " "SetUserBindHost instead" @@ -1137,27 +1168,27 @@ msgstr "" "Je moet verbonden zijn met een netwerk om dit commando te gebruiken. Probeer " "in plaats hiervan SetUserBindHost" -#: ClientCommand.cpp:1284 +#: ClientCommand.cpp:1329 msgid "Usage: SetBindHost " msgstr "Gebruik: SetBindHost " -#: ClientCommand.cpp:1289 ClientCommand.cpp:1306 +#: ClientCommand.cpp:1334 ClientCommand.cpp:1351 msgid "You already have this bind host!" msgstr "Je hebt deze bindhost al!" -#: ClientCommand.cpp:1294 +#: ClientCommand.cpp:1339 msgid "Set bind host for network {1} to {2}" msgstr "Stel bindhost voor netwerk {1} in naar {2}" -#: ClientCommand.cpp:1301 +#: ClientCommand.cpp:1346 msgid "Usage: SetUserBindHost " msgstr "Gebruik: SetUserBindHost " -#: ClientCommand.cpp:1311 +#: ClientCommand.cpp:1356 msgid "Set default bind host to {1}" msgstr "Standaard bindhost ingesteld naar {1}" -#: ClientCommand.cpp:1317 +#: ClientCommand.cpp:1362 msgid "" "You must be connected with a network to use this command. Try " "ClearUserBindHost instead" @@ -1165,258 +1196,254 @@ msgstr "" "Je moet verbonden zijn met een netwerk om dit commando te gebruiken. Probeer " "in plaats hiervan ClearUserBindHost" -#: ClientCommand.cpp:1322 +#: ClientCommand.cpp:1367 msgid "Bind host cleared for this network." msgstr "Bindhost gewist voor dit netwerk." -#: ClientCommand.cpp:1326 +#: ClientCommand.cpp:1371 msgid "Default bind host cleared for your user." msgstr "Standaard bindhost gewist voor jouw gebruiker." -#: ClientCommand.cpp:1329 +#: ClientCommand.cpp:1374 msgid "This user's default bind host not set" msgstr "Er is geen standaard bindhost voor deze gebruiker ingesteld" -#: ClientCommand.cpp:1331 +#: ClientCommand.cpp:1376 msgid "This user's default bind host is {1}" msgstr "De standaard bindhost voor deze gebruiker is {1}" -#: ClientCommand.cpp:1336 +#: ClientCommand.cpp:1381 msgid "This network's bind host not set" msgstr "Er is geen bindhost ingesteld voor dit netwerk" -#: ClientCommand.cpp:1338 +#: ClientCommand.cpp:1383 msgid "This network's default bind host is {1}" msgstr "De standaard bindhost voor dit netwerk is {1}" -#: ClientCommand.cpp:1352 +#: ClientCommand.cpp:1397 msgid "Usage: PlayBuffer <#chan|query>" msgstr "Gebruik: PlayBuffer <#kanaal|privé bericht>" -#: ClientCommand.cpp:1360 -msgid "You are not on {1}" -msgstr "Je bent niet in {1}" - -#: ClientCommand.cpp:1365 +#: ClientCommand.cpp:1410 msgid "You are not on {1} (trying to join)" msgstr "Je bent niet in {1} (probeer toe te treden)" -#: ClientCommand.cpp:1370 +#: ClientCommand.cpp:1415 msgid "The buffer for channel {1} is empty" msgstr "De buffer voor kanaal {1} is leeg" -#: ClientCommand.cpp:1379 +#: ClientCommand.cpp:1424 msgid "No active query with {1}" msgstr "Geen actieve privé berichten met {1}" -#: ClientCommand.cpp:1384 +#: ClientCommand.cpp:1429 msgid "The buffer for {1} is empty" msgstr "De buffer voor {1} is leeg" -#: ClientCommand.cpp:1400 +#: ClientCommand.cpp:1445 msgid "Usage: ClearBuffer <#chan|query>" msgstr "Gebruik: ClearBuffer <#kanaal|privé bericht>" -#: ClientCommand.cpp:1419 +#: ClientCommand.cpp:1464 msgid "{1} buffer matching {2} has been cleared" msgid_plural "{1} buffers matching {2} have been cleared" msgstr[0] "{1} buffer overeenkomend met {2} is gewist" msgstr[1] "{1} buffers overeenkomend met {2} zijn gewist" -#: ClientCommand.cpp:1432 +#: ClientCommand.cpp:1477 msgid "All channel buffers have been cleared" msgstr "Alle kanaalbuffers zijn gewist" -#: ClientCommand.cpp:1441 +#: ClientCommand.cpp:1486 msgid "All query buffers have been cleared" msgstr "Alle privéberichtenbuffers zijn gewist" -#: ClientCommand.cpp:1453 +#: ClientCommand.cpp:1498 msgid "All buffers have been cleared" msgstr "Alle buffers zijn gewist" -#: ClientCommand.cpp:1464 +#: ClientCommand.cpp:1509 msgid "Usage: SetBuffer <#chan|query> [linecount]" msgstr "Gebruik: SetBuffer <#kanaal|privé bericht> [regelaantal]" -#: ClientCommand.cpp:1485 +#: ClientCommand.cpp:1530 msgid "Setting buffer size failed for {1} buffer" msgid_plural "Setting buffer size failed for {1} buffers" msgstr[0] "Instellen van buffergrootte mislukt voor {1} buffer" msgstr[1] "Instellen van buffergrootte mislukt voor {1} buffers" -#: ClientCommand.cpp:1488 +#: ClientCommand.cpp:1533 msgid "Maximum buffer size is {1} line" msgid_plural "Maximum buffer size is {1} lines" msgstr[0] "Maximale buffergrootte is {1} regel" msgstr[1] "Maximale buffergrootte is {1} regels" -#: ClientCommand.cpp:1493 +#: ClientCommand.cpp:1538 msgid "Size of every buffer was set to {1} line" msgid_plural "Size of every buffer was set to {1} lines" msgstr[0] "Grootte van alle buffers is ingesteld op {1} regel" msgstr[1] "Grootte van alle buffers is ingesteld op {1} regels" -#: ClientCommand.cpp:1503 ClientCommand.cpp:1510 ClientCommand.cpp:1521 -#: ClientCommand.cpp:1530 ClientCommand.cpp:1538 +#: ClientCommand.cpp:1548 ClientCommand.cpp:1555 ClientCommand.cpp:1566 +#: ClientCommand.cpp:1575 ClientCommand.cpp:1583 msgctxt "trafficcmd" msgid "Username" msgstr "Gebruikersnaam" -#: ClientCommand.cpp:1504 ClientCommand.cpp:1511 ClientCommand.cpp:1523 -#: ClientCommand.cpp:1532 ClientCommand.cpp:1540 +#: ClientCommand.cpp:1549 ClientCommand.cpp:1556 ClientCommand.cpp:1568 +#: ClientCommand.cpp:1577 ClientCommand.cpp:1585 msgctxt "trafficcmd" msgid "In" msgstr "In" -#: ClientCommand.cpp:1505 ClientCommand.cpp:1513 ClientCommand.cpp:1524 -#: ClientCommand.cpp:1533 ClientCommand.cpp:1541 +#: ClientCommand.cpp:1550 ClientCommand.cpp:1558 ClientCommand.cpp:1569 +#: ClientCommand.cpp:1578 ClientCommand.cpp:1586 msgctxt "trafficcmd" msgid "Out" msgstr "Uit" -#: ClientCommand.cpp:1506 ClientCommand.cpp:1516 ClientCommand.cpp:1526 -#: ClientCommand.cpp:1534 ClientCommand.cpp:1543 +#: ClientCommand.cpp:1551 ClientCommand.cpp:1561 ClientCommand.cpp:1571 +#: ClientCommand.cpp:1579 ClientCommand.cpp:1588 msgctxt "trafficcmd" msgid "Total" msgstr "Totaal" -#: ClientCommand.cpp:1522 +#: ClientCommand.cpp:1567 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1531 +#: ClientCommand.cpp:1576 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1539 +#: ClientCommand.cpp:1584 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1548 +#: ClientCommand.cpp:1593 msgid "Running for {1}" msgstr "Draaiend voor {1}" -#: ClientCommand.cpp:1554 +#: ClientCommand.cpp:1599 msgid "Unknown command, try 'Help'" msgstr "Onbekend commando, probeer 'Help'" -#: ClientCommand.cpp:1563 ClientCommand.cpp:1574 +#: ClientCommand.cpp:1608 ClientCommand.cpp:1619 msgctxt "listports" msgid "Port" msgstr "Poort" -#: ClientCommand.cpp:1564 ClientCommand.cpp:1577 +#: ClientCommand.cpp:1609 ClientCommand.cpp:1622 msgctxt "listports" msgid "BindHost" msgstr "BindHost" -#: ClientCommand.cpp:1565 ClientCommand.cpp:1580 +#: ClientCommand.cpp:1610 ClientCommand.cpp:1625 msgctxt "listports" msgid "SSL" msgstr "SSL" -#: ClientCommand.cpp:1566 ClientCommand.cpp:1585 +#: ClientCommand.cpp:1611 ClientCommand.cpp:1630 msgctxt "listports" msgid "Protocol" msgstr "Protocol" -#: ClientCommand.cpp:1567 ClientCommand.cpp:1592 +#: ClientCommand.cpp:1612 ClientCommand.cpp:1637 msgctxt "listports" msgid "IRC" msgstr "IRC" -#: ClientCommand.cpp:1568 ClientCommand.cpp:1597 +#: ClientCommand.cpp:1613 ClientCommand.cpp:1642 msgctxt "listports" msgid "Web" msgstr "Web" -#: ClientCommand.cpp:1581 +#: ClientCommand.cpp:1626 msgctxt "listports|ssl" msgid "yes" msgstr "ja" -#: ClientCommand.cpp:1582 +#: ClientCommand.cpp:1627 msgctxt "listports|ssl" msgid "no" msgstr "nee" -#: ClientCommand.cpp:1586 +#: ClientCommand.cpp:1631 msgctxt "listports" msgid "IPv4 and IPv6" msgstr "IPv4 en IPv6" -#: ClientCommand.cpp:1588 +#: ClientCommand.cpp:1633 msgctxt "listports" msgid "IPv4" msgstr "IPv4" -#: ClientCommand.cpp:1589 +#: ClientCommand.cpp:1634 msgctxt "listports" msgid "IPv6" msgstr "IPv6" -#: ClientCommand.cpp:1595 +#: ClientCommand.cpp:1640 msgctxt "listports|irc" msgid "yes" msgstr "ja" -#: ClientCommand.cpp:1596 +#: ClientCommand.cpp:1641 msgctxt "listports|irc" msgid "no" msgstr "nee" -#: ClientCommand.cpp:1600 +#: ClientCommand.cpp:1645 msgctxt "listports|irc" msgid "yes, on {1}" msgstr "ja, in {1}" -#: ClientCommand.cpp:1602 +#: ClientCommand.cpp:1647 msgctxt "listports|web" msgid "no" msgstr "nee" -#: ClientCommand.cpp:1642 +#: ClientCommand.cpp:1687 msgid "" "Usage: AddPort <[+]port> [bindhost [uriprefix]]" msgstr "" "Gebruik: AddPort <[+]poort> [bindhost " "[urivoorvoegsel]]" -#: ClientCommand.cpp:1658 +#: ClientCommand.cpp:1703 msgid "Port added" msgstr "Poort toegevoegd" -#: ClientCommand.cpp:1660 +#: ClientCommand.cpp:1705 msgid "Couldn't add port" msgstr "Kon poort niet toevoegen" -#: ClientCommand.cpp:1666 +#: ClientCommand.cpp:1711 msgid "Usage: DelPort [bindhost]" msgstr "Gebruik: DelPort [bindhost]" -#: ClientCommand.cpp:1675 +#: ClientCommand.cpp:1720 msgid "Deleted Port" msgstr "Poort verwijderd" -#: ClientCommand.cpp:1677 +#: ClientCommand.cpp:1722 msgid "Unable to find a matching port" msgstr "Niet mogelijk om een overeenkomende poort te vinden" -#: ClientCommand.cpp:1685 ClientCommand.cpp:1700 +#: ClientCommand.cpp:1730 ClientCommand.cpp:1745 msgctxt "helpcmd" msgid "Command" msgstr "Commando" -#: ClientCommand.cpp:1686 ClientCommand.cpp:1702 +#: ClientCommand.cpp:1731 ClientCommand.cpp:1747 msgctxt "helpcmd" msgid "Description" msgstr "Beschrijving" -#: ClientCommand.cpp:1691 +#: ClientCommand.cpp:1736 msgid "" "In the following list all occurrences of <#chan> support wildcards (* and ?) " "except ListNicks" @@ -1424,87 +1451,87 @@ msgstr "" "In de volgende lijst ondersteunen alle voorvallen van <#kanaal> jokers (* " "en ?) behalve ListNicks" -#: ClientCommand.cpp:1708 +#: ClientCommand.cpp:1753 msgctxt "helpcmd|Version|desc" msgid "Print which version of ZNC this is" msgstr "Toon welke versie van ZNC dit is" -#: ClientCommand.cpp:1711 +#: ClientCommand.cpp:1756 msgctxt "helpcmd|ListMods|desc" msgid "List all loaded modules" msgstr "Toon een lijst van alle geladen modules" -#: ClientCommand.cpp:1714 +#: ClientCommand.cpp:1759 msgctxt "helpcmd|ListAvailMods|desc" msgid "List all available modules" msgstr "Toon alle beschikbare modules" -#: ClientCommand.cpp:1718 ClientCommand.cpp:1904 +#: ClientCommand.cpp:1763 ClientCommand.cpp:1954 msgctxt "helpcmd|ListChans|desc" msgid "List all channels" msgstr "Toon alle kanalen" -#: ClientCommand.cpp:1721 +#: ClientCommand.cpp:1766 msgctxt "helpcmd|ListNicks|args" msgid "<#chan>" msgstr "<#kanaal>" -#: ClientCommand.cpp:1722 +#: ClientCommand.cpp:1767 msgctxt "helpcmd|ListNicks|desc" msgid "List all nicks on a channel" msgstr "Toon alle bijnamen op een kanaal" -#: ClientCommand.cpp:1725 +#: ClientCommand.cpp:1770 msgctxt "helpcmd|ListClients|desc" msgid "List all clients connected to your ZNC user" msgstr "Toon alle clients verbonden met jouw ZNC gebruiker" -#: ClientCommand.cpp:1729 +#: ClientCommand.cpp:1774 msgctxt "helpcmd|ListServers|desc" msgid "List all servers of current IRC network" msgstr "Toon alle servers van het huidige IRC netwerk" -#: ClientCommand.cpp:1733 +#: ClientCommand.cpp:1778 msgctxt "helpcmd|AddNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1734 +#: ClientCommand.cpp:1779 msgctxt "helpcmd|AddNetwork|desc" msgid "Add a network to your user" msgstr "Voeg een netwerk toe aan jouw gebruiker" -#: ClientCommand.cpp:1736 +#: ClientCommand.cpp:1781 msgctxt "helpcmd|DelNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1737 +#: ClientCommand.cpp:1782 msgctxt "helpcmd|DelNetwork|desc" msgid "Delete a network from your user" msgstr "Verwijder een netwerk van jouw gebruiker" -#: ClientCommand.cpp:1739 +#: ClientCommand.cpp:1784 msgctxt "helpcmd|ListNetworks|desc" msgid "List all networks" msgstr "Toon alle netwerken" -#: ClientCommand.cpp:1742 +#: ClientCommand.cpp:1787 msgctxt "helpcmd|MoveNetwork|args" msgid " [new network]" msgstr " [nieuw netwerk]" -#: ClientCommand.cpp:1744 +#: ClientCommand.cpp:1789 msgctxt "helpcmd|MoveNetwork|desc" msgid "Move an IRC network from one user to another" msgstr "Verplaats een IRC netwerk van een gebruiker naar een andere gebruiker" -#: ClientCommand.cpp:1748 +#: ClientCommand.cpp:1793 msgctxt "helpcmd|JumpNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1749 +#: ClientCommand.cpp:1794 msgctxt "helpcmd|JumpNetwork|desc" msgid "" "Jump to another network (Alternatively, you can connect to ZNC several " @@ -1513,12 +1540,12 @@ msgstr "" "Spring naar een ander netwerk (Je kan ook meerdere malen naar ZNC verbinden " "door `gebruiker/netwerk` als gebruikersnaam te gebruiken)" -#: ClientCommand.cpp:1754 +#: ClientCommand.cpp:1799 msgctxt "helpcmd|AddServer|args" msgid " [[+]port] [pass]" msgstr " [[+]poort] [wachtwoord]" -#: ClientCommand.cpp:1755 +#: ClientCommand.cpp:1800 msgctxt "helpcmd|AddServer|desc" msgid "" "Add a server to the list of alternate/backup servers of current IRC network." @@ -1526,12 +1553,12 @@ msgstr "" "Voeg een server toe aan de lijst van alternatieve/backup servers van het " "huidige IRC netwerk." -#: ClientCommand.cpp:1759 +#: ClientCommand.cpp:1804 msgctxt "helpcmd|DelServer|args" msgid " [port] [pass]" msgstr " [poort] [wachtwoord]" -#: ClientCommand.cpp:1760 +#: ClientCommand.cpp:1805 msgctxt "helpcmd|DelServer|desc" msgid "" "Remove a server from the list of alternate/backup servers of current IRC " @@ -1540,12 +1567,12 @@ msgstr "" "Verwijder een server van de lijst van alternatieve/backup servers van het " "huidige IRC netwerk" -#: ClientCommand.cpp:1766 +#: ClientCommand.cpp:1811 msgctxt "helpcmd|AddTrustedServerFingerprint|args" msgid "" msgstr "" -#: ClientCommand.cpp:1767 +#: ClientCommand.cpp:1812 msgctxt "helpcmd|AddTrustedServerFingerprint|desc" msgid "" "Add a trusted server SSL certificate fingerprint (SHA-256) to current IRC " @@ -1554,337 +1581,357 @@ msgstr "" "Voeg een vertrouwd SSL certificaat vingerafdruk (SHA-256) toe aan het " "huidige netwerk." -#: ClientCommand.cpp:1772 +#: ClientCommand.cpp:1817 msgctxt "helpcmd|DelTrustedServerFingerprint|args" msgid "" msgstr "" -#: ClientCommand.cpp:1773 +#: ClientCommand.cpp:1818 msgctxt "helpcmd|DelTrustedServerFingerprint|desc" msgid "Delete a trusted server SSL certificate from current IRC network." msgstr "Verwijder een vertrouwd SSL certificaat van het huidige netwerk." -#: ClientCommand.cpp:1777 +#: ClientCommand.cpp:1822 msgctxt "helpcmd|ListTrustedServerFingerprints|desc" msgid "List all trusted server SSL certificates of current IRC network." msgstr "Toon alle vertrouwde SSL certificaten van het huidige netwerk." -#: ClientCommand.cpp:1780 +#: ClientCommand.cpp:1825 msgctxt "helpcmd|EnableChan|args" msgid "<#chans>" msgstr "<#kanalen>" -#: ClientCommand.cpp:1781 +#: ClientCommand.cpp:1826 msgctxt "helpcmd|EnableChan|desc" msgid "Enable channels" msgstr "Kanalen inschakelen" -#: ClientCommand.cpp:1782 +#: ClientCommand.cpp:1827 msgctxt "helpcmd|DisableChan|args" msgid "<#chans>" msgstr "<#kanalen>" -#: ClientCommand.cpp:1783 +#: ClientCommand.cpp:1828 msgctxt "helpcmd|DisableChan|desc" msgid "Disable channels" msgstr "Kanalen uitschakelen" -#: ClientCommand.cpp:1784 +#: ClientCommand.cpp:1829 +msgctxt "helpcmd|MoveChan|args" +msgid "<#chan> " +msgstr "" + +#: ClientCommand.cpp:1830 +msgctxt "helpcmd|MoveChan|desc" +msgid "Move channel in sort order" +msgstr "" + +#: ClientCommand.cpp:1832 +msgctxt "helpcmd|SwapChans|args" +msgid "<#chan1> <#chan2>" +msgstr "" + +#: ClientCommand.cpp:1833 +msgctxt "helpcmd|SwapChans|desc" +msgid "Swap channels in sort order" +msgstr "" + +#: ClientCommand.cpp:1834 msgctxt "helpcmd|Attach|args" msgid "<#chans>" msgstr "<#kanalen>" -#: ClientCommand.cpp:1785 +#: ClientCommand.cpp:1835 msgctxt "helpcmd|Attach|desc" msgid "Attach to channels" msgstr "Koppel aan kanalen" -#: ClientCommand.cpp:1786 +#: ClientCommand.cpp:1836 msgctxt "helpcmd|Detach|args" msgid "<#chans>" msgstr "<#kanalen>" -#: ClientCommand.cpp:1787 +#: ClientCommand.cpp:1837 msgctxt "helpcmd|Detach|desc" msgid "Detach from channels" msgstr "Loskoppelen van kanalen" -#: ClientCommand.cpp:1790 +#: ClientCommand.cpp:1840 msgctxt "helpcmd|Topics|desc" msgid "Show topics in all your channels" msgstr "Laat topics in al je kanalen zien" -#: ClientCommand.cpp:1793 +#: ClientCommand.cpp:1843 msgctxt "helpcmd|PlayBuffer|args" msgid "<#chan|query>" msgstr "<#kanaal|privé bericht>" -#: ClientCommand.cpp:1794 +#: ClientCommand.cpp:1844 msgctxt "helpcmd|PlayBuffer|desc" msgid "Play back the specified buffer" msgstr "Speel the gekozen buffer terug" -#: ClientCommand.cpp:1796 +#: ClientCommand.cpp:1846 msgctxt "helpcmd|ClearBuffer|args" msgid "<#chan|query>" msgstr "<#kanaal|privé bericht>" -#: ClientCommand.cpp:1797 +#: ClientCommand.cpp:1847 msgctxt "helpcmd|ClearBuffer|desc" msgid "Clear the specified buffer" msgstr "Wis de gekozen buffer" -#: ClientCommand.cpp:1799 +#: ClientCommand.cpp:1849 msgctxt "helpcmd|ClearAllBuffers|desc" msgid "Clear all channel and query buffers" msgstr "Wis alle kanaal en privé berichtenbuffers" -#: ClientCommand.cpp:1802 +#: ClientCommand.cpp:1852 msgctxt "helpcmd|ClearAllChannelBuffers|desc" msgid "Clear the channel buffers" msgstr "Wis de kanaal buffers" -#: ClientCommand.cpp:1806 +#: ClientCommand.cpp:1856 msgctxt "helpcmd|ClearAllQueryBuffers|desc" msgid "Clear the query buffers" msgstr "Wis de privéberichtenbuffers" -#: ClientCommand.cpp:1808 +#: ClientCommand.cpp:1858 msgctxt "helpcmd|SetBuffer|args" msgid "<#chan|query> [linecount]" msgstr "<#kanaal|privé bericht> [regelaantal]" -#: ClientCommand.cpp:1809 +#: ClientCommand.cpp:1859 msgctxt "helpcmd|SetBuffer|desc" msgid "Set the buffer count" msgstr "Stel het buffer aantal in" -#: ClientCommand.cpp:1813 +#: ClientCommand.cpp:1863 msgctxt "helpcmd|SetBindHost|args" msgid "" msgstr "" -#: ClientCommand.cpp:1814 +#: ClientCommand.cpp:1864 msgctxt "helpcmd|SetBindHost|desc" msgid "Set the bind host for this network" msgstr "Stel de bindhost in voor dit netwerk" -#: ClientCommand.cpp:1818 +#: ClientCommand.cpp:1868 msgctxt "helpcmd|SetUserBindHost|args" msgid "" msgstr "" -#: ClientCommand.cpp:1819 +#: ClientCommand.cpp:1869 msgctxt "helpcmd|SetUserBindHost|desc" msgid "Set the default bind host for this user" msgstr "Stel de bindhost in voor deze gebruiker" -#: ClientCommand.cpp:1822 +#: ClientCommand.cpp:1872 msgctxt "helpcmd|ClearBindHost|desc" msgid "Clear the bind host for this network" msgstr "Wis de bindhost voor dit netwerk" -#: ClientCommand.cpp:1825 +#: ClientCommand.cpp:1875 msgctxt "helpcmd|ClearUserBindHost|desc" msgid "Clear the default bind host for this user" msgstr "Wis de standaard bindhost voor deze gebruiker" -#: ClientCommand.cpp:1831 +#: ClientCommand.cpp:1881 msgctxt "helpcmd|ShowBindHost|desc" msgid "Show currently selected bind host" msgstr "Toon huidig geselecteerde bindhost" -#: ClientCommand.cpp:1833 +#: ClientCommand.cpp:1883 msgctxt "helpcmd|Jump|args" msgid "[server]" msgstr "[server]" -#: ClientCommand.cpp:1834 +#: ClientCommand.cpp:1884 msgctxt "helpcmd|Jump|desc" msgid "Jump to the next or the specified server" msgstr "Spring naar de volgende of de gekozen server" -#: ClientCommand.cpp:1835 +#: ClientCommand.cpp:1885 msgctxt "helpcmd|Disconnect|args" msgid "[message]" msgstr "[bericht]" -#: ClientCommand.cpp:1836 +#: ClientCommand.cpp:1886 msgctxt "helpcmd|Disconnect|desc" msgid "Disconnect from IRC" msgstr "Verbreek verbinding met IRC" -#: ClientCommand.cpp:1838 +#: ClientCommand.cpp:1888 msgctxt "helpcmd|Connect|desc" msgid "Reconnect to IRC" msgstr "Verbind opnieuw met IRC" -#: ClientCommand.cpp:1841 +#: ClientCommand.cpp:1891 msgctxt "helpcmd|Uptime|desc" msgid "Show for how long ZNC has been running" msgstr "Laat zien hoe lang ZNC al draait" -#: ClientCommand.cpp:1845 +#: ClientCommand.cpp:1895 msgctxt "helpcmd|LoadMod|args" msgid "[--type=global|user|network] [args]" msgstr "[--type=global|user|network] [args]" -#: ClientCommand.cpp:1847 +#: ClientCommand.cpp:1897 msgctxt "helpcmd|LoadMod|desc" msgid "Load a module" msgstr "Laad een module" -#: ClientCommand.cpp:1849 +#: ClientCommand.cpp:1899 msgctxt "helpcmd|UnloadMod|args" msgid "[--type=global|user|network] " msgstr "[--type=global|user|network] " -#: ClientCommand.cpp:1851 +#: ClientCommand.cpp:1901 msgctxt "helpcmd|UnloadMod|desc" msgid "Unload a module" msgstr "Stop een module" -#: ClientCommand.cpp:1853 +#: ClientCommand.cpp:1903 msgctxt "helpcmd|ReloadMod|args" msgid "[--type=global|user|network] [args]" msgstr "[--type=global|user|network] [args]" -#: ClientCommand.cpp:1855 +#: ClientCommand.cpp:1905 msgctxt "helpcmd|ReloadMod|desc" msgid "Reload a module" msgstr "Herlaad een module" -#: ClientCommand.cpp:1858 +#: ClientCommand.cpp:1908 msgctxt "helpcmd|UpdateMod|args" msgid "" msgstr "" -#: ClientCommand.cpp:1859 +#: ClientCommand.cpp:1909 msgctxt "helpcmd|UpdateMod|desc" msgid "Reload a module everywhere" msgstr "Herlaad een module overal" -#: ClientCommand.cpp:1865 +#: ClientCommand.cpp:1915 msgctxt "helpcmd|ShowMOTD|desc" msgid "Show ZNC's message of the day" msgstr "Laat ZNC's bericht van de dag zien" -#: ClientCommand.cpp:1869 +#: ClientCommand.cpp:1919 msgctxt "helpcmd|SetMOTD|args" msgid "" msgstr "" -#: ClientCommand.cpp:1870 +#: ClientCommand.cpp:1920 msgctxt "helpcmd|SetMOTD|desc" msgid "Set ZNC's message of the day" msgstr "Stel ZNC's bericht van de dag in" -#: ClientCommand.cpp:1872 +#: ClientCommand.cpp:1922 msgctxt "helpcmd|AddMOTD|args" msgid "" msgstr "" -#: ClientCommand.cpp:1873 +#: ClientCommand.cpp:1923 msgctxt "helpcmd|AddMOTD|desc" msgid "Append to ZNC's MOTD" msgstr "Voeg toe aan ZNC's bericht van de dag" -#: ClientCommand.cpp:1875 +#: ClientCommand.cpp:1925 msgctxt "helpcmd|ClearMOTD|desc" msgid "Clear ZNC's MOTD" msgstr "Wis ZNC's bericht van de dag" -#: ClientCommand.cpp:1878 +#: ClientCommand.cpp:1928 msgctxt "helpcmd|ListPorts|desc" msgid "Show all active listeners" msgstr "Laat alle actieve luisteraars zien" -#: ClientCommand.cpp:1880 +#: ClientCommand.cpp:1930 msgctxt "helpcmd|AddPort|args" msgid "<[+]port> [bindhost [uriprefix]]" msgstr "<[+]poort> [bindhost [urivoorvoegsel]]" -#: ClientCommand.cpp:1883 +#: ClientCommand.cpp:1933 msgctxt "helpcmd|AddPort|desc" msgid "Add another port for ZNC to listen on" msgstr "Voeg nog een poort toe voor ZNC om te luisteren" -#: ClientCommand.cpp:1887 +#: ClientCommand.cpp:1937 msgctxt "helpcmd|DelPort|args" msgid " [bindhost]" msgstr " [bindhost]" -#: ClientCommand.cpp:1888 +#: ClientCommand.cpp:1938 msgctxt "helpcmd|DelPort|desc" msgid "Remove a port from ZNC" msgstr "Haal een poort weg van ZNC" -#: ClientCommand.cpp:1891 +#: ClientCommand.cpp:1941 msgctxt "helpcmd|Rehash|desc" msgid "Reload global settings, modules, and listeners from znc.conf" msgstr "Herlaad algemene instelling, modules en luisteraars van znc.conf" -#: ClientCommand.cpp:1894 +#: ClientCommand.cpp:1944 msgctxt "helpcmd|SaveConfig|desc" msgid "Save the current settings to disk" msgstr "Huidige instellingen opslaan in bestand" -#: ClientCommand.cpp:1897 +#: ClientCommand.cpp:1947 msgctxt "helpcmd|ListUsers|desc" msgid "List all ZNC users and their connection status" msgstr "Toon alle ZNC gebruikers en hun verbinding status" -#: ClientCommand.cpp:1900 +#: ClientCommand.cpp:1950 msgctxt "helpcmd|ListAllUserNetworks|desc" msgid "List all ZNC users and their networks" msgstr "Toon alle ZNC gebruikers en hun netwerken" -#: ClientCommand.cpp:1903 +#: ClientCommand.cpp:1953 msgctxt "helpcmd|ListChans|args" msgid "[user ]" msgstr "[gebruiker ]" -#: ClientCommand.cpp:1906 +#: ClientCommand.cpp:1956 msgctxt "helpcmd|ListClients|args" msgid "[user]" msgstr "[gebruiker]" -#: ClientCommand.cpp:1907 +#: ClientCommand.cpp:1957 msgctxt "helpcmd|ListClients|desc" msgid "List all connected clients" msgstr "Toon alle verbonden clients" -#: ClientCommand.cpp:1909 +#: ClientCommand.cpp:1959 msgctxt "helpcmd|Traffic|desc" msgid "Show basic traffic stats for all ZNC users" msgstr "Toon basis verkeer statistieken voor alle ZNC gebruikers" -#: ClientCommand.cpp:1911 +#: ClientCommand.cpp:1961 msgctxt "helpcmd|Broadcast|args" msgid "[message]" msgstr "[bericht]" -#: ClientCommand.cpp:1912 +#: ClientCommand.cpp:1962 msgctxt "helpcmd|Broadcast|desc" msgid "Broadcast a message to all ZNC users" msgstr "Zend een bericht naar alle ZNC gebruikers" -#: ClientCommand.cpp:1915 +#: ClientCommand.cpp:1965 msgctxt "helpcmd|Shutdown|args" msgid "[message]" msgstr "[bericht]" -#: ClientCommand.cpp:1916 +#: ClientCommand.cpp:1966 msgctxt "helpcmd|Shutdown|desc" msgid "Shut down ZNC completely" msgstr "Sluit ZNC in zijn geheel af" -#: ClientCommand.cpp:1917 +#: ClientCommand.cpp:1967 msgctxt "helpcmd|Restart|args" msgid "[message]" msgstr "[bericht]" -#: ClientCommand.cpp:1918 +#: ClientCommand.cpp:1968 msgctxt "helpcmd|Restart|desc" msgid "Restart ZNC" msgstr "Herstart ZNC" diff --git a/src/po/znc.pl_PL.po b/src/po/znc.pl_PL.po index f35d5418..4d66d9af 100644 --- a/src/po/znc.pl_PL.po +++ b/src/po/znc.pl_PL.po @@ -76,7 +76,7 @@ msgstr "Nie udało się odnaleźć pliku pem: {1}" msgid "Invalid port" msgstr "Nieprawidłowy port" -#: znc.cpp:1813 ClientCommand.cpp:1655 +#: znc.cpp:1813 ClientCommand.cpp:1700 msgid "Unable to bind: {1}" msgstr "Nie udało się przypiąć: {1}" @@ -99,21 +99,30 @@ msgstr "" msgid "This network is being deleted or moved to another user." msgstr "Ta sieć jest usuwana lub przenoszona do innego użytkownika." -#: IRCNetwork.cpp:1016 +#: IRCNetwork.cpp:948 +msgid "Invalid index" +msgstr "" + +#: IRCNetwork.cpp:956 IRCNetwork.cpp:972 IRCNetwork.cpp:980 +#: ClientCommand.cpp:1405 +msgid "You are not on {1}" +msgstr "Nie jesteś na {1}" + +#: IRCNetwork.cpp:1059 msgid "The channel {1} could not be joined, disabling it." msgstr "Nie można dołączyć do kanału {1} , wyłączanie go." -#: IRCNetwork.cpp:1145 +#: IRCNetwork.cpp:1188 msgid "Your current server was removed, jumping..." msgstr "Twój obecny serwer został usunięty, przeskakiwanie..." -#: IRCNetwork.cpp:1308 +#: IRCNetwork.cpp:1351 msgid "Cannot connect to {1}, because ZNC is not compiled with SSL support." msgstr "" "Nie można połączyć się z {1}, ponieważ ZNC nie jest skompilowany z obsługą " "SSL." -#: IRCNetwork.cpp:1329 +#: IRCNetwork.cpp:1372 msgid "Some module aborted the connection attempt" msgstr "Jakiś moduł przerwał próbę połączenia" @@ -312,7 +321,7 @@ msgctxt "modhelpcmd" msgid "Generate this output" msgstr "Tworzy ten wynik" -#: Modules.cpp:573 ClientCommand.cpp:1922 +#: Modules.cpp:573 ClientCommand.cpp:1972 msgid "No matches for '{1}'" msgstr "Brak dopasowań dla '{1}'" @@ -424,11 +433,12 @@ msgstr "Opis" #: ClientCommand.cpp:51 ClientCommand.cpp:115 ClientCommand.cpp:137 #: ClientCommand.cpp:339 ClientCommand.cpp:390 ClientCommand.cpp:405 -#: ClientCommand.cpp:432 ClientCommand.cpp:459 ClientCommand.cpp:764 -#: ClientCommand.cpp:783 ClientCommand.cpp:809 ClientCommand.cpp:843 -#: ClientCommand.cpp:856 ClientCommand.cpp:869 ClientCommand.cpp:884 -#: ClientCommand.cpp:1345 ClientCommand.cpp:1393 ClientCommand.cpp:1425 -#: ClientCommand.cpp:1436 ClientCommand.cpp:1445 ClientCommand.cpp:1457 +#: ClientCommand.cpp:432 ClientCommand.cpp:459 ClientCommand.cpp:480 +#: ClientCommand.cpp:499 ClientCommand.cpp:809 ClientCommand.cpp:828 +#: ClientCommand.cpp:854 ClientCommand.cpp:888 ClientCommand.cpp:901 +#: ClientCommand.cpp:914 ClientCommand.cpp:929 ClientCommand.cpp:1390 +#: ClientCommand.cpp:1438 ClientCommand.cpp:1470 ClientCommand.cpp:1481 +#: ClientCommand.cpp:1490 ClientCommand.cpp:1502 msgid "You must be connected with a network to use this command" msgstr "Aby korzystać z tego polecenia, musisz być podłączony z siecią" @@ -605,7 +615,7 @@ msgid "" "ERROR: Writing config file to disk failed! Aborting. Use {1} FORCE to ignore." msgstr "" -#: ClientCommand.cpp:344 ClientCommand.cpp:797 ClientCommand.cpp:838 +#: ClientCommand.cpp:344 ClientCommand.cpp:842 ClientCommand.cpp:883 msgid "You don't have any servers added." msgstr "Nie dodano żadnych serwerów." @@ -653,87 +663,108 @@ msgstr[1] "Wyłączono {1} kanały" msgstr[2] "Wyłączono {1} kanałów" msgstr[3] "Wyłączono {1} kanałów/y" -#: ClientCommand.cpp:470 +#: ClientCommand.cpp:466 +msgid "Usage: MoveChan <#chan> " +msgstr "" + +#: ClientCommand.cpp:474 +msgid "Moved channel {1} to index {2}" +msgstr "" + +#: ClientCommand.cpp:487 +msgid "Usage: SwapChans <#chan1> <#chan2>" +msgstr "" + +#: ClientCommand.cpp:493 +msgid "Swapped channels {1} and {2}" +msgstr "" + +#: ClientCommand.cpp:510 msgid "Usage: ListChans" msgstr "Użycie: ListChans" -#: ClientCommand.cpp:477 +#: ClientCommand.cpp:517 msgid "No such user [{1}]" msgstr "Nie ma takiego użytkownika [{1}]" -#: ClientCommand.cpp:483 +#: ClientCommand.cpp:523 msgid "User [{1}] doesn't have network [{2}]" msgstr "Użytkownik [{1}] nie ma sieci [{2}]" -#: ClientCommand.cpp:494 +#: ClientCommand.cpp:534 msgid "There are no channels defined." msgstr "Nie ma zdefiniowanych kanałów." -#: ClientCommand.cpp:499 ClientCommand.cpp:515 +#: ClientCommand.cpp:539 ClientCommand.cpp:557 +msgctxt "listchans" +msgid "Index" +msgstr "" + +#: ClientCommand.cpp:540 ClientCommand.cpp:558 msgctxt "listchans" msgid "Name" msgstr "Nazwa" -#: ClientCommand.cpp:500 ClientCommand.cpp:518 +#: ClientCommand.cpp:541 ClientCommand.cpp:561 msgctxt "listchans" msgid "Status" msgstr "Status" -#: ClientCommand.cpp:501 ClientCommand.cpp:525 +#: ClientCommand.cpp:542 ClientCommand.cpp:568 msgctxt "listchans" msgid "In config" msgstr "W pliku konfiguracyjnym?" -#: ClientCommand.cpp:502 ClientCommand.cpp:527 +#: ClientCommand.cpp:543 ClientCommand.cpp:570 msgctxt "listchans" msgid "Buffer" msgstr "Bufor" -#: ClientCommand.cpp:503 ClientCommand.cpp:531 +#: ClientCommand.cpp:544 ClientCommand.cpp:574 msgctxt "listchans" msgid "Clear" msgstr "Czyszczenie bufora?" -#: ClientCommand.cpp:504 ClientCommand.cpp:536 +#: ClientCommand.cpp:545 ClientCommand.cpp:579 msgctxt "listchans" msgid "Modes" msgstr "Tryby" -#: ClientCommand.cpp:505 ClientCommand.cpp:537 +#: ClientCommand.cpp:546 ClientCommand.cpp:580 msgctxt "listchans" msgid "Users" msgstr "Użytkownicy" -#: ClientCommand.cpp:520 +#: ClientCommand.cpp:563 msgctxt "listchans" msgid "Detached" msgstr "Odpięto" -#: ClientCommand.cpp:521 +#: ClientCommand.cpp:564 msgctxt "listchans" msgid "Joined" msgstr "Dołączono" -#: ClientCommand.cpp:522 +#: ClientCommand.cpp:565 msgctxt "listchans" msgid "Disabled" msgstr "Wyłączono" -#: ClientCommand.cpp:523 +#: ClientCommand.cpp:566 msgctxt "listchans" msgid "Trying" msgstr "Próbowanie" -#: ClientCommand.cpp:526 ClientCommand.cpp:534 +#: ClientCommand.cpp:569 ClientCommand.cpp:577 msgctxt "listchans" msgid "yes" msgstr "tak" -#: ClientCommand.cpp:551 +#: ClientCommand.cpp:596 msgid "Total: {1}, Joined: {2}, Detached: {3}, Disabled: {4}" msgstr "Sumarycznie: {1}, Dołączonych: {2}, Odpiętych: {3}, Wyłączonych: {4}" -#: ClientCommand.cpp:556 +#: ClientCommand.cpp:601 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks using /znc DelNetwork " @@ -742,15 +773,15 @@ msgstr "" "limitu dla Ciebie lub usuń niepotrzebne sieci za pomocą /znc DelNetwork " "" -#: ClientCommand.cpp:565 +#: ClientCommand.cpp:610 msgid "Usage: AddNetwork " msgstr "Użycie: AddNetwork " -#: ClientCommand.cpp:569 +#: ClientCommand.cpp:614 msgid "Network name should be alphanumeric" msgstr "Nazwa sieci musi być alfanumeryczna" -#: ClientCommand.cpp:576 +#: ClientCommand.cpp:621 msgid "" "Network added. Use /znc JumpNetwork {1}, or connect to ZNC with username {2} " "(instead of just {3}) to connect to it." @@ -759,138 +790,138 @@ msgstr "" "zmodyfikowanej nazwy użytkownika {2} (zamiast tylko {3}), aby się połączyć z " "tą siecią." -#: ClientCommand.cpp:581 +#: ClientCommand.cpp:626 msgid "Unable to add that network" msgstr "Nie można dodać tej sieci" -#: ClientCommand.cpp:588 +#: ClientCommand.cpp:633 msgid "Usage: DelNetwork " msgstr "Użycie: DelNetwork " -#: ClientCommand.cpp:597 +#: ClientCommand.cpp:642 msgid "Network deleted" msgstr "Usunięto sieć" -#: ClientCommand.cpp:600 +#: ClientCommand.cpp:645 msgid "Failed to delete network, perhaps this network doesn't exist" msgstr "Nie udało się usunąć sieci, być może ta sieć nie istnieje" -#: ClientCommand.cpp:610 +#: ClientCommand.cpp:655 msgid "User {1} not found" msgstr "Użytkownik {1} nie odnaleziony" -#: ClientCommand.cpp:618 ClientCommand.cpp:626 +#: ClientCommand.cpp:663 ClientCommand.cpp:671 msgctxt "listnetworks" msgid "Network" msgstr "Sieć" -#: ClientCommand.cpp:619 ClientCommand.cpp:628 ClientCommand.cpp:637 +#: ClientCommand.cpp:664 ClientCommand.cpp:673 ClientCommand.cpp:682 msgctxt "listnetworks" msgid "On IRC" msgstr "Na IRC" -#: ClientCommand.cpp:620 ClientCommand.cpp:630 +#: ClientCommand.cpp:665 ClientCommand.cpp:675 msgctxt "listnetworks" msgid "IRC Server" msgstr "Serwer IRC" -#: ClientCommand.cpp:621 ClientCommand.cpp:632 +#: ClientCommand.cpp:666 ClientCommand.cpp:677 msgctxt "listnetworks" msgid "IRC User" msgstr "Użytkownik IRC" -#: ClientCommand.cpp:622 ClientCommand.cpp:634 +#: ClientCommand.cpp:667 ClientCommand.cpp:679 msgctxt "listnetworks" msgid "Channels" msgstr "Kanały" -#: ClientCommand.cpp:629 +#: ClientCommand.cpp:674 msgctxt "listnetworks" msgid "Yes" msgstr "Tak" -#: ClientCommand.cpp:638 +#: ClientCommand.cpp:683 msgctxt "listnetworks" msgid "No" msgstr "Nie" -#: ClientCommand.cpp:643 +#: ClientCommand.cpp:688 msgctxt "listnetworks" msgid "No networks" msgstr "Brak sieci" -#: ClientCommand.cpp:647 ClientCommand.cpp:952 +#: ClientCommand.cpp:692 ClientCommand.cpp:997 msgid "Access denied." msgstr "Odmowa dostępu." -#: ClientCommand.cpp:658 +#: ClientCommand.cpp:703 msgid "Usage: MoveNetwork [new network]" msgstr "" "Użycie: MoveNetwork " "[nowa_sieć]" -#: ClientCommand.cpp:668 +#: ClientCommand.cpp:713 msgid "Old user {1} not found." msgstr "Nie znaleziono starego użytkownika {1}." -#: ClientCommand.cpp:674 +#: ClientCommand.cpp:719 msgid "Old network {1} not found." msgstr "Nie znaleziono starej sieci {1}." -#: ClientCommand.cpp:680 +#: ClientCommand.cpp:725 msgid "New user {1} not found." msgstr "Nie znaleziono nowego użytkownika {1}." -#: ClientCommand.cpp:685 +#: ClientCommand.cpp:730 msgid "User {1} already has network {2}." msgstr "Użytkownik {1} ma już sieć {2}." -#: ClientCommand.cpp:691 +#: ClientCommand.cpp:736 msgid "Invalid network name [{1}]" msgstr "Nieprawidłowa nazwa sieci [{1}]" -#: ClientCommand.cpp:707 +#: ClientCommand.cpp:752 msgid "Some files seem to be in {1}. You might want to move them to {2}" msgstr "Niektóre pliki zdają się być w {1}. Może chcesz je przenieść do {2}" -#: ClientCommand.cpp:721 +#: ClientCommand.cpp:766 msgid "Error adding network: {1}" msgstr "Błąd podczas dodawania sieci: {1}" -#: ClientCommand.cpp:733 +#: ClientCommand.cpp:778 msgid "Success." msgstr "Powodzenie." -#: ClientCommand.cpp:736 +#: ClientCommand.cpp:781 msgid "Copied the network to new user, but failed to delete old network" msgstr "" "Skopiowano sieć do nowego użytkownika, ale nie udało się usunąć starej sieci" -#: ClientCommand.cpp:743 +#: ClientCommand.cpp:788 msgid "No network supplied." msgstr "Nie podano sieci." -#: ClientCommand.cpp:748 +#: ClientCommand.cpp:793 msgid "You are already connected with this network." msgstr "Jesteś już połączony z tą siecią." -#: ClientCommand.cpp:754 +#: ClientCommand.cpp:799 msgid "Switched to {1}" msgstr "Przełączono na {1}" -#: ClientCommand.cpp:757 +#: ClientCommand.cpp:802 msgid "You don't have a network named {1}" msgstr "Nie masz sieci pod nazwą {1}" -#: ClientCommand.cpp:769 +#: ClientCommand.cpp:814 msgid "Usage: AddServer [[+]port] [pass]" msgstr "Użycie: AddServer [[+]port] [hasło]" -#: ClientCommand.cpp:774 +#: ClientCommand.cpp:819 msgid "Server added" msgstr "Dodano serwer" -#: ClientCommand.cpp:777 +#: ClientCommand.cpp:822 msgid "" "Unable to add that server. Perhaps the server is already added or openssl is " "disabled?" @@ -898,235 +929,235 @@ msgstr "" "Nie można dodać tego serwera. Może serwer został już dodany lub OpenSSL jest " "wyłączony?" -#: ClientCommand.cpp:792 +#: ClientCommand.cpp:837 msgid "Usage: DelServer [port] [pass]" msgstr "Użycie: DelServer [port] [hasło]" -#: ClientCommand.cpp:802 +#: ClientCommand.cpp:847 msgid "Server removed" msgstr "Usunięto serwer" -#: ClientCommand.cpp:804 +#: ClientCommand.cpp:849 msgid "No such server" msgstr "Nie ma takiego serwera" -#: ClientCommand.cpp:817 ClientCommand.cpp:825 +#: ClientCommand.cpp:862 ClientCommand.cpp:870 msgctxt "listservers" msgid "Host" msgstr "Host" -#: ClientCommand.cpp:818 ClientCommand.cpp:827 +#: ClientCommand.cpp:863 ClientCommand.cpp:872 msgctxt "listservers" msgid "Port" msgstr "Port" -#: ClientCommand.cpp:819 ClientCommand.cpp:830 +#: ClientCommand.cpp:864 ClientCommand.cpp:875 msgctxt "listservers" msgid "SSL" msgstr "SSL" -#: ClientCommand.cpp:820 ClientCommand.cpp:832 +#: ClientCommand.cpp:865 ClientCommand.cpp:877 msgctxt "listservers" msgid "Password" msgstr "Hasło" -#: ClientCommand.cpp:831 +#: ClientCommand.cpp:876 msgctxt "listservers|cell" msgid "SSL" msgstr "SSL" -#: ClientCommand.cpp:848 +#: ClientCommand.cpp:893 msgid "Usage: AddTrustedServerFingerprint " msgstr "Użycie: AddTrustedServerFingerprint " -#: ClientCommand.cpp:852 ClientCommand.cpp:865 +#: ClientCommand.cpp:897 ClientCommand.cpp:910 msgid "Done." msgstr "Zrobione." -#: ClientCommand.cpp:861 +#: ClientCommand.cpp:906 msgid "Usage: DelTrustedServerFingerprint " msgstr "Użycie: DelTrustedServerFingerprint " -#: ClientCommand.cpp:874 +#: ClientCommand.cpp:919 msgid "No fingerprints added." msgstr "Nie dodano odcisków palców." -#: ClientCommand.cpp:890 ClientCommand.cpp:896 +#: ClientCommand.cpp:935 ClientCommand.cpp:941 msgctxt "topicscmd" msgid "Channel" msgstr "Kanał" -#: ClientCommand.cpp:891 ClientCommand.cpp:897 +#: ClientCommand.cpp:936 ClientCommand.cpp:942 msgctxt "topicscmd" msgid "Set By" msgstr "Ustawiony przez" -#: ClientCommand.cpp:892 ClientCommand.cpp:898 +#: ClientCommand.cpp:937 ClientCommand.cpp:943 msgctxt "topicscmd" msgid "Topic" msgstr "Temat" -#: ClientCommand.cpp:905 ClientCommand.cpp:910 +#: ClientCommand.cpp:950 ClientCommand.cpp:955 msgctxt "listmods" msgid "Name" msgstr "Nazwa" -#: ClientCommand.cpp:906 ClientCommand.cpp:911 +#: ClientCommand.cpp:951 ClientCommand.cpp:956 msgctxt "listmods" msgid "Arguments" msgstr "Argumenty" -#: ClientCommand.cpp:920 +#: ClientCommand.cpp:965 msgid "No global modules loaded." msgstr "Nie załadowano żadnych modułów globalnych." -#: ClientCommand.cpp:922 ClientCommand.cpp:986 +#: ClientCommand.cpp:967 ClientCommand.cpp:1031 msgid "Global modules:" msgstr "Moduły globalne:" -#: ClientCommand.cpp:931 +#: ClientCommand.cpp:976 msgid "Your user has no modules loaded." msgstr "Twój użytkownik nie ma załadowanych modułów." -#: ClientCommand.cpp:933 ClientCommand.cpp:998 +#: ClientCommand.cpp:978 ClientCommand.cpp:1043 msgid "User modules:" msgstr "Moduły użytkownika:" -#: ClientCommand.cpp:941 +#: ClientCommand.cpp:986 msgid "This network has no modules loaded." msgstr "Ta sieć nie ma załadowanych modułów." -#: ClientCommand.cpp:943 ClientCommand.cpp:1010 +#: ClientCommand.cpp:988 ClientCommand.cpp:1055 msgid "Network modules:" msgstr "Moduły sieci:" -#: ClientCommand.cpp:958 ClientCommand.cpp:965 +#: ClientCommand.cpp:1003 ClientCommand.cpp:1010 msgctxt "listavailmods" msgid "Name" msgstr "Nazwa" -#: ClientCommand.cpp:959 ClientCommand.cpp:970 +#: ClientCommand.cpp:1004 ClientCommand.cpp:1015 msgctxt "listavailmods" msgid "Description" msgstr "Opis" -#: ClientCommand.cpp:984 +#: ClientCommand.cpp:1029 msgid "No global modules available." msgstr "Brak dostępnych modułów globalnych." -#: ClientCommand.cpp:996 +#: ClientCommand.cpp:1041 msgid "No user modules available." msgstr "Brak dostępnych modułów użytkownika." -#: ClientCommand.cpp:1008 +#: ClientCommand.cpp:1053 msgid "No network modules available." msgstr "Brak dostępnych modułów sieci." -#: ClientCommand.cpp:1036 +#: ClientCommand.cpp:1081 msgid "Unable to load {1}: Access denied." msgstr "Nie można załadować {1}: Odmowa dostępu." -#: ClientCommand.cpp:1042 +#: ClientCommand.cpp:1087 msgid "Usage: LoadMod [--type=global|user|network] [args]" msgstr "Użycie: LoadMod [--type=global|user|network] [argumenty]" -#: ClientCommand.cpp:1049 +#: ClientCommand.cpp:1094 msgid "Unable to load {1}: {2}" msgstr "Nie można załadować {1}: {2}" -#: ClientCommand.cpp:1059 +#: ClientCommand.cpp:1104 msgid "Unable to load global module {1}: Access denied." msgstr "Nie można załadować modułu globalnego {1}: Odmowa dostępu." -#: ClientCommand.cpp:1065 +#: ClientCommand.cpp:1110 msgid "Unable to load network module {1}: Not connected with a network." msgstr "Nie udało się załadować modułu sieci {1}: Nie połączono z siecią." -#: ClientCommand.cpp:1087 +#: ClientCommand.cpp:1132 msgid "Unknown module type" msgstr "Nieznany typ modułu" -#: ClientCommand.cpp:1092 +#: ClientCommand.cpp:1137 msgid "Loaded module {1}" msgstr "Załadowano moduł {1}" -#: ClientCommand.cpp:1094 +#: ClientCommand.cpp:1139 msgid "Loaded module {1}: {2}" msgstr "Załadowano moduł {1}: {2}" -#: ClientCommand.cpp:1097 +#: ClientCommand.cpp:1142 msgid "Unable to load module {1}: {2}" msgstr "Nie udało się załadować modułu {1}: {2}" -#: ClientCommand.cpp:1120 +#: ClientCommand.cpp:1165 msgid "Unable to unload {1}: Access denied." msgstr "Nie udało się wyładować {1}: Odmowa dostępu." -#: ClientCommand.cpp:1126 +#: ClientCommand.cpp:1171 msgid "Usage: UnloadMod [--type=global|user|network] " msgstr "Użycie: UnloadMod [--type=global|user|network] " -#: ClientCommand.cpp:1135 +#: ClientCommand.cpp:1180 msgid "Unable to determine type of {1}: {2}" msgstr "Nie można określić typu {1}: {2}" -#: ClientCommand.cpp:1143 +#: ClientCommand.cpp:1188 msgid "Unable to unload global module {1}: Access denied." msgstr "Nie można wyładować globalnego modułu {1}: Odmowa dostępu." -#: ClientCommand.cpp:1150 +#: ClientCommand.cpp:1195 msgid "Unable to unload network module {1}: Not connected with a network." msgstr "Nie udało się wyładować modułu sieciowego {1}: Nie połączono z siecią." -#: ClientCommand.cpp:1169 +#: ClientCommand.cpp:1214 msgid "Unable to unload module {1}: Unknown module type" msgstr "Nie udało się wyładować modułu {1}: nieznany typ modułu" -#: ClientCommand.cpp:1182 +#: ClientCommand.cpp:1227 msgid "Unable to reload modules. Access denied." msgstr "Nie udało się przeładować modułów. Brak dostępu." -#: ClientCommand.cpp:1203 +#: ClientCommand.cpp:1248 msgid "Usage: ReloadMod [--type=global|user|network] [args]" msgstr "Użycie: ReloadMod [--type=global|user|network] [argumenty]" -#: ClientCommand.cpp:1212 +#: ClientCommand.cpp:1257 msgid "Unable to reload {1}: {2}" msgstr "Nie udało się przeładować {1}: {2}" -#: ClientCommand.cpp:1220 +#: ClientCommand.cpp:1265 msgid "Unable to reload global module {1}: Access denied." msgstr "Nie udało się przeładować modułu ogólnego {1}: Odmowa dostępu." -#: ClientCommand.cpp:1227 +#: ClientCommand.cpp:1272 msgid "Unable to reload network module {1}: Not connected with a network." msgstr "" "Nie udało się przeładować modułu sieciowego {1}: Nie połączono z siecią." -#: ClientCommand.cpp:1249 +#: ClientCommand.cpp:1294 msgid "Unable to reload module {1}: Unknown module type" msgstr "Nie udało się przeładować modułu {1}: Nieznany typ modułu" -#: ClientCommand.cpp:1260 +#: ClientCommand.cpp:1305 msgid "Usage: UpdateMod " msgstr "Użycie: UpdateMod " -#: ClientCommand.cpp:1264 +#: ClientCommand.cpp:1309 msgid "Reloading {1} everywhere" msgstr "Przeładowywanie {1} wszędzie" -#: ClientCommand.cpp:1266 +#: ClientCommand.cpp:1311 msgid "Done" msgstr "Zrobione" -#: ClientCommand.cpp:1269 +#: ClientCommand.cpp:1314 msgid "" "Done, but there were errors, module {1} could not be reloaded everywhere." msgstr "" "Gotowe, ale wystąpiły błędy, modułu {1} nie można wszędzie załadować " "ponownie." -#: ClientCommand.cpp:1277 +#: ClientCommand.cpp:1322 msgid "" "You must be connected with a network to use this command. Try " "SetUserBindHost instead" @@ -1134,27 +1165,27 @@ msgstr "" "Aby korzystać z tego polecenia, musisz być połączony z siecią. Zamiast tego " "wypróbuj SetUserBindHost" -#: ClientCommand.cpp:1284 +#: ClientCommand.cpp:1329 msgid "Usage: SetBindHost " msgstr "Użycie: SetBindHost " -#: ClientCommand.cpp:1289 ClientCommand.cpp:1306 +#: ClientCommand.cpp:1334 ClientCommand.cpp:1351 msgid "You already have this bind host!" msgstr "Już masz ten host przypięcia!" -#: ClientCommand.cpp:1294 +#: ClientCommand.cpp:1339 msgid "Set bind host for network {1} to {2}" msgstr "Ustaw host przypięcia dla sieci {1} na {2}" -#: ClientCommand.cpp:1301 +#: ClientCommand.cpp:1346 msgid "Usage: SetUserBindHost " msgstr "Użycie: SetUserBindHost " -#: ClientCommand.cpp:1311 +#: ClientCommand.cpp:1356 msgid "Set default bind host to {1}" msgstr "Ustaw domyślny host przypięcia na {1}" -#: ClientCommand.cpp:1317 +#: ClientCommand.cpp:1362 msgid "" "You must be connected with a network to use this command. Try " "ClearUserBindHost instead" @@ -1162,59 +1193,55 @@ msgstr "" "Aby korzystać z tego polecenia, musisz być połączony z siecią. Zamiast tego " "wypróbuj ClearUserBindHost" -#: ClientCommand.cpp:1322 +#: ClientCommand.cpp:1367 msgid "Bind host cleared for this network." msgstr "Wyczyszczono host przypięcia dla tej sieci." -#: ClientCommand.cpp:1326 +#: ClientCommand.cpp:1371 msgid "Default bind host cleared for your user." msgstr "Wyczyszczono domyślny host przypięcia dla Twojego użytkownika." -#: ClientCommand.cpp:1329 +#: ClientCommand.cpp:1374 msgid "This user's default bind host not set" msgstr "Domyślny host przypięcia tego użytkownika nie jest ustawiony" -#: ClientCommand.cpp:1331 +#: ClientCommand.cpp:1376 msgid "This user's default bind host is {1}" msgstr "Domyślny host przypięcia tego użytkownika to {1}" -#: ClientCommand.cpp:1336 +#: ClientCommand.cpp:1381 msgid "This network's bind host not set" msgstr "Host przypięcia tej sieci nie został ustawiony" -#: ClientCommand.cpp:1338 +#: ClientCommand.cpp:1383 msgid "This network's default bind host is {1}" msgstr "Domyślny host przypięcia tej sieci to {1}" -#: ClientCommand.cpp:1352 +#: ClientCommand.cpp:1397 msgid "Usage: PlayBuffer <#chan|query>" msgstr "Użycie: PlayBuffer <#kanał|rozmowa>" -#: ClientCommand.cpp:1360 -msgid "You are not on {1}" -msgstr "Nie jesteś na {1}" - -#: ClientCommand.cpp:1365 +#: ClientCommand.cpp:1410 msgid "You are not on {1} (trying to join)" msgstr "Nie jesteś na {1} (próbujesz dołączyć)" -#: ClientCommand.cpp:1370 +#: ClientCommand.cpp:1415 msgid "The buffer for channel {1} is empty" msgstr "Bufor dla kanału {1} jest pusty" -#: ClientCommand.cpp:1379 +#: ClientCommand.cpp:1424 msgid "No active query with {1}" msgstr "Brak aktywnej rozmowy z {1}" -#: ClientCommand.cpp:1384 +#: ClientCommand.cpp:1429 msgid "The buffer for {1} is empty" msgstr "Bufor dla {1} jest pusty" -#: ClientCommand.cpp:1400 +#: ClientCommand.cpp:1445 msgid "Usage: ClearBuffer <#chan|query>" msgstr "Użycie: ClearBuffer <#kanał|rozmowa>" -#: ClientCommand.cpp:1419 +#: ClientCommand.cpp:1464 msgid "{1} buffer matching {2} has been cleared" msgid_plural "{1} buffers matching {2} have been cleared" msgstr[0] "{1} bufor pasujący do {2} został wyczyszczony" @@ -1222,23 +1249,23 @@ msgstr[1] "" msgstr[2] "" msgstr[3] "" -#: ClientCommand.cpp:1432 +#: ClientCommand.cpp:1477 msgid "All channel buffers have been cleared" msgstr "Wszystkie bufory kanałów zostały wyczyszczone" -#: ClientCommand.cpp:1441 +#: ClientCommand.cpp:1486 msgid "All query buffers have been cleared" msgstr "Wszystkie bufory rozmów zostały wyczyszczone" -#: ClientCommand.cpp:1453 +#: ClientCommand.cpp:1498 msgid "All buffers have been cleared" msgstr "Wszystkie bufory zostały wyczyszczone" -#: ClientCommand.cpp:1464 +#: ClientCommand.cpp:1509 msgid "Usage: SetBuffer <#chan|query> [linecount]" msgstr "Użycie: SetBuffer <#kanał|rozmowa> [liczba_linii]" -#: ClientCommand.cpp:1485 +#: ClientCommand.cpp:1530 msgid "Setting buffer size failed for {1} buffer" msgid_plural "Setting buffer size failed for {1} buffers" msgstr[0] "Ustawianie rozmiaru bufora nie powiodło się dla {1} bufora" @@ -1246,7 +1273,7 @@ msgstr[1] "Ustawianie rozmiaru bufora nie powiodło się dla {1} buforów" msgstr[2] "Ustawianie rozmiaru bufora nie powiodło się dla {1} buforów" msgstr[3] "Ustawianie rozmiaru bufora nie powiodło się dla {1} buforów" -#: ClientCommand.cpp:1488 +#: ClientCommand.cpp:1533 msgid "Maximum buffer size is {1} line" msgid_plural "Maximum buffer size is {1} lines" msgstr[0] "Maksymalny rozmiar bufora to {1} linia" @@ -1254,7 +1281,7 @@ msgstr[1] "Maksymalny rozmiar bufora to {1} linie" msgstr[2] "Maksymalny rozmiar bufora to {1} linii" msgstr[3] "Maksymalny rozmiar bufora to {1} linie/linii" -#: ClientCommand.cpp:1493 +#: ClientCommand.cpp:1538 msgid "Size of every buffer was set to {1} line" msgid_plural "Size of every buffer was set to {1} lines" msgstr[0] "Rozmiar każdego bufora został ustawiony na {1} linię" @@ -1262,166 +1289,166 @@ msgstr[1] "Rozmiar każdego bufora został ustawiony na {1} linie" msgstr[2] "Rozmiar każdego bufora został ustawiony na {1} linii" msgstr[3] "Rozmiar każdego bufora został ustawiony na {1} linię/linii" -#: ClientCommand.cpp:1503 ClientCommand.cpp:1510 ClientCommand.cpp:1521 -#: ClientCommand.cpp:1530 ClientCommand.cpp:1538 +#: ClientCommand.cpp:1548 ClientCommand.cpp:1555 ClientCommand.cpp:1566 +#: ClientCommand.cpp:1575 ClientCommand.cpp:1583 msgctxt "trafficcmd" msgid "Username" msgstr "Nazwa użytkownika" -#: ClientCommand.cpp:1504 ClientCommand.cpp:1511 ClientCommand.cpp:1523 -#: ClientCommand.cpp:1532 ClientCommand.cpp:1540 +#: ClientCommand.cpp:1549 ClientCommand.cpp:1556 ClientCommand.cpp:1568 +#: ClientCommand.cpp:1577 ClientCommand.cpp:1585 msgctxt "trafficcmd" msgid "In" msgstr "Przychodzący" -#: ClientCommand.cpp:1505 ClientCommand.cpp:1513 ClientCommand.cpp:1524 -#: ClientCommand.cpp:1533 ClientCommand.cpp:1541 +#: ClientCommand.cpp:1550 ClientCommand.cpp:1558 ClientCommand.cpp:1569 +#: ClientCommand.cpp:1578 ClientCommand.cpp:1586 msgctxt "trafficcmd" msgid "Out" msgstr "Wychodzący" -#: ClientCommand.cpp:1506 ClientCommand.cpp:1516 ClientCommand.cpp:1526 -#: ClientCommand.cpp:1534 ClientCommand.cpp:1543 +#: ClientCommand.cpp:1551 ClientCommand.cpp:1561 ClientCommand.cpp:1571 +#: ClientCommand.cpp:1579 ClientCommand.cpp:1588 msgctxt "trafficcmd" msgid "Total" msgstr "Suma" -#: ClientCommand.cpp:1522 +#: ClientCommand.cpp:1567 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1531 +#: ClientCommand.cpp:1576 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1539 +#: ClientCommand.cpp:1584 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1548 +#: ClientCommand.cpp:1593 msgid "Running for {1}" msgstr "Uruchomiono od {1}" -#: ClientCommand.cpp:1554 +#: ClientCommand.cpp:1599 msgid "Unknown command, try 'Help'" msgstr "Nieznane polecenie, spróbuj 'Help'" -#: ClientCommand.cpp:1563 ClientCommand.cpp:1574 +#: ClientCommand.cpp:1608 ClientCommand.cpp:1619 msgctxt "listports" msgid "Port" msgstr "Port" -#: ClientCommand.cpp:1564 ClientCommand.cpp:1577 +#: ClientCommand.cpp:1609 ClientCommand.cpp:1622 msgctxt "listports" msgid "BindHost" msgstr "HostPrzypięcia" -#: ClientCommand.cpp:1565 ClientCommand.cpp:1580 +#: ClientCommand.cpp:1610 ClientCommand.cpp:1625 msgctxt "listports" msgid "SSL" msgstr "SSL" -#: ClientCommand.cpp:1566 ClientCommand.cpp:1585 +#: ClientCommand.cpp:1611 ClientCommand.cpp:1630 msgctxt "listports" msgid "Protocol" msgstr "Protokół" -#: ClientCommand.cpp:1567 ClientCommand.cpp:1592 +#: ClientCommand.cpp:1612 ClientCommand.cpp:1637 msgctxt "listports" msgid "IRC" msgstr "IRC" -#: ClientCommand.cpp:1568 ClientCommand.cpp:1597 +#: ClientCommand.cpp:1613 ClientCommand.cpp:1642 msgctxt "listports" msgid "Web" msgstr "WWW?" -#: ClientCommand.cpp:1581 +#: ClientCommand.cpp:1626 msgctxt "listports|ssl" msgid "yes" msgstr "tak" -#: ClientCommand.cpp:1582 +#: ClientCommand.cpp:1627 msgctxt "listports|ssl" msgid "no" msgstr "nie" -#: ClientCommand.cpp:1586 +#: ClientCommand.cpp:1631 msgctxt "listports" msgid "IPv4 and IPv6" msgstr "IPv4 i IPv6" -#: ClientCommand.cpp:1588 +#: ClientCommand.cpp:1633 msgctxt "listports" msgid "IPv4" msgstr "IPv4" -#: ClientCommand.cpp:1589 +#: ClientCommand.cpp:1634 msgctxt "listports" msgid "IPv6" msgstr "IPv6" -#: ClientCommand.cpp:1595 +#: ClientCommand.cpp:1640 msgctxt "listports|irc" msgid "yes" msgstr "tak" -#: ClientCommand.cpp:1596 +#: ClientCommand.cpp:1641 msgctxt "listports|irc" msgid "no" msgstr "nie" -#: ClientCommand.cpp:1600 +#: ClientCommand.cpp:1645 msgctxt "listports|irc" msgid "yes, on {1}" msgstr "tak, na {1}" -#: ClientCommand.cpp:1602 +#: ClientCommand.cpp:1647 msgctxt "listports|web" msgid "no" msgstr "nie" -#: ClientCommand.cpp:1642 +#: ClientCommand.cpp:1687 msgid "" "Usage: AddPort <[+]port> [bindhost [uriprefix]]" msgstr "" "Użycie: AddPort <[+]port> [bindhost " "[uriprefix]]" -#: ClientCommand.cpp:1658 +#: ClientCommand.cpp:1703 msgid "Port added" msgstr "Port dodany" -#: ClientCommand.cpp:1660 +#: ClientCommand.cpp:1705 msgid "Couldn't add port" msgstr "Nie można dodać portu" -#: ClientCommand.cpp:1666 +#: ClientCommand.cpp:1711 msgid "Usage: DelPort [bindhost]" msgstr "Użycie: DelPort [bindhost]" -#: ClientCommand.cpp:1675 +#: ClientCommand.cpp:1720 msgid "Deleted Port" msgstr "Usunięto port" -#: ClientCommand.cpp:1677 +#: ClientCommand.cpp:1722 msgid "Unable to find a matching port" msgstr "Nie można znaleźć pasującego portu" -#: ClientCommand.cpp:1685 ClientCommand.cpp:1700 +#: ClientCommand.cpp:1730 ClientCommand.cpp:1745 msgctxt "helpcmd" msgid "Command" msgstr "Polecenie" -#: ClientCommand.cpp:1686 ClientCommand.cpp:1702 +#: ClientCommand.cpp:1731 ClientCommand.cpp:1747 msgctxt "helpcmd" msgid "Description" msgstr "Opis" -#: ClientCommand.cpp:1691 +#: ClientCommand.cpp:1736 msgid "" "In the following list all occurrences of <#chan> support wildcards (* and ?) " "except ListNicks" @@ -1429,87 +1456,87 @@ msgstr "" "Na poniższej liście wszystkie wystąpienia <#kanał> obsługują symbole " "wieloznaczne (* i ?) Oprócz ListNicks" -#: ClientCommand.cpp:1708 +#: ClientCommand.cpp:1753 msgctxt "helpcmd|Version|desc" msgid "Print which version of ZNC this is" msgstr "Wypisuje, która to jest wersja ZNC" -#: ClientCommand.cpp:1711 +#: ClientCommand.cpp:1756 msgctxt "helpcmd|ListMods|desc" msgid "List all loaded modules" msgstr "Lista wszystkich załadowanych modułów" -#: ClientCommand.cpp:1714 +#: ClientCommand.cpp:1759 msgctxt "helpcmd|ListAvailMods|desc" msgid "List all available modules" msgstr "Lista wszystkich dostępnych modułów" -#: ClientCommand.cpp:1718 ClientCommand.cpp:1904 +#: ClientCommand.cpp:1763 ClientCommand.cpp:1954 msgctxt "helpcmd|ListChans|desc" msgid "List all channels" msgstr "Lista wszystkich kanałów" -#: ClientCommand.cpp:1721 +#: ClientCommand.cpp:1766 msgctxt "helpcmd|ListNicks|args" msgid "<#chan>" msgstr "<#kanał>" -#: ClientCommand.cpp:1722 +#: ClientCommand.cpp:1767 msgctxt "helpcmd|ListNicks|desc" msgid "List all nicks on a channel" msgstr "Lista wszystkich pseudonimów na kanale" -#: ClientCommand.cpp:1725 +#: ClientCommand.cpp:1770 msgctxt "helpcmd|ListClients|desc" msgid "List all clients connected to your ZNC user" msgstr "Lista wszystkich klientów połączonych z Twoim użytkownikiem ZNC" -#: ClientCommand.cpp:1729 +#: ClientCommand.cpp:1774 msgctxt "helpcmd|ListServers|desc" msgid "List all servers of current IRC network" msgstr "Lista wszystkich serwerów bieżącej sieci IRC" -#: ClientCommand.cpp:1733 +#: ClientCommand.cpp:1778 msgctxt "helpcmd|AddNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1734 +#: ClientCommand.cpp:1779 msgctxt "helpcmd|AddNetwork|desc" msgid "Add a network to your user" msgstr "Dodaje sieć użytkownikowi" -#: ClientCommand.cpp:1736 +#: ClientCommand.cpp:1781 msgctxt "helpcmd|DelNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1737 +#: ClientCommand.cpp:1782 msgctxt "helpcmd|DelNetwork|desc" msgid "Delete a network from your user" msgstr "Usuwa sieć użytkownikowi" -#: ClientCommand.cpp:1739 +#: ClientCommand.cpp:1784 msgctxt "helpcmd|ListNetworks|desc" msgid "List all networks" msgstr "Lista wszystkich sieci" -#: ClientCommand.cpp:1742 +#: ClientCommand.cpp:1787 msgctxt "helpcmd|MoveNetwork|args" msgid " [new network]" msgstr " [nowa sieć]" -#: ClientCommand.cpp:1744 +#: ClientCommand.cpp:1789 msgctxt "helpcmd|MoveNetwork|desc" msgid "Move an IRC network from one user to another" msgstr "Przenosi sieć IRC od jednego użytkownika do innego użytkownika" -#: ClientCommand.cpp:1748 +#: ClientCommand.cpp:1793 msgctxt "helpcmd|JumpNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1749 +#: ClientCommand.cpp:1794 msgctxt "helpcmd|JumpNetwork|desc" msgid "" "Jump to another network (Alternatively, you can connect to ZNC several " @@ -1518,24 +1545,24 @@ msgstr "" "Przeskakuje do innej sieci (Alternatywnie możesz połączyć się z ZNC kilka " "razy, używając `user/network` jako nazwy użytkownika)" -#: ClientCommand.cpp:1754 +#: ClientCommand.cpp:1799 msgctxt "helpcmd|AddServer|args" msgid " [[+]port] [pass]" msgstr " [[+]port] [hasło]" -#: ClientCommand.cpp:1755 +#: ClientCommand.cpp:1800 msgctxt "helpcmd|AddServer|desc" msgid "" "Add a server to the list of alternate/backup servers of current IRC network." msgstr "" "Dodaje serwer do listy alternatywnych/zapasowych serwerów bieżącej sieci IRC." -#: ClientCommand.cpp:1759 +#: ClientCommand.cpp:1804 msgctxt "helpcmd|DelServer|args" msgid " [port] [pass]" msgstr " [port] [hasło]" -#: ClientCommand.cpp:1760 +#: ClientCommand.cpp:1805 msgctxt "helpcmd|DelServer|desc" msgid "" "Remove a server from the list of alternate/backup servers of current IRC " @@ -1543,12 +1570,12 @@ msgid "" msgstr "" "Usuwa serwer z listy alternatywnych/zapasowych serwerów bieżącej sieci IRC" -#: ClientCommand.cpp:1766 +#: ClientCommand.cpp:1811 msgctxt "helpcmd|AddTrustedServerFingerprint|args" msgid "" msgstr "" -#: ClientCommand.cpp:1767 +#: ClientCommand.cpp:1812 msgctxt "helpcmd|AddTrustedServerFingerprint|desc" msgid "" "Add a trusted server SSL certificate fingerprint (SHA-256) to current IRC " @@ -1557,338 +1584,358 @@ msgstr "" "Dodaj zaufany odciski certyfikatu SSL (SHA-256) serwera do bieżącej sieci " "IRC." -#: ClientCommand.cpp:1772 +#: ClientCommand.cpp:1817 msgctxt "helpcmd|DelTrustedServerFingerprint|args" msgid "" msgstr "" -#: ClientCommand.cpp:1773 +#: ClientCommand.cpp:1818 msgctxt "helpcmd|DelTrustedServerFingerprint|desc" msgid "Delete a trusted server SSL certificate from current IRC network." msgstr "Usuń zaufany odcisk SSL serwera z obecnej sieci IRC." -#: ClientCommand.cpp:1777 +#: ClientCommand.cpp:1822 msgctxt "helpcmd|ListTrustedServerFingerprints|desc" msgid "List all trusted server SSL certificates of current IRC network." msgstr "" "Lista wszystkich certyfikatów SSL zaufanego serwera dla bieżącej sieci IRC." -#: ClientCommand.cpp:1780 +#: ClientCommand.cpp:1825 msgctxt "helpcmd|EnableChan|args" msgid "<#chans>" msgstr "<#kanały>" -#: ClientCommand.cpp:1781 +#: ClientCommand.cpp:1826 msgctxt "helpcmd|EnableChan|desc" msgid "Enable channels" msgstr "Włącza kanał(y)" -#: ClientCommand.cpp:1782 +#: ClientCommand.cpp:1827 msgctxt "helpcmd|DisableChan|args" msgid "<#chans>" msgstr "<#kanały>" -#: ClientCommand.cpp:1783 +#: ClientCommand.cpp:1828 msgctxt "helpcmd|DisableChan|desc" msgid "Disable channels" msgstr "Wyłącza kanał(y)" -#: ClientCommand.cpp:1784 +#: ClientCommand.cpp:1829 +msgctxt "helpcmd|MoveChan|args" +msgid "<#chan> " +msgstr "" + +#: ClientCommand.cpp:1830 +msgctxt "helpcmd|MoveChan|desc" +msgid "Move channel in sort order" +msgstr "" + +#: ClientCommand.cpp:1832 +msgctxt "helpcmd|SwapChans|args" +msgid "<#chan1> <#chan2>" +msgstr "" + +#: ClientCommand.cpp:1833 +msgctxt "helpcmd|SwapChans|desc" +msgid "Swap channels in sort order" +msgstr "" + +#: ClientCommand.cpp:1834 msgctxt "helpcmd|Attach|args" msgid "<#chans>" msgstr "<#kanały>" -#: ClientCommand.cpp:1785 +#: ClientCommand.cpp:1835 msgctxt "helpcmd|Attach|desc" msgid "Attach to channels" msgstr "Dopina do kanałów" -#: ClientCommand.cpp:1786 +#: ClientCommand.cpp:1836 msgctxt "helpcmd|Detach|args" msgid "<#chans>" msgstr "<#kanały>" -#: ClientCommand.cpp:1787 +#: ClientCommand.cpp:1837 msgctxt "helpcmd|Detach|desc" msgid "Detach from channels" msgstr "Odpina od kanałów" -#: ClientCommand.cpp:1790 +#: ClientCommand.cpp:1840 msgctxt "helpcmd|Topics|desc" msgid "Show topics in all your channels" msgstr "Pokazuje tematy we wszystkich Twoich kanałach" -#: ClientCommand.cpp:1793 +#: ClientCommand.cpp:1843 msgctxt "helpcmd|PlayBuffer|args" msgid "<#chan|query>" msgstr "<#kanał|rozmowa>" -#: ClientCommand.cpp:1794 +#: ClientCommand.cpp:1844 msgctxt "helpcmd|PlayBuffer|desc" msgid "Play back the specified buffer" msgstr "Odtwarza określony bufor" -#: ClientCommand.cpp:1796 +#: ClientCommand.cpp:1846 msgctxt "helpcmd|ClearBuffer|args" msgid "<#chan|query>" msgstr "<#kanał|rozmowa>" -#: ClientCommand.cpp:1797 +#: ClientCommand.cpp:1847 msgctxt "helpcmd|ClearBuffer|desc" msgid "Clear the specified buffer" msgstr "Czyści określony bufor" -#: ClientCommand.cpp:1799 +#: ClientCommand.cpp:1849 msgctxt "helpcmd|ClearAllBuffers|desc" msgid "Clear all channel and query buffers" msgstr "Czyści wszystkie bufory kanałów i rozmów" -#: ClientCommand.cpp:1802 +#: ClientCommand.cpp:1852 msgctxt "helpcmd|ClearAllChannelBuffers|desc" msgid "Clear the channel buffers" msgstr "Czyści bufory kanału" -#: ClientCommand.cpp:1806 +#: ClientCommand.cpp:1856 msgctxt "helpcmd|ClearAllQueryBuffers|desc" msgid "Clear the query buffers" msgstr "Czyści bufory rozmów" -#: ClientCommand.cpp:1808 +#: ClientCommand.cpp:1858 msgctxt "helpcmd|SetBuffer|args" msgid "<#chan|query> [linecount]" msgstr "<#kanał|rozmowa> [liczba_linii]" -#: ClientCommand.cpp:1809 +#: ClientCommand.cpp:1859 msgctxt "helpcmd|SetBuffer|desc" msgid "Set the buffer count" msgstr "Ustawia rozmiar bufora" -#: ClientCommand.cpp:1813 +#: ClientCommand.cpp:1863 msgctxt "helpcmd|SetBindHost|args" msgid "" msgstr "" -#: ClientCommand.cpp:1814 +#: ClientCommand.cpp:1864 msgctxt "helpcmd|SetBindHost|desc" msgid "Set the bind host for this network" msgstr "Ustawia host przypięcia dla tej sieci" -#: ClientCommand.cpp:1818 +#: ClientCommand.cpp:1868 msgctxt "helpcmd|SetUserBindHost|args" msgid "" msgstr "" -#: ClientCommand.cpp:1819 +#: ClientCommand.cpp:1869 msgctxt "helpcmd|SetUserBindHost|desc" msgid "Set the default bind host for this user" msgstr "Ustawia domyślny host przypięcia dla tego użytkownika" -#: ClientCommand.cpp:1822 +#: ClientCommand.cpp:1872 msgctxt "helpcmd|ClearBindHost|desc" msgid "Clear the bind host for this network" msgstr "Czyści host przypięcia dla tej sieci" -#: ClientCommand.cpp:1825 +#: ClientCommand.cpp:1875 msgctxt "helpcmd|ClearUserBindHost|desc" msgid "Clear the default bind host for this user" msgstr "Czyści domyślny host przypięcia dla tego użytkownika" -#: ClientCommand.cpp:1831 +#: ClientCommand.cpp:1881 msgctxt "helpcmd|ShowBindHost|desc" msgid "Show currently selected bind host" msgstr "Pokazuje bieżąco wybrany host przypięcia" -#: ClientCommand.cpp:1833 +#: ClientCommand.cpp:1883 msgctxt "helpcmd|Jump|args" msgid "[server]" msgstr "[serwer]" -#: ClientCommand.cpp:1834 +#: ClientCommand.cpp:1884 msgctxt "helpcmd|Jump|desc" msgid "Jump to the next or the specified server" msgstr "Przeskakuje do następnego lub określonego serwera" -#: ClientCommand.cpp:1835 +#: ClientCommand.cpp:1885 msgctxt "helpcmd|Disconnect|args" msgid "[message]" msgstr "[wiadomość]" -#: ClientCommand.cpp:1836 +#: ClientCommand.cpp:1886 msgctxt "helpcmd|Disconnect|desc" msgid "Disconnect from IRC" msgstr "Rozłącza z IRC" -#: ClientCommand.cpp:1838 +#: ClientCommand.cpp:1888 msgctxt "helpcmd|Connect|desc" msgid "Reconnect to IRC" msgstr "Ponownie połącza z IRC" -#: ClientCommand.cpp:1841 +#: ClientCommand.cpp:1891 msgctxt "helpcmd|Uptime|desc" msgid "Show for how long ZNC has been running" msgstr "Pokazuje, jak długo działa ZNC" -#: ClientCommand.cpp:1845 +#: ClientCommand.cpp:1895 msgctxt "helpcmd|LoadMod|args" msgid "[--type=global|user|network] [args]" msgstr "[--type=global|user|network] [argumenty]" -#: ClientCommand.cpp:1847 +#: ClientCommand.cpp:1897 msgctxt "helpcmd|LoadMod|desc" msgid "Load a module" msgstr "Ładuje moduł" -#: ClientCommand.cpp:1849 +#: ClientCommand.cpp:1899 msgctxt "helpcmd|UnloadMod|args" msgid "[--type=global|user|network] " msgstr "[--type=global|user|network] " -#: ClientCommand.cpp:1851 +#: ClientCommand.cpp:1901 msgctxt "helpcmd|UnloadMod|desc" msgid "Unload a module" msgstr "Wyładowuje moduł" -#: ClientCommand.cpp:1853 +#: ClientCommand.cpp:1903 msgctxt "helpcmd|ReloadMod|args" msgid "[--type=global|user|network] [args]" msgstr "[--type=global|user|network] [argumenty]" -#: ClientCommand.cpp:1855 +#: ClientCommand.cpp:1905 msgctxt "helpcmd|ReloadMod|desc" msgid "Reload a module" msgstr "Przeładowuje moduł" -#: ClientCommand.cpp:1858 +#: ClientCommand.cpp:1908 msgctxt "helpcmd|UpdateMod|args" msgid "" msgstr "" -#: ClientCommand.cpp:1859 +#: ClientCommand.cpp:1909 msgctxt "helpcmd|UpdateMod|desc" msgid "Reload a module everywhere" msgstr "Przeładowuje moduł wszędzie" -#: ClientCommand.cpp:1865 +#: ClientCommand.cpp:1915 msgctxt "helpcmd|ShowMOTD|desc" msgid "Show ZNC's message of the day" msgstr "Pokazuje wiadomość dnia ZNC" -#: ClientCommand.cpp:1869 +#: ClientCommand.cpp:1919 msgctxt "helpcmd|SetMOTD|args" msgid "" msgstr "" -#: ClientCommand.cpp:1870 +#: ClientCommand.cpp:1920 msgctxt "helpcmd|SetMOTD|desc" msgid "Set ZNC's message of the day" msgstr "Ustawia wiadomość dnia ZNC" -#: ClientCommand.cpp:1872 +#: ClientCommand.cpp:1922 msgctxt "helpcmd|AddMOTD|args" msgid "" msgstr "" -#: ClientCommand.cpp:1873 +#: ClientCommand.cpp:1923 msgctxt "helpcmd|AddMOTD|desc" msgid "Append to ZNC's MOTD" msgstr "Dopisuje do wiadomości dnia ZNC" -#: ClientCommand.cpp:1875 +#: ClientCommand.cpp:1925 msgctxt "helpcmd|ClearMOTD|desc" msgid "Clear ZNC's MOTD" msgstr "Czyści wiadomość dnia ZNC" -#: ClientCommand.cpp:1878 +#: ClientCommand.cpp:1928 msgctxt "helpcmd|ListPorts|desc" msgid "Show all active listeners" msgstr "Pokazuje wszystkich aktywnych nasłuchiwaczy" -#: ClientCommand.cpp:1880 +#: ClientCommand.cpp:1930 msgctxt "helpcmd|AddPort|args" msgid "<[+]port> [bindhost [uriprefix]]" msgstr "<[+]port> [bindhost [przedrostek_uri]]" -#: ClientCommand.cpp:1883 +#: ClientCommand.cpp:1933 msgctxt "helpcmd|AddPort|desc" msgid "Add another port for ZNC to listen on" msgstr "Dodaje kolejny port nasłuchujący do ZNC" -#: ClientCommand.cpp:1887 +#: ClientCommand.cpp:1937 msgctxt "helpcmd|DelPort|args" msgid " [bindhost]" msgstr " [host_przypięcia]" -#: ClientCommand.cpp:1888 +#: ClientCommand.cpp:1938 msgctxt "helpcmd|DelPort|desc" msgid "Remove a port from ZNC" msgstr "Usuwa port z ZNC" -#: ClientCommand.cpp:1891 +#: ClientCommand.cpp:1941 msgctxt "helpcmd|Rehash|desc" msgid "Reload global settings, modules, and listeners from znc.conf" msgstr "Przeładowuje ustawienia globalne, moduły i nasłuchiwaczy z znc.conf" -#: ClientCommand.cpp:1894 +#: ClientCommand.cpp:1944 msgctxt "helpcmd|SaveConfig|desc" msgid "Save the current settings to disk" msgstr "Zapisuje bieżące ustawienia na dysk" -#: ClientCommand.cpp:1897 +#: ClientCommand.cpp:1947 msgctxt "helpcmd|ListUsers|desc" msgid "List all ZNC users and their connection status" msgstr "Lista wszystkich użytkowników ZNC i ich stan połączenia" -#: ClientCommand.cpp:1900 +#: ClientCommand.cpp:1950 msgctxt "helpcmd|ListAllUserNetworks|desc" msgid "List all ZNC users and their networks" msgstr "Lista wszystkich użytkowników i ich sieci" -#: ClientCommand.cpp:1903 +#: ClientCommand.cpp:1953 msgctxt "helpcmd|ListChans|args" msgid "[user ]" msgstr "[użytkownik ]" -#: ClientCommand.cpp:1906 +#: ClientCommand.cpp:1956 msgctxt "helpcmd|ListClients|args" msgid "[user]" msgstr "[użytkownik]" -#: ClientCommand.cpp:1907 +#: ClientCommand.cpp:1957 msgctxt "helpcmd|ListClients|desc" msgid "List all connected clients" msgstr "Lista wszystkich połączonych klientów" -#: ClientCommand.cpp:1909 +#: ClientCommand.cpp:1959 msgctxt "helpcmd|Traffic|desc" msgid "Show basic traffic stats for all ZNC users" msgstr "Pokazuje podstawowe statystyki ruchu dla wszystkich użytkowników ZNC" -#: ClientCommand.cpp:1911 +#: ClientCommand.cpp:1961 msgctxt "helpcmd|Broadcast|args" msgid "[message]" msgstr "[wiadomość]" -#: ClientCommand.cpp:1912 +#: ClientCommand.cpp:1962 msgctxt "helpcmd|Broadcast|desc" msgid "Broadcast a message to all ZNC users" msgstr "Rozgłasza wiadomość do wszystkich użytkowników ZNC" -#: ClientCommand.cpp:1915 +#: ClientCommand.cpp:1965 msgctxt "helpcmd|Shutdown|args" msgid "[message]" msgstr "[wiadomość]" -#: ClientCommand.cpp:1916 +#: ClientCommand.cpp:1966 msgctxt "helpcmd|Shutdown|desc" msgid "Shut down ZNC completely" msgstr "Zamyka całkowicie ZNC" -#: ClientCommand.cpp:1917 +#: ClientCommand.cpp:1967 msgctxt "helpcmd|Restart|args" msgid "[message]" msgstr "[wiadomość]" -#: ClientCommand.cpp:1918 +#: ClientCommand.cpp:1968 msgctxt "helpcmd|Restart|desc" msgid "Restart ZNC" msgstr "Uruchamia ponownie ZNC" diff --git a/src/po/znc.pot b/src/po/znc.pot index dc6f9be2..36ed2527 100644 --- a/src/po/znc.pot +++ b/src/po/znc.pot @@ -62,7 +62,7 @@ msgstr "" msgid "Invalid port" msgstr "" -#: znc.cpp:1813 ClientCommand.cpp:1655 +#: znc.cpp:1813 ClientCommand.cpp:1700 msgid "Unable to bind: {1}" msgstr "" @@ -82,19 +82,28 @@ msgstr "" msgid "This network is being deleted or moved to another user." msgstr "" -#: IRCNetwork.cpp:1016 +#: IRCNetwork.cpp:948 +msgid "Invalid index" +msgstr "" + +#: IRCNetwork.cpp:956 IRCNetwork.cpp:972 IRCNetwork.cpp:980 +#: ClientCommand.cpp:1405 +msgid "You are not on {1}" +msgstr "" + +#: IRCNetwork.cpp:1059 msgid "The channel {1} could not be joined, disabling it." msgstr "" -#: IRCNetwork.cpp:1145 +#: IRCNetwork.cpp:1188 msgid "Your current server was removed, jumping..." msgstr "" -#: IRCNetwork.cpp:1308 +#: IRCNetwork.cpp:1351 msgid "Cannot connect to {1}, because ZNC is not compiled with SSL support." msgstr "" -#: IRCNetwork.cpp:1329 +#: IRCNetwork.cpp:1372 msgid "Some module aborted the connection attempt" msgstr "" @@ -275,7 +284,7 @@ msgctxt "modhelpcmd" msgid "Generate this output" msgstr "" -#: Modules.cpp:573 ClientCommand.cpp:1922 +#: Modules.cpp:573 ClientCommand.cpp:1972 msgid "No matches for '{1}'" msgstr "" @@ -381,11 +390,12 @@ msgstr "" #: ClientCommand.cpp:51 ClientCommand.cpp:115 ClientCommand.cpp:137 #: ClientCommand.cpp:339 ClientCommand.cpp:390 ClientCommand.cpp:405 -#: ClientCommand.cpp:432 ClientCommand.cpp:459 ClientCommand.cpp:764 -#: ClientCommand.cpp:783 ClientCommand.cpp:809 ClientCommand.cpp:843 -#: ClientCommand.cpp:856 ClientCommand.cpp:869 ClientCommand.cpp:884 -#: ClientCommand.cpp:1345 ClientCommand.cpp:1393 ClientCommand.cpp:1425 -#: ClientCommand.cpp:1436 ClientCommand.cpp:1445 ClientCommand.cpp:1457 +#: ClientCommand.cpp:432 ClientCommand.cpp:459 ClientCommand.cpp:480 +#: ClientCommand.cpp:499 ClientCommand.cpp:809 ClientCommand.cpp:828 +#: ClientCommand.cpp:854 ClientCommand.cpp:888 ClientCommand.cpp:901 +#: ClientCommand.cpp:914 ClientCommand.cpp:929 ClientCommand.cpp:1390 +#: ClientCommand.cpp:1438 ClientCommand.cpp:1470 ClientCommand.cpp:1481 +#: ClientCommand.cpp:1490 ClientCommand.cpp:1502 msgid "You must be connected with a network to use this command" msgstr "" @@ -562,7 +572,7 @@ msgid "" "ERROR: Writing config file to disk failed! Aborting. Use {1} FORCE to ignore." msgstr "" -#: ClientCommand.cpp:344 ClientCommand.cpp:797 ClientCommand.cpp:838 +#: ClientCommand.cpp:344 ClientCommand.cpp:842 ClientCommand.cpp:883 msgid "You don't have any servers added." msgstr "" @@ -606,1205 +616,1242 @@ msgid_plural "Disabled {1} channels" msgstr[0] "" msgstr[1] "" -#: ClientCommand.cpp:470 +#: ClientCommand.cpp:466 +msgid "Usage: MoveChan <#chan> " +msgstr "" + +#: ClientCommand.cpp:474 +msgid "Moved channel {1} to index {2}" +msgstr "" + +#: ClientCommand.cpp:487 +msgid "Usage: SwapChans <#chan1> <#chan2>" +msgstr "" + +#: ClientCommand.cpp:493 +msgid "Swapped channels {1} and {2}" +msgstr "" + +#: ClientCommand.cpp:510 msgid "Usage: ListChans" msgstr "" -#: ClientCommand.cpp:477 +#: ClientCommand.cpp:517 msgid "No such user [{1}]" msgstr "" -#: ClientCommand.cpp:483 +#: ClientCommand.cpp:523 msgid "User [{1}] doesn't have network [{2}]" msgstr "" -#: ClientCommand.cpp:494 +#: ClientCommand.cpp:534 msgid "There are no channels defined." msgstr "" -#: ClientCommand.cpp:499 ClientCommand.cpp:515 +#: ClientCommand.cpp:539 ClientCommand.cpp:557 +msgctxt "listchans" +msgid "Index" +msgstr "" + +#: ClientCommand.cpp:540 ClientCommand.cpp:558 msgctxt "listchans" msgid "Name" msgstr "" -#: ClientCommand.cpp:500 ClientCommand.cpp:518 +#: ClientCommand.cpp:541 ClientCommand.cpp:561 msgctxt "listchans" msgid "Status" msgstr "" -#: ClientCommand.cpp:501 ClientCommand.cpp:525 +#: ClientCommand.cpp:542 ClientCommand.cpp:568 msgctxt "listchans" msgid "In config" msgstr "" -#: ClientCommand.cpp:502 ClientCommand.cpp:527 +#: ClientCommand.cpp:543 ClientCommand.cpp:570 msgctxt "listchans" msgid "Buffer" msgstr "" -#: ClientCommand.cpp:503 ClientCommand.cpp:531 +#: ClientCommand.cpp:544 ClientCommand.cpp:574 msgctxt "listchans" msgid "Clear" msgstr "" -#: ClientCommand.cpp:504 ClientCommand.cpp:536 +#: ClientCommand.cpp:545 ClientCommand.cpp:579 msgctxt "listchans" msgid "Modes" msgstr "" -#: ClientCommand.cpp:505 ClientCommand.cpp:537 +#: ClientCommand.cpp:546 ClientCommand.cpp:580 msgctxt "listchans" msgid "Users" msgstr "" -#: ClientCommand.cpp:520 +#: ClientCommand.cpp:563 msgctxt "listchans" msgid "Detached" msgstr "" -#: ClientCommand.cpp:521 +#: ClientCommand.cpp:564 msgctxt "listchans" msgid "Joined" msgstr "" -#: ClientCommand.cpp:522 +#: ClientCommand.cpp:565 msgctxt "listchans" msgid "Disabled" msgstr "" -#: ClientCommand.cpp:523 +#: ClientCommand.cpp:566 msgctxt "listchans" msgid "Trying" msgstr "" -#: ClientCommand.cpp:526 ClientCommand.cpp:534 +#: ClientCommand.cpp:569 ClientCommand.cpp:577 msgctxt "listchans" msgid "yes" msgstr "" -#: ClientCommand.cpp:551 +#: ClientCommand.cpp:596 msgid "Total: {1}, Joined: {2}, Detached: {3}, Disabled: {4}" msgstr "" -#: ClientCommand.cpp:556 +#: ClientCommand.cpp:601 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks using /znc DelNetwork " msgstr "" -#: ClientCommand.cpp:565 +#: ClientCommand.cpp:610 msgid "Usage: AddNetwork " msgstr "" -#: ClientCommand.cpp:569 +#: ClientCommand.cpp:614 msgid "Network name should be alphanumeric" msgstr "" -#: ClientCommand.cpp:576 +#: ClientCommand.cpp:621 msgid "" "Network added. Use /znc JumpNetwork {1}, or connect to ZNC with username {2} " "(instead of just {3}) to connect to it." msgstr "" -#: ClientCommand.cpp:581 +#: ClientCommand.cpp:626 msgid "Unable to add that network" msgstr "" -#: ClientCommand.cpp:588 +#: ClientCommand.cpp:633 msgid "Usage: DelNetwork " msgstr "" -#: ClientCommand.cpp:597 +#: ClientCommand.cpp:642 msgid "Network deleted" msgstr "" -#: ClientCommand.cpp:600 +#: ClientCommand.cpp:645 msgid "Failed to delete network, perhaps this network doesn't exist" msgstr "" -#: ClientCommand.cpp:610 +#: ClientCommand.cpp:655 msgid "User {1} not found" msgstr "" -#: ClientCommand.cpp:618 ClientCommand.cpp:626 +#: ClientCommand.cpp:663 ClientCommand.cpp:671 msgctxt "listnetworks" msgid "Network" msgstr "" -#: ClientCommand.cpp:619 ClientCommand.cpp:628 ClientCommand.cpp:637 +#: ClientCommand.cpp:664 ClientCommand.cpp:673 ClientCommand.cpp:682 msgctxt "listnetworks" msgid "On IRC" msgstr "" -#: ClientCommand.cpp:620 ClientCommand.cpp:630 +#: ClientCommand.cpp:665 ClientCommand.cpp:675 msgctxt "listnetworks" msgid "IRC Server" msgstr "" -#: ClientCommand.cpp:621 ClientCommand.cpp:632 +#: ClientCommand.cpp:666 ClientCommand.cpp:677 msgctxt "listnetworks" msgid "IRC User" msgstr "" -#: ClientCommand.cpp:622 ClientCommand.cpp:634 +#: ClientCommand.cpp:667 ClientCommand.cpp:679 msgctxt "listnetworks" msgid "Channels" msgstr "" -#: ClientCommand.cpp:629 +#: ClientCommand.cpp:674 msgctxt "listnetworks" msgid "Yes" msgstr "" -#: ClientCommand.cpp:638 +#: ClientCommand.cpp:683 msgctxt "listnetworks" msgid "No" msgstr "" -#: ClientCommand.cpp:643 +#: ClientCommand.cpp:688 msgctxt "listnetworks" msgid "No networks" msgstr "" -#: ClientCommand.cpp:647 ClientCommand.cpp:952 +#: ClientCommand.cpp:692 ClientCommand.cpp:997 msgid "Access denied." msgstr "" -#: ClientCommand.cpp:658 +#: ClientCommand.cpp:703 msgid "Usage: MoveNetwork [new network]" msgstr "" -#: ClientCommand.cpp:668 +#: ClientCommand.cpp:713 msgid "Old user {1} not found." msgstr "" -#: ClientCommand.cpp:674 +#: ClientCommand.cpp:719 msgid "Old network {1} not found." msgstr "" -#: ClientCommand.cpp:680 +#: ClientCommand.cpp:725 msgid "New user {1} not found." msgstr "" -#: ClientCommand.cpp:685 +#: ClientCommand.cpp:730 msgid "User {1} already has network {2}." msgstr "" -#: ClientCommand.cpp:691 +#: ClientCommand.cpp:736 msgid "Invalid network name [{1}]" msgstr "" -#: ClientCommand.cpp:707 +#: ClientCommand.cpp:752 msgid "Some files seem to be in {1}. You might want to move them to {2}" msgstr "" -#: ClientCommand.cpp:721 +#: ClientCommand.cpp:766 msgid "Error adding network: {1}" msgstr "" -#: ClientCommand.cpp:733 +#: ClientCommand.cpp:778 msgid "Success." msgstr "" -#: ClientCommand.cpp:736 +#: ClientCommand.cpp:781 msgid "Copied the network to new user, but failed to delete old network" msgstr "" -#: ClientCommand.cpp:743 +#: ClientCommand.cpp:788 msgid "No network supplied." msgstr "" -#: ClientCommand.cpp:748 +#: ClientCommand.cpp:793 msgid "You are already connected with this network." msgstr "" -#: ClientCommand.cpp:754 +#: ClientCommand.cpp:799 msgid "Switched to {1}" msgstr "" -#: ClientCommand.cpp:757 +#: ClientCommand.cpp:802 msgid "You don't have a network named {1}" msgstr "" -#: ClientCommand.cpp:769 +#: ClientCommand.cpp:814 msgid "Usage: AddServer [[+]port] [pass]" msgstr "" -#: ClientCommand.cpp:774 +#: ClientCommand.cpp:819 msgid "Server added" msgstr "" -#: ClientCommand.cpp:777 +#: ClientCommand.cpp:822 msgid "" "Unable to add that server. Perhaps the server is already added or openssl is " "disabled?" msgstr "" -#: ClientCommand.cpp:792 +#: ClientCommand.cpp:837 msgid "Usage: DelServer [port] [pass]" msgstr "" -#: ClientCommand.cpp:802 +#: ClientCommand.cpp:847 msgid "Server removed" msgstr "" -#: ClientCommand.cpp:804 +#: ClientCommand.cpp:849 msgid "No such server" msgstr "" -#: ClientCommand.cpp:817 ClientCommand.cpp:825 +#: ClientCommand.cpp:862 ClientCommand.cpp:870 msgctxt "listservers" msgid "Host" msgstr "" -#: ClientCommand.cpp:818 ClientCommand.cpp:827 +#: ClientCommand.cpp:863 ClientCommand.cpp:872 msgctxt "listservers" msgid "Port" msgstr "" -#: ClientCommand.cpp:819 ClientCommand.cpp:830 +#: ClientCommand.cpp:864 ClientCommand.cpp:875 msgctxt "listservers" msgid "SSL" msgstr "" -#: ClientCommand.cpp:820 ClientCommand.cpp:832 +#: ClientCommand.cpp:865 ClientCommand.cpp:877 msgctxt "listservers" msgid "Password" msgstr "" -#: ClientCommand.cpp:831 +#: ClientCommand.cpp:876 msgctxt "listservers|cell" msgid "SSL" msgstr "" -#: ClientCommand.cpp:848 +#: ClientCommand.cpp:893 msgid "Usage: AddTrustedServerFingerprint " msgstr "" -#: ClientCommand.cpp:852 ClientCommand.cpp:865 +#: ClientCommand.cpp:897 ClientCommand.cpp:910 msgid "Done." msgstr "" -#: ClientCommand.cpp:861 +#: ClientCommand.cpp:906 msgid "Usage: DelTrustedServerFingerprint " msgstr "" -#: ClientCommand.cpp:874 +#: ClientCommand.cpp:919 msgid "No fingerprints added." msgstr "" -#: ClientCommand.cpp:890 ClientCommand.cpp:896 +#: ClientCommand.cpp:935 ClientCommand.cpp:941 msgctxt "topicscmd" msgid "Channel" msgstr "" -#: ClientCommand.cpp:891 ClientCommand.cpp:897 +#: ClientCommand.cpp:936 ClientCommand.cpp:942 msgctxt "topicscmd" msgid "Set By" msgstr "" -#: ClientCommand.cpp:892 ClientCommand.cpp:898 +#: ClientCommand.cpp:937 ClientCommand.cpp:943 msgctxt "topicscmd" msgid "Topic" msgstr "" -#: ClientCommand.cpp:905 ClientCommand.cpp:910 +#: ClientCommand.cpp:950 ClientCommand.cpp:955 msgctxt "listmods" msgid "Name" msgstr "" -#: ClientCommand.cpp:906 ClientCommand.cpp:911 +#: ClientCommand.cpp:951 ClientCommand.cpp:956 msgctxt "listmods" msgid "Arguments" msgstr "" -#: ClientCommand.cpp:920 +#: ClientCommand.cpp:965 msgid "No global modules loaded." msgstr "" -#: ClientCommand.cpp:922 ClientCommand.cpp:986 +#: ClientCommand.cpp:967 ClientCommand.cpp:1031 msgid "Global modules:" msgstr "" -#: ClientCommand.cpp:931 +#: ClientCommand.cpp:976 msgid "Your user has no modules loaded." msgstr "" -#: ClientCommand.cpp:933 ClientCommand.cpp:998 +#: ClientCommand.cpp:978 ClientCommand.cpp:1043 msgid "User modules:" msgstr "" -#: ClientCommand.cpp:941 +#: ClientCommand.cpp:986 msgid "This network has no modules loaded." msgstr "" -#: ClientCommand.cpp:943 ClientCommand.cpp:1010 +#: ClientCommand.cpp:988 ClientCommand.cpp:1055 msgid "Network modules:" msgstr "" -#: ClientCommand.cpp:958 ClientCommand.cpp:965 +#: ClientCommand.cpp:1003 ClientCommand.cpp:1010 msgctxt "listavailmods" msgid "Name" msgstr "" -#: ClientCommand.cpp:959 ClientCommand.cpp:970 +#: ClientCommand.cpp:1004 ClientCommand.cpp:1015 msgctxt "listavailmods" msgid "Description" msgstr "" -#: ClientCommand.cpp:984 +#: ClientCommand.cpp:1029 msgid "No global modules available." msgstr "" -#: ClientCommand.cpp:996 +#: ClientCommand.cpp:1041 msgid "No user modules available." msgstr "" -#: ClientCommand.cpp:1008 +#: ClientCommand.cpp:1053 msgid "No network modules available." msgstr "" -#: ClientCommand.cpp:1036 +#: ClientCommand.cpp:1081 msgid "Unable to load {1}: Access denied." msgstr "" -#: ClientCommand.cpp:1042 +#: ClientCommand.cpp:1087 msgid "Usage: LoadMod [--type=global|user|network] [args]" msgstr "" -#: ClientCommand.cpp:1049 +#: ClientCommand.cpp:1094 msgid "Unable to load {1}: {2}" msgstr "" -#: ClientCommand.cpp:1059 +#: ClientCommand.cpp:1104 msgid "Unable to load global module {1}: Access denied." msgstr "" -#: ClientCommand.cpp:1065 +#: ClientCommand.cpp:1110 msgid "Unable to load network module {1}: Not connected with a network." msgstr "" -#: ClientCommand.cpp:1087 +#: ClientCommand.cpp:1132 msgid "Unknown module type" msgstr "" -#: ClientCommand.cpp:1092 +#: ClientCommand.cpp:1137 msgid "Loaded module {1}" msgstr "" -#: ClientCommand.cpp:1094 +#: ClientCommand.cpp:1139 msgid "Loaded module {1}: {2}" msgstr "" -#: ClientCommand.cpp:1097 +#: ClientCommand.cpp:1142 msgid "Unable to load module {1}: {2}" msgstr "" -#: ClientCommand.cpp:1120 +#: ClientCommand.cpp:1165 msgid "Unable to unload {1}: Access denied." msgstr "" -#: ClientCommand.cpp:1126 +#: ClientCommand.cpp:1171 msgid "Usage: UnloadMod [--type=global|user|network] " msgstr "" -#: ClientCommand.cpp:1135 +#: ClientCommand.cpp:1180 msgid "Unable to determine type of {1}: {2}" msgstr "" -#: ClientCommand.cpp:1143 +#: ClientCommand.cpp:1188 msgid "Unable to unload global module {1}: Access denied." msgstr "" -#: ClientCommand.cpp:1150 +#: ClientCommand.cpp:1195 msgid "Unable to unload network module {1}: Not connected with a network." msgstr "" -#: ClientCommand.cpp:1169 +#: ClientCommand.cpp:1214 msgid "Unable to unload module {1}: Unknown module type" msgstr "" -#: ClientCommand.cpp:1182 +#: ClientCommand.cpp:1227 msgid "Unable to reload modules. Access denied." msgstr "" -#: ClientCommand.cpp:1203 +#: ClientCommand.cpp:1248 msgid "Usage: ReloadMod [--type=global|user|network] [args]" msgstr "" -#: ClientCommand.cpp:1212 +#: ClientCommand.cpp:1257 msgid "Unable to reload {1}: {2}" msgstr "" -#: ClientCommand.cpp:1220 +#: ClientCommand.cpp:1265 msgid "Unable to reload global module {1}: Access denied." msgstr "" -#: ClientCommand.cpp:1227 +#: ClientCommand.cpp:1272 msgid "Unable to reload network module {1}: Not connected with a network." msgstr "" -#: ClientCommand.cpp:1249 +#: ClientCommand.cpp:1294 msgid "Unable to reload module {1}: Unknown module type" msgstr "" -#: ClientCommand.cpp:1260 +#: ClientCommand.cpp:1305 msgid "Usage: UpdateMod " msgstr "" -#: ClientCommand.cpp:1264 +#: ClientCommand.cpp:1309 msgid "Reloading {1} everywhere" msgstr "" -#: ClientCommand.cpp:1266 +#: ClientCommand.cpp:1311 msgid "Done" msgstr "" -#: ClientCommand.cpp:1269 +#: ClientCommand.cpp:1314 msgid "" "Done, but there were errors, module {1} could not be reloaded everywhere." msgstr "" -#: ClientCommand.cpp:1277 +#: ClientCommand.cpp:1322 msgid "" "You must be connected with a network to use this command. Try " "SetUserBindHost instead" msgstr "" -#: ClientCommand.cpp:1284 +#: ClientCommand.cpp:1329 msgid "Usage: SetBindHost " msgstr "" -#: ClientCommand.cpp:1289 ClientCommand.cpp:1306 +#: ClientCommand.cpp:1334 ClientCommand.cpp:1351 msgid "You already have this bind host!" msgstr "" -#: ClientCommand.cpp:1294 +#: ClientCommand.cpp:1339 msgid "Set bind host for network {1} to {2}" msgstr "" -#: ClientCommand.cpp:1301 +#: ClientCommand.cpp:1346 msgid "Usage: SetUserBindHost " msgstr "" -#: ClientCommand.cpp:1311 +#: ClientCommand.cpp:1356 msgid "Set default bind host to {1}" msgstr "" -#: ClientCommand.cpp:1317 +#: ClientCommand.cpp:1362 msgid "" "You must be connected with a network to use this command. Try " "ClearUserBindHost instead" msgstr "" -#: ClientCommand.cpp:1322 +#: ClientCommand.cpp:1367 msgid "Bind host cleared for this network." msgstr "" -#: ClientCommand.cpp:1326 +#: ClientCommand.cpp:1371 msgid "Default bind host cleared for your user." msgstr "" -#: ClientCommand.cpp:1329 +#: ClientCommand.cpp:1374 msgid "This user's default bind host not set" msgstr "" -#: ClientCommand.cpp:1331 +#: ClientCommand.cpp:1376 msgid "This user's default bind host is {1}" msgstr "" -#: ClientCommand.cpp:1336 +#: ClientCommand.cpp:1381 msgid "This network's bind host not set" msgstr "" -#: ClientCommand.cpp:1338 +#: ClientCommand.cpp:1383 msgid "This network's default bind host is {1}" msgstr "" -#: ClientCommand.cpp:1352 +#: ClientCommand.cpp:1397 msgid "Usage: PlayBuffer <#chan|query>" msgstr "" -#: ClientCommand.cpp:1360 -msgid "You are not on {1}" -msgstr "" - -#: ClientCommand.cpp:1365 +#: ClientCommand.cpp:1410 msgid "You are not on {1} (trying to join)" msgstr "" -#: ClientCommand.cpp:1370 +#: ClientCommand.cpp:1415 msgid "The buffer for channel {1} is empty" msgstr "" -#: ClientCommand.cpp:1379 +#: ClientCommand.cpp:1424 msgid "No active query with {1}" msgstr "" -#: ClientCommand.cpp:1384 +#: ClientCommand.cpp:1429 msgid "The buffer for {1} is empty" msgstr "" -#: ClientCommand.cpp:1400 +#: ClientCommand.cpp:1445 msgid "Usage: ClearBuffer <#chan|query>" msgstr "" -#: ClientCommand.cpp:1419 +#: ClientCommand.cpp:1464 msgid "{1} buffer matching {2} has been cleared" msgid_plural "{1} buffers matching {2} have been cleared" msgstr[0] "" msgstr[1] "" -#: ClientCommand.cpp:1432 +#: ClientCommand.cpp:1477 msgid "All channel buffers have been cleared" msgstr "" -#: ClientCommand.cpp:1441 +#: ClientCommand.cpp:1486 msgid "All query buffers have been cleared" msgstr "" -#: ClientCommand.cpp:1453 +#: ClientCommand.cpp:1498 msgid "All buffers have been cleared" msgstr "" -#: ClientCommand.cpp:1464 +#: ClientCommand.cpp:1509 msgid "Usage: SetBuffer <#chan|query> [linecount]" msgstr "" -#: ClientCommand.cpp:1485 +#: ClientCommand.cpp:1530 msgid "Setting buffer size failed for {1} buffer" msgid_plural "Setting buffer size failed for {1} buffers" msgstr[0] "" msgstr[1] "" -#: ClientCommand.cpp:1488 +#: ClientCommand.cpp:1533 msgid "Maximum buffer size is {1} line" msgid_plural "Maximum buffer size is {1} lines" msgstr[0] "" msgstr[1] "" -#: ClientCommand.cpp:1493 +#: ClientCommand.cpp:1538 msgid "Size of every buffer was set to {1} line" msgid_plural "Size of every buffer was set to {1} lines" msgstr[0] "" msgstr[1] "" -#: ClientCommand.cpp:1503 ClientCommand.cpp:1510 ClientCommand.cpp:1521 -#: ClientCommand.cpp:1530 ClientCommand.cpp:1538 +#: ClientCommand.cpp:1548 ClientCommand.cpp:1555 ClientCommand.cpp:1566 +#: ClientCommand.cpp:1575 ClientCommand.cpp:1583 msgctxt "trafficcmd" msgid "Username" msgstr "" -#: ClientCommand.cpp:1504 ClientCommand.cpp:1511 ClientCommand.cpp:1523 -#: ClientCommand.cpp:1532 ClientCommand.cpp:1540 +#: ClientCommand.cpp:1549 ClientCommand.cpp:1556 ClientCommand.cpp:1568 +#: ClientCommand.cpp:1577 ClientCommand.cpp:1585 msgctxt "trafficcmd" msgid "In" msgstr "" -#: ClientCommand.cpp:1505 ClientCommand.cpp:1513 ClientCommand.cpp:1524 -#: ClientCommand.cpp:1533 ClientCommand.cpp:1541 +#: ClientCommand.cpp:1550 ClientCommand.cpp:1558 ClientCommand.cpp:1569 +#: ClientCommand.cpp:1578 ClientCommand.cpp:1586 msgctxt "trafficcmd" msgid "Out" msgstr "" -#: ClientCommand.cpp:1506 ClientCommand.cpp:1516 ClientCommand.cpp:1526 -#: ClientCommand.cpp:1534 ClientCommand.cpp:1543 +#: ClientCommand.cpp:1551 ClientCommand.cpp:1561 ClientCommand.cpp:1571 +#: ClientCommand.cpp:1579 ClientCommand.cpp:1588 msgctxt "trafficcmd" msgid "Total" msgstr "" -#: ClientCommand.cpp:1522 +#: ClientCommand.cpp:1567 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1531 +#: ClientCommand.cpp:1576 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1539 +#: ClientCommand.cpp:1584 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1548 +#: ClientCommand.cpp:1593 msgid "Running for {1}" msgstr "" -#: ClientCommand.cpp:1554 +#: ClientCommand.cpp:1599 msgid "Unknown command, try 'Help'" msgstr "" -#: ClientCommand.cpp:1563 ClientCommand.cpp:1574 +#: ClientCommand.cpp:1608 ClientCommand.cpp:1619 msgctxt "listports" msgid "Port" msgstr "" -#: ClientCommand.cpp:1564 ClientCommand.cpp:1577 +#: ClientCommand.cpp:1609 ClientCommand.cpp:1622 msgctxt "listports" msgid "BindHost" msgstr "" -#: ClientCommand.cpp:1565 ClientCommand.cpp:1580 +#: ClientCommand.cpp:1610 ClientCommand.cpp:1625 msgctxt "listports" msgid "SSL" msgstr "" -#: ClientCommand.cpp:1566 ClientCommand.cpp:1585 +#: ClientCommand.cpp:1611 ClientCommand.cpp:1630 msgctxt "listports" msgid "Protocol" msgstr "" -#: ClientCommand.cpp:1567 ClientCommand.cpp:1592 +#: ClientCommand.cpp:1612 ClientCommand.cpp:1637 msgctxt "listports" msgid "IRC" msgstr "" -#: ClientCommand.cpp:1568 ClientCommand.cpp:1597 +#: ClientCommand.cpp:1613 ClientCommand.cpp:1642 msgctxt "listports" msgid "Web" msgstr "" -#: ClientCommand.cpp:1581 +#: ClientCommand.cpp:1626 msgctxt "listports|ssl" msgid "yes" msgstr "" -#: ClientCommand.cpp:1582 +#: ClientCommand.cpp:1627 msgctxt "listports|ssl" msgid "no" msgstr "" -#: ClientCommand.cpp:1586 +#: ClientCommand.cpp:1631 msgctxt "listports" msgid "IPv4 and IPv6" msgstr "" -#: ClientCommand.cpp:1588 +#: ClientCommand.cpp:1633 msgctxt "listports" msgid "IPv4" msgstr "" -#: ClientCommand.cpp:1589 +#: ClientCommand.cpp:1634 msgctxt "listports" msgid "IPv6" msgstr "" -#: ClientCommand.cpp:1595 +#: ClientCommand.cpp:1640 msgctxt "listports|irc" msgid "yes" msgstr "" -#: ClientCommand.cpp:1596 +#: ClientCommand.cpp:1641 msgctxt "listports|irc" msgid "no" msgstr "" -#: ClientCommand.cpp:1600 +#: ClientCommand.cpp:1645 msgctxt "listports|irc" msgid "yes, on {1}" msgstr "" -#: ClientCommand.cpp:1602 +#: ClientCommand.cpp:1647 msgctxt "listports|web" msgid "no" msgstr "" -#: ClientCommand.cpp:1642 +#: ClientCommand.cpp:1687 msgid "" "Usage: AddPort <[+]port> [bindhost [uriprefix]]" msgstr "" -#: ClientCommand.cpp:1658 +#: ClientCommand.cpp:1703 msgid "Port added" msgstr "" -#: ClientCommand.cpp:1660 +#: ClientCommand.cpp:1705 msgid "Couldn't add port" msgstr "" -#: ClientCommand.cpp:1666 +#: ClientCommand.cpp:1711 msgid "Usage: DelPort [bindhost]" msgstr "" -#: ClientCommand.cpp:1675 +#: ClientCommand.cpp:1720 msgid "Deleted Port" msgstr "" -#: ClientCommand.cpp:1677 +#: ClientCommand.cpp:1722 msgid "Unable to find a matching port" msgstr "" -#: ClientCommand.cpp:1685 ClientCommand.cpp:1700 +#: ClientCommand.cpp:1730 ClientCommand.cpp:1745 msgctxt "helpcmd" msgid "Command" msgstr "" -#: ClientCommand.cpp:1686 ClientCommand.cpp:1702 +#: ClientCommand.cpp:1731 ClientCommand.cpp:1747 msgctxt "helpcmd" msgid "Description" msgstr "" -#: ClientCommand.cpp:1691 +#: ClientCommand.cpp:1736 msgid "" "In the following list all occurrences of <#chan> support wildcards (* and ?) " "except ListNicks" msgstr "" -#: ClientCommand.cpp:1708 +#: ClientCommand.cpp:1753 msgctxt "helpcmd|Version|desc" msgid "Print which version of ZNC this is" msgstr "" -#: ClientCommand.cpp:1711 +#: ClientCommand.cpp:1756 msgctxt "helpcmd|ListMods|desc" msgid "List all loaded modules" msgstr "" -#: ClientCommand.cpp:1714 +#: ClientCommand.cpp:1759 msgctxt "helpcmd|ListAvailMods|desc" msgid "List all available modules" msgstr "" -#: ClientCommand.cpp:1718 ClientCommand.cpp:1904 +#: ClientCommand.cpp:1763 ClientCommand.cpp:1954 msgctxt "helpcmd|ListChans|desc" msgid "List all channels" msgstr "" -#: ClientCommand.cpp:1721 +#: ClientCommand.cpp:1766 msgctxt "helpcmd|ListNicks|args" msgid "<#chan>" msgstr "" -#: ClientCommand.cpp:1722 +#: ClientCommand.cpp:1767 msgctxt "helpcmd|ListNicks|desc" msgid "List all nicks on a channel" msgstr "" -#: ClientCommand.cpp:1725 +#: ClientCommand.cpp:1770 msgctxt "helpcmd|ListClients|desc" msgid "List all clients connected to your ZNC user" msgstr "" -#: ClientCommand.cpp:1729 +#: ClientCommand.cpp:1774 msgctxt "helpcmd|ListServers|desc" msgid "List all servers of current IRC network" msgstr "" -#: ClientCommand.cpp:1733 +#: ClientCommand.cpp:1778 msgctxt "helpcmd|AddNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1734 +#: ClientCommand.cpp:1779 msgctxt "helpcmd|AddNetwork|desc" msgid "Add a network to your user" msgstr "" -#: ClientCommand.cpp:1736 +#: ClientCommand.cpp:1781 msgctxt "helpcmd|DelNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1737 +#: ClientCommand.cpp:1782 msgctxt "helpcmd|DelNetwork|desc" msgid "Delete a network from your user" msgstr "" -#: ClientCommand.cpp:1739 +#: ClientCommand.cpp:1784 msgctxt "helpcmd|ListNetworks|desc" msgid "List all networks" msgstr "" -#: ClientCommand.cpp:1742 +#: ClientCommand.cpp:1787 msgctxt "helpcmd|MoveNetwork|args" msgid " [new network]" msgstr "" -#: ClientCommand.cpp:1744 +#: ClientCommand.cpp:1789 msgctxt "helpcmd|MoveNetwork|desc" msgid "Move an IRC network from one user to another" msgstr "" -#: ClientCommand.cpp:1748 +#: ClientCommand.cpp:1793 msgctxt "helpcmd|JumpNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1749 +#: ClientCommand.cpp:1794 msgctxt "helpcmd|JumpNetwork|desc" msgid "" "Jump to another network (Alternatively, you can connect to ZNC several " "times, using `user/network` as username)" msgstr "" -#: ClientCommand.cpp:1754 +#: ClientCommand.cpp:1799 msgctxt "helpcmd|AddServer|args" msgid " [[+]port] [pass]" msgstr "" -#: ClientCommand.cpp:1755 +#: ClientCommand.cpp:1800 msgctxt "helpcmd|AddServer|desc" msgid "" "Add a server to the list of alternate/backup servers of current IRC network." msgstr "" -#: ClientCommand.cpp:1759 +#: ClientCommand.cpp:1804 msgctxt "helpcmd|DelServer|args" msgid " [port] [pass]" msgstr "" -#: ClientCommand.cpp:1760 +#: ClientCommand.cpp:1805 msgctxt "helpcmd|DelServer|desc" msgid "" "Remove a server from the list of alternate/backup servers of current IRC " "network" msgstr "" -#: ClientCommand.cpp:1766 +#: ClientCommand.cpp:1811 msgctxt "helpcmd|AddTrustedServerFingerprint|args" msgid "" msgstr "" -#: ClientCommand.cpp:1767 +#: ClientCommand.cpp:1812 msgctxt "helpcmd|AddTrustedServerFingerprint|desc" msgid "" "Add a trusted server SSL certificate fingerprint (SHA-256) to current IRC " "network." msgstr "" -#: ClientCommand.cpp:1772 +#: ClientCommand.cpp:1817 msgctxt "helpcmd|DelTrustedServerFingerprint|args" msgid "" msgstr "" -#: ClientCommand.cpp:1773 +#: ClientCommand.cpp:1818 msgctxt "helpcmd|DelTrustedServerFingerprint|desc" msgid "Delete a trusted server SSL certificate from current IRC network." msgstr "" -#: ClientCommand.cpp:1777 +#: ClientCommand.cpp:1822 msgctxt "helpcmd|ListTrustedServerFingerprints|desc" msgid "List all trusted server SSL certificates of current IRC network." msgstr "" -#: ClientCommand.cpp:1780 +#: ClientCommand.cpp:1825 msgctxt "helpcmd|EnableChan|args" msgid "<#chans>" msgstr "" -#: ClientCommand.cpp:1781 +#: ClientCommand.cpp:1826 msgctxt "helpcmd|EnableChan|desc" msgid "Enable channels" msgstr "" -#: ClientCommand.cpp:1782 +#: ClientCommand.cpp:1827 msgctxt "helpcmd|DisableChan|args" msgid "<#chans>" msgstr "" -#: ClientCommand.cpp:1783 +#: ClientCommand.cpp:1828 msgctxt "helpcmd|DisableChan|desc" msgid "Disable channels" msgstr "" -#: ClientCommand.cpp:1784 +#: ClientCommand.cpp:1829 +msgctxt "helpcmd|MoveChan|args" +msgid "<#chan> " +msgstr "" + +#: ClientCommand.cpp:1830 +msgctxt "helpcmd|MoveChan|desc" +msgid "Move channel in sort order" +msgstr "" + +#: ClientCommand.cpp:1832 +msgctxt "helpcmd|SwapChans|args" +msgid "<#chan1> <#chan2>" +msgstr "" + +#: ClientCommand.cpp:1833 +msgctxt "helpcmd|SwapChans|desc" +msgid "Swap channels in sort order" +msgstr "" + +#: ClientCommand.cpp:1834 msgctxt "helpcmd|Attach|args" msgid "<#chans>" msgstr "" -#: ClientCommand.cpp:1785 +#: ClientCommand.cpp:1835 msgctxt "helpcmd|Attach|desc" msgid "Attach to channels" msgstr "" -#: ClientCommand.cpp:1786 +#: ClientCommand.cpp:1836 msgctxt "helpcmd|Detach|args" msgid "<#chans>" msgstr "" -#: ClientCommand.cpp:1787 +#: ClientCommand.cpp:1837 msgctxt "helpcmd|Detach|desc" msgid "Detach from channels" msgstr "" -#: ClientCommand.cpp:1790 +#: ClientCommand.cpp:1840 msgctxt "helpcmd|Topics|desc" msgid "Show topics in all your channels" msgstr "" -#: ClientCommand.cpp:1793 +#: ClientCommand.cpp:1843 msgctxt "helpcmd|PlayBuffer|args" msgid "<#chan|query>" msgstr "" -#: ClientCommand.cpp:1794 +#: ClientCommand.cpp:1844 msgctxt "helpcmd|PlayBuffer|desc" msgid "Play back the specified buffer" msgstr "" -#: ClientCommand.cpp:1796 +#: ClientCommand.cpp:1846 msgctxt "helpcmd|ClearBuffer|args" msgid "<#chan|query>" msgstr "" -#: ClientCommand.cpp:1797 +#: ClientCommand.cpp:1847 msgctxt "helpcmd|ClearBuffer|desc" msgid "Clear the specified buffer" msgstr "" -#: ClientCommand.cpp:1799 +#: ClientCommand.cpp:1849 msgctxt "helpcmd|ClearAllBuffers|desc" msgid "Clear all channel and query buffers" msgstr "" -#: ClientCommand.cpp:1802 +#: ClientCommand.cpp:1852 msgctxt "helpcmd|ClearAllChannelBuffers|desc" msgid "Clear the channel buffers" msgstr "" -#: ClientCommand.cpp:1806 +#: ClientCommand.cpp:1856 msgctxt "helpcmd|ClearAllQueryBuffers|desc" msgid "Clear the query buffers" msgstr "" -#: ClientCommand.cpp:1808 +#: ClientCommand.cpp:1858 msgctxt "helpcmd|SetBuffer|args" msgid "<#chan|query> [linecount]" msgstr "" -#: ClientCommand.cpp:1809 +#: ClientCommand.cpp:1859 msgctxt "helpcmd|SetBuffer|desc" msgid "Set the buffer count" msgstr "" -#: ClientCommand.cpp:1813 +#: ClientCommand.cpp:1863 msgctxt "helpcmd|SetBindHost|args" msgid "" msgstr "" -#: ClientCommand.cpp:1814 +#: ClientCommand.cpp:1864 msgctxt "helpcmd|SetBindHost|desc" msgid "Set the bind host for this network" msgstr "" -#: ClientCommand.cpp:1818 +#: ClientCommand.cpp:1868 msgctxt "helpcmd|SetUserBindHost|args" msgid "" msgstr "" -#: ClientCommand.cpp:1819 +#: ClientCommand.cpp:1869 msgctxt "helpcmd|SetUserBindHost|desc" msgid "Set the default bind host for this user" msgstr "" -#: ClientCommand.cpp:1822 +#: ClientCommand.cpp:1872 msgctxt "helpcmd|ClearBindHost|desc" msgid "Clear the bind host for this network" msgstr "" -#: ClientCommand.cpp:1825 +#: ClientCommand.cpp:1875 msgctxt "helpcmd|ClearUserBindHost|desc" msgid "Clear the default bind host for this user" msgstr "" -#: ClientCommand.cpp:1831 +#: ClientCommand.cpp:1881 msgctxt "helpcmd|ShowBindHost|desc" msgid "Show currently selected bind host" msgstr "" -#: ClientCommand.cpp:1833 +#: ClientCommand.cpp:1883 msgctxt "helpcmd|Jump|args" msgid "[server]" msgstr "" -#: ClientCommand.cpp:1834 +#: ClientCommand.cpp:1884 msgctxt "helpcmd|Jump|desc" msgid "Jump to the next or the specified server" msgstr "" -#: ClientCommand.cpp:1835 +#: ClientCommand.cpp:1885 msgctxt "helpcmd|Disconnect|args" msgid "[message]" msgstr "" -#: ClientCommand.cpp:1836 +#: ClientCommand.cpp:1886 msgctxt "helpcmd|Disconnect|desc" msgid "Disconnect from IRC" msgstr "" -#: ClientCommand.cpp:1838 +#: ClientCommand.cpp:1888 msgctxt "helpcmd|Connect|desc" msgid "Reconnect to IRC" msgstr "" -#: ClientCommand.cpp:1841 +#: ClientCommand.cpp:1891 msgctxt "helpcmd|Uptime|desc" msgid "Show for how long ZNC has been running" msgstr "" -#: ClientCommand.cpp:1845 +#: ClientCommand.cpp:1895 msgctxt "helpcmd|LoadMod|args" msgid "[--type=global|user|network] [args]" msgstr "" -#: ClientCommand.cpp:1847 +#: ClientCommand.cpp:1897 msgctxt "helpcmd|LoadMod|desc" msgid "Load a module" msgstr "" -#: ClientCommand.cpp:1849 +#: ClientCommand.cpp:1899 msgctxt "helpcmd|UnloadMod|args" msgid "[--type=global|user|network] " msgstr "" -#: ClientCommand.cpp:1851 +#: ClientCommand.cpp:1901 msgctxt "helpcmd|UnloadMod|desc" msgid "Unload a module" msgstr "" -#: ClientCommand.cpp:1853 +#: ClientCommand.cpp:1903 msgctxt "helpcmd|ReloadMod|args" msgid "[--type=global|user|network] [args]" msgstr "" -#: ClientCommand.cpp:1855 +#: ClientCommand.cpp:1905 msgctxt "helpcmd|ReloadMod|desc" msgid "Reload a module" msgstr "" -#: ClientCommand.cpp:1858 +#: ClientCommand.cpp:1908 msgctxt "helpcmd|UpdateMod|args" msgid "" msgstr "" -#: ClientCommand.cpp:1859 +#: ClientCommand.cpp:1909 msgctxt "helpcmd|UpdateMod|desc" msgid "Reload a module everywhere" msgstr "" -#: ClientCommand.cpp:1865 +#: ClientCommand.cpp:1915 msgctxt "helpcmd|ShowMOTD|desc" msgid "Show ZNC's message of the day" msgstr "" -#: ClientCommand.cpp:1869 +#: ClientCommand.cpp:1919 msgctxt "helpcmd|SetMOTD|args" msgid "" msgstr "" -#: ClientCommand.cpp:1870 +#: ClientCommand.cpp:1920 msgctxt "helpcmd|SetMOTD|desc" msgid "Set ZNC's message of the day" msgstr "" -#: ClientCommand.cpp:1872 +#: ClientCommand.cpp:1922 msgctxt "helpcmd|AddMOTD|args" msgid "" msgstr "" -#: ClientCommand.cpp:1873 +#: ClientCommand.cpp:1923 msgctxt "helpcmd|AddMOTD|desc" msgid "Append to ZNC's MOTD" msgstr "" -#: ClientCommand.cpp:1875 +#: ClientCommand.cpp:1925 msgctxt "helpcmd|ClearMOTD|desc" msgid "Clear ZNC's MOTD" msgstr "" -#: ClientCommand.cpp:1878 +#: ClientCommand.cpp:1928 msgctxt "helpcmd|ListPorts|desc" msgid "Show all active listeners" msgstr "" -#: ClientCommand.cpp:1880 +#: ClientCommand.cpp:1930 msgctxt "helpcmd|AddPort|args" msgid "<[+]port> [bindhost [uriprefix]]" msgstr "" -#: ClientCommand.cpp:1883 +#: ClientCommand.cpp:1933 msgctxt "helpcmd|AddPort|desc" msgid "Add another port for ZNC to listen on" msgstr "" -#: ClientCommand.cpp:1887 +#: ClientCommand.cpp:1937 msgctxt "helpcmd|DelPort|args" msgid " [bindhost]" msgstr "" -#: ClientCommand.cpp:1888 +#: ClientCommand.cpp:1938 msgctxt "helpcmd|DelPort|desc" msgid "Remove a port from ZNC" msgstr "" -#: ClientCommand.cpp:1891 +#: ClientCommand.cpp:1941 msgctxt "helpcmd|Rehash|desc" msgid "Reload global settings, modules, and listeners from znc.conf" msgstr "" -#: ClientCommand.cpp:1894 +#: ClientCommand.cpp:1944 msgctxt "helpcmd|SaveConfig|desc" msgid "Save the current settings to disk" msgstr "" -#: ClientCommand.cpp:1897 +#: ClientCommand.cpp:1947 msgctxt "helpcmd|ListUsers|desc" msgid "List all ZNC users and their connection status" msgstr "" -#: ClientCommand.cpp:1900 +#: ClientCommand.cpp:1950 msgctxt "helpcmd|ListAllUserNetworks|desc" msgid "List all ZNC users and their networks" msgstr "" -#: ClientCommand.cpp:1903 +#: ClientCommand.cpp:1953 msgctxt "helpcmd|ListChans|args" msgid "[user ]" msgstr "" -#: ClientCommand.cpp:1906 +#: ClientCommand.cpp:1956 msgctxt "helpcmd|ListClients|args" msgid "[user]" msgstr "" -#: ClientCommand.cpp:1907 +#: ClientCommand.cpp:1957 msgctxt "helpcmd|ListClients|desc" msgid "List all connected clients" msgstr "" -#: ClientCommand.cpp:1909 +#: ClientCommand.cpp:1959 msgctxt "helpcmd|Traffic|desc" msgid "Show basic traffic stats for all ZNC users" msgstr "" -#: ClientCommand.cpp:1911 +#: ClientCommand.cpp:1961 msgctxt "helpcmd|Broadcast|args" msgid "[message]" msgstr "" -#: ClientCommand.cpp:1912 +#: ClientCommand.cpp:1962 msgctxt "helpcmd|Broadcast|desc" msgid "Broadcast a message to all ZNC users" msgstr "" -#: ClientCommand.cpp:1915 +#: ClientCommand.cpp:1965 msgctxt "helpcmd|Shutdown|args" msgid "[message]" msgstr "" -#: ClientCommand.cpp:1916 +#: ClientCommand.cpp:1966 msgctxt "helpcmd|Shutdown|desc" msgid "Shut down ZNC completely" msgstr "" -#: ClientCommand.cpp:1917 +#: ClientCommand.cpp:1967 msgctxt "helpcmd|Restart|args" msgid "[message]" msgstr "" -#: ClientCommand.cpp:1918 +#: ClientCommand.cpp:1968 msgctxt "helpcmd|Restart|desc" msgid "Restart ZNC" msgstr "" diff --git a/src/po/znc.pt_BR.po b/src/po/znc.pt_BR.po index 609bd0db..05c715dd 100644 --- a/src/po/znc.pt_BR.po +++ b/src/po/znc.pt_BR.po @@ -75,7 +75,7 @@ msgstr "Falha ao localizar o arquivo PEM: {1}" msgid "Invalid port" msgstr "Porta inválida" -#: znc.cpp:1813 ClientCommand.cpp:1655 +#: znc.cpp:1813 ClientCommand.cpp:1700 msgid "Unable to bind: {1}" msgstr "Não foi possível vincular: {1}" @@ -96,21 +96,30 @@ msgstr "" msgid "This network is being deleted or moved to another user." msgstr "Esta rede está sendo excluída ou movida para outro usuário." -#: IRCNetwork.cpp:1016 +#: IRCNetwork.cpp:948 +msgid "Invalid index" +msgstr "" + +#: IRCNetwork.cpp:956 IRCNetwork.cpp:972 IRCNetwork.cpp:980 +#: ClientCommand.cpp:1405 +msgid "You are not on {1}" +msgstr "Você não está em {1}" + +#: IRCNetwork.cpp:1059 msgid "The channel {1} could not be joined, disabling it." msgstr "Não foi possível entrar no canal {1}. Desabilitando-o." -#: IRCNetwork.cpp:1145 +#: IRCNetwork.cpp:1188 msgid "Your current server was removed, jumping..." msgstr "O seu servidor atual foi removido, trocando de servidor..." -#: IRCNetwork.cpp:1308 +#: IRCNetwork.cpp:1351 msgid "Cannot connect to {1}, because ZNC is not compiled with SSL support." msgstr "" "Não foi possível conectar-se a {1}. O ZNC não foi compilado com suporte a " "SSL." -#: IRCNetwork.cpp:1329 +#: IRCNetwork.cpp:1372 msgid "Some module aborted the connection attempt" msgstr "Algum módulo cancelou a tentativa de conexão" @@ -304,7 +313,7 @@ msgctxt "modhelpcmd" msgid "Generate this output" msgstr "Gera essa saída" -#: Modules.cpp:573 ClientCommand.cpp:1922 +#: Modules.cpp:573 ClientCommand.cpp:1972 msgid "No matches for '{1}'" msgstr "Nenhuma correspondência para '{1}'" @@ -416,11 +425,12 @@ msgstr "Descrição" #: ClientCommand.cpp:51 ClientCommand.cpp:115 ClientCommand.cpp:137 #: ClientCommand.cpp:339 ClientCommand.cpp:390 ClientCommand.cpp:405 -#: ClientCommand.cpp:432 ClientCommand.cpp:459 ClientCommand.cpp:764 -#: ClientCommand.cpp:783 ClientCommand.cpp:809 ClientCommand.cpp:843 -#: ClientCommand.cpp:856 ClientCommand.cpp:869 ClientCommand.cpp:884 -#: ClientCommand.cpp:1345 ClientCommand.cpp:1393 ClientCommand.cpp:1425 -#: ClientCommand.cpp:1436 ClientCommand.cpp:1445 ClientCommand.cpp:1457 +#: ClientCommand.cpp:432 ClientCommand.cpp:459 ClientCommand.cpp:480 +#: ClientCommand.cpp:499 ClientCommand.cpp:809 ClientCommand.cpp:828 +#: ClientCommand.cpp:854 ClientCommand.cpp:888 ClientCommand.cpp:901 +#: ClientCommand.cpp:914 ClientCommand.cpp:929 ClientCommand.cpp:1390 +#: ClientCommand.cpp:1438 ClientCommand.cpp:1470 ClientCommand.cpp:1481 +#: ClientCommand.cpp:1490 ClientCommand.cpp:1502 msgid "You must be connected with a network to use this command" msgstr "Você precisa estar conectado a uma rede para usar este comando" @@ -597,7 +607,7 @@ msgid "" "ERROR: Writing config file to disk failed! Aborting. Use {1} FORCE to ignore." msgstr "" -#: ClientCommand.cpp:344 ClientCommand.cpp:797 ClientCommand.cpp:838 +#: ClientCommand.cpp:344 ClientCommand.cpp:842 ClientCommand.cpp:883 msgid "You don't have any servers added." msgstr "Você não tem servidores adicionados." @@ -641,87 +651,108 @@ msgid_plural "Disabled {1} channels" msgstr[0] "" msgstr[1] "" -#: ClientCommand.cpp:470 +#: ClientCommand.cpp:466 +msgid "Usage: MoveChan <#chan> " +msgstr "" + +#: ClientCommand.cpp:474 +msgid "Moved channel {1} to index {2}" +msgstr "" + +#: ClientCommand.cpp:487 +msgid "Usage: SwapChans <#chan1> <#chan2>" +msgstr "" + +#: ClientCommand.cpp:493 +msgid "Swapped channels {1} and {2}" +msgstr "" + +#: ClientCommand.cpp:510 msgid "Usage: ListChans" msgstr "Sintaxe: ListChans" -#: ClientCommand.cpp:477 +#: ClientCommand.cpp:517 msgid "No such user [{1}]" msgstr "Usuário não encontrado [{1}]" -#: ClientCommand.cpp:483 +#: ClientCommand.cpp:523 msgid "User [{1}] doesn't have network [{2}]" msgstr "Usuário [{1}] não tem uma rede [{2}]" -#: ClientCommand.cpp:494 +#: ClientCommand.cpp:534 msgid "There are no channels defined." msgstr "Não há canais definidos." -#: ClientCommand.cpp:499 ClientCommand.cpp:515 +#: ClientCommand.cpp:539 ClientCommand.cpp:557 +msgctxt "listchans" +msgid "Index" +msgstr "" + +#: ClientCommand.cpp:540 ClientCommand.cpp:558 msgctxt "listchans" msgid "Name" msgstr "Nome" -#: ClientCommand.cpp:500 ClientCommand.cpp:518 +#: ClientCommand.cpp:541 ClientCommand.cpp:561 msgctxt "listchans" msgid "Status" msgstr "Estado" -#: ClientCommand.cpp:501 ClientCommand.cpp:525 +#: ClientCommand.cpp:542 ClientCommand.cpp:568 msgctxt "listchans" msgid "In config" msgstr "Na configuração" -#: ClientCommand.cpp:502 ClientCommand.cpp:527 +#: ClientCommand.cpp:543 ClientCommand.cpp:570 msgctxt "listchans" msgid "Buffer" msgstr "Buffer" -#: ClientCommand.cpp:503 ClientCommand.cpp:531 +#: ClientCommand.cpp:544 ClientCommand.cpp:574 msgctxt "listchans" msgid "Clear" msgstr "Limpar" -#: ClientCommand.cpp:504 ClientCommand.cpp:536 +#: ClientCommand.cpp:545 ClientCommand.cpp:579 msgctxt "listchans" msgid "Modes" msgstr "Modos" -#: ClientCommand.cpp:505 ClientCommand.cpp:537 +#: ClientCommand.cpp:546 ClientCommand.cpp:580 msgctxt "listchans" msgid "Users" msgstr "Usuários" -#: ClientCommand.cpp:520 +#: ClientCommand.cpp:563 msgctxt "listchans" msgid "Detached" msgstr "Desanexado" -#: ClientCommand.cpp:521 +#: ClientCommand.cpp:564 msgctxt "listchans" msgid "Joined" msgstr "Entrou" -#: ClientCommand.cpp:522 +#: ClientCommand.cpp:565 msgctxt "listchans" msgid "Disabled" msgstr "Desabilitado" -#: ClientCommand.cpp:523 +#: ClientCommand.cpp:566 msgctxt "listchans" msgid "Trying" msgstr "Tentando" -#: ClientCommand.cpp:526 ClientCommand.cpp:534 +#: ClientCommand.cpp:569 ClientCommand.cpp:577 msgctxt "listchans" msgid "yes" msgstr "sim" -#: ClientCommand.cpp:551 +#: ClientCommand.cpp:596 msgid "Total: {1}, Joined: {2}, Detached: {3}, Disabled: {4}" msgstr "Total: {1}, Ingressados: {2}, Desanexados: {3}, Desativados: {4}" -#: ClientCommand.cpp:556 +#: ClientCommand.cpp:601 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks using /znc DelNetwork " @@ -730,15 +761,15 @@ msgstr "" "limite de redes, ou então exclua redes desnecessárias usando o comando /znc " "DelNetwork " -#: ClientCommand.cpp:565 +#: ClientCommand.cpp:610 msgid "Usage: AddNetwork " msgstr "Sintaxe: AddNetwork " -#: ClientCommand.cpp:569 +#: ClientCommand.cpp:614 msgid "Network name should be alphanumeric" msgstr "O nome da rede deve ser alfanumérico" -#: ClientCommand.cpp:576 +#: ClientCommand.cpp:621 msgid "" "Network added. Use /znc JumpNetwork {1}, or connect to ZNC with username {2} " "(instead of just {3}) to connect to it." @@ -746,140 +777,140 @@ msgstr "" "Rede adicionada. Use /znc JumpNetwork {1}, ou conecte-se ao ZNC com nome de " "usuário {2} (em vez de apenas {3}) para conectar-se a rede." -#: ClientCommand.cpp:581 +#: ClientCommand.cpp:626 msgid "Unable to add that network" msgstr "Não foi possível adicionar esta rede" -#: ClientCommand.cpp:588 +#: ClientCommand.cpp:633 msgid "Usage: DelNetwork " msgstr "Sintaxe: DelNetwork " -#: ClientCommand.cpp:597 +#: ClientCommand.cpp:642 msgid "Network deleted" msgstr "A rede foi excluída" -#: ClientCommand.cpp:600 +#: ClientCommand.cpp:645 msgid "Failed to delete network, perhaps this network doesn't exist" msgstr "Falha ao excluir rede. Talvez esta rede não existe." -#: ClientCommand.cpp:610 +#: ClientCommand.cpp:655 msgid "User {1} not found" msgstr "Usuário {1} não encontrado" -#: ClientCommand.cpp:618 ClientCommand.cpp:626 +#: ClientCommand.cpp:663 ClientCommand.cpp:671 msgctxt "listnetworks" msgid "Network" msgstr "Rede" -#: ClientCommand.cpp:619 ClientCommand.cpp:628 ClientCommand.cpp:637 +#: ClientCommand.cpp:664 ClientCommand.cpp:673 ClientCommand.cpp:682 msgctxt "listnetworks" msgid "On IRC" msgstr "No IRC" -#: ClientCommand.cpp:620 ClientCommand.cpp:630 +#: ClientCommand.cpp:665 ClientCommand.cpp:675 msgctxt "listnetworks" msgid "IRC Server" msgstr "Servidor IRC" -#: ClientCommand.cpp:621 ClientCommand.cpp:632 +#: ClientCommand.cpp:666 ClientCommand.cpp:677 msgctxt "listnetworks" msgid "IRC User" msgstr "Usuário IRC" -#: ClientCommand.cpp:622 ClientCommand.cpp:634 +#: ClientCommand.cpp:667 ClientCommand.cpp:679 msgctxt "listnetworks" msgid "Channels" msgstr "Canais" -#: ClientCommand.cpp:629 +#: ClientCommand.cpp:674 msgctxt "listnetworks" msgid "Yes" msgstr "Sim" -#: ClientCommand.cpp:638 +#: ClientCommand.cpp:683 msgctxt "listnetworks" msgid "No" msgstr "Não" -#: ClientCommand.cpp:643 +#: ClientCommand.cpp:688 msgctxt "listnetworks" msgid "No networks" msgstr "Não há redes disponíveis." -#: ClientCommand.cpp:647 ClientCommand.cpp:952 +#: ClientCommand.cpp:692 ClientCommand.cpp:997 msgid "Access denied." msgstr "Acesso negado." -#: ClientCommand.cpp:658 +#: ClientCommand.cpp:703 msgid "Usage: MoveNetwork [new network]" msgstr "" "Sintaxe: MoveNetwork [nova " "rede]" -#: ClientCommand.cpp:668 +#: ClientCommand.cpp:713 msgid "Old user {1} not found." msgstr "Usuário antigo [{1}] não foi encontrado." -#: ClientCommand.cpp:674 +#: ClientCommand.cpp:719 msgid "Old network {1} not found." msgstr "Rede antiga [{1}] não foi encontrada." -#: ClientCommand.cpp:680 +#: ClientCommand.cpp:725 msgid "New user {1} not found." msgstr "Novo usuário [{1}] não foi encontrado." -#: ClientCommand.cpp:685 +#: ClientCommand.cpp:730 msgid "User {1} already has network {2}." msgstr "O usuário {1} já possui a rede {2}." -#: ClientCommand.cpp:691 +#: ClientCommand.cpp:736 msgid "Invalid network name [{1}]" msgstr "Nome de rede inválido [{1}]" -#: ClientCommand.cpp:707 +#: ClientCommand.cpp:752 msgid "Some files seem to be in {1}. You might want to move them to {2}" msgstr "" "Alguns arquivos parecem estar em {1}. É recomendável que você mova-os para " "{2}" -#: ClientCommand.cpp:721 +#: ClientCommand.cpp:766 msgid "Error adding network: {1}" msgstr "Falha ao adicionar rede: {1}" -#: ClientCommand.cpp:733 +#: ClientCommand.cpp:778 msgid "Success." msgstr "Sucesso." -#: ClientCommand.cpp:736 +#: ClientCommand.cpp:781 msgid "Copied the network to new user, but failed to delete old network" msgstr "" "Rede copiada para o novo usuário, mas não foi possível deletar a rede antiga" -#: ClientCommand.cpp:743 +#: ClientCommand.cpp:788 msgid "No network supplied." msgstr "Nenhuma rede fornecida." -#: ClientCommand.cpp:748 +#: ClientCommand.cpp:793 msgid "You are already connected with this network." msgstr "Você já está conectado com esta rede." -#: ClientCommand.cpp:754 +#: ClientCommand.cpp:799 msgid "Switched to {1}" msgstr "Trocado para {1}" -#: ClientCommand.cpp:757 +#: ClientCommand.cpp:802 msgid "You don't have a network named {1}" msgstr "Você não tem uma rede chamada {1}" -#: ClientCommand.cpp:769 +#: ClientCommand.cpp:814 msgid "Usage: AddServer [[+]port] [pass]" msgstr "Sintaxe: AddServer [[+]porta] [senha]" -#: ClientCommand.cpp:774 +#: ClientCommand.cpp:819 msgid "Server added" msgstr "Servidor adicionado" -#: ClientCommand.cpp:777 +#: ClientCommand.cpp:822 msgid "" "Unable to add that server. Perhaps the server is already added or openssl is " "disabled?" @@ -887,234 +918,234 @@ msgstr "" "Não é possível adicionar esse servidor. Talvez o servidor já tenha sido " "adicionado ou o openssl esteja desativado?" -#: ClientCommand.cpp:792 +#: ClientCommand.cpp:837 msgid "Usage: DelServer [port] [pass]" msgstr "Sintaxe: DelServer [porta] [senha]" -#: ClientCommand.cpp:802 +#: ClientCommand.cpp:847 msgid "Server removed" msgstr "Servidor removido" -#: ClientCommand.cpp:804 +#: ClientCommand.cpp:849 msgid "No such server" msgstr "Servidor não existe" -#: ClientCommand.cpp:817 ClientCommand.cpp:825 +#: ClientCommand.cpp:862 ClientCommand.cpp:870 msgctxt "listservers" msgid "Host" msgstr "Host" -#: ClientCommand.cpp:818 ClientCommand.cpp:827 +#: ClientCommand.cpp:863 ClientCommand.cpp:872 msgctxt "listservers" msgid "Port" msgstr "Porta" -#: ClientCommand.cpp:819 ClientCommand.cpp:830 +#: ClientCommand.cpp:864 ClientCommand.cpp:875 msgctxt "listservers" msgid "SSL" msgstr "SSL" -#: ClientCommand.cpp:820 ClientCommand.cpp:832 +#: ClientCommand.cpp:865 ClientCommand.cpp:877 msgctxt "listservers" msgid "Password" msgstr "Senha" -#: ClientCommand.cpp:831 +#: ClientCommand.cpp:876 msgctxt "listservers|cell" msgid "SSL" msgstr "SSL" -#: ClientCommand.cpp:848 +#: ClientCommand.cpp:893 msgid "Usage: AddTrustedServerFingerprint " msgstr "Sintaxe: AddTrustedServerFingerprint " -#: ClientCommand.cpp:852 ClientCommand.cpp:865 +#: ClientCommand.cpp:897 ClientCommand.cpp:910 msgid "Done." msgstr "Feito." -#: ClientCommand.cpp:861 +#: ClientCommand.cpp:906 msgid "Usage: DelTrustedServerFingerprint " msgstr "Sintaxe: AddTrustedServerFingerprint " -#: ClientCommand.cpp:874 +#: ClientCommand.cpp:919 msgid "No fingerprints added." msgstr "Nenhuma impressão digital adicionada." -#: ClientCommand.cpp:890 ClientCommand.cpp:896 +#: ClientCommand.cpp:935 ClientCommand.cpp:941 msgctxt "topicscmd" msgid "Channel" msgstr "Canal" -#: ClientCommand.cpp:891 ClientCommand.cpp:897 +#: ClientCommand.cpp:936 ClientCommand.cpp:942 msgctxt "topicscmd" msgid "Set By" msgstr "Definido por" -#: ClientCommand.cpp:892 ClientCommand.cpp:898 +#: ClientCommand.cpp:937 ClientCommand.cpp:943 msgctxt "topicscmd" msgid "Topic" msgstr "Tópico" -#: ClientCommand.cpp:905 ClientCommand.cpp:910 +#: ClientCommand.cpp:950 ClientCommand.cpp:955 msgctxt "listmods" msgid "Name" msgstr "Nome" -#: ClientCommand.cpp:906 ClientCommand.cpp:911 +#: ClientCommand.cpp:951 ClientCommand.cpp:956 msgctxt "listmods" msgid "Arguments" msgstr "Parâmetros" -#: ClientCommand.cpp:920 +#: ClientCommand.cpp:965 msgid "No global modules loaded." msgstr "Não há módulos globais carregados." -#: ClientCommand.cpp:922 ClientCommand.cpp:986 +#: ClientCommand.cpp:967 ClientCommand.cpp:1031 msgid "Global modules:" msgstr "Módulos globais:" -#: ClientCommand.cpp:931 +#: ClientCommand.cpp:976 msgid "Your user has no modules loaded." msgstr "Seu usuário não possui módulos carregados." -#: ClientCommand.cpp:933 ClientCommand.cpp:998 +#: ClientCommand.cpp:978 ClientCommand.cpp:1043 msgid "User modules:" msgstr "Módulos de usuário:" -#: ClientCommand.cpp:941 +#: ClientCommand.cpp:986 msgid "This network has no modules loaded." msgstr "Esta rede não possui módulos carregados." -#: ClientCommand.cpp:943 ClientCommand.cpp:1010 +#: ClientCommand.cpp:988 ClientCommand.cpp:1055 msgid "Network modules:" msgstr "Módulos da rede:" -#: ClientCommand.cpp:958 ClientCommand.cpp:965 +#: ClientCommand.cpp:1003 ClientCommand.cpp:1010 msgctxt "listavailmods" msgid "Name" msgstr "Nome" -#: ClientCommand.cpp:959 ClientCommand.cpp:970 +#: ClientCommand.cpp:1004 ClientCommand.cpp:1015 msgctxt "listavailmods" msgid "Description" msgstr "Descrição" -#: ClientCommand.cpp:984 +#: ClientCommand.cpp:1029 msgid "No global modules available." msgstr "Não há módulos globais disponíveis." -#: ClientCommand.cpp:996 +#: ClientCommand.cpp:1041 msgid "No user modules available." msgstr "Não há módulos de usuário disponíveis." -#: ClientCommand.cpp:1008 +#: ClientCommand.cpp:1053 msgid "No network modules available." msgstr "Não há módulos de rede disponíveis." -#: ClientCommand.cpp:1036 +#: ClientCommand.cpp:1081 msgid "Unable to load {1}: Access denied." msgstr "Falha ao carregar {1}: acesso negado." -#: ClientCommand.cpp:1042 +#: ClientCommand.cpp:1087 msgid "Usage: LoadMod [--type=global|user|network] [args]" msgstr "Sintaxe: LoadMod [--type=global|user|network] [parâmetros]" -#: ClientCommand.cpp:1049 +#: ClientCommand.cpp:1094 msgid "Unable to load {1}: {2}" msgstr "Não foi possível carregar {1}: {2}" -#: ClientCommand.cpp:1059 +#: ClientCommand.cpp:1104 msgid "Unable to load global module {1}: Access denied." msgstr "Falha ao carregar o módulo global {1}: acesso negado." -#: ClientCommand.cpp:1065 +#: ClientCommand.cpp:1110 msgid "Unable to load network module {1}: Not connected with a network." msgstr "Falha ao carregar o módulo de rede {1}: sem conexão com uma rede." -#: ClientCommand.cpp:1087 +#: ClientCommand.cpp:1132 msgid "Unknown module type" msgstr "Tipo de módulo desconhecido" -#: ClientCommand.cpp:1092 +#: ClientCommand.cpp:1137 msgid "Loaded module {1}" msgstr "Módulo {1} carregado" -#: ClientCommand.cpp:1094 +#: ClientCommand.cpp:1139 msgid "Loaded module {1}: {2}" msgstr "Módulo {1} carregado: {2}" -#: ClientCommand.cpp:1097 +#: ClientCommand.cpp:1142 msgid "Unable to load module {1}: {2}" msgstr "Falha ao carregar o módulo {1}: {2}" -#: ClientCommand.cpp:1120 +#: ClientCommand.cpp:1165 msgid "Unable to unload {1}: Access denied." msgstr "Falha ao descarregar {1}: acesso negado." -#: ClientCommand.cpp:1126 +#: ClientCommand.cpp:1171 msgid "Usage: UnloadMod [--type=global|user|network] " msgstr "Sintaxe: UnloadMod [--type=global|user|network] " -#: ClientCommand.cpp:1135 +#: ClientCommand.cpp:1180 msgid "Unable to determine type of {1}: {2}" msgstr "Falha ao determinar o tipo do módulo {1}: {2}" -#: ClientCommand.cpp:1143 +#: ClientCommand.cpp:1188 msgid "Unable to unload global module {1}: Access denied." msgstr "Falha ao descarregar o módulo global {1}: acesso negado." -#: ClientCommand.cpp:1150 +#: ClientCommand.cpp:1195 msgid "Unable to unload network module {1}: Not connected with a network." msgstr "Falha ao descarregar o módulo de rede {1}: sem conexão com uma rede." -#: ClientCommand.cpp:1169 +#: ClientCommand.cpp:1214 msgid "Unable to unload module {1}: Unknown module type" msgstr "Falha ao descarregar o módulo {1}: tipo de módulo desconhecido" -#: ClientCommand.cpp:1182 +#: ClientCommand.cpp:1227 msgid "Unable to reload modules. Access denied." msgstr "Falha ao recarregar módulos: acesso negado." -#: ClientCommand.cpp:1203 +#: ClientCommand.cpp:1248 msgid "Usage: ReloadMod [--type=global|user|network] [args]" msgstr "Sintaxe: ReloadMod [--type=global|user|network] [parâmetros]" -#: ClientCommand.cpp:1212 +#: ClientCommand.cpp:1257 msgid "Unable to reload {1}: {2}" msgstr "Falha ao recarregar {1}: {2}" -#: ClientCommand.cpp:1220 +#: ClientCommand.cpp:1265 msgid "Unable to reload global module {1}: Access denied." msgstr "Falha ao recarregar o módulo global {1}: acesso negado." -#: ClientCommand.cpp:1227 +#: ClientCommand.cpp:1272 msgid "Unable to reload network module {1}: Not connected with a network." msgstr "Falha ao recarregar o módulo de rede {1}: sem conexão com uma rede." -#: ClientCommand.cpp:1249 +#: ClientCommand.cpp:1294 msgid "Unable to reload module {1}: Unknown module type" msgstr "Falha ao recarregar o módulo {1}: tipo de módulo desconhecido" -#: ClientCommand.cpp:1260 +#: ClientCommand.cpp:1305 msgid "Usage: UpdateMod " msgstr "Sintaxe: UpdateMod " -#: ClientCommand.cpp:1264 +#: ClientCommand.cpp:1309 msgid "Reloading {1} everywhere" msgstr "Recarregando {1}" -#: ClientCommand.cpp:1266 +#: ClientCommand.cpp:1311 msgid "Done" msgstr "Feito" -#: ClientCommand.cpp:1269 +#: ClientCommand.cpp:1314 msgid "" "Done, but there were errors, module {1} could not be reloaded everywhere." msgstr "" "Concluído, porém com erros, o módulo {1} não pode ser recarregado em lugar " "nenhum." -#: ClientCommand.cpp:1277 +#: ClientCommand.cpp:1322 msgid "" "You must be connected with a network to use this command. Try " "SetUserBindHost instead" @@ -1122,27 +1153,27 @@ msgstr "" "Você precisa estar conectado a uma rede para usar este comando. Tente " "SetUserBindHost" -#: ClientCommand.cpp:1284 +#: ClientCommand.cpp:1329 msgid "Usage: SetBindHost " msgstr "Sintaxe: SetBindHost " -#: ClientCommand.cpp:1289 ClientCommand.cpp:1306 +#: ClientCommand.cpp:1334 ClientCommand.cpp:1351 msgid "You already have this bind host!" msgstr "Você já está vinculado a este host!" -#: ClientCommand.cpp:1294 +#: ClientCommand.cpp:1339 msgid "Set bind host for network {1} to {2}" msgstr "Vincular o host {2} à rede {1}" -#: ClientCommand.cpp:1301 +#: ClientCommand.cpp:1346 msgid "Usage: SetUserBindHost " msgstr "Sintaxe: SetUserBindHost " -#: ClientCommand.cpp:1311 +#: ClientCommand.cpp:1356 msgid "Set default bind host to {1}" msgstr "Define o host padrão como {1}" -#: ClientCommand.cpp:1317 +#: ClientCommand.cpp:1362 msgid "" "You must be connected with a network to use this command. Try " "ClearUserBindHost instead" @@ -1150,258 +1181,254 @@ msgstr "" "Você precisa estar conectado a uma rede para usar este comando. Tente " "SetUserBindHost" -#: ClientCommand.cpp:1322 +#: ClientCommand.cpp:1367 msgid "Bind host cleared for this network." msgstr "Host removido para esta rede." -#: ClientCommand.cpp:1326 +#: ClientCommand.cpp:1371 msgid "Default bind host cleared for your user." msgstr "Host padrão removido para seu usuário." -#: ClientCommand.cpp:1329 +#: ClientCommand.cpp:1374 msgid "This user's default bind host not set" msgstr "O host padrão deste usuário não está definido" -#: ClientCommand.cpp:1331 +#: ClientCommand.cpp:1376 msgid "This user's default bind host is {1}" msgstr "O host padrão vinculado a este usuário é {1}" -#: ClientCommand.cpp:1336 +#: ClientCommand.cpp:1381 msgid "This network's bind host not set" msgstr "Esta rede não possui hosts vinculados" -#: ClientCommand.cpp:1338 +#: ClientCommand.cpp:1383 msgid "This network's default bind host is {1}" msgstr "O host padrão vinculado a esta rede é {1}" -#: ClientCommand.cpp:1352 +#: ClientCommand.cpp:1397 msgid "Usage: PlayBuffer <#chan|query>" msgstr "Uso: PlayBuffer <#canal|query>" -#: ClientCommand.cpp:1360 -msgid "You are not on {1}" -msgstr "Você não está em {1}" - -#: ClientCommand.cpp:1365 +#: ClientCommand.cpp:1410 msgid "You are not on {1} (trying to join)" msgstr "Você não está em {1} (tentando entrar)" -#: ClientCommand.cpp:1370 +#: ClientCommand.cpp:1415 msgid "The buffer for channel {1} is empty" msgstr "O buffer para o canal {1} está vazio" -#: ClientCommand.cpp:1379 +#: ClientCommand.cpp:1424 msgid "No active query with {1}" msgstr "Nenhum query ativo com {1}" -#: ClientCommand.cpp:1384 +#: ClientCommand.cpp:1429 msgid "The buffer for {1} is empty" msgstr "O buffer para {1} está vazio" -#: ClientCommand.cpp:1400 +#: ClientCommand.cpp:1445 msgid "Usage: ClearBuffer <#chan|query>" msgstr "Uso: ClearBuffer <#canal|query>" -#: ClientCommand.cpp:1419 +#: ClientCommand.cpp:1464 msgid "{1} buffer matching {2} has been cleared" msgid_plural "{1} buffers matching {2} have been cleared" msgstr[0] "{1} buffer correspondente a {2} foi limpo" msgstr[1] "{1} buffers correspondentes a {2} foram limpos" -#: ClientCommand.cpp:1432 +#: ClientCommand.cpp:1477 msgid "All channel buffers have been cleared" msgstr "Todos os buffers de canais foram limpos" -#: ClientCommand.cpp:1441 +#: ClientCommand.cpp:1486 msgid "All query buffers have been cleared" msgstr "Todos os buffers de queries foram limpos" -#: ClientCommand.cpp:1453 +#: ClientCommand.cpp:1498 msgid "All buffers have been cleared" msgstr "Todos os buffers foram limpos" -#: ClientCommand.cpp:1464 +#: ClientCommand.cpp:1509 msgid "Usage: SetBuffer <#chan|query> [linecount]" msgstr "Uso: SetBuffer <#canal|query> [linecount]" -#: ClientCommand.cpp:1485 +#: ClientCommand.cpp:1530 msgid "Setting buffer size failed for {1} buffer" msgid_plural "Setting buffer size failed for {1} buffers" msgstr[0] "A configuração do tamanho de buffer para {1} buffer falhou" msgstr[1] "A configuração do tamanho de buffer para {1} buffers falharam" -#: ClientCommand.cpp:1488 +#: ClientCommand.cpp:1533 msgid "Maximum buffer size is {1} line" msgid_plural "Maximum buffer size is {1} lines" msgstr[0] "Tamanho mínimo de buffer é de {1} linha" msgstr[1] "Tamanho mínimo de buffer é de {1} linhas" -#: ClientCommand.cpp:1493 +#: ClientCommand.cpp:1538 msgid "Size of every buffer was set to {1} line" msgid_plural "Size of every buffer was set to {1} lines" msgstr[0] "O tamanho de cada buffer foi configurado para {1} linha" msgstr[1] "O tamanho de cada buffer foi configurado para {1} linhas" -#: ClientCommand.cpp:1503 ClientCommand.cpp:1510 ClientCommand.cpp:1521 -#: ClientCommand.cpp:1530 ClientCommand.cpp:1538 +#: ClientCommand.cpp:1548 ClientCommand.cpp:1555 ClientCommand.cpp:1566 +#: ClientCommand.cpp:1575 ClientCommand.cpp:1583 msgctxt "trafficcmd" msgid "Username" msgstr "Nome de usuário" -#: ClientCommand.cpp:1504 ClientCommand.cpp:1511 ClientCommand.cpp:1523 -#: ClientCommand.cpp:1532 ClientCommand.cpp:1540 +#: ClientCommand.cpp:1549 ClientCommand.cpp:1556 ClientCommand.cpp:1568 +#: ClientCommand.cpp:1577 ClientCommand.cpp:1585 msgctxt "trafficcmd" msgid "In" msgstr "Entrada" -#: ClientCommand.cpp:1505 ClientCommand.cpp:1513 ClientCommand.cpp:1524 -#: ClientCommand.cpp:1533 ClientCommand.cpp:1541 +#: ClientCommand.cpp:1550 ClientCommand.cpp:1558 ClientCommand.cpp:1569 +#: ClientCommand.cpp:1578 ClientCommand.cpp:1586 msgctxt "trafficcmd" msgid "Out" msgstr "Saída" -#: ClientCommand.cpp:1506 ClientCommand.cpp:1516 ClientCommand.cpp:1526 -#: ClientCommand.cpp:1534 ClientCommand.cpp:1543 +#: ClientCommand.cpp:1551 ClientCommand.cpp:1561 ClientCommand.cpp:1571 +#: ClientCommand.cpp:1579 ClientCommand.cpp:1588 msgctxt "trafficcmd" msgid "Total" msgstr "Total" -#: ClientCommand.cpp:1522 +#: ClientCommand.cpp:1567 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1531 +#: ClientCommand.cpp:1576 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1539 +#: ClientCommand.cpp:1584 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1548 +#: ClientCommand.cpp:1593 msgid "Running for {1}" msgstr "Rodando por {1}" -#: ClientCommand.cpp:1554 +#: ClientCommand.cpp:1599 msgid "Unknown command, try 'Help'" msgstr "Comando desconhecido, tente 'Help'" -#: ClientCommand.cpp:1563 ClientCommand.cpp:1574 +#: ClientCommand.cpp:1608 ClientCommand.cpp:1619 msgctxt "listports" msgid "Port" msgstr "Porta" -#: ClientCommand.cpp:1564 ClientCommand.cpp:1577 +#: ClientCommand.cpp:1609 ClientCommand.cpp:1622 msgctxt "listports" msgid "BindHost" msgstr "Host vinculado" -#: ClientCommand.cpp:1565 ClientCommand.cpp:1580 +#: ClientCommand.cpp:1610 ClientCommand.cpp:1625 msgctxt "listports" msgid "SSL" msgstr "SSL" -#: ClientCommand.cpp:1566 ClientCommand.cpp:1585 +#: ClientCommand.cpp:1611 ClientCommand.cpp:1630 msgctxt "listports" msgid "Protocol" msgstr "Protocolo" -#: ClientCommand.cpp:1567 ClientCommand.cpp:1592 +#: ClientCommand.cpp:1612 ClientCommand.cpp:1637 msgctxt "listports" msgid "IRC" msgstr "IRC" -#: ClientCommand.cpp:1568 ClientCommand.cpp:1597 +#: ClientCommand.cpp:1613 ClientCommand.cpp:1642 msgctxt "listports" msgid "Web" msgstr "Web" -#: ClientCommand.cpp:1581 +#: ClientCommand.cpp:1626 msgctxt "listports|ssl" msgid "yes" msgstr "sim" -#: ClientCommand.cpp:1582 +#: ClientCommand.cpp:1627 msgctxt "listports|ssl" msgid "no" msgstr "não" -#: ClientCommand.cpp:1586 +#: ClientCommand.cpp:1631 msgctxt "listports" msgid "IPv4 and IPv6" msgstr "IPv4 e IPv6" -#: ClientCommand.cpp:1588 +#: ClientCommand.cpp:1633 msgctxt "listports" msgid "IPv4" msgstr "IPv4" -#: ClientCommand.cpp:1589 +#: ClientCommand.cpp:1634 msgctxt "listports" msgid "IPv6" msgstr "IPv6" -#: ClientCommand.cpp:1595 +#: ClientCommand.cpp:1640 msgctxt "listports|irc" msgid "yes" msgstr "sim" -#: ClientCommand.cpp:1596 +#: ClientCommand.cpp:1641 msgctxt "listports|irc" msgid "no" msgstr "não" -#: ClientCommand.cpp:1600 +#: ClientCommand.cpp:1645 msgctxt "listports|irc" msgid "yes, on {1}" msgstr "sim, em {1}" -#: ClientCommand.cpp:1602 +#: ClientCommand.cpp:1647 msgctxt "listports|web" msgid "no" msgstr "não" -#: ClientCommand.cpp:1642 +#: ClientCommand.cpp:1687 msgid "" "Usage: AddPort <[+]port> [bindhost [uriprefix]]" msgstr "" "Sintaxe: AddPort <[+]porta> [host vinculado " "[prefixo de URI]]" -#: ClientCommand.cpp:1658 +#: ClientCommand.cpp:1703 msgid "Port added" msgstr "Porta adicionada" -#: ClientCommand.cpp:1660 +#: ClientCommand.cpp:1705 msgid "Couldn't add port" msgstr "Não foi possível adicionar esta porta" -#: ClientCommand.cpp:1666 +#: ClientCommand.cpp:1711 msgid "Usage: DelPort [bindhost]" msgstr "Sintaxe: DelPort [host vinculado]" -#: ClientCommand.cpp:1675 +#: ClientCommand.cpp:1720 msgid "Deleted Port" msgstr "Porta deletada" -#: ClientCommand.cpp:1677 +#: ClientCommand.cpp:1722 msgid "Unable to find a matching port" msgstr "Não foi possível encontrar uma porta correspondente" -#: ClientCommand.cpp:1685 ClientCommand.cpp:1700 +#: ClientCommand.cpp:1730 ClientCommand.cpp:1745 msgctxt "helpcmd" msgid "Command" msgstr "Comando" -#: ClientCommand.cpp:1686 ClientCommand.cpp:1702 +#: ClientCommand.cpp:1731 ClientCommand.cpp:1747 msgctxt "helpcmd" msgid "Description" msgstr "Descrição" -#: ClientCommand.cpp:1691 +#: ClientCommand.cpp:1736 msgid "" "In the following list all occurrences of <#chan> support wildcards (* and ?) " "except ListNicks" @@ -1409,87 +1436,87 @@ msgstr "" "Na lista a seguir, todas as ocorrências de <#chan> suportam wildcards (* " "e ?), exceto ListNicks" -#: ClientCommand.cpp:1708 +#: ClientCommand.cpp:1753 msgctxt "helpcmd|Version|desc" msgid "Print which version of ZNC this is" msgstr "Imprime qual é esta versão do ZNC" -#: ClientCommand.cpp:1711 +#: ClientCommand.cpp:1756 msgctxt "helpcmd|ListMods|desc" msgid "List all loaded modules" msgstr "Lista todos os módulos carregados" -#: ClientCommand.cpp:1714 +#: ClientCommand.cpp:1759 msgctxt "helpcmd|ListAvailMods|desc" msgid "List all available modules" msgstr "Lista todos os módulos disponíveis" -#: ClientCommand.cpp:1718 ClientCommand.cpp:1904 +#: ClientCommand.cpp:1763 ClientCommand.cpp:1954 msgctxt "helpcmd|ListChans|desc" msgid "List all channels" msgstr "Listar todos os canais" -#: ClientCommand.cpp:1721 +#: ClientCommand.cpp:1766 msgctxt "helpcmd|ListNicks|args" msgid "<#chan>" msgstr "<#canal>" -#: ClientCommand.cpp:1722 +#: ClientCommand.cpp:1767 msgctxt "helpcmd|ListNicks|desc" msgid "List all nicks on a channel" msgstr "Listar todos os apelidos em um canal" -#: ClientCommand.cpp:1725 +#: ClientCommand.cpp:1770 msgctxt "helpcmd|ListClients|desc" msgid "List all clients connected to your ZNC user" msgstr "Listar todos os clientes conectados ao seu usuário do ZNC" -#: ClientCommand.cpp:1729 +#: ClientCommand.cpp:1774 msgctxt "helpcmd|ListServers|desc" msgid "List all servers of current IRC network" msgstr "Listar todos os servidores da rede atual" -#: ClientCommand.cpp:1733 +#: ClientCommand.cpp:1778 msgctxt "helpcmd|AddNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1734 +#: ClientCommand.cpp:1779 msgctxt "helpcmd|AddNetwork|desc" msgid "Add a network to your user" msgstr "Adiciona uma rede ao seu usuário" -#: ClientCommand.cpp:1736 +#: ClientCommand.cpp:1781 msgctxt "helpcmd|DelNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1737 +#: ClientCommand.cpp:1782 msgctxt "helpcmd|DelNetwork|desc" msgid "Delete a network from your user" msgstr "Exclui uma rede do seu usuário" -#: ClientCommand.cpp:1739 +#: ClientCommand.cpp:1784 msgctxt "helpcmd|ListNetworks|desc" msgid "List all networks" msgstr "Listar todas as redes" -#: ClientCommand.cpp:1742 +#: ClientCommand.cpp:1787 msgctxt "helpcmd|MoveNetwork|args" msgid " [new network]" msgstr " [rede nova]" -#: ClientCommand.cpp:1744 +#: ClientCommand.cpp:1789 msgctxt "helpcmd|MoveNetwork|desc" msgid "Move an IRC network from one user to another" msgstr "Move uma rede de um usuário para outro" -#: ClientCommand.cpp:1748 +#: ClientCommand.cpp:1793 msgctxt "helpcmd|JumpNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1749 +#: ClientCommand.cpp:1794 msgctxt "helpcmd|JumpNetwork|desc" msgid "" "Jump to another network (Alternatively, you can connect to ZNC several " @@ -1498,35 +1525,35 @@ msgstr "" "Troca para outra rede (você pode também conectar ao ZNC várias vezes " "utilizando `usuário/rede` como nome de usuário)" -#: ClientCommand.cpp:1754 +#: ClientCommand.cpp:1799 msgctxt "helpcmd|AddServer|args" msgid " [[+]port] [pass]" msgstr " [[+]porta] [senha]" -#: ClientCommand.cpp:1755 +#: ClientCommand.cpp:1800 msgctxt "helpcmd|AddServer|desc" msgid "" "Add a server to the list of alternate/backup servers of current IRC network." msgstr "Adiciona um servidor à lista de servidores alternativos da rede atual." -#: ClientCommand.cpp:1759 +#: ClientCommand.cpp:1804 msgctxt "helpcmd|DelServer|args" msgid " [port] [pass]" msgstr " [porta] [senha]" -#: ClientCommand.cpp:1760 +#: ClientCommand.cpp:1805 msgctxt "helpcmd|DelServer|desc" msgid "" "Remove a server from the list of alternate/backup servers of current IRC " "network" msgstr "Remove um servidor da lista de servidores alternativos da rede atual." -#: ClientCommand.cpp:1766 +#: ClientCommand.cpp:1811 msgctxt "helpcmd|AddTrustedServerFingerprint|args" msgid "" msgstr "" -#: ClientCommand.cpp:1767 +#: ClientCommand.cpp:1812 msgctxt "helpcmd|AddTrustedServerFingerprint|desc" msgid "" "Add a trusted server SSL certificate fingerprint (SHA-256) to current IRC " @@ -1535,337 +1562,357 @@ msgstr "" "Adiciona a impressão digital (SHA-256) do certificado SSL confiável de um " "servidor à rede atual." -#: ClientCommand.cpp:1772 +#: ClientCommand.cpp:1817 msgctxt "helpcmd|DelTrustedServerFingerprint|args" msgid "" msgstr "" -#: ClientCommand.cpp:1773 +#: ClientCommand.cpp:1818 msgctxt "helpcmd|DelTrustedServerFingerprint|desc" msgid "Delete a trusted server SSL certificate from current IRC network." msgstr "Exclui um certificado SSL confiável da rede atual." -#: ClientCommand.cpp:1777 +#: ClientCommand.cpp:1822 msgctxt "helpcmd|ListTrustedServerFingerprints|desc" msgid "List all trusted server SSL certificates of current IRC network." msgstr "Lista todos os certificados SSL confiáveis da rede atual." -#: ClientCommand.cpp:1780 +#: ClientCommand.cpp:1825 msgctxt "helpcmd|EnableChan|args" msgid "<#chans>" msgstr "<#canais>" -#: ClientCommand.cpp:1781 +#: ClientCommand.cpp:1826 msgctxt "helpcmd|EnableChan|desc" msgid "Enable channels" msgstr "Habilitar canais" -#: ClientCommand.cpp:1782 +#: ClientCommand.cpp:1827 msgctxt "helpcmd|DisableChan|args" msgid "<#chans>" msgstr "<#canais>" -#: ClientCommand.cpp:1783 +#: ClientCommand.cpp:1828 msgctxt "helpcmd|DisableChan|desc" msgid "Disable channels" msgstr "Desativar canais" -#: ClientCommand.cpp:1784 +#: ClientCommand.cpp:1829 +msgctxt "helpcmd|MoveChan|args" +msgid "<#chan> " +msgstr "" + +#: ClientCommand.cpp:1830 +msgctxt "helpcmd|MoveChan|desc" +msgid "Move channel in sort order" +msgstr "" + +#: ClientCommand.cpp:1832 +msgctxt "helpcmd|SwapChans|args" +msgid "<#chan1> <#chan2>" +msgstr "" + +#: ClientCommand.cpp:1833 +msgctxt "helpcmd|SwapChans|desc" +msgid "Swap channels in sort order" +msgstr "" + +#: ClientCommand.cpp:1834 msgctxt "helpcmd|Attach|args" msgid "<#chans>" msgstr "<#canais>" -#: ClientCommand.cpp:1785 +#: ClientCommand.cpp:1835 msgctxt "helpcmd|Attach|desc" msgid "Attach to channels" msgstr "Anexar aos canais" -#: ClientCommand.cpp:1786 +#: ClientCommand.cpp:1836 msgctxt "helpcmd|Detach|args" msgid "<#chans>" msgstr "<#canais>" -#: ClientCommand.cpp:1787 +#: ClientCommand.cpp:1837 msgctxt "helpcmd|Detach|desc" msgid "Detach from channels" msgstr "Desconectar dos canais" -#: ClientCommand.cpp:1790 +#: ClientCommand.cpp:1840 msgctxt "helpcmd|Topics|desc" msgid "Show topics in all your channels" msgstr "Mostra tópicos em todos os seus canais" -#: ClientCommand.cpp:1793 +#: ClientCommand.cpp:1843 msgctxt "helpcmd|PlayBuffer|args" msgid "<#chan|query>" msgstr "" -#: ClientCommand.cpp:1794 +#: ClientCommand.cpp:1844 msgctxt "helpcmd|PlayBuffer|desc" msgid "Play back the specified buffer" msgstr "" -#: ClientCommand.cpp:1796 +#: ClientCommand.cpp:1846 msgctxt "helpcmd|ClearBuffer|args" msgid "<#chan|query>" msgstr "" -#: ClientCommand.cpp:1797 +#: ClientCommand.cpp:1847 msgctxt "helpcmd|ClearBuffer|desc" msgid "Clear the specified buffer" msgstr "" -#: ClientCommand.cpp:1799 +#: ClientCommand.cpp:1849 msgctxt "helpcmd|ClearAllBuffers|desc" msgid "Clear all channel and query buffers" msgstr "" -#: ClientCommand.cpp:1802 +#: ClientCommand.cpp:1852 msgctxt "helpcmd|ClearAllChannelBuffers|desc" msgid "Clear the channel buffers" msgstr "" -#: ClientCommand.cpp:1806 +#: ClientCommand.cpp:1856 msgctxt "helpcmd|ClearAllQueryBuffers|desc" msgid "Clear the query buffers" msgstr "" -#: ClientCommand.cpp:1808 +#: ClientCommand.cpp:1858 msgctxt "helpcmd|SetBuffer|args" msgid "<#chan|query> [linecount]" msgstr "" -#: ClientCommand.cpp:1809 +#: ClientCommand.cpp:1859 msgctxt "helpcmd|SetBuffer|desc" msgid "Set the buffer count" msgstr "Define a contagem do buffer" -#: ClientCommand.cpp:1813 +#: ClientCommand.cpp:1863 msgctxt "helpcmd|SetBindHost|args" msgid "" msgstr "" -#: ClientCommand.cpp:1814 +#: ClientCommand.cpp:1864 msgctxt "helpcmd|SetBindHost|desc" msgid "Set the bind host for this network" msgstr "Vincula o host especificado a esta rede" -#: ClientCommand.cpp:1818 +#: ClientCommand.cpp:1868 msgctxt "helpcmd|SetUserBindHost|args" msgid "" msgstr "" -#: ClientCommand.cpp:1819 +#: ClientCommand.cpp:1869 msgctxt "helpcmd|SetUserBindHost|desc" msgid "Set the default bind host for this user" msgstr "Vincula o host especificado a este usuário" -#: ClientCommand.cpp:1822 +#: ClientCommand.cpp:1872 msgctxt "helpcmd|ClearBindHost|desc" msgid "Clear the bind host for this network" msgstr "Limpa o host para esta rede" -#: ClientCommand.cpp:1825 +#: ClientCommand.cpp:1875 msgctxt "helpcmd|ClearUserBindHost|desc" msgid "Clear the default bind host for this user" msgstr "Limpa o host padrão para este usuário" -#: ClientCommand.cpp:1831 +#: ClientCommand.cpp:1881 msgctxt "helpcmd|ShowBindHost|desc" msgid "Show currently selected bind host" msgstr "Mostra host atualmente selecionado" -#: ClientCommand.cpp:1833 +#: ClientCommand.cpp:1883 msgctxt "helpcmd|Jump|args" msgid "[server]" msgstr "[servidor]" -#: ClientCommand.cpp:1834 +#: ClientCommand.cpp:1884 msgctxt "helpcmd|Jump|desc" msgid "Jump to the next or the specified server" msgstr "Pule para o próximo servidor ou para o servidor especificado" -#: ClientCommand.cpp:1835 +#: ClientCommand.cpp:1885 msgctxt "helpcmd|Disconnect|args" msgid "[message]" msgstr "[mensagem]" -#: ClientCommand.cpp:1836 +#: ClientCommand.cpp:1886 msgctxt "helpcmd|Disconnect|desc" msgid "Disconnect from IRC" msgstr "Desconecta do IRC" -#: ClientCommand.cpp:1838 +#: ClientCommand.cpp:1888 msgctxt "helpcmd|Connect|desc" msgid "Reconnect to IRC" msgstr "Reconecta ao IRC" -#: ClientCommand.cpp:1841 +#: ClientCommand.cpp:1891 msgctxt "helpcmd|Uptime|desc" msgid "Show for how long ZNC has been running" msgstr "Mostra por quanto tempo o ZNC está rodando" -#: ClientCommand.cpp:1845 +#: ClientCommand.cpp:1895 msgctxt "helpcmd|LoadMod|args" msgid "[--type=global|user|network] [args]" msgstr "" -#: ClientCommand.cpp:1847 +#: ClientCommand.cpp:1897 msgctxt "helpcmd|LoadMod|desc" msgid "Load a module" msgstr "Carrega um módulo" -#: ClientCommand.cpp:1849 +#: ClientCommand.cpp:1899 msgctxt "helpcmd|UnloadMod|args" msgid "[--type=global|user|network] " msgstr "[--type=global|user|network] " -#: ClientCommand.cpp:1851 +#: ClientCommand.cpp:1901 msgctxt "helpcmd|UnloadMod|desc" msgid "Unload a module" msgstr "Descarrega um módulo" -#: ClientCommand.cpp:1853 +#: ClientCommand.cpp:1903 msgctxt "helpcmd|ReloadMod|args" msgid "[--type=global|user|network] [args]" msgstr "" -#: ClientCommand.cpp:1855 +#: ClientCommand.cpp:1905 msgctxt "helpcmd|ReloadMod|desc" msgid "Reload a module" msgstr "Recarrega um módulo" -#: ClientCommand.cpp:1858 +#: ClientCommand.cpp:1908 msgctxt "helpcmd|UpdateMod|args" msgid "" msgstr "" -#: ClientCommand.cpp:1859 +#: ClientCommand.cpp:1909 msgctxt "helpcmd|UpdateMod|desc" msgid "Reload a module everywhere" msgstr "Recarrega um módulo em todos os lugares" -#: ClientCommand.cpp:1865 +#: ClientCommand.cpp:1915 msgctxt "helpcmd|ShowMOTD|desc" msgid "Show ZNC's message of the day" msgstr "Mostra a mensagem do dia do ZNC" -#: ClientCommand.cpp:1869 +#: ClientCommand.cpp:1919 msgctxt "helpcmd|SetMOTD|args" msgid "" msgstr "" -#: ClientCommand.cpp:1870 +#: ClientCommand.cpp:1920 msgctxt "helpcmd|SetMOTD|desc" msgid "Set ZNC's message of the day" msgstr "Configura a mensagem do dia do ZNC" -#: ClientCommand.cpp:1872 +#: ClientCommand.cpp:1922 msgctxt "helpcmd|AddMOTD|args" msgid "" msgstr "" -#: ClientCommand.cpp:1873 +#: ClientCommand.cpp:1923 msgctxt "helpcmd|AddMOTD|desc" msgid "Append to ZNC's MOTD" msgstr "Anexa ao MOTD do ZNC" -#: ClientCommand.cpp:1875 +#: ClientCommand.cpp:1925 msgctxt "helpcmd|ClearMOTD|desc" msgid "Clear ZNC's MOTD" msgstr "Limpa o MOTD do ZNC" -#: ClientCommand.cpp:1878 +#: ClientCommand.cpp:1928 msgctxt "helpcmd|ListPorts|desc" msgid "Show all active listeners" msgstr "Mostra todos os listeners ativos" -#: ClientCommand.cpp:1880 +#: ClientCommand.cpp:1930 msgctxt "helpcmd|AddPort|args" msgid "<[+]port> [bindhost [uriprefix]]" msgstr "<[+]porta> [bindhost [uriprefix]]" -#: ClientCommand.cpp:1883 +#: ClientCommand.cpp:1933 msgctxt "helpcmd|AddPort|desc" msgid "Add another port for ZNC to listen on" msgstr "Adiciona outra porta ao ZNC" -#: ClientCommand.cpp:1887 +#: ClientCommand.cpp:1937 msgctxt "helpcmd|DelPort|args" msgid " [bindhost]" msgstr " [bindhost]" -#: ClientCommand.cpp:1888 +#: ClientCommand.cpp:1938 msgctxt "helpcmd|DelPort|desc" msgid "Remove a port from ZNC" msgstr "Remove uma porta do ZNC" -#: ClientCommand.cpp:1891 +#: ClientCommand.cpp:1941 msgctxt "helpcmd|Rehash|desc" msgid "Reload global settings, modules, and listeners from znc.conf" msgstr "Recarrega configurações globais, módulos e listeners do znc.conf" -#: ClientCommand.cpp:1894 +#: ClientCommand.cpp:1944 msgctxt "helpcmd|SaveConfig|desc" msgid "Save the current settings to disk" msgstr "Grava as configurações atuais no disco" -#: ClientCommand.cpp:1897 +#: ClientCommand.cpp:1947 msgctxt "helpcmd|ListUsers|desc" msgid "List all ZNC users and their connection status" msgstr "Lista todos os usuários do ZNC e seus estados de conexão" -#: ClientCommand.cpp:1900 +#: ClientCommand.cpp:1950 msgctxt "helpcmd|ListAllUserNetworks|desc" msgid "List all ZNC users and their networks" msgstr "Lista todos os usuários ZNC e suas redes" -#: ClientCommand.cpp:1903 +#: ClientCommand.cpp:1953 msgctxt "helpcmd|ListChans|args" msgid "[user ]" msgstr "[usuário ]" -#: ClientCommand.cpp:1906 +#: ClientCommand.cpp:1956 msgctxt "helpcmd|ListClients|args" msgid "[user]" msgstr "[user]" -#: ClientCommand.cpp:1907 +#: ClientCommand.cpp:1957 msgctxt "helpcmd|ListClients|desc" msgid "List all connected clients" msgstr "Lista todos os clientes conectados" -#: ClientCommand.cpp:1909 +#: ClientCommand.cpp:1959 msgctxt "helpcmd|Traffic|desc" msgid "Show basic traffic stats for all ZNC users" msgstr "Mostra estatísticas básicas de trafego de todos os usuários do ZNC" -#: ClientCommand.cpp:1911 +#: ClientCommand.cpp:1961 msgctxt "helpcmd|Broadcast|args" msgid "[message]" msgstr "[message]" -#: ClientCommand.cpp:1912 +#: ClientCommand.cpp:1962 msgctxt "helpcmd|Broadcast|desc" msgid "Broadcast a message to all ZNC users" msgstr "Transmite uma mensagem para todos os usuários do ZNC" -#: ClientCommand.cpp:1915 +#: ClientCommand.cpp:1965 msgctxt "helpcmd|Shutdown|args" msgid "[message]" msgstr "[message]" -#: ClientCommand.cpp:1916 +#: ClientCommand.cpp:1966 msgctxt "helpcmd|Shutdown|desc" msgid "Shut down ZNC completely" msgstr "Desliga o ZNC completamente" -#: ClientCommand.cpp:1917 +#: ClientCommand.cpp:1967 msgctxt "helpcmd|Restart|args" msgid "[message]" msgstr "[message]" -#: ClientCommand.cpp:1918 +#: ClientCommand.cpp:1968 msgctxt "helpcmd|Restart|desc" msgid "Restart ZNC" msgstr "Reinicia o ZNC" diff --git a/src/po/znc.ru_RU.po b/src/po/znc.ru_RU.po index e566e757..c08bda55 100644 --- a/src/po/znc.ru_RU.po +++ b/src/po/znc.ru_RU.po @@ -77,7 +77,7 @@ msgstr "Не могу найти файл pem: {1}" msgid "Invalid port" msgstr "Некорректный порт" -#: znc.cpp:1813 ClientCommand.cpp:1655 +#: znc.cpp:1813 ClientCommand.cpp:1700 msgid "Unable to bind: {1}" msgstr "Не получилось слушать: {1}" @@ -97,19 +97,28 @@ msgstr "Вы отключены от IRC. Введите «connect» для по msgid "This network is being deleted or moved to another user." msgstr "Эта сеть будет удалена или перемещена к другому пользователю." -#: IRCNetwork.cpp:1016 +#: IRCNetwork.cpp:948 +msgid "Invalid index" +msgstr "" + +#: IRCNetwork.cpp:956 IRCNetwork.cpp:972 IRCNetwork.cpp:980 +#: ClientCommand.cpp:1405 +msgid "You are not on {1}" +msgstr "Вы не на {1}" + +#: IRCNetwork.cpp:1059 msgid "The channel {1} could not be joined, disabling it." msgstr "Не могу зайти на канал {1}, выключаю его." -#: IRCNetwork.cpp:1145 +#: IRCNetwork.cpp:1188 msgid "Your current server was removed, jumping..." msgstr "Текущий сервер был удалён, переподключаюсь..." -#: IRCNetwork.cpp:1308 +#: IRCNetwork.cpp:1351 msgid "Cannot connect to {1}, because ZNC is not compiled with SSL support." msgstr "Не могу подключиться к {1}, т. к. ZNC собран без поддержки SSL." -#: IRCNetwork.cpp:1329 +#: IRCNetwork.cpp:1372 msgid "Some module aborted the connection attempt" msgstr "Какой-то модуль оборвал попытку соединения" @@ -305,7 +314,7 @@ msgctxt "modhelpcmd" msgid "Generate this output" msgstr "Показать этот вывод" -#: Modules.cpp:573 ClientCommand.cpp:1922 +#: Modules.cpp:573 ClientCommand.cpp:1972 msgid "No matches for '{1}'" msgstr "Не нашёл «{1}»" @@ -416,11 +425,12 @@ msgstr "Описание" #: ClientCommand.cpp:51 ClientCommand.cpp:115 ClientCommand.cpp:137 #: ClientCommand.cpp:339 ClientCommand.cpp:390 ClientCommand.cpp:405 -#: ClientCommand.cpp:432 ClientCommand.cpp:459 ClientCommand.cpp:764 -#: ClientCommand.cpp:783 ClientCommand.cpp:809 ClientCommand.cpp:843 -#: ClientCommand.cpp:856 ClientCommand.cpp:869 ClientCommand.cpp:884 -#: ClientCommand.cpp:1345 ClientCommand.cpp:1393 ClientCommand.cpp:1425 -#: ClientCommand.cpp:1436 ClientCommand.cpp:1445 ClientCommand.cpp:1457 +#: ClientCommand.cpp:432 ClientCommand.cpp:459 ClientCommand.cpp:480 +#: ClientCommand.cpp:499 ClientCommand.cpp:809 ClientCommand.cpp:828 +#: ClientCommand.cpp:854 ClientCommand.cpp:888 ClientCommand.cpp:901 +#: ClientCommand.cpp:914 ClientCommand.cpp:929 ClientCommand.cpp:1390 +#: ClientCommand.cpp:1438 ClientCommand.cpp:1470 ClientCommand.cpp:1481 +#: ClientCommand.cpp:1490 ClientCommand.cpp:1502 msgid "You must be connected with a network to use this command" msgstr "Чтобы использовать это команду, подключитесь к сети" @@ -597,7 +607,7 @@ msgid "" "ERROR: Writing config file to disk failed! Aborting. Use {1} FORCE to ignore." msgstr "" -#: ClientCommand.cpp:344 ClientCommand.cpp:797 ClientCommand.cpp:838 +#: ClientCommand.cpp:344 ClientCommand.cpp:842 ClientCommand.cpp:883 msgid "You don't have any servers added." msgstr "Вы не настроили ни один сервер." @@ -645,87 +655,108 @@ msgstr[1] "" msgstr[2] "" msgstr[3] "" -#: ClientCommand.cpp:470 +#: ClientCommand.cpp:466 +msgid "Usage: MoveChan <#chan> " +msgstr "" + +#: ClientCommand.cpp:474 +msgid "Moved channel {1} to index {2}" +msgstr "" + +#: ClientCommand.cpp:487 +msgid "Usage: SwapChans <#chan1> <#chan2>" +msgstr "" + +#: ClientCommand.cpp:493 +msgid "Swapped channels {1} and {2}" +msgstr "" + +#: ClientCommand.cpp:510 msgid "Usage: ListChans" msgstr "Использование: ListChans" -#: ClientCommand.cpp:477 +#: ClientCommand.cpp:517 msgid "No such user [{1}]" msgstr "Нет такого пользователя [{1}]" -#: ClientCommand.cpp:483 +#: ClientCommand.cpp:523 msgid "User [{1}] doesn't have network [{2}]" msgstr "У пользователя [{1}] нет сети [{2}]" -#: ClientCommand.cpp:494 +#: ClientCommand.cpp:534 msgid "There are no channels defined." msgstr "Ни один канал не настроен." -#: ClientCommand.cpp:499 ClientCommand.cpp:515 +#: ClientCommand.cpp:539 ClientCommand.cpp:557 +msgctxt "listchans" +msgid "Index" +msgstr "" + +#: ClientCommand.cpp:540 ClientCommand.cpp:558 msgctxt "listchans" msgid "Name" msgstr "Название" -#: ClientCommand.cpp:500 ClientCommand.cpp:518 +#: ClientCommand.cpp:541 ClientCommand.cpp:561 msgctxt "listchans" msgid "Status" msgstr "Состояние" -#: ClientCommand.cpp:501 ClientCommand.cpp:525 +#: ClientCommand.cpp:542 ClientCommand.cpp:568 msgctxt "listchans" msgid "In config" msgstr "В конфигурации" -#: ClientCommand.cpp:502 ClientCommand.cpp:527 +#: ClientCommand.cpp:543 ClientCommand.cpp:570 msgctxt "listchans" msgid "Buffer" msgstr "Буфер" -#: ClientCommand.cpp:503 ClientCommand.cpp:531 +#: ClientCommand.cpp:544 ClientCommand.cpp:574 msgctxt "listchans" msgid "Clear" msgstr "Очистить" -#: ClientCommand.cpp:504 ClientCommand.cpp:536 +#: ClientCommand.cpp:545 ClientCommand.cpp:579 msgctxt "listchans" msgid "Modes" msgstr "Режимы" -#: ClientCommand.cpp:505 ClientCommand.cpp:537 +#: ClientCommand.cpp:546 ClientCommand.cpp:580 msgctxt "listchans" msgid "Users" msgstr "Пользователи" -#: ClientCommand.cpp:520 +#: ClientCommand.cpp:563 msgctxt "listchans" msgid "Detached" msgstr "Отцеплен" -#: ClientCommand.cpp:521 +#: ClientCommand.cpp:564 msgctxt "listchans" msgid "Joined" msgstr "На канале" -#: ClientCommand.cpp:522 +#: ClientCommand.cpp:565 msgctxt "listchans" msgid "Disabled" msgstr "Выключен" -#: ClientCommand.cpp:523 +#: ClientCommand.cpp:566 msgctxt "listchans" msgid "Trying" msgstr "Пытаюсь" -#: ClientCommand.cpp:526 ClientCommand.cpp:534 +#: ClientCommand.cpp:569 ClientCommand.cpp:577 msgctxt "listchans" msgid "yes" msgstr "да" -#: ClientCommand.cpp:551 +#: ClientCommand.cpp:596 msgid "Total: {1}, Joined: {2}, Detached: {3}, Disabled: {4}" msgstr "Всего: {1}, прицеплено: {2}, отцеплено: {3}, выключено: {4}" -#: ClientCommand.cpp:556 +#: ClientCommand.cpp:601 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks using /znc DelNetwork " @@ -733,15 +764,15 @@ msgstr "" "Достигнуто ограничение на количество сетей. Попросите администратора поднять " "вам лимит или удалите ненужные сети с помощью /znc DelNetwork <сеть>" -#: ClientCommand.cpp:565 +#: ClientCommand.cpp:610 msgid "Usage: AddNetwork " msgstr "Использование: AddNetwork <сеть>" -#: ClientCommand.cpp:569 +#: ClientCommand.cpp:614 msgid "Network name should be alphanumeric" msgstr "Название сети может содержать только цифры и латинские буквы" -#: ClientCommand.cpp:576 +#: ClientCommand.cpp:621 msgid "" "Network added. Use /znc JumpNetwork {1}, or connect to ZNC with username {2} " "(instead of just {3}) to connect to it." @@ -749,138 +780,138 @@ msgstr "" "Сеть добавлена. Чтобы подсоединиться к ней, введите /znc JumpNetwork {1} " "либо подключайтесь к ZNC с именем пользователя {2} вместо {3}." -#: ClientCommand.cpp:581 +#: ClientCommand.cpp:626 msgid "Unable to add that network" msgstr "Не могу добавить эту сеть" -#: ClientCommand.cpp:588 +#: ClientCommand.cpp:633 msgid "Usage: DelNetwork " msgstr "Использование: DelNetwork <сеть>" -#: ClientCommand.cpp:597 +#: ClientCommand.cpp:642 msgid "Network deleted" msgstr "Сеть удалена" -#: ClientCommand.cpp:600 +#: ClientCommand.cpp:645 msgid "Failed to delete network, perhaps this network doesn't exist" msgstr "Не могу удалить сеть, возможно, она не существует" -#: ClientCommand.cpp:610 +#: ClientCommand.cpp:655 msgid "User {1} not found" msgstr "Пользователь {1} не найден" -#: ClientCommand.cpp:618 ClientCommand.cpp:626 +#: ClientCommand.cpp:663 ClientCommand.cpp:671 msgctxt "listnetworks" msgid "Network" msgstr "Сеть" -#: ClientCommand.cpp:619 ClientCommand.cpp:628 ClientCommand.cpp:637 +#: ClientCommand.cpp:664 ClientCommand.cpp:673 ClientCommand.cpp:682 msgctxt "listnetworks" msgid "On IRC" msgstr "В сети" -#: ClientCommand.cpp:620 ClientCommand.cpp:630 +#: ClientCommand.cpp:665 ClientCommand.cpp:675 msgctxt "listnetworks" msgid "IRC Server" msgstr "IRC-сервер" -#: ClientCommand.cpp:621 ClientCommand.cpp:632 +#: ClientCommand.cpp:666 ClientCommand.cpp:677 msgctxt "listnetworks" msgid "IRC User" msgstr "Пользователь в IRC" -#: ClientCommand.cpp:622 ClientCommand.cpp:634 +#: ClientCommand.cpp:667 ClientCommand.cpp:679 msgctxt "listnetworks" msgid "Channels" msgstr "Каналов" -#: ClientCommand.cpp:629 +#: ClientCommand.cpp:674 msgctxt "listnetworks" msgid "Yes" msgstr "Да" -#: ClientCommand.cpp:638 +#: ClientCommand.cpp:683 msgctxt "listnetworks" msgid "No" msgstr "Нет" -#: ClientCommand.cpp:643 +#: ClientCommand.cpp:688 msgctxt "listnetworks" msgid "No networks" msgstr "Нет сетей" -#: ClientCommand.cpp:647 ClientCommand.cpp:952 +#: ClientCommand.cpp:692 ClientCommand.cpp:997 msgid "Access denied." msgstr "Доступ запрещён." -#: ClientCommand.cpp:658 +#: ClientCommand.cpp:703 msgid "Usage: MoveNetwork [new network]" msgstr "" "Использование: MoveNetwork <старый пользователь> <старая сеть> <новый " "пользователь> [новая сеть]" -#: ClientCommand.cpp:668 +#: ClientCommand.cpp:713 msgid "Old user {1} not found." msgstr "Старый пользователь {1} не найден." -#: ClientCommand.cpp:674 +#: ClientCommand.cpp:719 msgid "Old network {1} not found." msgstr "Старая сеть {1} не найдена." -#: ClientCommand.cpp:680 +#: ClientCommand.cpp:725 msgid "New user {1} not found." msgstr "Новый пользователь {1} не найден." -#: ClientCommand.cpp:685 +#: ClientCommand.cpp:730 msgid "User {1} already has network {2}." msgstr "У пользователя {1} уже есть сеть {2}." -#: ClientCommand.cpp:691 +#: ClientCommand.cpp:736 msgid "Invalid network name [{1}]" msgstr "Некорректное имя сети [{1}]" -#: ClientCommand.cpp:707 +#: ClientCommand.cpp:752 msgid "Some files seem to be in {1}. You might want to move them to {2}" msgstr "" "В {1} остались какие-то файлы. Возможно, вам нужно переместить их в {2}" -#: ClientCommand.cpp:721 +#: ClientCommand.cpp:766 msgid "Error adding network: {1}" msgstr "Ошибка при добавлении сети: {1}" -#: ClientCommand.cpp:733 +#: ClientCommand.cpp:778 msgid "Success." msgstr "Успех." -#: ClientCommand.cpp:736 +#: ClientCommand.cpp:781 msgid "Copied the network to new user, but failed to delete old network" msgstr "Сеть скопирована успешно, но не могу удалить старую сеть" -#: ClientCommand.cpp:743 +#: ClientCommand.cpp:788 msgid "No network supplied." msgstr "Сеть не указана." -#: ClientCommand.cpp:748 +#: ClientCommand.cpp:793 msgid "You are already connected with this network." msgstr "Вы уже подключены к этой сети." -#: ClientCommand.cpp:754 +#: ClientCommand.cpp:799 msgid "Switched to {1}" msgstr "Переключаю на {1}" -#: ClientCommand.cpp:757 +#: ClientCommand.cpp:802 msgid "You don't have a network named {1}" msgstr "У вас нет сети с названием {1}" -#: ClientCommand.cpp:769 +#: ClientCommand.cpp:814 msgid "Usage: AddServer [[+]port] [pass]" msgstr "Использование: AddServer <хост> [[+]порт] [пароль]" -#: ClientCommand.cpp:774 +#: ClientCommand.cpp:819 msgid "Server added" msgstr "Сервер добавлен" -#: ClientCommand.cpp:777 +#: ClientCommand.cpp:822 msgid "" "Unable to add that server. Perhaps the server is already added or openssl is " "disabled?" @@ -888,234 +919,234 @@ msgstr "" "Не могу добавить сервер. Возможно, он уже в списке, или поддержка openssl " "выключена?" -#: ClientCommand.cpp:792 +#: ClientCommand.cpp:837 msgid "Usage: DelServer [port] [pass]" msgstr "Использование: DelServer <хост> [порт] [пароль]" -#: ClientCommand.cpp:802 +#: ClientCommand.cpp:847 msgid "Server removed" msgstr "Сервер удалён" -#: ClientCommand.cpp:804 +#: ClientCommand.cpp:849 msgid "No such server" msgstr "Нет такого сервера" -#: ClientCommand.cpp:817 ClientCommand.cpp:825 +#: ClientCommand.cpp:862 ClientCommand.cpp:870 msgctxt "listservers" msgid "Host" msgstr "Хост" -#: ClientCommand.cpp:818 ClientCommand.cpp:827 +#: ClientCommand.cpp:863 ClientCommand.cpp:872 msgctxt "listservers" msgid "Port" msgstr "Порт" -#: ClientCommand.cpp:819 ClientCommand.cpp:830 +#: ClientCommand.cpp:864 ClientCommand.cpp:875 msgctxt "listservers" msgid "SSL" msgstr "SSL" -#: ClientCommand.cpp:820 ClientCommand.cpp:832 +#: ClientCommand.cpp:865 ClientCommand.cpp:877 msgctxt "listservers" msgid "Password" msgstr "Пароль" -#: ClientCommand.cpp:831 +#: ClientCommand.cpp:876 msgctxt "listservers|cell" msgid "SSL" msgstr "SSL" -#: ClientCommand.cpp:848 +#: ClientCommand.cpp:893 msgid "Usage: AddTrustedServerFingerprint " msgstr "Использование: AddTrustedServerFingerprint " -#: ClientCommand.cpp:852 ClientCommand.cpp:865 +#: ClientCommand.cpp:897 ClientCommand.cpp:910 msgid "Done." msgstr "Готово." -#: ClientCommand.cpp:861 +#: ClientCommand.cpp:906 msgid "Usage: DelTrustedServerFingerprint " msgstr "Использование: DelTrustedServerFingerprint " -#: ClientCommand.cpp:874 +#: ClientCommand.cpp:919 msgid "No fingerprints added." msgstr "Отпечатки не добавлены." -#: ClientCommand.cpp:890 ClientCommand.cpp:896 +#: ClientCommand.cpp:935 ClientCommand.cpp:941 msgctxt "topicscmd" msgid "Channel" msgstr "Канал" -#: ClientCommand.cpp:891 ClientCommand.cpp:897 +#: ClientCommand.cpp:936 ClientCommand.cpp:942 msgctxt "topicscmd" msgid "Set By" msgstr "Установлена" -#: ClientCommand.cpp:892 ClientCommand.cpp:898 +#: ClientCommand.cpp:937 ClientCommand.cpp:943 msgctxt "topicscmd" msgid "Topic" msgstr "Тема" -#: ClientCommand.cpp:905 ClientCommand.cpp:910 +#: ClientCommand.cpp:950 ClientCommand.cpp:955 msgctxt "listmods" msgid "Name" msgstr "Название" -#: ClientCommand.cpp:906 ClientCommand.cpp:911 +#: ClientCommand.cpp:951 ClientCommand.cpp:956 msgctxt "listmods" msgid "Arguments" msgstr "Параметры" -#: ClientCommand.cpp:920 +#: ClientCommand.cpp:965 msgid "No global modules loaded." msgstr "Глобальные модули не загружены." -#: ClientCommand.cpp:922 ClientCommand.cpp:986 +#: ClientCommand.cpp:967 ClientCommand.cpp:1031 msgid "Global modules:" msgstr "Глобальные модули:" -#: ClientCommand.cpp:931 +#: ClientCommand.cpp:976 msgid "Your user has no modules loaded." msgstr "У вашего пользователя нет загруженных модулей." -#: ClientCommand.cpp:933 ClientCommand.cpp:998 +#: ClientCommand.cpp:978 ClientCommand.cpp:1043 msgid "User modules:" msgstr "Пользовательские модули:" -#: ClientCommand.cpp:941 +#: ClientCommand.cpp:986 msgid "This network has no modules loaded." msgstr "У этой сети нет загруженных модулей." -#: ClientCommand.cpp:943 ClientCommand.cpp:1010 +#: ClientCommand.cpp:988 ClientCommand.cpp:1055 msgid "Network modules:" msgstr "Сетевые модули:" -#: ClientCommand.cpp:958 ClientCommand.cpp:965 +#: ClientCommand.cpp:1003 ClientCommand.cpp:1010 msgctxt "listavailmods" msgid "Name" msgstr "Название" -#: ClientCommand.cpp:959 ClientCommand.cpp:970 +#: ClientCommand.cpp:1004 ClientCommand.cpp:1015 msgctxt "listavailmods" msgid "Description" msgstr "Описание" -#: ClientCommand.cpp:984 +#: ClientCommand.cpp:1029 msgid "No global modules available." msgstr "Глобальные модули недоступны." -#: ClientCommand.cpp:996 +#: ClientCommand.cpp:1041 msgid "No user modules available." msgstr "Пользовательские модули недоступны." -#: ClientCommand.cpp:1008 +#: ClientCommand.cpp:1053 msgid "No network modules available." msgstr "Сетевые модули недоступны." -#: ClientCommand.cpp:1036 +#: ClientCommand.cpp:1081 msgid "Unable to load {1}: Access denied." msgstr "Не могу загрузить {1}: доступ запрещён." -#: ClientCommand.cpp:1042 +#: ClientCommand.cpp:1087 msgid "Usage: LoadMod [--type=global|user|network] [args]" msgstr "" "Использование: LoadMod [--type=global|user|network] <модуль> [параметры]" -#: ClientCommand.cpp:1049 +#: ClientCommand.cpp:1094 msgid "Unable to load {1}: {2}" msgstr "Не могу загрузить {1}: {2}" -#: ClientCommand.cpp:1059 +#: ClientCommand.cpp:1104 msgid "Unable to load global module {1}: Access denied." msgstr "Не могу загрузить глобальный модуль {1}: доступ запрещён." -#: ClientCommand.cpp:1065 +#: ClientCommand.cpp:1110 msgid "Unable to load network module {1}: Not connected with a network." msgstr "Не могу загрузить сетевой модуль {1}: клиент подключён без сети." -#: ClientCommand.cpp:1087 +#: ClientCommand.cpp:1132 msgid "Unknown module type" msgstr "Неизвестный тип модуля" -#: ClientCommand.cpp:1092 +#: ClientCommand.cpp:1137 msgid "Loaded module {1}" msgstr "Модуль {1} загружен" -#: ClientCommand.cpp:1094 +#: ClientCommand.cpp:1139 msgid "Loaded module {1}: {2}" msgstr "Модуль {1} загружен: {2}" -#: ClientCommand.cpp:1097 +#: ClientCommand.cpp:1142 msgid "Unable to load module {1}: {2}" msgstr "Не могу загрузить модуль {1}: {2}" -#: ClientCommand.cpp:1120 +#: ClientCommand.cpp:1165 msgid "Unable to unload {1}: Access denied." msgstr "Не могу выгрузить {1}: доступ запрещён." -#: ClientCommand.cpp:1126 +#: ClientCommand.cpp:1171 msgid "Usage: UnloadMod [--type=global|user|network] " msgstr "Использование: UnloadMod [--type=global|user|network] <модуль>" -#: ClientCommand.cpp:1135 +#: ClientCommand.cpp:1180 msgid "Unable to determine type of {1}: {2}" msgstr "Не могу определить тип {1}: {2}" -#: ClientCommand.cpp:1143 +#: ClientCommand.cpp:1188 msgid "Unable to unload global module {1}: Access denied." msgstr "Не могу выгрузить глобальный модуль {1}: доступ запрещён." -#: ClientCommand.cpp:1150 +#: ClientCommand.cpp:1195 msgid "Unable to unload network module {1}: Not connected with a network." msgstr "Не могу выгрузить сетевой модуль {1}: клиент подключён без сети." -#: ClientCommand.cpp:1169 +#: ClientCommand.cpp:1214 msgid "Unable to unload module {1}: Unknown module type" msgstr "Не могу выгрузить модуль {1}: неизвестный тип модуля" -#: ClientCommand.cpp:1182 +#: ClientCommand.cpp:1227 msgid "Unable to reload modules. Access denied." msgstr "Не могу перезагрузить модули: доступ запрещён." -#: ClientCommand.cpp:1203 +#: ClientCommand.cpp:1248 msgid "Usage: ReloadMod [--type=global|user|network] [args]" msgstr "" "Использование: ReloadMod [--type=global|user|network] <модуль> [параметры]" -#: ClientCommand.cpp:1212 +#: ClientCommand.cpp:1257 msgid "Unable to reload {1}: {2}" msgstr "Не могу перезагрузить {1}: {2}" -#: ClientCommand.cpp:1220 +#: ClientCommand.cpp:1265 msgid "Unable to reload global module {1}: Access denied." msgstr "Не могу перезагрузить глобальный модуль {1}: доступ запрещён." -#: ClientCommand.cpp:1227 +#: ClientCommand.cpp:1272 msgid "Unable to reload network module {1}: Not connected with a network." msgstr "Не могу перезагрузить сетевой модуль {1}: клиент подключён без сети." -#: ClientCommand.cpp:1249 +#: ClientCommand.cpp:1294 msgid "Unable to reload module {1}: Unknown module type" msgstr "Не могу перезагрузить модуль {1}: неизвестный тип модуля" -#: ClientCommand.cpp:1260 +#: ClientCommand.cpp:1305 msgid "Usage: UpdateMod " msgstr "Использование: UpdateMod <модуль>" -#: ClientCommand.cpp:1264 +#: ClientCommand.cpp:1309 msgid "Reloading {1} everywhere" msgstr "Перезагружаю {1} везде" -#: ClientCommand.cpp:1266 +#: ClientCommand.cpp:1311 msgid "Done" msgstr "Готово" -#: ClientCommand.cpp:1269 +#: ClientCommand.cpp:1314 msgid "" "Done, but there were errors, module {1} could not be reloaded everywhere." msgstr "Готово, но случились ошибки, модуль {1} перезагружен не везде." -#: ClientCommand.cpp:1277 +#: ClientCommand.cpp:1322 msgid "" "You must be connected with a network to use this command. Try " "SetUserBindHost instead" @@ -1123,27 +1154,27 @@ msgstr "" "Чтобы использовать эту команду, нужна сеть. Попробуйте вместо этого " "SetUserBindHost" -#: ClientCommand.cpp:1284 +#: ClientCommand.cpp:1329 msgid "Usage: SetBindHost " msgstr "Использование: SetBindHost <хост>" -#: ClientCommand.cpp:1289 ClientCommand.cpp:1306 +#: ClientCommand.cpp:1334 ClientCommand.cpp:1351 msgid "You already have this bind host!" msgstr "У Вас уже установлен этот хост!" -#: ClientCommand.cpp:1294 +#: ClientCommand.cpp:1339 msgid "Set bind host for network {1} to {2}" msgstr "Соединения с сетью {1} будут идти через локальный адрес {2}" -#: ClientCommand.cpp:1301 +#: ClientCommand.cpp:1346 msgid "Usage: SetUserBindHost " msgstr "Использование: SetUserBindHost <хост>" -#: ClientCommand.cpp:1311 +#: ClientCommand.cpp:1356 msgid "Set default bind host to {1}" msgstr "По умолчанию соединения будут идти через локальный адрес {1}" -#: ClientCommand.cpp:1317 +#: ClientCommand.cpp:1362 msgid "" "You must be connected with a network to use this command. Try " "ClearUserBindHost instead" @@ -1151,59 +1182,55 @@ msgstr "" "Чтобы использовать эту команду, нужна сеть. Попробуйте вместо этого " "ClearUserBindHost" -#: ClientCommand.cpp:1322 +#: ClientCommand.cpp:1367 msgid "Bind host cleared for this network." msgstr "Исходящий хост для этой сети очищен." -#: ClientCommand.cpp:1326 +#: ClientCommand.cpp:1371 msgid "Default bind host cleared for your user." msgstr "Исходящий хост для вашего пользователя очищен." -#: ClientCommand.cpp:1329 +#: ClientCommand.cpp:1374 msgid "This user's default bind host not set" msgstr "Исходящий хост по умолчанию для вашего пользователя не установлен" -#: ClientCommand.cpp:1331 +#: ClientCommand.cpp:1376 msgid "This user's default bind host is {1}" msgstr "Исходящий хост по умолчанию для вашего пользователя: {1}" -#: ClientCommand.cpp:1336 +#: ClientCommand.cpp:1381 msgid "This network's bind host not set" msgstr "Исходящий хост для этой сети не установлен" -#: ClientCommand.cpp:1338 +#: ClientCommand.cpp:1383 msgid "This network's default bind host is {1}" msgstr "Исходящий хост по умолчанию для этой сети: {1}" -#: ClientCommand.cpp:1352 +#: ClientCommand.cpp:1397 msgid "Usage: PlayBuffer <#chan|query>" msgstr "Использование: PlayBuffer <#канал|собеседник>" -#: ClientCommand.cpp:1360 -msgid "You are not on {1}" -msgstr "Вы не на {1}" - -#: ClientCommand.cpp:1365 +#: ClientCommand.cpp:1410 msgid "You are not on {1} (trying to join)" msgstr "Вы не на {1} (пытаюсь войти)" -#: ClientCommand.cpp:1370 +#: ClientCommand.cpp:1415 msgid "The buffer for channel {1} is empty" msgstr "Буфер канала {1} пуст" -#: ClientCommand.cpp:1379 +#: ClientCommand.cpp:1424 msgid "No active query with {1}" msgstr "Нет активной беседы с {1}" -#: ClientCommand.cpp:1384 +#: ClientCommand.cpp:1429 msgid "The buffer for {1} is empty" msgstr "Буфер для {1} пуст" -#: ClientCommand.cpp:1400 +#: ClientCommand.cpp:1445 msgid "Usage: ClearBuffer <#chan|query>" msgstr "Использование: ClearBuffer <#канал|собеседник>" -#: ClientCommand.cpp:1419 +#: ClientCommand.cpp:1464 msgid "{1} buffer matching {2} has been cleared" msgid_plural "{1} buffers matching {2} have been cleared" msgstr[0] "{1} буфер, подходящий под {2}, очищен" @@ -1211,23 +1238,23 @@ msgstr[1] "{1} буфера, подходящий под {2}, очищены" msgstr[2] "{1} буферов, подходящий под {2}, очищены" msgstr[3] "{1} буферов, подходящий под {2}, очищены" -#: ClientCommand.cpp:1432 +#: ClientCommand.cpp:1477 msgid "All channel buffers have been cleared" msgstr "Буферы всех каналов очищены" -#: ClientCommand.cpp:1441 +#: ClientCommand.cpp:1486 msgid "All query buffers have been cleared" msgstr "Буферы всех бесед очищены" -#: ClientCommand.cpp:1453 +#: ClientCommand.cpp:1498 msgid "All buffers have been cleared" msgstr "Все буферы очищены" -#: ClientCommand.cpp:1464 +#: ClientCommand.cpp:1509 msgid "Usage: SetBuffer <#chan|query> [linecount]" msgstr "Использование: SetBuffer <#канал|собеседник> [число_строк]" -#: ClientCommand.cpp:1485 +#: ClientCommand.cpp:1530 msgid "Setting buffer size failed for {1} buffer" msgid_plural "Setting buffer size failed for {1} buffers" msgstr[0] "Не удалось установить размер буфера для {1} канала" @@ -1235,7 +1262,7 @@ msgstr[1] "Не удалось установить размер буфера д msgstr[2] "Не удалось установить размер буфера для {1} каналов" msgstr[3] "Не удалось установить размер буфера для {1} каналов" -#: ClientCommand.cpp:1488 +#: ClientCommand.cpp:1533 msgid "Maximum buffer size is {1} line" msgid_plural "Maximum buffer size is {1} lines" msgstr[0] "Размер буфера не должен превышать {1} строку" @@ -1243,7 +1270,7 @@ msgstr[1] "Размер буфера не должен превышать {1} с msgstr[2] "Размер буфера не должен превышать {1} строк" msgstr[3] "Размер буфера не должен превышать {1} строк" -#: ClientCommand.cpp:1493 +#: ClientCommand.cpp:1538 msgid "Size of every buffer was set to {1} line" msgid_plural "Size of every buffer was set to {1} lines" msgstr[0] "Размер каждого буфера установлен в {1} строку" @@ -1251,625 +1278,645 @@ msgstr[1] "Размер каждого буфера установлен в {1} msgstr[2] "Размер каждого буфера установлен в {1} строк" msgstr[3] "Размер каждого буфера установлен в {1} строк" -#: ClientCommand.cpp:1503 ClientCommand.cpp:1510 ClientCommand.cpp:1521 -#: ClientCommand.cpp:1530 ClientCommand.cpp:1538 +#: ClientCommand.cpp:1548 ClientCommand.cpp:1555 ClientCommand.cpp:1566 +#: ClientCommand.cpp:1575 ClientCommand.cpp:1583 msgctxt "trafficcmd" msgid "Username" msgstr "Имя пользователя" -#: ClientCommand.cpp:1504 ClientCommand.cpp:1511 ClientCommand.cpp:1523 -#: ClientCommand.cpp:1532 ClientCommand.cpp:1540 +#: ClientCommand.cpp:1549 ClientCommand.cpp:1556 ClientCommand.cpp:1568 +#: ClientCommand.cpp:1577 ClientCommand.cpp:1585 msgctxt "trafficcmd" msgid "In" msgstr "Пришло" -#: ClientCommand.cpp:1505 ClientCommand.cpp:1513 ClientCommand.cpp:1524 -#: ClientCommand.cpp:1533 ClientCommand.cpp:1541 +#: ClientCommand.cpp:1550 ClientCommand.cpp:1558 ClientCommand.cpp:1569 +#: ClientCommand.cpp:1578 ClientCommand.cpp:1586 msgctxt "trafficcmd" msgid "Out" msgstr "Ушло" -#: ClientCommand.cpp:1506 ClientCommand.cpp:1516 ClientCommand.cpp:1526 -#: ClientCommand.cpp:1534 ClientCommand.cpp:1543 +#: ClientCommand.cpp:1551 ClientCommand.cpp:1561 ClientCommand.cpp:1571 +#: ClientCommand.cpp:1579 ClientCommand.cpp:1588 msgctxt "trafficcmd" msgid "Total" msgstr "Всего" -#: ClientCommand.cpp:1522 +#: ClientCommand.cpp:1567 msgctxt "trafficcmd" msgid "" msgstr "<Пользователи>" -#: ClientCommand.cpp:1531 +#: ClientCommand.cpp:1576 msgctxt "trafficcmd" msgid "" msgstr "" -#: ClientCommand.cpp:1539 +#: ClientCommand.cpp:1584 msgctxt "trafficcmd" msgid "" msgstr "<Всего>" -#: ClientCommand.cpp:1548 +#: ClientCommand.cpp:1593 msgid "Running for {1}" msgstr "Запущен {1}" -#: ClientCommand.cpp:1554 +#: ClientCommand.cpp:1599 msgid "Unknown command, try 'Help'" msgstr "Неизвестная команда, попробуйте 'Help'" -#: ClientCommand.cpp:1563 ClientCommand.cpp:1574 +#: ClientCommand.cpp:1608 ClientCommand.cpp:1619 msgctxt "listports" msgid "Port" msgstr "Порт" -#: ClientCommand.cpp:1564 ClientCommand.cpp:1577 +#: ClientCommand.cpp:1609 ClientCommand.cpp:1622 msgctxt "listports" msgid "BindHost" msgstr "BindHost" -#: ClientCommand.cpp:1565 ClientCommand.cpp:1580 +#: ClientCommand.cpp:1610 ClientCommand.cpp:1625 msgctxt "listports" msgid "SSL" msgstr "SSL" -#: ClientCommand.cpp:1566 ClientCommand.cpp:1585 +#: ClientCommand.cpp:1611 ClientCommand.cpp:1630 msgctxt "listports" msgid "Protocol" msgstr "Протокол" -#: ClientCommand.cpp:1567 ClientCommand.cpp:1592 +#: ClientCommand.cpp:1612 ClientCommand.cpp:1637 msgctxt "listports" msgid "IRC" msgstr "IRC" -#: ClientCommand.cpp:1568 ClientCommand.cpp:1597 +#: ClientCommand.cpp:1613 ClientCommand.cpp:1642 msgctxt "listports" msgid "Web" msgstr "Веб" -#: ClientCommand.cpp:1581 +#: ClientCommand.cpp:1626 msgctxt "listports|ssl" msgid "yes" msgstr "да" -#: ClientCommand.cpp:1582 +#: ClientCommand.cpp:1627 msgctxt "listports|ssl" msgid "no" msgstr "нет" -#: ClientCommand.cpp:1586 +#: ClientCommand.cpp:1631 msgctxt "listports" msgid "IPv4 and IPv6" msgstr "IPv4 и IPv6" -#: ClientCommand.cpp:1588 +#: ClientCommand.cpp:1633 msgctxt "listports" msgid "IPv4" msgstr "IPv4" -#: ClientCommand.cpp:1589 +#: ClientCommand.cpp:1634 msgctxt "listports" msgid "IPv6" msgstr "IPv6" -#: ClientCommand.cpp:1595 +#: ClientCommand.cpp:1640 msgctxt "listports|irc" msgid "yes" msgstr "да" -#: ClientCommand.cpp:1596 +#: ClientCommand.cpp:1641 msgctxt "listports|irc" msgid "no" msgstr "нет" -#: ClientCommand.cpp:1600 +#: ClientCommand.cpp:1645 msgctxt "listports|irc" msgid "yes, on {1}" msgstr "да, на {1}" -#: ClientCommand.cpp:1602 +#: ClientCommand.cpp:1647 msgctxt "listports|web" msgid "no" msgstr "нет" -#: ClientCommand.cpp:1642 +#: ClientCommand.cpp:1687 msgid "" "Usage: AddPort <[+]port> [bindhost [uriprefix]]" msgstr "" "Использование: AddPort <[+]port> [bindhost " "[uriprefix]]" -#: ClientCommand.cpp:1658 +#: ClientCommand.cpp:1703 msgid "Port added" msgstr "Порт добавлен" -#: ClientCommand.cpp:1660 +#: ClientCommand.cpp:1705 msgid "Couldn't add port" msgstr "Невозможно добавить порт" -#: ClientCommand.cpp:1666 +#: ClientCommand.cpp:1711 msgid "Usage: DelPort [bindhost]" msgstr "Использование: DelPort [bindhost]" -#: ClientCommand.cpp:1675 +#: ClientCommand.cpp:1720 msgid "Deleted Port" msgstr "Удалён порт" -#: ClientCommand.cpp:1677 +#: ClientCommand.cpp:1722 msgid "Unable to find a matching port" msgstr "Не могу найти такой порт" -#: ClientCommand.cpp:1685 ClientCommand.cpp:1700 +#: ClientCommand.cpp:1730 ClientCommand.cpp:1745 msgctxt "helpcmd" msgid "Command" msgstr "Команда" -#: ClientCommand.cpp:1686 ClientCommand.cpp:1702 +#: ClientCommand.cpp:1731 ClientCommand.cpp:1747 msgctxt "helpcmd" msgid "Description" msgstr "Описание" -#: ClientCommand.cpp:1691 +#: ClientCommand.cpp:1736 msgid "" "In the following list all occurrences of <#chan> support wildcards (* and ?) " "except ListNicks" msgstr "" "В этом списке <#каналы> везде, кроме ListNicks, поддерживают шаблоны (* и ?)" -#: ClientCommand.cpp:1708 +#: ClientCommand.cpp:1753 msgctxt "helpcmd|Version|desc" msgid "Print which version of ZNC this is" msgstr "Показывает версию ZNC" -#: ClientCommand.cpp:1711 +#: ClientCommand.cpp:1756 msgctxt "helpcmd|ListMods|desc" msgid "List all loaded modules" msgstr "Список всех загруженных модулей" -#: ClientCommand.cpp:1714 +#: ClientCommand.cpp:1759 msgctxt "helpcmd|ListAvailMods|desc" msgid "List all available modules" msgstr "Список всех доступных модулей" -#: ClientCommand.cpp:1718 ClientCommand.cpp:1904 +#: ClientCommand.cpp:1763 ClientCommand.cpp:1954 msgctxt "helpcmd|ListChans|desc" msgid "List all channels" msgstr "Список всех каналов" -#: ClientCommand.cpp:1721 +#: ClientCommand.cpp:1766 msgctxt "helpcmd|ListNicks|args" msgid "<#chan>" msgstr "<#канал>" -#: ClientCommand.cpp:1722 +#: ClientCommand.cpp:1767 msgctxt "helpcmd|ListNicks|desc" msgid "List all nicks on a channel" msgstr "Список всех людей на канале" -#: ClientCommand.cpp:1725 +#: ClientCommand.cpp:1770 msgctxt "helpcmd|ListClients|desc" msgid "List all clients connected to your ZNC user" msgstr "Список всех клиентов, подключенных к вашему пользователю ZNC" -#: ClientCommand.cpp:1729 +#: ClientCommand.cpp:1774 msgctxt "helpcmd|ListServers|desc" msgid "List all servers of current IRC network" msgstr "Список всех серверов этой сети IRC" -#: ClientCommand.cpp:1733 +#: ClientCommand.cpp:1778 msgctxt "helpcmd|AddNetwork|args" msgid "" msgstr "<название>" -#: ClientCommand.cpp:1734 +#: ClientCommand.cpp:1779 msgctxt "helpcmd|AddNetwork|desc" msgid "Add a network to your user" msgstr "" -#: ClientCommand.cpp:1736 +#: ClientCommand.cpp:1781 msgctxt "helpcmd|DelNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1737 +#: ClientCommand.cpp:1782 msgctxt "helpcmd|DelNetwork|desc" msgid "Delete a network from your user" msgstr "" -#: ClientCommand.cpp:1739 +#: ClientCommand.cpp:1784 msgctxt "helpcmd|ListNetworks|desc" msgid "List all networks" msgstr "" -#: ClientCommand.cpp:1742 +#: ClientCommand.cpp:1787 msgctxt "helpcmd|MoveNetwork|args" msgid " [new network]" msgstr "<старый пользователь> <старая сеть> <новый пользователь> [новая сеть]" -#: ClientCommand.cpp:1744 +#: ClientCommand.cpp:1789 msgctxt "helpcmd|MoveNetwork|desc" msgid "Move an IRC network from one user to another" msgstr "" -#: ClientCommand.cpp:1748 +#: ClientCommand.cpp:1793 msgctxt "helpcmd|JumpNetwork|args" msgid "" msgstr "" -#: ClientCommand.cpp:1749 +#: ClientCommand.cpp:1794 msgctxt "helpcmd|JumpNetwork|desc" msgid "" "Jump to another network (Alternatively, you can connect to ZNC several " "times, using `user/network` as username)" msgstr "" -#: ClientCommand.cpp:1754 +#: ClientCommand.cpp:1799 msgctxt "helpcmd|AddServer|args" msgid " [[+]port] [pass]" msgstr "" -#: ClientCommand.cpp:1755 +#: ClientCommand.cpp:1800 msgctxt "helpcmd|AddServer|desc" msgid "" "Add a server to the list of alternate/backup servers of current IRC network." msgstr "" -#: ClientCommand.cpp:1759 +#: ClientCommand.cpp:1804 msgctxt "helpcmd|DelServer|args" msgid " [port] [pass]" msgstr "" -#: ClientCommand.cpp:1760 +#: ClientCommand.cpp:1805 msgctxt "helpcmd|DelServer|desc" msgid "" "Remove a server from the list of alternate/backup servers of current IRC " "network" msgstr "" -#: ClientCommand.cpp:1766 +#: ClientCommand.cpp:1811 msgctxt "helpcmd|AddTrustedServerFingerprint|args" msgid "" msgstr "" -#: ClientCommand.cpp:1767 +#: ClientCommand.cpp:1812 msgctxt "helpcmd|AddTrustedServerFingerprint|desc" msgid "" "Add a trusted server SSL certificate fingerprint (SHA-256) to current IRC " "network." msgstr "" -#: ClientCommand.cpp:1772 +#: ClientCommand.cpp:1817 msgctxt "helpcmd|DelTrustedServerFingerprint|args" msgid "" msgstr "" -#: ClientCommand.cpp:1773 +#: ClientCommand.cpp:1818 msgctxt "helpcmd|DelTrustedServerFingerprint|desc" msgid "Delete a trusted server SSL certificate from current IRC network." msgstr "" -#: ClientCommand.cpp:1777 +#: ClientCommand.cpp:1822 msgctxt "helpcmd|ListTrustedServerFingerprints|desc" msgid "List all trusted server SSL certificates of current IRC network." msgstr "" -#: ClientCommand.cpp:1780 +#: ClientCommand.cpp:1825 msgctxt "helpcmd|EnableChan|args" msgid "<#chans>" msgstr "" -#: ClientCommand.cpp:1781 +#: ClientCommand.cpp:1826 msgctxt "helpcmd|EnableChan|desc" msgid "Enable channels" msgstr "" -#: ClientCommand.cpp:1782 +#: ClientCommand.cpp:1827 msgctxt "helpcmd|DisableChan|args" msgid "<#chans>" msgstr "" -#: ClientCommand.cpp:1783 +#: ClientCommand.cpp:1828 msgctxt "helpcmd|DisableChan|desc" msgid "Disable channels" msgstr "" -#: ClientCommand.cpp:1784 +#: ClientCommand.cpp:1829 +msgctxt "helpcmd|MoveChan|args" +msgid "<#chan> " +msgstr "" + +#: ClientCommand.cpp:1830 +msgctxt "helpcmd|MoveChan|desc" +msgid "Move channel in sort order" +msgstr "" + +#: ClientCommand.cpp:1832 +msgctxt "helpcmd|SwapChans|args" +msgid "<#chan1> <#chan2>" +msgstr "" + +#: ClientCommand.cpp:1833 +msgctxt "helpcmd|SwapChans|desc" +msgid "Swap channels in sort order" +msgstr "" + +#: ClientCommand.cpp:1834 msgctxt "helpcmd|Attach|args" msgid "<#chans>" msgstr "<#каналы>" -#: ClientCommand.cpp:1785 +#: ClientCommand.cpp:1835 msgctxt "helpcmd|Attach|desc" msgid "Attach to channels" msgstr "" -#: ClientCommand.cpp:1786 +#: ClientCommand.cpp:1836 msgctxt "helpcmd|Detach|args" msgid "<#chans>" msgstr "" -#: ClientCommand.cpp:1787 +#: ClientCommand.cpp:1837 msgctxt "helpcmd|Detach|desc" msgid "Detach from channels" msgstr "" -#: ClientCommand.cpp:1790 +#: ClientCommand.cpp:1840 msgctxt "helpcmd|Topics|desc" msgid "Show topics in all your channels" msgstr "" -#: ClientCommand.cpp:1793 +#: ClientCommand.cpp:1843 msgctxt "helpcmd|PlayBuffer|args" msgid "<#chan|query>" msgstr "" -#: ClientCommand.cpp:1794 +#: ClientCommand.cpp:1844 msgctxt "helpcmd|PlayBuffer|desc" msgid "Play back the specified buffer" msgstr "" -#: ClientCommand.cpp:1796 +#: ClientCommand.cpp:1846 msgctxt "helpcmd|ClearBuffer|args" msgid "<#chan|query>" msgstr "" -#: ClientCommand.cpp:1797 +#: ClientCommand.cpp:1847 msgctxt "helpcmd|ClearBuffer|desc" msgid "Clear the specified buffer" msgstr "" -#: ClientCommand.cpp:1799 +#: ClientCommand.cpp:1849 msgctxt "helpcmd|ClearAllBuffers|desc" msgid "Clear all channel and query buffers" msgstr "" -#: ClientCommand.cpp:1802 +#: ClientCommand.cpp:1852 msgctxt "helpcmd|ClearAllChannelBuffers|desc" msgid "Clear the channel buffers" msgstr "" -#: ClientCommand.cpp:1806 +#: ClientCommand.cpp:1856 msgctxt "helpcmd|ClearAllQueryBuffers|desc" msgid "Clear the query buffers" msgstr "" -#: ClientCommand.cpp:1808 +#: ClientCommand.cpp:1858 msgctxt "helpcmd|SetBuffer|args" msgid "<#chan|query> [linecount]" msgstr "" -#: ClientCommand.cpp:1809 +#: ClientCommand.cpp:1859 msgctxt "helpcmd|SetBuffer|desc" msgid "Set the buffer count" msgstr "" -#: ClientCommand.cpp:1813 +#: ClientCommand.cpp:1863 msgctxt "helpcmd|SetBindHost|args" msgid "" msgstr "" -#: ClientCommand.cpp:1814 +#: ClientCommand.cpp:1864 msgctxt "helpcmd|SetBindHost|desc" msgid "Set the bind host for this network" msgstr "" -#: ClientCommand.cpp:1818 +#: ClientCommand.cpp:1868 msgctxt "helpcmd|SetUserBindHost|args" msgid "" msgstr "" -#: ClientCommand.cpp:1819 +#: ClientCommand.cpp:1869 msgctxt "helpcmd|SetUserBindHost|desc" msgid "Set the default bind host for this user" msgstr "" -#: ClientCommand.cpp:1822 +#: ClientCommand.cpp:1872 msgctxt "helpcmd|ClearBindHost|desc" msgid "Clear the bind host for this network" msgstr "" -#: ClientCommand.cpp:1825 +#: ClientCommand.cpp:1875 msgctxt "helpcmd|ClearUserBindHost|desc" msgid "Clear the default bind host for this user" msgstr "" -#: ClientCommand.cpp:1831 +#: ClientCommand.cpp:1881 msgctxt "helpcmd|ShowBindHost|desc" msgid "Show currently selected bind host" msgstr "" -#: ClientCommand.cpp:1833 +#: ClientCommand.cpp:1883 msgctxt "helpcmd|Jump|args" msgid "[server]" msgstr "" -#: ClientCommand.cpp:1834 +#: ClientCommand.cpp:1884 msgctxt "helpcmd|Jump|desc" msgid "Jump to the next or the specified server" msgstr "" -#: ClientCommand.cpp:1835 +#: ClientCommand.cpp:1885 msgctxt "helpcmd|Disconnect|args" msgid "[message]" msgstr "" -#: ClientCommand.cpp:1836 +#: ClientCommand.cpp:1886 msgctxt "helpcmd|Disconnect|desc" msgid "Disconnect from IRC" msgstr "" -#: ClientCommand.cpp:1838 +#: ClientCommand.cpp:1888 msgctxt "helpcmd|Connect|desc" msgid "Reconnect to IRC" msgstr "" -#: ClientCommand.cpp:1841 +#: ClientCommand.cpp:1891 msgctxt "helpcmd|Uptime|desc" msgid "Show for how long ZNC has been running" msgstr "" -#: ClientCommand.cpp:1845 +#: ClientCommand.cpp:1895 msgctxt "helpcmd|LoadMod|args" msgid "[--type=global|user|network] [args]" msgstr "" -#: ClientCommand.cpp:1847 +#: ClientCommand.cpp:1897 msgctxt "helpcmd|LoadMod|desc" msgid "Load a module" msgstr "" -#: ClientCommand.cpp:1849 +#: ClientCommand.cpp:1899 msgctxt "helpcmd|UnloadMod|args" msgid "[--type=global|user|network] " msgstr "" -#: ClientCommand.cpp:1851 +#: ClientCommand.cpp:1901 msgctxt "helpcmd|UnloadMod|desc" msgid "Unload a module" msgstr "" -#: ClientCommand.cpp:1853 +#: ClientCommand.cpp:1903 msgctxt "helpcmd|ReloadMod|args" msgid "[--type=global|user|network] [args]" msgstr "" -#: ClientCommand.cpp:1855 +#: ClientCommand.cpp:1905 msgctxt "helpcmd|ReloadMod|desc" msgid "Reload a module" msgstr "" -#: ClientCommand.cpp:1858 +#: ClientCommand.cpp:1908 msgctxt "helpcmd|UpdateMod|args" msgid "" msgstr "" -#: ClientCommand.cpp:1859 +#: ClientCommand.cpp:1909 msgctxt "helpcmd|UpdateMod|desc" msgid "Reload a module everywhere" msgstr "" -#: ClientCommand.cpp:1865 +#: ClientCommand.cpp:1915 msgctxt "helpcmd|ShowMOTD|desc" msgid "Show ZNC's message of the day" msgstr "" -#: ClientCommand.cpp:1869 +#: ClientCommand.cpp:1919 msgctxt "helpcmd|SetMOTD|args" msgid "" msgstr "" -#: ClientCommand.cpp:1870 +#: ClientCommand.cpp:1920 msgctxt "helpcmd|SetMOTD|desc" msgid "Set ZNC's message of the day" msgstr "" -#: ClientCommand.cpp:1872 +#: ClientCommand.cpp:1922 msgctxt "helpcmd|AddMOTD|args" msgid "" msgstr "" -#: ClientCommand.cpp:1873 +#: ClientCommand.cpp:1923 msgctxt "helpcmd|AddMOTD|desc" msgid "Append to ZNC's MOTD" msgstr "" -#: ClientCommand.cpp:1875 +#: ClientCommand.cpp:1925 msgctxt "helpcmd|ClearMOTD|desc" msgid "Clear ZNC's MOTD" msgstr "" -#: ClientCommand.cpp:1878 +#: ClientCommand.cpp:1928 msgctxt "helpcmd|ListPorts|desc" msgid "Show all active listeners" msgstr "" -#: ClientCommand.cpp:1880 +#: ClientCommand.cpp:1930 msgctxt "helpcmd|AddPort|args" msgid "<[+]port> [bindhost [uriprefix]]" msgstr "" -#: ClientCommand.cpp:1883 +#: ClientCommand.cpp:1933 msgctxt "helpcmd|AddPort|desc" msgid "Add another port for ZNC to listen on" msgstr "" -#: ClientCommand.cpp:1887 +#: ClientCommand.cpp:1937 msgctxt "helpcmd|DelPort|args" msgid " [bindhost]" msgstr "" -#: ClientCommand.cpp:1888 +#: ClientCommand.cpp:1938 msgctxt "helpcmd|DelPort|desc" msgid "Remove a port from ZNC" msgstr "" -#: ClientCommand.cpp:1891 +#: ClientCommand.cpp:1941 msgctxt "helpcmd|Rehash|desc" msgid "Reload global settings, modules, and listeners from znc.conf" msgstr "" -#: ClientCommand.cpp:1894 +#: ClientCommand.cpp:1944 msgctxt "helpcmd|SaveConfig|desc" msgid "Save the current settings to disk" msgstr "" -#: ClientCommand.cpp:1897 +#: ClientCommand.cpp:1947 msgctxt "helpcmd|ListUsers|desc" msgid "List all ZNC users and their connection status" msgstr "" -#: ClientCommand.cpp:1900 +#: ClientCommand.cpp:1950 msgctxt "helpcmd|ListAllUserNetworks|desc" msgid "List all ZNC users and their networks" msgstr "" -#: ClientCommand.cpp:1903 +#: ClientCommand.cpp:1953 msgctxt "helpcmd|ListChans|args" msgid "[user ]" msgstr "" -#: ClientCommand.cpp:1906 +#: ClientCommand.cpp:1956 msgctxt "helpcmd|ListClients|args" msgid "[user]" msgstr "" -#: ClientCommand.cpp:1907 +#: ClientCommand.cpp:1957 msgctxt "helpcmd|ListClients|desc" msgid "List all connected clients" msgstr "" -#: ClientCommand.cpp:1909 +#: ClientCommand.cpp:1959 msgctxt "helpcmd|Traffic|desc" msgid "Show basic traffic stats for all ZNC users" msgstr "" -#: ClientCommand.cpp:1911 +#: ClientCommand.cpp:1961 msgctxt "helpcmd|Broadcast|args" msgid "[message]" msgstr "" -#: ClientCommand.cpp:1912 +#: ClientCommand.cpp:1962 msgctxt "helpcmd|Broadcast|desc" msgid "Broadcast a message to all ZNC users" msgstr "" -#: ClientCommand.cpp:1915 +#: ClientCommand.cpp:1965 msgctxt "helpcmd|Shutdown|args" msgid "[message]" msgstr "" -#: ClientCommand.cpp:1916 +#: ClientCommand.cpp:1966 msgctxt "helpcmd|Shutdown|desc" msgid "Shut down ZNC completely" msgstr "" -#: ClientCommand.cpp:1917 +#: ClientCommand.cpp:1967 msgctxt "helpcmd|Restart|args" msgid "[message]" msgstr "" -#: ClientCommand.cpp:1918 +#: ClientCommand.cpp:1968 msgctxt "helpcmd|Restart|desc" msgid "Restart ZNC" msgstr "" From ebfc90e9ad981207ba733b46263ffda3aa6ad367 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Sat, 5 Dec 2020 00:27:15 +0000 Subject: [PATCH 509/798] Update translations from Crowdin for fr_FR --- modules/po/controlpanel.fr_FR.po | 65 +++++++++++++++++--------------- src/po/znc.fr_FR.po | 50 ++++++++++++------------ 2 files changed, 61 insertions(+), 54 deletions(-) diff --git a/modules/po/controlpanel.fr_FR.po b/modules/po/controlpanel.fr_FR.po index a9813d98..c3463c50 100644 --- a/modules/po/controlpanel.fr_FR.po +++ b/modules/po/controlpanel.fr_FR.po @@ -405,12 +405,12 @@ msgstr "" #: controlpanel.cpp:1286 controlpanel.cpp:1291 msgctxt "listctcp" msgid "Request" -msgstr "" +msgstr "Demander" #: controlpanel.cpp:1287 controlpanel.cpp:1292 msgctxt "listctcp" msgid "Reply" -msgstr "" +msgstr "Répondre" #: controlpanel.cpp:1296 msgid "No CTCP replies for user {1} are configured" @@ -469,61 +469,64 @@ msgstr "" #: controlpanel.cpp:1387 msgid "Error: Unable to reload module {1}: {2}" -msgstr "" +msgstr "Erreur : Impossible de recharger le module {1} : {2}" #: controlpanel.cpp:1390 msgid "Reloaded module {1}" -msgstr "" +msgstr "Module {1} rechargé" #: controlpanel.cpp:1394 msgid "Error: Unable to load module {1} because it is already loaded" -msgstr "" +msgstr "Erreur : Impossible de charger le module {1} car il est déjà chargé" #: controlpanel.cpp:1405 msgid "Usage: LoadModule [args]" -msgstr "" +msgstr "Utilisation : LoadModule [args]" #: controlpanel.cpp:1424 msgid "Usage: LoadNetModule [args]" msgstr "" +"Utilisation : LoadNetModule " +"[args]" #: controlpanel.cpp:1449 msgid "Please use /znc unloadmod {1}" -msgstr "" +msgstr "Veuillez utiliser /znc unloadmod {1}" #: controlpanel.cpp:1455 msgid "Error: Unable to unload module {1}: {2}" -msgstr "" +msgstr "Erreur : Impossible de décharger le module {1} : {2}" #: controlpanel.cpp:1458 msgid "Unloaded module {1}" -msgstr "" +msgstr "Module {1} déchargé" #: controlpanel.cpp:1467 msgid "Usage: UnloadModule " -msgstr "" +msgstr "Utilisation : UnloadModule " #: controlpanel.cpp:1484 msgid "Usage: UnloadNetModule " msgstr "" +"Utilisation : UnloadNetModule " #: controlpanel.cpp:1501 controlpanel.cpp:1507 msgctxt "listmodules" msgid "Name" -msgstr "" +msgstr "Nom" #: controlpanel.cpp:1502 controlpanel.cpp:1508 msgctxt "listmodules" msgid "Arguments" -msgstr "" +msgstr "Arguments" #: controlpanel.cpp:1527 msgid "User {1} has no modules loaded." -msgstr "" +msgstr "L'utilisateur {1} n'a chargé aucun module." #: controlpanel.cpp:1531 msgid "Modules loaded for user {1}:" -msgstr "" +msgstr "Modules chargés pour l'utilisateur {1} :" #: controlpanel.cpp:1551 msgid "Network {1} of user {2} has no modules loaded." @@ -535,7 +538,7 @@ msgstr "" #: controlpanel.cpp:1563 msgid "[command] [variable]" -msgstr "" +msgstr "[command] [variable]" #: controlpanel.cpp:1564 msgid "Prints help for matching commands and variables" @@ -543,7 +546,7 @@ msgstr "" #: controlpanel.cpp:1567 msgid " [username]" -msgstr "" +msgstr " [username]" #: controlpanel.cpp:1568 msgid "Prints the variable's value for the given or current user" @@ -603,7 +606,7 @@ msgstr "" #: controlpanel.cpp:1592 msgid "Lists users" -msgstr "" +msgstr "Liste les utilisateurs" #: controlpanel.cpp:1594 msgid " " @@ -611,7 +614,7 @@ msgstr "" #: controlpanel.cpp:1595 msgid "Adds a new user" -msgstr "" +msgstr "Ajoute un nouvel utilisateur" #: controlpanel.cpp:1597 controlpanel.cpp:1620 controlpanel.cpp:1634 msgid "" @@ -619,7 +622,7 @@ msgstr "" #: controlpanel.cpp:1597 msgid "Deletes a user" -msgstr "" +msgstr "Supprime un utilisateur" #: controlpanel.cpp:1599 msgid " " @@ -627,7 +630,7 @@ msgstr "" #: controlpanel.cpp:1600 msgid "Clones a user" -msgstr "" +msgstr "Clone un utilisateur" #: controlpanel.cpp:1602 controlpanel.cpp:1605 msgid " " @@ -659,7 +662,7 @@ msgstr "" #: controlpanel.cpp:1615 msgid "Loads a Module for a user" -msgstr "" +msgstr "Charge un module pour un utilisateur" #: controlpanel.cpp:1617 msgid " " @@ -671,7 +674,7 @@ msgstr "" #: controlpanel.cpp:1621 msgid "Get the list of modules for a user" -msgstr "" +msgstr "Obtenir la liste des modules pour un utilisateur" #: controlpanel.cpp:1624 msgid " [args]" @@ -703,38 +706,40 @@ msgstr "" #: controlpanel.cpp:1638 msgid "Configure a new CTCP reply" -msgstr "" +msgstr "Configurer une nouvelle réponse CTCP" #: controlpanel.cpp:1640 msgid " " -msgstr "" +msgstr " " #: controlpanel.cpp:1641 msgid "Remove a CTCP reply" -msgstr "" +msgstr "Retirer une réponse CTCP" #: controlpanel.cpp:1645 controlpanel.cpp:1648 msgid "[username] " -msgstr "" +msgstr "[username] " #: controlpanel.cpp:1646 msgid "Add a network for a user" -msgstr "" +msgstr "Ajouter un réseau pour un utilisateur" #: controlpanel.cpp:1649 msgid "Delete a network for a user" -msgstr "" +msgstr "Supprimer un réseau d'un utilisateur" #: controlpanel.cpp:1651 msgid "[username]" -msgstr "" +msgstr "[username]" #: controlpanel.cpp:1652 msgid "List all networks for a user" -msgstr "" +msgstr "Liste tous les réseaux d'un utilisateur" #: controlpanel.cpp:1665 msgid "" "Dynamic configuration through IRC. Allows editing only yourself if you're " "not ZNC admin." msgstr "" +"Configuration dynamique à travers IRC. Permet d'éditer seulement votre " +"utilisateur si vous n'êtes pas administrateur de ZNC." diff --git a/src/po/znc.fr_FR.po b/src/po/znc.fr_FR.po index a7e4748e..c0bd0c97 100644 --- a/src/po/znc.fr_FR.po +++ b/src/po/znc.fr_FR.po @@ -497,15 +497,15 @@ msgstr "Erreur lors de la sauvegarde de la configuration." #: ClientCommand.cpp:183 msgid "Usage: ListClients" -msgstr "" +msgstr "Utilisation : ListClients" #: ClientCommand.cpp:190 msgid "No such user: {1}" -msgstr "" +msgstr "Utilisateur {1} inconnu" #: ClientCommand.cpp:198 msgid "No clients are connected" -msgstr "" +msgstr "Aucun client connecté" #: ClientCommand.cpp:203 ClientCommand.cpp:209 msgctxt "listclientscmd" @@ -520,7 +520,7 @@ msgstr "" #: ClientCommand.cpp:205 ClientCommand.cpp:215 msgctxt "listclientscmd" msgid "Identifier" -msgstr "" +msgstr "Identifiant" #: ClientCommand.cpp:223 ClientCommand.cpp:229 msgctxt "listuserscmd" @@ -530,12 +530,12 @@ msgstr "" #: ClientCommand.cpp:224 ClientCommand.cpp:230 msgctxt "listuserscmd" msgid "Networks" -msgstr "" +msgstr "Réseaux" #: ClientCommand.cpp:225 ClientCommand.cpp:232 msgctxt "listuserscmd" msgid "Clients" -msgstr "" +msgstr "Clients" #: ClientCommand.cpp:240 ClientCommand.cpp:250 ClientCommand.cpp:260 #: ClientCommand.cpp:263 @@ -551,7 +551,7 @@ msgstr "" #: ClientCommand.cpp:242 ClientCommand.cpp:252 ClientCommand.cpp:268 msgctxt "listallusernetworkscmd" msgid "Clients" -msgstr "" +msgstr "Clients" #: ClientCommand.cpp:243 ClientCommand.cpp:271 ClientCommand.cpp:280 msgctxt "listallusernetworkscmd" @@ -575,7 +575,7 @@ msgstr "" #: ClientCommand.cpp:251 msgid "N/A" -msgstr "" +msgstr "N/D" #: ClientCommand.cpp:272 msgctxt "listallusernetworkscmd" @@ -589,28 +589,30 @@ msgstr "" #: ClientCommand.cpp:291 msgid "Usage: SetMOTD " -msgstr "" +msgstr "Utilisation : SetMOTD " #: ClientCommand.cpp:294 msgid "MOTD set to: {1}" -msgstr "" +msgstr "MOTD défini à : {1}" #: ClientCommand.cpp:300 msgid "Usage: AddMOTD " -msgstr "" +msgstr "Utilisation : AddMOTD " #: ClientCommand.cpp:303 msgid "Added [{1}] to MOTD" -msgstr "" +msgstr "[{1}] ajouté au MOTD" #: ClientCommand.cpp:307 msgid "Cleared MOTD" -msgstr "" +msgstr "MOTD effacé" #: ClientCommand.cpp:329 msgid "" "ERROR: Writing config file to disk failed! Aborting. Use {1} FORCE to ignore." msgstr "" +"ERREUR : Échec de l'écriture du fichier de configuration sur le disque ! " +"Abandon. Utilisez {1} FORCE pour ignorer." #: ClientCommand.cpp:344 ClientCommand.cpp:842 ClientCommand.cpp:883 msgid "You don't have any servers added." @@ -618,43 +620,43 @@ msgstr "Vous n'avez aucun serveur." #: ClientCommand.cpp:355 msgid "Server [{1}] not found" -msgstr "" +msgstr "Serveur [{1}] introuvable" #: ClientCommand.cpp:375 ClientCommand.cpp:380 msgid "Connecting to {1}..." -msgstr "" +msgstr "Connection à {1}..." #: ClientCommand.cpp:377 msgid "Jumping to the next server in the list..." -msgstr "" +msgstr "Saut au serveur suivant dans la liste..." #: ClientCommand.cpp:382 msgid "Connecting..." -msgstr "" +msgstr "Connexion..." #: ClientCommand.cpp:400 msgid "Disconnected from IRC. Use 'connect' to reconnect." -msgstr "" +msgstr "Déconnecté d'IRC. Utilisez 'connect' pour vous reconnecter." #: ClientCommand.cpp:412 msgid "Usage: EnableChan <#chans>" -msgstr "" +msgstr "Utilisation : EnableChan <#chans>" #: ClientCommand.cpp:426 msgid "Enabled {1} channel" msgid_plural "Enabled {1} channels" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "{1} canal activé" +msgstr[1] "{1} canaux activés" #: ClientCommand.cpp:439 msgid "Usage: DisableChan <#chans>" -msgstr "" +msgstr "Utilisation : DisableChan <#chans>" #: ClientCommand.cpp:453 msgid "Disabled {1} channel" msgid_plural "Disabled {1} channels" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "{1} canal désactivé" +msgstr[1] "{1} canaux désactivés" #: ClientCommand.cpp:466 msgid "Usage: MoveChan <#chan> " From cf0f07eeb214822eb4c22daca6c998a1003db5f0 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Sat, 5 Dec 2020 00:28:47 +0000 Subject: [PATCH 510/798] Update translations from Crowdin for fr_FR --- modules/po/controlpanel.fr_FR.po | 65 +++++++++++++++++--------------- src/po/znc.fr_FR.po | 50 ++++++++++++------------ 2 files changed, 61 insertions(+), 54 deletions(-) diff --git a/modules/po/controlpanel.fr_FR.po b/modules/po/controlpanel.fr_FR.po index e9d17e03..1c05ed8c 100644 --- a/modules/po/controlpanel.fr_FR.po +++ b/modules/po/controlpanel.fr_FR.po @@ -405,12 +405,12 @@ msgstr "" #: controlpanel.cpp:1286 controlpanel.cpp:1291 msgctxt "listctcp" msgid "Request" -msgstr "" +msgstr "Demander" #: controlpanel.cpp:1287 controlpanel.cpp:1292 msgctxt "listctcp" msgid "Reply" -msgstr "" +msgstr "Répondre" #: controlpanel.cpp:1296 msgid "No CTCP replies for user {1} are configured" @@ -469,61 +469,64 @@ msgstr "" #: controlpanel.cpp:1387 msgid "Error: Unable to reload module {1}: {2}" -msgstr "" +msgstr "Erreur : Impossible de recharger le module {1} : {2}" #: controlpanel.cpp:1390 msgid "Reloaded module {1}" -msgstr "" +msgstr "Module {1} rechargé" #: controlpanel.cpp:1394 msgid "Error: Unable to load module {1} because it is already loaded" -msgstr "" +msgstr "Erreur : Impossible de charger le module {1} car il est déjà chargé" #: controlpanel.cpp:1405 msgid "Usage: LoadModule [args]" -msgstr "" +msgstr "Utilisation : LoadModule [args]" #: controlpanel.cpp:1424 msgid "Usage: LoadNetModule [args]" msgstr "" +"Utilisation : LoadNetModule " +"[args]" #: controlpanel.cpp:1449 msgid "Please use /znc unloadmod {1}" -msgstr "" +msgstr "Veuillez utiliser /znc unloadmod {1}" #: controlpanel.cpp:1455 msgid "Error: Unable to unload module {1}: {2}" -msgstr "" +msgstr "Erreur : Impossible de décharger le module {1} : {2}" #: controlpanel.cpp:1458 msgid "Unloaded module {1}" -msgstr "" +msgstr "Module {1} déchargé" #: controlpanel.cpp:1467 msgid "Usage: UnloadModule " -msgstr "" +msgstr "Utilisation : UnloadModule " #: controlpanel.cpp:1484 msgid "Usage: UnloadNetModule " msgstr "" +"Utilisation : UnloadNetModule " #: controlpanel.cpp:1501 controlpanel.cpp:1507 msgctxt "listmodules" msgid "Name" -msgstr "" +msgstr "Nom" #: controlpanel.cpp:1502 controlpanel.cpp:1508 msgctxt "listmodules" msgid "Arguments" -msgstr "" +msgstr "Arguments" #: controlpanel.cpp:1527 msgid "User {1} has no modules loaded." -msgstr "" +msgstr "L'utilisateur {1} n'a chargé aucun module." #: controlpanel.cpp:1531 msgid "Modules loaded for user {1}:" -msgstr "" +msgstr "Modules chargés pour l'utilisateur {1} :" #: controlpanel.cpp:1551 msgid "Network {1} of user {2} has no modules loaded." @@ -535,7 +538,7 @@ msgstr "" #: controlpanel.cpp:1563 msgid "[command] [variable]" -msgstr "" +msgstr "[command] [variable]" #: controlpanel.cpp:1564 msgid "Prints help for matching commands and variables" @@ -543,7 +546,7 @@ msgstr "" #: controlpanel.cpp:1567 msgid " [username]" -msgstr "" +msgstr " [username]" #: controlpanel.cpp:1568 msgid "Prints the variable's value for the given or current user" @@ -603,7 +606,7 @@ msgstr "" #: controlpanel.cpp:1592 msgid "Lists users" -msgstr "" +msgstr "Liste les utilisateurs" #: controlpanel.cpp:1594 msgid " " @@ -611,7 +614,7 @@ msgstr "" #: controlpanel.cpp:1595 msgid "Adds a new user" -msgstr "" +msgstr "Ajoute un nouvel utilisateur" #: controlpanel.cpp:1597 controlpanel.cpp:1620 controlpanel.cpp:1634 msgid "" @@ -619,7 +622,7 @@ msgstr "" #: controlpanel.cpp:1597 msgid "Deletes a user" -msgstr "" +msgstr "Supprime un utilisateur" #: controlpanel.cpp:1599 msgid " " @@ -627,7 +630,7 @@ msgstr "" #: controlpanel.cpp:1600 msgid "Clones a user" -msgstr "" +msgstr "Clone un utilisateur" #: controlpanel.cpp:1602 controlpanel.cpp:1605 msgid " " @@ -659,7 +662,7 @@ msgstr "" #: controlpanel.cpp:1615 msgid "Loads a Module for a user" -msgstr "" +msgstr "Charge un module pour un utilisateur" #: controlpanel.cpp:1617 msgid " " @@ -671,7 +674,7 @@ msgstr "" #: controlpanel.cpp:1621 msgid "Get the list of modules for a user" -msgstr "" +msgstr "Obtenir la liste des modules pour un utilisateur" #: controlpanel.cpp:1624 msgid " [args]" @@ -703,38 +706,40 @@ msgstr "" #: controlpanel.cpp:1638 msgid "Configure a new CTCP reply" -msgstr "" +msgstr "Configurer une nouvelle réponse CTCP" #: controlpanel.cpp:1640 msgid " " -msgstr "" +msgstr " " #: controlpanel.cpp:1641 msgid "Remove a CTCP reply" -msgstr "" +msgstr "Retirer une réponse CTCP" #: controlpanel.cpp:1645 controlpanel.cpp:1648 msgid "[username] " -msgstr "" +msgstr "[username] " #: controlpanel.cpp:1646 msgid "Add a network for a user" -msgstr "" +msgstr "Ajouter un réseau pour un utilisateur" #: controlpanel.cpp:1649 msgid "Delete a network for a user" -msgstr "" +msgstr "Supprimer un réseau d'un utilisateur" #: controlpanel.cpp:1651 msgid "[username]" -msgstr "" +msgstr "[username]" #: controlpanel.cpp:1652 msgid "List all networks for a user" -msgstr "" +msgstr "Liste tous les réseaux d'un utilisateur" #: controlpanel.cpp:1665 msgid "" "Dynamic configuration through IRC. Allows editing only yourself if you're " "not ZNC admin." msgstr "" +"Configuration dynamique à travers IRC. Permet d'éditer seulement votre " +"utilisateur si vous n'êtes pas administrateur de ZNC." diff --git a/src/po/znc.fr_FR.po b/src/po/znc.fr_FR.po index 252c5275..44a8dafd 100644 --- a/src/po/znc.fr_FR.po +++ b/src/po/znc.fr_FR.po @@ -487,15 +487,15 @@ msgstr "Erreur lors de la sauvegarde de la configuration." #: ClientCommand.cpp:183 msgid "Usage: ListClients" -msgstr "" +msgstr "Utilisation : ListClients" #: ClientCommand.cpp:190 msgid "No such user: {1}" -msgstr "" +msgstr "Utilisateur {1} inconnu" #: ClientCommand.cpp:198 msgid "No clients are connected" -msgstr "" +msgstr "Aucun client connecté" #: ClientCommand.cpp:203 ClientCommand.cpp:209 msgctxt "listclientscmd" @@ -510,7 +510,7 @@ msgstr "" #: ClientCommand.cpp:205 ClientCommand.cpp:215 msgctxt "listclientscmd" msgid "Identifier" -msgstr "" +msgstr "Identifiant" #: ClientCommand.cpp:223 ClientCommand.cpp:229 msgctxt "listuserscmd" @@ -520,12 +520,12 @@ msgstr "" #: ClientCommand.cpp:224 ClientCommand.cpp:230 msgctxt "listuserscmd" msgid "Networks" -msgstr "" +msgstr "Réseaux" #: ClientCommand.cpp:225 ClientCommand.cpp:232 msgctxt "listuserscmd" msgid "Clients" -msgstr "" +msgstr "Clients" #: ClientCommand.cpp:240 ClientCommand.cpp:250 ClientCommand.cpp:260 #: ClientCommand.cpp:263 @@ -541,7 +541,7 @@ msgstr "" #: ClientCommand.cpp:242 ClientCommand.cpp:252 ClientCommand.cpp:268 msgctxt "listallusernetworkscmd" msgid "Clients" -msgstr "" +msgstr "Clients" #: ClientCommand.cpp:243 ClientCommand.cpp:271 ClientCommand.cpp:280 msgctxt "listallusernetworkscmd" @@ -565,7 +565,7 @@ msgstr "" #: ClientCommand.cpp:251 msgid "N/A" -msgstr "" +msgstr "N/D" #: ClientCommand.cpp:272 msgctxt "listallusernetworkscmd" @@ -579,28 +579,30 @@ msgstr "" #: ClientCommand.cpp:291 msgid "Usage: SetMOTD " -msgstr "" +msgstr "Utilisation : SetMOTD " #: ClientCommand.cpp:294 msgid "MOTD set to: {1}" -msgstr "" +msgstr "MOTD défini à : {1}" #: ClientCommand.cpp:300 msgid "Usage: AddMOTD " -msgstr "" +msgstr "Utilisation : AddMOTD " #: ClientCommand.cpp:303 msgid "Added [{1}] to MOTD" -msgstr "" +msgstr "[{1}] ajouté au MOTD" #: ClientCommand.cpp:307 msgid "Cleared MOTD" -msgstr "" +msgstr "MOTD effacé" #: ClientCommand.cpp:329 msgid "" "ERROR: Writing config file to disk failed! Aborting. Use {1} FORCE to ignore." msgstr "" +"ERREUR : Échec de l'écriture du fichier de configuration sur le disque ! " +"Abandon. Utilisez {1} FORCE pour ignorer." #: ClientCommand.cpp:344 ClientCommand.cpp:797 ClientCommand.cpp:838 msgid "You don't have any servers added." @@ -608,43 +610,43 @@ msgstr "Vous n'avez aucun serveur." #: ClientCommand.cpp:355 msgid "Server [{1}] not found" -msgstr "" +msgstr "Serveur [{1}] introuvable" #: ClientCommand.cpp:375 ClientCommand.cpp:380 msgid "Connecting to {1}..." -msgstr "" +msgstr "Connection à {1}..." #: ClientCommand.cpp:377 msgid "Jumping to the next server in the list..." -msgstr "" +msgstr "Saut au serveur suivant dans la liste..." #: ClientCommand.cpp:382 msgid "Connecting..." -msgstr "" +msgstr "Connexion..." #: ClientCommand.cpp:400 msgid "Disconnected from IRC. Use 'connect' to reconnect." -msgstr "" +msgstr "Déconnecté d'IRC. Utilisez 'connect' pour vous reconnecter." #: ClientCommand.cpp:412 msgid "Usage: EnableChan <#chans>" -msgstr "" +msgstr "Utilisation : EnableChan <#chans>" #: ClientCommand.cpp:426 msgid "Enabled {1} channel" msgid_plural "Enabled {1} channels" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "{1} canal activé" +msgstr[1] "{1} canaux activés" #: ClientCommand.cpp:439 msgid "Usage: DisableChan <#chans>" -msgstr "" +msgstr "Utilisation : DisableChan <#chans>" #: ClientCommand.cpp:453 msgid "Disabled {1} channel" msgid_plural "Disabled {1} channels" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "{1} canal désactivé" +msgstr[1] "{1} canaux désactivés" #: ClientCommand.cpp:470 msgid "Usage: ListChans" From a5eee3e92d787a88a857f164d4bd3b61ce0985ab Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Sun, 13 Dec 2020 00:28:52 +0000 Subject: [PATCH 511/798] Update translations from Crowdin for pl_PL --- modules/po/autoattach.pl_PL.po | 2 +- modules/po/dcc.pl_PL.po | 50 +++++++++++++++---------------- modules/po/identfile.pl_PL.po | 10 +++---- modules/po/missingmotd.pl_PL.po | 2 +- modules/po/perleval.pl_PL.po | 2 +- modules/po/route_replies.pl_PL.po | 2 +- modules/po/sample.pl_PL.po | 4 +-- modules/po/savebuff.pl_PL.po | 4 +++ modules/po/webadmin.pl_PL.po | 3 ++ src/po/znc.pl_PL.po | 22 +++++++------- 10 files changed, 55 insertions(+), 46 deletions(-) diff --git a/modules/po/autoattach.pl_PL.po b/modules/po/autoattach.pl_PL.po index d471d22a..a922776a 100644 --- a/modules/po/autoattach.pl_PL.po +++ b/modules/po/autoattach.pl_PL.po @@ -84,4 +84,4 @@ msgstr "Lista masek kanałów i masek kanałów z ! (negującym) przed nimi." #: autoattach.cpp:286 msgid "Reattaches you to channels on activity." -msgstr "Przypina do kanałów przy aktywności." +msgstr "Przypina do kanałów gdy pojawi się na nich jakaś aktywność." diff --git a/modules/po/dcc.pl_PL.po b/modules/po/dcc.pl_PL.po index fce7ebe9..7fa88f66 100644 --- a/modules/po/dcc.pl_PL.po +++ b/modules/po/dcc.pl_PL.po @@ -49,7 +49,7 @@ msgstr "Odbieranie [{1}] od [{2}]: Plik już istnieje." #: dcc.cpp:167 msgid "" "Attempting to connect to [{1} {2}] in order to download [{3}] from [{4}]." -msgstr "" +msgstr "Próbowanie połączenia się do [{1} {2}] w celu pobrania [{3}] od [{4}]." #: dcc.cpp:179 msgid "Usage: Send " @@ -122,83 +122,83 @@ msgstr "Próba wznowienia wysyłania z pozycji {1} pliku [{2}] dla [{3}]" #: dcc.cpp:277 msgid "Couldn't resume file [{1}] for [{2}]: not sending anything." -msgstr "" +msgstr "Nie można wznowić pliku [{1}] dla [{2}]: nic nie zostanie wysłane." #: dcc.cpp:286 msgid "Bad DCC file: {1}" -msgstr "" +msgstr "Zły plik DCC: {1}" #: dcc.cpp:341 msgid "Sending [{1}] to [{2}]: File not open!" -msgstr "" +msgstr "Wysyłanie [{1}] do [{2}]: Plik nie jest otwarty!" #: dcc.cpp:345 msgid "Receiving [{1}] from [{2}]: File not open!" -msgstr "" +msgstr "Otrzymywanie [{1}] od [{2}]: Plik nie jest otwarty!" #: dcc.cpp:385 msgid "Sending [{1}] to [{2}]: Connection refused." -msgstr "" +msgstr "Wysyłanie [{1}] do [{2}]: Połączenie odrzucone." #: dcc.cpp:389 msgid "Receiving [{1}] from [{2}]: Connection refused." -msgstr "" +msgstr "Otrzymywanie [{1}] od [{2}]: Połączenie odrzucone." #: dcc.cpp:397 msgid "Sending [{1}] to [{2}]: Timeout." -msgstr "" +msgstr "Wysyłanie [{1}] do [{2}]: Przekroczony czas oczekiwania." #: dcc.cpp:401 msgid "Receiving [{1}] from [{2}]: Timeout." -msgstr "" +msgstr "Otrzymywanie [{1}] od [{2}]: Przekroczony czas oczekiwania." #: dcc.cpp:411 msgid "Sending [{1}] to [{2}]: Socket error {3}: {4}" -msgstr "" +msgstr "Wysyłanie [{1}] do [{2}]: Błąd gniazda {3}: {4}" #: dcc.cpp:415 msgid "Receiving [{1}] from [{2}]: Socket error {3}: {4}" -msgstr "" +msgstr "Otrzymywanie [{1}] od [{2}]: Błąd gniazda {3}: {4}" #: dcc.cpp:423 msgid "Sending [{1}] to [{2}]: Transfer started." -msgstr "" +msgstr "Wysyłanie [{1}] do [{2}]: rozpoczęto transfer." #: dcc.cpp:427 msgid "Receiving [{1}] from [{2}]: Transfer started." -msgstr "" +msgstr "Otrzymywanie [{1}] od [{2}]: rozpoczęto transfer." #: dcc.cpp:446 msgid "Sending [{1}] to [{2}]: Too much data!" -msgstr "" +msgstr "Wysyłanie [{1}] do [{2}]: Za dużo danych!" #: dcc.cpp:450 msgid "Receiving [{1}] from [{2}]: Too much data!" -msgstr "" +msgstr "Otrzymywanie [{1}] od [{2}]: Za dużo danych!" #: dcc.cpp:456 msgid "Sending [{1}] to [{2}] completed at {3} KiB/s" -msgstr "" +msgstr "Wysyłanie [{1}] do [{2}] zakończono na średniej {3} KiB/s" #: dcc.cpp:461 msgid "Receiving [{1}] from [{2}] completed at {3} KiB/s" -msgstr "" +msgstr "Otrzymywanie [{1}] od [{2}] zakończono na średniej {3} KiB/s" #: dcc.cpp:474 msgid "Sending [{1}] to [{2}]: File closed prematurely." -msgstr "" +msgstr "Wysyłanie [{1}] do [{2}]: Plik zamknięty przedwcześnie." #: dcc.cpp:478 msgid "Receiving [{1}] from [{2}]: File closed prematurely." -msgstr "" +msgstr "Otrzymywanie [{1}] od [{2}]: Plik zamknięty przedwcześnie." #: dcc.cpp:501 msgid "Sending [{1}] to [{2}]: Error reading from file." -msgstr "" +msgstr "Wysyłanie [{1}] do [{2}]: Błąd odczytu z pliku." #: dcc.cpp:505 msgid "Receiving [{1}] from [{2}]: Error reading from file." -msgstr "" +msgstr "Otrzymywanie [{1}] od [{2}]: Błąd odczytu z pliku." #: dcc.cpp:537 msgid "Sending [{1}] to [{2}]: Unable to open file." @@ -210,19 +210,19 @@ msgstr "" #: dcc.cpp:563 msgid "Receiving [{1}] from [{2}]: Could not open file." -msgstr "" +msgstr "Otrzymywanie [{1}] od [{2}]: Nie można otworzyć pliku." #: dcc.cpp:572 msgid "Sending [{1}] to [{2}]: Not a file." -msgstr "" +msgstr "Wysyłanie [{1}] do [{2}]: Nie jest plikiem." #: dcc.cpp:581 msgid "Sending [{1}] to [{2}]: Could not open file." -msgstr "" +msgstr "Wysyłanie [{1}] do [{2}]: Nie można otworzyć pliku." #: dcc.cpp:593 msgid "Sending [{1}] to [{2}]: File too large (>4 GiB)." -msgstr "" +msgstr "Wysyłanie [{1}] do [{2}]: Plik jest zbyt duży (>4 GiB)." #: dcc.cpp:623 msgid "This module allows you to transfer files to and from ZNC" diff --git a/modules/po/identfile.pl_PL.po b/modules/po/identfile.pl_PL.po index fc481d40..aa05d9ab 100644 --- a/modules/po/identfile.pl_PL.po +++ b/modules/po/identfile.pl_PL.po @@ -16,7 +16,7 @@ msgstr "" #: identfile.cpp:30 msgid "Show file name" -msgstr "" +msgstr "Pokaż nazwę pliku" #: identfile.cpp:32 msgid "" @@ -36,11 +36,11 @@ msgstr "" #: identfile.cpp:36 msgid "Set file format" -msgstr "" +msgstr "Ustaw format pliku" #: identfile.cpp:38 msgid "Show current state" -msgstr "" +msgstr "Pokaż bieżący stan" #: identfile.cpp:48 msgid "File is set to: {1}" @@ -52,7 +52,7 @@ msgstr "" #: identfile.cpp:58 msgid "Format has been set to: {1}" -msgstr "" +msgstr "Format został ustawiony na: {1}" #: identfile.cpp:59 identfile.cpp:65 msgid "Format would be expanded to: {1}" @@ -68,7 +68,7 @@ msgstr "" #: identfile.cpp:86 msgid "Access denied" -msgstr "" +msgstr "Odmowa dostępu" #: identfile.cpp:181 msgid "" diff --git a/modules/po/missingmotd.pl_PL.po b/modules/po/missingmotd.pl_PL.po index 2cd13cea..47a9cc2a 100644 --- a/modules/po/missingmotd.pl_PL.po +++ b/modules/po/missingmotd.pl_PL.po @@ -16,4 +16,4 @@ msgstr "" #: missingmotd.cpp:36 msgid "Sends 422 to clients when they login" -msgstr "Wysyła 422 do klientów gdy się zalogują" +msgstr "Wysyła (błąd) 422 do klientów gdy się zalogują" diff --git a/modules/po/perleval.pl_PL.po b/modules/po/perleval.pl_PL.po index a926d20a..afc508af 100644 --- a/modules/po/perleval.pl_PL.po +++ b/modules/po/perleval.pl_PL.po @@ -20,7 +20,7 @@ msgstr "" #: perleval.pm:33 msgid "Only admin can load this module" -msgstr "" +msgstr "Tylko administrator może załadować ten moduł" #: perleval.pm:44 #, perl-format diff --git a/modules/po/route_replies.pl_PL.po b/modules/po/route_replies.pl_PL.po index b28a938f..13bdc92c 100644 --- a/modules/po/route_replies.pl_PL.po +++ b/modules/po/route_replies.pl_PL.po @@ -34,7 +34,7 @@ msgstr "" #: route_replies.cpp:362 msgid "To disable this message, do \"/msg {1} silent yes\"" -msgstr "" +msgstr "Aby wyłączyć tą wiadomość, zrób \"/msg {1} silent yes\"" #: route_replies.cpp:364 msgid "Last request: {1}" diff --git a/modules/po/sample.pl_PL.po b/modules/po/sample.pl_PL.po index 4704d93a..c254f280 100644 --- a/modules/po/sample.pl_PL.po +++ b/modules/po/sample.pl_PL.po @@ -40,11 +40,11 @@ msgstr "Jestem wyładowany!" #: sample.cpp:94 msgid "You got connected BoyOh." -msgstr "" +msgstr "Połączyłeś się BoyOh." #: sample.cpp:98 msgid "You got disconnected BoyOh." -msgstr "" +msgstr "Rozłączyłeś się BoyOh." #: sample.cpp:116 msgid "{1} {2} set mode on {3} {4}{5} {6}" diff --git a/modules/po/savebuff.pl_PL.po b/modules/po/savebuff.pl_PL.po index 6225d348..7212d0f5 100644 --- a/modules/po/savebuff.pl_PL.po +++ b/modules/po/savebuff.pl_PL.po @@ -40,6 +40,10 @@ msgid "" "the appropriate pass and things should start working, or setpass to a new " "pass and save to reinstantiate" msgstr "" +"Hasło jest nieustawione, oznacza to zazwyczaj błąd rozszyfrowania. Możesz " +"użyć polecenia \"setpass\" zawierającego właściwe hasło i wszystko powinno " +"zacząć działać z powrotem, lub użyć polecenia \"setpass\" z nowym hasłem aby " +"utworzyć nową instancję." #: savebuff.cpp:232 msgid "Password set to [{1}]" diff --git a/modules/po/webadmin.pl_PL.po b/modules/po/webadmin.pl_PL.po index 080f70fa..e4e27574 100644 --- a/modules/po/webadmin.pl_PL.po +++ b/modules/po/webadmin.pl_PL.po @@ -669,6 +669,9 @@ msgid "" "network or declares the connection timeout. This happens after attempts to " "ping the peer." msgstr "" +"Jak długo czasu ZNC oczekuje (w sekundach) zanim otrzyma coś z sieci lub " +"zadeklaruje wygaśnięcie czasu oczekiwania na połączenie. To się dzieje po " +"próbach wysłania pakietu początkowego zdalnej stronie." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:327 msgid "Max IRC Networks Number:" diff --git a/src/po/znc.pl_PL.po b/src/po/znc.pl_PL.po index 10806f58..805f787a 100644 --- a/src/po/znc.pl_PL.po +++ b/src/po/znc.pl_PL.po @@ -513,7 +513,7 @@ msgstr "Sieć" #: ClientCommand.cpp:205 ClientCommand.cpp:215 msgctxt "listclientscmd" msgid "Identifier" -msgstr "" +msgstr "Identyfikator" #: ClientCommand.cpp:223 ClientCommand.cpp:229 msgctxt "listuserscmd" @@ -568,7 +568,7 @@ msgstr "Kanały" #: ClientCommand.cpp:251 msgid "N/A" -msgstr "" +msgstr "nd." #: ClientCommand.cpp:272 msgctxt "listallusernetworkscmd" @@ -604,6 +604,8 @@ msgstr "Wyczyszczono MOTD" msgid "" "ERROR: Writing config file to disk failed! Aborting. Use {1} FORCE to ignore." msgstr "" +"BŁĄD: Zapisywanie pliku konfiguracyjnego na dysku nie powiodło się! " +"Przerywanie. Użyj {1} FORCE aby zignorować." #: ClientCommand.cpp:344 ClientCommand.cpp:797 ClientCommand.cpp:838 msgid "You don't have any servers added." @@ -636,10 +638,10 @@ msgstr "Użycie: EnableChan <#kanały>" #: ClientCommand.cpp:426 msgid "Enabled {1} channel" msgid_plural "Enabled {1} channels" -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" -msgstr[3] "" +msgstr[0] "Włączono {1} kanał" +msgstr[1] "Włączono {1} kanały" +msgstr[2] "Włączono {1} kanałów" +msgstr[3] "Włączono {1} kanałów" #: ClientCommand.cpp:439 msgid "Usage: DisableChan <#chans>" @@ -1217,10 +1219,10 @@ msgstr "Użycie: ClearBuffer <#kanał|rozmowa>" #: ClientCommand.cpp:1419 msgid "{1} buffer matching {2} has been cleared" msgid_plural "{1} buffers matching {2} have been cleared" -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" -msgstr[3] "" +msgstr[0] "{1} bufor pasujący do {2} został wyczyszczony" +msgstr[1] "{1} bufory pasujący do {2} zostały wyczyszczone" +msgstr[2] "{1} buforów pasujących do {2} zostało wyczyszczone" +msgstr[3] "{1} buforów pasujących do {2} zostało wyczyszczone" #: ClientCommand.cpp:1432 msgid "All channel buffers have been cleared" From 732e0c83cefef500b9f4488928ef7042551d00bf Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Sun, 13 Dec 2020 00:28:54 +0000 Subject: [PATCH 512/798] Update translations from Crowdin for pl_PL --- modules/po/autoattach.pl_PL.po | 2 +- modules/po/dcc.pl_PL.po | 50 +++++++++++++++---------------- modules/po/identfile.pl_PL.po | 10 +++---- modules/po/missingmotd.pl_PL.po | 2 +- modules/po/perleval.pl_PL.po | 2 +- modules/po/route_replies.pl_PL.po | 2 +- modules/po/sample.pl_PL.po | 4 +-- modules/po/savebuff.pl_PL.po | 4 +++ modules/po/webadmin.pl_PL.po | 5 +++- src/po/znc.pl_PL.po | 20 +++++++------ 10 files changed, 55 insertions(+), 46 deletions(-) diff --git a/modules/po/autoattach.pl_PL.po b/modules/po/autoattach.pl_PL.po index 8bf1e0f8..b9c594e6 100644 --- a/modules/po/autoattach.pl_PL.po +++ b/modules/po/autoattach.pl_PL.po @@ -84,4 +84,4 @@ msgstr "Lista masek kanałów i masek kanałów z ! (negującym) przed nimi." #: autoattach.cpp:286 msgid "Reattaches you to channels on activity." -msgstr "Przypina do kanałów przy aktywności." +msgstr "Przypina do kanałów gdy pojawi się na nich jakaś aktywność." diff --git a/modules/po/dcc.pl_PL.po b/modules/po/dcc.pl_PL.po index 46cd8b2b..78a661fb 100644 --- a/modules/po/dcc.pl_PL.po +++ b/modules/po/dcc.pl_PL.po @@ -49,7 +49,7 @@ msgstr "Odbieranie [{1}] od [{2}]: Plik już istnieje." #: dcc.cpp:167 msgid "" "Attempting to connect to [{1} {2}] in order to download [{3}] from [{4}]." -msgstr "" +msgstr "Próbowanie połączenia się do [{1} {2}] w celu pobrania [{3}] od [{4}]." #: dcc.cpp:179 msgid "Usage: Send " @@ -122,83 +122,83 @@ msgstr "Próba wznowienia wysyłania z pozycji {1} pliku [{2}] dla [{3}]" #: dcc.cpp:277 msgid "Couldn't resume file [{1}] for [{2}]: not sending anything." -msgstr "" +msgstr "Nie można wznowić pliku [{1}] dla [{2}]: nic nie zostanie wysłane." #: dcc.cpp:286 msgid "Bad DCC file: {1}" -msgstr "" +msgstr "Zły plik DCC: {1}" #: dcc.cpp:341 msgid "Sending [{1}] to [{2}]: File not open!" -msgstr "" +msgstr "Wysyłanie [{1}] do [{2}]: Plik nie jest otwarty!" #: dcc.cpp:345 msgid "Receiving [{1}] from [{2}]: File not open!" -msgstr "" +msgstr "Otrzymywanie [{1}] od [{2}]: Plik nie jest otwarty!" #: dcc.cpp:385 msgid "Sending [{1}] to [{2}]: Connection refused." -msgstr "" +msgstr "Wysyłanie [{1}] do [{2}]: Połączenie odrzucone." #: dcc.cpp:389 msgid "Receiving [{1}] from [{2}]: Connection refused." -msgstr "" +msgstr "Otrzymywanie [{1}] od [{2}]: Połączenie odrzucone." #: dcc.cpp:397 msgid "Sending [{1}] to [{2}]: Timeout." -msgstr "" +msgstr "Wysyłanie [{1}] do [{2}]: Przekroczony czas oczekiwania." #: dcc.cpp:401 msgid "Receiving [{1}] from [{2}]: Timeout." -msgstr "" +msgstr "Otrzymywanie [{1}] od [{2}]: Przekroczony czas oczekiwania." #: dcc.cpp:411 msgid "Sending [{1}] to [{2}]: Socket error {3}: {4}" -msgstr "" +msgstr "Wysyłanie [{1}] do [{2}]: Błąd gniazda {3}: {4}" #: dcc.cpp:415 msgid "Receiving [{1}] from [{2}]: Socket error {3}: {4}" -msgstr "" +msgstr "Otrzymywanie [{1}] od [{2}]: Błąd gniazda {3}: {4}" #: dcc.cpp:423 msgid "Sending [{1}] to [{2}]: Transfer started." -msgstr "" +msgstr "Wysyłanie [{1}] do [{2}]: rozpoczęto transfer." #: dcc.cpp:427 msgid "Receiving [{1}] from [{2}]: Transfer started." -msgstr "" +msgstr "Otrzymywanie [{1}] od [{2}]: rozpoczęto transfer." #: dcc.cpp:446 msgid "Sending [{1}] to [{2}]: Too much data!" -msgstr "" +msgstr "Wysyłanie [{1}] do [{2}]: Za dużo danych!" #: dcc.cpp:450 msgid "Receiving [{1}] from [{2}]: Too much data!" -msgstr "" +msgstr "Otrzymywanie [{1}] od [{2}]: Za dużo danych!" #: dcc.cpp:456 msgid "Sending [{1}] to [{2}] completed at {3} KiB/s" -msgstr "" +msgstr "Wysyłanie [{1}] do [{2}] zakończono na średniej {3} KiB/s" #: dcc.cpp:461 msgid "Receiving [{1}] from [{2}] completed at {3} KiB/s" -msgstr "" +msgstr "Otrzymywanie [{1}] od [{2}] zakończono na średniej {3} KiB/s" #: dcc.cpp:474 msgid "Sending [{1}] to [{2}]: File closed prematurely." -msgstr "" +msgstr "Wysyłanie [{1}] do [{2}]: Plik zamknięty przedwcześnie." #: dcc.cpp:478 msgid "Receiving [{1}] from [{2}]: File closed prematurely." -msgstr "" +msgstr "Otrzymywanie [{1}] od [{2}]: Plik zamknięty przedwcześnie." #: dcc.cpp:501 msgid "Sending [{1}] to [{2}]: Error reading from file." -msgstr "" +msgstr "Wysyłanie [{1}] do [{2}]: Błąd odczytu z pliku." #: dcc.cpp:505 msgid "Receiving [{1}] from [{2}]: Error reading from file." -msgstr "" +msgstr "Otrzymywanie [{1}] od [{2}]: Błąd odczytu z pliku." #: dcc.cpp:537 msgid "Sending [{1}] to [{2}]: Unable to open file." @@ -210,19 +210,19 @@ msgstr "" #: dcc.cpp:563 msgid "Receiving [{1}] from [{2}]: Could not open file." -msgstr "" +msgstr "Otrzymywanie [{1}] od [{2}]: Nie można otworzyć pliku." #: dcc.cpp:572 msgid "Sending [{1}] to [{2}]: Not a file." -msgstr "" +msgstr "Wysyłanie [{1}] do [{2}]: Nie jest plikiem." #: dcc.cpp:581 msgid "Sending [{1}] to [{2}]: Could not open file." -msgstr "" +msgstr "Wysyłanie [{1}] do [{2}]: Nie można otworzyć pliku." #: dcc.cpp:593 msgid "Sending [{1}] to [{2}]: File too large (>4 GiB)." -msgstr "" +msgstr "Wysyłanie [{1}] do [{2}]: Plik jest zbyt duży (>4 GiB)." #: dcc.cpp:623 msgid "This module allows you to transfer files to and from ZNC" diff --git a/modules/po/identfile.pl_PL.po b/modules/po/identfile.pl_PL.po index 3f44e2a9..8769c06d 100644 --- a/modules/po/identfile.pl_PL.po +++ b/modules/po/identfile.pl_PL.po @@ -16,7 +16,7 @@ msgstr "" #: identfile.cpp:30 msgid "Show file name" -msgstr "" +msgstr "Pokaż nazwę pliku" #: identfile.cpp:32 msgid "" @@ -36,11 +36,11 @@ msgstr "" #: identfile.cpp:36 msgid "Set file format" -msgstr "" +msgstr "Ustaw format pliku" #: identfile.cpp:38 msgid "Show current state" -msgstr "" +msgstr "Pokaż bieżący stan" #: identfile.cpp:48 msgid "File is set to: {1}" @@ -52,7 +52,7 @@ msgstr "" #: identfile.cpp:58 msgid "Format has been set to: {1}" -msgstr "" +msgstr "Format został ustawiony na: {1}" #: identfile.cpp:59 identfile.cpp:65 msgid "Format would be expanded to: {1}" @@ -68,7 +68,7 @@ msgstr "" #: identfile.cpp:86 msgid "Access denied" -msgstr "" +msgstr "Odmowa dostępu" #: identfile.cpp:181 msgid "" diff --git a/modules/po/missingmotd.pl_PL.po b/modules/po/missingmotd.pl_PL.po index c2b09fea..8c1b4391 100644 --- a/modules/po/missingmotd.pl_PL.po +++ b/modules/po/missingmotd.pl_PL.po @@ -16,4 +16,4 @@ msgstr "" #: missingmotd.cpp:36 msgid "Sends 422 to clients when they login" -msgstr "Wysyła 422 do klientów gdy się zalogują" +msgstr "Wysyła (błąd) 422 do klientów gdy się zalogują" diff --git a/modules/po/perleval.pl_PL.po b/modules/po/perleval.pl_PL.po index 7d5d3b40..f073070a 100644 --- a/modules/po/perleval.pl_PL.po +++ b/modules/po/perleval.pl_PL.po @@ -20,7 +20,7 @@ msgstr "" #: perleval.pm:33 msgid "Only admin can load this module" -msgstr "" +msgstr "Tylko administrator może załadować ten moduł" #: perleval.pm:44 #, perl-format diff --git a/modules/po/route_replies.pl_PL.po b/modules/po/route_replies.pl_PL.po index b01b2d36..4b9f3e44 100644 --- a/modules/po/route_replies.pl_PL.po +++ b/modules/po/route_replies.pl_PL.po @@ -34,7 +34,7 @@ msgstr "" #: route_replies.cpp:362 msgid "To disable this message, do \"/msg {1} silent yes\"" -msgstr "" +msgstr "Aby wyłączyć tą wiadomość, zrób \"/msg {1} silent yes\"" #: route_replies.cpp:364 msgid "Last request: {1}" diff --git a/modules/po/sample.pl_PL.po b/modules/po/sample.pl_PL.po index 9faaf42b..f34a280e 100644 --- a/modules/po/sample.pl_PL.po +++ b/modules/po/sample.pl_PL.po @@ -40,11 +40,11 @@ msgstr "Jestem wyładowany!" #: sample.cpp:94 msgid "You got connected BoyOh." -msgstr "" +msgstr "Połączyłeś się BoyOh." #: sample.cpp:98 msgid "You got disconnected BoyOh." -msgstr "" +msgstr "Rozłączyłeś się BoyOh." #: sample.cpp:116 msgid "{1} {2} set mode on {3} {4}{5} {6}" diff --git a/modules/po/savebuff.pl_PL.po b/modules/po/savebuff.pl_PL.po index 2e6d57e0..3ffbdcee 100644 --- a/modules/po/savebuff.pl_PL.po +++ b/modules/po/savebuff.pl_PL.po @@ -40,6 +40,10 @@ msgid "" "the appropriate pass and things should start working, or setpass to a new " "pass and save to reinstantiate" msgstr "" +"Hasło jest nieustawione, oznacza to zazwyczaj błąd rozszyfrowania. Możesz " +"użyć polecenia \"setpass\" zawierającego właściwe hasło i wszystko powinno " +"zacząć działać z powrotem, lub użyć polecenia \"setpass\" z nowym hasłem aby " +"utworzyć nową instancję." #: savebuff.cpp:232 msgid "Password set to [{1}]" diff --git a/modules/po/webadmin.pl_PL.po b/modules/po/webadmin.pl_PL.po index d07b8b06..9642b1ca 100644 --- a/modules/po/webadmin.pl_PL.po +++ b/modules/po/webadmin.pl_PL.po @@ -345,7 +345,7 @@ msgstr "Dodaj" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:187 msgid "Index" -msgstr "" +msgstr "Indeks" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:188 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:430 @@ -673,6 +673,9 @@ msgid "" "network or declares the connection timeout. This happens after attempts to " "ping the peer." msgstr "" +"Jak długo czasu ZNC oczekuje (w sekundach) zanim otrzyma coś z sieci lub " +"zadeklaruje wygaśnięcie czasu oczekiwania na połączenie. To się dzieje po " +"próbach wysłania pakietu początkowego zdalnej stronie." #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:327 msgid "Max IRC Networks Number:" diff --git a/src/po/znc.pl_PL.po b/src/po/znc.pl_PL.po index 4d66d9af..f99c43fe 100644 --- a/src/po/znc.pl_PL.po +++ b/src/po/znc.pl_PL.po @@ -523,7 +523,7 @@ msgstr "Sieć" #: ClientCommand.cpp:205 ClientCommand.cpp:215 msgctxt "listclientscmd" msgid "Identifier" -msgstr "" +msgstr "Identyfikator" #: ClientCommand.cpp:223 ClientCommand.cpp:229 msgctxt "listuserscmd" @@ -578,7 +578,7 @@ msgstr "Kanały" #: ClientCommand.cpp:251 msgid "N/A" -msgstr "" +msgstr "nd." #: ClientCommand.cpp:272 msgctxt "listallusernetworkscmd" @@ -614,6 +614,8 @@ msgstr "Wyczyszczono MOTD" msgid "" "ERROR: Writing config file to disk failed! Aborting. Use {1} FORCE to ignore." msgstr "" +"BŁĄD: Zapisywanie pliku konfiguracyjnego na dysku nie powiodło się! " +"Przerywanie. Użyj {1} FORCE aby zignorować." #: ClientCommand.cpp:344 ClientCommand.cpp:842 ClientCommand.cpp:883 msgid "You don't have any servers added." @@ -646,10 +648,10 @@ msgstr "Użycie: EnableChan <#kanały>" #: ClientCommand.cpp:426 msgid "Enabled {1} channel" msgid_plural "Enabled {1} channels" -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" -msgstr[3] "" +msgstr[0] "Włączono {1} kanał" +msgstr[1] "Włączono {1} kanały" +msgstr[2] "Włączono {1} kanałów" +msgstr[3] "Włączono {1} kanałów" #: ClientCommand.cpp:439 msgid "Usage: DisableChan <#chans>" @@ -1245,9 +1247,9 @@ msgstr "Użycie: ClearBuffer <#kanał|rozmowa>" msgid "{1} buffer matching {2} has been cleared" msgid_plural "{1} buffers matching {2} have been cleared" msgstr[0] "{1} bufor pasujący do {2} został wyczyszczony" -msgstr[1] "" -msgstr[2] "" -msgstr[3] "" +msgstr[1] "{1} bufory pasujący do {2} zostały wyczyszczone" +msgstr[2] "{1} buforów pasujących do {2} zostało wyczyszczone" +msgstr[3] "{1} buforów pasujących do {2} zostało wyczyszczone" #: ClientCommand.cpp:1477 msgid "All channel buffers have been cleared" From a2d16817797e54b2cf5055f0b6e1fd7b5e54fa9b Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Fri, 25 Dec 2020 11:32:26 +0000 Subject: [PATCH 513/798] Fix znc-buildmod -v in cmake build --- znc-buildmod.cmake.in | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/znc-buildmod.cmake.in b/znc-buildmod.cmake.in index ddd9217b..4b6a6567 100755 --- a/znc-buildmod.cmake.in +++ b/znc-buildmod.cmake.in @@ -80,9 +80,9 @@ with tempfile.TemporaryDirectory() as cmdir: with tempfile.TemporaryDirectory() as build: command = ['cmake', cmdir] if args.verbose > 1: - cmd.append('--debug-output') + command.append('--debug-output') if args.verbose > 2: - cmd.append('--trace') + command.append('--trace') if args.verbose > 0: print(command) subprocess.check_call(command, cwd=build) From 25a88004d5d6c4d8d014d53c6df81626dca41fe6 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Fri, 25 Dec 2020 16:05:04 +0000 Subject: [PATCH 514/798] znc-buildmod: output where the module was written to --- znc-buildmod.cmake.in | 1 + 1 file changed, 1 insertion(+) diff --git a/znc-buildmod.cmake.in b/znc-buildmod.cmake.in index 4b6a6567..bfb92d4a 100755 --- a/znc-buildmod.cmake.in +++ b/znc-buildmod.cmake.in @@ -89,6 +89,7 @@ with tempfile.TemporaryDirectory() as cmdir: subprocess.check_call(['cmake', '--build', '.'], cwd=build) for so in glob.iglob(os.path.join(build, '*.so')): + print('Writing {}'.format(os.path.join(os.getcwd(), os.path.basename(so)))) try: os.remove(os.path.basename(so)) except OSError: From 99687b0f2489826d35d59e662aebc9ec6cb34996 Mon Sep 17 00:00:00 2001 From: MAGIC Date: Fri, 1 Jan 2021 19:37:07 +0100 Subject: [PATCH 515/798] Welcome to 2021 --- CMakeLists.txt | 2 +- ZNCConfig.cmake.in | 2 +- cmake/FindPerlLibs.cmake | 2 +- cmake/TestCXX11.cmake | 2 +- cmake/copy_csocket.cmake | 2 +- cmake/copy_csocket_cmd.cmake | 2 +- cmake/cxx11check/CMakeLists.txt | 2 +- cmake/gen_version.cmake | 2 +- cmake/perl_check/CMakeLists.txt | 2 +- cmake/perl_check/main.cpp | 2 +- cmake/render_framed_multiline.cmake | 2 +- cmake/translation.cmake | 2 +- cmake/translation_tmpl.py | 2 +- cmake/use_homebrew.cmake | 2 +- configure | 2 +- include/CMakeLists.txt | 2 +- include/znc/Buffer.h | 2 +- include/znc/CMakeLists.txt | 2 +- include/znc/Chan.h | 2 +- include/znc/Client.h | 2 +- include/znc/Config.h | 2 +- include/znc/ExecSock.h | 2 +- include/znc/FileUtils.h | 2 +- include/znc/HTTPSock.h | 2 +- include/znc/IRCNetwork.h | 2 +- include/znc/IRCSock.h | 2 +- include/znc/Listener.h | 2 +- include/znc/Message.h | 2 +- include/znc/Modules.h | 2 +- include/znc/Nick.h | 2 +- include/znc/Query.h | 2 +- include/znc/SSLVerifyHost.h | 2 +- include/znc/Server.h | 2 +- include/znc/Socket.h | 2 +- include/znc/Template.h | 2 +- include/znc/Threads.h | 2 +- include/znc/Translation.h | 2 +- include/znc/User.h | 2 +- include/znc/Utils.h | 2 +- include/znc/WebModules.h | 2 +- include/znc/ZNCDebug.h | 2 +- include/znc/ZNCString.h | 2 +- include/znc/defines.h | 2 +- include/znc/main.h | 2 +- include/znc/version.h | 2 +- include/znc/znc.h | 2 +- include/znc/zncconfig.h.cmake.in | 2 +- modules/CMakeLists.txt | 2 +- modules/admindebug.cpp | 2 +- modules/adminlog.cpp | 2 +- modules/alias.cpp | 2 +- modules/autoattach.cpp | 2 +- modules/autocycle.cpp | 2 +- modules/autoop.cpp | 2 +- modules/autoreply.cpp | 2 +- modules/autovoice.cpp | 2 +- modules/awaynick.cpp | 2 +- modules/awaystore.cpp | 2 +- modules/block_motd.cpp | 2 +- modules/blockuser.cpp | 2 +- modules/bouncedcc.cpp | 2 +- modules/buffextras.cpp | 2 +- modules/cert.cpp | 2 +- modules/certauth.cpp | 2 +- modules/chansaver.cpp | 2 +- modules/clearbufferonmsg.cpp | 2 +- modules/clientnotify.cpp | 2 +- modules/controlpanel.cpp | 2 +- modules/crypt.cpp | 2 +- modules/ctcpflood.cpp | 2 +- modules/cyrusauth.cpp | 2 +- modules/dcc.cpp | 2 +- modules/disconkick.cpp | 2 +- modules/fail2ban.cpp | 2 +- modules/flooddetach.cpp | 2 +- modules/identfile.cpp | 2 +- modules/imapauth.cpp | 2 +- modules/keepnick.cpp | 2 +- modules/kickrejoin.cpp | 2 +- modules/lastseen.cpp | 2 +- modules/listsockets.cpp | 2 +- modules/log.cpp | 2 +- modules/missingmotd.cpp | 2 +- modules/modperl.cpp | 2 +- modules/modperl/CMakeLists.txt | 2 +- modules/modperl/codegen.pl | 4 ++-- modules/modperl/modperl.i | 2 +- modules/modperl/module.h | 2 +- modules/modperl/pstring.h | 2 +- modules/modperl/startup.pl | 2 +- modules/modpython.cpp | 2 +- modules/modpython/CMakeLists.txt | 2 +- modules/modpython/codegen.pl | 4 ++-- modules/modpython/modpython.i | 2 +- modules/modpython/module.h | 2 +- modules/modpython/ret.h | 2 +- modules/modpython/znc.py | 2 +- modules/modtcl.cpp | 2 +- modules/modtcl/CMakeLists.txt | 2 +- modules/modtcl/binds.tcl | 2 +- modules/modtcl/modtcl.tcl | 2 +- modules/modules_online.cpp | 2 +- modules/nickserv.cpp | 2 +- modules/notes.cpp | 2 +- modules/notify_connect.cpp | 2 +- modules/perform.cpp | 2 +- modules/perleval.pm | 2 +- modules/po/CMakeLists.txt | 2 +- modules/pyeval.py | 2 +- modules/raw.cpp | 2 +- modules/route_replies.cpp | 2 +- modules/sample.cpp | 2 +- modules/samplewebapi.cpp | 2 +- modules/sasl.cpp | 2 +- modules/savebuff.cpp | 2 +- modules/schat.cpp | 2 +- modules/send_raw.cpp | 2 +- modules/shell.cpp | 2 +- modules/simple_away.cpp | 2 +- modules/stickychan.cpp | 2 +- modules/stripcontrols.cpp | 2 +- modules/watch.cpp | 2 +- modules/webadmin.cpp | 2 +- src/Buffer.cpp | 2 +- src/CMakeLists.txt | 2 +- src/Chan.cpp | 2 +- src/Client.cpp | 2 +- src/ClientCommand.cpp | 2 +- src/Config.cpp | 2 +- src/FileUtils.cpp | 2 +- src/HTTPSock.cpp | 2 +- src/IRCNetwork.cpp | 2 +- src/IRCSock.cpp | 2 +- src/Listener.cpp | 2 +- src/Message.cpp | 2 +- src/Modules.cpp | 2 +- src/Nick.cpp | 2 +- src/Query.cpp | 2 +- src/SSLVerifyHost.cpp | 2 +- src/Server.cpp | 2 +- src/Socket.cpp | 2 +- src/Template.cpp | 2 +- src/Threads.cpp | 2 +- src/Translation.cpp | 2 +- src/User.cpp | 2 +- src/Utils.cpp | 2 +- src/WebModules.cpp | 2 +- src/ZNCDebug.cpp | 2 +- src/ZNCString.cpp | 2 +- src/main.cpp | 2 +- src/po/CMakeLists.txt | 2 +- src/version.cpp.in | 2 +- src/znc.cpp | 2 +- test/BufferTest.cpp | 2 +- test/CMakeLists.txt | 2 +- test/ClientTest.cpp | 2 +- test/ConfigTest.cpp | 2 +- test/IRCSockTest.cpp | 2 +- test/IRCTest.h | 2 +- test/MessageTest.cpp | 2 +- test/ModulesTest.cpp | 2 +- test/NetworkTest.cpp | 2 +- test/NickTest.cpp | 2 +- test/QueryTest.cpp | 2 +- test/StringTest.cpp | 2 +- test/ThreadTest.cpp | 2 +- test/UserTest.cpp | 2 +- test/UtilsTest.cpp | 2 +- test/integration/CMakeLists.txt | 2 +- test/integration/autoconf-all.cpp | 2 +- test/integration/framework/base.cpp | 2 +- test/integration/framework/base.h | 2 +- test/integration/framework/main.cpp | 2 +- test/integration/framework/znctest.cpp | 2 +- test/integration/framework/znctest.h | 2 +- test/integration/tests/core.cpp | 2 +- test/integration/tests/modules.cpp | 2 +- test/integration/tests/scripting.cpp | 2 +- translation_pot.py | 2 +- znc-buildmod.cmake.in | 2 +- zz_msg/CMakeLists.txt | 2 +- 181 files changed, 183 insertions(+), 183 deletions(-) diff --git a/CMakeLists.txt b/CMakeLists.txt index 3565a663..186287c8 100644 --- a/CMakeLists.txt +++ b/CMakeLists.txt @@ -1,5 +1,5 @@ # -# Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. +# Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. diff --git a/ZNCConfig.cmake.in b/ZNCConfig.cmake.in index 837101b3..726ffeb5 100644 --- a/ZNCConfig.cmake.in +++ b/ZNCConfig.cmake.in @@ -1,5 +1,5 @@ # -# Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. +# Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. diff --git a/cmake/FindPerlLibs.cmake b/cmake/FindPerlLibs.cmake index d999983b..3b7509f8 100644 --- a/cmake/FindPerlLibs.cmake +++ b/cmake/FindPerlLibs.cmake @@ -1,5 +1,5 @@ # -# Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. +# Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. diff --git a/cmake/TestCXX11.cmake b/cmake/TestCXX11.cmake index 986d8008..8406d7ca 100644 --- a/cmake/TestCXX11.cmake +++ b/cmake/TestCXX11.cmake @@ -1,5 +1,5 @@ # -# Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. +# Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. diff --git a/cmake/copy_csocket.cmake b/cmake/copy_csocket.cmake index a84a38b3..7a7e0076 100644 --- a/cmake/copy_csocket.cmake +++ b/cmake/copy_csocket.cmake @@ -1,5 +1,5 @@ # -# Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. +# Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. diff --git a/cmake/copy_csocket_cmd.cmake b/cmake/copy_csocket_cmd.cmake index bc49e0a5..7175735d 100644 --- a/cmake/copy_csocket_cmd.cmake +++ b/cmake/copy_csocket_cmd.cmake @@ -1,5 +1,5 @@ # -# Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. +# Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. diff --git a/cmake/cxx11check/CMakeLists.txt b/cmake/cxx11check/CMakeLists.txt index b83740cd..085d7c10 100644 --- a/cmake/cxx11check/CMakeLists.txt +++ b/cmake/cxx11check/CMakeLists.txt @@ -1,5 +1,5 @@ # -# Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. +# Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. diff --git a/cmake/gen_version.cmake b/cmake/gen_version.cmake index 0b2be893..0ec7ed26 100644 --- a/cmake/gen_version.cmake +++ b/cmake/gen_version.cmake @@ -1,5 +1,5 @@ # -# Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. +# Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. diff --git a/cmake/perl_check/CMakeLists.txt b/cmake/perl_check/CMakeLists.txt index 86fa1219..a327f947 100644 --- a/cmake/perl_check/CMakeLists.txt +++ b/cmake/perl_check/CMakeLists.txt @@ -1,5 +1,5 @@ # -# Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. +# Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. diff --git a/cmake/perl_check/main.cpp b/cmake/perl_check/main.cpp index e1821aa6..16536017 100644 --- a/cmake/perl_check/main.cpp +++ b/cmake/perl_check/main.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/cmake/render_framed_multiline.cmake b/cmake/render_framed_multiline.cmake index de5a0114..68ad61f9 100644 --- a/cmake/render_framed_multiline.cmake +++ b/cmake/render_framed_multiline.cmake @@ -1,5 +1,5 @@ # -# Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. +# Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. diff --git a/cmake/translation.cmake b/cmake/translation.cmake index a845116e..9d0f949c 100644 --- a/cmake/translation.cmake +++ b/cmake/translation.cmake @@ -1,5 +1,5 @@ # -# Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. +# Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. diff --git a/cmake/translation_tmpl.py b/cmake/translation_tmpl.py index 780eee49..12b0f468 100755 --- a/cmake/translation_tmpl.py +++ b/cmake/translation_tmpl.py @@ -1,6 +1,6 @@ #!/usr/bin/env python3 # -# Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. +# Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. diff --git a/cmake/use_homebrew.cmake b/cmake/use_homebrew.cmake index b1cdf8fe..cefbd180 100644 --- a/cmake/use_homebrew.cmake +++ b/cmake/use_homebrew.cmake @@ -1,5 +1,5 @@ # -# Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. +# Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. diff --git a/configure b/configure index 23ad70a2..eeb0af1c 100755 --- a/configure +++ b/configure @@ -1,6 +1,6 @@ #!/bin/sh # -# Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. +# Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. diff --git a/include/CMakeLists.txt b/include/CMakeLists.txt index ac33dc1e..af800095 100644 --- a/include/CMakeLists.txt +++ b/include/CMakeLists.txt @@ -1,5 +1,5 @@ # -# Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. +# Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. diff --git a/include/znc/Buffer.h b/include/znc/Buffer.h index 3103123c..df58bfbd 100644 --- a/include/znc/Buffer.h +++ b/include/znc/Buffer.h @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/include/znc/CMakeLists.txt b/include/znc/CMakeLists.txt index 782e6cb3..0d292127 100644 --- a/include/znc/CMakeLists.txt +++ b/include/znc/CMakeLists.txt @@ -1,5 +1,5 @@ # -# Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. +# Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. diff --git a/include/znc/Chan.h b/include/znc/Chan.h index 38e0c030..e5b9838a 100644 --- a/include/znc/Chan.h +++ b/include/znc/Chan.h @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/include/znc/Client.h b/include/znc/Client.h index 37828c1a..44501ab3 100644 --- a/include/znc/Client.h +++ b/include/znc/Client.h @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/include/znc/Config.h b/include/znc/Config.h index 17783bc7..73d38224 100644 --- a/include/znc/Config.h +++ b/include/znc/Config.h @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/include/znc/ExecSock.h b/include/znc/ExecSock.h index 19539472..dcfef533 100644 --- a/include/znc/ExecSock.h +++ b/include/znc/ExecSock.h @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/include/znc/FileUtils.h b/include/znc/FileUtils.h index 546bba96..4d28ec4a 100644 --- a/include/znc/FileUtils.h +++ b/include/znc/FileUtils.h @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/include/znc/HTTPSock.h b/include/znc/HTTPSock.h index d410d6ad..061fbc89 100644 --- a/include/znc/HTTPSock.h +++ b/include/znc/HTTPSock.h @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/include/znc/IRCNetwork.h b/include/znc/IRCNetwork.h index 6be95631..c51b35ef 100644 --- a/include/znc/IRCNetwork.h +++ b/include/znc/IRCNetwork.h @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/include/znc/IRCSock.h b/include/znc/IRCSock.h index 89e230a5..8413f77d 100644 --- a/include/znc/IRCSock.h +++ b/include/znc/IRCSock.h @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/include/znc/Listener.h b/include/znc/Listener.h index ebdb8f0e..fcd7ced0 100644 --- a/include/znc/Listener.h +++ b/include/znc/Listener.h @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/include/znc/Message.h b/include/znc/Message.h index 29eb1fa8..8b99076e 100644 --- a/include/znc/Message.h +++ b/include/znc/Message.h @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/include/znc/Modules.h b/include/znc/Modules.h index 77d37746..d7effc0f 100644 --- a/include/znc/Modules.h +++ b/include/znc/Modules.h @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/include/znc/Nick.h b/include/znc/Nick.h index c10a47c0..95610f65 100644 --- a/include/znc/Nick.h +++ b/include/znc/Nick.h @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/include/znc/Query.h b/include/znc/Query.h index 48210783..32b168a2 100644 --- a/include/znc/Query.h +++ b/include/znc/Query.h @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/include/znc/SSLVerifyHost.h b/include/znc/SSLVerifyHost.h index 3872e120..a29cce91 100644 --- a/include/znc/SSLVerifyHost.h +++ b/include/znc/SSLVerifyHost.h @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/include/znc/Server.h b/include/znc/Server.h index f54e05bf..91fd4a80 100644 --- a/include/znc/Server.h +++ b/include/znc/Server.h @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/include/znc/Socket.h b/include/znc/Socket.h index 09381761..395af83b 100644 --- a/include/znc/Socket.h +++ b/include/znc/Socket.h @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/include/znc/Template.h b/include/znc/Template.h index c135913e..24c7b607 100644 --- a/include/znc/Template.h +++ b/include/znc/Template.h @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/include/znc/Threads.h b/include/znc/Threads.h index 163ade93..611c49c4 100644 --- a/include/znc/Threads.h +++ b/include/znc/Threads.h @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/include/znc/Translation.h b/include/znc/Translation.h index f6df4d09..732e0f89 100644 --- a/include/znc/Translation.h +++ b/include/znc/Translation.h @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/include/znc/User.h b/include/znc/User.h index 45dacfde..19c6e026 100644 --- a/include/znc/User.h +++ b/include/znc/User.h @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/include/znc/Utils.h b/include/znc/Utils.h index 4dc688bf..46cb8b1a 100644 --- a/include/znc/Utils.h +++ b/include/znc/Utils.h @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/include/znc/WebModules.h b/include/znc/WebModules.h index 28aa4f91..b67536d1 100644 --- a/include/znc/WebModules.h +++ b/include/znc/WebModules.h @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/include/znc/ZNCDebug.h b/include/znc/ZNCDebug.h index b984cfd6..6dc57798 100644 --- a/include/znc/ZNCDebug.h +++ b/include/znc/ZNCDebug.h @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/include/znc/ZNCString.h b/include/znc/ZNCString.h index e61ee0e3..59eaa108 100644 --- a/include/znc/ZNCString.h +++ b/include/znc/ZNCString.h @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/include/znc/defines.h b/include/znc/defines.h index adf5a409..52209685 100644 --- a/include/znc/defines.h +++ b/include/znc/defines.h @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/include/znc/main.h b/include/znc/main.h index 20e67ce0..01f477d8 100644 --- a/include/znc/main.h +++ b/include/znc/main.h @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/include/znc/version.h b/include/znc/version.h index 65e4233d..a896e7e5 100644 --- a/include/znc/version.h +++ b/include/znc/version.h @@ -1,5 +1,5 @@ /* -Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. +Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. Licensed under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with the License. diff --git a/include/znc/znc.h b/include/znc/znc.h index 7b01064c..29040b17 100644 --- a/include/znc/znc.h +++ b/include/znc/znc.h @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/include/znc/zncconfig.h.cmake.in b/include/znc/zncconfig.h.cmake.in index 6d725dc9..5426b828 100644 --- a/include/znc/zncconfig.h.cmake.in +++ b/include/znc/zncconfig.h.cmake.in @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/CMakeLists.txt b/modules/CMakeLists.txt index 3cb8b813..0c987c1e 100644 --- a/modules/CMakeLists.txt +++ b/modules/CMakeLists.txt @@ -1,5 +1,5 @@ # -# Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. +# Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. diff --git a/modules/admindebug.cpp b/modules/admindebug.cpp index b782bede..310667af 100644 --- a/modules/admindebug.cpp +++ b/modules/admindebug.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/adminlog.cpp b/modules/adminlog.cpp index 51e2e564..932b970e 100644 --- a/modules/adminlog.cpp +++ b/modules/adminlog.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/alias.cpp b/modules/alias.cpp index eb5301fe..f8e3e214 100644 --- a/modules/alias.cpp +++ b/modules/alias.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/autoattach.cpp b/modules/autoattach.cpp index e9d11deb..bf756ba3 100644 --- a/modules/autoattach.cpp +++ b/modules/autoattach.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/autocycle.cpp b/modules/autocycle.cpp index 2fca1046..5d2bea5e 100644 --- a/modules/autocycle.cpp +++ b/modules/autocycle.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/autoop.cpp b/modules/autoop.cpp index 87800543..1d7d7c5f 100644 --- a/modules/autoop.cpp +++ b/modules/autoop.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/autoreply.cpp b/modules/autoreply.cpp index 6a83c2e4..3accb738 100644 --- a/modules/autoreply.cpp +++ b/modules/autoreply.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * Copyright (C) 2008 Michael "Svedrin" Ziegler diese-addy@funzt-halt.net * * Licensed under the Apache License, Version 2.0 (the "License"); diff --git a/modules/autovoice.cpp b/modules/autovoice.cpp index f1d530b6..4959562c 100644 --- a/modules/autovoice.cpp +++ b/modules/autovoice.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/awaynick.cpp b/modules/awaynick.cpp index e076a519..2a69abe3 100644 --- a/modules/awaynick.cpp +++ b/modules/awaynick.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/awaystore.cpp b/modules/awaystore.cpp index c1f65050..0d2b234f 100644 --- a/modules/awaystore.cpp +++ b/modules/awaystore.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * Author: imaginos * * Licensed under the Apache License, Version 2.0 (the "License"); diff --git a/modules/block_motd.cpp b/modules/block_motd.cpp index 742651ea..3752c739 100644 --- a/modules/block_motd.cpp +++ b/modules/block_motd.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/blockuser.cpp b/modules/blockuser.cpp index a06ca810..91864951 100644 --- a/modules/blockuser.cpp +++ b/modules/blockuser.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/bouncedcc.cpp b/modules/bouncedcc.cpp index 7d56f743..385d08db 100644 --- a/modules/bouncedcc.cpp +++ b/modules/bouncedcc.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/buffextras.cpp b/modules/buffextras.cpp index e6e0bd7e..9a4275ef 100644 --- a/modules/buffextras.cpp +++ b/modules/buffextras.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/cert.cpp b/modules/cert.cpp index c4744bd8..654a525d 100644 --- a/modules/cert.cpp +++ b/modules/cert.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/certauth.cpp b/modules/certauth.cpp index bfba4d3f..f5f16f94 100644 --- a/modules/certauth.cpp +++ b/modules/certauth.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/chansaver.cpp b/modules/chansaver.cpp index c7b82412..64071231 100644 --- a/modules/chansaver.cpp +++ b/modules/chansaver.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/clearbufferonmsg.cpp b/modules/clearbufferonmsg.cpp index c85e7aa0..08cc1077 100644 --- a/modules/clearbufferonmsg.cpp +++ b/modules/clearbufferonmsg.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/clientnotify.cpp b/modules/clientnotify.cpp index e26257a6..7f19385e 100644 --- a/modules/clientnotify.cpp +++ b/modules/clientnotify.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/controlpanel.cpp b/modules/controlpanel.cpp index c389cdbb..c6f94a95 100644 --- a/modules/controlpanel.cpp +++ b/modules/controlpanel.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * Copyright (C) 2008 by Stefan Rado * based on admin.cpp by Sebastian Ramacher * based on admin.cpp in crox branch diff --git a/modules/crypt.cpp b/modules/crypt.cpp index a64e9c2b..b3e7024c 100644 --- a/modules/crypt.cpp +++ b/modules/crypt.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/ctcpflood.cpp b/modules/ctcpflood.cpp index c9833651..ca636d84 100644 --- a/modules/ctcpflood.cpp +++ b/modules/ctcpflood.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/cyrusauth.cpp b/modules/cyrusauth.cpp index 03a30c16..c58b59ce 100644 --- a/modules/cyrusauth.cpp +++ b/modules/cyrusauth.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * Copyright (C) 2008 Heiko Hund * * Licensed under the Apache License, Version 2.0 (the "License"); diff --git a/modules/dcc.cpp b/modules/dcc.cpp index b770de1a..54506311 100644 --- a/modules/dcc.cpp +++ b/modules/dcc.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/disconkick.cpp b/modules/disconkick.cpp index 685fb5a8..48995b81 100644 --- a/modules/disconkick.cpp +++ b/modules/disconkick.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/fail2ban.cpp b/modules/fail2ban.cpp index b6c87710..ef2bf6ac 100644 --- a/modules/fail2ban.cpp +++ b/modules/fail2ban.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/flooddetach.cpp b/modules/flooddetach.cpp index cd39586e..22748381 100644 --- a/modules/flooddetach.cpp +++ b/modules/flooddetach.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/identfile.cpp b/modules/identfile.cpp index b7cfe17d..9588f2f4 100644 --- a/modules/identfile.cpp +++ b/modules/identfile.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/imapauth.cpp b/modules/imapauth.cpp index 6aab5d0c..90136630 100644 --- a/modules/imapauth.cpp +++ b/modules/imapauth.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/keepnick.cpp b/modules/keepnick.cpp index 386f4440..b61c1532 100644 --- a/modules/keepnick.cpp +++ b/modules/keepnick.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/kickrejoin.cpp b/modules/kickrejoin.cpp index 2b9ca4ec..fb1ea271 100644 --- a/modules/kickrejoin.cpp +++ b/modules/kickrejoin.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * This was originally written by cycomate. * * Licensed under the Apache License, Version 2.0 (the "License"); diff --git a/modules/lastseen.cpp b/modules/lastseen.cpp index add494bd..fd90d00b 100644 --- a/modules/lastseen.cpp +++ b/modules/lastseen.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/listsockets.cpp b/modules/listsockets.cpp index c5b84234..774762ae 100644 --- a/modules/listsockets.cpp +++ b/modules/listsockets.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/log.cpp b/modules/log.cpp index 744a2ab2..f6e316a6 100644 --- a/modules/log.cpp +++ b/modules/log.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * Copyright (C) 2006-2007, CNU *(http://cnu.dieplz.net/znc) * diff --git a/modules/missingmotd.cpp b/modules/missingmotd.cpp index 685573d9..c8fd5a85 100644 --- a/modules/missingmotd.cpp +++ b/modules/missingmotd.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/modperl.cpp b/modules/modperl.cpp index 0e2be5d2..e9678192 100644 --- a/modules/modperl.cpp +++ b/modules/modperl.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/modperl/CMakeLists.txt b/modules/modperl/CMakeLists.txt index 5fe18856..ea6d914c 100644 --- a/modules/modperl/CMakeLists.txt +++ b/modules/modperl/CMakeLists.txt @@ -1,5 +1,5 @@ # -# Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. +# Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. diff --git a/modules/modperl/codegen.pl b/modules/modperl/codegen.pl index 2abed5af..268825da 100755 --- a/modules/modperl/codegen.pl +++ b/modules/modperl/codegen.pl @@ -1,6 +1,6 @@ #!/usr/bin/env perl # -# Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. +# Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. @@ -25,7 +25,7 @@ open my $out, ">", $ARGV[1] or die; print $out <<'EOF'; /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/modperl/modperl.i b/modules/modperl/modperl.i index 7184f7f4..fac0bb4b 100644 --- a/modules/modperl/modperl.i +++ b/modules/modperl/modperl.i @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/modperl/module.h b/modules/modperl/module.h index c3a33c74..579807d1 100644 --- a/modules/modperl/module.h +++ b/modules/modperl/module.h @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/modperl/pstring.h b/modules/modperl/pstring.h index e233cfd8..e5e716d4 100644 --- a/modules/modperl/pstring.h +++ b/modules/modperl/pstring.h @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/modperl/startup.pl b/modules/modperl/startup.pl index cda7cbc8..f637bf46 100644 --- a/modules/modperl/startup.pl +++ b/modules/modperl/startup.pl @@ -1,5 +1,5 @@ # -# Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. +# Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. diff --git a/modules/modpython.cpp b/modules/modpython.cpp index 7bc76fc5..884e0546 100644 --- a/modules/modpython.cpp +++ b/modules/modpython.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/modpython/CMakeLists.txt b/modules/modpython/CMakeLists.txt index 487dbf9e..c74dd506 100644 --- a/modules/modpython/CMakeLists.txt +++ b/modules/modpython/CMakeLists.txt @@ -1,5 +1,5 @@ # -# Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. +# Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. diff --git a/modules/modpython/codegen.pl b/modules/modpython/codegen.pl index 6143e8e1..f7f34985 100755 --- a/modules/modpython/codegen.pl +++ b/modules/modpython/codegen.pl @@ -1,6 +1,6 @@ #!/usr/bin/env perl # -# Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. +# Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. @@ -27,7 +27,7 @@ open my $out, ">", $ARGV[1] or die; print $out <<'EOF'; /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/modpython/modpython.i b/modules/modpython/modpython.i index 8e304c97..5c4a50f9 100644 --- a/modules/modpython/modpython.i +++ b/modules/modpython/modpython.i @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/modpython/module.h b/modules/modpython/module.h index e3be5685..eeb76dfb 100644 --- a/modules/modpython/module.h +++ b/modules/modpython/module.h @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/modpython/ret.h b/modules/modpython/ret.h index 2a376597..17287688 100644 --- a/modules/modpython/ret.h +++ b/modules/modpython/ret.h @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/modpython/znc.py b/modules/modpython/znc.py index 5f0784f3..733c8e4b 100644 --- a/modules/modpython/znc.py +++ b/modules/modpython/znc.py @@ -1,5 +1,5 @@ # -# Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. +# Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. diff --git a/modules/modtcl.cpp b/modules/modtcl.cpp index c64bc43f..089cab51 100644 --- a/modules/modtcl.cpp +++ b/modules/modtcl.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/modtcl/CMakeLists.txt b/modules/modtcl/CMakeLists.txt index 78fba1d6..33a8b783 100644 --- a/modules/modtcl/CMakeLists.txt +++ b/modules/modtcl/CMakeLists.txt @@ -1,5 +1,5 @@ # -# Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. +# Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. diff --git a/modules/modtcl/binds.tcl b/modules/modtcl/binds.tcl index 224b875d..dbefb26a 100644 --- a/modules/modtcl/binds.tcl +++ b/modules/modtcl/binds.tcl @@ -1,4 +1,4 @@ -# Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. +# Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. diff --git a/modules/modtcl/modtcl.tcl b/modules/modtcl/modtcl.tcl index 0ae398b6..4ecc75b1 100644 --- a/modules/modtcl/modtcl.tcl +++ b/modules/modtcl/modtcl.tcl @@ -1,4 +1,4 @@ -# Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. +# Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. diff --git a/modules/modules_online.cpp b/modules/modules_online.cpp index 5e908651..9577b29d 100644 --- a/modules/modules_online.cpp +++ b/modules/modules_online.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/nickserv.cpp b/modules/nickserv.cpp index 8a606f10..b79d0adf 100644 --- a/modules/nickserv.cpp +++ b/modules/nickserv.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/notes.cpp b/modules/notes.cpp index 70e939da..bfcb8e73 100644 --- a/modules/notes.cpp +++ b/modules/notes.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/notify_connect.cpp b/modules/notify_connect.cpp index e5a2e0c7..23b499a6 100644 --- a/modules/notify_connect.cpp +++ b/modules/notify_connect.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/perform.cpp b/modules/perform.cpp index af0452aa..4039109f 100644 --- a/modules/perform.cpp +++ b/modules/perform.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/perleval.pm b/modules/perleval.pm index 22f76fc6..2048891b 100644 --- a/modules/perleval.pm +++ b/modules/perleval.pm @@ -1,5 +1,5 @@ # -# Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. +# Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. diff --git a/modules/po/CMakeLists.txt b/modules/po/CMakeLists.txt index 9e495c97..08f7fbad 100644 --- a/modules/po/CMakeLists.txt +++ b/modules/po/CMakeLists.txt @@ -1,5 +1,5 @@ # -# Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. +# Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. diff --git a/modules/pyeval.py b/modules/pyeval.py index 750f41b9..27743f2c 100644 --- a/modules/pyeval.py +++ b/modules/pyeval.py @@ -1,5 +1,5 @@ # -# Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. +# Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. diff --git a/modules/raw.cpp b/modules/raw.cpp index 6acdd63c..7df508cc 100644 --- a/modules/raw.cpp +++ b/modules/raw.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/route_replies.cpp b/modules/route_replies.cpp index a07ad47b..9256fdfd 100644 --- a/modules/route_replies.cpp +++ b/modules/route_replies.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/sample.cpp b/modules/sample.cpp index aa8f1cca..a415d88c 100644 --- a/modules/sample.cpp +++ b/modules/sample.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/samplewebapi.cpp b/modules/samplewebapi.cpp index d7d92eea..43f9e727 100644 --- a/modules/samplewebapi.cpp +++ b/modules/samplewebapi.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/sasl.cpp b/modules/sasl.cpp index 34da0dca..e3baeaae 100644 --- a/modules/sasl.cpp +++ b/modules/sasl.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/savebuff.cpp b/modules/savebuff.cpp index 95e613ad..6afc58a4 100644 --- a/modules/savebuff.cpp +++ b/modules/savebuff.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * Author: imaginos * * Licensed under the Apache License, Version 2.0 (the "License"); diff --git a/modules/schat.cpp b/modules/schat.cpp index a4f980ec..aa7a338d 100644 --- a/modules/schat.cpp +++ b/modules/schat.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * Author: imaginos * * Licensed under the Apache License, Version 2.0 (the "License"); diff --git a/modules/send_raw.cpp b/modules/send_raw.cpp index e0a889f0..e49def54 100644 --- a/modules/send_raw.cpp +++ b/modules/send_raw.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/shell.cpp b/modules/shell.cpp index 1f179e87..296e18a9 100644 --- a/modules/shell.cpp +++ b/modules/shell.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/simple_away.cpp b/modules/simple_away.cpp index cb4cf7e6..703c5029 100644 --- a/modules/simple_away.cpp +++ b/modules/simple_away.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/stickychan.cpp b/modules/stickychan.cpp index 6a3f0664..6163da01 100644 --- a/modules/stickychan.cpp +++ b/modules/stickychan.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/stripcontrols.cpp b/modules/stripcontrols.cpp index ef3848cb..7638579f 100644 --- a/modules/stripcontrols.cpp +++ b/modules/stripcontrols.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/watch.cpp b/modules/watch.cpp index 634cd553..edefa303 100644 --- a/modules/watch.cpp +++ b/modules/watch.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/modules/webadmin.cpp b/modules/webadmin.cpp index 7671eb8b..140755ad 100644 --- a/modules/webadmin.cpp +++ b/modules/webadmin.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/src/Buffer.cpp b/src/Buffer.cpp index a7733da8..c1535166 100644 --- a/src/Buffer.cpp +++ b/src/Buffer.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/src/CMakeLists.txt b/src/CMakeLists.txt index bea1d7c9..341c5f0f 100644 --- a/src/CMakeLists.txt +++ b/src/CMakeLists.txt @@ -1,5 +1,5 @@ # -# Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. +# Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. diff --git a/src/Chan.cpp b/src/Chan.cpp index 8ac6f502..ad8fbc79 100644 --- a/src/Chan.cpp +++ b/src/Chan.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/src/Client.cpp b/src/Client.cpp index 94e3dfc1..ed4e9ab2 100644 --- a/src/Client.cpp +++ b/src/Client.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/src/ClientCommand.cpp b/src/ClientCommand.cpp index cd768af0..bd2e8ce1 100644 --- a/src/ClientCommand.cpp +++ b/src/ClientCommand.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/src/Config.cpp b/src/Config.cpp index a3df463a..a521fc88 100644 --- a/src/Config.cpp +++ b/src/Config.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/src/FileUtils.cpp b/src/FileUtils.cpp index 9fd1a3cc..03bef7fc 100644 --- a/src/FileUtils.cpp +++ b/src/FileUtils.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/src/HTTPSock.cpp b/src/HTTPSock.cpp index 9da7c5ad..151dafa8 100644 --- a/src/HTTPSock.cpp +++ b/src/HTTPSock.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/src/IRCNetwork.cpp b/src/IRCNetwork.cpp index cbe0d538..1aaf072f 100644 --- a/src/IRCNetwork.cpp +++ b/src/IRCNetwork.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/src/IRCSock.cpp b/src/IRCSock.cpp index aaaab441..b155ecde 100644 --- a/src/IRCSock.cpp +++ b/src/IRCSock.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/src/Listener.cpp b/src/Listener.cpp index 1eec8125..26cc2c7d 100644 --- a/src/Listener.cpp +++ b/src/Listener.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/src/Message.cpp b/src/Message.cpp index a8dd0c70..8c1419b7 100644 --- a/src/Message.cpp +++ b/src/Message.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/src/Modules.cpp b/src/Modules.cpp index 9707d917..24fb3534 100644 --- a/src/Modules.cpp +++ b/src/Modules.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/src/Nick.cpp b/src/Nick.cpp index 79aeb5bf..fc487029 100644 --- a/src/Nick.cpp +++ b/src/Nick.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/src/Query.cpp b/src/Query.cpp index e1aa2df2..c2f520ce 100644 --- a/src/Query.cpp +++ b/src/Query.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/src/SSLVerifyHost.cpp b/src/SSLVerifyHost.cpp index 02da1c9c..d85421d6 100644 --- a/src/SSLVerifyHost.cpp +++ b/src/SSLVerifyHost.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/src/Server.cpp b/src/Server.cpp index e14b8b95..f404a0c4 100644 --- a/src/Server.cpp +++ b/src/Server.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/src/Socket.cpp b/src/Socket.cpp index ad0f918a..168508fc 100644 --- a/src/Socket.cpp +++ b/src/Socket.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/src/Template.cpp b/src/Template.cpp index be2c0634..7687ee95 100644 --- a/src/Template.cpp +++ b/src/Template.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/src/Threads.cpp b/src/Threads.cpp index 4aa608e0..6a934296 100644 --- a/src/Threads.cpp +++ b/src/Threads.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/src/Translation.cpp b/src/Translation.cpp index f7f832c4..6c479263 100644 --- a/src/Translation.cpp +++ b/src/Translation.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/src/User.cpp b/src/User.cpp index 14637c16..b978f7b6 100644 --- a/src/User.cpp +++ b/src/User.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/src/Utils.cpp b/src/Utils.cpp index 0a87f36e..bf513fd1 100644 --- a/src/Utils.cpp +++ b/src/Utils.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/src/WebModules.cpp b/src/WebModules.cpp index 62630321..77df49b2 100644 --- a/src/WebModules.cpp +++ b/src/WebModules.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/src/ZNCDebug.cpp b/src/ZNCDebug.cpp index 96e5ebe9..9b798454 100644 --- a/src/ZNCDebug.cpp +++ b/src/ZNCDebug.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/src/ZNCString.cpp b/src/ZNCString.cpp index 28c22080..725def34 100644 --- a/src/ZNCString.cpp +++ b/src/ZNCString.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/src/main.cpp b/src/main.cpp index 6e989944..b9dba7f0 100644 --- a/src/main.cpp +++ b/src/main.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/src/po/CMakeLists.txt b/src/po/CMakeLists.txt index baddf276..2e195fd5 100644 --- a/src/po/CMakeLists.txt +++ b/src/po/CMakeLists.txt @@ -1,5 +1,5 @@ # -# Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. +# Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. diff --git a/src/version.cpp.in b/src/version.cpp.in index 7d4fffbb..23626be7 100644 --- a/src/version.cpp.in +++ b/src/version.cpp.in @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/src/znc.cpp b/src/znc.cpp index cb4bc680..c5ad17dc 100644 --- a/src/znc.cpp +++ b/src/znc.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/test/BufferTest.cpp b/test/BufferTest.cpp index ebb78dca..105afebc 100644 --- a/test/BufferTest.cpp +++ b/test/BufferTest.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/test/CMakeLists.txt b/test/CMakeLists.txt index d387b3ef..2710c742 100644 --- a/test/CMakeLists.txt +++ b/test/CMakeLists.txt @@ -1,5 +1,5 @@ # -# Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. +# Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. diff --git a/test/ClientTest.cpp b/test/ClientTest.cpp index 08781ffe..245bebee 100644 --- a/test/ClientTest.cpp +++ b/test/ClientTest.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/test/ConfigTest.cpp b/test/ConfigTest.cpp index 30533536..2c5e66de 100644 --- a/test/ConfigTest.cpp +++ b/test/ConfigTest.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/test/IRCSockTest.cpp b/test/IRCSockTest.cpp index e517ae24..662e8b9f 100644 --- a/test/IRCSockTest.cpp +++ b/test/IRCSockTest.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/test/IRCTest.h b/test/IRCTest.h index 3ede27cb..da732855 100644 --- a/test/IRCTest.h +++ b/test/IRCTest.h @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/test/MessageTest.cpp b/test/MessageTest.cpp index f10952b2..769dd51b 100644 --- a/test/MessageTest.cpp +++ b/test/MessageTest.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/test/ModulesTest.cpp b/test/ModulesTest.cpp index 3d0455bd..798c8bd8 100644 --- a/test/ModulesTest.cpp +++ b/test/ModulesTest.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/test/NetworkTest.cpp b/test/NetworkTest.cpp index 59cdd0f9..2d9f8a8a 100644 --- a/test/NetworkTest.cpp +++ b/test/NetworkTest.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/test/NickTest.cpp b/test/NickTest.cpp index 3aede080..c939c1ff 100644 --- a/test/NickTest.cpp +++ b/test/NickTest.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/test/QueryTest.cpp b/test/QueryTest.cpp index aaa13bca..e84daee7 100644 --- a/test/QueryTest.cpp +++ b/test/QueryTest.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/test/StringTest.cpp b/test/StringTest.cpp index 7c2efec2..cc6b9c29 100644 --- a/test/StringTest.cpp +++ b/test/StringTest.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/test/ThreadTest.cpp b/test/ThreadTest.cpp index 3991ee88..a2e157f6 100644 --- a/test/ThreadTest.cpp +++ b/test/ThreadTest.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/test/UserTest.cpp b/test/UserTest.cpp index 1bfec981..14c26cad 100644 --- a/test/UserTest.cpp +++ b/test/UserTest.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/test/UtilsTest.cpp b/test/UtilsTest.cpp index 58c61ac4..44514d98 100644 --- a/test/UtilsTest.cpp +++ b/test/UtilsTest.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/test/integration/CMakeLists.txt b/test/integration/CMakeLists.txt index 98ab40f4..30c71a64 100644 --- a/test/integration/CMakeLists.txt +++ b/test/integration/CMakeLists.txt @@ -1,5 +1,5 @@ # -# Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. +# Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. diff --git a/test/integration/autoconf-all.cpp b/test/integration/autoconf-all.cpp index d2c7a0eb..26ae3e97 100644 --- a/test/integration/autoconf-all.cpp +++ b/test/integration/autoconf-all.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/test/integration/framework/base.cpp b/test/integration/framework/base.cpp index 0a6b15a0..e7fc4bc4 100644 --- a/test/integration/framework/base.cpp +++ b/test/integration/framework/base.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/test/integration/framework/base.h b/test/integration/framework/base.h index 92ca9532..cd56884d 100644 --- a/test/integration/framework/base.h +++ b/test/integration/framework/base.h @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/test/integration/framework/main.cpp b/test/integration/framework/main.cpp index 710f3659..d6a19640 100644 --- a/test/integration/framework/main.cpp +++ b/test/integration/framework/main.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/test/integration/framework/znctest.cpp b/test/integration/framework/znctest.cpp index 0c4f01e9..195b6083 100644 --- a/test/integration/framework/znctest.cpp +++ b/test/integration/framework/znctest.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/test/integration/framework/znctest.h b/test/integration/framework/znctest.h index 6a90702e..d0c8f0cb 100644 --- a/test/integration/framework/znctest.h +++ b/test/integration/framework/znctest.h @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/test/integration/tests/core.cpp b/test/integration/tests/core.cpp index c5531d05..a6e026bf 100644 --- a/test/integration/tests/core.cpp +++ b/test/integration/tests/core.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/test/integration/tests/modules.cpp b/test/integration/tests/modules.cpp index 7ec0d74e..10697961 100644 --- a/test/integration/tests/modules.cpp +++ b/test/integration/tests/modules.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/test/integration/tests/scripting.cpp b/test/integration/tests/scripting.cpp index d269b1d7..5f25f808 100644 --- a/test/integration/tests/scripting.cpp +++ b/test/integration/tests/scripting.cpp @@ -1,5 +1,5 @@ /* - * Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/translation_pot.py b/translation_pot.py index 6ba8aae5..5452b146 100755 --- a/translation_pot.py +++ b/translation_pot.py @@ -1,6 +1,6 @@ #!/usr/bin/env python3 # -# Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. +# Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. diff --git a/znc-buildmod.cmake.in b/znc-buildmod.cmake.in index bfb92d4a..632b5aba 100755 --- a/znc-buildmod.cmake.in +++ b/znc-buildmod.cmake.in @@ -1,6 +1,6 @@ #!/bin/sh # -# Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. +# Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. diff --git a/zz_msg/CMakeLists.txt b/zz_msg/CMakeLists.txt index 6d070077..3cb06745 100644 --- a/zz_msg/CMakeLists.txt +++ b/zz_msg/CMakeLists.txt @@ -1,5 +1,5 @@ # -# Copyright (C) 2004-2020 ZNC, see the NOTICE file for details. +# Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. From f0f0224e52979bb7cef20caa672eb6b90e9468d0 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Tue, 12 Jan 2021 00:28:55 +0000 Subject: [PATCH 516/798] Update translations from Crowdin for de_DE --- modules/po/webadmin.de_DE.po | 2 +- src/po/znc.de_DE.po | 20 ++++++++++---------- 2 files changed, 11 insertions(+), 11 deletions(-) diff --git a/modules/po/webadmin.de_DE.po b/modules/po/webadmin.de_DE.po index 8a7798f0..d7427bae 100644 --- a/modules/po/webadmin.de_DE.po +++ b/modules/po/webadmin.de_DE.po @@ -348,7 +348,7 @@ msgstr "Hinzufügen" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:187 msgid "Index" -msgstr "" +msgstr "Index" #: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:188 #: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:430 diff --git a/src/po/znc.de_DE.po b/src/po/znc.de_DE.po index 72b48925..48e069a3 100644 --- a/src/po/znc.de_DE.po +++ b/src/po/znc.de_DE.po @@ -101,7 +101,7 @@ msgstr "" #: IRCNetwork.cpp:948 msgid "Invalid index" -msgstr "" +msgstr "Ungültiger Index" #: IRCNetwork.cpp:956 IRCNetwork.cpp:972 IRCNetwork.cpp:980 #: ClientCommand.cpp:1405 @@ -666,19 +666,19 @@ msgstr[1] "{1} Kanäle deaktiviert" #: ClientCommand.cpp:466 msgid "Usage: MoveChan <#chan> " -msgstr "" +msgstr "Benutzung: MoveChan <#chan> " #: ClientCommand.cpp:474 msgid "Moved channel {1} to index {2}" -msgstr "" +msgstr "Channel {1} zu Index {2} verschoben" #: ClientCommand.cpp:487 msgid "Usage: SwapChans <#chan1> <#chan2>" -msgstr "" +msgstr "Benutzung: SwapChans <#chan1> <#chan2>" #: ClientCommand.cpp:493 msgid "Swapped channels {1} and {2}" -msgstr "" +msgstr "Channel {1} und {2} getauscht" #: ClientCommand.cpp:510 msgid "Usage: ListChans" @@ -699,7 +699,7 @@ msgstr "Es wurden noch keine Kanäle definiert." #: ClientCommand.cpp:539 ClientCommand.cpp:557 msgctxt "listchans" msgid "Index" -msgstr "" +msgstr "Index" #: ClientCommand.cpp:540 ClientCommand.cpp:558 msgctxt "listchans" @@ -1624,22 +1624,22 @@ msgstr "Deaktiviere Kanäle" #: ClientCommand.cpp:1829 msgctxt "helpcmd|MoveChan|args" msgid "<#chan> " -msgstr "" +msgstr "<#chan> " #: ClientCommand.cpp:1830 msgctxt "helpcmd|MoveChan|desc" msgid "Move channel in sort order" -msgstr "" +msgstr "Verschiebe Kanäle in Sortierung" #: ClientCommand.cpp:1832 msgctxt "helpcmd|SwapChans|args" msgid "<#chan1> <#chan2>" -msgstr "" +msgstr "<#chan1> <#chan2>" #: ClientCommand.cpp:1833 msgctxt "helpcmd|SwapChans|desc" msgid "Swap channels in sort order" -msgstr "" +msgstr "Tausche Kanäle in Sortierung" #: ClientCommand.cpp:1834 msgctxt "helpcmd|Attach|args" From 60ea1551f1d18d5e8383494a71b7621705ac0d64 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Sat, 6 Feb 2021 00:29:00 +0000 Subject: [PATCH 517/798] Update translations from Crowdin for nl_NL --- src/po/znc.nl_NL.po | 42 +++++++++++++++++++++--------------------- 1 file changed, 21 insertions(+), 21 deletions(-) diff --git a/src/po/znc.nl_NL.po b/src/po/znc.nl_NL.po index 6592b635..ac3890b8 100644 --- a/src/po/znc.nl_NL.po +++ b/src/po/znc.nl_NL.po @@ -102,7 +102,7 @@ msgstr "" #: IRCNetwork.cpp:948 msgid "Invalid index" -msgstr "" +msgstr "Ongeldige index" #: IRCNetwork.cpp:956 IRCNetwork.cpp:972 IRCNetwork.cpp:980 #: ClientCommand.cpp:1405 @@ -516,12 +516,12 @@ msgstr "" #: ClientCommand.cpp:203 ClientCommand.cpp:209 msgctxt "listclientscmd" msgid "Host" -msgstr "" +msgstr "Host" #: ClientCommand.cpp:204 ClientCommand.cpp:212 msgctxt "listclientscmd" msgid "Network" -msgstr "" +msgstr "Netwerk" #: ClientCommand.cpp:205 ClientCommand.cpp:215 msgctxt "listclientscmd" @@ -531,7 +531,7 @@ msgstr "" #: ClientCommand.cpp:223 ClientCommand.cpp:229 msgctxt "listuserscmd" msgid "Username" -msgstr "" +msgstr "Gebruikersnaam" #: ClientCommand.cpp:224 ClientCommand.cpp:230 msgctxt "listuserscmd" @@ -547,12 +547,12 @@ msgstr "" #: ClientCommand.cpp:263 msgctxt "listallusernetworkscmd" msgid "Username" -msgstr "" +msgstr "Gebruikersnaam" #: ClientCommand.cpp:241 ClientCommand.cpp:251 ClientCommand.cpp:266 msgctxt "listallusernetworkscmd" msgid "Network" -msgstr "" +msgstr "Netwerk" #: ClientCommand.cpp:242 ClientCommand.cpp:252 ClientCommand.cpp:268 msgctxt "listallusernetworkscmd" @@ -562,22 +562,22 @@ msgstr "" #: ClientCommand.cpp:243 ClientCommand.cpp:271 ClientCommand.cpp:280 msgctxt "listallusernetworkscmd" msgid "On IRC" -msgstr "" +msgstr "Op IRC" #: ClientCommand.cpp:244 ClientCommand.cpp:273 msgctxt "listallusernetworkscmd" msgid "IRC Server" -msgstr "" +msgstr "IRC Server" #: ClientCommand.cpp:245 ClientCommand.cpp:275 msgctxt "listallusernetworkscmd" msgid "IRC User" -msgstr "" +msgstr "IRC Gebruiker" #: ClientCommand.cpp:246 ClientCommand.cpp:277 msgctxt "listallusernetworkscmd" msgid "Channels" -msgstr "" +msgstr "Kanalen" #: ClientCommand.cpp:251 msgid "N/A" @@ -586,12 +586,12 @@ msgstr "" #: ClientCommand.cpp:272 msgctxt "listallusernetworkscmd" msgid "Yes" -msgstr "" +msgstr "Ja" #: ClientCommand.cpp:281 msgctxt "listallusernetworkscmd" msgid "No" -msgstr "" +msgstr "Nee" #: ClientCommand.cpp:291 msgid "Usage: SetMOTD " @@ -664,19 +664,19 @@ msgstr[1] "" #: ClientCommand.cpp:466 msgid "Usage: MoveChan <#chan> " -msgstr "" +msgstr "Gebruik: MoveChan <#chan> " #: ClientCommand.cpp:474 msgid "Moved channel {1} to index {2}" -msgstr "" +msgstr "Kanaal {1} naar index {2} verplaatst" #: ClientCommand.cpp:487 msgid "Usage: SwapChans <#chan1> <#chan2>" -msgstr "" +msgstr "Gebruik: SwapChans <#chan1> <#chan2>" #: ClientCommand.cpp:493 msgid "Swapped channels {1} and {2}" -msgstr "" +msgstr "Kanaal {1} en {2} gewisseld" #: ClientCommand.cpp:510 msgid "Usage: ListChans" @@ -697,7 +697,7 @@ msgstr "Er zijn geen kanalen geconfigureerd." #: ClientCommand.cpp:539 ClientCommand.cpp:557 msgctxt "listchans" msgid "Index" -msgstr "" +msgstr "Index" #: ClientCommand.cpp:540 ClientCommand.cpp:558 msgctxt "listchans" @@ -1619,22 +1619,22 @@ msgstr "Kanalen uitschakelen" #: ClientCommand.cpp:1829 msgctxt "helpcmd|MoveChan|args" msgid "<#chan> " -msgstr "" +msgstr "<#chan> " #: ClientCommand.cpp:1830 msgctxt "helpcmd|MoveChan|desc" msgid "Move channel in sort order" -msgstr "" +msgstr "Verplaats kanaal in gesorteerde volgorde" #: ClientCommand.cpp:1832 msgctxt "helpcmd|SwapChans|args" msgid "<#chan1> <#chan2>" -msgstr "" +msgstr "<#chan1> <#chan2>" #: ClientCommand.cpp:1833 msgctxt "helpcmd|SwapChans|desc" msgid "Swap channels in sort order" -msgstr "" +msgstr "Wissel kanaal in gesorteerde volgorde" #: ClientCommand.cpp:1834 msgctxt "helpcmd|Attach|args" From 4cc377639abb3a6da3a4de6529fdb883090acbd6 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Sat, 13 Feb 2021 00:29:23 +0000 Subject: [PATCH 518/798] Update translations from Crowdin for ro_RO --- TRANSLATORS.md | 1 + modules/po/admindebug.ro_RO.po | 60 + modules/po/adminlog.ro_RO.po | 70 + modules/po/alias.ro_RO.po | 124 ++ modules/po/autoattach.ro_RO.po | 86 ++ modules/po/autocycle.ro_RO.po | 70 + modules/po/autoop.ro_RO.po | 169 +++ modules/po/autoreply.ro_RO.po | 44 + modules/po/autovoice.ro_RO.po | 112 ++ modules/po/awaystore.ro_RO.po | 111 ++ modules/po/block_motd.ro_RO.po | 36 + modules/po/blockuser.ro_RO.po | 98 ++ modules/po/bouncedcc.ro_RO.po | 132 ++ modules/po/buffextras.ro_RO.po | 50 + modules/po/cert.ro_RO.po | 76 + modules/po/certauth.ro_RO.po | 109 ++ modules/po/chansaver.ro_RO.po | 18 + modules/po/clearbufferonmsg.ro_RO.po | 18 + modules/po/clientnotify.ro_RO.po | 75 + modules/po/controlpanel.ro_RO.po | 720 ++++++++++ modules/po/crypt.ro_RO.po | 144 ++ modules/po/ctcpflood.ro_RO.po | 72 + modules/po/cyrusauth.ro_RO.po | 74 + modules/po/dcc.ro_RO.po | 228 +++ modules/po/disconkick.ro_RO.po | 24 + modules/po/fail2ban.ro_RO.po | 118 ++ modules/po/flooddetach.ro_RO.po | 94 ++ modules/po/identfile.ro_RO.po | 84 ++ modules/po/imapauth.ro_RO.po | 22 + modules/po/keepnick.ro_RO.po | 54 + modules/po/kickrejoin.ro_RO.po | 64 + modules/po/lastseen.ro_RO.po | 68 + modules/po/listsockets.ro_RO.po | 114 ++ modules/po/log.ro_RO.po | 150 ++ modules/po/missingmotd.ro_RO.po | 18 + modules/po/modperl.ro_RO.po | 18 + modules/po/modpython.ro_RO.po | 18 + modules/po/modules_online.ro_RO.po | 18 + modules/po/nickserv.ro_RO.po | 80 ++ modules/po/notes.ro_RO.po | 120 ++ modules/po/notify_connect.ro_RO.po | 30 + modules/po/perform.ro_RO.po | 109 ++ modules/po/perleval.ro_RO.po | 32 + modules/po/pyeval.ro_RO.po | 22 + modules/po/raw.ro_RO.po | 18 + modules/po/route_replies.ro_RO.po | 60 + modules/po/sample.ro_RO.po | 121 ++ modules/po/samplewebapi.ro_RO.po | 18 + modules/po/sasl.ro_RO.po | 175 +++ modules/po/savebuff.ro_RO.po | 63 + modules/po/send_raw.ro_RO.po | 110 ++ modules/po/shell.ro_RO.po | 30 + modules/po/simple_away.ro_RO.po | 95 ++ modules/po/stickychan.ro_RO.po | 103 ++ modules/po/stripcontrols.ro_RO.po | 19 + modules/po/watch.ro_RO.po | 194 +++ modules/po/webadmin.ro_RO.po | 1214 ++++++++++++++++ src/po/znc.ro_RO.po | 1956 ++++++++++++++++++++++++++ 58 files changed, 8130 insertions(+) create mode 100644 modules/po/admindebug.ro_RO.po create mode 100644 modules/po/adminlog.ro_RO.po create mode 100644 modules/po/alias.ro_RO.po create mode 100644 modules/po/autoattach.ro_RO.po create mode 100644 modules/po/autocycle.ro_RO.po create mode 100644 modules/po/autoop.ro_RO.po create mode 100644 modules/po/autoreply.ro_RO.po create mode 100644 modules/po/autovoice.ro_RO.po create mode 100644 modules/po/awaystore.ro_RO.po create mode 100644 modules/po/block_motd.ro_RO.po create mode 100644 modules/po/blockuser.ro_RO.po create mode 100644 modules/po/bouncedcc.ro_RO.po create mode 100644 modules/po/buffextras.ro_RO.po create mode 100644 modules/po/cert.ro_RO.po create mode 100644 modules/po/certauth.ro_RO.po create mode 100644 modules/po/chansaver.ro_RO.po create mode 100644 modules/po/clearbufferonmsg.ro_RO.po create mode 100644 modules/po/clientnotify.ro_RO.po create mode 100644 modules/po/controlpanel.ro_RO.po create mode 100644 modules/po/crypt.ro_RO.po create mode 100644 modules/po/ctcpflood.ro_RO.po create mode 100644 modules/po/cyrusauth.ro_RO.po create mode 100644 modules/po/dcc.ro_RO.po create mode 100644 modules/po/disconkick.ro_RO.po create mode 100644 modules/po/fail2ban.ro_RO.po create mode 100644 modules/po/flooddetach.ro_RO.po create mode 100644 modules/po/identfile.ro_RO.po create mode 100644 modules/po/imapauth.ro_RO.po create mode 100644 modules/po/keepnick.ro_RO.po create mode 100644 modules/po/kickrejoin.ro_RO.po create mode 100644 modules/po/lastseen.ro_RO.po create mode 100644 modules/po/listsockets.ro_RO.po create mode 100644 modules/po/log.ro_RO.po create mode 100644 modules/po/missingmotd.ro_RO.po create mode 100644 modules/po/modperl.ro_RO.po create mode 100644 modules/po/modpython.ro_RO.po create mode 100644 modules/po/modules_online.ro_RO.po create mode 100644 modules/po/nickserv.ro_RO.po create mode 100644 modules/po/notes.ro_RO.po create mode 100644 modules/po/notify_connect.ro_RO.po create mode 100644 modules/po/perform.ro_RO.po create mode 100644 modules/po/perleval.ro_RO.po create mode 100644 modules/po/pyeval.ro_RO.po create mode 100644 modules/po/raw.ro_RO.po create mode 100644 modules/po/route_replies.ro_RO.po create mode 100644 modules/po/sample.ro_RO.po create mode 100644 modules/po/samplewebapi.ro_RO.po create mode 100644 modules/po/sasl.ro_RO.po create mode 100644 modules/po/savebuff.ro_RO.po create mode 100644 modules/po/send_raw.ro_RO.po create mode 100644 modules/po/shell.ro_RO.po create mode 100644 modules/po/simple_away.ro_RO.po create mode 100644 modules/po/stickychan.ro_RO.po create mode 100644 modules/po/stripcontrols.ro_RO.po create mode 100644 modules/po/watch.ro_RO.po create mode 100644 modules/po/webadmin.ro_RO.po create mode 100644 src/po/znc.ro_RO.po diff --git a/TRANSLATORS.md b/TRANSLATORS.md index 2153647c..e1a9cb73 100644 --- a/TRANSLATORS.md +++ b/TRANSLATORS.md @@ -26,6 +26,7 @@ These people helped translating ZNC to various languages: * SunOS * tojestzart (tojestzart) * Un1matr1x (Falk Seidel) +* unavailable (style) * Vimart * Wollino * Xaris_ (Xaris) diff --git a/modules/po/admindebug.ro_RO.po b/modules/po/admindebug.ro_RO.po new file mode 100644 index 00000000..a45828fe --- /dev/null +++ b/modules/po/admindebug.ro_RO.po @@ -0,0 +1,60 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=3; plural=(n==1 ? 0 : (n==0 || (n%100>0 && n" +"%100<20)) ? 1 : 2);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: ro\n" +"X-Crowdin-File: /master/modules/po/admindebug.pot\n" +"X-Crowdin-File-ID: 273\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Romanian\n" +"Language: ro_RO\n" + +#: admindebug.cpp:30 +msgid "Enable Debug Mode" +msgstr "" + +#: admindebug.cpp:32 +msgid "Disable Debug Mode" +msgstr "" + +#: admindebug.cpp:34 +msgid "Show the Debug Mode status" +msgstr "" + +#: admindebug.cpp:40 admindebug.cpp:49 +msgid "Access denied!" +msgstr "" + +#: admindebug.cpp:58 +msgid "" +"Failure. We need to be running with a TTY. (is ZNC running with --" +"foreground?)" +msgstr "" + +#: admindebug.cpp:66 +msgid "Already enabled." +msgstr "" + +#: admindebug.cpp:68 +msgid "Already disabled." +msgstr "" + +#: admindebug.cpp:92 +msgid "Debugging mode is on." +msgstr "" + +#: admindebug.cpp:94 +msgid "Debugging mode is off." +msgstr "" + +#: admindebug.cpp:96 +msgid "Logging to: stdout." +msgstr "" + +#: admindebug.cpp:105 +msgid "Enable Debug mode dynamically." +msgstr "" diff --git a/modules/po/adminlog.ro_RO.po b/modules/po/adminlog.ro_RO.po new file mode 100644 index 00000000..1904fe07 --- /dev/null +++ b/modules/po/adminlog.ro_RO.po @@ -0,0 +1,70 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=3; plural=(n==1 ? 0 : (n==0 || (n%100>0 && n" +"%100<20)) ? 1 : 2);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: ro\n" +"X-Crowdin-File: /master/modules/po/adminlog.pot\n" +"X-Crowdin-File-ID: 149\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Romanian\n" +"Language: ro_RO\n" + +#: adminlog.cpp:29 +msgid "Show the logging target" +msgstr "" + +#: adminlog.cpp:31 +msgid " [path]" +msgstr "" + +#: adminlog.cpp:32 +msgid "Set the logging target" +msgstr "" + +#: adminlog.cpp:142 +msgid "Access denied" +msgstr "" + +#: adminlog.cpp:156 +msgid "Now logging to file" +msgstr "" + +#: adminlog.cpp:160 +msgid "Now only logging to syslog" +msgstr "" + +#: adminlog.cpp:164 +msgid "Now logging to syslog and file" +msgstr "" + +#: adminlog.cpp:168 +msgid "Usage: Target [path]" +msgstr "" + +#: adminlog.cpp:170 +msgid "Unknown target" +msgstr "" + +#: adminlog.cpp:192 +msgid "Logging is enabled for file" +msgstr "" + +#: adminlog.cpp:195 +msgid "Logging is enabled for syslog" +msgstr "" + +#: adminlog.cpp:198 +msgid "Logging is enabled for both, file and syslog" +msgstr "" + +#: adminlog.cpp:204 +msgid "Log file will be written to {1}" +msgstr "" + +#: adminlog.cpp:222 +msgid "Log ZNC events to file and/or syslog." +msgstr "" diff --git a/modules/po/alias.ro_RO.po b/modules/po/alias.ro_RO.po new file mode 100644 index 00000000..da920a7a --- /dev/null +++ b/modules/po/alias.ro_RO.po @@ -0,0 +1,124 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=3; plural=(n==1 ? 0 : (n==0 || (n%100>0 && n" +"%100<20)) ? 1 : 2);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: ro\n" +"X-Crowdin-File: /master/modules/po/alias.pot\n" +"X-Crowdin-File-ID: 150\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Romanian\n" +"Language: ro_RO\n" + +#: alias.cpp:141 +msgid "missing required parameter: {1}" +msgstr "" + +#: alias.cpp:201 +msgid "Created alias: {1}" +msgstr "" + +#: alias.cpp:203 +msgid "Alias already exists." +msgstr "" + +#: alias.cpp:210 +msgid "Deleted alias: {1}" +msgstr "" + +#: alias.cpp:213 alias.cpp:224 alias.cpp:246 alias.cpp:265 alias.cpp:276 +#: alias.cpp:333 +msgid "Alias does not exist." +msgstr "" + +#: alias.cpp:222 alias.cpp:244 alias.cpp:263 alias.cpp:274 +msgid "Modified alias." +msgstr "" + +#: alias.cpp:236 alias.cpp:256 +msgid "Invalid index." +msgstr "" + +#: alias.cpp:282 alias.cpp:298 +msgid "There are no aliases." +msgstr "" + +#: alias.cpp:289 +msgid "The following aliases exist: {1}" +msgstr "" + +#: alias.cpp:290 +msgctxt "list|separator" +msgid ", " +msgstr "" + +#: alias.cpp:324 +msgid "Actions for alias {1}:" +msgstr "" + +#: alias.cpp:331 +msgid "End of actions for alias {1}." +msgstr "" + +#: alias.cpp:338 alias.cpp:341 alias.cpp:352 alias.cpp:357 +msgid "" +msgstr "" + +#: alias.cpp:339 +msgid "Creates a new, blank alias called name." +msgstr "" + +#: alias.cpp:341 +msgid "Deletes an existing alias." +msgstr "" + +#: alias.cpp:343 +msgid " " +msgstr "" + +#: alias.cpp:344 +msgid "Adds a line to an existing alias." +msgstr "" + +#: alias.cpp:346 +msgid " " +msgstr "" + +#: alias.cpp:347 +msgid "Inserts a line into an existing alias." +msgstr "" + +#: alias.cpp:349 +msgid " " +msgstr "" + +#: alias.cpp:350 +msgid "Removes a line from an existing alias." +msgstr "" + +#: alias.cpp:353 +msgid "Removes all lines from an existing alias." +msgstr "" + +#: alias.cpp:355 +msgid "Lists all aliases by name." +msgstr "" + +#: alias.cpp:358 +msgid "Reports the actions performed by an alias." +msgstr "" + +#: alias.cpp:362 +msgid "Generate a list of commands to copy your alias config." +msgstr "" + +#: alias.cpp:374 +msgid "Clearing all of them!" +msgstr "" + +#: alias.cpp:409 +msgid "Provides bouncer-side command alias support." +msgstr "" diff --git a/modules/po/autoattach.ro_RO.po b/modules/po/autoattach.ro_RO.po new file mode 100644 index 00000000..1914838b --- /dev/null +++ b/modules/po/autoattach.ro_RO.po @@ -0,0 +1,86 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=3; plural=(n==1 ? 0 : (n==0 || (n%100>0 && n" +"%100<20)) ? 1 : 2);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: ro\n" +"X-Crowdin-File: /master/modules/po/autoattach.pot\n" +"X-Crowdin-File-ID: 151\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Romanian\n" +"Language: ro_RO\n" + +#: autoattach.cpp:94 +msgid "Added to list" +msgstr "" + +#: autoattach.cpp:96 +msgid "{1} is already added" +msgstr "" + +#: autoattach.cpp:100 +msgid "Usage: Add [!]<#chan> " +msgstr "" + +#: autoattach.cpp:101 +msgid "Wildcards are allowed" +msgstr "" + +#: autoattach.cpp:113 +msgid "Removed {1} from list" +msgstr "" + +#: autoattach.cpp:115 +msgid "Usage: Del [!]<#chan> " +msgstr "" + +#: autoattach.cpp:121 autoattach.cpp:129 +msgid "Neg" +msgstr "" + +#: autoattach.cpp:122 autoattach.cpp:130 +msgid "Chan" +msgstr "" + +#: autoattach.cpp:123 autoattach.cpp:131 +msgid "Search" +msgstr "" + +#: autoattach.cpp:124 autoattach.cpp:132 +msgid "Host" +msgstr "" + +#: autoattach.cpp:138 +msgid "You have no entries." +msgstr "" + +#: autoattach.cpp:146 autoattach.cpp:149 +msgid "[!]<#chan> " +msgstr "" + +#: autoattach.cpp:147 +msgid "Add an entry, use !#chan to negate and * for wildcards" +msgstr "" + +#: autoattach.cpp:150 +msgid "Remove an entry, needs to be an exact match" +msgstr "" + +#: autoattach.cpp:152 +msgid "List all entries" +msgstr "" + +#: autoattach.cpp:171 +msgid "Unable to add [{1}]" +msgstr "" + +#: autoattach.cpp:283 +msgid "List of channel masks and channel masks with ! before them." +msgstr "" + +#: autoattach.cpp:286 +msgid "Reattaches you to channels on activity." +msgstr "" diff --git a/modules/po/autocycle.ro_RO.po b/modules/po/autocycle.ro_RO.po new file mode 100644 index 00000000..35924ee4 --- /dev/null +++ b/modules/po/autocycle.ro_RO.po @@ -0,0 +1,70 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=3; plural=(n==1 ? 0 : (n==0 || (n%100>0 && n" +"%100<20)) ? 1 : 2);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: ro\n" +"X-Crowdin-File: /master/modules/po/autocycle.pot\n" +"X-Crowdin-File-ID: 207\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Romanian\n" +"Language: ro_RO\n" + +#: autocycle.cpp:27 autocycle.cpp:30 +msgid "[!]<#chan>" +msgstr "" + +#: autocycle.cpp:28 +msgid "Add an entry, use !#chan to negate and * for wildcards" +msgstr "" + +#: autocycle.cpp:31 +msgid "Remove an entry, needs to be an exact match" +msgstr "" + +#: autocycle.cpp:33 +msgid "List all entries" +msgstr "" + +#: autocycle.cpp:46 +msgid "Unable to add {1}" +msgstr "" + +#: autocycle.cpp:66 +msgid "{1} is already added" +msgstr "" + +#: autocycle.cpp:68 +msgid "Added {1} to list" +msgstr "" + +#: autocycle.cpp:70 +msgid "Usage: Add [!]<#chan>" +msgstr "" + +#: autocycle.cpp:78 +msgid "Removed {1} from list" +msgstr "" + +#: autocycle.cpp:80 +msgid "Usage: Del [!]<#chan>" +msgstr "" + +#: autocycle.cpp:85 autocycle.cpp:90 autocycle.cpp:95 +msgid "Channel" +msgstr "" + +#: autocycle.cpp:101 +msgid "You have no entries." +msgstr "" + +#: autocycle.cpp:230 +msgid "List of channel masks and channel masks with ! before them." +msgstr "" + +#: autocycle.cpp:235 +msgid "Rejoins channels to gain Op if you're the only user left" +msgstr "" diff --git a/modules/po/autoop.ro_RO.po b/modules/po/autoop.ro_RO.po new file mode 100644 index 00000000..fe64db98 --- /dev/null +++ b/modules/po/autoop.ro_RO.po @@ -0,0 +1,169 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=3; plural=(n==1 ? 0 : (n==0 || (n%100>0 && n" +"%100<20)) ? 1 : 2);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: ro\n" +"X-Crowdin-File: /master/modules/po/autoop.pot\n" +"X-Crowdin-File-ID: 153\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Romanian\n" +"Language: ro_RO\n" + +#: autoop.cpp:155 +msgid "List all users" +msgstr "" + +#: autoop.cpp:157 autoop.cpp:160 +msgid " [channel] ..." +msgstr "" + +#: autoop.cpp:158 +msgid "Adds channels to a user" +msgstr "" + +#: autoop.cpp:161 +msgid "Removes channels from a user" +msgstr "" + +#: autoop.cpp:163 autoop.cpp:166 +msgid " ,[mask] ..." +msgstr "" + +#: autoop.cpp:164 +msgid "Adds masks to a user" +msgstr "" + +#: autoop.cpp:167 +msgid "Removes masks from a user" +msgstr "" + +#: autoop.cpp:170 +msgid " [,...] [channels]" +msgstr "" + +#: autoop.cpp:171 +msgid "Adds a user" +msgstr "" + +#: autoop.cpp:173 +msgid "" +msgstr "" + +#: autoop.cpp:173 +msgid "Removes a user" +msgstr "" + +#: autoop.cpp:276 +msgid "Usage: AddUser [,...] [channels]" +msgstr "" + +#: autoop.cpp:292 +msgid "Usage: DelUser " +msgstr "" + +#: autoop.cpp:301 +msgid "There are no users defined" +msgstr "" + +#: autoop.cpp:307 autoop.cpp:318 autoop.cpp:322 autoop.cpp:324 +msgid "User" +msgstr "" + +#: autoop.cpp:308 autoop.cpp:326 +msgid "Hostmasks" +msgstr "" + +#: autoop.cpp:309 autoop.cpp:319 +msgid "Key" +msgstr "" + +#: autoop.cpp:310 autoop.cpp:320 +msgid "Channels" +msgstr "" + +#: autoop.cpp:338 +msgid "Usage: AddChans [channel] ..." +msgstr "" + +#: autoop.cpp:345 autoop.cpp:366 autoop.cpp:388 autoop.cpp:409 autoop.cpp:473 +msgid "No such user" +msgstr "" + +#: autoop.cpp:350 +msgid "Channel(s) added to user {1}" +msgstr "" + +#: autoop.cpp:359 +msgid "Usage: DelChans [channel] ..." +msgstr "" + +#: autoop.cpp:372 +msgid "Channel(s) Removed from user {1}" +msgstr "" + +#: autoop.cpp:381 +msgid "Usage: AddMasks ,[mask] ..." +msgstr "" + +#: autoop.cpp:393 +msgid "Hostmasks(s) added to user {1}" +msgstr "" + +#: autoop.cpp:402 +msgid "Usage: DelMasks ,[mask] ..." +msgstr "" + +#: autoop.cpp:414 +msgid "Removed user {1} with key {2} and channels {3}" +msgstr "" + +#: autoop.cpp:420 +msgid "Hostmasks(s) Removed from user {1}" +msgstr "" + +#: autoop.cpp:479 +msgid "User {1} removed" +msgstr "" + +#: autoop.cpp:485 +msgid "That user already exists" +msgstr "" + +#: autoop.cpp:491 +msgid "User {1} added with hostmask(s) {2}" +msgstr "" + +#: autoop.cpp:533 +msgid "" +"[{1}] sent us a challenge but they are not opped in any defined channels." +msgstr "" + +#: autoop.cpp:537 +msgid "[{1}] sent us a challenge but they do not match a defined user." +msgstr "" + +#: autoop.cpp:545 +msgid "WARNING! [{1}] sent an invalid challenge." +msgstr "" + +#: autoop.cpp:561 +msgid "[{1}] sent an unchallenged response. This could be due to lag." +msgstr "" + +#: autoop.cpp:578 +msgid "" +"WARNING! [{1}] sent a bad response. Please verify that you have their " +"correct password." +msgstr "" + +#: autoop.cpp:587 +msgid "WARNING! [{1}] sent a response but did not match any defined users." +msgstr "" + +#: autoop.cpp:645 +msgid "Auto op the good people" +msgstr "" diff --git a/modules/po/autoreply.ro_RO.po b/modules/po/autoreply.ro_RO.po new file mode 100644 index 00000000..856de226 --- /dev/null +++ b/modules/po/autoreply.ro_RO.po @@ -0,0 +1,44 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=3; plural=(n==1 ? 0 : (n==0 || (n%100>0 && n" +"%100<20)) ? 1 : 2);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: ro\n" +"X-Crowdin-File: /master/modules/po/autoreply.pot\n" +"X-Crowdin-File-ID: 154\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Romanian\n" +"Language: ro_RO\n" + +#: autoreply.cpp:25 +msgid "" +msgstr "" + +#: autoreply.cpp:25 +msgid "Sets a new reply" +msgstr "" + +#: autoreply.cpp:27 +msgid "Displays the current query reply" +msgstr "" + +#: autoreply.cpp:75 +msgid "Current reply is: {1} ({2})" +msgstr "" + +#: autoreply.cpp:81 +msgid "New reply set to: {1} ({2})" +msgstr "" + +#: autoreply.cpp:94 +msgid "" +"You might specify a reply text. It is used when automatically answering " +"queries, if you are not connected to ZNC." +msgstr "" + +#: autoreply.cpp:98 +msgid "Reply to queries when you are away" +msgstr "" diff --git a/modules/po/autovoice.ro_RO.po b/modules/po/autovoice.ro_RO.po new file mode 100644 index 00000000..a4f88ad0 --- /dev/null +++ b/modules/po/autovoice.ro_RO.po @@ -0,0 +1,112 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=3; plural=(n==1 ? 0 : (n==0 || (n%100>0 && n" +"%100<20)) ? 1 : 2);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: ro\n" +"X-Crowdin-File: /master/modules/po/autovoice.pot\n" +"X-Crowdin-File-ID: 155\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Romanian\n" +"Language: ro_RO\n" + +#: autovoice.cpp:120 +msgid "List all users" +msgstr "" + +#: autovoice.cpp:122 autovoice.cpp:125 +msgid " [channel] ..." +msgstr "" + +#: autovoice.cpp:123 +msgid "Adds channels to a user" +msgstr "" + +#: autovoice.cpp:126 +msgid "Removes channels from a user" +msgstr "" + +#: autovoice.cpp:128 +msgid " [channels]" +msgstr "" + +#: autovoice.cpp:129 +msgid "Adds a user" +msgstr "" + +#: autovoice.cpp:131 +msgid "" +msgstr "" + +#: autovoice.cpp:131 +msgid "Removes a user" +msgstr "" + +#: autovoice.cpp:215 +msgid "Usage: AddUser [channels]" +msgstr "" + +#: autovoice.cpp:229 +msgid "Usage: DelUser " +msgstr "" + +#: autovoice.cpp:238 +msgid "There are no users defined" +msgstr "" + +#: autovoice.cpp:244 autovoice.cpp:250 +msgid "User" +msgstr "" + +#: autovoice.cpp:245 autovoice.cpp:251 +msgid "Hostmask" +msgstr "" + +#: autovoice.cpp:246 autovoice.cpp:252 +msgid "Channels" +msgstr "" + +#: autovoice.cpp:263 +msgid "Usage: AddChans [channel] ..." +msgstr "" + +#: autovoice.cpp:270 autovoice.cpp:292 autovoice.cpp:329 +msgid "No such user" +msgstr "" + +#: autovoice.cpp:275 +msgid "Channel(s) added to user {1}" +msgstr "" + +#: autovoice.cpp:285 +msgid "Usage: DelChans [channel] ..." +msgstr "" + +#: autovoice.cpp:298 +msgid "Channel(s) Removed from user {1}" +msgstr "" + +#: autovoice.cpp:335 +msgid "User {1} removed" +msgstr "" + +#: autovoice.cpp:341 +msgid "That user already exists" +msgstr "" + +#: autovoice.cpp:347 +msgid "User {1} added with hostmask {2}" +msgstr "" + +#: autovoice.cpp:360 +msgid "" +"Each argument is either a channel you want autovoice for (which can include " +"wildcards) or, if it starts with !, it is an exception for autovoice." +msgstr "" + +#: autovoice.cpp:365 +msgid "Auto voice the good people" +msgstr "" diff --git a/modules/po/awaystore.ro_RO.po b/modules/po/awaystore.ro_RO.po new file mode 100644 index 00000000..ecb60959 --- /dev/null +++ b/modules/po/awaystore.ro_RO.po @@ -0,0 +1,111 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=3; plural=(n==1 ? 0 : (n==0 || (n%100>0 && n" +"%100<20)) ? 1 : 2);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: ro\n" +"X-Crowdin-File: /master/modules/po/awaystore.pot\n" +"X-Crowdin-File-ID: 156\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Romanian\n" +"Language: ro_RO\n" + +#: awaystore.cpp:67 +msgid "You have been marked as away" +msgstr "" + +#: awaystore.cpp:78 awaystore.cpp:385 awaystore.cpp:388 +msgid "Welcome back!" +msgstr "" + +#: awaystore.cpp:100 +msgid "Deleted {1} messages" +msgstr "" + +#: awaystore.cpp:104 +msgid "USAGE: delete " +msgstr "" + +#: awaystore.cpp:109 +msgid "Illegal message # requested" +msgstr "" + +#: awaystore.cpp:113 +msgid "Message erased" +msgstr "" + +#: awaystore.cpp:122 +msgid "Messages saved to disk" +msgstr "" + +#: awaystore.cpp:124 +msgid "There are no messages to save" +msgstr "" + +#: awaystore.cpp:135 +msgid "Password updated to [{1}]" +msgstr "" + +#: awaystore.cpp:147 +msgid "Corrupt message! [{1}]" +msgstr "" + +#: awaystore.cpp:159 +msgid "Corrupt time stamp! [{1}]" +msgstr "" + +#: awaystore.cpp:178 +msgid "#--- End of messages" +msgstr "" + +#: awaystore.cpp:183 +msgid "Timer set to 300 seconds" +msgstr "" + +#: awaystore.cpp:188 awaystore.cpp:197 +msgid "Timer disabled" +msgstr "" + +#: awaystore.cpp:199 +msgid "Timer set to {1} seconds" +msgstr "" + +#: awaystore.cpp:203 +msgid "Current timer setting: {1} seconds" +msgstr "" + +#: awaystore.cpp:278 +msgid "This module needs as an argument a keyphrase used for encryption" +msgstr "" + +#: awaystore.cpp:285 +msgid "" +"Failed to decrypt your saved messages - Did you give the right encryption " +"key as an argument to this module?" +msgstr "" + +#: awaystore.cpp:386 awaystore.cpp:389 +msgid "You have {1} messages!" +msgstr "" + +#: awaystore.cpp:456 +msgid "Unable to find buffer" +msgstr "" + +#: awaystore.cpp:469 +msgid "Unable to decode encrypted messages" +msgstr "" + +#: awaystore.cpp:516 +msgid "" +"[ -notimer | -timer N ] [-chans] passw0rd . N is number of seconds, 600 by " +"default." +msgstr "" + +#: awaystore.cpp:521 +msgid "" +"Adds auto-away with logging, useful when you use ZNC from different locations" +msgstr "" diff --git a/modules/po/block_motd.ro_RO.po b/modules/po/block_motd.ro_RO.po new file mode 100644 index 00000000..7caebdfc --- /dev/null +++ b/modules/po/block_motd.ro_RO.po @@ -0,0 +1,36 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=3; plural=(n==1 ? 0 : (n==0 || (n%100>0 && n" +"%100<20)) ? 1 : 2);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: ro\n" +"X-Crowdin-File: /master/modules/po/block_motd.pot\n" +"X-Crowdin-File-ID: 157\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Romanian\n" +"Language: ro_RO\n" + +#: block_motd.cpp:26 +msgid "[]" +msgstr "" + +#: block_motd.cpp:27 +msgid "" +"Override the block with this command. Can optionally specify which server to " +"query." +msgstr "" + +#: block_motd.cpp:36 +msgid "You are not connected to an IRC Server." +msgstr "" + +#: block_motd.cpp:58 +msgid "MOTD blocked by ZNC" +msgstr "" + +#: block_motd.cpp:104 +msgid "Block the MOTD from IRC so it's not sent to your client(s)." +msgstr "" diff --git a/modules/po/blockuser.ro_RO.po b/modules/po/blockuser.ro_RO.po new file mode 100644 index 00000000..e60d7742 --- /dev/null +++ b/modules/po/blockuser.ro_RO.po @@ -0,0 +1,98 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=3; plural=(n==1 ? 0 : (n==0 || (n%100>0 && n" +"%100<20)) ? 1 : 2);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: ro\n" +"X-Crowdin-File: /master/modules/po/blockuser.pot\n" +"X-Crowdin-File-ID: 158\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Romanian\n" +"Language: ro_RO\n" + +#: modules/po/../data/blockuser/tmpl/blockuser_WebadminUser.tmpl:9 +msgid "Account is blocked" +msgstr "" + +#: blockuser.cpp:23 +msgid "Your account has been disabled. Contact your administrator." +msgstr "" + +#: blockuser.cpp:29 +msgid "List blocked users" +msgstr "" + +#: blockuser.cpp:31 blockuser.cpp:33 +msgid "" +msgstr "" + +#: blockuser.cpp:31 +msgid "Block a user" +msgstr "" + +#: blockuser.cpp:33 +msgid "Unblock a user" +msgstr "" + +#: blockuser.cpp:55 +msgid "Could not block {1}" +msgstr "" + +#: blockuser.cpp:76 +msgid "Access denied" +msgstr "" + +#: blockuser.cpp:85 +msgid "No users are blocked" +msgstr "" + +#: blockuser.cpp:88 +msgid "Blocked users:" +msgstr "" + +#: blockuser.cpp:100 +msgid "Usage: Block " +msgstr "" + +#: blockuser.cpp:105 blockuser.cpp:147 +msgid "You can't block yourself" +msgstr "" + +#: blockuser.cpp:110 blockuser.cpp:152 +msgid "Blocked {1}" +msgstr "" + +#: blockuser.cpp:112 +msgid "Could not block {1} (misspelled?)" +msgstr "" + +#: blockuser.cpp:120 +msgid "Usage: Unblock " +msgstr "" + +#: blockuser.cpp:125 blockuser.cpp:161 +msgid "Unblocked {1}" +msgstr "" + +#: blockuser.cpp:127 +msgid "This user is not blocked" +msgstr "" + +#: blockuser.cpp:155 +msgid "Couldn't block {1}" +msgstr "" + +#: blockuser.cpp:164 +msgid "User {1} is not blocked" +msgstr "" + +#: blockuser.cpp:216 +msgid "Enter one or more user names. Separate them by spaces." +msgstr "" + +#: blockuser.cpp:219 +msgid "Block certain users from logging in." +msgstr "" diff --git a/modules/po/bouncedcc.ro_RO.po b/modules/po/bouncedcc.ro_RO.po new file mode 100644 index 00000000..382734fa --- /dev/null +++ b/modules/po/bouncedcc.ro_RO.po @@ -0,0 +1,132 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=3; plural=(n==1 ? 0 : (n==0 || (n%100>0 && n" +"%100<20)) ? 1 : 2);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: ro\n" +"X-Crowdin-File: /master/modules/po/bouncedcc.pot\n" +"X-Crowdin-File-ID: 159\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Romanian\n" +"Language: ro_RO\n" + +#: bouncedcc.cpp:101 bouncedcc.cpp:119 bouncedcc.cpp:121 +msgctxt "list" +msgid "Type" +msgstr "" + +#: bouncedcc.cpp:102 bouncedcc.cpp:132 +msgctxt "list" +msgid "State" +msgstr "" + +#: bouncedcc.cpp:103 +msgctxt "list" +msgid "Speed" +msgstr "" + +#: bouncedcc.cpp:104 bouncedcc.cpp:115 +msgctxt "list" +msgid "Nick" +msgstr "" + +#: bouncedcc.cpp:105 bouncedcc.cpp:116 +msgctxt "list" +msgid "IP" +msgstr "" + +#: bouncedcc.cpp:106 bouncedcc.cpp:122 +msgctxt "list" +msgid "File" +msgstr "" + +#: bouncedcc.cpp:119 +msgctxt "list" +msgid "Chat" +msgstr "" + +#: bouncedcc.cpp:121 +msgctxt "list" +msgid "Xfer" +msgstr "" + +#: bouncedcc.cpp:125 +msgid "Waiting" +msgstr "" + +#: bouncedcc.cpp:127 +msgid "Halfway" +msgstr "" + +#: bouncedcc.cpp:129 +msgid "Connected" +msgstr "" + +#: bouncedcc.cpp:137 +msgid "You have no active DCCs." +msgstr "" + +#: bouncedcc.cpp:148 +msgid "Use client IP: {1}" +msgstr "" + +#: bouncedcc.cpp:153 +msgid "List all active DCCs" +msgstr "" + +#: bouncedcc.cpp:156 +msgid "Change the option to use IP of client" +msgstr "" + +#: bouncedcc.cpp:383 bouncedcc.cpp:412 bouncedcc.cpp:436 bouncedcc.cpp:451 +msgctxt "type" +msgid "Chat" +msgstr "" + +#: bouncedcc.cpp:383 bouncedcc.cpp:412 bouncedcc.cpp:436 bouncedcc.cpp:451 +msgctxt "type" +msgid "Xfer" +msgstr "" + +#: bouncedcc.cpp:385 +msgid "DCC {1} Bounce ({2}): Too long line received" +msgstr "" + +#: bouncedcc.cpp:418 +msgid "DCC {1} Bounce ({2}): Timeout while connecting to {3} {4}" +msgstr "" + +#: bouncedcc.cpp:422 +msgid "DCC {1} Bounce ({2}): Timeout while connecting." +msgstr "" + +#: bouncedcc.cpp:427 +msgid "" +"DCC {1} Bounce ({2}): Timeout while waiting for incoming connection on {3} " +"{4}" +msgstr "" + +#: bouncedcc.cpp:440 +msgid "DCC {1} Bounce ({2}): Connection refused while connecting to {3} {4}" +msgstr "" + +#: bouncedcc.cpp:444 +msgid "DCC {1} Bounce ({2}): Connection refused while connecting." +msgstr "" + +#: bouncedcc.cpp:457 bouncedcc.cpp:465 +msgid "DCC {1} Bounce ({2}): Socket error on {3} {4}: {5}" +msgstr "" + +#: bouncedcc.cpp:460 +msgid "DCC {1} Bounce ({2}): Socket error: {3}" +msgstr "" + +#: bouncedcc.cpp:547 +msgid "" +"Bounces DCC transfers through ZNC instead of sending them directly to the " +"user. " +msgstr "" diff --git a/modules/po/buffextras.ro_RO.po b/modules/po/buffextras.ro_RO.po new file mode 100644 index 00000000..c7004c3a --- /dev/null +++ b/modules/po/buffextras.ro_RO.po @@ -0,0 +1,50 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=3; plural=(n==1 ? 0 : (n==0 || (n%100>0 && n" +"%100<20)) ? 1 : 2);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: ro\n" +"X-Crowdin-File: /master/modules/po/buffextras.pot\n" +"X-Crowdin-File-ID: 160\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Romanian\n" +"Language: ro_RO\n" + +#: buffextras.cpp:45 +msgid "Server" +msgstr "" + +#: buffextras.cpp:47 +msgid "{1} set mode: {2} {3}" +msgstr "" + +#: buffextras.cpp:55 +msgid "{1} kicked {2} with reason: {3}" +msgstr "" + +#: buffextras.cpp:64 +msgid "{1} quit: {2}" +msgstr "" + +#: buffextras.cpp:73 +msgid "{1} joined" +msgstr "" + +#: buffextras.cpp:81 +msgid "{1} parted: {2}" +msgstr "" + +#: buffextras.cpp:90 +msgid "{1} is now known as {2}" +msgstr "" + +#: buffextras.cpp:100 +msgid "{1} changed the topic to: {2}" +msgstr "" + +#: buffextras.cpp:115 +msgid "Adds joins, parts etc. to the playback buffer" +msgstr "" diff --git a/modules/po/cert.ro_RO.po b/modules/po/cert.ro_RO.po new file mode 100644 index 00000000..5cc33de9 --- /dev/null +++ b/modules/po/cert.ro_RO.po @@ -0,0 +1,76 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=3; plural=(n==1 ? 0 : (n==0 || (n%100>0 && n" +"%100<20)) ? 1 : 2);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: ro\n" +"X-Crowdin-File: /master/modules/po/cert.pot\n" +"X-Crowdin-File-ID: 161\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Romanian\n" +"Language: ro_RO\n" + +# this text is inserted into `click here` in the other string +#: modules/po/../data/cert/tmpl/index.tmpl:5 +msgid "here" +msgstr "" + +# {1} is `here`, translateable in the other string +#: modules/po/../data/cert/tmpl/index.tmpl:6 +msgid "" +"You already have a certificate set, use the form below to overwrite the " +"current certificate. Alternatively click {1} to delete your certificate." +msgstr "" + +#: modules/po/../data/cert/tmpl/index.tmpl:8 +msgid "You do not have a certificate yet." +msgstr "" + +#: modules/po/../data/cert/tmpl/index.tmpl:14 cert.cpp:72 +msgid "Certificate" +msgstr "" + +#: modules/po/../data/cert/tmpl/index.tmpl:18 +msgid "PEM File:" +msgstr "" + +#: modules/po/../data/cert/tmpl/index.tmpl:22 +msgid "Update" +msgstr "" + +#: cert.cpp:28 +msgid "Pem file deleted" +msgstr "" + +#: cert.cpp:31 +msgid "The pem file doesn't exist or there was a error deleting the pem file." +msgstr "" + +#: cert.cpp:38 +msgid "You have a certificate in {1}" +msgstr "" + +#: cert.cpp:41 +msgid "" +"You do not have a certificate. Please use the web interface to add a " +"certificate" +msgstr "" + +#: cert.cpp:44 +msgid "Alternatively you can either place one at {1}" +msgstr "" + +#: cert.cpp:52 +msgid "Delete the current certificate" +msgstr "" + +#: cert.cpp:54 +msgid "Show the current certificate" +msgstr "" + +#: cert.cpp:105 +msgid "Use a ssl certificate to connect to a server" +msgstr "" diff --git a/modules/po/certauth.ro_RO.po b/modules/po/certauth.ro_RO.po new file mode 100644 index 00000000..0d5ec550 --- /dev/null +++ b/modules/po/certauth.ro_RO.po @@ -0,0 +1,109 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=3; plural=(n==1 ? 0 : (n==0 || (n%100>0 && n" +"%100<20)) ? 1 : 2);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: ro\n" +"X-Crowdin-File: /master/modules/po/certauth.pot\n" +"X-Crowdin-File-ID: 162\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Romanian\n" +"Language: ro_RO\n" + +#: modules/po/../data/certauth/tmpl/index.tmpl:7 +msgid "Add a key" +msgstr "" + +#: modules/po/../data/certauth/tmpl/index.tmpl:11 +msgid "Key:" +msgstr "" + +#: modules/po/../data/certauth/tmpl/index.tmpl:15 +msgid "Add Key" +msgstr "" + +#: modules/po/../data/certauth/tmpl/index.tmpl:23 +msgid "You have no keys." +msgstr "" + +#: modules/po/../data/certauth/tmpl/index.tmpl:30 +msgctxt "web" +msgid "Key" +msgstr "" + +#: modules/po/../data/certauth/tmpl/index.tmpl:36 +msgid "del" +msgstr "" + +#: certauth.cpp:31 +msgid "[pubkey]" +msgstr "" + +#: certauth.cpp:32 +msgid "Add a public key. If key is not provided will use the current key" +msgstr "" + +#: certauth.cpp:35 +msgid "id" +msgstr "" + +#: certauth.cpp:35 +msgid "Delete a key by its number in List" +msgstr "" + +#: certauth.cpp:37 +msgid "List your public keys" +msgstr "" + +#: certauth.cpp:39 +msgid "Print your current key" +msgstr "" + +#: certauth.cpp:142 +msgid "You are not connected with any valid public key" +msgstr "" + +#: certauth.cpp:144 +msgid "Your current public key is: {1}" +msgstr "" + +#: certauth.cpp:157 +msgid "You did not supply a public key or connect with one." +msgstr "" + +#: certauth.cpp:160 +msgid "Key '{1}' added." +msgstr "" + +#: certauth.cpp:162 +msgid "The key '{1}' is already added." +msgstr "" + +#: certauth.cpp:170 certauth.cpp:183 +msgctxt "list" +msgid "Id" +msgstr "" + +#: certauth.cpp:171 certauth.cpp:184 +msgctxt "list" +msgid "Key" +msgstr "" + +#: certauth.cpp:176 certauth.cpp:190 certauth.cpp:199 +msgid "No keys set for your user" +msgstr "" + +#: certauth.cpp:204 +msgid "Invalid #, check \"list\"" +msgstr "" + +#: certauth.cpp:216 +msgid "Removed" +msgstr "" + +#: certauth.cpp:291 +msgid "Allows users to authenticate via SSL client certificates." +msgstr "" diff --git a/modules/po/chansaver.ro_RO.po b/modules/po/chansaver.ro_RO.po new file mode 100644 index 00000000..698a97e4 --- /dev/null +++ b/modules/po/chansaver.ro_RO.po @@ -0,0 +1,18 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=3; plural=(n==1 ? 0 : (n==0 || (n%100>0 && n" +"%100<20)) ? 1 : 2);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: ro\n" +"X-Crowdin-File: /master/modules/po/chansaver.pot\n" +"X-Crowdin-File-ID: 163\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Romanian\n" +"Language: ro_RO\n" + +#: chansaver.cpp:91 +msgid "Keeps config up-to-date when user joins/parts." +msgstr "" diff --git a/modules/po/clearbufferonmsg.ro_RO.po b/modules/po/clearbufferonmsg.ro_RO.po new file mode 100644 index 00000000..3e2ebce0 --- /dev/null +++ b/modules/po/clearbufferonmsg.ro_RO.po @@ -0,0 +1,18 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=3; plural=(n==1 ? 0 : (n==0 || (n%100>0 && n" +"%100<20)) ? 1 : 2);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: ro\n" +"X-Crowdin-File: /master/modules/po/clearbufferonmsg.pot\n" +"X-Crowdin-File-ID: 164\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Romanian\n" +"Language: ro_RO\n" + +#: clearbufferonmsg.cpp:160 +msgid "Clears all channel and query buffers whenever the user does something" +msgstr "" diff --git a/modules/po/clientnotify.ro_RO.po b/modules/po/clientnotify.ro_RO.po new file mode 100644 index 00000000..6d868f6d --- /dev/null +++ b/modules/po/clientnotify.ro_RO.po @@ -0,0 +1,75 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=3; plural=(n==1 ? 0 : (n==0 || (n%100>0 && n" +"%100<20)) ? 1 : 2);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: ro\n" +"X-Crowdin-File: /master/modules/po/clientnotify.pot\n" +"X-Crowdin-File-ID: 165\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Romanian\n" +"Language: ro_RO\n" + +#: clientnotify.cpp:47 +msgid "" +msgstr "" + +#: clientnotify.cpp:48 +msgid "Sets the notify method" +msgstr "" + +#: clientnotify.cpp:50 clientnotify.cpp:54 +msgid "" +msgstr "" + +#: clientnotify.cpp:51 +msgid "Turns notifications for unseen IP addresses on or off" +msgstr "" + +#: clientnotify.cpp:55 +msgid "Turns notifications for clients disconnecting on or off" +msgstr "" + +#: clientnotify.cpp:57 +msgid "Shows the current settings" +msgstr "" + +#: clientnotify.cpp:81 clientnotify.cpp:95 +msgid "" +msgid_plural "" +"Another client authenticated as your user. Use the 'ListClients' command to " +"see all {1} clients." +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" + +#: clientnotify.cpp:108 +msgid "Usage: Method " +msgstr "" + +#: clientnotify.cpp:114 clientnotify.cpp:127 clientnotify.cpp:140 +msgid "Saved." +msgstr "" + +#: clientnotify.cpp:121 +msgid "Usage: NewOnly " +msgstr "" + +#: clientnotify.cpp:134 +msgid "Usage: OnDisconnect " +msgstr "" + +#: clientnotify.cpp:145 +msgid "" +"Current settings: Method: {1}, for unseen IP addresses only: {2}, notify on " +"disconnecting clients: {3}" +msgstr "" + +#: clientnotify.cpp:157 +msgid "" +"Notifies you when another IRC client logs into or out of your account. " +"Configurable." +msgstr "" diff --git a/modules/po/controlpanel.ro_RO.po b/modules/po/controlpanel.ro_RO.po new file mode 100644 index 00000000..c9a80450 --- /dev/null +++ b/modules/po/controlpanel.ro_RO.po @@ -0,0 +1,720 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=3; plural=(n==1 ? 0 : (n==0 || (n%100>0 && n" +"%100<20)) ? 1 : 2);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: ro\n" +"X-Crowdin-File: /master/modules/po/controlpanel.pot\n" +"X-Crowdin-File-ID: 166\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Romanian\n" +"Language: ro_RO\n" + +#: controlpanel.cpp:51 controlpanel.cpp:64 +msgctxt "helptable" +msgid "Type" +msgstr "" + +#: controlpanel.cpp:52 controlpanel.cpp:66 +msgctxt "helptable" +msgid "Variables" +msgstr "" + +#: controlpanel.cpp:78 +msgid "String" +msgstr "" + +#: controlpanel.cpp:79 +msgid "Boolean (true/false)" +msgstr "" + +#: controlpanel.cpp:80 +msgid "Integer" +msgstr "" + +#: controlpanel.cpp:81 +msgid "Number" +msgstr "" + +#: controlpanel.cpp:126 +msgid "The following variables are available when using the Set/Get commands:" +msgstr "" + +#: controlpanel.cpp:150 +msgid "" +"The following variables are available when using the SetNetwork/GetNetwork " +"commands:" +msgstr "" + +#: controlpanel.cpp:164 +msgid "" +"The following variables are available when using the SetChan/GetChan " +"commands:" +msgstr "" + +#: controlpanel.cpp:171 +msgid "" +"You can use $user as the user name and $network as the network name for " +"modifying your own user and network." +msgstr "" + +#: controlpanel.cpp:180 controlpanel.cpp:967 controlpanel.cpp:1004 +msgid "Error: User [{1}] does not exist!" +msgstr "" + +#: controlpanel.cpp:185 +msgid "Error: You need to have admin rights to modify other users!" +msgstr "" + +#: controlpanel.cpp:195 +msgid "Error: You cannot use $network to modify other users!" +msgstr "" + +#: controlpanel.cpp:203 +msgid "Error: User {1} does not have a network named [{2}]." +msgstr "" + +#: controlpanel.cpp:215 +msgid "Usage: Get [username]" +msgstr "" + +#: controlpanel.cpp:305 controlpanel.cpp:508 controlpanel.cpp:583 +#: controlpanel.cpp:659 controlpanel.cpp:794 controlpanel.cpp:879 +msgid "Error: Unknown variable" +msgstr "" + +#: controlpanel.cpp:314 +msgid "Usage: Set " +msgstr "" + +#: controlpanel.cpp:336 controlpanel.cpp:624 +msgid "This bind host is already set!" +msgstr "" + +#: controlpanel.cpp:343 controlpanel.cpp:355 controlpanel.cpp:363 +#: controlpanel.cpp:426 controlpanel.cpp:445 controlpanel.cpp:461 +#: controlpanel.cpp:471 controlpanel.cpp:631 +msgid "Access denied!" +msgstr "" + +#: controlpanel.cpp:377 controlpanel.cpp:386 controlpanel.cpp:843 +msgid "Setting failed, limit for buffer size is {1}" +msgstr "" + +#: controlpanel.cpp:406 +msgid "Password has been changed!" +msgstr "" + +#: controlpanel.cpp:414 +msgid "Timeout can't be less than 30 seconds!" +msgstr "" + +#: controlpanel.cpp:478 +msgid "That would be a bad idea!" +msgstr "" + +#: controlpanel.cpp:496 +msgid "Supported languages: {1}" +msgstr "" + +#: controlpanel.cpp:520 +msgid "Usage: GetNetwork [username] [network]" +msgstr "" + +#: controlpanel.cpp:539 +msgid "Error: A network must be specified to get another users settings." +msgstr "" + +#: controlpanel.cpp:545 +msgid "You are not currently attached to a network." +msgstr "" + +#: controlpanel.cpp:551 +msgid "Error: Invalid network." +msgstr "" + +#: controlpanel.cpp:595 +msgid "Usage: SetNetwork " +msgstr "" + +#: controlpanel.cpp:669 +msgid "Usage: AddChan " +msgstr "" + +#: controlpanel.cpp:682 +msgid "Error: User {1} already has a channel named {2}." +msgstr "" + +#: controlpanel.cpp:689 +msgid "Channel {1} for user {2} added to network {3}." +msgstr "" + +#: controlpanel.cpp:693 +msgid "" +"Could not add channel {1} for user {2} to network {3}, does it already exist?" +msgstr "" + +#: controlpanel.cpp:703 +msgid "Usage: DelChan " +msgstr "" + +#: controlpanel.cpp:718 +msgid "Error: User {1} does not have any channel matching [{2}] in network {3}" +msgstr "" + +#: controlpanel.cpp:731 +msgid "Channel {1} is deleted from network {2} of user {3}" +msgid_plural "Channels {1} are deleted from network {2} of user {3}" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" + +#: controlpanel.cpp:746 +msgid "Usage: GetChan " +msgstr "" + +#: controlpanel.cpp:760 controlpanel.cpp:824 +msgid "Error: No channels matching [{1}] found." +msgstr "" + +#: controlpanel.cpp:809 +msgid "Usage: SetChan " +msgstr "" + +#: controlpanel.cpp:890 controlpanel.cpp:900 +msgctxt "listusers" +msgid "Username" +msgstr "" + +#: controlpanel.cpp:891 controlpanel.cpp:901 +msgctxt "listusers" +msgid "Realname" +msgstr "" + +#: controlpanel.cpp:892 controlpanel.cpp:904 controlpanel.cpp:906 +msgctxt "listusers" +msgid "IsAdmin" +msgstr "" + +#: controlpanel.cpp:893 controlpanel.cpp:907 +msgctxt "listusers" +msgid "Nick" +msgstr "" + +#: controlpanel.cpp:894 controlpanel.cpp:908 +msgctxt "listusers" +msgid "AltNick" +msgstr "" + +#: controlpanel.cpp:895 controlpanel.cpp:909 +msgctxt "listusers" +msgid "Ident" +msgstr "" + +#: controlpanel.cpp:896 controlpanel.cpp:910 +msgctxt "listusers" +msgid "BindHost" +msgstr "" + +#: controlpanel.cpp:904 controlpanel.cpp:1144 +msgid "No" +msgstr "" + +#: controlpanel.cpp:906 controlpanel.cpp:1136 +msgid "Yes" +msgstr "" + +#: controlpanel.cpp:920 controlpanel.cpp:989 +msgid "Error: You need to have admin rights to add new users!" +msgstr "" + +#: controlpanel.cpp:926 +msgid "Usage: AddUser " +msgstr "" + +#: controlpanel.cpp:931 +msgid "Error: User {1} already exists!" +msgstr "" + +#: controlpanel.cpp:943 controlpanel.cpp:1018 +msgid "Error: User not added: {1}" +msgstr "" + +#: controlpanel.cpp:947 controlpanel.cpp:1022 +msgid "User {1} added!" +msgstr "" + +#: controlpanel.cpp:954 +msgid "Error: You need to have admin rights to delete users!" +msgstr "" + +#: controlpanel.cpp:960 +msgid "Usage: DelUser " +msgstr "" + +#: controlpanel.cpp:972 +msgid "Error: You can't delete yourself!" +msgstr "" + +#: controlpanel.cpp:978 +msgid "Error: Internal error!" +msgstr "" + +#: controlpanel.cpp:982 +msgid "User {1} deleted!" +msgstr "" + +#: controlpanel.cpp:997 +msgid "Usage: CloneUser " +msgstr "" + +#: controlpanel.cpp:1012 +msgid "Error: Cloning failed: {1}" +msgstr "" + +#: controlpanel.cpp:1041 +msgid "Usage: AddNetwork [user] network" +msgstr "" + +#: controlpanel.cpp:1047 +msgid "" +"Network number limit reached. Ask an admin to increase the limit for you, or " +"delete unneeded networks using /znc DelNetwork " +msgstr "" + +#: controlpanel.cpp:1055 +msgid "Error: User {1} already has a network with the name {2}" +msgstr "" + +#: controlpanel.cpp:1062 +msgid "Network {1} added to user {2}." +msgstr "" + +#: controlpanel.cpp:1066 +msgid "Error: Network [{1}] could not be added for user {2}: {3}" +msgstr "" + +#: controlpanel.cpp:1086 +msgid "Usage: DelNetwork [user] network" +msgstr "" + +#: controlpanel.cpp:1097 +msgid "The currently active network can be deleted via {1}status" +msgstr "" + +#: controlpanel.cpp:1103 +msgid "Network {1} deleted for user {2}." +msgstr "" + +#: controlpanel.cpp:1107 +msgid "Error: Network {1} could not be deleted for user {2}." +msgstr "" + +#: controlpanel.cpp:1126 controlpanel.cpp:1134 +msgctxt "listnetworks" +msgid "Network" +msgstr "" + +#: controlpanel.cpp:1127 controlpanel.cpp:1136 controlpanel.cpp:1144 +msgctxt "listnetworks" +msgid "OnIRC" +msgstr "" + +#: controlpanel.cpp:1128 controlpanel.cpp:1137 +msgctxt "listnetworks" +msgid "IRC Server" +msgstr "" + +#: controlpanel.cpp:1129 controlpanel.cpp:1139 +msgctxt "listnetworks" +msgid "IRC User" +msgstr "" + +#: controlpanel.cpp:1130 controlpanel.cpp:1141 +msgctxt "listnetworks" +msgid "Channels" +msgstr "" + +#: controlpanel.cpp:1149 +msgid "No networks" +msgstr "" + +#: controlpanel.cpp:1160 +msgid "Usage: AddServer [[+]port] [password]" +msgstr "" + +#: controlpanel.cpp:1174 +msgid "Added IRC Server {1} to network {2} for user {3}." +msgstr "" + +#: controlpanel.cpp:1178 +msgid "Error: Could not add IRC server {1} to network {2} for user {3}." +msgstr "" + +#: controlpanel.cpp:1191 +msgid "Usage: DelServer [[+]port] [password]" +msgstr "" + +#: controlpanel.cpp:1206 +msgid "Deleted IRC Server {1} from network {2} for user {3}." +msgstr "" + +#: controlpanel.cpp:1210 +msgid "Error: Could not delete IRC server {1} from network {2} for user {3}." +msgstr "" + +#: controlpanel.cpp:1220 +msgid "Usage: Reconnect " +msgstr "" + +#: controlpanel.cpp:1247 +msgid "Queued network {1} of user {2} for a reconnect." +msgstr "" + +#: controlpanel.cpp:1256 +msgid "Usage: Disconnect " +msgstr "" + +#: controlpanel.cpp:1271 +msgid "Closed IRC connection for network {1} of user {2}." +msgstr "" + +#: controlpanel.cpp:1286 controlpanel.cpp:1291 +msgctxt "listctcp" +msgid "Request" +msgstr "" + +#: controlpanel.cpp:1287 controlpanel.cpp:1292 +msgctxt "listctcp" +msgid "Reply" +msgstr "" + +#: controlpanel.cpp:1296 +msgid "No CTCP replies for user {1} are configured" +msgstr "" + +#: controlpanel.cpp:1299 +msgid "CTCP replies for user {1}:" +msgstr "" + +#: controlpanel.cpp:1315 +msgid "Usage: AddCTCP [user] [request] [reply]" +msgstr "" + +#: controlpanel.cpp:1317 +msgid "" +"This will cause ZNC to reply to the CTCP instead of forwarding it to clients." +msgstr "" + +#: controlpanel.cpp:1320 +msgid "An empty reply will cause the CTCP request to be blocked." +msgstr "" + +#: controlpanel.cpp:1329 +msgid "CTCP requests {1} to user {2} will now be blocked." +msgstr "" + +#: controlpanel.cpp:1333 +msgid "CTCP requests {1} to user {2} will now get reply: {3}" +msgstr "" + +#: controlpanel.cpp:1350 +msgid "Usage: DelCTCP [user] [request]" +msgstr "" + +#: controlpanel.cpp:1356 +msgid "CTCP requests {1} to user {2} will now be sent to IRC clients" +msgstr "" + +#: controlpanel.cpp:1360 +msgid "" +"CTCP requests {1} to user {2} will be sent to IRC clients (nothing has " +"changed)" +msgstr "" + +#: controlpanel.cpp:1370 controlpanel.cpp:1444 +msgid "Loading modules has been disabled." +msgstr "" + +#: controlpanel.cpp:1379 +msgid "Error: Unable to load module {1}: {2}" +msgstr "" + +#: controlpanel.cpp:1382 +msgid "Loaded module {1}" +msgstr "" + +#: controlpanel.cpp:1387 +msgid "Error: Unable to reload module {1}: {2}" +msgstr "" + +#: controlpanel.cpp:1390 +msgid "Reloaded module {1}" +msgstr "" + +#: controlpanel.cpp:1394 +msgid "Error: Unable to load module {1} because it is already loaded" +msgstr "" + +#: controlpanel.cpp:1405 +msgid "Usage: LoadModule [args]" +msgstr "" + +#: controlpanel.cpp:1424 +msgid "Usage: LoadNetModule [args]" +msgstr "" + +#: controlpanel.cpp:1449 +msgid "Please use /znc unloadmod {1}" +msgstr "" + +#: controlpanel.cpp:1455 +msgid "Error: Unable to unload module {1}: {2}" +msgstr "" + +#: controlpanel.cpp:1458 +msgid "Unloaded module {1}" +msgstr "" + +#: controlpanel.cpp:1467 +msgid "Usage: UnloadModule " +msgstr "" + +#: controlpanel.cpp:1484 +msgid "Usage: UnloadNetModule " +msgstr "" + +#: controlpanel.cpp:1501 controlpanel.cpp:1507 +msgctxt "listmodules" +msgid "Name" +msgstr "" + +#: controlpanel.cpp:1502 controlpanel.cpp:1508 +msgctxt "listmodules" +msgid "Arguments" +msgstr "" + +#: controlpanel.cpp:1527 +msgid "User {1} has no modules loaded." +msgstr "" + +#: controlpanel.cpp:1531 +msgid "Modules loaded for user {1}:" +msgstr "" + +#: controlpanel.cpp:1551 +msgid "Network {1} of user {2} has no modules loaded." +msgstr "" + +#: controlpanel.cpp:1556 +msgid "Modules loaded for network {1} of user {2}:" +msgstr "" + +#: controlpanel.cpp:1563 +msgid "[command] [variable]" +msgstr "" + +#: controlpanel.cpp:1564 +msgid "Prints help for matching commands and variables" +msgstr "" + +#: controlpanel.cpp:1567 +msgid " [username]" +msgstr "" + +#: controlpanel.cpp:1568 +msgid "Prints the variable's value for the given or current user" +msgstr "" + +#: controlpanel.cpp:1570 +msgid " " +msgstr "" + +#: controlpanel.cpp:1571 +msgid "Sets the variable's value for the given user" +msgstr "" + +#: controlpanel.cpp:1573 +msgid " [username] [network]" +msgstr "" + +#: controlpanel.cpp:1574 +msgid "Prints the variable's value for the given network" +msgstr "" + +#: controlpanel.cpp:1576 +msgid " " +msgstr "" + +#: controlpanel.cpp:1577 +msgid "Sets the variable's value for the given network" +msgstr "" + +#: controlpanel.cpp:1579 +msgid " [username] " +msgstr "" + +#: controlpanel.cpp:1580 +msgid "Prints the variable's value for the given channel" +msgstr "" + +#: controlpanel.cpp:1583 +msgid " " +msgstr "" + +#: controlpanel.cpp:1584 +msgid "Sets the variable's value for the given channel" +msgstr "" + +#: controlpanel.cpp:1586 controlpanel.cpp:1589 +msgid " " +msgstr "" + +#: controlpanel.cpp:1587 +msgid "Adds a new channel" +msgstr "" + +#: controlpanel.cpp:1590 +msgid "Deletes a channel" +msgstr "" + +#: controlpanel.cpp:1592 +msgid "Lists users" +msgstr "" + +#: controlpanel.cpp:1594 +msgid " " +msgstr "" + +#: controlpanel.cpp:1595 +msgid "Adds a new user" +msgstr "" + +#: controlpanel.cpp:1597 controlpanel.cpp:1620 controlpanel.cpp:1634 +msgid "" +msgstr "" + +#: controlpanel.cpp:1597 +msgid "Deletes a user" +msgstr "" + +#: controlpanel.cpp:1599 +msgid " " +msgstr "" + +#: controlpanel.cpp:1600 +msgid "Clones a user" +msgstr "" + +#: controlpanel.cpp:1602 controlpanel.cpp:1605 +msgid " " +msgstr "" + +#: controlpanel.cpp:1603 +msgid "Adds a new IRC server for the given or current user" +msgstr "" + +#: controlpanel.cpp:1606 +msgid "Deletes an IRC server from the given or current user" +msgstr "" + +#: controlpanel.cpp:1608 controlpanel.cpp:1611 controlpanel.cpp:1631 +msgid " " +msgstr "" + +#: controlpanel.cpp:1609 +msgid "Cycles the user's IRC server connection" +msgstr "" + +#: controlpanel.cpp:1612 +msgid "Disconnects the user from their IRC server" +msgstr "" + +#: controlpanel.cpp:1614 +msgid " [args]" +msgstr "" + +#: controlpanel.cpp:1615 +msgid "Loads a Module for a user" +msgstr "" + +#: controlpanel.cpp:1617 +msgid " " +msgstr "" + +#: controlpanel.cpp:1618 +msgid "Removes a Module of a user" +msgstr "" + +#: controlpanel.cpp:1621 +msgid "Get the list of modules for a user" +msgstr "" + +#: controlpanel.cpp:1624 +msgid " [args]" +msgstr "" + +#: controlpanel.cpp:1625 +msgid "Loads a Module for a network" +msgstr "" + +#: controlpanel.cpp:1628 +msgid " " +msgstr "" + +#: controlpanel.cpp:1629 +msgid "Removes a Module of a network" +msgstr "" + +#: controlpanel.cpp:1632 +msgid "Get the list of modules for a network" +msgstr "" + +#: controlpanel.cpp:1635 +msgid "List the configured CTCP replies" +msgstr "" + +#: controlpanel.cpp:1637 +msgid " [reply]" +msgstr "" + +#: controlpanel.cpp:1638 +msgid "Configure a new CTCP reply" +msgstr "" + +#: controlpanel.cpp:1640 +msgid " " +msgstr "" + +#: controlpanel.cpp:1641 +msgid "Remove a CTCP reply" +msgstr "" + +#: controlpanel.cpp:1645 controlpanel.cpp:1648 +msgid "[username] " +msgstr "" + +#: controlpanel.cpp:1646 +msgid "Add a network for a user" +msgstr "" + +#: controlpanel.cpp:1649 +msgid "Delete a network for a user" +msgstr "" + +#: controlpanel.cpp:1651 +msgid "[username]" +msgstr "" + +#: controlpanel.cpp:1652 +msgid "List all networks for a user" +msgstr "" + +#: controlpanel.cpp:1665 +msgid "" +"Dynamic configuration through IRC. Allows editing only yourself if you're " +"not ZNC admin." +msgstr "" diff --git a/modules/po/crypt.ro_RO.po b/modules/po/crypt.ro_RO.po new file mode 100644 index 00000000..308afb3a --- /dev/null +++ b/modules/po/crypt.ro_RO.po @@ -0,0 +1,144 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=3; plural=(n==1 ? 0 : (n==0 || (n%100>0 && n" +"%100<20)) ? 1 : 2);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: ro\n" +"X-Crowdin-File: /master/modules/po/crypt.pot\n" +"X-Crowdin-File-ID: 167\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Romanian\n" +"Language: ro_RO\n" + +#: crypt.cpp:198 +msgid "<#chan|Nick>" +msgstr "" + +#: crypt.cpp:199 +msgid "Remove a key for nick or channel" +msgstr "" + +#: crypt.cpp:201 +msgid "<#chan|Nick> " +msgstr "" + +#: crypt.cpp:202 +msgid "Set a key for nick or channel" +msgstr "" + +#: crypt.cpp:204 +msgid "List all keys" +msgstr "" + +#: crypt.cpp:206 +msgid "" +msgstr "" + +#: crypt.cpp:207 +msgid "Start a DH1080 key exchange with nick" +msgstr "" + +#: crypt.cpp:210 +msgid "Get the nick prefix" +msgstr "" + +#: crypt.cpp:213 +msgid "[Prefix]" +msgstr "" + +#: crypt.cpp:214 +msgid "Set the nick prefix, with no argument it's disabled." +msgstr "" + +#: crypt.cpp:270 +msgid "Received DH1080 public key from {1}, sending mine..." +msgstr "" + +#: crypt.cpp:275 crypt.cpp:296 +msgid "Key for {1} successfully set." +msgstr "" + +#: crypt.cpp:278 crypt.cpp:299 +msgid "Error in {1} with {2}: {3}" +msgstr "" + +#: crypt.cpp:280 crypt.cpp:301 +msgid "no secret key computed" +msgstr "" + +#: crypt.cpp:395 +msgid "Target [{1}] deleted" +msgstr "" + +#: crypt.cpp:397 +msgid "Target [{1}] not found" +msgstr "" + +#: crypt.cpp:400 +msgid "Usage DelKey <#chan|Nick>" +msgstr "" + +#: crypt.cpp:415 +msgid "Set encryption key for [{1}] to [{2}]" +msgstr "" + +#: crypt.cpp:417 +msgid "Usage: SetKey <#chan|Nick> " +msgstr "" + +#: crypt.cpp:428 +msgid "Sent my DH1080 public key to {1}, waiting for reply ..." +msgstr "" + +#: crypt.cpp:430 +msgid "Error generating our keys, nothing sent." +msgstr "" + +#: crypt.cpp:433 +msgid "Usage: KeyX " +msgstr "" + +#: crypt.cpp:440 +msgid "Nick Prefix disabled." +msgstr "" + +#: crypt.cpp:442 +msgid "Nick Prefix: {1}" +msgstr "" + +#: crypt.cpp:451 +msgid "You cannot use :, even followed by other symbols, as Nick Prefix." +msgstr "" + +#: crypt.cpp:460 +msgid "Overlap with Status Prefix ({1}), this Nick Prefix will not be used!" +msgstr "" + +#: crypt.cpp:465 +msgid "Disabling Nick Prefix." +msgstr "" + +#: crypt.cpp:467 +msgid "Setting Nick Prefix to {1}" +msgstr "" + +#: crypt.cpp:474 crypt.cpp:481 +msgctxt "listkeys" +msgid "Target" +msgstr "" + +#: crypt.cpp:475 crypt.cpp:482 +msgctxt "listkeys" +msgid "Key" +msgstr "" + +#: crypt.cpp:486 +msgid "You have no encryption keys set." +msgstr "" + +#: crypt.cpp:508 +msgid "Encryption for channel/private messages" +msgstr "" diff --git a/modules/po/ctcpflood.ro_RO.po b/modules/po/ctcpflood.ro_RO.po new file mode 100644 index 00000000..56f8952d --- /dev/null +++ b/modules/po/ctcpflood.ro_RO.po @@ -0,0 +1,72 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=3; plural=(n==1 ? 0 : (n==0 || (n%100>0 && n" +"%100<20)) ? 1 : 2);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: ro\n" +"X-Crowdin-File: /master/modules/po/ctcpflood.pot\n" +"X-Crowdin-File-ID: 168\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Romanian\n" +"Language: ro_RO\n" + +#: ctcpflood.cpp:25 ctcpflood.cpp:27 +msgid "" +msgstr "" + +#: ctcpflood.cpp:25 +msgid "Set seconds limit" +msgstr "" + +#: ctcpflood.cpp:27 +msgid "Set lines limit" +msgstr "" + +#: ctcpflood.cpp:29 +msgid "Show the current limits" +msgstr "" + +#: ctcpflood.cpp:76 +msgid "Limit reached by {1}, blocking all CTCP" +msgstr "" + +#: ctcpflood.cpp:98 +msgid "Usage: Secs " +msgstr "" + +#: ctcpflood.cpp:113 +msgid "Usage: Lines " +msgstr "" + +#: ctcpflood.cpp:125 +msgid "1 CTCP message" +msgid_plural "{1} CTCP messages" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" + +#: ctcpflood.cpp:127 +msgid "every second" +msgid_plural "every {1} seconds" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" + +#: ctcpflood.cpp:129 +msgid "Current limit is {1} {2}" +msgstr "" + +#: ctcpflood.cpp:145 +msgid "" +"This user module takes none to two arguments. The first argument is the " +"number of lines after which the flood-protection is triggered. The second " +"argument is the time (sec) to in which the number of lines is reached. The " +"default setting is 4 CTCPs in 2 seconds" +msgstr "" + +#: ctcpflood.cpp:151 +msgid "Don't forward CTCP floods to clients" +msgstr "" diff --git a/modules/po/cyrusauth.ro_RO.po b/modules/po/cyrusauth.ro_RO.po new file mode 100644 index 00000000..870d6d57 --- /dev/null +++ b/modules/po/cyrusauth.ro_RO.po @@ -0,0 +1,74 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=3; plural=(n==1 ? 0 : (n==0 || (n%100>0 && n" +"%100<20)) ? 1 : 2);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: ro\n" +"X-Crowdin-File: /master/modules/po/cyrusauth.pot\n" +"X-Crowdin-File-ID: 169\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Romanian\n" +"Language: ro_RO\n" + +#: cyrusauth.cpp:42 +msgid "Shows current settings" +msgstr "" + +#: cyrusauth.cpp:44 +msgid "yes|clone |no" +msgstr "" + +#: cyrusauth.cpp:45 +msgid "" +"Create ZNC users upon first successful login, optionally from a template" +msgstr "" + +#: cyrusauth.cpp:56 +msgid "Access denied" +msgstr "" + +#: cyrusauth.cpp:70 +msgid "Ignoring invalid SASL pwcheck method: {1}" +msgstr "" + +#: cyrusauth.cpp:71 +msgid "Ignored invalid SASL pwcheck method" +msgstr "" + +#: cyrusauth.cpp:79 +msgid "Need a pwcheck method as argument (saslauthd, auxprop)" +msgstr "" + +#: cyrusauth.cpp:84 +msgid "SASL Could Not Be Initialized - Halting Startup" +msgstr "" + +#: cyrusauth.cpp:171 cyrusauth.cpp:186 +msgid "We will not create users on their first login" +msgstr "" + +#: cyrusauth.cpp:174 cyrusauth.cpp:195 +msgid "" +"We will create users on their first login, using user [{1}] as a template" +msgstr "" + +#: cyrusauth.cpp:177 cyrusauth.cpp:190 +msgid "We will create users on their first login" +msgstr "" + +#: cyrusauth.cpp:199 +msgid "Usage: CreateUsers yes, CreateUsers no, or CreateUsers clone " +msgstr "" + +#: cyrusauth.cpp:232 +msgid "" +"This global module takes up to two arguments - the methods of authentication " +"- auxprop and saslauthd" +msgstr "" + +#: cyrusauth.cpp:238 +msgid "Allow users to authenticate via SASL password verification method" +msgstr "" diff --git a/modules/po/dcc.ro_RO.po b/modules/po/dcc.ro_RO.po new file mode 100644 index 00000000..e73ffd16 --- /dev/null +++ b/modules/po/dcc.ro_RO.po @@ -0,0 +1,228 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=3; plural=(n==1 ? 0 : (n==0 || (n%100>0 && n" +"%100<20)) ? 1 : 2);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: ro\n" +"X-Crowdin-File: /master/modules/po/dcc.pot\n" +"X-Crowdin-File-ID: 170\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Romanian\n" +"Language: ro_RO\n" + +#: dcc.cpp:88 +msgid " " +msgstr "" + +#: dcc.cpp:89 +msgid "Send a file from ZNC to someone" +msgstr "" + +#: dcc.cpp:91 +msgid "" +msgstr "" + +#: dcc.cpp:92 +msgid "Send a file from ZNC to your client" +msgstr "" + +#: dcc.cpp:94 +msgid "List current transfers" +msgstr "" + +#: dcc.cpp:103 +msgid "You must be admin to use the DCC module" +msgstr "" + +#: dcc.cpp:140 +msgid "Attempting to send [{1}] to [{2}]." +msgstr "" + +#: dcc.cpp:149 dcc.cpp:554 +msgid "Receiving [{1}] from [{2}]: File already exists." +msgstr "" + +#: dcc.cpp:167 +msgid "" +"Attempting to connect to [{1} {2}] in order to download [{3}] from [{4}]." +msgstr "" + +#: dcc.cpp:179 +msgid "Usage: Send " +msgstr "" + +#: dcc.cpp:186 dcc.cpp:206 +msgid "Illegal path." +msgstr "" + +#: dcc.cpp:199 +msgid "Usage: Get " +msgstr "" + +#: dcc.cpp:215 dcc.cpp:232 dcc.cpp:234 +msgctxt "list" +msgid "Type" +msgstr "" + +#: dcc.cpp:216 dcc.cpp:238 dcc.cpp:241 +msgctxt "list" +msgid "State" +msgstr "" + +#: dcc.cpp:217 dcc.cpp:243 +msgctxt "list" +msgid "Speed" +msgstr "" + +#: dcc.cpp:218 dcc.cpp:227 +msgctxt "list" +msgid "Nick" +msgstr "" + +#: dcc.cpp:219 dcc.cpp:228 +msgctxt "list" +msgid "IP" +msgstr "" + +#: dcc.cpp:220 dcc.cpp:229 +msgctxt "list" +msgid "File" +msgstr "" + +#: dcc.cpp:232 +msgctxt "list-type" +msgid "Sending" +msgstr "" + +#: dcc.cpp:234 +msgctxt "list-type" +msgid "Getting" +msgstr "" + +#: dcc.cpp:239 +msgctxt "list-state" +msgid "Waiting" +msgstr "" + +#: dcc.cpp:244 +msgid "{1} KiB/s" +msgstr "" + +#: dcc.cpp:250 +msgid "You have no active DCC transfers." +msgstr "" + +#: dcc.cpp:267 +msgid "Attempting to resume send from position {1} of file [{2}] for [{3}]" +msgstr "" + +#: dcc.cpp:277 +msgid "Couldn't resume file [{1}] for [{2}]: not sending anything." +msgstr "" + +#: dcc.cpp:286 +msgid "Bad DCC file: {1}" +msgstr "" + +#: dcc.cpp:341 +msgid "Sending [{1}] to [{2}]: File not open!" +msgstr "" + +#: dcc.cpp:345 +msgid "Receiving [{1}] from [{2}]: File not open!" +msgstr "" + +#: dcc.cpp:385 +msgid "Sending [{1}] to [{2}]: Connection refused." +msgstr "" + +#: dcc.cpp:389 +msgid "Receiving [{1}] from [{2}]: Connection refused." +msgstr "" + +#: dcc.cpp:397 +msgid "Sending [{1}] to [{2}]: Timeout." +msgstr "" + +#: dcc.cpp:401 +msgid "Receiving [{1}] from [{2}]: Timeout." +msgstr "" + +#: dcc.cpp:411 +msgid "Sending [{1}] to [{2}]: Socket error {3}: {4}" +msgstr "" + +#: dcc.cpp:415 +msgid "Receiving [{1}] from [{2}]: Socket error {3}: {4}" +msgstr "" + +#: dcc.cpp:423 +msgid "Sending [{1}] to [{2}]: Transfer started." +msgstr "" + +#: dcc.cpp:427 +msgid "Receiving [{1}] from [{2}]: Transfer started." +msgstr "" + +#: dcc.cpp:446 +msgid "Sending [{1}] to [{2}]: Too much data!" +msgstr "" + +#: dcc.cpp:450 +msgid "Receiving [{1}] from [{2}]: Too much data!" +msgstr "" + +#: dcc.cpp:456 +msgid "Sending [{1}] to [{2}] completed at {3} KiB/s" +msgstr "" + +#: dcc.cpp:461 +msgid "Receiving [{1}] from [{2}] completed at {3} KiB/s" +msgstr "" + +#: dcc.cpp:474 +msgid "Sending [{1}] to [{2}]: File closed prematurely." +msgstr "" + +#: dcc.cpp:478 +msgid "Receiving [{1}] from [{2}]: File closed prematurely." +msgstr "" + +#: dcc.cpp:501 +msgid "Sending [{1}] to [{2}]: Error reading from file." +msgstr "" + +#: dcc.cpp:505 +msgid "Receiving [{1}] from [{2}]: Error reading from file." +msgstr "" + +#: dcc.cpp:537 +msgid "Sending [{1}] to [{2}]: Unable to open file." +msgstr "" + +#: dcc.cpp:541 +msgid "Receiving [{1}] from [{2}]: Unable to open file." +msgstr "" + +#: dcc.cpp:563 +msgid "Receiving [{1}] from [{2}]: Could not open file." +msgstr "" + +#: dcc.cpp:572 +msgid "Sending [{1}] to [{2}]: Not a file." +msgstr "" + +#: dcc.cpp:581 +msgid "Sending [{1}] to [{2}]: Could not open file." +msgstr "" + +#: dcc.cpp:593 +msgid "Sending [{1}] to [{2}]: File too large (>4 GiB)." +msgstr "" + +#: dcc.cpp:623 +msgid "This module allows you to transfer files to and from ZNC" +msgstr "" diff --git a/modules/po/disconkick.ro_RO.po b/modules/po/disconkick.ro_RO.po new file mode 100644 index 00000000..03121e12 --- /dev/null +++ b/modules/po/disconkick.ro_RO.po @@ -0,0 +1,24 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=3; plural=(n==1 ? 0 : (n==0 || (n%100>0 && n" +"%100<20)) ? 1 : 2);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: ro\n" +"X-Crowdin-File: /master/modules/po/disconkick.pot\n" +"X-Crowdin-File-ID: 171\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Romanian\n" +"Language: ro_RO\n" + +#: disconkick.cpp:32 +msgid "You have been disconnected from the IRC server" +msgstr "" + +#: disconkick.cpp:45 +msgid "" +"Kicks the client from all channels when the connection to the IRC server is " +"lost" +msgstr "" diff --git a/modules/po/fail2ban.ro_RO.po b/modules/po/fail2ban.ro_RO.po new file mode 100644 index 00000000..055c12f1 --- /dev/null +++ b/modules/po/fail2ban.ro_RO.po @@ -0,0 +1,118 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=3; plural=(n==1 ? 0 : (n==0 || (n%100>0 && n" +"%100<20)) ? 1 : 2);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: ro\n" +"X-Crowdin-File: /master/modules/po/fail2ban.pot\n" +"X-Crowdin-File-ID: 172\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Romanian\n" +"Language: ro_RO\n" + +#: fail2ban.cpp:25 +msgid "[minutes]" +msgstr "" + +#: fail2ban.cpp:26 +msgid "The number of minutes IPs are blocked after a failed login." +msgstr "" + +#: fail2ban.cpp:28 +msgid "[count]" +msgstr "" + +#: fail2ban.cpp:29 +msgid "The number of allowed failed login attempts." +msgstr "" + +#: fail2ban.cpp:31 fail2ban.cpp:33 +msgid "" +msgstr "" + +#: fail2ban.cpp:31 +msgid "Ban the specified hosts." +msgstr "" + +#: fail2ban.cpp:33 +msgid "Unban the specified hosts." +msgstr "" + +#: fail2ban.cpp:35 +msgid "List banned hosts." +msgstr "" + +#: fail2ban.cpp:55 +msgid "" +"Invalid argument, must be the number of minutes IPs are blocked after a " +"failed login and can be followed by number of allowed failed login attempts" +msgstr "" + +#: fail2ban.cpp:77 fail2ban.cpp:100 fail2ban.cpp:123 fail2ban.cpp:146 +#: fail2ban.cpp:172 +msgid "Access denied" +msgstr "" + +#: fail2ban.cpp:86 +msgid "Usage: Timeout [minutes]" +msgstr "" + +#: fail2ban.cpp:91 fail2ban.cpp:94 +msgid "Timeout: {1} min" +msgstr "" + +#: fail2ban.cpp:109 +msgid "Usage: Attempts [count]" +msgstr "" + +#: fail2ban.cpp:114 fail2ban.cpp:117 +msgid "Attempts: {1}" +msgstr "" + +#: fail2ban.cpp:130 +msgid "Usage: Ban " +msgstr "" + +#: fail2ban.cpp:140 +msgid "Banned: {1}" +msgstr "" + +#: fail2ban.cpp:153 +msgid "Usage: Unban " +msgstr "" + +#: fail2ban.cpp:163 +msgid "Unbanned: {1}" +msgstr "" + +#: fail2ban.cpp:165 +msgid "Ignored: {1}" +msgstr "" + +#: fail2ban.cpp:177 fail2ban.cpp:183 +msgctxt "list" +msgid "Host" +msgstr "" + +#: fail2ban.cpp:178 fail2ban.cpp:184 +msgctxt "list" +msgid "Attempts" +msgstr "" + +#: fail2ban.cpp:188 +msgctxt "list" +msgid "No bans" +msgstr "" + +#: fail2ban.cpp:245 +msgid "" +"You might enter the time in minutes for the IP banning and the number of " +"failed logins before any action is taken." +msgstr "" + +#: fail2ban.cpp:250 +msgid "Block IPs for some time after a failed login." +msgstr "" diff --git a/modules/po/flooddetach.ro_RO.po b/modules/po/flooddetach.ro_RO.po new file mode 100644 index 00000000..0a99c151 --- /dev/null +++ b/modules/po/flooddetach.ro_RO.po @@ -0,0 +1,94 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=3; plural=(n==1 ? 0 : (n==0 || (n%100>0 && n" +"%100<20)) ? 1 : 2);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: ro\n" +"X-Crowdin-File: /master/modules/po/flooddetach.pot\n" +"X-Crowdin-File-ID: 173\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Romanian\n" +"Language: ro_RO\n" + +#: flooddetach.cpp:30 +msgid "Show current limits" +msgstr "" + +#: flooddetach.cpp:32 flooddetach.cpp:35 +msgid "[]" +msgstr "" + +#: flooddetach.cpp:33 +msgid "Show or set number of seconds in the time interval" +msgstr "" + +#: flooddetach.cpp:36 +msgid "Show or set number of lines in the time interval" +msgstr "" + +#: flooddetach.cpp:39 +msgid "Show or set whether to notify you about detaching and attaching back" +msgstr "" + +#: flooddetach.cpp:93 +msgid "Flood in {1} is over, reattaching..." +msgstr "" + +#: flooddetach.cpp:150 +msgid "Channel {1} was flooded, you've been detached" +msgstr "" + +#: flooddetach.cpp:187 +msgid "1 line" +msgid_plural "{1} lines" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" + +#: flooddetach.cpp:188 +msgid "every second" +msgid_plural "every {1} seconds" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" + +#: flooddetach.cpp:190 +msgid "Current limit is {1} {2}" +msgstr "" + +#: flooddetach.cpp:197 +msgid "Seconds limit is {1}" +msgstr "" + +#: flooddetach.cpp:202 +msgid "Set seconds limit to {1}" +msgstr "" + +#: flooddetach.cpp:211 +msgid "Lines limit is {1}" +msgstr "" + +#: flooddetach.cpp:216 +msgid "Set lines limit to {1}" +msgstr "" + +#: flooddetach.cpp:229 +msgid "Module messages are disabled" +msgstr "" + +#: flooddetach.cpp:231 +msgid "Module messages are enabled" +msgstr "" + +#: flooddetach.cpp:247 +msgid "" +"This user module takes up to two arguments. Arguments are numbers of " +"messages and seconds." +msgstr "" + +#: flooddetach.cpp:251 +msgid "Detach channels when flooded" +msgstr "" diff --git a/modules/po/identfile.ro_RO.po b/modules/po/identfile.ro_RO.po new file mode 100644 index 00000000..5da60a5c --- /dev/null +++ b/modules/po/identfile.ro_RO.po @@ -0,0 +1,84 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=3; plural=(n==1 ? 0 : (n==0 || (n%100>0 && n" +"%100<20)) ? 1 : 2);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: ro\n" +"X-Crowdin-File: /master/modules/po/identfile.pot\n" +"X-Crowdin-File-ID: 174\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Romanian\n" +"Language: ro_RO\n" + +#: identfile.cpp:30 +msgid "Show file name" +msgstr "" + +#: identfile.cpp:32 +msgid "" +msgstr "" + +#: identfile.cpp:32 +msgid "Set file name" +msgstr "" + +#: identfile.cpp:34 +msgid "Show file format" +msgstr "" + +#: identfile.cpp:36 +msgid "" +msgstr "" + +#: identfile.cpp:36 +msgid "Set file format" +msgstr "" + +#: identfile.cpp:38 +msgid "Show current state" +msgstr "" + +#: identfile.cpp:48 +msgid "File is set to: {1}" +msgstr "" + +#: identfile.cpp:53 +msgid "File has been set to: {1}" +msgstr "" + +#: identfile.cpp:58 +msgid "Format has been set to: {1}" +msgstr "" + +#: identfile.cpp:59 identfile.cpp:65 +msgid "Format would be expanded to: {1}" +msgstr "" + +#: identfile.cpp:64 +msgid "Format is set to: {1}" +msgstr "" + +#: identfile.cpp:78 +msgid "identfile is free" +msgstr "" + +#: identfile.cpp:86 +msgid "Access denied" +msgstr "" + +#: identfile.cpp:181 +msgid "" +"Aborting connection, another user or network is currently connecting and " +"using the ident spoof file" +msgstr "" + +#: identfile.cpp:189 +msgid "[{1}] could not be written, retrying..." +msgstr "" + +#: identfile.cpp:223 +msgid "Write the ident of a user to a file when they are trying to connect." +msgstr "" diff --git a/modules/po/imapauth.ro_RO.po b/modules/po/imapauth.ro_RO.po new file mode 100644 index 00000000..f9589247 --- /dev/null +++ b/modules/po/imapauth.ro_RO.po @@ -0,0 +1,22 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=3; plural=(n==1 ? 0 : (n==0 || (n%100>0 && n" +"%100<20)) ? 1 : 2);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: ro\n" +"X-Crowdin-File: /master/modules/po/imapauth.pot\n" +"X-Crowdin-File-ID: 175\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Romanian\n" +"Language: ro_RO\n" + +#: imapauth.cpp:168 +msgid "[ server [+]port [ UserFormatString ] ]" +msgstr "" + +#: imapauth.cpp:171 +msgid "Allow users to authenticate via IMAP." +msgstr "" diff --git a/modules/po/keepnick.ro_RO.po b/modules/po/keepnick.ro_RO.po new file mode 100644 index 00000000..c90a1645 --- /dev/null +++ b/modules/po/keepnick.ro_RO.po @@ -0,0 +1,54 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=3; plural=(n==1 ? 0 : (n==0 || (n%100>0 && n" +"%100<20)) ? 1 : 2);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: ro\n" +"X-Crowdin-File: /master/modules/po/keepnick.pot\n" +"X-Crowdin-File-ID: 176\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Romanian\n" +"Language: ro_RO\n" + +#: keepnick.cpp:39 +msgid "Try to get your primary nick" +msgstr "" + +#: keepnick.cpp:42 keepnick.cpp:196 +msgid "No longer trying to get your primary nick" +msgstr "" + +#: keepnick.cpp:44 +msgid "Show the current state" +msgstr "" + +#: keepnick.cpp:158 +msgid "ZNC is already trying to get this nickname" +msgstr "" + +#: keepnick.cpp:173 +msgid "Unable to obtain nick {1}: {2}, {3}" +msgstr "" + +#: keepnick.cpp:181 +msgid "Unable to obtain nick {1}" +msgstr "" + +#: keepnick.cpp:191 +msgid "Trying to get your primary nick" +msgstr "" + +#: keepnick.cpp:201 +msgid "Currently trying to get your primary nick" +msgstr "" + +#: keepnick.cpp:203 +msgid "Currently disabled, try 'enable'" +msgstr "" + +#: keepnick.cpp:224 +msgid "Keeps trying for your primary nick" +msgstr "" diff --git a/modules/po/kickrejoin.ro_RO.po b/modules/po/kickrejoin.ro_RO.po new file mode 100644 index 00000000..5a3188af --- /dev/null +++ b/modules/po/kickrejoin.ro_RO.po @@ -0,0 +1,64 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=3; plural=(n==1 ? 0 : (n==0 || (n%100>0 && n" +"%100<20)) ? 1 : 2);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: ro\n" +"X-Crowdin-File: /master/modules/po/kickrejoin.pot\n" +"X-Crowdin-File-ID: 177\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Romanian\n" +"Language: ro_RO\n" + +#: kickrejoin.cpp:56 +msgid "" +msgstr "" + +#: kickrejoin.cpp:56 +msgid "Set the rejoin delay" +msgstr "" + +#: kickrejoin.cpp:58 +msgid "Show the rejoin delay" +msgstr "" + +#: kickrejoin.cpp:77 +msgid "Illegal argument, must be a positive number or 0" +msgstr "" + +#: kickrejoin.cpp:90 +msgid "Negative delays don't make any sense!" +msgstr "" + +#: kickrejoin.cpp:98 +msgid "Rejoin delay set to 1 second" +msgid_plural "Rejoin delay set to {1} seconds" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" + +#: kickrejoin.cpp:101 +msgid "Rejoin delay disabled" +msgstr "" + +#: kickrejoin.cpp:106 +msgid "Rejoin delay is set to 1 second" +msgid_plural "Rejoin delay is set to {1} seconds" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" + +#: kickrejoin.cpp:109 +msgid "Rejoin delay is disabled" +msgstr "" + +#: kickrejoin.cpp:131 +msgid "You might enter the number of seconds to wait before rejoining." +msgstr "" + +#: kickrejoin.cpp:134 +msgid "Autorejoins on kick" +msgstr "" diff --git a/modules/po/lastseen.ro_RO.po b/modules/po/lastseen.ro_RO.po new file mode 100644 index 00000000..ae4affbc --- /dev/null +++ b/modules/po/lastseen.ro_RO.po @@ -0,0 +1,68 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=3; plural=(n==1 ? 0 : (n==0 || (n%100>0 && n" +"%100<20)) ? 1 : 2);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: ro\n" +"X-Crowdin-File: /master/modules/po/lastseen.pot\n" +"X-Crowdin-File-ID: 178\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Romanian\n" +"Language: ro_RO\n" + +#: modules/po/../data/lastseen/tmpl/index.tmpl:8 +msgid "User" +msgstr "" + +#: modules/po/../data/lastseen/tmpl/index.tmpl:9 lastseen.cpp:99 +msgid "Last Seen" +msgstr "" + +#: modules/po/../data/lastseen/tmpl/index.tmpl:10 +msgid "Info" +msgstr "" + +#: modules/po/../data/lastseen/tmpl/index.tmpl:11 +msgid "Action" +msgstr "" + +#: modules/po/../data/lastseen/tmpl/index.tmpl:21 +msgid "Edit" +msgstr "" + +#: modules/po/../data/lastseen/tmpl/index.tmpl:22 +msgid "Delete" +msgstr "" + +#: modules/po/../data/lastseen/tmpl/lastseen_WebadminUser.tmpl:6 +msgid "Last login time:" +msgstr "" + +#: lastseen.cpp:53 +msgid "Access denied" +msgstr "" + +#: lastseen.cpp:61 lastseen.cpp:67 +msgctxt "show" +msgid "User" +msgstr "" + +#: lastseen.cpp:62 lastseen.cpp:68 +msgctxt "show" +msgid "Last Seen" +msgstr "" + +#: lastseen.cpp:69 lastseen.cpp:125 +msgid "never" +msgstr "" + +#: lastseen.cpp:79 +msgid "Shows list of users and when they last logged in" +msgstr "" + +#: lastseen.cpp:154 +msgid "Collects data about when a user last logged in." +msgstr "" diff --git a/modules/po/listsockets.ro_RO.po b/modules/po/listsockets.ro_RO.po new file mode 100644 index 00000000..f09aa9b2 --- /dev/null +++ b/modules/po/listsockets.ro_RO.po @@ -0,0 +1,114 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=3; plural=(n==1 ? 0 : (n==0 || (n%100>0 && n" +"%100<20)) ? 1 : 2);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: ro\n" +"X-Crowdin-File: /master/modules/po/listsockets.pot\n" +"X-Crowdin-File-ID: 179\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Romanian\n" +"Language: ro_RO\n" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:7 listsockets.cpp:213 +#: listsockets.cpp:229 +msgid "Name" +msgstr "" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:8 listsockets.cpp:214 +#: listsockets.cpp:230 +msgid "Created" +msgstr "" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:9 listsockets.cpp:215 +#: listsockets.cpp:231 +msgid "State" +msgstr "" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:10 listsockets.cpp:217 +#: listsockets.cpp:234 +msgid "SSL" +msgstr "" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:11 listsockets.cpp:219 +#: listsockets.cpp:239 +msgid "Local" +msgstr "" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:12 listsockets.cpp:220 +#: listsockets.cpp:241 +msgid "Remote" +msgstr "" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:13 +msgid "Data In" +msgstr "" + +#: modules/po/../data/listsockets/tmpl/index.tmpl:14 +msgid "Data Out" +msgstr "" + +#: listsockets.cpp:62 +msgid "[-n]" +msgstr "" + +#: listsockets.cpp:62 +msgid "Shows the list of active sockets. Pass -n to show IP addresses" +msgstr "" + +#: listsockets.cpp:70 +msgid "You must be admin to use this module" +msgstr "" + +#: listsockets.cpp:95 +msgid "List sockets" +msgstr "" + +#: listsockets.cpp:115 listsockets.cpp:235 +msgctxt "ssl" +msgid "Yes" +msgstr "" + +#: listsockets.cpp:115 listsockets.cpp:236 +msgctxt "ssl" +msgid "No" +msgstr "" + +#: listsockets.cpp:141 +msgid "Listener" +msgstr "" + +#: listsockets.cpp:143 +msgid "Inbound" +msgstr "" + +#: listsockets.cpp:146 +msgid "Outbound" +msgstr "" + +#: listsockets.cpp:148 +msgid "Connecting" +msgstr "" + +#: listsockets.cpp:151 +msgid "UNKNOWN" +msgstr "" + +#: listsockets.cpp:206 +msgid "You have no open sockets." +msgstr "" + +#: listsockets.cpp:221 listsockets.cpp:243 +msgid "In" +msgstr "" + +#: listsockets.cpp:222 listsockets.cpp:245 +msgid "Out" +msgstr "" + +#: listsockets.cpp:261 +msgid "Lists active sockets" +msgstr "" diff --git a/modules/po/log.ro_RO.po b/modules/po/log.ro_RO.po new file mode 100644 index 00000000..296fa597 --- /dev/null +++ b/modules/po/log.ro_RO.po @@ -0,0 +1,150 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=3; plural=(n==1 ? 0 : (n==0 || (n%100>0 && n" +"%100<20)) ? 1 : 2);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: ro\n" +"X-Crowdin-File: /master/modules/po/log.pot\n" +"X-Crowdin-File-ID: 180\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Romanian\n" +"Language: ro_RO\n" + +#: log.cpp:59 +msgid "" +msgstr "" + +#: log.cpp:60 +msgid "Set logging rules, use !#chan or !query to negate and * " +msgstr "" + +#: log.cpp:62 +msgid "Clear all logging rules" +msgstr "" + +#: log.cpp:64 +msgid "List all logging rules" +msgstr "" + +#: log.cpp:67 +msgid " true|false" +msgstr "" + +#: log.cpp:68 +msgid "Set one of the following options: joins, quits, nickchanges" +msgstr "" + +#: log.cpp:71 +msgid "Show current settings set by Set command" +msgstr "" + +#: log.cpp:143 +msgid "Usage: SetRules " +msgstr "" + +#: log.cpp:144 +msgid "Wildcards are allowed" +msgstr "" + +#: log.cpp:156 log.cpp:179 +msgid "No logging rules. Everything is logged." +msgstr "" + +#: log.cpp:161 +msgid "1 rule removed: {2}" +msgid_plural "{1} rules removed: {2}" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" + +#: log.cpp:168 log.cpp:174 +msgctxt "listrules" +msgid "Rule" +msgstr "" + +#: log.cpp:169 log.cpp:175 +msgctxt "listrules" +msgid "Logging enabled" +msgstr "" + +#: log.cpp:190 +msgid "" +"Usage: Set true|false, where is one of: joins, quits, nickchanges" +msgstr "" + +#: log.cpp:197 +msgid "Will log joins" +msgstr "" + +#: log.cpp:197 +msgid "Will not log joins" +msgstr "" + +#: log.cpp:198 +msgid "Will log quits" +msgstr "" + +#: log.cpp:198 +msgid "Will not log quits" +msgstr "" + +#: log.cpp:200 +msgid "Will log nick changes" +msgstr "" + +#: log.cpp:200 +msgid "Will not log nick changes" +msgstr "" + +#: log.cpp:204 +msgid "Unknown variable. Known variables: joins, quits, nickchanges" +msgstr "" + +#: log.cpp:212 +msgid "Logging joins" +msgstr "" + +#: log.cpp:212 +msgid "Not logging joins" +msgstr "" + +#: log.cpp:213 +msgid "Logging quits" +msgstr "" + +#: log.cpp:213 +msgid "Not logging quits" +msgstr "" + +#: log.cpp:214 +msgid "Logging nick changes" +msgstr "" + +#: log.cpp:215 +msgid "Not logging nick changes" +msgstr "" + +#: log.cpp:352 +msgid "" +"Invalid args [{1}]. Only one log path allowed. Check that there are no " +"spaces in the path." +msgstr "" + +#: log.cpp:402 +msgid "Invalid log path [{1}]" +msgstr "" + +#: log.cpp:405 +msgid "Logging to [{1}]. Using timestamp format '{2}'" +msgstr "" + +#: log.cpp:560 +msgid "[-sanitize] Optional path where to store logs." +msgstr "" + +#: log.cpp:564 +msgid "Writes IRC logs." +msgstr "" diff --git a/modules/po/missingmotd.ro_RO.po b/modules/po/missingmotd.ro_RO.po new file mode 100644 index 00000000..b0bf38d6 --- /dev/null +++ b/modules/po/missingmotd.ro_RO.po @@ -0,0 +1,18 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=3; plural=(n==1 ? 0 : (n==0 || (n%100>0 && n" +"%100<20)) ? 1 : 2);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: ro\n" +"X-Crowdin-File: /master/modules/po/missingmotd.pot\n" +"X-Crowdin-File-ID: 181\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Romanian\n" +"Language: ro_RO\n" + +#: missingmotd.cpp:36 +msgid "Sends 422 to clients when they login" +msgstr "" diff --git a/modules/po/modperl.ro_RO.po b/modules/po/modperl.ro_RO.po new file mode 100644 index 00000000..1245ac52 --- /dev/null +++ b/modules/po/modperl.ro_RO.po @@ -0,0 +1,18 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=3; plural=(n==1 ? 0 : (n==0 || (n%100>0 && n" +"%100<20)) ? 1 : 2);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: ro\n" +"X-Crowdin-File: /master/modules/po/modperl.pot\n" +"X-Crowdin-File-ID: 182\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Romanian\n" +"Language: ro_RO\n" + +#: modperl.cpp:382 +msgid "Loads perl scripts as ZNC modules" +msgstr "" diff --git a/modules/po/modpython.ro_RO.po b/modules/po/modpython.ro_RO.po new file mode 100644 index 00000000..d34a1b65 --- /dev/null +++ b/modules/po/modpython.ro_RO.po @@ -0,0 +1,18 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=3; plural=(n==1 ? 0 : (n==0 || (n%100>0 && n" +"%100<20)) ? 1 : 2);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: ro\n" +"X-Crowdin-File: /master/modules/po/modpython.pot\n" +"X-Crowdin-File-ID: 183\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Romanian\n" +"Language: ro_RO\n" + +#: modpython.cpp:513 +msgid "Loads python scripts as ZNC modules" +msgstr "" diff --git a/modules/po/modules_online.ro_RO.po b/modules/po/modules_online.ro_RO.po new file mode 100644 index 00000000..55aec3cd --- /dev/null +++ b/modules/po/modules_online.ro_RO.po @@ -0,0 +1,18 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=3; plural=(n==1 ? 0 : (n==0 || (n%100>0 && n" +"%100<20)) ? 1 : 2);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: ro\n" +"X-Crowdin-File: /master/modules/po/modules_online.pot\n" +"X-Crowdin-File-ID: 184\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Romanian\n" +"Language: ro_RO\n" + +#: modules_online.cpp:117 +msgid "Makes ZNC's *modules to be \"online\"." +msgstr "" diff --git a/modules/po/nickserv.ro_RO.po b/modules/po/nickserv.ro_RO.po new file mode 100644 index 00000000..4241da0a --- /dev/null +++ b/modules/po/nickserv.ro_RO.po @@ -0,0 +1,80 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=3; plural=(n==1 ? 0 : (n==0 || (n%100>0 && n" +"%100<20)) ? 1 : 2);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: ro\n" +"X-Crowdin-File: /master/modules/po/nickserv.pot\n" +"X-Crowdin-File-ID: 185\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Romanian\n" +"Language: ro_RO\n" + +#: nickserv.cpp:31 +msgid "Password set" +msgstr "" + +#: nickserv.cpp:36 nickserv.cpp:46 +msgid "Done" +msgstr "" + +#: nickserv.cpp:41 +msgid "NickServ name set" +msgstr "" + +#: nickserv.cpp:60 +msgid "No such editable command. See ViewCommands for list." +msgstr "" + +#: nickserv.cpp:63 +msgid "Ok" +msgstr "" + +#: nickserv.cpp:68 +msgid "password" +msgstr "" + +#: nickserv.cpp:68 +msgid "Set your nickserv password" +msgstr "" + +#: nickserv.cpp:70 +msgid "Clear your nickserv password" +msgstr "" + +#: nickserv.cpp:72 +msgid "nickname" +msgstr "" + +#: nickserv.cpp:73 +msgid "" +"Set NickServ name (Useful on networks like EpiKnet, where NickServ is named " +"Themis" +msgstr "" + +#: nickserv.cpp:77 +msgid "Reset NickServ name to default (NickServ)" +msgstr "" + +#: nickserv.cpp:81 +msgid "Show patterns for lines, which are being sent to NickServ" +msgstr "" + +#: nickserv.cpp:83 +msgid "cmd new-pattern" +msgstr "" + +#: nickserv.cpp:84 +msgid "Set pattern for commands" +msgstr "" + +#: nickserv.cpp:146 +msgid "Please enter your nickserv password." +msgstr "" + +#: nickserv.cpp:150 +msgid "Auths you with NickServ (prefer SASL module instead)" +msgstr "" diff --git a/modules/po/notes.ro_RO.po b/modules/po/notes.ro_RO.po new file mode 100644 index 00000000..ee2d0ea5 --- /dev/null +++ b/modules/po/notes.ro_RO.po @@ -0,0 +1,120 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=3; plural=(n==1 ? 0 : (n==0 || (n%100>0 && n" +"%100<20)) ? 1 : 2);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: ro\n" +"X-Crowdin-File: /master/modules/po/notes.pot\n" +"X-Crowdin-File-ID: 186\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Romanian\n" +"Language: ro_RO\n" + +#: modules/po/../data/notes/tmpl/index.tmpl:7 +msgid "Add A Note" +msgstr "" + +#: modules/po/../data/notes/tmpl/index.tmpl:11 +msgid "Key:" +msgstr "" + +#: modules/po/../data/notes/tmpl/index.tmpl:15 +msgid "Note:" +msgstr "" + +#: modules/po/../data/notes/tmpl/index.tmpl:19 +msgid "Add Note" +msgstr "" + +#: modules/po/../data/notes/tmpl/index.tmpl:27 +msgid "You have no notes to display." +msgstr "" + +#: modules/po/../data/notes/tmpl/index.tmpl:34 notes.cpp:164 notes.cpp:170 +msgid "Key" +msgstr "" + +#: modules/po/../data/notes/tmpl/index.tmpl:35 notes.cpp:165 notes.cpp:171 +msgid "Note" +msgstr "" + +#: modules/po/../data/notes/tmpl/index.tmpl:41 +msgid "[del]" +msgstr "" + +#: notes.cpp:32 +msgid "That note already exists. Use MOD to overwrite." +msgstr "" + +#: notes.cpp:35 notes.cpp:137 +msgid "Added note {1}" +msgstr "" + +#: notes.cpp:37 notes.cpp:48 notes.cpp:142 +msgid "Unable to add note {1}" +msgstr "" + +#: notes.cpp:46 notes.cpp:139 +msgid "Set note for {1}" +msgstr "" + +#: notes.cpp:56 +msgid "This note doesn't exist." +msgstr "" + +#: notes.cpp:66 notes.cpp:116 +msgid "Deleted note {1}" +msgstr "" + +#: notes.cpp:68 notes.cpp:118 +msgid "Unable to delete note {1}" +msgstr "" + +#: notes.cpp:75 +msgid "List notes" +msgstr "" + +#: notes.cpp:77 notes.cpp:81 +msgid " " +msgstr "" + +#: notes.cpp:77 +msgid "Add a note" +msgstr "" + +#: notes.cpp:79 notes.cpp:83 +msgid "" +msgstr "" + +#: notes.cpp:79 +msgid "Delete a note" +msgstr "" + +#: notes.cpp:81 +msgid "Modify a note" +msgstr "" + +#: notes.cpp:94 +msgid "Notes" +msgstr "" + +#: notes.cpp:133 +msgid "That note already exists. Use /#+ to overwrite." +msgstr "" + +#: notes.cpp:186 notes.cpp:188 +msgid "You have no entries." +msgstr "" + +#: notes.cpp:224 +msgid "" +"This user module takes up to one arguments. It can be -disableNotesOnLogin " +"not to show notes upon client login" +msgstr "" + +#: notes.cpp:228 +msgid "Keep and replay notes" +msgstr "" diff --git a/modules/po/notify_connect.ro_RO.po b/modules/po/notify_connect.ro_RO.po new file mode 100644 index 00000000..d8a62d4c --- /dev/null +++ b/modules/po/notify_connect.ro_RO.po @@ -0,0 +1,30 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=3; plural=(n==1 ? 0 : (n==0 || (n%100>0 && n" +"%100<20)) ? 1 : 2);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: ro\n" +"X-Crowdin-File: /master/modules/po/notify_connect.pot\n" +"X-Crowdin-File-ID: 187\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Romanian\n" +"Language: ro_RO\n" + +#: notify_connect.cpp:24 +msgid "attached" +msgstr "" + +#: notify_connect.cpp:26 +msgid "detached" +msgstr "" + +#: notify_connect.cpp:41 +msgid "{1} {2} from {3}" +msgstr "" + +#: notify_connect.cpp:52 +msgid "Notifies all admin users when a client connects or disconnects." +msgstr "" diff --git a/modules/po/perform.ro_RO.po b/modules/po/perform.ro_RO.po new file mode 100644 index 00000000..9a814e5f --- /dev/null +++ b/modules/po/perform.ro_RO.po @@ -0,0 +1,109 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=3; plural=(n==1 ? 0 : (n==0 || (n%100>0 && n" +"%100<20)) ? 1 : 2);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: ro\n" +"X-Crowdin-File: /master/modules/po/perform.pot\n" +"X-Crowdin-File-ID: 189\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Romanian\n" +"Language: ro_RO\n" + +#: modules/po/../data/perform/tmpl/index.tmpl:7 perform.cpp:143 +msgid "Perform" +msgstr "" + +#: modules/po/../data/perform/tmpl/index.tmpl:11 +msgid "Perform commands:" +msgstr "" + +#: modules/po/../data/perform/tmpl/index.tmpl:15 +msgid "Commands sent to the IRC server on connect, one per line." +msgstr "" + +#: modules/po/../data/perform/tmpl/index.tmpl:18 +msgid "Save" +msgstr "" + +#: perform.cpp:24 +msgid "Usage: add " +msgstr "" + +#: perform.cpp:29 +msgid "Added!" +msgstr "" + +#: perform.cpp:37 perform.cpp:82 +msgid "Illegal # Requested" +msgstr "" + +#: perform.cpp:41 +msgid "Command Erased." +msgstr "" + +#: perform.cpp:50 perform.cpp:56 +msgctxt "list" +msgid "Id" +msgstr "" + +#: perform.cpp:51 perform.cpp:57 +msgctxt "list" +msgid "Perform" +msgstr "" + +#: perform.cpp:52 perform.cpp:62 +msgctxt "list" +msgid "Expanded" +msgstr "" + +#: perform.cpp:67 +msgid "No commands in your perform list." +msgstr "" + +#: perform.cpp:73 +msgid "perform commands sent" +msgstr "" + +#: perform.cpp:86 +msgid "Commands Swapped." +msgstr "" + +#: perform.cpp:95 +msgid "" +msgstr "" + +#: perform.cpp:96 +msgid "Adds perform command to be sent to the server on connect" +msgstr "" + +#: perform.cpp:98 +msgid "" +msgstr "" + +#: perform.cpp:98 +msgid "Delete a perform command" +msgstr "" + +#: perform.cpp:100 +msgid "List the perform commands" +msgstr "" + +#: perform.cpp:103 +msgid "Send the perform commands to the server now" +msgstr "" + +#: perform.cpp:105 +msgid " " +msgstr "" + +#: perform.cpp:106 +msgid "Swap two perform commands" +msgstr "" + +#: perform.cpp:192 +msgid "Keeps a list of commands to be executed when ZNC connects to IRC." +msgstr "" diff --git a/modules/po/perleval.ro_RO.po b/modules/po/perleval.ro_RO.po new file mode 100644 index 00000000..2bc8edbe --- /dev/null +++ b/modules/po/perleval.ro_RO.po @@ -0,0 +1,32 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=3; plural=(n==1 ? 0 : (n==0 || (n%100>0 && n" +"%100<20)) ? 1 : 2);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: ro\n" +"X-Crowdin-File: /master/modules/po/perleval.pot\n" +"X-Crowdin-File-ID: 190\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Romanian\n" +"Language: ro_RO\n" + +#: perleval.pm:23 +msgid "Evaluates perl code" +msgstr "" + +#: perleval.pm:33 +msgid "Only admin can load this module" +msgstr "" + +#: perleval.pm:44 +#, perl-format +msgid "Error: %s" +msgstr "" + +#: perleval.pm:46 +#, perl-format +msgid "Result: %s" +msgstr "" diff --git a/modules/po/pyeval.ro_RO.po b/modules/po/pyeval.ro_RO.po new file mode 100644 index 00000000..f3cfa8ab --- /dev/null +++ b/modules/po/pyeval.ro_RO.po @@ -0,0 +1,22 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=3; plural=(n==1 ? 0 : (n==0 || (n%100>0 && n" +"%100<20)) ? 1 : 2);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: ro\n" +"X-Crowdin-File: /master/modules/po/pyeval.pot\n" +"X-Crowdin-File-ID: 191\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Romanian\n" +"Language: ro_RO\n" + +#: pyeval.py:49 +msgid "You must have admin privileges to load this module." +msgstr "" + +#: pyeval.py:82 +msgid "Evaluates python code" +msgstr "" diff --git a/modules/po/raw.ro_RO.po b/modules/po/raw.ro_RO.po new file mode 100644 index 00000000..aee867cf --- /dev/null +++ b/modules/po/raw.ro_RO.po @@ -0,0 +1,18 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=3; plural=(n==1 ? 0 : (n==0 || (n%100>0 && n" +"%100<20)) ? 1 : 2);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: ro\n" +"X-Crowdin-File: /master/modules/po/raw.pot\n" +"X-Crowdin-File-ID: 193\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Romanian\n" +"Language: ro_RO\n" + +#: raw.cpp:43 +msgid "View all of the raw traffic" +msgstr "" diff --git a/modules/po/route_replies.ro_RO.po b/modules/po/route_replies.ro_RO.po new file mode 100644 index 00000000..b3b9f238 --- /dev/null +++ b/modules/po/route_replies.ro_RO.po @@ -0,0 +1,60 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=3; plural=(n==1 ? 0 : (n==0 || (n%100>0 && n" +"%100<20)) ? 1 : 2);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: ro\n" +"X-Crowdin-File: /master/modules/po/route_replies.pot\n" +"X-Crowdin-File-ID: 194\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Romanian\n" +"Language: ro_RO\n" + +#: route_replies.cpp:215 +msgid "[yes|no]" +msgstr "" + +#: route_replies.cpp:216 +msgid "Decides whether to show the timeout messages or not" +msgstr "" + +#: route_replies.cpp:356 +msgid "This module hit a timeout which is probably a connectivity issue." +msgstr "" + +#: route_replies.cpp:359 +msgid "" +"However, if you can provide steps to reproduce this issue, please do report " +"a bug." +msgstr "" + +#: route_replies.cpp:362 +msgid "To disable this message, do \"/msg {1} silent yes\"" +msgstr "" + +#: route_replies.cpp:364 +msgid "Last request: {1}" +msgstr "" + +#: route_replies.cpp:365 +msgid "Expected replies:" +msgstr "" + +#: route_replies.cpp:369 +msgid "{1} (last)" +msgstr "" + +#: route_replies.cpp:441 +msgid "Timeout messages are disabled." +msgstr "" + +#: route_replies.cpp:442 +msgid "Timeout messages are enabled." +msgstr "" + +#: route_replies.cpp:463 +msgid "Send replies (e.g. to /who) to the right client only" +msgstr "" diff --git a/modules/po/sample.ro_RO.po b/modules/po/sample.ro_RO.po new file mode 100644 index 00000000..89ffab91 --- /dev/null +++ b/modules/po/sample.ro_RO.po @@ -0,0 +1,121 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=3; plural=(n==1 ? 0 : (n==0 || (n%100>0 && n" +"%100<20)) ? 1 : 2);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: ro\n" +"X-Crowdin-File: /master/modules/po/sample.pot\n" +"X-Crowdin-File-ID: 195\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Romanian\n" +"Language: ro_RO\n" + +#: sample.cpp:31 +msgid "Sample job cancelled" +msgstr "" + +#: sample.cpp:33 +msgid "Sample job destroyed" +msgstr "" + +#: sample.cpp:50 +msgid "Sample job done" +msgstr "" + +#: sample.cpp:65 +msgid "TEST!!!!" +msgstr "" + +#: sample.cpp:74 +msgid "I'm being loaded with the arguments: {1}" +msgstr "" + +#: sample.cpp:85 +msgid "I'm being unloaded!" +msgstr "" + +#: sample.cpp:94 +msgid "You got connected BoyOh." +msgstr "" + +#: sample.cpp:98 +msgid "You got disconnected BoyOh." +msgstr "" + +#: sample.cpp:116 +msgid "{1} {2} set mode on {3} {4}{5} {6}" +msgstr "" + +#: sample.cpp:123 +msgid "{1} {2} opped {3} on {4}" +msgstr "" + +#: sample.cpp:129 +msgid "{1} {2} deopped {3} on {4}" +msgstr "" + +#: sample.cpp:135 +msgid "{1} {2} voiced {3} on {4}" +msgstr "" + +#: sample.cpp:141 +msgid "{1} {2} devoiced {3} on {4}" +msgstr "" + +#: sample.cpp:147 +msgid "* {1} sets mode: {2} {3} on {4}" +msgstr "" + +#: sample.cpp:163 +msgid "{1} kicked {2} from {3} with the msg {4}" +msgstr "" + +#: sample.cpp:169 +msgid "* {1} ({2}@{3}) quits ({4}) from channel: {6}" +msgid_plural "* {1} ({2}@{3}) quits ({4}) from {5} channels: {6}" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" + +#: sample.cpp:177 +msgid "Attempting to join {1}" +msgstr "" + +#: sample.cpp:182 +msgid "* {1} ({2}@{3}) joins {4}" +msgstr "" + +#: sample.cpp:189 +msgid "* {1} ({2}@{3}) parts {4}" +msgstr "" + +#: sample.cpp:196 +msgid "{1} invited us to {2}, ignoring invites to {2}" +msgstr "" + +#: sample.cpp:201 +msgid "{1} invited us to {2}" +msgstr "" + +#: sample.cpp:207 +msgid "{1} is now known as {2}" +msgstr "" + +#: sample.cpp:269 sample.cpp:276 +msgid "{1} changes topic on {2} to {3}" +msgstr "" + +#: sample.cpp:317 +msgid "Hi, I'm your friendly sample module." +msgstr "" + +#: sample.cpp:330 +msgid "Description of module arguments goes here." +msgstr "" + +#: sample.cpp:333 +msgid "To be used as a sample for writing modules" +msgstr "" diff --git a/modules/po/samplewebapi.ro_RO.po b/modules/po/samplewebapi.ro_RO.po new file mode 100644 index 00000000..4f5236b3 --- /dev/null +++ b/modules/po/samplewebapi.ro_RO.po @@ -0,0 +1,18 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=3; plural=(n==1 ? 0 : (n==0 || (n%100>0 && n" +"%100<20)) ? 1 : 2);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: ro\n" +"X-Crowdin-File: /master/modules/po/samplewebapi.pot\n" +"X-Crowdin-File-ID: 196\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Romanian\n" +"Language: ro_RO\n" + +#: samplewebapi.cpp:59 +msgid "Sample Web API module." +msgstr "" diff --git a/modules/po/sasl.ro_RO.po b/modules/po/sasl.ro_RO.po new file mode 100644 index 00000000..03d4ac1a --- /dev/null +++ b/modules/po/sasl.ro_RO.po @@ -0,0 +1,175 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=3; plural=(n==1 ? 0 : (n==0 || (n%100>0 && n" +"%100<20)) ? 1 : 2);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: ro\n" +"X-Crowdin-File: /master/modules/po/sasl.pot\n" +"X-Crowdin-File-ID: 197\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Romanian\n" +"Language: ro_RO\n" + +#: modules/po/../data/sasl/tmpl/index.tmpl:7 sasl.cpp:303 +msgid "SASL" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:11 +msgid "Username:" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:13 +msgid "Please enter a username." +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:16 +msgid "Password:" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:18 +msgid "Please enter a password." +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:22 +msgid "Options" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:25 +msgid "Connect only if SASL authentication succeeds." +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:27 +msgid "Require authentication" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:35 +msgid "Mechanisms" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:42 +msgid "Name" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:43 sasl.cpp:89 sasl.cpp:95 +msgid "Description" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:57 +msgid "Selected mechanisms and their order:" +msgstr "" + +#: modules/po/../data/sasl/tmpl/index.tmpl:74 +msgid "Save" +msgstr "" + +#: sasl.cpp:54 +msgid "TLS certificate, for use with the *cert module" +msgstr "" + +#: sasl.cpp:56 +msgid "" +"Plain text negotiation, this should work always if the network supports SASL" +msgstr "" + +#: sasl.cpp:62 +msgid "search" +msgstr "" + +#: sasl.cpp:62 +msgid "Generate this output" +msgstr "" + +#: sasl.cpp:64 +msgid "[ []]" +msgstr "" + +#: sasl.cpp:65 +msgid "" +"Set username and password for the mechanisms that need them. Password is " +"optional. Without parameters, returns information about current settings." +msgstr "" + +#: sasl.cpp:69 +msgid "[mechanism[ ...]]" +msgstr "" + +#: sasl.cpp:70 +msgid "Set the mechanisms to be attempted (in order)" +msgstr "" + +#: sasl.cpp:72 +msgid "[yes|no]" +msgstr "" + +#: sasl.cpp:73 +msgid "Don't connect unless SASL authentication succeeds" +msgstr "" + +#: sasl.cpp:88 sasl.cpp:94 +msgid "Mechanism" +msgstr "" + +#: sasl.cpp:99 +msgid "The following mechanisms are available:" +msgstr "" + +#: sasl.cpp:109 +msgid "Username is currently not set" +msgstr "" + +#: sasl.cpp:111 +msgid "Username is currently set to '{1}'" +msgstr "" + +#: sasl.cpp:114 +msgid "Password was not supplied" +msgstr "" + +#: sasl.cpp:116 +msgid "Password was supplied" +msgstr "" + +#: sasl.cpp:124 +msgid "Username has been set to [{1}]" +msgstr "" + +#: sasl.cpp:125 +msgid "Password has been set to [{1}]" +msgstr "" + +#: sasl.cpp:145 +msgid "Current mechanisms set: {1}" +msgstr "" + +#: sasl.cpp:154 +msgid "We require SASL negotiation to connect" +msgstr "" + +#: sasl.cpp:156 +msgid "We will connect even if SASL fails" +msgstr "" + +#: sasl.cpp:193 +msgid "Disabling network, we require authentication." +msgstr "" + +#: sasl.cpp:194 +msgid "Use 'RequireAuth no' to disable." +msgstr "" + +#: sasl.cpp:256 +msgid "{1} mechanism succeeded." +msgstr "" + +#: sasl.cpp:268 +msgid "{1} mechanism failed." +msgstr "" + +#: sasl.cpp:348 +msgid "" +"Adds support for sasl authentication capability to authenticate to an IRC " +"server" +msgstr "" diff --git a/modules/po/savebuff.ro_RO.po b/modules/po/savebuff.ro_RO.po new file mode 100644 index 00000000..a404ac3b --- /dev/null +++ b/modules/po/savebuff.ro_RO.po @@ -0,0 +1,63 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=3; plural=(n==1 ? 0 : (n==0 || (n%100>0 && n" +"%100<20)) ? 1 : 2);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: ro\n" +"X-Crowdin-File: /master/modules/po/savebuff.pot\n" +"X-Crowdin-File-ID: 198\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Romanian\n" +"Language: ro_RO\n" + +#: savebuff.cpp:65 +msgid "" +msgstr "" + +#: savebuff.cpp:65 +msgid "Sets the password" +msgstr "" + +#: savebuff.cpp:67 +msgid "" +msgstr "" + +#: savebuff.cpp:67 +msgid "Replays the buffer" +msgstr "" + +#: savebuff.cpp:69 +msgid "Saves all buffers" +msgstr "" + +#: savebuff.cpp:221 +msgid "" +"Password is unset usually meaning the decryption failed. You can setpass to " +"the appropriate pass and things should start working, or setpass to a new " +"pass and save to reinstantiate" +msgstr "" + +#: savebuff.cpp:232 +msgid "Password set to [{1}]" +msgstr "" + +#: savebuff.cpp:262 +msgid "Replayed {1}" +msgstr "" + +#: savebuff.cpp:341 +msgid "Unable to decode Encrypted file {1}" +msgstr "" + +#: savebuff.cpp:358 +msgid "" +"This user module takes up to one arguments. Either --ask-pass or the " +"password itself (which may contain spaces) or nothing" +msgstr "" + +#: savebuff.cpp:363 +msgid "Stores channel and query buffers to disk, encrypted" +msgstr "" diff --git a/modules/po/send_raw.ro_RO.po b/modules/po/send_raw.ro_RO.po new file mode 100644 index 00000000..5e2fccc4 --- /dev/null +++ b/modules/po/send_raw.ro_RO.po @@ -0,0 +1,110 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=3; plural=(n==1 ? 0 : (n==0 || (n%100>0 && n" +"%100<20)) ? 1 : 2);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: ro\n" +"X-Crowdin-File: /master/modules/po/send_raw.pot\n" +"X-Crowdin-File-ID: 199\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Romanian\n" +"Language: ro_RO\n" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:9 +msgid "Send a raw IRC line" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:14 +msgid "User:" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:15 +msgid "To change user, click to Network selector" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:19 +msgid "User/Network:" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:32 +msgid "Send to:" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:34 +msgid "Client" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:35 +msgid "Server" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:40 +msgid "Line:" +msgstr "" + +#: modules/po/../data/send_raw/tmpl/index.tmpl:45 +msgid "Send" +msgstr "" + +#: send_raw.cpp:32 +msgid "Sent [{1}] to {2}/{3}" +msgstr "" + +#: send_raw.cpp:36 send_raw.cpp:56 +msgid "Network {1} not found for user {2}" +msgstr "" + +#: send_raw.cpp:40 send_raw.cpp:60 +msgid "User {1} not found" +msgstr "" + +#: send_raw.cpp:52 +msgid "Sent [{1}] to IRC server of {2}/{3}" +msgstr "" + +#: send_raw.cpp:75 +msgid "You must have admin privileges to load this module" +msgstr "" + +#: send_raw.cpp:82 +msgid "Send Raw" +msgstr "" + +#: send_raw.cpp:92 +msgid "User not found" +msgstr "" + +#: send_raw.cpp:99 +msgid "Network not found" +msgstr "" + +#: send_raw.cpp:116 +msgid "Line sent" +msgstr "" + +#: send_raw.cpp:140 send_raw.cpp:143 +msgid "[user] [network] [data to send]" +msgstr "" + +#: send_raw.cpp:141 +msgid "The data will be sent to the user's IRC client(s)" +msgstr "" + +#: send_raw.cpp:144 +msgid "The data will be sent to the IRC server the user is connected to" +msgstr "" + +#: send_raw.cpp:147 +msgid "[data to send]" +msgstr "" + +#: send_raw.cpp:148 +msgid "The data will be sent to your current client" +msgstr "" + +#: send_raw.cpp:159 +msgid "Lets you send some raw IRC lines as/to someone else" +msgstr "" diff --git a/modules/po/shell.ro_RO.po b/modules/po/shell.ro_RO.po new file mode 100644 index 00000000..5536af0d --- /dev/null +++ b/modules/po/shell.ro_RO.po @@ -0,0 +1,30 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=3; plural=(n==1 ? 0 : (n==0 || (n%100>0 && n" +"%100<20)) ? 1 : 2);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: ro\n" +"X-Crowdin-File: /master/modules/po/shell.pot\n" +"X-Crowdin-File-ID: 200\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Romanian\n" +"Language: ro_RO\n" + +#: shell.cpp:37 +msgid "Failed to execute: {1}" +msgstr "" + +#: shell.cpp:75 +msgid "You must be admin to use the shell module" +msgstr "" + +#: shell.cpp:169 +msgid "Gives shell access" +msgstr "" + +#: shell.cpp:172 +msgid "Gives shell access. Only ZNC admins can use it." +msgstr "" diff --git a/modules/po/simple_away.ro_RO.po b/modules/po/simple_away.ro_RO.po new file mode 100644 index 00000000..2ca0a093 --- /dev/null +++ b/modules/po/simple_away.ro_RO.po @@ -0,0 +1,95 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=3; plural=(n==1 ? 0 : (n==0 || (n%100>0 && n" +"%100<20)) ? 1 : 2);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: ro\n" +"X-Crowdin-File: /master/modules/po/simple_away.pot\n" +"X-Crowdin-File-ID: 201\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Romanian\n" +"Language: ro_RO\n" + +#: simple_away.cpp:56 +msgid "[]" +msgstr "" + +#: simple_away.cpp:57 +#, c-format +msgid "" +"Prints or sets the away reason (%awaytime% is replaced with the time you " +"were set away, supports substitutions using ExpandString)" +msgstr "" + +#: simple_away.cpp:63 +msgid "Prints the current time to wait before setting you away" +msgstr "" + +#: simple_away.cpp:65 +msgid "" +msgstr "" + +#: simple_away.cpp:66 +msgid "Sets the time to wait before setting you away" +msgstr "" + +#: simple_away.cpp:69 +msgid "Disables the wait time before setting you away" +msgstr "" + +#: simple_away.cpp:73 +msgid "Get or set the minimum number of clients before going away" +msgstr "" + +#: simple_away.cpp:136 +msgid "Away reason set" +msgstr "" + +#: simple_away.cpp:138 +msgid "Away reason: {1}" +msgstr "" + +#: simple_away.cpp:139 +msgid "Current away reason would be: {1}" +msgstr "" + +#: simple_away.cpp:144 +msgid "Current timer setting: 1 second" +msgid_plural "Current timer setting: {1} seconds" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" + +#: simple_away.cpp:153 simple_away.cpp:161 +msgid "Timer disabled" +msgstr "" + +#: simple_away.cpp:155 +msgid "Timer set to 1 second" +msgid_plural "Timer set to: {1} seconds" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" + +#: simple_away.cpp:166 +msgid "Current MinClients setting: {1}" +msgstr "" + +#: simple_away.cpp:169 +msgid "MinClients set to {1}" +msgstr "" + +#: simple_away.cpp:248 +msgid "" +"You might enter up to 3 arguments, like -notimer awaymessage or -timer 5 " +"awaymessage." +msgstr "" + +#: simple_away.cpp:253 +msgid "" +"This module will automatically set you away on IRC while you are " +"disconnected from the bouncer." +msgstr "" diff --git a/modules/po/stickychan.ro_RO.po b/modules/po/stickychan.ro_RO.po new file mode 100644 index 00000000..5ef00c18 --- /dev/null +++ b/modules/po/stickychan.ro_RO.po @@ -0,0 +1,103 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=3; plural=(n==1 ? 0 : (n==0 || (n%100>0 && n" +"%100<20)) ? 1 : 2);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: ro\n" +"X-Crowdin-File: /master/modules/po/stickychan.pot\n" +"X-Crowdin-File-ID: 202\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Romanian\n" +"Language: ro_RO\n" + +#: modules/po/../data/stickychan/tmpl/index.tmpl:9 +msgid "Name" +msgstr "" + +#: modules/po/../data/stickychan/tmpl/index.tmpl:10 +msgid "Sticky" +msgstr "" + +#: modules/po/../data/stickychan/tmpl/index.tmpl:25 +msgid "Save" +msgstr "" + +#: modules/po/../data/stickychan/tmpl/stickychan_WebadminChan.tmpl:8 +msgid "Channel is sticky" +msgstr "" + +#: stickychan.cpp:28 +msgid "<#channel> [key]" +msgstr "" + +#: stickychan.cpp:28 +msgid "Sticks a channel" +msgstr "" + +#: stickychan.cpp:30 +msgid "<#channel>" +msgstr "" + +#: stickychan.cpp:30 +msgid "Unsticks a channel" +msgstr "" + +#: stickychan.cpp:32 +msgid "Lists sticky channels" +msgstr "" + +#: stickychan.cpp:75 +msgid "Usage: Stick <#channel> [key]" +msgstr "" + +#: stickychan.cpp:79 +msgid "Stuck {1}" +msgstr "" + +#: stickychan.cpp:85 +msgid "Usage: Unstick <#channel>" +msgstr "" + +#: stickychan.cpp:89 +msgid "Unstuck {1}" +msgstr "" + +#: stickychan.cpp:101 +msgid " -- End of List" +msgstr "" + +#: stickychan.cpp:115 +msgid "Could not join {1} (# prefix missing?)" +msgstr "" + +#: stickychan.cpp:128 +msgid "Sticky Channels" +msgstr "" + +#: stickychan.cpp:160 +msgid "Changes have been saved!" +msgstr "" + +#: stickychan.cpp:185 +msgid "Channel became sticky!" +msgstr "" + +#: stickychan.cpp:189 +msgid "Channel stopped being sticky!" +msgstr "" + +#: stickychan.cpp:209 +msgid "" +"Channel {1} cannot be joined, it is an illegal channel name. Unsticking." +msgstr "" + +#: stickychan.cpp:246 +msgid "List of channels, separated by comma." +msgstr "" + +#: stickychan.cpp:251 +msgid "configless sticky chans, keeps you there very stickily even" +msgstr "" diff --git a/modules/po/stripcontrols.ro_RO.po b/modules/po/stripcontrols.ro_RO.po new file mode 100644 index 00000000..abd6ff54 --- /dev/null +++ b/modules/po/stripcontrols.ro_RO.po @@ -0,0 +1,19 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=3; plural=(n==1 ? 0 : (n==0 || (n%100>0 && n" +"%100<20)) ? 1 : 2);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: ro\n" +"X-Crowdin-File: /master/modules/po/stripcontrols.pot\n" +"X-Crowdin-File-ID: 203\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Romanian\n" +"Language: ro_RO\n" + +#: stripcontrols.cpp:63 +msgid "" +"Strips control codes (Colors, Bold, ..) from channel and private messages." +msgstr "" diff --git a/modules/po/watch.ro_RO.po b/modules/po/watch.ro_RO.po new file mode 100644 index 00000000..adbf1204 --- /dev/null +++ b/modules/po/watch.ro_RO.po @@ -0,0 +1,194 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=3; plural=(n==1 ? 0 : (n==0 || (n%100>0 && n" +"%100<20)) ? 1 : 2);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: ro\n" +"X-Crowdin-File: /master/modules/po/watch.pot\n" +"X-Crowdin-File-ID: 204\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Romanian\n" +"Language: ro_RO\n" + +#: watch.cpp:178 +msgid " [Target] [Pattern]" +msgstr "" + +#: watch.cpp:178 +msgid "Used to add an entry to watch for." +msgstr "" + +#: watch.cpp:180 +msgid "List all entries being watched." +msgstr "" + +#: watch.cpp:182 +msgid "Dump a list of all current entries to be used later." +msgstr "" + +#: watch.cpp:184 +msgid "" +msgstr "" + +#: watch.cpp:184 +msgid "Deletes Id from the list of watched entries." +msgstr "" + +#: watch.cpp:186 +msgid "Delete all entries." +msgstr "" + +#: watch.cpp:188 watch.cpp:190 +msgid "" +msgstr "" + +#: watch.cpp:188 +msgid "Enable a disabled entry." +msgstr "" + +#: watch.cpp:190 +msgid "Disable (but don't delete) an entry." +msgstr "" + +#: watch.cpp:192 watch.cpp:194 +msgid " " +msgstr "" + +#: watch.cpp:192 +msgid "Enable or disable detached client only for an entry." +msgstr "" + +#: watch.cpp:194 +msgid "Enable or disable detached channel only for an entry." +msgstr "" + +#: watch.cpp:196 +msgid " [#chan priv #foo* !#bar]" +msgstr "" + +#: watch.cpp:196 +msgid "Set the source channels that you care about." +msgstr "" + +#: watch.cpp:237 +msgid "WARNING: malformed entry found while loading" +msgstr "" + +#: watch.cpp:382 +msgid "Disabled all entries." +msgstr "" + +#: watch.cpp:383 +msgid "Enabled all entries." +msgstr "" + +#: watch.cpp:390 watch.cpp:432 watch.cpp:474 watch.cpp:577 watch.cpp:619 +msgid "Invalid Id" +msgstr "" + +#: watch.cpp:399 +msgid "Id {1} disabled" +msgstr "" + +#: watch.cpp:401 +msgid "Id {1} enabled" +msgstr "" + +#: watch.cpp:423 +msgid "Set DetachedClientOnly for all entries to Yes" +msgstr "" + +#: watch.cpp:425 +msgid "Set DetachedClientOnly for all entries to No" +msgstr "" + +#: watch.cpp:441 watch.cpp:483 +msgid "Id {1} set to Yes" +msgstr "" + +#: watch.cpp:443 watch.cpp:485 +msgid "Id {1} set to No" +msgstr "" + +#: watch.cpp:465 +msgid "Set DetachedChannelOnly for all entries to Yes" +msgstr "" + +#: watch.cpp:467 +msgid "Set DetachedChannelOnly for all entries to No" +msgstr "" + +#: watch.cpp:491 watch.cpp:507 +msgid "Id" +msgstr "" + +#: watch.cpp:492 watch.cpp:508 +msgid "HostMask" +msgstr "" + +#: watch.cpp:493 watch.cpp:509 +msgid "Target" +msgstr "" + +#: watch.cpp:494 watch.cpp:510 +msgid "Pattern" +msgstr "" + +#: watch.cpp:495 watch.cpp:511 +msgid "Sources" +msgstr "" + +#: watch.cpp:496 watch.cpp:512 watch.cpp:513 +msgid "Off" +msgstr "" + +#: watch.cpp:497 watch.cpp:515 +msgid "DetachedClientOnly" +msgstr "" + +#: watch.cpp:498 watch.cpp:518 +msgid "DetachedChannelOnly" +msgstr "" + +#: watch.cpp:516 watch.cpp:519 +msgid "Yes" +msgstr "" + +#: watch.cpp:516 watch.cpp:519 +msgid "No" +msgstr "" + +#: watch.cpp:525 watch.cpp:531 +msgid "You have no entries." +msgstr "" + +#: watch.cpp:585 +msgid "Sources set for Id {1}." +msgstr "" + +#: watch.cpp:609 +msgid "All entries cleared." +msgstr "" + +#: watch.cpp:627 +msgid "Id {1} removed." +msgstr "" + +#: watch.cpp:646 +msgid "Entry for {1} already exists." +msgstr "" + +#: watch.cpp:654 +msgid "Adding entry: {1} watching for [{2}] -> {3}" +msgstr "" + +#: watch.cpp:660 +msgid "Watch: Not enough arguments. Try Help" +msgstr "" + +#: watch.cpp:702 +msgid "Copy activity from a specific user into a separate window" +msgstr "" diff --git a/modules/po/webadmin.ro_RO.po b/modules/po/webadmin.ro_RO.po new file mode 100644 index 00000000..55774337 --- /dev/null +++ b/modules/po/webadmin.ro_RO.po @@ -0,0 +1,1214 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=3; plural=(n==1 ? 0 : (n==0 || (n%100>0 && n" +"%100<20)) ? 1 : 2);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: ro\n" +"X-Crowdin-File: /master/modules/po/webadmin.pot\n" +"X-Crowdin-File-ID: 205\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Romanian\n" +"Language: ro_RO\n" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:12 +msgid "Channel Info" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:17 +msgid "Channel Name:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:19 +msgid "The channel name." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:24 +msgid "Key:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:26 +msgid "The password of the channel, if there is one." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:30 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:241 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:260 +msgid "Buffer Size:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:32 +msgid "The buffer count." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:36 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:235 +msgid "Default Modes:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:38 +msgid "The default modes of the channel." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:46 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:270 +msgid "Flags" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:51 +msgid "Save to config" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:67 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:285 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:410 +msgid "Module {1}" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:75 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:293 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:419 +msgid "Save and return" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:76 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:294 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:420 +msgid "Save and continue" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:78 +msgid "Add Channel and return" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_chan.tmpl:79 +msgid "Add Channel and continue" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:8 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:11 +msgid "<password>" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:11 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:12 +msgid "<network>" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:14 +msgid "" +"To connect to this network from your IRC client, you can set the server " +"password field as {1} or username field as {2}" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:24 +msgid "Network Info" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:25 +msgid "" +"Nick, AltNick, Ident, RealName, BindHost can be left empty to use the value " +"from the user." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:29 +msgid "Network Name:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:31 +msgid "The name of the IRC network." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:35 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:69 +msgid "Nickname:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:37 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:71 +msgid "Your nickname on IRC." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:40 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:74 +msgid "Alt. Nickname:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:42 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:76 +msgid "Your secondary nickname, if the first is not available on IRC." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:46 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:80 +msgid "Ident:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:48 +msgid "Your ident." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:51 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:91 +msgid "Realname:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:53 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:93 +msgid "Your real name." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:58 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:99 +msgid "BindHost:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:65 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:112 +msgid "Quit Message:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:67 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:114 +msgid "You may define a Message shown, when you quit IRC." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:71 +msgid "Active:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:73 +msgid "Connect to IRC & automatically re-connect" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:77 +msgid "Trust all certs:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:79 +msgid "" +"Disable certificate validation (takes precedence over TrustPKI). INSECURE!" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:83 +msgid "Automatically detect trusted certificates (Trust the PKI):" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:85 +msgid "" +"When disabled, manually whitelist all server fingerprints, even if the " +"certificate is valid" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:89 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:96 +msgid "Servers of this IRC network:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:93 +msgid "One server per line, “host [[+]port] [password]”, + means SSL" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:101 +msgid "Hostname" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:102 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:13 +msgid "Port" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:103 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:15 +msgid "SSL" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:104 +msgid "Password" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:116 +msgid "SHA-256 fingerprints of trusted SSL certificates of this IRC network:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:120 +msgid "" +"When these certificates are encountered, checks for hostname, expiration " +"date, CA are skipped" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:124 +msgid "Flood protection:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:127 +msgid "" +"You might enable the flood protection. This prevents “excess flood” errors, " +"which occur, when your IRC bot is command flooded or spammed. After changing " +"this, reconnect ZNC to server." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:130 +msgctxt "Flood Protection" +msgid "Enabled" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:134 +msgid "Flood protection rate:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:137 +msgid "" +"The number of seconds per line. After changing this, reconnect ZNC to server." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:140 +msgid "{1} seconds per line" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:144 +msgid "Flood protection burst:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:147 +msgid "" +"Defines the number of lines, which can be sent immediately. After changing " +"this, reconnect ZNC to server." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:150 +msgid "{1} lines can be sent immediately" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:154 +msgid "Channel join delay:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:157 +msgid "" +"Defines the delay in seconds, until channels are joined after getting " +"connected." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:160 +msgid "{1} seconds" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:165 +msgid "Character encoding used between ZNC and IRC server." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:166 +msgid "Server encoding:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:176 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:231 +msgid "Channels" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:178 +msgid "" +"You will be able to add + modify channels here after you created the network." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:185 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:129 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:354 +#: modules/po/../data/webadmin/tmpl/listusers.tmpl:15 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:72 +msgid "Add" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:187 +msgid "Index" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:188 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:430 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:237 +msgid "Save" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:189 +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:231 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:131 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:174 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:176 +msgid "Name" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:190 +msgid "CurModes" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:191 +msgid "DefModes" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:192 +msgid "BufferSize" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:193 +msgid "Options" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:195 +msgid "← Add a channel (opens in same page)" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:205 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:146 +#: modules/po/../data/webadmin/tmpl/listusers.tmpl:27 +msgid "Edit" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:205 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:146 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:53 +msgid "Del" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:225 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:168 +msgid "Modules" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:232 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:175 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:177 +msgid "Arguments" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:233 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:176 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:178 +msgid "Description" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:234 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:177 +msgid "Loaded globally" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:235 +msgid "Loaded by user" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:296 +msgid "Add Network and return" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_network.tmpl:297 +msgid "Add Network and continue" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:15 +msgid "Authentication" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:19 +msgid "Username:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:29 +msgid "Please enter a username." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:34 +msgid "Password:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:36 +msgid "Please enter a password." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:39 +msgid "Confirm password:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:41 +msgid "Please re-type the above password." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:44 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:151 +msgid "Auth Only Via Module:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:46 +msgid "" +"Allow user authentication by external modules only, disabling built-in " +"password authentication." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:50 +msgid "Allowed IPs:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:54 +msgid "" +"Leave empty to allow connections from all IPs.
Otherwise, one entry per " +"line, wildcards * and ? are available." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:62 +msgid "IRC Information" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:64 +msgid "" +"Nick, AltNick, Ident, RealName and QuitMsg can be left empty to use default " +"values." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:82 +msgid "The Ident is sent to server as username." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:85 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:102 +msgid "Status Prefix:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:87 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:104 +msgid "The prefix for the status and module queries." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:105 +msgid "DCCBindHost:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:122 +#: modules/po/../data/webadmin/tmpl/listusers.tmpl:17 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:39 +msgid "Networks" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:132 +#: modules/po/../data/webadmin/tmpl/listusers.tmpl:18 +msgid "Clients" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:133 +msgid "Current Server" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:134 +msgid "Nick" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:136 +msgid "← Add a network (opens in same page)" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:160 +msgid "" +"You will be able to add + modify networks here after you have cloned the " +"user." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:162 +msgid "" +"You will be able to add + modify networks here after you have created the " +"user." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:178 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:179 +msgid "Loaded by networks" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:237 +msgid "" +"These are the default modes ZNC will set when you join an empty channel." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:238 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:244 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:263 +msgid "Empty = use standard value" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:243 +msgid "" +"This is the amount of lines that the playback buffer will store for channels " +"before dropping off the oldest line. The buffers are stored in the memory by " +"default." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:251 +msgid "Queries" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:255 +msgid "Max Buffers:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:257 +msgid "Maximum number of query buffers. 0 is unlimited." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:262 +msgid "" +"This is the amount of lines that the playback buffer will store for queries " +"before dropping off the oldest line. The buffers are stored in the memory by " +"default." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:285 +msgid "ZNC Behavior" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:286 +msgid "" +"Any of the following text boxes can be left empty to use their default value." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:290 +msgid "Timestamp Format:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:292 +msgid "" +"The format for the timestamps used in buffers, for example [%H:%M:%S]. This " +"setting is ignored in new IRC clients, which use server-time. If your client " +"supports server-time, change timestamp format in client settings instead." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:295 +msgid "Timezone:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:298 +msgid "E.g. Europe/Berlin, or GMT-6" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:306 +msgid "Character encoding used between IRC client and ZNC." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:307 +msgid "Client encoding:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:312 +msgid "Join Tries:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:314 +msgid "" +"This defines how many times ZNC tries to join a channel, if the first join " +"failed, e.g. due to channel mode +i/+k or if you are banned." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:317 +msgid "Join speed:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:319 +msgid "" +"How many channels are joined in one JOIN command. 0 is unlimited (default). " +"Set to small positive value if you get disconnected with “Max SendQ Exceeded”" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:322 +msgid "Timeout before reconnect:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:324 +msgid "" +"How much time ZNC waits (in seconds) until it receives something from " +"network or declares the connection timeout. This happens after attempts to " +"ping the peer." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:327 +msgid "Max IRC Networks Number:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:329 +msgid "Maximum number of IRC networks allowed for this user." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:332 +msgid "Substitutions" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:334 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:342 +msgid "CTCP Replies:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:338 +msgid "One reply per line. Example: TIME Buy a watch!" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:339 +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:355 +msgid "{1} are available" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:341 +msgid "Empty value means this CTCP request will be ignored" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:347 +msgid "Request" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:348 +msgid "Response" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:373 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:90 +msgid "Skin:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:377 +msgid "- Global -" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:379 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:94 +msgid "Default" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:383 +msgid "No other skins found" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:389 +msgid "Language:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:422 +msgid "Clone and return" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:423 +msgid "Clone and continue" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:425 +msgid "Create and return" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:426 +msgid "Create and continue" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:432 +#: modules/po/../data/webadmin/tmpl/listusers.tmpl:28 +msgid "Clone" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/add_edit_user.tmpl:434 +msgid "Create" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/del_network.tmpl:5 +msgid "Confirm Network Deletion" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/del_network.tmpl:9 +msgid "Are you sure you want to delete network “{2}” of user “{1}”?" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/del_network.tmpl:14 +#: modules/po/../data/webadmin/tmpl/del_user.tmpl:14 +msgid "Yes" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/del_network.tmpl:17 +#: modules/po/../data/webadmin/tmpl/del_user.tmpl:17 +msgid "No" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/del_user.tmpl:5 +msgid "Confirm User Deletion" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/del_user.tmpl:9 +msgid "Are you sure you want to delete user “{1}”?" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:6 +msgid "ZNC is compiled without encodings support. {1} is required for it." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:11 +msgid "Legacy mode is disabled by modpython." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:18 +msgid "Don't ensure any encoding at all (legacy mode, not recommended)" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:22 +msgid "Try to parse as UTF-8 and as {1}, send as UTF-8 (recommended)" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:26 +msgid "Try to parse as UTF-8 and as {1}, send as {1}" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:30 +msgid "Parse and send as {1} only" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/encoding_settings.tmpl:36 +msgid "E.g. UTF-8, or ISO-8859-15" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/index.tmpl:5 +msgid "Welcome to the ZNC webadmin module." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/index.tmpl:6 +msgid "" +"All changes you make will be in effect immediately after you submitted them." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/listusers.tmpl:16 +msgid "Username" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/listusers.tmpl:29 +#: modules/po/../data/webadmin/tmpl/settings.tmpl:21 +msgid "Delete" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:6 +msgid "Listen Port(s)" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:14 +msgid "BindHost" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:16 +msgid "IPv4" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:17 +msgid "IPv6" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:18 +msgid "IRC" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:19 +msgid "HTTP" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:20 +msgid "URIPrefix" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:56 +msgid "" +"To delete port which you use to access webadmin itself, either connect to " +"webadmin via another port, or do it in IRC (/znc DelPort)" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:56 +msgid "Current" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:86 +msgid "Settings" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:105 +msgid "Default for new users only." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:110 +msgid "Maximum Buffer Size:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:112 +msgid "Sets the global Max Buffer Size a user can have." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:117 +msgid "Connect Delay:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:119 +msgid "" +"The time between connection attempts to IRC servers, in seconds. This " +"affects the connection between ZNC and the IRC server; not the connection " +"between your IRC client and ZNC." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:124 +msgid "Server Throttle:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:126 +msgid "" +"The minimal time between two connect attempts to the same hostname, in " +"seconds. Some servers refuse your connection if you reconnect too fast." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:131 +msgid "Anonymous Connection Limit per IP:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:133 +msgid "Limits the number of unidentified connections per IP." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:138 +msgid "Protect Web Sessions:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:140 +msgid "Disallow IP changing during each web session" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:145 +msgid "Hide ZNC Version:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:147 +msgid "Hide version number from non-ZNC users" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:153 +msgid "Allow user authentication by external modules only" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:158 +msgid "MOTD:" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:162 +msgid "“Message of the Day”, sent to all ZNC users on connect." +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:170 +msgid "Global Modules" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/settings.tmpl:180 +msgid "Loaded by users" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:7 +msgid "Information" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:13 +msgid "Uptime" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:18 +msgid "Total Users" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:22 +msgid "Total Networks" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:26 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:43 +msgid "Attached Networks" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:30 +msgid "Total Client Connections" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:34 +msgid "Total IRC Connections" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:47 +msgid "Client Connections" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:51 +msgid "IRC Connections" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:63 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:72 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:89 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:117 +msgid "Total" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:70 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:115 +msgctxt "Traffic" +msgid "In" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:71 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:116 +msgctxt "Traffic" +msgid "Out" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:77 +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:104 +msgid "Users" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:106 +msgid "Traffic" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:113 +msgid "User" +msgstr "" + +#: modules/po/../data/webadmin/tmpl/traffic.tmpl:114 +msgid "Network" +msgstr "" + +#: webadmin.cpp:91 webadmin.cpp:1883 +msgid "Global Settings" +msgstr "" + +#: webadmin.cpp:93 +msgid "Your Settings" +msgstr "" + +#: webadmin.cpp:94 webadmin.cpp:1695 +msgid "Traffic Info" +msgstr "" + +#: webadmin.cpp:97 webadmin.cpp:1674 +msgid "Manage Users" +msgstr "" + +#: webadmin.cpp:188 +msgid "Invalid Submission [Username is required]" +msgstr "" + +#: webadmin.cpp:201 +msgid "Invalid Submission [Passwords do not match]" +msgstr "" + +#: webadmin.cpp:323 +msgid "Timeout can't be less than 30 seconds!" +msgstr "" + +#: webadmin.cpp:407 webadmin.cpp:435 webadmin.cpp:1193 webadmin.cpp:2068 +msgid "Unable to load module [{1}]: {2}" +msgstr "" + +#: webadmin.cpp:412 webadmin.cpp:440 +msgid "Unable to load module [{1}] with arguments [{2}]" +msgstr "" + +#: webadmin.cpp:521 webadmin.cpp:625 webadmin.cpp:650 webadmin.cpp:672 +#: webadmin.cpp:706 webadmin.cpp:1260 +msgid "No such user" +msgstr "" + +#: webadmin.cpp:534 webadmin.cpp:566 webadmin.cpp:595 webadmin.cpp:611 +msgid "No such user or network" +msgstr "" + +#: webadmin.cpp:576 +msgid "No such channel" +msgstr "" + +#: webadmin.cpp:642 +msgid "Please don't delete yourself, suicide is not the answer!" +msgstr "" + +#: webadmin.cpp:715 webadmin.cpp:972 webadmin.cpp:1325 +msgid "Edit User [{1}]" +msgstr "" + +#: webadmin.cpp:719 webadmin.cpp:906 +msgid "Edit Network [{1}]" +msgstr "" + +#: webadmin.cpp:729 +msgid "Edit Channel [{1}] of Network [{2}] of User [{3}]" +msgstr "" + +#: webadmin.cpp:736 +msgid "Edit Channel [{1}]" +msgstr "" + +#: webadmin.cpp:744 +msgid "Add Channel to Network [{1}] of User [{2}]" +msgstr "" + +#: webadmin.cpp:749 +msgid "Add Channel" +msgstr "" + +#: webadmin.cpp:756 webadmin.cpp:1521 +msgid "Auto Clear Chan Buffer" +msgstr "" + +#: webadmin.cpp:758 +msgid "Automatically Clear Channel Buffer After Playback" +msgstr "" + +#: webadmin.cpp:766 +msgid "Detached" +msgstr "" + +#: webadmin.cpp:773 +msgid "Enabled" +msgstr "" + +#: webadmin.cpp:797 +msgid "Channel name is a required argument" +msgstr "" + +#: webadmin.cpp:806 +msgid "Channel [{1}] already exists" +msgstr "" + +#: webadmin.cpp:813 +msgid "Could not add channel [{1}]" +msgstr "" + +#: webadmin.cpp:861 +msgid "Channel was added/modified, but config file was not written" +msgstr "" + +#: webadmin.cpp:888 +msgid "" +"Network number limit reached. Ask an admin to increase the limit for you, or " +"delete unneeded networks from Your Settings." +msgstr "" + +#: webadmin.cpp:903 +msgid "Edit Network [{1}] of User [{2}]" +msgstr "" + +#: webadmin.cpp:910 +msgid "Add Network for User [{1}]" +msgstr "" + +#: webadmin.cpp:911 +msgid "Add Network" +msgstr "" + +#: webadmin.cpp:1077 +msgid "Network name is a required argument" +msgstr "" + +#: webadmin.cpp:1200 webadmin.cpp:2075 +msgid "Unable to reload module [{1}]: {2}" +msgstr "" + +#: webadmin.cpp:1237 +msgid "Network was added/modified, but config file was not written" +msgstr "" + +#: webadmin.cpp:1266 +msgid "That network doesn't exist for this user" +msgstr "" + +#: webadmin.cpp:1283 +msgid "Network was deleted, but config file was not written" +msgstr "" + +#: webadmin.cpp:1297 +msgid "That channel doesn't exist for this network" +msgstr "" + +#: webadmin.cpp:1306 +msgid "Channel was deleted, but config file was not written" +msgstr "" + +#: webadmin.cpp:1334 +msgid "Clone User [{1}]" +msgstr "" + +#: webadmin.cpp:1523 +msgid "" +"Automatically Clear Channel Buffer After Playback (the default value for new " +"channels)" +msgstr "" + +#: webadmin.cpp:1533 +msgid "Multi Clients" +msgstr "" + +#: webadmin.cpp:1540 +msgid "Append Timestamps" +msgstr "" + +#: webadmin.cpp:1547 +msgid "Prepend Timestamps" +msgstr "" + +#: webadmin.cpp:1555 +msgid "Deny LoadMod" +msgstr "" + +#: webadmin.cpp:1562 +msgid "Admin (dangerous! may gain shell access)" +msgstr "" + +#: webadmin.cpp:1572 +msgid "Deny SetBindHost" +msgstr "" + +#: webadmin.cpp:1580 +msgid "Auto Clear Query Buffer" +msgstr "" + +#: webadmin.cpp:1582 +msgid "Automatically Clear Query Buffer After Playback" +msgstr "" + +#: webadmin.cpp:1606 +msgid "Invalid Submission: User {1} already exists" +msgstr "" + +#: webadmin.cpp:1628 webadmin.cpp:1639 +msgid "Invalid submission: {1}" +msgstr "" + +#: webadmin.cpp:1634 +msgid "User was added, but config file was not written" +msgstr "" + +#: webadmin.cpp:1645 +msgid "User was edited, but config file was not written" +msgstr "" + +#: webadmin.cpp:1803 +msgid "Choose either IPv4 or IPv6 or both." +msgstr "" + +#: webadmin.cpp:1820 +msgid "Choose either IRC or HTTP or both." +msgstr "" + +#: webadmin.cpp:1833 webadmin.cpp:1869 +msgid "Port was changed, but config file was not written" +msgstr "" + +#: webadmin.cpp:1859 +msgid "Invalid request." +msgstr "" + +#: webadmin.cpp:1873 +msgid "The specified listener was not found." +msgstr "" + +#: webadmin.cpp:2104 +msgid "Settings were changed, but config file was not written" +msgstr "" diff --git a/src/po/znc.ro_RO.po b/src/po/znc.ro_RO.po new file mode 100644 index 00000000..9b98fe14 --- /dev/null +++ b/src/po/znc.ro_RO.po @@ -0,0 +1,1956 @@ +msgid "" +msgstr "" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=3; plural=(n==1 ? 0 : (n==0 || (n%100>0 && n" +"%100<20)) ? 1 : 2);\n" +"X-Crowdin-Project: znc-bouncer\n" +"X-Crowdin-Project-ID: 289533\n" +"X-Crowdin-Language: ro\n" +"X-Crowdin-File: /master/src/po/znc.pot\n" +"X-Crowdin-File-ID: 146\n" +"Project-Id-Version: znc-bouncer\n" +"Language-Team: Romanian\n" +"Language: ro_RO\n" + +#: webskins/_default_/tmpl/InfoBar.tmpl:6 +msgid "Logged in as: {1}" +msgstr "Autentificat ca: {1}" + +#: webskins/_default_/tmpl/InfoBar.tmpl:8 +msgid "Not logged in" +msgstr "Nu ești autentificat(ă)" + +#: webskins/_default_/tmpl/LoginBar.tmpl:3 +msgid "Logout" +msgstr "Deconectare" + +#: webskins/_default_/tmpl/Menu.tmpl:4 +msgid "Home" +msgstr "Acasă" + +#: webskins/_default_/tmpl/Menu.tmpl:7 +msgid "Global Modules" +msgstr "Module Globale" + +#: webskins/_default_/tmpl/Menu.tmpl:20 +msgid "User Modules" +msgstr "Module Utilizator" + +#: webskins/_default_/tmpl/Menu.tmpl:35 +msgid "Network Modules ({1})" +msgstr "Module Rețea ({1})" + +#: webskins/_default_/tmpl/index.tmpl:6 +msgid "Welcome to ZNC's web interface!" +msgstr "Bine ai venit în interfața web a ZNC!" + +#: webskins/_default_/tmpl/index.tmpl:11 +msgid "" +"No Web-enabled modules have been loaded. Load modules from IRC (“/msg " +"*status help” and “/msg *status loadmod <module>”). Once you have loaded some Web-enabled modules, the menu will expand." +msgstr "" + +#: znc.cpp:1554 +msgid "User already exists" +msgstr "Utilizatorul există deja" + +#: znc.cpp:1662 +msgid "IPv6 is not enabled" +msgstr "IPv6 nu este activat" + +#: znc.cpp:1670 +msgid "SSL is not enabled" +msgstr "SSL nu este activat" + +#: znc.cpp:1678 +msgid "Unable to locate pem file: {1}" +msgstr "Imposibil de localizat fișierul pem: {1}" + +#: znc.cpp:1697 +msgid "Invalid port" +msgstr "Port invalid" + +#: znc.cpp:1813 ClientCommand.cpp:1700 +msgid "Unable to bind: {1}" +msgstr "Imposibil de legat: {1}" + +#: IRCNetwork.cpp:235 +msgid "Jumping servers because this server is no longer in the list" +msgstr "Alegem alt server deoarece actualul nu mai este în listă" + +#: IRCNetwork.cpp:669 User.cpp:678 +msgid "Welcome to ZNC" +msgstr "Bine ai venit la ZNC" + +#: IRCNetwork.cpp:757 +msgid "You are currently disconnected from IRC. Use 'connect' to reconnect." +msgstr "" +"În prezent ești deconectat de la IRC. Folosește „connect” pentru a te " +"reconecta." + +#: IRCNetwork.cpp:787 +msgid "This network is being deleted or moved to another user." +msgstr "Această rețea este ștearsă sau mutată la un alt utilizator." + +#: IRCNetwork.cpp:948 +msgid "Invalid index" +msgstr "Index invalid" + +#: IRCNetwork.cpp:956 IRCNetwork.cpp:972 IRCNetwork.cpp:980 +#: ClientCommand.cpp:1405 +msgid "You are not on {1}" +msgstr "Nu ești pe {1}" + +#: IRCNetwork.cpp:1059 +msgid "The channel {1} could not be joined, disabling it." +msgstr "Canalul {1} nu a putut fi adăugat, î-l dezactivez." + +#: IRCNetwork.cpp:1188 +msgid "Your current server was removed, jumping..." +msgstr "Serverul curent a fost șters, alegem alt server..." + +#: IRCNetwork.cpp:1351 +msgid "Cannot connect to {1}, because ZNC is not compiled with SSL support." +msgstr "Nu mă pot conecta la {1}, deoarece ZNC nu este compilat cu suport SSL." + +#: IRCNetwork.cpp:1372 +msgid "Some module aborted the connection attempt" +msgstr "Unele module au întrerupt încercarea de conectare" + +#: IRCSock.cpp:492 +msgid "Error from server: {1}" +msgstr "Eroare de la server: {1}" + +#: IRCSock.cpp:694 +msgid "ZNC seems to be connected to itself, disconnecting..." +msgstr "ZNC pare să fie conectat la sine, deconectare..." + +#: IRCSock.cpp:741 +msgid "Server {1} redirects us to {2}:{3} with reason: {4}" +msgstr "Serverul {1} mă redirecționează către {2}: {3} cu motivul: {4}" + +#: IRCSock.cpp:745 +msgid "Perhaps you want to add it as a new server." +msgstr "Poate dorești să îl adaugi ca un server nou." + +#: IRCSock.cpp:975 +msgid "Channel {1} is linked to another channel and was thus disabled." +msgstr "Canalul {1} este conectat la un alt canal și a fost astfel dezactivat." + +#: IRCSock.cpp:987 +msgid "Switched to SSL (STARTTLS)" +msgstr "Comutat la SSL (STARTTLS)" + +#: IRCSock.cpp:1040 +msgid "You quit: {1}" +msgstr "Ai ieșit: {1}" + +#: IRCSock.cpp:1246 +msgid "Disconnected from IRC. Reconnecting..." +msgstr "Deconectat de la IRC. Se reconectează..." + +#: IRCSock.cpp:1277 +msgid "Cannot connect to IRC ({1}). Retrying..." +msgstr "Nu se poate conecta la IRC ({1}). Se reîncearcă..." + +#: IRCSock.cpp:1280 +msgid "Disconnected from IRC ({1}). Reconnecting..." +msgstr "Deconectat de la IRC ({1}). Se reconectează..." + +#: IRCSock.cpp:1316 +msgid "If you trust this certificate, do /znc AddTrustedServerFingerprint {1}" +msgstr "" +"Dacă ai încredere în acest certificat, tastează /znc " +"AddTrustedServerFingerprint {1}" + +#: IRCSock.cpp:1325 +msgid "IRC connection timed out. Reconnecting..." +msgstr "Conexiunea IRC a picat. Se reconectează..." + +#: IRCSock.cpp:1337 +msgid "Connection Refused. Reconnecting..." +msgstr "Conexiune refuzata. Se reconectează..." + +#: IRCSock.cpp:1345 +msgid "Received a too long line from the IRC server!" +msgstr "Am primit un rând prea lung de la serverul IRC!" + +#: IRCSock.cpp:1449 +msgid "No free nick available" +msgstr "Nu este disponibil niciun nume de utilizator" + +#: IRCSock.cpp:1457 +msgid "No free nick found" +msgstr "Nu a fost găsit niciun nume de utilizator" + +#: Client.cpp:74 +msgid "No such module {1}" +msgstr "Nu există un astfel de modul {1}" + +#: Client.cpp:359 +msgid "A client from {1} attempted to login as you, but was rejected: {2}" +msgstr "" +"Un client din {1} a încercat să se conecteze ca tine, dar a fost respins: {2}" + +#: Client.cpp:394 +msgid "Network {1} doesn't exist." +msgstr "Rețeaua {1} nu există." + +#: Client.cpp:408 +msgid "" +"You have several networks configured, but no network was specified for the " +"connection." +msgstr "" +"Ai mai multe rețele configurate, dar nu a fost specificată nicio rețea " +"pentru conexiune." + +#: Client.cpp:411 +msgid "" +"Selecting network {1}. To see list of all configured networks, use /znc " +"ListNetworks" +msgstr "" +"Selectarea rețelei {1}. Pentru a vedea lista tuturor rețelelor configurate, " +"tastează /znc ListNetworks" + +#: Client.cpp:414 +msgid "" +"If you want to choose another network, use /znc JumpNetwork , or " +"connect to ZNC with username {1}/ (instead of just {1})" +msgstr "" +"Dacă dorești să alegi o altă rețea, tastează /znc JumpNetwork sau " +"conectează-te la ZNC cu numele de utilizator {1}/ (în loc de doar " +"{1})" + +#: Client.cpp:420 +msgid "" +"You have no networks configured. Use /znc AddNetwork to add one." +msgstr "" +"Nu ai rețele configurate. Tastează /znc AddNetwork pentru a adăuga " +"una." + +#: Client.cpp:431 +msgid "Closing link: Timeout" +msgstr "Închidere link: Conexiune picată" + +#: Client.cpp:453 +msgid "Closing link: Too long raw line" +msgstr "Închidere link: Linie brută prea lungă" + +#: Client.cpp:460 +msgid "" +"You are being disconnected because another user just authenticated as you." +msgstr "" + +#: Client.cpp:1022 +msgid "Your CTCP to {1} got lost, you are not connected to IRC!" +msgstr "" + +#: Client.cpp:1148 +msgid "Your notice to {1} got lost, you are not connected to IRC!" +msgstr "" + +#: Client.cpp:1187 +msgid "Removing channel {1}" +msgstr "Eliminare canal {1}" + +#: Client.cpp:1265 +msgid "Your message to {1} got lost, you are not connected to IRC!" +msgstr "" + +#: Client.cpp:1318 Client.cpp:1324 +msgid "Hello. How may I help you?" +msgstr "Salut. Cu ce te pot ajuta?" + +#: Client.cpp:1338 +msgid "Usage: /attach <#chans>" +msgstr "" + +#: Client.cpp:1345 Client.cpp:1367 ClientCommand.cpp:129 ClientCommand.cpp:151 +#: ClientCommand.cpp:423 ClientCommand.cpp:450 +msgid "There was {1} channel matching [{2}]" +msgid_plural "There were {1} channels matching [{2}]" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" + +#: Client.cpp:1348 ClientCommand.cpp:132 +msgid "Attached {1} channel" +msgid_plural "Attached {1} channels" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" + +#: Client.cpp:1360 +msgid "Usage: /detach <#chans>" +msgstr "" + +#: Client.cpp:1370 ClientCommand.cpp:154 +msgid "Detached {1} channel" +msgid_plural "Detached {1} channels" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" + +#: Chan.cpp:678 +msgid "Buffer Playback..." +msgstr "" + +#: Chan.cpp:716 +msgid "Playback Complete." +msgstr "" + +#: Modules.cpp:528 +msgctxt "modhelpcmd" +msgid "" +msgstr "" + +#: Modules.cpp:529 +msgctxt "modhelpcmd" +msgid "Generate this output" +msgstr "" + +#: Modules.cpp:573 ClientCommand.cpp:1972 +msgid "No matches for '{1}'" +msgstr "" + +#: Modules.cpp:691 +msgid "This module doesn't implement any commands." +msgstr "" + +#: Modules.cpp:693 +msgid "Unknown command!" +msgstr "" + +#: Modules.cpp:1633 +msgid "" +"Module names can only contain letters, numbers and underscores, [{1}] is " +"invalid" +msgstr "" + +#: Modules.cpp:1652 +msgid "Module {1} already loaded." +msgstr "" + +#: Modules.cpp:1666 +msgid "Unable to find module {1}" +msgstr "" + +#: Modules.cpp:1678 +msgid "Module {1} does not support module type {2}." +msgstr "" + +#: Modules.cpp:1685 +msgid "Module {1} requires a user." +msgstr "" + +#: Modules.cpp:1691 +msgid "Module {1} requires a network." +msgstr "" + +#: Modules.cpp:1707 +msgid "Caught an exception" +msgstr "" + +#: Modules.cpp:1713 +msgid "Module {1} aborted: {2}" +msgstr "" + +#: Modules.cpp:1715 +msgid "Module {1} aborted." +msgstr "" + +#: Modules.cpp:1739 Modules.cpp:1781 +msgid "Module [{1}] not loaded." +msgstr "" + +#: Modules.cpp:1763 +msgid "Module {1} unloaded." +msgstr "" + +#: Modules.cpp:1768 +msgid "Unable to unload module {1}." +msgstr "" + +#: Modules.cpp:1797 +msgid "Reloaded module {1}." +msgstr "" + +#: Modules.cpp:1816 +msgid "Unable to find module {1}." +msgstr "" + +#: Modules.cpp:1963 +msgid "Unknown error" +msgstr "" + +#: Modules.cpp:1964 +msgid "Unable to open module {1}: {2}" +msgstr "" + +#: Modules.cpp:1973 +msgid "Could not find ZNCModuleEntry in module {1}" +msgstr "" + +#: Modules.cpp:1981 +msgid "" +"Version mismatch for module {1}: core is {2}, module is built for {3}. " +"Recompile this module." +msgstr "" + +#: Modules.cpp:1992 +msgid "" +"Module {1} is built incompatibly: core is '{2}', module is '{3}'. Recompile " +"this module." +msgstr "" + +#: Modules.cpp:2023 Modules.cpp:2029 +msgctxt "modhelpcmd" +msgid "Command" +msgstr "" + +#: Modules.cpp:2024 Modules.cpp:2031 +msgctxt "modhelpcmd" +msgid "Description" +msgstr "" + +#: ClientCommand.cpp:51 ClientCommand.cpp:115 ClientCommand.cpp:137 +#: ClientCommand.cpp:339 ClientCommand.cpp:390 ClientCommand.cpp:405 +#: ClientCommand.cpp:432 ClientCommand.cpp:459 ClientCommand.cpp:480 +#: ClientCommand.cpp:499 ClientCommand.cpp:809 ClientCommand.cpp:828 +#: ClientCommand.cpp:854 ClientCommand.cpp:888 ClientCommand.cpp:901 +#: ClientCommand.cpp:914 ClientCommand.cpp:929 ClientCommand.cpp:1390 +#: ClientCommand.cpp:1438 ClientCommand.cpp:1470 ClientCommand.cpp:1481 +#: ClientCommand.cpp:1490 ClientCommand.cpp:1502 +msgid "You must be connected with a network to use this command" +msgstr "" + +#: ClientCommand.cpp:58 +msgid "Usage: ListNicks <#chan>" +msgstr "" + +#: ClientCommand.cpp:65 +msgid "You are not on [{1}]" +msgstr "" + +#: ClientCommand.cpp:70 +msgid "You are not on [{1}] (trying)" +msgstr "" + +#: ClientCommand.cpp:79 +msgid "No nicks on [{1}]" +msgstr "" + +#: ClientCommand.cpp:91 ClientCommand.cpp:106 +msgid "Nick" +msgstr "" + +#: ClientCommand.cpp:92 ClientCommand.cpp:107 +msgid "Ident" +msgstr "" + +#: ClientCommand.cpp:93 ClientCommand.cpp:108 +msgid "Host" +msgstr "" + +#: ClientCommand.cpp:122 +msgid "Usage: Attach <#chans>" +msgstr "" + +#: ClientCommand.cpp:144 +msgid "Usage: Detach <#chans>" +msgstr "" + +#: ClientCommand.cpp:161 +msgid "There is no MOTD set." +msgstr "" + +#: ClientCommand.cpp:167 +msgid "Rehashing succeeded!" +msgstr "" + +#: ClientCommand.cpp:169 +msgid "Rehashing failed: {1}" +msgstr "" + +#: ClientCommand.cpp:173 +msgid "Wrote config to {1}" +msgstr "" + +#: ClientCommand.cpp:175 +msgid "Error while trying to write config." +msgstr "" + +#: ClientCommand.cpp:183 +msgid "Usage: ListClients" +msgstr "" + +#: ClientCommand.cpp:190 +msgid "No such user: {1}" +msgstr "" + +#: ClientCommand.cpp:198 +msgid "No clients are connected" +msgstr "" + +#: ClientCommand.cpp:203 ClientCommand.cpp:209 +msgctxt "listclientscmd" +msgid "Host" +msgstr "" + +#: ClientCommand.cpp:204 ClientCommand.cpp:212 +msgctxt "listclientscmd" +msgid "Network" +msgstr "" + +#: ClientCommand.cpp:205 ClientCommand.cpp:215 +msgctxt "listclientscmd" +msgid "Identifier" +msgstr "" + +#: ClientCommand.cpp:223 ClientCommand.cpp:229 +msgctxt "listuserscmd" +msgid "Username" +msgstr "" + +#: ClientCommand.cpp:224 ClientCommand.cpp:230 +msgctxt "listuserscmd" +msgid "Networks" +msgstr "" + +#: ClientCommand.cpp:225 ClientCommand.cpp:232 +msgctxt "listuserscmd" +msgid "Clients" +msgstr "" + +#: ClientCommand.cpp:240 ClientCommand.cpp:250 ClientCommand.cpp:260 +#: ClientCommand.cpp:263 +msgctxt "listallusernetworkscmd" +msgid "Username" +msgstr "" + +#: ClientCommand.cpp:241 ClientCommand.cpp:251 ClientCommand.cpp:266 +msgctxt "listallusernetworkscmd" +msgid "Network" +msgstr "" + +#: ClientCommand.cpp:242 ClientCommand.cpp:252 ClientCommand.cpp:268 +msgctxt "listallusernetworkscmd" +msgid "Clients" +msgstr "" + +#: ClientCommand.cpp:243 ClientCommand.cpp:271 ClientCommand.cpp:280 +msgctxt "listallusernetworkscmd" +msgid "On IRC" +msgstr "" + +#: ClientCommand.cpp:244 ClientCommand.cpp:273 +msgctxt "listallusernetworkscmd" +msgid "IRC Server" +msgstr "" + +#: ClientCommand.cpp:245 ClientCommand.cpp:275 +msgctxt "listallusernetworkscmd" +msgid "IRC User" +msgstr "" + +#: ClientCommand.cpp:246 ClientCommand.cpp:277 +msgctxt "listallusernetworkscmd" +msgid "Channels" +msgstr "" + +#: ClientCommand.cpp:251 +msgid "N/A" +msgstr "" + +#: ClientCommand.cpp:272 +msgctxt "listallusernetworkscmd" +msgid "Yes" +msgstr "" + +#: ClientCommand.cpp:281 +msgctxt "listallusernetworkscmd" +msgid "No" +msgstr "" + +#: ClientCommand.cpp:291 +msgid "Usage: SetMOTD " +msgstr "" + +#: ClientCommand.cpp:294 +msgid "MOTD set to: {1}" +msgstr "" + +#: ClientCommand.cpp:300 +msgid "Usage: AddMOTD " +msgstr "" + +#: ClientCommand.cpp:303 +msgid "Added [{1}] to MOTD" +msgstr "" + +#: ClientCommand.cpp:307 +msgid "Cleared MOTD" +msgstr "" + +#: ClientCommand.cpp:329 +msgid "" +"ERROR: Writing config file to disk failed! Aborting. Use {1} FORCE to ignore." +msgstr "" + +#: ClientCommand.cpp:344 ClientCommand.cpp:842 ClientCommand.cpp:883 +msgid "You don't have any servers added." +msgstr "" + +#: ClientCommand.cpp:355 +msgid "Server [{1}] not found" +msgstr "" + +#: ClientCommand.cpp:375 ClientCommand.cpp:380 +msgid "Connecting to {1}..." +msgstr "" + +#: ClientCommand.cpp:377 +msgid "Jumping to the next server in the list..." +msgstr "" + +#: ClientCommand.cpp:382 +msgid "Connecting..." +msgstr "" + +#: ClientCommand.cpp:400 +msgid "Disconnected from IRC. Use 'connect' to reconnect." +msgstr "" + +#: ClientCommand.cpp:412 +msgid "Usage: EnableChan <#chans>" +msgstr "" + +#: ClientCommand.cpp:426 +msgid "Enabled {1} channel" +msgid_plural "Enabled {1} channels" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" + +#: ClientCommand.cpp:439 +msgid "Usage: DisableChan <#chans>" +msgstr "" + +#: ClientCommand.cpp:453 +msgid "Disabled {1} channel" +msgid_plural "Disabled {1} channels" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" + +#: ClientCommand.cpp:466 +msgid "Usage: MoveChan <#chan> " +msgstr "" + +#: ClientCommand.cpp:474 +msgid "Moved channel {1} to index {2}" +msgstr "" + +#: ClientCommand.cpp:487 +msgid "Usage: SwapChans <#chan1> <#chan2>" +msgstr "" + +#: ClientCommand.cpp:493 +msgid "Swapped channels {1} and {2}" +msgstr "" + +#: ClientCommand.cpp:510 +msgid "Usage: ListChans" +msgstr "" + +#: ClientCommand.cpp:517 +msgid "No such user [{1}]" +msgstr "" + +#: ClientCommand.cpp:523 +msgid "User [{1}] doesn't have network [{2}]" +msgstr "" + +#: ClientCommand.cpp:534 +msgid "There are no channels defined." +msgstr "" + +#: ClientCommand.cpp:539 ClientCommand.cpp:557 +msgctxt "listchans" +msgid "Index" +msgstr "" + +#: ClientCommand.cpp:540 ClientCommand.cpp:558 +msgctxt "listchans" +msgid "Name" +msgstr "" + +#: ClientCommand.cpp:541 ClientCommand.cpp:561 +msgctxt "listchans" +msgid "Status" +msgstr "" + +#: ClientCommand.cpp:542 ClientCommand.cpp:568 +msgctxt "listchans" +msgid "In config" +msgstr "" + +#: ClientCommand.cpp:543 ClientCommand.cpp:570 +msgctxt "listchans" +msgid "Buffer" +msgstr "" + +#: ClientCommand.cpp:544 ClientCommand.cpp:574 +msgctxt "listchans" +msgid "Clear" +msgstr "" + +#: ClientCommand.cpp:545 ClientCommand.cpp:579 +msgctxt "listchans" +msgid "Modes" +msgstr "" + +#: ClientCommand.cpp:546 ClientCommand.cpp:580 +msgctxt "listchans" +msgid "Users" +msgstr "" + +#: ClientCommand.cpp:563 +msgctxt "listchans" +msgid "Detached" +msgstr "" + +#: ClientCommand.cpp:564 +msgctxt "listchans" +msgid "Joined" +msgstr "" + +#: ClientCommand.cpp:565 +msgctxt "listchans" +msgid "Disabled" +msgstr "" + +#: ClientCommand.cpp:566 +msgctxt "listchans" +msgid "Trying" +msgstr "" + +#: ClientCommand.cpp:569 ClientCommand.cpp:577 +msgctxt "listchans" +msgid "yes" +msgstr "" + +#: ClientCommand.cpp:596 +msgid "Total: {1}, Joined: {2}, Detached: {3}, Disabled: {4}" +msgstr "" + +#: ClientCommand.cpp:601 +msgid "" +"Network number limit reached. Ask an admin to increase the limit for you, or " +"delete unneeded networks using /znc DelNetwork " +msgstr "" + +#: ClientCommand.cpp:610 +msgid "Usage: AddNetwork " +msgstr "" + +#: ClientCommand.cpp:614 +msgid "Network name should be alphanumeric" +msgstr "" + +#: ClientCommand.cpp:621 +msgid "" +"Network added. Use /znc JumpNetwork {1}, or connect to ZNC with username {2} " +"(instead of just {3}) to connect to it." +msgstr "" + +#: ClientCommand.cpp:626 +msgid "Unable to add that network" +msgstr "" + +#: ClientCommand.cpp:633 +msgid "Usage: DelNetwork " +msgstr "" + +#: ClientCommand.cpp:642 +msgid "Network deleted" +msgstr "" + +#: ClientCommand.cpp:645 +msgid "Failed to delete network, perhaps this network doesn't exist" +msgstr "" + +#: ClientCommand.cpp:655 +msgid "User {1} not found" +msgstr "" + +#: ClientCommand.cpp:663 ClientCommand.cpp:671 +msgctxt "listnetworks" +msgid "Network" +msgstr "" + +#: ClientCommand.cpp:664 ClientCommand.cpp:673 ClientCommand.cpp:682 +msgctxt "listnetworks" +msgid "On IRC" +msgstr "" + +#: ClientCommand.cpp:665 ClientCommand.cpp:675 +msgctxt "listnetworks" +msgid "IRC Server" +msgstr "" + +#: ClientCommand.cpp:666 ClientCommand.cpp:677 +msgctxt "listnetworks" +msgid "IRC User" +msgstr "" + +#: ClientCommand.cpp:667 ClientCommand.cpp:679 +msgctxt "listnetworks" +msgid "Channels" +msgstr "" + +#: ClientCommand.cpp:674 +msgctxt "listnetworks" +msgid "Yes" +msgstr "" + +#: ClientCommand.cpp:683 +msgctxt "listnetworks" +msgid "No" +msgstr "" + +#: ClientCommand.cpp:688 +msgctxt "listnetworks" +msgid "No networks" +msgstr "" + +#: ClientCommand.cpp:692 ClientCommand.cpp:997 +msgid "Access denied." +msgstr "" + +#: ClientCommand.cpp:703 +msgid "Usage: MoveNetwork [new network]" +msgstr "" + +#: ClientCommand.cpp:713 +msgid "Old user {1} not found." +msgstr "" + +#: ClientCommand.cpp:719 +msgid "Old network {1} not found." +msgstr "" + +#: ClientCommand.cpp:725 +msgid "New user {1} not found." +msgstr "" + +#: ClientCommand.cpp:730 +msgid "User {1} already has network {2}." +msgstr "" + +#: ClientCommand.cpp:736 +msgid "Invalid network name [{1}]" +msgstr "" + +#: ClientCommand.cpp:752 +msgid "Some files seem to be in {1}. You might want to move them to {2}" +msgstr "" + +#: ClientCommand.cpp:766 +msgid "Error adding network: {1}" +msgstr "" + +#: ClientCommand.cpp:778 +msgid "Success." +msgstr "" + +#: ClientCommand.cpp:781 +msgid "Copied the network to new user, but failed to delete old network" +msgstr "" + +#: ClientCommand.cpp:788 +msgid "No network supplied." +msgstr "" + +#: ClientCommand.cpp:793 +msgid "You are already connected with this network." +msgstr "" + +#: ClientCommand.cpp:799 +msgid "Switched to {1}" +msgstr "" + +#: ClientCommand.cpp:802 +msgid "You don't have a network named {1}" +msgstr "" + +#: ClientCommand.cpp:814 +msgid "Usage: AddServer [[+]port] [pass]" +msgstr "" + +#: ClientCommand.cpp:819 +msgid "Server added" +msgstr "" + +#: ClientCommand.cpp:822 +msgid "" +"Unable to add that server. Perhaps the server is already added or openssl is " +"disabled?" +msgstr "" + +#: ClientCommand.cpp:837 +msgid "Usage: DelServer [port] [pass]" +msgstr "" + +#: ClientCommand.cpp:847 +msgid "Server removed" +msgstr "" + +#: ClientCommand.cpp:849 +msgid "No such server" +msgstr "" + +#: ClientCommand.cpp:862 ClientCommand.cpp:870 +msgctxt "listservers" +msgid "Host" +msgstr "" + +#: ClientCommand.cpp:863 ClientCommand.cpp:872 +msgctxt "listservers" +msgid "Port" +msgstr "" + +#: ClientCommand.cpp:864 ClientCommand.cpp:875 +msgctxt "listservers" +msgid "SSL" +msgstr "" + +#: ClientCommand.cpp:865 ClientCommand.cpp:877 +msgctxt "listservers" +msgid "Password" +msgstr "" + +#: ClientCommand.cpp:876 +msgctxt "listservers|cell" +msgid "SSL" +msgstr "" + +#: ClientCommand.cpp:893 +msgid "Usage: AddTrustedServerFingerprint " +msgstr "" + +#: ClientCommand.cpp:897 ClientCommand.cpp:910 +msgid "Done." +msgstr "" + +#: ClientCommand.cpp:906 +msgid "Usage: DelTrustedServerFingerprint " +msgstr "" + +#: ClientCommand.cpp:919 +msgid "No fingerprints added." +msgstr "" + +#: ClientCommand.cpp:935 ClientCommand.cpp:941 +msgctxt "topicscmd" +msgid "Channel" +msgstr "" + +#: ClientCommand.cpp:936 ClientCommand.cpp:942 +msgctxt "topicscmd" +msgid "Set By" +msgstr "" + +#: ClientCommand.cpp:937 ClientCommand.cpp:943 +msgctxt "topicscmd" +msgid "Topic" +msgstr "" + +#: ClientCommand.cpp:950 ClientCommand.cpp:955 +msgctxt "listmods" +msgid "Name" +msgstr "" + +#: ClientCommand.cpp:951 ClientCommand.cpp:956 +msgctxt "listmods" +msgid "Arguments" +msgstr "" + +#: ClientCommand.cpp:965 +msgid "No global modules loaded." +msgstr "" + +#: ClientCommand.cpp:967 ClientCommand.cpp:1031 +msgid "Global modules:" +msgstr "" + +#: ClientCommand.cpp:976 +msgid "Your user has no modules loaded." +msgstr "" + +#: ClientCommand.cpp:978 ClientCommand.cpp:1043 +msgid "User modules:" +msgstr "" + +#: ClientCommand.cpp:986 +msgid "This network has no modules loaded." +msgstr "" + +#: ClientCommand.cpp:988 ClientCommand.cpp:1055 +msgid "Network modules:" +msgstr "" + +#: ClientCommand.cpp:1003 ClientCommand.cpp:1010 +msgctxt "listavailmods" +msgid "Name" +msgstr "" + +#: ClientCommand.cpp:1004 ClientCommand.cpp:1015 +msgctxt "listavailmods" +msgid "Description" +msgstr "" + +#: ClientCommand.cpp:1029 +msgid "No global modules available." +msgstr "" + +#: ClientCommand.cpp:1041 +msgid "No user modules available." +msgstr "" + +#: ClientCommand.cpp:1053 +msgid "No network modules available." +msgstr "" + +#: ClientCommand.cpp:1081 +msgid "Unable to load {1}: Access denied." +msgstr "" + +#: ClientCommand.cpp:1087 +msgid "Usage: LoadMod [--type=global|user|network] [args]" +msgstr "" + +#: ClientCommand.cpp:1094 +msgid "Unable to load {1}: {2}" +msgstr "" + +#: ClientCommand.cpp:1104 +msgid "Unable to load global module {1}: Access denied." +msgstr "" + +#: ClientCommand.cpp:1110 +msgid "Unable to load network module {1}: Not connected with a network." +msgstr "" + +#: ClientCommand.cpp:1132 +msgid "Unknown module type" +msgstr "" + +#: ClientCommand.cpp:1137 +msgid "Loaded module {1}" +msgstr "" + +#: ClientCommand.cpp:1139 +msgid "Loaded module {1}: {2}" +msgstr "" + +#: ClientCommand.cpp:1142 +msgid "Unable to load module {1}: {2}" +msgstr "" + +#: ClientCommand.cpp:1165 +msgid "Unable to unload {1}: Access denied." +msgstr "" + +#: ClientCommand.cpp:1171 +msgid "Usage: UnloadMod [--type=global|user|network] " +msgstr "" + +#: ClientCommand.cpp:1180 +msgid "Unable to determine type of {1}: {2}" +msgstr "" + +#: ClientCommand.cpp:1188 +msgid "Unable to unload global module {1}: Access denied." +msgstr "" + +#: ClientCommand.cpp:1195 +msgid "Unable to unload network module {1}: Not connected with a network." +msgstr "" + +#: ClientCommand.cpp:1214 +msgid "Unable to unload module {1}: Unknown module type" +msgstr "" + +#: ClientCommand.cpp:1227 +msgid "Unable to reload modules. Access denied." +msgstr "" + +#: ClientCommand.cpp:1248 +msgid "Usage: ReloadMod [--type=global|user|network] [args]" +msgstr "" + +#: ClientCommand.cpp:1257 +msgid "Unable to reload {1}: {2}" +msgstr "" + +#: ClientCommand.cpp:1265 +msgid "Unable to reload global module {1}: Access denied." +msgstr "" + +#: ClientCommand.cpp:1272 +msgid "Unable to reload network module {1}: Not connected with a network." +msgstr "" + +#: ClientCommand.cpp:1294 +msgid "Unable to reload module {1}: Unknown module type" +msgstr "" + +#: ClientCommand.cpp:1305 +msgid "Usage: UpdateMod " +msgstr "" + +#: ClientCommand.cpp:1309 +msgid "Reloading {1} everywhere" +msgstr "" + +#: ClientCommand.cpp:1311 +msgid "Done" +msgstr "" + +#: ClientCommand.cpp:1314 +msgid "" +"Done, but there were errors, module {1} could not be reloaded everywhere." +msgstr "" + +#: ClientCommand.cpp:1322 +msgid "" +"You must be connected with a network to use this command. Try " +"SetUserBindHost instead" +msgstr "" + +#: ClientCommand.cpp:1329 +msgid "Usage: SetBindHost " +msgstr "" + +#: ClientCommand.cpp:1334 ClientCommand.cpp:1351 +msgid "You already have this bind host!" +msgstr "" + +#: ClientCommand.cpp:1339 +msgid "Set bind host for network {1} to {2}" +msgstr "" + +#: ClientCommand.cpp:1346 +msgid "Usage: SetUserBindHost " +msgstr "" + +#: ClientCommand.cpp:1356 +msgid "Set default bind host to {1}" +msgstr "" + +#: ClientCommand.cpp:1362 +msgid "" +"You must be connected with a network to use this command. Try " +"ClearUserBindHost instead" +msgstr "" + +#: ClientCommand.cpp:1367 +msgid "Bind host cleared for this network." +msgstr "" + +#: ClientCommand.cpp:1371 +msgid "Default bind host cleared for your user." +msgstr "" + +#: ClientCommand.cpp:1374 +msgid "This user's default bind host not set" +msgstr "" + +#: ClientCommand.cpp:1376 +msgid "This user's default bind host is {1}" +msgstr "" + +#: ClientCommand.cpp:1381 +msgid "This network's bind host not set" +msgstr "" + +#: ClientCommand.cpp:1383 +msgid "This network's default bind host is {1}" +msgstr "" + +#: ClientCommand.cpp:1397 +msgid "Usage: PlayBuffer <#chan|query>" +msgstr "" + +#: ClientCommand.cpp:1410 +msgid "You are not on {1} (trying to join)" +msgstr "" + +#: ClientCommand.cpp:1415 +msgid "The buffer for channel {1} is empty" +msgstr "" + +#: ClientCommand.cpp:1424 +msgid "No active query with {1}" +msgstr "" + +#: ClientCommand.cpp:1429 +msgid "The buffer for {1} is empty" +msgstr "" + +#: ClientCommand.cpp:1445 +msgid "Usage: ClearBuffer <#chan|query>" +msgstr "" + +#: ClientCommand.cpp:1464 +msgid "{1} buffer matching {2} has been cleared" +msgid_plural "{1} buffers matching {2} have been cleared" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" + +#: ClientCommand.cpp:1477 +msgid "All channel buffers have been cleared" +msgstr "" + +#: ClientCommand.cpp:1486 +msgid "All query buffers have been cleared" +msgstr "" + +#: ClientCommand.cpp:1498 +msgid "All buffers have been cleared" +msgstr "" + +#: ClientCommand.cpp:1509 +msgid "Usage: SetBuffer <#chan|query> [linecount]" +msgstr "" + +#: ClientCommand.cpp:1530 +msgid "Setting buffer size failed for {1} buffer" +msgid_plural "Setting buffer size failed for {1} buffers" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" + +#: ClientCommand.cpp:1533 +msgid "Maximum buffer size is {1} line" +msgid_plural "Maximum buffer size is {1} lines" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" + +#: ClientCommand.cpp:1538 +msgid "Size of every buffer was set to {1} line" +msgid_plural "Size of every buffer was set to {1} lines" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" + +#: ClientCommand.cpp:1548 ClientCommand.cpp:1555 ClientCommand.cpp:1566 +#: ClientCommand.cpp:1575 ClientCommand.cpp:1583 +msgctxt "trafficcmd" +msgid "Username" +msgstr "" + +#: ClientCommand.cpp:1549 ClientCommand.cpp:1556 ClientCommand.cpp:1568 +#: ClientCommand.cpp:1577 ClientCommand.cpp:1585 +msgctxt "trafficcmd" +msgid "In" +msgstr "" + +#: ClientCommand.cpp:1550 ClientCommand.cpp:1558 ClientCommand.cpp:1569 +#: ClientCommand.cpp:1578 ClientCommand.cpp:1586 +msgctxt "trafficcmd" +msgid "Out" +msgstr "" + +#: ClientCommand.cpp:1551 ClientCommand.cpp:1561 ClientCommand.cpp:1571 +#: ClientCommand.cpp:1579 ClientCommand.cpp:1588 +msgctxt "trafficcmd" +msgid "Total" +msgstr "" + +#: ClientCommand.cpp:1567 +msgctxt "trafficcmd" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1576 +msgctxt "trafficcmd" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1584 +msgctxt "trafficcmd" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1593 +msgid "Running for {1}" +msgstr "" + +#: ClientCommand.cpp:1599 +msgid "Unknown command, try 'Help'" +msgstr "" + +#: ClientCommand.cpp:1608 ClientCommand.cpp:1619 +msgctxt "listports" +msgid "Port" +msgstr "" + +#: ClientCommand.cpp:1609 ClientCommand.cpp:1622 +msgctxt "listports" +msgid "BindHost" +msgstr "" + +#: ClientCommand.cpp:1610 ClientCommand.cpp:1625 +msgctxt "listports" +msgid "SSL" +msgstr "" + +#: ClientCommand.cpp:1611 ClientCommand.cpp:1630 +msgctxt "listports" +msgid "Protocol" +msgstr "" + +#: ClientCommand.cpp:1612 ClientCommand.cpp:1637 +msgctxt "listports" +msgid "IRC" +msgstr "" + +#: ClientCommand.cpp:1613 ClientCommand.cpp:1642 +msgctxt "listports" +msgid "Web" +msgstr "" + +#: ClientCommand.cpp:1626 +msgctxt "listports|ssl" +msgid "yes" +msgstr "" + +#: ClientCommand.cpp:1627 +msgctxt "listports|ssl" +msgid "no" +msgstr "" + +#: ClientCommand.cpp:1631 +msgctxt "listports" +msgid "IPv4 and IPv6" +msgstr "" + +#: ClientCommand.cpp:1633 +msgctxt "listports" +msgid "IPv4" +msgstr "" + +#: ClientCommand.cpp:1634 +msgctxt "listports" +msgid "IPv6" +msgstr "" + +#: ClientCommand.cpp:1640 +msgctxt "listports|irc" +msgid "yes" +msgstr "" + +#: ClientCommand.cpp:1641 +msgctxt "listports|irc" +msgid "no" +msgstr "" + +#: ClientCommand.cpp:1645 +msgctxt "listports|irc" +msgid "yes, on {1}" +msgstr "" + +#: ClientCommand.cpp:1647 +msgctxt "listports|web" +msgid "no" +msgstr "" + +#: ClientCommand.cpp:1687 +msgid "" +"Usage: AddPort <[+]port> [bindhost [uriprefix]]" +msgstr "" + +#: ClientCommand.cpp:1703 +msgid "Port added" +msgstr "" + +#: ClientCommand.cpp:1705 +msgid "Couldn't add port" +msgstr "" + +#: ClientCommand.cpp:1711 +msgid "Usage: DelPort [bindhost]" +msgstr "" + +#: ClientCommand.cpp:1720 +msgid "Deleted Port" +msgstr "" + +#: ClientCommand.cpp:1722 +msgid "Unable to find a matching port" +msgstr "" + +#: ClientCommand.cpp:1730 ClientCommand.cpp:1745 +msgctxt "helpcmd" +msgid "Command" +msgstr "" + +#: ClientCommand.cpp:1731 ClientCommand.cpp:1747 +msgctxt "helpcmd" +msgid "Description" +msgstr "" + +#: ClientCommand.cpp:1736 +msgid "" +"In the following list all occurrences of <#chan> support wildcards (* and ?) " +"except ListNicks" +msgstr "" + +#: ClientCommand.cpp:1753 +msgctxt "helpcmd|Version|desc" +msgid "Print which version of ZNC this is" +msgstr "" + +#: ClientCommand.cpp:1756 +msgctxt "helpcmd|ListMods|desc" +msgid "List all loaded modules" +msgstr "" + +#: ClientCommand.cpp:1759 +msgctxt "helpcmd|ListAvailMods|desc" +msgid "List all available modules" +msgstr "" + +#: ClientCommand.cpp:1763 ClientCommand.cpp:1954 +msgctxt "helpcmd|ListChans|desc" +msgid "List all channels" +msgstr "" + +#: ClientCommand.cpp:1766 +msgctxt "helpcmd|ListNicks|args" +msgid "<#chan>" +msgstr "" + +#: ClientCommand.cpp:1767 +msgctxt "helpcmd|ListNicks|desc" +msgid "List all nicks on a channel" +msgstr "" + +#: ClientCommand.cpp:1770 +msgctxt "helpcmd|ListClients|desc" +msgid "List all clients connected to your ZNC user" +msgstr "" + +#: ClientCommand.cpp:1774 +msgctxt "helpcmd|ListServers|desc" +msgid "List all servers of current IRC network" +msgstr "" + +#: ClientCommand.cpp:1778 +msgctxt "helpcmd|AddNetwork|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1779 +msgctxt "helpcmd|AddNetwork|desc" +msgid "Add a network to your user" +msgstr "" + +#: ClientCommand.cpp:1781 +msgctxt "helpcmd|DelNetwork|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1782 +msgctxt "helpcmd|DelNetwork|desc" +msgid "Delete a network from your user" +msgstr "" + +#: ClientCommand.cpp:1784 +msgctxt "helpcmd|ListNetworks|desc" +msgid "List all networks" +msgstr "" + +#: ClientCommand.cpp:1787 +msgctxt "helpcmd|MoveNetwork|args" +msgid " [new network]" +msgstr "" + +#: ClientCommand.cpp:1789 +msgctxt "helpcmd|MoveNetwork|desc" +msgid "Move an IRC network from one user to another" +msgstr "" + +#: ClientCommand.cpp:1793 +msgctxt "helpcmd|JumpNetwork|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1794 +msgctxt "helpcmd|JumpNetwork|desc" +msgid "" +"Jump to another network (Alternatively, you can connect to ZNC several " +"times, using `user/network` as username)" +msgstr "" + +#: ClientCommand.cpp:1799 +msgctxt "helpcmd|AddServer|args" +msgid " [[+]port] [pass]" +msgstr "" + +#: ClientCommand.cpp:1800 +msgctxt "helpcmd|AddServer|desc" +msgid "" +"Add a server to the list of alternate/backup servers of current IRC network." +msgstr "" + +#: ClientCommand.cpp:1804 +msgctxt "helpcmd|DelServer|args" +msgid " [port] [pass]" +msgstr "" + +#: ClientCommand.cpp:1805 +msgctxt "helpcmd|DelServer|desc" +msgid "" +"Remove a server from the list of alternate/backup servers of current IRC " +"network" +msgstr "" + +#: ClientCommand.cpp:1811 +msgctxt "helpcmd|AddTrustedServerFingerprint|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1812 +msgctxt "helpcmd|AddTrustedServerFingerprint|desc" +msgid "" +"Add a trusted server SSL certificate fingerprint (SHA-256) to current IRC " +"network." +msgstr "" + +#: ClientCommand.cpp:1817 +msgctxt "helpcmd|DelTrustedServerFingerprint|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1818 +msgctxt "helpcmd|DelTrustedServerFingerprint|desc" +msgid "Delete a trusted server SSL certificate from current IRC network." +msgstr "" + +#: ClientCommand.cpp:1822 +msgctxt "helpcmd|ListTrustedServerFingerprints|desc" +msgid "List all trusted server SSL certificates of current IRC network." +msgstr "" + +#: ClientCommand.cpp:1825 +msgctxt "helpcmd|EnableChan|args" +msgid "<#chans>" +msgstr "" + +#: ClientCommand.cpp:1826 +msgctxt "helpcmd|EnableChan|desc" +msgid "Enable channels" +msgstr "" + +#: ClientCommand.cpp:1827 +msgctxt "helpcmd|DisableChan|args" +msgid "<#chans>" +msgstr "" + +#: ClientCommand.cpp:1828 +msgctxt "helpcmd|DisableChan|desc" +msgid "Disable channels" +msgstr "" + +#: ClientCommand.cpp:1829 +msgctxt "helpcmd|MoveChan|args" +msgid "<#chan> " +msgstr "" + +#: ClientCommand.cpp:1830 +msgctxt "helpcmd|MoveChan|desc" +msgid "Move channel in sort order" +msgstr "" + +#: ClientCommand.cpp:1832 +msgctxt "helpcmd|SwapChans|args" +msgid "<#chan1> <#chan2>" +msgstr "" + +#: ClientCommand.cpp:1833 +msgctxt "helpcmd|SwapChans|desc" +msgid "Swap channels in sort order" +msgstr "" + +#: ClientCommand.cpp:1834 +msgctxt "helpcmd|Attach|args" +msgid "<#chans>" +msgstr "" + +#: ClientCommand.cpp:1835 +msgctxt "helpcmd|Attach|desc" +msgid "Attach to channels" +msgstr "" + +#: ClientCommand.cpp:1836 +msgctxt "helpcmd|Detach|args" +msgid "<#chans>" +msgstr "" + +#: ClientCommand.cpp:1837 +msgctxt "helpcmd|Detach|desc" +msgid "Detach from channels" +msgstr "" + +#: ClientCommand.cpp:1840 +msgctxt "helpcmd|Topics|desc" +msgid "Show topics in all your channels" +msgstr "" + +#: ClientCommand.cpp:1843 +msgctxt "helpcmd|PlayBuffer|args" +msgid "<#chan|query>" +msgstr "" + +#: ClientCommand.cpp:1844 +msgctxt "helpcmd|PlayBuffer|desc" +msgid "Play back the specified buffer" +msgstr "" + +#: ClientCommand.cpp:1846 +msgctxt "helpcmd|ClearBuffer|args" +msgid "<#chan|query>" +msgstr "" + +#: ClientCommand.cpp:1847 +msgctxt "helpcmd|ClearBuffer|desc" +msgid "Clear the specified buffer" +msgstr "" + +#: ClientCommand.cpp:1849 +msgctxt "helpcmd|ClearAllBuffers|desc" +msgid "Clear all channel and query buffers" +msgstr "" + +#: ClientCommand.cpp:1852 +msgctxt "helpcmd|ClearAllChannelBuffers|desc" +msgid "Clear the channel buffers" +msgstr "" + +#: ClientCommand.cpp:1856 +msgctxt "helpcmd|ClearAllQueryBuffers|desc" +msgid "Clear the query buffers" +msgstr "" + +#: ClientCommand.cpp:1858 +msgctxt "helpcmd|SetBuffer|args" +msgid "<#chan|query> [linecount]" +msgstr "" + +#: ClientCommand.cpp:1859 +msgctxt "helpcmd|SetBuffer|desc" +msgid "Set the buffer count" +msgstr "" + +#: ClientCommand.cpp:1863 +msgctxt "helpcmd|SetBindHost|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1864 +msgctxt "helpcmd|SetBindHost|desc" +msgid "Set the bind host for this network" +msgstr "" + +#: ClientCommand.cpp:1868 +msgctxt "helpcmd|SetUserBindHost|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1869 +msgctxt "helpcmd|SetUserBindHost|desc" +msgid "Set the default bind host for this user" +msgstr "" + +#: ClientCommand.cpp:1872 +msgctxt "helpcmd|ClearBindHost|desc" +msgid "Clear the bind host for this network" +msgstr "" + +#: ClientCommand.cpp:1875 +msgctxt "helpcmd|ClearUserBindHost|desc" +msgid "Clear the default bind host for this user" +msgstr "" + +#: ClientCommand.cpp:1881 +msgctxt "helpcmd|ShowBindHost|desc" +msgid "Show currently selected bind host" +msgstr "" + +#: ClientCommand.cpp:1883 +msgctxt "helpcmd|Jump|args" +msgid "[server]" +msgstr "" + +#: ClientCommand.cpp:1884 +msgctxt "helpcmd|Jump|desc" +msgid "Jump to the next or the specified server" +msgstr "" + +#: ClientCommand.cpp:1885 +msgctxt "helpcmd|Disconnect|args" +msgid "[message]" +msgstr "" + +#: ClientCommand.cpp:1886 +msgctxt "helpcmd|Disconnect|desc" +msgid "Disconnect from IRC" +msgstr "" + +#: ClientCommand.cpp:1888 +msgctxt "helpcmd|Connect|desc" +msgid "Reconnect to IRC" +msgstr "" + +#: ClientCommand.cpp:1891 +msgctxt "helpcmd|Uptime|desc" +msgid "Show for how long ZNC has been running" +msgstr "" + +#: ClientCommand.cpp:1895 +msgctxt "helpcmd|LoadMod|args" +msgid "[--type=global|user|network] [args]" +msgstr "" + +#: ClientCommand.cpp:1897 +msgctxt "helpcmd|LoadMod|desc" +msgid "Load a module" +msgstr "" + +#: ClientCommand.cpp:1899 +msgctxt "helpcmd|UnloadMod|args" +msgid "[--type=global|user|network] " +msgstr "" + +#: ClientCommand.cpp:1901 +msgctxt "helpcmd|UnloadMod|desc" +msgid "Unload a module" +msgstr "" + +#: ClientCommand.cpp:1903 +msgctxt "helpcmd|ReloadMod|args" +msgid "[--type=global|user|network] [args]" +msgstr "" + +#: ClientCommand.cpp:1905 +msgctxt "helpcmd|ReloadMod|desc" +msgid "Reload a module" +msgstr "" + +#: ClientCommand.cpp:1908 +msgctxt "helpcmd|UpdateMod|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1909 +msgctxt "helpcmd|UpdateMod|desc" +msgid "Reload a module everywhere" +msgstr "" + +#: ClientCommand.cpp:1915 +msgctxt "helpcmd|ShowMOTD|desc" +msgid "Show ZNC's message of the day" +msgstr "" + +#: ClientCommand.cpp:1919 +msgctxt "helpcmd|SetMOTD|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1920 +msgctxt "helpcmd|SetMOTD|desc" +msgid "Set ZNC's message of the day" +msgstr "" + +#: ClientCommand.cpp:1922 +msgctxt "helpcmd|AddMOTD|args" +msgid "" +msgstr "" + +#: ClientCommand.cpp:1923 +msgctxt "helpcmd|AddMOTD|desc" +msgid "Append to ZNC's MOTD" +msgstr "" + +#: ClientCommand.cpp:1925 +msgctxt "helpcmd|ClearMOTD|desc" +msgid "Clear ZNC's MOTD" +msgstr "" + +#: ClientCommand.cpp:1928 +msgctxt "helpcmd|ListPorts|desc" +msgid "Show all active listeners" +msgstr "" + +#: ClientCommand.cpp:1930 +msgctxt "helpcmd|AddPort|args" +msgid "<[+]port> [bindhost [uriprefix]]" +msgstr "" + +#: ClientCommand.cpp:1933 +msgctxt "helpcmd|AddPort|desc" +msgid "Add another port for ZNC to listen on" +msgstr "" + +#: ClientCommand.cpp:1937 +msgctxt "helpcmd|DelPort|args" +msgid " [bindhost]" +msgstr "" + +#: ClientCommand.cpp:1938 +msgctxt "helpcmd|DelPort|desc" +msgid "Remove a port from ZNC" +msgstr "" + +#: ClientCommand.cpp:1941 +msgctxt "helpcmd|Rehash|desc" +msgid "Reload global settings, modules, and listeners from znc.conf" +msgstr "" + +#: ClientCommand.cpp:1944 +msgctxt "helpcmd|SaveConfig|desc" +msgid "Save the current settings to disk" +msgstr "" + +#: ClientCommand.cpp:1947 +msgctxt "helpcmd|ListUsers|desc" +msgid "List all ZNC users and their connection status" +msgstr "" + +#: ClientCommand.cpp:1950 +msgctxt "helpcmd|ListAllUserNetworks|desc" +msgid "List all ZNC users and their networks" +msgstr "" + +#: ClientCommand.cpp:1953 +msgctxt "helpcmd|ListChans|args" +msgid "[user ]" +msgstr "" + +#: ClientCommand.cpp:1956 +msgctxt "helpcmd|ListClients|args" +msgid "[user]" +msgstr "" + +#: ClientCommand.cpp:1957 +msgctxt "helpcmd|ListClients|desc" +msgid "List all connected clients" +msgstr "" + +#: ClientCommand.cpp:1959 +msgctxt "helpcmd|Traffic|desc" +msgid "Show basic traffic stats for all ZNC users" +msgstr "" + +#: ClientCommand.cpp:1961 +msgctxt "helpcmd|Broadcast|args" +msgid "[message]" +msgstr "" + +#: ClientCommand.cpp:1962 +msgctxt "helpcmd|Broadcast|desc" +msgid "Broadcast a message to all ZNC users" +msgstr "" + +#: ClientCommand.cpp:1965 +msgctxt "helpcmd|Shutdown|args" +msgid "[message]" +msgstr "" + +#: ClientCommand.cpp:1966 +msgctxt "helpcmd|Shutdown|desc" +msgid "Shut down ZNC completely" +msgstr "" + +#: ClientCommand.cpp:1967 +msgctxt "helpcmd|Restart|args" +msgid "[message]" +msgstr "" + +#: ClientCommand.cpp:1968 +msgctxt "helpcmd|Restart|desc" +msgid "Restart ZNC" +msgstr "" + +#: Socket.cpp:336 +msgid "Can't resolve server hostname" +msgstr "" + +#: Socket.cpp:343 +msgid "" +"Can't resolve bind hostname. Try /znc ClearBindHost and /znc " +"ClearUserBindHost" +msgstr "" + +#: Socket.cpp:348 +msgid "Server address is IPv4-only, but bindhost is IPv6-only" +msgstr "" + +#: Socket.cpp:357 +msgid "Server address is IPv6-only, but bindhost is IPv4-only" +msgstr "" + +#: Socket.cpp:515 +msgid "Some socket reached its max buffer limit and was closed!" +msgstr "" + +#: SSLVerifyHost.cpp:481 +msgid "hostname doesn't match" +msgstr "" + +#: SSLVerifyHost.cpp:485 +msgid "malformed hostname in certificate" +msgstr "" + +#: SSLVerifyHost.cpp:489 +msgid "hostname verification error" +msgstr "" + +#: User.cpp:507 +msgid "" +"Invalid network name. It should be alphanumeric. Not to be confused with " +"server name" +msgstr "" + +#: User.cpp:511 +msgid "Network {1} already exists" +msgstr "" + +#: User.cpp:777 +msgid "" +"You are being disconnected because your IP is no longer allowed to connect " +"to this user" +msgstr "" + +#: User.cpp:912 +msgid "Password is empty" +msgstr "" + +#: User.cpp:917 +msgid "Username is empty" +msgstr "" + +#: User.cpp:922 +msgid "Username is invalid" +msgstr "" + +#: User.cpp:1199 +msgid "Unable to find modinfo {1}: {2}" +msgstr "" From ff434423a16f87c6dac006866d189221a97e3232 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Mon, 15 Feb 2021 00:29:04 +0000 Subject: [PATCH 519/798] Update translations from Crowdin for ro_RO --- src/po/znc.ro_RO.po | 50 ++++++++++++++++++++++----------------------- 1 file changed, 25 insertions(+), 25 deletions(-) diff --git a/src/po/znc.ro_RO.po b/src/po/znc.ro_RO.po index 9b98fe14..1410c85c 100644 --- a/src/po/znc.ro_RO.po +++ b/src/po/znc.ro_RO.po @@ -265,55 +265,55 @@ msgstr "Salut. Cu ce te pot ajuta?" #: Client.cpp:1338 msgid "Usage: /attach <#chans>" -msgstr "" +msgstr "Utilizează: /attach <#canale>" #: Client.cpp:1345 Client.cpp:1367 ClientCommand.cpp:129 ClientCommand.cpp:151 #: ClientCommand.cpp:423 ClientCommand.cpp:450 msgid "There was {1} channel matching [{2}]" msgid_plural "There were {1} channels matching [{2}]" -msgstr[0] "" +msgstr[0] "A existat {1} canal care se potrivește cu [{2}]" msgstr[1] "" -msgstr[2] "" +msgstr[2] "Au existat {1} canale care se potrivesc cu [{2}]" #: Client.cpp:1348 ClientCommand.cpp:132 msgid "Attached {1} channel" msgid_plural "Attached {1} channels" -msgstr[0] "" +msgstr[0] "Am atașat {1} canal" msgstr[1] "" -msgstr[2] "" +msgstr[2] "Am atașat {1} canale" #: Client.cpp:1360 msgid "Usage: /detach <#chans>" -msgstr "" +msgstr "Utilizează: /detach <#canale>" #: Client.cpp:1370 ClientCommand.cpp:154 msgid "Detached {1} channel" msgid_plural "Detached {1} channels" -msgstr[0] "" +msgstr[0] "Detașează {1} canal" msgstr[1] "" -msgstr[2] "" +msgstr[2] "Detașează {1} canale" #: Chan.cpp:678 msgid "Buffer Playback..." -msgstr "" +msgstr "Redare buffer..." #: Chan.cpp:716 msgid "Playback Complete." -msgstr "" +msgstr "Redare completă." #: Modules.cpp:528 msgctxt "modhelpcmd" msgid "" -msgstr "" +msgstr "" #: Modules.cpp:529 msgctxt "modhelpcmd" msgid "Generate this output" -msgstr "" +msgstr "Generați această ieșire" #: Modules.cpp:573 ClientCommand.cpp:1972 msgid "No matches for '{1}'" -msgstr "" +msgstr "Nu există potriviri pentru „{1}”" #: Modules.cpp:691 msgid "This module doesn't implement any commands." @@ -444,15 +444,15 @@ msgstr "" #: ClientCommand.cpp:91 ClientCommand.cpp:106 msgid "Nick" -msgstr "" +msgstr "Nume" #: ClientCommand.cpp:92 ClientCommand.cpp:107 msgid "Ident" -msgstr "" +msgstr "Ident" #: ClientCommand.cpp:93 ClientCommand.cpp:108 msgid "Host" -msgstr "" +msgstr "Host" #: ClientCommand.cpp:122 msgid "Usage: Attach <#chans>" @@ -464,7 +464,7 @@ msgstr "" #: ClientCommand.cpp:161 msgid "There is no MOTD set." -msgstr "" +msgstr "Nu există nici un MOTD setat." #: ClientCommand.cpp:167 msgid "Rehashing succeeded!" @@ -497,12 +497,12 @@ msgstr "" #: ClientCommand.cpp:203 ClientCommand.cpp:209 msgctxt "listclientscmd" msgid "Host" -msgstr "" +msgstr "Host" #: ClientCommand.cpp:204 ClientCommand.cpp:212 msgctxt "listclientscmd" msgid "Network" -msgstr "" +msgstr "Rețea" #: ClientCommand.cpp:205 ClientCommand.cpp:215 msgctxt "listclientscmd" @@ -512,7 +512,7 @@ msgstr "" #: ClientCommand.cpp:223 ClientCommand.cpp:229 msgctxt "listuserscmd" msgid "Username" -msgstr "" +msgstr "Utilizator" #: ClientCommand.cpp:224 ClientCommand.cpp:230 msgctxt "listuserscmd" @@ -528,12 +528,12 @@ msgstr "" #: ClientCommand.cpp:263 msgctxt "listallusernetworkscmd" msgid "Username" -msgstr "" +msgstr "Utilizator" #: ClientCommand.cpp:241 ClientCommand.cpp:251 ClientCommand.cpp:266 msgctxt "listallusernetworkscmd" msgid "Network" -msgstr "" +msgstr "Rețea" #: ClientCommand.cpp:242 ClientCommand.cpp:252 ClientCommand.cpp:268 msgctxt "listallusernetworkscmd" @@ -543,17 +543,17 @@ msgstr "" #: ClientCommand.cpp:243 ClientCommand.cpp:271 ClientCommand.cpp:280 msgctxt "listallusernetworkscmd" msgid "On IRC" -msgstr "" +msgstr "Pe IRC" #: ClientCommand.cpp:244 ClientCommand.cpp:273 msgctxt "listallusernetworkscmd" msgid "IRC Server" -msgstr "" +msgstr "Server IRC" #: ClientCommand.cpp:245 ClientCommand.cpp:275 msgctxt "listallusernetworkscmd" msgid "IRC User" -msgstr "" +msgstr "Utilizator IRC" #: ClientCommand.cpp:246 ClientCommand.cpp:277 msgctxt "listallusernetworkscmd" From f2cdc3dbd48626a92b83a3fdd49824103bad7ce3 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Thu, 25 Feb 2021 00:29:35 +0000 Subject: [PATCH 520/798] Update translations from Crowdin for ro_RO --- src/po/znc.ro_RO.po | 16 +++++++++------- 1 file changed, 9 insertions(+), 7 deletions(-) diff --git a/src/po/znc.ro_RO.po b/src/po/znc.ro_RO.po index 1410c85c..1a1c7bd3 100644 --- a/src/po/znc.ro_RO.po +++ b/src/po/znc.ro_RO.po @@ -317,25 +317,27 @@ msgstr "Nu există potriviri pentru „{1}”" #: Modules.cpp:691 msgid "This module doesn't implement any commands." -msgstr "" +msgstr "Acest modul nu implementează nicio comandă." #: Modules.cpp:693 msgid "Unknown command!" -msgstr "" +msgstr "Comandă necunoscută!" #: Modules.cpp:1633 msgid "" "Module names can only contain letters, numbers and underscores, [{1}] is " "invalid" msgstr "" +"Numele modulelor pot conține doar litere, cifre și sublinieri, [{1}] este " +"invalid" #: Modules.cpp:1652 msgid "Module {1} already loaded." -msgstr "" +msgstr "Modulul {1} a fost deja încărcat." #: Modules.cpp:1666 msgid "Unable to find module {1}" -msgstr "" +msgstr "Imposibil de găsit modulul {1}" #: Modules.cpp:1678 msgid "Module {1} does not support module type {2}." @@ -383,7 +385,7 @@ msgstr "" #: Modules.cpp:1963 msgid "Unknown error" -msgstr "" +msgstr "Eroare necunoscută" #: Modules.cpp:1964 msgid "Unable to open module {1}: {2}" @@ -408,12 +410,12 @@ msgstr "" #: Modules.cpp:2023 Modules.cpp:2029 msgctxt "modhelpcmd" msgid "Command" -msgstr "" +msgstr "Comandă" #: Modules.cpp:2024 Modules.cpp:2031 msgctxt "modhelpcmd" msgid "Description" -msgstr "" +msgstr "Descriere" #: ClientCommand.cpp:51 ClientCommand.cpp:115 ClientCommand.cpp:137 #: ClientCommand.cpp:339 ClientCommand.cpp:390 ClientCommand.cpp:405 From 57c94b8be9c76dbc9af6ba6b1c87010c726d60fc Mon Sep 17 00:00:00 2001 From: satyanash Date: Mon, 29 Mar 2021 01:25:22 +0530 Subject: [PATCH 521/798] change message when staying in foreground --- src/main.cpp | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/src/main.cpp b/src/main.cpp index b9dba7f0..fd4815c7 100644 --- a/src/main.cpp +++ b/src/main.cpp @@ -472,7 +472,7 @@ int main(int argc, char** argv) { if (bForeground) { int iPid = getpid(); - CUtils::PrintMessage("Staying open for debugging [pid: " + + CUtils::PrintMessage("Running in foreground [pid: " + CString(iPid) + "]"); pZNC->WritePidFile(iPid); From a646fadf673bb47b9faa71cad20849d4e1b1c9aa Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Fri, 2 Apr 2021 00:29:50 +0000 Subject: [PATCH 522/798] Update translations from Crowdin for --- TRANSLATORS.md | 1 + 1 file changed, 1 insertion(+) diff --git a/TRANSLATORS.md b/TRANSLATORS.md index e1a9cb73..b0addd6f 100644 --- a/TRANSLATORS.md +++ b/TRANSLATORS.md @@ -21,6 +21,7 @@ These people helped translating ZNC to various languages: * PauloHeaven (Paul) * psychon * rockytvbr (Alexandre Oliveira) +* shillos5 (Nicholas Kyriakides) * simos (filippo.cortigiani) * sukien * SunOS From 8296426c3383393445a64d02e9fa808e6d9a3fde Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Sun, 4 Apr 2021 00:29:29 +0000 Subject: [PATCH 523/798] Update translations from Crowdin for fr_FR --- TRANSLATORS.md | 1 + modules/po/autoreply.fr_FR.po | 12 ++++---- modules/po/awaystore.fr_FR.po | 46 +++++++++++++++++------------- modules/po/block_motd.fr_FR.po | 8 ++++-- modules/po/blockuser.fr_FR.po | 39 +++++++++++++------------- modules/po/bouncedcc.fr_FR.po | 51 +++++++++++++++++++--------------- modules/po/buffextras.fr_FR.po | 18 ++++++------ src/po/znc.fr_FR.po | 36 ++++++++++++------------ 8 files changed, 114 insertions(+), 97 deletions(-) diff --git a/TRANSLATORS.md b/TRANSLATORS.md index b0addd6f..693eff1a 100644 --- a/TRANSLATORS.md +++ b/TRANSLATORS.md @@ -20,6 +20,7 @@ These people helped translating ZNC to various languages: * natinaum (natinaum) * PauloHeaven (Paul) * psychon +* remhaze * rockytvbr (Alexandre Oliveira) * shillos5 (Nicholas Kyriakides) * simos (filippo.cortigiani) diff --git a/modules/po/autoreply.fr_FR.po b/modules/po/autoreply.fr_FR.po index 01176d4d..0f959521 100644 --- a/modules/po/autoreply.fr_FR.po +++ b/modules/po/autoreply.fr_FR.po @@ -18,26 +18,28 @@ msgstr "" #: autoreply.cpp:25 msgid "Sets a new reply" -msgstr "" +msgstr "Configurer une nouvelle réponse" #: autoreply.cpp:27 msgid "Displays the current query reply" -msgstr "" +msgstr "Afficher les réponses aux requêtes actuelles" #: autoreply.cpp:75 msgid "Current reply is: {1} ({2})" -msgstr "" +msgstr "La réponse actuelle est : {1} ({2})" #: autoreply.cpp:81 msgid "New reply set to: {1} ({2})" -msgstr "" +msgstr "Nouvelle réponse réglée comme : {1} ({2})" #: autoreply.cpp:94 msgid "" "You might specify a reply text. It is used when automatically answering " "queries, if you are not connected to ZNC." msgstr "" +"Vous devez spécifier une réponse. Elle est utilisée pour répondre " +"automatiquement au requêtes, si vous n'êtes pas connecté à ZNC." #: autoreply.cpp:98 msgid "Reply to queries when you are away" -msgstr "" +msgstr "Réponse aux requêtes quand vous êtes marqué absent" diff --git a/modules/po/awaystore.fr_FR.po b/modules/po/awaystore.fr_FR.po index 314c4916..326194c7 100644 --- a/modules/po/awaystore.fr_FR.po +++ b/modules/po/awaystore.fr_FR.po @@ -14,97 +14,103 @@ msgstr "" #: awaystore.cpp:67 msgid "You have been marked as away" -msgstr "" +msgstr "Vous avez été marqué comme absent" #: awaystore.cpp:78 awaystore.cpp:385 awaystore.cpp:388 msgid "Welcome back!" -msgstr "" +msgstr "Content de te revoir !" #: awaystore.cpp:100 msgid "Deleted {1} messages" -msgstr "" +msgstr "Supprimé {1} messages" #: awaystore.cpp:104 msgid "USAGE: delete " -msgstr "" +msgstr "UTILISATION : delete " #: awaystore.cpp:109 msgid "Illegal message # requested" -msgstr "" +msgstr "Numéro de message demandé non conforme" #: awaystore.cpp:113 msgid "Message erased" -msgstr "" +msgstr "Message supprimé" #: awaystore.cpp:122 msgid "Messages saved to disk" -msgstr "" +msgstr "Message sauvegardé sur le disque" #: awaystore.cpp:124 msgid "There are no messages to save" -msgstr "" +msgstr "Il n'y a pas de message à sauvegarder" #: awaystore.cpp:135 msgid "Password updated to [{1}]" -msgstr "" +msgstr "Mot de passe mise à jour à [{1}]" #: awaystore.cpp:147 msgid "Corrupt message! [{1}]" -msgstr "" +msgstr "Message endommagé ! [{1}]" #: awaystore.cpp:159 msgid "Corrupt time stamp! [{1}]" -msgstr "" +msgstr "Données de temps endommagée ! [{1}]" #: awaystore.cpp:178 msgid "#--- End of messages" -msgstr "" +msgstr "#-- Fin des messages" #: awaystore.cpp:183 msgid "Timer set to 300 seconds" -msgstr "" +msgstr "Timer réglé à 300 seconds" #: awaystore.cpp:188 awaystore.cpp:197 msgid "Timer disabled" -msgstr "" +msgstr "Timer désactivé" #: awaystore.cpp:199 msgid "Timer set to {1} seconds" -msgstr "" +msgstr "Timer réglé à {1} secondes" #: awaystore.cpp:203 msgid "Current timer setting: {1} seconds" -msgstr "" +msgstr "Réglage du timer actuel à : {1} secondes" #: awaystore.cpp:278 msgid "This module needs as an argument a keyphrase used for encryption" -msgstr "" +msgstr "Ce module a besoin d'un mot de passe comme argument pour l'encryption" #: awaystore.cpp:285 msgid "" "Failed to decrypt your saved messages - Did you give the right encryption " "key as an argument to this module?" msgstr "" +"Échec du décryptage de vos messages sauvegardés - Avez-vous entré le bon mot " +"de passe comme argument du module ?" #: awaystore.cpp:386 awaystore.cpp:389 msgid "You have {1} messages!" -msgstr "" +msgstr "Vous avez {1} messages !" #: awaystore.cpp:456 msgid "Unable to find buffer" -msgstr "" +msgstr "Impossible de trouver le tampon" #: awaystore.cpp:469 msgid "Unable to decode encrypted messages" -msgstr "" +msgstr "Impossible de décrypter les messages encryptés" #: awaystore.cpp:516 msgid "" "[ -notimer | -timer N ] [-chans] passw0rd . N is number of seconds, 600 by " "default." msgstr "" +"[ -notimer | -timer N ] [-chans] passw0rd . N est le nombre de secondes, " +"600 par défaut." #: awaystore.cpp:521 msgid "" "Adds auto-away with logging, useful when you use ZNC from different locations" msgstr "" +"Ajouter l'auto-away à la connexion, utile quand vous utilisez ZNC depuis " +"différents endroits" diff --git a/modules/po/block_motd.fr_FR.po b/modules/po/block_motd.fr_FR.po index c0098990..7bd94c1a 100644 --- a/modules/po/block_motd.fr_FR.po +++ b/modules/po/block_motd.fr_FR.po @@ -21,15 +21,17 @@ msgid "" "Override the block with this command. Can optionally specify which server to " "query." msgstr "" +"Écrase le bloc avec cette commande. Un serveur peut-être optionnellement " +"spécifié pour la requête." #: block_motd.cpp:36 msgid "You are not connected to an IRC Server." -msgstr "" +msgstr "Vous n'êtes pas connecté à un serveur RIC." #: block_motd.cpp:58 msgid "MOTD blocked by ZNC" -msgstr "" +msgstr "MOTD bloqué par ZNC" #: block_motd.cpp:104 msgid "Block the MOTD from IRC so it's not sent to your client(s)." -msgstr "" +msgstr "Bloque le MOTD du serveur, il ne sera pas envoyé à votre client." diff --git a/modules/po/blockuser.fr_FR.po b/modules/po/blockuser.fr_FR.po index c52cb906..b6c10a3a 100644 --- a/modules/po/blockuser.fr_FR.po +++ b/modules/po/blockuser.fr_FR.po @@ -14,15 +14,15 @@ msgstr "" #: modules/po/../data/blockuser/tmpl/blockuser_WebadminUser.tmpl:9 msgid "Account is blocked" -msgstr "" +msgstr "Compte bloqué" #: blockuser.cpp:23 msgid "Your account has been disabled. Contact your administrator." -msgstr "" +msgstr "Votre compte a été désactivé. Contactez votre administrateur." #: blockuser.cpp:29 msgid "List blocked users" -msgstr "" +msgstr "Liste des utilisateurs bloqués" #: blockuser.cpp:31 blockuser.cpp:33 msgid "" @@ -30,68 +30,69 @@ msgstr "" #: blockuser.cpp:31 msgid "Block a user" -msgstr "" +msgstr "Bloquer un utilisateur" #: blockuser.cpp:33 msgid "Unblock a user" -msgstr "" +msgstr "Débloquer un utilisateur" #: blockuser.cpp:55 msgid "Could not block {1}" -msgstr "" +msgstr "Impossible de bloquer {1}" #: blockuser.cpp:76 msgid "Access denied" -msgstr "" +msgstr "Accès refusé" #: blockuser.cpp:85 msgid "No users are blocked" -msgstr "" +msgstr "Aucun utilisateur n'est bloqué" #: blockuser.cpp:88 msgid "Blocked users:" -msgstr "" +msgstr "Utilisateurs bloqués :" #: blockuser.cpp:100 msgid "Usage: Block " -msgstr "" +msgstr "Utilisation : Block " #: blockuser.cpp:105 blockuser.cpp:147 msgid "You can't block yourself" -msgstr "" +msgstr "Vous ne pouvez pas vous bloquer vous-même" #: blockuser.cpp:110 blockuser.cpp:152 msgid "Blocked {1}" -msgstr "" +msgstr "Bloqué {1}" #: blockuser.cpp:112 msgid "Could not block {1} (misspelled?)" -msgstr "" +msgstr "Impossible de bloquer {1} (Erreur de frappe ?)" #: blockuser.cpp:120 msgid "Usage: Unblock " -msgstr "" +msgstr "Utilisation : Unblock " #: blockuser.cpp:125 blockuser.cpp:161 msgid "Unblocked {1}" -msgstr "" +msgstr "Débloqué {1}" #: blockuser.cpp:127 msgid "This user is not blocked" -msgstr "" +msgstr "Cet utilisateur n'est pas bloqué" #: blockuser.cpp:155 msgid "Couldn't block {1}" -msgstr "" +msgstr "Impossible de bloquer {1}" #: blockuser.cpp:164 msgid "User {1} is not blocked" -msgstr "" +msgstr "L'utilisateur {1} n'est pas bloqué" #: blockuser.cpp:216 msgid "Enter one or more user names. Separate them by spaces." msgstr "" +"Saisissez un ou plusieurs noms d'utilisateur. Séparez-les par des espaces." #: blockuser.cpp:219 msgid "Block certain users from logging in." -msgstr "" +msgstr "Bloquer certains utilisateurs de se connecter." diff --git a/modules/po/bouncedcc.fr_FR.po b/modules/po/bouncedcc.fr_FR.po index fa4c8913..0b233341 100644 --- a/modules/po/bouncedcc.fr_FR.po +++ b/modules/po/bouncedcc.fr_FR.po @@ -15,117 +15,122 @@ msgstr "" #: bouncedcc.cpp:101 bouncedcc.cpp:119 bouncedcc.cpp:121 msgctxt "list" msgid "Type" -msgstr "" +msgstr "Type" #: bouncedcc.cpp:102 bouncedcc.cpp:132 msgctxt "list" msgid "State" -msgstr "" +msgstr "État" #: bouncedcc.cpp:103 msgctxt "list" msgid "Speed" -msgstr "" +msgstr "Vitesse" #: bouncedcc.cpp:104 bouncedcc.cpp:115 msgctxt "list" msgid "Nick" -msgstr "" +msgstr "Pseudo (nick)" #: bouncedcc.cpp:105 bouncedcc.cpp:116 msgctxt "list" msgid "IP" -msgstr "" +msgstr "IP" #: bouncedcc.cpp:106 bouncedcc.cpp:122 msgctxt "list" msgid "File" -msgstr "" +msgstr "Fichier" #: bouncedcc.cpp:119 msgctxt "list" msgid "Chat" -msgstr "" +msgstr "Chat" #: bouncedcc.cpp:121 msgctxt "list" msgid "Xfer" -msgstr "" +msgstr "Xfer" #: bouncedcc.cpp:125 msgid "Waiting" -msgstr "" +msgstr "Attente" #: bouncedcc.cpp:127 msgid "Halfway" -msgstr "" +msgstr "Mi-Chemin" #: bouncedcc.cpp:129 msgid "Connected" -msgstr "" +msgstr "Connecté" #: bouncedcc.cpp:137 msgid "You have no active DCCs." -msgstr "" +msgstr "Vous n'avez aucun DCC actif." #: bouncedcc.cpp:148 msgid "Use client IP: {1}" -msgstr "" +msgstr "Utiliser l'IP du client : {1}" #: bouncedcc.cpp:153 msgid "List all active DCCs" -msgstr "" +msgstr "Lister tous les DCCs actifs" #: bouncedcc.cpp:156 msgid "Change the option to use IP of client" -msgstr "" +msgstr "Changer l'option d'utiliser l'IP du client" #: bouncedcc.cpp:383 bouncedcc.cpp:412 bouncedcc.cpp:436 bouncedcc.cpp:451 msgctxt "type" msgid "Chat" -msgstr "" +msgstr "Chat" #: bouncedcc.cpp:383 bouncedcc.cpp:412 bouncedcc.cpp:436 bouncedcc.cpp:451 msgctxt "type" msgid "Xfer" -msgstr "" +msgstr "Xfer" #: bouncedcc.cpp:385 msgid "DCC {1} Bounce ({2}): Too long line received" -msgstr "" +msgstr "DCC {1} Bounce ({2}) : Ligne trop longue pour être reçue" #: bouncedcc.cpp:418 msgid "DCC {1} Bounce ({2}): Timeout while connecting to {3} {4}" msgstr "" +"DCC {1} Bounce ({2}) : Temps d'attente dépassé en se connectant à {3} {4}" #: bouncedcc.cpp:422 msgid "DCC {1} Bounce ({2}): Timeout while connecting." -msgstr "" +msgstr "DCC {1} Bounce ({2}) : Temps d'attente dépassé en se connectant." #: bouncedcc.cpp:427 msgid "" "DCC {1} Bounce ({2}): Timeout while waiting for incoming connection on {3} " "{4}" msgstr "" +"DCC {1} Bounce ({2}) : Temps d'attente dépassé pour les connexion entrant " +"sur {3} {4}" #: bouncedcc.cpp:440 msgid "DCC {1} Bounce ({2}): Connection refused while connecting to {3} {4}" -msgstr "" +msgstr "DCC {1} Bounce ({2}) : Connexion refusée en se connectant à {3} {4}" #: bouncedcc.cpp:444 msgid "DCC {1} Bounce ({2}): Connection refused while connecting." -msgstr "" +msgstr "DCC {1} Bounce ({2}) : Connexion refusée durant la connexion." #: bouncedcc.cpp:457 bouncedcc.cpp:465 msgid "DCC {1} Bounce ({2}): Socket error on {3} {4}: {5}" -msgstr "" +msgstr "DCC {1} Bounce ({2}) : Erreur de socket sur {3} {4}: {5}" #: bouncedcc.cpp:460 msgid "DCC {1} Bounce ({2}): Socket error: {3}" -msgstr "" +msgstr "DCC {1} Bounce ({2}) : Erreur de socket : {3}" #: bouncedcc.cpp:547 msgid "" "Bounces DCC transfers through ZNC instead of sending them directly to the " "user. " msgstr "" +"Bouncer les transferts DCC via ZNC au lieu de les envoyer directement à " +"l’utilisateur. " diff --git a/modules/po/buffextras.fr_FR.po b/modules/po/buffextras.fr_FR.po index c62da85d..58a17307 100644 --- a/modules/po/buffextras.fr_FR.po +++ b/modules/po/buffextras.fr_FR.po @@ -14,36 +14,36 @@ msgstr "" #: buffextras.cpp:45 msgid "Server" -msgstr "" +msgstr "Serveur" #: buffextras.cpp:47 msgid "{1} set mode: {2} {3}" -msgstr "" +msgstr "{1} mode défini : {2} {3}" #: buffextras.cpp:55 msgid "{1} kicked {2} with reason: {3}" -msgstr "" +msgstr "{1} kické {2} avec comme raison : {3}" #: buffextras.cpp:64 msgid "{1} quit: {2}" -msgstr "" +msgstr "{1} quit: {2}" #: buffextras.cpp:73 msgid "{1} joined" -msgstr "" +msgstr "{1} a rejoint" #: buffextras.cpp:81 msgid "{1} parted: {2}" -msgstr "" +msgstr "{1} est parti de : {2}" #: buffextras.cpp:90 msgid "{1} is now known as {2}" -msgstr "" +msgstr "{1} est maintenant connu comme {2}" #: buffextras.cpp:100 msgid "{1} changed the topic to: {2}" -msgstr "" +msgstr "{1} a changé le topic en : {2}" #: buffextras.cpp:115 msgid "Adds joins, parts etc. to the playback buffer" -msgstr "" +msgstr "Ajouter les joins, parts etc. à la mise en mémoire tampon" diff --git a/src/po/znc.fr_FR.po b/src/po/znc.fr_FR.po index c0bd0c97..7a531cf4 100644 --- a/src/po/znc.fr_FR.po +++ b/src/po/znc.fr_FR.po @@ -101,7 +101,7 @@ msgstr "" #: IRCNetwork.cpp:948 msgid "Invalid index" -msgstr "" +msgstr "Index non valide" #: IRCNetwork.cpp:956 IRCNetwork.cpp:972 IRCNetwork.cpp:980 #: ClientCommand.cpp:1405 @@ -510,12 +510,12 @@ msgstr "Aucun client connecté" #: ClientCommand.cpp:203 ClientCommand.cpp:209 msgctxt "listclientscmd" msgid "Host" -msgstr "" +msgstr "Hôte" #: ClientCommand.cpp:204 ClientCommand.cpp:212 msgctxt "listclientscmd" msgid "Network" -msgstr "" +msgstr "Réseau" #: ClientCommand.cpp:205 ClientCommand.cpp:215 msgctxt "listclientscmd" @@ -525,7 +525,7 @@ msgstr "Identifiant" #: ClientCommand.cpp:223 ClientCommand.cpp:229 msgctxt "listuserscmd" msgid "Username" -msgstr "" +msgstr "Identifiant" #: ClientCommand.cpp:224 ClientCommand.cpp:230 msgctxt "listuserscmd" @@ -541,12 +541,12 @@ msgstr "Clients" #: ClientCommand.cpp:263 msgctxt "listallusernetworkscmd" msgid "Username" -msgstr "" +msgstr "Identifiant" #: ClientCommand.cpp:241 ClientCommand.cpp:251 ClientCommand.cpp:266 msgctxt "listallusernetworkscmd" msgid "Network" -msgstr "" +msgstr "Réseau" #: ClientCommand.cpp:242 ClientCommand.cpp:252 ClientCommand.cpp:268 msgctxt "listallusernetworkscmd" @@ -556,22 +556,22 @@ msgstr "Clients" #: ClientCommand.cpp:243 ClientCommand.cpp:271 ClientCommand.cpp:280 msgctxt "listallusernetworkscmd" msgid "On IRC" -msgstr "" +msgstr "Sur IRC" #: ClientCommand.cpp:244 ClientCommand.cpp:273 msgctxt "listallusernetworkscmd" msgid "IRC Server" -msgstr "" +msgstr "Serveur IRC" #: ClientCommand.cpp:245 ClientCommand.cpp:275 msgctxt "listallusernetworkscmd" msgid "IRC User" -msgstr "" +msgstr "Utilisateur IRC" #: ClientCommand.cpp:246 ClientCommand.cpp:277 msgctxt "listallusernetworkscmd" msgid "Channels" -msgstr "" +msgstr "Channels" #: ClientCommand.cpp:251 msgid "N/A" @@ -580,12 +580,12 @@ msgstr "N/D" #: ClientCommand.cpp:272 msgctxt "listallusernetworkscmd" msgid "Yes" -msgstr "" +msgstr "Oui" #: ClientCommand.cpp:281 msgctxt "listallusernetworkscmd" msgid "No" -msgstr "" +msgstr "Non" #: ClientCommand.cpp:291 msgid "Usage: SetMOTD " @@ -660,19 +660,19 @@ msgstr[1] "{1} canaux désactivés" #: ClientCommand.cpp:466 msgid "Usage: MoveChan <#chan> " -msgstr "" +msgstr "Utilisation : MoveChan <#chan> " #: ClientCommand.cpp:474 msgid "Moved channel {1} to index {2}" -msgstr "" +msgstr "Channel {1} déplacé à l'index {2}" #: ClientCommand.cpp:487 msgid "Usage: SwapChans <#chan1> <#chan2>" -msgstr "" +msgstr "Utilisation : SwapChans <#chan1> <#chan2>" #: ClientCommand.cpp:493 msgid "Swapped channels {1} and {2}" -msgstr "" +msgstr "Échange des channels {1} et {2}" #: ClientCommand.cpp:510 msgid "Usage: ListChans" @@ -693,7 +693,7 @@ msgstr "Aucun salon n'a été configuré." #: ClientCommand.cpp:539 ClientCommand.cpp:557 msgctxt "listchans" msgid "Index" -msgstr "" +msgstr "Index" #: ClientCommand.cpp:540 ClientCommand.cpp:558 msgctxt "listchans" @@ -1616,7 +1616,7 @@ msgstr "Désactive les salons" #: ClientCommand.cpp:1829 msgctxt "helpcmd|MoveChan|args" msgid "<#chan> " -msgstr "" +msgstr "<#chan> " #: ClientCommand.cpp:1830 msgctxt "helpcmd|MoveChan|desc" From 4393b9d906996271344babb819fab53d0729643a Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Thu, 8 Apr 2021 08:49:21 +0100 Subject: [PATCH 524/798] Fix controlpanel output Accidentally broken in fe8d447a6062c661541361b5587c6172f19bc9ed --- modules/controlpanel.cpp | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/modules/controlpanel.cpp b/modules/controlpanel.cpp index c6f94a95..85d676bd 100644 --- a/modules/controlpanel.cpp +++ b/modules/controlpanel.cpp @@ -165,11 +165,12 @@ class CAdminMod : public CModule { "using the SetChan/GetChan commands:")); } - if (sCmdFilter.empty()) + if (sCmdFilter.empty()) { PutModule(""); PutModule( t_s("You can use $user as the user name and $network as the " "network name for modifying your own user and network.")); + } } CUser* FindUser(const CString& sUsername) { From e0ffdddd473e97cb843f2bc8ad4fa16cf47c65b4 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Fri, 9 Apr 2021 00:30:38 +0000 Subject: [PATCH 525/798] Update translations from Crowdin for bg_BG de_DE el_GR es_ES fr_FR id_ID it_IT nl_NL pl_PL pt_BR ro_RO ru_RU --- modules/po/controlpanel.bg_BG.po | 338 +++++++++++++++---------------- modules/po/controlpanel.de_DE.po | 320 ++++++++++++++--------------- modules/po/controlpanel.el_GR.po | 338 +++++++++++++++---------------- modules/po/controlpanel.es_ES.po | 320 ++++++++++++++--------------- modules/po/controlpanel.fr_FR.po | 320 ++++++++++++++--------------- modules/po/controlpanel.id_ID.po | 338 +++++++++++++++---------------- modules/po/controlpanel.it_IT.po | 320 ++++++++++++++--------------- modules/po/controlpanel.nl_NL.po | 320 ++++++++++++++--------------- modules/po/controlpanel.pl_PL.po | 320 ++++++++++++++--------------- modules/po/controlpanel.pot | 338 +++++++++++++++---------------- modules/po/controlpanel.pt_BR.po | 326 ++++++++++++++--------------- modules/po/controlpanel.ro_RO.po | 338 +++++++++++++++---------------- modules/po/controlpanel.ru_RU.po | 338 +++++++++++++++---------------- 13 files changed, 2137 insertions(+), 2137 deletions(-) diff --git a/modules/po/controlpanel.bg_BG.po b/modules/po/controlpanel.bg_BG.po index 9275294b..157ce89c 100644 --- a/modules/po/controlpanel.bg_BG.po +++ b/modules/po/controlpanel.bg_BG.po @@ -60,658 +60,658 @@ msgid "" "modifying your own user and network." msgstr "" -#: controlpanel.cpp:180 controlpanel.cpp:967 controlpanel.cpp:1004 +#: controlpanel.cpp:181 controlpanel.cpp:968 controlpanel.cpp:1005 msgid "Error: User [{1}] does not exist!" msgstr "" -#: controlpanel.cpp:185 +#: controlpanel.cpp:186 msgid "Error: You need to have admin rights to modify other users!" msgstr "" -#: controlpanel.cpp:195 +#: controlpanel.cpp:196 msgid "Error: You cannot use $network to modify other users!" msgstr "" -#: controlpanel.cpp:203 +#: controlpanel.cpp:204 msgid "Error: User {1} does not have a network named [{2}]." msgstr "" -#: controlpanel.cpp:215 +#: controlpanel.cpp:216 msgid "Usage: Get [username]" msgstr "" -#: controlpanel.cpp:305 controlpanel.cpp:508 controlpanel.cpp:583 -#: controlpanel.cpp:659 controlpanel.cpp:794 controlpanel.cpp:879 +#: controlpanel.cpp:306 controlpanel.cpp:509 controlpanel.cpp:584 +#: controlpanel.cpp:660 controlpanel.cpp:795 controlpanel.cpp:880 msgid "Error: Unknown variable" msgstr "" -#: controlpanel.cpp:314 +#: controlpanel.cpp:315 msgid "Usage: Set " msgstr "" -#: controlpanel.cpp:336 controlpanel.cpp:624 +#: controlpanel.cpp:337 controlpanel.cpp:625 msgid "This bind host is already set!" msgstr "" -#: controlpanel.cpp:343 controlpanel.cpp:355 controlpanel.cpp:363 -#: controlpanel.cpp:426 controlpanel.cpp:445 controlpanel.cpp:461 -#: controlpanel.cpp:471 controlpanel.cpp:631 +#: controlpanel.cpp:344 controlpanel.cpp:356 controlpanel.cpp:364 +#: controlpanel.cpp:427 controlpanel.cpp:446 controlpanel.cpp:462 +#: controlpanel.cpp:472 controlpanel.cpp:632 msgid "Access denied!" msgstr "" -#: controlpanel.cpp:377 controlpanel.cpp:386 controlpanel.cpp:843 +#: controlpanel.cpp:378 controlpanel.cpp:387 controlpanel.cpp:844 msgid "Setting failed, limit for buffer size is {1}" msgstr "" -#: controlpanel.cpp:406 +#: controlpanel.cpp:407 msgid "Password has been changed!" msgstr "" -#: controlpanel.cpp:414 +#: controlpanel.cpp:415 msgid "Timeout can't be less than 30 seconds!" msgstr "" -#: controlpanel.cpp:478 +#: controlpanel.cpp:479 msgid "That would be a bad idea!" msgstr "" -#: controlpanel.cpp:496 +#: controlpanel.cpp:497 msgid "Supported languages: {1}" msgstr "" -#: controlpanel.cpp:520 +#: controlpanel.cpp:521 msgid "Usage: GetNetwork [username] [network]" msgstr "" -#: controlpanel.cpp:539 +#: controlpanel.cpp:540 msgid "Error: A network must be specified to get another users settings." msgstr "" -#: controlpanel.cpp:545 +#: controlpanel.cpp:546 msgid "You are not currently attached to a network." msgstr "" -#: controlpanel.cpp:551 +#: controlpanel.cpp:552 msgid "Error: Invalid network." msgstr "" -#: controlpanel.cpp:595 +#: controlpanel.cpp:596 msgid "Usage: SetNetwork " msgstr "" -#: controlpanel.cpp:669 +#: controlpanel.cpp:670 msgid "Usage: AddChan " msgstr "" -#: controlpanel.cpp:682 +#: controlpanel.cpp:683 msgid "Error: User {1} already has a channel named {2}." msgstr "" -#: controlpanel.cpp:689 +#: controlpanel.cpp:690 msgid "Channel {1} for user {2} added to network {3}." msgstr "" -#: controlpanel.cpp:693 +#: controlpanel.cpp:694 msgid "" "Could not add channel {1} for user {2} to network {3}, does it already exist?" msgstr "" -#: controlpanel.cpp:703 +#: controlpanel.cpp:704 msgid "Usage: DelChan " msgstr "" -#: controlpanel.cpp:718 +#: controlpanel.cpp:719 msgid "Error: User {1} does not have any channel matching [{2}] in network {3}" msgstr "" -#: controlpanel.cpp:731 +#: controlpanel.cpp:732 msgid "Channel {1} is deleted from network {2} of user {3}" msgid_plural "Channels {1} are deleted from network {2} of user {3}" msgstr[0] "" msgstr[1] "" -#: controlpanel.cpp:746 +#: controlpanel.cpp:747 msgid "Usage: GetChan " msgstr "" -#: controlpanel.cpp:760 controlpanel.cpp:824 +#: controlpanel.cpp:761 controlpanel.cpp:825 msgid "Error: No channels matching [{1}] found." msgstr "" -#: controlpanel.cpp:809 +#: controlpanel.cpp:810 msgid "Usage: SetChan " msgstr "" -#: controlpanel.cpp:890 controlpanel.cpp:900 -msgctxt "listusers" -msgid "Username" -msgstr "" - #: controlpanel.cpp:891 controlpanel.cpp:901 msgctxt "listusers" +msgid "Username" +msgstr "" + +#: controlpanel.cpp:892 controlpanel.cpp:902 +msgctxt "listusers" msgid "Realname" msgstr "" -#: controlpanel.cpp:892 controlpanel.cpp:904 controlpanel.cpp:906 +#: controlpanel.cpp:893 controlpanel.cpp:905 controlpanel.cpp:907 msgctxt "listusers" msgid "IsAdmin" msgstr "" -#: controlpanel.cpp:893 controlpanel.cpp:907 +#: controlpanel.cpp:894 controlpanel.cpp:908 msgctxt "listusers" msgid "Nick" msgstr "" -#: controlpanel.cpp:894 controlpanel.cpp:908 +#: controlpanel.cpp:895 controlpanel.cpp:909 msgctxt "listusers" msgid "AltNick" msgstr "" -#: controlpanel.cpp:895 controlpanel.cpp:909 +#: controlpanel.cpp:896 controlpanel.cpp:910 msgctxt "listusers" msgid "Ident" msgstr "" -#: controlpanel.cpp:896 controlpanel.cpp:910 +#: controlpanel.cpp:897 controlpanel.cpp:911 msgctxt "listusers" msgid "BindHost" msgstr "" -#: controlpanel.cpp:904 controlpanel.cpp:1144 +#: controlpanel.cpp:905 controlpanel.cpp:1145 msgid "No" msgstr "" -#: controlpanel.cpp:906 controlpanel.cpp:1136 +#: controlpanel.cpp:907 controlpanel.cpp:1137 msgid "Yes" msgstr "" -#: controlpanel.cpp:920 controlpanel.cpp:989 +#: controlpanel.cpp:921 controlpanel.cpp:990 msgid "Error: You need to have admin rights to add new users!" msgstr "" -#: controlpanel.cpp:926 +#: controlpanel.cpp:927 msgid "Usage: AddUser " msgstr "" -#: controlpanel.cpp:931 +#: controlpanel.cpp:932 msgid "Error: User {1} already exists!" msgstr "" -#: controlpanel.cpp:943 controlpanel.cpp:1018 +#: controlpanel.cpp:944 controlpanel.cpp:1019 msgid "Error: User not added: {1}" msgstr "" -#: controlpanel.cpp:947 controlpanel.cpp:1022 +#: controlpanel.cpp:948 controlpanel.cpp:1023 msgid "User {1} added!" msgstr "" -#: controlpanel.cpp:954 +#: controlpanel.cpp:955 msgid "Error: You need to have admin rights to delete users!" msgstr "" -#: controlpanel.cpp:960 +#: controlpanel.cpp:961 msgid "Usage: DelUser " msgstr "" -#: controlpanel.cpp:972 +#: controlpanel.cpp:973 msgid "Error: You can't delete yourself!" msgstr "" -#: controlpanel.cpp:978 +#: controlpanel.cpp:979 msgid "Error: Internal error!" msgstr "" -#: controlpanel.cpp:982 +#: controlpanel.cpp:983 msgid "User {1} deleted!" msgstr "" -#: controlpanel.cpp:997 +#: controlpanel.cpp:998 msgid "Usage: CloneUser " msgstr "" -#: controlpanel.cpp:1012 +#: controlpanel.cpp:1013 msgid "Error: Cloning failed: {1}" msgstr "" -#: controlpanel.cpp:1041 +#: controlpanel.cpp:1042 msgid "Usage: AddNetwork [user] network" msgstr "" -#: controlpanel.cpp:1047 +#: controlpanel.cpp:1048 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks using /znc DelNetwork " msgstr "" -#: controlpanel.cpp:1055 +#: controlpanel.cpp:1056 msgid "Error: User {1} already has a network with the name {2}" msgstr "" -#: controlpanel.cpp:1062 +#: controlpanel.cpp:1063 msgid "Network {1} added to user {2}." msgstr "" -#: controlpanel.cpp:1066 +#: controlpanel.cpp:1067 msgid "Error: Network [{1}] could not be added for user {2}: {3}" msgstr "" -#: controlpanel.cpp:1086 +#: controlpanel.cpp:1087 msgid "Usage: DelNetwork [user] network" msgstr "" -#: controlpanel.cpp:1097 +#: controlpanel.cpp:1098 msgid "The currently active network can be deleted via {1}status" msgstr "" -#: controlpanel.cpp:1103 +#: controlpanel.cpp:1104 msgid "Network {1} deleted for user {2}." msgstr "" -#: controlpanel.cpp:1107 +#: controlpanel.cpp:1108 msgid "Error: Network {1} could not be deleted for user {2}." msgstr "" -#: controlpanel.cpp:1126 controlpanel.cpp:1134 +#: controlpanel.cpp:1127 controlpanel.cpp:1135 msgctxt "listnetworks" msgid "Network" msgstr "" -#: controlpanel.cpp:1127 controlpanel.cpp:1136 controlpanel.cpp:1144 +#: controlpanel.cpp:1128 controlpanel.cpp:1137 controlpanel.cpp:1145 msgctxt "listnetworks" msgid "OnIRC" msgstr "" -#: controlpanel.cpp:1128 controlpanel.cpp:1137 +#: controlpanel.cpp:1129 controlpanel.cpp:1138 msgctxt "listnetworks" msgid "IRC Server" msgstr "" -#: controlpanel.cpp:1129 controlpanel.cpp:1139 +#: controlpanel.cpp:1130 controlpanel.cpp:1140 msgctxt "listnetworks" msgid "IRC User" msgstr "" -#: controlpanel.cpp:1130 controlpanel.cpp:1141 +#: controlpanel.cpp:1131 controlpanel.cpp:1142 msgctxt "listnetworks" msgid "Channels" msgstr "" -#: controlpanel.cpp:1149 +#: controlpanel.cpp:1150 msgid "No networks" msgstr "" -#: controlpanel.cpp:1160 +#: controlpanel.cpp:1161 msgid "Usage: AddServer [[+]port] [password]" msgstr "" -#: controlpanel.cpp:1174 +#: controlpanel.cpp:1175 msgid "Added IRC Server {1} to network {2} for user {3}." msgstr "" -#: controlpanel.cpp:1178 +#: controlpanel.cpp:1179 msgid "Error: Could not add IRC server {1} to network {2} for user {3}." msgstr "" -#: controlpanel.cpp:1191 +#: controlpanel.cpp:1192 msgid "Usage: DelServer [[+]port] [password]" msgstr "" -#: controlpanel.cpp:1206 +#: controlpanel.cpp:1207 msgid "Deleted IRC Server {1} from network {2} for user {3}." msgstr "" -#: controlpanel.cpp:1210 +#: controlpanel.cpp:1211 msgid "Error: Could not delete IRC server {1} from network {2} for user {3}." msgstr "" -#: controlpanel.cpp:1220 +#: controlpanel.cpp:1221 msgid "Usage: Reconnect " msgstr "" -#: controlpanel.cpp:1247 +#: controlpanel.cpp:1248 msgid "Queued network {1} of user {2} for a reconnect." msgstr "" -#: controlpanel.cpp:1256 +#: controlpanel.cpp:1257 msgid "Usage: Disconnect " msgstr "" -#: controlpanel.cpp:1271 +#: controlpanel.cpp:1272 msgid "Closed IRC connection for network {1} of user {2}." msgstr "" -#: controlpanel.cpp:1286 controlpanel.cpp:1291 -msgctxt "listctcp" -msgid "Request" -msgstr "" - #: controlpanel.cpp:1287 controlpanel.cpp:1292 msgctxt "listctcp" +msgid "Request" +msgstr "" + +#: controlpanel.cpp:1288 controlpanel.cpp:1293 +msgctxt "listctcp" msgid "Reply" msgstr "" -#: controlpanel.cpp:1296 +#: controlpanel.cpp:1297 msgid "No CTCP replies for user {1} are configured" msgstr "" -#: controlpanel.cpp:1299 +#: controlpanel.cpp:1300 msgid "CTCP replies for user {1}:" msgstr "" -#: controlpanel.cpp:1315 +#: controlpanel.cpp:1316 msgid "Usage: AddCTCP [user] [request] [reply]" msgstr "" -#: controlpanel.cpp:1317 +#: controlpanel.cpp:1318 msgid "" "This will cause ZNC to reply to the CTCP instead of forwarding it to clients." msgstr "" -#: controlpanel.cpp:1320 +#: controlpanel.cpp:1321 msgid "An empty reply will cause the CTCP request to be blocked." msgstr "" -#: controlpanel.cpp:1329 +#: controlpanel.cpp:1330 msgid "CTCP requests {1} to user {2} will now be blocked." msgstr "" -#: controlpanel.cpp:1333 +#: controlpanel.cpp:1334 msgid "CTCP requests {1} to user {2} will now get reply: {3}" msgstr "" -#: controlpanel.cpp:1350 +#: controlpanel.cpp:1351 msgid "Usage: DelCTCP [user] [request]" msgstr "" -#: controlpanel.cpp:1356 +#: controlpanel.cpp:1357 msgid "CTCP requests {1} to user {2} will now be sent to IRC clients" msgstr "" -#: controlpanel.cpp:1360 +#: controlpanel.cpp:1361 msgid "" "CTCP requests {1} to user {2} will be sent to IRC clients (nothing has " "changed)" msgstr "" -#: controlpanel.cpp:1370 controlpanel.cpp:1444 +#: controlpanel.cpp:1371 controlpanel.cpp:1445 msgid "Loading modules has been disabled." msgstr "" -#: controlpanel.cpp:1379 +#: controlpanel.cpp:1380 msgid "Error: Unable to load module {1}: {2}" msgstr "" -#: controlpanel.cpp:1382 +#: controlpanel.cpp:1383 msgid "Loaded module {1}" msgstr "" -#: controlpanel.cpp:1387 +#: controlpanel.cpp:1388 msgid "Error: Unable to reload module {1}: {2}" msgstr "" -#: controlpanel.cpp:1390 +#: controlpanel.cpp:1391 msgid "Reloaded module {1}" msgstr "" -#: controlpanel.cpp:1394 +#: controlpanel.cpp:1395 msgid "Error: Unable to load module {1} because it is already loaded" msgstr "" -#: controlpanel.cpp:1405 +#: controlpanel.cpp:1406 msgid "Usage: LoadModule [args]" msgstr "" -#: controlpanel.cpp:1424 +#: controlpanel.cpp:1425 msgid "Usage: LoadNetModule [args]" msgstr "" -#: controlpanel.cpp:1449 +#: controlpanel.cpp:1450 msgid "Please use /znc unloadmod {1}" msgstr "" -#: controlpanel.cpp:1455 +#: controlpanel.cpp:1456 msgid "Error: Unable to unload module {1}: {2}" msgstr "" -#: controlpanel.cpp:1458 +#: controlpanel.cpp:1459 msgid "Unloaded module {1}" msgstr "" -#: controlpanel.cpp:1467 +#: controlpanel.cpp:1468 msgid "Usage: UnloadModule " msgstr "" -#: controlpanel.cpp:1484 +#: controlpanel.cpp:1485 msgid "Usage: UnloadNetModule " msgstr "" -#: controlpanel.cpp:1501 controlpanel.cpp:1507 -msgctxt "listmodules" -msgid "Name" -msgstr "" - #: controlpanel.cpp:1502 controlpanel.cpp:1508 msgctxt "listmodules" +msgid "Name" +msgstr "" + +#: controlpanel.cpp:1503 controlpanel.cpp:1509 +msgctxt "listmodules" msgid "Arguments" msgstr "" -#: controlpanel.cpp:1527 +#: controlpanel.cpp:1528 msgid "User {1} has no modules loaded." msgstr "" -#: controlpanel.cpp:1531 +#: controlpanel.cpp:1532 msgid "Modules loaded for user {1}:" msgstr "" -#: controlpanel.cpp:1551 +#: controlpanel.cpp:1552 msgid "Network {1} of user {2} has no modules loaded." msgstr "" -#: controlpanel.cpp:1556 +#: controlpanel.cpp:1557 msgid "Modules loaded for network {1} of user {2}:" msgstr "" -#: controlpanel.cpp:1563 +#: controlpanel.cpp:1564 msgid "[command] [variable]" msgstr "" -#: controlpanel.cpp:1564 +#: controlpanel.cpp:1565 msgid "Prints help for matching commands and variables" msgstr "" -#: controlpanel.cpp:1567 +#: controlpanel.cpp:1568 msgid " [username]" msgstr "" -#: controlpanel.cpp:1568 +#: controlpanel.cpp:1569 msgid "Prints the variable's value for the given or current user" msgstr "" -#: controlpanel.cpp:1570 +#: controlpanel.cpp:1571 msgid " " msgstr "" -#: controlpanel.cpp:1571 +#: controlpanel.cpp:1572 msgid "Sets the variable's value for the given user" msgstr "" -#: controlpanel.cpp:1573 +#: controlpanel.cpp:1574 msgid " [username] [network]" msgstr "" -#: controlpanel.cpp:1574 +#: controlpanel.cpp:1575 msgid "Prints the variable's value for the given network" msgstr "" -#: controlpanel.cpp:1576 +#: controlpanel.cpp:1577 msgid " " msgstr "" -#: controlpanel.cpp:1577 +#: controlpanel.cpp:1578 msgid "Sets the variable's value for the given network" msgstr "" -#: controlpanel.cpp:1579 +#: controlpanel.cpp:1580 msgid " [username] " msgstr "" -#: controlpanel.cpp:1580 +#: controlpanel.cpp:1581 msgid "Prints the variable's value for the given channel" msgstr "" -#: controlpanel.cpp:1583 +#: controlpanel.cpp:1584 msgid " " msgstr "" -#: controlpanel.cpp:1584 +#: controlpanel.cpp:1585 msgid "Sets the variable's value for the given channel" msgstr "" -#: controlpanel.cpp:1586 controlpanel.cpp:1589 +#: controlpanel.cpp:1587 controlpanel.cpp:1590 msgid " " msgstr "" -#: controlpanel.cpp:1587 +#: controlpanel.cpp:1588 msgid "Adds a new channel" msgstr "" -#: controlpanel.cpp:1590 +#: controlpanel.cpp:1591 msgid "Deletes a channel" msgstr "" -#: controlpanel.cpp:1592 +#: controlpanel.cpp:1593 msgid "Lists users" msgstr "" -#: controlpanel.cpp:1594 +#: controlpanel.cpp:1595 msgid " " msgstr "" -#: controlpanel.cpp:1595 +#: controlpanel.cpp:1596 msgid "Adds a new user" msgstr "" -#: controlpanel.cpp:1597 controlpanel.cpp:1620 controlpanel.cpp:1634 +#: controlpanel.cpp:1598 controlpanel.cpp:1621 controlpanel.cpp:1635 msgid "" msgstr "" -#: controlpanel.cpp:1597 +#: controlpanel.cpp:1598 msgid "Deletes a user" msgstr "" -#: controlpanel.cpp:1599 +#: controlpanel.cpp:1600 msgid " " msgstr "" -#: controlpanel.cpp:1600 +#: controlpanel.cpp:1601 msgid "Clones a user" msgstr "" -#: controlpanel.cpp:1602 controlpanel.cpp:1605 +#: controlpanel.cpp:1603 controlpanel.cpp:1606 msgid " " msgstr "" -#: controlpanel.cpp:1603 +#: controlpanel.cpp:1604 msgid "Adds a new IRC server for the given or current user" msgstr "" -#: controlpanel.cpp:1606 +#: controlpanel.cpp:1607 msgid "Deletes an IRC server from the given or current user" msgstr "" -#: controlpanel.cpp:1608 controlpanel.cpp:1611 controlpanel.cpp:1631 +#: controlpanel.cpp:1609 controlpanel.cpp:1612 controlpanel.cpp:1632 msgid " " msgstr "" -#: controlpanel.cpp:1609 +#: controlpanel.cpp:1610 msgid "Cycles the user's IRC server connection" msgstr "" -#: controlpanel.cpp:1612 +#: controlpanel.cpp:1613 msgid "Disconnects the user from their IRC server" msgstr "" -#: controlpanel.cpp:1614 +#: controlpanel.cpp:1615 msgid " [args]" msgstr "" -#: controlpanel.cpp:1615 +#: controlpanel.cpp:1616 msgid "Loads a Module for a user" msgstr "" -#: controlpanel.cpp:1617 +#: controlpanel.cpp:1618 msgid " " msgstr "" -#: controlpanel.cpp:1618 +#: controlpanel.cpp:1619 msgid "Removes a Module of a user" msgstr "" -#: controlpanel.cpp:1621 +#: controlpanel.cpp:1622 msgid "Get the list of modules for a user" msgstr "" -#: controlpanel.cpp:1624 +#: controlpanel.cpp:1625 msgid " [args]" msgstr "" -#: controlpanel.cpp:1625 +#: controlpanel.cpp:1626 msgid "Loads a Module for a network" msgstr "" -#: controlpanel.cpp:1628 +#: controlpanel.cpp:1629 msgid " " msgstr "" -#: controlpanel.cpp:1629 +#: controlpanel.cpp:1630 msgid "Removes a Module of a network" msgstr "" -#: controlpanel.cpp:1632 +#: controlpanel.cpp:1633 msgid "Get the list of modules for a network" msgstr "" -#: controlpanel.cpp:1635 +#: controlpanel.cpp:1636 msgid "List the configured CTCP replies" msgstr "" -#: controlpanel.cpp:1637 +#: controlpanel.cpp:1638 msgid " [reply]" msgstr "" -#: controlpanel.cpp:1638 +#: controlpanel.cpp:1639 msgid "Configure a new CTCP reply" msgstr "" -#: controlpanel.cpp:1640 +#: controlpanel.cpp:1641 msgid " " msgstr "" -#: controlpanel.cpp:1641 +#: controlpanel.cpp:1642 msgid "Remove a CTCP reply" msgstr "" -#: controlpanel.cpp:1645 controlpanel.cpp:1648 +#: controlpanel.cpp:1646 controlpanel.cpp:1649 msgid "[username] " msgstr "" -#: controlpanel.cpp:1646 +#: controlpanel.cpp:1647 msgid "Add a network for a user" msgstr "" -#: controlpanel.cpp:1649 +#: controlpanel.cpp:1650 msgid "Delete a network for a user" msgstr "" -#: controlpanel.cpp:1651 +#: controlpanel.cpp:1652 msgid "[username]" msgstr "" -#: controlpanel.cpp:1652 +#: controlpanel.cpp:1653 msgid "List all networks for a user" msgstr "" -#: controlpanel.cpp:1665 +#: controlpanel.cpp:1666 msgid "" "Dynamic configuration through IRC. Allows editing only yourself if you're " "not ZNC admin." diff --git a/modules/po/controlpanel.de_DE.po b/modules/po/controlpanel.de_DE.po index adf3b919..a86611de 100644 --- a/modules/po/controlpanel.de_DE.po +++ b/modules/po/controlpanel.de_DE.po @@ -65,232 +65,232 @@ msgstr "" "Um deinen eigenen User und dein eigenes Netzwerk zu bearbeiten, können $user " "und $network verwendet werden." -#: controlpanel.cpp:180 controlpanel.cpp:967 controlpanel.cpp:1004 +#: controlpanel.cpp:181 controlpanel.cpp:968 controlpanel.cpp:1005 msgid "Error: User [{1}] does not exist!" msgstr "Fehler: Benutzer [{1}] existiert nicht!" -#: controlpanel.cpp:185 +#: controlpanel.cpp:186 msgid "Error: You need to have admin rights to modify other users!" msgstr "Fehler: Administratorrechte benötigt um andere Benutzer zu bearbeiten!" -#: controlpanel.cpp:195 +#: controlpanel.cpp:196 msgid "Error: You cannot use $network to modify other users!" msgstr "" "Fehler: $network kann nicht verwendet werden um andere Benutzer zu " "bearbeiten!" -#: controlpanel.cpp:203 +#: controlpanel.cpp:204 msgid "Error: User {1} does not have a network named [{2}]." msgstr "Fehler: Benutzer {1} hat kein Netzwerk namens [{2}]." -#: controlpanel.cpp:215 +#: controlpanel.cpp:216 msgid "Usage: Get [username]" msgstr "Verwendung: Get [Benutzername]" -#: controlpanel.cpp:305 controlpanel.cpp:508 controlpanel.cpp:583 -#: controlpanel.cpp:659 controlpanel.cpp:794 controlpanel.cpp:879 +#: controlpanel.cpp:306 controlpanel.cpp:509 controlpanel.cpp:584 +#: controlpanel.cpp:660 controlpanel.cpp:795 controlpanel.cpp:880 msgid "Error: Unknown variable" msgstr "Fehler: Unbekannte Variable" -#: controlpanel.cpp:314 +#: controlpanel.cpp:315 msgid "Usage: Set " msgstr "Verwendung: Set " -#: controlpanel.cpp:336 controlpanel.cpp:624 +#: controlpanel.cpp:337 controlpanel.cpp:625 msgid "This bind host is already set!" msgstr "Dieser Bind Host ist bereits gesetzt!" -#: controlpanel.cpp:343 controlpanel.cpp:355 controlpanel.cpp:363 -#: controlpanel.cpp:426 controlpanel.cpp:445 controlpanel.cpp:461 -#: controlpanel.cpp:471 controlpanel.cpp:631 +#: controlpanel.cpp:344 controlpanel.cpp:356 controlpanel.cpp:364 +#: controlpanel.cpp:427 controlpanel.cpp:446 controlpanel.cpp:462 +#: controlpanel.cpp:472 controlpanel.cpp:632 msgid "Access denied!" msgstr "Zugriff verweigert!" -#: controlpanel.cpp:377 controlpanel.cpp:386 controlpanel.cpp:843 +#: controlpanel.cpp:378 controlpanel.cpp:387 controlpanel.cpp:844 msgid "Setting failed, limit for buffer size is {1}" msgstr "Setzen fehlgeschlagen, da das Limit für die Puffergröße {1} ist" -#: controlpanel.cpp:406 +#: controlpanel.cpp:407 msgid "Password has been changed!" msgstr "Das Passwort wurde geändert!" -#: controlpanel.cpp:414 +#: controlpanel.cpp:415 msgid "Timeout can't be less than 30 seconds!" msgstr "Timeout kann nicht weniger als 30 Sekunden sein!" -#: controlpanel.cpp:478 +#: controlpanel.cpp:479 msgid "That would be a bad idea!" msgstr "Das wäre eine schlechte Idee!" -#: controlpanel.cpp:496 +#: controlpanel.cpp:497 msgid "Supported languages: {1}" msgstr "Unterstützte Sprachen: {1}" -#: controlpanel.cpp:520 +#: controlpanel.cpp:521 msgid "Usage: GetNetwork [username] [network]" msgstr "Verwendung: GetNetwork [Benutzername] [Netzwerk]" -#: controlpanel.cpp:539 +#: controlpanel.cpp:540 msgid "Error: A network must be specified to get another users settings." msgstr "" "Fehler: Ein Netzwerk muss angegeben werden um Einstellungen eines anderen " "Nutzers zu bekommen." -#: controlpanel.cpp:545 +#: controlpanel.cpp:546 msgid "You are not currently attached to a network." msgstr "Du bist aktuell nicht mit einem Netzwerk verbunden." -#: controlpanel.cpp:551 +#: controlpanel.cpp:552 msgid "Error: Invalid network." msgstr "Fehler: Ungültiges Netzwerk." -#: controlpanel.cpp:595 +#: controlpanel.cpp:596 msgid "Usage: SetNetwork " msgstr "Verwendung: SetNetwork " -#: controlpanel.cpp:669 +#: controlpanel.cpp:670 msgid "Usage: AddChan " msgstr "Verwendung: AddChan " -#: controlpanel.cpp:682 +#: controlpanel.cpp:683 msgid "Error: User {1} already has a channel named {2}." msgstr "Fehler: Benutzer {1} hat bereits einen Kanal namens {2}." -#: controlpanel.cpp:689 +#: controlpanel.cpp:690 msgid "Channel {1} for user {2} added to network {3}." msgstr "Kanal {1} für User {2} zum Netzwerk {3} hinzugefügt." -#: controlpanel.cpp:693 +#: controlpanel.cpp:694 msgid "" "Could not add channel {1} for user {2} to network {3}, does it already exist?" msgstr "" "Konnte Kanal {1} nicht für Benutzer {2} zum Netzwerk {3} hinzufügen; " "existiert er bereits?" -#: controlpanel.cpp:703 +#: controlpanel.cpp:704 msgid "Usage: DelChan " msgstr "Verwendung: DelChan " -#: controlpanel.cpp:718 +#: controlpanel.cpp:719 msgid "Error: User {1} does not have any channel matching [{2}] in network {3}" msgstr "" "Fehler: Benutzer {1} hat keinen Kanal in Netzwerk {3}, der auf [{2}] passt" -#: controlpanel.cpp:731 +#: controlpanel.cpp:732 msgid "Channel {1} is deleted from network {2} of user {3}" msgid_plural "Channels {1} are deleted from network {2} of user {3}" msgstr[0] "Kanal {1} wurde von Netzwerk {2} von Nutzer {3} entfernt" msgstr[1] "Kanäle {1} wurden von Netzwerk {2} von Nutzer {3} entfernt" -#: controlpanel.cpp:746 +#: controlpanel.cpp:747 msgid "Usage: GetChan " msgstr "Verwendung: GetChan " -#: controlpanel.cpp:760 controlpanel.cpp:824 +#: controlpanel.cpp:761 controlpanel.cpp:825 msgid "Error: No channels matching [{1}] found." msgstr "Fehler: Keine auf [{1}] passende Kanäle gefunden." -#: controlpanel.cpp:809 +#: controlpanel.cpp:810 msgid "Usage: SetChan " msgstr "" "Verwendung: SetChan " -#: controlpanel.cpp:890 controlpanel.cpp:900 +#: controlpanel.cpp:891 controlpanel.cpp:901 msgctxt "listusers" msgid "Username" msgstr "Benutzername" -#: controlpanel.cpp:891 controlpanel.cpp:901 +#: controlpanel.cpp:892 controlpanel.cpp:902 msgctxt "listusers" msgid "Realname" msgstr "Realname" -#: controlpanel.cpp:892 controlpanel.cpp:904 controlpanel.cpp:906 +#: controlpanel.cpp:893 controlpanel.cpp:905 controlpanel.cpp:907 msgctxt "listusers" msgid "IsAdmin" msgstr "IstAdmin" -#: controlpanel.cpp:893 controlpanel.cpp:907 +#: controlpanel.cpp:894 controlpanel.cpp:908 msgctxt "listusers" msgid "Nick" msgstr "Nick" -#: controlpanel.cpp:894 controlpanel.cpp:908 +#: controlpanel.cpp:895 controlpanel.cpp:909 msgctxt "listusers" msgid "AltNick" msgstr "AltNick" -#: controlpanel.cpp:895 controlpanel.cpp:909 +#: controlpanel.cpp:896 controlpanel.cpp:910 msgctxt "listusers" msgid "Ident" msgstr "Ident" -#: controlpanel.cpp:896 controlpanel.cpp:910 +#: controlpanel.cpp:897 controlpanel.cpp:911 msgctxt "listusers" msgid "BindHost" msgstr "BindHost" -#: controlpanel.cpp:904 controlpanel.cpp:1144 +#: controlpanel.cpp:905 controlpanel.cpp:1145 msgid "No" msgstr "Nein" -#: controlpanel.cpp:906 controlpanel.cpp:1136 +#: controlpanel.cpp:907 controlpanel.cpp:1137 msgid "Yes" msgstr "Ja" -#: controlpanel.cpp:920 controlpanel.cpp:989 +#: controlpanel.cpp:921 controlpanel.cpp:990 msgid "Error: You need to have admin rights to add new users!" msgstr "Fehler: Administratorrechte benötigt um neue Benutzer hinzuzufügen!" -#: controlpanel.cpp:926 +#: controlpanel.cpp:927 msgid "Usage: AddUser " msgstr "Verwendung: AddUser " -#: controlpanel.cpp:931 +#: controlpanel.cpp:932 msgid "Error: User {1} already exists!" msgstr "Fehler: Benutzer {1} existiert bereits!" -#: controlpanel.cpp:943 controlpanel.cpp:1018 +#: controlpanel.cpp:944 controlpanel.cpp:1019 msgid "Error: User not added: {1}" msgstr "Fehler: Benutzer nicht hinzugefügt: {1}" -#: controlpanel.cpp:947 controlpanel.cpp:1022 +#: controlpanel.cpp:948 controlpanel.cpp:1023 msgid "User {1} added!" msgstr "Benutzer {1} hinzugefügt!" -#: controlpanel.cpp:954 +#: controlpanel.cpp:955 msgid "Error: You need to have admin rights to delete users!" msgstr "Fehler: Administratorrechte benötigt um Benutzer zu löschen!" -#: controlpanel.cpp:960 +#: controlpanel.cpp:961 msgid "Usage: DelUser " msgstr "Verwendung: DelUser " -#: controlpanel.cpp:972 +#: controlpanel.cpp:973 msgid "Error: You can't delete yourself!" msgstr "Fehler: Du kannst dich nicht selbst löschen!" -#: controlpanel.cpp:978 +#: controlpanel.cpp:979 msgid "Error: Internal error!" msgstr "Fehler: Interner Fehler!" -#: controlpanel.cpp:982 +#: controlpanel.cpp:983 msgid "User {1} deleted!" msgstr "Benutzer {1} gelöscht!" -#: controlpanel.cpp:997 +#: controlpanel.cpp:998 msgid "Usage: CloneUser " msgstr "Verwendung: CloneUser " -#: controlpanel.cpp:1012 +#: controlpanel.cpp:1013 msgid "Error: Cloning failed: {1}" msgstr "Fehler: Klonen fehlgeschlagen: {1}" -#: controlpanel.cpp:1041 +#: controlpanel.cpp:1042 msgid "Usage: AddNetwork [user] network" msgstr "Verwendung: AddNetwork [Benutzer] Netzwerk" -#: controlpanel.cpp:1047 +#: controlpanel.cpp:1048 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks using /znc DelNetwork " @@ -299,159 +299,159 @@ msgstr "" "dich zu erhöhen, oder löschen nicht benötigte Netzwerke mit /znc DelNetwork " "" -#: controlpanel.cpp:1055 +#: controlpanel.cpp:1056 msgid "Error: User {1} already has a network with the name {2}" msgstr "Fehler: Benutzer {1} hat schon ein Netzwerk namens {2}" -#: controlpanel.cpp:1062 +#: controlpanel.cpp:1063 msgid "Network {1} added to user {2}." msgstr "Netzwerk {1} zu Benutzer {2} hinzugefügt." -#: controlpanel.cpp:1066 +#: controlpanel.cpp:1067 msgid "Error: Network [{1}] could not be added for user {2}: {3}" msgstr "" "Fehler: Netzwerk [{1}] konnte nicht zu Benutzer {2} hinzugefügt werden: {3}" -#: controlpanel.cpp:1086 +#: controlpanel.cpp:1087 msgid "Usage: DelNetwork [user] network" msgstr "Verwendung: DelNetwork [Benutzer] Netzwerk" -#: controlpanel.cpp:1097 +#: controlpanel.cpp:1098 msgid "The currently active network can be deleted via {1}status" msgstr "Das derzeit aktive Netzwerk can mit {1}status gelöscht werden" -#: controlpanel.cpp:1103 +#: controlpanel.cpp:1104 msgid "Network {1} deleted for user {2}." msgstr "Netzwerk {1} von Benutzer {2} gelöscht." -#: controlpanel.cpp:1107 +#: controlpanel.cpp:1108 msgid "Error: Network {1} could not be deleted for user {2}." msgstr "Fehler: Netzwerk {1} von Benutzer {2} konnte nicht gelöscht werden." -#: controlpanel.cpp:1126 controlpanel.cpp:1134 +#: controlpanel.cpp:1127 controlpanel.cpp:1135 msgctxt "listnetworks" msgid "Network" msgstr "Netzwerk" -#: controlpanel.cpp:1127 controlpanel.cpp:1136 controlpanel.cpp:1144 +#: controlpanel.cpp:1128 controlpanel.cpp:1137 controlpanel.cpp:1145 msgctxt "listnetworks" msgid "OnIRC" msgstr "OnIRC" -#: controlpanel.cpp:1128 controlpanel.cpp:1137 +#: controlpanel.cpp:1129 controlpanel.cpp:1138 msgctxt "listnetworks" msgid "IRC Server" msgstr "IRC-Server" -#: controlpanel.cpp:1129 controlpanel.cpp:1139 +#: controlpanel.cpp:1130 controlpanel.cpp:1140 msgctxt "listnetworks" msgid "IRC User" msgstr "IRC-Benutzer" -#: controlpanel.cpp:1130 controlpanel.cpp:1141 +#: controlpanel.cpp:1131 controlpanel.cpp:1142 msgctxt "listnetworks" msgid "Channels" msgstr "Kanäle" -#: controlpanel.cpp:1149 +#: controlpanel.cpp:1150 msgid "No networks" msgstr "Keine Netzwerke" -#: controlpanel.cpp:1160 +#: controlpanel.cpp:1161 msgid "Usage: AddServer [[+]port] [password]" msgstr "" "Verwendung: AddServer [[+]Port] [Passwort]" -#: controlpanel.cpp:1174 +#: controlpanel.cpp:1175 msgid "Added IRC Server {1} to network {2} for user {3}." msgstr "IRC-Server {1} zu Netzwerk {2} von Benutzer {3} hinzugefügt." -#: controlpanel.cpp:1178 +#: controlpanel.cpp:1179 msgid "Error: Could not add IRC server {1} to network {2} for user {3}." msgstr "" "Fehler: Konnte IRC-Server {1} nicht zu Netzwerk {2} von Benutzer {3} " "hinzufügen." -#: controlpanel.cpp:1191 +#: controlpanel.cpp:1192 msgid "Usage: DelServer [[+]port] [password]" msgstr "" "Verwendung: DelServer [[+]Port] [Passwort]" -#: controlpanel.cpp:1206 +#: controlpanel.cpp:1207 msgid "Deleted IRC Server {1} from network {2} for user {3}." msgstr "IRC-Server {1} von Netzwerk {2} von User {3} gelöscht." -#: controlpanel.cpp:1210 +#: controlpanel.cpp:1211 msgid "Error: Could not delete IRC server {1} from network {2} for user {3}." msgstr "" "Fehler: Konnte IRC-Server {1} von Netzwerk {2} von User {3} nicht löschen." -#: controlpanel.cpp:1220 +#: controlpanel.cpp:1221 msgid "Usage: Reconnect " msgstr "Verwendung: Reconnect " -#: controlpanel.cpp:1247 +#: controlpanel.cpp:1248 msgid "Queued network {1} of user {2} for a reconnect." msgstr "Netzwerk {1} von Benutzer {2} für eine Neu-Verbindung eingereiht." -#: controlpanel.cpp:1256 +#: controlpanel.cpp:1257 msgid "Usage: Disconnect " msgstr "Verwendung: Disconnect " -#: controlpanel.cpp:1271 +#: controlpanel.cpp:1272 msgid "Closed IRC connection for network {1} of user {2}." msgstr "IRC-Verbindung von Netzwerk {1} von Benutzer {2} geschlossen." -#: controlpanel.cpp:1286 controlpanel.cpp:1291 +#: controlpanel.cpp:1287 controlpanel.cpp:1292 msgctxt "listctcp" msgid "Request" msgstr "Anfrage" -#: controlpanel.cpp:1287 controlpanel.cpp:1292 +#: controlpanel.cpp:1288 controlpanel.cpp:1293 msgctxt "listctcp" msgid "Reply" msgstr "Antwort" -#: controlpanel.cpp:1296 +#: controlpanel.cpp:1297 msgid "No CTCP replies for user {1} are configured" msgstr "Keine CTCP-Antworten für Benutzer {1} konfiguriert" -#: controlpanel.cpp:1299 +#: controlpanel.cpp:1300 msgid "CTCP replies for user {1}:" msgstr "CTCP-Antworten für Benutzer {1}:" -#: controlpanel.cpp:1315 +#: controlpanel.cpp:1316 msgid "Usage: AddCTCP [user] [request] [reply]" msgstr "Verwendung: AddCTCP [Benutzer] [Anfrage] [Antwort]" -#: controlpanel.cpp:1317 +#: controlpanel.cpp:1318 msgid "" "This will cause ZNC to reply to the CTCP instead of forwarding it to clients." msgstr "" "Hierdurch wird ZNC den CTCP beantworten anstelle ihn zum Client " "weiterzuleiten." -#: controlpanel.cpp:1320 +#: controlpanel.cpp:1321 msgid "An empty reply will cause the CTCP request to be blocked." msgstr "Eine leere Antwort blockiert die CTCP-Anfrage." -#: controlpanel.cpp:1329 +#: controlpanel.cpp:1330 msgid "CTCP requests {1} to user {2} will now be blocked." msgstr "CTCP-Anfragen {1} an Benutzer {2} werden nun blockiert." -#: controlpanel.cpp:1333 +#: controlpanel.cpp:1334 msgid "CTCP requests {1} to user {2} will now get reply: {3}" msgstr "CTCP-Anfragen {1} an Benutzer {2} werden nun beantwortet mit: {3}" -#: controlpanel.cpp:1350 +#: controlpanel.cpp:1351 msgid "Usage: DelCTCP [user] [request]" msgstr "Verwendung: DelCTCP [Benutzer] [Anfrage]" -#: controlpanel.cpp:1356 +#: controlpanel.cpp:1357 msgid "CTCP requests {1} to user {2} will now be sent to IRC clients" msgstr "CTCP-Anfragen {1} an Benutzer {2} werden nun an IRC-Clients gesendet" -#: controlpanel.cpp:1360 +#: controlpanel.cpp:1361 msgid "" "CTCP requests {1} to user {2} will be sent to IRC clients (nothing has " "changed)" @@ -459,288 +459,288 @@ msgstr "" "CTCP-Anfragen {1} an Benutzer {2} werden an IRC-Clients gesendet (nichts hat " "sich geändert)" -#: controlpanel.cpp:1370 controlpanel.cpp:1444 +#: controlpanel.cpp:1371 controlpanel.cpp:1445 msgid "Loading modules has been disabled." msgstr "Das Laden von Modulen wurde deaktiviert." -#: controlpanel.cpp:1379 +#: controlpanel.cpp:1380 msgid "Error: Unable to load module {1}: {2}" msgstr "Fehler: Konnte Modul {1} nicht laden: {2}" -#: controlpanel.cpp:1382 +#: controlpanel.cpp:1383 msgid "Loaded module {1}" msgstr "Modul {1} geladen" -#: controlpanel.cpp:1387 +#: controlpanel.cpp:1388 msgid "Error: Unable to reload module {1}: {2}" msgstr "Fehler: Konnte Modul {1} nicht neu laden: {2}" -#: controlpanel.cpp:1390 +#: controlpanel.cpp:1391 msgid "Reloaded module {1}" msgstr "Module {1} neu geladen" -#: controlpanel.cpp:1394 +#: controlpanel.cpp:1395 msgid "Error: Unable to load module {1} because it is already loaded" msgstr "Fehler: Modul {1} kann nicht geladen werden, da es bereits geladen ist" -#: controlpanel.cpp:1405 +#: controlpanel.cpp:1406 msgid "Usage: LoadModule [args]" msgstr "Verwendung: LoadModule [Argumente]" -#: controlpanel.cpp:1424 +#: controlpanel.cpp:1425 msgid "Usage: LoadNetModule [args]" msgstr "" "Verwendung: LoadNetModule [Argumente]" -#: controlpanel.cpp:1449 +#: controlpanel.cpp:1450 msgid "Please use /znc unloadmod {1}" msgstr "Bitte verwende /znc unloadmod {1}" -#: controlpanel.cpp:1455 +#: controlpanel.cpp:1456 msgid "Error: Unable to unload module {1}: {2}" msgstr "Fehler: Konnte Modul {1} nicht entladen: {2}" -#: controlpanel.cpp:1458 +#: controlpanel.cpp:1459 msgid "Unloaded module {1}" msgstr "Modul {1} entladen" -#: controlpanel.cpp:1467 +#: controlpanel.cpp:1468 msgid "Usage: UnloadModule " msgstr "Verwendung: UnloadModule " -#: controlpanel.cpp:1484 +#: controlpanel.cpp:1485 msgid "Usage: UnloadNetModule " msgstr "Verwendung: UnloadNetModule " -#: controlpanel.cpp:1501 controlpanel.cpp:1507 +#: controlpanel.cpp:1502 controlpanel.cpp:1508 msgctxt "listmodules" msgid "Name" msgstr "Name" -#: controlpanel.cpp:1502 controlpanel.cpp:1508 +#: controlpanel.cpp:1503 controlpanel.cpp:1509 msgctxt "listmodules" msgid "Arguments" msgstr "Argumente" -#: controlpanel.cpp:1527 +#: controlpanel.cpp:1528 msgid "User {1} has no modules loaded." msgstr "Benutzer {1} hat keine Module geladen." -#: controlpanel.cpp:1531 +#: controlpanel.cpp:1532 msgid "Modules loaded for user {1}:" msgstr "Für Benutzer {1} geladene Module:" -#: controlpanel.cpp:1551 +#: controlpanel.cpp:1552 msgid "Network {1} of user {2} has no modules loaded." msgstr "Netzwerk {1} des Benutzers {2} hat keine Module geladen." -#: controlpanel.cpp:1556 +#: controlpanel.cpp:1557 msgid "Modules loaded for network {1} of user {2}:" msgstr "Für Netzwerk {1} von Benutzer {2} geladene Module:" -#: controlpanel.cpp:1563 +#: controlpanel.cpp:1564 msgid "[command] [variable]" msgstr "[Kommando] [Variable]" -#: controlpanel.cpp:1564 +#: controlpanel.cpp:1565 msgid "Prints help for matching commands and variables" msgstr "Gibt die Hilfe für passende Kommandos und Variablen aus" -#: controlpanel.cpp:1567 +#: controlpanel.cpp:1568 msgid " [username]" msgstr " [Benutzername]" -#: controlpanel.cpp:1568 +#: controlpanel.cpp:1569 msgid "Prints the variable's value for the given or current user" msgstr "" "Gibt den Wert der Variable für den gegebenen oder aktuellen Benutzer aus" -#: controlpanel.cpp:1570 +#: controlpanel.cpp:1571 msgid " " msgstr " " -#: controlpanel.cpp:1571 +#: controlpanel.cpp:1572 msgid "Sets the variable's value for the given user" msgstr "Setzt den Wert der Variable für den gegebenen oder aktuellen Benutzer" -#: controlpanel.cpp:1573 +#: controlpanel.cpp:1574 msgid " [username] [network]" msgstr " [Benutzername] [Netzwerk]" -#: controlpanel.cpp:1574 +#: controlpanel.cpp:1575 msgid "Prints the variable's value for the given network" msgstr "Gibt den Wert der Variable für das gegebene Netzwerk aus" -#: controlpanel.cpp:1576 +#: controlpanel.cpp:1577 msgid " " msgstr " " -#: controlpanel.cpp:1577 +#: controlpanel.cpp:1578 msgid "Sets the variable's value for the given network" msgstr "Setzt den Wert der Variable für das gegebene Netzwerk" -#: controlpanel.cpp:1579 +#: controlpanel.cpp:1580 msgid " [username] " msgstr " [Benutzername] " -#: controlpanel.cpp:1580 +#: controlpanel.cpp:1581 msgid "Prints the variable's value for the given channel" msgstr "Gibt den Wert der Variable für den gegebenen Kanal aus" -#: controlpanel.cpp:1583 +#: controlpanel.cpp:1584 msgid " " msgstr " " -#: controlpanel.cpp:1584 +#: controlpanel.cpp:1585 msgid "Sets the variable's value for the given channel" msgstr "Setzt den Wert der Variable für den gegebenen Kanal" -#: controlpanel.cpp:1586 controlpanel.cpp:1589 +#: controlpanel.cpp:1587 controlpanel.cpp:1590 msgid " " msgstr " " -#: controlpanel.cpp:1587 +#: controlpanel.cpp:1588 msgid "Adds a new channel" msgstr "Fügt einen neuen Kanal hinzu" -#: controlpanel.cpp:1590 +#: controlpanel.cpp:1591 msgid "Deletes a channel" msgstr "Löscht einen Kanal" -#: controlpanel.cpp:1592 +#: controlpanel.cpp:1593 msgid "Lists users" msgstr "Listet Benutzer auf" -#: controlpanel.cpp:1594 +#: controlpanel.cpp:1595 msgid " " msgstr " " -#: controlpanel.cpp:1595 +#: controlpanel.cpp:1596 msgid "Adds a new user" msgstr "Fügt einen neuen Benutzer hinzu" -#: controlpanel.cpp:1597 controlpanel.cpp:1620 controlpanel.cpp:1634 +#: controlpanel.cpp:1598 controlpanel.cpp:1621 controlpanel.cpp:1635 msgid "" msgstr "" -#: controlpanel.cpp:1597 +#: controlpanel.cpp:1598 msgid "Deletes a user" msgstr "Löscht einen Benutzer" -#: controlpanel.cpp:1599 +#: controlpanel.cpp:1600 msgid " " msgstr " " -#: controlpanel.cpp:1600 +#: controlpanel.cpp:1601 msgid "Clones a user" msgstr "Klont einen Benutzer" -#: controlpanel.cpp:1602 controlpanel.cpp:1605 +#: controlpanel.cpp:1603 controlpanel.cpp:1606 msgid " " msgstr " " -#: controlpanel.cpp:1603 +#: controlpanel.cpp:1604 msgid "Adds a new IRC server for the given or current user" msgstr "" "Fügt einen neuen IRC-Server zum gegebenen oder aktuellen Benutzer hinzu" -#: controlpanel.cpp:1606 +#: controlpanel.cpp:1607 msgid "Deletes an IRC server from the given or current user" msgstr "Löscht einen IRC-Server vom gegebenen oder aktuellen Benutzer" -#: controlpanel.cpp:1608 controlpanel.cpp:1611 controlpanel.cpp:1631 +#: controlpanel.cpp:1609 controlpanel.cpp:1612 controlpanel.cpp:1632 msgid " " msgstr " " -#: controlpanel.cpp:1609 +#: controlpanel.cpp:1610 msgid "Cycles the user's IRC server connection" msgstr "Erneuert die IRC-Verbindung des Benutzers" -#: controlpanel.cpp:1612 +#: controlpanel.cpp:1613 msgid "Disconnects the user from their IRC server" msgstr "Trennt den Benutzer von ihrem IRC-Server" -#: controlpanel.cpp:1614 +#: controlpanel.cpp:1615 msgid " [args]" msgstr " [Argumente]" -#: controlpanel.cpp:1615 +#: controlpanel.cpp:1616 msgid "Loads a Module for a user" msgstr "Lädt ein Modul für einen Benutzer" -#: controlpanel.cpp:1617 +#: controlpanel.cpp:1618 msgid " " msgstr " " -#: controlpanel.cpp:1618 +#: controlpanel.cpp:1619 msgid "Removes a Module of a user" msgstr "Entfernt ein Modul von einem Benutzer" -#: controlpanel.cpp:1621 +#: controlpanel.cpp:1622 msgid "Get the list of modules for a user" msgstr "Zeigt eine Liste der Module eines Benutzers" -#: controlpanel.cpp:1624 +#: controlpanel.cpp:1625 msgid " [args]" msgstr " [args]" -#: controlpanel.cpp:1625 +#: controlpanel.cpp:1626 msgid "Loads a Module for a network" msgstr "Lädt ein Modul für ein Netzwerk" -#: controlpanel.cpp:1628 +#: controlpanel.cpp:1629 msgid " " msgstr " " -#: controlpanel.cpp:1629 +#: controlpanel.cpp:1630 msgid "Removes a Module of a network" msgstr "Entfernt ein Modul von einem Netzwerk" -#: controlpanel.cpp:1632 +#: controlpanel.cpp:1633 msgid "Get the list of modules for a network" msgstr "Zeigt eine Liste der Module eines Netzwerks" -#: controlpanel.cpp:1635 +#: controlpanel.cpp:1636 msgid "List the configured CTCP replies" msgstr "Liste die konfigurierten CTCP-Antworten auf" -#: controlpanel.cpp:1637 +#: controlpanel.cpp:1638 msgid " [reply]" msgstr " [Antwort]" -#: controlpanel.cpp:1638 +#: controlpanel.cpp:1639 msgid "Configure a new CTCP reply" msgstr "Konfiguriere eine neue CTCP-Antwort" -#: controlpanel.cpp:1640 +#: controlpanel.cpp:1641 msgid " " msgstr " " -#: controlpanel.cpp:1641 +#: controlpanel.cpp:1642 msgid "Remove a CTCP reply" msgstr "Entfernt eine CTCP-Antwort" -#: controlpanel.cpp:1645 controlpanel.cpp:1648 +#: controlpanel.cpp:1646 controlpanel.cpp:1649 msgid "[username] " msgstr "[Benutzername] " -#: controlpanel.cpp:1646 +#: controlpanel.cpp:1647 msgid "Add a network for a user" msgstr "Füge ein Netzwerk für einen Benutzer hinzu" -#: controlpanel.cpp:1649 +#: controlpanel.cpp:1650 msgid "Delete a network for a user" msgstr "Lösche ein Netzwerk für einen Benutzer" -#: controlpanel.cpp:1651 +#: controlpanel.cpp:1652 msgid "[username]" msgstr "[Benutzername]" -#: controlpanel.cpp:1652 +#: controlpanel.cpp:1653 msgid "List all networks for a user" msgstr "Listet alle Netzwerke für einen Benutzer auf" -#: controlpanel.cpp:1665 +#: controlpanel.cpp:1666 msgid "" "Dynamic configuration through IRC. Allows editing only yourself if you're " "not ZNC admin." diff --git a/modules/po/controlpanel.el_GR.po b/modules/po/controlpanel.el_GR.po index 7a1c68b1..69956d0c 100644 --- a/modules/po/controlpanel.el_GR.po +++ b/modules/po/controlpanel.el_GR.po @@ -60,658 +60,658 @@ msgid "" "modifying your own user and network." msgstr "" -#: controlpanel.cpp:180 controlpanel.cpp:967 controlpanel.cpp:1004 +#: controlpanel.cpp:181 controlpanel.cpp:968 controlpanel.cpp:1005 msgid "Error: User [{1}] does not exist!" msgstr "" -#: controlpanel.cpp:185 +#: controlpanel.cpp:186 msgid "Error: You need to have admin rights to modify other users!" msgstr "" -#: controlpanel.cpp:195 +#: controlpanel.cpp:196 msgid "Error: You cannot use $network to modify other users!" msgstr "" -#: controlpanel.cpp:203 +#: controlpanel.cpp:204 msgid "Error: User {1} does not have a network named [{2}]." msgstr "" -#: controlpanel.cpp:215 +#: controlpanel.cpp:216 msgid "Usage: Get [username]" msgstr "" -#: controlpanel.cpp:305 controlpanel.cpp:508 controlpanel.cpp:583 -#: controlpanel.cpp:659 controlpanel.cpp:794 controlpanel.cpp:879 +#: controlpanel.cpp:306 controlpanel.cpp:509 controlpanel.cpp:584 +#: controlpanel.cpp:660 controlpanel.cpp:795 controlpanel.cpp:880 msgid "Error: Unknown variable" msgstr "" -#: controlpanel.cpp:314 +#: controlpanel.cpp:315 msgid "Usage: Set " msgstr "" -#: controlpanel.cpp:336 controlpanel.cpp:624 +#: controlpanel.cpp:337 controlpanel.cpp:625 msgid "This bind host is already set!" msgstr "" -#: controlpanel.cpp:343 controlpanel.cpp:355 controlpanel.cpp:363 -#: controlpanel.cpp:426 controlpanel.cpp:445 controlpanel.cpp:461 -#: controlpanel.cpp:471 controlpanel.cpp:631 +#: controlpanel.cpp:344 controlpanel.cpp:356 controlpanel.cpp:364 +#: controlpanel.cpp:427 controlpanel.cpp:446 controlpanel.cpp:462 +#: controlpanel.cpp:472 controlpanel.cpp:632 msgid "Access denied!" msgstr "" -#: controlpanel.cpp:377 controlpanel.cpp:386 controlpanel.cpp:843 +#: controlpanel.cpp:378 controlpanel.cpp:387 controlpanel.cpp:844 msgid "Setting failed, limit for buffer size is {1}" msgstr "" -#: controlpanel.cpp:406 +#: controlpanel.cpp:407 msgid "Password has been changed!" msgstr "" -#: controlpanel.cpp:414 +#: controlpanel.cpp:415 msgid "Timeout can't be less than 30 seconds!" msgstr "" -#: controlpanel.cpp:478 +#: controlpanel.cpp:479 msgid "That would be a bad idea!" msgstr "" -#: controlpanel.cpp:496 +#: controlpanel.cpp:497 msgid "Supported languages: {1}" msgstr "" -#: controlpanel.cpp:520 +#: controlpanel.cpp:521 msgid "Usage: GetNetwork [username] [network]" msgstr "" -#: controlpanel.cpp:539 +#: controlpanel.cpp:540 msgid "Error: A network must be specified to get another users settings." msgstr "" -#: controlpanel.cpp:545 +#: controlpanel.cpp:546 msgid "You are not currently attached to a network." msgstr "" -#: controlpanel.cpp:551 +#: controlpanel.cpp:552 msgid "Error: Invalid network." msgstr "" -#: controlpanel.cpp:595 +#: controlpanel.cpp:596 msgid "Usage: SetNetwork " msgstr "" -#: controlpanel.cpp:669 +#: controlpanel.cpp:670 msgid "Usage: AddChan " msgstr "" -#: controlpanel.cpp:682 +#: controlpanel.cpp:683 msgid "Error: User {1} already has a channel named {2}." msgstr "" -#: controlpanel.cpp:689 +#: controlpanel.cpp:690 msgid "Channel {1} for user {2} added to network {3}." msgstr "" -#: controlpanel.cpp:693 +#: controlpanel.cpp:694 msgid "" "Could not add channel {1} for user {2} to network {3}, does it already exist?" msgstr "" -#: controlpanel.cpp:703 +#: controlpanel.cpp:704 msgid "Usage: DelChan " msgstr "" -#: controlpanel.cpp:718 +#: controlpanel.cpp:719 msgid "Error: User {1} does not have any channel matching [{2}] in network {3}" msgstr "" -#: controlpanel.cpp:731 +#: controlpanel.cpp:732 msgid "Channel {1} is deleted from network {2} of user {3}" msgid_plural "Channels {1} are deleted from network {2} of user {3}" msgstr[0] "" msgstr[1] "" -#: controlpanel.cpp:746 +#: controlpanel.cpp:747 msgid "Usage: GetChan " msgstr "" -#: controlpanel.cpp:760 controlpanel.cpp:824 +#: controlpanel.cpp:761 controlpanel.cpp:825 msgid "Error: No channels matching [{1}] found." msgstr "" -#: controlpanel.cpp:809 +#: controlpanel.cpp:810 msgid "Usage: SetChan " msgstr "" -#: controlpanel.cpp:890 controlpanel.cpp:900 -msgctxt "listusers" -msgid "Username" -msgstr "" - #: controlpanel.cpp:891 controlpanel.cpp:901 msgctxt "listusers" +msgid "Username" +msgstr "" + +#: controlpanel.cpp:892 controlpanel.cpp:902 +msgctxt "listusers" msgid "Realname" msgstr "" -#: controlpanel.cpp:892 controlpanel.cpp:904 controlpanel.cpp:906 +#: controlpanel.cpp:893 controlpanel.cpp:905 controlpanel.cpp:907 msgctxt "listusers" msgid "IsAdmin" msgstr "" -#: controlpanel.cpp:893 controlpanel.cpp:907 +#: controlpanel.cpp:894 controlpanel.cpp:908 msgctxt "listusers" msgid "Nick" msgstr "" -#: controlpanel.cpp:894 controlpanel.cpp:908 +#: controlpanel.cpp:895 controlpanel.cpp:909 msgctxt "listusers" msgid "AltNick" msgstr "" -#: controlpanel.cpp:895 controlpanel.cpp:909 +#: controlpanel.cpp:896 controlpanel.cpp:910 msgctxt "listusers" msgid "Ident" msgstr "" -#: controlpanel.cpp:896 controlpanel.cpp:910 +#: controlpanel.cpp:897 controlpanel.cpp:911 msgctxt "listusers" msgid "BindHost" msgstr "" -#: controlpanel.cpp:904 controlpanel.cpp:1144 +#: controlpanel.cpp:905 controlpanel.cpp:1145 msgid "No" msgstr "" -#: controlpanel.cpp:906 controlpanel.cpp:1136 +#: controlpanel.cpp:907 controlpanel.cpp:1137 msgid "Yes" msgstr "" -#: controlpanel.cpp:920 controlpanel.cpp:989 +#: controlpanel.cpp:921 controlpanel.cpp:990 msgid "Error: You need to have admin rights to add new users!" msgstr "" -#: controlpanel.cpp:926 +#: controlpanel.cpp:927 msgid "Usage: AddUser " msgstr "" -#: controlpanel.cpp:931 +#: controlpanel.cpp:932 msgid "Error: User {1} already exists!" msgstr "" -#: controlpanel.cpp:943 controlpanel.cpp:1018 +#: controlpanel.cpp:944 controlpanel.cpp:1019 msgid "Error: User not added: {1}" msgstr "" -#: controlpanel.cpp:947 controlpanel.cpp:1022 +#: controlpanel.cpp:948 controlpanel.cpp:1023 msgid "User {1} added!" msgstr "" -#: controlpanel.cpp:954 +#: controlpanel.cpp:955 msgid "Error: You need to have admin rights to delete users!" msgstr "" -#: controlpanel.cpp:960 +#: controlpanel.cpp:961 msgid "Usage: DelUser " msgstr "" -#: controlpanel.cpp:972 +#: controlpanel.cpp:973 msgid "Error: You can't delete yourself!" msgstr "" -#: controlpanel.cpp:978 +#: controlpanel.cpp:979 msgid "Error: Internal error!" msgstr "" -#: controlpanel.cpp:982 +#: controlpanel.cpp:983 msgid "User {1} deleted!" msgstr "" -#: controlpanel.cpp:997 +#: controlpanel.cpp:998 msgid "Usage: CloneUser " msgstr "" -#: controlpanel.cpp:1012 +#: controlpanel.cpp:1013 msgid "Error: Cloning failed: {1}" msgstr "" -#: controlpanel.cpp:1041 +#: controlpanel.cpp:1042 msgid "Usage: AddNetwork [user] network" msgstr "" -#: controlpanel.cpp:1047 +#: controlpanel.cpp:1048 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks using /znc DelNetwork " msgstr "" -#: controlpanel.cpp:1055 +#: controlpanel.cpp:1056 msgid "Error: User {1} already has a network with the name {2}" msgstr "" -#: controlpanel.cpp:1062 +#: controlpanel.cpp:1063 msgid "Network {1} added to user {2}." msgstr "" -#: controlpanel.cpp:1066 +#: controlpanel.cpp:1067 msgid "Error: Network [{1}] could not be added for user {2}: {3}" msgstr "" -#: controlpanel.cpp:1086 +#: controlpanel.cpp:1087 msgid "Usage: DelNetwork [user] network" msgstr "" -#: controlpanel.cpp:1097 +#: controlpanel.cpp:1098 msgid "The currently active network can be deleted via {1}status" msgstr "" -#: controlpanel.cpp:1103 +#: controlpanel.cpp:1104 msgid "Network {1} deleted for user {2}." msgstr "" -#: controlpanel.cpp:1107 +#: controlpanel.cpp:1108 msgid "Error: Network {1} could not be deleted for user {2}." msgstr "" -#: controlpanel.cpp:1126 controlpanel.cpp:1134 +#: controlpanel.cpp:1127 controlpanel.cpp:1135 msgctxt "listnetworks" msgid "Network" msgstr "" -#: controlpanel.cpp:1127 controlpanel.cpp:1136 controlpanel.cpp:1144 +#: controlpanel.cpp:1128 controlpanel.cpp:1137 controlpanel.cpp:1145 msgctxt "listnetworks" msgid "OnIRC" msgstr "" -#: controlpanel.cpp:1128 controlpanel.cpp:1137 +#: controlpanel.cpp:1129 controlpanel.cpp:1138 msgctxt "listnetworks" msgid "IRC Server" msgstr "" -#: controlpanel.cpp:1129 controlpanel.cpp:1139 +#: controlpanel.cpp:1130 controlpanel.cpp:1140 msgctxt "listnetworks" msgid "IRC User" msgstr "" -#: controlpanel.cpp:1130 controlpanel.cpp:1141 +#: controlpanel.cpp:1131 controlpanel.cpp:1142 msgctxt "listnetworks" msgid "Channels" msgstr "" -#: controlpanel.cpp:1149 +#: controlpanel.cpp:1150 msgid "No networks" msgstr "" -#: controlpanel.cpp:1160 +#: controlpanel.cpp:1161 msgid "Usage: AddServer [[+]port] [password]" msgstr "" -#: controlpanel.cpp:1174 +#: controlpanel.cpp:1175 msgid "Added IRC Server {1} to network {2} for user {3}." msgstr "" -#: controlpanel.cpp:1178 +#: controlpanel.cpp:1179 msgid "Error: Could not add IRC server {1} to network {2} for user {3}." msgstr "" -#: controlpanel.cpp:1191 +#: controlpanel.cpp:1192 msgid "Usage: DelServer [[+]port] [password]" msgstr "" -#: controlpanel.cpp:1206 +#: controlpanel.cpp:1207 msgid "Deleted IRC Server {1} from network {2} for user {3}." msgstr "" -#: controlpanel.cpp:1210 +#: controlpanel.cpp:1211 msgid "Error: Could not delete IRC server {1} from network {2} for user {3}." msgstr "" -#: controlpanel.cpp:1220 +#: controlpanel.cpp:1221 msgid "Usage: Reconnect " msgstr "" -#: controlpanel.cpp:1247 +#: controlpanel.cpp:1248 msgid "Queued network {1} of user {2} for a reconnect." msgstr "" -#: controlpanel.cpp:1256 +#: controlpanel.cpp:1257 msgid "Usage: Disconnect " msgstr "" -#: controlpanel.cpp:1271 +#: controlpanel.cpp:1272 msgid "Closed IRC connection for network {1} of user {2}." msgstr "" -#: controlpanel.cpp:1286 controlpanel.cpp:1291 -msgctxt "listctcp" -msgid "Request" -msgstr "" - #: controlpanel.cpp:1287 controlpanel.cpp:1292 msgctxt "listctcp" +msgid "Request" +msgstr "" + +#: controlpanel.cpp:1288 controlpanel.cpp:1293 +msgctxt "listctcp" msgid "Reply" msgstr "" -#: controlpanel.cpp:1296 +#: controlpanel.cpp:1297 msgid "No CTCP replies for user {1} are configured" msgstr "" -#: controlpanel.cpp:1299 +#: controlpanel.cpp:1300 msgid "CTCP replies for user {1}:" msgstr "" -#: controlpanel.cpp:1315 +#: controlpanel.cpp:1316 msgid "Usage: AddCTCP [user] [request] [reply]" msgstr "" -#: controlpanel.cpp:1317 +#: controlpanel.cpp:1318 msgid "" "This will cause ZNC to reply to the CTCP instead of forwarding it to clients." msgstr "" -#: controlpanel.cpp:1320 +#: controlpanel.cpp:1321 msgid "An empty reply will cause the CTCP request to be blocked." msgstr "" -#: controlpanel.cpp:1329 +#: controlpanel.cpp:1330 msgid "CTCP requests {1} to user {2} will now be blocked." msgstr "" -#: controlpanel.cpp:1333 +#: controlpanel.cpp:1334 msgid "CTCP requests {1} to user {2} will now get reply: {3}" msgstr "" -#: controlpanel.cpp:1350 +#: controlpanel.cpp:1351 msgid "Usage: DelCTCP [user] [request]" msgstr "" -#: controlpanel.cpp:1356 +#: controlpanel.cpp:1357 msgid "CTCP requests {1} to user {2} will now be sent to IRC clients" msgstr "" -#: controlpanel.cpp:1360 +#: controlpanel.cpp:1361 msgid "" "CTCP requests {1} to user {2} will be sent to IRC clients (nothing has " "changed)" msgstr "" -#: controlpanel.cpp:1370 controlpanel.cpp:1444 +#: controlpanel.cpp:1371 controlpanel.cpp:1445 msgid "Loading modules has been disabled." msgstr "" -#: controlpanel.cpp:1379 +#: controlpanel.cpp:1380 msgid "Error: Unable to load module {1}: {2}" msgstr "" -#: controlpanel.cpp:1382 +#: controlpanel.cpp:1383 msgid "Loaded module {1}" msgstr "" -#: controlpanel.cpp:1387 +#: controlpanel.cpp:1388 msgid "Error: Unable to reload module {1}: {2}" msgstr "" -#: controlpanel.cpp:1390 +#: controlpanel.cpp:1391 msgid "Reloaded module {1}" msgstr "" -#: controlpanel.cpp:1394 +#: controlpanel.cpp:1395 msgid "Error: Unable to load module {1} because it is already loaded" msgstr "" -#: controlpanel.cpp:1405 +#: controlpanel.cpp:1406 msgid "Usage: LoadModule [args]" msgstr "" -#: controlpanel.cpp:1424 +#: controlpanel.cpp:1425 msgid "Usage: LoadNetModule [args]" msgstr "" -#: controlpanel.cpp:1449 +#: controlpanel.cpp:1450 msgid "Please use /znc unloadmod {1}" msgstr "" -#: controlpanel.cpp:1455 +#: controlpanel.cpp:1456 msgid "Error: Unable to unload module {1}: {2}" msgstr "" -#: controlpanel.cpp:1458 +#: controlpanel.cpp:1459 msgid "Unloaded module {1}" msgstr "" -#: controlpanel.cpp:1467 +#: controlpanel.cpp:1468 msgid "Usage: UnloadModule " msgstr "" -#: controlpanel.cpp:1484 +#: controlpanel.cpp:1485 msgid "Usage: UnloadNetModule " msgstr "" -#: controlpanel.cpp:1501 controlpanel.cpp:1507 -msgctxt "listmodules" -msgid "Name" -msgstr "" - #: controlpanel.cpp:1502 controlpanel.cpp:1508 msgctxt "listmodules" +msgid "Name" +msgstr "" + +#: controlpanel.cpp:1503 controlpanel.cpp:1509 +msgctxt "listmodules" msgid "Arguments" msgstr "" -#: controlpanel.cpp:1527 +#: controlpanel.cpp:1528 msgid "User {1} has no modules loaded." msgstr "" -#: controlpanel.cpp:1531 +#: controlpanel.cpp:1532 msgid "Modules loaded for user {1}:" msgstr "" -#: controlpanel.cpp:1551 +#: controlpanel.cpp:1552 msgid "Network {1} of user {2} has no modules loaded." msgstr "" -#: controlpanel.cpp:1556 +#: controlpanel.cpp:1557 msgid "Modules loaded for network {1} of user {2}:" msgstr "" -#: controlpanel.cpp:1563 +#: controlpanel.cpp:1564 msgid "[command] [variable]" msgstr "" -#: controlpanel.cpp:1564 +#: controlpanel.cpp:1565 msgid "Prints help for matching commands and variables" msgstr "" -#: controlpanel.cpp:1567 +#: controlpanel.cpp:1568 msgid " [username]" msgstr "" -#: controlpanel.cpp:1568 +#: controlpanel.cpp:1569 msgid "Prints the variable's value for the given or current user" msgstr "" -#: controlpanel.cpp:1570 +#: controlpanel.cpp:1571 msgid " " msgstr "" -#: controlpanel.cpp:1571 +#: controlpanel.cpp:1572 msgid "Sets the variable's value for the given user" msgstr "" -#: controlpanel.cpp:1573 +#: controlpanel.cpp:1574 msgid " [username] [network]" msgstr "" -#: controlpanel.cpp:1574 +#: controlpanel.cpp:1575 msgid "Prints the variable's value for the given network" msgstr "" -#: controlpanel.cpp:1576 +#: controlpanel.cpp:1577 msgid " " msgstr "" -#: controlpanel.cpp:1577 +#: controlpanel.cpp:1578 msgid "Sets the variable's value for the given network" msgstr "" -#: controlpanel.cpp:1579 +#: controlpanel.cpp:1580 msgid " [username] " msgstr "" -#: controlpanel.cpp:1580 +#: controlpanel.cpp:1581 msgid "Prints the variable's value for the given channel" msgstr "" -#: controlpanel.cpp:1583 +#: controlpanel.cpp:1584 msgid " " msgstr "" -#: controlpanel.cpp:1584 +#: controlpanel.cpp:1585 msgid "Sets the variable's value for the given channel" msgstr "" -#: controlpanel.cpp:1586 controlpanel.cpp:1589 +#: controlpanel.cpp:1587 controlpanel.cpp:1590 msgid " " msgstr "" -#: controlpanel.cpp:1587 +#: controlpanel.cpp:1588 msgid "Adds a new channel" msgstr "" -#: controlpanel.cpp:1590 +#: controlpanel.cpp:1591 msgid "Deletes a channel" msgstr "" -#: controlpanel.cpp:1592 +#: controlpanel.cpp:1593 msgid "Lists users" msgstr "" -#: controlpanel.cpp:1594 +#: controlpanel.cpp:1595 msgid " " msgstr "" -#: controlpanel.cpp:1595 +#: controlpanel.cpp:1596 msgid "Adds a new user" msgstr "" -#: controlpanel.cpp:1597 controlpanel.cpp:1620 controlpanel.cpp:1634 +#: controlpanel.cpp:1598 controlpanel.cpp:1621 controlpanel.cpp:1635 msgid "" msgstr "" -#: controlpanel.cpp:1597 +#: controlpanel.cpp:1598 msgid "Deletes a user" msgstr "" -#: controlpanel.cpp:1599 +#: controlpanel.cpp:1600 msgid " " msgstr "" -#: controlpanel.cpp:1600 +#: controlpanel.cpp:1601 msgid "Clones a user" msgstr "" -#: controlpanel.cpp:1602 controlpanel.cpp:1605 +#: controlpanel.cpp:1603 controlpanel.cpp:1606 msgid " " msgstr "" -#: controlpanel.cpp:1603 +#: controlpanel.cpp:1604 msgid "Adds a new IRC server for the given or current user" msgstr "" -#: controlpanel.cpp:1606 +#: controlpanel.cpp:1607 msgid "Deletes an IRC server from the given or current user" msgstr "" -#: controlpanel.cpp:1608 controlpanel.cpp:1611 controlpanel.cpp:1631 +#: controlpanel.cpp:1609 controlpanel.cpp:1612 controlpanel.cpp:1632 msgid " " msgstr "" -#: controlpanel.cpp:1609 +#: controlpanel.cpp:1610 msgid "Cycles the user's IRC server connection" msgstr "" -#: controlpanel.cpp:1612 +#: controlpanel.cpp:1613 msgid "Disconnects the user from their IRC server" msgstr "" -#: controlpanel.cpp:1614 +#: controlpanel.cpp:1615 msgid " [args]" msgstr "" -#: controlpanel.cpp:1615 +#: controlpanel.cpp:1616 msgid "Loads a Module for a user" msgstr "" -#: controlpanel.cpp:1617 +#: controlpanel.cpp:1618 msgid " " msgstr "" -#: controlpanel.cpp:1618 +#: controlpanel.cpp:1619 msgid "Removes a Module of a user" msgstr "" -#: controlpanel.cpp:1621 +#: controlpanel.cpp:1622 msgid "Get the list of modules for a user" msgstr "" -#: controlpanel.cpp:1624 +#: controlpanel.cpp:1625 msgid " [args]" msgstr "" -#: controlpanel.cpp:1625 +#: controlpanel.cpp:1626 msgid "Loads a Module for a network" msgstr "" -#: controlpanel.cpp:1628 +#: controlpanel.cpp:1629 msgid " " msgstr "" -#: controlpanel.cpp:1629 +#: controlpanel.cpp:1630 msgid "Removes a Module of a network" msgstr "" -#: controlpanel.cpp:1632 +#: controlpanel.cpp:1633 msgid "Get the list of modules for a network" msgstr "" -#: controlpanel.cpp:1635 +#: controlpanel.cpp:1636 msgid "List the configured CTCP replies" msgstr "" -#: controlpanel.cpp:1637 +#: controlpanel.cpp:1638 msgid " [reply]" msgstr "" -#: controlpanel.cpp:1638 +#: controlpanel.cpp:1639 msgid "Configure a new CTCP reply" msgstr "" -#: controlpanel.cpp:1640 +#: controlpanel.cpp:1641 msgid " " msgstr "" -#: controlpanel.cpp:1641 +#: controlpanel.cpp:1642 msgid "Remove a CTCP reply" msgstr "" -#: controlpanel.cpp:1645 controlpanel.cpp:1648 +#: controlpanel.cpp:1646 controlpanel.cpp:1649 msgid "[username] " msgstr "" -#: controlpanel.cpp:1646 +#: controlpanel.cpp:1647 msgid "Add a network for a user" msgstr "" -#: controlpanel.cpp:1649 +#: controlpanel.cpp:1650 msgid "Delete a network for a user" msgstr "" -#: controlpanel.cpp:1651 +#: controlpanel.cpp:1652 msgid "[username]" msgstr "" -#: controlpanel.cpp:1652 +#: controlpanel.cpp:1653 msgid "List all networks for a user" msgstr "" -#: controlpanel.cpp:1665 +#: controlpanel.cpp:1666 msgid "" "Dynamic configuration through IRC. Allows editing only yourself if you're " "not ZNC admin." diff --git a/modules/po/controlpanel.es_ES.po b/modules/po/controlpanel.es_ES.po index 4e4e60c1..ff35f251 100644 --- a/modules/po/controlpanel.es_ES.po +++ b/modules/po/controlpanel.es_ES.po @@ -68,233 +68,233 @@ msgstr "" "Puedes usar $user como nombre de usuario y $network como el nombre de la red " "para modificar tu propio usuario y red." -#: controlpanel.cpp:180 controlpanel.cpp:967 controlpanel.cpp:1004 +#: controlpanel.cpp:181 controlpanel.cpp:968 controlpanel.cpp:1005 msgid "Error: User [{1}] does not exist!" msgstr "Error: el usuario [{1}] no existe" -#: controlpanel.cpp:185 +#: controlpanel.cpp:186 msgid "Error: You need to have admin rights to modify other users!" msgstr "" "Error: tienes que tener permisos administrativos para modificar otros " "usuarios" -#: controlpanel.cpp:195 +#: controlpanel.cpp:196 msgid "Error: You cannot use $network to modify other users!" msgstr "Error: no puedes usar $network para modificar otros usuarios" -#: controlpanel.cpp:203 +#: controlpanel.cpp:204 msgid "Error: User {1} does not have a network named [{2}]." msgstr "Error: el usuario {1} no tiene una red llamada [{2}]." -#: controlpanel.cpp:215 +#: controlpanel.cpp:216 msgid "Usage: Get [username]" msgstr "Uso: Get [usuario]" -#: controlpanel.cpp:305 controlpanel.cpp:508 controlpanel.cpp:583 -#: controlpanel.cpp:659 controlpanel.cpp:794 controlpanel.cpp:879 +#: controlpanel.cpp:306 controlpanel.cpp:509 controlpanel.cpp:584 +#: controlpanel.cpp:660 controlpanel.cpp:795 controlpanel.cpp:880 msgid "Error: Unknown variable" msgstr "Error: variable desconocida" -#: controlpanel.cpp:314 +#: controlpanel.cpp:315 msgid "Usage: Set " msgstr "Uso: Set [usuario] " -#: controlpanel.cpp:336 controlpanel.cpp:624 +#: controlpanel.cpp:337 controlpanel.cpp:625 msgid "This bind host is already set!" msgstr "Este bind host ya está definido" -#: controlpanel.cpp:343 controlpanel.cpp:355 controlpanel.cpp:363 -#: controlpanel.cpp:426 controlpanel.cpp:445 controlpanel.cpp:461 -#: controlpanel.cpp:471 controlpanel.cpp:631 +#: controlpanel.cpp:344 controlpanel.cpp:356 controlpanel.cpp:364 +#: controlpanel.cpp:427 controlpanel.cpp:446 controlpanel.cpp:462 +#: controlpanel.cpp:472 controlpanel.cpp:632 msgid "Access denied!" msgstr "¡Acceso denegado!" -#: controlpanel.cpp:377 controlpanel.cpp:386 controlpanel.cpp:843 +#: controlpanel.cpp:378 controlpanel.cpp:387 controlpanel.cpp:844 msgid "Setting failed, limit for buffer size is {1}" msgstr "Ajuste fallido, el límite para el tamaño de búfer es {1}" -#: controlpanel.cpp:406 +#: controlpanel.cpp:407 msgid "Password has been changed!" msgstr "Se ha cambiado la contraseña" -#: controlpanel.cpp:414 +#: controlpanel.cpp:415 msgid "Timeout can't be less than 30 seconds!" msgstr "¡El tiempo de espera no puede ser inferior a 30 segundos!" -#: controlpanel.cpp:478 +#: controlpanel.cpp:479 msgid "That would be a bad idea!" msgstr "Eso sería una mala idea" -#: controlpanel.cpp:496 +#: controlpanel.cpp:497 msgid "Supported languages: {1}" msgstr "Idiomas soportados: {1}" -#: controlpanel.cpp:520 +#: controlpanel.cpp:521 msgid "Usage: GetNetwork [username] [network]" msgstr "Uso: GetNetwork [usuario] [red]" -#: controlpanel.cpp:539 +#: controlpanel.cpp:540 msgid "Error: A network must be specified to get another users settings." msgstr "" "Error: debes especificar una red para obtener los ajustes de otro usuario." -#: controlpanel.cpp:545 +#: controlpanel.cpp:546 msgid "You are not currently attached to a network." msgstr "No estás adjunto a una red." -#: controlpanel.cpp:551 +#: controlpanel.cpp:552 msgid "Error: Invalid network." msgstr "Error: nombre de red inválido." -#: controlpanel.cpp:595 +#: controlpanel.cpp:596 msgid "Usage: SetNetwork " msgstr "Uso: SetNetwork " -#: controlpanel.cpp:669 +#: controlpanel.cpp:670 msgid "Usage: AddChan " msgstr "Uso: AddChan " -#: controlpanel.cpp:682 +#: controlpanel.cpp:683 msgid "Error: User {1} already has a channel named {2}." msgstr "Error: el usuario {1} ya tiene un canal llamado {2}." -#: controlpanel.cpp:689 +#: controlpanel.cpp:690 msgid "Channel {1} for user {2} added to network {3}." msgstr "El canal {1} para el usuario {2} se ha añadido a la red {3}." -#: controlpanel.cpp:693 +#: controlpanel.cpp:694 msgid "" "Could not add channel {1} for user {2} to network {3}, does it already exist?" msgstr "" "No se ha podido añadir el canal {1} para el usuario {2} a la red {3}, " "¿existe realmente?" -#: controlpanel.cpp:703 +#: controlpanel.cpp:704 msgid "Usage: DelChan " msgstr "Uso: DelChan " -#: controlpanel.cpp:718 +#: controlpanel.cpp:719 msgid "Error: User {1} does not have any channel matching [{2}] in network {3}" msgstr "" "Error: el usuario {1} no tiene ningún canal que coincida con [{2}] en la red " "{3}" -#: controlpanel.cpp:731 +#: controlpanel.cpp:732 msgid "Channel {1} is deleted from network {2} of user {3}" msgid_plural "Channels {1} are deleted from network {2} of user {3}" msgstr[0] "Borrado canal {1} de la red {2} del usuario {3}" msgstr[1] "Borrados canales {1} de la red {2} del usuario {3}" -#: controlpanel.cpp:746 +#: controlpanel.cpp:747 msgid "Usage: GetChan " msgstr "Uso: GetChan " -#: controlpanel.cpp:760 controlpanel.cpp:824 +#: controlpanel.cpp:761 controlpanel.cpp:825 msgid "Error: No channels matching [{1}] found." msgstr "Error: no hay ningún canal que coincida con [{1}]." -#: controlpanel.cpp:809 +#: controlpanel.cpp:810 msgid "Usage: SetChan " msgstr "Uso: SetChan " -#: controlpanel.cpp:890 controlpanel.cpp:900 +#: controlpanel.cpp:891 controlpanel.cpp:901 msgctxt "listusers" msgid "Username" msgstr "Usuario" -#: controlpanel.cpp:891 controlpanel.cpp:901 +#: controlpanel.cpp:892 controlpanel.cpp:902 msgctxt "listusers" msgid "Realname" msgstr "Nombre real" -#: controlpanel.cpp:892 controlpanel.cpp:904 controlpanel.cpp:906 +#: controlpanel.cpp:893 controlpanel.cpp:905 controlpanel.cpp:907 msgctxt "listusers" msgid "IsAdmin" msgstr "Admin" -#: controlpanel.cpp:893 controlpanel.cpp:907 +#: controlpanel.cpp:894 controlpanel.cpp:908 msgctxt "listusers" msgid "Nick" msgstr "Apodo" -#: controlpanel.cpp:894 controlpanel.cpp:908 +#: controlpanel.cpp:895 controlpanel.cpp:909 msgctxt "listusers" msgid "AltNick" msgstr "Apodo alternativo" -#: controlpanel.cpp:895 controlpanel.cpp:909 +#: controlpanel.cpp:896 controlpanel.cpp:910 msgctxt "listusers" msgid "Ident" msgstr "Ident" -#: controlpanel.cpp:896 controlpanel.cpp:910 +#: controlpanel.cpp:897 controlpanel.cpp:911 msgctxt "listusers" msgid "BindHost" msgstr "BindHost" -#: controlpanel.cpp:904 controlpanel.cpp:1144 +#: controlpanel.cpp:905 controlpanel.cpp:1145 msgid "No" msgstr "No" -#: controlpanel.cpp:906 controlpanel.cpp:1136 +#: controlpanel.cpp:907 controlpanel.cpp:1137 msgid "Yes" msgstr "Sí" -#: controlpanel.cpp:920 controlpanel.cpp:989 +#: controlpanel.cpp:921 controlpanel.cpp:990 msgid "Error: You need to have admin rights to add new users!" msgstr "" "Error: tienes que tener permisos administrativos para añadir nuevos usuarios" -#: controlpanel.cpp:926 +#: controlpanel.cpp:927 msgid "Usage: AddUser " msgstr "Uso: AddUser " -#: controlpanel.cpp:931 +#: controlpanel.cpp:932 msgid "Error: User {1} already exists!" msgstr "Error: el usuario {1} ya existe" -#: controlpanel.cpp:943 controlpanel.cpp:1018 +#: controlpanel.cpp:944 controlpanel.cpp:1019 msgid "Error: User not added: {1}" msgstr "Error: usuario no añadido: {1}" -#: controlpanel.cpp:947 controlpanel.cpp:1022 +#: controlpanel.cpp:948 controlpanel.cpp:1023 msgid "User {1} added!" msgstr "¡Usuario {1} añadido!" -#: controlpanel.cpp:954 +#: controlpanel.cpp:955 msgid "Error: You need to have admin rights to delete users!" msgstr "" "Error: tienes que tener permisos administrativos para eliminar usuarios" -#: controlpanel.cpp:960 +#: controlpanel.cpp:961 msgid "Usage: DelUser " msgstr "Uso: DelUser " -#: controlpanel.cpp:972 +#: controlpanel.cpp:973 msgid "Error: You can't delete yourself!" msgstr "Error: no puedes borrarte a ti mismo" -#: controlpanel.cpp:978 +#: controlpanel.cpp:979 msgid "Error: Internal error!" msgstr "Error: error interno" -#: controlpanel.cpp:982 +#: controlpanel.cpp:983 msgid "User {1} deleted!" msgstr "Usuario {1} eliminado" -#: controlpanel.cpp:997 +#: controlpanel.cpp:998 msgid "Usage: CloneUser " msgstr "Uso: CloneUser " -#: controlpanel.cpp:1012 +#: controlpanel.cpp:1013 msgid "Error: Cloning failed: {1}" msgstr "Error: clonación fallida: {1}" -#: controlpanel.cpp:1041 +#: controlpanel.cpp:1042 msgid "Usage: AddNetwork [user] network" msgstr "Uso: AddNetwork [usuario] red" -#: controlpanel.cpp:1047 +#: controlpanel.cpp:1048 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks using /znc DelNetwork " @@ -302,156 +302,156 @@ msgstr "" "Limite de redes alcanzado. Píde a un administrador que te incremente el " "límite, o elimina redes innecesarias usando /znc DelNetwork " -#: controlpanel.cpp:1055 +#: controlpanel.cpp:1056 msgid "Error: User {1} already has a network with the name {2}" msgstr "Error: el usuario {1} ya tiene una red llamada {2}" -#: controlpanel.cpp:1062 +#: controlpanel.cpp:1063 msgid "Network {1} added to user {2}." msgstr "Red {1} añadida al usuario {2}." -#: controlpanel.cpp:1066 +#: controlpanel.cpp:1067 msgid "Error: Network [{1}] could not be added for user {2}: {3}" msgstr "Error: la red [{1}] no se ha podido añadir al usuario {2}: {3}" -#: controlpanel.cpp:1086 +#: controlpanel.cpp:1087 msgid "Usage: DelNetwork [user] network" msgstr "Uso: DelNetwork [usuario] red" -#: controlpanel.cpp:1097 +#: controlpanel.cpp:1098 msgid "The currently active network can be deleted via {1}status" msgstr "La red activa actual puede ser eliminada vía {1}status" -#: controlpanel.cpp:1103 +#: controlpanel.cpp:1104 msgid "Network {1} deleted for user {2}." msgstr "Red {1} eliminada al usuario {2}." -#: controlpanel.cpp:1107 +#: controlpanel.cpp:1108 msgid "Error: Network {1} could not be deleted for user {2}." msgstr "Error: la red {1} no se ha podido eliminar al usuario {2}." -#: controlpanel.cpp:1126 controlpanel.cpp:1134 +#: controlpanel.cpp:1127 controlpanel.cpp:1135 msgctxt "listnetworks" msgid "Network" msgstr "Red" -#: controlpanel.cpp:1127 controlpanel.cpp:1136 controlpanel.cpp:1144 +#: controlpanel.cpp:1128 controlpanel.cpp:1137 controlpanel.cpp:1145 msgctxt "listnetworks" msgid "OnIRC" msgstr "EnIRC" -#: controlpanel.cpp:1128 controlpanel.cpp:1137 +#: controlpanel.cpp:1129 controlpanel.cpp:1138 msgctxt "listnetworks" msgid "IRC Server" msgstr "Servidor IRC" -#: controlpanel.cpp:1129 controlpanel.cpp:1139 +#: controlpanel.cpp:1130 controlpanel.cpp:1140 msgctxt "listnetworks" msgid "IRC User" msgstr "Usuario IRC" -#: controlpanel.cpp:1130 controlpanel.cpp:1141 +#: controlpanel.cpp:1131 controlpanel.cpp:1142 msgctxt "listnetworks" msgid "Channels" msgstr "Canales" -#: controlpanel.cpp:1149 +#: controlpanel.cpp:1150 msgid "No networks" msgstr "No hay redes" -#: controlpanel.cpp:1160 +#: controlpanel.cpp:1161 msgid "Usage: AddServer [[+]port] [password]" msgstr "Uso: AddServer [[+]puerto] [contraseña]" -#: controlpanel.cpp:1174 +#: controlpanel.cpp:1175 msgid "Added IRC Server {1} to network {2} for user {3}." msgstr "Añadido servidor IRC {1} a la red {2} al usuario {3}." -#: controlpanel.cpp:1178 +#: controlpanel.cpp:1179 msgid "Error: Could not add IRC server {1} to network {2} for user {3}." msgstr "" "Error: no se ha podido añadir el servidor IRC {1} a la red {2} del usuario " "{3}." -#: controlpanel.cpp:1191 +#: controlpanel.cpp:1192 msgid "Usage: DelServer [[+]port] [password]" msgstr "Uso: DelServer [[+]puerto] [contraseña]" -#: controlpanel.cpp:1206 +#: controlpanel.cpp:1207 msgid "Deleted IRC Server {1} from network {2} for user {3}." msgstr "Eliminado servidor IRC {1} de la red {2} al usuario {3}." -#: controlpanel.cpp:1210 +#: controlpanel.cpp:1211 msgid "Error: Could not delete IRC server {1} from network {2} for user {3}." msgstr "" "Error: no se ha podido eliminar el servidor IRC {1} de la red {2} al usuario " "{3}." -#: controlpanel.cpp:1220 +#: controlpanel.cpp:1221 msgid "Usage: Reconnect " msgstr "Uso: Reconnect " -#: controlpanel.cpp:1247 +#: controlpanel.cpp:1248 msgid "Queued network {1} of user {2} for a reconnect." msgstr "Red {1} del usuario {2} puesta en cola para reconectar." -#: controlpanel.cpp:1256 +#: controlpanel.cpp:1257 msgid "Usage: Disconnect " msgstr "Uso: Disconnect " -#: controlpanel.cpp:1271 +#: controlpanel.cpp:1272 msgid "Closed IRC connection for network {1} of user {2}." msgstr "Cerrada la conexión IRC de la red {1} al usuario {2}." -#: controlpanel.cpp:1286 controlpanel.cpp:1291 +#: controlpanel.cpp:1287 controlpanel.cpp:1292 msgctxt "listctcp" msgid "Request" msgstr "Solicitud" -#: controlpanel.cpp:1287 controlpanel.cpp:1292 +#: controlpanel.cpp:1288 controlpanel.cpp:1293 msgctxt "listctcp" msgid "Reply" msgstr "Respuesta" -#: controlpanel.cpp:1296 +#: controlpanel.cpp:1297 msgid "No CTCP replies for user {1} are configured" msgstr "No hay respuestas CTCP configuradas para el usuario {1}" -#: controlpanel.cpp:1299 +#: controlpanel.cpp:1300 msgid "CTCP replies for user {1}:" msgstr "Respuestas CTCP del usuario {1}:" -#: controlpanel.cpp:1315 +#: controlpanel.cpp:1316 msgid "Usage: AddCTCP [user] [request] [reply]" msgstr "Uso: AddCTCP [usuario] [solicitud] [respuesta]" -#: controlpanel.cpp:1317 +#: controlpanel.cpp:1318 msgid "" "This will cause ZNC to reply to the CTCP instead of forwarding it to clients." msgstr "" "Esto hará que ZNC responda a los CTCP en vez de reenviarselos a los clientes." -#: controlpanel.cpp:1320 +#: controlpanel.cpp:1321 msgid "An empty reply will cause the CTCP request to be blocked." msgstr "Una respuesta vacía hará que la solicitud CTCP sea bloqueada." -#: controlpanel.cpp:1329 +#: controlpanel.cpp:1330 msgid "CTCP requests {1} to user {2} will now be blocked." msgstr "Las solicitudes CTCP {1} del usuario {2} serán bloqueadas." -#: controlpanel.cpp:1333 +#: controlpanel.cpp:1334 msgid "CTCP requests {1} to user {2} will now get reply: {3}" msgstr "Las solicitudes CTCP {1} del usuario {2} se responderán con: {3}" -#: controlpanel.cpp:1350 +#: controlpanel.cpp:1351 msgid "Usage: DelCTCP [user] [request]" msgstr "Uso: DelCTCP [usuario] [solicitud]" -#: controlpanel.cpp:1356 +#: controlpanel.cpp:1357 msgid "CTCP requests {1} to user {2} will now be sent to IRC clients" msgstr "Las solicitudes CTCP {1} del usuario {2} serán enviadas a los clientes" -#: controlpanel.cpp:1360 +#: controlpanel.cpp:1361 msgid "" "CTCP requests {1} to user {2} will be sent to IRC clients (nothing has " "changed)" @@ -459,286 +459,286 @@ msgstr "" "Las solicitudes CTCP {1} del usuario {2} serán enviadas a los clientes (no " "se ha cambiado nada)" -#: controlpanel.cpp:1370 controlpanel.cpp:1444 +#: controlpanel.cpp:1371 controlpanel.cpp:1445 msgid "Loading modules has been disabled." msgstr "La carga de módulos ha sido deshabilitada." -#: controlpanel.cpp:1379 +#: controlpanel.cpp:1380 msgid "Error: Unable to load module {1}: {2}" msgstr "Error: no se ha podido cargar el módulo {1}: {2}" -#: controlpanel.cpp:1382 +#: controlpanel.cpp:1383 msgid "Loaded module {1}" msgstr "Cargado módulo {1}" -#: controlpanel.cpp:1387 +#: controlpanel.cpp:1388 msgid "Error: Unable to reload module {1}: {2}" msgstr "Error: no se ha podido recargar el módulo {1}: {2}" -#: controlpanel.cpp:1390 +#: controlpanel.cpp:1391 msgid "Reloaded module {1}" msgstr "Recargado módulo {1}" -#: controlpanel.cpp:1394 +#: controlpanel.cpp:1395 msgid "Error: Unable to load module {1} because it is already loaded" msgstr "Error: no se ha podido cargar el módulo {1} porque ya está cargado" -#: controlpanel.cpp:1405 +#: controlpanel.cpp:1406 msgid "Usage: LoadModule [args]" msgstr "Uso: LoadModule [args]" -#: controlpanel.cpp:1424 +#: controlpanel.cpp:1425 msgid "Usage: LoadNetModule [args]" msgstr "Uso: LoadNetModule [args]" -#: controlpanel.cpp:1449 +#: controlpanel.cpp:1450 msgid "Please use /znc unloadmod {1}" msgstr "Por favor, ejecuta /znc unloadmod {1}" -#: controlpanel.cpp:1455 +#: controlpanel.cpp:1456 msgid "Error: Unable to unload module {1}: {2}" msgstr "Error: no se ha podido descargar el módulo {1}: {2}" -#: controlpanel.cpp:1458 +#: controlpanel.cpp:1459 msgid "Unloaded module {1}" msgstr "Descargado módulo {1}" -#: controlpanel.cpp:1467 +#: controlpanel.cpp:1468 msgid "Usage: UnloadModule " msgstr "Uso: UnloadModule " -#: controlpanel.cpp:1484 +#: controlpanel.cpp:1485 msgid "Usage: UnloadNetModule " msgstr "Uso: UnloadNetModule " -#: controlpanel.cpp:1501 controlpanel.cpp:1507 +#: controlpanel.cpp:1502 controlpanel.cpp:1508 msgctxt "listmodules" msgid "Name" msgstr "Nombre" -#: controlpanel.cpp:1502 controlpanel.cpp:1508 +#: controlpanel.cpp:1503 controlpanel.cpp:1509 msgctxt "listmodules" msgid "Arguments" msgstr "Parámetros" -#: controlpanel.cpp:1527 +#: controlpanel.cpp:1528 msgid "User {1} has no modules loaded." msgstr "El usuario {1} no tiene módulos cargados." -#: controlpanel.cpp:1531 +#: controlpanel.cpp:1532 msgid "Modules loaded for user {1}:" msgstr "Módulos cargados para el usuario {1}:" -#: controlpanel.cpp:1551 +#: controlpanel.cpp:1552 msgid "Network {1} of user {2} has no modules loaded." msgstr "La red {1} del usuario {2} no tiene módulos cargados." -#: controlpanel.cpp:1556 +#: controlpanel.cpp:1557 msgid "Modules loaded for network {1} of user {2}:" msgstr "Módulos cargados para la red {1} del usuario {2}:" -#: controlpanel.cpp:1563 +#: controlpanel.cpp:1564 msgid "[command] [variable]" msgstr "[comando] [variable]" -#: controlpanel.cpp:1564 +#: controlpanel.cpp:1565 msgid "Prints help for matching commands and variables" msgstr "Muestra la ayuda de los comandos y variables" -#: controlpanel.cpp:1567 +#: controlpanel.cpp:1568 msgid " [username]" msgstr " [usuario]" -#: controlpanel.cpp:1568 +#: controlpanel.cpp:1569 msgid "Prints the variable's value for the given or current user" msgstr "" "Muestra los valores de las variables del usuario actual o el proporcionado" -#: controlpanel.cpp:1570 +#: controlpanel.cpp:1571 msgid " " msgstr " " -#: controlpanel.cpp:1571 +#: controlpanel.cpp:1572 msgid "Sets the variable's value for the given user" msgstr "Ajusta los valores de variables para el usuario proporcionado" -#: controlpanel.cpp:1573 +#: controlpanel.cpp:1574 msgid " [username] [network]" msgstr " [usuario] [red]" -#: controlpanel.cpp:1574 +#: controlpanel.cpp:1575 msgid "Prints the variable's value for the given network" msgstr "Muestra los valores de las variables de la red proporcionada" -#: controlpanel.cpp:1576 +#: controlpanel.cpp:1577 msgid " " msgstr " " -#: controlpanel.cpp:1577 +#: controlpanel.cpp:1578 msgid "Sets the variable's value for the given network" msgstr "Ajusta los valores de variables para la red proporcionada" -#: controlpanel.cpp:1579 +#: controlpanel.cpp:1580 msgid " [username] " msgstr " " -#: controlpanel.cpp:1580 +#: controlpanel.cpp:1581 msgid "Prints the variable's value for the given channel" msgstr "Muestra los valores de las variables del canal proporcionado" -#: controlpanel.cpp:1583 +#: controlpanel.cpp:1584 msgid " " msgstr " " -#: controlpanel.cpp:1584 +#: controlpanel.cpp:1585 msgid "Sets the variable's value for the given channel" msgstr "Ajusta los valores de variables para el canal proporcionado" -#: controlpanel.cpp:1586 controlpanel.cpp:1589 +#: controlpanel.cpp:1587 controlpanel.cpp:1590 msgid " " msgstr " " -#: controlpanel.cpp:1587 +#: controlpanel.cpp:1588 msgid "Adds a new channel" msgstr "Añadir un nuevo canal" -#: controlpanel.cpp:1590 +#: controlpanel.cpp:1591 msgid "Deletes a channel" msgstr "Eliminar canal" -#: controlpanel.cpp:1592 +#: controlpanel.cpp:1593 msgid "Lists users" msgstr "Mostrar usuarios" -#: controlpanel.cpp:1594 +#: controlpanel.cpp:1595 msgid " " msgstr " " -#: controlpanel.cpp:1595 +#: controlpanel.cpp:1596 msgid "Adds a new user" msgstr "Añadir un usuario nuevo" -#: controlpanel.cpp:1597 controlpanel.cpp:1620 controlpanel.cpp:1634 +#: controlpanel.cpp:1598 controlpanel.cpp:1621 controlpanel.cpp:1635 msgid "" msgstr "" -#: controlpanel.cpp:1597 +#: controlpanel.cpp:1598 msgid "Deletes a user" msgstr "Eliminar usuario" -#: controlpanel.cpp:1599 +#: controlpanel.cpp:1600 msgid " " msgstr " " -#: controlpanel.cpp:1600 +#: controlpanel.cpp:1601 msgid "Clones a user" msgstr "Duplica un usuario" -#: controlpanel.cpp:1602 controlpanel.cpp:1605 +#: controlpanel.cpp:1603 controlpanel.cpp:1606 msgid " " msgstr " " -#: controlpanel.cpp:1603 +#: controlpanel.cpp:1604 msgid "Adds a new IRC server for the given or current user" msgstr "Añade un nuevo servidor de IRC para el usuario actual o proporcionado" -#: controlpanel.cpp:1606 +#: controlpanel.cpp:1607 msgid "Deletes an IRC server from the given or current user" msgstr "Borra un servidor de IRC para el usuario actual o proporcionado" -#: controlpanel.cpp:1608 controlpanel.cpp:1611 controlpanel.cpp:1631 +#: controlpanel.cpp:1609 controlpanel.cpp:1612 controlpanel.cpp:1632 msgid " " msgstr " " -#: controlpanel.cpp:1609 +#: controlpanel.cpp:1610 msgid "Cycles the user's IRC server connection" msgstr "Reconecta la conexión de un usario al IRC" -#: controlpanel.cpp:1612 +#: controlpanel.cpp:1613 msgid "Disconnects the user from their IRC server" msgstr "Desconecta un usuario de su servidor de IRC" -#: controlpanel.cpp:1614 +#: controlpanel.cpp:1615 msgid " [args]" msgstr " [args]" -#: controlpanel.cpp:1615 +#: controlpanel.cpp:1616 msgid "Loads a Module for a user" msgstr "Carga un módulo a un usuario" -#: controlpanel.cpp:1617 +#: controlpanel.cpp:1618 msgid " " msgstr " " -#: controlpanel.cpp:1618 +#: controlpanel.cpp:1619 msgid "Removes a Module of a user" msgstr "Quita un módulo de un usuario" -#: controlpanel.cpp:1621 +#: controlpanel.cpp:1622 msgid "Get the list of modules for a user" msgstr "Obtiene la lista de módulos de un usuario" -#: controlpanel.cpp:1624 +#: controlpanel.cpp:1625 msgid " [args]" msgstr " [args]" -#: controlpanel.cpp:1625 +#: controlpanel.cpp:1626 msgid "Loads a Module for a network" msgstr "Carga un módulo para una red" -#: controlpanel.cpp:1628 +#: controlpanel.cpp:1629 msgid " " msgstr " " -#: controlpanel.cpp:1629 +#: controlpanel.cpp:1630 msgid "Removes a Module of a network" msgstr "Elimina el módulo de una red" -#: controlpanel.cpp:1632 +#: controlpanel.cpp:1633 msgid "Get the list of modules for a network" msgstr "Obtiene la lista de módulos de una red" -#: controlpanel.cpp:1635 +#: controlpanel.cpp:1636 msgid "List the configured CTCP replies" msgstr "Muestra las respuestas CTCP configuradas" -#: controlpanel.cpp:1637 +#: controlpanel.cpp:1638 msgid " [reply]" msgstr " [respuesta]" -#: controlpanel.cpp:1638 +#: controlpanel.cpp:1639 msgid "Configure a new CTCP reply" msgstr "Configura una nueva respuesta CTCP" -#: controlpanel.cpp:1640 +#: controlpanel.cpp:1641 msgid " " msgstr " " -#: controlpanel.cpp:1641 +#: controlpanel.cpp:1642 msgid "Remove a CTCP reply" msgstr "Elimina una respuesta CTCP" -#: controlpanel.cpp:1645 controlpanel.cpp:1648 +#: controlpanel.cpp:1646 controlpanel.cpp:1649 msgid "[username] " msgstr "[usuario] " -#: controlpanel.cpp:1646 +#: controlpanel.cpp:1647 msgid "Add a network for a user" msgstr "Añade una red a un usuario" -#: controlpanel.cpp:1649 +#: controlpanel.cpp:1650 msgid "Delete a network for a user" msgstr "Borra la red de un usuario" -#: controlpanel.cpp:1651 +#: controlpanel.cpp:1652 msgid "[username]" msgstr "[usuario]" -#: controlpanel.cpp:1652 +#: controlpanel.cpp:1653 msgid "List all networks for a user" msgstr "Muestra las redes de un usuario" -#: controlpanel.cpp:1665 +#: controlpanel.cpp:1666 msgid "" "Dynamic configuration through IRC. Allows editing only yourself if you're " "not ZNC admin." diff --git a/modules/po/controlpanel.fr_FR.po b/modules/po/controlpanel.fr_FR.po index c3463c50..084bf6a2 100644 --- a/modules/po/controlpanel.fr_FR.po +++ b/modules/po/controlpanel.fr_FR.po @@ -67,676 +67,676 @@ msgstr "" "Vous pouvez utiliser $user comme nom d'utilisateur et $network comme nom de " "réseau pour modifier votre propre utilisateur et réseau." -#: controlpanel.cpp:180 controlpanel.cpp:967 controlpanel.cpp:1004 +#: controlpanel.cpp:181 controlpanel.cpp:968 controlpanel.cpp:1005 msgid "Error: User [{1}] does not exist!" msgstr "Erreur : l'utilisateur [{1}] n'existe pas !" -#: controlpanel.cpp:185 +#: controlpanel.cpp:186 msgid "Error: You need to have admin rights to modify other users!" msgstr "" "Erreur : vous devez avoir les droits d'administration pour modifier les " "autres utilisateurs !" -#: controlpanel.cpp:195 +#: controlpanel.cpp:196 msgid "Error: You cannot use $network to modify other users!" msgstr "" "Erreur : vous ne pouvez pas utiliser $network pour modifier les autres " "utilisateurs !" -#: controlpanel.cpp:203 +#: controlpanel.cpp:204 msgid "Error: User {1} does not have a network named [{2}]." msgstr "Erreur : l'utilisateur {1} n'a pas de réseau nommé [{2}]." -#: controlpanel.cpp:215 +#: controlpanel.cpp:216 msgid "Usage: Get [username]" msgstr "Utilisation : Get [username]" -#: controlpanel.cpp:305 controlpanel.cpp:508 controlpanel.cpp:583 -#: controlpanel.cpp:659 controlpanel.cpp:794 controlpanel.cpp:879 +#: controlpanel.cpp:306 controlpanel.cpp:509 controlpanel.cpp:584 +#: controlpanel.cpp:660 controlpanel.cpp:795 controlpanel.cpp:880 msgid "Error: Unknown variable" msgstr "Erreur : variable inconnue" -#: controlpanel.cpp:314 +#: controlpanel.cpp:315 msgid "Usage: Set " msgstr "Utilisation : Set " -#: controlpanel.cpp:336 controlpanel.cpp:624 +#: controlpanel.cpp:337 controlpanel.cpp:625 msgid "This bind host is already set!" msgstr "Cet hôte lié est déjà configuré !" -#: controlpanel.cpp:343 controlpanel.cpp:355 controlpanel.cpp:363 -#: controlpanel.cpp:426 controlpanel.cpp:445 controlpanel.cpp:461 -#: controlpanel.cpp:471 controlpanel.cpp:631 +#: controlpanel.cpp:344 controlpanel.cpp:356 controlpanel.cpp:364 +#: controlpanel.cpp:427 controlpanel.cpp:446 controlpanel.cpp:462 +#: controlpanel.cpp:472 controlpanel.cpp:632 msgid "Access denied!" msgstr "Accès refusé !" -#: controlpanel.cpp:377 controlpanel.cpp:386 controlpanel.cpp:843 +#: controlpanel.cpp:378 controlpanel.cpp:387 controlpanel.cpp:844 msgid "Setting failed, limit for buffer size is {1}" msgstr "Configuration impossible, la limite de la taille du cache est de {1}" -#: controlpanel.cpp:406 +#: controlpanel.cpp:407 msgid "Password has been changed!" msgstr "Le mot de passe a été modifié !" -#: controlpanel.cpp:414 +#: controlpanel.cpp:415 msgid "Timeout can't be less than 30 seconds!" msgstr "L'expiration ne peut pas être inférieure à 30 secondes !" -#: controlpanel.cpp:478 +#: controlpanel.cpp:479 msgid "That would be a bad idea!" msgstr "Ce serait une mauvaise idée !" -#: controlpanel.cpp:496 +#: controlpanel.cpp:497 msgid "Supported languages: {1}" msgstr "Langues supportées : {1}" -#: controlpanel.cpp:520 +#: controlpanel.cpp:521 msgid "Usage: GetNetwork [username] [network]" msgstr "Utilisation : GetNetwork [username] [network]" -#: controlpanel.cpp:539 +#: controlpanel.cpp:540 msgid "Error: A network must be specified to get another users settings." msgstr "" "Erreur : un réseau doit être spécifié pour accéder aux paramètres d'un autre " "utilisateur." -#: controlpanel.cpp:545 +#: controlpanel.cpp:546 msgid "You are not currently attached to a network." msgstr "Vous n'êtes pas actuellement rattaché à un réseau." -#: controlpanel.cpp:551 +#: controlpanel.cpp:552 msgid "Error: Invalid network." msgstr "Erreur : réseau non valide." -#: controlpanel.cpp:595 +#: controlpanel.cpp:596 msgid "Usage: SetNetwork " msgstr "" "Utilisation : SetNetwork " -#: controlpanel.cpp:669 +#: controlpanel.cpp:670 msgid "Usage: AddChan " msgstr "Utilisation : AddChan " -#: controlpanel.cpp:682 +#: controlpanel.cpp:683 msgid "Error: User {1} already has a channel named {2}." msgstr "Erreur : l'utilisateur {1} a déjà un salon nommé {2}." -#: controlpanel.cpp:689 +#: controlpanel.cpp:690 msgid "Channel {1} for user {2} added to network {3}." msgstr "Salon {1} pour l'utilisateur {2} ajouté au réseau {3}." -#: controlpanel.cpp:693 +#: controlpanel.cpp:694 msgid "" "Could not add channel {1} for user {2} to network {3}, does it already exist?" msgstr "" "Impossible d'ajouter le salon {1} pour l'utilisateur {2} au réseau {3}, " "existe-t-il déjà ?" -#: controlpanel.cpp:703 +#: controlpanel.cpp:704 msgid "Usage: DelChan " msgstr "Utilisation : DelChan " -#: controlpanel.cpp:718 +#: controlpanel.cpp:719 msgid "Error: User {1} does not have any channel matching [{2}] in network {3}" msgstr "" "Erreur : l'utilisateur {1} n'a aucun salon correspondant à [{2}] dans le " "réseau {3}" -#: controlpanel.cpp:731 +#: controlpanel.cpp:732 msgid "Channel {1} is deleted from network {2} of user {3}" msgid_plural "Channels {1} are deleted from network {2} of user {3}" msgstr[0] "Le salon {1} est supprimé du réseau {2} de l'utilisateur {3}" msgstr[1] "Les salons {1} sont supprimés du réseau {2} de l'utilisateur {3}" -#: controlpanel.cpp:746 +#: controlpanel.cpp:747 msgid "Usage: GetChan " msgstr "Utilisation : GetChan " -#: controlpanel.cpp:760 controlpanel.cpp:824 +#: controlpanel.cpp:761 controlpanel.cpp:825 msgid "Error: No channels matching [{1}] found." msgstr "Erreur : aucun salon correspondant à [{1}] trouvé." -#: controlpanel.cpp:809 +#: controlpanel.cpp:810 msgid "Usage: SetChan " msgstr "" "Utilisation : SetChan " "" -#: controlpanel.cpp:890 controlpanel.cpp:900 +#: controlpanel.cpp:891 controlpanel.cpp:901 msgctxt "listusers" msgid "Username" msgstr "Nom d'utilisateur" -#: controlpanel.cpp:891 controlpanel.cpp:901 +#: controlpanel.cpp:892 controlpanel.cpp:902 msgctxt "listusers" msgid "Realname" msgstr "Nom réel" -#: controlpanel.cpp:892 controlpanel.cpp:904 controlpanel.cpp:906 +#: controlpanel.cpp:893 controlpanel.cpp:905 controlpanel.cpp:907 msgctxt "listusers" msgid "IsAdmin" msgstr "Est administrateur" -#: controlpanel.cpp:893 controlpanel.cpp:907 +#: controlpanel.cpp:894 controlpanel.cpp:908 msgctxt "listusers" msgid "Nick" msgstr "Pseudo" -#: controlpanel.cpp:894 controlpanel.cpp:908 +#: controlpanel.cpp:895 controlpanel.cpp:909 msgctxt "listusers" msgid "AltNick" msgstr "Pseudo alternatif" -#: controlpanel.cpp:895 controlpanel.cpp:909 +#: controlpanel.cpp:896 controlpanel.cpp:910 msgctxt "listusers" msgid "Ident" msgstr "Identité" -#: controlpanel.cpp:896 controlpanel.cpp:910 +#: controlpanel.cpp:897 controlpanel.cpp:911 msgctxt "listusers" msgid "BindHost" msgstr "Hôte lié" -#: controlpanel.cpp:904 controlpanel.cpp:1144 +#: controlpanel.cpp:905 controlpanel.cpp:1145 msgid "No" msgstr "Non" -#: controlpanel.cpp:906 controlpanel.cpp:1136 +#: controlpanel.cpp:907 controlpanel.cpp:1137 msgid "Yes" msgstr "Oui" -#: controlpanel.cpp:920 controlpanel.cpp:989 +#: controlpanel.cpp:921 controlpanel.cpp:990 msgid "Error: You need to have admin rights to add new users!" msgstr "" "Erreur : vous devez avoir les droits d'administration pour ajouter de " "nouveaux utilisateurs !" -#: controlpanel.cpp:926 +#: controlpanel.cpp:927 msgid "Usage: AddUser " msgstr "Utilisation : AddUser " -#: controlpanel.cpp:931 +#: controlpanel.cpp:932 msgid "Error: User {1} already exists!" msgstr "" -#: controlpanel.cpp:943 controlpanel.cpp:1018 +#: controlpanel.cpp:944 controlpanel.cpp:1019 msgid "Error: User not added: {1}" msgstr "" -#: controlpanel.cpp:947 controlpanel.cpp:1022 +#: controlpanel.cpp:948 controlpanel.cpp:1023 msgid "User {1} added!" msgstr "" -#: controlpanel.cpp:954 +#: controlpanel.cpp:955 msgid "Error: You need to have admin rights to delete users!" msgstr "" -#: controlpanel.cpp:960 +#: controlpanel.cpp:961 msgid "Usage: DelUser " msgstr "" -#: controlpanel.cpp:972 +#: controlpanel.cpp:973 msgid "Error: You can't delete yourself!" msgstr "" -#: controlpanel.cpp:978 +#: controlpanel.cpp:979 msgid "Error: Internal error!" msgstr "" -#: controlpanel.cpp:982 +#: controlpanel.cpp:983 msgid "User {1} deleted!" msgstr "" -#: controlpanel.cpp:997 +#: controlpanel.cpp:998 msgid "Usage: CloneUser " msgstr "" -#: controlpanel.cpp:1012 +#: controlpanel.cpp:1013 msgid "Error: Cloning failed: {1}" msgstr "" -#: controlpanel.cpp:1041 +#: controlpanel.cpp:1042 msgid "Usage: AddNetwork [user] network" msgstr "" -#: controlpanel.cpp:1047 +#: controlpanel.cpp:1048 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks using /znc DelNetwork " msgstr "" -#: controlpanel.cpp:1055 +#: controlpanel.cpp:1056 msgid "Error: User {1} already has a network with the name {2}" msgstr "" -#: controlpanel.cpp:1062 +#: controlpanel.cpp:1063 msgid "Network {1} added to user {2}." msgstr "" -#: controlpanel.cpp:1066 +#: controlpanel.cpp:1067 msgid "Error: Network [{1}] could not be added for user {2}: {3}" msgstr "" -#: controlpanel.cpp:1086 +#: controlpanel.cpp:1087 msgid "Usage: DelNetwork [user] network" msgstr "" -#: controlpanel.cpp:1097 +#: controlpanel.cpp:1098 msgid "The currently active network can be deleted via {1}status" msgstr "" -#: controlpanel.cpp:1103 +#: controlpanel.cpp:1104 msgid "Network {1} deleted for user {2}." msgstr "" -#: controlpanel.cpp:1107 +#: controlpanel.cpp:1108 msgid "Error: Network {1} could not be deleted for user {2}." msgstr "" -#: controlpanel.cpp:1126 controlpanel.cpp:1134 +#: controlpanel.cpp:1127 controlpanel.cpp:1135 msgctxt "listnetworks" msgid "Network" msgstr "" -#: controlpanel.cpp:1127 controlpanel.cpp:1136 controlpanel.cpp:1144 +#: controlpanel.cpp:1128 controlpanel.cpp:1137 controlpanel.cpp:1145 msgctxt "listnetworks" msgid "OnIRC" msgstr "" -#: controlpanel.cpp:1128 controlpanel.cpp:1137 +#: controlpanel.cpp:1129 controlpanel.cpp:1138 msgctxt "listnetworks" msgid "IRC Server" msgstr "" -#: controlpanel.cpp:1129 controlpanel.cpp:1139 +#: controlpanel.cpp:1130 controlpanel.cpp:1140 msgctxt "listnetworks" msgid "IRC User" msgstr "" -#: controlpanel.cpp:1130 controlpanel.cpp:1141 +#: controlpanel.cpp:1131 controlpanel.cpp:1142 msgctxt "listnetworks" msgid "Channels" msgstr "" -#: controlpanel.cpp:1149 +#: controlpanel.cpp:1150 msgid "No networks" msgstr "" -#: controlpanel.cpp:1160 +#: controlpanel.cpp:1161 msgid "Usage: AddServer [[+]port] [password]" msgstr "" -#: controlpanel.cpp:1174 +#: controlpanel.cpp:1175 msgid "Added IRC Server {1} to network {2} for user {3}." msgstr "" -#: controlpanel.cpp:1178 +#: controlpanel.cpp:1179 msgid "Error: Could not add IRC server {1} to network {2} for user {3}." msgstr "" -#: controlpanel.cpp:1191 +#: controlpanel.cpp:1192 msgid "Usage: DelServer [[+]port] [password]" msgstr "" -#: controlpanel.cpp:1206 +#: controlpanel.cpp:1207 msgid "Deleted IRC Server {1} from network {2} for user {3}." msgstr "" -#: controlpanel.cpp:1210 +#: controlpanel.cpp:1211 msgid "Error: Could not delete IRC server {1} from network {2} for user {3}." msgstr "" -#: controlpanel.cpp:1220 +#: controlpanel.cpp:1221 msgid "Usage: Reconnect " msgstr "" -#: controlpanel.cpp:1247 +#: controlpanel.cpp:1248 msgid "Queued network {1} of user {2} for a reconnect." msgstr "" -#: controlpanel.cpp:1256 +#: controlpanel.cpp:1257 msgid "Usage: Disconnect " msgstr "" -#: controlpanel.cpp:1271 +#: controlpanel.cpp:1272 msgid "Closed IRC connection for network {1} of user {2}." msgstr "" -#: controlpanel.cpp:1286 controlpanel.cpp:1291 +#: controlpanel.cpp:1287 controlpanel.cpp:1292 msgctxt "listctcp" msgid "Request" msgstr "Demander" -#: controlpanel.cpp:1287 controlpanel.cpp:1292 +#: controlpanel.cpp:1288 controlpanel.cpp:1293 msgctxt "listctcp" msgid "Reply" msgstr "Répondre" -#: controlpanel.cpp:1296 +#: controlpanel.cpp:1297 msgid "No CTCP replies for user {1} are configured" msgstr "" -#: controlpanel.cpp:1299 +#: controlpanel.cpp:1300 msgid "CTCP replies for user {1}:" msgstr "" -#: controlpanel.cpp:1315 +#: controlpanel.cpp:1316 msgid "Usage: AddCTCP [user] [request] [reply]" msgstr "" -#: controlpanel.cpp:1317 +#: controlpanel.cpp:1318 msgid "" "This will cause ZNC to reply to the CTCP instead of forwarding it to clients." msgstr "" -#: controlpanel.cpp:1320 +#: controlpanel.cpp:1321 msgid "An empty reply will cause the CTCP request to be blocked." msgstr "" -#: controlpanel.cpp:1329 +#: controlpanel.cpp:1330 msgid "CTCP requests {1} to user {2} will now be blocked." msgstr "" -#: controlpanel.cpp:1333 +#: controlpanel.cpp:1334 msgid "CTCP requests {1} to user {2} will now get reply: {3}" msgstr "" -#: controlpanel.cpp:1350 +#: controlpanel.cpp:1351 msgid "Usage: DelCTCP [user] [request]" msgstr "" -#: controlpanel.cpp:1356 +#: controlpanel.cpp:1357 msgid "CTCP requests {1} to user {2} will now be sent to IRC clients" msgstr "" -#: controlpanel.cpp:1360 +#: controlpanel.cpp:1361 msgid "" "CTCP requests {1} to user {2} will be sent to IRC clients (nothing has " "changed)" msgstr "" -#: controlpanel.cpp:1370 controlpanel.cpp:1444 +#: controlpanel.cpp:1371 controlpanel.cpp:1445 msgid "Loading modules has been disabled." msgstr "" -#: controlpanel.cpp:1379 +#: controlpanel.cpp:1380 msgid "Error: Unable to load module {1}: {2}" msgstr "" -#: controlpanel.cpp:1382 +#: controlpanel.cpp:1383 msgid "Loaded module {1}" msgstr "" -#: controlpanel.cpp:1387 +#: controlpanel.cpp:1388 msgid "Error: Unable to reload module {1}: {2}" msgstr "Erreur : Impossible de recharger le module {1} : {2}" -#: controlpanel.cpp:1390 +#: controlpanel.cpp:1391 msgid "Reloaded module {1}" msgstr "Module {1} rechargé" -#: controlpanel.cpp:1394 +#: controlpanel.cpp:1395 msgid "Error: Unable to load module {1} because it is already loaded" msgstr "Erreur : Impossible de charger le module {1} car il est déjà chargé" -#: controlpanel.cpp:1405 +#: controlpanel.cpp:1406 msgid "Usage: LoadModule [args]" msgstr "Utilisation : LoadModule [args]" -#: controlpanel.cpp:1424 +#: controlpanel.cpp:1425 msgid "Usage: LoadNetModule [args]" msgstr "" "Utilisation : LoadNetModule " "[args]" -#: controlpanel.cpp:1449 +#: controlpanel.cpp:1450 msgid "Please use /znc unloadmod {1}" msgstr "Veuillez utiliser /znc unloadmod {1}" -#: controlpanel.cpp:1455 +#: controlpanel.cpp:1456 msgid "Error: Unable to unload module {1}: {2}" msgstr "Erreur : Impossible de décharger le module {1} : {2}" -#: controlpanel.cpp:1458 +#: controlpanel.cpp:1459 msgid "Unloaded module {1}" msgstr "Module {1} déchargé" -#: controlpanel.cpp:1467 +#: controlpanel.cpp:1468 msgid "Usage: UnloadModule " msgstr "Utilisation : UnloadModule " -#: controlpanel.cpp:1484 +#: controlpanel.cpp:1485 msgid "Usage: UnloadNetModule " msgstr "" "Utilisation : UnloadNetModule " -#: controlpanel.cpp:1501 controlpanel.cpp:1507 +#: controlpanel.cpp:1502 controlpanel.cpp:1508 msgctxt "listmodules" msgid "Name" msgstr "Nom" -#: controlpanel.cpp:1502 controlpanel.cpp:1508 +#: controlpanel.cpp:1503 controlpanel.cpp:1509 msgctxt "listmodules" msgid "Arguments" msgstr "Arguments" -#: controlpanel.cpp:1527 +#: controlpanel.cpp:1528 msgid "User {1} has no modules loaded." msgstr "L'utilisateur {1} n'a chargé aucun module." -#: controlpanel.cpp:1531 +#: controlpanel.cpp:1532 msgid "Modules loaded for user {1}:" msgstr "Modules chargés pour l'utilisateur {1} :" -#: controlpanel.cpp:1551 +#: controlpanel.cpp:1552 msgid "Network {1} of user {2} has no modules loaded." msgstr "" -#: controlpanel.cpp:1556 +#: controlpanel.cpp:1557 msgid "Modules loaded for network {1} of user {2}:" msgstr "" -#: controlpanel.cpp:1563 +#: controlpanel.cpp:1564 msgid "[command] [variable]" msgstr "[command] [variable]" -#: controlpanel.cpp:1564 +#: controlpanel.cpp:1565 msgid "Prints help for matching commands and variables" msgstr "" -#: controlpanel.cpp:1567 +#: controlpanel.cpp:1568 msgid " [username]" msgstr " [username]" -#: controlpanel.cpp:1568 +#: controlpanel.cpp:1569 msgid "Prints the variable's value for the given or current user" msgstr "" -#: controlpanel.cpp:1570 +#: controlpanel.cpp:1571 msgid " " msgstr "" -#: controlpanel.cpp:1571 +#: controlpanel.cpp:1572 msgid "Sets the variable's value for the given user" msgstr "" -#: controlpanel.cpp:1573 +#: controlpanel.cpp:1574 msgid " [username] [network]" msgstr "" -#: controlpanel.cpp:1574 +#: controlpanel.cpp:1575 msgid "Prints the variable's value for the given network" msgstr "" -#: controlpanel.cpp:1576 +#: controlpanel.cpp:1577 msgid " " msgstr "" -#: controlpanel.cpp:1577 +#: controlpanel.cpp:1578 msgid "Sets the variable's value for the given network" msgstr "" -#: controlpanel.cpp:1579 +#: controlpanel.cpp:1580 msgid " [username] " msgstr "" -#: controlpanel.cpp:1580 +#: controlpanel.cpp:1581 msgid "Prints the variable's value for the given channel" msgstr "" -#: controlpanel.cpp:1583 +#: controlpanel.cpp:1584 msgid " " msgstr "" -#: controlpanel.cpp:1584 +#: controlpanel.cpp:1585 msgid "Sets the variable's value for the given channel" msgstr "" -#: controlpanel.cpp:1586 controlpanel.cpp:1589 +#: controlpanel.cpp:1587 controlpanel.cpp:1590 msgid " " msgstr "" -#: controlpanel.cpp:1587 +#: controlpanel.cpp:1588 msgid "Adds a new channel" msgstr "" -#: controlpanel.cpp:1590 +#: controlpanel.cpp:1591 msgid "Deletes a channel" msgstr "" -#: controlpanel.cpp:1592 +#: controlpanel.cpp:1593 msgid "Lists users" msgstr "Liste les utilisateurs" -#: controlpanel.cpp:1594 +#: controlpanel.cpp:1595 msgid " " msgstr "" -#: controlpanel.cpp:1595 +#: controlpanel.cpp:1596 msgid "Adds a new user" msgstr "Ajoute un nouvel utilisateur" -#: controlpanel.cpp:1597 controlpanel.cpp:1620 controlpanel.cpp:1634 +#: controlpanel.cpp:1598 controlpanel.cpp:1621 controlpanel.cpp:1635 msgid "" msgstr "" -#: controlpanel.cpp:1597 +#: controlpanel.cpp:1598 msgid "Deletes a user" msgstr "Supprime un utilisateur" -#: controlpanel.cpp:1599 +#: controlpanel.cpp:1600 msgid " " msgstr "" -#: controlpanel.cpp:1600 +#: controlpanel.cpp:1601 msgid "Clones a user" msgstr "Clone un utilisateur" -#: controlpanel.cpp:1602 controlpanel.cpp:1605 +#: controlpanel.cpp:1603 controlpanel.cpp:1606 msgid " " msgstr "" -#: controlpanel.cpp:1603 +#: controlpanel.cpp:1604 msgid "Adds a new IRC server for the given or current user" msgstr "" -#: controlpanel.cpp:1606 +#: controlpanel.cpp:1607 msgid "Deletes an IRC server from the given or current user" msgstr "" -#: controlpanel.cpp:1608 controlpanel.cpp:1611 controlpanel.cpp:1631 +#: controlpanel.cpp:1609 controlpanel.cpp:1612 controlpanel.cpp:1632 msgid " " msgstr "" -#: controlpanel.cpp:1609 +#: controlpanel.cpp:1610 msgid "Cycles the user's IRC server connection" msgstr "" -#: controlpanel.cpp:1612 +#: controlpanel.cpp:1613 msgid "Disconnects the user from their IRC server" msgstr "" -#: controlpanel.cpp:1614 +#: controlpanel.cpp:1615 msgid " [args]" msgstr "" -#: controlpanel.cpp:1615 +#: controlpanel.cpp:1616 msgid "Loads a Module for a user" msgstr "Charge un module pour un utilisateur" -#: controlpanel.cpp:1617 +#: controlpanel.cpp:1618 msgid " " msgstr "" -#: controlpanel.cpp:1618 +#: controlpanel.cpp:1619 msgid "Removes a Module of a user" msgstr "" -#: controlpanel.cpp:1621 +#: controlpanel.cpp:1622 msgid "Get the list of modules for a user" msgstr "Obtenir la liste des modules pour un utilisateur" -#: controlpanel.cpp:1624 +#: controlpanel.cpp:1625 msgid " [args]" msgstr "" -#: controlpanel.cpp:1625 +#: controlpanel.cpp:1626 msgid "Loads a Module for a network" msgstr "" -#: controlpanel.cpp:1628 +#: controlpanel.cpp:1629 msgid " " msgstr "" -#: controlpanel.cpp:1629 +#: controlpanel.cpp:1630 msgid "Removes a Module of a network" msgstr "" -#: controlpanel.cpp:1632 +#: controlpanel.cpp:1633 msgid "Get the list of modules for a network" msgstr "" -#: controlpanel.cpp:1635 +#: controlpanel.cpp:1636 msgid "List the configured CTCP replies" msgstr "" -#: controlpanel.cpp:1637 +#: controlpanel.cpp:1638 msgid " [reply]" msgstr "" -#: controlpanel.cpp:1638 +#: controlpanel.cpp:1639 msgid "Configure a new CTCP reply" msgstr "Configurer une nouvelle réponse CTCP" -#: controlpanel.cpp:1640 +#: controlpanel.cpp:1641 msgid " " msgstr " " -#: controlpanel.cpp:1641 +#: controlpanel.cpp:1642 msgid "Remove a CTCP reply" msgstr "Retirer une réponse CTCP" -#: controlpanel.cpp:1645 controlpanel.cpp:1648 +#: controlpanel.cpp:1646 controlpanel.cpp:1649 msgid "[username] " msgstr "[username] " -#: controlpanel.cpp:1646 +#: controlpanel.cpp:1647 msgid "Add a network for a user" msgstr "Ajouter un réseau pour un utilisateur" -#: controlpanel.cpp:1649 +#: controlpanel.cpp:1650 msgid "Delete a network for a user" msgstr "Supprimer un réseau d'un utilisateur" -#: controlpanel.cpp:1651 +#: controlpanel.cpp:1652 msgid "[username]" msgstr "[username]" -#: controlpanel.cpp:1652 +#: controlpanel.cpp:1653 msgid "List all networks for a user" msgstr "Liste tous les réseaux d'un utilisateur" -#: controlpanel.cpp:1665 +#: controlpanel.cpp:1666 msgid "" "Dynamic configuration through IRC. Allows editing only yourself if you're " "not ZNC admin." diff --git a/modules/po/controlpanel.id_ID.po b/modules/po/controlpanel.id_ID.po index 4d97edbb..017e4b24 100644 --- a/modules/po/controlpanel.id_ID.po +++ b/modules/po/controlpanel.id_ID.po @@ -60,657 +60,657 @@ msgid "" "modifying your own user and network." msgstr "" -#: controlpanel.cpp:180 controlpanel.cpp:967 controlpanel.cpp:1004 +#: controlpanel.cpp:181 controlpanel.cpp:968 controlpanel.cpp:1005 msgid "Error: User [{1}] does not exist!" msgstr "" -#: controlpanel.cpp:185 +#: controlpanel.cpp:186 msgid "Error: You need to have admin rights to modify other users!" msgstr "" -#: controlpanel.cpp:195 +#: controlpanel.cpp:196 msgid "Error: You cannot use $network to modify other users!" msgstr "" -#: controlpanel.cpp:203 +#: controlpanel.cpp:204 msgid "Error: User {1} does not have a network named [{2}]." msgstr "" -#: controlpanel.cpp:215 +#: controlpanel.cpp:216 msgid "Usage: Get [username]" msgstr "" -#: controlpanel.cpp:305 controlpanel.cpp:508 controlpanel.cpp:583 -#: controlpanel.cpp:659 controlpanel.cpp:794 controlpanel.cpp:879 +#: controlpanel.cpp:306 controlpanel.cpp:509 controlpanel.cpp:584 +#: controlpanel.cpp:660 controlpanel.cpp:795 controlpanel.cpp:880 msgid "Error: Unknown variable" msgstr "" -#: controlpanel.cpp:314 +#: controlpanel.cpp:315 msgid "Usage: Set " msgstr "" -#: controlpanel.cpp:336 controlpanel.cpp:624 +#: controlpanel.cpp:337 controlpanel.cpp:625 msgid "This bind host is already set!" msgstr "" -#: controlpanel.cpp:343 controlpanel.cpp:355 controlpanel.cpp:363 -#: controlpanel.cpp:426 controlpanel.cpp:445 controlpanel.cpp:461 -#: controlpanel.cpp:471 controlpanel.cpp:631 +#: controlpanel.cpp:344 controlpanel.cpp:356 controlpanel.cpp:364 +#: controlpanel.cpp:427 controlpanel.cpp:446 controlpanel.cpp:462 +#: controlpanel.cpp:472 controlpanel.cpp:632 msgid "Access denied!" msgstr "" -#: controlpanel.cpp:377 controlpanel.cpp:386 controlpanel.cpp:843 +#: controlpanel.cpp:378 controlpanel.cpp:387 controlpanel.cpp:844 msgid "Setting failed, limit for buffer size is {1}" msgstr "" -#: controlpanel.cpp:406 +#: controlpanel.cpp:407 msgid "Password has been changed!" msgstr "" -#: controlpanel.cpp:414 +#: controlpanel.cpp:415 msgid "Timeout can't be less than 30 seconds!" msgstr "" -#: controlpanel.cpp:478 +#: controlpanel.cpp:479 msgid "That would be a bad idea!" msgstr "" -#: controlpanel.cpp:496 +#: controlpanel.cpp:497 msgid "Supported languages: {1}" msgstr "" -#: controlpanel.cpp:520 +#: controlpanel.cpp:521 msgid "Usage: GetNetwork [username] [network]" msgstr "" -#: controlpanel.cpp:539 +#: controlpanel.cpp:540 msgid "Error: A network must be specified to get another users settings." msgstr "" -#: controlpanel.cpp:545 +#: controlpanel.cpp:546 msgid "You are not currently attached to a network." msgstr "" -#: controlpanel.cpp:551 +#: controlpanel.cpp:552 msgid "Error: Invalid network." msgstr "" -#: controlpanel.cpp:595 +#: controlpanel.cpp:596 msgid "Usage: SetNetwork " msgstr "" -#: controlpanel.cpp:669 +#: controlpanel.cpp:670 msgid "Usage: AddChan " msgstr "" -#: controlpanel.cpp:682 +#: controlpanel.cpp:683 msgid "Error: User {1} already has a channel named {2}." msgstr "" -#: controlpanel.cpp:689 +#: controlpanel.cpp:690 msgid "Channel {1} for user {2} added to network {3}." msgstr "" -#: controlpanel.cpp:693 +#: controlpanel.cpp:694 msgid "" "Could not add channel {1} for user {2} to network {3}, does it already exist?" msgstr "" -#: controlpanel.cpp:703 +#: controlpanel.cpp:704 msgid "Usage: DelChan " msgstr "" -#: controlpanel.cpp:718 +#: controlpanel.cpp:719 msgid "Error: User {1} does not have any channel matching [{2}] in network {3}" msgstr "" -#: controlpanel.cpp:731 +#: controlpanel.cpp:732 msgid "Channel {1} is deleted from network {2} of user {3}" msgid_plural "Channels {1} are deleted from network {2} of user {3}" msgstr[0] "" -#: controlpanel.cpp:746 +#: controlpanel.cpp:747 msgid "Usage: GetChan " msgstr "" -#: controlpanel.cpp:760 controlpanel.cpp:824 +#: controlpanel.cpp:761 controlpanel.cpp:825 msgid "Error: No channels matching [{1}] found." msgstr "" -#: controlpanel.cpp:809 +#: controlpanel.cpp:810 msgid "Usage: SetChan " msgstr "" -#: controlpanel.cpp:890 controlpanel.cpp:900 -msgctxt "listusers" -msgid "Username" -msgstr "" - #: controlpanel.cpp:891 controlpanel.cpp:901 msgctxt "listusers" +msgid "Username" +msgstr "" + +#: controlpanel.cpp:892 controlpanel.cpp:902 +msgctxt "listusers" msgid "Realname" msgstr "" -#: controlpanel.cpp:892 controlpanel.cpp:904 controlpanel.cpp:906 +#: controlpanel.cpp:893 controlpanel.cpp:905 controlpanel.cpp:907 msgctxt "listusers" msgid "IsAdmin" msgstr "" -#: controlpanel.cpp:893 controlpanel.cpp:907 +#: controlpanel.cpp:894 controlpanel.cpp:908 msgctxt "listusers" msgid "Nick" msgstr "" -#: controlpanel.cpp:894 controlpanel.cpp:908 +#: controlpanel.cpp:895 controlpanel.cpp:909 msgctxt "listusers" msgid "AltNick" msgstr "" -#: controlpanel.cpp:895 controlpanel.cpp:909 +#: controlpanel.cpp:896 controlpanel.cpp:910 msgctxt "listusers" msgid "Ident" msgstr "" -#: controlpanel.cpp:896 controlpanel.cpp:910 +#: controlpanel.cpp:897 controlpanel.cpp:911 msgctxt "listusers" msgid "BindHost" msgstr "" -#: controlpanel.cpp:904 controlpanel.cpp:1144 +#: controlpanel.cpp:905 controlpanel.cpp:1145 msgid "No" msgstr "" -#: controlpanel.cpp:906 controlpanel.cpp:1136 +#: controlpanel.cpp:907 controlpanel.cpp:1137 msgid "Yes" msgstr "" -#: controlpanel.cpp:920 controlpanel.cpp:989 +#: controlpanel.cpp:921 controlpanel.cpp:990 msgid "Error: You need to have admin rights to add new users!" msgstr "" -#: controlpanel.cpp:926 +#: controlpanel.cpp:927 msgid "Usage: AddUser " msgstr "" -#: controlpanel.cpp:931 +#: controlpanel.cpp:932 msgid "Error: User {1} already exists!" msgstr "" -#: controlpanel.cpp:943 controlpanel.cpp:1018 +#: controlpanel.cpp:944 controlpanel.cpp:1019 msgid "Error: User not added: {1}" msgstr "" -#: controlpanel.cpp:947 controlpanel.cpp:1022 +#: controlpanel.cpp:948 controlpanel.cpp:1023 msgid "User {1} added!" msgstr "" -#: controlpanel.cpp:954 +#: controlpanel.cpp:955 msgid "Error: You need to have admin rights to delete users!" msgstr "" -#: controlpanel.cpp:960 +#: controlpanel.cpp:961 msgid "Usage: DelUser " msgstr "" -#: controlpanel.cpp:972 +#: controlpanel.cpp:973 msgid "Error: You can't delete yourself!" msgstr "" -#: controlpanel.cpp:978 +#: controlpanel.cpp:979 msgid "Error: Internal error!" msgstr "" -#: controlpanel.cpp:982 +#: controlpanel.cpp:983 msgid "User {1} deleted!" msgstr "" -#: controlpanel.cpp:997 +#: controlpanel.cpp:998 msgid "Usage: CloneUser " msgstr "" -#: controlpanel.cpp:1012 +#: controlpanel.cpp:1013 msgid "Error: Cloning failed: {1}" msgstr "" -#: controlpanel.cpp:1041 +#: controlpanel.cpp:1042 msgid "Usage: AddNetwork [user] network" msgstr "" -#: controlpanel.cpp:1047 +#: controlpanel.cpp:1048 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks using /znc DelNetwork " msgstr "" -#: controlpanel.cpp:1055 +#: controlpanel.cpp:1056 msgid "Error: User {1} already has a network with the name {2}" msgstr "" -#: controlpanel.cpp:1062 +#: controlpanel.cpp:1063 msgid "Network {1} added to user {2}." msgstr "" -#: controlpanel.cpp:1066 +#: controlpanel.cpp:1067 msgid "Error: Network [{1}] could not be added for user {2}: {3}" msgstr "" -#: controlpanel.cpp:1086 +#: controlpanel.cpp:1087 msgid "Usage: DelNetwork [user] network" msgstr "" -#: controlpanel.cpp:1097 +#: controlpanel.cpp:1098 msgid "The currently active network can be deleted via {1}status" msgstr "" -#: controlpanel.cpp:1103 +#: controlpanel.cpp:1104 msgid "Network {1} deleted for user {2}." msgstr "" -#: controlpanel.cpp:1107 +#: controlpanel.cpp:1108 msgid "Error: Network {1} could not be deleted for user {2}." msgstr "" -#: controlpanel.cpp:1126 controlpanel.cpp:1134 +#: controlpanel.cpp:1127 controlpanel.cpp:1135 msgctxt "listnetworks" msgid "Network" msgstr "" -#: controlpanel.cpp:1127 controlpanel.cpp:1136 controlpanel.cpp:1144 +#: controlpanel.cpp:1128 controlpanel.cpp:1137 controlpanel.cpp:1145 msgctxt "listnetworks" msgid "OnIRC" msgstr "" -#: controlpanel.cpp:1128 controlpanel.cpp:1137 +#: controlpanel.cpp:1129 controlpanel.cpp:1138 msgctxt "listnetworks" msgid "IRC Server" msgstr "" -#: controlpanel.cpp:1129 controlpanel.cpp:1139 +#: controlpanel.cpp:1130 controlpanel.cpp:1140 msgctxt "listnetworks" msgid "IRC User" msgstr "" -#: controlpanel.cpp:1130 controlpanel.cpp:1141 +#: controlpanel.cpp:1131 controlpanel.cpp:1142 msgctxt "listnetworks" msgid "Channels" msgstr "" -#: controlpanel.cpp:1149 +#: controlpanel.cpp:1150 msgid "No networks" msgstr "" -#: controlpanel.cpp:1160 +#: controlpanel.cpp:1161 msgid "Usage: AddServer [[+]port] [password]" msgstr "" -#: controlpanel.cpp:1174 +#: controlpanel.cpp:1175 msgid "Added IRC Server {1} to network {2} for user {3}." msgstr "" -#: controlpanel.cpp:1178 +#: controlpanel.cpp:1179 msgid "Error: Could not add IRC server {1} to network {2} for user {3}." msgstr "" -#: controlpanel.cpp:1191 +#: controlpanel.cpp:1192 msgid "Usage: DelServer [[+]port] [password]" msgstr "" -#: controlpanel.cpp:1206 +#: controlpanel.cpp:1207 msgid "Deleted IRC Server {1} from network {2} for user {3}." msgstr "" -#: controlpanel.cpp:1210 +#: controlpanel.cpp:1211 msgid "Error: Could not delete IRC server {1} from network {2} for user {3}." msgstr "" -#: controlpanel.cpp:1220 +#: controlpanel.cpp:1221 msgid "Usage: Reconnect " msgstr "" -#: controlpanel.cpp:1247 +#: controlpanel.cpp:1248 msgid "Queued network {1} of user {2} for a reconnect." msgstr "" -#: controlpanel.cpp:1256 +#: controlpanel.cpp:1257 msgid "Usage: Disconnect " msgstr "" -#: controlpanel.cpp:1271 +#: controlpanel.cpp:1272 msgid "Closed IRC connection for network {1} of user {2}." msgstr "" -#: controlpanel.cpp:1286 controlpanel.cpp:1291 -msgctxt "listctcp" -msgid "Request" -msgstr "" - #: controlpanel.cpp:1287 controlpanel.cpp:1292 msgctxt "listctcp" +msgid "Request" +msgstr "" + +#: controlpanel.cpp:1288 controlpanel.cpp:1293 +msgctxt "listctcp" msgid "Reply" msgstr "" -#: controlpanel.cpp:1296 +#: controlpanel.cpp:1297 msgid "No CTCP replies for user {1} are configured" msgstr "" -#: controlpanel.cpp:1299 +#: controlpanel.cpp:1300 msgid "CTCP replies for user {1}:" msgstr "" -#: controlpanel.cpp:1315 +#: controlpanel.cpp:1316 msgid "Usage: AddCTCP [user] [request] [reply]" msgstr "" -#: controlpanel.cpp:1317 +#: controlpanel.cpp:1318 msgid "" "This will cause ZNC to reply to the CTCP instead of forwarding it to clients." msgstr "" -#: controlpanel.cpp:1320 +#: controlpanel.cpp:1321 msgid "An empty reply will cause the CTCP request to be blocked." msgstr "" -#: controlpanel.cpp:1329 +#: controlpanel.cpp:1330 msgid "CTCP requests {1} to user {2} will now be blocked." msgstr "" -#: controlpanel.cpp:1333 +#: controlpanel.cpp:1334 msgid "CTCP requests {1} to user {2} will now get reply: {3}" msgstr "" -#: controlpanel.cpp:1350 +#: controlpanel.cpp:1351 msgid "Usage: DelCTCP [user] [request]" msgstr "" -#: controlpanel.cpp:1356 +#: controlpanel.cpp:1357 msgid "CTCP requests {1} to user {2} will now be sent to IRC clients" msgstr "" -#: controlpanel.cpp:1360 +#: controlpanel.cpp:1361 msgid "" "CTCP requests {1} to user {2} will be sent to IRC clients (nothing has " "changed)" msgstr "" -#: controlpanel.cpp:1370 controlpanel.cpp:1444 +#: controlpanel.cpp:1371 controlpanel.cpp:1445 msgid "Loading modules has been disabled." msgstr "" -#: controlpanel.cpp:1379 +#: controlpanel.cpp:1380 msgid "Error: Unable to load module {1}: {2}" msgstr "" -#: controlpanel.cpp:1382 +#: controlpanel.cpp:1383 msgid "Loaded module {1}" msgstr "" -#: controlpanel.cpp:1387 +#: controlpanel.cpp:1388 msgid "Error: Unable to reload module {1}: {2}" msgstr "" -#: controlpanel.cpp:1390 +#: controlpanel.cpp:1391 msgid "Reloaded module {1}" msgstr "" -#: controlpanel.cpp:1394 +#: controlpanel.cpp:1395 msgid "Error: Unable to load module {1} because it is already loaded" msgstr "" -#: controlpanel.cpp:1405 +#: controlpanel.cpp:1406 msgid "Usage: LoadModule [args]" msgstr "" -#: controlpanel.cpp:1424 +#: controlpanel.cpp:1425 msgid "Usage: LoadNetModule [args]" msgstr "" -#: controlpanel.cpp:1449 +#: controlpanel.cpp:1450 msgid "Please use /znc unloadmod {1}" msgstr "" -#: controlpanel.cpp:1455 +#: controlpanel.cpp:1456 msgid "Error: Unable to unload module {1}: {2}" msgstr "" -#: controlpanel.cpp:1458 +#: controlpanel.cpp:1459 msgid "Unloaded module {1}" msgstr "" -#: controlpanel.cpp:1467 +#: controlpanel.cpp:1468 msgid "Usage: UnloadModule " msgstr "" -#: controlpanel.cpp:1484 +#: controlpanel.cpp:1485 msgid "Usage: UnloadNetModule " msgstr "" -#: controlpanel.cpp:1501 controlpanel.cpp:1507 -msgctxt "listmodules" -msgid "Name" -msgstr "" - #: controlpanel.cpp:1502 controlpanel.cpp:1508 msgctxt "listmodules" +msgid "Name" +msgstr "" + +#: controlpanel.cpp:1503 controlpanel.cpp:1509 +msgctxt "listmodules" msgid "Arguments" msgstr "" -#: controlpanel.cpp:1527 +#: controlpanel.cpp:1528 msgid "User {1} has no modules loaded." msgstr "" -#: controlpanel.cpp:1531 +#: controlpanel.cpp:1532 msgid "Modules loaded for user {1}:" msgstr "" -#: controlpanel.cpp:1551 +#: controlpanel.cpp:1552 msgid "Network {1} of user {2} has no modules loaded." msgstr "" -#: controlpanel.cpp:1556 +#: controlpanel.cpp:1557 msgid "Modules loaded for network {1} of user {2}:" msgstr "" -#: controlpanel.cpp:1563 +#: controlpanel.cpp:1564 msgid "[command] [variable]" msgstr "" -#: controlpanel.cpp:1564 +#: controlpanel.cpp:1565 msgid "Prints help for matching commands and variables" msgstr "" -#: controlpanel.cpp:1567 +#: controlpanel.cpp:1568 msgid " [username]" msgstr "" -#: controlpanel.cpp:1568 +#: controlpanel.cpp:1569 msgid "Prints the variable's value for the given or current user" msgstr "" -#: controlpanel.cpp:1570 +#: controlpanel.cpp:1571 msgid " " msgstr "" -#: controlpanel.cpp:1571 +#: controlpanel.cpp:1572 msgid "Sets the variable's value for the given user" msgstr "" -#: controlpanel.cpp:1573 +#: controlpanel.cpp:1574 msgid " [username] [network]" msgstr "" -#: controlpanel.cpp:1574 +#: controlpanel.cpp:1575 msgid "Prints the variable's value for the given network" msgstr "" -#: controlpanel.cpp:1576 +#: controlpanel.cpp:1577 msgid " " msgstr "" -#: controlpanel.cpp:1577 +#: controlpanel.cpp:1578 msgid "Sets the variable's value for the given network" msgstr "" -#: controlpanel.cpp:1579 +#: controlpanel.cpp:1580 msgid " [username] " msgstr "" -#: controlpanel.cpp:1580 +#: controlpanel.cpp:1581 msgid "Prints the variable's value for the given channel" msgstr "" -#: controlpanel.cpp:1583 +#: controlpanel.cpp:1584 msgid " " msgstr "" -#: controlpanel.cpp:1584 +#: controlpanel.cpp:1585 msgid "Sets the variable's value for the given channel" msgstr "" -#: controlpanel.cpp:1586 controlpanel.cpp:1589 +#: controlpanel.cpp:1587 controlpanel.cpp:1590 msgid " " msgstr "" -#: controlpanel.cpp:1587 +#: controlpanel.cpp:1588 msgid "Adds a new channel" msgstr "" -#: controlpanel.cpp:1590 +#: controlpanel.cpp:1591 msgid "Deletes a channel" msgstr "" -#: controlpanel.cpp:1592 +#: controlpanel.cpp:1593 msgid "Lists users" msgstr "" -#: controlpanel.cpp:1594 +#: controlpanel.cpp:1595 msgid " " msgstr "" -#: controlpanel.cpp:1595 +#: controlpanel.cpp:1596 msgid "Adds a new user" msgstr "" -#: controlpanel.cpp:1597 controlpanel.cpp:1620 controlpanel.cpp:1634 +#: controlpanel.cpp:1598 controlpanel.cpp:1621 controlpanel.cpp:1635 msgid "" msgstr "" -#: controlpanel.cpp:1597 +#: controlpanel.cpp:1598 msgid "Deletes a user" msgstr "" -#: controlpanel.cpp:1599 +#: controlpanel.cpp:1600 msgid " " msgstr "" -#: controlpanel.cpp:1600 +#: controlpanel.cpp:1601 msgid "Clones a user" msgstr "" -#: controlpanel.cpp:1602 controlpanel.cpp:1605 +#: controlpanel.cpp:1603 controlpanel.cpp:1606 msgid " " msgstr "" -#: controlpanel.cpp:1603 +#: controlpanel.cpp:1604 msgid "Adds a new IRC server for the given or current user" msgstr "" -#: controlpanel.cpp:1606 +#: controlpanel.cpp:1607 msgid "Deletes an IRC server from the given or current user" msgstr "" -#: controlpanel.cpp:1608 controlpanel.cpp:1611 controlpanel.cpp:1631 +#: controlpanel.cpp:1609 controlpanel.cpp:1612 controlpanel.cpp:1632 msgid " " msgstr "" -#: controlpanel.cpp:1609 +#: controlpanel.cpp:1610 msgid "Cycles the user's IRC server connection" msgstr "" -#: controlpanel.cpp:1612 +#: controlpanel.cpp:1613 msgid "Disconnects the user from their IRC server" msgstr "" -#: controlpanel.cpp:1614 +#: controlpanel.cpp:1615 msgid " [args]" msgstr "" -#: controlpanel.cpp:1615 +#: controlpanel.cpp:1616 msgid "Loads a Module for a user" msgstr "" -#: controlpanel.cpp:1617 +#: controlpanel.cpp:1618 msgid " " msgstr "" -#: controlpanel.cpp:1618 +#: controlpanel.cpp:1619 msgid "Removes a Module of a user" msgstr "" -#: controlpanel.cpp:1621 +#: controlpanel.cpp:1622 msgid "Get the list of modules for a user" msgstr "" -#: controlpanel.cpp:1624 +#: controlpanel.cpp:1625 msgid " [args]" msgstr "" -#: controlpanel.cpp:1625 +#: controlpanel.cpp:1626 msgid "Loads a Module for a network" msgstr "" -#: controlpanel.cpp:1628 +#: controlpanel.cpp:1629 msgid " " msgstr "" -#: controlpanel.cpp:1629 +#: controlpanel.cpp:1630 msgid "Removes a Module of a network" msgstr "" -#: controlpanel.cpp:1632 +#: controlpanel.cpp:1633 msgid "Get the list of modules for a network" msgstr "" -#: controlpanel.cpp:1635 +#: controlpanel.cpp:1636 msgid "List the configured CTCP replies" msgstr "" -#: controlpanel.cpp:1637 +#: controlpanel.cpp:1638 msgid " [reply]" msgstr "" -#: controlpanel.cpp:1638 +#: controlpanel.cpp:1639 msgid "Configure a new CTCP reply" msgstr "" -#: controlpanel.cpp:1640 +#: controlpanel.cpp:1641 msgid " " msgstr "" -#: controlpanel.cpp:1641 +#: controlpanel.cpp:1642 msgid "Remove a CTCP reply" msgstr "" -#: controlpanel.cpp:1645 controlpanel.cpp:1648 +#: controlpanel.cpp:1646 controlpanel.cpp:1649 msgid "[username] " msgstr "" -#: controlpanel.cpp:1646 +#: controlpanel.cpp:1647 msgid "Add a network for a user" msgstr "" -#: controlpanel.cpp:1649 +#: controlpanel.cpp:1650 msgid "Delete a network for a user" msgstr "" -#: controlpanel.cpp:1651 +#: controlpanel.cpp:1652 msgid "[username]" msgstr "" -#: controlpanel.cpp:1652 +#: controlpanel.cpp:1653 msgid "List all networks for a user" msgstr "" -#: controlpanel.cpp:1665 +#: controlpanel.cpp:1666 msgid "" "Dynamic configuration through IRC. Allows editing only yourself if you're " "not ZNC admin." diff --git a/modules/po/controlpanel.it_IT.po b/modules/po/controlpanel.it_IT.po index 0159df49..de28cb2b 100644 --- a/modules/po/controlpanel.it_IT.po +++ b/modules/po/controlpanel.it_IT.po @@ -67,236 +67,236 @@ msgstr "" "Puoi usare $user come nome utente e $network come nome del network per " "modificare il tuo nome utente e network." -#: controlpanel.cpp:180 controlpanel.cpp:967 controlpanel.cpp:1004 +#: controlpanel.cpp:181 controlpanel.cpp:968 controlpanel.cpp:1005 msgid "Error: User [{1}] does not exist!" msgstr "Errore: L'utente [{1}] non esiste!" -#: controlpanel.cpp:185 +#: controlpanel.cpp:186 msgid "Error: You need to have admin rights to modify other users!" msgstr "" "Errore: Devi avere i diritti di amministratore per modificare altri utenti!" -#: controlpanel.cpp:195 +#: controlpanel.cpp:196 msgid "Error: You cannot use $network to modify other users!" msgstr "Errore: Non puoi usare $network per modificare altri utenti!" -#: controlpanel.cpp:203 +#: controlpanel.cpp:204 msgid "Error: User {1} does not have a network named [{2}]." msgstr "Errore: L'utente {1} non ha un nome network [{2}]." -#: controlpanel.cpp:215 +#: controlpanel.cpp:216 msgid "Usage: Get [username]" msgstr "Utilizzo: Get [nome utente]" -#: controlpanel.cpp:305 controlpanel.cpp:508 controlpanel.cpp:583 -#: controlpanel.cpp:659 controlpanel.cpp:794 controlpanel.cpp:879 +#: controlpanel.cpp:306 controlpanel.cpp:509 controlpanel.cpp:584 +#: controlpanel.cpp:660 controlpanel.cpp:795 controlpanel.cpp:880 msgid "Error: Unknown variable" msgstr "Errore: Variabile sconosciuta" -#: controlpanel.cpp:314 +#: controlpanel.cpp:315 msgid "Usage: Set " msgstr "Utilizzo: Set " -#: controlpanel.cpp:336 controlpanel.cpp:624 +#: controlpanel.cpp:337 controlpanel.cpp:625 msgid "This bind host is already set!" msgstr "Questo bind host è già impostato!" -#: controlpanel.cpp:343 controlpanel.cpp:355 controlpanel.cpp:363 -#: controlpanel.cpp:426 controlpanel.cpp:445 controlpanel.cpp:461 -#: controlpanel.cpp:471 controlpanel.cpp:631 +#: controlpanel.cpp:344 controlpanel.cpp:356 controlpanel.cpp:364 +#: controlpanel.cpp:427 controlpanel.cpp:446 controlpanel.cpp:462 +#: controlpanel.cpp:472 controlpanel.cpp:632 msgid "Access denied!" msgstr "Accesso negato!" -#: controlpanel.cpp:377 controlpanel.cpp:386 controlpanel.cpp:843 +#: controlpanel.cpp:378 controlpanel.cpp:387 controlpanel.cpp:844 msgid "Setting failed, limit for buffer size is {1}" msgstr "Impostazione fallita, il limite per la dimensione del buffer è {1}" -#: controlpanel.cpp:406 +#: controlpanel.cpp:407 msgid "Password has been changed!" msgstr "La password è stata cambiata" -#: controlpanel.cpp:414 +#: controlpanel.cpp:415 msgid "Timeout can't be less than 30 seconds!" msgstr "Il timeout non può essere inferiore a 30 secondi!" -#: controlpanel.cpp:478 +#: controlpanel.cpp:479 msgid "That would be a bad idea!" msgstr "Questa sarebbe una cattiva idea!" -#: controlpanel.cpp:496 +#: controlpanel.cpp:497 msgid "Supported languages: {1}" msgstr "Lingue supportate: {1}" -#: controlpanel.cpp:520 +#: controlpanel.cpp:521 msgid "Usage: GetNetwork [username] [network]" msgstr "Utilizzo: GetNetwork [nome utente] [network]" -#: controlpanel.cpp:539 +#: controlpanel.cpp:540 msgid "Error: A network must be specified to get another users settings." msgstr "" "Errore: Deve essere specificato un network per ottenere le impostazioni di " "un altro utente." -#: controlpanel.cpp:545 +#: controlpanel.cpp:546 msgid "You are not currently attached to a network." msgstr "Attualmente non sei agganciato ad un network." -#: controlpanel.cpp:551 +#: controlpanel.cpp:552 msgid "Error: Invalid network." msgstr "Errore: Network non valido." -#: controlpanel.cpp:595 +#: controlpanel.cpp:596 msgid "Usage: SetNetwork " msgstr "Usa: SetNetwork " -#: controlpanel.cpp:669 +#: controlpanel.cpp:670 msgid "Usage: AddChan " msgstr "Utilizzo: AddChan " -#: controlpanel.cpp:682 +#: controlpanel.cpp:683 msgid "Error: User {1} already has a channel named {2}." msgstr "Errore: L'utente {1} ha già un canale di nome {2}." -#: controlpanel.cpp:689 +#: controlpanel.cpp:690 msgid "Channel {1} for user {2} added to network {3}." msgstr "Il canale {1} per l'utente {2} è stato aggiunto al network {3}." -#: controlpanel.cpp:693 +#: controlpanel.cpp:694 msgid "" "Could not add channel {1} for user {2} to network {3}, does it already exist?" msgstr "" "Impossibile aggiungere il canale {1} per l'utente {2} sul network {3}, " "esiste già?" -#: controlpanel.cpp:703 +#: controlpanel.cpp:704 msgid "Usage: DelChan " msgstr "Utilizzo: DelChan " -#: controlpanel.cpp:718 +#: controlpanel.cpp:719 msgid "Error: User {1} does not have any channel matching [{2}] in network {3}" msgstr "" "Errore: L'utente {1} non ha nessun canale corrispondente a [{2}] nel network " "{3}" -#: controlpanel.cpp:731 +#: controlpanel.cpp:732 msgid "Channel {1} is deleted from network {2} of user {3}" msgid_plural "Channels {1} are deleted from network {2} of user {3}" msgstr[0] "Il canale {1} è eliminato dal network {2} dell'utente {3}" msgstr[1] "I canali {1} sono eliminati dal network {2} dell'utente {3}" -#: controlpanel.cpp:746 +#: controlpanel.cpp:747 msgid "Usage: GetChan " msgstr "Utilizzo: GetChan " -#: controlpanel.cpp:760 controlpanel.cpp:824 +#: controlpanel.cpp:761 controlpanel.cpp:825 msgid "Error: No channels matching [{1}] found." msgstr "Errore: Nessun canale corrispondente a [{1}] è stato trovato." -#: controlpanel.cpp:809 +#: controlpanel.cpp:810 msgid "Usage: SetChan " msgstr "" "Utilizzo: SetChan " -#: controlpanel.cpp:890 controlpanel.cpp:900 +#: controlpanel.cpp:891 controlpanel.cpp:901 msgctxt "listusers" msgid "Username" msgstr "Nome utente" -#: controlpanel.cpp:891 controlpanel.cpp:901 +#: controlpanel.cpp:892 controlpanel.cpp:902 msgctxt "listusers" msgid "Realname" msgstr "Nome reale" -#: controlpanel.cpp:892 controlpanel.cpp:904 controlpanel.cpp:906 +#: controlpanel.cpp:893 controlpanel.cpp:905 controlpanel.cpp:907 msgctxt "listusers" msgid "IsAdmin" msgstr "è Admin" -#: controlpanel.cpp:893 controlpanel.cpp:907 +#: controlpanel.cpp:894 controlpanel.cpp:908 msgctxt "listusers" msgid "Nick" msgstr "Nick" -#: controlpanel.cpp:894 controlpanel.cpp:908 +#: controlpanel.cpp:895 controlpanel.cpp:909 msgctxt "listusers" msgid "AltNick" msgstr "Nick alternativo" -#: controlpanel.cpp:895 controlpanel.cpp:909 +#: controlpanel.cpp:896 controlpanel.cpp:910 msgctxt "listusers" msgid "Ident" msgstr "Ident" -#: controlpanel.cpp:896 controlpanel.cpp:910 +#: controlpanel.cpp:897 controlpanel.cpp:911 msgctxt "listusers" msgid "BindHost" msgstr "BindHost" -#: controlpanel.cpp:904 controlpanel.cpp:1144 +#: controlpanel.cpp:905 controlpanel.cpp:1145 msgid "No" msgstr "No" -#: controlpanel.cpp:906 controlpanel.cpp:1136 +#: controlpanel.cpp:907 controlpanel.cpp:1137 msgid "Yes" msgstr "Si" -#: controlpanel.cpp:920 controlpanel.cpp:989 +#: controlpanel.cpp:921 controlpanel.cpp:990 msgid "Error: You need to have admin rights to add new users!" msgstr "" "Errore: Devi avere i diritti di amministratore per aggiungere nuovi utenti!" -#: controlpanel.cpp:926 +#: controlpanel.cpp:927 msgid "Usage: AddUser " msgstr "Utilizzo: AddUser " -#: controlpanel.cpp:931 +#: controlpanel.cpp:932 msgid "Error: User {1} already exists!" msgstr "Errore: L'utente {1} è già esistente!" -#: controlpanel.cpp:943 controlpanel.cpp:1018 +#: controlpanel.cpp:944 controlpanel.cpp:1019 msgid "Error: User not added: {1}" msgstr "Errore: Utente non aggiunto: {1}" -#: controlpanel.cpp:947 controlpanel.cpp:1022 +#: controlpanel.cpp:948 controlpanel.cpp:1023 msgid "User {1} added!" msgstr "L'utente {1} è aggiunto!" -#: controlpanel.cpp:954 +#: controlpanel.cpp:955 msgid "Error: You need to have admin rights to delete users!" msgstr "" "Errore: Devi avere i diritti di amministratore per rimuovere gli utenti!" -#: controlpanel.cpp:960 +#: controlpanel.cpp:961 msgid "Usage: DelUser " msgstr "Utilizzo: DelUser " -#: controlpanel.cpp:972 +#: controlpanel.cpp:973 msgid "Error: You can't delete yourself!" msgstr "Errore: Non puoi eliminare te stesso!" -#: controlpanel.cpp:978 +#: controlpanel.cpp:979 msgid "Error: Internal error!" msgstr "Errore: Errore interno!" -#: controlpanel.cpp:982 +#: controlpanel.cpp:983 msgid "User {1} deleted!" msgstr "Utente {1} eliminato!" -#: controlpanel.cpp:997 +#: controlpanel.cpp:998 msgid "Usage: CloneUser " msgstr "" "Usa\n" "Utilizzo: CloneUser " -#: controlpanel.cpp:1012 +#: controlpanel.cpp:1013 msgid "Error: Cloning failed: {1}" msgstr "Errore: Clonazione fallita: {1}" -#: controlpanel.cpp:1041 +#: controlpanel.cpp:1042 msgid "Usage: AddNetwork [user] network" msgstr "Utilizzo: AddNetwork [utente] network" -#: controlpanel.cpp:1047 +#: controlpanel.cpp:1048 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks using /znc DelNetwork " @@ -305,160 +305,160 @@ msgstr "" "il limite per te, oppure elimina i network non necessari usando /znc " "DelNetwork " -#: controlpanel.cpp:1055 +#: controlpanel.cpp:1056 msgid "Error: User {1} already has a network with the name {2}" msgstr "Errore: L'utente {1} ha già un network con il nome {2}" -#: controlpanel.cpp:1062 +#: controlpanel.cpp:1063 msgid "Network {1} added to user {2}." msgstr "Il network {1} è stato aggiunto all'utente {2}." -#: controlpanel.cpp:1066 +#: controlpanel.cpp:1067 msgid "Error: Network [{1}] could not be added for user {2}: {3}" msgstr "Errore: Il network [{1}] non può essere aggiunto per l'utente {2}: {3}" -#: controlpanel.cpp:1086 +#: controlpanel.cpp:1087 msgid "Usage: DelNetwork [user] network" msgstr "Utilizzo: DelNetwork [utente] network" -#: controlpanel.cpp:1097 +#: controlpanel.cpp:1098 msgid "The currently active network can be deleted via {1}status" msgstr "" "Il network attualmente attivo può essere eliminato tramite lo stato {1}" -#: controlpanel.cpp:1103 +#: controlpanel.cpp:1104 msgid "Network {1} deleted for user {2}." msgstr "Il network {1} è stato eliminato per l'utente {2}." -#: controlpanel.cpp:1107 +#: controlpanel.cpp:1108 msgid "Error: Network {1} could not be deleted for user {2}." msgstr "Errore: Il network {1} non può essere eliminato per l'utente {2}." -#: controlpanel.cpp:1126 controlpanel.cpp:1134 +#: controlpanel.cpp:1127 controlpanel.cpp:1135 msgctxt "listnetworks" msgid "Network" msgstr "Network" -#: controlpanel.cpp:1127 controlpanel.cpp:1136 controlpanel.cpp:1144 +#: controlpanel.cpp:1128 controlpanel.cpp:1137 controlpanel.cpp:1145 msgctxt "listnetworks" msgid "OnIRC" msgstr "Su IRC" -#: controlpanel.cpp:1128 controlpanel.cpp:1137 +#: controlpanel.cpp:1129 controlpanel.cpp:1138 msgctxt "listnetworks" msgid "IRC Server" msgstr "Server IRC" -#: controlpanel.cpp:1129 controlpanel.cpp:1139 +#: controlpanel.cpp:1130 controlpanel.cpp:1140 msgctxt "listnetworks" msgid "IRC User" msgstr "Utente IRC" -#: controlpanel.cpp:1130 controlpanel.cpp:1141 +#: controlpanel.cpp:1131 controlpanel.cpp:1142 msgctxt "listnetworks" msgid "Channels" msgstr "Canali" -#: controlpanel.cpp:1149 +#: controlpanel.cpp:1150 msgid "No networks" msgstr "Nessun network" -#: controlpanel.cpp:1160 +#: controlpanel.cpp:1161 msgid "Usage: AddServer [[+]port] [password]" msgstr "" "Utilizzo: AddServer [[+]porta] [password]" -#: controlpanel.cpp:1174 +#: controlpanel.cpp:1175 msgid "Added IRC Server {1} to network {2} for user {3}." msgstr "Aggiunto il Server IRC {1} al network {2} per l'utente {3}." -#: controlpanel.cpp:1178 +#: controlpanel.cpp:1179 msgid "Error: Could not add IRC server {1} to network {2} for user {3}." msgstr "" "Errore: Impossibile aggiungere il server IRC {1} al network {2} per l'utente " "{3}." -#: controlpanel.cpp:1191 +#: controlpanel.cpp:1192 msgid "Usage: DelServer [[+]port] [password]" msgstr "" "Utilizzo: DelServer [[+]porta] [password]" -#: controlpanel.cpp:1206 +#: controlpanel.cpp:1207 msgid "Deleted IRC Server {1} from network {2} for user {3}." msgstr "Eliminato il Server IRC {1} del network {2} per l'utente {3}." -#: controlpanel.cpp:1210 +#: controlpanel.cpp:1211 msgid "Error: Could not delete IRC server {1} from network {2} for user {3}." msgstr "" "Errore: Impossibile eliminare il server IRC {1} dal network {2} per l'utente " "{3}." -#: controlpanel.cpp:1220 +#: controlpanel.cpp:1221 msgid "Usage: Reconnect " msgstr "Utilizzo: Reconnect " -#: controlpanel.cpp:1247 +#: controlpanel.cpp:1248 msgid "Queued network {1} of user {2} for a reconnect." msgstr "Il network {1} dell'utente {2} è in coda per una riconnessione." -#: controlpanel.cpp:1256 +#: controlpanel.cpp:1257 msgid "Usage: Disconnect " msgstr "Utilizzo: Disconnect " -#: controlpanel.cpp:1271 +#: controlpanel.cpp:1272 msgid "Closed IRC connection for network {1} of user {2}." msgstr "Chiusa la connessione IRC al network {1} dell'utente {2}." -#: controlpanel.cpp:1286 controlpanel.cpp:1291 +#: controlpanel.cpp:1287 controlpanel.cpp:1292 msgctxt "listctcp" msgid "Request" msgstr "Richiesta" -#: controlpanel.cpp:1287 controlpanel.cpp:1292 +#: controlpanel.cpp:1288 controlpanel.cpp:1293 msgctxt "listctcp" msgid "Reply" msgstr "Rispondi" -#: controlpanel.cpp:1296 +#: controlpanel.cpp:1297 msgid "No CTCP replies for user {1} are configured" msgstr "Nessuna risposta CTCP per l'utente {1} è stata configurata" -#: controlpanel.cpp:1299 +#: controlpanel.cpp:1300 msgid "CTCP replies for user {1}:" msgstr "Risposte CTCP per l'utente {1}:" -#: controlpanel.cpp:1315 +#: controlpanel.cpp:1316 msgid "Usage: AddCTCP [user] [request] [reply]" msgstr "Utilizzo: AddCTCP [utente] [richiesta] [risposta]" -#: controlpanel.cpp:1317 +#: controlpanel.cpp:1318 msgid "" "This will cause ZNC to reply to the CTCP instead of forwarding it to clients." msgstr "" "Questo farà sì che ZNC risponda al CTCP invece di inoltrarlo ai client." -#: controlpanel.cpp:1320 +#: controlpanel.cpp:1321 msgid "An empty reply will cause the CTCP request to be blocked." msgstr "Una risposta vuota causerà il blocco della richiesta CTCP." -#: controlpanel.cpp:1329 +#: controlpanel.cpp:1330 msgid "CTCP requests {1} to user {2} will now be blocked." msgstr "Le richieste CTCP {1} all'utente {2} verranno ora bloccate." -#: controlpanel.cpp:1333 +#: controlpanel.cpp:1334 msgid "CTCP requests {1} to user {2} will now get reply: {3}" msgstr "Le richieste CTCP {1} all'utente {2} ora avranno risposta: {3}" -#: controlpanel.cpp:1350 +#: controlpanel.cpp:1351 msgid "Usage: DelCTCP [user] [request]" msgstr "Utilizzo: DelCTCP [utente] [richiesta]" -#: controlpanel.cpp:1356 +#: controlpanel.cpp:1357 msgid "CTCP requests {1} to user {2} will now be sent to IRC clients" msgstr "" "Le richieste CTCP {1} all'utente {2} verranno ora inviate al client IRC" -#: controlpanel.cpp:1360 +#: controlpanel.cpp:1361 msgid "" "CTCP requests {1} to user {2} will be sent to IRC clients (nothing has " "changed)" @@ -466,286 +466,286 @@ msgstr "" "Le richieste CTCP {1} all'utente {2} verranno inviate ai client IRC (nulla è " "cambiato)" -#: controlpanel.cpp:1370 controlpanel.cpp:1444 +#: controlpanel.cpp:1371 controlpanel.cpp:1445 msgid "Loading modules has been disabled." msgstr "Il caricamento dei moduli è stato disabilitato." -#: controlpanel.cpp:1379 +#: controlpanel.cpp:1380 msgid "Error: Unable to load module {1}: {2}" msgstr "Errore: Impossibile caricare il modulo {1}: {2}" -#: controlpanel.cpp:1382 +#: controlpanel.cpp:1383 msgid "Loaded module {1}" msgstr "Modulo caricato: {1}" -#: controlpanel.cpp:1387 +#: controlpanel.cpp:1388 msgid "Error: Unable to reload module {1}: {2}" msgstr "Errore: Impossibile ricaricare il modulo {1}: {2}" -#: controlpanel.cpp:1390 +#: controlpanel.cpp:1391 msgid "Reloaded module {1}" msgstr "Modulo ricaricato: {1}" -#: controlpanel.cpp:1394 +#: controlpanel.cpp:1395 msgid "Error: Unable to load module {1} because it is already loaded" msgstr "Errore: Impossibile caricare il modulo {1} perché è già stato caricato" -#: controlpanel.cpp:1405 +#: controlpanel.cpp:1406 msgid "Usage: LoadModule [args]" msgstr "Utilizzo: LoadModule [argomenti]" -#: controlpanel.cpp:1424 +#: controlpanel.cpp:1425 msgid "Usage: LoadNetModule [args]" msgstr "" "Utilizzo: LoadNetModule [argomenti]" -#: controlpanel.cpp:1449 +#: controlpanel.cpp:1450 msgid "Please use /znc unloadmod {1}" msgstr "Per favore usa il comando /znc unloadmod {1}" -#: controlpanel.cpp:1455 +#: controlpanel.cpp:1456 msgid "Error: Unable to unload module {1}: {2}" msgstr "Errore: Impossibile rimuovere il modulo {1}: {2}" -#: controlpanel.cpp:1458 +#: controlpanel.cpp:1459 msgid "Unloaded module {1}" msgstr "Rimosso il modulo: {1}" -#: controlpanel.cpp:1467 +#: controlpanel.cpp:1468 msgid "Usage: UnloadModule " msgstr "Utilizzo: UnloadModule " -#: controlpanel.cpp:1484 +#: controlpanel.cpp:1485 msgid "Usage: UnloadNetModule " msgstr "Utilizzo: UnloadNetModule " -#: controlpanel.cpp:1501 controlpanel.cpp:1507 +#: controlpanel.cpp:1502 controlpanel.cpp:1508 msgctxt "listmodules" msgid "Name" msgstr "Nome" -#: controlpanel.cpp:1502 controlpanel.cpp:1508 +#: controlpanel.cpp:1503 controlpanel.cpp:1509 msgctxt "listmodules" msgid "Arguments" msgstr "Argomenti" -#: controlpanel.cpp:1527 +#: controlpanel.cpp:1528 msgid "User {1} has no modules loaded." msgstr "L'utente {1} non ha moduli caricati." -#: controlpanel.cpp:1531 +#: controlpanel.cpp:1532 msgid "Modules loaded for user {1}:" msgstr "Moduli caricati per l'utente {1}:" -#: controlpanel.cpp:1551 +#: controlpanel.cpp:1552 msgid "Network {1} of user {2} has no modules loaded." msgstr "Il network {1} dell'utente {2} non ha moduli caricati." -#: controlpanel.cpp:1556 +#: controlpanel.cpp:1557 msgid "Modules loaded for network {1} of user {2}:" msgstr "Moduli caricati per il network {1} dell'utente {2}:" -#: controlpanel.cpp:1563 +#: controlpanel.cpp:1564 msgid "[command] [variable]" msgstr "[comando] [variabile]" -#: controlpanel.cpp:1564 +#: controlpanel.cpp:1565 msgid "Prints help for matching commands and variables" msgstr "Mostra la guida corrispondente a comandi e variabili" -#: controlpanel.cpp:1567 +#: controlpanel.cpp:1568 msgid " [username]" msgstr " [nome utente]" -#: controlpanel.cpp:1568 +#: controlpanel.cpp:1569 msgid "Prints the variable's value for the given or current user" msgstr "Mostra il valore della variabile per l'utente specificato o corrente" -#: controlpanel.cpp:1570 +#: controlpanel.cpp:1571 msgid " " msgstr " " -#: controlpanel.cpp:1571 +#: controlpanel.cpp:1572 msgid "Sets the variable's value for the given user" msgstr "Imposta il valore della variabile per l'utente specificato" -#: controlpanel.cpp:1573 +#: controlpanel.cpp:1574 msgid " [username] [network]" msgstr " [nome utente] [network]" -#: controlpanel.cpp:1574 +#: controlpanel.cpp:1575 msgid "Prints the variable's value for the given network" msgstr "Mostra il valore della variabaile del network specificato" -#: controlpanel.cpp:1576 +#: controlpanel.cpp:1577 msgid " " msgstr " " -#: controlpanel.cpp:1577 +#: controlpanel.cpp:1578 msgid "Sets the variable's value for the given network" msgstr "Imposta il valore della variabile per il network specificato" -#: controlpanel.cpp:1579 +#: controlpanel.cpp:1580 msgid " [username] " msgstr " [nome utente] " -#: controlpanel.cpp:1580 +#: controlpanel.cpp:1581 msgid "Prints the variable's value for the given channel" msgstr "Mostra il valore della variabaile del canale specificato" -#: controlpanel.cpp:1583 +#: controlpanel.cpp:1584 msgid " " msgstr " " -#: controlpanel.cpp:1584 +#: controlpanel.cpp:1585 msgid "Sets the variable's value for the given channel" msgstr "Imposta il valore della variabile per il canale specificato" -#: controlpanel.cpp:1586 controlpanel.cpp:1589 +#: controlpanel.cpp:1587 controlpanel.cpp:1590 msgid " " msgstr " " -#: controlpanel.cpp:1587 +#: controlpanel.cpp:1588 msgid "Adds a new channel" msgstr "Aggiunge un nuovo canale" -#: controlpanel.cpp:1590 +#: controlpanel.cpp:1591 msgid "Deletes a channel" msgstr "Elimina un canale" -#: controlpanel.cpp:1592 +#: controlpanel.cpp:1593 msgid "Lists users" msgstr "Elenca gli utenti" -#: controlpanel.cpp:1594 +#: controlpanel.cpp:1595 msgid " " msgstr " " -#: controlpanel.cpp:1595 +#: controlpanel.cpp:1596 msgid "Adds a new user" msgstr "Aggiunge un nuovo utente" -#: controlpanel.cpp:1597 controlpanel.cpp:1620 controlpanel.cpp:1634 +#: controlpanel.cpp:1598 controlpanel.cpp:1621 controlpanel.cpp:1635 msgid "" msgstr "" -#: controlpanel.cpp:1597 +#: controlpanel.cpp:1598 msgid "Deletes a user" msgstr "Elimina un utente" -#: controlpanel.cpp:1599 +#: controlpanel.cpp:1600 msgid " " msgstr " " -#: controlpanel.cpp:1600 +#: controlpanel.cpp:1601 msgid "Clones a user" msgstr "Clona un utente" -#: controlpanel.cpp:1602 controlpanel.cpp:1605 +#: controlpanel.cpp:1603 controlpanel.cpp:1606 msgid " " msgstr " " -#: controlpanel.cpp:1603 +#: controlpanel.cpp:1604 msgid "Adds a new IRC server for the given or current user" msgstr "Aggiunge un nuovo server IRC all'utente specificato o corrente" -#: controlpanel.cpp:1606 +#: controlpanel.cpp:1607 msgid "Deletes an IRC server from the given or current user" msgstr "Elimina un server IRC dall'utente specificato o corrente" -#: controlpanel.cpp:1608 controlpanel.cpp:1611 controlpanel.cpp:1631 +#: controlpanel.cpp:1609 controlpanel.cpp:1612 controlpanel.cpp:1632 msgid " " msgstr " " -#: controlpanel.cpp:1609 +#: controlpanel.cpp:1610 msgid "Cycles the user's IRC server connection" msgstr "Cicla la connessione al server IRC dell'utente" -#: controlpanel.cpp:1612 +#: controlpanel.cpp:1613 msgid "Disconnects the user from their IRC server" msgstr "Disconnette l'utente dal proprio server IRC" -#: controlpanel.cpp:1614 +#: controlpanel.cpp:1615 msgid " [args]" msgstr " [argomenti]" -#: controlpanel.cpp:1615 +#: controlpanel.cpp:1616 msgid "Loads a Module for a user" msgstr "Carica un modulo per un utente" -#: controlpanel.cpp:1617 +#: controlpanel.cpp:1618 msgid " " msgstr " " -#: controlpanel.cpp:1618 +#: controlpanel.cpp:1619 msgid "Removes a Module of a user" msgstr "Rimuove un modulo da un utente" -#: controlpanel.cpp:1621 +#: controlpanel.cpp:1622 msgid "Get the list of modules for a user" msgstr "Mostra un elenco dei moduli caricati per un utente" -#: controlpanel.cpp:1624 +#: controlpanel.cpp:1625 msgid " [args]" msgstr " [argomenti]" -#: controlpanel.cpp:1625 +#: controlpanel.cpp:1626 msgid "Loads a Module for a network" msgstr "Carica un modulo per un network" -#: controlpanel.cpp:1628 +#: controlpanel.cpp:1629 msgid " " msgstr " " -#: controlpanel.cpp:1629 +#: controlpanel.cpp:1630 msgid "Removes a Module of a network" msgstr "Rimuove un modulo da un network" -#: controlpanel.cpp:1632 +#: controlpanel.cpp:1633 msgid "Get the list of modules for a network" msgstr "Mostra un elenco dei moduli caricati per un network" -#: controlpanel.cpp:1635 +#: controlpanel.cpp:1636 msgid "List the configured CTCP replies" msgstr "Elenco delle risposte configurate per il CTCP" -#: controlpanel.cpp:1637 +#: controlpanel.cpp:1638 msgid " [reply]" msgstr " [risposta]" -#: controlpanel.cpp:1638 +#: controlpanel.cpp:1639 msgid "Configure a new CTCP reply" msgstr "Configura una nuova risposta CTCP" -#: controlpanel.cpp:1640 +#: controlpanel.cpp:1641 msgid " " msgstr " " -#: controlpanel.cpp:1641 +#: controlpanel.cpp:1642 msgid "Remove a CTCP reply" msgstr "Rimuove una risposta CTCP" -#: controlpanel.cpp:1645 controlpanel.cpp:1648 +#: controlpanel.cpp:1646 controlpanel.cpp:1649 msgid "[username] " msgstr "[nome utente] " -#: controlpanel.cpp:1646 +#: controlpanel.cpp:1647 msgid "Add a network for a user" msgstr "Aggiunge un network ad un utente" -#: controlpanel.cpp:1649 +#: controlpanel.cpp:1650 msgid "Delete a network for a user" msgstr "Elimina un network da un utente" -#: controlpanel.cpp:1651 +#: controlpanel.cpp:1652 msgid "[username]" msgstr "[nome utente]" -#: controlpanel.cpp:1652 +#: controlpanel.cpp:1653 msgid "List all networks for a user" msgstr "Elenca tutti i network di un utente" -#: controlpanel.cpp:1665 +#: controlpanel.cpp:1666 msgid "" "Dynamic configuration through IRC. Allows editing only yourself if you're " "not ZNC admin." diff --git a/modules/po/controlpanel.nl_NL.po b/modules/po/controlpanel.nl_NL.po index b0879332..74edf33b 100644 --- a/modules/po/controlpanel.nl_NL.po +++ b/modules/po/controlpanel.nl_NL.po @@ -68,232 +68,232 @@ msgstr "" "Je kan $user als gebruiker en $network als netwerknaam gebruiken bij het " "aanpassen van je eigen gebruiker en network." -#: controlpanel.cpp:180 controlpanel.cpp:967 controlpanel.cpp:1004 +#: controlpanel.cpp:181 controlpanel.cpp:968 controlpanel.cpp:1005 msgid "Error: User [{1}] does not exist!" msgstr "Fout: Gebruiker [{1}] bestaat niet!" -#: controlpanel.cpp:185 +#: controlpanel.cpp:186 msgid "Error: You need to have admin rights to modify other users!" msgstr "" "Fout: Je moet beheerdersrechten hebben om andere gebruikers aan te passen!" -#: controlpanel.cpp:195 +#: controlpanel.cpp:196 msgid "Error: You cannot use $network to modify other users!" msgstr "Fout: Je kan $network niet gebruiken om andere gebruiks aan te passen!" -#: controlpanel.cpp:203 +#: controlpanel.cpp:204 msgid "Error: User {1} does not have a network named [{2}]." msgstr "Fout: Gebruiker {1} heeft geen netwerk genaamd [{2}]." -#: controlpanel.cpp:215 +#: controlpanel.cpp:216 msgid "Usage: Get [username]" msgstr "Gebruik: Get [gebruikersnaam]" -#: controlpanel.cpp:305 controlpanel.cpp:508 controlpanel.cpp:583 -#: controlpanel.cpp:659 controlpanel.cpp:794 controlpanel.cpp:879 +#: controlpanel.cpp:306 controlpanel.cpp:509 controlpanel.cpp:584 +#: controlpanel.cpp:660 controlpanel.cpp:795 controlpanel.cpp:880 msgid "Error: Unknown variable" msgstr "Fout: Onbekende variabele" -#: controlpanel.cpp:314 +#: controlpanel.cpp:315 msgid "Usage: Set " msgstr "Gebruik: Get " -#: controlpanel.cpp:336 controlpanel.cpp:624 +#: controlpanel.cpp:337 controlpanel.cpp:625 msgid "This bind host is already set!" msgstr "Deze bindhost is al ingesteld!" -#: controlpanel.cpp:343 controlpanel.cpp:355 controlpanel.cpp:363 -#: controlpanel.cpp:426 controlpanel.cpp:445 controlpanel.cpp:461 -#: controlpanel.cpp:471 controlpanel.cpp:631 +#: controlpanel.cpp:344 controlpanel.cpp:356 controlpanel.cpp:364 +#: controlpanel.cpp:427 controlpanel.cpp:446 controlpanel.cpp:462 +#: controlpanel.cpp:472 controlpanel.cpp:632 msgid "Access denied!" msgstr "Toegang geweigerd!" -#: controlpanel.cpp:377 controlpanel.cpp:386 controlpanel.cpp:843 +#: controlpanel.cpp:378 controlpanel.cpp:387 controlpanel.cpp:844 msgid "Setting failed, limit for buffer size is {1}" msgstr "Configuratie gefaald, limiet van buffer grootte is {1}" -#: controlpanel.cpp:406 +#: controlpanel.cpp:407 msgid "Password has been changed!" msgstr "Wachtwoord is aangepast!" -#: controlpanel.cpp:414 +#: controlpanel.cpp:415 msgid "Timeout can't be less than 30 seconds!" msgstr "Time-out kan niet minder dan 30 seconden zijn!" -#: controlpanel.cpp:478 +#: controlpanel.cpp:479 msgid "That would be a bad idea!" msgstr "Dat zou een slecht idee zijn!" -#: controlpanel.cpp:496 +#: controlpanel.cpp:497 msgid "Supported languages: {1}" msgstr "Ondersteunde talen: {1}" -#: controlpanel.cpp:520 +#: controlpanel.cpp:521 msgid "Usage: GetNetwork [username] [network]" msgstr "Gebruik: GetNetwork [gebruikersnaam] [netwerk]" -#: controlpanel.cpp:539 +#: controlpanel.cpp:540 msgid "Error: A network must be specified to get another users settings." msgstr "" "Fout: Een netwerk moet ingevoerd worden om de instellingen van een andere " "gebruiker op te halen." -#: controlpanel.cpp:545 +#: controlpanel.cpp:546 msgid "You are not currently attached to a network." msgstr "Je bent op het moment niet verbonden met een netwerk." -#: controlpanel.cpp:551 +#: controlpanel.cpp:552 msgid "Error: Invalid network." msgstr "Fout: Onjuist netwerk." -#: controlpanel.cpp:595 +#: controlpanel.cpp:596 msgid "Usage: SetNetwork " msgstr "Gebruik: SetNetwork " -#: controlpanel.cpp:669 +#: controlpanel.cpp:670 msgid "Usage: AddChan " msgstr "Gebruik: AddChan " -#: controlpanel.cpp:682 +#: controlpanel.cpp:683 msgid "Error: User {1} already has a channel named {2}." msgstr "Fout: Gebruiker {1} heeft al een kanaal genaamd {2}." -#: controlpanel.cpp:689 +#: controlpanel.cpp:690 msgid "Channel {1} for user {2} added to network {3}." msgstr "Kanaal {1} voor gebruiker {2} toegevoegd aan netwerk {3}." -#: controlpanel.cpp:693 +#: controlpanel.cpp:694 msgid "" "Could not add channel {1} for user {2} to network {3}, does it already exist?" msgstr "" "Kon kanaal {1} voor gebruiker {2} op netwerk {3} niet toevoegen, bestaat " "deze al?" -#: controlpanel.cpp:703 +#: controlpanel.cpp:704 msgid "Usage: DelChan " msgstr "Gebruik: DelChan " -#: controlpanel.cpp:718 +#: controlpanel.cpp:719 msgid "Error: User {1} does not have any channel matching [{2}] in network {3}" msgstr "" "Fout: Gebruiker {1} heeft geen kanaal die overeen komt met [{2}] in netwerk " "{3}" -#: controlpanel.cpp:731 +#: controlpanel.cpp:732 msgid "Channel {1} is deleted from network {2} of user {3}" msgid_plural "Channels {1} are deleted from network {2} of user {3}" msgstr[0] "Kanaal {1} is verwijderd van netwerk {2} van gebruiker {3}" msgstr[1] "Kanalen {1} zijn verwijderd van netwerk {2} van gebruiker {3}" -#: controlpanel.cpp:746 +#: controlpanel.cpp:747 msgid "Usage: GetChan " msgstr "Gebruik: GetChan " -#: controlpanel.cpp:760 controlpanel.cpp:824 +#: controlpanel.cpp:761 controlpanel.cpp:825 msgid "Error: No channels matching [{1}] found." msgstr "Fout: Geen overeenkomst met kanalen gevonden: [{1}]." -#: controlpanel.cpp:809 +#: controlpanel.cpp:810 msgid "Usage: SetChan " msgstr "" "Gebruik: SetChan " -#: controlpanel.cpp:890 controlpanel.cpp:900 +#: controlpanel.cpp:891 controlpanel.cpp:901 msgctxt "listusers" msgid "Username" msgstr "Gebruikersnaam" -#: controlpanel.cpp:891 controlpanel.cpp:901 +#: controlpanel.cpp:892 controlpanel.cpp:902 msgctxt "listusers" msgid "Realname" msgstr "Echte naam" -#: controlpanel.cpp:892 controlpanel.cpp:904 controlpanel.cpp:906 +#: controlpanel.cpp:893 controlpanel.cpp:905 controlpanel.cpp:907 msgctxt "listusers" msgid "IsAdmin" msgstr "IsBeheerder" -#: controlpanel.cpp:893 controlpanel.cpp:907 +#: controlpanel.cpp:894 controlpanel.cpp:908 msgctxt "listusers" msgid "Nick" msgstr "Naam" -#: controlpanel.cpp:894 controlpanel.cpp:908 +#: controlpanel.cpp:895 controlpanel.cpp:909 msgctxt "listusers" msgid "AltNick" msgstr "AlternatieveNaam" -#: controlpanel.cpp:895 controlpanel.cpp:909 +#: controlpanel.cpp:896 controlpanel.cpp:910 msgctxt "listusers" msgid "Ident" msgstr "Identiteit" -#: controlpanel.cpp:896 controlpanel.cpp:910 +#: controlpanel.cpp:897 controlpanel.cpp:911 msgctxt "listusers" msgid "BindHost" msgstr "BindHost" -#: controlpanel.cpp:904 controlpanel.cpp:1144 +#: controlpanel.cpp:905 controlpanel.cpp:1145 msgid "No" msgstr "Nee" -#: controlpanel.cpp:906 controlpanel.cpp:1136 +#: controlpanel.cpp:907 controlpanel.cpp:1137 msgid "Yes" msgstr "Ja" -#: controlpanel.cpp:920 controlpanel.cpp:989 +#: controlpanel.cpp:921 controlpanel.cpp:990 msgid "Error: You need to have admin rights to add new users!" msgstr "Fout: Je moet beheerdersrechten hebben om gebruikers toe te voegen!" -#: controlpanel.cpp:926 +#: controlpanel.cpp:927 msgid "Usage: AddUser " msgstr "Gebruik: AddUser " -#: controlpanel.cpp:931 +#: controlpanel.cpp:932 msgid "Error: User {1} already exists!" msgstr "Fout: Gebruiker {1} bestaat al!" -#: controlpanel.cpp:943 controlpanel.cpp:1018 +#: controlpanel.cpp:944 controlpanel.cpp:1019 msgid "Error: User not added: {1}" msgstr "Fout: Gebruiker niet toegevoegd: {1}" -#: controlpanel.cpp:947 controlpanel.cpp:1022 +#: controlpanel.cpp:948 controlpanel.cpp:1023 msgid "User {1} added!" msgstr "Gebruiker {1} toegevoegd!" -#: controlpanel.cpp:954 +#: controlpanel.cpp:955 msgid "Error: You need to have admin rights to delete users!" msgstr "Fout: Je moet beheerdersrechten hebben om gebruikers te verwijderen!" -#: controlpanel.cpp:960 +#: controlpanel.cpp:961 msgid "Usage: DelUser " msgstr "Gebruik: DelUser " -#: controlpanel.cpp:972 +#: controlpanel.cpp:973 msgid "Error: You can't delete yourself!" msgstr "Fout: Je kan jezelf niet verwijderen!" -#: controlpanel.cpp:978 +#: controlpanel.cpp:979 msgid "Error: Internal error!" msgstr "Fout: Interne fout!" -#: controlpanel.cpp:982 +#: controlpanel.cpp:983 msgid "User {1} deleted!" msgstr "Gebruiker {1} verwijderd!" -#: controlpanel.cpp:997 +#: controlpanel.cpp:998 msgid "Usage: CloneUser " msgstr "Gebruik: CloneUser " -#: controlpanel.cpp:1012 +#: controlpanel.cpp:1013 msgid "Error: Cloning failed: {1}" msgstr "Fout: Kloon mislukt: {1}" -#: controlpanel.cpp:1041 +#: controlpanel.cpp:1042 msgid "Usage: AddNetwork [user] network" msgstr "Gebruik: AddNetwork [gebruiker] netwerk" -#: controlpanel.cpp:1047 +#: controlpanel.cpp:1048 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks using /znc DelNetwork " @@ -302,161 +302,161 @@ msgstr "" "te passen voor je, of verwijder onnodige netwerken door middel van /znc " "DelNetwork " -#: controlpanel.cpp:1055 +#: controlpanel.cpp:1056 msgid "Error: User {1} already has a network with the name {2}" msgstr "Fout: Gebruiker {1} heeft al een netwerk met de naam {2}" -#: controlpanel.cpp:1062 +#: controlpanel.cpp:1063 msgid "Network {1} added to user {2}." msgstr "Netwerk {1} aan gebruiker {2} toegevoegd." -#: controlpanel.cpp:1066 +#: controlpanel.cpp:1067 msgid "Error: Network [{1}] could not be added for user {2}: {3}" msgstr "Fout: Netwerk [{1}] kon niet toegevoegd worden voor gebruiker {2}: {3}" -#: controlpanel.cpp:1086 +#: controlpanel.cpp:1087 msgid "Usage: DelNetwork [user] network" msgstr "Gebruik: DelNetwork [gebruiker] netwerk" -#: controlpanel.cpp:1097 +#: controlpanel.cpp:1098 msgid "The currently active network can be deleted via {1}status" msgstr "Het huidige actieve netwerk kan worden verwijderd via {1}status" -#: controlpanel.cpp:1103 +#: controlpanel.cpp:1104 msgid "Network {1} deleted for user {2}." msgstr "Netwerk {1} verwijderd voor gebruiker {2}." -#: controlpanel.cpp:1107 +#: controlpanel.cpp:1108 msgid "Error: Network {1} could not be deleted for user {2}." msgstr "Fout: Netwerk [{1}] kon niet verwijderd worden voor gebruiker {2}." -#: controlpanel.cpp:1126 controlpanel.cpp:1134 +#: controlpanel.cpp:1127 controlpanel.cpp:1135 msgctxt "listnetworks" msgid "Network" msgstr "Netwerk" -#: controlpanel.cpp:1127 controlpanel.cpp:1136 controlpanel.cpp:1144 +#: controlpanel.cpp:1128 controlpanel.cpp:1137 controlpanel.cpp:1145 msgctxt "listnetworks" msgid "OnIRC" msgstr "OpIRC" -#: controlpanel.cpp:1128 controlpanel.cpp:1137 +#: controlpanel.cpp:1129 controlpanel.cpp:1138 msgctxt "listnetworks" msgid "IRC Server" msgstr "IRC Server" -#: controlpanel.cpp:1129 controlpanel.cpp:1139 +#: controlpanel.cpp:1130 controlpanel.cpp:1140 msgctxt "listnetworks" msgid "IRC User" msgstr "IRC Gebruiker" -#: controlpanel.cpp:1130 controlpanel.cpp:1141 +#: controlpanel.cpp:1131 controlpanel.cpp:1142 msgctxt "listnetworks" msgid "Channels" msgstr "Kanalen" -#: controlpanel.cpp:1149 +#: controlpanel.cpp:1150 msgid "No networks" msgstr "Geen netwerken" -#: controlpanel.cpp:1160 +#: controlpanel.cpp:1161 msgid "Usage: AddServer [[+]port] [password]" msgstr "" "Gebruik: AddServer [[+]poort] " "[wachtwoord]" -#: controlpanel.cpp:1174 +#: controlpanel.cpp:1175 msgid "Added IRC Server {1} to network {2} for user {3}." msgstr "IRC Server {1} toegevegd aan netwerk {2} van gebruiker {3}." -#: controlpanel.cpp:1178 +#: controlpanel.cpp:1179 msgid "Error: Could not add IRC server {1} to network {2} for user {3}." msgstr "" "Fout: kon IRC server {1} niet aan netwerk {2} van gebruiker {3} toevoegen." -#: controlpanel.cpp:1191 +#: controlpanel.cpp:1192 msgid "Usage: DelServer [[+]port] [password]" msgstr "" "Gebruik: DelServer [[+]poort] " "[wachtwoord]" -#: controlpanel.cpp:1206 +#: controlpanel.cpp:1207 msgid "Deleted IRC Server {1} from network {2} for user {3}." msgstr "IRC Server {1} verwijderd van netwerk {2} van gebruiker {3}." -#: controlpanel.cpp:1210 +#: controlpanel.cpp:1211 msgid "Error: Could not delete IRC server {1} from network {2} for user {3}." msgstr "" "Fout: kon IRC server {1} niet van netwerk {2} van gebruiker {3} verwijderen." -#: controlpanel.cpp:1220 +#: controlpanel.cpp:1221 msgid "Usage: Reconnect " msgstr "Gebruik: Reconnect " -#: controlpanel.cpp:1247 +#: controlpanel.cpp:1248 msgid "Queued network {1} of user {2} for a reconnect." msgstr "Netwerk {1} van gebruiker {2} toegevoegd om opnieuw te verbinden." -#: controlpanel.cpp:1256 +#: controlpanel.cpp:1257 msgid "Usage: Disconnect " msgstr "Gebruik: Disconnect " -#: controlpanel.cpp:1271 +#: controlpanel.cpp:1272 msgid "Closed IRC connection for network {1} of user {2}." msgstr "IRC verbinding afgesloten voor netwerk {1} van gebruiker {2}." -#: controlpanel.cpp:1286 controlpanel.cpp:1291 +#: controlpanel.cpp:1287 controlpanel.cpp:1292 msgctxt "listctcp" msgid "Request" msgstr "Aanvraag" -#: controlpanel.cpp:1287 controlpanel.cpp:1292 +#: controlpanel.cpp:1288 controlpanel.cpp:1293 msgctxt "listctcp" msgid "Reply" msgstr "Antwoord" -#: controlpanel.cpp:1296 +#: controlpanel.cpp:1297 msgid "No CTCP replies for user {1} are configured" msgstr "Geen CTCP antwoorden voor gebruiker {1} zijn ingesteld" -#: controlpanel.cpp:1299 +#: controlpanel.cpp:1300 msgid "CTCP replies for user {1}:" msgstr "CTCP antwoorden voor gebruiker {1}:" -#: controlpanel.cpp:1315 +#: controlpanel.cpp:1316 msgid "Usage: AddCTCP [user] [request] [reply]" msgstr "Gebruik: AddCTCP [gebruikersnaam] [aanvraag] [antwoord]" -#: controlpanel.cpp:1317 +#: controlpanel.cpp:1318 msgid "" "This will cause ZNC to reply to the CTCP instead of forwarding it to clients." msgstr "" "Dit zorgt er voor dat ZNC antwoord op de CTCP aanvragen in plaats van deze " "door te sturen naar clients." -#: controlpanel.cpp:1320 +#: controlpanel.cpp:1321 msgid "An empty reply will cause the CTCP request to be blocked." msgstr "" "Een leeg antwoord zorgt er voor dat deze CTCP aanvraag geblokkeerd zal " "worden." -#: controlpanel.cpp:1329 +#: controlpanel.cpp:1330 msgid "CTCP requests {1} to user {2} will now be blocked." msgstr "CTCP aanvraag {1} naar gebruiker {2} zal nu worden geblokkeerd." -#: controlpanel.cpp:1333 +#: controlpanel.cpp:1334 msgid "CTCP requests {1} to user {2} will now get reply: {3}" msgstr "CTCP aanvraag {1} naar gebruiker {2} zal nu als antwoord krijgen: {3}" -#: controlpanel.cpp:1350 +#: controlpanel.cpp:1351 msgid "Usage: DelCTCP [user] [request]" msgstr "Gebruik: DelCTCP [gebruikersnaam] [aanvraag]" -#: controlpanel.cpp:1356 +#: controlpanel.cpp:1357 msgid "CTCP requests {1} to user {2} will now be sent to IRC clients" msgstr "CTCP aanvraag {1} naar gebruiker {2} zal nu doorgestuurd worden" -#: controlpanel.cpp:1360 +#: controlpanel.cpp:1361 msgid "" "CTCP requests {1} to user {2} will be sent to IRC clients (nothing has " "changed)" @@ -464,290 +464,290 @@ msgstr "" "CTCP aanvraag {1} naar gebruiker {2} zal nu doorgestuurd worden (niets " "veranderd)" -#: controlpanel.cpp:1370 controlpanel.cpp:1444 +#: controlpanel.cpp:1371 controlpanel.cpp:1445 msgid "Loading modules has been disabled." msgstr "Het laden van modulen is uit gezet." -#: controlpanel.cpp:1379 +#: controlpanel.cpp:1380 msgid "Error: Unable to load module {1}: {2}" msgstr "Fout: Niet mogelijk om module te laden, {1}: {2}" -#: controlpanel.cpp:1382 +#: controlpanel.cpp:1383 msgid "Loaded module {1}" msgstr "Module {1} geladen" -#: controlpanel.cpp:1387 +#: controlpanel.cpp:1388 msgid "Error: Unable to reload module {1}: {2}" msgstr "Fout: Niet mogelijk om module te herladen, {1}: {2}" -#: controlpanel.cpp:1390 +#: controlpanel.cpp:1391 msgid "Reloaded module {1}" msgstr "Module {1} opnieuw geladen" -#: controlpanel.cpp:1394 +#: controlpanel.cpp:1395 msgid "Error: Unable to load module {1} because it is already loaded" msgstr "Fout: Niet mogelijk om module {1} te laden, deze is al geladen" -#: controlpanel.cpp:1405 +#: controlpanel.cpp:1406 msgid "Usage: LoadModule [args]" msgstr "Gebruik: LoadModule [argumenten]" -#: controlpanel.cpp:1424 +#: controlpanel.cpp:1425 msgid "Usage: LoadNetModule [args]" msgstr "" "Gebruik: LoadNetModule [argumenten]" -#: controlpanel.cpp:1449 +#: controlpanel.cpp:1450 msgid "Please use /znc unloadmod {1}" msgstr "Gebruik a.u.b. /znc unloadmod {1}" -#: controlpanel.cpp:1455 +#: controlpanel.cpp:1456 msgid "Error: Unable to unload module {1}: {2}" msgstr "Fout: Niet mogelijk om module to stoppen, {1}: {2}" -#: controlpanel.cpp:1458 +#: controlpanel.cpp:1459 msgid "Unloaded module {1}" msgstr "Module {1} gestopt" -#: controlpanel.cpp:1467 +#: controlpanel.cpp:1468 msgid "Usage: UnloadModule " msgstr "Gebruik: UnloadModule " -#: controlpanel.cpp:1484 +#: controlpanel.cpp:1485 msgid "Usage: UnloadNetModule " msgstr "Gebruik: UnloadNetModule " -#: controlpanel.cpp:1501 controlpanel.cpp:1507 +#: controlpanel.cpp:1502 controlpanel.cpp:1508 msgctxt "listmodules" msgid "Name" msgstr "Naam" -#: controlpanel.cpp:1502 controlpanel.cpp:1508 +#: controlpanel.cpp:1503 controlpanel.cpp:1509 msgctxt "listmodules" msgid "Arguments" msgstr "Argumenten" -#: controlpanel.cpp:1527 +#: controlpanel.cpp:1528 msgid "User {1} has no modules loaded." msgstr "Gebruiker {1} heeft geen modulen geladen." -#: controlpanel.cpp:1531 +#: controlpanel.cpp:1532 msgid "Modules loaded for user {1}:" msgstr "Modulen geladen voor gebruiker {1}:" -#: controlpanel.cpp:1551 +#: controlpanel.cpp:1552 msgid "Network {1} of user {2} has no modules loaded." msgstr "Netwerk {1} van gebruiker {2} heeft geen modulen geladen." -#: controlpanel.cpp:1556 +#: controlpanel.cpp:1557 msgid "Modules loaded for network {1} of user {2}:" msgstr "Modulen geladen voor netwerk {1} van gebruiker {2}:" -#: controlpanel.cpp:1563 +#: controlpanel.cpp:1564 msgid "[command] [variable]" msgstr "[commando] [variabele]" -#: controlpanel.cpp:1564 +#: controlpanel.cpp:1565 msgid "Prints help for matching commands and variables" msgstr "Laat help zien voor de overeenkomende commando's en variabelen" -#: controlpanel.cpp:1567 +#: controlpanel.cpp:1568 msgid " [username]" msgstr " [gebruikersnaam]" -#: controlpanel.cpp:1568 +#: controlpanel.cpp:1569 msgid "Prints the variable's value for the given or current user" msgstr "" "Laat de waarde van de variabele voor de ingevoerde of huidige gebruiker zien" -#: controlpanel.cpp:1570 +#: controlpanel.cpp:1571 msgid " " msgstr " " -#: controlpanel.cpp:1571 +#: controlpanel.cpp:1572 msgid "Sets the variable's value for the given user" msgstr "Stelt de waarde voor de variabele voor de ingevoerde gebruiker in" -#: controlpanel.cpp:1573 +#: controlpanel.cpp:1574 msgid " [username] [network]" msgstr " [gebruikersnaam] [netwerk]" -#: controlpanel.cpp:1574 +#: controlpanel.cpp:1575 msgid "Prints the variable's value for the given network" msgstr "" "Laat de huidige waarde voor de variabele van het ingevoerde netwerk zien" -#: controlpanel.cpp:1576 +#: controlpanel.cpp:1577 msgid " " msgstr " " -#: controlpanel.cpp:1577 +#: controlpanel.cpp:1578 msgid "Sets the variable's value for the given network" msgstr "Stelt de waarde voor de variabele voor het ingevoerde netwerk in" -#: controlpanel.cpp:1579 +#: controlpanel.cpp:1580 msgid " [username] " msgstr " [gebruikersnaam] " -#: controlpanel.cpp:1580 +#: controlpanel.cpp:1581 msgid "Prints the variable's value for the given channel" msgstr "" "Laat de huidige waarde voor de variabele van het ingevoerde kanaal zien" -#: controlpanel.cpp:1583 +#: controlpanel.cpp:1584 msgid " " msgstr " " -#: controlpanel.cpp:1584 +#: controlpanel.cpp:1585 msgid "Sets the variable's value for the given channel" msgstr "Stelt de waarde voor de variabele voor het ingevoerde kanaal in" -#: controlpanel.cpp:1586 controlpanel.cpp:1589 +#: controlpanel.cpp:1587 controlpanel.cpp:1590 msgid " " msgstr " " -#: controlpanel.cpp:1587 +#: controlpanel.cpp:1588 msgid "Adds a new channel" msgstr "Voegt een nieuw kanaal toe" -#: controlpanel.cpp:1590 +#: controlpanel.cpp:1591 msgid "Deletes a channel" msgstr "Verwijdert een kanaal" -#: controlpanel.cpp:1592 +#: controlpanel.cpp:1593 msgid "Lists users" msgstr "Weergeeft gebruikers" -#: controlpanel.cpp:1594 +#: controlpanel.cpp:1595 msgid " " msgstr " " -#: controlpanel.cpp:1595 +#: controlpanel.cpp:1596 msgid "Adds a new user" msgstr "Voegt een nieuwe gebruiker toe" -#: controlpanel.cpp:1597 controlpanel.cpp:1620 controlpanel.cpp:1634 +#: controlpanel.cpp:1598 controlpanel.cpp:1621 controlpanel.cpp:1635 msgid "" msgstr "" -#: controlpanel.cpp:1597 +#: controlpanel.cpp:1598 msgid "Deletes a user" msgstr "Verwijdert een gebruiker" -#: controlpanel.cpp:1599 +#: controlpanel.cpp:1600 msgid " " msgstr " " -#: controlpanel.cpp:1600 +#: controlpanel.cpp:1601 msgid "Clones a user" msgstr "Kloont een gebruiker" -#: controlpanel.cpp:1602 controlpanel.cpp:1605 +#: controlpanel.cpp:1603 controlpanel.cpp:1606 msgid " " msgstr " " -#: controlpanel.cpp:1603 +#: controlpanel.cpp:1604 msgid "Adds a new IRC server for the given or current user" msgstr "" "Voegt een nieuwe IRC server toe voor de ingevoerde of huidige gebruiker" -#: controlpanel.cpp:1606 +#: controlpanel.cpp:1607 msgid "Deletes an IRC server from the given or current user" msgstr "Verwijdert een IRC server voor de ingevoerde of huidige gebruiker" -#: controlpanel.cpp:1608 controlpanel.cpp:1611 controlpanel.cpp:1631 +#: controlpanel.cpp:1609 controlpanel.cpp:1612 controlpanel.cpp:1632 msgid " " msgstr " " -#: controlpanel.cpp:1609 +#: controlpanel.cpp:1610 msgid "Cycles the user's IRC server connection" msgstr "Verbind opnieuw met de IRC server" -#: controlpanel.cpp:1612 +#: controlpanel.cpp:1613 msgid "Disconnects the user from their IRC server" msgstr "Stopt de verbinding van de gebruiker naar de IRC server" -#: controlpanel.cpp:1614 +#: controlpanel.cpp:1615 msgid " [args]" msgstr " [argumenten]" -#: controlpanel.cpp:1615 +#: controlpanel.cpp:1616 msgid "Loads a Module for a user" msgstr "Laad een module voor een gebruiker" -#: controlpanel.cpp:1617 +#: controlpanel.cpp:1618 msgid " " msgstr " " -#: controlpanel.cpp:1618 +#: controlpanel.cpp:1619 msgid "Removes a Module of a user" msgstr "Stopt een module van een gebruiker" -#: controlpanel.cpp:1621 +#: controlpanel.cpp:1622 msgid "Get the list of modules for a user" msgstr "Laat de lijst van modulen voor een gebruiker zien" -#: controlpanel.cpp:1624 +#: controlpanel.cpp:1625 msgid " [args]" msgstr " [argumenten]" -#: controlpanel.cpp:1625 +#: controlpanel.cpp:1626 msgid "Loads a Module for a network" msgstr "Laad een module voor een netwerk" -#: controlpanel.cpp:1628 +#: controlpanel.cpp:1629 msgid " " msgstr " " -#: controlpanel.cpp:1629 +#: controlpanel.cpp:1630 msgid "Removes a Module of a network" msgstr "Stopt een module van een netwerk" -#: controlpanel.cpp:1632 +#: controlpanel.cpp:1633 msgid "Get the list of modules for a network" msgstr "Laat de lijst van modulen voor een netwerk zien" -#: controlpanel.cpp:1635 +#: controlpanel.cpp:1636 msgid "List the configured CTCP replies" msgstr "Laat de ingestelde CTCP antwoorden zien" -#: controlpanel.cpp:1637 +#: controlpanel.cpp:1638 msgid " [reply]" msgstr " [antwoord]" -#: controlpanel.cpp:1638 +#: controlpanel.cpp:1639 msgid "Configure a new CTCP reply" msgstr "Stel een nieuw CTCP antwoord in" -#: controlpanel.cpp:1640 +#: controlpanel.cpp:1641 msgid " " msgstr " " -#: controlpanel.cpp:1641 +#: controlpanel.cpp:1642 msgid "Remove a CTCP reply" msgstr "Verwijder een CTCP antwoord" -#: controlpanel.cpp:1645 controlpanel.cpp:1648 +#: controlpanel.cpp:1646 controlpanel.cpp:1649 msgid "[username] " msgstr "[gebruikersnaam] " -#: controlpanel.cpp:1646 +#: controlpanel.cpp:1647 msgid "Add a network for a user" msgstr "Voeg een netwerk toe voor een gebruiker" -#: controlpanel.cpp:1649 +#: controlpanel.cpp:1650 msgid "Delete a network for a user" msgstr "Verwijder een netwerk van een gebruiker" -#: controlpanel.cpp:1651 +#: controlpanel.cpp:1652 msgid "[username]" msgstr "[gebruikersnaam]" -#: controlpanel.cpp:1652 +#: controlpanel.cpp:1653 msgid "List all networks for a user" msgstr "Laat alle netwerken van een gebruiker zien" -#: controlpanel.cpp:1665 +#: controlpanel.cpp:1666 msgid "" "Dynamic configuration through IRC. Allows editing only yourself if you're " "not ZNC admin." diff --git a/modules/po/controlpanel.pl_PL.po b/modules/po/controlpanel.pl_PL.po index ae92a942..9c088c95 100644 --- a/modules/po/controlpanel.pl_PL.po +++ b/modules/po/controlpanel.pl_PL.po @@ -68,117 +68,117 @@ msgstr "" "Możesz użyć $user jako użytkownik i $network jako nazwy sieci podczas edycji " "własnego użytkownika i sieci." -#: controlpanel.cpp:180 controlpanel.cpp:967 controlpanel.cpp:1004 +#: controlpanel.cpp:181 controlpanel.cpp:968 controlpanel.cpp:1005 msgid "Error: User [{1}] does not exist!" msgstr "Błąd: Użytkownik [{1}] nie istnieje!" -#: controlpanel.cpp:185 +#: controlpanel.cpp:186 msgid "Error: You need to have admin rights to modify other users!" msgstr "" "Błąd: Musisz mieć uprawnienia administratora, aby modyfikować innych " "użytkowników!" -#: controlpanel.cpp:195 +#: controlpanel.cpp:196 msgid "Error: You cannot use $network to modify other users!" msgstr "Błąd: Nie możesz użyć $network do modyfikacji innych użytkowników!" -#: controlpanel.cpp:203 +#: controlpanel.cpp:204 msgid "Error: User {1} does not have a network named [{2}]." msgstr "Błąd: Użytkownik {1} nie ma sieci o nazwie [{2}]." -#: controlpanel.cpp:215 +#: controlpanel.cpp:216 msgid "Usage: Get [username]" msgstr "Użycie: Get [nazwa_użytkownika]" -#: controlpanel.cpp:305 controlpanel.cpp:508 controlpanel.cpp:583 -#: controlpanel.cpp:659 controlpanel.cpp:794 controlpanel.cpp:879 +#: controlpanel.cpp:306 controlpanel.cpp:509 controlpanel.cpp:584 +#: controlpanel.cpp:660 controlpanel.cpp:795 controlpanel.cpp:880 msgid "Error: Unknown variable" msgstr "Błąd: Nieznana zmienna" -#: controlpanel.cpp:314 +#: controlpanel.cpp:315 msgid "Usage: Set " msgstr "Użycie: Set " -#: controlpanel.cpp:336 controlpanel.cpp:624 +#: controlpanel.cpp:337 controlpanel.cpp:625 msgid "This bind host is already set!" msgstr "Host przypięcia już jest ustawiony!" -#: controlpanel.cpp:343 controlpanel.cpp:355 controlpanel.cpp:363 -#: controlpanel.cpp:426 controlpanel.cpp:445 controlpanel.cpp:461 -#: controlpanel.cpp:471 controlpanel.cpp:631 +#: controlpanel.cpp:344 controlpanel.cpp:356 controlpanel.cpp:364 +#: controlpanel.cpp:427 controlpanel.cpp:446 controlpanel.cpp:462 +#: controlpanel.cpp:472 controlpanel.cpp:632 msgid "Access denied!" msgstr "Odmowa dostępu!" -#: controlpanel.cpp:377 controlpanel.cpp:386 controlpanel.cpp:843 +#: controlpanel.cpp:378 controlpanel.cpp:387 controlpanel.cpp:844 msgid "Setting failed, limit for buffer size is {1}" msgstr "Ustawienie nie powiodło się, limit rozmiaru bufora wynosi {1}" -#: controlpanel.cpp:406 +#: controlpanel.cpp:407 msgid "Password has been changed!" msgstr "Hasło zostało zmienione!" -#: controlpanel.cpp:414 +#: controlpanel.cpp:415 msgid "Timeout can't be less than 30 seconds!" msgstr "Limit czasu nie może być krótszy niż 30 sekund!" -#: controlpanel.cpp:478 +#: controlpanel.cpp:479 msgid "That would be a bad idea!" msgstr "To byłby zły pomysł!" -#: controlpanel.cpp:496 +#: controlpanel.cpp:497 msgid "Supported languages: {1}" msgstr "Wspierane języki: {1}" -#: controlpanel.cpp:520 +#: controlpanel.cpp:521 msgid "Usage: GetNetwork [username] [network]" msgstr "Użycie: GetNetwork [nazwa_użytkownika] [sieć]" -#: controlpanel.cpp:539 +#: controlpanel.cpp:540 msgid "Error: A network must be specified to get another users settings." msgstr "" "Błąd: należy określić sieć, aby uzyskać ustawienia innych użytkowników." -#: controlpanel.cpp:545 +#: controlpanel.cpp:546 msgid "You are not currently attached to a network." msgstr "Nie jesteś obecnie podłączony do sieci." -#: controlpanel.cpp:551 +#: controlpanel.cpp:552 msgid "Error: Invalid network." msgstr "Błąd: Niepoprawna sieć." -#: controlpanel.cpp:595 +#: controlpanel.cpp:596 msgid "Usage: SetNetwork " msgstr "Użycie: SetNetwork " -#: controlpanel.cpp:669 +#: controlpanel.cpp:670 msgid "Usage: AddChan " msgstr "Użycie: AddChan " -#: controlpanel.cpp:682 +#: controlpanel.cpp:683 msgid "Error: User {1} already has a channel named {2}." msgstr "Błąd: użytkownik {1} ma już kanał o nazwie {2}." -#: controlpanel.cpp:689 +#: controlpanel.cpp:690 msgid "Channel {1} for user {2} added to network {3}." msgstr "Kanał {1} dla użytkownika {2} został dodany do sieci {3}." -#: controlpanel.cpp:693 +#: controlpanel.cpp:694 msgid "" "Could not add channel {1} for user {2} to network {3}, does it already exist?" msgstr "" "Nie można dodać kanału {1} dla użytkownika {2} do sieci {3}, może już " "istnieje?" -#: controlpanel.cpp:703 +#: controlpanel.cpp:704 msgid "Usage: DelChan " msgstr "Użycie: DelChan " -#: controlpanel.cpp:718 +#: controlpanel.cpp:719 msgid "Error: User {1} does not have any channel matching [{2}] in network {3}" msgstr "" "Błąd: użytkownik {1} nie ma żadnego kanału pasującego do [{2}] w sieci {3}" -#: controlpanel.cpp:731 +#: controlpanel.cpp:732 msgid "Channel {1} is deleted from network {2} of user {3}" msgid_plural "Channels {1} are deleted from network {2} of user {3}" msgstr[0] "Kanał {1} został usunięty z sieci {2} użytkownika {3}" @@ -186,116 +186,116 @@ msgstr[1] "Kanały {1} zostały usunięte z sieci {2} użytkownika {3}" msgstr[2] "Wiele kanałów {1} zostało usunięte z sieci {2} użytkownika {3}" msgstr[3] "Kanały {1} zostały usunięte z sieci {2} użytkownika {3}" -#: controlpanel.cpp:746 +#: controlpanel.cpp:747 msgid "Usage: GetChan " msgstr "Użycie: GetChan " -#: controlpanel.cpp:760 controlpanel.cpp:824 +#: controlpanel.cpp:761 controlpanel.cpp:825 msgid "Error: No channels matching [{1}] found." msgstr "Błąd: Nie znaleziono kanałów pasujących do [{1}]." -#: controlpanel.cpp:809 +#: controlpanel.cpp:810 msgid "Usage: SetChan " msgstr "Użycie: SetChan " -#: controlpanel.cpp:890 controlpanel.cpp:900 +#: controlpanel.cpp:891 controlpanel.cpp:901 msgctxt "listusers" msgid "Username" msgstr "Nazwa użytkownika" -#: controlpanel.cpp:891 controlpanel.cpp:901 +#: controlpanel.cpp:892 controlpanel.cpp:902 msgctxt "listusers" msgid "Realname" msgstr "Prawdziwe imię" -#: controlpanel.cpp:892 controlpanel.cpp:904 controlpanel.cpp:906 +#: controlpanel.cpp:893 controlpanel.cpp:905 controlpanel.cpp:907 msgctxt "listusers" msgid "IsAdmin" msgstr "JestAdministratorem" -#: controlpanel.cpp:893 controlpanel.cpp:907 +#: controlpanel.cpp:894 controlpanel.cpp:908 msgctxt "listusers" msgid "Nick" msgstr "Pseudonim" -#: controlpanel.cpp:894 controlpanel.cpp:908 +#: controlpanel.cpp:895 controlpanel.cpp:909 msgctxt "listusers" msgid "AltNick" msgstr "AlternatywnyPseudonim" -#: controlpanel.cpp:895 controlpanel.cpp:909 +#: controlpanel.cpp:896 controlpanel.cpp:910 msgctxt "listusers" msgid "Ident" msgstr "Ident" -#: controlpanel.cpp:896 controlpanel.cpp:910 +#: controlpanel.cpp:897 controlpanel.cpp:911 msgctxt "listusers" msgid "BindHost" msgstr "HostPrzypięcia" -#: controlpanel.cpp:904 controlpanel.cpp:1144 +#: controlpanel.cpp:905 controlpanel.cpp:1145 msgid "No" msgstr "Nie" -#: controlpanel.cpp:906 controlpanel.cpp:1136 +#: controlpanel.cpp:907 controlpanel.cpp:1137 msgid "Yes" msgstr "Tak" -#: controlpanel.cpp:920 controlpanel.cpp:989 +#: controlpanel.cpp:921 controlpanel.cpp:990 msgid "Error: You need to have admin rights to add new users!" msgstr "" "Błąd: musisz mieć uprawnienia administratora, aby dodawać nowych " "użytkowników!" -#: controlpanel.cpp:926 +#: controlpanel.cpp:927 msgid "Usage: AddUser " msgstr "Użycie: AddUser " -#: controlpanel.cpp:931 +#: controlpanel.cpp:932 msgid "Error: User {1} already exists!" msgstr "Błąd: Użytkownik {1} już istnieje!" -#: controlpanel.cpp:943 controlpanel.cpp:1018 +#: controlpanel.cpp:944 controlpanel.cpp:1019 msgid "Error: User not added: {1}" msgstr "Błąd: Użytkownik nie został dodany: {1}" -#: controlpanel.cpp:947 controlpanel.cpp:1022 +#: controlpanel.cpp:948 controlpanel.cpp:1023 msgid "User {1} added!" msgstr "Użytkownik {1} dodany!" -#: controlpanel.cpp:954 +#: controlpanel.cpp:955 msgid "Error: You need to have admin rights to delete users!" msgstr "Błąd: Musisz mieć uprawnienia administratora, aby usunąć użytkowników!" -#: controlpanel.cpp:960 +#: controlpanel.cpp:961 msgid "Usage: DelUser " msgstr "Użycie: DelUser " -#: controlpanel.cpp:972 +#: controlpanel.cpp:973 msgid "Error: You can't delete yourself!" msgstr "Błąd: Nie możesz usunąć sam siebie!" -#: controlpanel.cpp:978 +#: controlpanel.cpp:979 msgid "Error: Internal error!" msgstr "Błąd: Wewnętrzny błąd!" -#: controlpanel.cpp:982 +#: controlpanel.cpp:983 msgid "User {1} deleted!" msgstr "Użytkownik {1} skasowany!" -#: controlpanel.cpp:997 +#: controlpanel.cpp:998 msgid "Usage: CloneUser " msgstr "Użycie: CloneUser " -#: controlpanel.cpp:1012 +#: controlpanel.cpp:1013 msgid "Error: Cloning failed: {1}" msgstr "Błąd: Klonowanie nie powiodło się: {1}" -#: controlpanel.cpp:1041 +#: controlpanel.cpp:1042 msgid "Usage: AddNetwork [user] network" msgstr "Użycie: AddNetwork [użytkownik] sieć" -#: controlpanel.cpp:1047 +#: controlpanel.cpp:1048 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks using /znc DelNetwork " @@ -304,155 +304,155 @@ msgstr "" "limitu dla Ciebie lub usuń niepotrzebne sieci za pomocą /znc DelNetwork " "" -#: controlpanel.cpp:1055 +#: controlpanel.cpp:1056 msgid "Error: User {1} already has a network with the name {2}" msgstr "Błąd: użytkownik {1} ma już sieć o nazwie {2}" -#: controlpanel.cpp:1062 +#: controlpanel.cpp:1063 msgid "Network {1} added to user {2}." msgstr "Sieć {1} dodana do użytkownika {2}." -#: controlpanel.cpp:1066 +#: controlpanel.cpp:1067 msgid "Error: Network [{1}] could not be added for user {2}: {3}" msgstr "Błąd: Nie można dodać sieci [{1}] dla użytkownika {2}: {3}" -#: controlpanel.cpp:1086 +#: controlpanel.cpp:1087 msgid "Usage: DelNetwork [user] network" msgstr "Użycie: DelNetwork [użytkownik] sieć" -#: controlpanel.cpp:1097 +#: controlpanel.cpp:1098 msgid "The currently active network can be deleted via {1}status" msgstr "Aktualnie aktywną sieć można usunąć za pomocą {1}status" -#: controlpanel.cpp:1103 +#: controlpanel.cpp:1104 msgid "Network {1} deleted for user {2}." msgstr "Sieć {1} usunięta dla użytkownika {2}." -#: controlpanel.cpp:1107 +#: controlpanel.cpp:1108 msgid "Error: Network {1} could not be deleted for user {2}." msgstr "Błąd: Sieć {1} nie może zostać usunięta dla użytkownika {2}." -#: controlpanel.cpp:1126 controlpanel.cpp:1134 +#: controlpanel.cpp:1127 controlpanel.cpp:1135 msgctxt "listnetworks" msgid "Network" msgstr "Sieć" -#: controlpanel.cpp:1127 controlpanel.cpp:1136 controlpanel.cpp:1144 +#: controlpanel.cpp:1128 controlpanel.cpp:1137 controlpanel.cpp:1145 msgctxt "listnetworks" msgid "OnIRC" msgstr "Na IRCu?" -#: controlpanel.cpp:1128 controlpanel.cpp:1137 +#: controlpanel.cpp:1129 controlpanel.cpp:1138 msgctxt "listnetworks" msgid "IRC Server" msgstr "Serwer IRC" -#: controlpanel.cpp:1129 controlpanel.cpp:1139 +#: controlpanel.cpp:1130 controlpanel.cpp:1140 msgctxt "listnetworks" msgid "IRC User" msgstr "Użytkownik IRC" -#: controlpanel.cpp:1130 controlpanel.cpp:1141 +#: controlpanel.cpp:1131 controlpanel.cpp:1142 msgctxt "listnetworks" msgid "Channels" msgstr "Kanałów" -#: controlpanel.cpp:1149 +#: controlpanel.cpp:1150 msgid "No networks" msgstr "Brak sieci" -#: controlpanel.cpp:1160 +#: controlpanel.cpp:1161 msgid "Usage: AddServer [[+]port] [password]" msgstr "Usage: AddServer [[+]port] [hasło]" -#: controlpanel.cpp:1174 +#: controlpanel.cpp:1175 msgid "Added IRC Server {1} to network {2} for user {3}." msgstr "Dodano serwer IRC {1} do sieci {2} dla użytkownika {3}." -#: controlpanel.cpp:1178 +#: controlpanel.cpp:1179 msgid "Error: Could not add IRC server {1} to network {2} for user {3}." msgstr "" "Błąd: Nie można dodać serwera IRC {1} do sieci {2} dla użytkownika {3}." -#: controlpanel.cpp:1191 +#: controlpanel.cpp:1192 msgid "Usage: DelServer [[+]port] [password]" msgstr "" "Użycie: DelServer [[+]port] [hasło]" -#: controlpanel.cpp:1206 +#: controlpanel.cpp:1207 msgid "Deleted IRC Server {1} from network {2} for user {3}." msgstr "Usunięto serwer IRC {1} z sieci {2} dla użytkownika {3}." -#: controlpanel.cpp:1210 +#: controlpanel.cpp:1211 msgid "Error: Could not delete IRC server {1} from network {2} for user {3}." msgstr "" "Błąd: Nie można usunąć serwera IRC {1} z sieci {2} dla użytkownika {3}." -#: controlpanel.cpp:1220 +#: controlpanel.cpp:1221 msgid "Usage: Reconnect " msgstr "Użycie: Reconnect " -#: controlpanel.cpp:1247 +#: controlpanel.cpp:1248 msgid "Queued network {1} of user {2} for a reconnect." msgstr "Kolejkowana sieć {1} użytkownika {2} w celu ponownego połączenia." -#: controlpanel.cpp:1256 +#: controlpanel.cpp:1257 msgid "Usage: Disconnect " msgstr "Użycie: Disconnect " -#: controlpanel.cpp:1271 +#: controlpanel.cpp:1272 msgid "Closed IRC connection for network {1} of user {2}." msgstr "Zamknięte połączenie IRC dla sieci {1} użytkownika {2}." -#: controlpanel.cpp:1286 controlpanel.cpp:1291 +#: controlpanel.cpp:1287 controlpanel.cpp:1292 msgctxt "listctcp" msgid "Request" msgstr "Zapytanie" -#: controlpanel.cpp:1287 controlpanel.cpp:1292 +#: controlpanel.cpp:1288 controlpanel.cpp:1293 msgctxt "listctcp" msgid "Reply" msgstr "Odpowiedz" -#: controlpanel.cpp:1296 +#: controlpanel.cpp:1297 msgid "No CTCP replies for user {1} are configured" msgstr "Żadne odpowiedzi CTCP dla użytkownika {1} nie są skonfigurowane" -#: controlpanel.cpp:1299 +#: controlpanel.cpp:1300 msgid "CTCP replies for user {1}:" msgstr "Odpowiedzi CTCP dla użytkownika {1}:" -#: controlpanel.cpp:1315 +#: controlpanel.cpp:1316 msgid "Usage: AddCTCP [user] [request] [reply]" msgstr "Użycie: AddCTCP [użytkownik] [zapytanie] [odpowiedź]" -#: controlpanel.cpp:1317 +#: controlpanel.cpp:1318 msgid "" "This will cause ZNC to reply to the CTCP instead of forwarding it to clients." msgstr "Spowoduje to, że ZNC odpowie na CTCP zamiast przekazywać je klientom." -#: controlpanel.cpp:1320 +#: controlpanel.cpp:1321 msgid "An empty reply will cause the CTCP request to be blocked." msgstr "Pusta odpowiedź spowoduje zablokowanie zapytań CTCP." -#: controlpanel.cpp:1329 +#: controlpanel.cpp:1330 msgid "CTCP requests {1} to user {2} will now be blocked." msgstr "Zapytanie CTCP {1} dla użytkownika {2} zostanie teraz zablokowane." -#: controlpanel.cpp:1333 +#: controlpanel.cpp:1334 msgid "CTCP requests {1} to user {2} will now get reply: {3}" msgstr "Zapytanie CTCP {1} dla użytkownika {2} otrzyma teraz odpowiedź: {3}" -#: controlpanel.cpp:1350 +#: controlpanel.cpp:1351 msgid "Usage: DelCTCP [user] [request]" msgstr "Użycie: DelCTCP [użytkownik] [zapytanie]" -#: controlpanel.cpp:1356 +#: controlpanel.cpp:1357 msgid "CTCP requests {1} to user {2} will now be sent to IRC clients" msgstr "" "Zapytania CTCP {1} do użytkownika {2} będą teraz wysyłane do klientów IRC" -#: controlpanel.cpp:1360 +#: controlpanel.cpp:1361 msgid "" "CTCP requests {1} to user {2} will be sent to IRC clients (nothing has " "changed)" @@ -460,286 +460,286 @@ msgstr "" "Zapytania CTCP {1} do użytkownika {2} zostaną wysłane do klientów IRC (nic " "się nie zmieniło)" -#: controlpanel.cpp:1370 controlpanel.cpp:1444 +#: controlpanel.cpp:1371 controlpanel.cpp:1445 msgid "Loading modules has been disabled." msgstr "Ładowanie modułów zostało wyłączone." -#: controlpanel.cpp:1379 +#: controlpanel.cpp:1380 msgid "Error: Unable to load module {1}: {2}" msgstr "Błąd: Nie można załadować modułu {1}: {2}" -#: controlpanel.cpp:1382 +#: controlpanel.cpp:1383 msgid "Loaded module {1}" msgstr "Załadowano moduł {1}" -#: controlpanel.cpp:1387 +#: controlpanel.cpp:1388 msgid "Error: Unable to reload module {1}: {2}" msgstr "Błąd: Nie można przeładować modułu {1}: {2}" -#: controlpanel.cpp:1390 +#: controlpanel.cpp:1391 msgid "Reloaded module {1}" msgstr "Przeładowano moduł {1}" -#: controlpanel.cpp:1394 +#: controlpanel.cpp:1395 msgid "Error: Unable to load module {1} because it is already loaded" msgstr "Błąd: Nie można załadować modułu {1}, ponieważ jest już załadowany" -#: controlpanel.cpp:1405 +#: controlpanel.cpp:1406 msgid "Usage: LoadModule [args]" msgstr "Użycie: LoadModule [argumenty]" -#: controlpanel.cpp:1424 +#: controlpanel.cpp:1425 msgid "Usage: LoadNetModule [args]" msgstr "" "Użycie: LoadNetModule [argumenty]" -#: controlpanel.cpp:1449 +#: controlpanel.cpp:1450 msgid "Please use /znc unloadmod {1}" msgstr "Użyj /znc unloadmod {1}" -#: controlpanel.cpp:1455 +#: controlpanel.cpp:1456 msgid "Error: Unable to unload module {1}: {2}" msgstr "Błąd: Nie można wyładować modułu {1}: {2}" -#: controlpanel.cpp:1458 +#: controlpanel.cpp:1459 msgid "Unloaded module {1}" msgstr "Wyładowano moduł {1}" -#: controlpanel.cpp:1467 +#: controlpanel.cpp:1468 msgid "Usage: UnloadModule " msgstr "Użycie: UnloadModule " -#: controlpanel.cpp:1484 +#: controlpanel.cpp:1485 msgid "Usage: UnloadNetModule " msgstr "Użycie: UnloadNetModule " -#: controlpanel.cpp:1501 controlpanel.cpp:1507 +#: controlpanel.cpp:1502 controlpanel.cpp:1508 msgctxt "listmodules" msgid "Name" msgstr "Nazwa" -#: controlpanel.cpp:1502 controlpanel.cpp:1508 +#: controlpanel.cpp:1503 controlpanel.cpp:1509 msgctxt "listmodules" msgid "Arguments" msgstr "Argumenty" -#: controlpanel.cpp:1527 +#: controlpanel.cpp:1528 msgid "User {1} has no modules loaded." msgstr "Użytkownik {1} nie ma załadowanych modułów." -#: controlpanel.cpp:1531 +#: controlpanel.cpp:1532 msgid "Modules loaded for user {1}:" msgstr "Załadowane moduły użytkownika {1}:" -#: controlpanel.cpp:1551 +#: controlpanel.cpp:1552 msgid "Network {1} of user {2} has no modules loaded." msgstr "Sieć {1} użytkownika {2} nie ma załadowanych modułów." -#: controlpanel.cpp:1556 +#: controlpanel.cpp:1557 msgid "Modules loaded for network {1} of user {2}:" msgstr "Moduły załadowane dla sieci {1} użytkownika {2}:" -#: controlpanel.cpp:1563 +#: controlpanel.cpp:1564 msgid "[command] [variable]" msgstr "[polecenie] [zmienna]" -#: controlpanel.cpp:1564 +#: controlpanel.cpp:1565 msgid "Prints help for matching commands and variables" msgstr "Wypisuje pomoc dla pasujących poleceń i zmiennych" -#: controlpanel.cpp:1567 +#: controlpanel.cpp:1568 msgid " [username]" msgstr " [nazwa_użytkownika]" -#: controlpanel.cpp:1568 +#: controlpanel.cpp:1569 msgid "Prints the variable's value for the given or current user" msgstr "Wypisuje wartość zmiennej dla danego lub bieżącego użytkownika" -#: controlpanel.cpp:1570 +#: controlpanel.cpp:1571 msgid " " msgstr " " -#: controlpanel.cpp:1571 +#: controlpanel.cpp:1572 msgid "Sets the variable's value for the given user" msgstr "Ustawia wartość zmiennej dla danego użytkownika" -#: controlpanel.cpp:1573 +#: controlpanel.cpp:1574 msgid " [username] [network]" msgstr " [nazwa_użytkownika] [sieć]" -#: controlpanel.cpp:1574 +#: controlpanel.cpp:1575 msgid "Prints the variable's value for the given network" msgstr "Wypisuje wartość zmiennej dla danej sieci" -#: controlpanel.cpp:1576 +#: controlpanel.cpp:1577 msgid " " msgstr " " -#: controlpanel.cpp:1577 +#: controlpanel.cpp:1578 msgid "Sets the variable's value for the given network" msgstr "Ustawia wartość zmiennej dla danej sieci" -#: controlpanel.cpp:1579 +#: controlpanel.cpp:1580 msgid " [username] " msgstr " [nazwa_użytkownika] " -#: controlpanel.cpp:1580 +#: controlpanel.cpp:1581 msgid "Prints the variable's value for the given channel" msgstr "Wypisuje wartość zmiennej dla danego kanału" -#: controlpanel.cpp:1583 +#: controlpanel.cpp:1584 msgid " " msgstr " " -#: controlpanel.cpp:1584 +#: controlpanel.cpp:1585 msgid "Sets the variable's value for the given channel" msgstr "Ustawia wartość zmiennej dla danego kanału" -#: controlpanel.cpp:1586 controlpanel.cpp:1589 +#: controlpanel.cpp:1587 controlpanel.cpp:1590 msgid " " msgstr " " -#: controlpanel.cpp:1587 +#: controlpanel.cpp:1588 msgid "Adds a new channel" msgstr "Dodaje nowy kanał" -#: controlpanel.cpp:1590 +#: controlpanel.cpp:1591 msgid "Deletes a channel" msgstr "Usuwa kanał" -#: controlpanel.cpp:1592 +#: controlpanel.cpp:1593 msgid "Lists users" msgstr "Lista użytkowników" -#: controlpanel.cpp:1594 +#: controlpanel.cpp:1595 msgid " " msgstr " " -#: controlpanel.cpp:1595 +#: controlpanel.cpp:1596 msgid "Adds a new user" msgstr "Dodaje nowego użytkownika" -#: controlpanel.cpp:1597 controlpanel.cpp:1620 controlpanel.cpp:1634 +#: controlpanel.cpp:1598 controlpanel.cpp:1621 controlpanel.cpp:1635 msgid "" msgstr "" -#: controlpanel.cpp:1597 +#: controlpanel.cpp:1598 msgid "Deletes a user" msgstr "Usuwa użytkownika" -#: controlpanel.cpp:1599 +#: controlpanel.cpp:1600 msgid " " msgstr " " -#: controlpanel.cpp:1600 +#: controlpanel.cpp:1601 msgid "Clones a user" msgstr "Klonuje użytkownika" -#: controlpanel.cpp:1602 controlpanel.cpp:1605 +#: controlpanel.cpp:1603 controlpanel.cpp:1606 msgid " " msgstr " " -#: controlpanel.cpp:1603 +#: controlpanel.cpp:1604 msgid "Adds a new IRC server for the given or current user" msgstr "Dodaje nowy serwer IRC dla danego lub bieżącego użytkownika" -#: controlpanel.cpp:1606 +#: controlpanel.cpp:1607 msgid "Deletes an IRC server from the given or current user" msgstr "Usuwa serwer IRC od danego lub bieżącego użytkownika" -#: controlpanel.cpp:1608 controlpanel.cpp:1611 controlpanel.cpp:1631 +#: controlpanel.cpp:1609 controlpanel.cpp:1612 controlpanel.cpp:1632 msgid " " msgstr " " -#: controlpanel.cpp:1609 +#: controlpanel.cpp:1610 msgid "Cycles the user's IRC server connection" msgstr "Powtarza połączenie użytkownika z serwerem IRC" -#: controlpanel.cpp:1612 +#: controlpanel.cpp:1613 msgid "Disconnects the user from their IRC server" msgstr "Odłącza użytkownika od jego serwera IRC" -#: controlpanel.cpp:1614 +#: controlpanel.cpp:1615 msgid " [args]" msgstr " [argumenty]" -#: controlpanel.cpp:1615 +#: controlpanel.cpp:1616 msgid "Loads a Module for a user" msgstr "Ładuje moduł dla użytkownika" -#: controlpanel.cpp:1617 +#: controlpanel.cpp:1618 msgid " " msgstr " " -#: controlpanel.cpp:1618 +#: controlpanel.cpp:1619 msgid "Removes a Module of a user" msgstr "Usuwa moduł użytkownika" -#: controlpanel.cpp:1621 +#: controlpanel.cpp:1622 msgid "Get the list of modules for a user" msgstr "Uzyskuje listę modułów dla użytkownika" -#: controlpanel.cpp:1624 +#: controlpanel.cpp:1625 msgid " [args]" msgstr " [argumenty]" -#: controlpanel.cpp:1625 +#: controlpanel.cpp:1626 msgid "Loads a Module for a network" msgstr "Ładuje moduł dla sieci" -#: controlpanel.cpp:1628 +#: controlpanel.cpp:1629 msgid " " msgstr " " -#: controlpanel.cpp:1629 +#: controlpanel.cpp:1630 msgid "Removes a Module of a network" msgstr "Usuwa moduł z sieci" -#: controlpanel.cpp:1632 +#: controlpanel.cpp:1633 msgid "Get the list of modules for a network" msgstr "Uzyskuje listę modułów dla użytkownika" -#: controlpanel.cpp:1635 +#: controlpanel.cpp:1636 msgid "List the configured CTCP replies" msgstr "Lista skonfigurowanych odpowiedzi CTCP" -#: controlpanel.cpp:1637 +#: controlpanel.cpp:1638 msgid " [reply]" msgstr " [odpowiedź]" -#: controlpanel.cpp:1638 +#: controlpanel.cpp:1639 msgid "Configure a new CTCP reply" msgstr "Konfiguruje nową odpowiedź CTCP" -#: controlpanel.cpp:1640 +#: controlpanel.cpp:1641 msgid " " msgstr " " -#: controlpanel.cpp:1641 +#: controlpanel.cpp:1642 msgid "Remove a CTCP reply" msgstr "Usuwa odpowiedź CTCP" -#: controlpanel.cpp:1645 controlpanel.cpp:1648 +#: controlpanel.cpp:1646 controlpanel.cpp:1649 msgid "[username] " msgstr "[nazwa_użytkownika] " -#: controlpanel.cpp:1646 +#: controlpanel.cpp:1647 msgid "Add a network for a user" msgstr "Dodaje sieć użytkownikowi" -#: controlpanel.cpp:1649 +#: controlpanel.cpp:1650 msgid "Delete a network for a user" msgstr "Usuwa sieć użytkownikowi" -#: controlpanel.cpp:1651 +#: controlpanel.cpp:1652 msgid "[username]" msgstr "[nazwa_użytkownika]" -#: controlpanel.cpp:1652 +#: controlpanel.cpp:1653 msgid "List all networks for a user" msgstr "Lista wszystkich sieci użytkownika" -#: controlpanel.cpp:1665 +#: controlpanel.cpp:1666 msgid "" "Dynamic configuration through IRC. Allows editing only yourself if you're " "not ZNC admin." diff --git a/modules/po/controlpanel.pot b/modules/po/controlpanel.pot index 10f9b644..dfc27ad5 100644 --- a/modules/po/controlpanel.pot +++ b/modules/po/controlpanel.pot @@ -51,658 +51,658 @@ msgid "" "modifying your own user and network." msgstr "" -#: controlpanel.cpp:180 controlpanel.cpp:967 controlpanel.cpp:1004 +#: controlpanel.cpp:181 controlpanel.cpp:968 controlpanel.cpp:1005 msgid "Error: User [{1}] does not exist!" msgstr "" -#: controlpanel.cpp:185 +#: controlpanel.cpp:186 msgid "Error: You need to have admin rights to modify other users!" msgstr "" -#: controlpanel.cpp:195 +#: controlpanel.cpp:196 msgid "Error: You cannot use $network to modify other users!" msgstr "" -#: controlpanel.cpp:203 +#: controlpanel.cpp:204 msgid "Error: User {1} does not have a network named [{2}]." msgstr "" -#: controlpanel.cpp:215 +#: controlpanel.cpp:216 msgid "Usage: Get [username]" msgstr "" -#: controlpanel.cpp:305 controlpanel.cpp:508 controlpanel.cpp:583 -#: controlpanel.cpp:659 controlpanel.cpp:794 controlpanel.cpp:879 +#: controlpanel.cpp:306 controlpanel.cpp:509 controlpanel.cpp:584 +#: controlpanel.cpp:660 controlpanel.cpp:795 controlpanel.cpp:880 msgid "Error: Unknown variable" msgstr "" -#: controlpanel.cpp:314 +#: controlpanel.cpp:315 msgid "Usage: Set " msgstr "" -#: controlpanel.cpp:336 controlpanel.cpp:624 +#: controlpanel.cpp:337 controlpanel.cpp:625 msgid "This bind host is already set!" msgstr "" -#: controlpanel.cpp:343 controlpanel.cpp:355 controlpanel.cpp:363 -#: controlpanel.cpp:426 controlpanel.cpp:445 controlpanel.cpp:461 -#: controlpanel.cpp:471 controlpanel.cpp:631 +#: controlpanel.cpp:344 controlpanel.cpp:356 controlpanel.cpp:364 +#: controlpanel.cpp:427 controlpanel.cpp:446 controlpanel.cpp:462 +#: controlpanel.cpp:472 controlpanel.cpp:632 msgid "Access denied!" msgstr "" -#: controlpanel.cpp:377 controlpanel.cpp:386 controlpanel.cpp:843 +#: controlpanel.cpp:378 controlpanel.cpp:387 controlpanel.cpp:844 msgid "Setting failed, limit for buffer size is {1}" msgstr "" -#: controlpanel.cpp:406 +#: controlpanel.cpp:407 msgid "Password has been changed!" msgstr "" -#: controlpanel.cpp:414 +#: controlpanel.cpp:415 msgid "Timeout can't be less than 30 seconds!" msgstr "" -#: controlpanel.cpp:478 +#: controlpanel.cpp:479 msgid "That would be a bad idea!" msgstr "" -#: controlpanel.cpp:496 +#: controlpanel.cpp:497 msgid "Supported languages: {1}" msgstr "" -#: controlpanel.cpp:520 +#: controlpanel.cpp:521 msgid "Usage: GetNetwork [username] [network]" msgstr "" -#: controlpanel.cpp:539 +#: controlpanel.cpp:540 msgid "Error: A network must be specified to get another users settings." msgstr "" -#: controlpanel.cpp:545 +#: controlpanel.cpp:546 msgid "You are not currently attached to a network." msgstr "" -#: controlpanel.cpp:551 +#: controlpanel.cpp:552 msgid "Error: Invalid network." msgstr "" -#: controlpanel.cpp:595 +#: controlpanel.cpp:596 msgid "Usage: SetNetwork " msgstr "" -#: controlpanel.cpp:669 +#: controlpanel.cpp:670 msgid "Usage: AddChan " msgstr "" -#: controlpanel.cpp:682 +#: controlpanel.cpp:683 msgid "Error: User {1} already has a channel named {2}." msgstr "" -#: controlpanel.cpp:689 +#: controlpanel.cpp:690 msgid "Channel {1} for user {2} added to network {3}." msgstr "" -#: controlpanel.cpp:693 +#: controlpanel.cpp:694 msgid "" "Could not add channel {1} for user {2} to network {3}, does it already exist?" msgstr "" -#: controlpanel.cpp:703 +#: controlpanel.cpp:704 msgid "Usage: DelChan " msgstr "" -#: controlpanel.cpp:718 +#: controlpanel.cpp:719 msgid "Error: User {1} does not have any channel matching [{2}] in network {3}" msgstr "" -#: controlpanel.cpp:731 +#: controlpanel.cpp:732 msgid "Channel {1} is deleted from network {2} of user {3}" msgid_plural "Channels {1} are deleted from network {2} of user {3}" msgstr[0] "" msgstr[1] "" -#: controlpanel.cpp:746 +#: controlpanel.cpp:747 msgid "Usage: GetChan " msgstr "" -#: controlpanel.cpp:760 controlpanel.cpp:824 +#: controlpanel.cpp:761 controlpanel.cpp:825 msgid "Error: No channels matching [{1}] found." msgstr "" -#: controlpanel.cpp:809 +#: controlpanel.cpp:810 msgid "Usage: SetChan " msgstr "" -#: controlpanel.cpp:890 controlpanel.cpp:900 -msgctxt "listusers" -msgid "Username" -msgstr "" - #: controlpanel.cpp:891 controlpanel.cpp:901 msgctxt "listusers" +msgid "Username" +msgstr "" + +#: controlpanel.cpp:892 controlpanel.cpp:902 +msgctxt "listusers" msgid "Realname" msgstr "" -#: controlpanel.cpp:892 controlpanel.cpp:904 controlpanel.cpp:906 +#: controlpanel.cpp:893 controlpanel.cpp:905 controlpanel.cpp:907 msgctxt "listusers" msgid "IsAdmin" msgstr "" -#: controlpanel.cpp:893 controlpanel.cpp:907 +#: controlpanel.cpp:894 controlpanel.cpp:908 msgctxt "listusers" msgid "Nick" msgstr "" -#: controlpanel.cpp:894 controlpanel.cpp:908 +#: controlpanel.cpp:895 controlpanel.cpp:909 msgctxt "listusers" msgid "AltNick" msgstr "" -#: controlpanel.cpp:895 controlpanel.cpp:909 +#: controlpanel.cpp:896 controlpanel.cpp:910 msgctxt "listusers" msgid "Ident" msgstr "" -#: controlpanel.cpp:896 controlpanel.cpp:910 +#: controlpanel.cpp:897 controlpanel.cpp:911 msgctxt "listusers" msgid "BindHost" msgstr "" -#: controlpanel.cpp:904 controlpanel.cpp:1144 +#: controlpanel.cpp:905 controlpanel.cpp:1145 msgid "No" msgstr "" -#: controlpanel.cpp:906 controlpanel.cpp:1136 +#: controlpanel.cpp:907 controlpanel.cpp:1137 msgid "Yes" msgstr "" -#: controlpanel.cpp:920 controlpanel.cpp:989 +#: controlpanel.cpp:921 controlpanel.cpp:990 msgid "Error: You need to have admin rights to add new users!" msgstr "" -#: controlpanel.cpp:926 +#: controlpanel.cpp:927 msgid "Usage: AddUser " msgstr "" -#: controlpanel.cpp:931 +#: controlpanel.cpp:932 msgid "Error: User {1} already exists!" msgstr "" -#: controlpanel.cpp:943 controlpanel.cpp:1018 +#: controlpanel.cpp:944 controlpanel.cpp:1019 msgid "Error: User not added: {1}" msgstr "" -#: controlpanel.cpp:947 controlpanel.cpp:1022 +#: controlpanel.cpp:948 controlpanel.cpp:1023 msgid "User {1} added!" msgstr "" -#: controlpanel.cpp:954 +#: controlpanel.cpp:955 msgid "Error: You need to have admin rights to delete users!" msgstr "" -#: controlpanel.cpp:960 +#: controlpanel.cpp:961 msgid "Usage: DelUser " msgstr "" -#: controlpanel.cpp:972 +#: controlpanel.cpp:973 msgid "Error: You can't delete yourself!" msgstr "" -#: controlpanel.cpp:978 +#: controlpanel.cpp:979 msgid "Error: Internal error!" msgstr "" -#: controlpanel.cpp:982 +#: controlpanel.cpp:983 msgid "User {1} deleted!" msgstr "" -#: controlpanel.cpp:997 +#: controlpanel.cpp:998 msgid "Usage: CloneUser " msgstr "" -#: controlpanel.cpp:1012 +#: controlpanel.cpp:1013 msgid "Error: Cloning failed: {1}" msgstr "" -#: controlpanel.cpp:1041 +#: controlpanel.cpp:1042 msgid "Usage: AddNetwork [user] network" msgstr "" -#: controlpanel.cpp:1047 +#: controlpanel.cpp:1048 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks using /znc DelNetwork " msgstr "" -#: controlpanel.cpp:1055 +#: controlpanel.cpp:1056 msgid "Error: User {1} already has a network with the name {2}" msgstr "" -#: controlpanel.cpp:1062 +#: controlpanel.cpp:1063 msgid "Network {1} added to user {2}." msgstr "" -#: controlpanel.cpp:1066 +#: controlpanel.cpp:1067 msgid "Error: Network [{1}] could not be added for user {2}: {3}" msgstr "" -#: controlpanel.cpp:1086 +#: controlpanel.cpp:1087 msgid "Usage: DelNetwork [user] network" msgstr "" -#: controlpanel.cpp:1097 +#: controlpanel.cpp:1098 msgid "The currently active network can be deleted via {1}status" msgstr "" -#: controlpanel.cpp:1103 +#: controlpanel.cpp:1104 msgid "Network {1} deleted for user {2}." msgstr "" -#: controlpanel.cpp:1107 +#: controlpanel.cpp:1108 msgid "Error: Network {1} could not be deleted for user {2}." msgstr "" -#: controlpanel.cpp:1126 controlpanel.cpp:1134 +#: controlpanel.cpp:1127 controlpanel.cpp:1135 msgctxt "listnetworks" msgid "Network" msgstr "" -#: controlpanel.cpp:1127 controlpanel.cpp:1136 controlpanel.cpp:1144 +#: controlpanel.cpp:1128 controlpanel.cpp:1137 controlpanel.cpp:1145 msgctxt "listnetworks" msgid "OnIRC" msgstr "" -#: controlpanel.cpp:1128 controlpanel.cpp:1137 +#: controlpanel.cpp:1129 controlpanel.cpp:1138 msgctxt "listnetworks" msgid "IRC Server" msgstr "" -#: controlpanel.cpp:1129 controlpanel.cpp:1139 +#: controlpanel.cpp:1130 controlpanel.cpp:1140 msgctxt "listnetworks" msgid "IRC User" msgstr "" -#: controlpanel.cpp:1130 controlpanel.cpp:1141 +#: controlpanel.cpp:1131 controlpanel.cpp:1142 msgctxt "listnetworks" msgid "Channels" msgstr "" -#: controlpanel.cpp:1149 +#: controlpanel.cpp:1150 msgid "No networks" msgstr "" -#: controlpanel.cpp:1160 +#: controlpanel.cpp:1161 msgid "Usage: AddServer [[+]port] [password]" msgstr "" -#: controlpanel.cpp:1174 +#: controlpanel.cpp:1175 msgid "Added IRC Server {1} to network {2} for user {3}." msgstr "" -#: controlpanel.cpp:1178 +#: controlpanel.cpp:1179 msgid "Error: Could not add IRC server {1} to network {2} for user {3}." msgstr "" -#: controlpanel.cpp:1191 +#: controlpanel.cpp:1192 msgid "Usage: DelServer [[+]port] [password]" msgstr "" -#: controlpanel.cpp:1206 +#: controlpanel.cpp:1207 msgid "Deleted IRC Server {1} from network {2} for user {3}." msgstr "" -#: controlpanel.cpp:1210 +#: controlpanel.cpp:1211 msgid "Error: Could not delete IRC server {1} from network {2} for user {3}." msgstr "" -#: controlpanel.cpp:1220 +#: controlpanel.cpp:1221 msgid "Usage: Reconnect " msgstr "" -#: controlpanel.cpp:1247 +#: controlpanel.cpp:1248 msgid "Queued network {1} of user {2} for a reconnect." msgstr "" -#: controlpanel.cpp:1256 +#: controlpanel.cpp:1257 msgid "Usage: Disconnect " msgstr "" -#: controlpanel.cpp:1271 +#: controlpanel.cpp:1272 msgid "Closed IRC connection for network {1} of user {2}." msgstr "" -#: controlpanel.cpp:1286 controlpanel.cpp:1291 -msgctxt "listctcp" -msgid "Request" -msgstr "" - #: controlpanel.cpp:1287 controlpanel.cpp:1292 msgctxt "listctcp" +msgid "Request" +msgstr "" + +#: controlpanel.cpp:1288 controlpanel.cpp:1293 +msgctxt "listctcp" msgid "Reply" msgstr "" -#: controlpanel.cpp:1296 +#: controlpanel.cpp:1297 msgid "No CTCP replies for user {1} are configured" msgstr "" -#: controlpanel.cpp:1299 +#: controlpanel.cpp:1300 msgid "CTCP replies for user {1}:" msgstr "" -#: controlpanel.cpp:1315 +#: controlpanel.cpp:1316 msgid "Usage: AddCTCP [user] [request] [reply]" msgstr "" -#: controlpanel.cpp:1317 +#: controlpanel.cpp:1318 msgid "" "This will cause ZNC to reply to the CTCP instead of forwarding it to clients." msgstr "" -#: controlpanel.cpp:1320 +#: controlpanel.cpp:1321 msgid "An empty reply will cause the CTCP request to be blocked." msgstr "" -#: controlpanel.cpp:1329 +#: controlpanel.cpp:1330 msgid "CTCP requests {1} to user {2} will now be blocked." msgstr "" -#: controlpanel.cpp:1333 +#: controlpanel.cpp:1334 msgid "CTCP requests {1} to user {2} will now get reply: {3}" msgstr "" -#: controlpanel.cpp:1350 +#: controlpanel.cpp:1351 msgid "Usage: DelCTCP [user] [request]" msgstr "" -#: controlpanel.cpp:1356 +#: controlpanel.cpp:1357 msgid "CTCP requests {1} to user {2} will now be sent to IRC clients" msgstr "" -#: controlpanel.cpp:1360 +#: controlpanel.cpp:1361 msgid "" "CTCP requests {1} to user {2} will be sent to IRC clients (nothing has " "changed)" msgstr "" -#: controlpanel.cpp:1370 controlpanel.cpp:1444 +#: controlpanel.cpp:1371 controlpanel.cpp:1445 msgid "Loading modules has been disabled." msgstr "" -#: controlpanel.cpp:1379 +#: controlpanel.cpp:1380 msgid "Error: Unable to load module {1}: {2}" msgstr "" -#: controlpanel.cpp:1382 +#: controlpanel.cpp:1383 msgid "Loaded module {1}" msgstr "" -#: controlpanel.cpp:1387 +#: controlpanel.cpp:1388 msgid "Error: Unable to reload module {1}: {2}" msgstr "" -#: controlpanel.cpp:1390 +#: controlpanel.cpp:1391 msgid "Reloaded module {1}" msgstr "" -#: controlpanel.cpp:1394 +#: controlpanel.cpp:1395 msgid "Error: Unable to load module {1} because it is already loaded" msgstr "" -#: controlpanel.cpp:1405 +#: controlpanel.cpp:1406 msgid "Usage: LoadModule [args]" msgstr "" -#: controlpanel.cpp:1424 +#: controlpanel.cpp:1425 msgid "Usage: LoadNetModule [args]" msgstr "" -#: controlpanel.cpp:1449 +#: controlpanel.cpp:1450 msgid "Please use /znc unloadmod {1}" msgstr "" -#: controlpanel.cpp:1455 +#: controlpanel.cpp:1456 msgid "Error: Unable to unload module {1}: {2}" msgstr "" -#: controlpanel.cpp:1458 +#: controlpanel.cpp:1459 msgid "Unloaded module {1}" msgstr "" -#: controlpanel.cpp:1467 +#: controlpanel.cpp:1468 msgid "Usage: UnloadModule " msgstr "" -#: controlpanel.cpp:1484 +#: controlpanel.cpp:1485 msgid "Usage: UnloadNetModule " msgstr "" -#: controlpanel.cpp:1501 controlpanel.cpp:1507 -msgctxt "listmodules" -msgid "Name" -msgstr "" - #: controlpanel.cpp:1502 controlpanel.cpp:1508 msgctxt "listmodules" +msgid "Name" +msgstr "" + +#: controlpanel.cpp:1503 controlpanel.cpp:1509 +msgctxt "listmodules" msgid "Arguments" msgstr "" -#: controlpanel.cpp:1527 +#: controlpanel.cpp:1528 msgid "User {1} has no modules loaded." msgstr "" -#: controlpanel.cpp:1531 +#: controlpanel.cpp:1532 msgid "Modules loaded for user {1}:" msgstr "" -#: controlpanel.cpp:1551 +#: controlpanel.cpp:1552 msgid "Network {1} of user {2} has no modules loaded." msgstr "" -#: controlpanel.cpp:1556 +#: controlpanel.cpp:1557 msgid "Modules loaded for network {1} of user {2}:" msgstr "" -#: controlpanel.cpp:1563 +#: controlpanel.cpp:1564 msgid "[command] [variable]" msgstr "" -#: controlpanel.cpp:1564 +#: controlpanel.cpp:1565 msgid "Prints help for matching commands and variables" msgstr "" -#: controlpanel.cpp:1567 +#: controlpanel.cpp:1568 msgid " [username]" msgstr "" -#: controlpanel.cpp:1568 +#: controlpanel.cpp:1569 msgid "Prints the variable's value for the given or current user" msgstr "" -#: controlpanel.cpp:1570 +#: controlpanel.cpp:1571 msgid " " msgstr "" -#: controlpanel.cpp:1571 +#: controlpanel.cpp:1572 msgid "Sets the variable's value for the given user" msgstr "" -#: controlpanel.cpp:1573 +#: controlpanel.cpp:1574 msgid " [username] [network]" msgstr "" -#: controlpanel.cpp:1574 +#: controlpanel.cpp:1575 msgid "Prints the variable's value for the given network" msgstr "" -#: controlpanel.cpp:1576 +#: controlpanel.cpp:1577 msgid " " msgstr "" -#: controlpanel.cpp:1577 +#: controlpanel.cpp:1578 msgid "Sets the variable's value for the given network" msgstr "" -#: controlpanel.cpp:1579 +#: controlpanel.cpp:1580 msgid " [username] " msgstr "" -#: controlpanel.cpp:1580 +#: controlpanel.cpp:1581 msgid "Prints the variable's value for the given channel" msgstr "" -#: controlpanel.cpp:1583 +#: controlpanel.cpp:1584 msgid " " msgstr "" -#: controlpanel.cpp:1584 +#: controlpanel.cpp:1585 msgid "Sets the variable's value for the given channel" msgstr "" -#: controlpanel.cpp:1586 controlpanel.cpp:1589 +#: controlpanel.cpp:1587 controlpanel.cpp:1590 msgid " " msgstr "" -#: controlpanel.cpp:1587 +#: controlpanel.cpp:1588 msgid "Adds a new channel" msgstr "" -#: controlpanel.cpp:1590 +#: controlpanel.cpp:1591 msgid "Deletes a channel" msgstr "" -#: controlpanel.cpp:1592 +#: controlpanel.cpp:1593 msgid "Lists users" msgstr "" -#: controlpanel.cpp:1594 +#: controlpanel.cpp:1595 msgid " " msgstr "" -#: controlpanel.cpp:1595 +#: controlpanel.cpp:1596 msgid "Adds a new user" msgstr "" -#: controlpanel.cpp:1597 controlpanel.cpp:1620 controlpanel.cpp:1634 +#: controlpanel.cpp:1598 controlpanel.cpp:1621 controlpanel.cpp:1635 msgid "" msgstr "" -#: controlpanel.cpp:1597 +#: controlpanel.cpp:1598 msgid "Deletes a user" msgstr "" -#: controlpanel.cpp:1599 +#: controlpanel.cpp:1600 msgid " " msgstr "" -#: controlpanel.cpp:1600 +#: controlpanel.cpp:1601 msgid "Clones a user" msgstr "" -#: controlpanel.cpp:1602 controlpanel.cpp:1605 +#: controlpanel.cpp:1603 controlpanel.cpp:1606 msgid " " msgstr "" -#: controlpanel.cpp:1603 +#: controlpanel.cpp:1604 msgid "Adds a new IRC server for the given or current user" msgstr "" -#: controlpanel.cpp:1606 +#: controlpanel.cpp:1607 msgid "Deletes an IRC server from the given or current user" msgstr "" -#: controlpanel.cpp:1608 controlpanel.cpp:1611 controlpanel.cpp:1631 +#: controlpanel.cpp:1609 controlpanel.cpp:1612 controlpanel.cpp:1632 msgid " " msgstr "" -#: controlpanel.cpp:1609 +#: controlpanel.cpp:1610 msgid "Cycles the user's IRC server connection" msgstr "" -#: controlpanel.cpp:1612 +#: controlpanel.cpp:1613 msgid "Disconnects the user from their IRC server" msgstr "" -#: controlpanel.cpp:1614 +#: controlpanel.cpp:1615 msgid " [args]" msgstr "" -#: controlpanel.cpp:1615 +#: controlpanel.cpp:1616 msgid "Loads a Module for a user" msgstr "" -#: controlpanel.cpp:1617 +#: controlpanel.cpp:1618 msgid " " msgstr "" -#: controlpanel.cpp:1618 +#: controlpanel.cpp:1619 msgid "Removes a Module of a user" msgstr "" -#: controlpanel.cpp:1621 +#: controlpanel.cpp:1622 msgid "Get the list of modules for a user" msgstr "" -#: controlpanel.cpp:1624 +#: controlpanel.cpp:1625 msgid " [args]" msgstr "" -#: controlpanel.cpp:1625 +#: controlpanel.cpp:1626 msgid "Loads a Module for a network" msgstr "" -#: controlpanel.cpp:1628 +#: controlpanel.cpp:1629 msgid " " msgstr "" -#: controlpanel.cpp:1629 +#: controlpanel.cpp:1630 msgid "Removes a Module of a network" msgstr "" -#: controlpanel.cpp:1632 +#: controlpanel.cpp:1633 msgid "Get the list of modules for a network" msgstr "" -#: controlpanel.cpp:1635 +#: controlpanel.cpp:1636 msgid "List the configured CTCP replies" msgstr "" -#: controlpanel.cpp:1637 +#: controlpanel.cpp:1638 msgid " [reply]" msgstr "" -#: controlpanel.cpp:1638 +#: controlpanel.cpp:1639 msgid "Configure a new CTCP reply" msgstr "" -#: controlpanel.cpp:1640 +#: controlpanel.cpp:1641 msgid " " msgstr "" -#: controlpanel.cpp:1641 +#: controlpanel.cpp:1642 msgid "Remove a CTCP reply" msgstr "" -#: controlpanel.cpp:1645 controlpanel.cpp:1648 +#: controlpanel.cpp:1646 controlpanel.cpp:1649 msgid "[username] " msgstr "" -#: controlpanel.cpp:1646 +#: controlpanel.cpp:1647 msgid "Add a network for a user" msgstr "" -#: controlpanel.cpp:1649 +#: controlpanel.cpp:1650 msgid "Delete a network for a user" msgstr "" -#: controlpanel.cpp:1651 +#: controlpanel.cpp:1652 msgid "[username]" msgstr "" -#: controlpanel.cpp:1652 +#: controlpanel.cpp:1653 msgid "List all networks for a user" msgstr "" -#: controlpanel.cpp:1665 +#: controlpanel.cpp:1666 msgid "" "Dynamic configuration through IRC. Allows editing only yourself if you're " "not ZNC admin." diff --git a/modules/po/controlpanel.pt_BR.po b/modules/po/controlpanel.pt_BR.po index 76b92534..24c93da0 100644 --- a/modules/po/controlpanel.pt_BR.po +++ b/modules/po/controlpanel.pt_BR.po @@ -60,658 +60,658 @@ msgid "" "modifying your own user and network." msgstr "" -#: controlpanel.cpp:180 controlpanel.cpp:967 controlpanel.cpp:1004 +#: controlpanel.cpp:181 controlpanel.cpp:968 controlpanel.cpp:1005 msgid "Error: User [{1}] does not exist!" msgstr "" -#: controlpanel.cpp:185 +#: controlpanel.cpp:186 msgid "Error: You need to have admin rights to modify other users!" msgstr "" -#: controlpanel.cpp:195 +#: controlpanel.cpp:196 msgid "Error: You cannot use $network to modify other users!" msgstr "" -#: controlpanel.cpp:203 +#: controlpanel.cpp:204 msgid "Error: User {1} does not have a network named [{2}]." msgstr "" -#: controlpanel.cpp:215 +#: controlpanel.cpp:216 msgid "Usage: Get [username]" msgstr "Sintaxe: Get [usuário]" -#: controlpanel.cpp:305 controlpanel.cpp:508 controlpanel.cpp:583 -#: controlpanel.cpp:659 controlpanel.cpp:794 controlpanel.cpp:879 +#: controlpanel.cpp:306 controlpanel.cpp:509 controlpanel.cpp:584 +#: controlpanel.cpp:660 controlpanel.cpp:795 controlpanel.cpp:880 msgid "Error: Unknown variable" msgstr "" -#: controlpanel.cpp:314 +#: controlpanel.cpp:315 msgid "Usage: Set " msgstr "Sintaxe: Set " -#: controlpanel.cpp:336 controlpanel.cpp:624 +#: controlpanel.cpp:337 controlpanel.cpp:625 msgid "This bind host is already set!" msgstr "Este host já está vinculado!" -#: controlpanel.cpp:343 controlpanel.cpp:355 controlpanel.cpp:363 -#: controlpanel.cpp:426 controlpanel.cpp:445 controlpanel.cpp:461 -#: controlpanel.cpp:471 controlpanel.cpp:631 +#: controlpanel.cpp:344 controlpanel.cpp:356 controlpanel.cpp:364 +#: controlpanel.cpp:427 controlpanel.cpp:446 controlpanel.cpp:462 +#: controlpanel.cpp:472 controlpanel.cpp:632 msgid "Access denied!" msgstr "Acesso negado!" -#: controlpanel.cpp:377 controlpanel.cpp:386 controlpanel.cpp:843 +#: controlpanel.cpp:378 controlpanel.cpp:387 controlpanel.cpp:844 msgid "Setting failed, limit for buffer size is {1}" msgstr "" -#: controlpanel.cpp:406 +#: controlpanel.cpp:407 msgid "Password has been changed!" msgstr "A senha foi alterada!" -#: controlpanel.cpp:414 +#: controlpanel.cpp:415 msgid "Timeout can't be less than 30 seconds!" msgstr "" -#: controlpanel.cpp:478 +#: controlpanel.cpp:479 msgid "That would be a bad idea!" msgstr "" -#: controlpanel.cpp:496 +#: controlpanel.cpp:497 msgid "Supported languages: {1}" msgstr "Idiomas suportados: {1}" -#: controlpanel.cpp:520 +#: controlpanel.cpp:521 msgid "Usage: GetNetwork [username] [network]" msgstr "Sintaxe: GetNetwork [usuário] [rede]" -#: controlpanel.cpp:539 +#: controlpanel.cpp:540 msgid "Error: A network must be specified to get another users settings." msgstr "" -#: controlpanel.cpp:545 +#: controlpanel.cpp:546 msgid "You are not currently attached to a network." msgstr "" -#: controlpanel.cpp:551 +#: controlpanel.cpp:552 msgid "Error: Invalid network." msgstr "" -#: controlpanel.cpp:595 +#: controlpanel.cpp:596 msgid "Usage: SetNetwork " msgstr "Sintaxe: SetNetwork " -#: controlpanel.cpp:669 +#: controlpanel.cpp:670 msgid "Usage: AddChan " msgstr "Sintaxe: AddChan " -#: controlpanel.cpp:682 +#: controlpanel.cpp:683 msgid "Error: User {1} already has a channel named {2}." msgstr "" -#: controlpanel.cpp:689 +#: controlpanel.cpp:690 msgid "Channel {1} for user {2} added to network {3}." msgstr "" -#: controlpanel.cpp:693 +#: controlpanel.cpp:694 msgid "" "Could not add channel {1} for user {2} to network {3}, does it already exist?" msgstr "" -#: controlpanel.cpp:703 +#: controlpanel.cpp:704 msgid "Usage: DelChan " msgstr "Sintaxe: DelChan " -#: controlpanel.cpp:718 +#: controlpanel.cpp:719 msgid "Error: User {1} does not have any channel matching [{2}] in network {3}" msgstr "" -#: controlpanel.cpp:731 +#: controlpanel.cpp:732 msgid "Channel {1} is deleted from network {2} of user {3}" msgid_plural "Channels {1} are deleted from network {2} of user {3}" msgstr[0] "" msgstr[1] "" -#: controlpanel.cpp:746 +#: controlpanel.cpp:747 msgid "Usage: GetChan " msgstr "Sintaxe: GetChan " -#: controlpanel.cpp:760 controlpanel.cpp:824 +#: controlpanel.cpp:761 controlpanel.cpp:825 msgid "Error: No channels matching [{1}] found." msgstr "" -#: controlpanel.cpp:809 +#: controlpanel.cpp:810 msgid "Usage: SetChan " msgstr "Sintaxe: SetChan " -#: controlpanel.cpp:890 controlpanel.cpp:900 +#: controlpanel.cpp:891 controlpanel.cpp:901 msgctxt "listusers" msgid "Username" msgstr "Nome de usuário" -#: controlpanel.cpp:891 controlpanel.cpp:901 +#: controlpanel.cpp:892 controlpanel.cpp:902 msgctxt "listusers" msgid "Realname" msgstr "Nome real" -#: controlpanel.cpp:892 controlpanel.cpp:904 controlpanel.cpp:906 +#: controlpanel.cpp:893 controlpanel.cpp:905 controlpanel.cpp:907 msgctxt "listusers" msgid "IsAdmin" msgstr "Administrador" -#: controlpanel.cpp:893 controlpanel.cpp:907 +#: controlpanel.cpp:894 controlpanel.cpp:908 msgctxt "listusers" msgid "Nick" msgstr "Apelido" -#: controlpanel.cpp:894 controlpanel.cpp:908 +#: controlpanel.cpp:895 controlpanel.cpp:909 msgctxt "listusers" msgid "AltNick" msgstr "Apelido alternativo" -#: controlpanel.cpp:895 controlpanel.cpp:909 +#: controlpanel.cpp:896 controlpanel.cpp:910 msgctxt "listusers" msgid "Ident" msgstr "Ident" -#: controlpanel.cpp:896 controlpanel.cpp:910 +#: controlpanel.cpp:897 controlpanel.cpp:911 msgctxt "listusers" msgid "BindHost" msgstr "Host vinculado" -#: controlpanel.cpp:904 controlpanel.cpp:1144 +#: controlpanel.cpp:905 controlpanel.cpp:1145 msgid "No" msgstr "Não" -#: controlpanel.cpp:906 controlpanel.cpp:1136 +#: controlpanel.cpp:907 controlpanel.cpp:1137 msgid "Yes" msgstr "Sim" -#: controlpanel.cpp:920 controlpanel.cpp:989 +#: controlpanel.cpp:921 controlpanel.cpp:990 msgid "Error: You need to have admin rights to add new users!" msgstr "" -#: controlpanel.cpp:926 +#: controlpanel.cpp:927 msgid "Usage: AddUser " msgstr "Sintaxe: AddUser " -#: controlpanel.cpp:931 +#: controlpanel.cpp:932 msgid "Error: User {1} already exists!" msgstr "Erro: o usuário {1} já existe!" -#: controlpanel.cpp:943 controlpanel.cpp:1018 +#: controlpanel.cpp:944 controlpanel.cpp:1019 msgid "Error: User not added: {1}" msgstr "Erro: o usuário não foi adicionado: {1}" -#: controlpanel.cpp:947 controlpanel.cpp:1022 +#: controlpanel.cpp:948 controlpanel.cpp:1023 msgid "User {1} added!" msgstr "O usuário {1} foi adicionado!" -#: controlpanel.cpp:954 +#: controlpanel.cpp:955 msgid "Error: You need to have admin rights to delete users!" msgstr "" -#: controlpanel.cpp:960 +#: controlpanel.cpp:961 msgid "Usage: DelUser " msgstr "Sintaxe: DelUser " -#: controlpanel.cpp:972 +#: controlpanel.cpp:973 msgid "Error: You can't delete yourself!" msgstr "" -#: controlpanel.cpp:978 +#: controlpanel.cpp:979 msgid "Error: Internal error!" msgstr "" -#: controlpanel.cpp:982 +#: controlpanel.cpp:983 msgid "User {1} deleted!" msgstr "" -#: controlpanel.cpp:997 +#: controlpanel.cpp:998 msgid "Usage: CloneUser " msgstr "Sintaxe: CloneUser " -#: controlpanel.cpp:1012 +#: controlpanel.cpp:1013 msgid "Error: Cloning failed: {1}" msgstr "" -#: controlpanel.cpp:1041 +#: controlpanel.cpp:1042 msgid "Usage: AddNetwork [user] network" msgstr "Sintaxe: AddNetwork [usuário] " -#: controlpanel.cpp:1047 +#: controlpanel.cpp:1048 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks using /znc DelNetwork " msgstr "" -#: controlpanel.cpp:1055 +#: controlpanel.cpp:1056 msgid "Error: User {1} already has a network with the name {2}" msgstr "" -#: controlpanel.cpp:1062 +#: controlpanel.cpp:1063 msgid "Network {1} added to user {2}." msgstr "" -#: controlpanel.cpp:1066 +#: controlpanel.cpp:1067 msgid "Error: Network [{1}] could not be added for user {2}: {3}" msgstr "" -#: controlpanel.cpp:1086 +#: controlpanel.cpp:1087 msgid "Usage: DelNetwork [user] network" msgstr "Sintaxe: DelNetwork [usuário] " -#: controlpanel.cpp:1097 +#: controlpanel.cpp:1098 msgid "The currently active network can be deleted via {1}status" msgstr "" -#: controlpanel.cpp:1103 +#: controlpanel.cpp:1104 msgid "Network {1} deleted for user {2}." msgstr "" -#: controlpanel.cpp:1107 +#: controlpanel.cpp:1108 msgid "Error: Network {1} could not be deleted for user {2}." msgstr "" -#: controlpanel.cpp:1126 controlpanel.cpp:1134 +#: controlpanel.cpp:1127 controlpanel.cpp:1135 msgctxt "listnetworks" msgid "Network" msgstr "" -#: controlpanel.cpp:1127 controlpanel.cpp:1136 controlpanel.cpp:1144 +#: controlpanel.cpp:1128 controlpanel.cpp:1137 controlpanel.cpp:1145 msgctxt "listnetworks" msgid "OnIRC" msgstr "" -#: controlpanel.cpp:1128 controlpanel.cpp:1137 +#: controlpanel.cpp:1129 controlpanel.cpp:1138 msgctxt "listnetworks" msgid "IRC Server" msgstr "" -#: controlpanel.cpp:1129 controlpanel.cpp:1139 +#: controlpanel.cpp:1130 controlpanel.cpp:1140 msgctxt "listnetworks" msgid "IRC User" msgstr "" -#: controlpanel.cpp:1130 controlpanel.cpp:1141 +#: controlpanel.cpp:1131 controlpanel.cpp:1142 msgctxt "listnetworks" msgid "Channels" msgstr "" -#: controlpanel.cpp:1149 +#: controlpanel.cpp:1150 msgid "No networks" msgstr "" -#: controlpanel.cpp:1160 +#: controlpanel.cpp:1161 msgid "Usage: AddServer [[+]port] [password]" msgstr "Sintaxe: AddServer [[+]porta] [senha]" -#: controlpanel.cpp:1174 +#: controlpanel.cpp:1175 msgid "Added IRC Server {1} to network {2} for user {3}." msgstr "" -#: controlpanel.cpp:1178 +#: controlpanel.cpp:1179 msgid "Error: Could not add IRC server {1} to network {2} for user {3}." msgstr "" -#: controlpanel.cpp:1191 +#: controlpanel.cpp:1192 msgid "Usage: DelServer [[+]port] [password]" msgstr "Sintaxe: DelServer [[+]porta] [senha]" -#: controlpanel.cpp:1206 +#: controlpanel.cpp:1207 msgid "Deleted IRC Server {1} from network {2} for user {3}." msgstr "" -#: controlpanel.cpp:1210 +#: controlpanel.cpp:1211 msgid "Error: Could not delete IRC server {1} from network {2} for user {3}." msgstr "" -#: controlpanel.cpp:1220 +#: controlpanel.cpp:1221 msgid "Usage: Reconnect " msgstr "Sintaxe: Reconnect " -#: controlpanel.cpp:1247 +#: controlpanel.cpp:1248 msgid "Queued network {1} of user {2} for a reconnect." msgstr "" -#: controlpanel.cpp:1256 +#: controlpanel.cpp:1257 msgid "Usage: Disconnect " msgstr "Sintaxe: Disconnect " -#: controlpanel.cpp:1271 +#: controlpanel.cpp:1272 msgid "Closed IRC connection for network {1} of user {2}." msgstr "" -#: controlpanel.cpp:1286 controlpanel.cpp:1291 -msgctxt "listctcp" -msgid "Request" -msgstr "" - #: controlpanel.cpp:1287 controlpanel.cpp:1292 msgctxt "listctcp" +msgid "Request" +msgstr "" + +#: controlpanel.cpp:1288 controlpanel.cpp:1293 +msgctxt "listctcp" msgid "Reply" msgstr "" -#: controlpanel.cpp:1296 +#: controlpanel.cpp:1297 msgid "No CTCP replies for user {1} are configured" msgstr "" -#: controlpanel.cpp:1299 +#: controlpanel.cpp:1300 msgid "CTCP replies for user {1}:" msgstr "" -#: controlpanel.cpp:1315 +#: controlpanel.cpp:1316 msgid "Usage: AddCTCP [user] [request] [reply]" msgstr "Sintaxe: AddCTCP [usuário] [pedido] [resposta]" -#: controlpanel.cpp:1317 +#: controlpanel.cpp:1318 msgid "" "This will cause ZNC to reply to the CTCP instead of forwarding it to clients." msgstr "" -#: controlpanel.cpp:1320 +#: controlpanel.cpp:1321 msgid "An empty reply will cause the CTCP request to be blocked." msgstr "" -#: controlpanel.cpp:1329 +#: controlpanel.cpp:1330 msgid "CTCP requests {1} to user {2} will now be blocked." msgstr "" -#: controlpanel.cpp:1333 +#: controlpanel.cpp:1334 msgid "CTCP requests {1} to user {2} will now get reply: {3}" msgstr "" -#: controlpanel.cpp:1350 +#: controlpanel.cpp:1351 msgid "Usage: DelCTCP [user] [request]" msgstr "Sintaxe: DelCTCP [usuário] [pedido]" -#: controlpanel.cpp:1356 +#: controlpanel.cpp:1357 msgid "CTCP requests {1} to user {2} will now be sent to IRC clients" msgstr "" -#: controlpanel.cpp:1360 +#: controlpanel.cpp:1361 msgid "" "CTCP requests {1} to user {2} will be sent to IRC clients (nothing has " "changed)" msgstr "" -#: controlpanel.cpp:1370 controlpanel.cpp:1444 +#: controlpanel.cpp:1371 controlpanel.cpp:1445 msgid "Loading modules has been disabled." msgstr "" -#: controlpanel.cpp:1379 +#: controlpanel.cpp:1380 msgid "Error: Unable to load module {1}: {2}" msgstr "" -#: controlpanel.cpp:1382 +#: controlpanel.cpp:1383 msgid "Loaded module {1}" msgstr "" -#: controlpanel.cpp:1387 +#: controlpanel.cpp:1388 msgid "Error: Unable to reload module {1}: {2}" msgstr "" -#: controlpanel.cpp:1390 +#: controlpanel.cpp:1391 msgid "Reloaded module {1}" msgstr "" -#: controlpanel.cpp:1394 +#: controlpanel.cpp:1395 msgid "Error: Unable to load module {1} because it is already loaded" msgstr "" -#: controlpanel.cpp:1405 +#: controlpanel.cpp:1406 msgid "Usage: LoadModule [args]" msgstr "Sintaxe: LoadModule [parâmetros]" -#: controlpanel.cpp:1424 +#: controlpanel.cpp:1425 msgid "Usage: LoadNetModule [args]" msgstr "Sintaxe: LoadModule [parâmetros]" -#: controlpanel.cpp:1449 +#: controlpanel.cpp:1450 msgid "Please use /znc unloadmod {1}" msgstr "" -#: controlpanel.cpp:1455 +#: controlpanel.cpp:1456 msgid "Error: Unable to unload module {1}: {2}" msgstr "" -#: controlpanel.cpp:1458 +#: controlpanel.cpp:1459 msgid "Unloaded module {1}" msgstr "" -#: controlpanel.cpp:1467 +#: controlpanel.cpp:1468 msgid "Usage: UnloadModule " msgstr "Sintaxe: UnloadModule " -#: controlpanel.cpp:1484 +#: controlpanel.cpp:1485 msgid "Usage: UnloadNetModule " msgstr "Sintaxe: UnloadNetModule " -#: controlpanel.cpp:1501 controlpanel.cpp:1507 +#: controlpanel.cpp:1502 controlpanel.cpp:1508 msgctxt "listmodules" msgid "Name" msgstr "" -#: controlpanel.cpp:1502 controlpanel.cpp:1508 +#: controlpanel.cpp:1503 controlpanel.cpp:1509 msgctxt "listmodules" msgid "Arguments" msgstr "" -#: controlpanel.cpp:1527 +#: controlpanel.cpp:1528 msgid "User {1} has no modules loaded." msgstr "" -#: controlpanel.cpp:1531 +#: controlpanel.cpp:1532 msgid "Modules loaded for user {1}:" msgstr "" -#: controlpanel.cpp:1551 +#: controlpanel.cpp:1552 msgid "Network {1} of user {2} has no modules loaded." msgstr "" -#: controlpanel.cpp:1556 +#: controlpanel.cpp:1557 msgid "Modules loaded for network {1} of user {2}:" msgstr "" -#: controlpanel.cpp:1563 +#: controlpanel.cpp:1564 msgid "[command] [variable]" msgstr "" -#: controlpanel.cpp:1564 +#: controlpanel.cpp:1565 msgid "Prints help for matching commands and variables" msgstr "" -#: controlpanel.cpp:1567 +#: controlpanel.cpp:1568 msgid " [username]" msgstr "" -#: controlpanel.cpp:1568 +#: controlpanel.cpp:1569 msgid "Prints the variable's value for the given or current user" msgstr "" -#: controlpanel.cpp:1570 +#: controlpanel.cpp:1571 msgid " " msgstr "" -#: controlpanel.cpp:1571 +#: controlpanel.cpp:1572 msgid "Sets the variable's value for the given user" msgstr "" -#: controlpanel.cpp:1573 +#: controlpanel.cpp:1574 msgid " [username] [network]" msgstr "" -#: controlpanel.cpp:1574 +#: controlpanel.cpp:1575 msgid "Prints the variable's value for the given network" msgstr "" -#: controlpanel.cpp:1576 +#: controlpanel.cpp:1577 msgid " " msgstr "" -#: controlpanel.cpp:1577 +#: controlpanel.cpp:1578 msgid "Sets the variable's value for the given network" msgstr "" -#: controlpanel.cpp:1579 +#: controlpanel.cpp:1580 msgid " [username] " msgstr "" -#: controlpanel.cpp:1580 +#: controlpanel.cpp:1581 msgid "Prints the variable's value for the given channel" msgstr "" -#: controlpanel.cpp:1583 +#: controlpanel.cpp:1584 msgid " " msgstr "" -#: controlpanel.cpp:1584 +#: controlpanel.cpp:1585 msgid "Sets the variable's value for the given channel" msgstr "" -#: controlpanel.cpp:1586 controlpanel.cpp:1589 +#: controlpanel.cpp:1587 controlpanel.cpp:1590 msgid " " msgstr "" -#: controlpanel.cpp:1587 +#: controlpanel.cpp:1588 msgid "Adds a new channel" msgstr "" -#: controlpanel.cpp:1590 +#: controlpanel.cpp:1591 msgid "Deletes a channel" msgstr "" -#: controlpanel.cpp:1592 +#: controlpanel.cpp:1593 msgid "Lists users" msgstr "" -#: controlpanel.cpp:1594 +#: controlpanel.cpp:1595 msgid " " msgstr "" -#: controlpanel.cpp:1595 +#: controlpanel.cpp:1596 msgid "Adds a new user" msgstr "" -#: controlpanel.cpp:1597 controlpanel.cpp:1620 controlpanel.cpp:1634 +#: controlpanel.cpp:1598 controlpanel.cpp:1621 controlpanel.cpp:1635 msgid "" msgstr "" -#: controlpanel.cpp:1597 +#: controlpanel.cpp:1598 msgid "Deletes a user" msgstr "" -#: controlpanel.cpp:1599 +#: controlpanel.cpp:1600 msgid " " msgstr "" -#: controlpanel.cpp:1600 +#: controlpanel.cpp:1601 msgid "Clones a user" msgstr "" -#: controlpanel.cpp:1602 controlpanel.cpp:1605 +#: controlpanel.cpp:1603 controlpanel.cpp:1606 msgid " " msgstr "" -#: controlpanel.cpp:1603 +#: controlpanel.cpp:1604 msgid "Adds a new IRC server for the given or current user" msgstr "" -#: controlpanel.cpp:1606 +#: controlpanel.cpp:1607 msgid "Deletes an IRC server from the given or current user" msgstr "" -#: controlpanel.cpp:1608 controlpanel.cpp:1611 controlpanel.cpp:1631 +#: controlpanel.cpp:1609 controlpanel.cpp:1612 controlpanel.cpp:1632 msgid " " msgstr "" -#: controlpanel.cpp:1609 +#: controlpanel.cpp:1610 msgid "Cycles the user's IRC server connection" msgstr "" -#: controlpanel.cpp:1612 +#: controlpanel.cpp:1613 msgid "Disconnects the user from their IRC server" msgstr "" -#: controlpanel.cpp:1614 +#: controlpanel.cpp:1615 msgid " [args]" msgstr "" -#: controlpanel.cpp:1615 +#: controlpanel.cpp:1616 msgid "Loads a Module for a user" msgstr "" -#: controlpanel.cpp:1617 +#: controlpanel.cpp:1618 msgid " " msgstr "" -#: controlpanel.cpp:1618 +#: controlpanel.cpp:1619 msgid "Removes a Module of a user" msgstr "" -#: controlpanel.cpp:1621 +#: controlpanel.cpp:1622 msgid "Get the list of modules for a user" msgstr "" -#: controlpanel.cpp:1624 +#: controlpanel.cpp:1625 msgid " [args]" msgstr "" -#: controlpanel.cpp:1625 +#: controlpanel.cpp:1626 msgid "Loads a Module for a network" msgstr "" -#: controlpanel.cpp:1628 +#: controlpanel.cpp:1629 msgid " " msgstr "" -#: controlpanel.cpp:1629 +#: controlpanel.cpp:1630 msgid "Removes a Module of a network" msgstr "" -#: controlpanel.cpp:1632 +#: controlpanel.cpp:1633 msgid "Get the list of modules for a network" msgstr "" -#: controlpanel.cpp:1635 +#: controlpanel.cpp:1636 msgid "List the configured CTCP replies" msgstr "" -#: controlpanel.cpp:1637 +#: controlpanel.cpp:1638 msgid " [reply]" msgstr "" -#: controlpanel.cpp:1638 +#: controlpanel.cpp:1639 msgid "Configure a new CTCP reply" msgstr "" -#: controlpanel.cpp:1640 +#: controlpanel.cpp:1641 msgid " " msgstr "" -#: controlpanel.cpp:1641 +#: controlpanel.cpp:1642 msgid "Remove a CTCP reply" msgstr "" -#: controlpanel.cpp:1645 controlpanel.cpp:1648 +#: controlpanel.cpp:1646 controlpanel.cpp:1649 msgid "[username] " msgstr "" -#: controlpanel.cpp:1646 +#: controlpanel.cpp:1647 msgid "Add a network for a user" msgstr "" -#: controlpanel.cpp:1649 +#: controlpanel.cpp:1650 msgid "Delete a network for a user" msgstr "" -#: controlpanel.cpp:1651 +#: controlpanel.cpp:1652 msgid "[username]" msgstr "" -#: controlpanel.cpp:1652 +#: controlpanel.cpp:1653 msgid "List all networks for a user" msgstr "" -#: controlpanel.cpp:1665 +#: controlpanel.cpp:1666 msgid "" "Dynamic configuration through IRC. Allows editing only yourself if you're " "not ZNC admin." diff --git a/modules/po/controlpanel.ro_RO.po b/modules/po/controlpanel.ro_RO.po index c9a80450..d9939011 100644 --- a/modules/po/controlpanel.ro_RO.po +++ b/modules/po/controlpanel.ro_RO.po @@ -61,659 +61,659 @@ msgid "" "modifying your own user and network." msgstr "" -#: controlpanel.cpp:180 controlpanel.cpp:967 controlpanel.cpp:1004 +#: controlpanel.cpp:181 controlpanel.cpp:968 controlpanel.cpp:1005 msgid "Error: User [{1}] does not exist!" msgstr "" -#: controlpanel.cpp:185 +#: controlpanel.cpp:186 msgid "Error: You need to have admin rights to modify other users!" msgstr "" -#: controlpanel.cpp:195 +#: controlpanel.cpp:196 msgid "Error: You cannot use $network to modify other users!" msgstr "" -#: controlpanel.cpp:203 +#: controlpanel.cpp:204 msgid "Error: User {1} does not have a network named [{2}]." msgstr "" -#: controlpanel.cpp:215 +#: controlpanel.cpp:216 msgid "Usage: Get [username]" msgstr "" -#: controlpanel.cpp:305 controlpanel.cpp:508 controlpanel.cpp:583 -#: controlpanel.cpp:659 controlpanel.cpp:794 controlpanel.cpp:879 +#: controlpanel.cpp:306 controlpanel.cpp:509 controlpanel.cpp:584 +#: controlpanel.cpp:660 controlpanel.cpp:795 controlpanel.cpp:880 msgid "Error: Unknown variable" msgstr "" -#: controlpanel.cpp:314 +#: controlpanel.cpp:315 msgid "Usage: Set " msgstr "" -#: controlpanel.cpp:336 controlpanel.cpp:624 +#: controlpanel.cpp:337 controlpanel.cpp:625 msgid "This bind host is already set!" msgstr "" -#: controlpanel.cpp:343 controlpanel.cpp:355 controlpanel.cpp:363 -#: controlpanel.cpp:426 controlpanel.cpp:445 controlpanel.cpp:461 -#: controlpanel.cpp:471 controlpanel.cpp:631 +#: controlpanel.cpp:344 controlpanel.cpp:356 controlpanel.cpp:364 +#: controlpanel.cpp:427 controlpanel.cpp:446 controlpanel.cpp:462 +#: controlpanel.cpp:472 controlpanel.cpp:632 msgid "Access denied!" msgstr "" -#: controlpanel.cpp:377 controlpanel.cpp:386 controlpanel.cpp:843 +#: controlpanel.cpp:378 controlpanel.cpp:387 controlpanel.cpp:844 msgid "Setting failed, limit for buffer size is {1}" msgstr "" -#: controlpanel.cpp:406 +#: controlpanel.cpp:407 msgid "Password has been changed!" msgstr "" -#: controlpanel.cpp:414 +#: controlpanel.cpp:415 msgid "Timeout can't be less than 30 seconds!" msgstr "" -#: controlpanel.cpp:478 +#: controlpanel.cpp:479 msgid "That would be a bad idea!" msgstr "" -#: controlpanel.cpp:496 +#: controlpanel.cpp:497 msgid "Supported languages: {1}" msgstr "" -#: controlpanel.cpp:520 +#: controlpanel.cpp:521 msgid "Usage: GetNetwork [username] [network]" msgstr "" -#: controlpanel.cpp:539 +#: controlpanel.cpp:540 msgid "Error: A network must be specified to get another users settings." msgstr "" -#: controlpanel.cpp:545 +#: controlpanel.cpp:546 msgid "You are not currently attached to a network." msgstr "" -#: controlpanel.cpp:551 +#: controlpanel.cpp:552 msgid "Error: Invalid network." msgstr "" -#: controlpanel.cpp:595 +#: controlpanel.cpp:596 msgid "Usage: SetNetwork " msgstr "" -#: controlpanel.cpp:669 +#: controlpanel.cpp:670 msgid "Usage: AddChan " msgstr "" -#: controlpanel.cpp:682 +#: controlpanel.cpp:683 msgid "Error: User {1} already has a channel named {2}." msgstr "" -#: controlpanel.cpp:689 +#: controlpanel.cpp:690 msgid "Channel {1} for user {2} added to network {3}." msgstr "" -#: controlpanel.cpp:693 +#: controlpanel.cpp:694 msgid "" "Could not add channel {1} for user {2} to network {3}, does it already exist?" msgstr "" -#: controlpanel.cpp:703 +#: controlpanel.cpp:704 msgid "Usage: DelChan " msgstr "" -#: controlpanel.cpp:718 +#: controlpanel.cpp:719 msgid "Error: User {1} does not have any channel matching [{2}] in network {3}" msgstr "" -#: controlpanel.cpp:731 +#: controlpanel.cpp:732 msgid "Channel {1} is deleted from network {2} of user {3}" msgid_plural "Channels {1} are deleted from network {2} of user {3}" msgstr[0] "" msgstr[1] "" msgstr[2] "" -#: controlpanel.cpp:746 +#: controlpanel.cpp:747 msgid "Usage: GetChan " msgstr "" -#: controlpanel.cpp:760 controlpanel.cpp:824 +#: controlpanel.cpp:761 controlpanel.cpp:825 msgid "Error: No channels matching [{1}] found." msgstr "" -#: controlpanel.cpp:809 +#: controlpanel.cpp:810 msgid "Usage: SetChan " msgstr "" -#: controlpanel.cpp:890 controlpanel.cpp:900 -msgctxt "listusers" -msgid "Username" -msgstr "" - #: controlpanel.cpp:891 controlpanel.cpp:901 msgctxt "listusers" +msgid "Username" +msgstr "" + +#: controlpanel.cpp:892 controlpanel.cpp:902 +msgctxt "listusers" msgid "Realname" msgstr "" -#: controlpanel.cpp:892 controlpanel.cpp:904 controlpanel.cpp:906 +#: controlpanel.cpp:893 controlpanel.cpp:905 controlpanel.cpp:907 msgctxt "listusers" msgid "IsAdmin" msgstr "" -#: controlpanel.cpp:893 controlpanel.cpp:907 +#: controlpanel.cpp:894 controlpanel.cpp:908 msgctxt "listusers" msgid "Nick" msgstr "" -#: controlpanel.cpp:894 controlpanel.cpp:908 +#: controlpanel.cpp:895 controlpanel.cpp:909 msgctxt "listusers" msgid "AltNick" msgstr "" -#: controlpanel.cpp:895 controlpanel.cpp:909 +#: controlpanel.cpp:896 controlpanel.cpp:910 msgctxt "listusers" msgid "Ident" msgstr "" -#: controlpanel.cpp:896 controlpanel.cpp:910 +#: controlpanel.cpp:897 controlpanel.cpp:911 msgctxt "listusers" msgid "BindHost" msgstr "" -#: controlpanel.cpp:904 controlpanel.cpp:1144 +#: controlpanel.cpp:905 controlpanel.cpp:1145 msgid "No" msgstr "" -#: controlpanel.cpp:906 controlpanel.cpp:1136 +#: controlpanel.cpp:907 controlpanel.cpp:1137 msgid "Yes" msgstr "" -#: controlpanel.cpp:920 controlpanel.cpp:989 +#: controlpanel.cpp:921 controlpanel.cpp:990 msgid "Error: You need to have admin rights to add new users!" msgstr "" -#: controlpanel.cpp:926 +#: controlpanel.cpp:927 msgid "Usage: AddUser " msgstr "" -#: controlpanel.cpp:931 +#: controlpanel.cpp:932 msgid "Error: User {1} already exists!" msgstr "" -#: controlpanel.cpp:943 controlpanel.cpp:1018 +#: controlpanel.cpp:944 controlpanel.cpp:1019 msgid "Error: User not added: {1}" msgstr "" -#: controlpanel.cpp:947 controlpanel.cpp:1022 +#: controlpanel.cpp:948 controlpanel.cpp:1023 msgid "User {1} added!" msgstr "" -#: controlpanel.cpp:954 +#: controlpanel.cpp:955 msgid "Error: You need to have admin rights to delete users!" msgstr "" -#: controlpanel.cpp:960 +#: controlpanel.cpp:961 msgid "Usage: DelUser " msgstr "" -#: controlpanel.cpp:972 +#: controlpanel.cpp:973 msgid "Error: You can't delete yourself!" msgstr "" -#: controlpanel.cpp:978 +#: controlpanel.cpp:979 msgid "Error: Internal error!" msgstr "" -#: controlpanel.cpp:982 +#: controlpanel.cpp:983 msgid "User {1} deleted!" msgstr "" -#: controlpanel.cpp:997 +#: controlpanel.cpp:998 msgid "Usage: CloneUser " msgstr "" -#: controlpanel.cpp:1012 +#: controlpanel.cpp:1013 msgid "Error: Cloning failed: {1}" msgstr "" -#: controlpanel.cpp:1041 +#: controlpanel.cpp:1042 msgid "Usage: AddNetwork [user] network" msgstr "" -#: controlpanel.cpp:1047 +#: controlpanel.cpp:1048 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks using /znc DelNetwork " msgstr "" -#: controlpanel.cpp:1055 +#: controlpanel.cpp:1056 msgid "Error: User {1} already has a network with the name {2}" msgstr "" -#: controlpanel.cpp:1062 +#: controlpanel.cpp:1063 msgid "Network {1} added to user {2}." msgstr "" -#: controlpanel.cpp:1066 +#: controlpanel.cpp:1067 msgid "Error: Network [{1}] could not be added for user {2}: {3}" msgstr "" -#: controlpanel.cpp:1086 +#: controlpanel.cpp:1087 msgid "Usage: DelNetwork [user] network" msgstr "" -#: controlpanel.cpp:1097 +#: controlpanel.cpp:1098 msgid "The currently active network can be deleted via {1}status" msgstr "" -#: controlpanel.cpp:1103 +#: controlpanel.cpp:1104 msgid "Network {1} deleted for user {2}." msgstr "" -#: controlpanel.cpp:1107 +#: controlpanel.cpp:1108 msgid "Error: Network {1} could not be deleted for user {2}." msgstr "" -#: controlpanel.cpp:1126 controlpanel.cpp:1134 +#: controlpanel.cpp:1127 controlpanel.cpp:1135 msgctxt "listnetworks" msgid "Network" msgstr "" -#: controlpanel.cpp:1127 controlpanel.cpp:1136 controlpanel.cpp:1144 +#: controlpanel.cpp:1128 controlpanel.cpp:1137 controlpanel.cpp:1145 msgctxt "listnetworks" msgid "OnIRC" msgstr "" -#: controlpanel.cpp:1128 controlpanel.cpp:1137 +#: controlpanel.cpp:1129 controlpanel.cpp:1138 msgctxt "listnetworks" msgid "IRC Server" msgstr "" -#: controlpanel.cpp:1129 controlpanel.cpp:1139 +#: controlpanel.cpp:1130 controlpanel.cpp:1140 msgctxt "listnetworks" msgid "IRC User" msgstr "" -#: controlpanel.cpp:1130 controlpanel.cpp:1141 +#: controlpanel.cpp:1131 controlpanel.cpp:1142 msgctxt "listnetworks" msgid "Channels" msgstr "" -#: controlpanel.cpp:1149 +#: controlpanel.cpp:1150 msgid "No networks" msgstr "" -#: controlpanel.cpp:1160 +#: controlpanel.cpp:1161 msgid "Usage: AddServer [[+]port] [password]" msgstr "" -#: controlpanel.cpp:1174 +#: controlpanel.cpp:1175 msgid "Added IRC Server {1} to network {2} for user {3}." msgstr "" -#: controlpanel.cpp:1178 +#: controlpanel.cpp:1179 msgid "Error: Could not add IRC server {1} to network {2} for user {3}." msgstr "" -#: controlpanel.cpp:1191 +#: controlpanel.cpp:1192 msgid "Usage: DelServer [[+]port] [password]" msgstr "" -#: controlpanel.cpp:1206 +#: controlpanel.cpp:1207 msgid "Deleted IRC Server {1} from network {2} for user {3}." msgstr "" -#: controlpanel.cpp:1210 +#: controlpanel.cpp:1211 msgid "Error: Could not delete IRC server {1} from network {2} for user {3}." msgstr "" -#: controlpanel.cpp:1220 +#: controlpanel.cpp:1221 msgid "Usage: Reconnect " msgstr "" -#: controlpanel.cpp:1247 +#: controlpanel.cpp:1248 msgid "Queued network {1} of user {2} for a reconnect." msgstr "" -#: controlpanel.cpp:1256 +#: controlpanel.cpp:1257 msgid "Usage: Disconnect " msgstr "" -#: controlpanel.cpp:1271 +#: controlpanel.cpp:1272 msgid "Closed IRC connection for network {1} of user {2}." msgstr "" -#: controlpanel.cpp:1286 controlpanel.cpp:1291 -msgctxt "listctcp" -msgid "Request" -msgstr "" - #: controlpanel.cpp:1287 controlpanel.cpp:1292 msgctxt "listctcp" +msgid "Request" +msgstr "" + +#: controlpanel.cpp:1288 controlpanel.cpp:1293 +msgctxt "listctcp" msgid "Reply" msgstr "" -#: controlpanel.cpp:1296 +#: controlpanel.cpp:1297 msgid "No CTCP replies for user {1} are configured" msgstr "" -#: controlpanel.cpp:1299 +#: controlpanel.cpp:1300 msgid "CTCP replies for user {1}:" msgstr "" -#: controlpanel.cpp:1315 +#: controlpanel.cpp:1316 msgid "Usage: AddCTCP [user] [request] [reply]" msgstr "" -#: controlpanel.cpp:1317 +#: controlpanel.cpp:1318 msgid "" "This will cause ZNC to reply to the CTCP instead of forwarding it to clients." msgstr "" -#: controlpanel.cpp:1320 +#: controlpanel.cpp:1321 msgid "An empty reply will cause the CTCP request to be blocked." msgstr "" -#: controlpanel.cpp:1329 +#: controlpanel.cpp:1330 msgid "CTCP requests {1} to user {2} will now be blocked." msgstr "" -#: controlpanel.cpp:1333 +#: controlpanel.cpp:1334 msgid "CTCP requests {1} to user {2} will now get reply: {3}" msgstr "" -#: controlpanel.cpp:1350 +#: controlpanel.cpp:1351 msgid "Usage: DelCTCP [user] [request]" msgstr "" -#: controlpanel.cpp:1356 +#: controlpanel.cpp:1357 msgid "CTCP requests {1} to user {2} will now be sent to IRC clients" msgstr "" -#: controlpanel.cpp:1360 +#: controlpanel.cpp:1361 msgid "" "CTCP requests {1} to user {2} will be sent to IRC clients (nothing has " "changed)" msgstr "" -#: controlpanel.cpp:1370 controlpanel.cpp:1444 +#: controlpanel.cpp:1371 controlpanel.cpp:1445 msgid "Loading modules has been disabled." msgstr "" -#: controlpanel.cpp:1379 +#: controlpanel.cpp:1380 msgid "Error: Unable to load module {1}: {2}" msgstr "" -#: controlpanel.cpp:1382 +#: controlpanel.cpp:1383 msgid "Loaded module {1}" msgstr "" -#: controlpanel.cpp:1387 +#: controlpanel.cpp:1388 msgid "Error: Unable to reload module {1}: {2}" msgstr "" -#: controlpanel.cpp:1390 +#: controlpanel.cpp:1391 msgid "Reloaded module {1}" msgstr "" -#: controlpanel.cpp:1394 +#: controlpanel.cpp:1395 msgid "Error: Unable to load module {1} because it is already loaded" msgstr "" -#: controlpanel.cpp:1405 +#: controlpanel.cpp:1406 msgid "Usage: LoadModule [args]" msgstr "" -#: controlpanel.cpp:1424 +#: controlpanel.cpp:1425 msgid "Usage: LoadNetModule [args]" msgstr "" -#: controlpanel.cpp:1449 +#: controlpanel.cpp:1450 msgid "Please use /znc unloadmod {1}" msgstr "" -#: controlpanel.cpp:1455 +#: controlpanel.cpp:1456 msgid "Error: Unable to unload module {1}: {2}" msgstr "" -#: controlpanel.cpp:1458 +#: controlpanel.cpp:1459 msgid "Unloaded module {1}" msgstr "" -#: controlpanel.cpp:1467 +#: controlpanel.cpp:1468 msgid "Usage: UnloadModule " msgstr "" -#: controlpanel.cpp:1484 +#: controlpanel.cpp:1485 msgid "Usage: UnloadNetModule " msgstr "" -#: controlpanel.cpp:1501 controlpanel.cpp:1507 -msgctxt "listmodules" -msgid "Name" -msgstr "" - #: controlpanel.cpp:1502 controlpanel.cpp:1508 msgctxt "listmodules" +msgid "Name" +msgstr "" + +#: controlpanel.cpp:1503 controlpanel.cpp:1509 +msgctxt "listmodules" msgid "Arguments" msgstr "" -#: controlpanel.cpp:1527 +#: controlpanel.cpp:1528 msgid "User {1} has no modules loaded." msgstr "" -#: controlpanel.cpp:1531 +#: controlpanel.cpp:1532 msgid "Modules loaded for user {1}:" msgstr "" -#: controlpanel.cpp:1551 +#: controlpanel.cpp:1552 msgid "Network {1} of user {2} has no modules loaded." msgstr "" -#: controlpanel.cpp:1556 +#: controlpanel.cpp:1557 msgid "Modules loaded for network {1} of user {2}:" msgstr "" -#: controlpanel.cpp:1563 +#: controlpanel.cpp:1564 msgid "[command] [variable]" msgstr "" -#: controlpanel.cpp:1564 +#: controlpanel.cpp:1565 msgid "Prints help for matching commands and variables" msgstr "" -#: controlpanel.cpp:1567 +#: controlpanel.cpp:1568 msgid " [username]" msgstr "" -#: controlpanel.cpp:1568 +#: controlpanel.cpp:1569 msgid "Prints the variable's value for the given or current user" msgstr "" -#: controlpanel.cpp:1570 +#: controlpanel.cpp:1571 msgid " " msgstr "" -#: controlpanel.cpp:1571 +#: controlpanel.cpp:1572 msgid "Sets the variable's value for the given user" msgstr "" -#: controlpanel.cpp:1573 +#: controlpanel.cpp:1574 msgid " [username] [network]" msgstr "" -#: controlpanel.cpp:1574 +#: controlpanel.cpp:1575 msgid "Prints the variable's value for the given network" msgstr "" -#: controlpanel.cpp:1576 +#: controlpanel.cpp:1577 msgid " " msgstr "" -#: controlpanel.cpp:1577 +#: controlpanel.cpp:1578 msgid "Sets the variable's value for the given network" msgstr "" -#: controlpanel.cpp:1579 +#: controlpanel.cpp:1580 msgid " [username] " msgstr "" -#: controlpanel.cpp:1580 +#: controlpanel.cpp:1581 msgid "Prints the variable's value for the given channel" msgstr "" -#: controlpanel.cpp:1583 +#: controlpanel.cpp:1584 msgid " " msgstr "" -#: controlpanel.cpp:1584 +#: controlpanel.cpp:1585 msgid "Sets the variable's value for the given channel" msgstr "" -#: controlpanel.cpp:1586 controlpanel.cpp:1589 +#: controlpanel.cpp:1587 controlpanel.cpp:1590 msgid " " msgstr "" -#: controlpanel.cpp:1587 +#: controlpanel.cpp:1588 msgid "Adds a new channel" msgstr "" -#: controlpanel.cpp:1590 +#: controlpanel.cpp:1591 msgid "Deletes a channel" msgstr "" -#: controlpanel.cpp:1592 +#: controlpanel.cpp:1593 msgid "Lists users" msgstr "" -#: controlpanel.cpp:1594 +#: controlpanel.cpp:1595 msgid " " msgstr "" -#: controlpanel.cpp:1595 +#: controlpanel.cpp:1596 msgid "Adds a new user" msgstr "" -#: controlpanel.cpp:1597 controlpanel.cpp:1620 controlpanel.cpp:1634 +#: controlpanel.cpp:1598 controlpanel.cpp:1621 controlpanel.cpp:1635 msgid "" msgstr "" -#: controlpanel.cpp:1597 +#: controlpanel.cpp:1598 msgid "Deletes a user" msgstr "" -#: controlpanel.cpp:1599 +#: controlpanel.cpp:1600 msgid " " msgstr "" -#: controlpanel.cpp:1600 +#: controlpanel.cpp:1601 msgid "Clones a user" msgstr "" -#: controlpanel.cpp:1602 controlpanel.cpp:1605 +#: controlpanel.cpp:1603 controlpanel.cpp:1606 msgid " " msgstr "" -#: controlpanel.cpp:1603 +#: controlpanel.cpp:1604 msgid "Adds a new IRC server for the given or current user" msgstr "" -#: controlpanel.cpp:1606 +#: controlpanel.cpp:1607 msgid "Deletes an IRC server from the given or current user" msgstr "" -#: controlpanel.cpp:1608 controlpanel.cpp:1611 controlpanel.cpp:1631 +#: controlpanel.cpp:1609 controlpanel.cpp:1612 controlpanel.cpp:1632 msgid " " msgstr "" -#: controlpanel.cpp:1609 +#: controlpanel.cpp:1610 msgid "Cycles the user's IRC server connection" msgstr "" -#: controlpanel.cpp:1612 +#: controlpanel.cpp:1613 msgid "Disconnects the user from their IRC server" msgstr "" -#: controlpanel.cpp:1614 +#: controlpanel.cpp:1615 msgid " [args]" msgstr "" -#: controlpanel.cpp:1615 +#: controlpanel.cpp:1616 msgid "Loads a Module for a user" msgstr "" -#: controlpanel.cpp:1617 +#: controlpanel.cpp:1618 msgid " " msgstr "" -#: controlpanel.cpp:1618 +#: controlpanel.cpp:1619 msgid "Removes a Module of a user" msgstr "" -#: controlpanel.cpp:1621 +#: controlpanel.cpp:1622 msgid "Get the list of modules for a user" msgstr "" -#: controlpanel.cpp:1624 +#: controlpanel.cpp:1625 msgid " [args]" msgstr "" -#: controlpanel.cpp:1625 +#: controlpanel.cpp:1626 msgid "Loads a Module for a network" msgstr "" -#: controlpanel.cpp:1628 +#: controlpanel.cpp:1629 msgid " " msgstr "" -#: controlpanel.cpp:1629 +#: controlpanel.cpp:1630 msgid "Removes a Module of a network" msgstr "" -#: controlpanel.cpp:1632 +#: controlpanel.cpp:1633 msgid "Get the list of modules for a network" msgstr "" -#: controlpanel.cpp:1635 +#: controlpanel.cpp:1636 msgid "List the configured CTCP replies" msgstr "" -#: controlpanel.cpp:1637 +#: controlpanel.cpp:1638 msgid " [reply]" msgstr "" -#: controlpanel.cpp:1638 +#: controlpanel.cpp:1639 msgid "Configure a new CTCP reply" msgstr "" -#: controlpanel.cpp:1640 +#: controlpanel.cpp:1641 msgid " " msgstr "" -#: controlpanel.cpp:1641 +#: controlpanel.cpp:1642 msgid "Remove a CTCP reply" msgstr "" -#: controlpanel.cpp:1645 controlpanel.cpp:1648 +#: controlpanel.cpp:1646 controlpanel.cpp:1649 msgid "[username] " msgstr "" -#: controlpanel.cpp:1646 +#: controlpanel.cpp:1647 msgid "Add a network for a user" msgstr "" -#: controlpanel.cpp:1649 +#: controlpanel.cpp:1650 msgid "Delete a network for a user" msgstr "" -#: controlpanel.cpp:1651 +#: controlpanel.cpp:1652 msgid "[username]" msgstr "" -#: controlpanel.cpp:1652 +#: controlpanel.cpp:1653 msgid "List all networks for a user" msgstr "" -#: controlpanel.cpp:1665 +#: controlpanel.cpp:1666 msgid "" "Dynamic configuration through IRC. Allows editing only yourself if you're " "not ZNC admin." diff --git a/modules/po/controlpanel.ru_RU.po b/modules/po/controlpanel.ru_RU.po index b0994e7d..cc084f52 100644 --- a/modules/po/controlpanel.ru_RU.po +++ b/modules/po/controlpanel.ru_RU.po @@ -62,111 +62,111 @@ msgid "" "modifying your own user and network." msgstr "" -#: controlpanel.cpp:180 controlpanel.cpp:967 controlpanel.cpp:1004 +#: controlpanel.cpp:181 controlpanel.cpp:968 controlpanel.cpp:1005 msgid "Error: User [{1}] does not exist!" msgstr "" -#: controlpanel.cpp:185 +#: controlpanel.cpp:186 msgid "Error: You need to have admin rights to modify other users!" msgstr "" -#: controlpanel.cpp:195 +#: controlpanel.cpp:196 msgid "Error: You cannot use $network to modify other users!" msgstr "" -#: controlpanel.cpp:203 +#: controlpanel.cpp:204 msgid "Error: User {1} does not have a network named [{2}]." msgstr "" -#: controlpanel.cpp:215 +#: controlpanel.cpp:216 msgid "Usage: Get [username]" msgstr "" -#: controlpanel.cpp:305 controlpanel.cpp:508 controlpanel.cpp:583 -#: controlpanel.cpp:659 controlpanel.cpp:794 controlpanel.cpp:879 +#: controlpanel.cpp:306 controlpanel.cpp:509 controlpanel.cpp:584 +#: controlpanel.cpp:660 controlpanel.cpp:795 controlpanel.cpp:880 msgid "Error: Unknown variable" msgstr "" -#: controlpanel.cpp:314 +#: controlpanel.cpp:315 msgid "Usage: Set " msgstr "" -#: controlpanel.cpp:336 controlpanel.cpp:624 +#: controlpanel.cpp:337 controlpanel.cpp:625 msgid "This bind host is already set!" msgstr "" -#: controlpanel.cpp:343 controlpanel.cpp:355 controlpanel.cpp:363 -#: controlpanel.cpp:426 controlpanel.cpp:445 controlpanel.cpp:461 -#: controlpanel.cpp:471 controlpanel.cpp:631 +#: controlpanel.cpp:344 controlpanel.cpp:356 controlpanel.cpp:364 +#: controlpanel.cpp:427 controlpanel.cpp:446 controlpanel.cpp:462 +#: controlpanel.cpp:472 controlpanel.cpp:632 msgid "Access denied!" msgstr "" -#: controlpanel.cpp:377 controlpanel.cpp:386 controlpanel.cpp:843 +#: controlpanel.cpp:378 controlpanel.cpp:387 controlpanel.cpp:844 msgid "Setting failed, limit for buffer size is {1}" msgstr "" -#: controlpanel.cpp:406 +#: controlpanel.cpp:407 msgid "Password has been changed!" msgstr "" -#: controlpanel.cpp:414 +#: controlpanel.cpp:415 msgid "Timeout can't be less than 30 seconds!" msgstr "" -#: controlpanel.cpp:478 +#: controlpanel.cpp:479 msgid "That would be a bad idea!" msgstr "" -#: controlpanel.cpp:496 +#: controlpanel.cpp:497 msgid "Supported languages: {1}" msgstr "" -#: controlpanel.cpp:520 +#: controlpanel.cpp:521 msgid "Usage: GetNetwork [username] [network]" msgstr "" -#: controlpanel.cpp:539 +#: controlpanel.cpp:540 msgid "Error: A network must be specified to get another users settings." msgstr "" -#: controlpanel.cpp:545 +#: controlpanel.cpp:546 msgid "You are not currently attached to a network." msgstr "" -#: controlpanel.cpp:551 +#: controlpanel.cpp:552 msgid "Error: Invalid network." msgstr "" -#: controlpanel.cpp:595 +#: controlpanel.cpp:596 msgid "Usage: SetNetwork " msgstr "" -#: controlpanel.cpp:669 +#: controlpanel.cpp:670 msgid "Usage: AddChan " msgstr "" -#: controlpanel.cpp:682 +#: controlpanel.cpp:683 msgid "Error: User {1} already has a channel named {2}." msgstr "" -#: controlpanel.cpp:689 +#: controlpanel.cpp:690 msgid "Channel {1} for user {2} added to network {3}." msgstr "" -#: controlpanel.cpp:693 +#: controlpanel.cpp:694 msgid "" "Could not add channel {1} for user {2} to network {3}, does it already exist?" msgstr "" -#: controlpanel.cpp:703 +#: controlpanel.cpp:704 msgid "Usage: DelChan " msgstr "" -#: controlpanel.cpp:718 +#: controlpanel.cpp:719 msgid "Error: User {1} does not have any channel matching [{2}] in network {3}" msgstr "" -#: controlpanel.cpp:731 +#: controlpanel.cpp:732 msgid "Channel {1} is deleted from network {2} of user {3}" msgid_plural "Channels {1} are deleted from network {2} of user {3}" msgstr[0] "" @@ -174,548 +174,548 @@ msgstr[1] "" msgstr[2] "" msgstr[3] "" -#: controlpanel.cpp:746 +#: controlpanel.cpp:747 msgid "Usage: GetChan " msgstr "" -#: controlpanel.cpp:760 controlpanel.cpp:824 +#: controlpanel.cpp:761 controlpanel.cpp:825 msgid "Error: No channels matching [{1}] found." msgstr "" -#: controlpanel.cpp:809 +#: controlpanel.cpp:810 msgid "Usage: SetChan " msgstr "" -#: controlpanel.cpp:890 controlpanel.cpp:900 -msgctxt "listusers" -msgid "Username" -msgstr "" - #: controlpanel.cpp:891 controlpanel.cpp:901 msgctxt "listusers" +msgid "Username" +msgstr "" + +#: controlpanel.cpp:892 controlpanel.cpp:902 +msgctxt "listusers" msgid "Realname" msgstr "" -#: controlpanel.cpp:892 controlpanel.cpp:904 controlpanel.cpp:906 +#: controlpanel.cpp:893 controlpanel.cpp:905 controlpanel.cpp:907 msgctxt "listusers" msgid "IsAdmin" msgstr "" -#: controlpanel.cpp:893 controlpanel.cpp:907 +#: controlpanel.cpp:894 controlpanel.cpp:908 msgctxt "listusers" msgid "Nick" msgstr "" -#: controlpanel.cpp:894 controlpanel.cpp:908 +#: controlpanel.cpp:895 controlpanel.cpp:909 msgctxt "listusers" msgid "AltNick" msgstr "" -#: controlpanel.cpp:895 controlpanel.cpp:909 +#: controlpanel.cpp:896 controlpanel.cpp:910 msgctxt "listusers" msgid "Ident" msgstr "" -#: controlpanel.cpp:896 controlpanel.cpp:910 +#: controlpanel.cpp:897 controlpanel.cpp:911 msgctxt "listusers" msgid "BindHost" msgstr "" -#: controlpanel.cpp:904 controlpanel.cpp:1144 +#: controlpanel.cpp:905 controlpanel.cpp:1145 msgid "No" msgstr "" -#: controlpanel.cpp:906 controlpanel.cpp:1136 +#: controlpanel.cpp:907 controlpanel.cpp:1137 msgid "Yes" msgstr "" -#: controlpanel.cpp:920 controlpanel.cpp:989 +#: controlpanel.cpp:921 controlpanel.cpp:990 msgid "Error: You need to have admin rights to add new users!" msgstr "" -#: controlpanel.cpp:926 +#: controlpanel.cpp:927 msgid "Usage: AddUser " msgstr "" -#: controlpanel.cpp:931 +#: controlpanel.cpp:932 msgid "Error: User {1} already exists!" msgstr "" -#: controlpanel.cpp:943 controlpanel.cpp:1018 +#: controlpanel.cpp:944 controlpanel.cpp:1019 msgid "Error: User not added: {1}" msgstr "" -#: controlpanel.cpp:947 controlpanel.cpp:1022 +#: controlpanel.cpp:948 controlpanel.cpp:1023 msgid "User {1} added!" msgstr "" -#: controlpanel.cpp:954 +#: controlpanel.cpp:955 msgid "Error: You need to have admin rights to delete users!" msgstr "" -#: controlpanel.cpp:960 +#: controlpanel.cpp:961 msgid "Usage: DelUser " msgstr "" -#: controlpanel.cpp:972 +#: controlpanel.cpp:973 msgid "Error: You can't delete yourself!" msgstr "" -#: controlpanel.cpp:978 +#: controlpanel.cpp:979 msgid "Error: Internal error!" msgstr "" -#: controlpanel.cpp:982 +#: controlpanel.cpp:983 msgid "User {1} deleted!" msgstr "" -#: controlpanel.cpp:997 +#: controlpanel.cpp:998 msgid "Usage: CloneUser " msgstr "" -#: controlpanel.cpp:1012 +#: controlpanel.cpp:1013 msgid "Error: Cloning failed: {1}" msgstr "" -#: controlpanel.cpp:1041 +#: controlpanel.cpp:1042 msgid "Usage: AddNetwork [user] network" msgstr "" -#: controlpanel.cpp:1047 +#: controlpanel.cpp:1048 msgid "" "Network number limit reached. Ask an admin to increase the limit for you, or " "delete unneeded networks using /znc DelNetwork " msgstr "" -#: controlpanel.cpp:1055 +#: controlpanel.cpp:1056 msgid "Error: User {1} already has a network with the name {2}" msgstr "" -#: controlpanel.cpp:1062 +#: controlpanel.cpp:1063 msgid "Network {1} added to user {2}." msgstr "" -#: controlpanel.cpp:1066 +#: controlpanel.cpp:1067 msgid "Error: Network [{1}] could not be added for user {2}: {3}" msgstr "" -#: controlpanel.cpp:1086 +#: controlpanel.cpp:1087 msgid "Usage: DelNetwork [user] network" msgstr "" -#: controlpanel.cpp:1097 +#: controlpanel.cpp:1098 msgid "The currently active network can be deleted via {1}status" msgstr "" -#: controlpanel.cpp:1103 +#: controlpanel.cpp:1104 msgid "Network {1} deleted for user {2}." msgstr "" -#: controlpanel.cpp:1107 +#: controlpanel.cpp:1108 msgid "Error: Network {1} could not be deleted for user {2}." msgstr "" -#: controlpanel.cpp:1126 controlpanel.cpp:1134 +#: controlpanel.cpp:1127 controlpanel.cpp:1135 msgctxt "listnetworks" msgid "Network" msgstr "" -#: controlpanel.cpp:1127 controlpanel.cpp:1136 controlpanel.cpp:1144 +#: controlpanel.cpp:1128 controlpanel.cpp:1137 controlpanel.cpp:1145 msgctxt "listnetworks" msgid "OnIRC" msgstr "" -#: controlpanel.cpp:1128 controlpanel.cpp:1137 +#: controlpanel.cpp:1129 controlpanel.cpp:1138 msgctxt "listnetworks" msgid "IRC Server" msgstr "" -#: controlpanel.cpp:1129 controlpanel.cpp:1139 +#: controlpanel.cpp:1130 controlpanel.cpp:1140 msgctxt "listnetworks" msgid "IRC User" msgstr "" -#: controlpanel.cpp:1130 controlpanel.cpp:1141 +#: controlpanel.cpp:1131 controlpanel.cpp:1142 msgctxt "listnetworks" msgid "Channels" msgstr "" -#: controlpanel.cpp:1149 +#: controlpanel.cpp:1150 msgid "No networks" msgstr "" -#: controlpanel.cpp:1160 +#: controlpanel.cpp:1161 msgid "Usage: AddServer [[+]port] [password]" msgstr "" -#: controlpanel.cpp:1174 +#: controlpanel.cpp:1175 msgid "Added IRC Server {1} to network {2} for user {3}." msgstr "" -#: controlpanel.cpp:1178 +#: controlpanel.cpp:1179 msgid "Error: Could not add IRC server {1} to network {2} for user {3}." msgstr "" -#: controlpanel.cpp:1191 +#: controlpanel.cpp:1192 msgid "Usage: DelServer [[+]port] [password]" msgstr "" -#: controlpanel.cpp:1206 +#: controlpanel.cpp:1207 msgid "Deleted IRC Server {1} from network {2} for user {3}." msgstr "" -#: controlpanel.cpp:1210 +#: controlpanel.cpp:1211 msgid "Error: Could not delete IRC server {1} from network {2} for user {3}." msgstr "" -#: controlpanel.cpp:1220 +#: controlpanel.cpp:1221 msgid "Usage: Reconnect " msgstr "" -#: controlpanel.cpp:1247 +#: controlpanel.cpp:1248 msgid "Queued network {1} of user {2} for a reconnect." msgstr "" -#: controlpanel.cpp:1256 +#: controlpanel.cpp:1257 msgid "Usage: Disconnect " msgstr "" -#: controlpanel.cpp:1271 +#: controlpanel.cpp:1272 msgid "Closed IRC connection for network {1} of user {2}." msgstr "" -#: controlpanel.cpp:1286 controlpanel.cpp:1291 -msgctxt "listctcp" -msgid "Request" -msgstr "" - #: controlpanel.cpp:1287 controlpanel.cpp:1292 msgctxt "listctcp" +msgid "Request" +msgstr "" + +#: controlpanel.cpp:1288 controlpanel.cpp:1293 +msgctxt "listctcp" msgid "Reply" msgstr "" -#: controlpanel.cpp:1296 +#: controlpanel.cpp:1297 msgid "No CTCP replies for user {1} are configured" msgstr "" -#: controlpanel.cpp:1299 +#: controlpanel.cpp:1300 msgid "CTCP replies for user {1}:" msgstr "" -#: controlpanel.cpp:1315 +#: controlpanel.cpp:1316 msgid "Usage: AddCTCP [user] [request] [reply]" msgstr "" -#: controlpanel.cpp:1317 +#: controlpanel.cpp:1318 msgid "" "This will cause ZNC to reply to the CTCP instead of forwarding it to clients." msgstr "" -#: controlpanel.cpp:1320 +#: controlpanel.cpp:1321 msgid "An empty reply will cause the CTCP request to be blocked." msgstr "" -#: controlpanel.cpp:1329 +#: controlpanel.cpp:1330 msgid "CTCP requests {1} to user {2} will now be blocked." msgstr "" -#: controlpanel.cpp:1333 +#: controlpanel.cpp:1334 msgid "CTCP requests {1} to user {2} will now get reply: {3}" msgstr "" -#: controlpanel.cpp:1350 +#: controlpanel.cpp:1351 msgid "Usage: DelCTCP [user] [request]" msgstr "" -#: controlpanel.cpp:1356 +#: controlpanel.cpp:1357 msgid "CTCP requests {1} to user {2} will now be sent to IRC clients" msgstr "" -#: controlpanel.cpp:1360 +#: controlpanel.cpp:1361 msgid "" "CTCP requests {1} to user {2} will be sent to IRC clients (nothing has " "changed)" msgstr "" -#: controlpanel.cpp:1370 controlpanel.cpp:1444 +#: controlpanel.cpp:1371 controlpanel.cpp:1445 msgid "Loading modules has been disabled." msgstr "" -#: controlpanel.cpp:1379 +#: controlpanel.cpp:1380 msgid "Error: Unable to load module {1}: {2}" msgstr "" -#: controlpanel.cpp:1382 +#: controlpanel.cpp:1383 msgid "Loaded module {1}" msgstr "" -#: controlpanel.cpp:1387 +#: controlpanel.cpp:1388 msgid "Error: Unable to reload module {1}: {2}" msgstr "" -#: controlpanel.cpp:1390 +#: controlpanel.cpp:1391 msgid "Reloaded module {1}" msgstr "" -#: controlpanel.cpp:1394 +#: controlpanel.cpp:1395 msgid "Error: Unable to load module {1} because it is already loaded" msgstr "" -#: controlpanel.cpp:1405 +#: controlpanel.cpp:1406 msgid "Usage: LoadModule [args]" msgstr "" -#: controlpanel.cpp:1424 +#: controlpanel.cpp:1425 msgid "Usage: LoadNetModule [args]" msgstr "" -#: controlpanel.cpp:1449 +#: controlpanel.cpp:1450 msgid "Please use /znc unloadmod {1}" msgstr "" -#: controlpanel.cpp:1455 +#: controlpanel.cpp:1456 msgid "Error: Unable to unload module {1}: {2}" msgstr "" -#: controlpanel.cpp:1458 +#: controlpanel.cpp:1459 msgid "Unloaded module {1}" msgstr "" -#: controlpanel.cpp:1467 +#: controlpanel.cpp:1468 msgid "Usage: UnloadModule " msgstr "" -#: controlpanel.cpp:1484 +#: controlpanel.cpp:1485 msgid "Usage: UnloadNetModule " msgstr "" -#: controlpanel.cpp:1501 controlpanel.cpp:1507 -msgctxt "listmodules" -msgid "Name" -msgstr "" - #: controlpanel.cpp:1502 controlpanel.cpp:1508 msgctxt "listmodules" +msgid "Name" +msgstr "" + +#: controlpanel.cpp:1503 controlpanel.cpp:1509 +msgctxt "listmodules" msgid "Arguments" msgstr "" -#: controlpanel.cpp:1527 +#: controlpanel.cpp:1528 msgid "User {1} has no modules loaded." msgstr "" -#: controlpanel.cpp:1531 +#: controlpanel.cpp:1532 msgid "Modules loaded for user {1}:" msgstr "" -#: controlpanel.cpp:1551 +#: controlpanel.cpp:1552 msgid "Network {1} of user {2} has no modules loaded." msgstr "" -#: controlpanel.cpp:1556 +#: controlpanel.cpp:1557 msgid "Modules loaded for network {1} of user {2}:" msgstr "" -#: controlpanel.cpp:1563 +#: controlpanel.cpp:1564 msgid "[command] [variable]" msgstr "" -#: controlpanel.cpp:1564 +#: controlpanel.cpp:1565 msgid "Prints help for matching commands and variables" msgstr "" -#: controlpanel.cpp:1567 +#: controlpanel.cpp:1568 msgid " [username]" msgstr "" -#: controlpanel.cpp:1568 +#: controlpanel.cpp:1569 msgid "Prints the variable's value for the given or current user" msgstr "" -#: controlpanel.cpp:1570 +#: controlpanel.cpp:1571 msgid " " msgstr "" -#: controlpanel.cpp:1571 +#: controlpanel.cpp:1572 msgid "Sets the variable's value for the given user" msgstr "" -#: controlpanel.cpp:1573 +#: controlpanel.cpp:1574 msgid " [username] [network]" msgstr "" -#: controlpanel.cpp:1574 +#: controlpanel.cpp:1575 msgid "Prints the variable's value for the given network" msgstr "" -#: controlpanel.cpp:1576 +#: controlpanel.cpp:1577 msgid " " msgstr "" -#: controlpanel.cpp:1577 +#: controlpanel.cpp:1578 msgid "Sets the variable's value for the given network" msgstr "" -#: controlpanel.cpp:1579 +#: controlpanel.cpp:1580 msgid " [username] " msgstr "" -#: controlpanel.cpp:1580 +#: controlpanel.cpp:1581 msgid "Prints the variable's value for the given channel" msgstr "" -#: controlpanel.cpp:1583 +#: controlpanel.cpp:1584 msgid " " msgstr "" -#: controlpanel.cpp:1584 +#: controlpanel.cpp:1585 msgid "Sets the variable's value for the given channel" msgstr "" -#: controlpanel.cpp:1586 controlpanel.cpp:1589 +#: controlpanel.cpp:1587 controlpanel.cpp:1590 msgid " " msgstr "" -#: controlpanel.cpp:1587 +#: controlpanel.cpp:1588 msgid "Adds a new channel" msgstr "" -#: controlpanel.cpp:1590 +#: controlpanel.cpp:1591 msgid "Deletes a channel" msgstr "" -#: controlpanel.cpp:1592 +#: controlpanel.cpp:1593 msgid "Lists users" msgstr "" -#: controlpanel.cpp:1594 +#: controlpanel.cpp:1595 msgid " " msgstr "" -#: controlpanel.cpp:1595 +#: controlpanel.cpp:1596 msgid "Adds a new user" msgstr "" -#: controlpanel.cpp:1597 controlpanel.cpp:1620 controlpanel.cpp:1634 +#: controlpanel.cpp:1598 controlpanel.cpp:1621 controlpanel.cpp:1635 msgid "" msgstr "" -#: controlpanel.cpp:1597 +#: controlpanel.cpp:1598 msgid "Deletes a user" msgstr "" -#: controlpanel.cpp:1599 +#: controlpanel.cpp:1600 msgid " " msgstr "" -#: controlpanel.cpp:1600 +#: controlpanel.cpp:1601 msgid "Clones a user" msgstr "" -#: controlpanel.cpp:1602 controlpanel.cpp:1605 +#: controlpanel.cpp:1603 controlpanel.cpp:1606 msgid " " msgstr "" -#: controlpanel.cpp:1603 +#: controlpanel.cpp:1604 msgid "Adds a new IRC server for the given or current user" msgstr "" -#: controlpanel.cpp:1606 +#: controlpanel.cpp:1607 msgid "Deletes an IRC server from the given or current user" msgstr "" -#: controlpanel.cpp:1608 controlpanel.cpp:1611 controlpanel.cpp:1631 +#: controlpanel.cpp:1609 controlpanel.cpp:1612 controlpanel.cpp:1632 msgid " " msgstr "" -#: controlpanel.cpp:1609 +#: controlpanel.cpp:1610 msgid "Cycles the user's IRC server connection" msgstr "" -#: controlpanel.cpp:1612 +#: controlpanel.cpp:1613 msgid "Disconnects the user from their IRC server" msgstr "" -#: controlpanel.cpp:1614 +#: controlpanel.cpp:1615 msgid " [args]" msgstr "" -#: controlpanel.cpp:1615 +#: controlpanel.cpp:1616 msgid "Loads a Module for a user" msgstr "" -#: controlpanel.cpp:1617 +#: controlpanel.cpp:1618 msgid " " msgstr "" -#: controlpanel.cpp:1618 +#: controlpanel.cpp:1619 msgid "Removes a Module of a user" msgstr "" -#: controlpanel.cpp:1621 +#: controlpanel.cpp:1622 msgid "Get the list of modules for a user" msgstr "" -#: controlpanel.cpp:1624 +#: controlpanel.cpp:1625 msgid " [args]" msgstr "" -#: controlpanel.cpp:1625 +#: controlpanel.cpp:1626 msgid "Loads a Module for a network" msgstr "" -#: controlpanel.cpp:1628 +#: controlpanel.cpp:1629 msgid " " msgstr "" -#: controlpanel.cpp:1629 +#: controlpanel.cpp:1630 msgid "Removes a Module of a network" msgstr "" -#: controlpanel.cpp:1632 +#: controlpanel.cpp:1633 msgid "Get the list of modules for a network" msgstr "" -#: controlpanel.cpp:1635 +#: controlpanel.cpp:1636 msgid "List the configured CTCP replies" msgstr "" -#: controlpanel.cpp:1637 +#: controlpanel.cpp:1638 msgid " [reply]" msgstr "" -#: controlpanel.cpp:1638 +#: controlpanel.cpp:1639 msgid "Configure a new CTCP reply" msgstr "" -#: controlpanel.cpp:1640 +#: controlpanel.cpp:1641 msgid " " msgstr "" -#: controlpanel.cpp:1641 +#: controlpanel.cpp:1642 msgid "Remove a CTCP reply" msgstr "" -#: controlpanel.cpp:1645 controlpanel.cpp:1648 +#: controlpanel.cpp:1646 controlpanel.cpp:1649 msgid "[username] " msgstr "" -#: controlpanel.cpp:1646 +#: controlpanel.cpp:1647 msgid "Add a network for a user" msgstr "" -#: controlpanel.cpp:1649 +#: controlpanel.cpp:1650 msgid "Delete a network for a user" msgstr "" -#: controlpanel.cpp:1651 +#: controlpanel.cpp:1652 msgid "[username]" msgstr "" -#: controlpanel.cpp:1652 +#: controlpanel.cpp:1653 msgid "List all networks for a user" msgstr "" -#: controlpanel.cpp:1665 +#: controlpanel.cpp:1666 msgid "" "Dynamic configuration through IRC. Allows editing only yourself if you're " "not ZNC admin." From fd71a69fab5773d76f30978b0290e16450ea3d9f Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Fri, 21 May 2021 08:57:09 +0100 Subject: [PATCH 526/798] Rewrite message parsing using string_view It's a bit too early yet to require C++17 so the implementation from BackportCpp (string_view-standalone) is used instead. Fixes https://crbug.com/oss-fuzz/34413 - slow message parsing on huge messages. In real word, messages can't be that big, because CSocket enforces a line length limit. This can be considered a regression of 1.7.0, because before it, instead of gathering params into a vector, code was searching 1st word in the string, then 2nd word, then 3rd word, starting from beginning each time. It was not very efficient, but the number of passes over the string was limited. --- CMakeLists.txt | 1 - NOTICE | 1 + include/znc/Message.h | 2 +- src/CMakeLists.txt | 1 + src/Message.cpp | 61 +- test/MessageTest.cpp | 10 + third_party/bpstd/bpstd/string_view.hpp | 1424 +++++++++++++++++++++++ 7 files changed, 1479 insertions(+), 21 deletions(-) create mode 100644 third_party/bpstd/bpstd/string_view.hpp diff --git a/CMakeLists.txt b/CMakeLists.txt index 186287c8..0913ff26 100644 --- a/CMakeLists.txt +++ b/CMakeLists.txt @@ -284,7 +284,6 @@ if(append_git_version) endif() - file(GLOB csocket_files LIST_DIRECTORIES FALSE "${PROJECT_SOURCE_DIR}/third_party/Csocket/Csocket.*") if(csocket_files STREQUAL "") diff --git a/NOTICE b/NOTICE index c06d08d3..c5a14ac3 100644 --- a/NOTICE +++ b/NOTICE @@ -16,6 +16,7 @@ ZNC includes code from jQuery UI (http://jqueryui.com/), licensed under the MIT ZNC includes code from Selectize (http://brianreavis.github.io/selectize.js/), licensed under the Apache License 2.0. ZNC includes modified code from CMakeFindFrameworks.cmake by Kitware, Inc., licensed under BSD License. ZNC includes modified code from TestLargeFiles.cmake, licensed under Boost Software License, Version 1.0. +ZNC includes code from BackportCpp (https://github.com/bitwizeshift/string_view-standalone), licensed under the MIT license. ZNC is developed by these people: diff --git a/include/znc/Message.h b/include/znc/Message.h index 8b99076e..ad88db29 100644 --- a/include/znc/Message.h +++ b/include/znc/Message.h @@ -161,7 +161,7 @@ class CMessage { }; CString ToString(unsigned int uFlags = IncludeAll) const; - void Parse(CString sMessage); + void Parse(const CString& sMessage); // Implicit and explicit conversion to a subclass reference. #ifndef SWIG diff --git a/src/CMakeLists.txt b/src/CMakeLists.txt index 341c5f0f..b365cc1b 100644 --- a/src/CMakeLists.txt +++ b/src/CMakeLists.txt @@ -60,6 +60,7 @@ add_custom_target(version add_dependencies(znclib copy_csocket_h copy_csocket_cc version) set(znc_include_dirs + "$" "$" "$" "$") diff --git a/src/Message.cpp b/src/Message.cpp index 8c1419b7..dcde7275 100644 --- a/src/Message.cpp +++ b/src/Message.cpp @@ -16,6 +16,7 @@ #include #include +#include "bpstd/string_view.hpp" CMessage::CMessage(const CString& sMessage) { Parse(sMessage); @@ -157,19 +158,43 @@ CString CMessage::ToString(unsigned int uFlags) const { return sMessage; } -void CMessage::Parse(CString sMessage) { +void CMessage::Parse(const CString& sMessage) { + const char* begin = sMessage.c_str(); + const char* const end = begin + sMessage.size(); + auto next_word = [&]() { + // Find the end of the first word + const char* p = begin; + while (p < end && *p != ' ') ++p; + bpstd::string_view result(begin, p - begin); + begin = p; + // Prepare for the following word + while (begin < end && *begin == ' ') ++begin; + return result; + }; + // m_mssTags.clear(); - if (sMessage.StartsWith("@")) { - VCString vsTags; - sMessage.Token(0).TrimPrefix_n("@").Split(";", vsTags, false); - for (const CString& sTag : vsTags) { - CString sKey = sTag.Token(0, false, "=", true); - CString sValue = sTag.Token(1, true, "=", true); + if (begin < end && *begin == '@') { + bpstd::string_view svTags = next_word().substr(1); + std::vector vsTags; + // Split by ';' + while (true) { + auto delim = svTags.find_first_of(';'); + if (delim == bpstd::string_view::npos) { + vsTags.push_back(svTags); + break; + } + vsTags.push_back(svTags.substr(0, delim)); + svTags = svTags.substr(delim + 1); + } + // Save key and value + for (bpstd::string_view svTag : vsTags) { + auto delim = svTag.find_first_of('='); + CString sKey = std::string(delim == bpstd::string_view::npos ? svTag : svTag.substr(0, delim)); + CString sValue = delim == bpstd::string_view::npos ? std::string() : std::string(svTag.substr(delim + 1)); m_mssTags[sKey] = sValue.Escape(CString::EMSGTAG, CString::CString::EASCII); } - sMessage = sMessage.Token(1, true); } // ::= [':' ] @@ -183,26 +208,24 @@ void CMessage::Parse(CString sMessage) { // NUL or CR or LF> // - if (sMessage.TrimPrefix(":")) { - m_Nick.Parse(sMessage.Token(0)); - sMessage = sMessage.Token(1, true); + if (begin < end && *begin == ':') { + m_Nick.Parse(std::string(next_word().substr(1))); } // - m_sCommand = sMessage.Token(0); - sMessage = sMessage.Token(1, true); + m_sCommand = std::string(next_word()); // m_bColon = false; m_vsParams.clear(); - while (!sMessage.empty()) { - m_bColon = sMessage.TrimPrefix(":"); + while (begin < end) { + m_bColon = *begin == ':'; if (m_bColon) { - m_vsParams.push_back(sMessage); - sMessage.clear(); + ++begin; + m_vsParams.push_back(std::string(begin, end - begin)); + begin = end; } else { - m_vsParams.push_back(sMessage.Token(0)); - sMessage = sMessage.Token(1, true); + m_vsParams.push_back(std::string(next_word())); } } diff --git a/test/MessageTest.cpp b/test/MessageTest.cpp index 769dd51b..72097716 100644 --- a/test/MessageTest.cpp +++ b/test/MessageTest.cpp @@ -22,6 +22,7 @@ using ::testing::IsEmpty; using ::testing::ContainerEq; using ::testing::ElementsAre; +using ::testing::SizeIs; TEST(MessageTest, SetParam) { CMessage msg; @@ -609,3 +610,12 @@ TEST(MessageTest, ParseWithoutSourceAndTags) { EXPECT_EQ(msg.GetCommand(), "COMMAND"); EXPECT_EQ(msg.GetParams(), VCString()); } + +TEST(MessageTest, HugeParse) { + CString line; + for (int i = 0; i < 1000000; ++i) { + line += "a "; + } + CMessage msg(line); + EXPECT_THAT(msg.GetParams(), SizeIs(999999)); +} diff --git a/third_party/bpstd/bpstd/string_view.hpp b/third_party/bpstd/bpstd/string_view.hpp new file mode 100644 index 00000000..691ef00e --- /dev/null +++ b/third_party/bpstd/bpstd/string_view.hpp @@ -0,0 +1,1424 @@ +// https://github.com/bitwizeshift/string_view-standalone/raw/v1.1.0/single_include/bpstd/string_view.hpp + +/** + * \file string_view.hpp + * + * \brief This header contains the definition of the string_view type, as + * described by the C++17 standard. + * + * \author Matthew Rodusek (matthew.rodusek@gmail.com) + * \copyright Matthew Rodusek + */ + +/* + * The MIT License (MIT) + * + * Licensed under the MIT License . + * Copyright (c) 2016 Matthew Rodusek + * + * Permission is hereby granted, free of charge, to any person obtaining a copy + * of this software and associated documentation files (the "Software"), to deal + * in the Software without restriction, including without limitation the rights + * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell + * copies of the Software, and to permit persons to whom the Software is + * furnished to do so, subject to the following conditions: + * + * The above copyright notice and this permission notice shall be included in all + * copies or substantial portions of the Software. + * + * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR + * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, + * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE + * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER + * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, + * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE + * SOFTWARE. + */ +#ifndef BPSTD_STRING_VIEW_HPP +#define BPSTD_STRING_VIEW_HPP + +#include // std:: +#include // std::char_traits +#include // std::basic_ostream +#include // std::size_t +#include // std::allocator +#include // std::out_of_range +#include // std::reverse_iterator +namespace bpstd { // back-port std + + //////////////////////////////////////////////////////////////////////////// + /// \brief A wrapper around non-owned strings. + /// + /// This is an implementation of the C++17 string_view proposal + /// + /// \ingroup core + //////////////////////////////////////////////////////////////////////////// + template< + typename CharT, + typename Traits = std::char_traits + > + class basic_string_view final + { + //------------------------------------------------------------------------ + // Public Member Types + //------------------------------------------------------------------------ + public: + + using char_type = CharT; + using traits_type = Traits; + using size_type = std::size_t; + + using value_type = CharT; + using reference = value_type&; + using const_reference = const value_type&; + using pointer = value_type*; + using const_pointer = const value_type*; + + using iterator = const CharT*; + using const_iterator = const CharT*; + using reverse_iterator = std::reverse_iterator; + using const_reverse_iterator = std::reverse_iterator; + + //------------------------------------------------------------------------ + // Public Members + //------------------------------------------------------------------------ + public: + + static constexpr size_type npos = size_type(-1); + + //------------------------------------------------------------------------ + // Constructors + //------------------------------------------------------------------------ + public: + + /// \brief Default constructs a basic_string_view without any content + constexpr basic_string_view() noexcept; + + /// \brief Constructs a basic_string_view by copying another one + /// + /// \param other the string view being copied + constexpr basic_string_view(const basic_string_view& other) noexcept = default; + + /// \brief Constructs a basic_string_view by moving anothe rone + /// + /// \param other the string view being moved + constexpr basic_string_view(basic_string_view&& other) noexcept = default; + + /// \brief Constructs a basic_string_view from a std::basic_string + /// + /// \param str the string to view + template + basic_string_view(const std::basic_string& str) noexcept; + + /// \brief Constructs a basic_string_view from an ansi-string + /// + /// \param str the string to view + constexpr basic_string_view(const char_type* str) noexcept; + + /// \brief Constructs a basic_string_view from an ansi string of a given size + /// + /// \param str the string to view + /// \param count the size of the string + constexpr basic_string_view(const char_type* str, size_type count) noexcept; + + //------------------------------------------------------------------------ + // Assignment + //------------------------------------------------------------------------ + public: + + /// \brief Assigns a basic_string_view from an ansi-string + /// + /// \param view the string to view + /// \return reference to \c (*this) + basic_string_view& operator=(const basic_string_view& view) = default; + + //------------------------------------------------------------------------ + // Capacity + //------------------------------------------------------------------------ + public: + + /// \brief Returns the length of the string, in terms of bytes + /// + /// \return the length of the string, in terms of bytes + constexpr size_type size() const noexcept; + + /// \copydoc basic_string_view::size + constexpr size_type length() const noexcept; + + /// \brief The largest possible number of char-like objects that can be + /// referred to by a basic_string_view. + /// \return Maximum number of characters + constexpr size_type max_size() const noexcept; + + /// \brief Returns whether the basic_string_view is empty + /// (i.e. whether its length is 0). + /// + /// \return whether the basic_string_view is empty + constexpr bool empty() const noexcept; + + //------------------------------------------------------------------------ + // Element Access + //------------------------------------------------------------------------ + public: + + /// \brief Gets the ansi-string of the current basic_string_view + /// + /// \return the ansi-string pointer + constexpr const char_type* c_str() const noexcept; + + /// \brief Gets the data of the current basic_string_view + /// + /// \note This is an alias of #c_str + /// + /// \return the data this basic_string_view contains + constexpr const char_type* data() const noexcept; + + /// \brief Accesses the element at index \p pos + /// + /// \param pos the index to access + /// \return const reference to the character + constexpr const_reference operator[](size_type pos) const noexcept; + + /// \brief Accesses the element at index \p pos + /// + /// \param pos the index to access + /// \return const reference to the character + constexpr const_reference at(size_type pos) const; + + /// \brief Access the first character of the string + /// + /// \note Undefined behavior if basic_string_view is empty + /// + /// \return reference to the first character of the string + constexpr const_reference front() const noexcept; + + /// \brief References the last character of the string + /// + /// \note Undefined behavior if basic_string_view is empty + /// + /// \return reference to the last character of the string + constexpr const_reference back() const noexcept; + + //------------------------------------------------------------------------ + // Modifiers + //------------------------------------------------------------------------ + public: + + /// \brief Moves the start of the view forward by n characters. + /// + /// The behavior is undefined if n > size(). + /// + /// \param n number of characters to remove from the start of the view + void remove_prefix(size_type n) noexcept; + + /// \brief Moves the end of the view back by n characters. + /// + /// The behavior is undefined if n > size(). + /// + /// \param n number of characters to remove from the end of the view + void remove_suffix(size_type n) noexcept; + + /// \brief Exchanges the view with that of v. + /// + /// \param v view to swap with + void swap(basic_string_view& v) noexcept; + + //------------------------------------------------------------------------ + // Conversions + //------------------------------------------------------------------------ + public: + + /// \brief Creates a basic_string with a copy of the content of the current view. + /// + /// \tparam Allocator type used to allocate internal storage + /// \param a Allocator instance to use for allocating the new string + /// + /// \return A basic_string containing a copy of the characters of the current view. + template> + constexpr std::basic_string + to_string(const Allocator& a = Allocator()) const; + + /// \copydoc basic_string_view::to_string + template + explicit constexpr operator std::basic_string() const; + + //------------------------------------------------------------------------ + // Operations + //------------------------------------------------------------------------ + public: + + /// \brief Copies the substring [pos, pos + rcount) to the character string pointed + /// to by dest, where rcount is the smaller of count and size() - pos. + /// + /// \param dest pointer to the destination character string + /// \param count requested substring length + /// \param pos position of the first character + size_type copy( char_type* dest, + size_type count = npos, + size_type pos = 0 ) const; + + /// \brief Returns a substring of this viewed string + /// + /// \param pos the position of the first character in the substring + /// \param len the length of the substring + /// \return the created substring + basic_string_view substr(size_t pos = 0, size_t len = npos) const; + + //------------------------------------------------------------------------ + + /// \brief Compares two character sequences + /// + /// \param v view to compare + /// \return negative value if this view is less than the other character + /// sequence, zero if the both character sequences are equal, positive + /// value if this view is greater than the other character sequence. + int compare(basic_string_view v) const noexcept; + + /// \brief Compares two character sequences + /// + /// \param pos position of the first character in this view to compare + /// \param count number of characters of this view to compare + /// \param v view to compare + /// \return negative value if this view is less than the other character + /// sequence, zero if the both character sequences are equal, positive + /// value if this view is greater than the other character sequence. + int compare(size_type pos, size_type count, basic_string_view v) const; + + /// \brief Compares two character sequences + /// + /// \param pos1 position of the first character in this view to compare + /// \param count1 number of characters of this view to compare + /// \param v view to compare + /// \param pos2 position of the second character in this view to compare + /// \param count2 number of characters of the given view to compare + /// \return negative value if this view is less than the other character + /// sequence, zero if the both character sequences are equal, positive + /// value if this view is greater than the other character sequence. + int compare( size_type pos1, size_type count1, basic_string_view v, + size_type pos2, size_type count2 ) const; + + /// \brief Compares two character sequences + /// + /// \param s pointer to the character string to compare to + /// \return negative value if this view is less than the other character + /// sequence, zero if the both character sequences are equal, positive + /// value if this view is greater than the other character sequence. + int compare(const char_type* s) const; + + /// \brief Compares two character sequences + /// + /// \param pos position of the first character in this view to compare + /// \param count number of characters of this view to compare + /// \param s pointer to the character string to compare to + /// \return negative value if this view is less than the other character + /// sequence, zero if the both character sequences are equal, positive + /// value if this view is greater than the other character sequence. + int compare(size_type pos, size_type count, const char_type* s) const; + + /// \brief Compares two character sequences + /// + /// \param pos position of the first character in this view to compare + /// \param count1 number of characters of this view to compare + /// \param s pointer to the character string to compare to + /// \param count2 number of characters of the given view to compare + /// \return negative value if this view is less than the other character + /// sequence, zero if the both character sequences are equal, positive + /// value if this view is greater than the other character sequence. + int compare( size_type pos, size_type count1, const char_type* s, + size_type count2 ) const; + + //------------------------------------------------------------------------ + + size_type find(basic_string_view v, size_type pos = 0) const; + + size_type find(char_type c, size_type pos = 0) const; + + size_type find(const char_type* s, size_type pos, size_type count) const; + + size_type find(const char_type* s, size_type pos = 0) const; + + //------------------------------------------------------------------------ + + size_type rfind(basic_string_view v, size_type pos = npos) const; + + size_type rfind(char_type c, size_type pos = npos) const; + + size_type rfind(const char_type* s, size_type pos, size_type count) const; + + size_type rfind(const char_type* s, size_type pos = npos) const; + + //------------------------------------------------------------------------ + + size_type find_first_of(basic_string_view v, size_type pos = 0) const; + + size_type find_first_of(char_type c, size_type pos = 0) const; + + size_type find_first_of(const char_type* s, size_type pos, size_type count) const; + + size_type find_first_of(const char_type* s, size_type pos = 0) const; + + //------------------------------------------------------------------------ + + size_type find_last_of(basic_string_view v, size_type pos = npos) const; + + size_type find_last_of(char_type c, size_type pos = npos) const; + + size_type find_last_of(const char_type* s, size_type pos, size_type count) const; + + size_type find_last_of(const char_type* s, size_type pos = npos) const; + + //------------------------------------------------------------------------ + + size_type find_first_not_of(basic_string_view v, size_type pos = 0) const; + + size_type find_first_not_of(char_type c, size_type pos = 0) const; + + size_type find_first_not_of(const char_type* s, size_type pos, size_type count) const; + + size_type find_first_not_of(const char_type* s, size_type pos = 0) const; + + //------------------------------------------------------------------------ + + size_type find_last_not_of(basic_string_view v, size_type pos = npos) const; + + size_type find_last_not_of(char_type c, size_type pos = npos) const; + + size_type find_last_not_of(const char_type* s, size_type pos, size_type count) const; + + size_type find_last_not_of(const char_type* s, size_type pos = npos) const; + + //------------------------------------------------------------------------ + // Iterators + //------------------------------------------------------------------------ + public: + + /// \{ + /// \brief Retrieves the begin iterator for this basic_string_view + /// + /// \return the begin iterator + const_iterator begin() const noexcept; + const_iterator cbegin() const noexcept; + /// \} + + /// \{ + /// \brief Retrieves the end iterator for this basic_string_view + /// + /// \return the end iterator + const_iterator end() const noexcept; + const_iterator cend() const noexcept; + /// \} + + /// \{ + /// \brief Retrieves the reverse begin iterator for this basic_string_view + /// + /// \return the reverse begin iterator + const_reverse_iterator rbegin() const noexcept; + const_reverse_iterator rend() const noexcept; + /// \} + + /// \{ + /// \brief Retrieves the reverse end iterator for this basic_string_view + /// + /// \return the reverse end iterator + const_reverse_iterator crbegin() const noexcept; + const_reverse_iterator crend() const noexcept; + /// \} + + //------------------------------------------------------------------------ + // Private Member + //------------------------------------------------------------------------ + private: + + const char_type* m_str; ///< The internal string type + size_type m_size; ///< The size of this string + + /// \brief Checks whether \p c is one of the characters in \p str + /// + /// \param c the character to check + /// \param str the characters to compare against + /// \return true if \p c is one of the characters in \p str + static bool is_one_of(CharT c, basic_string_view str); + }; + + template + const typename basic_string_view::size_type + basic_string_view::npos; + + //-------------------------------------------------------------------------- + // Public Functions + //-------------------------------------------------------------------------- + + /// \brief Overload for ostream output of basic_string_view + /// + /// \param o The output stream to print to + /// \param str the string to print + /// \return reference to the output stream + template + std::basic_ostream& operator<<(std::basic_ostream& o, + const basic_string_view& str); + + template + void swap(basic_string_view& lhs, + basic_string_view& rhs) noexcept; + + //-------------------------------------------------------------------------- + // Comparison Functions + //-------------------------------------------------------------------------- + + template + bool operator==(const basic_string_view& lhs, + const basic_string_view& rhs) noexcept; + template + bool operator!=(const basic_string_view& lhs, + const basic_string_view& rhs) noexcept; + template + bool operator<(const basic_string_view& lhs, + const basic_string_view& rhs) noexcept; + template + bool operator>(const basic_string_view& lhs, + const basic_string_view& rhs) noexcept; + template + bool operator<=(const basic_string_view& lhs, + const basic_string_view& rhs) noexcept; + template + bool operator>=(const basic_string_view& lhs, + const basic_string_view& rhs) noexcept; + + //-------------------------------------------------------------------------- + // Type Aliases + //-------------------------------------------------------------------------- + + using string_view = basic_string_view; + using wstring_view = basic_string_view; + using u16string_view = basic_string_view; + using u32string_view = basic_string_view; + +} // namespace bpstd + +#ifndef BPSTD_DETAIL_STRING_VIEW_INL +#define BPSTD_DETAIL_STRING_VIEW_INL + +namespace bpstd { + + //-------------------------------------------------------------------------- + // Constructor + //-------------------------------------------------------------------------- + + template + inline constexpr basic_string_view::basic_string_view() + noexcept + : m_str(nullptr), + m_size(0) + { + + } + + template + template + inline basic_string_view::basic_string_view(const std::basic_string& str) + noexcept + : m_str(str.c_str()), + m_size(str.size()) + { + + } + + template + inline constexpr basic_string_view::basic_string_view(const char_type* str) + noexcept + : m_str(str), + m_size(traits_type::length(str)) + { + + } + + template + inline constexpr basic_string_view::basic_string_view(const char_type* str, size_type count) + noexcept + : m_str(str), + m_size(count) + { + + } + + //-------------------------------------------------------------------------- + // Capacity + //-------------------------------------------------------------------------- + + template + inline constexpr typename basic_string_view::size_type + basic_string_view::size() + const noexcept + { + return m_size; + } + + template + inline constexpr typename basic_string_view::size_type + basic_string_view::length() + const noexcept + { + return size(); + } + + template + inline constexpr typename basic_string_view::size_type + basic_string_view::max_size() + const noexcept + { + return npos - 1; + } + + template + inline constexpr bool basic_string_view::empty() + const noexcept + { + return m_size == 0; + } + + //-------------------------------------------------------------------------- + // Element Access + //-------------------------------------------------------------------------- + + template + inline constexpr const typename basic_string_view::char_type* + basic_string_view::c_str() + const noexcept + { + return m_str; + } + + template + inline constexpr const typename basic_string_view::char_type* + basic_string_view::data() + const noexcept + { + return m_str; + } + + template + inline constexpr typename basic_string_view::const_reference + basic_string_view::operator[](size_type pos) + const noexcept + { + return m_str[pos]; + } + + template + inline constexpr typename basic_string_view::const_reference + basic_string_view::at(size_type pos) + const + { + return pos < m_size ? m_str[pos] : throw std::out_of_range("Input out of range in basic_string_view::at"), m_str[pos]; + } + + template + inline constexpr typename basic_string_view::const_reference + basic_string_view::front( ) + const noexcept + { + return *m_str; + } + + template + inline constexpr typename basic_string_view::const_reference + basic_string_view::back( ) + const noexcept + { + return m_str[m_size-1]; + } + + //-------------------------------------------------------------------------- + // Modifiers + //-------------------------------------------------------------------------- + + template + inline void + basic_string_view::remove_prefix(size_type n) + noexcept + { + m_str += n, m_size -= n; + } + + template + inline void + basic_string_view::remove_suffix(size_type n) + noexcept + { + m_size -= n; + } + + template + inline void + basic_string_view::swap(basic_string_view& v) + noexcept + { + using std::swap; + swap(m_size,v.m_size); + swap(m_str,v.m_str); + } + + //-------------------------------------------------------------------------- + // Conversions + //-------------------------------------------------------------------------- + + template + template + inline constexpr std::basic_string + basic_string_view::to_string(const Allocator& a) + const + { + return std::basic_string(m_str, m_size, a); + } + + template + template + inline constexpr basic_string_view::operator + std::basic_string() + const + { + return std::basic_string(m_str, m_size); + } + + //-------------------------------------------------------------------------- + // String Operations + //-------------------------------------------------------------------------- + + template + inline typename basic_string_view::size_type + basic_string_view::copy(char_type* dest, + size_type count, + size_type pos) + const + { + if(pos >= m_size) { + throw std::out_of_range("Index out of range in basic_string_view::copy"); + } + + const size_type rcount = std::min(m_size - pos,count+1); + std::copy( m_str + pos, m_str + pos + rcount, dest); + return rcount; + } + + template + inline basic_string_view + basic_string_view::substr(size_type pos, + size_type len) + const + { + const size_type max_length = pos > m_size ? 0 : m_size - pos; + + if (pos > size()) { + throw std::out_of_range("Index out of range in basic_string_view::substr"); + } + + return basic_string_view(m_str + pos, std::min(len, max_length) ); + } + + //-------------------------------------------------------------------------- + + template + inline int basic_string_view::compare(basic_string_view v) + const noexcept + { + const size_type rlen = std::min(m_size,v.m_size); + const int compare = Traits::compare(m_str,v.m_str,rlen); + + return (compare ? compare : (m_size < v.m_size ? -1 : (m_size > v.m_size ? 1 : 0))); + } + + template + inline int basic_string_view::compare(size_type pos, + size_type count, + basic_string_view v) + const + { + return substr(pos,count).compare(v); + } + + template + inline int basic_string_view::compare(size_type pos1, + size_type count1, + basic_string_view v, + size_type pos2, + size_type count2) + const + { + return substr(pos1,count1).compare(v.substr(pos2,count2)); + } + + template + inline int basic_string_view::compare(const char_type* s) + const + { + return compare(basic_string_view(s)); + } + + template + inline int basic_string_view::compare(size_type pos, + size_type count, + const char_type* s) + const + { + return substr(pos, count).compare(basic_string_view(s)); + } + + template + inline int basic_string_view::compare(size_type pos, + size_type count1, + const char_type* s, + size_type count2) + const + { + return substr(pos, count1).compare(basic_string_view(s, count2)); + } + + //-------------------------------------------------------------------------- + + template + inline typename basic_string_view::size_type + basic_string_view::find(basic_string_view v, + size_type pos) + const + { + // Can't find a substring if the substring is bigger than this + if (pos > size()) { + return npos; + } + if ((pos + v.size()) > size()) { + return npos; + } + + const auto offset = pos; + const auto increments = size() - v.size(); + + for (auto i = 0u; i <= increments; ++i) { + const auto j = i + offset; + if (substr(j, v.size()) == v) { + return j; + } + } + return npos; + } + + template + inline typename basic_string_view::size_type + basic_string_view::find(char_type c, + size_type pos) + const + { + return find(basic_string_view(&c, 1), pos); + } + + template + inline typename basic_string_view::size_type + basic_string_view::find(const char_type* s, size_type pos, + size_type count) + const + { + return find(basic_string_view(s, count), pos); + } + + template + inline typename basic_string_view::size_type + basic_string_view::find(const char_type* s, + size_type pos) + const + { + return find(basic_string_view(s), pos); + } + + //-------------------------------------------------------------------------- + + template + inline typename basic_string_view::size_type + basic_string_view::rfind(basic_string_view v, + size_type pos) + const + { + if (empty()) { + return v.empty() ? 0u : npos; + } + if (v.empty()) { + return std::min(size() - 1, pos); + } + if (v.size() > size()) { + return npos; + } + + auto i = std::min(pos, (size() - v.size())); + while (i != npos) { + if (substr(i, v.size()) == v) { + return i; + } + --i; + } + + return npos; + } + + template + inline typename basic_string_view::size_type + basic_string_view::rfind(char_type c, + size_type pos) + const + { + return rfind(basic_string_view(&c, 1), pos); + } + + template + inline typename basic_string_view::size_type + basic_string_view::rfind(const char_type* s, size_type pos, + size_type count) + const + { + return rfind(basic_string_view(s, count), pos); + } + + template + inline typename basic_string_view::size_type + basic_string_view::rfind(const char_type* s, + size_type pos) + const + { + return rfind(basic_string_view(s), pos); + } + + //-------------------------------------------------------------------------- + + template + inline typename basic_string_view::size_type + basic_string_view::find_first_of(basic_string_view v, + size_type pos) + const + { + const auto max_index = size(); + for (auto i = pos; i < max_index; ++i) { + if (is_one_of(m_str[i],v)) { + return i; + } + } + + return npos; + } + + template + inline typename basic_string_view::size_type + basic_string_view::find_first_of(char_type c, + size_type pos) + const + { + return find_first_of(basic_string_view(&c, 1), pos); + } + + template + inline typename basic_string_view::size_type + basic_string_view::find_first_of(const char_type* s, size_type pos, + size_type count) + const + { + return find_first_of(basic_string_view(s, count), pos); + } + + template + inline typename basic_string_view::size_type + basic_string_view::find_first_of(const char_type* s, + size_type pos) + const + { + return find_first_of(basic_string_view(s), pos); + } + + //-------------------------------------------------------------------------- + + template + inline typename basic_string_view::size_type + basic_string_view::find_last_of(basic_string_view v, + size_type pos) + const + { + if (empty()) { + return npos; + } + const auto max_index = std::min(size() - 1, pos); + for (auto i = 0u; i <= max_index; ++i) { + const auto j = max_index - i; + + if (is_one_of(m_str[j],v)) { + return j; + } + } + + return npos; + } + + template + inline typename basic_string_view::size_type + basic_string_view::find_last_of(char_type c, + size_type pos) + const + { + return find_last_of(basic_string_view(&c, 1), pos); + } + + template + inline typename basic_string_view::size_type + basic_string_view::find_last_of(const char_type* s, size_type pos, + size_type count) + const + { + return find_last_of(basic_string_view(s, count), pos); + } + + template + inline typename basic_string_view::size_type + basic_string_view::find_last_of(const char_type* s, + size_type pos) + const + { + return find_last_of(basic_string_view(s), pos); + } + + //-------------------------------------------------------------------------- + + template + inline typename basic_string_view::size_type + basic_string_view::find_first_not_of(basic_string_view v, + size_type pos) + const + { + const auto max_index = size(); + for (auto i = pos; i < max_index; ++i) { + if (!is_one_of(m_str[i],v)) { + return i; + } + } + + return npos; + } + + template + inline typename basic_string_view::size_type + basic_string_view::find_first_not_of(char_type c, + size_type pos) + const + { + return find_first_not_of(basic_string_view(&c, 1), pos); + } + + template + inline typename basic_string_view::size_type + basic_string_view::find_first_not_of(const char_type* s, + size_type pos, + size_type count) + const + { + return find_first_not_of(basic_string_view(s, count), pos); + } + + template + inline typename basic_string_view::size_type + basic_string_view::find_first_not_of(const char_type* s, + size_type pos) + const + { + return find_first_not_of(basic_string_view(s), pos); + } + + //-------------------------------------------------------------------------- + + template + inline typename basic_string_view::size_type + basic_string_view::find_last_not_of(basic_string_view v, + size_type pos) + const + { + if (empty()) { + return npos; + } + const auto max_index = std::min(size() - 1, pos); + for (auto i = 0u; i <= max_index; ++i) { + const auto j = max_index - i; + + if (!is_one_of(m_str[j],v)) { + return j; + } + } + + return npos; + } + + template + inline typename basic_string_view::size_type + basic_string_view::find_last_not_of(char_type c, + size_type pos) + const + { + return find_last_not_of(basic_string_view(&c, 1), pos); + } + + template + inline typename basic_string_view::size_type + basic_string_view::find_last_not_of(const char_type* s, + size_type pos, + size_type count) + const + { + return find_last_not_of(basic_string_view(s, count), pos); + } + + template + inline typename basic_string_view::size_type + basic_string_view::find_last_not_of(const char_type* s, + size_type pos) + const + { + return find_last_not_of(basic_string_view(s), pos); + } + + //-------------------------------------------------------------------------- + // Iterator + //-------------------------------------------------------------------------- + + template + inline typename basic_string_view::const_iterator + basic_string_view::begin() + const noexcept + { + return m_str; + } + + template + inline typename basic_string_view::const_iterator + basic_string_view::cbegin() + const noexcept + { + return begin(); + } + + template + inline typename basic_string_view::const_iterator + basic_string_view::end() + const noexcept + { + return m_str + m_size; + } + + template + inline typename basic_string_view::const_iterator + basic_string_view::cend() + const noexcept + { + return cend(); + } + + template + inline typename basic_string_view::const_reverse_iterator + basic_string_view::rbegin() + const noexcept + { + return const_reverse_iterator{end()}; + } + + template + inline typename basic_string_view::const_reverse_iterator + basic_string_view::crbegin() + const noexcept + { + return rbegin(); + } + + template + inline typename basic_string_view::const_reverse_iterator + basic_string_view::rend() + const noexcept + { + return const_reverse_iterator{begin()}; + } + + template + inline typename basic_string_view::const_reverse_iterator + basic_string_view::crend() + const noexcept + { + return crend(); + } + + template + inline bool basic_string_view::is_one_of(CharT c, + basic_string_view str) + { + for (auto s : str) { + if (c == s) { + return true; + } + } + return false; + } + + //-------------------------------------------------------------------------- + // Public Functions + //-------------------------------------------------------------------------- + + template + std::basic_ostream& operator<<(std::basic_ostream& o, + const basic_string_view& str) + { + o.write(str.data(),str.size()); + return o; + } + + template + inline void swap(basic_string_view& lhs, + basic_string_view& rhs) + noexcept + { + lhs.swap(rhs); + } + + //-------------------------------------------------------------------------- + // Comparison Functions + //-------------------------------------------------------------------------- + + template + inline bool operator==(const basic_string_view& lhs, + const basic_string_view& rhs) + noexcept + { + return lhs.compare(rhs) == 0; + } + + template + inline bool operator==(basic_string_view lhs, + const CharT* rhs) + noexcept + { + return lhs == basic_string_view(rhs); + } + + template + inline bool operator==(const CharT* lhs, + const basic_string_view& rhs) + noexcept + { + return basic_string_view(lhs) == rhs; + } + + template + inline bool operator==(const std::basic_string& lhs, + const basic_string_view& rhs) + { + return basic_string_view(lhs) == rhs; + } + + template + inline bool operator==(const basic_string_view& lhs, + const std::basic_string& rhs) + { + return lhs == basic_string_view(rhs); + } + + //-------------------------------------------------------------------------- + + template + inline bool operator!=(const basic_string_view& lhs, + const basic_string_view& rhs) + noexcept + { + return lhs.compare(rhs) != 0; + } + + template + inline bool operator!=(const basic_string_view& lhs, + const CharT* rhs) + noexcept + { + return lhs != basic_string_view(rhs); + } + + template + inline bool operator!=(const CharT* lhs, + const basic_string_view& rhs) + noexcept + { + return basic_string_view(lhs) != rhs; + } + + template + inline bool operator!=(const std::basic_string& lhs, + const basic_string_view& rhs) + { + return basic_string_view(lhs) != rhs; + } + + template + inline bool operator!=(const basic_string_view& lhs, + const std::basic_string& rhs) + { + return lhs != basic_string_view(rhs); + } + //-------------------------------------------------------------------------- + + template + inline bool operator<(const basic_string_view& lhs, + const basic_string_view& rhs) + noexcept + { + return lhs.compare(rhs) < 0; + } + + template + inline bool operator<(const basic_string_view& lhs, + const CharT* rhs) + noexcept + { + return lhs < basic_string_view(rhs); + } + + template + inline bool operator<(const CharT* lhs, + const basic_string_view& rhs) + noexcept + { + return basic_string_view(lhs) < rhs; + } + + template + inline bool operator<(const std::basic_string& lhs, + const basic_string_view& rhs) + { + return basic_string_view(lhs) < rhs; + } + + template + inline bool operator<(const basic_string_view& lhs, + const std::basic_string& rhs) + { + return lhs < basic_string_view(rhs); + } + + //-------------------------------------------------------------------------- + + template + inline bool operator>(const basic_string_view& lhs, + const basic_string_view& rhs) + noexcept + { + return lhs.compare(rhs) > 0; + } + + template + inline bool operator>(const basic_string_view& lhs, + const CharT* rhs) + noexcept + { + return lhs > basic_string_view(rhs); + } + + template + inline bool operator>(const CharT* lhs, + const basic_string_view& rhs) + noexcept + { + return basic_string_view(lhs) > rhs; + } + + template + inline bool operator>(const std::basic_string& lhs, + const basic_string_view& rhs) + { + return basic_string_view(lhs) > rhs; + } + + template + inline bool operator>(const basic_string_view& lhs, + const std::basic_string& rhs) + { + return lhs > basic_string_view(rhs); + } + + //-------------------------------------------------------------------------- + + template + inline bool operator<=(const basic_string_view& lhs, + const basic_string_view& rhs) + noexcept + { + return lhs.compare(rhs) <= 0; + } + + template + inline bool operator<=(const basic_string_view& lhs, + const CharT* rhs) + noexcept + { + return lhs <= basic_string_view(rhs); + } + + template + inline bool operator<=(const CharT* lhs, + const basic_string_view& rhs) + noexcept + { + return basic_string_view(lhs) <= rhs; + } + + template + inline bool operator<=(const std::basic_string& lhs, + const basic_string_view& rhs) + { + return basic_string_view(lhs) <= rhs; + } + + template + inline bool operator<=(const basic_string_view& lhs, + const std::basic_string& rhs) + { + return lhs <= basic_string_view(rhs); + } + + //-------------------------------------------------------------------------- + + template + inline bool operator>=(const basic_string_view& lhs, + const basic_string_view& rhs) + noexcept + { + return lhs.compare(rhs) >= 0; + } + + template + inline bool operator>=(const basic_string_view& lhs, + const CharT* rhs) + noexcept + { + return lhs >= basic_string_view(rhs); + } + + template + inline bool operator>=(const CharT* lhs, + const basic_string_view& rhs) + noexcept + { + return basic_string_view(lhs) >= rhs; + } + + template + inline bool operator>=(const std::basic_string& lhs, + const basic_string_view& rhs) + { + return basic_string_view(lhs) >= rhs; + } + + template + inline bool operator>=(const basic_string_view& lhs, + const std::basic_string& rhs) + { + return lhs >= basic_string_view(rhs); + } + +} // namespace bpstd + +#endif /* BPSTD_DETAIL_STRING_VIEW_INL */ + +#endif /* BPSTD_STRING_VIEW_HPP */ From 3c3a445a4bacbb955fdae6ae3272fed27449eac1 Mon Sep 17 00:00:00 2001 From: Peter Date: Sun, 23 May 2021 22:48:57 +0200 Subject: [PATCH 527/798] move IRC channel to Libera.Chat --- README.md | 5 ++--- 1 file changed, 2 insertions(+), 3 deletions(-) diff --git a/README.md b/README.md index f63581b8..29369d55 100644 --- a/README.md +++ b/README.md @@ -173,9 +173,8 @@ Python modules are loaded through the global module ## Further information -Please visit https://znc.in/ or #znc on freenode if you still have questions: -- [freenode webchat](https://webchat.freenode.net/?nick=znc_....&channels=znc) -- [ircs://irc.freenode.net:6697/znc](ircs://irc.freenode.net:6697/znc) +Please visit https://znc.in/ or #znc on Libera.Chat if you still have questions: +- [ircs://irc.libera.chat:6697/#znc](ircs://irc.libera.chat:6697/#znc) You can get the latest development version with git: `git clone https://github.com/znc/znc.git --recursive` From 9ff9fa7c645c53bdbfb7b24a03a0d2732cebd990 Mon Sep 17 00:00:00 2001 From: Kyle Fuller Date: Wed, 25 Nov 2020 15:24:58 +0000 Subject: [PATCH 528/798] route_replies: route TOPIC requests to client --- modules/route_replies.cpp | 18 ++++++++++++++++++ 1 file changed, 18 insertions(+) diff --git a/modules/route_replies.cpp b/modules/route_replies.cpp index 9256fdfd..f20aae6f 100644 --- a/modules/route_replies.cpp +++ b/modules/route_replies.cpp @@ -183,6 +183,18 @@ static const struct { {"502", true}, /* rfc1459 ERR_USERSDONTMATCH */ {nullptr, true}, }}, + {"TOPIC", + { + {"461", true}, /* rfc1459 ERR_NEEDMOREPARAMS */ + {"403", true}, /* rfc1459 ERR_NOSUCHCHANNEL */ + {"442", true}, /* rfc1459 ERR_NOTONCHANNEL */ + {"482", true}, /* rfc1459 ERR_CHANOPRIVSNEEDED */ + {"331", true}, /* rfc1459 RPL_NOTOPIC */ + {"332", false}, /* rfc1459 RPL_TOPIC */ + {"333", true}, /* ircu? RPL_TOPICWHOTIME */ + {nullptr, true}, + }}, + // END (last item!) {nullptr, {{nullptr, true}}}}; @@ -333,6 +345,12 @@ class CRouteRepliesMod : public CModule { // Ok, this looks like we should route it. // Fall through to the next loop + } else if (Message.GetType() == CMessage::Type::Topic) { + // Check if this is a topic request that needs to be handled + + // If there are arguments to a topic we must not route it. + // Topic change message may result in TOPIC change to go to every client + if (!Message.GetParamsColon(1).empty()) return CONTINUE; } for (size_t i = 0; vRouteReplies[i].szRequest != nullptr; i++) { From a933f0a69d102565467e4a65654a0dddc023bcd1 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Tue, 25 May 2021 00:30:49 +0000 Subject: [PATCH 529/798] Update translations from Crowdin for bg_BG de_DE el_GR es_ES fr_FR id_ID it_IT nl_NL pl_PL pt_BR ro_RO ru_RU --- modules/po/route_replies.bg_BG.po | 22 +++++++++++----------- modules/po/route_replies.de_DE.po | 22 +++++++++++----------- modules/po/route_replies.el_GR.po | 22 +++++++++++----------- modules/po/route_replies.es_ES.po | 22 +++++++++++----------- modules/po/route_replies.fr_FR.po | 22 +++++++++++----------- modules/po/route_replies.id_ID.po | 22 +++++++++++----------- modules/po/route_replies.it_IT.po | 22 +++++++++++----------- modules/po/route_replies.nl_NL.po | 22 +++++++++++----------- modules/po/route_replies.pl_PL.po | 22 +++++++++++----------- modules/po/route_replies.pot | 22 +++++++++++----------- modules/po/route_replies.pt_BR.po | 22 +++++++++++----------- modules/po/route_replies.ro_RO.po | 22 +++++++++++----------- modules/po/route_replies.ru_RU.po | 22 +++++++++++----------- 13 files changed, 143 insertions(+), 143 deletions(-) diff --git a/modules/po/route_replies.bg_BG.po b/modules/po/route_replies.bg_BG.po index bb407e7f..58718e75 100644 --- a/modules/po/route_replies.bg_BG.po +++ b/modules/po/route_replies.bg_BG.po @@ -12,48 +12,48 @@ msgstr "" "Language-Team: Bulgarian\n" "Language: bg_BG\n" -#: route_replies.cpp:215 +#: route_replies.cpp:227 msgid "[yes|no]" msgstr "" -#: route_replies.cpp:216 +#: route_replies.cpp:228 msgid "Decides whether to show the timeout messages or not" msgstr "" -#: route_replies.cpp:356 +#: route_replies.cpp:374 msgid "This module hit a timeout which is probably a connectivity issue." msgstr "" -#: route_replies.cpp:359 +#: route_replies.cpp:377 msgid "" "However, if you can provide steps to reproduce this issue, please do report " "a bug." msgstr "" -#: route_replies.cpp:362 +#: route_replies.cpp:380 msgid "To disable this message, do \"/msg {1} silent yes\"" msgstr "" -#: route_replies.cpp:364 +#: route_replies.cpp:382 msgid "Last request: {1}" msgstr "" -#: route_replies.cpp:365 +#: route_replies.cpp:383 msgid "Expected replies:" msgstr "" -#: route_replies.cpp:369 +#: route_replies.cpp:387 msgid "{1} (last)" msgstr "" -#: route_replies.cpp:441 +#: route_replies.cpp:459 msgid "Timeout messages are disabled." msgstr "" -#: route_replies.cpp:442 +#: route_replies.cpp:460 msgid "Timeout messages are enabled." msgstr "" -#: route_replies.cpp:463 +#: route_replies.cpp:481 msgid "Send replies (e.g. to /who) to the right client only" msgstr "" diff --git a/modules/po/route_replies.de_DE.po b/modules/po/route_replies.de_DE.po index 2091bff7..ea86fe17 100644 --- a/modules/po/route_replies.de_DE.po +++ b/modules/po/route_replies.de_DE.po @@ -12,23 +12,23 @@ msgstr "" "Language-Team: German\n" "Language: de_DE\n" -#: route_replies.cpp:215 +#: route_replies.cpp:227 msgid "[yes|no]" msgstr "[ja|nein]" -#: route_replies.cpp:216 +#: route_replies.cpp:228 msgid "Decides whether to show the timeout messages or not" msgstr "" "Entscheidet ob eine Zeitüberschreitungsnachricht angezeigt werden soll oder " "nicht" -#: route_replies.cpp:356 +#: route_replies.cpp:374 msgid "This module hit a timeout which is probably a connectivity issue." msgstr "" "Dieses Modul hatte eine Zeitüberschreitung, was wahrscheinlich ein " "Verbindungsproblem ist." -#: route_replies.cpp:359 +#: route_replies.cpp:377 msgid "" "However, if you can provide steps to reproduce this issue, please do report " "a bug." @@ -36,30 +36,30 @@ msgstr "" "Falls du allerdings die Schritte zum Reproduzieren dieses Problems angeben " "kannst, dann erstelle bitte einen Fehlerbericht." -#: route_replies.cpp:362 +#: route_replies.cpp:380 msgid "To disable this message, do \"/msg {1} silent yes\"" msgstr "Um diese Nachricht zu deaktivieren, mache \"/msg {1} silent yes\"" -#: route_replies.cpp:364 +#: route_replies.cpp:382 msgid "Last request: {1}" msgstr "Letzte Anfrage: {1}" -#: route_replies.cpp:365 +#: route_replies.cpp:383 msgid "Expected replies:" msgstr "Erwartete Antworten:" -#: route_replies.cpp:369 +#: route_replies.cpp:387 msgid "{1} (last)" msgstr "{1} (letzte)" -#: route_replies.cpp:441 +#: route_replies.cpp:459 msgid "Timeout messages are disabled." msgstr "Zeitüberschreitungsnachrichten sind deaktiviert." -#: route_replies.cpp:442 +#: route_replies.cpp:460 msgid "Timeout messages are enabled." msgstr "Zeitüberschreitungsnachrichten sind aktiviert." -#: route_replies.cpp:463 +#: route_replies.cpp:481 msgid "Send replies (e.g. to /who) to the right client only" msgstr "Sende Antworten (z.B. auf /who) nur zum richtigen Klienten" diff --git a/modules/po/route_replies.el_GR.po b/modules/po/route_replies.el_GR.po index 5ca3f819..fc44951e 100644 --- a/modules/po/route_replies.el_GR.po +++ b/modules/po/route_replies.el_GR.po @@ -12,48 +12,48 @@ msgstr "" "Language-Team: Greek\n" "Language: el_GR\n" -#: route_replies.cpp:215 +#: route_replies.cpp:227 msgid "[yes|no]" msgstr "" -#: route_replies.cpp:216 +#: route_replies.cpp:228 msgid "Decides whether to show the timeout messages or not" msgstr "" -#: route_replies.cpp:356 +#: route_replies.cpp:374 msgid "This module hit a timeout which is probably a connectivity issue." msgstr "" -#: route_replies.cpp:359 +#: route_replies.cpp:377 msgid "" "However, if you can provide steps to reproduce this issue, please do report " "a bug." msgstr "" -#: route_replies.cpp:362 +#: route_replies.cpp:380 msgid "To disable this message, do \"/msg {1} silent yes\"" msgstr "" -#: route_replies.cpp:364 +#: route_replies.cpp:382 msgid "Last request: {1}" msgstr "" -#: route_replies.cpp:365 +#: route_replies.cpp:383 msgid "Expected replies:" msgstr "" -#: route_replies.cpp:369 +#: route_replies.cpp:387 msgid "{1} (last)" msgstr "" -#: route_replies.cpp:441 +#: route_replies.cpp:459 msgid "Timeout messages are disabled." msgstr "" -#: route_replies.cpp:442 +#: route_replies.cpp:460 msgid "Timeout messages are enabled." msgstr "" -#: route_replies.cpp:463 +#: route_replies.cpp:481 msgid "Send replies (e.g. to /who) to the right client only" msgstr "" diff --git a/modules/po/route_replies.es_ES.po b/modules/po/route_replies.es_ES.po index 3b933391..099e5894 100644 --- a/modules/po/route_replies.es_ES.po +++ b/modules/po/route_replies.es_ES.po @@ -12,21 +12,21 @@ msgstr "" "Language-Team: Spanish\n" "Language: es_ES\n" -#: route_replies.cpp:215 +#: route_replies.cpp:227 msgid "[yes|no]" msgstr "[yes | no]" -#: route_replies.cpp:216 +#: route_replies.cpp:228 msgid "Decides whether to show the timeout messages or not" msgstr "Indica si mostrar los mensajes de tiempo de espera agotado o no" -#: route_replies.cpp:356 +#: route_replies.cpp:374 msgid "This module hit a timeout which is probably a connectivity issue." msgstr "" "Este módulo ha agotado el tiempo de espera, lo que puede ser un problema de " "conectividad." -#: route_replies.cpp:359 +#: route_replies.cpp:377 msgid "" "However, if you can provide steps to reproduce this issue, please do report " "a bug." @@ -34,30 +34,30 @@ msgstr "" "Sin embargo, si puedes proporcionar los pasos a seguir para reproducir este " "problema, por favor informa del fallo." -#: route_replies.cpp:362 +#: route_replies.cpp:380 msgid "To disable this message, do \"/msg {1} silent yes\"" msgstr "Para desactivar este mensaje escribe \"/msg {1} silent yes\"" -#: route_replies.cpp:364 +#: route_replies.cpp:382 msgid "Last request: {1}" msgstr "Ultima petición: {1}" -#: route_replies.cpp:365 +#: route_replies.cpp:383 msgid "Expected replies:" msgstr "Respuesta esperada:" -#: route_replies.cpp:369 +#: route_replies.cpp:387 msgid "{1} (last)" msgstr "{1} (última)" -#: route_replies.cpp:441 +#: route_replies.cpp:459 msgid "Timeout messages are disabled." msgstr "Los mensajes de tiempo de espera agotado están desactivados." -#: route_replies.cpp:442 +#: route_replies.cpp:460 msgid "Timeout messages are enabled." msgstr "Los mensajes de tiempo de espera agotado están activados." -#: route_replies.cpp:463 +#: route_replies.cpp:481 msgid "Send replies (e.g. to /who) to the right client only" msgstr "Envía respuestas (por ej. /who) solo al cliente correcto" diff --git a/modules/po/route_replies.fr_FR.po b/modules/po/route_replies.fr_FR.po index c6058712..a954162d 100644 --- a/modules/po/route_replies.fr_FR.po +++ b/modules/po/route_replies.fr_FR.po @@ -12,48 +12,48 @@ msgstr "" "Language-Team: French\n" "Language: fr_FR\n" -#: route_replies.cpp:215 +#: route_replies.cpp:227 msgid "[yes|no]" msgstr "" -#: route_replies.cpp:216 +#: route_replies.cpp:228 msgid "Decides whether to show the timeout messages or not" msgstr "" -#: route_replies.cpp:356 +#: route_replies.cpp:374 msgid "This module hit a timeout which is probably a connectivity issue." msgstr "" -#: route_replies.cpp:359 +#: route_replies.cpp:377 msgid "" "However, if you can provide steps to reproduce this issue, please do report " "a bug." msgstr "" -#: route_replies.cpp:362 +#: route_replies.cpp:380 msgid "To disable this message, do \"/msg {1} silent yes\"" msgstr "" -#: route_replies.cpp:364 +#: route_replies.cpp:382 msgid "Last request: {1}" msgstr "" -#: route_replies.cpp:365 +#: route_replies.cpp:383 msgid "Expected replies:" msgstr "" -#: route_replies.cpp:369 +#: route_replies.cpp:387 msgid "{1} (last)" msgstr "" -#: route_replies.cpp:441 +#: route_replies.cpp:459 msgid "Timeout messages are disabled." msgstr "" -#: route_replies.cpp:442 +#: route_replies.cpp:460 msgid "Timeout messages are enabled." msgstr "" -#: route_replies.cpp:463 +#: route_replies.cpp:481 msgid "Send replies (e.g. to /who) to the right client only" msgstr "" diff --git a/modules/po/route_replies.id_ID.po b/modules/po/route_replies.id_ID.po index e34033fa..cea478db 100644 --- a/modules/po/route_replies.id_ID.po +++ b/modules/po/route_replies.id_ID.po @@ -12,48 +12,48 @@ msgstr "" "Language-Team: Indonesian\n" "Language: id_ID\n" -#: route_replies.cpp:215 +#: route_replies.cpp:227 msgid "[yes|no]" msgstr "" -#: route_replies.cpp:216 +#: route_replies.cpp:228 msgid "Decides whether to show the timeout messages or not" msgstr "" -#: route_replies.cpp:356 +#: route_replies.cpp:374 msgid "This module hit a timeout which is probably a connectivity issue." msgstr "" -#: route_replies.cpp:359 +#: route_replies.cpp:377 msgid "" "However, if you can provide steps to reproduce this issue, please do report " "a bug." msgstr "" -#: route_replies.cpp:362 +#: route_replies.cpp:380 msgid "To disable this message, do \"/msg {1} silent yes\"" msgstr "" -#: route_replies.cpp:364 +#: route_replies.cpp:382 msgid "Last request: {1}" msgstr "" -#: route_replies.cpp:365 +#: route_replies.cpp:383 msgid "Expected replies:" msgstr "" -#: route_replies.cpp:369 +#: route_replies.cpp:387 msgid "{1} (last)" msgstr "" -#: route_replies.cpp:441 +#: route_replies.cpp:459 msgid "Timeout messages are disabled." msgstr "" -#: route_replies.cpp:442 +#: route_replies.cpp:460 msgid "Timeout messages are enabled." msgstr "" -#: route_replies.cpp:463 +#: route_replies.cpp:481 msgid "Send replies (e.g. to /who) to the right client only" msgstr "" diff --git a/modules/po/route_replies.it_IT.po b/modules/po/route_replies.it_IT.po index ebb85112..1459435e 100644 --- a/modules/po/route_replies.it_IT.po +++ b/modules/po/route_replies.it_IT.po @@ -12,21 +12,21 @@ msgstr "" "Language-Team: Italian\n" "Language: it_IT\n" -#: route_replies.cpp:215 +#: route_replies.cpp:227 msgid "[yes|no]" msgstr "[si|no]" -#: route_replies.cpp:216 +#: route_replies.cpp:228 msgid "Decides whether to show the timeout messages or not" msgstr "Decide se mostrare o meno i messaggi di timeout" -#: route_replies.cpp:356 +#: route_replies.cpp:374 msgid "This module hit a timeout which is probably a connectivity issue." msgstr "" "Questo modulo ha riscontrato un timeout che probabilmente è un problema di " "connettività." -#: route_replies.cpp:359 +#: route_replies.cpp:377 msgid "" "However, if you can provide steps to reproduce this issue, please do report " "a bug." @@ -34,30 +34,30 @@ msgstr "" "Tuttavia, se puoi fornire i passaggi per riprodurre questo problema, segnala " "un bug." -#: route_replies.cpp:362 +#: route_replies.cpp:380 msgid "To disable this message, do \"/msg {1} silent yes\"" msgstr "Per disabilitare questo messaggio, digita \"/msg {1} silent yes\"" -#: route_replies.cpp:364 +#: route_replies.cpp:382 msgid "Last request: {1}" msgstr "Ultima richiesta: {1}" -#: route_replies.cpp:365 +#: route_replies.cpp:383 msgid "Expected replies:" msgstr "Risposte attese:" -#: route_replies.cpp:369 +#: route_replies.cpp:387 msgid "{1} (last)" msgstr "{1} (ultimo)" -#: route_replies.cpp:441 +#: route_replies.cpp:459 msgid "Timeout messages are disabled." msgstr "I messaggi di timeout sono disabilitati." -#: route_replies.cpp:442 +#: route_replies.cpp:460 msgid "Timeout messages are enabled." msgstr "I messaggi di timeout sono abilitati." -#: route_replies.cpp:463 +#: route_replies.cpp:481 msgid "Send replies (e.g. to /who) to the right client only" msgstr "Invia le risposte (come ad esempio /who) solamente al cliente giusto" diff --git a/modules/po/route_replies.nl_NL.po b/modules/po/route_replies.nl_NL.po index 83070b1c..6fc7190a 100644 --- a/modules/po/route_replies.nl_NL.po +++ b/modules/po/route_replies.nl_NL.po @@ -12,21 +12,21 @@ msgstr "" "Language-Team: Dutch\n" "Language: nl_NL\n" -#: route_replies.cpp:215 +#: route_replies.cpp:227 msgid "[yes|no]" msgstr "[yes|no]" -#: route_replies.cpp:216 +#: route_replies.cpp:228 msgid "Decides whether to show the timeout messages or not" msgstr "Beslist of time-out berichten laten zien worden of niet" -#: route_replies.cpp:356 +#: route_replies.cpp:374 msgid "This module hit a timeout which is probably a connectivity issue." msgstr "" "Deze module heeft een time-out geraakt, dit is waarschijnlijk een " "connectiviteitsprobleem." -#: route_replies.cpp:359 +#: route_replies.cpp:377 msgid "" "However, if you can provide steps to reproduce this issue, please do report " "a bug." @@ -34,30 +34,30 @@ msgstr "" "Maar, als je de stappen kan herproduceren, stuur alsjeblieft een bugrapport " "hier mee." -#: route_replies.cpp:362 +#: route_replies.cpp:380 msgid "To disable this message, do \"/msg {1} silent yes\"" msgstr "Om dit bericht uit te zetten, doe \"/msg {1} silent yes\"" -#: route_replies.cpp:364 +#: route_replies.cpp:382 msgid "Last request: {1}" msgstr "Laatste aanvraag: {1}" -#: route_replies.cpp:365 +#: route_replies.cpp:383 msgid "Expected replies:" msgstr "Verwachte antwoorden:" -#: route_replies.cpp:369 +#: route_replies.cpp:387 msgid "{1} (last)" msgstr "{1} (laatste)" -#: route_replies.cpp:441 +#: route_replies.cpp:459 msgid "Timeout messages are disabled." msgstr "Time-out berichten uitgeschakeld." -#: route_replies.cpp:442 +#: route_replies.cpp:460 msgid "Timeout messages are enabled." msgstr "Time-out berichten ingeschakeld." -#: route_replies.cpp:463 +#: route_replies.cpp:481 msgid "Send replies (e.g. to /who) to the right client only" msgstr "Stuur antwoorden (zoals /who) alleen naar de juiste clients" diff --git a/modules/po/route_replies.pl_PL.po b/modules/po/route_replies.pl_PL.po index 4b9f3e44..63d844bd 100644 --- a/modules/po/route_replies.pl_PL.po +++ b/modules/po/route_replies.pl_PL.po @@ -14,48 +14,48 @@ msgstr "" "Language-Team: Polish\n" "Language: pl_PL\n" -#: route_replies.cpp:215 +#: route_replies.cpp:227 msgid "[yes|no]" msgstr "[yes|no]" -#: route_replies.cpp:216 +#: route_replies.cpp:228 msgid "Decides whether to show the timeout messages or not" msgstr "" -#: route_replies.cpp:356 +#: route_replies.cpp:374 msgid "This module hit a timeout which is probably a connectivity issue." msgstr "" -#: route_replies.cpp:359 +#: route_replies.cpp:377 msgid "" "However, if you can provide steps to reproduce this issue, please do report " "a bug." msgstr "" -#: route_replies.cpp:362 +#: route_replies.cpp:380 msgid "To disable this message, do \"/msg {1} silent yes\"" msgstr "Aby wyłączyć tą wiadomość, zrób \"/msg {1} silent yes\"" -#: route_replies.cpp:364 +#: route_replies.cpp:382 msgid "Last request: {1}" msgstr "" -#: route_replies.cpp:365 +#: route_replies.cpp:383 msgid "Expected replies:" msgstr "" -#: route_replies.cpp:369 +#: route_replies.cpp:387 msgid "{1} (last)" msgstr "" -#: route_replies.cpp:441 +#: route_replies.cpp:459 msgid "Timeout messages are disabled." msgstr "" -#: route_replies.cpp:442 +#: route_replies.cpp:460 msgid "Timeout messages are enabled." msgstr "" -#: route_replies.cpp:463 +#: route_replies.cpp:481 msgid "Send replies (e.g. to /who) to the right client only" msgstr "Wysyła odpowiedzi (np. takie jak /who) tylko do właściwych klientów" diff --git a/modules/po/route_replies.pot b/modules/po/route_replies.pot index e6e69f1c..4bc76d3f 100644 --- a/modules/po/route_replies.pot +++ b/modules/po/route_replies.pot @@ -3,48 +3,48 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -#: route_replies.cpp:215 +#: route_replies.cpp:227 msgid "[yes|no]" msgstr "" -#: route_replies.cpp:216 +#: route_replies.cpp:228 msgid "Decides whether to show the timeout messages or not" msgstr "" -#: route_replies.cpp:356 +#: route_replies.cpp:374 msgid "This module hit a timeout which is probably a connectivity issue." msgstr "" -#: route_replies.cpp:359 +#: route_replies.cpp:377 msgid "" "However, if you can provide steps to reproduce this issue, please do report " "a bug." msgstr "" -#: route_replies.cpp:362 +#: route_replies.cpp:380 msgid "To disable this message, do \"/msg {1} silent yes\"" msgstr "" -#: route_replies.cpp:364 +#: route_replies.cpp:382 msgid "Last request: {1}" msgstr "" -#: route_replies.cpp:365 +#: route_replies.cpp:383 msgid "Expected replies:" msgstr "" -#: route_replies.cpp:369 +#: route_replies.cpp:387 msgid "{1} (last)" msgstr "" -#: route_replies.cpp:441 +#: route_replies.cpp:459 msgid "Timeout messages are disabled." msgstr "" -#: route_replies.cpp:442 +#: route_replies.cpp:460 msgid "Timeout messages are enabled." msgstr "" -#: route_replies.cpp:463 +#: route_replies.cpp:481 msgid "Send replies (e.g. to /who) to the right client only" msgstr "" diff --git a/modules/po/route_replies.pt_BR.po b/modules/po/route_replies.pt_BR.po index 63e50f22..2c545249 100644 --- a/modules/po/route_replies.pt_BR.po +++ b/modules/po/route_replies.pt_BR.po @@ -12,48 +12,48 @@ msgstr "" "Language-Team: Portuguese, Brazilian\n" "Language: pt_BR\n" -#: route_replies.cpp:215 +#: route_replies.cpp:227 msgid "[yes|no]" msgstr "" -#: route_replies.cpp:216 +#: route_replies.cpp:228 msgid "Decides whether to show the timeout messages or not" msgstr "" -#: route_replies.cpp:356 +#: route_replies.cpp:374 msgid "This module hit a timeout which is probably a connectivity issue." msgstr "" -#: route_replies.cpp:359 +#: route_replies.cpp:377 msgid "" "However, if you can provide steps to reproduce this issue, please do report " "a bug." msgstr "" -#: route_replies.cpp:362 +#: route_replies.cpp:380 msgid "To disable this message, do \"/msg {1} silent yes\"" msgstr "" -#: route_replies.cpp:364 +#: route_replies.cpp:382 msgid "Last request: {1}" msgstr "" -#: route_replies.cpp:365 +#: route_replies.cpp:383 msgid "Expected replies:" msgstr "" -#: route_replies.cpp:369 +#: route_replies.cpp:387 msgid "{1} (last)" msgstr "" -#: route_replies.cpp:441 +#: route_replies.cpp:459 msgid "Timeout messages are disabled." msgstr "" -#: route_replies.cpp:442 +#: route_replies.cpp:460 msgid "Timeout messages are enabled." msgstr "" -#: route_replies.cpp:463 +#: route_replies.cpp:481 msgid "Send replies (e.g. to /who) to the right client only" msgstr "" diff --git a/modules/po/route_replies.ro_RO.po b/modules/po/route_replies.ro_RO.po index b3b9f238..331b65e9 100644 --- a/modules/po/route_replies.ro_RO.po +++ b/modules/po/route_replies.ro_RO.po @@ -13,48 +13,48 @@ msgstr "" "Language-Team: Romanian\n" "Language: ro_RO\n" -#: route_replies.cpp:215 +#: route_replies.cpp:227 msgid "[yes|no]" msgstr "" -#: route_replies.cpp:216 +#: route_replies.cpp:228 msgid "Decides whether to show the timeout messages or not" msgstr "" -#: route_replies.cpp:356 +#: route_replies.cpp:374 msgid "This module hit a timeout which is probably a connectivity issue." msgstr "" -#: route_replies.cpp:359 +#: route_replies.cpp:377 msgid "" "However, if you can provide steps to reproduce this issue, please do report " "a bug." msgstr "" -#: route_replies.cpp:362 +#: route_replies.cpp:380 msgid "To disable this message, do \"/msg {1} silent yes\"" msgstr "" -#: route_replies.cpp:364 +#: route_replies.cpp:382 msgid "Last request: {1}" msgstr "" -#: route_replies.cpp:365 +#: route_replies.cpp:383 msgid "Expected replies:" msgstr "" -#: route_replies.cpp:369 +#: route_replies.cpp:387 msgid "{1} (last)" msgstr "" -#: route_replies.cpp:441 +#: route_replies.cpp:459 msgid "Timeout messages are disabled." msgstr "" -#: route_replies.cpp:442 +#: route_replies.cpp:460 msgid "Timeout messages are enabled." msgstr "" -#: route_replies.cpp:463 +#: route_replies.cpp:481 msgid "Send replies (e.g. to /who) to the right client only" msgstr "" diff --git a/modules/po/route_replies.ru_RU.po b/modules/po/route_replies.ru_RU.po index dbfcc444..31c92c99 100644 --- a/modules/po/route_replies.ru_RU.po +++ b/modules/po/route_replies.ru_RU.po @@ -14,48 +14,48 @@ msgstr "" "Language-Team: Russian\n" "Language: ru_RU\n" -#: route_replies.cpp:215 +#: route_replies.cpp:227 msgid "[yes|no]" msgstr "" -#: route_replies.cpp:216 +#: route_replies.cpp:228 msgid "Decides whether to show the timeout messages or not" msgstr "" -#: route_replies.cpp:356 +#: route_replies.cpp:374 msgid "This module hit a timeout which is probably a connectivity issue." msgstr "" -#: route_replies.cpp:359 +#: route_replies.cpp:377 msgid "" "However, if you can provide steps to reproduce this issue, please do report " "a bug." msgstr "" -#: route_replies.cpp:362 +#: route_replies.cpp:380 msgid "To disable this message, do \"/msg {1} silent yes\"" msgstr "" -#: route_replies.cpp:364 +#: route_replies.cpp:382 msgid "Last request: {1}" msgstr "" -#: route_replies.cpp:365 +#: route_replies.cpp:383 msgid "Expected replies:" msgstr "" -#: route_replies.cpp:369 +#: route_replies.cpp:387 msgid "{1} (last)" msgstr "" -#: route_replies.cpp:441 +#: route_replies.cpp:459 msgid "Timeout messages are disabled." msgstr "" -#: route_replies.cpp:442 +#: route_replies.cpp:460 msgid "Timeout messages are enabled." msgstr "" -#: route_replies.cpp:463 +#: route_replies.cpp:481 msgid "Send replies (e.g. to /who) to the right client only" msgstr "" From 15e2351d40763acee5d246df7c725c3bd259c304 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Wed, 26 May 2021 10:10:20 +0100 Subject: [PATCH 530/798] Switch --makeconf wizard from freenode to libera --- src/znc.cpp | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/src/znc.cpp b/src/znc.cpp index c5ad17dc..36536754 100644 --- a/src/znc.cpp +++ b/src/znc.cpp @@ -778,7 +778,7 @@ bool CZNC::WriteNewConfig(const CString& sConfigFile) { CUtils::PrintMessage(""); do { - CUtils::GetInput("Name", sNetwork, "freenode"); + CUtils::GetInput("Name", sNetwork, "libera"); } while (!CIRCNetwork::IsValidNetwork(sNetwork)); vsLines.push_back("\t"); @@ -795,8 +795,8 @@ bool CZNC::WriteNewConfig(const CString& sConfigFile) { bool bSSL = false; unsigned int uServerPort = 0; - if (sNetwork.Equals("freenode")) { - sHost = "chat.freenode.net"; + if (sNetwork.Equals("libera")) { + sHost = "irc.libera.chat"; #ifdef HAVE_LIBSSL bSSL = true; #endif From e7b6a771c66c2cbcae37f83cb99439aa2ea5f738 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Tue, 1 Jun 2021 21:55:35 +0100 Subject: [PATCH 531/798] Hide password in PASS debug lines without : in trailing param --- src/ZNCDebug.cpp | 9 +++++++-- test/CMakeLists.txt | 2 +- test/DebugTest.cpp | 28 ++++++++++++++++++++++++++++ 3 files changed, 36 insertions(+), 3 deletions(-) create mode 100644 test/DebugTest.cpp diff --git a/src/ZNCDebug.cpp b/src/ZNCDebug.cpp index 9b798454..5e2d1521 100644 --- a/src/ZNCDebug.cpp +++ b/src/ZNCDebug.cpp @@ -29,11 +29,16 @@ CString CDebug::Filter(const CString& sUnfilteredLine) { // If the line is a PASS command to authenticate to a server / znc if (sUnfilteredLine.StartsWith("PASS ")) { + CString sPrefix = sUnfilteredLine.substr(0, sUnfilteredLine[5] == ':' ? 6 : 5); + CString sRest = sUnfilteredLine.substr(sPrefix.length()); + VCString vsSafeCopy; - sUnfilteredLine.Split(":", vsSafeCopy); + sRest.Split(":", vsSafeCopy); if (vsSafeCopy.size() > 1) { - sFilteredLine = vsSafeCopy[0] + ":"; + sFilteredLine = sPrefix + vsSafeCopy[0] + ":"; + } else { + sFilteredLine = sPrefix + ""; } } diff --git a/test/CMakeLists.txt b/test/CMakeLists.txt index 2710c742..4b074563 100644 --- a/test/CMakeLists.txt +++ b/test/CMakeLists.txt @@ -61,7 +61,7 @@ add_executable(unittest_bin EXCLUDE_FROM_ALL "ThreadTest.cpp" "NickTest.cpp" "ClientTest.cpp" "NetworkTest.cpp" "MessageTest.cpp" "ModulesTest.cpp" "IRCSockTest.cpp" "QueryTest.cpp" "StringTest.cpp" "ConfigTest.cpp" "BufferTest.cpp" "UtilsTest.cpp" - "UserTest.cpp") + "UserTest.cpp" "DebugTest.cpp") target_link_libraries(unittest_bin PRIVATE znclib) target_include_directories(unittest_bin PRIVATE "${GTEST_ROOT}" "${GTEST_ROOT}/include" diff --git a/test/DebugTest.cpp b/test/DebugTest.cpp new file mode 100644 index 00000000..d335d811 --- /dev/null +++ b/test/DebugTest.cpp @@ -0,0 +1,28 @@ +/* + * Copyright (C) 2004-2021 ZNC, see the NOTICE file for details. + * + * Licensed under the Apache License, Version 2.0 (the "License"); + * you may not use this file except in compliance with the License. + * You may obtain a copy of the License at + * + * http://www.apache.org/licenses/LICENSE-2.0 + * + * Unless required by applicable law or agreed to in writing, software + * distributed under the License is distributed on an "AS IS" BASIS, + * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. + * See the License for the specific language governing permissions and + * limitations under the License. + */ + +#include +#include +#include + +TEST(DebugTest, Filter) { + EXPECT_EQ(CDebug::Filter("JOIN #znc"), "JOIN #znc"); + EXPECT_EQ(CDebug::Filter("PASS hunter2"), "PASS "); + EXPECT_EQ(CDebug::Filter("PASS :hunter2"), "PASS :"); + EXPECT_EQ(CDebug::Filter("PASS user/net:hunter2"), "PASS user/net:"); + EXPECT_EQ(CDebug::Filter("PASS :user/net:hunter2"), "PASS :user/net:"); + EXPECT_EQ(CDebug::Filter("pass hunter2"), "pass "); +} From 96ab99bb5192e325542e3d99d7fdf47414274593 Mon Sep 17 00:00:00 2001 From: ZNC-Jenkins Date: Mon, 7 Jun 2021 00:29:40 +0000 Subject: [PATCH 532/798] Update translations from Crowdin for bg_BG --- TRANSLATORS.md | 1 + modules/po/log.bg_BG.po | 4 ++-- modules/po/notes.bg_BG.po | 20 ++++++++++---------- modules/po/sample.bg_BG.po | 2 +- modules/po/watch.bg_BG.po | 6 +++--- src/po/znc.bg_BG.po | 22 +++++++++++----------- 6 files changed, 28 insertions(+), 27 deletions(-) diff --git a/TRANSLATORS.md b/TRANSLATORS.md index 693eff1a..1a496633 100644 --- a/TRANSLATORS.md +++ b/TRANSLATORS.md @@ -9,6 +9,7 @@ These people helped translating ZNC to various languages: * DarthGandalf * dgw * Dreiundachzig +* Dremski * eggoez (Baguz Ach) * hypech * Jay2k1 diff --git a/modules/po/log.bg_BG.po b/modules/po/log.bg_BG.po index 84f02320..50cf4c9a 100644 --- a/modules/po/log.bg_BG.po +++ b/modules/po/log.bg_BG.po @@ -30,7 +30,7 @@ msgstr "" #: log.cpp:67 msgid " true|false" -msgstr "" +msgstr " истина|лъжа" #: log.cpp:68 msgid "Set one of the following options: joins, quits, nickchanges" @@ -61,7 +61,7 @@ msgstr[1] "" #: log.cpp:168 log.cpp:174 msgctxt "listrules" msgid "Rule" -msgstr "" +msgstr "Правило" #: log.cpp:169 log.cpp:175 msgctxt "listrules" diff --git a/modules/po/notes.bg_BG.po b/modules/po/notes.bg_BG.po index 47856150..ea4ddc2c 100644 --- a/modules/po/notes.bg_BG.po +++ b/modules/po/notes.bg_BG.po @@ -14,35 +14,35 @@ msgstr "" #: modules/po/../data/notes/tmpl/index.tmpl:7 msgid "Add A Note" -msgstr "" +msgstr "Добавяне на бележка" #: modules/po/../data/notes/tmpl/index.tmpl:11 msgid "Key:" -msgstr "" +msgstr "Ключ:" #: modules/po/../data/notes/tmpl/index.tmpl:15 msgid "Note:" -msgstr "" +msgstr "Бележка:" #: modules/po/../data/notes/tmpl/index.tmpl:19 msgid "Add Note" -msgstr "" +msgstr "Добавяне на бележка" #: modules/po/../data/notes/tmpl/index.tmpl:27 msgid "You have no notes to display." -msgstr "" +msgstr "Нямате бележки за показване." #: modules/po/../data/notes/tmpl/index.tmpl:34 notes.cpp:164 notes.cpp:170 msgid "Key" -msgstr "" +msgstr "Ключ" #: modules/po/../data/notes/tmpl/index.tmpl:35 notes.cpp:165 notes.cpp:171 msgid "Note" -msgstr "" +msgstr "Бележка" #: modules/po/../data/notes/tmpl/index.tmpl:41 msgid "[del]" -msgstr "" +msgstr "[del]" #: notes.cpp:32 msgid "That note already exists. Use MOD to overwrite." @@ -86,7 +86,7 @@ msgstr "" #: notes.cpp:79 notes.cpp:83 msgid "" -msgstr "" +msgstr "" #: notes.cpp:79 msgid "Delete a note" @@ -98,7 +98,7 @@ msgstr "" #: notes.cpp:94 msgid "Notes" -msgstr "" +msgstr "Бележки" #: notes.cpp:133 msgid "That note already exists. Use /#+ to overwrite." diff --git a/modules/po/sample.bg_BG.po b/modules/po/sample.bg_BG.po index e4c7c047..e7aa3367 100644 --- a/modules/po/sample.bg_BG.po +++ b/modules/po/sample.bg_BG.po @@ -26,7 +26,7 @@ msgstr "" #: sample.cpp:65 msgid "TEST!!!!" -msgstr "" +msgstr "ПРОБА!!!!" #: sample.cpp:74 msgid "I'm being loaded with the arguments: {1}" diff --git a/modules/po/watch.bg_BG.po b/modules/po/watch.bg_BG.po index e6f9a61f..5a919abe 100644 --- a/modules/po/watch.bg_BG.po +++ b/modules/po/watch.bg_BG.po @@ -138,7 +138,7 @@ msgstr "" #: watch.cpp:495 watch.cpp:511 msgid "Sources" -msgstr "" +msgstr "Източници" #: watch.cpp:496 watch.cpp:512 watch.cpp:513 msgid "Off" @@ -154,11 +154,11 @@ msgstr "" #: watch.cpp:516 watch.cpp:519 msgid "Yes" -msgstr "" +msgstr "Да" #: watch.cpp:516 watch.cpp:519 msgid "No" -msgstr "" +msgstr "Не" #: watch.cpp:525 watch.cpp:531 msgid "You have no entries." diff --git a/src/po/znc.bg_BG.po b/src/po/znc.bg_BG.po index 6a99ec67..4d27cd08 100644 --- a/src/po/znc.bg_BG.po +++ b/src/po/znc.bg_BG.po @@ -470,11 +470,11 @@ msgstr "" #: ClientCommand.cpp:190 msgid "No such user: {1}" -msgstr "" +msgstr "Няма такъв потребител: {1}" #: ClientCommand.cpp:198 msgid "No clients are connected" -msgstr "" +msgstr "Няма свързани клиенти" #: ClientCommand.cpp:203 ClientCommand.cpp:209 msgctxt "listclientscmd" @@ -489,7 +489,7 @@ msgstr "" #: ClientCommand.cpp:205 ClientCommand.cpp:215 msgctxt "listclientscmd" msgid "Identifier" -msgstr "" +msgstr "Разпознавач" #: ClientCommand.cpp:223 ClientCommand.cpp:229 msgctxt "listuserscmd" @@ -499,12 +499,12 @@ msgstr "" #: ClientCommand.cpp:224 ClientCommand.cpp:230 msgctxt "listuserscmd" msgid "Networks" -msgstr "" +msgstr "Мрежи" #: ClientCommand.cpp:225 ClientCommand.cpp:232 msgctxt "listuserscmd" msgid "Clients" -msgstr "" +msgstr "Клиенти" #: ClientCommand.cpp:240 ClientCommand.cpp:250 ClientCommand.cpp:260 #: ClientCommand.cpp:263 @@ -520,7 +520,7 @@ msgstr "" #: ClientCommand.cpp:242 ClientCommand.cpp:252 ClientCommand.cpp:268 msgctxt "listallusernetworkscmd" msgid "Clients" -msgstr "" +msgstr "Клиенти" #: ClientCommand.cpp:243 ClientCommand.cpp:271 ClientCommand.cpp:280 msgctxt "listallusernetworkscmd" @@ -544,7 +544,7 @@ msgstr "" #: ClientCommand.cpp:251 msgid "N/A" -msgstr "" +msgstr "Не е приложимо" #: ClientCommand.cpp:272 msgctxt "listallusernetworkscmd" @@ -587,19 +587,19 @@ msgstr "" #: ClientCommand.cpp:355 msgid "Server [{1}] not found" -msgstr "" +msgstr "Няма намерен сървър [{1}]" #: ClientCommand.cpp:375 ClientCommand.cpp:380 msgid "Connecting to {1}..." -msgstr "" +msgstr "Свързване към {1}..." #: ClientCommand.cpp:377 msgid "Jumping to the next server in the list..." -msgstr "" +msgstr "Прескачане към следващия сървър в списъка..." #: ClientCommand.cpp:382 msgid "Connecting..." -msgstr "" +msgstr "Свързване..." #: ClientCommand.cpp:400 msgid "Disconnected from IRC. Use 'connect' to reconnect." From 2a733cc938168b57a758b6cfd234e2413e0629c5 Mon Sep 17 00:00:00 2001 From: Casper <38324207+csprr@users.noreply.github.com> Date: Thu, 17 Jun 2021 12:58:02 +0200 Subject: [PATCH 533/798] Fixed missing paragraph closing tag --- modules/data/webadmin/tmpl/add_edit_network.tmpl | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/modules/data/webadmin/tmpl/add_edit_network.tmpl b/modules/data/webadmin/tmpl/add_edit_network.tmpl index 9a1a9870..d0ea2cf0 100644 --- a/modules/data/webadmin/tmpl/add_edit_network.tmpl +++ b/modules/data/webadmin/tmpl/add_edit_network.tmpl @@ -11,7 +11,7 @@ /: / -

{1} or username field as {2}" "ClientConnectHint_Password ESC=" "ClientConnectHint_Username ESC=" ?> +

{1} or username field as {2}" "ClientConnectHint_Password ESC=" "ClientConnectHint_Username ESC=" ?>

From 688645413c258f1fe42a39e42e5b5d1dead03d71 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Fri, 18 Jun 2021 21:20:53 +0100 Subject: [PATCH 534/798] Fix integration test after switch to libera --- test/integration/framework/znctest.cpp | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/test/integration/framework/znctest.cpp b/test/integration/framework/znctest.cpp index 195b6083..40dae85f 100644 --- a/test/integration/framework/znctest.cpp +++ b/test/integration/framework/znctest.cpp @@ -39,7 +39,7 @@ void WriteConfig(QString path) { p.ReadUntil("Real name"); p.Write(); p.ReadUntil("Bind host"); p.Write(); p.ReadUntil("Set up a network?"); p.Write(); - p.ReadUntil("Name [freenode]"); p.Write("test"); + p.ReadUntil("Name [libera]"); p.Write("test"); p.ReadUntil("Server host (host only)"); p.Write("127.0.0.1"); p.ReadUntil("Server uses SSL?"); p.Write(); p.ReadUntil("6667"); p.Write(); From bcbdce2daf33532eecbf6232764516727cd9d59f Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Tue, 29 Jun 2021 22:05:35 +0100 Subject: [PATCH 535/798] Setup github actions --- .github/build.sh | 56 +++++++++++++++ .github/ubuntu_deps.sh | 3 + .github/workflows/build.yml | 138 ++++++++++++++++++++++++++++++++++++ Dockerfile | 5 -- 4 files changed, 197 insertions(+), 5 deletions(-) create mode 100644 .github/build.sh create mode 100644 .github/ubuntu_deps.sh create mode 100644 .github/workflows/build.yml diff --git a/.github/build.sh b/.github/build.sh new file mode 100644 index 00000000..7007806d --- /dev/null +++ b/.github/build.sh @@ -0,0 +1,56 @@ +set -x + +pwd +ls -la + +cpanm --local-lib=~/perl5 local::lib +eval $(perl -I ~/perl5/lib/perl5/ -Mlocal::lib) +cpanm --notest Devel::Cover::Report::Clover +pip3 install --user coverage +export ZNC_MODPERL_COVERAGE=1" +export ZNC_MODPYTHON_COVERAGE=1" + +case "$RUNNER_OS" in + Linux) + CXX_FOR_COV=$CXX + ;; + macOS) + CXX_FOR_COV=clang++ + ;; +esac +case "$CXX_FOR_COV" in + g++) + CXXFLAGS+=" --coverage" + LDFLAGS+=" --coverage" + ;; + clang++) + CXXFLAGS+=" -fprofile-instr-generate -fcoverage-mapping" + LDFLAGS+=" -fprofile-instr-generate" + ;; +esac + +mkdir build +cd build +../configure --enable-debug --enable-perl --enable-python --enable-tcl --enable-cyrus --enable-charset $CFGFLAGS +cmake --system-information + +make -j2 VERBOSE=1 +env LLVM_PROFILE_FILE="$PWD/unittest.profraw" make VERBOSE=1 unittest +sudo make install +/usr/local/bin/znc --version + +# TODO: use DEVEL_COVER_OPTIONS for https://metacpan.org/pod/Devel::Cover +env LLVM_PROFILE_FILE="$PWD/inttest.profraw" ZNC_MODPERL_COVERAGE_OPTS="-db,$PWD/cover_db" PYTHONWARNINGS=error make VERBOSE=1 inttest + +case "$RUNNER_OS" in + Linux) + ~/perl5/bin/cover --no-gcov --report=clover + ;; + macOS) + xcrun llvm-profdata merge unittest.profraw -o unittest.profdata + xcrun llvm-profdata merge inttest.profraw -o inttest.profdata + xcrun llvm-cov show -show-line-counts-or-regions -instr-profile=unittest.profdata test/unittest_bin > unittest-cmake-coverage.txt + xcrun llvm-cov show -show-line-counts-or-regions -instr-profile=inttest.profdata /usr/local/bin/znc > inttest-znc-coverage.txt + find /usr/local/lib/znc -name '*.so' -or -name '*.bundle' | while read f; do xcrun llvm-cov show -show-line-counts-or-regions -instr-profile=inttest.profdata $f > inttest-$(basename $f)-coverage.txt; done + ;; +esac diff --git a/.github/ubuntu_deps.sh b/.github/ubuntu_deps.sh new file mode 100644 index 00000000..535992ce --- /dev/null +++ b/.github/ubuntu_deps.sh @@ -0,0 +1,3 @@ +sudo apt-get update +sudo apt-get install -y tcl-dev libsasl2-dev libicu-dev swig qtbase5-dev libboost-locale-dev libperl-dev cpanminus gettext + diff --git a/.github/workflows/build.yml b/.github/workflows/build.yml new file mode 100644 index 00000000..722b9d99 --- /dev/null +++ b/.github/workflows/build.yml @@ -0,0 +1,138 @@ +name: Test +on: + - push + - pull_request + +jobs: + gcc: + name: GCC + runs-on: ubuntu-20.04 + steps: + - uses: actions/checkout@v2 + with: + submodules: true + - run: source .github/ubuntu_deps.sh + - run: source .github/build.sh + - uses: codecov/codecov-action@v1 + + tarball: + name: Tarball + runs-on: ubuntu-20.04 + steps: + - uses: actions/checkout@v2 + with: + submodules: true + - run: source .github/ubuntu_deps.sh + - run: | + ./make-tarball.sh --nightly znc-git-2015-01-16 /tmp/znc-tarball.tar.gz + tar xvf /tmp/znc-tarball.tar.gz + cd znc-git-2015-01-16 + export CFGFLAGS="--with-gtest=$GITHUB_WORKSPACE/third_party/googletest/googletest --with-gmock=$GITHUB_WORKSPACE/third_party/googletest/googlemock --disable-swig" + source .github/build.sh + - uses: codecov/codecov-action@v1 + + # can be removed when asan below is fixed + clang: + name: Clang + runs-on: ubuntu-20.04 + env: + CXX: clang++ + steps: + - uses: actions/checkout@v2 + with: + submodules: true + - run: source .github/ubuntu_deps.sh + - run: source .github/build.sh + - uses: codecov/codecov-action@v1 + + + #clang_asan: + #name: Clang ASAN + #runs-on: ubuntu-20.04 + #env: + #CXX: clang++ + #CXXFLAGS: "-fsanitize=address -O1 -fno-omit-frame-pointer -fno-optimize-sibling-calls -fPIE" + #LDFLAGS: "-fsanitize=address -pie" + #steps: + #- uses: actions/checkout@v2 + #with: + #submodules: true + #- run: source .github/ubuntu_deps.sh + #- run: source .github/build.sh + #- uses: codecov/codecov-action@v1 + + #clang_tsan: + #name: Clang TSAN + #runs-on: ubuntu-20.04 + #env: + #CXX: clang++ + #CXXFLAGS: "-fsanitize=thread -O1 -fPIE" + #LDFLAGS: "-fsanitize=thread" + #steps: + #- uses: actions/checkout@v2 + #with: + #submodules: true + #- run: source .github/ubuntu_deps.sh + #- run: source .github/build.sh + #- uses: codecov/codecov-action@v1 + + # TODO: enable + #CXXFLAGS: "-fsanitize=memory -O1 -fno-omit-frame-pointer -fno-optimize-sibling-calls -fsanitize-memory-track-origins" + #LDFLAGS: "-fsanitize=memory" + + #CXXFLAGS: "-fsanitize=undefined -O1 -fPIE -fno-sanitize-recover" + #LDFLAGS: "-fsanitize=undefined -pie -fno-sanitize-recover" + + #macos: + #name: macOS + #runs-on: macos-latest + #steps: + #- uses: actions/checkout@v2 + #with: + #submodules: true + #- run: | + #brew update + #brew install icu4c qt5 gettext pkg-config cpanminus boost + #- run: source .github/build.sh + #- uses: codecov/codecov-action@v1 + + docker: + name: Docker push + runs-on: ubuntu-latest + if: github.event_name != 'pull_request' + needs: + - gcc + - tarball + - clang + steps: + - uses: actions/checkout@v2 + with: + submodules: true + - id: tagger + run: | + git fetch --unshallow + echo "::set-output name=describe::$(git describe)" + if [[ "$GITHUB_REF" == refs/heads/master ]]; then + echo "::set-output name=latest::type=raw,latest" + fi + - uses: docker/metadata-action@v3 + id: meta + with: + images: zncbouncer/znc-git + tags: | + type=ref,event=branch + type=ref,event=branch,suffix=-${{steps.tagger.outputs.describe}}' + ${{steps.tagger.outputs.latest}} + - run: echo "${GITHUB_REF#refs/heads/}-${{steps.tagger.outputs.describe}}" > .nightly + - run: cat .nightly + - uses: docker/login-action@v1 + with: + username: ${{ secrets.DOCKER_USERNAME }} + password: ${{ secrets.DOCKER_PASSWORD }} + - uses: docker/build-push-action@v2 + with: + push: true + tags: ${{ steps.meta.outputs.tags }} + labels: ${{ steps.meta.outputs.labels }} + build-args: | + VERSION_EXTRA=+docker-git- diff --git a/Dockerfile b/Dockerfile index e7ffd0e7..530508d8 100644 --- a/Dockerfile +++ b/Dockerfile @@ -5,13 +5,8 @@ ARG VERSION_EXTRA="" ARG CMAKEFLAGS="-DVERSION_EXTRA=${VERSION_EXTRA} -DCMAKE_INSTALL_PREFIX=/opt/znc -DWANT_CYRUS=YES -DWANT_PERL=YES -DWANT_PYTHON=YES" ARG MAKEFLAGS="" -ARG BUILD_DATE -ARG VCS_REF - LABEL org.label-schema.schema-version="1.0" -LABEL org.label-schema.vcs-ref=$VCS_REF LABEL org.label-schema.vcs-url="https://github.com/znc/znc" -LABEL org.label-schema.build-date=$BUILD_DATE LABEL org.label-schema.url="https://znc.in" COPY . /znc-src From acda0eabe4512252f7f0416bc6b750837321974b Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Wed, 30 Jun 2021 02:47:06 +0100 Subject: [PATCH 536/798] CI: Remove ' symbol where it shouldn't be --- .github/workflows/build.yml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/.github/workflows/build.yml b/.github/workflows/build.yml index 722b9d99..c0e6e469 100644 --- a/.github/workflows/build.yml +++ b/.github/workflows/build.yml @@ -121,7 +121,7 @@ jobs: images: zncbouncer/znc-git tags: | type=ref,event=branch - type=ref,event=branch,suffix=-${{steps.tagger.outputs.describe}}' + type=ref,event=branch,suffix=-${{steps.tagger.outputs.describe}} ${{steps.tagger.outputs.latest}} - run: echo "${GITHUB_REF#refs/heads/}-${{steps.tagger.outputs.describe}}" > .nightly - run: cat .nightly From 71321a2be8e946e6839fbbcee5000e554cb7efb2 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Wed, 30 Jun 2021 02:50:26 +0100 Subject: [PATCH 537/798] Remove .github/ from tarball --- make-tarball.sh | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/make-tarball.sh b/make-tarball.sh index 6656e470..5369f551 100755 --- a/make-tarball.sh +++ b/make-tarball.sh @@ -50,7 +50,7 @@ cp -p third_party/Csocket/Csocket.cc third_party/Csocket/Csocket.h $TMPDIR/$ZNCD ) ( cd $TMPDIR/$ZNCDIR - rm -rf .travis* .appveyor* .ci/ + rm -rf .travis* .appveyor* .ci/ .github/ rm make-tarball.sh if [ "x$DESC" != "x" ]; then if [ $NIGHTLY = 1 ]; then From c97e2b18201e7c2c9c703144ccd2a541a75b3b24 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Wed, 30 Jun 2021 10:00:55 +0100 Subject: [PATCH 538/798] Docker git version: fix versio, update alpine --- .github/workflows/build.yml | 1 + Dockerfile | 2 +- 2 files changed, 2 insertions(+), 1 deletion(-) diff --git a/.github/workflows/build.yml b/.github/workflows/build.yml index c0e6e469..66936946 100644 --- a/.github/workflows/build.yml +++ b/.github/workflows/build.yml @@ -131,6 +131,7 @@ jobs: password: ${{ secrets.DOCKER_PASSWORD }} - uses: docker/build-push-action@v2 with: + context: . push: true tags: ${{ steps.meta.outputs.tags }} labels: ${{ steps.meta.outputs.labels }} diff --git a/Dockerfile b/Dockerfile index 530508d8..f9e14794 100644 --- a/Dockerfile +++ b/Dockerfile @@ -1,4 +1,4 @@ -FROM alpine:3.12 +FROM alpine:3.13 ARG VERSION_EXTRA="" From 5b5085e417c37cbe5ad427a8dca5a2f1cba3cf85 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Wed, 30 Jun 2021 10:11:04 +0100 Subject: [PATCH 539/798] Fix tarball testing in github actions after .github/ removal --- .github/workflows/build.yml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/.github/workflows/build.yml b/.github/workflows/build.yml index 66936946..11fee139 100644 --- a/.github/workflows/build.yml +++ b/.github/workflows/build.yml @@ -28,7 +28,7 @@ jobs: tar xvf /tmp/znc-tarball.tar.gz cd znc-git-2015-01-16 export CFGFLAGS="--with-gtest=$GITHUB_WORKSPACE/third_party/googletest/googletest --with-gmock=$GITHUB_WORKSPACE/third_party/googletest/googlemock --disable-swig" - source .github/build.sh + source $GITHUB_WORKSPACE/.github/build.sh - uses: codecov/codecov-action@v1 # can be removed when asan below is fixed From 22cb2d1e31e8d20d61796ed5b5ca320a7606b5ac Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Thu, 1 Jul 2021 21:09:12 +0100 Subject: [PATCH 540/798] Replace Travis badge with Github Actions --- .github/workflows/build.yml | 4 +++- README.md | 2 +- 2 files changed, 4 insertions(+), 2 deletions(-) diff --git a/.github/workflows/build.yml b/.github/workflows/build.yml index 11fee139..a864edcd 100644 --- a/.github/workflows/build.yml +++ b/.github/workflows/build.yml @@ -1,4 +1,6 @@ -name: Test +# lower case name, because it's used as the label on badge on top of readme. +# other badges also use lower case name, so this is for consistency +name: linux on: - push - pull_request diff --git a/README.md b/README.md index 29369d55..e974671b 100644 --- a/README.md +++ b/README.md @@ -1,6 +1,6 @@ # [![ZNC](https://wiki.znc.in/resources/assets/wiki.png)](https://znc.in) - An advanced IRC bouncer -[![Travis Build Status](https://img.shields.io/travis/znc/znc/master.svg?label=linux%2Fmacos)](https://travis-ci.org/znc/znc) +[![GitHub Actions Status](https://github.com/znc/znc/actions/workflows/build.yml/badge.svg)](https://github.com/znc/znc/actions/workflows/build.yml) [![Jenkins Build Status](https://img.shields.io/jenkins/s/https/jenkins.znc.in/job/znc/job/znc/job/master.svg?label=freebsd)](https://jenkins.znc.in/job/znc/job/znc/job/master/) [![AppVeyor Build status](https://img.shields.io/appveyor/ci/DarthGandalf/znc/master.svg?label=windows)](https://ci.appveyor.com/project/DarthGandalf/znc/branch/master) [![Bountysource](https://www.bountysource.com/badge/tracker?tracker_id=1759)](https://www.bountysource.com/trackers/1759-znc?utm_source=1759&utm_medium=shield&utm_campaign=TRACKER_BADGE) From 01877fcb0ff1911ef0abe58e6ff7bf62090da681 Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Fri, 2 Jul 2021 23:37:14 +0100 Subject: [PATCH 541/798] Replace github actions badge with one via shields.io for consistency --- .github/workflows/build.yml | 5 ++--- README.md | 2 +- 2 files changed, 3 insertions(+), 4 deletions(-) diff --git a/.github/workflows/build.yml b/.github/workflows/build.yml index a864edcd..70b68c78 100644 --- a/.github/workflows/build.yml +++ b/.github/workflows/build.yml @@ -1,6 +1,5 @@ -# lower case name, because it's used as the label on badge on top of readme. -# other badges also use lower case name, so this is for consistency -name: linux +# the name is used by the shields.io at top of readme +name: build on: - push - pull_request diff --git a/README.md b/README.md index e974671b..32bb2451 100644 --- a/README.md +++ b/README.md @@ -1,6 +1,6 @@ # [![ZNC](https://wiki.znc.in/resources/assets/wiki.png)](https://znc.in) - An advanced IRC bouncer -[![GitHub Actions Status](https://github.com/znc/znc/actions/workflows/build.yml/badge.svg)](https://github.com/znc/znc/actions/workflows/build.yml) +[![GitHub Workflow Status](https://img.shields.io/github/workflow/status/znc/znc/build?label=linux)](https://github.com/znc/znc/actions/workflows/build.yml) [![Jenkins Build Status](https://img.shields.io/jenkins/s/https/jenkins.znc.in/job/znc/job/znc/job/master.svg?label=freebsd)](https://jenkins.znc.in/job/znc/job/znc/job/master/) [![AppVeyor Build status](https://img.shields.io/appveyor/ci/DarthGandalf/znc/master.svg?label=windows)](https://ci.appveyor.com/project/DarthGandalf/znc/branch/master) [![Bountysource](https://www.bountysource.com/badge/tracker?tracker_id=1759)](https://www.bountysource.com/trackers/1759-znc?utm_source=1759&utm_medium=shield&utm_campaign=TRACKER_BADGE) From 8be5e4ce62a75a882ec5303c188bf931661972da Mon Sep 17 00:00:00 2001 From: Alexey Sokolov Date: Sat, 3 Jul 2021 01:01:41 +0100 Subject: [PATCH 542/798] Port updater of docs.znc.in from travis to github actions --- .../generate-docs.sh | 6 ++--- .travis.ssh => .ci/ssh-config | 0 .github/workflows/build.yml | 23 +++++++++++++++++- .travis-github.enc | Bin 3408 -> 0 bytes 4 files changed, 25 insertions(+), 4 deletions(-) rename .travis-generate-docs.sh => .ci/generate-docs.sh (86%) rename .travis.ssh => .ci/ssh-config (100%) delete mode 100644 .travis-github.enc diff --git a/.travis-generate-docs.sh b/.ci/generate-docs.sh similarity index 86% rename from .travis-generate-docs.sh rename to .ci/generate-docs.sh index c60ac52d..c2e399f6 100755 --- a/.travis-generate-docs.sh +++ b/.ci/generate-docs.sh @@ -7,7 +7,7 @@ doxygen cd "$HOME" git clone --depth=1 --branch=gh-pages github:znc/docs.git gh-pages || exit 1 -cd "$TRAVIS_BUILD_DIR/doc/html/" +cd "$GITHUB_WORKSPACE/doc/html/" mv ~/gh-pages/.git ./ echo docs.znc.in > CNAME git add -A @@ -28,9 +28,9 @@ if [[ ! -f ~/docs_need_commit ]]; then fi git commit -F- < ~/znc-github-key + env: + KEY: ${{ secrets.SSH_GITHUB_KEY_FOR_CI_BOT }} + - run: chmod 0600 ~/znc-github-key + - run: mkdir -p ~/.ssh + - run: cp .ci/ssh-config ~/.ssh/config + # It's not travis anymore, but oh well. TODO: fix + - run: git config --global user.email "travis-ci@znc.in" + - run: git config --global user.name "znc-travis" + - run: .ci/generate-docs.sh diff --git a/.travis-github.enc b/.travis-github.enc deleted file mode 100644 index 2bba5eef876e6a3caf6663dfa83171356d495fa0..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 3408 zcmV-W4X^T3VQh3|WM5yJhO6*qTZY9s0xLgH`8gH+RowL)LBMTBfSVqjXHq5~NNkYm zkb<*=t;7@K9faZ&Nw+~guASG&wauw@=Zu?Lav5-3L(?+wM)pw=S%_~?*LnI7`9{#u zO&oz-Eu5WTuNB*&v>aRU=K|{DN9-A*J}5egN99oc_xXA2xAI9=<8QhZ5b)ge+dbSS zCKv)e_hLfB63aFfY_spCGWd0puj+O}s~>N1DbdEWgbA*vA;VWJH=CSo!q0#=qEwmP zDU5pr_EW#)O!_${5yOxGd?FmP={6icNKZxcExT<~F`9(}KRF4PT z`k&RaKA5UPYB6$2VI+7(r%AAn8)cq)iUW=+ulO`RXmf@|SGC7Ajxib41%wi?TQIi4 zUNn(1adKWVFI~}Ti6ZS<*#f}eR2u86H?XN@uf=>n_HBo&{(l#elH z1*5RY_=9_Q`>LCWz(?64^Cis#3i2SD_sgchM+93I2!b2DEj)BL%|m6zLjkEd=bm#o zpi!wV*0+t`ra?j{uQ|xMyvVW&J^c1y;wT05%E>7AOQiTnL1zXn?k$)&LHe*eSR3j# ztn3X>5}LtIfI|*n(H`PcfX||MIryj`u+#*|&GvjQfgO1+s`kmQ=Wzq`0q;7lX;8C| zW850FaJ`GM-w|Zx14QIuQfu7&iDC&W1Hrc<$wM}&M@9xU1VU+wel}9HcWFT|7x_zx zbSxI*6#}YmM8V=fol4U&$SV#G`g;;GwBN{DKJ2)TGu^AG1&UD~vh;TEREE`noNx~K zpa!ag4;O95BV-Qn<-V&6&@k7JHQ7%$vSfJt|4Y)Yk52ByM{HCrWf&jsTu^4x`v<1_m(6;jCtme(A zWtq{v1FqGRKT-2ms1`87vVZ>MaOu?QA1va&cbHN47`-CI@YN~t^L$j;PHt_F?4H>Y zUd4-S=_&DNUyuWm1b7$Sm^^|m7g(FpVgf8~)+|vHAm@KiND^Bqzobn)Jv&Q!i8>1t0$KplI z2?+Q-^!O_U_Pg1qOvn6lCc9lEL*&WZ@-c6^)@p?hunI-6Td}WZ5v`rQSLd zChBxlE&5NYBg;u5Yq)*;NzA79mz^ROCfo=(QA)@EnhB|!{<^g#ZrvCL6Na7=h%lEU zRI*fFAa}-P@xi(88FYuC=tt7G!R<1tcq9(Bc*a&}OSF;k#MOQn0}4C9wIpSflx^lB{HS#S>n2rsP{&~bab7eBrYbj)K@f3<^9265M_ z6rH_T%_c6rU~c1{H@kv#@#eAyKPbXYLg0sBeClK9W?SSyj_3ea{~X4^*E7s7 z6w~F5G;6^XQj|@!uaz7pX&Q)jv||t$TkBPOF&!a2+FCB9s?^lg)fq`Lhisc&>D1o1 zhA+(>^H=Q}S7B91_LY2HfT^AYHKz+)tEGEpB>}kGXv`f@Dx^i;?Bz?VWlYPOyf%Oz zp+}JUxhT4wT&$c@v7JN=pq*Tr`e7L?{X`TdeYqDzAoM7O-XL`J7dC}|;bI$ZozIG) z&t_@E{!#k9ov#nShtz#2d0R6LiI246Smyh~II4{q3?XJqvgRjGGInsYJt{}ly>$h+ zd&3dFs#Z;^^<}-`sbY+1m_}Hn_Q@oR^w#1jEm z_YE@VI8@I0BW|LR^J`nCGH-A#dyTelmmFP<+a$>x1U4uRj9lSoF2)jfZe|PP+J)`I zDQ^mEM@+BtL^>bBmlI99L9z1^oKF8J{q4YV#`NiF!s5dYrvKVjrh~J7#!k6pGE8EM z!<5niS$vlMt}Lr+70>2WHKsmR7ATuf7n8dlc0;7f8 z3$TTnBjMg@`Up1&_lsVfq!IAfD!Uf!qjrN4io#oPJNICudtJao`qNlS=u3RSl{6R2 z;ncVSSXkJINGWb;_+8ak&v2{5`{N9hFa>H;BBqfRf9-erZB-`oA-jK{T+)A|xstW= z;*tm&DJl$q9%L4IYFdhvd1W!%nzi(AA);)&EEFq4n3M73j=7YUaD?@c)AXGrnIYi( ze!H)v9lopxrpFhR!P8aWDCI4S+52RFyO!Gx4M4kg#LRvU(Ym3>i3|DG5X(#Cot$e? z8x-dRgm?{G-{b_xWnPE8QlYf@sh}l=Ur4LQ%C!Q?HL6^BYv+-kTmkCp{B`y~Now9x_qDCb3y{?o29K6%zwe z#f#N@H-oVsxr)iP>Z#z$*GJIyHx!LQ&wHfQF=XnHIXyNLkYAzmYOP2SAh7X=Ca>-P z?2*J()f*ScWX2% zD@6lW{NV1DTv0KhG0=FjSa-Ef3Cdg3tD|9eCW4FD6iep=`YjCkx#*J=2S8pg->_YD zu{O6kc-6(uV6g0Hn#6X4eITXk^BG~8K=E4KB;*JF?|}#FEW_HY<9v-90|3tD5!Zd% z{ci`@xdlmfH2_^H>j7C!@h&%59rLCUUR@o~6e#p;BSd+e`qf@UVi{#_@LSzOemsWv z5ker1yt33qM=l!wmdR|c;gr@QKbpj?(>T-pa{M&NJUhz1*6U2odP9i-m=lLzxyv{@ z*qLCs1myxXu~NUbHd$Ep>n7T^SFGA6RY==W@!y=YsB#Yd-zV8xqO|@dVB*-g;j|C# z4H~ap`EHR(`yMT&iKKQC``#zkofOz~nOJOxDlP@_!GD{Yr35>K{Pe~_%eO5HRGIbR z^#rB(GAEdWYkYm{zdvW=AbbtgX8*TEB^*57XqyMDP5Nx&HHaFD1~hdxf2L3~MiGBZ zJ$l=5b$10@m`(>SMAJPVv#ZU1YfOc=l%=3-t|*T9tsx>pumU9Oo7?`&D4}aS)fT0e z-wfeB94?_m{j!yP=O=mOZZB}@o-}r;e97TmwaN+U?xB*hU#35uXB&eJL%H{H-K3$G zL7D{013i55Rv2BIpWZK@1k=F8jK6ym-d@`2xb8Ld>1IBb1t1#iiTKMtS`>|W)STtc zPfVItRtzTjjqnc#bRJ~YwVT7043nDfyWpG?B*u`2-AY=c_Pll1IBih7hY8<9}M!U4M*B70@LTjN@)dZj&JZ8RnZbmuf!yT zwg@65t665-VA*A$>vEi)>D)z)RhuHOk2BTRY|hqnnNxgLDecHr{s%jwVGf~Nz_^tC z#i&JfNcLFF;_>PE6J54eWcmaph^;cxv>ea75-t92(X4)N$If6^ZudK5Y+zPDm=g3j mP}>L?_;-P(7$B%3iI6u0Gj*wWNmr{XQ=(lL$WKD1;Jl&*Yo`?e From fe475e1ef053c95e2fd18fa3fb999de76111f9e6 Mon Sep 17 00:00:00 2001 From: Bradley Shaw Date: Sat, 26 Jun 2021 15:21:34 +0100 Subject: [PATCH 543/798] Add more deny options DenySetIdent - Denies setting ident DenySetNetwork - Denies adding/removing networks/servers DenySetRealName - Denies setting realname DenySetQuitMsg - Denies setting quitmsg DenySetCTCPReplies - Denies adding/removing CTCP replies --- include/znc/User.h | 15 ++ modules/controlpanel.cpp | 133 +++++++++- modules/data/webadmin/files/webadmin.js | 68 +++-- .../data/webadmin/tmpl/add_edit_network.tmpl | 17 +- modules/data/webadmin/tmpl/add_edit_user.tmpl | 27 +- modules/webadmin.cpp | 233 ++++++++++++++---- src/ClientCommand.cpp | 20 ++ src/User.cpp | 30 +++ 8 files changed, 452 insertions(+), 91 deletions(-) diff --git a/include/znc/User.h b/include/znc/User.h index 19c6e026..20f7cf97 100644 --- a/include/znc/User.h +++ b/include/znc/User.h @@ -137,6 +137,11 @@ class CUser : private CCoreTranslationMixin { void SetDenyLoadMod(bool b); void SetAdmin(bool b); void SetDenySetBindHost(bool b); + void SetDenySetIdent(bool b); + void SetDenySetNetwork(bool b); + void SetDenySetRealName(bool b); + void SetDenySetQuitMsg(bool b); + void SetDenySetCTCPReplies(bool b); bool SetStatusPrefix(const CString& s); void SetDefaultChanModes(const CString& s); void SetClientEncoding(const CString& s); @@ -192,6 +197,11 @@ class CUser : private CCoreTranslationMixin { bool DenyLoadMod() const; bool IsAdmin() const; bool DenySetBindHost() const; + bool DenySetIdent() const; + bool DenySetNetwork() const; + bool DenySetRealName() const; + bool DenySetQuitMsg() const; + bool DenySetCTCPReplies() const; bool MultiClients() const; bool AuthOnlyViaModule() const; const CString& GetStatusPrefix() const; @@ -254,6 +264,11 @@ class CUser : private CCoreTranslationMixin { bool m_bDenyLoadMod; bool m_bAdmin; bool m_bDenySetBindHost; + bool m_bDenySetIdent; + bool m_bDenySetNetwork; + bool m_bDenySetRealName; + bool m_bDenySetQuitMsg; + bool m_bDenySetCTCPReplies; bool m_bAutoClearChanBuffer; bool m_bAutoClearQueryBuffer; bool m_bBeingDeleted; diff --git a/modules/controlpanel.cpp b/modules/controlpanel.cpp index 85d676bd..801591b9 100644 --- a/modules/controlpanel.cpp +++ b/modules/controlpanel.cpp @@ -94,6 +94,11 @@ class CAdminMod : public CModule { {"MultiClients", boolean}, {"DenyLoadMod", boolean}, {"DenySetBindHost", boolean}, + {"DenySetIdent", boolean}, + {"DenySetNetwork", boolean}, + {"DenySetRealName", boolean}, + {"DenySetQuitMsg", boolean}, + {"DenySetCTCPReplies", boolean}, {"DefaultChanModes", str}, {"QuitMsg", str}, {"ChanBufferSize", integer}, @@ -241,6 +246,16 @@ class CAdminMod : public CModule { PutModule("DenyLoadMod = " + CString(pUser->DenyLoadMod())); else if (sVar == "denysetbindhost") PutModule("DenySetBindHost = " + CString(pUser->DenySetBindHost())); + else if (sVar == "denysetident") + PutModule("DenySetIdent = " + CString(pUser->DenySetIdent())); + else if (sVar == "denysetnetwork") + PutModule("DenySetNetwork = " + CString(pUser->DenySetNetwork())); + else if (sVar == "denysetrealname") + PutModule("DenySetRealName = " + CString(pUser->DenySetRealName())); + else if (sVar == "denysetquitmsg") + PutModule("DenySetQuitMsg = " + CString(pUser->DenySetQuitMsg())); + else if (sVar == "denysetctcpreplies") + PutModule("DenySetCTCPReplies = " + CString(pUser->DenySetCTCPReplies())); else if (sVar == "defaultchanmodes") PutModule("DefaultChanModes = " + pUser->GetDefaultChanModes()); else if (sVar == "quitmsg") @@ -326,11 +341,19 @@ class CAdminMod : public CModule { pUser->SetAltNick(sValue); PutModule("AltNick = " + sValue); } else if (sVar == "ident") { - pUser->SetIdent(sValue); - PutModule("Ident = " + sValue); + if (!pUser->DenySetIdent() || GetUser()->IsAdmin()) { + pUser->SetIdent(sValue); + PutModule("Ident = " + sValue); + } else { + PutModule(t_s("Access denied!")); + } } else if (sVar == "realname") { - pUser->SetRealName(sValue); - PutModule("RealName = " + sValue); + if (!pUser->DenySetRealName() || GetUser()->IsAdmin()) { + pUser->SetRealName(sValue); + PutModule("RealName = " + sValue); + } else { + PutModule(t_s("Access denied!")); + } } else if (sVar == "bindhost") { if (!pUser->DenySetBindHost() || GetUser()->IsAdmin()) { if (sValue.Equals(pUser->GetBindHost())) { @@ -363,12 +386,56 @@ class CAdminMod : public CModule { } else { PutModule(t_s("Access denied!")); } + } else if (sVar == "denysetident") { + if (GetUser()->IsAdmin()) { + bool b = sValue.ToBool(); + pUser->SetDenySetIdent(b); + PutModule("DenySetIdent = " + CString(b)); + } else { + PutModule(t_s("Access denied!")); + } + } else if (sVar == "denysetnetwork") { + if (GetUser()->IsAdmin()) { + bool b = sValue.ToBool(); + pUser->SetDenySetNetwork(b); + PutModule("DenySetNetwork = " + CString(b)); + } else { + PutModule(t_s("Access denied!")); + } + } else if (sVar == "denysetrealname") { + if (GetUser()->IsAdmin()) { + bool b = sValue.ToBool(); + pUser->SetDenySetRealName(b); + PutModule("DenySetRealName = " + CString(b)); + } else { + PutModule(t_s("Access denied!")); + } + } else if (sVar == "denysetquitmsg") { + if (GetUser()->IsAdmin()) { + bool b = sValue.ToBool(); + pUser->SetDenySetQuitMsg(b); + PutModule("DenySetQuitMsg = " + CString(b)); + } else { + PutModule(t_s("Access denied!")); + } + } else if (sVar == "denysetctcpreplies") { + if (GetUser()->IsAdmin()) { + bool b = sValue.ToBool(); + pUser->SetDenySetCTCPReplies(b); + PutModule("DenySetCTCPReplies = " + CString(b)); + } else { + PutModule(t_s("Access denied!")); + } } else if (sVar == "defaultchanmodes") { pUser->SetDefaultChanModes(sValue); PutModule("DefaultChanModes = " + sValue); } else if (sVar == "quitmsg") { - pUser->SetQuitMsg(sValue); - PutModule("QuitMsg = " + sValue); + if (!pUser->DenySetQuitMsg() || GetUser()->IsAdmin()) { + pUser->SetQuitMsg(sValue); + PutModule("QuitMsg = " + sValue); + } else { + PutModule(t_s("Access denied!")); + } } else if (sVar == "chanbuffersize" || sVar == "buffercount") { unsigned int i = sValue.ToUInt(); // Admins don't have to honour the buffer limit @@ -614,11 +681,19 @@ class CAdminMod : public CModule { pNetwork->SetAltNick(sValue); PutModule("AltNick = " + pNetwork->GetAltNick()); } else if (sVar.Equals("ident")) { - pNetwork->SetIdent(sValue); - PutModule("Ident = " + pNetwork->GetIdent()); + if (!pUser->DenySetIdent() || GetUser()->IsAdmin()) { + pNetwork->SetIdent(sValue); + PutModule("Ident = " + pNetwork->GetIdent()); + } else { + PutModule(t_s("Access denied!")); + } } else if (sVar.Equals("realname")) { - pNetwork->SetRealName(sValue); - PutModule("RealName = " + pNetwork->GetRealName()); + if (!pUser->DenySetRealName() || GetUser()->IsAdmin()) { + pNetwork->SetRealName(sValue); + PutModule("RealName = " + pNetwork->GetRealName()); + } else { + PutModule(t_s("Access denied!")); + } } else if (sVar.Equals("bindhost")) { if (!pUser->DenySetBindHost() || GetUser()->IsAdmin()) { if (sValue.Equals(pNetwork->GetBindHost())) { @@ -646,8 +721,12 @@ class CAdminMod : public CModule { PutModule("Encoding = " + pNetwork->GetEncoding()); #endif } else if (sVar.Equals("quitmsg")) { - pNetwork->SetQuitMsg(sValue); - PutModule("QuitMsg = " + pNetwork->GetQuitMsg()); + if (!pUser->DenySetQuitMsg() || GetUser()->IsAdmin()) { + pNetwork->SetQuitMsg(sValue); + PutModule("QuitMsg = " + pNetwork->GetQuitMsg()); + } else { + PutModule(t_s("Access denied!")); + } } else if (sVar.Equals("trustallcerts")) { bool b = sValue.ToBool(); pNetwork->SetTrustAllCerts(b); @@ -1043,6 +1122,11 @@ class CAdminMod : public CModule { return; } + if (!GetUser()->IsAdmin() && pUser->DenySetNetwork()) { + PutModule(t_s("Access denied!")); + return; + } + if (!GetUser()->IsAdmin() && !pUser->HasSpaceForNewNetwork()) { PutStatus( t_s("Network number limit reached. Ask an admin to increase " @@ -1088,6 +1172,11 @@ class CAdminMod : public CModule { return; } + if (!GetUser()->IsAdmin() && pUser->DenySetNetwork()) { + PutModule(t_s("Access denied!")); + return; + } + CIRCNetwork* pNetwork = FindNetwork(pUser, sNetwork); if (!pNetwork) { return; @@ -1166,6 +1255,11 @@ class CAdminMod : public CModule { CUser* pUser = FindUser(sUsername); if (!pUser) return; + if (!GetUser()->IsAdmin() && pUser->DenySetNetwork()) { + PutModule(t_s("Access denied!")); + return; + } + CIRCNetwork* pNetwork = FindNetwork(pUser, sNetwork); if (!pNetwork) { return; @@ -1197,6 +1291,11 @@ class CAdminMod : public CModule { CUser* pUser = FindUser(sUsername); if (!pUser) return; + if (!GetUser()->IsAdmin() && pUser->DenySetNetwork()) { + PutModule(t_s("Access denied!")); + return; + } + CIRCNetwork* pNetwork = FindNetwork(pUser, sNetwork); if (!pNetwork) { return; @@ -1325,6 +1424,11 @@ class CAdminMod : public CModule { CUser* pUser = FindUser(sUsername); if (!pUser) return; + if (!GetUser()->IsAdmin() && pUser->DenySetCTCPReplies()) { + PutModule(t_s("Access denied!")); + return; + } + pUser->AddCTCPReply(sCTCPRequest, sCTCPReply); if (sCTCPReply.empty()) { PutModule(t_f("CTCP requests {1} to user {2} will now be blocked.")( @@ -1347,6 +1451,11 @@ class CAdminMod : public CModule { CUser* pUser = FindUser(sUsername); if (!pUser) return; + if (!GetUser()->IsAdmin() && pUser->DenySetCTCPReplies()) { + PutModule(t_s("Access denied!")); + return; + } + if (sCTCPRequest.empty()) { PutModule(t_s("Usage: DelCTCP [user] [request]")); return; diff --git a/modules/data/webadmin/files/webadmin.js b/modules/data/webadmin/files/webadmin.js index f9774d5d..dd20f5dc 100644 --- a/modules/data/webadmin/files/webadmin.js +++ b/modules/data/webadmin/files/webadmin.js @@ -121,18 +121,31 @@ function serverlist_init($) { row.remove(); serialize(); } - row.append( - $("").append($("").attr({"type":"text"}) - .addClass("servers_row_host").val(host)), - $("").append($("").attr({"type":"number"}) - .addClass("servers_row_port").val(port)), - $("").append($("").attr({"type":"checkbox"}) - .addClass("servers_row_ssl").prop("checked", ssl)), - $("").append($("").attr({"type":"text"}) - .addClass("servers_row_pass").val(pass)), - $("").append($("").attr({"type":"button"}) - .val("X").click(delete_row)) - ); + if (NetworkEdit) { + row.append( + $("").append($("").attr({"type":"text"}) + .addClass("servers_row_host").val(host)), + $("").append($("").attr({"type":"number"}) + .addClass("servers_row_port").val(port)), + $("").append($("").attr({"type":"checkbox"}) + .addClass("servers_row_ssl").prop("checked", ssl)), + $("").append($("").attr({"type":"text"}) + .addClass("servers_row_pass").val(pass)), + $("").append($("").attr({"type":"button"}) + .val("X").click(delete_row)) + ); + } else { + row.append( + $("").append($("").attr({"type":"text","readonly":true}) + .addClass("servers_row_host").val(host)), + $("").append($("").attr({"type":"number","readonly":true}) + .addClass("servers_row_port").val(port)), + $("").append($("").attr({"type":"checkbox","disabled":true}) + .addClass("servers_row_ssl").prop("checked", ssl)), + $("").append($("").attr({"type":"text","readonly":true}) + .addClass("servers_row_pass").val(pass)) + ); + } $("input", row).change(serialize); $("#servers_tbody").append(row); } @@ -210,16 +223,27 @@ function ctcpreplies_init($) { row.remove(); serialize(); } - row.append( - $("").append($("").val(request) - .addClass("ctcpreplies_row_request") - .attr({"type":"text","list":"ctcpreplies_list"})), - $("").append($("").val(response) - .addClass("ctcpreplies_row_response") - .attr({"type":"text","placeholder":$("#ctcpreplies_js").data("placeholder")})), - $("").append($("").val("X") - .attr({"type":"button"}).click(delete_row)) - ); + if (CTCPEdit) { + row.append( + $("").append($("").val(request) + .addClass("ctcpreplies_row_request") + .attr({"type":"text","list":"ctcpreplies_list"})), + $("").append($("").val(response) + .addClass("ctcpreplies_row_response") + .attr({"type":"text","placeholder":$("#ctcpreplies_js").data("placeholder")})), + $("").append($("").val("X") + .attr({"type":"button"}).click(delete_row)) + ); + } else { + row.append( + $("").append($("").val(request) + .addClass("ctcpreplies_row_request") + .attr({"type":"text","list":"ctcpreplies_list","readonly":true})), + $("").append($("").val(response) + .addClass("ctcpreplies_row_response") + .attr({"type":"text","placeholder":$("#ctcpreplies_js").data("placeholder"),"readonly":true})), + ); + } $("input", row).change(serialize); $("#ctcpreplies_tbody").append(row); } diff --git a/modules/data/webadmin/tmpl/add_edit_network.tmpl b/modules/data/webadmin/tmpl/add_edit_network.tmpl index d0ea2cf0..a21b54f9 100644 --- a/modules/data/webadmin/tmpl/add_edit_network.tmpl +++ b/modules/data/webadmin/tmpl/add_edit_network.tmpl @@ -3,6 +3,10 @@ + +
/: @@ -28,7 +32,7 @@
"/> + title="" readonly />
@@ -45,12 +49,12 @@
"/> + title="" readonly />
"/> + title="" readonly />
@@ -64,7 +68,8 @@
"/> + title="" + readonly />
@@ -102,12 +107,16 @@ + + + +
diff --git a/modules/data/webadmin/tmpl/add_edit_user.tmpl b/modules/data/webadmin/tmpl/add_edit_user.tmpl index 5e695795..f2866501 100644 --- a/modules/data/webadmin/tmpl/add_edit_user.tmpl +++ b/modules/data/webadmin/tmpl/add_edit_user.tmpl @@ -3,6 +3,10 @@ + +
@@ -79,7 +83,8 @@
"/> + title="" + readonly />
@@ -90,7 +95,7 @@
"/> + title="" readonly />
@@ -111,7 +116,8 @@
"/> + title="" + readonly />
@@ -126,14 +132,20 @@ + + + + + + @@ -143,7 +155,8 @@ @@ -202,7 +215,7 @@ checked="checked" disabled="disabled"/> - + +
[] 
- [] [] + [] + [] @@ -346,12 +359,14 @@
+
- " id="ctcpreplies_add"/> + " id="ctcpreplies_add"/>